From ade3c02122d262c72bd7c4fd1cbcab8e136184ba Mon Sep 17 00:00:00 2001 From: Pouyan Savoli Date: Fri, 25 Aug 2017 02:59:20 +0200 Subject: Create custom fields creation UI added to Board Menu, Model in progress --- .gitignore | 1 + client/components/activities/activities.jade | 3 + client/components/activities/activities.js | 5 + client/components/boards/boardHeader.jade | 1 + client/components/boards/boardHeader.js | 4 + client/components/main/popup.styl | 3 + client/components/sidebar/sidebar.js | 1 + client/components/sidebar/sidebarCustomFields.jade | 31 ++++++ client/components/sidebar/sidebarCustomFields.js | 55 ++++++++++ i18n/en.i18n.json | 8 ++ models/activities.js | 8 ++ models/customFields.js | 116 +++++++++++++++++++++ server/publications/customFields.js | 3 + 13 files changed, 239 insertions(+) create mode 100644 client/components/sidebar/sidebarCustomFields.jade create mode 100644 client/components/sidebar/sidebarCustomFields.js create mode 100644 models/customFields.js create mode 100644 server/publications/customFields.js diff --git a/.gitignore b/.gitignore index 7642f23d..a5abba70 100644 --- a/.gitignore +++ b/.gitignore @@ -13,3 +13,4 @@ package-lock.json **/stage **/prime **/*.snap +.idea \ No newline at end of file diff --git a/client/components/activities/activities.jade b/client/components/activities/activities.jade index be12a728..b52a2981 100644 --- a/client/components/activities/activities.jade +++ b/client/components/activities/activities.jade @@ -50,6 +50,9 @@ template(name="boardActivities") if($eq activityType 'createCard') | {{{_ 'activity-added' cardLink boardLabel}}}. + if($eq activityType 'createCustomField') + | {{_ 'activity-customfield-created' customField}}. + if($eq activityType 'createList') | {{_ 'activity-added' list.title boardLabel}}. diff --git a/client/components/activities/activities.js b/client/components/activities/activities.js index ccb064f3..81645a51 100644 --- a/client/components/activities/activities.js +++ b/client/components/activities/activities.js @@ -91,6 +91,11 @@ BlazeComponent.extendComponent({ }, attachment.name())); }, + customField() { + const customField = this.currentData().customFieldId; + return customField; + }, + events() { return [{ // XXX We should use Popup.afterConfirmation here diff --git a/client/components/boards/boardHeader.jade b/client/components/boards/boardHeader.jade index ffb8eb27..67acdc9e 100644 --- a/client/components/boards/boardHeader.jade +++ b/client/components/boards/boardHeader.jade @@ -103,6 +103,7 @@ template(name="boardHeaderBar") template(name="boardMenuPopup") ul.pop-over-list + li: a.js-custom-fields {{_ 'custom-fields'}} li: a.js-open-archives {{_ 'archived-items'}} if currentUser.isBoardAdmin li: a.js-change-board-color {{_ 'board-change-color'}} diff --git a/client/components/boards/boardHeader.js b/client/components/boards/boardHeader.js index b7807ca9..8983c722 100644 --- a/client/components/boards/boardHeader.js +++ b/client/components/boards/boardHeader.js @@ -1,5 +1,9 @@ Template.boardMenuPopup.events({ 'click .js-rename-board': Popup.open('boardChangeTitle'), + 'click .js-custom-fields'() { + Sidebar.setView('customFields'); + Popup.close(); + }, 'click .js-open-archives'() { Sidebar.setView('archives'); Popup.close(); diff --git a/client/components/main/popup.styl b/client/components/main/popup.styl index b7c9e264..ff00eef3 100644 --- a/client/components/main/popup.styl +++ b/client/components/main/popup.styl @@ -33,6 +33,9 @@ $popupWidth = 300px textarea height: 72px + form a span + padding: 0 0.5rem + .header height: 36px position: relative diff --git a/client/components/sidebar/sidebar.js b/client/components/sidebar/sidebar.js index 1290fd13..59a2b42c 100644 --- a/client/components/sidebar/sidebar.js +++ b/client/components/sidebar/sidebar.js @@ -5,6 +5,7 @@ const defaultView = 'home'; const viewTitles = { filter: 'filter-cards', multiselection: 'multi-selection', + customFields: 'custom-fields', archives: 'archives', }; diff --git a/client/components/sidebar/sidebarCustomFields.jade b/client/components/sidebar/sidebarCustomFields.jade new file mode 100644 index 00000000..33688441 --- /dev/null +++ b/client/components/sidebar/sidebarCustomFields.jade @@ -0,0 +1,31 @@ +template(name="customFieldsSidebar") + ul.sidebar-list + each customsFields + li + a.name + span.sidebar-list-item-description + {{_ 'some name'}} + if currentUser.isBoardMember + hr + a.sidebar-btn.js-open-create-custom-field + i.fa.fa-plus + span {{_ 'Create Custom Field'}} + +template(name="createCustomFieldPopup") + form + label + | {{_ 'name'}} + input.js-field-name(type="text" name="field-name" autofocus) + label + | {{_ 'type'}} + select.js-field-type(name="field-type") + option(value="string") String + option(value="number") Number + option(value="checkbox") Checkbox + option(value="date") Date + option(value="DropdownList") Dropdown List + a.flex.js-field-show-on-card + .materialCheckBox(class="{{#if showOnCard}}is-checked{{/if}}") + + span {{_ 'show-field-on-card'}} + input.primary.wide(type="submit" value="{{_ 'save'}}") \ No newline at end of file diff --git a/client/components/sidebar/sidebarCustomFields.js b/client/components/sidebar/sidebarCustomFields.js new file mode 100644 index 00000000..da03f484 --- /dev/null +++ b/client/components/sidebar/sidebarCustomFields.js @@ -0,0 +1,55 @@ +BlazeComponent.extendComponent({ + + customFields() { + return CustomFields.find({ + boardId: Session.get('currentBoard'), + }); + }, + + events() { + return [{ + 'click .js-open-create-custom-field': Popup.open('createCustomField'), + 'click .js-edit-custom-field'() { + // todo + }, + 'click .js-delete-custom-field': Popup.afterConfirm('customFieldDelete', function() { + const customFieldId = this._id; + CustomFields.remove(customFieldId); + Popup.close(); + }), + }]; + }, + +}).register('customFieldsSidebar'); + +Template.createCustomFieldPopup.helpers({ + +}); + +Template.createCustomFieldPopup.events({ + 'click .js-field-show-on-card'(event) { + let $target = $(event.target); + if(!$target.hasClass('js-field-show-on-card')){ + $target = $target.parent(); + } + $target.find('.materialCheckBox').toggleClass('is-checked'); + $target.toggleClass('is-checked'); + }, + 'submit'(evt, tpl) { + evt.preventDefault(); + + const name = tpl.find('.js-field-name').value.trim(); + const type = tpl.find('.js-field-type').value.trim(); + const showOnCard = tpl.find('.js-field-show-on-card.is-checked') != null; + //console.log("Create",name,type,showOnCard); + + CustomFields.insert({ + boardId: Session.get('currentBoard'), + name: name, + type: type, + showOnCard: showOnCard + }); + + Popup.back(); + }, +}); \ No newline at end of file diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 64a720db..d7b9a48b 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "commented on __card__: __comment__", "act-createBoard": "created __board__", "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "added __list__ to __board__", "act-addBoardMember": "added __member__ to __board__", "act-archivedBoard": "archived __board__", @@ -29,6 +30,7 @@ "activity-archived": "archived %s", "activity-attached": "attached %s to %s", "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "excluded %s from %s", "activity-imported": "imported %s into %s from %s", "activity-imported-board": "imported %s from %s", @@ -152,7 +154,11 @@ "createBoardPopup-title": "Create Board", "chooseBoardSourcePopup-title": "Import board", "createLabelPopup-title": "Create Label", + "createCustomField": "Create Custom Field", + "createCustomFieldPopup-title": "Create Custom Field", "current": "current", + "custom-fields": "Custom Fields", + "customFieldDeletePopup-title": "Delete Card?", "date": "Date", "decline": "Decline", "default-avatar": "Default avatar", @@ -330,6 +336,7 @@ "title": "Title", "tracking": "Tracking", "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", "unassign-member": "Unassign member", "unsaved-description": "You have an unsaved description.", "unwatch": "Unwatch", @@ -387,6 +394,7 @@ "hours": "hours", "minutes": "minutes", "seconds": "seconds", + "show-field-on-card": "Show this field on card", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/models/activities.js b/models/activities.js index 4ddcfa72..237283f8 100644 --- a/models/activities.js +++ b/models/activities.js @@ -41,6 +41,9 @@ Activities.helpers({ checklistItem() { return Checklists.findOne(this.checklistId).getItem(this.checklistItemId); }, + customField() { + return CustomFields.findOne(this.customFieldId); + }, }); Activities.before.insert((userId, doc) => { @@ -57,6 +60,7 @@ if (Meteor.isServer) { Activities._collection._ensureIndex({ boardId: 1, createdAt: -1 }); Activities._collection._ensureIndex({ commentId: 1 }, { partialFilterExpression: { commentId: { $exists: true } } }); Activities._collection._ensureIndex({ attachmentId: 1 }, { partialFilterExpression: { attachmentId: { $exists: true } } }); + Activities._collection._ensureIndex({ customFieldId: 1 }, { partialFilterExpression: { customFieldId: { $exists: true } } }); }); Activities.after.insert((userId, doc) => { @@ -123,6 +127,10 @@ if (Meteor.isServer) { const checklistItem = activity.checklistItem(); params.checklistItem = checklistItem.title; } + if (activity.customFieldId) { + const customField = activity.customField(); + params.customField = customField.name; + } if (board) { const watchingUsers = _.pluck(_.where(board.watchers, {level: 'watching'}), 'userId'); const trackingUsers = _.pluck(_.where(board.watchers, {level: 'tracking'}), 'userId'); diff --git a/models/customFields.js b/models/customFields.js new file mode 100644 index 00000000..75ee55e8 --- /dev/null +++ b/models/customFields.js @@ -0,0 +1,116 @@ +CustomFields = new Mongo.Collection('customFields'); + +CustomFields.attachSchema(new SimpleSchema({ + boardId: { + type: String, + }, + name: { + type: String, + }, + type: { + type: String, + }, + showOnCard: { + type: Boolean, + } +})); + +CustomFields.allow({ + insert(userId, doc) { + return allowIsBoardMember(userId, Boards.findOne(doc.boardId)); + }, + update(userId, doc) { + return allowIsBoardMember(userId, Boards.findOne(doc.boardId)); + }, + remove(userId, doc) { + return allowIsBoardMember(userId, Boards.findOne(doc.boardId)); + }, + fetch: ['boardId'], +}); + +// not sure if we need this? +//CustomFields.hookOptions.after.update = { fetchPrevious: false }; + +function customFieldCreation(userId, doc){ + Activities.insert({ + userId, + activityType: 'createCustomField', + boardId: doc.boardId, + customFieldId: doc._id, + }); +} + +if (Meteor.isServer) { + // Comments are often fetched within a card, so we create an index to make these + // queries more efficient. + Meteor.startup(() => { + CardComments._collection._ensureIndex({ cardId: 1, createdAt: -1 }); + }); + + CustomFields.after.insert((userId, doc) => { + customFieldCreation(userId, doc); + }); + + CustomFields.after.remove((userId, doc) => { + const activity = Activities.findOne({ customFieldId: doc._id }); + if (activity) { + Activities.remove(activity._id); + } + }); +} + +//CUSTOM FIELD REST API +if (Meteor.isServer) { + JsonRoutes.add('GET', '/api/boards/:boardId/custom-fields', function (req, res, next) { + Authentication.checkUserId( req.userId); + const paramBoardId = req.params.boardId; + JsonRoutes.sendResult(res, { + code: 200, + data: CustomFields.find({ boardId: paramBoardId }) + }); + }); + + JsonRoutes.add('GET', '/api/boards/:boardId/comments/:customFieldId', function (req, res, next) { + Authentication.checkUserId( req.userId); + const paramBoardId = req.params.boardId; + const paramCustomFieldId = req.params.customFieldId; + JsonRoutes.sendResult(res, { + code: 200, + data: CustomFields.findOne({ _id: paramCustomFieldId, boardId: paramBoardId }), + }); + }); + + JsonRoutes.add('POST', '/api/boards/:boardId/custom-fields', function (req, res, next) { + Authentication.checkUserId( req.userId); + const paramBoardId = req.params.boardId; + const id = CustomFields.direct.insert({ + name: req.body.name, + type: req.body.type, + showOnCard: req.body.showOnCard, + boardId: paramBoardId, + }); + + const customField = CustomFields.findOne({_id: id, cardId:paramCardId, boardId: paramBoardId }); + customFieldCreation(req.body.authorId, customField); + + JsonRoutes.sendResult(res, { + code: 200, + data: { + _id: id, + }, + }); + }); + + JsonRoutes.add('DELETE', '/api/boards/:boardId/custom-fields/:customFieldId', function (req, res, next) { + Authentication.checkUserId( req.userId); + const paramBoardId = req.params.boardId; + const id = req.params.customFieldId; + CustomFields.remove({ _id: id, boardId: paramBoardId }); + JsonRoutes.sendResult(res, { + code: 200, + data: { + _id: id, + }, + }); + }); +} diff --git a/server/publications/customFields.js b/server/publications/customFields.js new file mode 100644 index 00000000..25dada59 --- /dev/null +++ b/server/publications/customFields.js @@ -0,0 +1,3 @@ +Meteor.publish('customFields', function() { + return CustomFields.find(); +}); -- cgit v1.2.3-1-g7c22 From afd87e3caa1fedbe8fe5dbaefa485fee1ed85c71 Mon Sep 17 00:00:00 2001 From: Pouyan Savoli Date: Sun, 27 Aug 2017 22:31:24 +0200 Subject: many custom fields model and UI enhancements --- client/components/activities/activities.js | 4 +- client/components/boards/boardHeader.jade | 2 +- client/components/boards/boardHeader.js | 2 +- client/components/cards/cardDetails.jade | 15 ++++++ client/components/cards/cardDetails.js | 15 ++++++ client/components/sidebar/sidebar.js | 2 +- client/components/sidebar/sidebar.styl | 61 ++++++++++++++-------- client/components/sidebar/sidebarCustomFields.jade | 44 +++++++++++----- client/components/sidebar/sidebarCustomFields.js | 36 +++++++++---- i18n/en.i18n.json | 17 ++++-- models/boards.js | 4 ++ models/customFields.js | 21 ++++---- server/publications/boards.js | 1 + 13 files changed, 157 insertions(+), 67 deletions(-) diff --git a/client/components/activities/activities.js b/client/components/activities/activities.js index 81645a51..95699961 100644 --- a/client/components/activities/activities.js +++ b/client/components/activities/activities.js @@ -92,8 +92,8 @@ BlazeComponent.extendComponent({ }, customField() { - const customField = this.currentData().customFieldId; - return customField; + const customField = this.currentData().customField(); + return customField.name; }, events() { diff --git a/client/components/boards/boardHeader.jade b/client/components/boards/boardHeader.jade index 67acdc9e..9d16b10a 100644 --- a/client/components/boards/boardHeader.jade +++ b/client/components/boards/boardHeader.jade @@ -103,7 +103,7 @@ template(name="boardHeaderBar") template(name="boardMenuPopup") ul.pop-over-list - li: a.js-custom-fields {{_ 'custom-fields'}} + li: a.js-configure-custom-fields {{_ 'configure-custom-fields'}} li: a.js-open-archives {{_ 'archived-items'}} if currentUser.isBoardAdmin li: a.js-change-board-color {{_ 'board-change-color'}} diff --git a/client/components/boards/boardHeader.js b/client/components/boards/boardHeader.js index 8983c722..61cdb149 100644 --- a/client/components/boards/boardHeader.js +++ b/client/components/boards/boardHeader.js @@ -1,6 +1,6 @@ Template.boardMenuPopup.events({ 'click .js-rename-board': Popup.open('boardChangeTitle'), - 'click .js-custom-fields'() { + 'click .js-configure-custom-fields'() { Sidebar.setView('customFields'); Popup.close(); }, diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index 09e0532c..ccb3ae97 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -107,6 +107,7 @@ template(name="cardDetailsActionsPopup") li: a.js-members {{_ 'card-edit-members'}} li: a.js-labels {{_ 'card-edit-labels'}} li: a.js-attachments {{_ 'card-edit-attachments'}} + li: a.js-custom-fields {{_ 'card-edit-custom-fields'}} li: a.js-start-date {{_ 'editCardStartDatePopup-title'}} li: a.js-due-date {{_ 'editCardDueDatePopup-title'}} hr @@ -143,6 +144,20 @@ template(name="cardMembersPopup") if isCardMember i.fa.fa-check +template(name="cardCustomFieldsPopup") + ul.pop-over-list + each board.customFields + li.item(class="") + a.name.js-select-field(href="#") + span.full-name + = name + if isCardMember + i.fa.fa-check + hr + a.quiet-button.full.js-configure-custom-fields + i.fa.fa-cog + span {{_ 'configure-custom-fields'}} + template(name="cardMorePopup") p.quiet span.clearfix diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index 7c6c3ce7..f972424f 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -154,6 +154,7 @@ Template.cardDetailsActionsPopup.events({ 'click .js-members': Popup.open('cardMembers'), 'click .js-labels': Popup.open('cardLabels'), 'click .js-attachments': Popup.open('cardAttachments'), + 'click .js-custom-fields': Popup.open('cardCustomFields'), 'click .js-start-date': Popup.open('editCardStartDate'), 'click .js-due-date': Popup.open('editCardDueDate'), 'click .js-move-card': Popup.open('moveCard'), @@ -196,6 +197,20 @@ Template.editCardTitleForm.events({ }, }); +Template.cardCustomFieldsPopup.events({ + 'click .js-select-field'(evt) { + const card = Cards.findOne(Session.get('currentCard')); + const customFieldId = this.customFieldId; + card.toggleCustomField(customFieldId); + evt.preventDefault(); + }, + 'click .js-configure-custom-fields'(evt) { + EscapeActions.executeUpTo('detailsPane'); + Sidebar.setView('customFields'); + evt.preventDefault(); + } +}); + Template.moveCardPopup.events({ 'click .js-select-list' () { // XXX We should *not* get the currentCard from the global state, but diff --git a/client/components/sidebar/sidebar.js b/client/components/sidebar/sidebar.js index 59a2b42c..0ff73215 100644 --- a/client/components/sidebar/sidebar.js +++ b/client/components/sidebar/sidebar.js @@ -5,7 +5,7 @@ const defaultView = 'home'; const viewTitles = { filter: 'filter-cards', multiselection: 'multi-selection', - customFields: 'custom-fields', + customFields: 'configure-custom-fields', archives: 'archives', }; diff --git a/client/components/sidebar/sidebar.styl b/client/components/sidebar/sidebar.styl index 8f2f493e..740186b5 100644 --- a/client/components/sidebar/sidebar.styl +++ b/client/components/sidebar/sidebar.styl @@ -45,28 +45,45 @@ display: flex flex-direction: column - li > a - display: flex - height: 30px - margin: 0 - padding: 4px - border-radius: 3px - align-items: center - - &:hover - &, i, .quiet - color white - - .member, .card-label - margin-right: 7px - margin-top: 5px - - .sidebar-list-item-description - flex: 1 - overflow: ellipsis - - .fa.fa-check - margin: 0 4px + li + & > a + display: flex + height: 30px + margin: 0 + padding: 4px + border-radius: 3px + align-items: center + + &:hover + &, i, .quiet + color white + + .member, .card-label + margin-right: 7px + margin-top: 5px + + .minicard-edit-button + float: right + padding: 8px + border-radius: 3px + + .sidebar-list-item-description + flex: 1 + overflow: ellipsis + + .fa.fa-check + margin: 0 4px + + .minicard + padding: 6px 8px 4px + + .minicard-edit-button + float: right + padding: 4px + border-radius: 3px + + &:hover + background: #dbdbdb .sidebar-btn display: block diff --git a/client/components/sidebar/sidebarCustomFields.jade b/client/components/sidebar/sidebarCustomFields.jade index 33688441..e17bb75d 100644 --- a/client/components/sidebar/sidebarCustomFields.jade +++ b/client/components/sidebar/sidebarCustomFields.jade @@ -1,31 +1,49 @@ template(name="customFieldsSidebar") ul.sidebar-list - each customsFields + each customFields li - a.name - span.sidebar-list-item-description - {{_ 'some name'}} + div.minicard-wrapper.js-minicard + div.minicard + a.fa.fa-pencil.js-edit-custom-field.minicard-edit-button + div.minicard-title + | {{ name }} ({{ type }}) + if currentUser.isBoardMember hr a.sidebar-btn.js-open-create-custom-field i.fa.fa-plus - span {{_ 'Create Custom Field'}} + span {{_ 'createCustomField'}} template(name="createCustomFieldPopup") form label | {{_ 'name'}} - input.js-field-name(type="text" name="field-name" autofocus) + unless _id + input.js-field-name(type="text" name="field-name" autofocus) + else + input.js-field-name(type="text" name="field-name" value=name) + label | {{_ 'type'}} - select.js-field-type(name="field-type") - option(value="string") String - option(value="number") Number - option(value="checkbox") Checkbox - option(value="date") Date - option(value="DropdownList") Dropdown List + select.js-field-type(name="field-type" disabled="{{#if _id}}disabled{{/if}}") + each types + if selected + option(value=type selected="selected") {{name}} + else + option(value=type) {{name}} a.flex.js-field-show-on-card .materialCheckBox(class="{{#if showOnCard}}is-checked{{/if}}") span {{_ 'show-field-on-card'}} - input.primary.wide(type="submit" value="{{_ 'save'}}") \ No newline at end of file + button.primary.wide.left(type="submit") + | {{_ 'save'}} + if _id + button.negate.wide.right.js-delete-custom-field + | {{_ 'delete'}} + +template(name="editCustomFieldPopup") + | {{> createCustomFieldPopup}} + +template(name="deleteCustomFieldPopup") + p {{_ "custom-field-delete-pop"}} + button.js-confirm.negate.full(type="submit") {{_ 'delete'}} \ No newline at end of file diff --git a/client/components/sidebar/sidebarCustomFields.js b/client/components/sidebar/sidebarCustomFields.js index da03f484..6ddd466e 100644 --- a/client/components/sidebar/sidebarCustomFields.js +++ b/client/components/sidebar/sidebarCustomFields.js @@ -9,21 +9,22 @@ BlazeComponent.extendComponent({ events() { return [{ 'click .js-open-create-custom-field': Popup.open('createCustomField'), - 'click .js-edit-custom-field'() { - // todo - }, - 'click .js-delete-custom-field': Popup.afterConfirm('customFieldDelete', function() { - const customFieldId = this._id; - CustomFields.remove(customFieldId); - Popup.close(); - }), + 'click .js-edit-custom-field': Popup.open('editCustomField'), }]; }, }).register('customFieldsSidebar'); Template.createCustomFieldPopup.helpers({ - + types() { + var currentType = this.type; + return ['text', 'number', 'checkbox', 'date', 'dropdown']. + map(type => {return { + type: type, + name: TAPi18n.__('custom-field-' + type), + selected: type == currentType, + }}); + }, }); Template.createCustomFieldPopup.events({ @@ -41,7 +42,7 @@ Template.createCustomFieldPopup.events({ const name = tpl.find('.js-field-name').value.trim(); const type = tpl.find('.js-field-type').value.trim(); const showOnCard = tpl.find('.js-field-show-on-card.is-checked') != null; - //console.log("Create",name,type,showOnCard); + //console.log('Create',name,type,showOnCard); CustomFields.insert({ boardId: Session.get('currentBoard'), @@ -52,4 +53,17 @@ Template.createCustomFieldPopup.events({ Popup.back(); }, -}); \ No newline at end of file + 'click .js-delete-custom-field': Popup.afterConfirm('deleteCustomField', function() { + const customFieldId = this._id; + CustomFields.remove(customFieldId); + Popup.close(); + }), +}); + +/*Template.deleteCustomFieldPopup.events({ + 'submit'(evt) { + const customFieldId = this._id; + CustomFields.remove(customFieldId); + Popup.close(); + } +});*/ \ No newline at end of file diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index d7b9a48b..1039d3c6 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -103,6 +103,7 @@ "card-due": "Due", "card-due-on": "Due on", "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Edit labels", "card-edit-members": "Edit members", "card-labels-title": "Change the labels for the card.", @@ -110,6 +111,7 @@ "card-start": "Start", "card-start-on": "Starts on", "cardAttachmentsPopup-title": "Attach From", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Delete Card?", "cardDetailsActionsPopup-title": "Card Actions", "cardLabelsPopup-title": "Labels", @@ -153,16 +155,22 @@ "create": "Create", "createBoardPopup-title": "Create Board", "chooseBoardSourcePopup-title": "Import board", + "configure-custom-fields": "Configure Custom Fields", "createLabelPopup-title": "Create Label", - "createCustomField": "Create Custom Field", - "createCustomFieldPopup-title": "Create Custom Field", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "current", - "custom-fields": "Custom Fields", - "customFieldDeletePopup-title": "Delete Card?", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-number": "Number", + "custom-field-text": "Text", "date": "Date", "decline": "Decline", "default-avatar": "Default avatar", "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Delete Label?", "description": "Description", "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", @@ -175,6 +183,7 @@ "edit-profile": "Edit Profile", "editCardStartDatePopup-title": "Change start date", "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", "editLabelPopup-title": "Change Label", "editNotificationPopup-title": "Edit Notification", "editProfilePopup-title": "Edit Profile", diff --git a/models/boards.js b/models/boards.js index 8a7844e2..98c0e46d 100644 --- a/models/boards.js +++ b/models/boards.js @@ -235,6 +235,10 @@ Boards.helpers({ return `board-color-${this.color}`; }, + customFields() { + return CustomFields.find({ boardId: this._id }, { sort: { name: 1 } }); + }, + // XXX currently mutations return no value so we have an issue when using addLabel in import // XXX waiting on https://github.com/mquandalle/meteor-collection-mutations/issues/1 to remove... pushLabel(name, color) { diff --git a/models/customFields.js b/models/customFields.js index 75ee55e8..5e76db35 100644 --- a/models/customFields.js +++ b/models/customFields.js @@ -25,7 +25,7 @@ CustomFields.allow({ remove(userId, doc) { return allowIsBoardMember(userId, Boards.findOne(doc.boardId)); }, - fetch: ['boardId'], + fetch: ['userId', 'boardId'], }); // not sure if we need this? @@ -41,21 +41,18 @@ function customFieldCreation(userId, doc){ } if (Meteor.isServer) { - // Comments are often fetched within a card, so we create an index to make these - // queries more efficient. - Meteor.startup(() => { - CardComments._collection._ensureIndex({ cardId: 1, createdAt: -1 }); - }); + /*Meteor.startup(() => { + CustomFields._collection._ensureIndex({ boardId: 1}); + });*/ CustomFields.after.insert((userId, doc) => { customFieldCreation(userId, doc); }); CustomFields.after.remove((userId, doc) => { - const activity = Activities.findOne({ customFieldId: doc._id }); - if (activity) { - Activities.remove(activity._id); - } + Activities.remove({ + customFieldId: doc._id, + }); }); } @@ -70,7 +67,7 @@ if (Meteor.isServer) { }); }); - JsonRoutes.add('GET', '/api/boards/:boardId/comments/:customFieldId', function (req, res, next) { + JsonRoutes.add('GET', '/api/boards/:boardId/custom-fields/:customFieldId', function (req, res, next) { Authentication.checkUserId( req.userId); const paramBoardId = req.params.boardId; const paramCustomFieldId = req.params.customFieldId; @@ -90,7 +87,7 @@ if (Meteor.isServer) { boardId: paramBoardId, }); - const customField = CustomFields.findOne({_id: id, cardId:paramCardId, boardId: paramBoardId }); + const customField = CustomFields.findOne({_id: id, boardId: paramBoardId }); customFieldCreation(req.body.authorId, customField); JsonRoutes.sendResult(res, { diff --git a/server/publications/boards.js b/server/publications/boards.js index f482f619..7cadf0c6 100644 --- a/server/publications/boards.js +++ b/server/publications/boards.js @@ -74,6 +74,7 @@ Meteor.publishRelations('board', function(boardId) { }, { limit: 1 }), function(boardId, board) { this.cursor(Lists.find({ boardId })); this.cursor(Integrations.find({ boardId })); + this.cursor(CustomFields.find({ boardId }, { sort: { name: 1 } })); // Cards and cards comments // XXX Originally we were publishing the card documents as a child of the -- cgit v1.2.3-1-g7c22 From d87191f17ee1cd49def9ca5a4d3d1568b041e6a2 Mon Sep 17 00:00:00 2001 From: Pouyan Savoli Date: Wed, 30 Aug 2017 02:54:54 +0200 Subject: card model and card ui preparation for custom fields --- client/components/cards/cardDetails.jade | 3 +++ client/components/cards/cardDetails.js | 2 +- client/components/cards/cardDetails.styl | 5 +++-- client/components/lists/listBody.js | 7 +++++++ models/cards.js | 33 ++++++++++++++++++++++++++++++++ 5 files changed, 47 insertions(+), 3 deletions(-) diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index ccb3ae97..7cb4f8d8 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -45,6 +45,9 @@ template(name="cardDetails") h3.card-details-item-title {{_ 'card-due'}} +cardDueDate + each customFields + .card-details-item.card-details-item-customfield + h3.card-details-item-title {{_ 'some-title' }} //- XXX We should use "editable" to avoid repetiting ourselves if canModifyCard diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index f972424f..1cc39492 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -200,7 +200,7 @@ Template.editCardTitleForm.events({ Template.cardCustomFieldsPopup.events({ 'click .js-select-field'(evt) { const card = Cards.findOne(Session.get('currentCard')); - const customFieldId = this.customFieldId; + const customFieldId = this._id; card.toggleCustomField(customFieldId); evt.preventDefault(); }, diff --git a/client/components/cards/cardDetails.styl b/client/components/cards/cardDetails.styl index f209862c..5ad0c9f5 100644 --- a/client/components/cards/cardDetails.styl +++ b/client/components/cards/cardDetails.styl @@ -70,6 +70,7 @@ .card-details-items display: flex + flex-wrap: wrap margin: 15px 0 .card-details-item @@ -80,8 +81,8 @@ &.card-details-item-members, &.card-details-item-start, &.card-details-item-due - width: 50% - flex-shrink: 1 + max-width: 50% + flex-grow: 1 .card-details-item-title font-size: 14px diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 724e805b..edac5b03 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -35,12 +35,17 @@ BlazeComponent.extendComponent({ const members = formComponent.members.get(); const labelIds = formComponent.labels.get(); + const customFields = formComponent.customFields.get(); + console.log("members", members); + console.log("labelIds", labelIds); + console.log("customFields", customFields); if (title) { const _id = Cards.insert({ title, members, labelIds, + customFields, listId: this.data()._id, boardId: this.data().board()._id, sort: sortIndex, @@ -121,11 +126,13 @@ BlazeComponent.extendComponent({ onCreated() { this.labels = new ReactiveVar([]); this.members = new ReactiveVar([]); + this.customFields = new ReactiveVar([]); }, reset() { this.labels.set([]); this.members.set([]); + this.customFields.set([]); }, getLabels() { diff --git a/models/cards.js b/models/cards.js index 0a440697..6896970c 100644 --- a/models/cards.js +++ b/models/cards.js @@ -38,6 +38,21 @@ Cards.attachSchema(new SimpleSchema({ } }, }, + customFields: { + type: [Object], + optional: true, + }, + 'customFields.$': { + type: new SimpleSchema({ + _id: { + type: String, + }, + value: { + type: Match.OneOf(String,Number,Boolean,Date), + optional: true, + }, + }) + }, dateLastActivity: { type: Date, autoValue() { @@ -238,6 +253,24 @@ Cards.mutations({ } }, + assignCustomField(customFieldId) { + console.log("assignCustomField", customFieldId); + return {$push: {customFields: {_id: customFieldId, value: null}}}; + }, + + unassignCustomField(customFieldId) { + console.log("unassignCustomField", customFieldId); + return {$pull: {customFields: {_id: customFieldId}}}; + }, + + toggleCustomField(customFieldId) { + if (this.customFields && this.customFields[customFieldId]) { + return this.unassignCustomField(customFieldId); + } else { + return this.assignCustomField(customFieldId); + } + }, + setCover(coverId) { return {$set: {coverId}}; }, -- cgit v1.2.3-1-g7c22 From 733b14dcd8f4b94047ffd444e7ab7ded49c245c0 Mon Sep 17 00:00:00 2001 From: Pouyan Savoli Date: Wed, 30 Aug 2017 03:23:57 +0200 Subject: card model and card ui preparation for custom fields #2 --- client/components/cards/cardDetails.styl | 7 ++++--- models/cards.js | 8 ++++++-- 2 files changed, 10 insertions(+), 5 deletions(-) diff --git a/client/components/cards/cardDetails.styl b/client/components/cards/cardDetails.styl index 5ad0c9f5..c981e2a2 100644 --- a/client/components/cards/cardDetails.styl +++ b/client/components/cards/cardDetails.styl @@ -71,16 +71,17 @@ .card-details-items display: flex flex-wrap: wrap - margin: 15px 0 + margin: 0 0 15px .card-details-item - margin-right: 0.5em + margin: 15px 0.5em 0 0 &:last-child margin-right: 0 &.card-details-item-labels, &.card-details-item-members, &.card-details-item-start, - &.card-details-item-due + &.card-details-item-due, + &.card-details-item-customfield max-width: 50% flex-grow: 1 diff --git a/models/cards.js b/models/cards.js index 6896970c..670a47cb 100644 --- a/models/cards.js +++ b/models/cards.js @@ -186,6 +186,10 @@ Cards.helpers({ return this.checklistItemCount() !== 0; }, + customFieldIndex(customFieldId) { + return _.pluck(this.customFields, '_id').indexOf(customFieldId); + }, + absoluteUrl() { const board = this.board(); return FlowRouter.url('card', { @@ -255,7 +259,7 @@ Cards.mutations({ assignCustomField(customFieldId) { console.log("assignCustomField", customFieldId); - return {$push: {customFields: {_id: customFieldId, value: null}}}; + return {$addToSet: {customFields: {_id: customFieldId, value: null}}}; }, unassignCustomField(customFieldId) { @@ -264,7 +268,7 @@ Cards.mutations({ }, toggleCustomField(customFieldId) { - if (this.customFields && this.customFields[customFieldId]) { + if (this.customFields && this.customFieldIndex(customFieldId) > -1) { return this.unassignCustomField(customFieldId); } else { return this.assignCustomField(customFieldId); -- cgit v1.2.3-1-g7c22 From 6ff89b43b61ace7ea26d50f091ea6b714fa79c84 Mon Sep 17 00:00:00 2001 From: Pouyan Savoli Date: Tue, 5 Sep 2017 02:34:18 +0200 Subject: show custom fields on cards but still with dummy value --- client/components/cards/cardCustomFields.jade | 23 +++++++++++++++ client/components/cards/cardCustomFields.js | 41 +++++++++++++++++++++++++++ client/components/cards/cardDetails.jade | 20 +++---------- client/components/cards/cardDetails.js | 14 --------- models/cards.js | 21 ++++++++++++++ 5 files changed, 89 insertions(+), 30 deletions(-) create mode 100644 client/components/cards/cardCustomFields.jade create mode 100644 client/components/cards/cardCustomFields.js diff --git a/client/components/cards/cardCustomFields.jade b/client/components/cards/cardCustomFields.jade new file mode 100644 index 00000000..3c885b93 --- /dev/null +++ b/client/components/cards/cardCustomFields.jade @@ -0,0 +1,23 @@ +template(name="cardCustomFieldsPopup") + ul.pop-over-list + each board.customFields + li.item(class="") + a.name.js-select-field(href="#") + span.full-name + = name + if isCardMember + i.fa.fa-check + hr + a.quiet-button.full.js-configure-custom-fields + i.fa.fa-cog + span {{_ 'configure-custom-fields'}} + +template(name="cardCustomFieldText") + if canModifyCard + .item-title.js-open-inlined-form.is-editable + if value + = value + else + | {{_ 'edit'}} + else + .item-title {{value}} \ No newline at end of file diff --git a/client/components/cards/cardCustomFields.js b/client/components/cards/cardCustomFields.js new file mode 100644 index 00000000..73dda02e --- /dev/null +++ b/client/components/cards/cardCustomFields.js @@ -0,0 +1,41 @@ +Template.cardCustomFieldsPopup.events({ + 'click .js-select-field'(evt) { + const card = Cards.findOne(Session.get('currentCard')); + const customFieldId = this._id; + card.toggleCustomField(customFieldId); + evt.preventDefault(); + }, + 'click .js-configure-custom-fields'(evt) { + EscapeActions.executeUpTo('detailsPane'); + Sidebar.setView('customFields'); + evt.preventDefault(); + } +}); + +const CardCustomField = BlazeComponent.extendComponent({ + template() { + return 'cardCustomFieldText'; + }, + + onCreated() { + const self = this; + self.date = ReactiveVar(); + self.now = ReactiveVar(moment()); + }, + + value() { + return "this is the value"; + }, + + showISODate() { + return this.date.get().toISOString(); + }, + + events() { + return [{ + 'click .js-edit-date': Popup.open('editCardStartDate'), + }]; + }, +}); + +CardCustomField.register('cardCustomField'); \ No newline at end of file diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index 7cb4f8d8..f72abe6d 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -45,9 +45,11 @@ template(name="cardDetails") h3.card-details-item-title {{_ 'card-due'}} +cardDueDate - each customFields + each customFieldsWD .card-details-item.card-details-item-customfield - h3.card-details-item-title {{_ 'some-title' }} + h3.card-details-item-title + = definition.name + +cardCustomField //- XXX We should use "editable" to avoid repetiting ourselves if canModifyCard @@ -147,20 +149,6 @@ template(name="cardMembersPopup") if isCardMember i.fa.fa-check -template(name="cardCustomFieldsPopup") - ul.pop-over-list - each board.customFields - li.item(class="") - a.name.js-select-field(href="#") - span.full-name - = name - if isCardMember - i.fa.fa-check - hr - a.quiet-button.full.js-configure-custom-fields - i.fa.fa-cog - span {{_ 'configure-custom-fields'}} - template(name="cardMorePopup") p.quiet span.clearfix diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index 1cc39492..8d5c478d 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -197,20 +197,6 @@ Template.editCardTitleForm.events({ }, }); -Template.cardCustomFieldsPopup.events({ - 'click .js-select-field'(evt) { - const card = Cards.findOne(Session.get('currentCard')); - const customFieldId = this._id; - card.toggleCustomField(customFieldId); - evt.preventDefault(); - }, - 'click .js-configure-custom-fields'(evt) { - EscapeActions.executeUpTo('detailsPane'); - Sidebar.setView('customFields'); - evt.preventDefault(); - } -}); - Template.moveCardPopup.events({ 'click .js-select-list' () { // XXX We should *not* get the currentCard from the global state, but diff --git a/models/cards.js b/models/cards.js index 670a47cb..fe86e642 100644 --- a/models/cards.js +++ b/models/cards.js @@ -190,6 +190,27 @@ Cards.helpers({ return _.pluck(this.customFields, '_id').indexOf(customFieldId); }, + // customFields with definitions + customFieldsWD() { + + // get all definitions + const definitions = CustomFields.find({ + boardId: this.boardId, + }).fetch(); + + // match right definition to each field + return this.customFields.map((customField) => { + return { + _id: customField._id, + value: customField.value, + definition: definitions.find((definition) => { + return definition._id == customField._id; + }) + } + }); + + }, + absoluteUrl() { const board = this.board(); return FlowRouter.url('card', { -- cgit v1.2.3-1-g7c22 From caad952bc1b29bb925c1347a14daa5d1ec8ada81 Mon Sep 17 00:00:00 2001 From: Pouyan Savoli Date: Thu, 14 Sep 2017 00:50:05 +0200 Subject: text custom fields are now editable using inlinedForm --- client/components/cards/cardCustomFields.jade | 20 +++++++++++++------- client/components/cards/cardCustomFields.js | 21 ++++++++++++++++++++- models/cards.js | 12 ++++++++++-- 3 files changed, 43 insertions(+), 10 deletions(-) diff --git a/client/components/cards/cardCustomFields.jade b/client/components/cards/cardCustomFields.jade index 3c885b93..6515aa79 100644 --- a/client/components/cards/cardCustomFields.jade +++ b/client/components/cards/cardCustomFields.jade @@ -5,7 +5,7 @@ template(name="cardCustomFieldsPopup") a.name.js-select-field(href="#") span.full-name = name - if isCardMember + if hasCustomField i.fa.fa-check hr a.quiet-button.full.js-configure-custom-fields @@ -14,10 +14,16 @@ template(name="cardCustomFieldsPopup") template(name="cardCustomFieldText") if canModifyCard - .item-title.js-open-inlined-form.is-editable - if value + +inlinedForm(classNames="js-card-customfield-text") + +editor(autofocus=true) = value - else - | {{_ 'edit'}} - else - .item-title {{value}} \ No newline at end of file + .edit-controls.clearfix + button.primary(type="submit") {{_ 'save'}} + a.fa.fa-times-thin.js-close-inlined-form + else + a.js-open-inlined-form + if value + +viewer + = value + else + | {{_ 'edit'}} \ No newline at end of file diff --git a/client/components/cards/cardCustomFields.js b/client/components/cards/cardCustomFields.js index 73dda02e..7009dede 100644 --- a/client/components/cards/cardCustomFields.js +++ b/client/components/cards/cardCustomFields.js @@ -1,3 +1,11 @@ +Template.cardCustomFieldsPopup.helpers({ + hasCustomField() { + const card = Cards.findOne(Session.get('currentCard')); + const customFieldId = this._id; + return card.customFieldIndex(customFieldId) > -1; + }, +}); + Template.cardCustomFieldsPopup.events({ 'click .js-select-field'(evt) { const card = Cards.findOne(Session.get('currentCard')); @@ -24,7 +32,7 @@ const CardCustomField = BlazeComponent.extendComponent({ }, value() { - return "this is the value"; + return this.data().value; }, showISODate() { @@ -33,9 +41,20 @@ const CardCustomField = BlazeComponent.extendComponent({ events() { return [{ + 'submit .js-card-customfield-text'(evt) { + evt.preventDefault(); + const card = Cards.findOne(Session.get('currentCard')); + const customFieldId = this.data()._id; + const value = this.currentComponent().getValue(); + card.setCustomField(customFieldId,value); + }, 'click .js-edit-date': Popup.open('editCardStartDate'), }]; }, + + canModifyCard() { + return Meteor.user() && Meteor.user().isBoardMember() && !Meteor.user().isCommentOnly(); + }, }); CardCustomField.register('cardCustomField'); \ No newline at end of file diff --git a/models/cards.js b/models/cards.js index fe86e642..17abf430 100644 --- a/models/cards.js +++ b/models/cards.js @@ -279,12 +279,10 @@ Cards.mutations({ }, assignCustomField(customFieldId) { - console.log("assignCustomField", customFieldId); return {$addToSet: {customFields: {_id: customFieldId, value: null}}}; }, unassignCustomField(customFieldId) { - console.log("unassignCustomField", customFieldId); return {$pull: {customFields: {_id: customFieldId}}}; }, @@ -296,6 +294,16 @@ Cards.mutations({ } }, + setCustomField(customFieldId, value) { + // todo + const index = this.customFieldIndex(customFieldId); + if (index > -1) { + var update = {$set: {}}; + update.$set["customFields." + index + ".value"] = value; + return update; + } + }, + setCover(coverId) { return {$set: {coverId}}; }, -- cgit v1.2.3-1-g7c22 From 3753337d60e17e5e72ec071aa4a1b28e36297d15 Mon Sep 17 00:00:00 2001 From: Pouyan Savoli Date: Mon, 18 Sep 2017 00:46:17 +0200 Subject: dropdown items --- client/components/boards/boardHeader.jade | 2 +- client/components/boards/boardHeader.js | 2 +- client/components/cards/cardCustomFields.jade | 29 ++++- client/components/cards/cardCustomFields.js | 62 +++++++--- client/components/forms/forms.styl | 3 + client/components/sidebar/sidebar.js | 2 +- client/components/sidebar/sidebarCustomFields.jade | 23 ++-- client/components/sidebar/sidebarCustomFields.js | 129 +++++++++++++++------ i18n/en.i18n.json | 6 +- models/customFields.js | 19 +++ 10 files changed, 209 insertions(+), 68 deletions(-) diff --git a/client/components/boards/boardHeader.jade b/client/components/boards/boardHeader.jade index 9d16b10a..67acdc9e 100644 --- a/client/components/boards/boardHeader.jade +++ b/client/components/boards/boardHeader.jade @@ -103,7 +103,7 @@ template(name="boardHeaderBar") template(name="boardMenuPopup") ul.pop-over-list - li: a.js-configure-custom-fields {{_ 'configure-custom-fields'}} + li: a.js-custom-fields {{_ 'custom-fields'}} li: a.js-open-archives {{_ 'archived-items'}} if currentUser.isBoardAdmin li: a.js-change-board-color {{_ 'board-change-color'}} diff --git a/client/components/boards/boardHeader.js b/client/components/boards/boardHeader.js index 61cdb149..8983c722 100644 --- a/client/components/boards/boardHeader.js +++ b/client/components/boards/boardHeader.js @@ -1,6 +1,6 @@ Template.boardMenuPopup.events({ 'click .js-rename-board': Popup.open('boardChangeTitle'), - 'click .js-configure-custom-fields'() { + 'click .js-custom-fields'() { Sidebar.setView('customFields'); Popup.close(); }, diff --git a/client/components/cards/cardCustomFields.jade b/client/components/cards/cardCustomFields.jade index 6515aa79..9e9f7d84 100644 --- a/client/components/cards/cardCustomFields.jade +++ b/client/components/cards/cardCustomFields.jade @@ -8,11 +8,14 @@ template(name="cardCustomFieldsPopup") if hasCustomField i.fa.fa-check hr - a.quiet-button.full.js-configure-custom-fields + a.quiet-button.full.js-settings i.fa.fa-cog - span {{_ 'configure-custom-fields'}} + span {{_ 'settings'}} -template(name="cardCustomFieldText") +template(name="cardCustomField") + +Template.dynamic(template=getTemplate) + +template(name="cardCustomField-text") if canModifyCard +inlinedForm(classNames="js-card-customfield-text") +editor(autofocus=true) @@ -25,5 +28,25 @@ template(name="cardCustomFieldText") if value +viewer = value + else + | {{_ 'edit'}} + +template(name="cardCustomField-dropdown") + if canModifyCard + +inlinedForm(classNames="js-card-customfield-dropdown") + select.inline + each items + if($eq data.value this._id) + option(value=_id selected="selected") {{name}} + else + option(value=_id) {{name}} + .edit-controls.clearfix + button.primary(type="submit") {{_ 'save'}} + a.fa.fa-times-thin.js-close-inlined-form + else + a.js-open-inlined-form + if value + +viewer + = selectedItem else | {{_ 'edit'}} \ No newline at end of file diff --git a/client/components/cards/cardCustomFields.js b/client/components/cards/cardCustomFields.js index 7009dede..f9fa760c 100644 --- a/client/components/cards/cardCustomFields.js +++ b/client/components/cards/cardCustomFields.js @@ -13,7 +13,7 @@ Template.cardCustomFieldsPopup.events({ card.toggleCustomField(customFieldId); evt.preventDefault(); }, - 'click .js-configure-custom-fields'(evt) { + 'click .js-settings'(evt) { EscapeActions.executeUpTo('detailsPane'); Sidebar.setView('customFields'); evt.preventDefault(); @@ -21,23 +21,25 @@ Template.cardCustomFieldsPopup.events({ }); const CardCustomField = BlazeComponent.extendComponent({ - template() { - return 'cardCustomFieldText'; + + getTemplate() { + return 'cardCustomField-' + this.data().definition.type; }, onCreated() { const self = this; - self.date = ReactiveVar(); - self.now = ReactiveVar(moment()); }, - value() { - return this.data().value; + canModifyCard() { + return Meteor.user() && Meteor.user().isBoardMember() && !Meteor.user().isCommentOnly(); }, +}); +CardCustomField.register('cardCustomField'); - showISODate() { - return this.date.get().toISOString(); - }, +(class extends CardCustomField { + + onCreated() { + } events() { return [{ @@ -48,13 +50,39 @@ const CardCustomField = BlazeComponent.extendComponent({ const value = this.currentComponent().getValue(); card.setCustomField(customFieldId,value); }, - 'click .js-edit-date': Popup.open('editCardStartDate'), }]; - }, + } - canModifyCard() { - return Meteor.user() && Meteor.user().isBoardMember() && !Meteor.user().isCommentOnly(); - }, -}); +}).register('cardCustomField-text'); + +(class extends CardCustomField { + + onCreated() { + this._items = this.data().definition.settings.dropdownItems; + this.items = this._items.slice(0); + this.items.unshift({ + _id: "", + name: TAPi18n.__('custom-field-dropdown-none') + }); + } + + selectedItem() { + const selected = this._items.find((item) => { + return item._id == this.data().value; + }); + return (selected) ? selected.name : TAPi18n.__('custom-field-dropdown-unknown'); + } + + events() { + return [{ + 'submit .js-card-customfield-dropdown'(evt) { + evt.preventDefault(); + const card = Cards.findOne(Session.get('currentCard')); + const customFieldId = this.data()._id; + const value = this.find('select').value; + card.setCustomField(customFieldId,value); + }, + }]; + } -CardCustomField.register('cardCustomField'); \ No newline at end of file +}).register('cardCustomField-dropdown'); \ No newline at end of file diff --git a/client/components/forms/forms.styl b/client/components/forms/forms.styl index 646da657..81780a6f 100644 --- a/client/components/forms/forms.styl +++ b/client/components/forms/forms.styl @@ -85,6 +85,9 @@ select width: 256px margin-bottom: 8px + &.inline + width: 100% + option[disabled] color: #8c8c8c diff --git a/client/components/sidebar/sidebar.js b/client/components/sidebar/sidebar.js index 0ff73215..59a2b42c 100644 --- a/client/components/sidebar/sidebar.js +++ b/client/components/sidebar/sidebar.js @@ -5,7 +5,7 @@ const defaultView = 'home'; const viewTitles = { filter: 'filter-cards', multiselection: 'multi-selection', - customFields: 'configure-custom-fields', + customFields: 'custom-fields', archives: 'archives', }; diff --git a/client/components/sidebar/sidebarCustomFields.jade b/client/components/sidebar/sidebarCustomFields.jade index e17bb75d..def083e9 100644 --- a/client/components/sidebar/sidebarCustomFields.jade +++ b/client/components/sidebar/sidebarCustomFields.jade @@ -19,31 +19,34 @@ template(name="createCustomFieldPopup") label | {{_ 'name'}} unless _id - input.js-field-name(type="text" name="field-name" autofocus) + input.js-field-name(type="text" autofocus) else - input.js-field-name(type="text" name="field-name" value=name) + input.js-field-name(type="text" value=name) label | {{_ 'type'}} - select.js-field-type(name="field-type" disabled="{{#if _id}}disabled{{/if}}") + select.js-field-type(disabled="{{#if _id}}disabled{{/if}}") each types if selected - option(value=type selected="selected") {{name}} + option(value=value selected="selected") {{name}} else - option(value=type) {{name}} + option(value=value) {{name}} + div.js-field-settings.js-field-settings-dropdown(class="{{#if isTypeNotSelected 'dropdown'}}hide{{/if}}") + label + | {{_ 'custom-field-dropdown-options'}} + each dropdownItems.get + input.js-dropdown-item(type="text" value=name placeholder="") + input.js-dropdown-item.last(type="text" value="" placeholder="{{_ 'custom-field-dropdown-options-placeholder'}}") a.flex.js-field-show-on-card .materialCheckBox(class="{{#if showOnCard}}is-checked{{/if}}") span {{_ 'show-field-on-card'}} - button.primary.wide.left(type="submit") + button.primary.wide.left(type="button") | {{_ 'save'}} if _id - button.negate.wide.right.js-delete-custom-field + button.negate.wide.right.js-delete-custom-field(type="button") | {{_ 'delete'}} -template(name="editCustomFieldPopup") - | {{> createCustomFieldPopup}} - template(name="deleteCustomFieldPopup") p {{_ "custom-field-delete-pop"}} button.js-confirm.negate.full(type="submit") {{_ 'delete'}} \ No newline at end of file diff --git a/client/components/sidebar/sidebarCustomFields.js b/client/components/sidebar/sidebarCustomFields.js index 6ddd466e..139b8a42 100644 --- a/client/components/sidebar/sidebarCustomFields.js +++ b/client/components/sidebar/sidebarCustomFields.js @@ -15,50 +15,111 @@ BlazeComponent.extendComponent({ }).register('customFieldsSidebar'); -Template.createCustomFieldPopup.helpers({ +const CreateCustomFieldPopup = BlazeComponent.extendComponent({ + + _types: ['text', 'number', 'checkbox', 'date', 'dropdown'], + + onCreated() { + this.type = new ReactiveVar((this.data().type) ? this.data().type : this._types[0]); + this.dropdownItems = new ReactiveVar((this.data().settings && this.data().settings.dropdownItems) ? this.data().settings.dropdownItems : []); + }, + types() { - var currentType = this.type; - return ['text', 'number', 'checkbox', 'date', 'dropdown']. - map(type => {return { - type: type, - name: TAPi18n.__('custom-field-' + type), - selected: type == currentType, - }}); + const currentType = this.data().type; + return this._types. + map(type => {return { + value: type, + name: TAPi18n.__('custom-field-' + type), + selected: type == currentType, + }}); + }, + + isTypeNotSelected(type) { + return this.type.get() !== type; + }, + + getDropdownItems() { + var items = this.dropdownItems.get(); + Array.from(this.findAll('.js-field-settings-dropdown input')).forEach((el, index) => { + //console.log('each item!', index, el.value); + if (!items[index]) items[index] = { + _id: Random.id(6), + }; + items[index].name = el.value.trim(); + }); + return items; }, -}); -Template.createCustomFieldPopup.events({ - 'click .js-field-show-on-card'(event) { - let $target = $(event.target); - if(!$target.hasClass('js-field-show-on-card')){ - $target = $target.parent(); + getSettings() { + let settings = {}; + switch (this.type.get()) { + case 'dropdown': + let dropdownItems = this.getDropdownItems().filter(item => !!item.name.trim()); + settings.dropdownItems = dropdownItems; + break; } - $target.find('.materialCheckBox').toggleClass('is-checked'); - $target.toggleClass('is-checked'); + return settings; }, - 'submit'(evt, tpl) { - evt.preventDefault(); - const name = tpl.find('.js-field-name').value.trim(); - const type = tpl.find('.js-field-type').value.trim(); - const showOnCard = tpl.find('.js-field-show-on-card.is-checked') != null; - //console.log('Create',name,type,showOnCard); + events() { + return [{ + 'change .js-field-type'(evt) { + const value = evt.target.value; + this.type.set(value); + }, + 'keydown .js-dropdown-item.last'(evt) { + if (evt.target.value.trim() && evt.keyCode === 13) { + let items = this.getDropdownItems(); + this.dropdownItems.set(items); + evt.target.value = ''; + } + }, + 'click .js-field-show-on-card'(evt) { + let $target = $(evt.target); + if(!$target.hasClass('js-field-show-on-card')){ + $target = $target.parent(); + } + $target.find('.materialCheckBox').toggleClass('is-checked'); + $target.toggleClass('is-checked'); + }, + 'click .primary'(evt) { + evt.preventDefault(); + + const data = { + boardId: Session.get('currentBoard'), + name: this.find('.js-field-name').value.trim(), + type: this.type.get(), + settings: this.getSettings(), + showOnCard: this.find('.js-field-show-on-card.is-checked') != null + } - CustomFields.insert({ - boardId: Session.get('currentBoard'), - name: name, - type: type, - showOnCard: showOnCard - }); + // insert or update + if (!this.data()._id) { + CustomFields.insert(data); + } else { + CustomFields.update(this.data()._id, {$set: data}); + } - Popup.back(); + Popup.back(); + }, + 'click .js-delete-custom-field': Popup.afterConfirm('deleteCustomField', function() { + const customFieldId = this._id; + CustomFields.remove(customFieldId); + Popup.close(); + }), + }]; }, - 'click .js-delete-custom-field': Popup.afterConfirm('deleteCustomField', function() { - const customFieldId = this._id; - CustomFields.remove(customFieldId); - Popup.close(); - }), + }); +CreateCustomFieldPopup.register('createCustomFieldPopup'); + +(class extends CreateCustomFieldPopup { + + template() { + return 'createCustomFieldPopup'; + } + +}).register('editCustomFieldPopup'); /*Template.deleteCustomFieldPopup.events({ 'submit'(evt) { diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 1039d3c6..a6893117 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -155,7 +155,6 @@ "create": "Create", "createBoardPopup-title": "Create Board", "chooseBoardSourcePopup-title": "Import board", - "configure-custom-fields": "Configure Custom Fields", "createLabelPopup-title": "Create Label", "createCustomField": "Create Field", "createCustomFieldPopup-title": "Create Field", @@ -164,8 +163,13 @@ "custom-field-checkbox": "Checkbox", "custom-field-date": "Date", "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", "custom-field-number": "Number", "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Date", "decline": "Decline", "default-avatar": "Default avatar", diff --git a/models/customFields.js b/models/customFields.js index 5e76db35..8b0abef4 100644 --- a/models/customFields.js +++ b/models/customFields.js @@ -9,6 +9,24 @@ CustomFields.attachSchema(new SimpleSchema({ }, type: { type: String, + allowedValues: ['text', 'number', 'checkbox', 'date', 'dropdown'] + }, + settings: { + type: Object, + }, + 'settings.dropdownItems': { + type: [Object], + optional: true + }, + 'settings.dropdownItems.$': { + type: new SimpleSchema({ + _id: { + type: String, + }, + name: { + type: String, + }, + }) }, showOnCard: { type: Boolean, @@ -83,6 +101,7 @@ if (Meteor.isServer) { const id = CustomFields.direct.insert({ name: req.body.name, type: req.body.type, + settings: req.body.settings, showOnCard: req.body.showOnCard, boardId: paramBoardId, }); -- cgit v1.2.3-1-g7c22 From 8b16955cc27b29ae507be084adccc4fad61b05ef Mon Sep 17 00:00:00 2001 From: Pouyan Savoli Date: Sat, 14 Oct 2017 01:38:25 +0200 Subject: number + date fields --- client/components/cards/cardCustomFields.jade | 24 ++++++ client/components/cards/cardCustomFields.js | 103 ++++++++++++++++++++++++-- client/components/cards/cardDate.jade | 16 ---- client/components/cards/cardDate.js | 91 +---------------------- client/components/cards/cardDate.styl | 19 ----- client/components/forms/datepicker.jade | 15 ++++ client/components/forms/datepicker.styl | 17 +++++ client/lib/datepicker.js | 86 +++++++++++++++++++++ i18n/en.i18n.json | 1 + 9 files changed, 242 insertions(+), 130 deletions(-) create mode 100644 client/components/forms/datepicker.jade create mode 100644 client/components/forms/datepicker.styl create mode 100644 client/lib/datepicker.js diff --git a/client/components/cards/cardCustomFields.jade b/client/components/cards/cardCustomFields.jade index 9e9f7d84..65081e3b 100644 --- a/client/components/cards/cardCustomFields.jade +++ b/client/components/cards/cardCustomFields.jade @@ -31,6 +31,30 @@ template(name="cardCustomField-text") else | {{_ 'edit'}} +template(name="cardCustomField-number") + if canModifyCard + +inlinedForm(classNames="js-card-customfield-number") + input(type="number" value=data.value) + .edit-controls.clearfix + button.primary(type="submit") {{_ 'save'}} + a.fa.fa-times-thin.js-close-inlined-form + else + a.js-open-inlined-form + if value + = value + else + | {{_ 'edit'}} + +template(name="cardCustomField-date") + if canModifyCard + a.js-edit-date(title="{{showTitle}}" class="{{classes}}") + if value + div.card-date + time(datetime="{{showISODate}}") + | {{showDate}} + else + | {{_ 'edit'}} + template(name="cardCustomField-dropdown") if canModifyCard +inlinedForm(classNames="js-card-customfield-dropdown") diff --git a/client/components/cards/cardCustomFields.js b/client/components/cards/cardCustomFields.js index f9fa760c..e014de4a 100644 --- a/client/components/cards/cardCustomFields.js +++ b/client/components/cards/cardCustomFields.js @@ -20,6 +20,7 @@ Template.cardCustomFieldsPopup.events({ } }); +// cardCustomField const CardCustomField = BlazeComponent.extendComponent({ getTemplate() { @@ -28,6 +29,8 @@ const CardCustomField = BlazeComponent.extendComponent({ onCreated() { const self = this; + self.card = Cards.findOne(Session.get('currentCard')); + self.customFieldId = this.data()._id; }, canModifyCard() { @@ -36,28 +39,118 @@ const CardCustomField = BlazeComponent.extendComponent({ }); CardCustomField.register('cardCustomField'); +// cardCustomField-text (class extends CardCustomField { onCreated() { + super.onCreated(); } events() { return [{ 'submit .js-card-customfield-text'(evt) { evt.preventDefault(); - const card = Cards.findOne(Session.get('currentCard')); - const customFieldId = this.data()._id; const value = this.currentComponent().getValue(); - card.setCustomField(customFieldId,value); + this.card.setCustomField(this.customFieldId, value); }, }]; } }).register('cardCustomField-text'); +// cardCustomField-number (class extends CardCustomField { onCreated() { + super.onCreated(); + } + + events() { + return [{ + 'submit .js-card-customfield-number'(evt) { + evt.preventDefault(); + const value = parseInt(this.find('input').value); + this.card.setCustomField(this.customFieldId, value); + }, + }]; + } + +}).register('cardCustomField-number'); + +// cardCustomField-date +(class extends CardCustomField { + + onCreated() { + super.onCreated(); + const self = this; + self.date = ReactiveVar(); + self.now = ReactiveVar(moment()); + window.setInterval(() => { + self.now.set(moment()); + }, 60000); + + self.autorun(() => { + self.date.set(moment(self.data().value)); + }); + } + + showDate() { + // this will start working once mquandalle:moment + // is updated to at least moment.js 2.10.5 + // until then, the date is displayed in the "L" format + return this.date.get().calendar(null, { + sameElse: 'llll', + }); + } + + showISODate() { + return this.date.get().toISOString(); + } + + classes() { + if (this.date.get().isBefore(this.now.get(), 'minute') && + this.now.get().isBefore(this.data().value)) { + return 'current'; + } + return ''; + } + + showTitle() { + return `${TAPi18n.__('card-start-on')} ${this.date.get().format('LLLL')}`; + } + + events() { + return [{ + 'click .js-edit-date': Popup.open('cardCustomField-date'), + }]; + } + +}).register('cardCustomField-date'); + +// cardCustomField-datePopup +(class extends DatePicker { + onCreated() { + super.onCreated(); + const self = this; + self.card = Cards.findOne(Session.get('currentCard')); + self.customFieldId = this.data()._id; + this.data().value && this.date.set(moment(this.data().value)); + } + + _storeDate(date) { + this.card.setCustomField(this.customFieldId, date); + } + + _deleteDate() { + this.card.setCustomField(this.customFieldId, ''); + } +}).register('cardCustomField-datePopup'); + +// cardCustomField-dropdown +(class extends CardCustomField { + + onCreated() { + super.onCreated(); this._items = this.data().definition.settings.dropdownItems; this.items = this._items.slice(0); this.items.unshift({ @@ -77,10 +170,8 @@ CardCustomField.register('cardCustomField'); return [{ 'submit .js-card-customfield-dropdown'(evt) { evt.preventDefault(); - const card = Cards.findOne(Session.get('currentCard')); - const customFieldId = this.data()._id; const value = this.find('select').value; - card.setCustomField(customFieldId,value); + this.card.setCustomField(this.customFieldId, value); }, }]; } diff --git a/client/components/cards/cardDate.jade b/client/components/cards/cardDate.jade index 525f27ed..2e447506 100644 --- a/client/components/cards/cardDate.jade +++ b/client/components/cards/cardDate.jade @@ -1,19 +1,3 @@ -template(name="editCardDate") - .edit-card-date - form.edit-date - .fields - .left - label(for="date") {{_ 'date'}} - input.js-date-field#date(type="text" name="date" value=showDate placeholder=dateFormat autofocus) - .right - label(for="time") {{_ 'time'}} - input.js-time-field#time(type="text" name="time" value=showTime placeholder=timeFormat) - .js-datepicker - if error.get - .warning {{_ error.get}} - button.primary.wide.left.js-submit-date(type="submit") {{_ 'save'}} - button.js-delete-date.negate.wide.right.js-delete-date {{_ 'delete'}} - template(name="dateBadge") if canModifyCard a.js-edit-date.card-date(title="{{showTitle}}" class="{{classes}}") diff --git a/client/components/cards/cardDate.js b/client/components/cards/cardDate.js index 3f69f384..09a6761b 100644 --- a/client/components/cards/cardDate.js +++ b/client/components/cards/cardDate.js @@ -1,91 +1,4 @@ // Edit start & due dates -const EditCardDate = BlazeComponent.extendComponent({ - template() { - return 'editCardDate'; - }, - - onCreated() { - this.error = new ReactiveVar(''); - this.card = this.data(); - this.date = new ReactiveVar(moment.invalid()); - }, - - onRendered() { - const $picker = this.$('.js-datepicker').datepicker({ - todayHighlight: true, - todayBtn: 'linked', - language: TAPi18n.getLanguage(), - }).on('changeDate', function(evt) { - this.find('#date').value = moment(evt.date).format('L'); - this.error.set(''); - this.find('#time').focus(); - }.bind(this)); - - if (this.date.get().isValid()) { - $picker.datepicker('update', this.date.get().toDate()); - } - }, - - showDate() { - if (this.date.get().isValid()) - return this.date.get().format('L'); - return ''; - }, - showTime() { - if (this.date.get().isValid()) - return this.date.get().format('LT'); - return ''; - }, - dateFormat() { - return moment.localeData().longDateFormat('L'); - }, - timeFormat() { - return moment.localeData().longDateFormat('LT'); - }, - - events() { - return [{ - 'keyup .js-date-field'() { - // parse for localized date format in strict mode - const dateMoment = moment(this.find('#date').value, 'L', true); - if (dateMoment.isValid()) { - this.error.set(''); - this.$('.js-datepicker').datepicker('update', dateMoment.toDate()); - } - }, - 'keyup .js-time-field'() { - // parse for localized time format in strict mode - const dateMoment = moment(this.find('#time').value, 'LT', true); - if (dateMoment.isValid()) { - this.error.set(''); - } - }, - 'submit .edit-date'(evt) { - evt.preventDefault(); - - // if no time was given, init with 12:00 - const time = evt.target.time.value || moment(new Date().setHours(12, 0, 0)).format('LT'); - - const dateString = `${evt.target.date.value} ${time}`; - const newDate = moment(dateString, 'L LT', true); - if (newDate.isValid()) { - this._storeDate(newDate.toDate()); - Popup.close(); - } - else { - this.error.set('invalid-date'); - evt.target.date.focus(); - } - }, - 'click .js-delete-date'(evt) { - evt.preventDefault(); - this._deleteDate(); - Popup.close(); - }, - }]; - }, -}); - Template.dateBadge.helpers({ canModifyCard() { return Meteor.user() && Meteor.user().isBoardMember() && !Meteor.user().isCommentOnly(); @@ -93,7 +6,7 @@ Template.dateBadge.helpers({ }); // editCardStartDatePopup -(class extends EditCardDate { +(class extends DatePicker { onCreated() { super.onCreated(); this.data().startAt && this.date.set(moment(this.data().startAt)); @@ -109,7 +22,7 @@ Template.dateBadge.helpers({ }).register('editCardStartDatePopup'); // editCardDueDatePopup -(class extends EditCardDate { +(class extends DatePicker { onCreated() { super.onCreated(); this.data().dueAt && this.date.set(moment(this.data().dueAt)); diff --git a/client/components/cards/cardDate.styl b/client/components/cards/cardDate.styl index 1631baa5..87a3ed25 100644 --- a/client/components/cards/cardDate.styl +++ b/client/components/cards/cardDate.styl @@ -1,22 +1,3 @@ -.edit-card-date - .fields - .left - width: 56% - .right - width: 38% - .datepicker - width: 100% - table - width: 100% - border: none - border-spacing: 0 - border-collapse: collapse - thead - background: none - td, th - box-sizing: border-box - - .card-date display: block border-radius: 4px diff --git a/client/components/forms/datepicker.jade b/client/components/forms/datepicker.jade new file mode 100644 index 00000000..96f63bc4 --- /dev/null +++ b/client/components/forms/datepicker.jade @@ -0,0 +1,15 @@ +template(name="datepicker") + .datepicker-container + form.edit-date + .fields + .left + label(for="date") {{_ 'date'}} + input.js-date-field#date(type="text" name="date" value=showDate placeholder=dateFormat autofocus) + .right + label(for="time") {{_ 'time'}} + input.js-time-field#time(type="text" name="time" value=showTime placeholder=timeFormat) + .js-datepicker + if error.get + .warning {{_ error.get}} + button.primary.wide.left.js-submit-date(type="submit") {{_ 'save'}} + button.js-delete-date.negate.wide.right.js-delete-date {{_ 'delete'}} \ No newline at end of file diff --git a/client/components/forms/datepicker.styl b/client/components/forms/datepicker.styl new file mode 100644 index 00000000..a2558094 --- /dev/null +++ b/client/components/forms/datepicker.styl @@ -0,0 +1,17 @@ +.datepicker-container + .fields + .left + width: 56% + .right + width: 38% + .datepicker + width: 100% + table + width: 100% + border: none + border-spacing: 0 + border-collapse: collapse + thead + background: none + td, th + box-sizing: border-box \ No newline at end of file diff --git a/client/lib/datepicker.js b/client/lib/datepicker.js new file mode 100644 index 00000000..aac061cf --- /dev/null +++ b/client/lib/datepicker.js @@ -0,0 +1,86 @@ +DatePicker = BlazeComponent.extendComponent({ + template() { + return 'datepicker'; + }, + + onCreated() { + this.error = new ReactiveVar(''); + this.card = this.data(); + this.date = new ReactiveVar(moment.invalid()); + }, + + onRendered() { + const $picker = this.$('.js-datepicker').datepicker({ + todayHighlight: true, + todayBtn: 'linked', + language: TAPi18n.getLanguage(), + }).on('changeDate', function(evt) { + this.find('#date').value = moment(evt.date).format('L'); + this.error.set(''); + this.find('#time').focus(); + }.bind(this)); + + if (this.date.get().isValid()) { + $picker.datepicker('update', this.date.get().toDate()); + } + }, + + showDate() { + if (this.date.get().isValid()) + return this.date.get().format('L'); + return ''; + }, + showTime() { + if (this.date.get().isValid()) + return this.date.get().format('LT'); + return ''; + }, + dateFormat() { + return moment.localeData().longDateFormat('L'); + }, + timeFormat() { + return moment.localeData().longDateFormat('LT'); + }, + + events() { + return [{ + 'keyup .js-date-field'() { + // parse for localized date format in strict mode + const dateMoment = moment(this.find('#date').value, 'L', true); + if (dateMoment.isValid()) { + this.error.set(''); + this.$('.js-datepicker').datepicker('update', dateMoment.toDate()); + } + }, + 'keyup .js-time-field'() { + // parse for localized time format in strict mode + const dateMoment = moment(this.find('#time').value, 'LT', true); + if (dateMoment.isValid()) { + this.error.set(''); + } + }, + 'submit .edit-date'(evt) { + evt.preventDefault(); + + // if no time was given, init with 12:00 + const time = evt.target.time.value || moment(new Date().setHours(12, 0, 0)).format('LT'); + + const dateString = `${evt.target.date.value} ${time}`; + const newDate = moment(dateString, 'L LT', true); + if (newDate.isValid()) { + this._storeDate(newDate.toDate()); + Popup.close(); + } + else { + this.error.set('invalid-date'); + evt.target.date.focus(); + } + }, + 'click .js-delete-date'(evt) { + evt.preventDefault(); + this._deleteDate(); + Popup.close(); + }, + }]; + }, +}); \ No newline at end of file diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index a6893117..e954e6eb 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -111,6 +111,7 @@ "card-start": "Start", "card-start-on": "Starts on", "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Delete Card?", "cardDetailsActionsPopup-title": "Card Actions", -- cgit v1.2.3-1-g7c22 From 275bb0b13153fe0ed097dbe4f4643a6da4c1bca6 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 2 Nov 2017 01:34:27 +0200 Subject: v0.53 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 5e136f12..0563367c 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v0.53 2017-11-02 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index 271d4808..05c597a7 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "0.52.0", + "version": "0.53.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 467fcb2d..c79d9a09 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 39, + appVersion = 40, # Increment this for every release. - appMarketingVersion = (defaultText = "0.52.0~2017-10-31"), + appMarketingVersion = (defaultText = "0.53.0~2017-11-02"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 1c8a00943cff236ca40b2662189102a7851d3b56 Mon Sep 17 00:00:00 2001 From: Allemand Sylvain Date: Mon, 9 Apr 2018 16:49:07 +0200 Subject: authentification oauth2 --- .meteor/packages | 1 + models/users.js | 11 +++++++++++ server/authentication.js | 19 +++++++++++++++++++ 3 files changed, 31 insertions(+) diff --git a/.meteor/packages b/.meteor/packages index c1b8ab88..1b64a0a8 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -31,6 +31,7 @@ kenton:accounts-sandstorm service-configuration@1.0.11 useraccounts:unstyled useraccounts:flow-routing +salleman:accounts-oidc # Utilities check@1.2.5 diff --git a/models/users.js b/models/users.js index da8ca77c..364f7fd7 100644 --- a/models/users.js +++ b/models/users.js @@ -459,6 +459,17 @@ if (Meteor.isServer) { return user; } + if (user.services.oidc) { + user.username = user.services.oidc.username; + user.emails = [{ + address: user.services.oidc.email.toLowerCase(), + verified: false, + }]; + const initials = user.services.oidc.fullname.match(/\b[a-zA-Z]/g).join('').toUpperCase(); + user.profile = { initials: initials, fullname: user.services.oidc.fullname }; + } + + if (options.from === 'admin') { user.createdThroughApi = true; return user; diff --git a/server/authentication.js b/server/authentication.js index acc101cc..03b4c464 100644 --- a/server/authentication.js +++ b/server/authentication.js @@ -54,5 +54,24 @@ Meteor.startup(() => { Authentication.checkAdminOrCondition(userId, normalAccess); }; + if (Meteor.isServer) { + ServiceConfiguration.configurations.upsert( + { service: 'oidc' }, + { + $set: { + loginStyle: 'redirect', + clientId: 'CLIENT_ID', + secret: 'SECRET', + serverUrl: 'https://my-server', + authorizationEndpoint: '/oauth/authorize', + userinfoEndpoint: '/oauth/userinfo', + tokenEndpoint: '/oauth/token', + idTokenWhitelistFields: [], + requestPermissions: ['openid'] + } + } + ); + } + }); -- cgit v1.2.3-1-g7c22 From 3e927b4e585d46d2fe66a7cd9a6de69885793302 Mon Sep 17 00:00:00 2001 From: Allemand Sylvain Date: Tue, 10 Apr 2018 11:44:54 +0200 Subject: merge oidc and local account if exists --- models/users.js | 28 ++++++++++++++++++++++------ 1 file changed, 22 insertions(+), 6 deletions(-) diff --git a/models/users.js b/models/users.js index 364f7fd7..a04021c1 100644 --- a/models/users.js +++ b/models/users.js @@ -460,15 +460,31 @@ if (Meteor.isServer) { } if (user.services.oidc) { + var email = user.services.oidc.email.toLowerCase(); + user.username = user.services.oidc.username; - user.emails = [{ - address: user.services.oidc.email.toLowerCase(), - verified: false, - }]; - const initials = user.services.oidc.fullname.match(/\b[a-zA-Z]/g).join('').toUpperCase(); + user.emails = [{ address: email, + verified: true }]; + var initials = user.services.oidc.fullname.match(/\b[a-zA-Z]/g).join('').toUpperCase(); user.profile = { initials: initials, fullname: user.services.oidc.fullname }; - } + // see if any existing user has this email address or username, otherwise create new + var existingUser = Meteor.users.findOne({$or: [{'emails.address': email}, {'username':user.username}]}); + console.log("user to create : "); + console.log(user); + if (!existingUser) + return user; + + // copy across new service info + var service = _.keys(user.services)[0]; + existingUser.services[service] = user.services[service]; + existingUser.emails = user.emails; + existingUser.username = user.username; + existingUser.profile = user.profile; + + Meteor.users.remove({_id: existingUser._id}); // remove existing record + return existingUser; + } if (options.from === 'admin') { user.createdThroughApi = true; -- cgit v1.2.3-1-g7c22 From 9edbc349b9da620c840574aac6b8506644215e78 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 4 May 2018 23:57:40 +0300 Subject: - REST API Edit Card Labels. Thanks to ThisNeko ! --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 34c1b50d..b2759624 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release adds the following new features: + +* [REST API Edit Card Labels](https://github.com/wekan/wekan/commit/2da157dbb06a415d2ceadf574de1c4bc73d6c024). + +Thanks to GitHub user ThisNeko for contributions. + # v0.94 2018-05-03 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From 682eab74d9e61b5019f1afe7ff8ed9af12600dea Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 5 May 2018 00:30:34 +0300 Subject: Fix lint error. Related https://github.com/wekan/wekan/pull/1626 --- models/cards.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/models/cards.js b/models/cards.js index e322dc2e..01f79847 100644 --- a/models/cards.js +++ b/models/cards.js @@ -499,7 +499,7 @@ if (Meteor.isServer) { userId: req.body.authorId, swimlaneId: req.body.swimlaneId, sort: 0, - members: members, + members, }); JsonRoutes.sendResult(res, { code: 200, -- cgit v1.2.3-1-g7c22 From 7e49ab5fea0f866baef7f287569edcd223d1f08f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 6 May 2018 18:00:36 +0300 Subject: Tried to fix, but it did not work yet. --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index b2759624..e6e5621a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -93,7 +93,7 @@ This release fixes the following bugs: - [Fix Switch List/swimlane view only working with admin privileges](https://github.com/wekan/wekan/issues/1567); - [Fix Wekan logo positioning](https://github.com/wekan/wekan/issues/1378); -- [Fix checklists items migration error "title is required"](https://github.com/wekan/wekan/issues/1576); +- [Tried to fix, but fix did not work: Fix checklists items migration error "title is required"](https://github.com/wekan/wekan/issues/1576); - [Removed paxctl alpine fix #1303 , because it did not work anymore, so Docker container did not build correctly](https://github.com/wekan/wekan/commit/ce659632174ba25ca9b5e85b053fde02fd9c3928); - [Use curl to download 100% CPU fibers fixed node in snap, and remove paxctl from -- cgit v1.2.3-1-g7c22 From e5638e5e5a01c8cd42b7a862733be4f61354ead4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 6 May 2018 18:07:56 +0300 Subject: Fix link --- CHANGELOG.md | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index e6e5621a..48d1a450 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -52,8 +52,7 @@ Thanks to GitHub user xet7 for contributions. This release fixes the following bugs: -- [Fix Wekan import / Export for - ChecklistItems](https://github.com/wekan/wekan/commit/30b17ff6c92df07922f875071e864cf688902293). +- [Fix Wekan import / Export for ChecklistItems](https://github.com/wekan/wekan/pull/1613). Thanks to GitHub user zebby76 for contributions. -- cgit v1.2.3-1-g7c22 From c4b5145db460e6033d2033650a3da57fff53812a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 6 May 2018 18:12:51 +0300 Subject: Fix link. --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 48d1a450..44beb79b 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -10,7 +10,7 @@ Thanks to GitHub user ThisNeko for contributions. This release adds the following new features: -* [REST API POST /cards: allow setting card members](https://github.com/wekan/wekan/commit/e576e0f9cfc4f61e54da8920a8e29fe43227c266). +* [REST API POST /cards: allow setting card members](https://github.com/wekan/wekan/pull/1622). Thanks to GitHub user couscous3 for contributions. -- cgit v1.2.3-1-g7c22 From 5e109de8d5bf9d9d274cda031618b11d01937e9c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 6 May 2018 18:21:21 +0300 Subject: Fix link. --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 44beb79b..230f04b1 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,7 +2,7 @@ This release adds the following new features: -* [REST API Edit Card Labels](https://github.com/wekan/wekan/commit/2da157dbb06a415d2ceadf574de1c4bc73d6c024). +* [REST API Edit Card Labels](https://github.com/wekan/wekan/pull/1626). Thanks to GitHub user ThisNeko for contributions. -- cgit v1.2.3-1-g7c22 From 1cb8a6e7fe3c3ba4bf2bc5f5a576d2ed46750fb0 Mon Sep 17 00:00:00 2001 From: "NET\\faguet" Date: Mon, 7 May 2018 13:32:33 +0200 Subject: Add a new API route to create a new label in a given board --- models/boards.js | 29 +++++++++++++++++++++++++++++ 1 file changed, 29 insertions(+) diff --git a/models/boards.js b/models/boards.js index 3e05b499..da50adc7 100644 --- a/models/boards.js +++ b/models/boards.js @@ -719,4 +719,33 @@ if (Meteor.isServer) { }); } }); + + JsonRoutes.add('PUT', '/api/boards/:id/labels', function (req, res) { + Authentication.checkUserId(req.userId); + const id = req.params.id; + try { + if (req.body.hasOwnProperty('label')) { + const board = Boards.findOne({ _id: id }); + const color = req.body.label.color; + const name = req.body.label.name; + const labelId = Random.id(6); + if (!board.getLabel(name, color)) { + Boards.direct.update({ _id: id }, { $push: { labels: { "_id": labelId, "name": name, "color": color } } }); + JsonRoutes.sendResult(res, { + code: 200, + data: labelId, + }); + } else { + JsonRoutes.sendResult(res, { + code: 200, + }); + } + } + } + catch (error) { + JsonRoutes.sendResult(res, { + data: error, + }); + } + }); } -- cgit v1.2.3-1-g7c22 From 6b2d022a93114e39b26396aeb21b68a51551da84 Mon Sep 17 00:00:00 2001 From: "NET\\faguet" Date: Mon, 7 May 2018 14:27:07 +0200 Subject: correction --- models/boards.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/models/boards.js b/models/boards.js index da50adc7..c863c5ce 100644 --- a/models/boards.js +++ b/models/boards.js @@ -730,7 +730,7 @@ if (Meteor.isServer) { const name = req.body.label.name; const labelId = Random.id(6); if (!board.getLabel(name, color)) { - Boards.direct.update({ _id: id }, { $push: { labels: { "_id": labelId, "name": name, "color": color } } }); + Boards.direct.update({ _id: id }, { $push: { labels: { _id: labelId, name, color } } }); JsonRoutes.sendResult(res, { code: 200, data: labelId, -- cgit v1.2.3-1-g7c22 From 16d75f549dccec6b161e09d7d11102f93cf5ef35 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 8 May 2018 01:20:56 +0300 Subject: Fix error: title is required. Related https://github.com/wekan/wekan/commit/8d5cbf1e6c2b6d467fe1c0708cd794fd11b98a2e Closes #1576 --- server/migrations.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/server/migrations.js b/server/migrations.js index 684a8bbe..0fdd1fe0 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -193,7 +193,7 @@ Migrations.add('add-checklist-items', () => { // Create new items _.sortBy(checklist.items, 'sort').forEach((item, index) => { ChecklistItems.direct.insert({ - title: item.title, + title: checklist.title, sort: index, isFinished: item.isFinished, checklistId: checklist._id, -- cgit v1.2.3-1-g7c22 From cdc2b920ee9c729c6ba796a4d4653f76a82574d7 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 8 May 2018 01:24:24 +0300 Subject: Fix error: title is required. Thanks to Shahar-Y ! Related https://github.com/wekan/wekan/commit/8d5cbf1e6c2b6d467fe1c0708cd794fd11b98a2e#commitcomment-28880774 Closes #1576 --- CHANGELOG.md | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 230f04b1..0a1f58f9 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,7 +4,11 @@ This release adds the following new features: * [REST API Edit Card Labels](https://github.com/wekan/wekan/pull/1626). -Thanks to GitHub user ThisNeko for contributions. +and fixed the following bugs: + +* [Error: title is required](https://github.com/wekan/wekan/issues/1576). + +Thanks to GitHub users Shahar-Y and ThisNeko for their contributions. # v0.94 2018-05-03 Wekan release -- cgit v1.2.3-1-g7c22 From fc033c30e63f03fb55479892b2c5c75cee30e509 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 8 May 2018 01:29:10 +0300 Subject: Add a new API route to create a new label in a given board. Thanks to ThisNeko ! --- CHANGELOG.md | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 0a1f58f9..568a8b9b 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,7 +2,8 @@ This release adds the following new features: -* [REST API Edit Card Labels](https://github.com/wekan/wekan/pull/1626). +* [REST API Edit Card Labels](https://github.com/wekan/wekan/pull/1626); +* [Add a new API route to create a new label in a given board](https://github.com/wekan/wekan/pull/1630). and fixed the following bugs: -- cgit v1.2.3-1-g7c22 From 9d47d3e3971f8a2feb83e7ef9a60d20fe2ce3352 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 8 May 2018 01:33:52 +0300 Subject: Admin Panel: Option to block username change. Thanks to thiagofernando ! --- CHANGELOG.md | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 568a8b9b..e7690c40 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,13 +3,14 @@ This release adds the following new features: * [REST API Edit Card Labels](https://github.com/wekan/wekan/pull/1626); -* [Add a new API route to create a new label in a given board](https://github.com/wekan/wekan/pull/1630). +* [Add a new API route to create a new label in a given board](https://github.com/wekan/wekan/pull/1630); +* [Admin Panel: Option to block username change](https://github.com/wekan/wekan/pull/1627). and fixed the following bugs: * [Error: title is required](https://github.com/wekan/wekan/issues/1576). -Thanks to GitHub users Shahar-Y and ThisNeko for their contributions. +Thanks to GitHub users Shahar-Y, thiagofernando and ThisNeko for their contributions. # v0.94 2018-05-03 Wekan release -- cgit v1.2.3-1-g7c22 From 4c18df757f1ecc5123645d59856f2f96b2582fb3 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 8 May 2018 10:54:24 +0300 Subject: Update translations. --- i18n/ar.i18n.json | 3 ++- i18n/bg.i18n.json | 3 ++- i18n/br.i18n.json | 3 ++- i18n/ca.i18n.json | 3 ++- i18n/cs.i18n.json | 3 ++- i18n/de.i18n.json | 3 ++- i18n/el.i18n.json | 3 ++- i18n/en-GB.i18n.json | 3 ++- i18n/eo.i18n.json | 3 ++- i18n/es-AR.i18n.json | 3 ++- i18n/es.i18n.json | 3 ++- i18n/eu.i18n.json | 3 ++- i18n/fa.i18n.json | 3 ++- i18n/fi.i18n.json | 7 ++++--- i18n/fr.i18n.json | 3 ++- i18n/gl.i18n.json | 3 ++- i18n/he.i18n.json | 3 ++- i18n/hu.i18n.json | 3 ++- i18n/hy.i18n.json | 3 ++- i18n/id.i18n.json | 3 ++- i18n/ig.i18n.json | 3 ++- i18n/it.i18n.json | 3 ++- i18n/ja.i18n.json | 3 ++- i18n/ko.i18n.json | 3 ++- i18n/lv.i18n.json | 3 ++- i18n/mn.i18n.json | 3 ++- i18n/nb.i18n.json | 3 ++- i18n/nl.i18n.json | 3 ++- i18n/pl.i18n.json | 3 ++- i18n/pt-BR.i18n.json | 3 ++- i18n/pt.i18n.json | 3 ++- i18n/ro.i18n.json | 3 ++- i18n/ru.i18n.json | 3 ++- i18n/sr.i18n.json | 3 ++- i18n/sv.i18n.json | 3 ++- i18n/ta.i18n.json | 3 ++- i18n/th.i18n.json | 3 ++- i18n/tr.i18n.json | 3 ++- i18n/uk.i18n.json | 3 ++- i18n/vi.i18n.json | 3 ++- i18n/zh-CN.i18n.json | 3 ++- i18n/zh-TW.i18n.json | 3 ++- 42 files changed, 86 insertions(+), 44 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index a9e4edbd..4e77fa42 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -434,6 +434,7 @@ "no": "لا", "accounts": "الحسابات", "accounts-allowEmailChange": "السماح بتغيير البريد الإلكتروني", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Created at", "verified": "Verified", "active": "Active", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date" -} +} \ No newline at end of file diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 998bc2cb..26fea252 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -434,6 +434,7 @@ "no": "Не", "accounts": "Профили", "accounts-allowEmailChange": "Разреши промяна на имейла", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Създаден на", "verified": "Потвърден", "active": "Активен", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date" -} +} \ No newline at end of file diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index 51d90051..817615bf 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -434,6 +434,7 @@ "no": "No", "accounts": "Accounts", "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Created at", "verified": "Verified", "active": "Active", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date" -} +} \ No newline at end of file diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 4379081b..02e07af8 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -434,6 +434,7 @@ "no": "No", "accounts": "Comptes", "accounts-allowEmailChange": "Permet modificar correu electrònic", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Creat ", "verified": "Verificat", "active": "Actiu", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date" -} +} \ No newline at end of file diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index fc5a0dfb..058e5184 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -434,6 +434,7 @@ "no": "Ne", "accounts": "Účty", "accounts-allowEmailChange": "Povolit změnu Emailu", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Vytvořeno v", "verified": "Ověřen", "active": "Aktivní", @@ -443,4 +444,4 @@ "card-end-on": "Končí v", "editCardReceivedDatePopup-title": "Změnit datum přijetí", "editCardEndDatePopup-title": "Změnit datum konce" -} +} \ No newline at end of file diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index fb98a950..8b623821 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -434,6 +434,7 @@ "no": "Nein", "accounts": "Konten", "accounts-allowEmailChange": "Ändern der E-Mailadresse zulassen", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Erstellt am", "verified": "Geprüft", "active": "Aktiv", @@ -443,4 +444,4 @@ "card-end-on": "Endet am", "editCardReceivedDatePopup-title": "Empfangsdatum ändern", "editCardEndDatePopup-title": "Enddatum ändern" -} +} \ No newline at end of file diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index bf36bcab..0befbe1f 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -434,6 +434,7 @@ "no": "Όχι", "accounts": "Λογαριασμοί", "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Created at", "verified": "Verified", "active": "Active", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date" -} +} \ No newline at end of file diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index d51127d8..d9b4c0f9 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -434,6 +434,7 @@ "no": "No", "accounts": "Accounts", "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Created at", "verified": "Verified", "active": "Active", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date" -} +} \ No newline at end of file diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index b5fa9a39..5b783648 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -434,6 +434,7 @@ "no": "No", "accounts": "Accounts", "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Created at", "verified": "Verified", "active": "Active", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date" -} +} \ No newline at end of file diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index 60c1c114..d450d000 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -434,6 +434,7 @@ "no": "No", "accounts": "Cuentas", "accounts-allowEmailChange": "Permitir Cambio de Email", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Creado en", "verified": "Verificado", "active": "Activo", @@ -443,4 +444,4 @@ "card-end-on": "Termina en", "editCardReceivedDatePopup-title": "Cambiar fecha de recepción", "editCardEndDatePopup-title": "Cambiar fecha de término" -} +} \ No newline at end of file diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index c8b0f422..08aca6e2 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -434,6 +434,7 @@ "no": "No", "accounts": "Cuentas", "accounts-allowEmailChange": "Permitir cambiar el correo electrónico", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Creado en", "verified": "Verificado", "active": "Activo", @@ -443,4 +444,4 @@ "card-end-on": "Finalizado el", "editCardReceivedDatePopup-title": "Cambiar la fecha de recepción", "editCardEndDatePopup-title": "Cambiar la fecha de finalización" -} +} \ No newline at end of file diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index 6c692aea..025fddfb 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -434,6 +434,7 @@ "no": "Ez", "accounts": "Kontuak", "accounts-allowEmailChange": "Baimendu e-mail aldaketa", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Noiz sortua", "verified": "Egiaztatuta", "active": "Gaituta", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date" -} +} \ No newline at end of file diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index 4c03a3b7..cf9e062f 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -434,6 +434,7 @@ "no": "خیر", "accounts": "حساب‌ها", "accounts-allowEmailChange": "اجازه تغییر رایانامه", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "ساخته شده در", "verified": "معتبر", "active": "فعال", @@ -443,4 +444,4 @@ "card-end-on": "پایان در", "editCardReceivedDatePopup-title": "تغییر تاریخ رسید", "editCardEndDatePopup-title": "تغییر تاریخ پایان" -} +} \ No newline at end of file diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 054e9969..a68831dc 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -372,7 +372,7 @@ "upload": "Lähetä", "upload-avatar": "Lähetä profiilikuva", "uploaded-avatar": "Profiilikuva lähetetty", - "username": "Käyttäjänimi", + "username": "Käyttäjätunnus", "view-it": "Näytä se", "warn-list-archived": "varoitus: tämä kortti on roskakorissa olevassa listassa", "watch": "Seuraa", @@ -400,7 +400,7 @@ "smtp-tls-description": "Ota käyttöön TLS tuki SMTP palvelimelle", "smtp-host": "SMTP isäntä", "smtp-port": "SMTP portti", - "smtp-username": "Käyttäjänimi", + "smtp-username": "Käyttäjätunnus", "smtp-password": "Salasana", "smtp-tls": "TLS tuki", "send-from": "Lähettäjä", @@ -434,6 +434,7 @@ "no": "Ei", "accounts": "Tilit", "accounts-allowEmailChange": "Salli sähköpostiosoitteen muuttaminen", + "accounts-allowUserNameChange": "Salli käyttäjätunnuksen muuttaminen", "createdAt": "Luotu", "verified": "Varmistettu", "active": "Aktiivinen", @@ -443,4 +444,4 @@ "card-end-on": "Loppuu", "editCardReceivedDatePopup-title": "Vaihda vastaanottamispäivää", "editCardEndDatePopup-title": "Vaihda loppumispäivää" -} +} \ No newline at end of file diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index ce8034b0..a16a1b5b 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -434,6 +434,7 @@ "no": "Non", "accounts": "Comptes", "accounts-allowEmailChange": "Autoriser le changement d'adresse mail", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Créé le", "verified": "Vérifié", "active": "Actif", @@ -443,4 +444,4 @@ "card-end-on": "Se termine le", "editCardReceivedDatePopup-title": "Changer la date de réception", "editCardEndDatePopup-title": "Changer la date de fin" -} +} \ No newline at end of file diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 9e23ea41..faab1d9b 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -434,6 +434,7 @@ "no": "No", "accounts": "Accounts", "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Created at", "verified": "Verified", "active": "Active", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date" -} +} \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 5f21384a..4ae0505e 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -434,6 +434,7 @@ "no": "לא", "accounts": "חשבונות", "accounts-allowEmailChange": "אפשר שינוי דוא\"ל", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "נוצר ב", "verified": "עבר אימות", "active": "פעיל", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date" -} +} \ No newline at end of file diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index fc1f2e8c..94af52d1 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -434,6 +434,7 @@ "no": "Nem", "accounts": "Fiókok", "accounts-allowEmailChange": "E-mail megváltoztatásának engedélyezése", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Létrehozva", "verified": "Ellenőrizve", "active": "Aktív", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date" -} +} \ No newline at end of file diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index 42725bbf..8c06d36d 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -434,6 +434,7 @@ "no": "No", "accounts": "Accounts", "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Created at", "verified": "Verified", "active": "Active", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date" -} +} \ No newline at end of file diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index e3ee3399..2bc60852 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -434,6 +434,7 @@ "no": "No", "accounts": "Accounts", "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Created at", "verified": "Verified", "active": "Active", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date" -} +} \ No newline at end of file diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index e2edbe31..f7746d5c 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -434,6 +434,7 @@ "no": "Mba", "accounts": "Accounts", "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Ekere na", "verified": "Verified", "active": "Active", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date" -} +} \ No newline at end of file diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 9229c2e8..36879924 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -434,6 +434,7 @@ "no": "No", "accounts": "Profili", "accounts-allowEmailChange": "Permetti modifica dell'email", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "creato alle", "verified": "Verificato", "active": "Attivo", @@ -443,4 +444,4 @@ "card-end-on": "Termina il", "editCardReceivedDatePopup-title": "Cambia data ricezione", "editCardEndDatePopup-title": "Cambia data finale" -} +} \ No newline at end of file diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 7c7db1b4..c55be771 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -434,6 +434,7 @@ "no": "いいえ", "accounts": "アカウント", "accounts-allowEmailChange": "メールアドレスの変更を許可", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Created at", "verified": "Verified", "active": "Active", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date" -} +} \ No newline at end of file diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index bee42e39..35d2b447 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -434,6 +434,7 @@ "no": "No", "accounts": "Accounts", "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Created at", "verified": "Verified", "active": "Active", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date" -} +} \ No newline at end of file diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 1231a013..82bfa1cc 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -434,6 +434,7 @@ "no": "No", "accounts": "Accounts", "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Created at", "verified": "Verified", "active": "Active", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date" -} +} \ No newline at end of file diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index 346110c5..13e96ed6 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -434,6 +434,7 @@ "no": "No", "accounts": "Accounts", "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Created at", "verified": "Verified", "active": "Active", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date" -} +} \ No newline at end of file diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index a33240e8..3b30ada9 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -434,6 +434,7 @@ "no": "No", "accounts": "Accounts", "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Created at", "verified": "Verified", "active": "Active", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date" -} +} \ No newline at end of file diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 72ef0f44..0696409d 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -434,6 +434,7 @@ "no": "Nee", "accounts": "Accounts", "accounts-allowEmailChange": "Sta E-mailadres wijzigingen toe", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Gemaakt op", "verified": "Geverifieerd", "active": "Actief", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date" -} +} \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 4ce864bd..99c7ae3c 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -434,6 +434,7 @@ "no": "Nie", "accounts": "Konto", "accounts-allowEmailChange": "Zezwól na zmianę adresu email", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Stworzono o", "verified": "Zweryfikowane", "active": "Aktywny", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date" -} +} \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index d7d7243a..613ae44b 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -434,6 +434,7 @@ "no": "Não", "accounts": "Contas", "accounts-allowEmailChange": "Permitir Mudança de Email", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Criado em", "verified": "Verificado", "active": "Ativo", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date" -} +} \ No newline at end of file diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 98614f9c..b78bbca8 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -434,6 +434,7 @@ "no": "Não", "accounts": "Contas", "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Created at", "verified": "Verificado", "active": "Ativo", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date" -} +} \ No newline at end of file diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index 3086cb0f..014ad3d4 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -434,6 +434,7 @@ "no": "No", "accounts": "Accounts", "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Created at", "verified": "Verified", "active": "Active", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date" -} +} \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 8f5c0827..447e8f0d 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -434,6 +434,7 @@ "no": "Нет", "accounts": "Учетные записи", "accounts-allowEmailChange": "Разрешить изменение электронной почты", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Создано на", "verified": "Проверено", "active": "Действующий", @@ -443,4 +444,4 @@ "card-end-on": "Завершится до", "editCardReceivedDatePopup-title": "Изменить дату получения", "editCardEndDatePopup-title": "Изменить дату завершения" -} +} \ No newline at end of file diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index 66ffe5a4..14475751 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -434,6 +434,7 @@ "no": "No", "accounts": "Accounts", "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Created at", "verified": "Verified", "active": "Active", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date" -} +} \ No newline at end of file diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index e923fdf5..4cc2d987 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -434,6 +434,7 @@ "no": "Nej", "accounts": "Konton", "accounts-allowEmailChange": "Tillåt e-poständring", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Skapad vid", "verified": "Verifierad", "active": "Aktiv", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Ändra mottagningsdatum", "editCardEndDatePopup-title": "Ändra slutdatum" -} +} \ No newline at end of file diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index 1f46dce6..d4cf4d88 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -434,6 +434,7 @@ "no": "No", "accounts": "Accounts", "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Created at", "verified": "Verified", "active": "Active", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date" -} +} \ No newline at end of file diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index a4f2d6b4..7cae51e4 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -434,6 +434,7 @@ "no": "No", "accounts": "Accounts", "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Created at", "verified": "Verified", "active": "Active", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date" -} +} \ No newline at end of file diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index 3dfecc59..7f9cfd3d 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -434,6 +434,7 @@ "no": "Hayır", "accounts": "Hesaplar", "accounts-allowEmailChange": "E-posta Değiştirmeye İzin Ver", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Oluşturulma tarihi", "verified": "Doğrulanmış", "active": "Aktif", @@ -443,4 +444,4 @@ "card-end-on": "Bitiş zamanı", "editCardReceivedDatePopup-title": "Giriş tarihini değiştir", "editCardEndDatePopup-title": "Bitiş tarihini değiştir" -} +} \ No newline at end of file diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 2552ec4e..599ebf91 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -434,6 +434,7 @@ "no": "No", "accounts": "Accounts", "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Created at", "verified": "Verified", "active": "Active", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date" -} +} \ No newline at end of file diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index 5e03eaed..73fc1bcb 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -434,6 +434,7 @@ "no": "No", "accounts": "Accounts", "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Created at", "verified": "Verified", "active": "Active", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date" -} +} \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 37b641e7..f1860a83 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -434,6 +434,7 @@ "no": "否", "accounts": "账号", "accounts-allowEmailChange": "允许邮箱变更", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "创建于", "verified": "已验证", "active": "活跃", @@ -443,4 +444,4 @@ "card-end-on": "终止于", "editCardReceivedDatePopup-title": "修改接收日期", "editCardEndDatePopup-title": "修改终止日期" -} +} \ No newline at end of file diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index fa658a5e..082668dd 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -434,6 +434,7 @@ "no": "否", "accounts": "帳號", "accounts-allowEmailChange": "准許變更電子信箱", + "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Created at", "verified": "Verified", "active": "Active", @@ -443,4 +444,4 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date" -} +} \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 792f187d0604fa33d0a08090876b2b5d04a06992 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 8 May 2018 10:57:31 +0300 Subject: Update translation (de). --- i18n/de.i18n.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 8b623821..c87a5297 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -433,8 +433,8 @@ "yes": "Ja", "no": "Nein", "accounts": "Konten", - "accounts-allowEmailChange": "Ändern der E-Mailadresse zulassen", - "accounts-allowUserNameChange": "Allow Username Change", + "accounts-allowEmailChange": "Ändern der E-Mailadresse erlauben", + "accounts-allowUserNameChange": "Ändern des Benutzernamens erlauben", "createdAt": "Erstellt am", "verified": "Geprüft", "active": "Aktiv", -- cgit v1.2.3-1-g7c22 From f3aa524b773f746d44c69fb432b6905bd139792d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 8 May 2018 11:13:35 +0300 Subject: v0.95 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index e7690c40..49ee9b39 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v0.95 2018-05-08 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index 68b5fd5c..a7f02cae 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "0.94.0", + "version": "0.95.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 12a001c2..bd5994e9 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 79, + appVersion = 80, # Increment this for every release. - appMarketingVersion = (defaultText = "0.94.0~2018-05-03"), + appMarketingVersion = (defaultText = "0.95.0~2018-05-08"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 7e34dd0c2b64715d5c32459370d4da4cd02f0c00 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 10 May 2018 02:31:22 +0300 Subject: Update translations. --- i18n/cs.i18n.json | 2 +- i18n/es.i18n.json | 2 +- i18n/he.i18n.json | 88 ++++++++++++++++++++++++++-------------------------- i18n/zh-CN.i18n.json | 2 +- 4 files changed, 47 insertions(+), 47 deletions(-) diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 058e5184..09c6f4e6 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -434,7 +434,7 @@ "no": "Ne", "accounts": "Účty", "accounts-allowEmailChange": "Povolit změnu Emailu", - "accounts-allowUserNameChange": "Allow Username Change", + "accounts-allowUserNameChange": "Povolit změnu uživatelského jména", "createdAt": "Vytvořeno v", "verified": "Ověřen", "active": "Aktivní", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 08aca6e2..532c7df4 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -434,7 +434,7 @@ "no": "No", "accounts": "Cuentas", "accounts-allowEmailChange": "Permitir cambiar el correo electrónico", - "accounts-allowUserNameChange": "Allow Username Change", + "accounts-allowUserNameChange": "Permitir el cambio del nombre de usuario", "createdAt": "Creado en", "verified": "Verificado", "active": "Activo", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 4ae0505e..b3c91549 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -9,10 +9,10 @@ "act-createCard": "הכרטיס __card__ התווסף לרשימה __list__", "act-createList": "הרשימה __list__ התווספה ללוח __board__", "act-addBoardMember": "המשתמש __member__ נוסף ללוח __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-archivedBoard": "__board__ הועבר לסל המחזור", + "act-archivedCard": "__card__ הועבר לסל המחזור", + "act-archivedList": "__list__ הועבר לסל המחזור", + "act-archivedSwimlane": "__swimlane__ הועבר לסל המחזור", "act-importBoard": "הלוח __board__ יובא", "act-importCard": "הכרטיס __card__ יובא", "act-importList": "הרשימה __list__ יובאה", @@ -27,7 +27,7 @@ "activities": "פעילויות", "activity": "פעילות", "activity-added": "%s נוסף ל%s", - "activity-archived": "%s moved to Recycle Bin", + "activity-archived": "%s הועבר לסל המחזור", "activity-attached": "%s צורף ל%s", "activity-created": "%s נוצר", "activity-excluded": "%s לא נכלל ב%s", @@ -45,7 +45,7 @@ "add-attachment": "הוספת קובץ מצורף", "add-board": "הוספת לוח", "add-card": "הוספת כרטיס", - "add-swimlane": "הוסף מסלול שחייה", + "add-swimlane": "הוספת מסלול", "add-checklist": "הוספת רשימת מטלות", "add-checklist-item": "הוספת פריט לרשימת משימות", "add-cover": "הוספת כיסוי", @@ -64,19 +64,19 @@ "and-n-other-card_plural": "ו־__count__ כרטיסים אחרים", "apply": "החלה", "app-is-offline": "Wekan בטעינה, נא להמתין. רענון העמוד עשוי להוביל לאובדן מידע. אם הטעינה של Wekan נעצרה, נא לבדוק ששרת ה־Wekan לא נעצר.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive": "העברה לסל המחזור", + "archive-all": "להעביר הכול לסל המחזור", + "archive-board": "העברת הלוח לסל המחזור", + "archive-card": "העברת הכרטיס לסל המחזור", + "archive-list": "העברת הרשימה לסל המחזור", + "archive-swimlane": "העברת מסלול לסל המחזור", + "archive-selection": "העברת הבחירה לסל המחזור", + "archiveBoardPopup-title": "להעביר את הלוח לסל המחזור?", + "archived-items": "סל מחזור", + "archived-boards": "לוחות בסל המחזור", "restore-board": "שחזור לוח", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "אין לוחות בסל המחזור", + "archives": "סל מחזור", "assign-member": "הקצאת חבר", "attached": "מצורף", "attachment": "קובץ מצורף", @@ -98,15 +98,15 @@ "boardMenuPopup-title": "תפריט לוח", "boards": "לוחות", "board-view": "תצוגת לוח", - "board-view-swimlanes": "מסלול שחייה", + "board-view-swimlanes": "מסלולים", "board-view-lists": "רשימות", "bucket-example": "כמו למשל „רשימת המשימות“", "cancel": "ביטול", - "card-archived": "This card is moved to Recycle Bin.", + "card-archived": "כרטיס זה הועבר לסל המחזור", "card-comments-title": "לכרטיס זה %s תגובות.", "card-delete-notice": "מחיקה היא סופית. כל הפעולות המשויכות לכרטיס זה תלכנה לאיוד.", "card-delete-pop": "כל הפעולות יוסרו מלוח הפעילות ולא תהיה אפשרות לפתוח מחדש את הכרטיס. אין דרך חזרה.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "ניתן להעביר כרטיס לסל המחזור כדי להסיר אותו מהלוח ולשמר את הפעילות.", "card-due": "תאריך יעד", "card-due-on": "תאריך יעד", "card-spent": "זמן שהושקע", @@ -141,7 +141,7 @@ "clipboard": "לוח גזירים או גרירה ושחרור", "close": "סגירה", "close-board": "סגירת לוח", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "תהיה לך אפשרות להסיר את הלוח על ידי לחיצה על הכפתור „סל מחזור” מכותרת הבית.", "color-black": "שחור", "color-blue": "כחול", "color-green": "ירוק", @@ -160,9 +160,9 @@ "confirm-checklist-delete-dialog": "האם אתה בטוח שברצונך למחוק את רשימת המשימות", "copy-card-link-to-clipboard": "העתקת קישור הכרטיס ללוח הגזירים", "copyCardPopup-title": "העתק כרטיס", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "copyChecklistToManyCardsPopup-title": "העתקת תבנית רשימת מטלות למגוון כרטיסים", + "copyChecklistToManyCardsPopup-instructions": "כותרות ותיאורים של כרטיסי יעד בתצורת JSON זו", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"כותרת כרטיס ראשון\", \"description\":\"תיאור כרטיס ראשון\"}, {\"title\":\"כותרת כרטיס שני\",\"description\":\"תיאור כרטיס שני\"},{\"title\":\"כותרת כרטיס אחרון\",\"description\":\"תיאור כרטיס אחרון\"} ]", "create": "יצירה", "createBoardPopup-title": "יצירת לוח", "chooseBoardSourcePopup-title": "ייבוא לוח", @@ -264,19 +264,19 @@ "leave-board-pop": "לעזוב את __boardTitle__? שמך יוסר מכל הכרטיסים שבלוח זה.", "leaveBoardPopup-title": "לעזוב לוח ?", "link-card": "קישור לכרטיס זה", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "להעביר את כל הכרטיסים לסל המחזור", + "list-archive-cards-pop": "פעולה זו תסיר את כל הכרטיסים שברשימה זו מהלוח. כדי לצפות בכרטיסים בסל המחזור ולהשיב אותם ללוח ניתן ללחוץ על „תפריט” > „סל מחזור”.", "list-move-cards": "העברת כל הכרטיסים שברשימה זו", "list-select-cards": "בחירת כל הכרטיסים שברשימה זו", "listActionPopup-title": "פעולות רשימה", - "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneActionPopup-title": "פעולות על מסלול", "listImportCardPopup-title": "יבוא כרטיס מ־Trello", "listMorePopup-title": "עוד", "link-list": "קישור לרשימה זו", "list-delete-pop": "כל הפעולות תוסרנה מרצף הפעילות ולא תהיה לך אפשרות לשחזר את הרשימה. אין ביטול.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "ניתן להעביר רשימה לסל מחזור כדי להסיר אותה מהלוח ולשמר את הפעילות.", "lists": "רשימות", - "swimlanes": "מסלול שחייה", + "swimlanes": "מסלולים", "log-out": "יציאה", "log-in": "כניסה", "loginPopup-title": "כניסה", @@ -294,9 +294,9 @@ "muted-info": "מעתה לא תתקבלנה אצלך התרעות על שינויים בלוח זה", "my-boards": "הלוחות שלי", "name": "שם", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "אין כרטיסים בסל המחזור.", + "no-archived-lists": "אין רשימות בסל המחזור.", + "no-archived-swimlanes": "אין מסלולים בסל המחזור.", "no-results": "אין תוצאות", "normal": "רגיל", "normal-desc": "הרשאה לצפות ולערוך כרטיסים. לא ניתן לשנות הגדרות.", @@ -332,8 +332,8 @@ "restore": "שחזור", "save": "שמירה", "search": "חיפוש", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", + "search-cards": "חיפוש אחר כותרות ותיאורים של כרטיסים בלוח זה", + "search-example": "טקסט לחיפוש ?", "select-color": "בחירת צבע", "set-wip-limit-value": "הגדרת מגבלה למספר המרבי של משימות ברשימה זו", "setWipLimitPopup-title": "הגדרת מגבלת „בעבודה”", @@ -374,12 +374,12 @@ "uploaded-avatar": "הועלתה תמונה משתמש", "username": "שם משתמש", "view-it": "הצגה", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "אזהרה: כרטיס זה נמצא ברשימה בסל המחזור", "watch": "לעקוב", "watching": "במעקב", "watching-info": "מעתה יגיעו אליך דיווחים על כל שינוי בלוח זה", "welcome-board": "לוח קבלת פנים", - "welcome-swimlane": "Milestone 1", + "welcome-swimlane": "ציון דרך 1", "welcome-list1": "יסודות", "welcome-list2": "מתקדם", "what-to-do": "מה ברצונך לעשות?", @@ -434,14 +434,14 @@ "no": "לא", "accounts": "חשבונות", "accounts-allowEmailChange": "אפשר שינוי דוא\"ל", - "accounts-allowUserNameChange": "Allow Username Change", + "accounts-allowUserNameChange": "לאפשר שינוי שם משתמש", "createdAt": "נוצר ב", "verified": "עבר אימות", "active": "פעיל", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" + "card-received": "התקבל", + "card-received-on": "התקבל במועד", + "card-end": "סיום", + "card-end-on": "מועד הסיום", + "editCardReceivedDatePopup-title": "החלפת מועד הקבלה", + "editCardEndDatePopup-title": "החלפת מועד הסיום" } \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index f1860a83..3b476dac 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -434,7 +434,7 @@ "no": "否", "accounts": "账号", "accounts-allowEmailChange": "允许邮箱变更", - "accounts-allowUserNameChange": "Allow Username Change", + "accounts-allowUserNameChange": "允许变更用户名", "createdAt": "创建于", "verified": "已验证", "active": "活跃", -- cgit v1.2.3-1-g7c22 From 77a5f8f339dc70a85b6df8e2062e27be318153aa Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 10 May 2018 09:52:43 +0300 Subject: Update dependencies. --- package.json | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/package.json b/package.json index a7f02cae..1d62fdb6 100644 --- a/package.json +++ b/package.json @@ -23,12 +23,12 @@ "eslint": "^2.0.0" }, "dependencies": { - "babel-runtime": "^6.23.0", - "bcrypt": "^1.0.3", - "bson-ext": "^1.0.5", - "es6-promise": "^4.1.0", - "meteor-node-stubs": "^0.2.6", + "babel-runtime": "^6.26.0", + "bcrypt": "^2.0.1", + "bson-ext": "^2.0.0", + "es6-promise": "^4.2.4", + "meteor-node-stubs": "^0.4.1", "os": "^0.1.1", - "xss": "^0.3.3" + "xss": "^0.3.8" } } -- cgit v1.2.3-1-g7c22 From c0c7b269a794fb28ddf5ffc17744f6724041de96 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 16 May 2018 12:58:31 +0300 Subject: Update translations. --- i18n/de.i18n.json | 2 +- i18n/fr.i18n.json | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index c87a5297..ee508a2c 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -57,7 +57,7 @@ "admin": "Admin", "admin-desc": "Kann Karten anzeigen und bearbeiten, Mitglieder entfernen und Boardeinstellungen ändern.", "admin-announcement": "Ankündigung", - "admin-announcement-active": "Aktive, systemweite Ankündigungen", + "admin-announcement-active": "Aktive systemweite Ankündigungen", "admin-announcement-title": "Ankündigung des Administrators", "all-boards": "Alle Boards", "and-n-other-card": "und eine andere Karte", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index a16a1b5b..23a11142 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -434,7 +434,7 @@ "no": "Non", "accounts": "Comptes", "accounts-allowEmailChange": "Autoriser le changement d'adresse mail", - "accounts-allowUserNameChange": "Allow Username Change", + "accounts-allowUserNameChange": "Permettre la modification de l'identifiant", "createdAt": "Créé le", "verified": "Vérifié", "active": "Actif", -- cgit v1.2.3-1-g7c22 From 9a766c0f74b52f52db2c01e63027e69944d21eb7 Mon Sep 17 00:00:00 2001 From: Frank Siler Date: Wed, 16 May 2018 19:40:02 -0500 Subject: ensure checklistItem titles are correct when migrating --- server/migrations.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/server/migrations.js b/server/migrations.js index 0fdd1fe0..684a8bbe 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -193,7 +193,7 @@ Migrations.add('add-checklist-items', () => { // Create new items _.sortBy(checklist.items, 'sort').forEach((item, index) => { ChecklistItems.direct.insert({ - title: checklist.title, + title: item.title, sort: index, isFinished: item.isFinished, checklistId: checklist._id, -- cgit v1.2.3-1-g7c22 From 9184bf394629607bbaed8120004d90a21510315b Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Thu, 17 May 2018 21:06:52 +0200 Subject: removing checkbox type --- models/customFields.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/models/customFields.js b/models/customFields.js index 8b0abef4..57875b6e 100644 --- a/models/customFields.js +++ b/models/customFields.js @@ -9,7 +9,7 @@ CustomFields.attachSchema(new SimpleSchema({ }, type: { type: String, - allowedValues: ['text', 'number', 'checkbox', 'date', 'dropdown'] + allowedValues: ['text', 'number', 'date', 'dropdown'] }, settings: { type: Object, -- cgit v1.2.3-1-g7c22 From 98df01060d237b648878a1a869fff2f7ab24775f Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Thu, 17 May 2018 21:17:40 +0200 Subject: removing checkbox types part 2 --- client/components/sidebar/sidebarCustomFields.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/client/components/sidebar/sidebarCustomFields.js b/client/components/sidebar/sidebarCustomFields.js index 139b8a42..cfa21beb 100644 --- a/client/components/sidebar/sidebarCustomFields.js +++ b/client/components/sidebar/sidebarCustomFields.js @@ -17,7 +17,7 @@ BlazeComponent.extendComponent({ const CreateCustomFieldPopup = BlazeComponent.extendComponent({ - _types: ['text', 'number', 'checkbox', 'date', 'dropdown'], + _types: ['text', 'number', 'date', 'dropdown'], onCreated() { this.type = new ReactiveVar((this.data().type) ? this.data().type : this._types[0]); @@ -127,4 +127,4 @@ CreateCustomFieldPopup.register('createCustomFieldPopup'); CustomFields.remove(customFieldId); Popup.close(); } -});*/ \ No newline at end of file +});*/ -- cgit v1.2.3-1-g7c22 From 7186b947b25d0f7d1d4fb08d1d29cd173dd69ff3 Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Thu, 17 May 2018 21:49:14 +0200 Subject: correcting style errors --- client/components/cards/cardDetails.styl | 5 ++--- 1 file changed, 2 insertions(+), 3 deletions(-) diff --git a/client/components/cards/cardDetails.styl b/client/components/cards/cardDetails.styl index e18c07a1..f4ca107b 100644 --- a/client/components/cards/cardDetails.styl +++ b/client/components/cards/cardDetails.styl @@ -69,11 +69,10 @@ .card-details-items display: flex - flex-wrap: wrap - margin: 0 0 15px + margin: 15px 0 .card-details-item - margin: 15px 0.5em 0 0 + margin-right: 0.5em &:last-child margin-right: 0 &.card-details-item-labels, -- cgit v1.2.3-1-g7c22 From 0dfc62c025c10ebe4b821dbea8e4508601daf671 Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Thu, 17 May 2018 21:57:54 +0200 Subject: Removing Doupling start / end and more style corrections --- client/components/cards/cardDetails.jade | 10 ---------- client/components/cards/cardDetails.styl | 6 ++---- 2 files changed, 2 insertions(+), 14 deletions(-) diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index b888210b..8201928e 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -65,16 +65,6 @@ template(name="cardDetails") a.card-label.add-label.js-add-labels(title="{{_ 'card-labels-title'}}") i.fa.fa-plus - if startAt - .card-details-item.card-details-item-start - h3.card-details-item-title {{_ 'card-start'}} - +cardStartDate - - if dueAt - .card-details-item.card-details-item-due - h3.card-details-item-title {{_ 'card-due'}} - +cardDueDate - each customFieldsWD .card-details-item.card-details-item-customfield h3.card-details-item-title diff --git a/client/components/cards/cardDetails.styl b/client/components/cards/cardDetails.styl index f4ca107b..dc6ab94f 100644 --- a/client/components/cards/cardDetails.styl +++ b/client/components/cards/cardDetails.styl @@ -80,12 +80,10 @@ &.card-details-item-received, &.card-details-item-start, &.card-details-item-due, - &.card-details-item-end + &.card-details-item-end, + &.card-details-item-customfield width: 50% flex-shrink: 1 - &.card-details-item-customfield - max-width: 50% - flex-grow: 1 .card-details-item-title font-size: 16px -- cgit v1.2.3-1-g7c22 From 80088174fcb90b0a0556f16e5af7860f51d58032 Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Thu, 17 May 2018 22:08:17 +0200 Subject: More style corrections --- client/components/cards/cardDetails.jade | 1 + client/components/cards/cardDetails.styl | 7 +++++-- 2 files changed, 6 insertions(+), 2 deletions(-) diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index 8201928e..55ee8d32 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -65,6 +65,7 @@ template(name="cardDetails") a.card-label.add-label.js-add-labels(title="{{_ 'card-labels-title'}}") i.fa.fa-plus + .card-details-items each customFieldsWD .card-details-item.card-details-item-customfield h3.card-details-item-title diff --git a/client/components/cards/cardDetails.styl b/client/components/cards/cardDetails.styl index dc6ab94f..cb9728c9 100644 --- a/client/components/cards/cardDetails.styl +++ b/client/components/cards/cardDetails.styl @@ -69,6 +69,7 @@ .card-details-items display: flex + flex-wrap: wrap margin: 15px 0 .card-details-item @@ -80,10 +81,12 @@ &.card-details-item-received, &.card-details-item-start, &.card-details-item-due, - &.card-details-item-end, - &.card-details-item-customfield + &.card-details-item-end width: 50% flex-shrink: 1 + &.card-details-item-customfield + width: 50% + flex-grow: 1 .card-details-item-title font-size: 16px -- cgit v1.2.3-1-g7c22 From f9df38d3333e810e5eec39d93ef310539973de7c Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Thu, 17 May 2018 22:14:41 +0200 Subject: Style Changes --- client/components/cards/cardDetails.styl | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/components/cards/cardDetails.styl b/client/components/cards/cardDetails.styl index cb9728c9..367f3fbc 100644 --- a/client/components/cards/cardDetails.styl +++ b/client/components/cards/cardDetails.styl @@ -85,7 +85,7 @@ width: 50% flex-shrink: 1 &.card-details-item-customfield - width: 50% + max-width: 50% flex-grow: 1 .card-details-item-title -- cgit v1.2.3-1-g7c22 From b43779e4085a3b2f9e4f3f2cbb65cc0518f2daea Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Thu, 17 May 2018 22:15:35 +0200 Subject: That should do it --- client/components/cards/cardDetails.styl | 4 +--- 1 file changed, 1 insertion(+), 3 deletions(-) diff --git a/client/components/cards/cardDetails.styl b/client/components/cards/cardDetails.styl index 367f3fbc..7dbe8732 100644 --- a/client/components/cards/cardDetails.styl +++ b/client/components/cards/cardDetails.styl @@ -81,9 +81,7 @@ &.card-details-item-received, &.card-details-item-start, &.card-details-item-due, - &.card-details-item-end - width: 50% - flex-shrink: 1 + &.card-details-item-end, &.card-details-item-customfield max-width: 50% flex-grow: 1 -- cgit v1.2.3-1-g7c22 From c1d2e27c092f9bce4a9982d6b714b442dbf66a4b Mon Sep 17 00:00:00 2001 From: Ignatz Date: Fri, 18 May 2018 10:02:32 +0200 Subject: correcting missing loca --- i18n/en.i18n.json | 1 + 1 file changed, 1 insertion(+) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index e22808fe..6006a078 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -206,6 +206,7 @@ "editCardStartDatePopup-title": "Change start date", "editCardDueDatePopup-title": "Change due date", "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", "editLabelPopup-title": "Change Label", "editNotificationPopup-title": "Edit Notification", "editProfilePopup-title": "Edit Profile", -- cgit v1.2.3-1-g7c22 From d6cfac0122dc5e6819c82f73c728488e0600cb70 Mon Sep 17 00:00:00 2001 From: Ignatz Date: Fri, 18 May 2018 10:24:51 +0200 Subject: linter corrections --- .eslintrc.json | 4 +- client/components/cards/cardCustomFields.js | 256 +++++++++++------------ client/components/lists/listBody.js | 6 +- client/components/sidebar/sidebarCustomFields.js | 27 +-- client/lib/datepicker.js | 150 ++++++------- models/cards.js | 17 +- models/customFields.js | 18 +- 7 files changed, 242 insertions(+), 236 deletions(-) diff --git a/.eslintrc.json b/.eslintrc.json index 0a9f3c90..06d3f001 100644 --- a/.eslintrc.json +++ b/.eslintrc.json @@ -32,7 +32,7 @@ "comma-spacing": 2, "comma-style": 2, "eol-last": 2, - "linebreak-style": [2, "unix"], + "linebreak-style": [2, "windows"], "new-parens": 2, "no-lonely-if": 2, "no-multiple-empty-lines": 2, @@ -100,7 +100,9 @@ "Attachments": true, "Boards": true, "CardComments": true, + "DatePicker" : true, "Cards": true, + "CustomFields": true, "Lists": true, "UnsavedEditCollection": true, "Users": true, diff --git a/client/components/cards/cardCustomFields.js b/client/components/cards/cardCustomFields.js index e014de4a..821ca02b 100644 --- a/client/components/cards/cardCustomFields.js +++ b/client/components/cards/cardCustomFields.js @@ -1,179 +1,179 @@ Template.cardCustomFieldsPopup.helpers({ - hasCustomField() { - const card = Cards.findOne(Session.get('currentCard')); - const customFieldId = this._id; - return card.customFieldIndex(customFieldId) > -1; - }, + hasCustomField() { + const card = Cards.findOne(Session.get('currentCard')); + const customFieldId = this._id; + return card.customFieldIndex(customFieldId) > -1; + }, }); Template.cardCustomFieldsPopup.events({ - 'click .js-select-field'(evt) { - const card = Cards.findOne(Session.get('currentCard')); - const customFieldId = this._id; - card.toggleCustomField(customFieldId); - evt.preventDefault(); - }, - 'click .js-settings'(evt) { - EscapeActions.executeUpTo('detailsPane'); - Sidebar.setView('customFields'); - evt.preventDefault(); - } + 'click .js-select-field'(evt) { + const card = Cards.findOne(Session.get('currentCard')); + const customFieldId = this._id; + card.toggleCustomField(customFieldId); + evt.preventDefault(); + }, + 'click .js-settings'(evt) { + EscapeActions.executeUpTo('detailsPane'); + Sidebar.setView('customFields'); + evt.preventDefault(); + }, }); // cardCustomField const CardCustomField = BlazeComponent.extendComponent({ - getTemplate() { - return 'cardCustomField-' + this.data().definition.type; - }, + getTemplate() { + return 'cardCustomField-${this.data().definition.type}'; + }, - onCreated() { - const self = this; - self.card = Cards.findOne(Session.get('currentCard')); - self.customFieldId = this.data()._id; - }, + onCreated() { + const self = this; + self.card = Cards.findOne(Session.get('currentCard')); + self.customFieldId = this.data()._id; + }, - canModifyCard() { - return Meteor.user() && Meteor.user().isBoardMember() && !Meteor.user().isCommentOnly(); - }, + canModifyCard() { + return Meteor.user() && Meteor.user().isBoardMember() && !Meteor.user().isCommentOnly(); + }, }); CardCustomField.register('cardCustomField'); // cardCustomField-text (class extends CardCustomField { - onCreated() { - super.onCreated(); - } + onCreated() { + super.onCreated(); + } - events() { - return [{ - 'submit .js-card-customfield-text'(evt) { - evt.preventDefault(); - const value = this.currentComponent().getValue(); - this.card.setCustomField(this.customFieldId, value); - }, - }]; - } + events() { + return [{ + 'submit .js-card-customfield-text'(evt) { + evt.preventDefault(); + const value = this.currentComponent().getValue(); + this.card.setCustomField(this.customFieldId, value); + }, + }]; + } }).register('cardCustomField-text'); // cardCustomField-number (class extends CardCustomField { - onCreated() { - super.onCreated(); - } + onCreated() { + super.onCreated(); + } - events() { - return [{ - 'submit .js-card-customfield-number'(evt) { - evt.preventDefault(); - const value = parseInt(this.find('input').value); - this.card.setCustomField(this.customFieldId, value); - }, - }]; - } + events() { + return [{ + 'submit .js-card-customfield-number'(evt) { + evt.preventDefault(); + const value = parseInt(this.find('input').value, 10); + this.card.setCustomField(this.customFieldId, value); + }, + }]; + } }).register('cardCustomField-number'); // cardCustomField-date (class extends CardCustomField { - onCreated() { - super.onCreated(); - const self = this; - self.date = ReactiveVar(); - self.now = ReactiveVar(moment()); - window.setInterval(() => { - self.now.set(moment()); - }, 60000); - - self.autorun(() => { - self.date.set(moment(self.data().value)); - }); - } - - showDate() { + onCreated() { + super.onCreated(); + const self = this; + self.date = ReactiveVar(); + self.now = ReactiveVar(moment()); + window.setInterval(() => { + self.now.set(moment()); + }, 60000); + + self.autorun(() => { + self.date.set(moment(self.data().value)); + }); + } + + showDate() { // this will start working once mquandalle:moment // is updated to at least moment.js 2.10.5 // until then, the date is displayed in the "L" format - return this.date.get().calendar(null, { - sameElse: 'llll', - }); - } + return this.date.get().calendar(null, { + sameElse: 'llll', + }); + } - showISODate() { - return this.date.get().toISOString(); - } + showISODate() { + return this.date.get().toISOString(); + } - classes() { - if (this.date.get().isBefore(this.now.get(), 'minute') && + classes() { + if (this.date.get().isBefore(this.now.get(), 'minute') && this.now.get().isBefore(this.data().value)) { - return 'current'; - } - return ''; + return 'current'; } + return ''; + } - showTitle() { - return `${TAPi18n.__('card-start-on')} ${this.date.get().format('LLLL')}`; - } + showTitle() { + return `${TAPi18n.__('card-start-on')} ${this.date.get().format('LLLL')}`; + } - events() { - return [{ - 'click .js-edit-date': Popup.open('cardCustomField-date'), - }]; - } + events() { + return [{ + 'click .js-edit-date': Popup.open('cardCustomField-date'), + }]; + } }).register('cardCustomField-date'); // cardCustomField-datePopup (class extends DatePicker { - onCreated() { - super.onCreated(); - const self = this; - self.card = Cards.findOne(Session.get('currentCard')); - self.customFieldId = this.data()._id; - this.data().value && this.date.set(moment(this.data().value)); - } - - _storeDate(date) { - this.card.setCustomField(this.customFieldId, date); - } - - _deleteDate() { - this.card.setCustomField(this.customFieldId, ''); - } + onCreated() { + super.onCreated(); + const self = this; + self.card = Cards.findOne(Session.get('currentCard')); + self.customFieldId = this.data()._id; + this.data().value && this.date.set(moment(this.data().value)); + } + + _storeDate(date) { + this.card.setCustomField(this.customFieldId, date); + } + + _deleteDate() { + this.card.setCustomField(this.customFieldId, ''); + } }).register('cardCustomField-datePopup'); // cardCustomField-dropdown (class extends CardCustomField { - onCreated() { - super.onCreated(); - this._items = this.data().definition.settings.dropdownItems; - this.items = this._items.slice(0); - this.items.unshift({ - _id: "", - name: TAPi18n.__('custom-field-dropdown-none') - }); - } - - selectedItem() { - const selected = this._items.find((item) => { - return item._id == this.data().value; - }); - return (selected) ? selected.name : TAPi18n.__('custom-field-dropdown-unknown'); - } - - events() { - return [{ - 'submit .js-card-customfield-dropdown'(evt) { - evt.preventDefault(); - const value = this.find('select').value; - this.card.setCustomField(this.customFieldId, value); - }, - }]; - } + onCreated() { + super.onCreated(); + this._items = this.data().definition.settings.dropdownItems; + this.items = this._items.slice(0); + this.items.unshift({ + _id: '', + name: TAPi18n.__('custom-field-dropdown-none'), + }); + } + + selectedItem() { + const selected = this._items.find((item) => { + return item._id === this.data().value; + }); + return (selected) ? selected.name : TAPi18n.__('custom-field-dropdown-unknown'); + } + + events() { + return [{ + 'submit .js-card-customfield-dropdown'(evt) { + evt.preventDefault(); + const value = this.find('select').value; + this.card.setCustomField(this.customFieldId, value); + }, + }]; + } -}).register('cardCustomField-dropdown'); \ No newline at end of file +}).register('cardCustomField-dropdown'); diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 24e5cf5d..4bf7b369 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -36,9 +36,9 @@ BlazeComponent.extendComponent({ const members = formComponent.members.get(); const labelIds = formComponent.labels.get(); const customFields = formComponent.customFields.get(); - console.log("members", members); - console.log("labelIds", labelIds); - console.log("customFields", customFields); + //console.log('members', members); + //console.log('labelIds', labelIds); + //console.log('customFields', customFields); const boardId = this.data().board()._id; let swimlaneId = ''; diff --git a/client/components/sidebar/sidebarCustomFields.js b/client/components/sidebar/sidebarCustomFields.js index cfa21beb..9fed163c 100644 --- a/client/components/sidebar/sidebarCustomFields.js +++ b/client/components/sidebar/sidebarCustomFields.js @@ -27,11 +27,11 @@ const CreateCustomFieldPopup = BlazeComponent.extendComponent({ types() { const currentType = this.data().type; return this._types. - map(type => {return { + map((type) => {return { value: type, - name: TAPi18n.__('custom-field-' + type), - selected: type == currentType, - }}); + name: TAPi18n.__('custom-field-${type}'), + selected: type === currentType, + };}); }, isTypeNotSelected(type) { @@ -39,7 +39,7 @@ const CreateCustomFieldPopup = BlazeComponent.extendComponent({ }, getDropdownItems() { - var items = this.dropdownItems.get(); + const items = this.dropdownItems.get(); Array.from(this.findAll('.js-field-settings-dropdown input')).forEach((el, index) => { //console.log('each item!', index, el.value); if (!items[index]) items[index] = { @@ -51,12 +51,13 @@ const CreateCustomFieldPopup = BlazeComponent.extendComponent({ }, getSettings() { - let settings = {}; + const settings = {}; switch (this.type.get()) { - case 'dropdown': - let dropdownItems = this.getDropdownItems().filter(item => !!item.name.trim()); - settings.dropdownItems = dropdownItems; - break; + case 'dropdown': { + const dropdownItems = this.getDropdownItems().filter((item) => !!item.name.trim()); + settings.dropdownItems = dropdownItems; + break; + } } return settings; }, @@ -69,7 +70,7 @@ const CreateCustomFieldPopup = BlazeComponent.extendComponent({ }, 'keydown .js-dropdown-item.last'(evt) { if (evt.target.value.trim() && evt.keyCode === 13) { - let items = this.getDropdownItems(); + const items = this.getDropdownItems(); this.dropdownItems.set(items); evt.target.value = ''; } @@ -90,8 +91,8 @@ const CreateCustomFieldPopup = BlazeComponent.extendComponent({ name: this.find('.js-field-name').value.trim(), type: this.type.get(), settings: this.getSettings(), - showOnCard: this.find('.js-field-show-on-card.is-checked') != null - } + showOnCard: this.find('.js-field-show-on-card.is-checked') !== null, + }; // insert or update if (!this.data()._id) { diff --git a/client/lib/datepicker.js b/client/lib/datepicker.js index aac061cf..947970ee 100644 --- a/client/lib/datepicker.js +++ b/client/lib/datepicker.js @@ -1,86 +1,86 @@ DatePicker = BlazeComponent.extendComponent({ - template() { - return 'datepicker'; - }, + template() { + return 'datepicker'; + }, - onCreated() { - this.error = new ReactiveVar(''); - this.card = this.data(); - this.date = new ReactiveVar(moment.invalid()); - }, + onCreated() { + this.error = new ReactiveVar(''); + this.card = this.data(); + this.date = new ReactiveVar(moment.invalid()); + }, - onRendered() { - const $picker = this.$('.js-datepicker').datepicker({ - todayHighlight: true, - todayBtn: 'linked', - language: TAPi18n.getLanguage(), - }).on('changeDate', function(evt) { - this.find('#date').value = moment(evt.date).format('L'); - this.error.set(''); - this.find('#time').focus(); - }.bind(this)); + onRendered() { + const $picker = this.$('.js-datepicker').datepicker({ + todayHighlight: true, + todayBtn: 'linked', + language: TAPi18n.getLanguage(), + }).on('changeDate', function(evt) { + this.find('#date').value = moment(evt.date).format('L'); + this.error.set(''); + this.find('#time').focus(); + }.bind(this)); - if (this.date.get().isValid()) { - $picker.datepicker('update', this.date.get().toDate()); - } - }, + if (this.date.get().isValid()) { + $picker.datepicker('update', this.date.get().toDate()); + } + }, - showDate() { - if (this.date.get().isValid()) - return this.date.get().format('L'); - return ''; - }, - showTime() { - if (this.date.get().isValid()) - return this.date.get().format('LT'); - return ''; - }, - dateFormat() { - return moment.localeData().longDateFormat('L'); - }, - timeFormat() { - return moment.localeData().longDateFormat('LT'); - }, + showDate() { + if (this.date.get().isValid()) + return this.date.get().format('L'); + return ''; + }, + showTime() { + if (this.date.get().isValid()) + return this.date.get().format('LT'); + return ''; + }, + dateFormat() { + return moment.localeData().longDateFormat('L'); + }, + timeFormat() { + return moment.localeData().longDateFormat('LT'); + }, - events() { - return [{ - 'keyup .js-date-field'() { + events() { + return [{ + 'keyup .js-date-field'() { // parse for localized date format in strict mode - const dateMoment = moment(this.find('#date').value, 'L', true); - if (dateMoment.isValid()) { - this.error.set(''); - this.$('.js-datepicker').datepicker('update', dateMoment.toDate()); - } - }, - 'keyup .js-time-field'() { + const dateMoment = moment(this.find('#date').value, 'L', true); + if (dateMoment.isValid()) { + this.error.set(''); + this.$('.js-datepicker').datepicker('update', dateMoment.toDate()); + } + }, + 'keyup .js-time-field'() { // parse for localized time format in strict mode - const dateMoment = moment(this.find('#time').value, 'LT', true); - if (dateMoment.isValid()) { - this.error.set(''); - } - }, - 'submit .edit-date'(evt) { - evt.preventDefault(); + const dateMoment = moment(this.find('#time').value, 'LT', true); + if (dateMoment.isValid()) { + this.error.set(''); + } + }, + 'submit .edit-date'(evt) { + evt.preventDefault(); // if no time was given, init with 12:00 - const time = evt.target.time.value || moment(new Date().setHours(12, 0, 0)).format('LT'); + const time = evt.target.time.value || moment(new Date().setHours(12, 0, 0)).format('LT'); - const dateString = `${evt.target.date.value} ${time}`; - const newDate = moment(dateString, 'L LT', true); - if (newDate.isValid()) { - this._storeDate(newDate.toDate()); - Popup.close(); - } - else { - this.error.set('invalid-date'); - evt.target.date.focus(); - } - }, - 'click .js-delete-date'(evt) { - evt.preventDefault(); - this._deleteDate(); - Popup.close(); - }, - }]; - }, -}); \ No newline at end of file + const dateString = `${evt.target.date.value} ${time}`; + const newDate = moment(dateString, 'L LT', true); + if (newDate.isValid()) { + this._storeDate(newDate.toDate()); + Popup.close(); + } + else { + this.error.set('invalid-date'); + evt.target.date.focus(); + } + }, + 'click .js-delete-date'(evt) { + evt.preventDefault(); + this._deleteDate(); + Popup.close(); + }, + }]; + }, +}); diff --git a/models/cards.js b/models/cards.js index 8b917ee3..d3a741bb 100644 --- a/models/cards.js +++ b/models/cards.js @@ -51,10 +51,10 @@ Cards.attachSchema(new SimpleSchema({ type: String, }, value: { - type: Match.OneOf(String,Number,Boolean,Date), + type: Match.OneOf(String, Number, Boolean, Date), optional: true, }, - }) + }), }, dateLastActivity: { type: Date, @@ -225,9 +225,9 @@ Cards.helpers({ _id: customField._id, value: customField.value, definition: definitions.find((definition) => { - return definition._id == customField._id; - }) - } + return definition._id === customField._id; + }), + }; }); }, @@ -331,10 +331,13 @@ Cards.mutations({ // todo const index = this.customFieldIndex(customFieldId); if (index > -1) { - var update = {$set: {}}; - update.$set["customFields." + index + ".value"] = value; + const update = {$set: {}}; + update.$set['customFields.${index}.value'] = value; return update; } + // TODO + // Ignatz 18.05.2018: Return null to silence ESLint. No Idea if that is correct + return null; }, setCover(coverId) { diff --git a/models/customFields.js b/models/customFields.js index 57875b6e..6c5fe7c4 100644 --- a/models/customFields.js +++ b/models/customFields.js @@ -9,14 +9,14 @@ CustomFields.attachSchema(new SimpleSchema({ }, type: { type: String, - allowedValues: ['text', 'number', 'date', 'dropdown'] + allowedValues: ['text', 'number', 'date', 'dropdown'], }, settings: { type: Object, }, 'settings.dropdownItems': { type: [Object], - optional: true + optional: true, }, 'settings.dropdownItems.$': { type: new SimpleSchema({ @@ -26,11 +26,11 @@ CustomFields.attachSchema(new SimpleSchema({ name: { type: String, }, - }) + }), }, showOnCard: { type: Boolean, - } + }, })); CustomFields.allow({ @@ -76,16 +76,16 @@ if (Meteor.isServer) { //CUSTOM FIELD REST API if (Meteor.isServer) { - JsonRoutes.add('GET', '/api/boards/:boardId/custom-fields', function (req, res, next) { + JsonRoutes.add('GET', '/api/boards/:boardId/custom-fields', function (req, res) { Authentication.checkUserId( req.userId); const paramBoardId = req.params.boardId; JsonRoutes.sendResult(res, { code: 200, - data: CustomFields.find({ boardId: paramBoardId }) + data: CustomFields.find({ boardId: paramBoardId }), }); }); - JsonRoutes.add('GET', '/api/boards/:boardId/custom-fields/:customFieldId', function (req, res, next) { + JsonRoutes.add('GET', '/api/boards/:boardId/custom-fields/:customFieldId', function (req, res) { Authentication.checkUserId( req.userId); const paramBoardId = req.params.boardId; const paramCustomFieldId = req.params.customFieldId; @@ -95,7 +95,7 @@ if (Meteor.isServer) { }); }); - JsonRoutes.add('POST', '/api/boards/:boardId/custom-fields', function (req, res, next) { + JsonRoutes.add('POST', '/api/boards/:boardId/custom-fields', function (req, res) { Authentication.checkUserId( req.userId); const paramBoardId = req.params.boardId; const id = CustomFields.direct.insert({ @@ -117,7 +117,7 @@ if (Meteor.isServer) { }); }); - JsonRoutes.add('DELETE', '/api/boards/:boardId/custom-fields/:customFieldId', function (req, res, next) { + JsonRoutes.add('DELETE', '/api/boards/:boardId/custom-fields/:customFieldId', function (req, res) { Authentication.checkUserId( req.userId); const paramBoardId = req.params.boardId; const id = req.params.customFieldId; -- cgit v1.2.3-1-g7c22 From 838578657da4ed46be0e32091120c7554b07c102 Mon Sep 17 00:00:00 2001 From: Ignatz Date: Fri, 18 May 2018 10:43:43 +0200 Subject: template literals correction --- client/components/cards/cardCustomFields.js | 2 +- client/components/sidebar/sidebarCustomFields.js | 2 +- models/cards.js | 2 +- 3 files changed, 3 insertions(+), 3 deletions(-) diff --git a/client/components/cards/cardCustomFields.js b/client/components/cards/cardCustomFields.js index 821ca02b..019fcab5 100644 --- a/client/components/cards/cardCustomFields.js +++ b/client/components/cards/cardCustomFields.js @@ -24,7 +24,7 @@ Template.cardCustomFieldsPopup.events({ const CardCustomField = BlazeComponent.extendComponent({ getTemplate() { - return 'cardCustomField-${this.data().definition.type}'; + return `cardCustomField-${this.data().definition.type}`; }, onCreated() { diff --git a/client/components/sidebar/sidebarCustomFields.js b/client/components/sidebar/sidebarCustomFields.js index 9fed163c..d74a5919 100644 --- a/client/components/sidebar/sidebarCustomFields.js +++ b/client/components/sidebar/sidebarCustomFields.js @@ -29,7 +29,7 @@ const CreateCustomFieldPopup = BlazeComponent.extendComponent({ return this._types. map((type) => {return { value: type, - name: TAPi18n.__('custom-field-${type}'), + name: TAPi18n.__(`custom-field-${type}`), selected: type === currentType, };}); }, diff --git a/models/cards.js b/models/cards.js index d3a741bb..c77cd682 100644 --- a/models/cards.js +++ b/models/cards.js @@ -332,7 +332,7 @@ Cards.mutations({ const index = this.customFieldIndex(customFieldId); if (index > -1) { const update = {$set: {}}; - update.$set['customFields.${index}.value'] = value; + update.$set[`customFields.${index}.value`] = value; return update; } // TODO -- cgit v1.2.3-1-g7c22 From 3bf4f3ef40a50b2471d0a6a402c443760ce4427b Mon Sep 17 00:00:00 2001 From: Ignatz Date: Fri, 18 May 2018 11:03:04 +0200 Subject: Line Endings back to Unix (Was Temporarly on Windows) --- .eslintrc.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.eslintrc.json b/.eslintrc.json index 06d3f001..255e00ba 100644 --- a/.eslintrc.json +++ b/.eslintrc.json @@ -32,7 +32,7 @@ "comma-spacing": 2, "comma-style": 2, "eol-last": 2, - "linebreak-style": [2, "windows"], + "linebreak-style": [2, "unix"], "new-parens": 2, "no-lonely-if": 2, "no-multiple-empty-lines": 2, -- cgit v1.2.3-1-g7c22 From 1f3b5604c059eb6a5b027e4d3142a02d417c5154 Mon Sep 17 00:00:00 2001 From: "greenkeeper[bot]" Date: Fri, 18 May 2018 09:09:21 +0000 Subject: chore(package): update dependencies --- package.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/package.json b/package.json index 1d62fdb6..4e0509df 100644 --- a/package.json +++ b/package.json @@ -20,7 +20,7 @@ }, "homepage": "https://wekan.github.io", "devDependencies": { - "eslint": "^2.0.0" + "eslint": "^4.19.1" }, "dependencies": { "babel-runtime": "^6.26.0", -- cgit v1.2.3-1-g7c22 From 61b240d126bcce7adcdb303c5b01a202dc7fa395 Mon Sep 17 00:00:00 2001 From: "greenkeeper[bot]" Date: Fri, 18 May 2018 09:09:23 +0000 Subject: docs(readme): add Greenkeeper badge --- README.md | 2 ++ 1 file changed, 2 insertions(+) diff --git a/README.md b/README.md index ba9a3a10..273b7793 100644 --- a/README.md +++ b/README.md @@ -1,5 +1,7 @@ # Wekan +[![Greenkeeper badge](https://badges.greenkeeper.io/wekan/wekan.svg)](https://greenkeeper.io/) + [![Translate Wekan at Transifex](https://img.shields.io/badge/Translate%20Wekan-at%20Transifex-brightgreen.svg "Freenode IRC")](https://transifex.com/wekan/wekan) [![Wekan Vanila Chat][vanila_badge]][vanila_chat] -- cgit v1.2.3-1-g7c22 From ef99e6a6b1cd8d55fdab9ff94e7bfc3d5c538b8f Mon Sep 17 00:00:00 2001 From: Ignatz Date: Fri, 18 May 2018 11:13:01 +0200 Subject: indend corrections --- client/components/cards/cardCustomFields.js | 6 +++--- client/components/sidebar/sidebarCustomFields.js | 10 +++++----- client/lib/datepicker.js | 6 +++--- 3 files changed, 11 insertions(+), 11 deletions(-) diff --git a/client/components/cards/cardCustomFields.js b/client/components/cards/cardCustomFields.js index 019fcab5..aa50caec 100644 --- a/client/components/cards/cardCustomFields.js +++ b/client/components/cards/cardCustomFields.js @@ -95,9 +95,9 @@ CardCustomField.register('cardCustomField'); } showDate() { - // this will start working once mquandalle:moment - // is updated to at least moment.js 2.10.5 - // until then, the date is displayed in the "L" format + // this will start working once mquandalle:moment + // is updated to at least moment.js 2.10.5 + // until then, the date is displayed in the "L" format return this.date.get().calendar(null, { sameElse: 'llll', }); diff --git a/client/components/sidebar/sidebarCustomFields.js b/client/components/sidebar/sidebarCustomFields.js index d74a5919..e56d744e 100644 --- a/client/components/sidebar/sidebarCustomFields.js +++ b/client/components/sidebar/sidebarCustomFields.js @@ -27,11 +27,11 @@ const CreateCustomFieldPopup = BlazeComponent.extendComponent({ types() { const currentType = this.data().type; return this._types. - map((type) => {return { - value: type, - name: TAPi18n.__(`custom-field-${type}`), - selected: type === currentType, - };}); + map((type) => {return { + value: type, + name: TAPi18n.__(`custom-field-${type}`), + selected: type === currentType, + };}); }, isTypeNotSelected(type) { diff --git a/client/lib/datepicker.js b/client/lib/datepicker.js index 947970ee..ab2da0bd 100644 --- a/client/lib/datepicker.js +++ b/client/lib/datepicker.js @@ -45,7 +45,7 @@ DatePicker = BlazeComponent.extendComponent({ events() { return [{ 'keyup .js-date-field'() { - // parse for localized date format in strict mode + // parse for localized date format in strict mode const dateMoment = moment(this.find('#date').value, 'L', true); if (dateMoment.isValid()) { this.error.set(''); @@ -53,7 +53,7 @@ DatePicker = BlazeComponent.extendComponent({ } }, 'keyup .js-time-field'() { - // parse for localized time format in strict mode + // parse for localized time format in strict mode const dateMoment = moment(this.find('#time').value, 'LT', true); if (dateMoment.isValid()) { this.error.set(''); @@ -62,7 +62,7 @@ DatePicker = BlazeComponent.extendComponent({ 'submit .edit-date'(evt) { evt.preventDefault(); - // if no time was given, init with 12:00 + // if no time was given, init with 12:00 const time = evt.target.time.value || moment(new Date().setHours(12, 0, 0)).format('LT'); const dateString = `${evt.target.date.value} ${time}`; -- cgit v1.2.3-1-g7c22 From 9b465bc98bd0e0125fa1d99369f1ed7ee47d9e63 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 18 May 2018 15:20:20 +0300 Subject: Fix lint errors back to eslint requirements. --- models/attachments.js | 158 +++++++++++++++++++++++++------------------------- sandstorm.js | 10 ++-- server/migrations.js | 12 ++-- 3 files changed, 90 insertions(+), 90 deletions(-) diff --git a/models/attachments.js b/models/attachments.js index 5e5c4926..91dd0dbc 100644 --- a/models/attachments.js +++ b/models/attachments.js @@ -1,90 +1,90 @@ - Attachments = new FS.Collection('attachments', { - stores: [ +Attachments = new FS.Collection('attachments', { + stores: [ - // XXX Add a new store for cover thumbnails so we don't load big images in - // the general board view - new FS.Store.GridFS('attachments', { - // If the uploaded document is not an image we need to enforce browser - // download instead of execution. This is particularly important for HTML - // files that the browser will just execute if we don't serve them with the - // appropriate `application/octet-stream` MIME header which can lead to user - // data leaks. I imagine other formats (like PDF) can also be attack vectors. - // See https://github.com/wekan/wekan/issues/99 - // XXX Should we use `beforeWrite` option of CollectionFS instead of - // collection-hooks? - // We should use `beforeWrite`. - beforeWrite: (fileObj) => { - if (!fileObj.isImage()) { - return { - type: 'application/octet-stream', - }; - } - return {}; - }, - }), - ], - }); - - - if (Meteor.isServer) { - Attachments.allow({ - insert(userId, doc) { - return allowIsBoardMember(userId, Boards.findOne(doc.boardId)); - }, - update(userId, doc) { - return allowIsBoardMember(userId, Boards.findOne(doc.boardId)); - }, - remove(userId, doc) { - return allowIsBoardMember(userId, Boards.findOne(doc.boardId)); - }, - // We authorize the attachment download either: - // - if the board is public, everyone (even unconnected) can download it - // - if the board is private, only board members can download it - download(userId, doc) { - const board = Boards.findOne(doc.boardId); - if (board.isPublic()) { - return true; - } else { - return board.hasMember(userId); + // XXX Add a new store for cover thumbnails so we don't load big images in + // the general board view + new FS.Store.GridFS('attachments', { + // If the uploaded document is not an image we need to enforce browser + // download instead of execution. This is particularly important for HTML + // files that the browser will just execute if we don't serve them with the + // appropriate `application/octet-stream` MIME header which can lead to user + // data leaks. I imagine other formats (like PDF) can also be attack vectors. + // See https://github.com/wekan/wekan/issues/99 + // XXX Should we use `beforeWrite` option of CollectionFS instead of + // collection-hooks? + // We should use `beforeWrite`. + beforeWrite: (fileObj) => { + if (!fileObj.isImage()) { + return { + type: 'application/octet-stream', + }; } + return {}; }, + }), + ], +}); - fetch: ['boardId'], - }); - } - - // XXX Enforce a schema for the Attachments CollectionFS - if (Meteor.isServer) { - Attachments.files.after.insert((userId, doc) => { - // If the attachment doesn't have a source field - // or its source is different than import - if (!doc.source || doc.source !== 'import') { - // Add activity about adding the attachment - Activities.insert({ - userId, - type: 'card', - activityType: 'addAttachment', - attachmentId: doc._id, - boardId: doc.boardId, - cardId: doc.cardId, - }); +if (Meteor.isServer) { + Attachments.allow({ + insert(userId, doc) { + return allowIsBoardMember(userId, Boards.findOne(doc.boardId)); + }, + update(userId, doc) { + return allowIsBoardMember(userId, Boards.findOne(doc.boardId)); + }, + remove(userId, doc) { + return allowIsBoardMember(userId, Boards.findOne(doc.boardId)); + }, + // We authorize the attachment download either: + // - if the board is public, everyone (even unconnected) can download it + // - if the board is private, only board members can download it + download(userId, doc) { + const board = Boards.findOne(doc.boardId); + if (board.isPublic()) { + return true; } else { - // Don't add activity about adding the attachment as the activity - // be imported and delete source field - Attachments.update({ - _id: doc._id, - }, { - $unset: { - source: '', - }, - }); + return board.hasMember(userId); } - }); + }, + + fetch: ['boardId'], + }); +} - Attachments.files.after.remove((userId, doc) => { - Activities.remove({ +// XXX Enforce a schema for the Attachments CollectionFS + +if (Meteor.isServer) { + Attachments.files.after.insert((userId, doc) => { + // If the attachment doesn't have a source field + // or its source is different than import + if (!doc.source || doc.source !== 'import') { + // Add activity about adding the attachment + Activities.insert({ + userId, + type: 'card', + activityType: 'addAttachment', attachmentId: doc._id, + boardId: doc.boardId, + cardId: doc.cardId, }); + } else { + // Don't add activity about adding the attachment as the activity + // be imported and delete source field + Attachments.update({ + _id: doc._id, + }, { + $unset: { + source: '', + }, + }); + } + }); + + Attachments.files.after.remove((userId, doc) => { + Activities.remove({ + attachmentId: doc._id, }); - } + }); +} diff --git a/sandstorm.js b/sandstorm.js index 3ea85fef..d34bc015 100644 --- a/sandstorm.js +++ b/sandstorm.js @@ -75,7 +75,7 @@ if (isSandstorm && Meteor.isServer) { session.claimRequest(token).then((response) => { const identity = response.cap.castAs(Identity.Identity); const promises = [api.getIdentityId(identity), identity.getProfile(), - httpBridge.saveIdentity(identity)]; + httpBridge.saveIdentity(identity)]; return Promise.all(promises).then((responses) => { const identityId = responses[0].id.toString('hex').slice(0, 32); const profile = responses[1].profile; @@ -115,9 +115,9 @@ if (isSandstorm && Meteor.isServer) { const identity = response.identity; return identity.getProfile().then(() => { return { identity, - mentioned: !!user.mentioned, - subscribed: !!user.subscribed, - }; + mentioned: !!user.mentioned, + subscribed: !!user.subscribed, + }; }); }).catch(() => { // Ignore identities that fail to restore. Either they were added before we set @@ -132,7 +132,7 @@ if (isSandstorm && Meteor.isServer) { return session.activity(event); }).then(() => done(), - (e) => done(e)); + (e) => done(e)); })(); } diff --git a/server/migrations.js b/server/migrations.js index 0fdd1fe0..ba5ccd98 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -167,9 +167,9 @@ Migrations.add('add-swimlanes', () => { Cards.find({ boardId: board._id }).forEach((card) => { if (!card.hasOwnProperty('swimlaneId')) { Cards.direct.update( - { _id: card._id }, - { $set: { swimlaneId } }, - noValidate + { _id: card._id }, + { $set: { swimlaneId } }, + noValidate ); } }); @@ -180,9 +180,9 @@ Migrations.add('add-views', () => { Boards.find().forEach((board) => { if (!board.hasOwnProperty('view')) { Boards.direct.update( - { _id: board._id }, - { $set: { view: 'board-view-swimlanes' } }, - noValidate + { _id: board._id }, + { $set: { view: 'board-view-swimlanes' } }, + noValidate ); } }); -- cgit v1.2.3-1-g7c22 From 22882a0603a4d7f429ded495fffc6d84054d0240 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 18 May 2018 16:11:32 +0300 Subject: Update translations. --- i18n/ar.i18n.json | 22 ++++++++++++++++++++++ i18n/bg.i18n.json | 22 ++++++++++++++++++++++ i18n/br.i18n.json | 22 ++++++++++++++++++++++ i18n/ca.i18n.json | 22 ++++++++++++++++++++++ i18n/cs.i18n.json | 22 ++++++++++++++++++++++ i18n/de.i18n.json | 22 ++++++++++++++++++++++ i18n/el.i18n.json | 22 ++++++++++++++++++++++ i18n/en-GB.i18n.json | 22 ++++++++++++++++++++++ i18n/eo.i18n.json | 22 ++++++++++++++++++++++ i18n/es-AR.i18n.json | 22 ++++++++++++++++++++++ i18n/es.i18n.json | 22 ++++++++++++++++++++++ i18n/eu.i18n.json | 22 ++++++++++++++++++++++ i18n/fa.i18n.json | 22 ++++++++++++++++++++++ i18n/fi.i18n.json | 22 ++++++++++++++++++++++ i18n/fr.i18n.json | 22 ++++++++++++++++++++++ i18n/gl.i18n.json | 22 ++++++++++++++++++++++ i18n/he.i18n.json | 22 ++++++++++++++++++++++ i18n/hu.i18n.json | 22 ++++++++++++++++++++++ i18n/hy.i18n.json | 22 ++++++++++++++++++++++ i18n/id.i18n.json | 22 ++++++++++++++++++++++ i18n/ig.i18n.json | 22 ++++++++++++++++++++++ i18n/it.i18n.json | 22 ++++++++++++++++++++++ i18n/ja.i18n.json | 22 ++++++++++++++++++++++ i18n/ko.i18n.json | 22 ++++++++++++++++++++++ i18n/lv.i18n.json | 22 ++++++++++++++++++++++ i18n/mn.i18n.json | 22 ++++++++++++++++++++++ i18n/nb.i18n.json | 22 ++++++++++++++++++++++ i18n/nl.i18n.json | 22 ++++++++++++++++++++++ i18n/pl.i18n.json | 22 ++++++++++++++++++++++ i18n/pt-BR.i18n.json | 22 ++++++++++++++++++++++ i18n/pt.i18n.json | 22 ++++++++++++++++++++++ i18n/ro.i18n.json | 22 ++++++++++++++++++++++ i18n/ru.i18n.json | 22 ++++++++++++++++++++++ i18n/sr.i18n.json | 22 ++++++++++++++++++++++ i18n/sv.i18n.json | 22 ++++++++++++++++++++++ i18n/ta.i18n.json | 22 ++++++++++++++++++++++ i18n/th.i18n.json | 22 ++++++++++++++++++++++ i18n/tr.i18n.json | 22 ++++++++++++++++++++++ i18n/uk.i18n.json | 22 ++++++++++++++++++++++ i18n/vi.i18n.json | 22 ++++++++++++++++++++++ i18n/zh-CN.i18n.json | 22 ++++++++++++++++++++++ i18n/zh-TW.i18n.json | 22 ++++++++++++++++++++++ 42 files changed, 924 insertions(+) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 4e77fa42..7c470976 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "علق على __comment__ : __card__", "act-createBoard": "احدث __board__", "act-createCard": "اضاف __card__ الى __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "اضاف __list__ الى __board__", "act-addBoardMember": "اضاف __member__ الى __board__", "act-archivedBoard": "__board__ moved to Recycle Bin", @@ -30,6 +31,7 @@ "activity-archived": "%s moved to Recycle Bin", "activity-attached": "إرفاق %s ل %s", "activity-created": "أنشأ %s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "استبعاد %s عن %s", "activity-imported": "imported %s into %s from %s", "activity-imported-board": "imported %s from %s", @@ -111,6 +113,7 @@ "card-due-on": "مستحق في", "card-spent": "Spent Time", "card-edit-attachments": "تعديل المرفقات", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "تعديل العلامات", "card-edit-members": "تعديل الأعضاء", "card-labels-title": "تعديل علامات البطاقة.", @@ -118,6 +121,8 @@ "card-start": "بداية", "card-start-on": "يبدأ في", "cardAttachmentsPopup-title": "إرفاق من", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "حذف البطاقة ?", "cardDetailsActionsPopup-title": "إجراءات على البطاقة", "cardLabelsPopup-title": "علامات", @@ -167,11 +172,25 @@ "createBoardPopup-title": "إنشاء لوحة", "chooseBoardSourcePopup-title": "استيراد لوحة", "createLabelPopup-title": "إنشاء علامة", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "الحالي", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "تاريخ", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "تاريخ", "decline": "Decline", "default-avatar": "صورة شخصية افتراضية", "delete": "حذف", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "حذف العلامة ?", "description": "وصف", "disambiguateMultiLabelPopup-title": "تحديد الإجراء على العلامة", @@ -186,6 +205,7 @@ "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "تغيير تاريخ البدء", "editCardDueDatePopup-title": "تغيير تاريخ الاستحقاق", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Change spent time", "editLabelPopup-title": "تعديل العلامة", "editNotificationPopup-title": "تصحيح الإشعار", @@ -366,6 +386,7 @@ "title": "عنوان", "tracking": "تتبع", "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", "unassign-member": "إلغاء تعيين العضو", "unsaved-description": "لديك وصف غير محفوظ", "unwatch": "غير مُشاهد", @@ -430,6 +451,7 @@ "hours": "الساعات", "minutes": "الدقائق", "seconds": "الثواني", + "show-field-on-card": "Show this field on card", "yes": "نعم", "no": "لا", "accounts": "الحسابات", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 26fea252..39cf7a47 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "Коментира в __card__: __comment__", "act-createBoard": "created __board__", "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "added __list__ to __board__", "act-addBoardMember": "added __member__ to __board__", "act-archivedBoard": "__board__ moved to Recycle Bin", @@ -30,6 +31,7 @@ "activity-archived": "%s moved to Recycle Bin", "activity-attached": "прикачи %s към %s", "activity-created": "създаде %s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "изключи %s от %s", "activity-imported": "импортира %s в/във %s от %s", "activity-imported-board": "импортира %s от %s", @@ -111,6 +113,7 @@ "card-due-on": "Готова за", "card-spent": "Изработено време", "card-edit-attachments": "Промени прикачените файлове", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Промени етикетите", "card-edit-members": "Промени членовете", "card-labels-title": "Променете етикетите за тази карта", @@ -118,6 +121,8 @@ "card-start": "Начало", "card-start-on": "Starts on", "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Желаете да изтриете картата?", "cardDetailsActionsPopup-title": "Опции", "cardLabelsPopup-title": "Етикети", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Create Board", "chooseBoardSourcePopup-title": "Import board", "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Дата", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Дата", "decline": "Decline", "default-avatar": "Основен аватар", "delete": "Изтрий", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Желаете да изтриете етикета?", "description": "Описание", "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", @@ -186,6 +205,7 @@ "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "Промени началната дата", "editCardDueDatePopup-title": "Промени датата за готовност", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Промени изработеното време", "editLabelPopup-title": "Change Label", "editNotificationPopup-title": "Промени известията", @@ -366,6 +386,7 @@ "title": "Title", "tracking": "Следене", "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", "unassign-member": "Unassign member", "unsaved-description": "You have an unsaved description.", "unwatch": "Спри наблюдаването", @@ -430,6 +451,7 @@ "hours": "часа", "minutes": "минути", "seconds": "секунди", + "show-field-on-card": "Show this field on card", "yes": "Да", "no": "Не", "accounts": "Профили", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index 817615bf..7f2c7479 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "commented on __card__: __comment__", "act-createBoard": "created __board__", "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "added __list__ to __board__", "act-addBoardMember": "added __member__ to __board__", "act-archivedBoard": "__board__ moved to Recycle Bin", @@ -30,6 +31,7 @@ "activity-archived": "%s moved to Recycle Bin", "activity-attached": "%s liammet ouzh %s", "activity-created": "%s krouet", + "activity-customfield-created": "created custom field %s", "activity-excluded": "excluded %s from %s", "activity-imported": "%s enporzhiet eus %s da %s", "activity-imported-board": "%s enporzhiet da %s", @@ -111,6 +113,7 @@ "card-due-on": "Due on", "card-spent": "Spent Time", "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Edit labels", "card-edit-members": "Edit members", "card-labels-title": "Change the labels for the card.", @@ -118,6 +121,8 @@ "card-start": "Start", "card-start-on": "Starts on", "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Diverkañ ar gartenn ?", "cardDetailsActionsPopup-title": "Card Actions", "cardLabelsPopup-title": "Labels", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Create Board", "chooseBoardSourcePopup-title": "Import board", "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Date", "decline": "Decline", "default-avatar": "Default avatar", "delete": "Diverkañ", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Delete Label?", "description": "Description", "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", @@ -186,6 +205,7 @@ "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "Change start date", "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Change spent time", "editLabelPopup-title": "Change Label", "editNotificationPopup-title": "Edit Notification", @@ -366,6 +386,7 @@ "title": "Title", "tracking": "Tracking", "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", "unassign-member": "Unassign member", "unsaved-description": "You have an unsaved description.", "unwatch": "Unwatch", @@ -430,6 +451,7 @@ "hours": "hours", "minutes": "minutes", "seconds": "seconds", + "show-field-on-card": "Show this field on card", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 02e07af8..6d49f9fc 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "comentat a __card__: __comment__", "act-createBoard": "creat __board__", "act-createCard": "afegit/da __card__ a __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "afegit/da __list__ a __board__", "act-addBoardMember": "afegit/da __member__ a __board__", "act-archivedBoard": "__board__ moved to Recycle Bin", @@ -30,6 +31,7 @@ "activity-archived": "%s moved to Recycle Bin", "activity-attached": "ha adjuntat %s a %s", "activity-created": "ha creat %s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "ha exclòs %s de %s", "activity-imported": "importat %s dins %s des de %s", "activity-imported-board": "importat %s des de %s", @@ -111,6 +113,7 @@ "card-due-on": "Finalitza a", "card-spent": "Temps Dedicat", "card-edit-attachments": "Edita arxius adjunts", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Edita etiquetes", "card-edit-members": "Edita membres", "card-labels-title": "Canvia les etiquetes de la fitxa", @@ -118,6 +121,8 @@ "card-start": "Comença", "card-start-on": "Comença a", "cardAttachmentsPopup-title": "Adjunta des de", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Esborrar fitxa?", "cardDetailsActionsPopup-title": "Accions de fitxes", "cardLabelsPopup-title": "Etiquetes", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Crea tauler", "chooseBoardSourcePopup-title": "Importa Tauler", "createLabelPopup-title": "Crea etiqueta", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "Actual", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Data", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Data", "decline": "Declina", "default-avatar": "Avatar per defecte", "delete": "Esborra", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Esborra etiqueta", "description": "Descripció", "disambiguateMultiLabelPopup-title": "Desfe l'ambigüitat en les etiquetes", @@ -186,6 +205,7 @@ "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "Canvia data d'inici", "editCardDueDatePopup-title": "Canvia data de finalització", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Canvia temps dedicat", "editLabelPopup-title": "Canvia etiqueta", "editNotificationPopup-title": "Edita la notificació", @@ -366,6 +386,7 @@ "title": "Títol", "tracking": "En seguiment", "tracking-info": "Seràs notificat per cada canvi a aquelles fitxes de les que n'eres creador o membre", + "type": "Type", "unassign-member": "Desassignar membre", "unsaved-description": "Tens una descripció sense desar.", "unwatch": "Suprimeix observació", @@ -430,6 +451,7 @@ "hours": "hores", "minutes": "minuts", "seconds": "segons", + "show-field-on-card": "Show this field on card", "yes": "Si", "no": "No", "accounts": "Comptes", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 09c6f4e6..46d0cb70 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "komentář k __card__: __comment__", "act-createBoard": "přidání __board__", "act-createCard": "přidání __card__ do __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "přidání __list__ do __board__", "act-addBoardMember": "přidání __member__ do __board__", "act-archivedBoard": "__board__ bylo přesunuto do koše", @@ -30,6 +31,7 @@ "activity-archived": "%s bylo přesunuto do koše", "activity-attached": "přiloženo %s k %s", "activity-created": "%s vytvořeno", + "activity-customfield-created": "created custom field %s", "activity-excluded": "%s vyjmuto z %s", "activity-imported": "importován %s do %s z %s", "activity-imported-board": "importován %s z %s", @@ -111,6 +113,7 @@ "card-due-on": "Do", "card-spent": "Strávený čas", "card-edit-attachments": "Upravit přílohy", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Upravit štítky", "card-edit-members": "Upravit členy", "card-labels-title": "Změnit štítky karty.", @@ -118,6 +121,8 @@ "card-start": "Start", "card-start-on": "Začít dne", "cardAttachmentsPopup-title": "Přiložit formulář", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Smazat kartu?", "cardDetailsActionsPopup-title": "Akce karty", "cardLabelsPopup-title": "Štítky", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Vytvořit tablo", "chooseBoardSourcePopup-title": "Importovat tablo", "createLabelPopup-title": "Vytvořit štítek", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "Aktuální", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Datum", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Datum", "decline": "Zamítnout", "default-avatar": "Výchozí avatar", "delete": "Smazat", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Smazat štítek?", "description": "Popis", "disambiguateMultiLabelPopup-title": "Dvojznačný štítek akce", @@ -186,6 +205,7 @@ "soft-wip-limit": "Mírný WIP limit", "editCardStartDatePopup-title": "Změnit datum startu úkolu", "editCardDueDatePopup-title": "Změnit datum dokončení úkolu", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Změnit strávený čas", "editLabelPopup-title": "Změnit štítek", "editNotificationPopup-title": "Změnit notifikace", @@ -366,6 +386,7 @@ "title": "Název", "tracking": "Pozorující", "tracking-info": "Budete informováni o všech změnách v kartách, u kterých jste tvůrce nebo člen.", + "type": "Type", "unassign-member": "Vyřadit člena", "unsaved-description": "Popis neni uložen.", "unwatch": "Přestat sledovat", @@ -430,6 +451,7 @@ "hours": "hodin", "minutes": "minut", "seconds": "sekund", + "show-field-on-card": "Show this field on card", "yes": "Ano", "no": "Ne", "accounts": "Účty", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index ee508a2c..a823daf2 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "hat __card__ kommentiert: __comment__", "act-createBoard": "hat __board__ erstellt", "act-createCard": "hat __card__ zu __list__ hinzugefügt", + "act-createCustomField": "created custom field __customField__", "act-createList": "hat __list__ zu __board__ hinzugefügt", "act-addBoardMember": "hat __member__ zu __board__ hinzugefügt", "act-archivedBoard": "__board__ in den Papierkorb verschoben", @@ -30,6 +31,7 @@ "activity-archived": "%s in den Papierkorb verschoben", "activity-attached": "hat %s an %s angehängt", "activity-created": "hat %s erstellt", + "activity-customfield-created": "created custom field %s", "activity-excluded": "hat %s von %s ausgeschlossen", "activity-imported": "hat %s in %s von %s importiert", "activity-imported-board": "hat %s von %s importiert", @@ -111,6 +113,7 @@ "card-due-on": "Fällig am", "card-spent": "Aufgewendete Zeit", "card-edit-attachments": "Anhänge ändern", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Labels ändern", "card-edit-members": "Mitglieder ändern", "card-labels-title": "Labels für diese Karte ändern.", @@ -118,6 +121,8 @@ "card-start": "Start", "card-start-on": "Start am", "cardAttachmentsPopup-title": "Anhängen von", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Karte löschen?", "cardDetailsActionsPopup-title": "Kartenaktionen", "cardLabelsPopup-title": "Labels", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Board erstellen", "chooseBoardSourcePopup-title": "Board importieren", "createLabelPopup-title": "Label erstellen", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "aktuell", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Datum", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Datum", "decline": "Ablehnen", "default-avatar": "Standard Profilbild", "delete": "Löschen", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Label löschen?", "description": "Beschreibung", "disambiguateMultiLabelPopup-title": "Labels vereinheitlichen", @@ -186,6 +205,7 @@ "soft-wip-limit": "Soft WIP-Limit", "editCardStartDatePopup-title": "Startdatum ändern", "editCardDueDatePopup-title": "Fälligkeitsdatum ändern", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Aufgewendete Zeit ändern", "editLabelPopup-title": "Label ändern", "editNotificationPopup-title": "Benachrichtigung ändern", @@ -366,6 +386,7 @@ "title": "Titel", "tracking": "Folgen", "tracking-info": "Sie werden über alle Änderungen an Karten benachrichtigt, an denen Sie als Ersteller oder Mitglied beteiligt sind.", + "type": "Type", "unassign-member": "Mitglied entfernen", "unsaved-description": "Sie haben eine nicht gespeicherte Änderung.", "unwatch": "Beobachtung entfernen", @@ -430,6 +451,7 @@ "hours": "Stunden", "minutes": "Minuten", "seconds": "Sekunden", + "show-field-on-card": "Show this field on card", "yes": "Ja", "no": "Nein", "accounts": "Konten", diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 0befbe1f..09b8fda7 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "commented on __card__: __comment__", "act-createBoard": "created __board__", "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "added __list__ to __board__", "act-addBoardMember": "added __member__ to __board__", "act-archivedBoard": "__board__ moved to Recycle Bin", @@ -30,6 +31,7 @@ "activity-archived": "%s moved to Recycle Bin", "activity-attached": "attached %s to %s", "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "excluded %s from %s", "activity-imported": "imported %s into %s from %s", "activity-imported-board": "imported %s from %s", @@ -111,6 +113,7 @@ "card-due-on": "Έως τις", "card-spent": "Spent Time", "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Edit labels", "card-edit-members": "Edit members", "card-labels-title": "Change the labels for the card.", @@ -118,6 +121,8 @@ "card-start": "Start", "card-start-on": "Starts on", "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Διαγραφή Κάρτας;", "cardDetailsActionsPopup-title": "Card Actions", "cardLabelsPopup-title": "Ετικέτες", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Create Board", "chooseBoardSourcePopup-title": "Import board", "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Ημερομηνία", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Ημερομηνία", "decline": "Decline", "default-avatar": "Default avatar", "delete": "Διαγραφή", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Delete Label?", "description": "Description", "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", @@ -186,6 +205,7 @@ "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "Change start date", "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Change spent time", "editLabelPopup-title": "Change Label", "editNotificationPopup-title": "Edit Notification", @@ -366,6 +386,7 @@ "title": "Τίτλος", "tracking": "Tracking", "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", "unassign-member": "Unassign member", "unsaved-description": "You have an unsaved description.", "unwatch": "Unwatch", @@ -430,6 +451,7 @@ "hours": "ώρες", "minutes": "λεπτά", "seconds": "δευτερόλεπτα", + "show-field-on-card": "Show this field on card", "yes": "Ναι", "no": "Όχι", "accounts": "Λογαριασμοί", diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index d9b4c0f9..8f8f5c4e 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "commented on __card__: __comment__", "act-createBoard": "created __board__", "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "added __list__ to __board__", "act-addBoardMember": "added __member__ to __board__", "act-archivedBoard": "__board__ moved to Recycle Bin", @@ -30,6 +31,7 @@ "activity-archived": "%s moved to Recycle Bin", "activity-attached": "attached %s to %s", "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "excluded %s from %s", "activity-imported": "imported %s into %s from %s", "activity-imported-board": "imported %s from %s", @@ -111,6 +113,7 @@ "card-due-on": "Due on", "card-spent": "Spent Time", "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Edit labels", "card-edit-members": "Edit members", "card-labels-title": "Change the labels for the card.", @@ -118,6 +121,8 @@ "card-start": "Start", "card-start-on": "Starts on", "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Delete Card?", "cardDetailsActionsPopup-title": "Card Actions", "cardLabelsPopup-title": "Labels", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Create Board", "chooseBoardSourcePopup-title": "Import board", "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Date", "decline": "Decline", "default-avatar": "Default avatar", "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Delete Label?", "description": "Description", "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", @@ -186,6 +205,7 @@ "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "Change start date", "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Change spent time", "editLabelPopup-title": "Change Label", "editNotificationPopup-title": "Edit Notification", @@ -366,6 +386,7 @@ "title": "Title", "tracking": "Tracking", "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", "unassign-member": "Unassign member", "unsaved-description": "You have an unsaved description.", "unwatch": "Unwatch", @@ -430,6 +451,7 @@ "hours": "hours", "minutes": "minutes", "seconds": "seconds", + "show-field-on-card": "Show this field on card", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index 5b783648..177c2270 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "commented on __card__: __comment__", "act-createBoard": "Kreiis __board__", "act-createCard": "Aldonis __card__ al __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "Aldonis __card__ al __board__", "act-addBoardMember": "Aldonis __member__ al __board__", "act-archivedBoard": "__board__ moved to Recycle Bin", @@ -30,6 +31,7 @@ "activity-archived": "%s moved to Recycle Bin", "activity-attached": "attached %s to %s", "activity-created": "Kreiis %s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "excluded %s from %s", "activity-imported": "imported %s into %s from %s", "activity-imported-board": "imported %s from %s", @@ -111,6 +113,7 @@ "card-due-on": "Due on", "card-spent": "Spent Time", "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Redakti etikedojn", "card-edit-members": "Redakti membrojn", "card-labels-title": "Change the labels for the card.", @@ -118,6 +121,8 @@ "card-start": "Komenco", "card-start-on": "Komencas je la", "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Delete Card?", "cardDetailsActionsPopup-title": "Card Actions", "cardLabelsPopup-title": "Etikedoj", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Krei tavolon", "chooseBoardSourcePopup-title": "Import board", "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Dato", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Dato", "decline": "Decline", "default-avatar": "Default avatar", "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Delete Label?", "description": "Description", "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", @@ -186,6 +205,7 @@ "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "Redakti komencdaton", "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Change spent time", "editLabelPopup-title": "Ŝanĝi etikedon", "editNotificationPopup-title": "Edit Notification", @@ -366,6 +386,7 @@ "title": "Titolo", "tracking": "Tracking", "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", "unassign-member": "Unassign member", "unsaved-description": "You have an unsaved description.", "unwatch": "Unwatch", @@ -430,6 +451,7 @@ "hours": "hours", "minutes": "minutes", "seconds": "seconds", + "show-field-on-card": "Show this field on card", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index d450d000..6e410413 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "comentado en __card__: __comment__", "act-createBoard": "__board__ creado", "act-createCard": "agregada __card__ a __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "agregada __list__ a __board__", "act-addBoardMember": "agregado __member__ a __board__", "act-archivedBoard": "__board__ movido a Papelera de Reciclaje", @@ -30,6 +31,7 @@ "activity-archived": "%s movido a Papelera de Reciclaje", "activity-attached": "adjuntadas %s a %s", "activity-created": "creadas %s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "excluidas %s de %s", "activity-imported": "importadas %s en %s de %s", "activity-imported-board": "importadas %s de %s", @@ -111,6 +113,7 @@ "card-due-on": "Vence en", "card-spent": "Tiempo Empleado", "card-edit-attachments": "Editar adjuntos", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Editar etiquetas", "card-edit-members": "Editar miembros", "card-labels-title": "Cambiar las etiquetas de la tarjeta.", @@ -118,6 +121,8 @@ "card-start": "Empieza", "card-start-on": "Empieza el", "cardAttachmentsPopup-title": "Adjuntar De", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "¿Borrar Tarjeta?", "cardDetailsActionsPopup-title": "Acciones de la Tarjeta", "cardLabelsPopup-title": "Etiquetas", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Crear Tablero", "chooseBoardSourcePopup-title": "Importar tablero", "createLabelPopup-title": "Crear Etiqueta", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "actual", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Fecha", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Fecha", "decline": "Rechazar", "default-avatar": "Avatar por defecto", "delete": "Borrar", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "¿Borrar Etiqueta?", "description": "Descripción", "disambiguateMultiLabelPopup-title": "Desambiguación de Acción de Etiqueta", @@ -186,6 +205,7 @@ "soft-wip-limit": "Límite TEP suave", "editCardStartDatePopup-title": "Cambiar fecha de inicio", "editCardDueDatePopup-title": "Cambiar fecha de vencimiento", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Cambiar tiempo empleado", "editLabelPopup-title": "Cambiar Etiqueta", "editNotificationPopup-title": "Editar Notificación", @@ -366,6 +386,7 @@ "title": "Título", "tracking": "Seguimiento", "tracking-info": "Serás notificado de cualquier cambio a aquellas tarjetas en las que seas creador o miembro.", + "type": "Type", "unassign-member": "Desasignar miembro", "unsaved-description": "Tienes una descripción sin guardar.", "unwatch": "Dejar de seguir", @@ -430,6 +451,7 @@ "hours": "horas", "minutes": "minutos", "seconds": "segundos", + "show-field-on-card": "Show this field on card", "yes": "Si", "no": "No", "accounts": "Cuentas", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 532c7df4..7e575d8b 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "ha comentado en __card__: __comment__", "act-createBoard": "ha creado __board__", "act-createCard": "ha añadido __card__ a __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "ha añadido __list__ a __board__", "act-addBoardMember": "ha añadido a __member__ a __board__", "act-archivedBoard": "__board__ se ha enviado a la papelera de reciclaje", @@ -30,6 +31,7 @@ "activity-archived": "%s se ha enviado a la papelera de reciclaje", "activity-attached": "ha adjuntado %s a %s", "activity-created": "ha creado %s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "ha excluido %s de %s", "activity-imported": "ha importado %s a %s desde %s", "activity-imported-board": "ha importado %s desde %s", @@ -111,6 +113,7 @@ "card-due-on": "Vence el", "card-spent": "Tiempo consumido", "card-edit-attachments": "Editar los adjuntos", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Editar las etiquetas", "card-edit-members": "Editar los miembros", "card-labels-title": "Cambia las etiquetas de la tarjeta", @@ -118,6 +121,8 @@ "card-start": "Comienza", "card-start-on": "Comienza el", "cardAttachmentsPopup-title": "Adjuntar desde", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "¿Eliminar la tarjeta?", "cardDetailsActionsPopup-title": "Acciones de la tarjeta", "cardLabelsPopup-title": "Etiquetas", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Crear tablero", "chooseBoardSourcePopup-title": "Importar un tablero", "createLabelPopup-title": "Crear etiqueta", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "actual", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Fecha", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Fecha", "decline": "Declinar", "default-avatar": "Avatar por defecto", "delete": "Eliminar", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "¿Eliminar la etiqueta?", "description": "Descripción", "disambiguateMultiLabelPopup-title": "Desambiguar la acción de etiqueta", @@ -186,6 +205,7 @@ "soft-wip-limit": "Límite del trabajo en proceso flexible", "editCardStartDatePopup-title": "Cambiar la fecha de comienzo", "editCardDueDatePopup-title": "Cambiar la fecha de vencimiento", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Cambiar el tiempo consumido", "editLabelPopup-title": "Cambiar la etiqueta", "editNotificationPopup-title": "Editar las notificaciones", @@ -366,6 +386,7 @@ "title": "Título", "tracking": "Siguiendo", "tracking-info": "Serás notificado de cualquier cambio en las tarjetas en las que participas como creador o miembro.", + "type": "Type", "unassign-member": "Desvincular al miembro", "unsaved-description": "Tienes una descripción por añadir.", "unwatch": "Dejar de vigilar", @@ -430,6 +451,7 @@ "hours": "horas", "minutes": "minutos", "seconds": "segundos", + "show-field-on-card": "Show this field on card", "yes": "Sí", "no": "No", "accounts": "Cuentas", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index 025fddfb..7a079103 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "__card__ txartelean iruzkina: __comment__", "act-createBoard": "__board__ sortuta", "act-createCard": "__card__ __list__ zerrrendara gehituta", + "act-createCustomField": "created custom field __customField__", "act-createList": "__list__ __board__ arbelera gehituta", "act-addBoardMember": "__member__ __board__ arbelera gehituta", "act-archivedBoard": "__board__ moved to Recycle Bin", @@ -30,6 +31,7 @@ "activity-archived": "%s moved to Recycle Bin", "activity-attached": "%s %s(e)ra erantsita", "activity-created": "%s sortuta", + "activity-customfield-created": "created custom field %s", "activity-excluded": "%s %s(e)tik kanpo utzita", "activity-imported": "%s inportatuta %s(e)ra %s(e)tik", "activity-imported-board": "%s inportatuta %s(e)tik", @@ -111,6 +113,7 @@ "card-due-on": "Epemuga", "card-spent": "Erabilitako denbora", "card-edit-attachments": "Editatu eranskinak", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Editatu etiketak", "card-edit-members": "Editatu kideak", "card-labels-title": "Aldatu txartelaren etiketak", @@ -118,6 +121,8 @@ "card-start": "Hasiera", "card-start-on": "Hasiera", "cardAttachmentsPopup-title": "Erantsi hemendik", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Ezabatu txartela?", "cardDetailsActionsPopup-title": "Txartel-ekintzak", "cardLabelsPopup-title": "Etiketak", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Sortu arbela", "chooseBoardSourcePopup-title": "Inportatu arbela", "createLabelPopup-title": "Sortu etiketa", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "unekoa", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Data", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Data", "decline": "Ukatu", "default-avatar": "Lehenetsitako avatarra", "delete": "Ezabatu", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Ezabatu etiketa?", "description": "Deskripzioa", "disambiguateMultiLabelPopup-title": "Argitu etiketaren ekintza", @@ -186,6 +205,7 @@ "soft-wip-limit": "WIP muga malgua", "editCardStartDatePopup-title": "Aldatu hasiera data", "editCardDueDatePopup-title": "Aldatu epemuga data", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Aldatu erabilitako denbora", "editLabelPopup-title": "Aldatu etiketa", "editNotificationPopup-title": "Editatu jakinarazpena", @@ -366,6 +386,7 @@ "title": "Izenburua", "tracking": "Jarraitzen", "tracking-info": "Sortzaile edo kide gisa parte-hartzen duzun txartelei egindako aldaketak jakinaraziko zaizkizu.", + "type": "Type", "unassign-member": "Kendu kidea", "unsaved-description": "Gorde gabeko deskripzio bat duzu", "unwatch": "Utzi ikuskatzeari", @@ -430,6 +451,7 @@ "hours": "ordu", "minutes": "minutu", "seconds": "segundo", + "show-field-on-card": "Show this field on card", "yes": "Bai", "no": "Ez", "accounts": "Kontuak", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index cf9e062f..52f8abbf 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "درج نظر برای __card__: __comment__", "act-createBoard": "__board__ ایجاد شد", "act-createCard": "__card__ به __list__ اضافه شد", + "act-createCustomField": "created custom field __customField__", "act-createList": "__list__ به __board__ اضافه شد", "act-addBoardMember": "__member__ به __board__ اضافه شد", "act-archivedBoard": "__board__ moved to Recycle Bin", @@ -30,6 +31,7 @@ "activity-archived": "%s moved to Recycle Bin", "activity-attached": "%s به %s پیوست شد", "activity-created": "%s ایجاد شد", + "activity-customfield-created": "created custom field %s", "activity-excluded": "%s از %s مستثنی گردید", "activity-imported": "%s از %s وارد %s شد", "activity-imported-board": "%s از %s وارد شد", @@ -111,6 +113,7 @@ "card-due-on": "مقتضی بر", "card-spent": "زمان صرف شده", "card-edit-attachments": "ویرایش ضمائم", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "ویرایش برچسب", "card-edit-members": "ویرایش اعضا", "card-labels-title": "تغییر برچسب کارت", @@ -118,6 +121,8 @@ "card-start": "شروع", "card-start-on": "شروع از", "cardAttachmentsPopup-title": "ضمیمه از", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "آیا می خواهید کارت را حذف کنید؟", "cardDetailsActionsPopup-title": "اعمال کارت", "cardLabelsPopup-title": "برچسب ها", @@ -167,11 +172,25 @@ "createBoardPopup-title": "ایجاد تخته", "chooseBoardSourcePopup-title": "بارگذاری تخته", "createLabelPopup-title": "ایجاد برچسب", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "جاری", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "تاریخ", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "تاریخ", "decline": "رد", "default-avatar": "تصویر پیش فرض", "delete": "حذف", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "آیا می خواهید برچسب را حذف کنید؟", "description": "توضیحات", "disambiguateMultiLabelPopup-title": "عمل ابهام زدایی از برچسب", @@ -186,6 +205,7 @@ "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "تغییر تاریخ آغاز", "editCardDueDatePopup-title": "تغییر تاریخ بدلیل", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "تغییر زمان صرف شده", "editLabelPopup-title": "تغیر برچسب", "editNotificationPopup-title": "اصلاح اعلان", @@ -366,6 +386,7 @@ "title": "عنوان", "tracking": "پیگردی", "tracking-info": "شما از هرگونه تغییر در کارتهایی که بعنوان ایجاد کننده ویا عضو آن هستید، آگاه خواهید شد", + "type": "Type", "unassign-member": "عدم انتصاب کاربر", "unsaved-description": "شما توضیحات ذخیره نشده دارید.", "unwatch": "عدم دیده بانی", @@ -430,6 +451,7 @@ "hours": "ساعت", "minutes": "دقیقه", "seconds": "ثانیه", + "show-field-on-card": "Show this field on card", "yes": "بله", "no": "خیر", "accounts": "حساب‌ها", diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index a68831dc..31976b9b 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "kommentoitu __card__: __comment__", "act-createBoard": "luotu __board__", "act-createCard": "lisätty __card__ listalle __list__", + "act-createCustomField": "luo mukautettu kenttä __customField__", "act-createList": "lisätty __list__ taululle __board__", "act-addBoardMember": "lisätty __member__ taululle __board__", "act-archivedBoard": "__board__ siirretty roskakoriin", @@ -30,6 +31,7 @@ "activity-archived": "%s siirretty roskakoriin", "activity-attached": "liitetty %s kohteeseen %s", "activity-created": "luotu %s", + "activity-customfield-created": "luotu mukautettu kenttä %s", "activity-excluded": "poistettu %s kohteesta %s", "activity-imported": "tuotu %s kohteeseen %s lähteestä %s", "activity-imported-board": "tuotu %s lähteestä %s", @@ -111,6 +113,7 @@ "card-due-on": "Erääntyy", "card-spent": "Käytetty aika", "card-edit-attachments": "Muokkaa liitetiedostoja", + "card-edit-custom-fields": "Muokkaa mukautettua kenttää", "card-edit-labels": "Muokkaa tunnisteita", "card-edit-members": "Muokkaa jäseniä", "card-labels-title": "Muokkaa kortin tunnisteita.", @@ -118,6 +121,8 @@ "card-start": "Alkaa", "card-start-on": "Alkaa", "cardAttachmentsPopup-title": "Liitä mistä", + "cardCustomField-datePopup-title": "Muokkaa päivää", + "cardCustomFieldsPopup-title": "Muokkaa mukautettuja kenttiä", "cardDeletePopup-title": "Poista kortti?", "cardDetailsActionsPopup-title": "Kortti toimet", "cardLabelsPopup-title": "Tunnisteet", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Luo taulu", "chooseBoardSourcePopup-title": "Tuo taulu", "createLabelPopup-title": "Luo tunniste", + "createCustomField": "Luo kenttä", + "createCustomFieldPopup-title": "Luo kenttä", "current": "nykyinen", + "custom-field-delete-pop": "Tätä ei voi peruuttaa. Tämä poistaa tämän mukautetun kentän kaikista korteista ja poistaa sen historian.", + "custom-field-checkbox": "Valintaruutu", + "custom-field-date": "Päivämäärä", + "custom-field-dropdown": "Pudotusvalikko", + "custom-field-dropdown-none": "(ei mitään)", + "custom-field-dropdown-options": "Luettelon vaihtoehdot", + "custom-field-dropdown-options-placeholder": "Paina Enter lisätäksesi lisää vaihtoehtoja", + "custom-field-dropdown-unknown": "(tuntematon)", + "custom-field-number": "Numero", + "custom-field-text": "Teksti", + "custom-fields": "Mukautetut kentät", "date": "Päivämäärä", "decline": "Kieltäydy", "default-avatar": "Oletus profiilikuva", "delete": "Poista", + "deleteCustomFieldPopup-title": "Poista mukautettu kenttä?", "deleteLabelPopup-title": "Poista tunniste?", "description": "Kuvaus", "disambiguateMultiLabelPopup-title": "Yksikäsitteistä tunniste toiminta", @@ -186,6 +205,7 @@ "soft-wip-limit": "Pehmeä WIP raja", "editCardStartDatePopup-title": "Muokkaa aloituspäivää", "editCardDueDatePopup-title": "Muokkaa eräpäivää", + "editCustomFieldPopup-title": "Muokkaa kenttää", "editCardSpentTimePopup-title": "Muuta käytettyä aikaa", "editLabelPopup-title": "Muokkaa tunnistetta", "editNotificationPopup-title": "Muokkaa ilmoituksia", @@ -366,6 +386,7 @@ "title": "Otsikko", "tracking": "Ilmoitukset", "tracking-info": "Sinulle ilmoitetaan muutoksista korteissa joihin olet osallistunut luojana tai jäsenenä.", + "type": "Tyyppi", "unassign-member": "Peru jäsenvalinta", "unsaved-description": "Sinulla on tallentamaton kuvaus.", "unwatch": "Lopeta seuraaminen", @@ -430,6 +451,7 @@ "hours": "tuntia", "minutes": "minuuttia", "seconds": "sekuntia", + "show-field-on-card": "Näytä tämä kenttä kortilla", "yes": "Kyllä", "no": "Ei", "accounts": "Tilit", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 23a11142..9f0e1fa2 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "a commenté __card__ : __comment__", "act-createBoard": "a créé __board__", "act-createCard": "a ajouté __card__ à __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "a ajouté __list__ à __board__", "act-addBoardMember": "a ajouté __member__ à __board__", "act-archivedBoard": "__board__ a été déplacé vers la corbeille", @@ -30,6 +31,7 @@ "activity-archived": "%s a été déplacé vers la corbeille", "activity-attached": "a attaché %s à %s", "activity-created": "a créé %s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "a exclu %s de %s", "activity-imported": "a importé %s vers %s depuis %s", "activity-imported-board": "a importé %s depuis %s", @@ -111,6 +113,7 @@ "card-due-on": "Échéance le", "card-spent": "Temps passé", "card-edit-attachments": "Modifier les pièces jointes", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Modifier les étiquettes", "card-edit-members": "Modifier les membres", "card-labels-title": "Modifier les étiquettes de la carte.", @@ -118,6 +121,8 @@ "card-start": "Début", "card-start-on": "Commence le", "cardAttachmentsPopup-title": "Joindre depuis", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Supprimer la carte ?", "cardDetailsActionsPopup-title": "Actions sur la carte", "cardLabelsPopup-title": "Étiquettes", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Créer un tableau", "chooseBoardSourcePopup-title": "Importer un tableau", "createLabelPopup-title": "Créer une étiquette", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "actuel", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Date", "decline": "Refuser", "default-avatar": "Avatar par défaut", "delete": "Supprimer", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Supprimer l'étiquette ?", "description": "Description", "disambiguateMultiLabelPopup-title": "Préciser l'action sur l'étiquette", @@ -186,6 +205,7 @@ "soft-wip-limit": "Limite WIP douce", "editCardStartDatePopup-title": "Modifier la date de début", "editCardDueDatePopup-title": "Modifier la date d'échéance", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Changer le temps passé", "editLabelPopup-title": "Modifier l'étiquette", "editNotificationPopup-title": "Modifier la notification", @@ -366,6 +386,7 @@ "title": "Titre", "tracking": "Suivi", "tracking-info": "Vous serez notifié de toute modification concernant les cartes pour lesquelles vous êtes impliqué en tant que créateur ou membre.", + "type": "Type", "unassign-member": "Retirer le membre", "unsaved-description": "Vous avez une description non sauvegardée", "unwatch": "Arrêter de suivre", @@ -430,6 +451,7 @@ "hours": "heures", "minutes": "minutes", "seconds": "secondes", + "show-field-on-card": "Show this field on card", "yes": "Oui", "no": "Non", "accounts": "Comptes", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index faab1d9b..6712c2c6 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "commented on __card__: __comment__", "act-createBoard": "created __board__", "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "added __list__ to __board__", "act-addBoardMember": "added __member__ to __board__", "act-archivedBoard": "__board__ moved to Recycle Bin", @@ -30,6 +31,7 @@ "activity-archived": "%s moved to Recycle Bin", "activity-attached": "attached %s to %s", "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "excluded %s from %s", "activity-imported": "imported %s into %s from %s", "activity-imported-board": "imported %s from %s", @@ -111,6 +113,7 @@ "card-due-on": "Due on", "card-spent": "Spent Time", "card-edit-attachments": "Editar anexos", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Editar etiquetas", "card-edit-members": "Editar membros", "card-labels-title": "Cambiar as etiquetas da tarxeta.", @@ -118,6 +121,8 @@ "card-start": "Start", "card-start-on": "Starts on", "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Delete Card?", "cardDetailsActionsPopup-title": "Card Actions", "cardLabelsPopup-title": "Etiquetas", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Crear taboleiro", "chooseBoardSourcePopup-title": "Importar taboleiro", "createLabelPopup-title": "Crear etiqueta", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "actual", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Data", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Data", "decline": "Rexeitar", "default-avatar": "Avatar predeterminado", "delete": "Eliminar", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Eliminar a etiqueta?", "description": "Descrición", "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", @@ -186,6 +205,7 @@ "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "Cambiar a data de inicio", "editCardDueDatePopup-title": "Cambiar a data límite", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Change spent time", "editLabelPopup-title": "Cambiar a etiqueta", "editNotificationPopup-title": "Editar a notificación", @@ -366,6 +386,7 @@ "title": "Título", "tracking": "Seguimento", "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", "unassign-member": "Unassign member", "unsaved-description": "You have an unsaved description.", "unwatch": "Unwatch", @@ -430,6 +451,7 @@ "hours": "hours", "minutes": "minutes", "seconds": "seconds", + "show-field-on-card": "Show this field on card", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index b3c91549..6d9c9b5c 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "התקבלה תגובה על הכרטיס __card__:‏ __comment__", "act-createBoard": "הלוח __board__ נוצר", "act-createCard": "הכרטיס __card__ התווסף לרשימה __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "הרשימה __list__ התווספה ללוח __board__", "act-addBoardMember": "המשתמש __member__ נוסף ללוח __board__", "act-archivedBoard": "__board__ הועבר לסל המחזור", @@ -30,6 +31,7 @@ "activity-archived": "%s הועבר לסל המחזור", "activity-attached": "%s צורף ל%s", "activity-created": "%s נוצר", + "activity-customfield-created": "created custom field %s", "activity-excluded": "%s לא נכלל ב%s", "activity-imported": "%s ייובא מ%s אל %s", "activity-imported-board": "%s ייובא מ%s", @@ -111,6 +113,7 @@ "card-due-on": "תאריך יעד", "card-spent": "זמן שהושקע", "card-edit-attachments": "עריכת קבצים מצורפים", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "עריכת תוויות", "card-edit-members": "עריכת חברים", "card-labels-title": "שינוי תוויות לכרטיס.", @@ -118,6 +121,8 @@ "card-start": "התחלה", "card-start-on": "מתחיל ב־", "cardAttachmentsPopup-title": "לצרף מ־", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "למחוק כרטיס?", "cardDetailsActionsPopup-title": "פעולות על הכרטיס", "cardLabelsPopup-title": "תוויות", @@ -167,11 +172,25 @@ "createBoardPopup-title": "יצירת לוח", "chooseBoardSourcePopup-title": "ייבוא לוח", "createLabelPopup-title": "יצירת תווית", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "נוכחי", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "תאריך", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "תאריך", "decline": "סירוב", "default-avatar": "תמונת משתמש כבררת מחדל", "delete": "מחיקה", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "למחוק תווית?", "description": "תיאור", "disambiguateMultiLabelPopup-title": "הבהרת פעולת תווית", @@ -186,6 +205,7 @@ "soft-wip-limit": "מגבלת „בעבודה” רכה", "editCardStartDatePopup-title": "שינוי מועד התחלה", "editCardDueDatePopup-title": "שינוי מועד סיום", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "שינוי הזמן שהושקע", "editLabelPopup-title": "שינוי תווית", "editNotificationPopup-title": "שינוי דיווח", @@ -366,6 +386,7 @@ "title": "כותרת", "tracking": "מעקב", "tracking-info": "על כל שינוי בכרטיסים בהם הייתה לך מעורבות ברמת היצירה או כחברות תגיע אליך הודעה.", + "type": "Type", "unassign-member": "ביטול הקצאת חבר", "unsaved-description": "יש לך תיאור לא שמור.", "unwatch": "ביטול מעקב", @@ -430,6 +451,7 @@ "hours": "שעות", "minutes": "דקות", "seconds": "שניות", + "show-field-on-card": "Show this field on card", "yes": "כן", "no": "לא", "accounts": "חשבונות", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index 94af52d1..cdec6414 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "hozzászólt a(z) __card__ kártyán: __comment__", "act-createBoard": "létrehozta a táblát: __board__", "act-createCard": "__card__ kártyát adott hozzá a listához: __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "__list__ listát adott hozzá a táblához: __board__", "act-addBoardMember": "__member__ tagot hozzáadta a táblához: __board__", "act-archivedBoard": "A __board__ tábla a lomtárba került.", @@ -30,6 +31,7 @@ "activity-archived": "%s lomtárba helyezve", "activity-attached": "%s mellékletet csatolt a kártyához: %s", "activity-created": "%s létrehozva", + "activity-customfield-created": "created custom field %s", "activity-excluded": "%s kizárva innen: %s", "activity-imported": "%s importálva ebbe: %s, innen: %s", "activity-imported-board": "%s importálva innen: %s", @@ -111,6 +113,7 @@ "card-due-on": "Esedékes ekkor", "card-spent": "Eltöltött idő", "card-edit-attachments": "Mellékletek szerkesztése", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Címkék szerkesztése", "card-edit-members": "Tagok szerkesztése", "card-labels-title": "A kártya címkéinek megváltoztatása.", @@ -118,6 +121,8 @@ "card-start": "Kezdés", "card-start-on": "Kezdés ekkor", "cardAttachmentsPopup-title": "Innen csatolva", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Törli a kártyát?", "cardDetailsActionsPopup-title": "Kártyaműveletek", "cardLabelsPopup-title": "Címkék", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Tábla létrehozása", "chooseBoardSourcePopup-title": "Tábla importálása", "createLabelPopup-title": "Címke létrehozása", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "jelenlegi", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Dátum", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Dátum", "decline": "Elutasítás", "default-avatar": "Alapértelmezett avatár", "delete": "Törlés", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Törli a címkét?", "description": "Leírás", "disambiguateMultiLabelPopup-title": "Címkeművelet egyértelműsítése", @@ -186,6 +205,7 @@ "soft-wip-limit": "Gyenge WIP korlát", "editCardStartDatePopup-title": "Kezdődátum megváltoztatása", "editCardDueDatePopup-title": "Esedékesség dátumának megváltoztatása", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Eltöltött idő megváltoztatása", "editLabelPopup-title": "Címke megváltoztatása", "editNotificationPopup-title": "Értesítés szerkesztése", @@ -366,6 +386,7 @@ "title": "Cím", "tracking": "Követés", "tracking-info": "Értesítve lesz az összes olyan kártya változásáról, amelyen létrehozóként vagy tagként vesz részt.", + "type": "Type", "unassign-member": "Tag hozzárendelésének megszüntetése", "unsaved-description": "Van egy mentetlen leírása.", "unwatch": "Megfigyelés megszüntetése", @@ -430,6 +451,7 @@ "hours": "óra", "minutes": "perc", "seconds": "másodperc", + "show-field-on-card": "Show this field on card", "yes": "Igen", "no": "Nem", "accounts": "Fiókok", diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index 8c06d36d..44c20184 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "մեկնաբանել է __card__: __comment__", "act-createBoard": "created __board__", "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "added __list__ to __board__", "act-addBoardMember": "added __member__ to __board__", "act-archivedBoard": "__board__ moved to Recycle Bin", @@ -30,6 +31,7 @@ "activity-archived": "%s moved to Recycle Bin", "activity-attached": "attached %s to %s", "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "excluded %s from %s", "activity-imported": "imported %s into %s from %s", "activity-imported-board": "imported %s from %s", @@ -111,6 +113,7 @@ "card-due-on": "Due on", "card-spent": "Spent Time", "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Edit labels", "card-edit-members": "Edit members", "card-labels-title": "Change the labels for the card.", @@ -118,6 +121,8 @@ "card-start": "Start", "card-start-on": "Starts on", "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Delete Card?", "cardDetailsActionsPopup-title": "Card Actions", "cardLabelsPopup-title": "Labels", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Create Board", "chooseBoardSourcePopup-title": "Import board", "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Date", "decline": "Decline", "default-avatar": "Default avatar", "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Delete Label?", "description": "Description", "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", @@ -186,6 +205,7 @@ "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "Change start date", "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Change spent time", "editLabelPopup-title": "Change Label", "editNotificationPopup-title": "Edit Notification", @@ -366,6 +386,7 @@ "title": "Title", "tracking": "Tracking", "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", "unassign-member": "Unassign member", "unsaved-description": "You have an unsaved description.", "unwatch": "Unwatch", @@ -430,6 +451,7 @@ "hours": "hours", "minutes": "minutes", "seconds": "seconds", + "show-field-on-card": "Show this field on card", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 2bc60852..5a1c6683 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "Dikomentari di__kartu__:__comment__", "act-createBoard": "Panel__dibuat__", "act-createCard": "Kartu__dilampirkan__ke__Daftar", + "act-createCustomField": "created custom field __customField__", "act-createList": "Daftar__ditambahkan__ke__Panel", "act-addBoardMember": "Partisipan__ditambahkan__ke__Kartu", "act-archivedBoard": "__board__ moved to Recycle Bin", @@ -30,6 +31,7 @@ "activity-archived": "%s moved to Recycle Bin", "activity-attached": "dilampirkan %s ke %s", "activity-created": "dibuat %s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "tidak termasuk %s dari %s", "activity-imported": "diimpor %s kedalam %s dari %s", "activity-imported-board": "diimpor %s dari %s", @@ -111,6 +113,7 @@ "card-due-on": "Jatuh Tempo pada", "card-spent": "Spent Time", "card-edit-attachments": "Sunting lampiran", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Sunting label", "card-edit-members": "Sunting anggota", "card-labels-title": "Ubah label kartu", @@ -118,6 +121,8 @@ "card-start": "Mulai", "card-start-on": "Mulai pada", "cardAttachmentsPopup-title": "Lampirkan dari", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Hapus kartu", "cardDetailsActionsPopup-title": "Aksi Kartu", "cardLabelsPopup-title": "Daftar Label", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Buat Panel", "chooseBoardSourcePopup-title": "Import board", "createLabelPopup-title": "Buat Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "sekarang", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Tanggal", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Tanggal", "decline": "Tolak", "default-avatar": "Avatar standar", "delete": "Hapus", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Hapus label?", "description": "Deskripsi", "disambiguateMultiLabelPopup-title": "Abaikan label Aksi", @@ -186,6 +205,7 @@ "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "Ubah tanggal mulai", "editCardDueDatePopup-title": "Ubah tanggal selesai", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Change spent time", "editLabelPopup-title": "Ubah Label", "editNotificationPopup-title": "Sunting Pemberitahuan", @@ -366,6 +386,7 @@ "title": "Judul", "tracking": "Pelacakan", "tracking-info": "Anda akan dinotifikasi semua perubahan di kartu tersebut diaman anda terlibat sebagai creator atau partisipan", + "type": "Type", "unassign-member": "Tidak sertakan partisipan", "unsaved-description": "Anda memiliki deskripsi yang belum disimpan.", "unwatch": "Tidak mengamati", @@ -430,6 +451,7 @@ "hours": "hours", "minutes": "minutes", "seconds": "seconds", + "show-field-on-card": "Show this field on card", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index f7746d5c..6c0a259d 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "commented on __card__: __comment__", "act-createBoard": "created __board__", "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "added __list__ to __board__", "act-addBoardMember": "added __member__ to __board__", "act-archivedBoard": "__board__ moved to Recycle Bin", @@ -30,6 +31,7 @@ "activity-archived": "%s moved to Recycle Bin", "activity-attached": "attached %s to %s", "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "excluded %s from %s", "activity-imported": "imported %s into %s from %s", "activity-imported-board": "imported %s from %s", @@ -111,6 +113,7 @@ "card-due-on": "Due on", "card-spent": "Spent Time", "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Edit labels", "card-edit-members": "Edit members", "card-labels-title": "Change the labels for the card.", @@ -118,6 +121,8 @@ "card-start": "Bido", "card-start-on": "Starts on", "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Delete Card?", "cardDetailsActionsPopup-title": "Card Actions", "cardLabelsPopup-title": "Aha", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Create Board", "chooseBoardSourcePopup-title": "Import board", "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Date", "decline": "Decline", "default-avatar": "Default avatar", "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Delete Label?", "description": "Description", "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", @@ -186,6 +205,7 @@ "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "Change start date", "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Change spent time", "editLabelPopup-title": "Change Label", "editNotificationPopup-title": "Edit Notification", @@ -366,6 +386,7 @@ "title": "Title", "tracking": "Tracking", "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", "unassign-member": "Unassign member", "unsaved-description": "You have an unsaved description.", "unwatch": "Unwatch", @@ -430,6 +451,7 @@ "hours": "elekere", "minutes": "nkeji", "seconds": "seconds", + "show-field-on-card": "Show this field on card", "yes": "Ee", "no": "Mba", "accounts": "Accounts", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 36879924..905b8e40 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "ha commentato su __card__: __comment__", "act-createBoard": "ha creato __board__", "act-createCard": "ha aggiunto __card__ a __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "ha aggiunto __list__ a __board__", "act-addBoardMember": "ha aggiunto __member__ a __board__", "act-archivedBoard": "__board__ spostata nel cestino", @@ -30,6 +31,7 @@ "activity-archived": "%s spostato nel cestino", "activity-attached": "allegato %s a %s", "activity-created": "creato %s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "escluso %s da %s", "activity-imported": "importato %s in %s da %s", "activity-imported-board": "importato %s da %s", @@ -111,6 +113,7 @@ "card-due-on": "Scade", "card-spent": "Tempo trascorso", "card-edit-attachments": "Modifica allegati", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Modifica etichette", "card-edit-members": "Modifica membri", "card-labels-title": "Cambia le etichette per questa scheda.", @@ -118,6 +121,8 @@ "card-start": "Inizio", "card-start-on": "Inizia", "cardAttachmentsPopup-title": "Allega da", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Elimina scheda?", "cardDetailsActionsPopup-title": "Azioni scheda", "cardLabelsPopup-title": "Etichette", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Crea bacheca", "chooseBoardSourcePopup-title": "Importa bacheca", "createLabelPopup-title": "Crea etichetta", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "corrente", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Data", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Data", "decline": "Declina", "default-avatar": "Avatar predefinito", "delete": "Elimina", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Eliminare etichetta?", "description": "Descrizione", "disambiguateMultiLabelPopup-title": "Disambiguare l'azione Etichetta", @@ -186,6 +205,7 @@ "soft-wip-limit": "Limite Work in progress soft", "editCardStartDatePopup-title": "Cambia data di inizio", "editCardDueDatePopup-title": "Cambia data di scadenza", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Cambia tempo trascorso", "editLabelPopup-title": "Cambia etichetta", "editNotificationPopup-title": "Modifica notifiche", @@ -366,6 +386,7 @@ "title": "Titolo", "tracking": "Monitoraggio", "tracking-info": "Sarai notificato per tutte le modifiche alle schede delle quali sei creatore o membro.", + "type": "Type", "unassign-member": "Rimuovi membro", "unsaved-description": "Hai una descrizione non salvata", "unwatch": "Non seguire", @@ -430,6 +451,7 @@ "hours": "ore", "minutes": "minuti", "seconds": "secondi", + "show-field-on-card": "Show this field on card", "yes": "Sì", "no": "No", "accounts": "Profili", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index c55be771..85094475 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "__card__: __comment__ をコメントしました", "act-createBoard": "__board__ を作成しました", "act-createCard": "__list__ に __card__ を追加しました", + "act-createCustomField": "created custom field __customField__", "act-createList": "__board__ に __list__ を追加しました", "act-addBoardMember": "__board__ に __member__ を追加しました", "act-archivedBoard": "__board__ moved to Recycle Bin", @@ -30,6 +31,7 @@ "activity-archived": "%s moved to Recycle Bin", "activity-attached": "%s を %s に添付しました", "activity-created": "%s を作成しました", + "activity-customfield-created": "created custom field %s", "activity-excluded": "%s を %s から除外しました", "activity-imported": "imported %s into %s from %s", "activity-imported-board": "imported %s from %s", @@ -111,6 +113,7 @@ "card-due-on": "期限日", "card-spent": "Spent Time", "card-edit-attachments": "添付ファイルの編集", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "ラベルの編集", "card-edit-members": "メンバーの編集", "card-labels-title": "カードのラベルを変更する", @@ -118,6 +121,8 @@ "card-start": "開始", "card-start-on": "開始日", "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "カードを削除しますか?", "cardDetailsActionsPopup-title": "カード操作", "cardLabelsPopup-title": "ラベル", @@ -167,11 +172,25 @@ "createBoardPopup-title": "ボードの作成", "chooseBoardSourcePopup-title": "ボードをインポート", "createLabelPopup-title": "ラベルの作成", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "現在", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "日付", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "日付", "decline": "拒否", "default-avatar": "デフォルトのアバター", "delete": "削除", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "ラベルを削除しますか?", "description": "詳細", "disambiguateMultiLabelPopup-title": "不正なラベル操作", @@ -186,6 +205,7 @@ "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "開始日の変更", "editCardDueDatePopup-title": "期限の変更", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Change spent time", "editLabelPopup-title": "ラベルの変更", "editNotificationPopup-title": "通知の変更", @@ -366,6 +386,7 @@ "title": "タイトル", "tracking": "トラッキング", "tracking-info": "これらのカードへの変更が通知されるようになります。", + "type": "Type", "unassign-member": "未登録のメンバー", "unsaved-description": "未保存の変更があります。", "unwatch": "アンウォッチ", @@ -430,6 +451,7 @@ "hours": "時", "minutes": "分", "seconds": "秒", + "show-field-on-card": "Show this field on card", "yes": "はい", "no": "いいえ", "accounts": "アカウント", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index 35d2b447..5d28430b 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "__card__에 내용 추가 : __comment__", "act-createBoard": "__board__ 생성", "act-createCard": "__list__에 __card__ 추가", + "act-createCustomField": "created custom field __customField__", "act-createList": "__board__에 __list__ 추가", "act-addBoardMember": "__board__에 __member__ 추가", "act-archivedBoard": "__board__ moved to Recycle Bin", @@ -30,6 +31,7 @@ "activity-archived": "%s moved to Recycle Bin", "activity-attached": "%s를 %s에 첨부함", "activity-created": "%s 생성됨", + "activity-customfield-created": "created custom field %s", "activity-excluded": "%s를 %s에서 제외함", "activity-imported": "imported %s into %s from %s", "activity-imported-board": "imported %s from %s", @@ -111,6 +113,7 @@ "card-due-on": "종료일", "card-spent": "Spent Time", "card-edit-attachments": "첨부 파일 수정", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "라벨 수정", "card-edit-members": "멤버 수정", "card-labels-title": "카드의 라벨 변경.", @@ -118,6 +121,8 @@ "card-start": "시작일", "card-start-on": "시작일", "cardAttachmentsPopup-title": "첨부 파일", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "카드를 삭제합니까?", "cardDetailsActionsPopup-title": "카드 액션", "cardLabelsPopup-title": "라벨", @@ -167,11 +172,25 @@ "createBoardPopup-title": "보드 생성", "chooseBoardSourcePopup-title": "보드 가져오기", "createLabelPopup-title": "라벨 생성", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "경향", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "날짜", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "날짜", "decline": "쇠퇴", "default-avatar": "기본 아바타", "delete": "삭제", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "라벨을 삭제합니까?", "description": "설명", "disambiguateMultiLabelPopup-title": "라벨 액션의 모호성 제거", @@ -186,6 +205,7 @@ "soft-wip-limit": "원만한 WIP 제한", "editCardStartDatePopup-title": "시작일 변경", "editCardDueDatePopup-title": "종료일 변경", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Change spent time", "editLabelPopup-title": "라벨 변경", "editNotificationPopup-title": "알림 수정", @@ -366,6 +386,7 @@ "title": "제목", "tracking": "추적", "tracking-info": "보드 생성자 또는 멤버로 참여하는 모든 카드에 대한 변경사항 알림 받음", + "type": "Type", "unassign-member": "멤버 할당 해제", "unsaved-description": "저장되지 않은 설명이 있습니다.", "unwatch": "감시 해제", @@ -430,6 +451,7 @@ "hours": "hours", "minutes": "minutes", "seconds": "seconds", + "show-field-on-card": "Show this field on card", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 82bfa1cc..9dbdfaa2 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "komentēja __card__: __comment__", "act-createBoard": "izveidoja __board__", "act-createCard": "pievienoja __card__ to __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "pievienoja __list__ to __board__", "act-addBoardMember": "pievienoja __member__ to __board__", "act-archivedBoard": "__board__ moved to Recycle Bin", @@ -30,6 +31,7 @@ "activity-archived": "%s moved to Recycle Bin", "activity-attached": "pievienoja %s pie %s", "activity-created": "izveidoja%s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "izslēdza%s no%s", "activity-imported": "importēja %s iekšā%s no%s", "activity-imported-board": "imported %s from %s", @@ -111,6 +113,7 @@ "card-due-on": "Due on", "card-spent": "Spent Time", "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Edit labels", "card-edit-members": "Edit members", "card-labels-title": "Change the labels for the card.", @@ -118,6 +121,8 @@ "card-start": "Start", "card-start-on": "Starts on", "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Delete Card?", "cardDetailsActionsPopup-title": "Card Actions", "cardLabelsPopup-title": "Labels", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Create Board", "chooseBoardSourcePopup-title": "Import board", "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Date", "decline": "Decline", "default-avatar": "Default avatar", "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Delete Label?", "description": "Description", "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", @@ -186,6 +205,7 @@ "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "Change start date", "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Change spent time", "editLabelPopup-title": "Change Label", "editNotificationPopup-title": "Edit Notification", @@ -366,6 +386,7 @@ "title": "Title", "tracking": "Tracking", "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", "unassign-member": "Unassign member", "unsaved-description": "You have an unsaved description.", "unwatch": "Unwatch", @@ -430,6 +451,7 @@ "hours": "hours", "minutes": "minutes", "seconds": "seconds", + "show-field-on-card": "Show this field on card", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index 13e96ed6..04f11c2c 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "commented on __card__: __comment__", "act-createBoard": "created __board__", "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "added __list__ to __board__", "act-addBoardMember": "added __member__ to __board__", "act-archivedBoard": "__board__ moved to Recycle Bin", @@ -30,6 +31,7 @@ "activity-archived": "%s moved to Recycle Bin", "activity-attached": "attached %s to %s", "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "excluded %s from %s", "activity-imported": "imported %s into %s from %s", "activity-imported-board": "imported %s from %s", @@ -111,6 +113,7 @@ "card-due-on": "Due on", "card-spent": "Spent Time", "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Edit labels", "card-edit-members": "Edit members", "card-labels-title": "Change the labels for the card.", @@ -118,6 +121,8 @@ "card-start": "Start", "card-start-on": "Starts on", "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Delete Card?", "cardDetailsActionsPopup-title": "Card Actions", "cardLabelsPopup-title": "Labels", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Самбар үүсгэх", "chooseBoardSourcePopup-title": "Import board", "createLabelPopup-title": "Шошго үүсгэх", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Date", "decline": "Decline", "default-avatar": "Default avatar", "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Delete Label?", "description": "Description", "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", @@ -186,6 +205,7 @@ "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "Change start date", "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Change spent time", "editLabelPopup-title": "Change Label", "editNotificationPopup-title": "Мэдэгдэл тохируулах", @@ -366,6 +386,7 @@ "title": "Title", "tracking": "Tracking", "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", "unassign-member": "Unassign member", "unsaved-description": "You have an unsaved description.", "unwatch": "Unwatch", @@ -430,6 +451,7 @@ "hours": "hours", "minutes": "minutes", "seconds": "seconds", + "show-field-on-card": "Show this field on card", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index 3b30ada9..8fa570ac 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "kommenterte til __card__: __comment__", "act-createBoard": "opprettet __board__", "act-createCard": "la __card__ til __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "la __list__ til __board__", "act-addBoardMember": "la __member__ til __board__", "act-archivedBoard": "__board__ moved to Recycle Bin", @@ -30,6 +31,7 @@ "activity-archived": "%s moved to Recycle Bin", "activity-attached": "la %s til %s", "activity-created": "opprettet %s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "ekskluderte %s fra %s", "activity-imported": "importerte %s til %s fra %s", "activity-imported-board": "importerte %s fra %s", @@ -111,6 +113,7 @@ "card-due-on": "Frist til", "card-spent": "Spent Time", "card-edit-attachments": "Rediger vedlegg", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Rediger etiketter", "card-edit-members": "Endre medlemmer", "card-labels-title": "Endre etiketter for kortet.", @@ -118,6 +121,8 @@ "card-start": "Start", "card-start-on": "Starter på", "cardAttachmentsPopup-title": "Legg ved fra", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Slett kort?", "cardDetailsActionsPopup-title": "Kort-handlinger", "cardLabelsPopup-title": "Etiketter", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Create Board", "chooseBoardSourcePopup-title": "Import board", "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Date", "decline": "Decline", "default-avatar": "Default avatar", "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Delete Label?", "description": "Description", "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", @@ -186,6 +205,7 @@ "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "Change start date", "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Change spent time", "editLabelPopup-title": "Change Label", "editNotificationPopup-title": "Edit Notification", @@ -366,6 +386,7 @@ "title": "Title", "tracking": "Tracking", "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", "unassign-member": "Unassign member", "unsaved-description": "You have an unsaved description.", "unwatch": "Unwatch", @@ -430,6 +451,7 @@ "hours": "hours", "minutes": "minutes", "seconds": "seconds", + "show-field-on-card": "Show this field on card", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 0696409d..e062d3de 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "gereageerd op __card__:__comment__", "act-createBoard": "aangemaakte __bord__", "act-createCard": "toegevoegd __kaart__ aan __lijst__", + "act-createCustomField": "created custom field __customField__", "act-createList": "toegevoegd __lijst__ aan __bord__", "act-addBoardMember": "__member__ aan __board__ toegevoegd", "act-archivedBoard": "__board__ moved to Recycle Bin", @@ -30,6 +31,7 @@ "activity-archived": "%s moved to Recycle Bin", "activity-attached": "%s bijgevoegd aan %s", "activity-created": "%s aangemaakt", + "activity-customfield-created": "created custom field %s", "activity-excluded": "%s uitgesloten van %s", "activity-imported": "%s geimporteerd in %s van %s", "activity-imported-board": "%s geimporteerd van %s", @@ -111,6 +113,7 @@ "card-due-on": "Deadline: ", "card-spent": "gespendeerde tijd", "card-edit-attachments": "Wijzig bijlagen", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Wijzig labels", "card-edit-members": "Wijzig leden", "card-labels-title": "Wijzig de labels vam de kaart.", @@ -118,6 +121,8 @@ "card-start": "Begin", "card-start-on": "Begint op", "cardAttachmentsPopup-title": "Voeg bestand toe vanuit", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Kaart verwijderen?", "cardDetailsActionsPopup-title": "Kaart actie ondernemen", "cardLabelsPopup-title": "Labels", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Bord aanmaken", "chooseBoardSourcePopup-title": "Importeer bord", "createLabelPopup-title": "Label aanmaken", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "Huidige", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Datum", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Datum", "decline": "Weigeren", "default-avatar": "Standaard avatar", "delete": "Verwijderen", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Verwijder label?", "description": "Beschrijving", "disambiguateMultiLabelPopup-title": "Disambigueer Label Actie", @@ -186,6 +205,7 @@ "soft-wip-limit": "Zachte WIP limiet", "editCardStartDatePopup-title": "Wijzig start datum", "editCardDueDatePopup-title": "Wijzig deadline", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Verander gespendeerde tijd", "editLabelPopup-title": "Wijzig label", "editNotificationPopup-title": "Wijzig notificatie", @@ -366,6 +386,7 @@ "title": "Titel", "tracking": "Volgen", "tracking-info": "Je wordt op de hoogte gesteld als er veranderingen zijn aan de kaarten waar je lid of maker van bent.", + "type": "Type", "unassign-member": "Lid ontkennen", "unsaved-description": "Je hebt een niet opgeslagen beschrijving.", "unwatch": "Niet bekijken", @@ -430,6 +451,7 @@ "hours": "uren", "minutes": "minuten", "seconds": "seconden", + "show-field-on-card": "Show this field on card", "yes": "Ja", "no": "Nee", "accounts": "Accounts", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 99c7ae3c..fa6fa060 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "commented on __card__: __comment__", "act-createBoard": "created __board__", "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "added __list__ to __board__", "act-addBoardMember": "added __member__ to __board__", "act-archivedBoard": "__board__ moved to Recycle Bin", @@ -30,6 +31,7 @@ "activity-archived": "%s przeniesiono do Kosza", "activity-attached": "załączono %s z %s", "activity-created": "utworzono %s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "wyłączono %s z %s", "activity-imported": "zaimportowano %s to %s z %s", "activity-imported-board": "zaimportowano %s z %s", @@ -111,6 +113,7 @@ "card-due-on": "Due on", "card-spent": "Spent Time", "card-edit-attachments": "Edytuj załączniki", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Edytuj etykiety", "card-edit-members": "Edytuj członków", "card-labels-title": "Zmień etykiety karty", @@ -118,6 +121,8 @@ "card-start": "Start", "card-start-on": "Starts on", "cardAttachmentsPopup-title": "Załącz z", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Usunąć kartę?", "cardDetailsActionsPopup-title": "Card Actions", "cardLabelsPopup-title": "Etykiety", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Utwórz tablicę", "chooseBoardSourcePopup-title": "Import tablicy", "createLabelPopup-title": "Utwórz etykietę", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "obecny", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Data", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Data", "decline": "Odrzuć", "default-avatar": "Domyślny avatar", "delete": "Usuń", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Usunąć etykietę?", "description": "Opis", "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", @@ -186,6 +205,7 @@ "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "Change start date", "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Change spent time", "editLabelPopup-title": "Zmień etykietę", "editNotificationPopup-title": "Edit Notification", @@ -366,6 +386,7 @@ "title": "Tytuł", "tracking": "Tracking", "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", "unassign-member": "Nieprzypisany członek", "unsaved-description": "You have an unsaved description.", "unwatch": "Unwatch", @@ -430,6 +451,7 @@ "hours": "godzin", "minutes": "minut", "seconds": "sekund", + "show-field-on-card": "Show this field on card", "yes": "Tak", "no": "Nie", "accounts": "Konto", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 613ae44b..dbebd048 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "comentou em __card__: __comment__", "act-createBoard": "criou __board__", "act-createCard": "__card__ adicionado à __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "__list__ adicionada à __board__", "act-addBoardMember": "__member__ adicionado à __board__", "act-archivedBoard": "__board__ moved to Recycle Bin", @@ -30,6 +31,7 @@ "activity-archived": "%s moved to Recycle Bin", "activity-attached": "anexou %s a %s", "activity-created": "criou %s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "excluiu %s de %s", "activity-imported": "importado %s em %s de %s", "activity-imported-board": "importado %s de %s", @@ -111,6 +113,7 @@ "card-due-on": "Finaliza em", "card-spent": "Tempo Gasto", "card-edit-attachments": "Editar anexos", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Editar etiquetas", "card-edit-members": "Editar membros", "card-labels-title": "Alterar etiquetas do cartão.", @@ -118,6 +121,8 @@ "card-start": "Data início", "card-start-on": "Começa em", "cardAttachmentsPopup-title": "Anexar a partir de", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Excluir Cartão?", "cardDetailsActionsPopup-title": "Ações do cartão", "cardLabelsPopup-title": "Etiquetas", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Criar Quadro", "chooseBoardSourcePopup-title": "Importar quadro", "createLabelPopup-title": "Criar Etiqueta", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "atual", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Data", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Data", "decline": "Rejeitar", "default-avatar": "Avatar padrão", "delete": "Excluir", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Excluir Etiqueta?", "description": "Descrição", "disambiguateMultiLabelPopup-title": "Desambiguar ações de etiquetas", @@ -186,6 +205,7 @@ "soft-wip-limit": "Limite de WIP", "editCardStartDatePopup-title": "Altera data de início", "editCardDueDatePopup-title": "Altera data fim", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Editar tempo gasto", "editLabelPopup-title": "Alterar Etiqueta", "editNotificationPopup-title": "Editar Notificações", @@ -366,6 +386,7 @@ "title": "Título", "tracking": "Tracking", "tracking-info": "Você será notificado se houver qualquer alteração em cards em que você é o criador ou membro", + "type": "Type", "unassign-member": "Membro não associado", "unsaved-description": "Você possui uma descrição não salva", "unwatch": "Deixar de observar", @@ -430,6 +451,7 @@ "hours": "horas", "minutes": "minutos", "seconds": "segundos", + "show-field-on-card": "Show this field on card", "yes": "Sim", "no": "Não", "accounts": "Contas", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index b78bbca8..6555af77 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "commented on __card__: __comment__", "act-createBoard": "created __board__", "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "added __list__ to __board__", "act-addBoardMember": "added __member__ to __board__", "act-archivedBoard": "__board__ moved to Recycle Bin", @@ -30,6 +31,7 @@ "activity-archived": "%s moved to Recycle Bin", "activity-attached": "attached %s to %s", "activity-created": "Criado %s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "excluded %s from %s", "activity-imported": "imported %s into %s from %s", "activity-imported-board": "imported %s from %s", @@ -111,6 +113,7 @@ "card-due-on": "Due on", "card-spent": "Spent Time", "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Edit labels", "card-edit-members": "Edit members", "card-labels-title": "Change the labels for the card.", @@ -118,6 +121,8 @@ "card-start": "Start", "card-start-on": "Starts on", "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Delete Card?", "cardDetailsActionsPopup-title": "Card Actions", "cardLabelsPopup-title": "Etiquetas", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Create Board", "chooseBoardSourcePopup-title": "Import board", "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Date", "decline": "Decline", "default-avatar": "Default avatar", "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Delete Label?", "description": "Description", "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", @@ -186,6 +205,7 @@ "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "Change start date", "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Change spent time", "editLabelPopup-title": "Change Label", "editNotificationPopup-title": "Edit Notification", @@ -366,6 +386,7 @@ "title": "Title", "tracking": "Tracking", "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", "unassign-member": "Unassign member", "unsaved-description": "You have an unsaved description.", "unwatch": "Unwatch", @@ -430,6 +451,7 @@ "hours": "hours", "minutes": "minutes", "seconds": "seconds", + "show-field-on-card": "Show this field on card", "yes": "Yes", "no": "Não", "accounts": "Contas", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index 014ad3d4..cca2865f 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "commented on __card__: __comment__", "act-createBoard": "created __board__", "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "added __list__ to __board__", "act-addBoardMember": "added __member__ to __board__", "act-archivedBoard": "__board__ moved to Recycle Bin", @@ -30,6 +31,7 @@ "activity-archived": "%s moved to Recycle Bin", "activity-attached": "attached %s to %s", "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "excluded %s from %s", "activity-imported": "imported %s into %s from %s", "activity-imported-board": "imported %s from %s", @@ -111,6 +113,7 @@ "card-due-on": "Due on", "card-spent": "Spent Time", "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Edit labels", "card-edit-members": "Edit members", "card-labels-title": "Change the labels for the card.", @@ -118,6 +121,8 @@ "card-start": "Start", "card-start-on": "Starts on", "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Delete Card?", "cardDetailsActionsPopup-title": "Card Actions", "cardLabelsPopup-title": "Labels", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Create Board", "chooseBoardSourcePopup-title": "Import board", "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Date", "decline": "Decline", "default-avatar": "Default avatar", "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Delete Label?", "description": "Description", "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", @@ -186,6 +205,7 @@ "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "Change start date", "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Change spent time", "editLabelPopup-title": "Change Label", "editNotificationPopup-title": "Edit Notification", @@ -366,6 +386,7 @@ "title": "Titlu", "tracking": "Tracking", "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", "unassign-member": "Unassign member", "unsaved-description": "You have an unsaved description.", "unwatch": "Unwatch", @@ -430,6 +451,7 @@ "hours": "hours", "minutes": "minutes", "seconds": "seconds", + "show-field-on-card": "Show this field on card", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 447e8f0d..456328e2 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "прокомментировал __card__: __comment__", "act-createBoard": "создал __board__", "act-createCard": "добавил __card__ в __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "добавил __list__ для __board__", "act-addBoardMember": "добавил __member__ в __board__", "act-archivedBoard": "Доска __board__ перемещена в Корзину", @@ -30,6 +31,7 @@ "activity-archived": "%s перемещено в Корзину", "activity-attached": "прикрепил %s к %s", "activity-created": "создал %s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "исключил %s из %s", "activity-imported": "импортировал %s в %s из %s", "activity-imported-board": "импортировал %s из %s", @@ -111,6 +113,7 @@ "card-due-on": "Выполнить до", "card-spent": "Затраченное время", "card-edit-attachments": "Изменить вложения", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Изменить метку", "card-edit-members": "Изменить участников", "card-labels-title": "Изменить метки для этой карточки.", @@ -118,6 +121,8 @@ "card-start": "Дата начала", "card-start-on": "Начнётся с", "cardAttachmentsPopup-title": "Прикрепить из", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Удалить карточку?", "cardDetailsActionsPopup-title": "Действия в карточке", "cardLabelsPopup-title": "Метки", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Создать доску", "chooseBoardSourcePopup-title": "Импортировать доску", "createLabelPopup-title": "Создать метку", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "текущий", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Дата", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Дата", "decline": "Отклонить", "default-avatar": "Аватар по умолчанию", "delete": "Удалить", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Удалить метку?", "description": "Описание", "disambiguateMultiLabelPopup-title": "Разрешить конфликт меток", @@ -186,6 +205,7 @@ "soft-wip-limit": "Мягкий лимит на кол-во задач", "editCardStartDatePopup-title": "Изменить дату начала", "editCardDueDatePopup-title": "Изменить дату выполнения", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Изменить затраченное время", "editLabelPopup-title": "Изменить метки", "editNotificationPopup-title": "Редактировать уведомления", @@ -366,6 +386,7 @@ "title": "Название", "tracking": "Отслеживание", "tracking-info": "Вы будете уведомлены о любых изменениях в тех карточках, в которых вы являетесь создателем или участником.", + "type": "Type", "unassign-member": "Отменить назначение участника", "unsaved-description": "У вас есть несохраненное описание.", "unwatch": "Перестать следить", @@ -430,6 +451,7 @@ "hours": "часы", "minutes": "минуты", "seconds": "секунды", + "show-field-on-card": "Show this field on card", "yes": "Да", "no": "Нет", "accounts": "Учетные записи", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index 14475751..bebe6760 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "commented on __card__: __comment__", "act-createBoard": "created __board__", "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "added __list__ to __board__", "act-addBoardMember": "added __member__ to __board__", "act-archivedBoard": "__board__ moved to Recycle Bin", @@ -30,6 +31,7 @@ "activity-archived": "%s moved to Recycle Bin", "activity-attached": "prikačio %s u %s", "activity-created": "kreirao %s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "izuzmi %s iz %s", "activity-imported": "uvezao %s u %s iz %s", "activity-imported-board": "uvezao %s iz %s", @@ -111,6 +113,7 @@ "card-due-on": "Završava se", "card-spent": "Spent Time", "card-edit-attachments": "Uredi priloge", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Uredi natpise", "card-edit-members": "Uredi članove", "card-labels-title": "Promeni natpis na kartici.", @@ -118,6 +121,8 @@ "card-start": "Početak", "card-start-on": "Počinje", "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Delete Card?", "cardDetailsActionsPopup-title": "Card Actions", "cardLabelsPopup-title": "Labels", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Create Board", "chooseBoardSourcePopup-title": "Import board", "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Datum", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Datum", "decline": "Decline", "default-avatar": "Default avatar", "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Delete Label?", "description": "Description", "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", @@ -186,6 +205,7 @@ "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "Izmeni početni datum", "editCardDueDatePopup-title": "Izmeni krajnji datum", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Change spent time", "editLabelPopup-title": "Change Label", "editNotificationPopup-title": "Izmeni notifikaciju", @@ -366,6 +386,7 @@ "title": "Naslov", "tracking": "Praćenje", "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", "unassign-member": "Unassign member", "unsaved-description": "Imaš nesnimljen opis.", "unwatch": "Ne posmatraj", @@ -430,6 +451,7 @@ "hours": "hours", "minutes": "minutes", "seconds": "seconds", + "show-field-on-card": "Show this field on card", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 4cc2d987..3df78262 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "kommenterade __card__: __comment__", "act-createBoard": "skapade __board__", "act-createCard": "lade till __card__ to __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "lade till __list__ to __board__", "act-addBoardMember": "lade till __member__ to __board__", "act-archivedBoard": "__board__ flyttad till papperskorgen", @@ -30,6 +31,7 @@ "activity-archived": "%s flyttad till papperskorgen", "activity-attached": "bifogade %s to %s", "activity-created": "skapade %s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "exkluderade %s från %s", "activity-imported": "importerade %s till %s från %s", "activity-imported-board": "importerade %s från %s", @@ -111,6 +113,7 @@ "card-due-on": "Förfaller på", "card-spent": "Spenderad tid", "card-edit-attachments": "Redigera bilaga", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Redigera etiketter", "card-edit-members": "Redigera medlemmar", "card-labels-title": "Ändra etiketter för kortet.", @@ -118,6 +121,8 @@ "card-start": "Börja", "card-start-on": "Börja med", "cardAttachmentsPopup-title": "Bifoga från", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Ta bort kort?", "cardDetailsActionsPopup-title": "Kortåtgärder", "cardLabelsPopup-title": "Etiketter", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Skapa anslagstavla", "chooseBoardSourcePopup-title": "Importera anslagstavla", "createLabelPopup-title": "Skapa etikett", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "aktuell", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Datum", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Datum", "decline": "Nedgång", "default-avatar": "Standard avatar", "delete": "Ta bort", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Ta bort etikett?", "description": "Beskrivning", "disambiguateMultiLabelPopup-title": "Otvetydig etikettåtgärd", @@ -186,6 +205,7 @@ "soft-wip-limit": "Mjuk WIP-gräns", "editCardStartDatePopup-title": "Ändra startdatum", "editCardDueDatePopup-title": "Ändra förfallodatum", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Ändra spenderad tid", "editLabelPopup-title": "Ändra etikett", "editNotificationPopup-title": "Redigera avisering", @@ -366,6 +386,7 @@ "title": "Titel", "tracking": "Spårning", "tracking-info": "Du kommer att meddelas om eventuella ändringar av dessa kort du deltar i som skapare eller medlem.", + "type": "Type", "unassign-member": "Ta bort tilldelad medlem", "unsaved-description": "Du har en osparad beskrivning.", "unwatch": "Avbevaka", @@ -430,6 +451,7 @@ "hours": "timmar", "minutes": "minuter", "seconds": "sekunder", + "show-field-on-card": "Show this field on card", "yes": "Ja", "no": "Nej", "accounts": "Konton", diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index d4cf4d88..1986539f 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "commented on __card__: __comment__", "act-createBoard": "created __board__", "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "added __list__ to __board__", "act-addBoardMember": "added __member__ to __board__", "act-archivedBoard": "__board__ moved to Recycle Bin", @@ -30,6 +31,7 @@ "activity-archived": "%s moved to Recycle Bin", "activity-attached": "attached %s to %s", "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "excluded %s from %s", "activity-imported": "imported %s into %s from %s", "activity-imported-board": "imported %s from %s", @@ -111,6 +113,7 @@ "card-due-on": "Due on", "card-spent": "Spent Time", "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Edit labels", "card-edit-members": "Edit members", "card-labels-title": "Change the labels for the card.", @@ -118,6 +121,8 @@ "card-start": "Start", "card-start-on": "Starts on", "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Delete Card?", "cardDetailsActionsPopup-title": "Card Actions", "cardLabelsPopup-title": "Labels", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Create Board", "chooseBoardSourcePopup-title": "Import board", "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Date", "decline": "Decline", "default-avatar": "Default avatar", "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Delete Label?", "description": "Description", "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", @@ -186,6 +205,7 @@ "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "Change start date", "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Change spent time", "editLabelPopup-title": "Change Label", "editNotificationPopup-title": "Edit Notification", @@ -366,6 +386,7 @@ "title": "Title", "tracking": "Tracking", "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", "unassign-member": "Unassign member", "unsaved-description": "You have an unsaved description.", "unwatch": "Unwatch", @@ -430,6 +451,7 @@ "hours": "hours", "minutes": "minutes", "seconds": "seconds", + "show-field-on-card": "Show this field on card", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index 7cae51e4..4d398c39 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "ออกความเห็นที่ __card__: __comment__", "act-createBoard": "สร้าง __board__", "act-createCard": "เพิ่ม __card__ ไปยัง __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "เพิ่ม __list__ ไปยัง __board__", "act-addBoardMember": "เพิ่ม __member__ ไปยัง __board__", "act-archivedBoard": "__board__ moved to Recycle Bin", @@ -30,6 +31,7 @@ "activity-archived": "%s moved to Recycle Bin", "activity-attached": "แนบ %s ไปยัง %s", "activity-created": "สร้าง %s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "ยกเว้น %s จาก %s", "activity-imported": "ถูกนำเข้า %s ไปยัง %s จาก %s", "activity-imported-board": "นำเข้า %s จาก %s", @@ -111,6 +113,7 @@ "card-due-on": "ครบกำหนดเมื่อ", "card-spent": "Spent Time", "card-edit-attachments": "แก้ไขสิ่งที่แนบมา", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "แก้ไขป้ายกำกับ", "card-edit-members": "แก้ไขสมาชิก", "card-labels-title": "เปลี่ยนป้ายกำกับของการ์ด", @@ -118,6 +121,8 @@ "card-start": "เริ่ม", "card-start-on": "เริ่มเมื่อ", "cardAttachmentsPopup-title": "แนบจาก", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "ลบการ์ดนี้หรือไม่", "cardDetailsActionsPopup-title": "การดำเนินการการ์ด", "cardLabelsPopup-title": "ป้ายกำกับ", @@ -167,11 +172,25 @@ "createBoardPopup-title": "สร้างบอร์ด", "chooseBoardSourcePopup-title": "Import board", "createLabelPopup-title": "สร้างป้ายกำกับ", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "ปัจจุบัน", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "วันที่", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "วันที่", "decline": "ปฎิเสธ", "default-avatar": "ภาพเริ่มต้น", "delete": "ลบ", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "ลบป้ายกำกับนี้หรือไม่", "description": "คำอธิบาย", "disambiguateMultiLabelPopup-title": "การดำเนินการกำกับป้ายชัดเจน", @@ -186,6 +205,7 @@ "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "เปลี่ยนวันเริ่มต้น", "editCardDueDatePopup-title": "เปลี่ยนวันครบกำหนด", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Change spent time", "editLabelPopup-title": "เปลี่ยนป้ายกำกับ", "editNotificationPopup-title": "แก้ไขการแจ้งเตือน", @@ -366,6 +386,7 @@ "title": "หัวข้อ", "tracking": "ติดตาม", "tracking-info": "คุณจะได้รับแจ้งการเปลี่ยนแปลงใด ๆ กับการ์ดที่คุณมีส่วนร่วมในฐานะผู้สร้างหรือสมาชิก", + "type": "Type", "unassign-member": "ยกเลิกสมาชิก", "unsaved-description": "คุณมีคำอธิบายที่ไม่ได้บันทึก", "unwatch": "เลิกเฝ้าดู", @@ -430,6 +451,7 @@ "hours": "hours", "minutes": "minutes", "seconds": "seconds", + "show-field-on-card": "Show this field on card", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index 7f9cfd3d..96445407 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "__card__ kartına bir yorum bıraktı: __comment__", "act-createBoard": "__board__ panosunu oluşturdu", "act-createCard": "__card__ kartını ___list__ listesine ekledi", + "act-createCustomField": "created custom field __customField__", "act-createList": "__list__ listesini __board__ panosuna ekledi", "act-addBoardMember": "__member__ kullanıcısını __board__ panosuna ekledi", "act-archivedBoard": "__board__ Geri Dönüşüm Kutusu'na taşındı", @@ -30,6 +31,7 @@ "activity-archived": "%s Geri Dönüşüm Kutusu'na taşındı", "activity-attached": "%s içine %s ekledi", "activity-created": "%s öğesini oluşturdu", + "activity-customfield-created": "created custom field %s", "activity-excluded": "%s içinden %s çıkarttı", "activity-imported": "%s kaynağından %s öğesini %s öğesinin içine taşıdı ", "activity-imported-board": "%s i %s içinden aktardı", @@ -111,6 +113,7 @@ "card-due-on": "Bitiş tarihi:", "card-spent": "Harcanan Zaman", "card-edit-attachments": "Ek dosyasını düzenle", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Etiketleri düzenle", "card-edit-members": "Üyeleri düzenle", "card-labels-title": "Bu kart için etiketleri düzenle", @@ -118,6 +121,8 @@ "card-start": "Başlama", "card-start-on": "Başlama tarihi:", "cardAttachmentsPopup-title": "Eklenme", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Kart Silinsin mi?", "cardDetailsActionsPopup-title": "Kart işlemleri", "cardLabelsPopup-title": "Etiketler", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Pano Oluşturma", "chooseBoardSourcePopup-title": "Panoyu içe aktar", "createLabelPopup-title": "Etiket Oluşturma", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "mevcut", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Tarih", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Tarih", "decline": "Reddet", "default-avatar": "Varsayılan avatar", "delete": "Sil", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Etiket Silinsin mi?", "description": "Açıklama", "disambiguateMultiLabelPopup-title": "Etiket işlemini izah et", @@ -186,6 +205,7 @@ "soft-wip-limit": "Zayıf Devam Eden İş Sınırı", "editCardStartDatePopup-title": "Başlangıç tarihini değiştir", "editCardDueDatePopup-title": "Bitiş tarihini değiştir", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Harcanan zamanı değiştir", "editLabelPopup-title": "Etiket Değiştir", "editNotificationPopup-title": "Bildirimi değiştir", @@ -366,6 +386,7 @@ "title": "Başlık", "tracking": "Takip", "tracking-info": "Oluşturduğunuz veya üyesi olduğunuz tüm kartlardaki değişiklikler size bildirim olarak gelecek.", + "type": "Type", "unassign-member": "Üyeye atamayı kaldır", "unsaved-description": "Kaydedilmemiş bir açıklama metnin bulunmakta", "unwatch": "Takibi bırak", @@ -430,6 +451,7 @@ "hours": "saat", "minutes": "dakika", "seconds": "saniye", + "show-field-on-card": "Show this field on card", "yes": "Evet", "no": "Hayır", "accounts": "Hesaplar", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 599ebf91..66a87965 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "комментар в __card__: __comment__", "act-createBoard": "__board__ створенна", "act-createCard": "__card__ карта додана до __list__ листа", + "act-createCustomField": "created custom field __customField__", "act-createList": "added __list__ to __board__", "act-addBoardMember": "added __member__ to __board__", "act-archivedBoard": "__board__ moved to Recycle Bin", @@ -30,6 +31,7 @@ "activity-archived": "%s moved to Recycle Bin", "activity-attached": "attached %s to %s", "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "excluded %s from %s", "activity-imported": "imported %s into %s from %s", "activity-imported-board": "imported %s from %s", @@ -111,6 +113,7 @@ "card-due-on": "Due on", "card-spent": "Spent Time", "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Edit labels", "card-edit-members": "Edit members", "card-labels-title": "Change the labels for the card.", @@ -118,6 +121,8 @@ "card-start": "Start", "card-start-on": "Starts on", "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Delete Card?", "cardDetailsActionsPopup-title": "Card Actions", "cardLabelsPopup-title": "Labels", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Create Board", "chooseBoardSourcePopup-title": "Import board", "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Date", "decline": "Decline", "default-avatar": "Default avatar", "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Delete Label?", "description": "Description", "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", @@ -186,6 +205,7 @@ "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "Change start date", "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Change spent time", "editLabelPopup-title": "Change Label", "editNotificationPopup-title": "Edit Notification", @@ -366,6 +386,7 @@ "title": "Title", "tracking": "Tracking", "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", "unassign-member": "Unassign member", "unsaved-description": "You have an unsaved description.", "unwatch": "Unwatch", @@ -430,6 +451,7 @@ "hours": "hours", "minutes": "minutes", "seconds": "seconds", + "show-field-on-card": "Show this field on card", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index 73fc1bcb..ee4a93b8 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "đã bình luận trong __card__: __comment__", "act-createBoard": "đã tạo __board__", "act-createCard": "đã thêm __card__ vào __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "đã thêm __list__ vào __board__", "act-addBoardMember": "đã thêm __member__ vào __board__", "act-archivedBoard": "__board__ moved to Recycle Bin", @@ -30,6 +31,7 @@ "activity-archived": "%s moved to Recycle Bin", "activity-attached": "đã đính kèm %s vào %s", "activity-created": "đã tạo %s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "đã loại bỏ %s khỏi %s", "activity-imported": "đã nạp %s vào %s từ %s", "activity-imported-board": "đã nạp %s từ %s", @@ -111,6 +113,7 @@ "card-due-on": "Due on", "card-spent": "Spent Time", "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Edit labels", "card-edit-members": "Edit members", "card-labels-title": "Change the labels for the card.", @@ -118,6 +121,8 @@ "card-start": "Start", "card-start-on": "Starts on", "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Delete Card?", "cardDetailsActionsPopup-title": "Card Actions", "cardLabelsPopup-title": "Labels", @@ -167,11 +172,25 @@ "createBoardPopup-title": "Create Board", "chooseBoardSourcePopup-title": "Import board", "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "Date", "decline": "Decline", "default-avatar": "Default avatar", "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Delete Label?", "description": "Description", "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", @@ -186,6 +205,7 @@ "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "Change start date", "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Change spent time", "editLabelPopup-title": "Change Label", "editNotificationPopup-title": "Edit Notification", @@ -366,6 +386,7 @@ "title": "Title", "tracking": "Tracking", "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", "unassign-member": "Unassign member", "unsaved-description": "You have an unsaved description.", "unwatch": "Unwatch", @@ -430,6 +451,7 @@ "hours": "hours", "minutes": "minutes", "seconds": "seconds", + "show-field-on-card": "Show this field on card", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 3b476dac..1504e568 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "在 __card__ 发布评论: __comment__", "act-createBoard": "创建看板 __board__", "act-createCard": "添加卡片 __card__ 至列表 __list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "添加列表 __list__ 至看板 __board__", "act-addBoardMember": "添加成员 __member__ 至看板 __board__", "act-archivedBoard": "__board__ 已被移入回收站 ", @@ -30,6 +31,7 @@ "activity-archived": "%s 已被移入回收站", "activity-attached": "添加附件 %s 至 %s", "activity-created": "创建 %s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "排除 %s 从 %s", "activity-imported": "导入 %s 至 %s 从 %s 中", "activity-imported-board": "已导入 %s 从 %s 中", @@ -111,6 +113,7 @@ "card-due-on": "期限", "card-spent": "耗时", "card-edit-attachments": "编辑附件", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "编辑标签", "card-edit-members": "编辑成员", "card-labels-title": "更改该卡片上的标签", @@ -118,6 +121,8 @@ "card-start": "开始", "card-start-on": "始于", "cardAttachmentsPopup-title": "附件来源", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "彻底删除卡片?", "cardDetailsActionsPopup-title": "卡片操作", "cardLabelsPopup-title": "标签", @@ -167,11 +172,25 @@ "createBoardPopup-title": "创建看板", "chooseBoardSourcePopup-title": "导入看板", "createLabelPopup-title": "创建标签", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "当前", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "日期", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "日期", "decline": "拒绝", "default-avatar": "默认头像", "delete": "删除", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "删除标签?", "description": "描述", "disambiguateMultiLabelPopup-title": "标签消歧 [?]", @@ -186,6 +205,7 @@ "soft-wip-limit": "软在制品限制", "editCardStartDatePopup-title": "修改起始日期", "editCardDueDatePopup-title": "修改截止日期", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "修改耗时", "editLabelPopup-title": "更改标签", "editNotificationPopup-title": "编辑通知", @@ -366,6 +386,7 @@ "title": "标题", "tracking": "跟踪", "tracking-info": "当任何包含您(作为创建者或成员)的卡片发生变更时,您将得到通知。", + "type": "Type", "unassign-member": "取消分配成员", "unsaved-description": "存在未保存的描述", "unwatch": "取消关注", @@ -430,6 +451,7 @@ "hours": "小时", "minutes": "分钟", "seconds": "秒", + "show-field-on-card": "Show this field on card", "yes": "是", "no": "否", "accounts": "账号", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 082668dd..84a4d67b 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -7,6 +7,7 @@ "act-addComment": "評論__card__: __comment__", "act-createBoard": "完成新增 __board__", "act-createCard": "將__card__加入__list__", + "act-createCustomField": "created custom field __customField__", "act-createList": "新增__list__至__board__", "act-addBoardMember": "在__board__中新增成員__member__", "act-archivedBoard": "__board__ moved to Recycle Bin", @@ -30,6 +31,7 @@ "activity-archived": "%s moved to Recycle Bin", "activity-attached": "新增附件 %s 至 %s", "activity-created": "建立 %s", + "activity-customfield-created": "created custom field %s", "activity-excluded": "排除 %s 從 %s", "activity-imported": "匯入 %s 至 %s 從 %s 中", "activity-imported-board": "已匯入 %s 從 %s 中", @@ -111,6 +113,7 @@ "card-due-on": "到期", "card-spent": "Spent Time", "card-edit-attachments": "編輯附件", + "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "編輯標籤", "card-edit-members": "編輯成員", "card-labels-title": "更改該卡片上的標籤", @@ -118,6 +121,8 @@ "card-start": "開始", "card-start-on": "開始", "cardAttachmentsPopup-title": "附件來源", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "徹底刪除卡片?", "cardDetailsActionsPopup-title": "卡片動作", "cardLabelsPopup-title": "標籤", @@ -167,11 +172,25 @@ "createBoardPopup-title": "建立看板", "chooseBoardSourcePopup-title": "匯入看板", "createLabelPopup-title": "建立標籤", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", "current": "目前", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "日期", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", "date": "日期", "decline": "拒絕", "default-avatar": "預設大頭貼", "delete": "刪除", + "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "刪除標籤?", "description": "描述", "disambiguateMultiLabelPopup-title": "清除標籤動作歧義", @@ -186,6 +205,7 @@ "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "更改開始日期", "editCardDueDatePopup-title": "更改到期日期", + "editCustomFieldPopup-title": "Edit Field", "editCardSpentTimePopup-title": "Change spent time", "editLabelPopup-title": "更改標籤", "editNotificationPopup-title": "更改通知", @@ -366,6 +386,7 @@ "title": "標題", "tracking": "追蹤", "tracking-info": "你將會收到與你有關的卡片的所有變更通知", + "type": "Type", "unassign-member": "取消分配成員", "unsaved-description": "未儲存的描述", "unwatch": "取消觀察", @@ -430,6 +451,7 @@ "hours": "小時", "minutes": "分鐘", "seconds": "秒", + "show-field-on-card": "Show this field on card", "yes": "是", "no": "否", "accounts": "帳號", -- cgit v1.2.3-1-g7c22 From 1d904adc610afa3106acc00886a0a848e26e1cb1 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 18 May 2018 16:14:43 +0300 Subject: - Add: Custom Fields. Thanks to feuerball11, papoola and xet7 ! Closes #807 --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 49ee9b39..859c7145 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release adds the following new features: + +* [Custom Fields](https://github.com/wekan/wekan/issues/807). + +Thanks to GitHub users feuerball11, papoola and xet7 for their contributions. + # v0.95 2018-05-08 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From 12a374bec71cb6fefc0959c4bc373acad1847d66 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 18 May 2018 16:24:26 +0300 Subject: Changed place of greenkeeper badge. --- README.md | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/README.md b/README.md index 273b7793..8255e352 100644 --- a/README.md +++ b/README.md @@ -1,7 +1,5 @@ # Wekan -[![Greenkeeper badge](https://badges.greenkeeper.io/wekan/wekan.svg)](https://greenkeeper.io/) - [![Translate Wekan at Transifex](https://img.shields.io/badge/Translate%20Wekan-at%20Transifex-brightgreen.svg "Freenode IRC")](https://transifex.com/wekan/wekan) [![Wekan Vanila Chat][vanila_badge]][vanila_chat] @@ -16,6 +14,7 @@ [![Code Climate](https://codeclimate.com/github/wekan/wekan/badges/gpa.svg "Code Climate")](https://codeclimate.com/github/wekan/wekan) [![Project Dependencies](https://david-dm.org/wekan/wekan.svg "Project Dependencies")](https://david-dm.org/wekan/wekan) [![Code analysis at Open Hub](https://img.shields.io/badge/code%20analysis-at%20Open%20Hub-brightgreen.svg "Code analysis at Open Hub")](https://www.openhub.net/p/wekan) +[![Greenkeeper badge](https://badges.greenkeeper.io/wekan/wekan.svg)](https://greenkeeper.io/) Please read [FAQ](https://github.com/wekan/wekan/wiki/FAQ). Please don't feed the trolls and spammers that are mentioned in the FAQ :) -- cgit v1.2.3-1-g7c22 From a7f8614f04546aa4b99fe50346bec04f1c495c10 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 18 May 2018 16:29:18 +0300 Subject: Fix: checklistItems broken after upgrade. Thanks to feuerball11 ! Closes #1636 --- CHANGELOG.md | 8 ++++++-- 1 file changed, 6 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 859c7145..d884b44d 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,7 +4,11 @@ This release adds the following new features: * [Custom Fields](https://github.com/wekan/wekan/issues/807). -Thanks to GitHub users feuerball11, papoola and xet7 for their contributions. +and fixes the following bugs: + +* [Fix: checklistItems broken after upgrade](https://github.com/wekan/wekan/issues/1636). + +Thanks to GitHub users feuerball11, franksiler, papoola and xet7 for their contributions. # v0.95 2018-05-08 Wekan release @@ -14,7 +18,7 @@ This release adds the following new features: * [Add a new API route to create a new label in a given board](https://github.com/wekan/wekan/pull/1630); * [Admin Panel: Option to block username change](https://github.com/wekan/wekan/pull/1627). -and fixed the following bugs: +and fixes the following bugs: * [Error: title is required](https://github.com/wekan/wekan/issues/1576). -- cgit v1.2.3-1-g7c22 From 3e390503fc9dbaf02f770f8d433d608bd074e68b Mon Sep 17 00:00:00 2001 From: Ignatz Date: Fri, 18 May 2018 16:41:03 +0200 Subject: first test for custom fields filter --- client/components/sidebar/sidebarFilters.jade | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/client/components/sidebar/sidebarFilters.jade b/client/components/sidebar/sidebarFilters.jade index 273df8c2..ef7b39a2 100644 --- a/client/components/sidebar/sidebarFilters.jade +++ b/client/components/sidebar/sidebarFilters.jade @@ -40,6 +40,12 @@ template(name="filterSidebar") | ({{ username }}) if Filter.members.isSelected _id i.fa.fa-check + ul.sidebar-list + each currentBoard.customFields + li + a.name.js-toggle-label-filter + span.sidebar-list-item-description + {{ name }} if Filter.isActive hr a.sidebar-btn.js-clear-all -- cgit v1.2.3-1-g7c22 From 9dec10bad3ea651007da94bbb5f441c8940c109f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 18 May 2018 18:57:42 +0300 Subject: Add CLA back --- CONTRIBUTING.md | 1 + 1 file changed, 1 insertion(+) create mode 100644 CONTRIBUTING.md diff --git a/CONTRIBUTING.md b/CONTRIBUTING.md new file mode 100644 index 00000000..78fedf61 --- /dev/null +++ b/CONTRIBUTING.md @@ -0,0 +1 @@ +To get started, [sign the Contributor License Agreement](https://www.clahub.com/agreements/wekan/wekan). -- cgit v1.2.3-1-g7c22 From c2e6f676899575f316e0bc0db01d34a96cfacc5c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 18 May 2018 22:49:35 +0300 Subject: Update translations. --- i18n/de.i18n.json | 42 +++++++++++++++++++++--------------------- i18n/fr.i18n.json | 40 ++++++++++++++++++++-------------------- i18n/he.i18n.json | 12 ++++++------ 3 files changed, 47 insertions(+), 47 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index a823daf2..455fa03d 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -7,7 +7,7 @@ "act-addComment": "hat __card__ kommentiert: __comment__", "act-createBoard": "hat __board__ erstellt", "act-createCard": "hat __card__ zu __list__ hinzugefügt", - "act-createCustomField": "created custom field __customField__", + "act-createCustomField": "hat ein benutzerdefiniertes Feld angelegt ", "act-createList": "hat __list__ zu __board__ hinzugefügt", "act-addBoardMember": "hat __member__ zu __board__ hinzugefügt", "act-archivedBoard": "__board__ in den Papierkorb verschoben", @@ -31,7 +31,7 @@ "activity-archived": "%s in den Papierkorb verschoben", "activity-attached": "hat %s an %s angehängt", "activity-created": "hat %s erstellt", - "activity-customfield-created": "created custom field %s", + "activity-customfield-created": "Benutzerdefiniertes Feld erstellen %s", "activity-excluded": "hat %s von %s ausgeschlossen", "activity-imported": "hat %s in %s von %s importiert", "activity-imported-board": "hat %s von %s importiert", @@ -113,7 +113,7 @@ "card-due-on": "Fällig am", "card-spent": "Aufgewendete Zeit", "card-edit-attachments": "Anhänge ändern", - "card-edit-custom-fields": "Edit custom fields", + "card-edit-custom-fields": "Benutzerdefinierte Felder editieren", "card-edit-labels": "Labels ändern", "card-edit-members": "Mitglieder ändern", "card-labels-title": "Labels für diese Karte ändern.", @@ -121,8 +121,8 @@ "card-start": "Start", "card-start-on": "Start am", "cardAttachmentsPopup-title": "Anhängen von", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", + "cardCustomField-datePopup-title": "Datum ändern", + "cardCustomFieldsPopup-title": "Benutzerdefinierte Felder editieren", "cardDeletePopup-title": "Karte löschen?", "cardDetailsActionsPopup-title": "Kartenaktionen", "cardLabelsPopup-title": "Labels", @@ -172,25 +172,25 @@ "createBoardPopup-title": "Board erstellen", "chooseBoardSourcePopup-title": "Board importieren", "createLabelPopup-title": "Label erstellen", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", + "createCustomField": "Feld erstellen", + "createCustomFieldPopup-title": "Feld erstellen", "current": "aktuell", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", + "custom-field-delete-pop": "Dies wird die Karte entfernen und der dazugehörige Verlauf löschen. Es gibt keine Rückgängig-Funktion.", + "custom-field-checkbox": "Kontrollkästchen", "custom-field-date": "Datum", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", + "custom-field-dropdown": "Dropdown-Liste", + "custom-field-dropdown-none": "(keiner)", + "custom-field-dropdown-options": "Listenoptionen", + "custom-field-dropdown-options-placeholder": "Enter-Taste drücken zum Hinzufügen weiterer Optionen", + "custom-field-dropdown-unknown": "(unbekannt)", + "custom-field-number": "Zahl", + "custom-field-text": "Test", + "custom-fields": "Benutzerdefinierte Felder", "date": "Datum", "decline": "Ablehnen", "default-avatar": "Standard Profilbild", "delete": "Löschen", - "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteCustomFieldPopup-title": "Benutzerdefiniertes Feld löschen?", "deleteLabelPopup-title": "Label löschen?", "description": "Beschreibung", "disambiguateMultiLabelPopup-title": "Labels vereinheitlichen", @@ -205,7 +205,7 @@ "soft-wip-limit": "Soft WIP-Limit", "editCardStartDatePopup-title": "Startdatum ändern", "editCardDueDatePopup-title": "Fälligkeitsdatum ändern", - "editCustomFieldPopup-title": "Edit Field", + "editCustomFieldPopup-title": "Feld bearbeiten", "editCardSpentTimePopup-title": "Aufgewendete Zeit ändern", "editLabelPopup-title": "Label ändern", "editNotificationPopup-title": "Benachrichtigung ändern", @@ -386,7 +386,7 @@ "title": "Titel", "tracking": "Folgen", "tracking-info": "Sie werden über alle Änderungen an Karten benachrichtigt, an denen Sie als Ersteller oder Mitglied beteiligt sind.", - "type": "Type", + "type": "Typ", "unassign-member": "Mitglied entfernen", "unsaved-description": "Sie haben eine nicht gespeicherte Änderung.", "unwatch": "Beobachtung entfernen", @@ -451,7 +451,7 @@ "hours": "Stunden", "minutes": "Minuten", "seconds": "Sekunden", - "show-field-on-card": "Show this field on card", + "show-field-on-card": "Zeige dieses Feld auf der Karte", "yes": "Ja", "no": "Nein", "accounts": "Konten", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 9f0e1fa2..7cc6e2e6 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -7,7 +7,7 @@ "act-addComment": "a commenté __card__ : __comment__", "act-createBoard": "a créé __board__", "act-createCard": "a ajouté __card__ à __list__", - "act-createCustomField": "created custom field __customField__", + "act-createCustomField": "a créé le champ personnalisé __customField__", "act-createList": "a ajouté __list__ à __board__", "act-addBoardMember": "a ajouté __member__ à __board__", "act-archivedBoard": "__board__ a été déplacé vers la corbeille", @@ -31,7 +31,7 @@ "activity-archived": "%s a été déplacé vers la corbeille", "activity-attached": "a attaché %s à %s", "activity-created": "a créé %s", - "activity-customfield-created": "created custom field %s", + "activity-customfield-created": "a créé le champ personnalisé %s", "activity-excluded": "a exclu %s de %s", "activity-imported": "a importé %s vers %s depuis %s", "activity-imported-board": "a importé %s depuis %s", @@ -113,7 +113,7 @@ "card-due-on": "Échéance le", "card-spent": "Temps passé", "card-edit-attachments": "Modifier les pièces jointes", - "card-edit-custom-fields": "Edit custom fields", + "card-edit-custom-fields": "Éditer les champs personnalisés", "card-edit-labels": "Modifier les étiquettes", "card-edit-members": "Modifier les membres", "card-labels-title": "Modifier les étiquettes de la carte.", @@ -121,8 +121,8 @@ "card-start": "Début", "card-start-on": "Commence le", "cardAttachmentsPopup-title": "Joindre depuis", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", + "cardCustomField-datePopup-title": "Changer la date", + "cardCustomFieldsPopup-title": "Éditer les champs personnalisés", "cardDeletePopup-title": "Supprimer la carte ?", "cardDetailsActionsPopup-title": "Actions sur la carte", "cardLabelsPopup-title": "Étiquettes", @@ -172,25 +172,25 @@ "createBoardPopup-title": "Créer un tableau", "chooseBoardSourcePopup-title": "Importer un tableau", "createLabelPopup-title": "Créer une étiquette", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", + "createCustomField": "Créer un champ personnalisé", + "createCustomFieldPopup-title": "Créer un champ personnalisé", "current": "actuel", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", + "custom-field-delete-pop": "Cette action n'est pas réversible. Elle supprimera ce champ personnalisé de toutes les cartes et détruira son historique.", + "custom-field-checkbox": "Case à cocher", "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", + "custom-field-dropdown": "Liste de choix", + "custom-field-dropdown-none": "(aucun)", + "custom-field-dropdown-options": "Options de liste", + "custom-field-dropdown-options-placeholder": "Appuyez sur Entrée pour ajouter d'autres options", + "custom-field-dropdown-unknown": "(inconnu)", + "custom-field-number": "Nombre", + "custom-field-text": "Texte", + "custom-fields": "Champs personnalisés", "date": "Date", "decline": "Refuser", "default-avatar": "Avatar par défaut", "delete": "Supprimer", - "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteCustomFieldPopup-title": "Supprimer le champ personnalisé ?", "deleteLabelPopup-title": "Supprimer l'étiquette ?", "description": "Description", "disambiguateMultiLabelPopup-title": "Préciser l'action sur l'étiquette", @@ -205,7 +205,7 @@ "soft-wip-limit": "Limite WIP douce", "editCardStartDatePopup-title": "Modifier la date de début", "editCardDueDatePopup-title": "Modifier la date d'échéance", - "editCustomFieldPopup-title": "Edit Field", + "editCustomFieldPopup-title": "Éditer le champ personnalisé", "editCardSpentTimePopup-title": "Changer le temps passé", "editLabelPopup-title": "Modifier l'étiquette", "editNotificationPopup-title": "Modifier la notification", @@ -451,7 +451,7 @@ "hours": "heures", "minutes": "minutes", "seconds": "secondes", - "show-field-on-card": "Show this field on card", + "show-field-on-card": "Afficher ce champ sur la carte", "yes": "Oui", "no": "Non", "accounts": "Comptes", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 6d9c9b5c..20662943 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -31,7 +31,7 @@ "activity-archived": "%s הועבר לסל המחזור", "activity-attached": "%s צורף ל%s", "activity-created": "%s נוצר", - "activity-customfield-created": "created custom field %s", + "activity-customfield-created": "נוצר שדה בהתאמה אישית %s", "activity-excluded": "%s לא נכלל ב%s", "activity-imported": "%s ייובא מ%s אל %s", "activity-imported-board": "%s ייובא מ%s", @@ -113,7 +113,7 @@ "card-due-on": "תאריך יעד", "card-spent": "זמן שהושקע", "card-edit-attachments": "עריכת קבצים מצורפים", - "card-edit-custom-fields": "Edit custom fields", + "card-edit-custom-fields": "עריכת שדות בהתאמה אישית", "card-edit-labels": "עריכת תוויות", "card-edit-members": "עריכת חברים", "card-labels-title": "שינוי תוויות לכרטיס.", @@ -121,8 +121,8 @@ "card-start": "התחלה", "card-start-on": "מתחיל ב־", "cardAttachmentsPopup-title": "לצרף מ־", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", + "cardCustomField-datePopup-title": "החלפת תאריך", + "cardCustomFieldsPopup-title": "עריכת שדות בהתאמה אישית", "cardDeletePopup-title": "למחוק כרטיס?", "cardDetailsActionsPopup-title": "פעולות על הכרטיס", "cardLabelsPopup-title": "תוויות", @@ -172,8 +172,8 @@ "createBoardPopup-title": "יצירת לוח", "chooseBoardSourcePopup-title": "ייבוא לוח", "createLabelPopup-title": "יצירת תווית", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", + "createCustomField": "יצירת שדה", + "createCustomFieldPopup-title": "יצירת שדה", "current": "נוכחי", "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", "custom-field-checkbox": "Checkbox", -- cgit v1.2.3-1-g7c22 From 4600e4e2379e12a928b1e8b3d20470f49b82f8b5 Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sat, 19 May 2018 08:58:30 +0200 Subject: Migration Test --- server/migrations.js | 12 ++++++++++++ 1 file changed, 12 insertions(+) diff --git a/server/migrations.js b/server/migrations.js index 0fdd1fe0..e304a592 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -219,3 +219,15 @@ Migrations.add('add-profile-view', () => { ); }); }); + +Migrations.add('add-custom-fields-to-cards', () => { + Cards.update({ + customFields: { + $exists: false, + }, + }, { + $set: { + customFields:[], + }, + }, noValidateMulti); +}); -- cgit v1.2.3-1-g7c22 From bd8a8ab90e73fcb19cb266d72bc7a8cd832ddad1 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 19 May 2018 14:01:16 +0300 Subject: Update translations. --- i18n/de.i18n.json | 2 +- i18n/fi.i18n.json | 4 ++-- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 455fa03d..94431491 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -7,7 +7,7 @@ "act-addComment": "hat __card__ kommentiert: __comment__", "act-createBoard": "hat __board__ erstellt", "act-createCard": "hat __card__ zu __list__ hinzugefügt", - "act-createCustomField": "hat ein benutzerdefiniertes Feld angelegt ", + "act-createCustomField": "benutzerdefiniertes Feld __customField__ angelegt ", "act-createList": "hat __list__ zu __board__ hinzugefügt", "act-addBoardMember": "hat __member__ zu __board__ hinzugefügt", "act-archivedBoard": "__board__ in den Papierkorb verschoben", diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 31976b9b..2876c75e 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -7,7 +7,7 @@ "act-addComment": "kommentoitu __card__: __comment__", "act-createBoard": "luotu __board__", "act-createCard": "lisätty __card__ listalle __list__", - "act-createCustomField": "luo mukautettu kenttä __customField__", + "act-createCustomField": "luotu mukautettu kenttä __customField__", "act-createList": "lisätty __list__ taululle __board__", "act-addBoardMember": "lisätty __member__ taululle __board__", "act-archivedBoard": "__board__ siirretty roskakoriin", @@ -113,7 +113,7 @@ "card-due-on": "Erääntyy", "card-spent": "Käytetty aika", "card-edit-attachments": "Muokkaa liitetiedostoja", - "card-edit-custom-fields": "Muokkaa mukautettua kenttää", + "card-edit-custom-fields": "Muokkaa mukautettuja kenttiä", "card-edit-labels": "Muokkaa tunnisteita", "card-edit-members": "Muokkaa jäseniä", "card-labels-title": "Muokkaa kortin tunnisteita.", -- cgit v1.2.3-1-g7c22 From 12b08b9915097d63e35d1443277ae0b39c40474a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 19 May 2018 14:09:33 +0300 Subject: v0.96 --- CHANGELOG.md | 4 ++-- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index d884b44d..b5a83d5a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,8 +1,8 @@ -# Upcoming Wekan release +# v0.96 2018-05-19 Wekan release This release adds the following new features: -* [Custom Fields](https://github.com/wekan/wekan/issues/807). +* [Custom Fields](https://github.com/wekan/wekan/issues/807). Note: Import/Export is not implemented yet. and fixes the following bugs: diff --git a/package.json b/package.json index 4e0509df..81f3e692 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "0.95.0", + "version": "0.96.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index bd5994e9..b4d4e363 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 80, + appVersion = 81, # Increment this for every release. - appMarketingVersion = (defaultText = "0.95.0~2018-05-08"), + appMarketingVersion = (defaultText = "0.96.0~2018-05-19"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 27f9e9e104f9c1682cd3e89b73b3e64a2a98e89d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 19 May 2018 14:18:20 +0300 Subject: Update translations. --- i18n/de.i18n.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 94431491..daf3abdd 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -7,7 +7,7 @@ "act-addComment": "hat __card__ kommentiert: __comment__", "act-createBoard": "hat __board__ erstellt", "act-createCard": "hat __card__ zu __list__ hinzugefügt", - "act-createCustomField": "benutzerdefiniertes Feld __customField__ angelegt ", + "act-createCustomField": "benutzerdefiniertes Feld __customField__ angelegt", "act-createList": "hat __list__ zu __board__ hinzugefügt", "act-addBoardMember": "hat __member__ zu __board__ hinzugefügt", "act-archivedBoard": "__board__ in den Papierkorb verschoben", -- cgit v1.2.3-1-g7c22 From f48e2fbd1489aac6eac05315ed66d5ccc171a5e2 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 19 May 2018 14:20:08 +0300 Subject: v0.97 --- CHANGELOG.md | 4 ++++ package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 7 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index b5a83d5a..bfeed6be 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,7 @@ +# v0.97 2018-06-19 Wekan release + +Updated translations. + # v0.96 2018-05-19 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index 81f3e692..31882c93 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "0.96.0", + "version": "0.97.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index b4d4e363..84658691 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 81, + appVersion = 82, # Increment this for every release. - appMarketingVersion = (defaultText = "0.96.0~2018-05-19"), + appMarketingVersion = (defaultText = "0.97.0~2018-05-19"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 78317ef792c0de7435bbb8a0d3f6b413b2af9ab1 Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sat, 19 May 2018 14:51:01 +0200 Subject: Filter on custom fields presence --- client/components/sidebar/sidebarFilters.jade | 5 ++++- client/components/sidebar/sidebarFilters.js | 5 +++++ client/lib/filter.js | 11 +++++++++-- 3 files changed, 18 insertions(+), 3 deletions(-) diff --git a/client/components/sidebar/sidebarFilters.jade b/client/components/sidebar/sidebarFilters.jade index ef7b39a2..d1fdf824 100644 --- a/client/components/sidebar/sidebarFilters.jade +++ b/client/components/sidebar/sidebarFilters.jade @@ -40,12 +40,15 @@ template(name="filterSidebar") | ({{ username }}) if Filter.members.isSelected _id i.fa.fa-check + hr ul.sidebar-list each currentBoard.customFields li - a.name.js-toggle-label-filter + a.name.js-toggle-custom-fields-filter span.sidebar-list-item-description {{ name }} + if Filter.customFields.isSelected _id + i.fa.fa-check if Filter.isActive hr a.sidebar-btn.js-clear-all diff --git a/client/components/sidebar/sidebarFilters.js b/client/components/sidebar/sidebarFilters.js index f02d3a4a..ba2633de 100644 --- a/client/components/sidebar/sidebarFilters.js +++ b/client/components/sidebar/sidebarFilters.js @@ -11,6 +11,11 @@ BlazeComponent.extendComponent({ Filter.members.toggle(this.currentData()._id); Filter.resetExceptions(); }, + 'click .js-toggle-custom-fields-filter'(evt) { + evt.preventDefault(); + Filter.customFields.toggle(this.currentData()._id); + Filter.resetExceptions(); + }, 'click .js-clear-all'(evt) { evt.preventDefault(); Filter.reset(); diff --git a/client/lib/filter.js b/client/lib/filter.js index 8129776b..27492125 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -86,8 +86,9 @@ Filter = { // before changing the schema. labelIds: new SetFilter(), members: new SetFilter(), + customFields: new SetFilter(), - _fields: ['labelIds', 'members'], + _fields: ['labelIds', 'members', 'customFields'], // We don't filter cards that have been added after the last filter change. To // implement this we keep the id of these cards in this `_exceptions` fields @@ -111,7 +112,13 @@ Filter = { this._fields.forEach((fieldName) => { const filter = this[fieldName]; if (filter._isActive()) { - filterSelector[fieldName] = filter._getMongoSelector(); + if (fieldName === 'customFields'){ + filterSelector[fieldName] = {_id: filter._getMongoSelector()}; + } + else + { + filterSelector[fieldName] = filter._getMongoSelector(); + } emptySelector[fieldName] = filter._getEmptySelector(); if (emptySelector[fieldName] !== null) { includeEmptySelectors = true; -- cgit v1.2.3-1-g7c22 From 8f0c3b45c0b2edaf54a0a7bb0b3445b0e673dd03 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 19 May 2018 16:10:12 +0300 Subject: Fix date. --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index bfeed6be..adecd17e 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# v0.97 2018-06-19 Wekan release +# v0.97 2018-05-19 Wekan release Updated translations. -- cgit v1.2.3-1-g7c22 From cbdb7b4f64f0b620cfa924a1f80a8f1f0191f997 Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sat, 19 May 2018 15:21:12 +0200 Subject: Correcting constructed mongoSelector --- .eslintrc.json | 2 +- client/lib/filter.js | 31 +++++++++++++++++++++---------- 2 files changed, 22 insertions(+), 11 deletions(-) diff --git a/.eslintrc.json b/.eslintrc.json index 255e00ba..06d3f001 100644 --- a/.eslintrc.json +++ b/.eslintrc.json @@ -32,7 +32,7 @@ "comma-spacing": 2, "comma-style": 2, "eol-last": 2, - "linebreak-style": [2, "unix"], + "linebreak-style": [2, "windows"], "new-parens": 2, "no-lonely-if": 2, "no-multiple-empty-lines": 2, diff --git a/client/lib/filter.js b/client/lib/filter.js index 27492125..d57f3e78 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -10,10 +10,13 @@ function showFilterSidebar() { // Use a "set" filter for a field that is a set of documents uniquely // identified. For instance `{ labels: ['labelA', 'labelC', 'labelD'] }`. +// use "subField" for searching inside object Fields. +// For instance '{ customFields: [{_id : 'field1'}]} (subField would be: _id) class SetFilter { - constructor() { + constructor(subField = '') { this._dep = new Tracker.Dependency(); this._selectedElements = []; + this.subField = subField; } isSelected(val) { @@ -61,7 +64,21 @@ class SetFilter { _getMongoSelector() { this._dep.depend(); - return { $in: this._selectedElements }; + if (this.subField !== '') + { + + const selector = []; + this._selectedElements.forEach((element) => { + const item = []; + item[this.subField] = element; + selector.push(item); + }); + return {$in: selector}; + } + else + { + return { $in: this._selectedElements }; + } } _getEmptySelector() { @@ -86,7 +103,7 @@ Filter = { // before changing the schema. labelIds: new SetFilter(), members: new SetFilter(), - customFields: new SetFilter(), + customFields: new SetFilter('_id'), _fields: ['labelIds', 'members', 'customFields'], @@ -112,13 +129,7 @@ Filter = { this._fields.forEach((fieldName) => { const filter = this[fieldName]; if (filter._isActive()) { - if (fieldName === 'customFields'){ - filterSelector[fieldName] = {_id: filter._getMongoSelector()}; - } - else - { - filterSelector[fieldName] = filter._getMongoSelector(); - } + filterSelector[fieldName] = filter._getMongoSelector(); emptySelector[fieldName] = filter._getEmptySelector(); if (emptySelector[fieldName] !== null) { includeEmptySelectors = true; -- cgit v1.2.3-1-g7c22 From 973a0d93ae0dc59ed40ccb4224c658b0358ebe82 Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sat, 19 May 2018 15:21:48 +0200 Subject: reverting .eslintrc (i always forget to dont commit this) --- .eslintrc.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.eslintrc.json b/.eslintrc.json index 06d3f001..255e00ba 100644 --- a/.eslintrc.json +++ b/.eslintrc.json @@ -32,7 +32,7 @@ "comma-spacing": 2, "comma-style": 2, "eol-last": 2, - "linebreak-style": [2, "windows"], + "linebreak-style": [2, "unix"], "new-parens": 2, "no-lonely-if": 2, "no-multiple-empty-lines": 2, -- cgit v1.2.3-1-g7c22 From c431af27c25e7fab8a03002792ecc94f4f02923b Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sat, 19 May 2018 15:35:25 +0200 Subject: Correcting FIlter search with Multiple Custom Fields --- client/lib/filter.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index d57f3e78..ecc95d40 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -11,7 +11,7 @@ function showFilterSidebar() { // Use a "set" filter for a field that is a set of documents uniquely // identified. For instance `{ labels: ['labelA', 'labelC', 'labelD'] }`. // use "subField" for searching inside object Fields. -// For instance '{ customFields: [{_id : 'field1'}]} (subField would be: _id) +// For instance '{ customFields: [{_id : { $in: ['field1']}}]} (subField would be: _id) class SetFilter { constructor(subField = '') { this._dep = new Tracker.Dependency(); @@ -70,7 +70,7 @@ class SetFilter { const selector = []; this._selectedElements.forEach((element) => { const item = []; - item[this.subField] = element; + item[this.subField] = {$in: [element]}; selector.push(item); }); return {$in: selector}; -- cgit v1.2.3-1-g7c22 From f6d19d2833b322eb54762dae7a8d51d07718ef24 Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sat, 19 May 2018 15:40:51 +0200 Subject: Filter Sidebar Corrections --- client/components/sidebar/sidebarFilters.jade | 8 +++++++- i18n/en.i18n.json | 1 + 2 files changed, 8 insertions(+), 1 deletion(-) diff --git a/client/components/sidebar/sidebarFilters.jade b/client/components/sidebar/sidebarFilters.jade index d1fdf824..5f9fcf72 100644 --- a/client/components/sidebar/sidebarFilters.jade +++ b/client/components/sidebar/sidebarFilters.jade @@ -42,8 +42,14 @@ template(name="filterSidebar") i.fa.fa-check hr ul.sidebar-list + li(class="{{#if Filter.customFields.isSelected undefined}}active{{/if}}") + a.name.js-toggle-custom-fields-filter + span.sidebar-list-item-description + | {{_ 'filter-no-custom-fields'}} + if Filter.customFields.isSelected undefined + i.fa.fa-check each currentBoard.customFields - li + li(class="{{#if Filter.customFields.isSelected _id}}active{{/if}}") a.name.js-toggle-custom-fields-filter span.sidebar-list-item-description {{ name }} diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 6006a078..e2d6ddce 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Clear filter", "filter-no-label": "No label", "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", -- cgit v1.2.3-1-g7c22 From 8101d7ade85dbdf6dad95d96a937bf9718630373 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 19 May 2018 17:05:28 +0300 Subject: MongoDB v3.2.20 --- docker-compose.yml | 2 +- snapcraft.yaml | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/docker-compose.yml b/docker-compose.yml index 0f03055b..eb82c3aa 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -3,7 +3,7 @@ version: '2' services: wekandb: - image: mongo:3.2.19 + image: mongo:3.2.20 container_name: wekan-db restart: always command: mongod --smallfiles --oplogSize 128 diff --git a/snapcraft.yaml b/snapcraft.yaml index 088e1524..535150b3 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -65,7 +65,7 @@ apps: parts: mongodb: - source: https://fastdl.mongodb.org/linux/mongodb-linux-x86_64-ubuntu1604-3.2.19.tgz + source: https://fastdl.mongodb.org/linux/mongodb-linux-x86_64-ubuntu1604-3.2.20.tgz plugin: dump stage-packages: [libssl1.0.0] filesets: -- cgit v1.2.3-1-g7c22 From bc0aef3332ff220c7e3cba640bda69bd72567bfd Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sat, 19 May 2018 16:06:06 +0200 Subject: More Filter Corrections (Custom Fields) --- client/lib/filter.js | 19 +++---------------- 1 file changed, 3 insertions(+), 16 deletions(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index ecc95d40..80793db2 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -11,7 +11,7 @@ function showFilterSidebar() { // Use a "set" filter for a field that is a set of documents uniquely // identified. For instance `{ labels: ['labelA', 'labelC', 'labelD'] }`. // use "subField" for searching inside object Fields. -// For instance '{ customFields: [{_id : { $in: ['field1']}}]} (subField would be: _id) +// For instance '{ 'customFields._id': ['field1','field2']} (subField would be: _id) class SetFilter { constructor(subField = '') { this._dep = new Tracker.Dependency(); @@ -64,21 +64,7 @@ class SetFilter { _getMongoSelector() { this._dep.depend(); - if (this.subField !== '') - { - - const selector = []; - this._selectedElements.forEach((element) => { - const item = []; - item[this.subField] = {$in: [element]}; - selector.push(item); - }); - return {$in: selector}; - } - else - { - return { $in: this._selectedElements }; - } + return { $in: this._selectedElements }; } _getEmptySelector() { @@ -128,6 +114,7 @@ Filter = { let includeEmptySelectors = false; this._fields.forEach((fieldName) => { const filter = this[fieldName]; + if (filter.subField !== '') fieldName = `${fieldName}.${filter.subField}`; if (filter._isActive()) { filterSelector[fieldName] = filter._getMongoSelector(); emptySelector[fieldName] = filter._getEmptySelector(); -- cgit v1.2.3-1-g7c22 From 977bce9eb2d367220f30d15e5913d62a2d22c8a0 Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sat, 19 May 2018 16:23:18 +0200 Subject: correcting 'no custom fields' --- client/lib/filter.js | 10 ++++++++-- 1 file changed, 8 insertions(+), 2 deletions(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index 80793db2..f68c9711 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -114,9 +114,15 @@ Filter = { let includeEmptySelectors = false; this._fields.forEach((fieldName) => { const filter = this[fieldName]; - if (filter.subField !== '') fieldName = `${fieldName}.${filter.subField}`; if (filter._isActive()) { - filterSelector[fieldName] = filter._getMongoSelector(); + if (filter.subField !== '') + { + filterSelector[`${fieldName}.${filter.subField}`] = filter._getMongoSelector(); + } + else + { + filterSelector[fieldName] = filter._getMongoSelector(); + } emptySelector[fieldName] = filter._getEmptySelector(); if (emptySelector[fieldName] !== null) { includeEmptySelectors = true; -- cgit v1.2.3-1-g7c22 From 106b135eba787289a8972da6b679299d15ed105b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 19 May 2018 18:13:43 +0300 Subject: Use NPM 6.0.1 --- Dockerfile | 2 +- snapcraft.yaml | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/Dockerfile b/Dockerfile index c794f6dc..121d6adc 100644 --- a/Dockerfile +++ b/Dockerfile @@ -19,7 +19,7 @@ ENV NODE_VERSION ${NODE_VERSION:-v8.11.1} ENV METEOR_RELEASE ${METEOR_RELEASE:-1.6.0.1} ENV USE_EDGE ${USE_EDGE:-false} ENV METEOR_EDGE ${METEOR_EDGE:-1.5-beta.17} -ENV NPM_VERSION ${NPM_VERSION:-5.5.1} +ENV NPM_VERSION ${NPM_VERSION:-6.0.1} ENV FIBERS_VERSION ${FIBERS_VERSION:-2.0.0} ENV ARCHITECTURE ${ARCHITECTURE:-linux-x64} ENV SRC_PATH ${SRC_PATH:-./} diff --git a/snapcraft.yaml b/snapcraft.yaml index 535150b3..d9250392 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -83,7 +83,7 @@ parts: plugin: nodejs node-engine: 8.11.1 node-packages: - - npm@5.5.1 + - npm@6.0.1 - node-gyp - node-pre-gyp - fibers@2.0.0 -- cgit v1.2.3-1-g7c22 From 82f75411318f965b7b3aa53bc9624b0830a1d5fd Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 19 May 2018 18:30:29 +0300 Subject: Update translations. --- i18n/en-GB.i18n.json | 1 + i18n/fi.i18n.json | 1 + 2 files changed, 2 insertions(+) diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 8f8f5c4e..1182677d 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Clear filter", "filter-no-label": "No label", "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 2876c75e..935f760c 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Poista suodatin", "filter-no-label": "Ei tunnistetta", "filter-no-member": "Ei jäseniä", + "filter-no-custom-fields": "Ei mukautettuja kenttiä", "filter-on": "Suodatus on päällä", "filter-on-desc": "Suodatat kortteja tällä taululla. Klikkaa tästä muokataksesi suodatinta.", "filter-to-selection": "Suodata valintaan", -- cgit v1.2.3-1-g7c22 From 410e5aa28d065508558fdc46fa82bd540d21b97a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 19 May 2018 18:37:02 +0300 Subject: - Filtering by Custom Field - Update to NPM 6.0.1 and MongoDB 3.2.20 Thanks to feuerball11 and xet7 ! --- CHANGELOG.md | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index adecd17e..7e48154b 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# Upcoming Wekan release + +This release adds the following new features: + +* [Filtering by Custom Field](https://github.com/wekan/wekan/pull/1645); +* Update to NPM 6.0.1 and MongoDB 3.2.20. + +Thanks to GitHub users feuerball11 and xet7 for their contributions. + # v0.97 2018-05-19 Wekan release Updated translations. -- cgit v1.2.3-1-g7c22 From 3075791a931998d36ec21a35d2d9057defd24453 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 19 May 2018 18:43:59 +0300 Subject: v0.98 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 7e48154b..579cdb34 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v0.98 2018-05-19 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index 31882c93..5828b482 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "0.97.0", + "version": "0.98.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 84658691..3be7f838 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 82, + appVersion = 83, # Increment this for every release. - appMarketingVersion = (defaultText = "0.97.0~2018-05-19"), + appMarketingVersion = (defaultText = "0.98.0~2018-05-19"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From b00bd04baaa7cdad9b2162d13bff78d97d23f34a Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sat, 19 May 2018 18:38:48 +0200 Subject: first test for Advanced Filter --- client/components/sidebar/sidebarFilters.jade | 2 + client/components/sidebar/sidebarFilters.js | 5 ++ client/lib/filter.js | 113 +++++++++++++++++++++++++- 3 files changed, 118 insertions(+), 2 deletions(-) diff --git a/client/components/sidebar/sidebarFilters.jade b/client/components/sidebar/sidebarFilters.jade index 5f9fcf72..00d8c87b 100644 --- a/client/components/sidebar/sidebarFilters.jade +++ b/client/components/sidebar/sidebarFilters.jade @@ -55,6 +55,8 @@ template(name="filterSidebar") {{ name }} if Filter.customFields.isSelected _id i.fa.fa-check + hr + input.js-field-advanced-filter(type="text") if Filter.isActive hr a.sidebar-btn.js-clear-all diff --git a/client/components/sidebar/sidebarFilters.js b/client/components/sidebar/sidebarFilters.js index ba2633de..6fb3f500 100644 --- a/client/components/sidebar/sidebarFilters.js +++ b/client/components/sidebar/sidebarFilters.js @@ -16,6 +16,11 @@ BlazeComponent.extendComponent({ Filter.customFields.toggle(this.currentData()._id); Filter.resetExceptions(); }, + 'input .js-field-advanced-filter'(evt) { + evt.preventDefault(); + Filter.advanced.set(this.find('.js-field-advanced-filter').value.trim()); + Filter.resetExceptions(); + }, 'click .js-clear-all'(evt) { evt.preventDefault(); Filter.reset(); diff --git a/client/lib/filter.js b/client/lib/filter.js index f68c9711..8b7f7574 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -79,6 +79,110 @@ class SetFilter { } } + +// Advanced filter forms a MongoSelector from a users String. +// Build by: Ignatz 19.05.2018 (github feuerball11) +class AdvancedFilter { + constructor() { + this._dep = new Tracker.Dependency(); + this._filter = ''; + } + + set(str) + { + this._filter = str; + this._dep.changed(); + } + + reset() { + this._filter = ''; + this._dep.changed(); + } + + _isActive() { + this._dep.depend(); + return this._filter !== ''; + } + + _filterToCommands(){ + const commands = []; + let current = ''; + let string = false; + let ignore = false; + for (let i = 0; i < this._filter.length; i++) + { + const char = this._filter.charAt(i); + if (ignore) + { + ignore = false; + continue; + } + if (char === '\'') + { + string = true; + continue; + } + if (char === '\\') + { + ignore = true; + continue; + } + if (char === ' ' && !string) + { + commands.push({'cmd':current, string}); + string = false; + current = ''; + continue; + } + current.push(char); + } + if (current !== '') + { + commands.push(current); + } + return commands; + } + + _arrayToSelector(commands) + { + try { + //let changed = false; + for (let i = 0; i < commands.length; i++) + { + if (!commands[i].string && commands[i].cmd) + { + switch (commands[i].cmd) + { + case '=': + case '==': + case '===': + { + const field = commands[i-1]; + const str = commands[i+1]; + commands[i] = {}[field]=str; + commands.splice(i-1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } + + } + } + } + } + catch (e){return { $in: [] };} + return commands; + } + + _getMongoSelector() { + this._dep.depend(); + const commands = this._filterToCommands(); + return this._arrayToSelector(commands); + } + +} + // The global Filter object. // XXX It would be possible to re-write this object more elegantly, and removing // the need to provide a list of `_fields`. We also should move methods into the @@ -90,6 +194,7 @@ Filter = { labelIds: new SetFilter(), members: new SetFilter(), customFields: new SetFilter('_id'), + advanced: new AdvancedFilter(), _fields: ['labelIds', 'members', 'customFields'], @@ -134,9 +239,13 @@ Filter = { this._exceptionsDep.depend(); if (includeEmptySelectors) - return {$or: [filterSelector, exceptionsSelector, emptySelector]}; + return { + $or: [filterSelector, exceptionsSelector, this.advanced._getMongoSelector(), emptySelector], + }; else - return {$or: [filterSelector, exceptionsSelector]}; + return { + $or: [filterSelector, exceptionsSelector, this.advanced._getMongoSelector()], + }; }, mongoSelector(additionalSelector) { -- cgit v1.2.3-1-g7c22 From 1854f5c0614637cb86616eced6af3a6dcc4d9fc8 Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sat, 19 May 2018 19:00:20 +0200 Subject: correcting push not part of string --- client/lib/filter.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index 8b7f7574..81604705 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -134,7 +134,7 @@ class AdvancedFilter { current = ''; continue; } - current.push(char); + current += char; } if (current !== '') { -- cgit v1.2.3-1-g7c22 From 01cd2df3692a24b5789ee83b46137f5cdee2da58 Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sat, 19 May 2018 19:16:10 +0200 Subject: correcting return type from constructed --- client/lib/filter.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index 81604705..f056b2e8 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -172,7 +172,7 @@ class AdvancedFilter { } } catch (e){return { $in: [] };} - return commands; + return {$or: commands}; } _getMongoSelector() { -- cgit v1.2.3-1-g7c22 From cd749bc38592d82d8c1dcfd5b0ad7c48909a576b Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sat, 19 May 2018 19:59:10 +0200 Subject: console log for debug --- client/lib/filter.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index f056b2e8..eac23e47 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -237,7 +237,7 @@ Filter = { const exceptionsSelector = {_id: {$in: this._exceptions}}; this._exceptionsDep.depend(); - + console.log(this.advanced._getMongoSelector()); if (includeEmptySelectors) return { $or: [filterSelector, exceptionsSelector, this.advanced._getMongoSelector(), emptySelector], -- cgit v1.2.3-1-g7c22 From 1d58e401338985b2c2dfa071d53c83b2c62e368d Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sat, 19 May 2018 20:17:52 +0200 Subject: this took me way too long --- client/lib/filter.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index eac23e47..b971e4e0 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -157,8 +157,8 @@ class AdvancedFilter { case '==': case '===': { - const field = commands[i-1]; - const str = commands[i+1]; + const field = commands[i-1].cmd; + const str = commands[i+1].cmd; commands[i] = {}[field]=str; commands.splice(i-1, 1); commands.splice(i, 1); -- cgit v1.2.3-1-g7c22 From b9ead144fb88eb8e02c1d9ea9144873ce926ed96 Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sat, 19 May 2018 20:33:49 +0200 Subject: javascript is confusing sometimes --- client/lib/filter.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index b971e4e0..4a6dd2f3 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -159,7 +159,7 @@ class AdvancedFilter { { const field = commands[i-1].cmd; const str = commands[i+1].cmd; - commands[i] = {}[field]=str; + commands[i] = {[field]:str}; commands.splice(i-1, 1); commands.splice(i, 1); //changed = true; -- cgit v1.2.3-1-g7c22 From ba12b53e49852e92c6ed77df07f7576a9ed2b02c Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sat, 19 May 2018 20:53:25 +0200 Subject: correct way, wrong idea --- .eslintrc.json | 2 +- client/lib/filter.js | 9 +++++++-- 2 files changed, 8 insertions(+), 3 deletions(-) diff --git a/.eslintrc.json b/.eslintrc.json index 255e00ba..06d3f001 100644 --- a/.eslintrc.json +++ b/.eslintrc.json @@ -32,7 +32,7 @@ "comma-spacing": 2, "comma-style": 2, "eol-last": 2, - "linebreak-style": [2, "unix"], + "linebreak-style": [2, "windows"], "new-parens": 2, "no-lonely-if": 2, "no-multiple-empty-lines": 2, diff --git a/client/lib/filter.js b/client/lib/filter.js index 4a6dd2f3..749527fb 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -143,6 +143,11 @@ class AdvancedFilter { return commands; } + _fieldNameToId(name) + { + CustomFields.find({name})._id; + } + _arrayToSelector(commands) { try { @@ -159,7 +164,7 @@ class AdvancedFilter { { const field = commands[i-1].cmd; const str = commands[i+1].cmd; - commands[i] = {[field]:str}; + commands[i] = {'customFields._id':this._fieldNameToId(field), 'customFields.value':str}; commands.splice(i-1, 1); commands.splice(i, 1); //changed = true; @@ -207,7 +212,7 @@ Filter = { isActive() { return _.any(this._fields, (fieldName) => { return this[fieldName]._isActive(); - }); + }) || this.advanced._isActive(); }, _getMongoSelector() { -- cgit v1.2.3-1-g7c22 From 32058e8018b5f6e6829f6abceeec79c18f91c3ad Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sat, 19 May 2018 20:53:59 +0200 Subject: damm i got the eslint file again.... --- .eslintrc.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.eslintrc.json b/.eslintrc.json index 06d3f001..255e00ba 100644 --- a/.eslintrc.json +++ b/.eslintrc.json @@ -32,7 +32,7 @@ "comma-spacing": 2, "comma-style": 2, "eol-last": 2, - "linebreak-style": [2, "windows"], + "linebreak-style": [2, "unix"], "new-parens": 2, "no-lonely-if": 2, "no-multiple-empty-lines": 2, -- cgit v1.2.3-1-g7c22 From 0bdc7efc8b2e9b51298d69b30e9b93d20966de40 Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sat, 19 May 2018 21:06:53 +0200 Subject: another debug line --- client/lib/filter.js | 1 + 1 file changed, 1 insertion(+) diff --git a/client/lib/filter.js b/client/lib/filter.js index 749527fb..70b6894b 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -150,6 +150,7 @@ class AdvancedFilter { _arrayToSelector(commands) { + console.log(commands); try { //let changed = false; for (let i = 0; i < commands.length; i++) -- cgit v1.2.3-1-g7c22 From 422424d21c2f286478e5ad3f104ce966301adda1 Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sat, 19 May 2018 21:19:10 +0200 Subject: fixing string detection in advanced filter --- client/lib/filter.js | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index 70b6894b..bab04d48 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -119,7 +119,7 @@ class AdvancedFilter { } if (char === '\'') { - string = true; + string = !string; continue; } if (char === '\\') @@ -130,7 +130,6 @@ class AdvancedFilter { if (char === ' ' && !string) { commands.push({'cmd':current, string}); - string = false; current = ''; continue; } -- cgit v1.2.3-1-g7c22 From 811ccf0f102ce4b82efa2136a387e4c9e6b94456 Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sat, 19 May 2018 21:31:43 +0200 Subject: i was constructing the wrong and the whole time.. *sigh* --- client/lib/filter.js | 7 +++++-- 1 file changed, 5 insertions(+), 2 deletions(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index bab04d48..854ff446 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -108,6 +108,7 @@ class AdvancedFilter { const commands = []; let current = ''; let string = false; + let wasString = false; let ignore = false; for (let i = 0; i < this._filter.length; i++) { @@ -120,6 +121,7 @@ class AdvancedFilter { if (char === '\'') { string = !string; + if (string) wasString = true; continue; } if (char === '\\') @@ -129,7 +131,8 @@ class AdvancedFilter { } if (char === ' ' && !string) { - commands.push({'cmd':current, string}); + commands.push({'cmd':current, 'string':wasString}); + wasString = false; current = ''; continue; } @@ -137,7 +140,7 @@ class AdvancedFilter { } if (current !== '') { - commands.push(current); + commands.push({'cmd':current, 'string':wasString}); } return commands; } -- cgit v1.2.3-1-g7c22 From 17fcfd36973125bec369b5e74d9db092e0d8b7e0 Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sat, 19 May 2018 21:42:11 +0200 Subject: correcting _fieldNameToId(field); --- client/lib/filter.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index 854ff446..2079d99a 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -145,9 +145,9 @@ class AdvancedFilter { return commands; } - _fieldNameToId(name) + _fieldNameToId(field) { - CustomFields.find({name})._id; + CustomFields.find({'name':field})[0]._id; } _arrayToSelector(commands) -- cgit v1.2.3-1-g7c22 From 382b14ea275deb94c0f2f8d5564e050b034aca8b Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sat, 19 May 2018 21:54:20 +0200 Subject: debugging _fieldNameToId --- client/lib/filter.js | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index 2079d99a..970aedea 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -147,7 +147,10 @@ class AdvancedFilter { _fieldNameToId(field) { - CustomFields.find({'name':field})[0]._id; + console.log("searching: "+field); + const found = CustomFields.find({'name':field}); + console.log(found); + return found._id; } _arrayToSelector(commands) -- cgit v1.2.3-1-g7c22 From 2bf13a50c4ad03b39b52257dd21e0be3d21dae8a Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sat, 19 May 2018 22:17:00 +0200 Subject: find to findOne --- client/lib/filter.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index 970aedea..3a174af6 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -148,7 +148,7 @@ class AdvancedFilter { _fieldNameToId(field) { console.log("searching: "+field); - const found = CustomFields.find({'name':field}); + const found = CustomFields.findOne({'name':field}); console.log(found); return found._id; } -- cgit v1.2.3-1-g7c22 From 4ff8989e8fe6aab9f67f0471d0986823293ddc9d Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sat, 19 May 2018 22:29:12 +0200 Subject: More Debugging --- client/lib/filter.js | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index 3a174af6..9f42068b 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -248,7 +248,10 @@ Filter = { const exceptionsSelector = {_id: {$in: this._exceptions}}; this._exceptionsDep.depend(); - console.log(this.advanced._getMongoSelector()); + console.log("Final Filter:"); + console.log({ + $or: [filterSelector, exceptionsSelector, this.advanced._getMongoSelector()], + }); if (includeEmptySelectors) return { $or: [filterSelector, exceptionsSelector, this.advanced._getMongoSelector(), emptySelector], -- cgit v1.2.3-1-g7c22 From 39974c953247190fe373a583830d1ec3bc6899f7 Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sun, 20 May 2018 09:33:51 +0200 Subject: rewrite Filter._getMongoSelecto to not include Empty Filter. --- client/lib/filter.js | 22 ++++++++++------------ 1 file changed, 10 insertions(+), 12 deletions(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index 9f42068b..790e4f49 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -248,18 +248,16 @@ Filter = { const exceptionsSelector = {_id: {$in: this._exceptions}}; this._exceptionsDep.depend(); - console.log("Final Filter:"); - console.log({ - $or: [filterSelector, exceptionsSelector, this.advanced._getMongoSelector()], - }); - if (includeEmptySelectors) - return { - $or: [filterSelector, exceptionsSelector, this.advanced._getMongoSelector(), emptySelector], - }; - else - return { - $or: [filterSelector, exceptionsSelector, this.advanced._getMongoSelector()], - }; + + const selectors = [exceptionsSelector]; + + if (_.any(this._fields, (fieldName) => { + return this[fieldName]._isActive(); + })) selectors.push(filterSelector); + if (includeEmptySelectors) selectors.push(emptySelector); + if (this.advanced._isActive()) selectors.push(this.advanced._getMongoSelector()); + + return {$or: selectors}; }, mongoSelector(additionalSelector) { -- cgit v1.2.3-1-g7c22 From 9ac1164440b70de6480d55a0814198aad5e6d779 Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sun, 20 May 2018 09:47:20 +0200 Subject: Testing 'or' condition for advanced Filter --- client/lib/filter.js | 79 +++++++++++++++++++++++++++++++++++++--------------- 1 file changed, 57 insertions(+), 22 deletions(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index 790e4f49..84b10648 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -147,7 +147,7 @@ class AdvancedFilter { _fieldNameToId(field) { - console.log("searching: "+field); + console.log(`searching: ${field}`); const found = CustomFields.findOne({'name':field}); console.log(found); return found._id; @@ -158,32 +158,67 @@ class AdvancedFilter { console.log(commands); try { //let changed = false; - for (let i = 0; i < commands.length; i++) + this._processConditions(commands); + this._processLogicalOperators(commands); + } + catch (e){return { $in: [] };} + return {$or: commands}; + } + + _processConditions(commands) + { + for (let i = 0; i < commands.length; i++) + { + if (!commands[i].string && commands[i].cmd) { - if (!commands[i].string && commands[i].cmd) + switch (commands[i].cmd) + { + case '=': + case '==': + case '===': { - switch (commands[i].cmd) - { - case '=': - case '==': - case '===': - { - const field = commands[i-1].cmd; - const str = commands[i+1].cmd; - commands[i] = {'customFields._id':this._fieldNameToId(field), 'customFields.value':str}; - commands.splice(i-1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } - - } + const field = commands[i-1].cmd; + const str = commands[i+1].cmd; + commands[i] = {'customFields._id':this._fieldNameToId(field), 'customFields.value':str}; + commands.splice(i-1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } + + } + } + } + } + + _processLogicalOperators(commands) + { + for (let i = 0; i < commands.length; i++) + { + if (!commands[i].string && commands[i].cmd) + { + switch (commands[i].cmd) + { + case 'or': + case 'Or': + case 'OR': + case '|': + case '||': + { + const op1 = commands[i-1].cmd; + const op2 = commands[i+1].cmd; + commands[i] = {$or: [op1, op2]}; + commands.splice(i-1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } + } } } - catch (e){return { $in: [] };} - return {$or: commands}; } _getMongoSelector() { -- cgit v1.2.3-1-g7c22 From eb859dac3a2e69fdc608c76af53881df0abb2ed5 Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sun, 20 May 2018 09:57:40 +0200 Subject: More Debugging Logs --- client/lib/filter.js | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index 84b10648..5aae1b36 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -155,11 +155,13 @@ class AdvancedFilter { _arrayToSelector(commands) { - console.log(commands); + console.log('Parts: ', commands); try { //let changed = false; this._processConditions(commands); + console.log('Conditions: ', commands); this._processLogicalOperators(commands); + console.log('Operator: ', commands); } catch (e){return { $in: [] };} return {$or: commands}; -- cgit v1.2.3-1-g7c22 From 778a29855f3beac7b3915c76ced5f149c5fe306e Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sun, 20 May 2018 10:11:46 +0200 Subject: stringify console.logs becouse of asynchrone nature from chromes interpretation... WAT --- client/lib/filter.js | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index 5aae1b36..04edaa38 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -155,13 +155,13 @@ class AdvancedFilter { _arrayToSelector(commands) { - console.log('Parts: ', commands); + console.log('Parts: ', JSON.stringify(commands)); try { //let changed = false; this._processConditions(commands); - console.log('Conditions: ', commands); + console.log('Conditions: ', JSON.stringify(commands)); this._processLogicalOperators(commands); - console.log('Operator: ', commands); + console.log('Operator: ', JSON.stringify(commands)); } catch (e){return { $in: [] };} return {$or: commands}; -- cgit v1.2.3-1-g7c22 From c3044a6b8b91755042dc0b23abdd7192111ee73f Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sun, 20 May 2018 10:20:29 +0200 Subject: removing .cmd in oricessing Operators --- client/lib/filter.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index 04edaa38..c087ca78 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -208,8 +208,8 @@ class AdvancedFilter { case '|': case '||': { - const op1 = commands[i-1].cmd; - const op2 = commands[i+1].cmd; + const op1 = commands[i-1]; + const op2 = commands[i+1]; commands[i] = {$or: [op1, op2]}; commands.splice(i-1, 1); commands.splice(i, 1); -- cgit v1.2.3-1-g7c22 From 1c0c5bde0f39a1f3b7b6a125148f6dbda6803658 Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sun, 20 May 2018 11:15:57 +0200 Subject: More conditions and logic Operators, Also Brackets. --- client/lib/filter.js | 152 +++++++++++++++++++++++++++++++++++++++++++++++++-- 1 file changed, 148 insertions(+), 4 deletions(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index c087ca78..db2dd89f 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -158,15 +158,61 @@ class AdvancedFilter { console.log('Parts: ', JSON.stringify(commands)); try { //let changed = false; - this._processConditions(commands); - console.log('Conditions: ', JSON.stringify(commands)); - this._processLogicalOperators(commands); - console.log('Operator: ', JSON.stringify(commands)); + this._processSubCommands(commands); } catch (e){return { $in: [] };} return {$or: commands}; } + _processSubCommands(commands) + { + console.log('SubCommands: ', JSON.stringify(commands)); + const subcommands = []; + let level = 0; + let start = -1; + for (let i = 0; i < commands.length; i++) + { + if (!commands[i].string && commands[i].cmd) + { + switch (commands[i].cmd) + { + case '(': + { + level++; + if (start === -1) start = i; + continue; + } + case ')': + { + level--; + commands.splice(i, 1); + i--; + continue; + } + default: + { + if (level > 0) + { + subcommands.push(commands[i]); + commands.splice(i, 1); + i--; + continue; + } + } + } + } + } + if (start !== -1) + { + this._processSubCommands(subcommands); + commands.splice(start, 0, subcommands); + } + this._processConditions(commands); + console.log('Conditions: ', JSON.stringify(commands)); + this._processLogicalOperators(commands); + console.log('Operator: ', JSON.stringify(commands)); + } + _processConditions(commands) { for (let i = 0; i < commands.length; i++) @@ -188,6 +234,76 @@ class AdvancedFilter { i--; break; } + case '!=': + case '!==': + { + const field = commands[i-1].cmd; + const str = commands[i+1].cmd; + commands[i] = {$not: {'customFields._id':this._fieldNameToId(field), 'customFields.value':str}}; + commands.splice(i-1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } + case '>': + case 'gt': + case 'Gt': + case 'GT': + { + const field = commands[i-1].cmd; + const str = commands[i+1].cmd; + commands[i] = {'customFields._id':this._fieldNameToId(field), 'customFields.value': { $gt: str } }; + commands.splice(i-1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } + case '>=': + case '>==': + case 'gte': + case 'Gte': + case 'GTE': + { + const field = commands[i-1].cmd; + const str = commands[i+1].cmd; + commands[i] = {'customFields._id':this._fieldNameToId(field), 'customFields.value': { $gte: str } }; + commands.splice(i-1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } + case '<': + case 'lt': + case 'Lt': + case 'LT': + { + const field = commands[i-1].cmd; + const str = commands[i+1].cmd; + commands[i] = {'customFields._id':this._fieldNameToId(field), 'customFields.value': { $lt: str } }; + commands.splice(i-1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } + case '<=': + case '<==': + case 'lte': + case 'Lte': + case 'LTE': + { + const field = commands[i-1].cmd; + const str = commands[i+1].cmd; + commands[i] = {'customFields._id':this._fieldNameToId(field), 'customFields.value': { $lte: str } }; + commands.splice(i-1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } } } @@ -217,6 +333,34 @@ class AdvancedFilter { i--; break; } + case 'and': + case 'And': + case 'AND': + case '&': + case '&&': + { + const op1 = commands[i-1]; + const op2 = commands[i+1]; + commands[i] = {$and: [op1, op2]}; + commands.splice(i-1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } + + case 'not': + case 'Not': + case 'NOT': + case '!': + { + const op1 = commands[i+1]; + commands[i] = {$not: op1}; + commands.splice(i+1, 1); + //changed = true; + i--; + break; + } } } -- cgit v1.2.3-1-g7c22 From ecbb8ef07100f7af2387f8fb97712703eff32a06 Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sun, 20 May 2018 11:27:22 +0200 Subject: correcting strings not part of subcommand --- client/lib/filter.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index db2dd89f..60c2bc84 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -172,7 +172,7 @@ class AdvancedFilter { let start = -1; for (let i = 0; i < commands.length; i++) { - if (!commands[i].string && commands[i].cmd) + if (commands[i].cmd) { switch (commands[i].cmd) { -- cgit v1.2.3-1-g7c22 From bfac626fa46a9ecb525ea22bda14b66328e37724 Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sun, 20 May 2018 11:40:32 +0200 Subject: showOnCard test implementation --- client/components/cards/minicard.jade | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/client/components/cards/minicard.jade b/client/components/cards/minicard.jade index 9fa4dd57..04d57f15 100644 --- a/client/components/cards/minicard.jade +++ b/client/components/cards/minicard.jade @@ -24,6 +24,15 @@ template(name="minicard") .minicard-members.js-minicard-members each members +userAvatar(userId=this) + + .card-details-items + each customFieldsWD + if definition.showOnCard + .card-details-item.card-details-item-customfield + h3.card-details-item-title + = definition.name + +cardCustomField + .badges if comments.count .badge(title="{{_ 'card-comments-title' comments.count }}") -- cgit v1.2.3-1-g7c22 From f910b66ef27c53767dc123880c3bbec00e8daabd Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sun, 20 May 2018 11:49:49 +0200 Subject: correcting indent in jade --- client/components/cards/minicard.jade | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/client/components/cards/minicard.jade b/client/components/cards/minicard.jade index 04d57f15..f89e66d4 100644 --- a/client/components/cards/minicard.jade +++ b/client/components/cards/minicard.jade @@ -28,10 +28,10 @@ template(name="minicard") .card-details-items each customFieldsWD if definition.showOnCard - .card-details-item.card-details-item-customfield - h3.card-details-item-title - = definition.name - +cardCustomField + .card-details-item.card-details-item-customfield + h3.card-details-item-title + = definition.name + +cardCustomField .badges if comments.count -- cgit v1.2.3-1-g7c22 From 43fe9ef34ac490ad6c141d2259ecc431dc47a81b Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sun, 20 May 2018 12:11:58 +0200 Subject: style correction for custom fields on minicard --- client/components/cards/minicard.jade | 9 +++++---- client/components/cards/minicard.styl | 7 +++++++ 2 files changed, 12 insertions(+), 4 deletions(-) diff --git a/client/components/cards/minicard.jade b/client/components/cards/minicard.jade index f89e66d4..fd3fb7b0 100644 --- a/client/components/cards/minicard.jade +++ b/client/components/cards/minicard.jade @@ -25,13 +25,14 @@ template(name="minicard") each members +userAvatar(userId=this) - .card-details-items + .minicard-custom-fields each customFieldsWD if definition.showOnCard - .card-details-item.card-details-item-customfield - h3.card-details-item-title + .minicard-custom-field + h3.minicard-custom-field-item = definition.name - +cardCustomField + .minicard-custom-field-item + +cardCustomField .badges if comments.count diff --git a/client/components/cards/minicard.styl b/client/components/cards/minicard.styl index d59f1f63..38f829d0 100644 --- a/client/components/cards/minicard.styl +++ b/client/components/cards/minicard.styl @@ -77,6 +77,13 @@ height: @width border-radius: 2px margin-left: 3px + .minicard-custom-fields + display:block; + .minicard-custom-field + display:flex; + .minicard-custom-field-item + max-width:50%; + flex-grow:1; .minicard-title p:last-child margin-bottom: 0 -- cgit v1.2.3-1-g7c22 From 1133b7a04a99f4068298d7bc2c1f3428b1bba539 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 20 May 2018 13:13:15 +0300 Subject: Update translations. --- i18n/ar.i18n.json | 1 + i18n/bg.i18n.json | 1 + i18n/br.i18n.json | 1 + i18n/ca.i18n.json | 1 + i18n/cs.i18n.json | 3 ++- i18n/de.i18n.json | 7 ++--- i18n/el.i18n.json | 1 + i18n/eo.i18n.json | 1 + i18n/es-AR.i18n.json | 1 + i18n/es.i18n.json | 45 ++++++++++++++++---------------- i18n/eu.i18n.json | 1 + i18n/fa.i18n.json | 73 ++++++++++++++++++++++++++-------------------------- i18n/fr.i18n.json | 1 + i18n/gl.i18n.json | 1 + i18n/he.i18n.json | 29 +++++++++++---------- i18n/hu.i18n.json | 1 + i18n/hy.i18n.json | 1 + i18n/id.i18n.json | 1 + i18n/ig.i18n.json | 1 + i18n/it.i18n.json | 1 + i18n/ja.i18n.json | 1 + i18n/ko.i18n.json | 1 + i18n/lv.i18n.json | 1 + i18n/mn.i18n.json | 1 + i18n/nb.i18n.json | 1 + i18n/nl.i18n.json | 1 + i18n/pl.i18n.json | 1 + i18n/pt-BR.i18n.json | 1 + i18n/pt.i18n.json | 1 + i18n/ro.i18n.json | 1 + i18n/ru.i18n.json | 1 + i18n/sr.i18n.json | 1 + i18n/sv.i18n.json | 1 + i18n/ta.i18n.json | 1 + i18n/th.i18n.json | 1 + i18n/tr.i18n.json | 1 + i18n/uk.i18n.json | 1 + i18n/vi.i18n.json | 1 + i18n/zh-CN.i18n.json | 1 + i18n/zh-TW.i18n.json | 1 + 40 files changed, 116 insertions(+), 76 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 7c470976..5f5479b7 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "مسح التصفية", "filter-no-label": "لا يوجد ملصق", "filter-no-member": "ليس هناك أي عضو", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "التصفية تشتغل", "filter-on-desc": "أنت بصدد تصفية بطاقات هذه اللوحة. اضغط هنا لتعديل التصفية.", "filter-to-selection": "تصفية بالتحديد", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 39cf7a47..dfae8c97 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Премахване на филтрите", "filter-no-label": "No label", "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "Има приложени филтри", "filter-on-desc": "В момента филтрирате картите в тази дъска. Моля, натиснете тук, за да промените филтъра.", "filter-to-selection": "Филтрирай избраните", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index 7f2c7479..c7d909e6 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Clear filter", "filter-no-label": "No label", "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 6d49f9fc..067df869 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Elimina filtre", "filter-no-label": "Sense etiqueta", "filter-no-member": "Sense membres", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "Filtra per", "filter-on-desc": "Estau filtrant fitxes en aquest tauler. Feu clic aquí per editar el filtre.", "filter-to-selection": "Filtra selecció", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 46d0cb70..99889790 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -121,7 +121,7 @@ "card-start": "Start", "card-start-on": "Začít dne", "cardAttachmentsPopup-title": "Přiložit formulář", - "cardCustomField-datePopup-title": "Change date", + "cardCustomField-datePopup-title": "Změnit datum", "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "Smazat kartu?", "cardDetailsActionsPopup-title": "Akce karty", @@ -242,6 +242,7 @@ "filter-clear": "Vyčistit filtr", "filter-no-label": "Žádný štítek", "filter-no-member": "Žádný člen", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "Filtr je zapnut", "filter-on-desc": "Filtrujete karty tohoto tabla. Pro úpravu filtru klikni sem.", "filter-to-selection": "Filtrovat výběr", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index daf3abdd..84a69fcf 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -175,13 +175,13 @@ "createCustomField": "Feld erstellen", "createCustomFieldPopup-title": "Feld erstellen", "current": "aktuell", - "custom-field-delete-pop": "Dies wird die Karte entfernen und der dazugehörige Verlauf löschen. Es gibt keine Rückgängig-Funktion.", + "custom-field-delete-pop": "Dies wird das Feld aus allen Karten entfernen und den dazugehörigen Verlauf löschen. Die Aktion kann nicht rückgängig gemacht werden.", "custom-field-checkbox": "Kontrollkästchen", "custom-field-date": "Datum", - "custom-field-dropdown": "Dropdown-Liste", + "custom-field-dropdown": "Dropdownliste", "custom-field-dropdown-none": "(keiner)", "custom-field-dropdown-options": "Listenoptionen", - "custom-field-dropdown-options-placeholder": "Enter-Taste drücken zum Hinzufügen weiterer Optionen", + "custom-field-dropdown-options-placeholder": "Drücken Sie die Eingabetaste, um weitere Optionen hinzuzufügen", "custom-field-dropdown-unknown": "(unbekannt)", "custom-field-number": "Zahl", "custom-field-text": "Test", @@ -242,6 +242,7 @@ "filter-clear": "Filter entfernen", "filter-no-label": "Kein Label", "filter-no-member": "Kein Mitglied", + "filter-no-custom-fields": "Keine benutzerdefinierten Felder", "filter-on": "Filter ist aktiv", "filter-on-desc": "Sie filtern die Karten in diesem Board. Klicken Sie, um den Filter zu bearbeiten.", "filter-to-selection": "Ergebnisse auswählen", diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 09b8fda7..cb105897 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Clear filter", "filter-no-label": "No label", "filter-no-member": "Κανένα μέλος", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index 177c2270..069933c1 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Clear filter", "filter-no-label": "Nenia etikedo", "filter-no-member": "Nenia membro", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index 6e410413..39aad19e 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Sacar filtro", "filter-no-label": "Sin etiqueta", "filter-no-member": "No es miembro", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "El filtro está activado", "filter-on-desc": "Estás filtrando cartas en este tablero. Clickeá acá para editar el filtro.", "filter-to-selection": "Filtrar en la selección", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 7e575d8b..15cdea6b 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -7,7 +7,7 @@ "act-addComment": "ha comentado en __card__: __comment__", "act-createBoard": "ha creado __board__", "act-createCard": "ha añadido __card__ a __list__", - "act-createCustomField": "created custom field __customField__", + "act-createCustomField": "creado el campo personalizado __customField__", "act-createList": "ha añadido __list__ a __board__", "act-addBoardMember": "ha añadido a __member__ a __board__", "act-archivedBoard": "__board__ se ha enviado a la papelera de reciclaje", @@ -31,7 +31,7 @@ "activity-archived": "%s se ha enviado a la papelera de reciclaje", "activity-attached": "ha adjuntado %s a %s", "activity-created": "ha creado %s", - "activity-customfield-created": "created custom field %s", + "activity-customfield-created": "creado el campo personalizado %s", "activity-excluded": "ha excluido %s de %s", "activity-imported": "ha importado %s a %s desde %s", "activity-imported-board": "ha importado %s desde %s", @@ -113,7 +113,7 @@ "card-due-on": "Vence el", "card-spent": "Tiempo consumido", "card-edit-attachments": "Editar los adjuntos", - "card-edit-custom-fields": "Edit custom fields", + "card-edit-custom-fields": "Editar los campos personalizados", "card-edit-labels": "Editar las etiquetas", "card-edit-members": "Editar los miembros", "card-labels-title": "Cambia las etiquetas de la tarjeta", @@ -121,8 +121,8 @@ "card-start": "Comienza", "card-start-on": "Comienza el", "cardAttachmentsPopup-title": "Adjuntar desde", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", + "cardCustomField-datePopup-title": "Cambiar la fecha", + "cardCustomFieldsPopup-title": "Editar los campos personalizados", "cardDeletePopup-title": "¿Eliminar la tarjeta?", "cardDetailsActionsPopup-title": "Acciones de la tarjeta", "cardLabelsPopup-title": "Etiquetas", @@ -172,25 +172,25 @@ "createBoardPopup-title": "Crear tablero", "chooseBoardSourcePopup-title": "Importar un tablero", "createLabelPopup-title": "Crear etiqueta", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", + "createCustomField": "Crear un campo", + "createCustomFieldPopup-title": "Crear un campo", "current": "actual", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", + "custom-field-delete-pop": "Se eliminará este campo personalizado de todas las tarjetas y se destruirá su historial. Esta acción no puede deshacerse.", + "custom-field-checkbox": "Casilla de verificación", "custom-field-date": "Fecha", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", + "custom-field-dropdown": "Lista desplegable", + "custom-field-dropdown-none": "(nada)", + "custom-field-dropdown-options": "Opciones de la lista", + "custom-field-dropdown-options-placeholder": "Pulsa Intro para añadir más opciones", + "custom-field-dropdown-unknown": "(desconocido)", + "custom-field-number": "Número", + "custom-field-text": "Texto", + "custom-fields": "Campos personalizados", "date": "Fecha", "decline": "Declinar", "default-avatar": "Avatar por defecto", "delete": "Eliminar", - "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteCustomFieldPopup-title": "¿Borrar el campo personalizado?", "deleteLabelPopup-title": "¿Eliminar la etiqueta?", "description": "Descripción", "disambiguateMultiLabelPopup-title": "Desambiguar la acción de etiqueta", @@ -205,7 +205,7 @@ "soft-wip-limit": "Límite del trabajo en proceso flexible", "editCardStartDatePopup-title": "Cambiar la fecha de comienzo", "editCardDueDatePopup-title": "Cambiar la fecha de vencimiento", - "editCustomFieldPopup-title": "Edit Field", + "editCustomFieldPopup-title": "Editar el campo", "editCardSpentTimePopup-title": "Cambiar el tiempo consumido", "editLabelPopup-title": "Cambiar la etiqueta", "editNotificationPopup-title": "Editar las notificaciones", @@ -242,6 +242,7 @@ "filter-clear": "Limpiar el filtro", "filter-no-label": "Sin etiqueta", "filter-no-member": "Sin miembro", + "filter-no-custom-fields": "Sin campos personalizados", "filter-on": "Filtro activado", "filter-on-desc": "Estás filtrando tarjetas en este tablero. Haz clic aquí para editar el filtro.", "filter-to-selection": "Filtrar la selección", @@ -276,7 +277,7 @@ "keyboard-shortcuts": "Atajos de teclado", "label-create": "Crear una etiqueta", "label-default": "etiqueta %s (por defecto)", - "label-delete-pop": "Esto eliminará esta etiqueta de todas las tarjetas y destruirá su historial. Esta acción no puede deshacerse.", + "label-delete-pop": "Se eliminará esta etiqueta de todas las tarjetas y se destruirá su historial. Esta acción no puede deshacerse.", "labels": "Etiquetas", "language": "Cambiar el idioma", "last-admin-desc": "No puedes cambiar roles porque debe haber al menos un administrador.", @@ -386,7 +387,7 @@ "title": "Título", "tracking": "Siguiendo", "tracking-info": "Serás notificado de cualquier cambio en las tarjetas en las que participas como creador o miembro.", - "type": "Type", + "type": "Tipo", "unassign-member": "Desvincular al miembro", "unsaved-description": "Tienes una descripción por añadir.", "unwatch": "Dejar de vigilar", @@ -451,7 +452,7 @@ "hours": "horas", "minutes": "minutos", "seconds": "segundos", - "show-field-on-card": "Show this field on card", + "show-field-on-card": "Mostrar este campo en la tarjeta", "yes": "Sí", "no": "No", "accounts": "Cuentas", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index 7a079103..a16923a1 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Garbitu iragazkia", "filter-no-label": "Etiketarik ez", "filter-no-member": "Kiderik ez", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "Iragazkia gaituta dago", "filter-on-desc": "Arbel honetako txartela iragazten ari zara. Egin klik hemen iragazkia editatzeko.", "filter-to-selection": "Iragazketa aukerara", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index 52f8abbf..1db56e01 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -7,13 +7,13 @@ "act-addComment": "درج نظر برای __card__: __comment__", "act-createBoard": "__board__ ایجاد شد", "act-createCard": "__card__ به __list__ اضافه شد", - "act-createCustomField": "created custom field __customField__", + "act-createCustomField": "فیلد __customField__ ایجاد شد", "act-createList": "__list__ به __board__ اضافه شد", "act-addBoardMember": "__member__ به __board__ اضافه شد", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-archivedBoard": "__board__ به سطل زباله ریخته شد", + "act-archivedCard": "__card__ به سطل زباله منتقل شد", + "act-archivedList": "__list__ به سطل زباله منتقل شد", + "act-archivedSwimlane": "__swimlane__ به سطل زباله منتقل شد", "act-importBoard": "__board__ وارد شده", "act-importCard": "__card__ وارد شده", "act-importList": "__list__ وارد شده", @@ -28,10 +28,10 @@ "activities": "فعالیت ها", "activity": "فعالیت", "activity-added": "%s به %s اضافه شد", - "activity-archived": "%s moved to Recycle Bin", + "activity-archived": "%s به سطل زباله منتقل شد", "activity-attached": "%s به %s پیوست شد", "activity-created": "%s ایجاد شد", - "activity-customfield-created": "created custom field %s", + "activity-customfield-created": "%s فیلدشخصی ایجاد شد", "activity-excluded": "%s از %s مستثنی گردید", "activity-imported": "%s از %s وارد %s شد", "activity-imported-board": "%s از %s وارد شد", @@ -66,19 +66,19 @@ "and-n-other-card_plural": "و __count__ کارت دیگر", "apply": "اعمال", "app-is-offline": "Wekan در حال بارگذاری است. لطفا صبر کنید. نوسازی صفحه، منجر به از دست رفتن داده‌ها می‌شود. اگر Wekan بارگذاری نشد، لطفا بررسی کنید که سرور Wekan متوقف نشده باشد.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive": "ریختن به سطل زباله", + "archive-all": "ریختن همه به سطل زباله", + "archive-board": "ریختن تخته به سطل زباله", + "archive-card": "ریختن کارت به سطل زباله", + "archive-list": "ریختن لیست به سطل زباله", + "archive-swimlane": "ریختن مسیرشنا به سطل زباله", + "archive-selection": "انتخاب شده ها را به سطل زباله بریز", + "archiveBoardPopup-title": "آیا تخته به سطل زباله ریخته شود؟", + "archived-items": "سطل زباله", + "archived-boards": "تخته هایی که به زباله ریخته شده است", "restore-board": "بازیابی تخته", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "هیچ تخته ای در سطل زباله وجود ندارد", + "archives": "سطل زباله", "assign-member": "تعیین عضو", "attached": "ضمیمه شده", "attachment": "ضمیمه", @@ -104,7 +104,7 @@ "board-view-lists": "فهرست‌ها", "bucket-example": "برای مثال چیزی شبیه \"لیست سبدها\"", "cancel": "انصراف", - "card-archived": "This card is moved to Recycle Bin.", + "card-archived": "این کارت به سطل زباله ریخته شده است", "card-comments-title": "این کارت دارای %s نظر است.", "card-delete-notice": "حذف دائمی. تمامی موارد مرتبط با این کارت از بین خواهند رفت.", "card-delete-pop": "همه اقدامات از این پردازه (خوراک) حذف خواهد شد و امکان بازگرداندن کارت وجود نخواهد داشت.", @@ -113,7 +113,7 @@ "card-due-on": "مقتضی بر", "card-spent": "زمان صرف شده", "card-edit-attachments": "ویرایش ضمائم", - "card-edit-custom-fields": "Edit custom fields", + "card-edit-custom-fields": "ویرایش فیلدهای شخصی", "card-edit-labels": "ویرایش برچسب", "card-edit-members": "ویرایش اعضا", "card-labels-title": "تغییر برچسب کارت", @@ -121,8 +121,8 @@ "card-start": "شروع", "card-start-on": "شروع از", "cardAttachmentsPopup-title": "ضمیمه از", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", + "cardCustomField-datePopup-title": "تغییر تاریخ", + "cardCustomFieldsPopup-title": "ویرایش فیلدهای شخصی", "cardDeletePopup-title": "آیا می خواهید کارت را حذف کنید؟", "cardDetailsActionsPopup-title": "اعمال کارت", "cardLabelsPopup-title": "برچسب ها", @@ -146,7 +146,7 @@ "clipboard": "ذخیره در حافظه ویا بردار-رهاکن", "close": "بستن", "close-board": "بستن برد", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "شما با کلیک روی دکمه \"سطل زباله\" در قسمت خانه می توانید تخته را بازیابی کنید.", "color-black": "مشکی", "color-blue": "آبی", "color-green": "سبز", @@ -172,25 +172,25 @@ "createBoardPopup-title": "ایجاد تخته", "chooseBoardSourcePopup-title": "بارگذاری تخته", "createLabelPopup-title": "ایجاد برچسب", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", + "createCustomField": "ایجاد فیلد", + "createCustomFieldPopup-title": "ایجاد فیلد", "current": "جاری", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", + "custom-field-delete-pop": "این اقدام فیلدشخصی را بهمراه تمامی تاریخچه آن از کارت ها پاک می کند و برگشت پذیر نمی باشد", + "custom-field-checkbox": "جعبه انتخابی", "custom-field-date": "تاریخ", - "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown": "لیست افتادنی", "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-options": "لیست امکانات", + "custom-field-dropdown-options-placeholder": "کلید Enter را جهت افزودن امکانات بیشتر فشار دهید", "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", + "custom-field-number": "عدد", + "custom-field-text": "متن", + "custom-fields": "فیلدهای شخصی", "date": "تاریخ", "decline": "رد", "default-avatar": "تصویر پیش فرض", "delete": "حذف", - "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteCustomFieldPopup-title": "آیا فیلدشخصی پاک شود؟", "deleteLabelPopup-title": "آیا می خواهید برچسب را حذف کنید؟", "description": "توضیحات", "disambiguateMultiLabelPopup-title": "عمل ابهام زدایی از برچسب", @@ -205,7 +205,7 @@ "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "تغییر تاریخ آغاز", "editCardDueDatePopup-title": "تغییر تاریخ بدلیل", - "editCustomFieldPopup-title": "Edit Field", + "editCustomFieldPopup-title": "ویرایش فیلد", "editCardSpentTimePopup-title": "تغییر زمان صرف شده", "editLabelPopup-title": "تغیر برچسب", "editNotificationPopup-title": "اصلاح اعلان", @@ -242,6 +242,7 @@ "filter-clear": "حذف صافی ـFilterـ", "filter-no-label": "بدون برچسب", "filter-no-member": "بدون عضو", + "filter-no-custom-fields": "هیچ فیلدشخصی ای وجود ندارد", "filter-on": "صافی ـFilterـ فعال است", "filter-on-desc": "شما صافی ـFilterـ برای کارتهای تخته را روشن کرده اید. جهت ویرایش کلیک نمایید.", "filter-to-selection": "صافی ـFilterـ برای موارد انتخابی", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 7cc6e2e6..e901be9f 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Supprimer les filtres", "filter-no-label": "Aucune étiquette", "filter-no-member": "Aucun membre", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "Le filtre est actif", "filter-on-desc": "Vous êtes en train de filtrer les cartes sur ce tableau. Cliquez ici pour modifier les filtres.", "filter-to-selection": "Filtre vers la sélection", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 6712c2c6..3b75430e 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Limpar filtro", "filter-no-label": "Non hai etiquetas", "filter-no-member": "Non hai membros", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "O filtro está activado", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 20662943..fa099d22 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -7,7 +7,7 @@ "act-addComment": "התקבלה תגובה על הכרטיס __card__:‏ __comment__", "act-createBoard": "הלוח __board__ נוצר", "act-createCard": "הכרטיס __card__ התווסף לרשימה __list__", - "act-createCustomField": "created custom field __customField__", + "act-createCustomField": "צור שדה מותאם אישית __customField__", "act-createList": "הרשימה __list__ התווספה ללוח __board__", "act-addBoardMember": "המשתמש __member__ נוסף ללוח __board__", "act-archivedBoard": "__board__ הועבר לסל המחזור", @@ -175,22 +175,22 @@ "createCustomField": "יצירת שדה", "createCustomFieldPopup-title": "יצירת שדה", "current": "נוכחי", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", + "custom-field-delete-pop": "פעולה זו תסיר את השדה המותאם אישית מכל הכרטיסים ותמחק את ההיסטוריה שלו. לא יהיה אפשר לשחזר את המידע לאחר מכן", + "custom-field-checkbox": "צ'קבוקס", "custom-field-date": "תאריך", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", + "custom-field-dropdown": "רשימה נגללת", + "custom-field-dropdown-none": "(ללא)", "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", + "custom-field-dropdown-options-placeholder": "לחץ אנטר כדי להוסיף עוד אפשרויות", + "custom-field-dropdown-unknown": "(לא ידוע)", + "custom-field-number": "מספר", + "custom-field-text": "טקסט", + "custom-fields": "שדות מותאמים אישית", "date": "תאריך", "decline": "סירוב", "default-avatar": "תמונת משתמש כבררת מחדל", "delete": "מחיקה", - "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteCustomFieldPopup-title": "האם למחוק שדה מותאם אישית?", "deleteLabelPopup-title": "למחוק תווית?", "description": "תיאור", "disambiguateMultiLabelPopup-title": "הבהרת פעולת תווית", @@ -205,7 +205,7 @@ "soft-wip-limit": "מגבלת „בעבודה” רכה", "editCardStartDatePopup-title": "שינוי מועד התחלה", "editCardDueDatePopup-title": "שינוי מועד סיום", - "editCustomFieldPopup-title": "Edit Field", + "editCustomFieldPopup-title": "ערוך את השדה", "editCardSpentTimePopup-title": "שינוי הזמן שהושקע", "editLabelPopup-title": "שינוי תווית", "editNotificationPopup-title": "שינוי דיווח", @@ -242,6 +242,7 @@ "filter-clear": "ניקוי המסנן", "filter-no-label": "אין תווית", "filter-no-member": "אין חבר כזה", + "filter-no-custom-fields": "אין שדות מותאמים אישית", "filter-on": "המסנן פועל", "filter-on-desc": "מסנן כרטיסים פעיל בלוח זה. יש ללחוץ כאן לעריכת המסנן.", "filter-to-selection": "סינון לבחירה", @@ -386,7 +387,7 @@ "title": "כותרת", "tracking": "מעקב", "tracking-info": "על כל שינוי בכרטיסים בהם הייתה לך מעורבות ברמת היצירה או כחברות תגיע אליך הודעה.", - "type": "Type", + "type": "סוג", "unassign-member": "ביטול הקצאת חבר", "unsaved-description": "יש לך תיאור לא שמור.", "unwatch": "ביטול מעקב", @@ -451,7 +452,7 @@ "hours": "שעות", "minutes": "דקות", "seconds": "שניות", - "show-field-on-card": "Show this field on card", + "show-field-on-card": "הצג שדה זה בכרטיס", "yes": "כן", "no": "לא", "accounts": "חשבונות", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index cdec6414..329a2e67 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Szűrő törlése", "filter-no-label": "Nincs címke", "filter-no-member": "Nincs tag", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "Szűrő bekapcsolva", "filter-on-desc": "A kártyaszűrés be van kapcsolva ezen a táblán. Kattintson ide a szűrő szerkesztéséhez.", "filter-to-selection": "Szűrés a kijelöléshez", diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index 44c20184..d49caef6 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Clear filter", "filter-no-label": "No label", "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 5a1c6683..366d0512 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Bersihkan penyaringan", "filter-no-label": "Tidak ada label", "filter-no-member": "Tidak ada anggota", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "Penyaring aktif", "filter-on-desc": "Anda memfilter kartu di panel ini. Klik di sini untuk menyunting filter", "filter-to-selection": "Saring berdasarkan yang dipilih", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 6c0a259d..41b63498 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Clear filter", "filter-no-label": "No label", "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 905b8e40..70ca5011 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Pulisci filtri", "filter-no-label": "Nessuna etichetta", "filter-no-member": "Nessun membro", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "Il filtro è attivo", "filter-on-desc": "Stai filtrando le schede su questa bacheca. Clicca qui per modificare il filtro,", "filter-to-selection": "Seleziona", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 85094475..01d1db39 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "フィルターの解除", "filter-no-label": "ラベルなし", "filter-no-member": "メンバーなし", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "フィルター有効", "filter-on-desc": "このボードのカードをフィルターしています。フィルターを編集するにはこちらをクリックしてください。", "filter-to-selection": "フィルターした項目を全選択", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index 5d28430b..90dd0da9 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "필터 초기화", "filter-no-label": "라벨 없음", "filter-no-member": "멤버 없음", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "필터 사용", "filter-on-desc": "보드에서 카드를 필터링합니다. 여기를 클릭하여 필터를 수정합니다.", "filter-to-selection": "선택 항목으로 필터링", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 9dbdfaa2..6ccbdc8d 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Clear filter", "filter-no-label": "No label", "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index 04f11c2c..d08e5c73 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Clear filter", "filter-no-label": "No label", "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index 8fa570ac..4f6e2f8a 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Clear filter", "filter-no-label": "No label", "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index e062d3de..c2005214 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Reset filter", "filter-no-label": "Geen label", "filter-no-member": "Geen lid", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "Filter staat aan", "filter-on-desc": "Je bent nu kaarten aan het filteren op dit bord. Klik hier om het filter te wijzigen.", "filter-to-selection": "Filter zoals selectie", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index fa6fa060..054ffc8f 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Usuń filter", "filter-no-label": "Brak etykiety", "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "Filtr jest włączony", "filter-on-desc": "Filtrujesz karty na tej tablicy. Kliknij tutaj by edytować filtr.", "filter-to-selection": "Odfiltruj zaznaczenie", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index dbebd048..720e65c2 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Limpar filtro", "filter-no-label": "Sem labels", "filter-no-member": "Sem membros", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "Filtro está ativo", "filter-on-desc": "Você está filtrando cartões neste quadro. Clique aqui para editar o filtro.", "filter-to-selection": "Filtrar esta seleção", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 6555af77..857fccb5 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Clear filter", "filter-no-label": "No label", "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index cca2865f..7c9778a2 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Clear filter", "filter-no-label": "No label", "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 456328e2..e33c563e 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Очистить фильтр", "filter-no-label": "Нет метки", "filter-no-member": "Нет участников", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "Включен фильтр", "filter-on-desc": "Показываются карточки, соответствующие настройкам фильтра. Нажмите для редактирования.", "filter-to-selection": "Filter to selection", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index bebe6760..d01c75c1 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Clear filter", "filter-no-label": "Nema oznake", "filter-no-member": "Nema člana", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 3df78262..7dd8f7f7 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Rensa filter", "filter-no-label": "Ingen etikett", "filter-no-member": "Ingen medlem", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "Filter är på", "filter-on-desc": "Du filtrerar kort på denna anslagstavla. Klicka här för att redigera filter.", "filter-to-selection": "Filter till val", diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index 1986539f..6e8ffa79 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Clear filter", "filter-no-label": "No label", "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index 4d398c39..c18dde9e 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "ล้างตัวกรอง", "filter-no-label": "ไม่มีฉลาก", "filter-no-member": "ไม่มีสมาชิก", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "กรองบน", "filter-on-desc": "คุณกำลังกรองการ์ดในบอร์ดนี้ คลิกที่นี่เพื่อแก้ไขตัวกรอง", "filter-to-selection": "กรองตัวเลือก", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index 96445407..e7eb99aa 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Filtreyi temizle", "filter-no-label": "Etiket yok", "filter-no-member": "Üye yok", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "Filtre aktif", "filter-on-desc": "Bu panodaki kartları filtreliyorsunuz. Fitreyi düzenlemek için tıklayın.", "filter-to-selection": "Seçime göre filtreleme yap", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 66a87965..9fc7e3d7 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Clear filter", "filter-no-label": "No label", "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index ee4a93b8..779c5dfa 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "Clear filter", "filter-no-label": "No label", "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 1504e568..a1a32522 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "清空过滤器", "filter-no-label": "无标签", "filter-no-member": "无成员", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "过滤器启用", "filter-on-desc": "你正在过滤该看板上的卡片,点此编辑过滤。", "filter-to-selection": "要选择的过滤器", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 84a4d67b..2fd0044f 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -242,6 +242,7 @@ "filter-clear": "清空過濾條件", "filter-no-label": "沒有標籤", "filter-no-member": "沒有成員", + "filter-no-custom-fields": "No Custom Fields", "filter-on": "過濾條件啟用", "filter-on-desc": "你正在過濾該看板上的卡片,點此編輯過濾條件。", "filter-to-selection": "要選擇的過濾條件", -- cgit v1.2.3-1-g7c22 From d9e291635af2827e8bb30e99780e191e714b397b Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sun, 20 May 2018 12:17:25 +0200 Subject: customFields bevore mebers on minicard --- client/components/cards/minicard.jade | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/client/components/cards/minicard.jade b/client/components/cards/minicard.jade index fd3fb7b0..bd12a111 100644 --- a/client/components/cards/minicard.jade +++ b/client/components/cards/minicard.jade @@ -20,11 +20,6 @@ template(name="minicard") .date +cardSpentTime - if members - .minicard-members.js-minicard-members - each members - +userAvatar(userId=this) - .minicard-custom-fields each customFieldsWD if definition.showOnCard @@ -34,6 +29,11 @@ template(name="minicard") .minicard-custom-field-item +cardCustomField + if members + .minicard-members.js-minicard-members + each members + +userAvatar(userId=this) + .badges if comments.count .badge(title="{{_ 'card-comments-title' comments.count }}") -- cgit v1.2.3-1-g7c22 From 59046d448ffc4c24f94043346d930b67dfd9e138 Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sun, 20 May 2018 12:24:07 +0200 Subject: making custom-fields uneditable on minicard --- client/components/cards/minicard.jade | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/client/components/cards/minicard.jade b/client/components/cards/minicard.jade index bd12a111..aa0708dd 100644 --- a/client/components/cards/minicard.jade +++ b/client/components/cards/minicard.jade @@ -24,10 +24,10 @@ template(name="minicard") each customFieldsWD if definition.showOnCard .minicard-custom-field - h3.minicard-custom-field-item + .minicard-custom-field-item = definition.name .minicard-custom-field-item - +cardCustomField + = value if members .minicard-members.js-minicard-members -- cgit v1.2.3-1-g7c22 From 6d9ac3ae488d66c4f2ce116f0861ad59faa49de2 Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sun, 20 May 2018 13:19:18 +0200 Subject: testing theorie: subcommands are allways 1 entry --- client/lib/filter.js | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index 60c2bc84..73a0da99 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -205,7 +205,11 @@ class AdvancedFilter { if (start !== -1) { this._processSubCommands(subcommands); - commands.splice(start, 0, subcommands); + console.log ('subcommands: ', subcommands.length); + if (subcommands.length === 1) + commands.splice(start, 0, subcommands[0]); + else + commands.splice(start, 0, subcommands); } this._processConditions(commands); console.log('Conditions: ', JSON.stringify(commands)); -- cgit v1.2.3-1-g7c22 From 256ca129f0301765ce1b2522c9e4aef68eda9e8c Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sun, 20 May 2018 14:03:48 +0200 Subject: Correcting not Filter --- client/lib/filter.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index 73a0da99..18d95ebd 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -243,7 +243,7 @@ class AdvancedFilter { { const field = commands[i-1].cmd; const str = commands[i+1].cmd; - commands[i] = {$not: {'customFields._id':this._fieldNameToId(field), 'customFields.value':str}}; + commands[i] = {'customFields._id':this._fieldNameToId(field), 'customFields.value': { $not: str }}; commands.splice(i-1, 1); commands.splice(i, 1); //changed = true; -- cgit v1.2.3-1-g7c22 From dd7c9997a937fde0c598188884db6690e77bfb11 Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sun, 20 May 2018 14:53:00 +0200 Subject: Removing Debug Lines, correcting behavior, caching las valide filter, and adding description --- client/components/sidebar/sidebarFilters.jade | 2 ++ client/components/sidebar/sidebarFilters.js | 2 +- client/lib/filter.js | 13 +++++-------- i18n/en.i18n.json | 2 ++ 4 files changed, 10 insertions(+), 9 deletions(-) diff --git a/client/components/sidebar/sidebarFilters.jade b/client/components/sidebar/sidebarFilters.jade index 00d8c87b..c0696391 100644 --- a/client/components/sidebar/sidebarFilters.jade +++ b/client/components/sidebar/sidebarFilters.jade @@ -56,7 +56,9 @@ template(name="filterSidebar") if Filter.customFields.isSelected _id i.fa.fa-check hr + span {{_ 'advanced-filter-label}} input.js-field-advanced-filter(type="text") + span {{_ 'advanced-filter-description'}} if Filter.isActive hr a.sidebar-btn.js-clear-all diff --git a/client/components/sidebar/sidebarFilters.js b/client/components/sidebar/sidebarFilters.js index 6fb3f500..fd8229e4 100644 --- a/client/components/sidebar/sidebarFilters.js +++ b/client/components/sidebar/sidebarFilters.js @@ -16,7 +16,7 @@ BlazeComponent.extendComponent({ Filter.customFields.toggle(this.currentData()._id); Filter.resetExceptions(); }, - 'input .js-field-advanced-filter'(evt) { + 'change .js-field-advanced-filter'(evt) { evt.preventDefault(); Filter.advanced.set(this.find('.js-field-advanced-filter').value.trim()); Filter.resetExceptions(); diff --git a/client/lib/filter.js b/client/lib/filter.js index 18d95ebd..c5f8fe7e 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -86,6 +86,7 @@ class AdvancedFilter { constructor() { this._dep = new Tracker.Dependency(); this._filter = ''; + this._lastValide={}; } set(str) @@ -96,6 +97,7 @@ class AdvancedFilter { reset() { this._filter = ''; + this._lastValide={}; this._dep.changed(); } @@ -147,26 +149,23 @@ class AdvancedFilter { _fieldNameToId(field) { - console.log(`searching: ${field}`); const found = CustomFields.findOne({'name':field}); - console.log(found); return found._id; } _arrayToSelector(commands) { - console.log('Parts: ', JSON.stringify(commands)); try { //let changed = false; this._processSubCommands(commands); } - catch (e){return { $in: [] };} + catch (e){return this._lastValide;} + this._lastValide = {$or: commands}; return {$or: commands}; } _processSubCommands(commands) { - console.log('SubCommands: ', JSON.stringify(commands)); const subcommands = []; let level = 0; let start = -1; @@ -205,16 +204,13 @@ class AdvancedFilter { if (start !== -1) { this._processSubCommands(subcommands); - console.log ('subcommands: ', subcommands.length); if (subcommands.length === 1) commands.splice(start, 0, subcommands[0]); else commands.splice(start, 0, subcommands); } this._processConditions(commands); - console.log('Conditions: ', JSON.stringify(commands)); this._processLogicalOperators(commands); - console.log('Operator: ', JSON.stringify(commands)); } _processConditions(commands) @@ -458,6 +454,7 @@ Filter = { const filter = this[fieldName]; filter.reset(); }); + this.advanced.reset(); this.resetExceptions(); }, diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index e2d6ddce..f44dba23 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", -- cgit v1.2.3-1-g7c22 From 2119a6568b36591f84df29e0305fda9c12ec207a Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Sun, 20 May 2018 14:59:32 +0200 Subject: forgot a ' --- client/components/sidebar/sidebarFilters.jade | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/components/sidebar/sidebarFilters.jade b/client/components/sidebar/sidebarFilters.jade index c0696391..514870b8 100644 --- a/client/components/sidebar/sidebarFilters.jade +++ b/client/components/sidebar/sidebarFilters.jade @@ -56,7 +56,7 @@ template(name="filterSidebar") if Filter.customFields.isSelected _id i.fa.fa-check hr - span {{_ 'advanced-filter-label}} + span {{_ 'advanced-filter-label'}} input.js-field-advanced-filter(type="text") span {{_ 'advanced-filter-description'}} if Filter.isActive -- cgit v1.2.3-1-g7c22 From e5c6da5a3919158d8164ae1e0b4a8567da71249d Mon Sep 17 00:00:00 2001 From: SpeaKeasY Date: Sun, 20 May 2018 18:38:33 +0000 Subject: Added initial DJango 2.0.5 project config with pyjade, python 3.6.5 venv. --- manage.py | 15 +++++++ wekan_py/__init__.py | 0 wekan_py/settings.py | 123 +++++++++++++++++++++++++++++++++++++++++++++++++++ wekan_py/urls.py | 21 +++++++++ wekan_py/wsgi.py | 16 +++++++ 5 files changed, 175 insertions(+) create mode 100755 manage.py create mode 100644 wekan_py/__init__.py create mode 100644 wekan_py/settings.py create mode 100644 wekan_py/urls.py create mode 100644 wekan_py/wsgi.py diff --git a/manage.py b/manage.py new file mode 100755 index 00000000..fb78ed9c --- /dev/null +++ b/manage.py @@ -0,0 +1,15 @@ +#!/usr/bin/env python +import os +import sys + +if __name__ == "__main__": + os.environ.setdefault("DJANGO_SETTINGS_MODULE", "wekan_py.settings") + try: + from django.core.management import execute_from_command_line + except ImportError as exc: + raise ImportError( + "Couldn't import Django. Are you sure it's installed and " + "available on your PYTHONPATH environment variable? Did you " + "forget to activate a virtual environment?" + ) from exc + execute_from_command_line(sys.argv) diff --git a/wekan_py/__init__.py b/wekan_py/__init__.py new file mode 100644 index 00000000..e69de29b diff --git a/wekan_py/settings.py b/wekan_py/settings.py new file mode 100644 index 00000000..4257c919 --- /dev/null +++ b/wekan_py/settings.py @@ -0,0 +1,123 @@ +""" +Django settings for wekan_py project. + +Generated by 'django-admin startproject' using Django 2.0.5. + +For more information on this file, see +https://docs.djangoproject.com/en/2.0/topics/settings/ + +For the full list of settings and their values, see +https://docs.djangoproject.com/en/2.0/ref/settings/ +""" + +import os + +# Build paths inside the project like this: os.path.join(BASE_DIR, ...) +BASE_DIR = os.path.dirname(os.path.dirname(os.path.abspath(__file__))) + +# Quick-start development settings - unsuitable for production +# See https://docs.djangoproject.com/en/2.0/howto/deployment/checklist/ + +# SECURITY WARNING: keep the secret key used in production secret! +SECRET_KEY = '=%e(8wsl(r&w1e+=bit)53vc(8l1bjy10w_52c&*y41f(=116a' + +# SECURITY WARNING: don't run with debug turned on in production! +DEBUG = True + +ALLOWED_HOSTS = [] + +# Application definition + +INSTALLED_APPS = [ + 'django.contrib.admin', + 'django.contrib.auth', + 'django.contrib.contenttypes', + 'django.contrib.sessions', + 'django.contrib.messages', + 'django.contrib.staticfiles', +] + +MIDDLEWARE = [ + 'django.middleware.security.SecurityMiddleware', + 'django.contrib.sessions.middleware.SessionMiddleware', + 'django.middleware.common.CommonMiddleware', + 'django.middleware.csrf.CsrfViewMiddleware', + 'django.contrib.auth.middleware.AuthenticationMiddleware', + 'django.contrib.messages.middleware.MessageMiddleware', + 'django.middleware.clickjacking.XFrameOptionsMiddleware', +] + +ROOT_URLCONF = 'wekan_py.urls' + +TEMPLATES = [ + { + 'BACKEND': 'django.template.backends.django.DjangoTemplates', + 'DIRS': [os.path.join(BASE_DIR, 'templates')] + , + 'APP_DIRS': True, + 'OPTIONS': { + 'context_processors': [ + 'django.template.context_processors.debug', + 'django.template.context_processors.request', + 'django.contrib.auth.context_processors.auth', + 'django.contrib.messages.context_processors.messages', + ], + 'loaders': [ + # PyJade part: ############################## + ('pyjade.ext.django.Loader', ( + 'django.template.loaders.filesystem.Loader', + 'django.template.loaders.app_directories.Loader', + )) + ], + 'builtins': ['pyjade.ext.django.templatetags'], + }, + }, +] + +WSGI_APPLICATION = 'wekan_py.wsgi.application' + +# Database +# https://docs.djangoproject.com/en/2.0/ref/settings/#databases + +DATABASES = { + 'default': { + 'ENGINE': 'django.db.backends.sqlite3', + 'NAME': os.path.join(BASE_DIR, 'db.sqlite3'), + } +} + +# Password validation +# https://docs.djangoproject.com/en/2.0/ref/settings/#auth-password-validators + +AUTH_PASSWORD_VALIDATORS = [ + { + 'NAME': 'django.contrib.auth.password_validation.UserAttributeSimilarityValidator', + }, + { + 'NAME': 'django.contrib.auth.password_validation.MinimumLengthValidator', + }, + { + 'NAME': 'django.contrib.auth.password_validation.CommonPasswordValidator', + }, + { + 'NAME': 'django.contrib.auth.password_validation.NumericPasswordValidator', + }, +] + +# Internationalization +# https://docs.djangoproject.com/en/2.0/topics/i18n/ + +LANGUAGE_CODE = 'en-us' + +TIME_ZONE = 'UTC' + +USE_I18N = True + +USE_L10N = True + +USE_TZ = True + +# Static files (CSS, JavaScript, Images) +# https://docs.djangoproject.com/en/2.0/howto/static-files/ + +STATIC_URL = '/static/' diff --git a/wekan_py/urls.py b/wekan_py/urls.py new file mode 100644 index 00000000..9737cd8f --- /dev/null +++ b/wekan_py/urls.py @@ -0,0 +1,21 @@ +"""wekan_py URL Configuration + +The `urlpatterns` list routes URLs to views. For more information please see: + https://docs.djangoproject.com/en/2.0/topics/http/urls/ +Examples: +Function views + 1. Add an import: from my_app import views + 2. Add a URL to urlpatterns: path('', views.home, name='home') +Class-based views + 1. Add an import: from other_app.views import Home + 2. Add a URL to urlpatterns: path('', Home.as_view(), name='home') +Including another URLconf + 1. Import the include() function: from django.urls import include, path + 2. Add a URL to urlpatterns: path('blog/', include('blog.urls')) +""" +from django.contrib import admin +from django.urls import path + +urlpatterns = [ + path('admin/', admin.site.urls), +] diff --git a/wekan_py/wsgi.py b/wekan_py/wsgi.py new file mode 100644 index 00000000..57cc22d0 --- /dev/null +++ b/wekan_py/wsgi.py @@ -0,0 +1,16 @@ +""" +WSGI config for wekan_py project. + +It exposes the WSGI callable as a module-level variable named ``application``. + +For more information on this file, see +https://docs.djangoproject.com/en/2.0/howto/deployment/wsgi/ +""" + +import os + +from django.core.wsgi import get_wsgi_application + +os.environ.setdefault("DJANGO_SETTINGS_MODULE", "wekan_py.settings") + +application = get_wsgi_application() -- cgit v1.2.3-1-g7c22 From 9e4758ec9e212244c4fea69a08d9a3ac61818f23 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 21 May 2018 01:03:42 +0300 Subject: Update translations. --- i18n/ar.i18n.json | 2 ++ i18n/bg.i18n.json | 2 ++ i18n/br.i18n.json | 2 ++ i18n/ca.i18n.json | 2 ++ i18n/cs.i18n.json | 2 ++ i18n/de.i18n.json | 2 ++ i18n/el.i18n.json | 2 ++ i18n/en-GB.i18n.json | 2 ++ i18n/eo.i18n.json | 2 ++ i18n/es-AR.i18n.json | 2 ++ i18n/es.i18n.json | 2 ++ i18n/eu.i18n.json | 2 ++ i18n/fa.i18n.json | 2 ++ i18n/fi.i18n.json | 2 ++ i18n/fr.i18n.json | 4 +++- i18n/gl.i18n.json | 2 ++ i18n/he.i18n.json | 18 ++++++++++-------- i18n/hu.i18n.json | 2 ++ i18n/hy.i18n.json | 2 ++ i18n/id.i18n.json | 2 ++ i18n/ig.i18n.json | 2 ++ i18n/it.i18n.json | 2 ++ i18n/ja.i18n.json | 2 ++ i18n/ko.i18n.json | 2 ++ i18n/lv.i18n.json | 2 ++ i18n/mn.i18n.json | 2 ++ i18n/nb.i18n.json | 2 ++ i18n/nl.i18n.json | 2 ++ i18n/pl.i18n.json | 2 ++ i18n/pt-BR.i18n.json | 2 ++ i18n/pt.i18n.json | 2 ++ i18n/ro.i18n.json | 2 ++ i18n/ru.i18n.json | 2 ++ i18n/sr.i18n.json | 2 ++ i18n/sv.i18n.json | 2 ++ i18n/ta.i18n.json | 2 ++ i18n/th.i18n.json | 2 ++ i18n/tr.i18n.json | 48 +++++++++++++++++++++++++----------------------- i18n/uk.i18n.json | 2 ++ i18n/vi.i18n.json | 2 ++ i18n/zh-CN.i18n.json | 2 ++ i18n/zh-TW.i18n.json | 2 ++ 42 files changed, 116 insertions(+), 32 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 5f5479b7..69895c91 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -246,6 +246,8 @@ "filter-on": "التصفية تشتغل", "filter-on-desc": "أنت بصدد تصفية بطاقات هذه اللوحة. اضغط هنا لتعديل التصفية.", "filter-to-selection": "تصفية بالتحديد", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "الإسم الكامل", "header-logo-title": "الرجوع إلى صفحة اللوحات", "hide-system-messages": "إخفاء رسائل النظام", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index dfae8c97..6bf1fb9f 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Има приложени филтри", "filter-on-desc": "В момента филтрирате картите в тази дъска. Моля, натиснете тук, за да промените филтъра.", "filter-to-selection": "Филтрирай избраните", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Име", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Скриване на системните съобщения", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index c7d909e6..2b281597 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 067df869..c154c334 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Filtra per", "filter-on-desc": "Estau filtrant fitxes en aquest tauler. Feu clic aquí per editar el filtre.", "filter-to-selection": "Filtra selecció", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Nom complet", "header-logo-title": "Torna a la teva pàgina de taulers", "hide-system-messages": "Oculta missatges del sistema", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 99889790..461f69d5 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Filtr je zapnut", "filter-on-desc": "Filtrujete karty tohoto tabla. Pro úpravu filtru klikni sem.", "filter-to-selection": "Filtrovat výběr", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Celé jméno", "header-logo-title": "Jit zpět na stránku s tably.", "hide-system-messages": "Skrýt systémové zprávy", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 84a69fcf..140d5c1b 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Filter ist aktiv", "filter-on-desc": "Sie filtern die Karten in diesem Board. Klicken Sie, um den Filter zu bearbeiten.", "filter-to-selection": "Ergebnisse auswählen", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Vollständiger Name", "header-logo-title": "Zurück zur Board Seite.", "hide-system-messages": "Systemmeldungen ausblenden", diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index cb105897..d79f0844 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Πλήρες Όνομα", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 1182677d..2e3ccd3d 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index 069933c1..7776e2a6 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index 39aad19e..2bb52d94 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -246,6 +246,8 @@ "filter-on": "El filtro está activado", "filter-on-desc": "Estás filtrando cartas en este tablero. Clickeá acá para editar el filtro.", "filter-to-selection": "Filtrar en la selección", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Nombre Completo", "header-logo-title": "Retroceder a tu página de tableros.", "hide-system-messages": "Esconder mensajes del sistema", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 15cdea6b..86c1cd21 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Filtro activado", "filter-on-desc": "Estás filtrando tarjetas en este tablero. Haz clic aquí para editar el filtro.", "filter-to-selection": "Filtrar la selección", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Nombre completo", "header-logo-title": "Volver a tu página de tableros", "hide-system-messages": "Ocultar las notificaciones de actividad", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index a16923a1..e5660917 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Iragazkia gaituta dago", "filter-on-desc": "Arbel honetako txartela iragazten ari zara. Egin klik hemen iragazkia editatzeko.", "filter-to-selection": "Iragazketa aukerara", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Izen abizenak", "header-logo-title": "Itzuli zure arbelen orrira.", "hide-system-messages": "Ezkutatu sistemako mezuak", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index 1db56e01..cc133af0 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -246,6 +246,8 @@ "filter-on": "صافی ـFilterـ فعال است", "filter-on-desc": "شما صافی ـFilterـ برای کارتهای تخته را روشن کرده اید. جهت ویرایش کلیک نمایید.", "filter-to-selection": "صافی ـFilterـ برای موارد انتخابی", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "نام و نام خانوادگی", "header-logo-title": "بازگشت به صفحه تخته.", "hide-system-messages": "عدم نمایش پیامهای سیستمی", diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 935f760c..e58384c0 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Suodatus on päällä", "filter-on-desc": "Suodatat kortteja tällä taululla. Klikkaa tästä muokataksesi suodatinta.", "filter-to-selection": "Suodata valintaan", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Koko nimi", "header-logo-title": "Palaa taulut sivullesi.", "hide-system-messages": "Piilota järjestelmäviestit", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index e901be9f..c6ed1eeb 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -242,10 +242,12 @@ "filter-clear": "Supprimer les filtres", "filter-no-label": "Aucune étiquette", "filter-no-member": "Aucun membre", - "filter-no-custom-fields": "No Custom Fields", + "filter-no-custom-fields": "Pas de champs personnalisés", "filter-on": "Le filtre est actif", "filter-on-desc": "Vous êtes en train de filtrer les cartes sur ce tableau. Cliquez ici pour modifier les filtres.", "filter-to-selection": "Filtre vers la sélection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Nom complet", "header-logo-title": "Retourner à la page des tableaux", "hide-system-messages": "Masquer les messages système", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 3b75430e..0cca74ab 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -246,6 +246,8 @@ "filter-on": "O filtro está activado", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Nome completo", "header-logo-title": "Retornar á páxina dos seus taboleiros.", "hide-system-messages": "Agochar as mensaxes do sistema", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index fa099d22..278716f3 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -7,7 +7,7 @@ "act-addComment": "התקבלה תגובה על הכרטיס __card__:‏ __comment__", "act-createBoard": "הלוח __board__ נוצר", "act-createCard": "הכרטיס __card__ התווסף לרשימה __list__", - "act-createCustomField": "צור שדה מותאם אישית __customField__", + "act-createCustomField": "נוצר שדה בהתאמה אישית __customField__", "act-createList": "הרשימה __list__ התווספה ללוח __board__", "act-addBoardMember": "המשתמש __member__ נוסף ללוח __board__", "act-archivedBoard": "__board__ הועבר לסל המחזור", @@ -175,13 +175,13 @@ "createCustomField": "יצירת שדה", "createCustomFieldPopup-title": "יצירת שדה", "current": "נוכחי", - "custom-field-delete-pop": "פעולה זו תסיר את השדה המותאם אישית מכל הכרטיסים ותמחק את ההיסטוריה שלו. לא יהיה אפשר לשחזר את המידע לאחר מכן", - "custom-field-checkbox": "צ'קבוקס", + "custom-field-delete-pop": "אין אפשרות לבטל את הפעולה. הפעולה תסיר את השדה שהותאם אישית מכל הכרטיסים ותשמיד את ההיסטוריה שלו.", + "custom-field-checkbox": "תיבת סימון", "custom-field-date": "תאריך", "custom-field-dropdown": "רשימה נגללת", "custom-field-dropdown-none": "(ללא)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "לחץ אנטר כדי להוסיף עוד אפשרויות", + "custom-field-dropdown-options": "אפשרויות רשימה", + "custom-field-dropdown-options-placeholder": "יש ללחוץ על enter כדי להוסיף עוד אפשרויות", "custom-field-dropdown-unknown": "(לא ידוע)", "custom-field-number": "מספר", "custom-field-text": "טקסט", @@ -190,7 +190,7 @@ "decline": "סירוב", "default-avatar": "תמונת משתמש כבררת מחדל", "delete": "מחיקה", - "deleteCustomFieldPopup-title": "האם למחוק שדה מותאם אישית?", + "deleteCustomFieldPopup-title": "למחוק שדה מותאם אישית?", "deleteLabelPopup-title": "למחוק תווית?", "description": "תיאור", "disambiguateMultiLabelPopup-title": "הבהרת פעולת תווית", @@ -205,7 +205,7 @@ "soft-wip-limit": "מגבלת „בעבודה” רכה", "editCardStartDatePopup-title": "שינוי מועד התחלה", "editCardDueDatePopup-title": "שינוי מועד סיום", - "editCustomFieldPopup-title": "ערוך את השדה", + "editCustomFieldPopup-title": "עריכת שדה", "editCardSpentTimePopup-title": "שינוי הזמן שהושקע", "editLabelPopup-title": "שינוי תווית", "editNotificationPopup-title": "שינוי דיווח", @@ -246,6 +246,8 @@ "filter-on": "המסנן פועל", "filter-on-desc": "מסנן כרטיסים פעיל בלוח זה. יש ללחוץ כאן לעריכת המסנן.", "filter-to-selection": "סינון לבחירה", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "שם מלא", "header-logo-title": "חזרה לדף הלוחות שלך.", "hide-system-messages": "הסתרת הודעות מערכת", @@ -452,7 +454,7 @@ "hours": "שעות", "minutes": "דקות", "seconds": "שניות", - "show-field-on-card": "הצג שדה זה בכרטיס", + "show-field-on-card": "הצגת שדה זה בכרטיס", "yes": "כן", "no": "לא", "accounts": "חשבונות", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index 329a2e67..5cec3cf1 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Szűrő bekapcsolva", "filter-on-desc": "A kártyaszűrés be van kapcsolva ezen a táblán. Kattintson ide a szűrő szerkesztéséhez.", "filter-to-selection": "Szűrés a kijelöléshez", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Teljes név", "header-logo-title": "Vissza a táblák oldalára.", "hide-system-messages": "Rendszerüzenetek elrejtése", diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index d49caef6..25648e30 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 366d0512..4eff6186 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Penyaring aktif", "filter-on-desc": "Anda memfilter kartu di panel ini. Klik di sini untuk menyunting filter", "filter-to-selection": "Saring berdasarkan yang dipilih", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Nama Lengkap", "header-logo-title": "Kembali ke laman panel anda", "hide-system-messages": "Sembunyikan pesan-pesan sistem", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 41b63498..36e387a0 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 70ca5011..c30c5365 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Il filtro è attivo", "filter-on-desc": "Stai filtrando le schede su questa bacheca. Clicca qui per modificare il filtro,", "filter-to-selection": "Seleziona", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Nome completo", "header-logo-title": "Torna alla tua bacheca.", "hide-system-messages": "Nascondi i messaggi di sistema", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 01d1db39..81cdf6fa 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -246,6 +246,8 @@ "filter-on": "フィルター有効", "filter-on-desc": "このボードのカードをフィルターしています。フィルターを編集するにはこちらをクリックしてください。", "filter-to-selection": "フィルターした項目を全選択", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "フルネーム", "header-logo-title": "自分のボードページに戻る。", "hide-system-messages": "システムメッセージを隠す", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index 90dd0da9..00a6b22f 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -246,6 +246,8 @@ "filter-on": "필터 사용", "filter-on-desc": "보드에서 카드를 필터링합니다. 여기를 클릭하여 필터를 수정합니다.", "filter-to-selection": "선택 항목으로 필터링", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "실명", "header-logo-title": "보드 페이지로 돌아가기.", "hide-system-messages": "시스템 메시지 숨기기", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 6ccbdc8d..33c8e570 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index d08e5c73..802e5f5f 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index 4f6e2f8a..33e7947d 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index c2005214..86275e1a 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Filter staat aan", "filter-on-desc": "Je bent nu kaarten aan het filteren op dit bord. Klik hier om het filter te wijzigen.", "filter-to-selection": "Filter zoals selectie", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Volledige naam", "header-logo-title": "Ga terug naar jouw borden pagina.", "hide-system-messages": "Verberg systeemberichten", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 054ffc8f..5a1e1cf5 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Filtr jest włączony", "filter-on-desc": "Filtrujesz karty na tej tablicy. Kliknij tutaj by edytować filtr.", "filter-to-selection": "Odfiltruj zaznaczenie", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Wróć do swojej strony z tablicami.", "hide-system-messages": "Ukryj wiadomości systemowe", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 720e65c2..583f6540 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Filtro está ativo", "filter-on-desc": "Você está filtrando cartões neste quadro. Clique aqui para editar o filtro.", "filter-to-selection": "Filtrar esta seleção", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Nome Completo", "header-logo-title": "Voltar para a lista de quadros.", "hide-system-messages": "Esconde mensagens de sistema", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 857fccb5..3c90c72b 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index 7c9778a2..4db53495 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index e33c563e..e06abdc4 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Включен фильтр", "filter-on-desc": "Показываются карточки, соответствующие настройкам фильтра. Нажмите для редактирования.", "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Полное имя", "header-logo-title": "Вернуться к доскам.", "hide-system-messages": "Скрыть системные сообщения", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index d01c75c1..f7ad3bff 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Sakrij sistemske poruke", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 7dd8f7f7..1d77cfc4 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Filter är på", "filter-on-desc": "Du filtrerar kort på denna anslagstavla. Klicka här för att redigera filter.", "filter-to-selection": "Filter till val", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Namn", "header-logo-title": "Gå tillbaka till din anslagstavlor-sida.", "hide-system-messages": "Göm systemmeddelanden", diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index 6e8ffa79..781dfb06 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index c18dde9e..3ccf4a10 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -246,6 +246,8 @@ "filter-on": "กรองบน", "filter-on-desc": "คุณกำลังกรองการ์ดในบอร์ดนี้ คลิกที่นี่เพื่อแก้ไขตัวกรอง", "filter-to-selection": "กรองตัวเลือก", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "ชื่อ นามสกุล", "header-logo-title": "ย้อนกลับไปที่หน้าบอร์ดของคุณ", "hide-system-messages": "ซ่อนข้อความของระบบ", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index e7eb99aa..41bb9d5c 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -7,7 +7,7 @@ "act-addComment": "__card__ kartına bir yorum bıraktı: __comment__", "act-createBoard": "__board__ panosunu oluşturdu", "act-createCard": "__card__ kartını ___list__ listesine ekledi", - "act-createCustomField": "created custom field __customField__", + "act-createCustomField": "__customField__ adlı özel alan yaratıldı", "act-createList": "__list__ listesini __board__ panosuna ekledi", "act-addBoardMember": "__member__ kullanıcısını __board__ panosuna ekledi", "act-archivedBoard": "__board__ Geri Dönüşüm Kutusu'na taşındı", @@ -31,7 +31,7 @@ "activity-archived": "%s Geri Dönüşüm Kutusu'na taşındı", "activity-attached": "%s içine %s ekledi", "activity-created": "%s öğesini oluşturdu", - "activity-customfield-created": "created custom field %s", + "activity-customfield-created": "%s adlı özel alan yaratıldı", "activity-excluded": "%s içinden %s çıkarttı", "activity-imported": "%s kaynağından %s öğesini %s öğesinin içine taşıdı ", "activity-imported-board": "%s i %s içinden aktardı", @@ -113,7 +113,7 @@ "card-due-on": "Bitiş tarihi:", "card-spent": "Harcanan Zaman", "card-edit-attachments": "Ek dosyasını düzenle", - "card-edit-custom-fields": "Edit custom fields", + "card-edit-custom-fields": "Özel alanları düzenle", "card-edit-labels": "Etiketleri düzenle", "card-edit-members": "Üyeleri düzenle", "card-labels-title": "Bu kart için etiketleri düzenle", @@ -121,8 +121,8 @@ "card-start": "Başlama", "card-start-on": "Başlama tarihi:", "cardAttachmentsPopup-title": "Eklenme", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", + "cardCustomField-datePopup-title": "Tarihi değiştir", + "cardCustomFieldsPopup-title": "Özel alanları düzenle", "cardDeletePopup-title": "Kart Silinsin mi?", "cardDetailsActionsPopup-title": "Kart işlemleri", "cardLabelsPopup-title": "Etiketler", @@ -172,25 +172,25 @@ "createBoardPopup-title": "Pano Oluşturma", "chooseBoardSourcePopup-title": "Panoyu içe aktar", "createLabelPopup-title": "Etiket Oluşturma", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", + "createCustomField": "Alanı yarat", + "createCustomFieldPopup-title": "Alanı yarat", "current": "mevcut", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", + "custom-field-delete-pop": "Bunun geri dönüşü yoktur. Bu özel alan tüm kartlardan kaldırılıp tarihçesi yokedilecektir.", + "custom-field-checkbox": "İşaret kutusu", "custom-field-date": "Tarih", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", + "custom-field-dropdown": "Açılır liste", + "custom-field-dropdown-none": "(hiçbiri)", + "custom-field-dropdown-options": "Liste seçenekleri", + "custom-field-dropdown-options-placeholder": "Başka seçenekler eklemek için giriş tuşuna basınız", + "custom-field-dropdown-unknown": "(bilinmeyen)", + "custom-field-number": "Sayı", + "custom-field-text": "Metin", + "custom-fields": "Özel alanlar", "date": "Tarih", "decline": "Reddet", "default-avatar": "Varsayılan avatar", "delete": "Sil", - "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteCustomFieldPopup-title": "Özel alan silinsin mi?", "deleteLabelPopup-title": "Etiket Silinsin mi?", "description": "Açıklama", "disambiguateMultiLabelPopup-title": "Etiket işlemini izah et", @@ -205,7 +205,7 @@ "soft-wip-limit": "Zayıf Devam Eden İş Sınırı", "editCardStartDatePopup-title": "Başlangıç tarihini değiştir", "editCardDueDatePopup-title": "Bitiş tarihini değiştir", - "editCustomFieldPopup-title": "Edit Field", + "editCustomFieldPopup-title": "Alanı düzenle", "editCardSpentTimePopup-title": "Harcanan zamanı değiştir", "editLabelPopup-title": "Etiket Değiştir", "editNotificationPopup-title": "Bildirimi değiştir", @@ -242,10 +242,12 @@ "filter-clear": "Filtreyi temizle", "filter-no-label": "Etiket yok", "filter-no-member": "Üye yok", - "filter-no-custom-fields": "No Custom Fields", + "filter-no-custom-fields": "Hiç özel alan yok", "filter-on": "Filtre aktif", "filter-on-desc": "Bu panodaki kartları filtreliyorsunuz. Fitreyi düzenlemek için tıklayın.", "filter-to-selection": "Seçime göre filtreleme yap", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Ad Soyad", "header-logo-title": "Panolar sayfanıza geri dön.", "hide-system-messages": "Sistem mesajlarını gizle", @@ -387,7 +389,7 @@ "title": "Başlık", "tracking": "Takip", "tracking-info": "Oluşturduğunuz veya üyesi olduğunuz tüm kartlardaki değişiklikler size bildirim olarak gelecek.", - "type": "Type", + "type": "Tür", "unassign-member": "Üyeye atamayı kaldır", "unsaved-description": "Kaydedilmemiş bir açıklama metnin bulunmakta", "unwatch": "Takibi bırak", @@ -452,12 +454,12 @@ "hours": "saat", "minutes": "dakika", "seconds": "saniye", - "show-field-on-card": "Show this field on card", + "show-field-on-card": "Bu alanı kartta göster", "yes": "Evet", "no": "Hayır", "accounts": "Hesaplar", "accounts-allowEmailChange": "E-posta Değiştirmeye İzin Ver", - "accounts-allowUserNameChange": "Allow Username Change", + "accounts-allowUserNameChange": "Kullanıcı adı değiştirmeye izin ver", "createdAt": "Oluşturulma tarihi", "verified": "Doğrulanmış", "active": "Aktif", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 9fc7e3d7..bceeac32 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index 779c5dfa..fe0a4ccd 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -246,6 +246,8 @@ "filter-on": "Filter is on", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index a1a32522..8e985eef 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -246,6 +246,8 @@ "filter-on": "过滤器启用", "filter-on-desc": "你正在过滤该看板上的卡片,点此编辑过滤。", "filter-to-selection": "要选择的过滤器", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "全称", "header-logo-title": "返回您的看板页", "hide-system-messages": "隐藏系统消息", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 2fd0044f..1e5b09b8 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -246,6 +246,8 @@ "filter-on": "過濾條件啟用", "filter-on-desc": "你正在過濾該看板上的卡片,點此編輯過濾條件。", "filter-to-selection": "要選擇的過濾條件", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "全稱", "header-logo-title": "返回您的看板頁面", "hide-system-messages": "隱藏系統訊息", -- cgit v1.2.3-1-g7c22 From 531cea489e70f8fd62fa55828d9b72d0c9f696f6 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 21 May 2018 02:27:15 +0300 Subject: Update translations. --- i18n/ar.i18n.json | 2 +- i18n/bg.i18n.json | 2 +- i18n/br.i18n.json | 2 +- i18n/ca.i18n.json | 2 +- i18n/cs.i18n.json | 2 +- i18n/de.i18n.json | 2 +- i18n/el.i18n.json | 2 +- i18n/en-GB.i18n.json | 2 +- i18n/en.i18n.json | 2 +- i18n/eo.i18n.json | 2 +- i18n/es-AR.i18n.json | 2 +- i18n/es.i18n.json | 2 +- i18n/eu.i18n.json | 2 +- i18n/fa.i18n.json | 2 +- i18n/fi.i18n.json | 4 +-- i18n/fr.i18n.json | 2 +- i18n/gl.i18n.json | 2 +- i18n/he.i18n.json | 2 +- i18n/hu.i18n.json | 82 ++++++++++++++++++++++++++-------------------------- i18n/hy.i18n.json | 2 +- i18n/id.i18n.json | 2 +- i18n/ig.i18n.json | 2 +- i18n/it.i18n.json | 2 +- i18n/ja.i18n.json | 2 +- i18n/ko.i18n.json | 2 +- i18n/lv.i18n.json | 2 +- i18n/mn.i18n.json | 2 +- i18n/nb.i18n.json | 2 +- i18n/nl.i18n.json | 2 +- i18n/pl.i18n.json | 2 +- i18n/pt-BR.i18n.json | 2 +- i18n/pt.i18n.json | 2 +- i18n/ro.i18n.json | 2 +- i18n/ru.i18n.json | 2 +- i18n/sr.i18n.json | 2 +- i18n/sv.i18n.json | 2 +- i18n/ta.i18n.json | 2 +- i18n/th.i18n.json | 2 +- i18n/tr.i18n.json | 2 +- i18n/uk.i18n.json | 2 +- i18n/vi.i18n.json | 2 +- i18n/zh-CN.i18n.json | 2 +- i18n/zh-TW.i18n.json | 2 +- 43 files changed, 84 insertions(+), 84 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 69895c91..bfa6c1f0 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "أنت بصدد تصفية بطاقات هذه اللوحة. اضغط هنا لتعديل التصفية.", "filter-to-selection": "تصفية بالتحديد", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "الإسم الكامل", "header-logo-title": "الرجوع إلى صفحة اللوحات", "hide-system-messages": "إخفاء رسائل النظام", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 6bf1fb9f..e20c7dba 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "В момента филтрирате картите в тази дъска. Моля, натиснете тук, за да промените филтъра.", "filter-to-selection": "Филтрирай избраните", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Име", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Скриване на системните съобщения", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index 2b281597..c759da8d 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index c154c334..24d27c47 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Estau filtrant fitxes en aquest tauler. Feu clic aquí per editar el filtre.", "filter-to-selection": "Filtra selecció", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Nom complet", "header-logo-title": "Torna a la teva pàgina de taulers", "hide-system-messages": "Oculta missatges del sistema", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 461f69d5..affb4560 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Filtrujete karty tohoto tabla. Pro úpravu filtru klikni sem.", "filter-to-selection": "Filtrovat výběr", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Celé jméno", "header-logo-title": "Jit zpět na stránku s tably.", "hide-system-messages": "Skrýt systémové zprávy", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 140d5c1b..73268d28 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Sie filtern die Karten in diesem Board. Klicken Sie, um den Filter zu bearbeiten.", "filter-to-selection": "Ergebnisse auswählen", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Vollständiger Name", "header-logo-title": "Zurück zur Board Seite.", "hide-system-messages": "Systemmeldungen ausblenden", diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index d79f0844..46f0461c 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Πλήρες Όνομα", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 2e3ccd3d..5f86d521 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index f44dba23..a51106e9 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index 7776e2a6..b3d3987f 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index 2bb52d94..44b3c46c 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Estás filtrando cartas en este tablero. Clickeá acá para editar el filtro.", "filter-to-selection": "Filtrar en la selección", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Nombre Completo", "header-logo-title": "Retroceder a tu página de tableros.", "hide-system-messages": "Esconder mensajes del sistema", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 86c1cd21..42f6f6dd 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Estás filtrando tarjetas en este tablero. Haz clic aquí para editar el filtro.", "filter-to-selection": "Filtrar la selección", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Nombre completo", "header-logo-title": "Volver a tu página de tableros", "hide-system-messages": "Ocultar las notificaciones de actividad", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index e5660917..c110612a 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Arbel honetako txartela iragazten ari zara. Egin klik hemen iragazkia editatzeko.", "filter-to-selection": "Iragazketa aukerara", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Izen abizenak", "header-logo-title": "Itzuli zure arbelen orrira.", "hide-system-messages": "Ezkutatu sistemako mezuak", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index cc133af0..c2436af2 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "شما صافی ـFilterـ برای کارتهای تخته را روشن کرده اید. جهت ویرایش کلیک نمایید.", "filter-to-selection": "صافی ـFilterـ برای موارد انتخابی", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "نام و نام خانوادگی", "header-logo-title": "بازگشت به صفحه تخته.", "hide-system-messages": "عدم نمایش پیامهای سیستمی", diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index e58384c0..95d32911 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -246,8 +246,8 @@ "filter-on": "Suodatus on päällä", "filter-on-desc": "Suodatat kortteja tällä taululla. Klikkaa tästä muokataksesi suodatinta.", "filter-to-selection": "Suodata valintaan", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-label": "Edistynyt suodatin", + "advanced-filter-description": "Edistynyt suodatin mahdollistaa merkkijonon, joka sisältää seuraavat operaattorit: ==! = <=> = && || () Operaattorien välissä käytetään välilyöntiä. Voit suodattaa kaikki mukautetut kentät kirjoittamalla niiden nimet ja arvot. Esimerkiksi: Field1 == Value1. Huomaa: Jos kentillä tai arvoilla on välilyöntejä, sinun on sijoitettava ne yksittäisiin lainausmerkkeihin. Esimerkki: 'Kenttä 1' == 'Arvo 1'. Voit myös yhdistää useita ehtoja. Esimerkiksi: F1 == V1 || F1 = V2. Yleensä kaikki operaattorit tulkitaan vasemmalta oikealle. Voit muuttaa järjestystä asettamalla sulkuja. Esimerkiksi: F1 == V1 ja (F2 == V2 || F2 == V3)", "fullname": "Koko nimi", "header-logo-title": "Palaa taulut sivullesi.", "hide-system-messages": "Piilota järjestelmäviestit", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index c6ed1eeb..47d9a914 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Vous êtes en train de filtrer les cartes sur ce tableau. Cliquez ici pour modifier les filtres.", "filter-to-selection": "Filtre vers la sélection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Nom complet", "header-logo-title": "Retourner à la page des tableaux", "hide-system-messages": "Masquer les messages système", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 0cca74ab..5d959ebf 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Nome completo", "header-logo-title": "Retornar á páxina dos seus taboleiros.", "hide-system-messages": "Agochar as mensaxes do sistema", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 278716f3..392a34f3 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "מסנן כרטיסים פעיל בלוח זה. יש ללחוץ כאן לעריכת המסנן.", "filter-to-selection": "סינון לבחירה", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "שם מלא", "header-logo-title": "חזרה לדף הלוחות שלך.", "hide-system-messages": "הסתרת הודעות מערכת", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index 5cec3cf1..98d35cc5 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -7,12 +7,12 @@ "act-addComment": "hozzászólt a(z) __card__ kártyán: __comment__", "act-createBoard": "létrehozta a táblát: __board__", "act-createCard": "__card__ kártyát adott hozzá a listához: __list__", - "act-createCustomField": "created custom field __customField__", + "act-createCustomField": "létrehozta a(z) __customField__ egyéni listát", "act-createList": "__list__ listát adott hozzá a táblához: __board__", "act-addBoardMember": "__member__ tagot hozzáadta a táblához: __board__", - "act-archivedBoard": "A __board__ tábla a lomtárba került.", - "act-archivedCard": "A __card__ kártya a lomtárba került.", - "act-archivedList": "A __list__ lista a lomtárba került.", + "act-archivedBoard": "A(z) __board__ tábla áthelyezve a lomtárba", + "act-archivedCard": "A(z) __card__ kártya áthelyezve a lomtárba", + "act-archivedList": "A(z) __list__ lista áthelyezve a lomtárba", "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", "act-importBoard": "importálta a táblát: __board__", "act-importCard": "importálta a kártyát: __card__", @@ -28,10 +28,10 @@ "activities": "Tevékenységek", "activity": "Tevékenység", "activity-added": "%s hozzáadva ehhez: %s", - "activity-archived": "%s lomtárba helyezve", + "activity-archived": "%s áthelyezve a lomtárba", "activity-attached": "%s mellékletet csatolt a kártyához: %s", "activity-created": "%s létrehozva", - "activity-customfield-created": "created custom field %s", + "activity-customfield-created": "létrehozta a(z) %s egyéni mezőt", "activity-excluded": "%s kizárva innen: %s", "activity-imported": "%s importálva ebbe: %s, innen: %s", "activity-imported-board": "%s importálva innen: %s", @@ -99,7 +99,7 @@ "boardChangeWatchPopup-title": "Megfigyelés megváltoztatása", "boardMenuPopup-title": "Tábla menü", "boards": "Táblák", - "board-view": "Board View", + "board-view": "Tábla nézet", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Listák", "bucket-example": "Mint például „Bakancslista”", @@ -113,7 +113,7 @@ "card-due-on": "Esedékes ekkor", "card-spent": "Eltöltött idő", "card-edit-attachments": "Mellékletek szerkesztése", - "card-edit-custom-fields": "Edit custom fields", + "card-edit-custom-fields": "Egyéni mezők szerkesztése", "card-edit-labels": "Címkék szerkesztése", "card-edit-members": "Tagok szerkesztése", "card-labels-title": "A kártya címkéinek megváltoztatása.", @@ -121,8 +121,8 @@ "card-start": "Kezdés", "card-start-on": "Kezdés ekkor", "cardAttachmentsPopup-title": "Innen csatolva", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", + "cardCustomField-datePopup-title": "Dátum megváltoztatása", + "cardCustomFieldsPopup-title": "Egyéni mezők szerkesztése", "cardDeletePopup-title": "Törli a kártyát?", "cardDetailsActionsPopup-title": "Kártyaműveletek", "cardLabelsPopup-title": "Címkék", @@ -165,32 +165,32 @@ "confirm-checklist-delete-dialog": "Biztosan törölni szeretné az ellenőrzőlistát?", "copy-card-link-to-clipboard": "Kártya hivatkozásának másolása a vágólapra", "copyCardPopup-title": "Kártya másolása", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "copyChecklistToManyCardsPopup-title": "Ellenőrzőlista sablon másolása több kártyára", + "copyChecklistToManyCardsPopup-instructions": "A célkártyák címe és a leírások ebben a JSON formátumban", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Első kártya címe\", \"description\":\"Első kártya leírása\"}, {\"title\":\"Második kártya címe\",\"description\":\"Második kártya leírása\"},{\"title\":\"Utolsó kártya címe\",\"description\":\"Utolsó kártya leírása\"} ]", "create": "Létrehozás", "createBoardPopup-title": "Tábla létrehozása", "chooseBoardSourcePopup-title": "Tábla importálása", "createLabelPopup-title": "Címke létrehozása", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", + "createCustomField": "Mező létrehozása", + "createCustomFieldPopup-title": "Mező létrehozása", "current": "jelenlegi", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", + "custom-field-delete-pop": "Nincs visszavonás. Ez el fogja távolítani az egyéni mezőt az összes kártyáról, és megsemmisíti az előzményeit.", + "custom-field-checkbox": "Jelölőnégyzet", "custom-field-date": "Dátum", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", + "custom-field-dropdown": "Legördülő lista", + "custom-field-dropdown-none": "(nincs)", + "custom-field-dropdown-options": "Lista lehetőségei", + "custom-field-dropdown-options-placeholder": "Nyomja meg az Enter billentyűt több lehetőség hozzáadásához", + "custom-field-dropdown-unknown": "(ismeretlen)", + "custom-field-number": "Szám", + "custom-field-text": "Szöveg", + "custom-fields": "Egyéni mezők", "date": "Dátum", "decline": "Elutasítás", "default-avatar": "Alapértelmezett avatár", "delete": "Törlés", - "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteCustomFieldPopup-title": "Törli az egyéni mezőt?", "deleteLabelPopup-title": "Törli a címkét?", "description": "Leírás", "disambiguateMultiLabelPopup-title": "Címkeművelet egyértelműsítése", @@ -205,7 +205,7 @@ "soft-wip-limit": "Gyenge WIP korlát", "editCardStartDatePopup-title": "Kezdődátum megváltoztatása", "editCardDueDatePopup-title": "Esedékesség dátumának megváltoztatása", - "editCustomFieldPopup-title": "Edit Field", + "editCustomFieldPopup-title": "Mező szerkesztése", "editCardSpentTimePopup-title": "Eltöltött idő megváltoztatása", "editLabelPopup-title": "Címke megváltoztatása", "editNotificationPopup-title": "Értesítés szerkesztése", @@ -242,12 +242,12 @@ "filter-clear": "Szűrő törlése", "filter-no-label": "Nincs címke", "filter-no-member": "Nincs tag", - "filter-no-custom-fields": "No Custom Fields", + "filter-no-custom-fields": "Nincsenek egyéni mezők", "filter-on": "Szűrő bekapcsolva", "filter-on-desc": "A kártyaszűrés be van kapcsolva ezen a táblán. Kattintson ide a szűrő szerkesztéséhez.", "filter-to-selection": "Szűrés a kijelöléshez", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-label": "Speciális szűrő", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Teljes név", "header-logo-title": "Vissza a táblák oldalára.", "hide-system-messages": "Rendszerüzenetek elrejtése", @@ -389,7 +389,7 @@ "title": "Cím", "tracking": "Követés", "tracking-info": "Értesítve lesz az összes olyan kártya változásáról, amelyen létrehozóként vagy tagként vesz részt.", - "type": "Type", + "type": "Típus", "unassign-member": "Tag hozzárendelésének megszüntetése", "unsaved-description": "Van egy mentetlen leírása.", "unwatch": "Megfigyelés megszüntetése", @@ -398,12 +398,12 @@ "uploaded-avatar": "Egy avatár feltöltve", "username": "Felhasználónév", "view-it": "Megtekintés", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "figyelem: ez a kártya egy lomtárban lévő listán van", "watch": "Megfigyelés", "watching": "Megfigyelés", "watching-info": "Értesítve lesz a táblán lévő összes változásról", "welcome-board": "Üdvözlő tábla", - "welcome-swimlane": "Milestone 1", + "welcome-swimlane": "1. mérföldkő", "welcome-list1": "Alapok", "welcome-list2": "Speciális", "what-to-do": "Mit szeretne tenni?", @@ -454,19 +454,19 @@ "hours": "óra", "minutes": "perc", "seconds": "másodperc", - "show-field-on-card": "Show this field on card", + "show-field-on-card": "A mező megjelenítése a kártyán", "yes": "Igen", "no": "Nem", "accounts": "Fiókok", "accounts-allowEmailChange": "E-mail megváltoztatásának engedélyezése", - "accounts-allowUserNameChange": "Allow Username Change", + "accounts-allowUserNameChange": "Felhasználónév megváltoztatásának engedélyezése", "createdAt": "Létrehozva", "verified": "Ellenőrizve", "active": "Aktív", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" + "card-received": "Érkezett", + "card-received-on": "Ekkor érkezett", + "card-end": "Befejezés", + "card-end-on": "Befejeződik ekkor", + "editCardReceivedDatePopup-title": "Érkezési dátum megváltoztatása", + "editCardEndDatePopup-title": "Befejezési dátum megváltoztatása" } \ No newline at end of file diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index 25648e30..9e152388 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 4eff6186..5989451a 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Anda memfilter kartu di panel ini. Klik di sini untuk menyunting filter", "filter-to-selection": "Saring berdasarkan yang dipilih", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Nama Lengkap", "header-logo-title": "Kembali ke laman panel anda", "hide-system-messages": "Sembunyikan pesan-pesan sistem", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 36e387a0..0070b3ee 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index c30c5365..a60edb22 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Stai filtrando le schede su questa bacheca. Clicca qui per modificare il filtro,", "filter-to-selection": "Seleziona", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Nome completo", "header-logo-title": "Torna alla tua bacheca.", "hide-system-messages": "Nascondi i messaggi di sistema", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 81cdf6fa..6af2fba4 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "このボードのカードをフィルターしています。フィルターを編集するにはこちらをクリックしてください。", "filter-to-selection": "フィルターした項目を全選択", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "フルネーム", "header-logo-title": "自分のボードページに戻る。", "hide-system-messages": "システムメッセージを隠す", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index 00a6b22f..dbfab1f2 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "보드에서 카드를 필터링합니다. 여기를 클릭하여 필터를 수정합니다.", "filter-to-selection": "선택 항목으로 필터링", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "실명", "header-logo-title": "보드 페이지로 돌아가기.", "hide-system-messages": "시스템 메시지 숨기기", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 33c8e570..9267fdad 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index 802e5f5f..999f7079 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index 33e7947d..39253be1 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 86275e1a..daa2a6c9 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Je bent nu kaarten aan het filteren op dit bord. Klik hier om het filter te wijzigen.", "filter-to-selection": "Filter zoals selectie", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Volledige naam", "header-logo-title": "Ga terug naar jouw borden pagina.", "hide-system-messages": "Verberg systeemberichten", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 5a1e1cf5..18a93951 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Filtrujesz karty na tej tablicy. Kliknij tutaj by edytować filtr.", "filter-to-selection": "Odfiltruj zaznaczenie", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Wróć do swojej strony z tablicami.", "hide-system-messages": "Ukryj wiadomości systemowe", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 583f6540..7f6ea200 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Você está filtrando cartões neste quadro. Clique aqui para editar o filtro.", "filter-to-selection": "Filtrar esta seleção", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Nome Completo", "header-logo-title": "Voltar para a lista de quadros.", "hide-system-messages": "Esconde mensagens de sistema", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 3c90c72b..622bef1d 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index 4db53495..c01342b0 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index e06abdc4..6e71e035 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Показываются карточки, соответствующие настройкам фильтра. Нажмите для редактирования.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Полное имя", "header-logo-title": "Вернуться к доскам.", "hide-system-messages": "Скрыть системные сообщения", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index f7ad3bff..b63e9152 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Sakrij sistemske poruke", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 1d77cfc4..abee50a4 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Du filtrerar kort på denna anslagstavla. Klicka här för att redigera filter.", "filter-to-selection": "Filter till val", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Namn", "header-logo-title": "Gå tillbaka till din anslagstavlor-sida.", "hide-system-messages": "Göm systemmeddelanden", diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index 781dfb06..e0f067c0 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index 3ccf4a10..8b721b6e 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "คุณกำลังกรองการ์ดในบอร์ดนี้ คลิกที่นี่เพื่อแก้ไขตัวกรอง", "filter-to-selection": "กรองตัวเลือก", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "ชื่อ นามสกุล", "header-logo-title": "ย้อนกลับไปที่หน้าบอร์ดของคุณ", "hide-system-messages": "ซ่อนข้อความของระบบ", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index 41bb9d5c..70b6d0f3 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Bu panodaki kartları filtreliyorsunuz. Fitreyi düzenlemek için tıklayın.", "filter-to-selection": "Seçime göre filtreleme yap", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Ad Soyad", "header-logo-title": "Panolar sayfanıza geri dön.", "hide-system-messages": "Sistem mesajlarını gizle", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index bceeac32..40eb7c79 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index fe0a4ccd..53217e6b 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 8e985eef..c2e572b1 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "你正在过滤该看板上的卡片,点此编辑过滤。", "filter-to-selection": "要选择的过滤器", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "全称", "header-logo-title": "返回您的看板页", "hide-system-messages": "隐藏系统消息", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 1e5b09b8..9555c425 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "你正在過濾該看板上的卡片,點此編輯過濾條件。", "filter-to-selection": "要選擇的過濾條件", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A Space is used as seperator between the operators. You can filter for all custom fields by simply typing there names and values. For example: Field1 == Value1 Note: If fields or values contains spaces, you need to encapsulate them into single quetes. For example: 'Field 1' == 'Value 1' Also you can combine multiple Conditions. For Example: F1 == V1 || F1 = V2 Normaly all Operators are interpreted from left to right. You can change the order of that by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "全稱", "header-logo-title": "返回您的看板頁面", "hide-system-messages": "隱藏系統訊息", -- cgit v1.2.3-1-g7c22 From d46afc12be4d42445272e08c3e155e5cd76303af Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 21 May 2018 02:41:02 +0300 Subject: Advanced Filter for Custom Fields. Thanks to feuerball11 and xet7 ! --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 579cdb34..6654431f 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release adds the following new features: + +* [Advanced Filter for Custom Fields](https://github.com/wekan/wekan/pull/1646). + +Thanks to GitHub users feuerball11 and xet7 for their contributions. + # v0.98 2018-05-19 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From cba480d3aeb3fdd0947ade00c096b07942d555d7 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 21 May 2018 15:03:26 +0300 Subject: Update translations (de) --- i18n/de.i18n.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 73268d28..c000e0ae 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -246,8 +246,8 @@ "filter-on": "Filter ist aktiv", "filter-on-desc": "Sie filtern die Karten in diesem Board. Klicken Sie, um den Filter zu bearbeiten.", "filter-to-selection": "Ergebnisse auswählen", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-label": "Erweiterter Filter", + "advanced-filter-description": "Der erweiterte Filter erlaubt die Eingabe von Zeichenfolgen, die folgende Operatoren enthalten: == != <= >= && || ( ). Ein Leerzeichen wird als Trennzeichen zwischen den Operatoren verwendet. Sie können nach allen benutzerdefinierten Feldern filtern, indem Sie deren Namen und Werte eingeben. Zum Beispiel: Feld1 == Wert1. Beachten Sie: Wenn Felder oder Werte Leerzeichen enthalten, müssen Sie sie in einfache Anführungszeichen setzen. Zum Beispiel: 'Feld 1' == 'Wert 1'. Sie können außerdem mehrere Bedingungen kombinieren. Zum Beispiel: F1 == W1 || F1 == W2. Normalerweise werden alle Operatoren von links nach rechts interpretiert. Sie können die Reihenfolge ändern, indem Sie Klammern setzen. Zum Beispiel: F1 == W1 && ( F2 == W2 || F2 == W3 ) ", "fullname": "Vollständiger Name", "header-logo-title": "Zurück zur Board Seite.", "hide-system-messages": "Systemmeldungen ausblenden", -- cgit v1.2.3-1-g7c22 From 9c09d926e3e02ac5a7c09bad4869b6ac9b4adb4d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 21 May 2018 15:05:56 +0300 Subject: v0.99 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 6654431f..7838634c 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v0.99 2018-05-21 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index 5828b482..2758cff2 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "0.98.0", + "version": "0.99.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 3be7f838..ae86c756 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 83, + appVersion = 84, # Increment this for every release. - appMarketingVersion = (defaultText = "0.98.0~2018-05-19"), + appMarketingVersion = (defaultText = "0.99.0~2018-05-21"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From af496839f5a90aa05a2a78a20e71015f1fad587d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 21 May 2018 16:31:09 +0300 Subject: Fix typo. Thanks to yarons ! Closes #1647 --- i18n/en.i18n.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index a51106e9..7bf25ccf 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", -- cgit v1.2.3-1-g7c22 From 25695bdef29d0f57f6fc415c210bde30025b78ec Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 21 May 2018 17:22:46 +0300 Subject: Update translations. --- i18n/ar.i18n.json | 2 +- i18n/bg.i18n.json | 2 +- i18n/br.i18n.json | 2 +- i18n/ca.i18n.json | 2 +- i18n/cs.i18n.json | 2 +- i18n/de.i18n.json | 2 +- i18n/el.i18n.json | 2 +- i18n/en-GB.i18n.json | 2 +- i18n/eo.i18n.json | 2 +- i18n/es-AR.i18n.json | 2 +- i18n/es.i18n.json | 2 +- i18n/eu.i18n.json | 2 +- i18n/fa.i18n.json | 2 +- i18n/fr.i18n.json | 2 +- i18n/gl.i18n.json | 2 +- i18n/he.i18n.json | 4 ++-- i18n/hu.i18n.json | 2 +- i18n/hy.i18n.json | 2 +- i18n/id.i18n.json | 2 +- i18n/ig.i18n.json | 2 +- i18n/it.i18n.json | 2 +- i18n/ja.i18n.json | 2 +- i18n/ko.i18n.json | 2 +- i18n/lv.i18n.json | 2 +- i18n/mn.i18n.json | 2 +- i18n/nb.i18n.json | 2 +- i18n/nl.i18n.json | 2 +- i18n/pl.i18n.json | 2 +- i18n/pt-BR.i18n.json | 2 +- i18n/pt.i18n.json | 2 +- i18n/ro.i18n.json | 2 +- i18n/ru.i18n.json | 2 +- i18n/sr.i18n.json | 2 +- i18n/sv.i18n.json | 2 +- i18n/ta.i18n.json | 2 +- i18n/th.i18n.json | 2 +- i18n/tr.i18n.json | 2 +- i18n/uk.i18n.json | 2 +- i18n/vi.i18n.json | 2 +- i18n/zh-CN.i18n.json | 2 +- i18n/zh-TW.i18n.json | 2 +- 41 files changed, 42 insertions(+), 42 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index bfa6c1f0..1e3366b6 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "أنت بصدد تصفية بطاقات هذه اللوحة. اضغط هنا لتعديل التصفية.", "filter-to-selection": "تصفية بالتحديد", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "الإسم الكامل", "header-logo-title": "الرجوع إلى صفحة اللوحات", "hide-system-messages": "إخفاء رسائل النظام", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index e20c7dba..5d52aa16 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "В момента филтрирате картите в тази дъска. Моля, натиснете тук, за да промените филтъра.", "filter-to-selection": "Филтрирай избраните", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Име", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Скриване на системните съобщения", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index c759da8d..7f34db18 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 24d27c47..b0d0c2d2 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Estau filtrant fitxes en aquest tauler. Feu clic aquí per editar el filtre.", "filter-to-selection": "Filtra selecció", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Nom complet", "header-logo-title": "Torna a la teva pàgina de taulers", "hide-system-messages": "Oculta missatges del sistema", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index affb4560..b86baa25 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Filtrujete karty tohoto tabla. Pro úpravu filtru klikni sem.", "filter-to-selection": "Filtrovat výběr", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Celé jméno", "header-logo-title": "Jit zpět na stránku s tably.", "hide-system-messages": "Skrýt systémové zprávy", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index c000e0ae..df284bdb 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Sie filtern die Karten in diesem Board. Klicken Sie, um den Filter zu bearbeiten.", "filter-to-selection": "Ergebnisse auswählen", "advanced-filter-label": "Erweiterter Filter", - "advanced-filter-description": "Der erweiterte Filter erlaubt die Eingabe von Zeichenfolgen, die folgende Operatoren enthalten: == != <= >= && || ( ). Ein Leerzeichen wird als Trennzeichen zwischen den Operatoren verwendet. Sie können nach allen benutzerdefinierten Feldern filtern, indem Sie deren Namen und Werte eingeben. Zum Beispiel: Feld1 == Wert1. Beachten Sie: Wenn Felder oder Werte Leerzeichen enthalten, müssen Sie sie in einfache Anführungszeichen setzen. Zum Beispiel: 'Feld 1' == 'Wert 1'. Sie können außerdem mehrere Bedingungen kombinieren. Zum Beispiel: F1 == W1 || F1 == W2. Normalerweise werden alle Operatoren von links nach rechts interpretiert. Sie können die Reihenfolge ändern, indem Sie Klammern setzen. Zum Beispiel: F1 == W1 && ( F2 == W2 || F2 == W3 ) ", + "advanced-filter-description": "Der erweiterte Filter erlaubt die Eingabe von Zeichenfolgen, die folgende Operatoren enthalten: == != <= >= && || ( ). Ein Leerzeichen wird als Trennzeichen zwischen den Operatoren verwendet. Sie können nach allen benutzerdefinierten Feldern filtern, indem Sie deren Namen und Werte eingeben. Zum Beispiel: Feld1 == Wert1. Beachten Sie: Wenn Felder oder Werte Leerzeichen enthalten, müssen Sie sie in einfache Anführungszeichen setzen. Zum Beispiel: 'Feld 1' == 'Wert 1'. Sie können außerdem mehrere Bedingungen kombinieren. Zum Beispiel: F1 == W1 || F1 == W2. Normalerweise werden alle Operatoren von links nach rechts interpretiert. Sie können die Reihenfolge ändern, indem Sie Klammern setzen. Zum Beispiel: F1 == W1 && ( F2 == W2 || F2 == W3 )", "fullname": "Vollständiger Name", "header-logo-title": "Zurück zur Board Seite.", "hide-system-messages": "Systemmeldungen ausblenden", diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 46f0461c..2ee5abea 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Πλήρες Όνομα", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 5f86d521..ad63a64f 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index b3d3987f..5525ce98 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index 44b3c46c..35d807f1 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Estás filtrando cartas en este tablero. Clickeá acá para editar el filtro.", "filter-to-selection": "Filtrar en la selección", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Nombre Completo", "header-logo-title": "Retroceder a tu página de tableros.", "hide-system-messages": "Esconder mensajes del sistema", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 42f6f6dd..5411be6e 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Estás filtrando tarjetas en este tablero. Haz clic aquí para editar el filtro.", "filter-to-selection": "Filtrar la selección", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Nombre completo", "header-logo-title": "Volver a tu página de tableros", "hide-system-messages": "Ocultar las notificaciones de actividad", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index c110612a..434943ff 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Arbel honetako txartela iragazten ari zara. Egin klik hemen iragazkia editatzeko.", "filter-to-selection": "Iragazketa aukerara", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Izen abizenak", "header-logo-title": "Itzuli zure arbelen orrira.", "hide-system-messages": "Ezkutatu sistemako mezuak", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index c2436af2..d03d0df6 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "شما صافی ـFilterـ برای کارتهای تخته را روشن کرده اید. جهت ویرایش کلیک نمایید.", "filter-to-selection": "صافی ـFilterـ برای موارد انتخابی", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "نام و نام خانوادگی", "header-logo-title": "بازگشت به صفحه تخته.", "hide-system-messages": "عدم نمایش پیامهای سیستمی", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 47d9a914..5f95f7cf 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Vous êtes en train de filtrer les cartes sur ce tableau. Cliquez ici pour modifier les filtres.", "filter-to-selection": "Filtre vers la sélection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Nom complet", "header-logo-title": "Retourner à la page des tableaux", "hide-system-messages": "Masquer les messages système", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 5d959ebf..231d07d8 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Nome completo", "header-logo-title": "Retornar á páxina dos seus taboleiros.", "hide-system-messages": "Agochar as mensaxes do sistema", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 392a34f3..d5980cfe 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -246,8 +246,8 @@ "filter-on": "המסנן פועל", "filter-on-desc": "מסנן כרטיסים פעיל בלוח זה. יש ללחוץ כאן לעריכת המסנן.", "filter-to-selection": "סינון לבחירה", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-label": "מסנן מתקדם", + "advanced-filter-description": "המסנן המתקדם מאפשר לך לכתוב מחרוזת שמכילה את הפעולות הבאות: == != <= >= && || ( ) רווח מכהן כמפריד בין הפעולות. ניתן לסנן את כל השדות המותאמים אישית על ידי הקלדת שמם והערך שלהם. למשל: שדה1 == ערך1. לתשומת לבך: אם שדות או ערכים מכילים רווח, יש לעטוף אותם במירכא מכל צד. למשל: 'שדה 1' == 'ערך 1'. ניתן גם לשלב מגוון תנאים. למשל: F1 == V1 || F1 = V2. על פי רוב כל הפעולות מפוענחות משמאל לימין. ניתן לשנות את הסדר על ידי הצבת סוגריים. למשל: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "שם מלא", "header-logo-title": "חזרה לדף הלוחות שלך.", "hide-system-messages": "הסתרת הודעות מערכת", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index 98d35cc5..5f5cd058 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "A kártyaszűrés be van kapcsolva ezen a táblán. Kattintson ide a szűrő szerkesztéséhez.", "filter-to-selection": "Szűrés a kijelöléshez", "advanced-filter-label": "Speciális szűrő", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Teljes név", "header-logo-title": "Vissza a táblák oldalára.", "hide-system-messages": "Rendszerüzenetek elrejtése", diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index 9e152388..a2d7a377 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 5989451a..cd427628 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Anda memfilter kartu di panel ini. Klik di sini untuk menyunting filter", "filter-to-selection": "Saring berdasarkan yang dipilih", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Nama Lengkap", "header-logo-title": "Kembali ke laman panel anda", "hide-system-messages": "Sembunyikan pesan-pesan sistem", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 0070b3ee..0fd3ed7b 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index a60edb22..1691c48e 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Stai filtrando le schede su questa bacheca. Clicca qui per modificare il filtro,", "filter-to-selection": "Seleziona", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Nome completo", "header-logo-title": "Torna alla tua bacheca.", "hide-system-messages": "Nascondi i messaggi di sistema", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 6af2fba4..32c1c5b5 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "このボードのカードをフィルターしています。フィルターを編集するにはこちらをクリックしてください。", "filter-to-selection": "フィルターした項目を全選択", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "フルネーム", "header-logo-title": "自分のボードページに戻る。", "hide-system-messages": "システムメッセージを隠す", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index dbfab1f2..f953e7b9 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "보드에서 카드를 필터링합니다. 여기를 클릭하여 필터를 수정합니다.", "filter-to-selection": "선택 항목으로 필터링", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "실명", "header-logo-title": "보드 페이지로 돌아가기.", "hide-system-messages": "시스템 메시지 숨기기", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 9267fdad..5c03dd4d 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index 999f7079..b6405f5b 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index 39253be1..45392a73 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index daa2a6c9..a8c4ac52 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Je bent nu kaarten aan het filteren op dit bord. Klik hier om het filter te wijzigen.", "filter-to-selection": "Filter zoals selectie", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Volledige naam", "header-logo-title": "Ga terug naar jouw borden pagina.", "hide-system-messages": "Verberg systeemberichten", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 18a93951..f0c86267 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Filtrujesz karty na tej tablicy. Kliknij tutaj by edytować filtr.", "filter-to-selection": "Odfiltruj zaznaczenie", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Wróć do swojej strony z tablicami.", "hide-system-messages": "Ukryj wiadomości systemowe", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 7f6ea200..41d3e81e 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Você está filtrando cartões neste quadro. Clique aqui para editar o filtro.", "filter-to-selection": "Filtrar esta seleção", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Nome Completo", "header-logo-title": "Voltar para a lista de quadros.", "hide-system-messages": "Esconde mensagens de sistema", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 622bef1d..75c6ae03 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index c01342b0..3dba2d87 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 6e71e035..7b1f0c59 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Показываются карточки, соответствующие настройкам фильтра. Нажмите для редактирования.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Полное имя", "header-logo-title": "Вернуться к доскам.", "hide-system-messages": "Скрыть системные сообщения", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index b63e9152..e51a9343 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Sakrij sistemske poruke", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index abee50a4..c75a7a2b 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Du filtrerar kort på denna anslagstavla. Klicka här för att redigera filter.", "filter-to-selection": "Filter till val", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Namn", "header-logo-title": "Gå tillbaka till din anslagstavlor-sida.", "hide-system-messages": "Göm systemmeddelanden", diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index e0f067c0..726f456a 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index 8b721b6e..e459e339 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "คุณกำลังกรองการ์ดในบอร์ดนี้ คลิกที่นี่เพื่อแก้ไขตัวกรอง", "filter-to-selection": "กรองตัวเลือก", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "ชื่อ นามสกุล", "header-logo-title": "ย้อนกลับไปที่หน้าบอร์ดของคุณ", "hide-system-messages": "ซ่อนข้อความของระบบ", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index 70b6d0f3..a54282d0 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Bu panodaki kartları filtreliyorsunuz. Fitreyi düzenlemek için tıklayın.", "filter-to-selection": "Seçime göre filtreleme yap", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Ad Soyad", "header-logo-title": "Panolar sayfanıza geri dön.", "hide-system-messages": "Sistem mesajlarını gizle", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 40eb7c79..f9720861 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index 53217e6b..50074c9e 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index c2e572b1..2b6be1b8 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "你正在过滤该看板上的卡片,点此编辑过滤。", "filter-to-selection": "要选择的过滤器", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "全称", "header-logo-title": "返回您的看板页", "hide-system-messages": "隐藏系统消息", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 9555c425..b087bd8f 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "你正在過濾該看板上的卡片,點此編輯過濾條件。", "filter-to-selection": "要選擇的過濾條件", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brakets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "全稱", "header-logo-title": "返回您的看板頁面", "hide-system-messages": "隱藏系統訊息", -- cgit v1.2.3-1-g7c22 From d4cc337577ef99565a1418ab5a1638479a6bb897 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 21 May 2018 17:29:04 +0300 Subject: v1.00 --- CHANGELOG.md | 8 ++++++++ package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 11 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 7838634c..c581c60a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# v1.00 2018-05-21 Wekan release + +This release fixes the following bugs: + +* [Typo in English translation: brakets to brackets](https://github.com/wekan/wekan/issues/1647). + +Thanks to GitHub user yarons for contributions. + # v0.99 2018-05-21 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index 2758cff2..26283257 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "0.99.0", + "version": "1.00.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index ae86c756..edbb3d2a 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 84, + appVersion = 85, # Increment this for every release. - appMarketingVersion = (defaultText = "0.99.0~2018-05-21"), + appMarketingVersion = (defaultText = "1.00.0~2018-05-21"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 90b589d99378203ff616ba02384c5efa4777c278 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 22 May 2018 09:29:00 +0300 Subject: Remove duplicate Contributing.md --- CONTRIBUTING.md | 5 ++++- Contributing.md | 5 ----- 2 files changed, 4 insertions(+), 6 deletions(-) delete mode 100644 Contributing.md diff --git a/CONTRIBUTING.md b/CONTRIBUTING.md index 78fedf61..3ae99519 100644 --- a/CONTRIBUTING.md +++ b/CONTRIBUTING.md @@ -1 +1,4 @@ -To get started, [sign the Contributor License Agreement](https://www.clahub.com/agreements/wekan/wekan). +To get started, [please sign the Contributor License Agreement](https://www.clahub.com/agreements/wekan/wekan). + +[Then, please read documentation at wiki](https://github.com/wekan/wekan/wiki). + diff --git a/Contributing.md b/Contributing.md deleted file mode 100644 index 82440260..00000000 --- a/Contributing.md +++ /dev/null @@ -1,5 +0,0 @@ -# Contributing - -Please see wiki for all documentation: - - -- cgit v1.2.3-1-g7c22 From c4d83c6e667613a24324a1a0074ba154ad7d2d04 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 22 May 2018 09:37:46 +0300 Subject: Simplify issue template --- .github/ISSUE_TEMPLATE.md | 7 +++---- 1 file changed, 3 insertions(+), 4 deletions(-) diff --git a/.github/ISSUE_TEMPLATE.md b/.github/ISSUE_TEMPLATE.md index 4610f2f8..a969d3b0 100644 --- a/.github/ISSUE_TEMPLATE.md +++ b/.github/ISSUE_TEMPLATE.md @@ -10,7 +10,6 @@ * ROOT_URL environment variable http(s)://(subdomain).example.com(/suburl): **Problem description**: -- *be as explicit as you can* -- *describe the problem and its symptoms* -- *explain how to reproduce* -- *attach whatever information that can help understanding the context (screen capture, log files in .zip file)* +- *add recorded animated gif about how it works currently, and screenshot mockups how it should work* +- *explain steps how to reproduce* +- *attach log files in .zip file)* -- cgit v1.2.3-1-g7c22 From ad8f227880f9076f93b000c8ef26462e0785ddfd Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 22 May 2018 09:45:59 +0300 Subject: More details to issue template. --- .github/ISSUE_TEMPLATE.md | 13 ++++++++----- 1 file changed, 8 insertions(+), 5 deletions(-) diff --git a/.github/ISSUE_TEMPLATE.md b/.github/ISSUE_TEMPLATE.md index a969d3b0..f1dad78f 100644 --- a/.github/ISSUE_TEMPLATE.md +++ b/.github/ISSUE_TEMPLATE.md @@ -2,14 +2,17 @@ **Server Setup Information**: +* Did you test in newest Wekan?: +* Wekan version: +* If this is about old version of Wekan, what upgrade problem you have?: * Operating System: -* Deployment Method(snap/sandstorm/mongodb bundle): -* Http frontend (Caddy, Nginx, Apache, see config examples from Wekan GitHub wiki first): +* Deployment Method(snap/docker/sandstorm/mongodb bundle/source): +* Http frontend if any (Caddy, Nginx, Apache, see config examples from Wekan GitHub wiki first): * Node Version: * MongoDB Version: * ROOT_URL environment variable http(s)://(subdomain).example.com(/suburl): **Problem description**: -- *add recorded animated gif about how it works currently, and screenshot mockups how it should work* -- *explain steps how to reproduce* -- *attach log files in .zip file)* +- *REQUIRED: Add recorded animated gif about how it works currently, and screenshot mockups how it should work* +- *Explain steps how to reproduce* +- *Attach log files in .zip file)* -- cgit v1.2.3-1-g7c22 From 0195044ba11ff1686c66ff091d9b4b57377515a8 Mon Sep 17 00:00:00 2001 From: Ignatz Date: Wed, 23 May 2018 11:02:23 +0200 Subject: possible quickfix for all customFields Import errors --- models/cards.js | 1 + 1 file changed, 1 insertion(+) diff --git a/models/cards.js b/models/cards.js index c77cd682..6a33fa1a 100644 --- a/models/cards.js +++ b/models/cards.js @@ -220,6 +220,7 @@ Cards.helpers({ }).fetch(); // match right definition to each field + if (!this.customFields) return []; return this.customFields.map((customField) => { return { _id: customField._id, -- cgit v1.2.3-1-g7c22 From 3d1f004e902e9a1648d9b9a0401dffd8a61d7ec2 Mon Sep 17 00:00:00 2001 From: Ignatz Date: Wed, 23 May 2018 11:04:12 +0200 Subject: lint corrections --- client/lib/filter.js | 303 +++++++++++++++++++++++---------------------------- 1 file changed, 139 insertions(+), 164 deletions(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index c5f8fe7e..416f2019 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -86,18 +86,17 @@ class AdvancedFilter { constructor() { this._dep = new Tracker.Dependency(); this._filter = ''; - this._lastValide={}; + this._lastValide = {}; } - set(str) - { + set(str) { this._filter = str; this._dep.changed(); } reset() { this._filter = ''; - this._lastValide={}; + this._lastValide = {}; this._dep.changed(); } @@ -106,103 +105,89 @@ class AdvancedFilter { return this._filter !== ''; } - _filterToCommands(){ + _filterToCommands() { const commands = []; let current = ''; let string = false; let wasString = false; let ignore = false; - for (let i = 0; i < this._filter.length; i++) - { + for (let i = 0; i < this._filter.length; i++) { const char = this._filter.charAt(i); - if (ignore) - { + if (ignore) { ignore = false; continue; } - if (char === '\'') - { + if (char === '\'') { string = !string; if (string) wasString = true; continue; } - if (char === '\\') - { + if (char === '\\') { ignore = true; continue; } - if (char === ' ' && !string) - { - commands.push({'cmd':current, 'string':wasString}); + if (char === ' ' && !string) { + commands.push({ 'cmd': current, 'string': wasString }); wasString = false; current = ''; continue; } current += char; } - if (current !== '') - { - commands.push({'cmd':current, 'string':wasString}); + if (current !== '') { + commands.push({ 'cmd': current, 'string': wasString }); } return commands; } - _fieldNameToId(field) - { - const found = CustomFields.findOne({'name':field}); + _fieldNameToId(field) { + const found = CustomFields.findOne({ 'name': field }); return found._id; } - _arrayToSelector(commands) - { + _arrayToSelector(commands) { try { //let changed = false; this._processSubCommands(commands); } - catch (e){return this._lastValide;} - this._lastValide = {$or: commands}; - return {$or: commands}; + catch (e) { return this._lastValide; } + this._lastValide = { $or: commands }; + return { $or: commands }; } - _processSubCommands(commands) - { + _processSubCommands(commands) { const subcommands = []; let level = 0; let start = -1; - for (let i = 0; i < commands.length; i++) - { - if (commands[i].cmd) - { - switch (commands[i].cmd) - { + for (let i = 0; i < commands.length; i++) { + if (commands[i].cmd) { + switch (commands[i].cmd) { case '(': - { - level++; - if (start === -1) start = i; - continue; - } + { + level++; + if (start === -1) start = i; + continue; + } case ')': - { - level--; - commands.splice(i, 1); - i--; - continue; - } - default: - { - if (level > 0) { - subcommands.push(commands[i]); + level--; commands.splice(i, 1); i--; continue; } - } + default: + { + if (level > 0) { + subcommands.push(commands[i]); + commands.splice(i, 1); + i--; + continue; + } + } } } } - if (start !== -1) - { + if (start !== -1) { this._processSubCommands(subcommands); if (subcommands.length === 1) commands.splice(start, 0, subcommands[0]); @@ -213,154 +198,146 @@ class AdvancedFilter { this._processLogicalOperators(commands); } - _processConditions(commands) - { - for (let i = 0; i < commands.length; i++) - { - if (!commands[i].string && commands[i].cmd) - { - switch (commands[i].cmd) - { + _processConditions(commands) { + for (let i = 0; i < commands.length; i++) { + if (!commands[i].string && commands[i].cmd) { + switch (commands[i].cmd) { case '=': case '==': case '===': - { - const field = commands[i-1].cmd; - const str = commands[i+1].cmd; - commands[i] = {'customFields._id':this._fieldNameToId(field), 'customFields.value':str}; - commands.splice(i-1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': str }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } case '!=': case '!==': - { - const field = commands[i-1].cmd; - const str = commands[i+1].cmd; - commands[i] = {'customFields._id':this._fieldNameToId(field), 'customFields.value': { $not: str }}; - commands.splice(i-1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $not: str } }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } case '>': case 'gt': case 'Gt': case 'GT': - { - const field = commands[i-1].cmd; - const str = commands[i+1].cmd; - commands[i] = {'customFields._id':this._fieldNameToId(field), 'customFields.value': { $gt: str } }; - commands.splice(i-1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $gt: str } }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } case '>=': case '>==': case 'gte': case 'Gte': case 'GTE': - { - const field = commands[i-1].cmd; - const str = commands[i+1].cmd; - commands[i] = {'customFields._id':this._fieldNameToId(field), 'customFields.value': { $gte: str } }; - commands.splice(i-1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $gte: str } }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } case '<': case 'lt': case 'Lt': case 'LT': - { - const field = commands[i-1].cmd; - const str = commands[i+1].cmd; - commands[i] = {'customFields._id':this._fieldNameToId(field), 'customFields.value': { $lt: str } }; - commands.splice(i-1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $lt: str } }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } case '<=': case '<==': case 'lte': case 'Lte': case 'LTE': - { - const field = commands[i-1].cmd; - const str = commands[i+1].cmd; - commands[i] = {'customFields._id':this._fieldNameToId(field), 'customFields.value': { $lte: str } }; - commands.splice(i-1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $lte: str } }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } } } } } - _processLogicalOperators(commands) - { - for (let i = 0; i < commands.length; i++) - { - if (!commands[i].string && commands[i].cmd) - { - switch (commands[i].cmd) - { + _processLogicalOperators(commands) { + for (let i = 0; i < commands.length; i++) { + if (!commands[i].string && commands[i].cmd) { + switch (commands[i].cmd) { case 'or': case 'Or': case 'OR': case '|': case '||': - { - const op1 = commands[i-1]; - const op2 = commands[i+1]; - commands[i] = {$or: [op1, op2]}; - commands.splice(i-1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } + { + const op1 = commands[i - 1]; + const op2 = commands[i + 1]; + commands[i] = { $or: [op1, op2] }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } case 'and': case 'And': case 'AND': case '&': case '&&': - { - const op1 = commands[i-1]; - const op2 = commands[i+1]; - commands[i] = {$and: [op1, op2]}; - commands.splice(i-1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } + { + const op1 = commands[i - 1]; + const op2 = commands[i + 1]; + commands[i] = { $and: [op1, op2] }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } case 'not': case 'Not': case 'NOT': case '!': - { - const op1 = commands[i+1]; - commands[i] = {$not: op1}; - commands.splice(i+1, 1); - //changed = true; - i--; - break; - } + { + const op1 = commands[i + 1]; + commands[i] = { $not: op1 }; + commands.splice(i + 1, 1); + //changed = true; + i--; + break; + } } } @@ -412,12 +389,10 @@ Filter = { this._fields.forEach((fieldName) => { const filter = this[fieldName]; if (filter._isActive()) { - if (filter.subField !== '') - { + if (filter.subField !== '') { filterSelector[`${fieldName}.${filter.subField}`] = filter._getMongoSelector(); } - else - { + else { filterSelector[fieldName] = filter._getMongoSelector(); } emptySelector[fieldName] = filter._getEmptySelector(); @@ -427,7 +402,7 @@ Filter = { } }); - const exceptionsSelector = {_id: {$in: this._exceptions}}; + const exceptionsSelector = { _id: { $in: this._exceptions } }; this._exceptionsDep.depend(); const selectors = [exceptionsSelector]; @@ -438,7 +413,7 @@ Filter = { if (includeEmptySelectors) selectors.push(emptySelector); if (this.advanced._isActive()) selectors.push(this.advanced._getMongoSelector()); - return {$or: selectors}; + return { $or: selectors }; }, mongoSelector(additionalSelector) { @@ -446,7 +421,7 @@ Filter = { if (_.isUndefined(additionalSelector)) return filterSelector; else - return {$and: [filterSelector, additionalSelector]}; + return { $and: [filterSelector, additionalSelector] }; }, reset() { -- cgit v1.2.3-1-g7c22 From 529594ef5594a1ef23048b751ddd27e0956f2ebb Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 23 May 2018 20:58:28 +0300 Subject: Fix lint errors. --- client/lib/filter.js | 208 +++++++++++++++++++++++++-------------------------- 1 file changed, 104 insertions(+), 104 deletions(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index 416f2019..fa139cfe 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -163,27 +163,27 @@ class AdvancedFilter { if (commands[i].cmd) { switch (commands[i].cmd) { case '(': - { - level++; - if (start === -1) start = i; - continue; - } + { + level++; + if (start === -1) start = i; + continue; + } case ')': - { - level--; + { + level--; + commands.splice(i, 1); + i--; + continue; + } + default: + { + if (level > 0) { + subcommands.push(commands[i]); commands.splice(i, 1); i--; continue; } - default: - { - if (level > 0) { - subcommands.push(commands[i]); - commands.splice(i, 1); - i--; - continue; - } - } + } } } } @@ -205,86 +205,86 @@ class AdvancedFilter { case '=': case '==': case '===': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': str }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': str }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } case '!=': case '!==': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $not: str } }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $not: str } }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } case '>': case 'gt': case 'Gt': case 'GT': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $gt: str } }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $gt: str } }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } case '>=': case '>==': case 'gte': case 'Gte': case 'GTE': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $gte: str } }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $gte: str } }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } case '<': case 'lt': case 'Lt': case 'LT': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $lt: str } }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $lt: str } }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } case '<=': case '<==': case 'lte': case 'Lte': case 'LTE': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $lte: str } }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $lte: str } }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } } } @@ -300,44 +300,44 @@ class AdvancedFilter { case 'OR': case '|': case '||': - { - const op1 = commands[i - 1]; - const op2 = commands[i + 1]; - commands[i] = { $or: [op1, op2] }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } + { + const op1 = commands[i - 1]; + const op2 = commands[i + 1]; + commands[i] = { $or: [op1, op2] }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } case 'and': case 'And': case 'AND': case '&': case '&&': - { - const op1 = commands[i - 1]; - const op2 = commands[i + 1]; - commands[i] = { $and: [op1, op2] }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } + { + const op1 = commands[i - 1]; + const op2 = commands[i + 1]; + commands[i] = { $and: [op1, op2] }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } case 'not': case 'Not': case 'NOT': case '!': - { - const op1 = commands[i + 1]; - commands[i] = { $not: op1 }; - commands.splice(i + 1, 1); - //changed = true; - i--; - break; - } + { + const op1 = commands[i + 1]; + commands[i] = { $not: op1 }; + commands.splice(i + 1, 1); + //changed = true; + i--; + break; + } } } -- cgit v1.2.3-1-g7c22 From 505fc7166564ab324a7d6882f6692d0188aa9c9c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 23 May 2018 21:04:24 +0300 Subject: - Possible quickfix for all customFields Import errors, please test. Thanks to feuerball11 and xet7 ! Related #807 Closes #1652, closes #1651 --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index c581c60a..ace2a130 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release possibly fixes the following bugs, please test: + +* [Possible quickfix for all customFields Import errors, please test](https://github.com/wekan/wekan/pull/1653). + +Thanks to GitHub users feuerball11 and xet7 for their contributions. + # v1.00 2018-05-21 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From f75f6862716c198a889c4b0677278969f1bfac0a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 23 May 2018 21:56:11 +0300 Subject: Update translations. --- i18n/de.i18n.json | 8 ++-- i18n/pt-BR.i18n.json | 126 +++++++++++++++++++++++++-------------------------- 2 files changed, 67 insertions(+), 67 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index df284bdb..9af3544e 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -28,10 +28,10 @@ "activities": "Aktivitäten", "activity": "Aktivität", "activity-added": "hat %s zu %s hinzugefügt", - "activity-archived": "%s in den Papierkorb verschoben", + "activity-archived": "hat %s in den Papierkorb verschoben", "activity-attached": "hat %s an %s angehängt", "activity-created": "hat %s erstellt", - "activity-customfield-created": "Benutzerdefiniertes Feld erstellen %s", + "activity-customfield-created": "hat das benutzerdefinierte Feld %s erstellt", "activity-excluded": "hat %s von %s ausgeschlossen", "activity-imported": "hat %s in %s von %s importiert", "activity-imported-board": "hat %s von %s importiert", @@ -184,7 +184,7 @@ "custom-field-dropdown-options-placeholder": "Drücken Sie die Eingabetaste, um weitere Optionen hinzuzufügen", "custom-field-dropdown-unknown": "(unbekannt)", "custom-field-number": "Zahl", - "custom-field-text": "Test", + "custom-field-text": "Text", "custom-fields": "Benutzerdefinierte Felder", "date": "Datum", "decline": "Ablehnen", @@ -378,7 +378,7 @@ "starred-boards-description": "Markierte Boards erscheinen oben in ihrer Boardliste.", "subscribe": "Abonnieren", "team": "Team", - "this-board": "dieses Board", + "this-board": "diesem Board", "this-card": "diese Karte", "spent-time-hours": "Aufgewendete Zeit (Stunden)", "overtime-hours": "Mehrarbeit (Stunden)", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 41d3e81e..989be015 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -3,17 +3,17 @@ "act-activity-notify": "[Wekan] Notificação de Atividade", "act-addAttachment": "anexo __attachment__ de __card__", "act-addChecklist": "added checklist __checklist__ no __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addChecklistItem": "adicionado __checklistitem__ para a lista de checagem __checklist__ em __card__", "act-addComment": "comentou em __card__: __comment__", "act-createBoard": "criou __board__", "act-createCard": "__card__ adicionado à __list__", - "act-createCustomField": "created custom field __customField__", + "act-createCustomField": "criado campo customizado __customField__", "act-createList": "__list__ adicionada à __board__", "act-addBoardMember": "__member__ adicionado à __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-archivedBoard": "__board__ movido para a lixeira", + "act-archivedCard": "__card__ movido para a lixeira", + "act-archivedList": "__list__ movido para a lixeira", + "act-archivedSwimlane": "__swimlane__ movido para a lixeira", "act-importBoard": "__board__ importado", "act-importCard": "__card__ importado", "act-importList": "__list__ importada", @@ -28,10 +28,10 @@ "activities": "Atividades", "activity": "Atividade", "activity-added": "adicionou %s a %s", - "activity-archived": "%s moved to Recycle Bin", + "activity-archived": "%s movido para a lixeira", "activity-attached": "anexou %s a %s", "activity-created": "criou %s", - "activity-customfield-created": "created custom field %s", + "activity-customfield-created": "criado campo customizado %s", "activity-excluded": "excluiu %s de %s", "activity-imported": "importado %s em %s de %s", "activity-imported-board": "importado %s de %s", @@ -47,7 +47,7 @@ "add-attachment": "Adicionar Anexos", "add-board": "Adicionar Quadro", "add-card": "Adicionar Cartão", - "add-swimlane": "Add Swimlane", + "add-swimlane": "Adicionar Swimlane", "add-checklist": "Adicionar Checklist", "add-checklist-item": "Adicionar um item à lista de verificação", "add-cover": "Adicionar Capa", @@ -66,19 +66,19 @@ "and-n-other-card_plural": "E __count__ outros cartões", "apply": "Aplicar", "app-is-offline": "O Wekan está carregando, por favor espere. Recarregar a página irá causar perda de dado. Se o Wekan não carregar por favor verifique se o servidor Wekan não está parado.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive": "Mover para a lixeira", + "archive-all": "Mover tudo para a lixeira", + "archive-board": "Mover quadro para a lixeira", + "archive-card": "Mover cartão para a lixeira", + "archive-list": "Mover lista para a lixeira", + "archive-swimlane": "Mover Swimlane para a lixeira", + "archive-selection": "Mover seleção para a lixeira", + "archiveBoardPopup-title": "Mover o quadro para a lixeira?", + "archived-items": "Lixeira", + "archived-boards": "Quadros na lixeira", "restore-board": "Restaurar Quadro", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "Não há quadros na lixeira", + "archives": "Lixeira", "assign-member": "Atribuir Membro", "attached": "anexado", "attachment": "Anexo", @@ -104,16 +104,16 @@ "board-view-lists": "Listas", "bucket-example": "\"Bucket List\", por exemplo", "cancel": "Cancelar", - "card-archived": "This card is moved to Recycle Bin.", + "card-archived": "Este cartão foi movido para a lixeira", "card-comments-title": "Este cartão possui %s comentários.", "card-delete-notice": "A exclusão será permanente. Você perderá todas as ações associadas a este cartão.", "card-delete-pop": "Todas as ações serão removidas da lista de Atividades e vocês não poderá re-abrir o cartão. Não há como desfazer.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "Você pode mover um cartão para fora da lixeira e movê-lo para o quadro e preservar a atividade.", "card-due": "Data fim", "card-due-on": "Finaliza em", "card-spent": "Tempo Gasto", "card-edit-attachments": "Editar anexos", - "card-edit-custom-fields": "Edit custom fields", + "card-edit-custom-fields": "Editar campos customizados", "card-edit-labels": "Editar etiquetas", "card-edit-members": "Editar membros", "card-labels-title": "Alterar etiquetas do cartão.", @@ -121,8 +121,8 @@ "card-start": "Data início", "card-start-on": "Começa em", "cardAttachmentsPopup-title": "Anexar a partir de", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", + "cardCustomField-datePopup-title": "Mudar data", + "cardCustomFieldsPopup-title": "Editar campos customizados", "cardDeletePopup-title": "Excluir Cartão?", "cardDetailsActionsPopup-title": "Ações do cartão", "cardLabelsPopup-title": "Etiquetas", @@ -146,7 +146,7 @@ "clipboard": "Área de Transferência ou arraste e solte", "close": "Fechar", "close-board": "Fechar Quadro", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "Você poderá restaurar o quadro clicando no botão lixeira no cabeçalho da página inicial", "color-black": "preto", "color-blue": "azul", "color-green": "verde", @@ -172,25 +172,25 @@ "createBoardPopup-title": "Criar Quadro", "chooseBoardSourcePopup-title": "Importar quadro", "createLabelPopup-title": "Criar Etiqueta", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", + "createCustomField": "Criar campo", + "createCustomFieldPopup-title": "Criar campo", "current": "atual", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", + "custom-field-delete-pop": "Não existe desfazer. Isso irá remover o campo customizado de todos os cartões e destruir seu histórico", + "custom-field-checkbox": "Caixa de seleção", "custom-field-date": "Data", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", + "custom-field-dropdown": "Lista suspensa", + "custom-field-dropdown-none": "(nada)", + "custom-field-dropdown-options": "Lista de opções", + "custom-field-dropdown-options-placeholder": "Pressione enter para adicionar mais opções", + "custom-field-dropdown-unknown": "(desconhecido)", + "custom-field-number": "Número", + "custom-field-text": "Texto", + "custom-fields": "Campos customizados", "date": "Data", "decline": "Rejeitar", "default-avatar": "Avatar padrão", "delete": "Excluir", - "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteCustomFieldPopup-title": "Deletar campo customizado?", "deleteLabelPopup-title": "Excluir Etiqueta?", "description": "Descrição", "disambiguateMultiLabelPopup-title": "Desambiguar ações de etiquetas", @@ -205,7 +205,7 @@ "soft-wip-limit": "Limite de WIP", "editCardStartDatePopup-title": "Altera data de início", "editCardDueDatePopup-title": "Altera data fim", - "editCustomFieldPopup-title": "Edit Field", + "editCustomFieldPopup-title": "Editar campo", "editCardSpentTimePopup-title": "Editar tempo gasto", "editLabelPopup-title": "Alterar Etiqueta", "editNotificationPopup-title": "Editar Notificações", @@ -242,12 +242,12 @@ "filter-clear": "Limpar filtro", "filter-no-label": "Sem labels", "filter-no-member": "Sem membros", - "filter-no-custom-fields": "No Custom Fields", + "filter-no-custom-fields": "Não há campos customizados", "filter-on": "Filtro está ativo", "filter-on-desc": "Você está filtrando cartões neste quadro. Clique aqui para editar o filtro.", "filter-to-selection": "Filtrar esta seleção", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-label": "Filtro avançado", + "advanced-filter-description": "Um Filtro Avançado permite escrever uma string contendo os seguintes operadores: == != <= >= && || () Um espaço é utilizado como separador entre os operadores. Você pode filtrar todos os campos customizados digitando seus nomes e valores. Por exemplo: campo1 == valor1. Nota: se campos ou valores contém espaços, você precisa encapsular eles em aspas simples. Por exemplo: 'campo 1' == 'valor 1'. Você também pode combinar múltiplas condições. Por exemplo: F1 == V1 || F1 == V2. Normalmente todos os operadores são interpretados da esquerda para a direita. Você pode mudar a ordem ao incluir parênteses. Por exemplo: F1 == V1 e (F2 == V2 || F2 == V3)", "fullname": "Nome Completo", "header-logo-title": "Voltar para a lista de quadros.", "hide-system-messages": "Esconde mensagens de sistema", @@ -287,17 +287,17 @@ "leave-board-pop": "Tem a certeza de que pretende sair de __boardTitle__? Você será removido de todos os cartões neste quadro.", "leaveBoardPopup-title": "Sair do Quadro ?", "link-card": "Vincular a este cartão", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Mover todos os cartões nesta lista para a lixeira", + "list-archive-cards-pop": "Isso irá remover todos os cartões nesta lista do quadro. Para visualizar cartões na lixeira e trazê-los de volta ao quadro, clique em \"Menu\" > \"Lixeira\".", "list-move-cards": "Mover todos os cartões desta lista", "list-select-cards": "Selecionar todos os cartões nesta lista", "listActionPopup-title": "Listar Ações", - "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneActionPopup-title": "Ações de Swimlane", "listImportCardPopup-title": "Importe um cartão do Trello", "listMorePopup-title": "Mais", "link-list": "Vincular a esta lista", "list-delete-pop": "Todas as ações serão removidas da lista de atividades e você não poderá recuperar a lista. Não há como desfazer.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "Você pode mover a lista para a lixeira para removê-la do quadro e preservar a atividade.", "lists": "Listas", "swimlanes": "Swimlanes", "log-out": "Sair", @@ -317,9 +317,9 @@ "muted-info": "Você nunca receberá qualquer notificação desse board", "my-boards": "Meus Quadros", "name": "Nome", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "Não há cartões na lixeira", + "no-archived-lists": "Não há listas na lixeira", + "no-archived-swimlanes": "Não há swimlanes na lixeira", "no-results": "Nenhum resultado.", "normal": "Normal", "normal-desc": "Pode ver e editar cartões. Não pode alterar configurações.", @@ -384,12 +384,12 @@ "overtime-hours": "Tempo extras (Horas)", "overtime": "Tempo extras", "has-overtime-cards": "Tem cartões de horas extras", - "has-spenttime-cards": "Has spent time cards", + "has-spenttime-cards": "Gastou cartões de tempo", "time": "Tempo", "title": "Título", "tracking": "Tracking", "tracking-info": "Você será notificado se houver qualquer alteração em cards em que você é o criador ou membro", - "type": "Type", + "type": "Tipo", "unassign-member": "Membro não associado", "unsaved-description": "Você possui uma descrição não salva", "unwatch": "Deixar de observar", @@ -398,12 +398,12 @@ "uploaded-avatar": "Avatar carregado", "username": "Nome de usuário", "view-it": "Visualizar", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "Aviso: este cartão está em uma lista na lixeira", "watch": "Observar", "watching": "Observando", "watching-info": "Você será notificado em qualquer alteração desse board", "welcome-board": "Board de Boas Vindas", - "welcome-swimlane": "Milestone 1", + "welcome-swimlane": "Marco 1", "welcome-list1": "Básico", "welcome-list2": "Avançado", "what-to-do": "O que você gostaria de fazer?", @@ -454,19 +454,19 @@ "hours": "horas", "minutes": "minutos", "seconds": "segundos", - "show-field-on-card": "Show this field on card", + "show-field-on-card": "Mostrar este campo no cartão", "yes": "Sim", "no": "Não", "accounts": "Contas", "accounts-allowEmailChange": "Permitir Mudança de Email", - "accounts-allowUserNameChange": "Allow Username Change", + "accounts-allowUserNameChange": "Permitir alteração de nome de usuário", "createdAt": "Criado em", "verified": "Verificado", "active": "Ativo", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" + "card-received": "Recebido", + "card-received-on": "Recebido em", + "card-end": "Fim", + "card-end-on": "Termina em", + "editCardReceivedDatePopup-title": "Modificar data de recebimento", + "editCardEndDatePopup-title": "Mudar data de fim" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From b9c63a8c8f6524477d42816a54fe108f1efccd1d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 23 May 2018 22:54:12 +0300 Subject: v1.01 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index ace2a130..6698a16a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.01 2018-05-23 Wekan release This release possibly fixes the following bugs, please test: diff --git a/package.json b/package.json index 26283257..06b831da 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.00.0", + "version": "1.01.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index edbb3d2a..eeba4409 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 85, + appVersion = 86, # Increment this for every release. - appMarketingVersion = (defaultText = "1.00.0~2018-05-21"), + appMarketingVersion = (defaultText = "1.01.0~2018-05-23"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 5b4d75a976244652d3c86e6d46c23d7c11e9ae8e Mon Sep 17 00:00:00 2001 From: "greenkeeper[bot]" Date: Thu, 24 May 2018 07:11:37 +0000 Subject: fix(package): update xss to version 1.0.0 --- package.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/package.json b/package.json index 06b831da..92dec31e 100644 --- a/package.json +++ b/package.json @@ -29,6 +29,6 @@ "es6-promise": "^4.2.4", "meteor-node-stubs": "^0.4.1", "os": "^0.1.1", - "xss": "^0.3.8" + "xss": "^1.0.0" } } -- cgit v1.2.3-1-g7c22 From 4c5daf5d85e6cf11ca167820fa7d93b682a5fd0f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 24 May 2018 10:51:29 +0300 Subject: - Update xss to version 1.00 Thanks to xet7 ! --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 6698a16a..ac833674 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release adds the following new features: + +* [Update xss to version 1.00](https://github.com/wekan/wekan/commit/5b4d75a976244652d3c86e6d46c23d7c11e9ae8e). + +Thanks to GitHub user xet7 for contributions. + # v1.01 2018-05-23 Wekan release This release possibly fixes the following bugs, please test: -- cgit v1.2.3-1-g7c22 From 9242bdb10b90eaf1847cd462a9882d6eceb3e94f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 24 May 2018 14:07:57 +0300 Subject: Go back to xss 0.3.8, because 1.0.0 did break snap build. --- CHANGELOG.md | 8 -------- package.json | 2 +- 2 files changed, 1 insertion(+), 9 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index ac833674..6698a16a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,11 +1,3 @@ -# Upcoming Wekan release - -This release adds the following new features: - -* [Update xss to version 1.00](https://github.com/wekan/wekan/commit/5b4d75a976244652d3c86e6d46c23d7c11e9ae8e). - -Thanks to GitHub user xet7 for contributions. - # v1.01 2018-05-23 Wekan release This release possibly fixes the following bugs, please test: diff --git a/package.json b/package.json index 92dec31e..06b831da 100644 --- a/package.json +++ b/package.json @@ -29,6 +29,6 @@ "es6-promise": "^4.2.4", "meteor-node-stubs": "^0.4.1", "os": "^0.1.1", - "xss": "^1.0.0" + "xss": "^0.3.8" } } -- cgit v1.2.3-1-g7c22 From 4b2010213907c61b0e0482ab55abb06f6a668eac Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 24 May 2018 18:06:39 +0300 Subject: Remove bcrypt --- package.json | 1 - 1 file changed, 1 deletion(-) diff --git a/package.json b/package.json index 06b831da..ea659347 100644 --- a/package.json +++ b/package.json @@ -24,7 +24,6 @@ }, "dependencies": { "babel-runtime": "^6.26.0", - "bcrypt": "^2.0.1", "bson-ext": "^2.0.0", "es6-promise": "^4.2.4", "meteor-node-stubs": "^0.4.1", -- cgit v1.2.3-1-g7c22 From 1117d1c2aea546002f486b82ed0280d4a9c06c5b Mon Sep 17 00:00:00 2001 From: Ondrej Kubik Date: Fri, 25 May 2018 13:49:24 +0000 Subject: filtering out swap file created at build time, adding stage package Signed-off-by: Ondrej Kubik --- snapcraft.yaml | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/snapcraft.yaml b/snapcraft.yaml index d9250392..b2ed9b8c 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -96,6 +96,8 @@ parts: - npm - curl - execstack + stage-packages: + - libfontconfig1 override-build: | echo "Cleaning environment first" rm -rf ~/.meteor ~/.npm /usr/local/lib/node_modules @@ -153,6 +155,8 @@ parts: execstack --clear-execstack $SNAPCRAFT_PART_INSTALL/programs/server/npm/node_modules/meteor/rajit_bootstrap3-datepicker/lib/bootstrap-datepicker/node_modules/phantomjs-prebuilt/lib/phantom/bin/phantomjs organize: README: README.wekan + prime: + - -lib/node_modules/node-pre-gyp/node_modules/tar/lib/.unpack.js.swp helpers: source: snap-src -- cgit v1.2.3-1-g7c22 From be507e567a48c0cefef5a472fc73ce0d2dafa82c Mon Sep 17 00:00:00 2001 From: Daniel Kreuter Date: Fri, 25 May 2018 19:44:49 +0200 Subject: Extend editCardReceivedDatePopup and editCardEndDatePopup from DatePicker to fix #1654 --- client/components/cards/cardDate.js | 5 ++--- 1 file changed, 2 insertions(+), 3 deletions(-) diff --git a/client/components/cards/cardDate.js b/client/components/cards/cardDate.js index f33e8c19..52a48f47 100644 --- a/client/components/cards/cardDate.js +++ b/client/components/cards/cardDate.js @@ -93,7 +93,7 @@ Template.dateBadge.helpers({ }); // editCardReceivedDatePopup -(class extends EditCardDate { +(class extends DatePicker { onCreated() { super.onCreated(); this.data().receivedAt && this.date.set(moment(this.data().receivedAt)); @@ -156,7 +156,7 @@ Template.dateBadge.helpers({ }).register('editCardDueDatePopup'); // editCardEndDatePopup -(class extends EditCardDate { +(class extends DatePicker { onCreated() { super.onCreated(); this.data().endAt && this.date.set(moment(this.data().endAt)); @@ -355,4 +355,3 @@ CardEndDate.register('cardEndDate'); return this.date.get().format('l'); } }).register('minicardEndDate'); - -- cgit v1.2.3-1-g7c22 From 7eeabf14be3c63fae2226e561ef8a0c1390c8d3c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 26 May 2018 07:33:32 +0300 Subject: Remove binary version of bcrypt because of security vulnerability. This may cause some slowdown. --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 6698a16a..a9955ac0 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +* [Remove binary version of bcrypt](https://github.com/wekan/wekan/commit/4b2010213907c61b0e0482ab55abb06f6a668eac) + because of [vulnerability that is not fixed yet](https://github.com/kelektiv/node.bcrypt.js/issues/604) that + [is not fixed yet](https://github.com/kelektiv/node.bcrypt.js/pull/606). + +Thanks to GitHub user xet7 for contributions. + # v1.01 2018-05-23 Wekan release This release possibly fixes the following bugs, please test: -- cgit v1.2.3-1-g7c22 From 5ded2e512141a148a0d33fc3059564af74e95b62 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 26 May 2018 07:44:36 +0300 Subject: - Removed binary version of bcrypt because of vulnerability that has issue that is not fixed yet. This may cause some slowdown. Thanks to xet7 ! --- CHANGELOG.md | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index a9955ac0..a34fea44 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,8 +1,10 @@ # Upcoming Wekan release * [Remove binary version of bcrypt](https://github.com/wekan/wekan/commit/4b2010213907c61b0e0482ab55abb06f6a668eac) - because of [vulnerability that is not fixed yet](https://github.com/kelektiv/node.bcrypt.js/issues/604) that - [is not fixed yet](https://github.com/kelektiv/node.bcrypt.js/pull/606). + because of [vulnerability](https://nodesecurity.io/advisories/612) that has [issue that is not fixed + yet](https://github.com/kelektiv/node.bcrypt.js/issues/604) and + and [not yet merged pull request](https://github.com/kelektiv/node.bcrypt.js/pull/606). + This may cause some slowdown. Thanks to GitHub user xet7 for contributions. -- cgit v1.2.3-1-g7c22 From 4377381fd30eb9746d4775ebe149b41ce7c5e111 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 26 May 2018 07:47:59 +0300 Subject: - Snap: Filtering out swap file created at build time, adding stage package. Thanks to kubiko ! --- CHANGELOG.md | 7 +++++-- 1 file changed, 5 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index a34fea44..4ef50703 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,12 +1,15 @@ # Upcoming Wekan release +This release fixes the following bugs: + * [Remove binary version of bcrypt](https://github.com/wekan/wekan/commit/4b2010213907c61b0e0482ab55abb06f6a668eac) because of [vulnerability](https://nodesecurity.io/advisories/612) that has [issue that is not fixed yet](https://github.com/kelektiv/node.bcrypt.js/issues/604) and and [not yet merged pull request](https://github.com/kelektiv/node.bcrypt.js/pull/606). - This may cause some slowdown. + This may cause some slowdown; +* [Snap: Filtering out swap file created at build time, adding stage package](https://github.com/wekan/wekan/pull/1660). -Thanks to GitHub user xet7 for contributions. +Thanks to GitHub users kubiko and xet7 for their contributions. # v1.01 2018-05-23 Wekan release -- cgit v1.2.3-1-g7c22 From b0cf60a3d9d458ab894cc237d9ffefa18cf2fe65 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 26 May 2018 07:52:20 +0300 Subject: - Fix Received Date and End Date on Cards. Thanks to xadagaras ! --- CHANGELOG.md | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 4ef50703..4a58bd37 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -7,9 +7,10 @@ This release fixes the following bugs: yet](https://github.com/kelektiv/node.bcrypt.js/issues/604) and and [not yet merged pull request](https://github.com/kelektiv/node.bcrypt.js/pull/606). This may cause some slowdown; -* [Snap: Filtering out swap file created at build time, adding stage package](https://github.com/wekan/wekan/pull/1660). +* [Snap: Filtering out swap file created at build time, adding stage package](https://github.com/wekan/wekan/pull/1660); +* [Fix Received Date and End Date on Cards](https://github.com/wekan/wekan/issues/1654). -Thanks to GitHub users kubiko and xet7 for their contributions. +Thanks to GitHub users kubiko, xadagaras and xet7 for their contributions. # v1.01 2018-05-23 Wekan release -- cgit v1.2.3-1-g7c22 From 4d193f5650758a5785e34b2bda274a0748b1cc2a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 26 May 2018 08:28:16 +0300 Subject: Remove bcrypt, continued. --- Dockerfile | 11 +++++++---- snapcraft.yaml | 15 ++++++++++----- 2 files changed, 17 insertions(+), 9 deletions(-) diff --git a/Dockerfile b/Dockerfile index 121d6adc..efaa47a0 100644 --- a/Dockerfile +++ b/Dockerfile @@ -125,12 +125,15 @@ RUN \ gosu wekan:wekan /home/wekan/.meteor/meteor build --directory /home/wekan/app_build && \ cp /home/wekan/app/fix-download-unicode/cfs_access-point.txt /home/wekan/app_build/bundle/programs/server/packages/cfs_access-point.js && \ chown wekan:wekan /home/wekan/app_build/bundle/programs/server/packages/cfs_access-point.js && \ - cd /home/wekan/app_build/bundle/programs/server/npm/node_modules/meteor/npm-bcrypt && \ - gosu wekan:wekan rm -rf node_modules/bcrypt && \ - gosu wekan:wekan npm install bcrypt && \ + #Removed binary version of bcrypt because of security vulnerability that is not fixed yet. + #https://github.com/wekan/wekan/commit/4b2010213907c61b0e0482ab55abb06f6a668eac + #https://github.com/wekan/wekan/commit/7eeabf14be3c63fae2226e561ef8a0c1390c8d3c + #cd /home/wekan/app_build/bundle/programs/server/npm/node_modules/meteor/npm-bcrypt && \ + #gosu wekan:wekan rm -rf node_modules/bcrypt && \ + #gosu wekan:wekan npm install bcrypt && \ cd /home/wekan/app_build/bundle/programs/server/ && \ gosu wekan:wekan npm install && \ - gosu wekan:wekan npm install bcrypt && \ + #gosu wekan:wekan npm install bcrypt && \ mv /home/wekan/app_build/bundle /build && \ \ # Cleanup diff --git a/snapcraft.yaml b/snapcraft.yaml index b2ed9b8c..5384bf80 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -140,13 +140,18 @@ parts: meteor npm install --allow-superuser meteor build .build --directory --allow-superuser cp -f fix-download-unicode/cfs_access-point.txt .build/bundle/programs/server/packages/cfs_access-point.js - cd .build/bundle/programs/server/npm/node_modules/meteor/npm-bcrypt - rm -rf node_modules/bcrypt - meteor npm install --save bcrypt + #Removed binary version of bcrypt because of security vulnerability that is not fixed yet. + #https://github.com/wekan/wekan/commit/4b2010213907c61b0e0482ab55abb06f6a668eac + #https://github.com/wekan/wekan/commit/7eeabf14be3c63fae2226e561ef8a0c1390c8d3c + #cd .build/bundle/programs/server/npm/node_modules/meteor/npm-bcrypt + #rm -rf node_modules/bcrypt + #meteor npm install --save bcrypt + # Change from npm-bcrypt directory back to .build/bundle/programs/server directory. + #cd ../../../../ # Change to directory .build/bundle/programs/server - cd ../../../../ + cd .build/bundle/programs/server npm install - meteor npm install --save bcrypt + #meteor npm install --save bcrypt # Change back to Wekan source directory cd ../../../.. cp -r .build/bundle/* $SNAPCRAFT_PART_INSTALL/ -- cgit v1.2.3-1-g7c22 From 0cc183682e3a85aba7d0483f13ded871ac44ae0c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 26 May 2018 08:43:20 +0300 Subject: Use latest npm. --- Dockerfile | 2 +- snapcraft.yaml | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/Dockerfile b/Dockerfile index efaa47a0..407cd2fb 100644 --- a/Dockerfile +++ b/Dockerfile @@ -19,7 +19,7 @@ ENV NODE_VERSION ${NODE_VERSION:-v8.11.1} ENV METEOR_RELEASE ${METEOR_RELEASE:-1.6.0.1} ENV USE_EDGE ${USE_EDGE:-false} ENV METEOR_EDGE ${METEOR_EDGE:-1.5-beta.17} -ENV NPM_VERSION ${NPM_VERSION:-6.0.1} +ENV NPM_VERSION ${NPM_VERSION:-latest} ENV FIBERS_VERSION ${FIBERS_VERSION:-2.0.0} ENV ARCHITECTURE ${ARCHITECTURE:-linux-x64} ENV SRC_PATH ${SRC_PATH:-./} diff --git a/snapcraft.yaml b/snapcraft.yaml index 5384bf80..a52f00fa 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -83,7 +83,7 @@ parts: plugin: nodejs node-engine: 8.11.1 node-packages: - - npm@6.0.1 + - npm@latest - node-gyp - node-pre-gyp - fibers@2.0.0 -- cgit v1.2.3-1-g7c22 From 63c1ef9f9e3a4745dd2fc498a4dfea36c1347dc0 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 26 May 2018 08:47:37 +0300 Subject: Actually, without @latest it works the same. --- snapcraft.yaml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/snapcraft.yaml b/snapcraft.yaml index a52f00fa..2333f5db 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -83,7 +83,7 @@ parts: plugin: nodejs node-engine: 8.11.1 node-packages: - - npm@latest + - npm - node-gyp - node-pre-gyp - fibers@2.0.0 -- cgit v1.2.3-1-g7c22 From 2b2d596da619e4f1448e95d99328895b7de9e63d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 26 May 2018 08:58:40 +0300 Subject: v1.0.2 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 4a58bd37..830da011 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.02 2018-05-26 Wekan release This release fixes the following bugs: diff --git a/package.json b/package.json index ea659347..7e90c7df 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.01.0", + "version": "1.02.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index eeba4409..51eaf382 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 86, + appVersion = 87, # Increment this for every release. - appMarketingVersion = (defaultText = "1.01.0~2018-05-23"), + appMarketingVersion = (defaultText = "1.02.0~2018-05-26"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 60119153de49399d4e94ac6d4a7378051353b5ab Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 26 May 2018 09:29:58 +0300 Subject: Update translations. --- i18n/es.i18n.json | 6 +++--- i18n/fr.i18n.json | 4 ++-- 2 files changed, 5 insertions(+), 5 deletions(-) diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 5411be6e..69735004 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -243,11 +243,11 @@ "filter-no-label": "Sin etiqueta", "filter-no-member": "Sin miembro", "filter-no-custom-fields": "Sin campos personalizados", - "filter-on": "Filtro activado", + "filter-on": "Filtrado activado", "filter-on-desc": "Estás filtrando tarjetas en este tablero. Haz clic aquí para editar el filtro.", "filter-to-selection": "Filtrar la selección", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-label": "Filtrado avanzado", + "advanced-filter-description": "El filtrado avanzado permite escribir una cadena que contiene los siguientes operadores: == != <= >= && || ( ) Se utiliza un espacio como separador entre los operadores. Se pueden filtrar todos los campos personalizados escribiendo sus nombres y valores. Por ejemplo: Campo1 == Valor1. Nota: Si los campos o valores contienen espacios, debe encapsularlos entre comillas simples. Por ejemplo: 'Campo 1' == 'Valor 1'. También puedes combinar múltiples condiciones. Por ejemplo: C1 == V1 || C1 = V2. Normalmente todos los operadores se interpretan de izquierda a derecha. Puede cambiar el orden colocando corchetes. Por ejemplo: C1 == V1 y ( C2 == V2 || C2 == V3 )", "fullname": "Nombre completo", "header-logo-title": "Volver a tu página de tableros", "hide-system-messages": "Ocultar las notificaciones de actividad", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 5f95f7cf..f68fdf85 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -246,8 +246,8 @@ "filter-on": "Le filtre est actif", "filter-on-desc": "Vous êtes en train de filtrer les cartes sur ce tableau. Cliquez ici pour modifier les filtres.", "filter-to-selection": "Filtre vers la sélection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-label": "Filtre avancé", + "advanced-filter-description": "Le filtre avancé permet d'écrire une chaîne contenant les opérateur suivants : == != <= >= && || ( ). Les opérateurs doivent être séparés par des espaces. Vous pouvez filtrer tous les champs personnalisés en saisissant leur nom et leur valeur. Par exemple : champ1 == valeur1. Note : si des champs ou valeurs contiennent des espaces, vous devez les mettre entre apostrophes. Par exemple : 'champ 1' = 'valeur 1'. Il est également possible de combiner plusieurs conditions. Par exemple : f1 == v1 || f2 == v2. Normalement, tous les opérateurs sont interprétés de gauche à droite. Vous pouvez changer l'ordre à l'aide de parenthèses. Par exemple : f1 == v1 and (f2 == v2 || f2 == v3).", "fullname": "Nom complet", "header-logo-title": "Retourner à la page des tableaux", "hide-system-messages": "Masquer les messages système", -- cgit v1.2.3-1-g7c22 From 5b4f2f55aab364e34e60ee05cda1b03002072b2e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 26 May 2018 09:29:58 +0300 Subject: Update translations. Correction: Releasing Wekan v1.02 --- i18n/es.i18n.json | 6 +++--- i18n/fr.i18n.json | 4 ++-- 2 files changed, 5 insertions(+), 5 deletions(-) diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 5411be6e..69735004 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -243,11 +243,11 @@ "filter-no-label": "Sin etiqueta", "filter-no-member": "Sin miembro", "filter-no-custom-fields": "Sin campos personalizados", - "filter-on": "Filtro activado", + "filter-on": "Filtrado activado", "filter-on-desc": "Estás filtrando tarjetas en este tablero. Haz clic aquí para editar el filtro.", "filter-to-selection": "Filtrar la selección", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-label": "Filtrado avanzado", + "advanced-filter-description": "El filtrado avanzado permite escribir una cadena que contiene los siguientes operadores: == != <= >= && || ( ) Se utiliza un espacio como separador entre los operadores. Se pueden filtrar todos los campos personalizados escribiendo sus nombres y valores. Por ejemplo: Campo1 == Valor1. Nota: Si los campos o valores contienen espacios, debe encapsularlos entre comillas simples. Por ejemplo: 'Campo 1' == 'Valor 1'. También puedes combinar múltiples condiciones. Por ejemplo: C1 == V1 || C1 = V2. Normalmente todos los operadores se interpretan de izquierda a derecha. Puede cambiar el orden colocando corchetes. Por ejemplo: C1 == V1 y ( C2 == V2 || C2 == V3 )", "fullname": "Nombre completo", "header-logo-title": "Volver a tu página de tableros", "hide-system-messages": "Ocultar las notificaciones de actividad", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 5f95f7cf..f68fdf85 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -246,8 +246,8 @@ "filter-on": "Le filtre est actif", "filter-on-desc": "Vous êtes en train de filtrer les cartes sur ce tableau. Cliquez ici pour modifier les filtres.", "filter-to-selection": "Filtre vers la sélection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-label": "Filtre avancé", + "advanced-filter-description": "Le filtre avancé permet d'écrire une chaîne contenant les opérateur suivants : == != <= >= && || ( ). Les opérateurs doivent être séparés par des espaces. Vous pouvez filtrer tous les champs personnalisés en saisissant leur nom et leur valeur. Par exemple : champ1 == valeur1. Note : si des champs ou valeurs contiennent des espaces, vous devez les mettre entre apostrophes. Par exemple : 'champ 1' = 'valeur 1'. Il est également possible de combiner plusieurs conditions. Par exemple : f1 == v1 || f2 == v2. Normalement, tous les opérateurs sont interprétés de gauche à droite. Vous pouvez changer l'ordre à l'aide de parenthèses. Par exemple : f1 == v1 and (f2 == v2 || f2 == v3).", "fullname": "Nom complet", "header-logo-title": "Retourner à la page des tableaux", "hide-system-messages": "Masquer les messages système", -- cgit v1.2.3-1-g7c22 From 9ff2340cdb7ffead4a6454a66799ce81dfacc910 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 26 May 2018 09:39:18 +0300 Subject: v1.02 --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 830da011..422cb2eb 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,7 +4,7 @@ This release fixes the following bugs: * [Remove binary version of bcrypt](https://github.com/wekan/wekan/commit/4b2010213907c61b0e0482ab55abb06f6a668eac) because of [vulnerability](https://nodesecurity.io/advisories/612) that has [issue that is not fixed - yet](https://github.com/kelektiv/node.bcrypt.js/issues/604) and + yet](https://github.com/kelektiv/node.bcrypt.js/issues/604) and [not yet merged pull request](https://github.com/kelektiv/node.bcrypt.js/pull/606). This may cause some slowdown; * [Snap: Filtering out swap file created at build time, adding stage package](https://github.com/wekan/wekan/pull/1660); -- cgit v1.2.3-1-g7c22 From 6d75fe4d86d426c9fbe8b8dbf4a786c68002cd97 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 28 May 2018 22:02:30 +0300 Subject: Update translations. --- i18n/de.i18n.json | 6 +++--- i18n/ru.i18n.json | 52 ++++++++++++++++++++++++++-------------------------- 2 files changed, 29 insertions(+), 29 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 9af3544e..52cc0e71 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -2,7 +2,7 @@ "accept": "Akzeptieren", "act-activity-notify": "[Wekan] Aktivitätsbenachrichtigung", "act-addAttachment": "hat __attachment__ an __card__ angehängt", - "act-addChecklist": "hat die Checklist __checklist__ zu __card__ hinzugefügt", + "act-addChecklist": "hat die Checkliste __checklist__ zu __card__ hinzugefügt", "act-addChecklistItem": "hat __checklistItem__ zur Checkliste __checklist__ in __card__ hinzugefügt", "act-addComment": "hat __card__ kommentiert: __comment__", "act-createBoard": "hat __board__ erstellt", @@ -42,14 +42,14 @@ "activity-sent": "hat %s an %s gesendet", "activity-unjoined": "hat %s verlassen", "activity-checklist-added": "hat eine Checkliste zu %s hinzugefügt", - "activity-checklist-item-added": "hat einen Punkt zur Checkliste '%s' in %s hinzugefügt", + "activity-checklist-item-added": "hat eine Checklistenposition zu '%s' in %s hinzugefügt", "add": "Hinzufügen", "add-attachment": "Datei anhängen", "add-board": "neues Board", "add-card": "Karte hinzufügen", "add-swimlane": "Swimlane hinzufügen", "add-checklist": "Checkliste hinzufügen", - "add-checklist-item": "Punkt zu einer Checkliste hinzufügen", + "add-checklist-item": "Position zu einer Checkliste hinzufügen", "add-cover": "Cover hinzufügen", "add-label": "Label hinzufügen", "add-list": "Liste hinzufügen", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 7b1f0c59..151c386d 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -7,7 +7,7 @@ "act-addComment": "прокомментировал __card__: __comment__", "act-createBoard": "создал __board__", "act-createCard": "добавил __card__ в __list__", - "act-createCustomField": "created custom field __customField__", + "act-createCustomField": "Расширенный фильтр позволяет написать строку, содержащую следующие операторы: ==! = <=> = && || () Пространство используется как разделитель между Операторами. Вы можете фильтровать все пользовательские поля, введя их имена и значения. Например: Field1 == Value1. Примечание. Если поля или значения содержат пробелы, вам необходимо инкапсулировать их в одинарные кавычки. Например: «Поле 1» == «Значение 1». Также вы можете комбинировать несколько условий. Например: F1 == V1 || F1 = V2. Обычно все операторы интерпретируются слева направо. Вы можете изменить порядок, разместив скобки. Например: F1 == V1 и (F2 == V2 || F2 == V3)", "act-createList": "добавил __list__ для __board__", "act-addBoardMember": "добавил __member__ в __board__", "act-archivedBoard": "Доска __board__ перемещена в Корзину", @@ -31,7 +31,7 @@ "activity-archived": "%s перемещено в Корзину", "activity-attached": "прикрепил %s к %s", "activity-created": "создал %s", - "activity-customfield-created": "created custom field %s", + "activity-customfield-created": "создать настраиваемое поле", "activity-excluded": "исключил %s из %s", "activity-imported": "импортировал %s в %s из %s", "activity-imported-board": "импортировал %s из %s", @@ -113,7 +113,7 @@ "card-due-on": "Выполнить до", "card-spent": "Затраченное время", "card-edit-attachments": "Изменить вложения", - "card-edit-custom-fields": "Edit custom fields", + "card-edit-custom-fields": "Редактировать настраиваемые поля", "card-edit-labels": "Изменить метку", "card-edit-members": "Изменить участников", "card-labels-title": "Изменить метки для этой карточки.", @@ -121,8 +121,8 @@ "card-start": "Дата начала", "card-start-on": "Начнётся с", "cardAttachmentsPopup-title": "Прикрепить из", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", + "cardCustomField-datePopup-title": "Изменить дату", + "cardCustomFieldsPopup-title": "редактировать настраиваемые поля", "cardDeletePopup-title": "Удалить карточку?", "cardDetailsActionsPopup-title": "Действия в карточке", "cardLabelsPopup-title": "Метки", @@ -166,31 +166,31 @@ "copy-card-link-to-clipboard": "Копировать ссылку на карточку в буфер обмена", "copyCardPopup-title": "Копировать карточку", "copyChecklistToManyCardsPopup-title": "Копировать шаблон контрольного списка в несколько карточек", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-instructions": "Названия и описания целевых карт в формате JSON", "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", "create": "Создать", "createBoardPopup-title": "Создать доску", "chooseBoardSourcePopup-title": "Импортировать доску", "createLabelPopup-title": "Создать метку", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", + "createCustomField": "Создать поле", + "createCustomFieldPopup-title": "Создать поле", "current": "текущий", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", + "custom-field-delete-pop": "Отменить нельзя. Это удалит настраиваемое поле со всех карт и уничтожит его историю.", + "custom-field-checkbox": "Галочка", "custom-field-date": "Дата", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", + "custom-field-dropdown": "Выпадающий список", + "custom-field-dropdown-none": "(нет)", + "custom-field-dropdown-options": "Параметры списка", + "custom-field-dropdown-options-placeholder": "Нажмите «Ввод», чтобы добавить дополнительные параметры.", + "custom-field-dropdown-unknown": "(неизвестно)", + "custom-field-number": "Номер", + "custom-field-text": "Текст", + "custom-fields": "Настраиваемые поля", "date": "Дата", "decline": "Отклонить", "default-avatar": "Аватар по умолчанию", "delete": "Удалить", - "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteCustomFieldPopup-title": "Удалить настраиваемые поля?", "deleteLabelPopup-title": "Удалить метку?", "description": "Описание", "disambiguateMultiLabelPopup-title": "Разрешить конфликт меток", @@ -205,7 +205,7 @@ "soft-wip-limit": "Мягкий лимит на кол-во задач", "editCardStartDatePopup-title": "Изменить дату начала", "editCardDueDatePopup-title": "Изменить дату выполнения", - "editCustomFieldPopup-title": "Edit Field", + "editCustomFieldPopup-title": "Редактировать поле", "editCardSpentTimePopup-title": "Изменить затраченное время", "editLabelPopup-title": "Изменить метки", "editNotificationPopup-title": "Редактировать уведомления", @@ -242,12 +242,12 @@ "filter-clear": "Очистить фильтр", "filter-no-label": "Нет метки", "filter-no-member": "Нет участников", - "filter-no-custom-fields": "No Custom Fields", + "filter-no-custom-fields": "Нет настраиваемых полей", "filter-on": "Включен фильтр", "filter-on-desc": "Показываются карточки, соответствующие настройкам фильтра. Нажмите для редактирования.", "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-label": "Расширенный фильтр", + "advanced-filter-description": "Расширенный фильтр позволяет написать строку, содержащую следующие операторы: ==! = <=> = && || () Пространство используется как разделитель между Операторами. Вы можете фильтровать все пользовательские поля, введя их имена и значения. Например: Field1 == Value1. Примечание: Если поля или значения содержат пробелы, вам необходимо 'брать' их в одинарные кавычки. Например: 'Поле 1' == 'Значение 1'. Также вы можете комбинировать несколько условий. Например: F1 == V1 || F1 = V2. Обычно все операторы интерпретируются слева направо. Вы можете изменить порядок, разместив скобки. Например: F1 == V1 и (F2 == V2 || F2 == V3)", "fullname": "Полное имя", "header-logo-title": "Вернуться к доскам.", "hide-system-messages": "Скрыть системные сообщения", @@ -389,7 +389,7 @@ "title": "Название", "tracking": "Отслеживание", "tracking-info": "Вы будете уведомлены о любых изменениях в тех карточках, в которых вы являетесь создателем или участником.", - "type": "Type", + "type": "Тип", "unassign-member": "Отменить назначение участника", "unsaved-description": "У вас есть несохраненное описание.", "unwatch": "Перестать следить", @@ -454,12 +454,12 @@ "hours": "часы", "minutes": "минуты", "seconds": "секунды", - "show-field-on-card": "Show this field on card", + "show-field-on-card": "Показать это поле на карте", "yes": "Да", "no": "Нет", "accounts": "Учетные записи", "accounts-allowEmailChange": "Разрешить изменение электронной почты", - "accounts-allowUserNameChange": "Allow Username Change", + "accounts-allowUserNameChange": "Разрешить изменение имени пользователя", "createdAt": "Создано на", "verified": "Проверено", "active": "Действующий", -- cgit v1.2.3-1-g7c22 From d6eff2a07453cad87623955905ddb6ce247aa719 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 4 Jun 2018 00:15:22 +0300 Subject: Update translations. --- i18n/bg.i18n.json | 224 +++++++++++++++++++++++++++--------------------------- i18n/cs.i18n.json | 42 +++++----- i18n/sv.i18n.json | 72 +++++++++--------- 3 files changed, 169 insertions(+), 169 deletions(-) diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 5d52aa16..1a91efc4 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -1,46 +1,46 @@ { "accept": "Accept", "act-activity-notify": "[Wekan] Известия за дейности", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addAttachment": "прикачи __attachment__ към __card__", + "act-addChecklist": "добави списък със задачи __checklist__ към __card__", + "act-addChecklistItem": "добави __checklistItem__ към списък със задачи __checklist__ в __card__", "act-addComment": "Коментира в __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", + "act-createBoard": "създаде __board__", + "act-createCard": "добави __card__ към __list__", + "act-createCustomField": "създаде собствено поле __customField__", + "act-createList": "добави __list__ към __board__", + "act-addBoardMember": "добави __member__ към __board__", + "act-archivedBoard": "__board__ беше преместен в Кошчето", + "act-archivedCard": "__card__ беше преместена в Кошчето", + "act-archivedList": "__list__ беше преместен в Кошчето", + "act-archivedSwimlane": "__swimlane__ беше преместен в Кошчето", + "act-importBoard": "импортира __board__", + "act-importCard": "импортира __card__", + "act-importList": "импортира __list__", + "act-joinMember": "добави __member__ към __card__", + "act-moveCard": "премести __card__ от __oldList__ в __list__", + "act-removeBoardMember": "премахна __member__ от __board__", + "act-restoredCard": "възстанови __card__ в __board__", + "act-unjoinMember": "премахна __member__ от __card__", "act-withBoardTitle": "[Wekan] __board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", "activities": "Действия", "activity": "Дейности", "activity-added": "добави %s към %s", - "activity-archived": "%s moved to Recycle Bin", + "activity-archived": "премести %s в Кошчето", "activity-attached": "прикачи %s към %s", "activity-created": "създаде %s", - "activity-customfield-created": "created custom field %s", + "activity-customfield-created": "създаде собствено поле %s", "activity-excluded": "изключи %s от %s", "activity-imported": "импортира %s в/във %s от %s", "activity-imported-board": "импортира %s от %s", - "activity-joined": "joined %s", + "activity-joined": "се присъедини към %s", "activity-moved": "премести %s от %s в/във %s", "activity-on": "на %s", "activity-removed": "премахна %s от %s", "activity-sent": "изпрати %s до %s", - "activity-unjoined": "unjoined %s", + "activity-unjoined": "вече не е част от %s", "activity-checklist-added": "добави списък със задачи към %s", "activity-checklist-item-added": "добави точка към '%s' в/във %s", "add": "Добави", @@ -60,29 +60,29 @@ "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", "admin-announcement": "Съобщение", "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", + "admin-announcement-title": "Съобщение от администратора", "all-boards": "Всички дъски", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", + "and-n-other-card": "И __count__ друга карта", + "and-n-other-card_plural": "И __count__ други карти", "apply": "Приложи", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", + "app-is-offline": "Wekan зарежда, моля изчакайте! Презареждането на страницата може да доведе до загуба на данни. Ако Wekan не се зареди, моля проверете дали сървъра му работи.", + "archive": "Премести в Кошчето", + "archive-all": "Премести всички в Кошчето", + "archive-board": "Премести Дъската в Кошчето", + "archive-card": "Премести Картата в Кошчето", + "archive-list": "Премести Списъка в Кошчето", + "archive-swimlane": "Премести Коридора в Кошчето", + "archive-selection": "Премести избраните в Кошчето", + "archiveBoardPopup-title": "Сигурни ли сте, че искате да преместите Дъската в Кошчето?", + "archived-items": "Кошче", + "archived-boards": "Дъски в Кошчето", + "restore-board": "Възстанови Дъската", + "no-archived-boards": "Няма Дъски в Кошчето.", + "archives": "Кошче", + "assign-member": "Възложи на член от екипа", "attached": "прикачен", "attachment": "Прикаченн файл", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachment-delete-pop": "Изтриването на прикачен файл е завинаги. Няма как да бъде възстановен.", "attachmentDeletePopup-title": "Желаете ли да изтриете прикачения файл?", "attachments": "Прикачени файлове", "auto-watch": "Автоматично наблюдаване на дъските, когато са създадени", @@ -90,21 +90,21 @@ "back": "Назад", "board-change-color": "Промени цвета", "board-nb-stars": "%s звезди", - "board-not-found": "Board not found", + "board-not-found": "Дъската не е намерена", "board-private-info": "This board will be private.", "board-public-info": "This board will be public.", "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", + "boardChangeTitlePopup-title": "Промени името на Дъската", "boardChangeVisibilityPopup-title": "Change Visibility", "boardChangeWatchPopup-title": "Промени наблюдаването", - "boardMenuPopup-title": "Board Menu", + "boardMenuPopup-title": "Меню на Дъската", "boards": "Дъски", "board-view": "Board View", "board-view-swimlanes": "Коридори", "board-view-lists": "Списъци", "bucket-example": "Like “Bucket List” for example", "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", + "card-archived": "Картата е преместена в Кошчето.", "card-comments-title": "Тази карта има %s коментар.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", @@ -113,16 +113,16 @@ "card-due-on": "Готова за", "card-spent": "Изработено време", "card-edit-attachments": "Промени прикачените файлове", - "card-edit-custom-fields": "Edit custom fields", + "card-edit-custom-fields": "Промени собствените полета", "card-edit-labels": "Промени етикетите", "card-edit-members": "Промени членовете", - "card-labels-title": "Променете етикетите за тази карта", - "card-members-title": "Add or remove members of the board from the card.", + "card-labels-title": "Промени етикетите за картата.", + "card-members-title": "Добави или премахни членове на Дъската от тази карта.", "card-start": "Начало", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", + "card-start-on": "Започва на", + "cardAttachmentsPopup-title": "Прикачи от", + "cardCustomField-datePopup-title": "Промени датата", + "cardCustomFieldsPopup-title": "Промени собствените полета", "cardDeletePopup-title": "Желаете да изтриете картата?", "cardDetailsActionsPopup-title": "Опции", "cardLabelsPopup-title": "Етикети", @@ -130,7 +130,7 @@ "cardMorePopup-title": "Още", "cards": "Карти", "cards-count": "Карти", - "change": "Change", + "change": "Промени", "change-avatar": "Промени аватара", "change-password": "Промени паролата", "change-permissions": "Change permissions", @@ -143,26 +143,26 @@ "checklists": "Списъци със задачи", "click-to-star": "Click to star this board.", "click-to-unstar": "Натиснете, за да премахнете тази дъска от любими.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", + "clipboard": "Клипборда или с драг & дроп", + "close": "Затвори", + "close-board": "Затвори Дъската", "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", + "color-black": "черно", + "color-blue": "синьо", + "color-green": "зелено", + "color-lime": "лайм", + "color-orange": "оранжево", + "color-pink": "розово", + "color-purple": "пурпурно", + "color-red": "червено", + "color-sky": "светло синьо", + "color-yellow": "жълто", "comment": "Коментирай", "comment-placeholder": "Напиши коментар", "comment-only": "Само коментар", "comment-only-desc": "Може да коментира само в карти.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "computer": "Компютър", + "confirm-checklist-delete-dialog": "Сигурни ли сте, че искате да изтриете този чеклист?", "copy-card-link-to-clipboard": "Копирай връзката на картата в клипборда", "copyCardPopup-title": "Копирай картата", "copyChecklistToManyCardsPopup-title": "Копирай шаблона за чеклисти в много карти", @@ -176,42 +176,42 @@ "createCustomFieldPopup-title": "Create Field", "current": "current", "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", + "custom-field-checkbox": "Чекбокс", "custom-field-date": "Дата", - "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown": "Падащо меню", "custom-field-dropdown-none": "(none)", "custom-field-dropdown-options": "List Options", "custom-field-dropdown-options-placeholder": "Press enter to add more options", "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", + "custom-field-number": "Номер", + "custom-field-text": "Текст", + "custom-fields": "Собствени полета", "date": "Дата", - "decline": "Decline", + "decline": "Отказ", "default-avatar": "Основен аватар", "delete": "Изтрий", - "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteCustomFieldPopup-title": "Изтриване на Собственото поле?", "deleteLabelPopup-title": "Желаете да изтриете етикета?", "description": "Описание", "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", + "discard": "Отказ", + "done": "Готово", "download": "Сваляне", "edit": "Промени", "edit-avatar": "Промени аватара", "edit-profile": "Промяна на профила", "edit-wip-limit": "Промени WIP лимита", - "soft-wip-limit": "Soft WIP Limit", + "soft-wip-limit": "\"Мек\" WIP лимит", "editCardStartDatePopup-title": "Промени началната дата", "editCardDueDatePopup-title": "Промени датата за готовност", - "editCustomFieldPopup-title": "Edit Field", + "editCustomFieldPopup-title": "Промени Полето", "editCardSpentTimePopup-title": "Промени изработеното време", - "editLabelPopup-title": "Change Label", + "editLabelPopup-title": "Промяна на Етикета", "editNotificationPopup-title": "Промени известията", "editProfilePopup-title": "Промяна на профила", "email": "Имейл", - "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-subject": "Ваш профил беше създаден на __siteName__", "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", "email-fail": "Неуспешно изпращане на имейла", "email-fail-text": "Възникна грешка при изпращането на имейла", @@ -224,7 +224,7 @@ "email-sent": "Имейлът е изпратен", "email-verifyEmail-subject": "Verify your email address on __siteName__", "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", + "enable-wip-limit": "Включи WIP лимита", "error-board-doesNotExist": "This board does not exist", "error-board-notAdmin": "You need to be admin of this board to do that", "error-board-notAMember": "You need to be a member of this board to do that", @@ -240,9 +240,9 @@ "filter": "Филтър", "filter-cards": "Филтрирай картите", "filter-clear": "Премахване на филтрите", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", + "filter-no-label": "без етикет", + "filter-no-member": "без член", + "filter-no-custom-fields": "Няма Собствени полета", "filter-on": "Има приложени филтри", "filter-on-desc": "В момента филтрирате картите в тази дъска. Моля, натиснете тук, за да промените филтъра.", "filter-to-selection": "Филтрирай избраните", @@ -252,7 +252,7 @@ "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Скриване на системните съобщения", "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", + "home": "Начало", "import": "Import", "import-board": "import board", "import-board-c": "Import board", @@ -268,13 +268,13 @@ "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", "import-show-user-mapping": "Review members mapping", "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", + "importMapMembersAddPopup-title": "Избери Wekan член", "info": "Версия", "initials": "Инициали", "invalid-date": "Невалидна дата", "invalid-time": "Невалиден час", "invalid-user": "Невалиден потребител", - "joined": "joined", + "joined": "присъедини ", "just-invited": "You are just invited to this board", "keyboard-shortcuts": "Keyboard shortcuts", "label-create": "Създай етикет", @@ -287,17 +287,17 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", "link-card": "Връзка към тази карта", - "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards": "Премести всички карти от този списък в Кошчето", "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", "list-move-cards": "Премести всички карти в този списък", "list-select-cards": "Избери всички карти в този списък", "listActionPopup-title": "List Actions", "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", + "listImportCardPopup-title": "Импорт на карта от Trello", "listMorePopup-title": "Още", "link-list": "Връзка към този списък", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "Можете да преместите списък в Кошчето, за да го премахнете от Дъската и запазите активността.", "lists": "Списъци", "swimlanes": "Коридори", "log-out": "Изход", @@ -317,9 +317,9 @@ "muted-info": "You will never be notified of any changes in this board", "my-boards": "Моите дъски", "name": "Име", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "Няма карти в Кошчето.", + "no-archived-lists": "Няма списъци в Кошчето.", + "no-archived-swimlanes": "Няма коридори в Кошчето.", "no-results": "No results", "normal": "Normal", "normal-desc": "Can view and edit cards. Can't change settings.", @@ -346,12 +346,12 @@ "remove-from-board": "Remove from Board", "remove-label": "Remove Label", "listDeletePopup-title": "Желаете да изтриете списъка?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", + "remove-member": "Премахни член", + "remove-member-from-card": "Премахни от картата", "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", "removeMemberPopup-title": "Remove Member?", "rename": "Rename", - "rename-board": "Rename Board", + "rename-board": "Промени името на Дъската", "restore": "Възстанови", "save": "Запази", "search": "Търсене", @@ -359,8 +359,8 @@ "search-example": "Text to search for?", "select-color": "Избери цвят", "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", + "setWipLimitPopup-title": "Въведи WIP лимит", + "shortcut-assign-self": "Добави себе си към тази карта", "shortcut-autocomplete-emoji": "Autocomplete emoji", "shortcut-autocomplete-members": "Autocomplete members", "shortcut-clear-filters": "Изчистване на всички филтри", @@ -379,7 +379,7 @@ "subscribe": "Subscribe", "team": "Team", "this-board": "this board", - "this-card": "тази карта", + "this-card": "картата", "spent-time-hours": "Изработено време (часа)", "overtime-hours": "Оувъртайм (часа)", "overtime": "Оувъртайм", @@ -398,7 +398,7 @@ "uploaded-avatar": "Качихте аватар", "username": "Потребителско име", "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "внимание: тази карта е в списък, който е в Кошчето", "watch": "Наблюдавай", "watching": "Наблюдава", "watching-info": "You will be notified of any change in this board", @@ -407,9 +407,9 @@ "welcome-list1": "Basics", "welcome-list2": "Advanced", "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-title": "Невалиден WIP лимит", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "wipLimitErrorPopup-dialog-pt2": "Моля, преместете някои от задачите от този списък или въведете по-висок WIP лимит.", "admin-panel": "Администраторски панел", "settings": "Настройки", "people": "Хора", @@ -454,7 +454,7 @@ "hours": "часа", "minutes": "минути", "seconds": "секунди", - "show-field-on-card": "Show this field on card", + "show-field-on-card": "Покажи това поле в картата", "yes": "Да", "no": "Не", "accounts": "Профили", @@ -463,10 +463,10 @@ "createdAt": "Създаден на", "verified": "Потвърден", "active": "Активен", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" + "card-received": "Получена", + "card-received-on": "Получена на", + "card-end": "Завършена", + "card-end-on": "Завършена на", + "editCardReceivedDatePopup-title": "Промени датата на получаване", + "editCardEndDatePopup-title": "Промени датата на завършване" } \ No newline at end of file diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index b86baa25..987b98d0 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -7,7 +7,7 @@ "act-addComment": "komentář k __card__: __comment__", "act-createBoard": "přidání __board__", "act-createCard": "přidání __card__ do __list__", - "act-createCustomField": "created custom field __customField__", + "act-createCustomField": "vytvořeno vlastní pole __customField__", "act-createList": "přidání __list__ do __board__", "act-addBoardMember": "přidání __member__ do __board__", "act-archivedBoard": "__board__ bylo přesunuto do koše", @@ -31,7 +31,7 @@ "activity-archived": "%s bylo přesunuto do koše", "activity-attached": "přiloženo %s k %s", "activity-created": "%s vytvořeno", - "activity-customfield-created": "created custom field %s", + "activity-customfield-created": "vytvořeno vlastní pole %s", "activity-excluded": "%s vyjmuto z %s", "activity-imported": "importován %s do %s z %s", "activity-imported-board": "importován %s z %s", @@ -113,7 +113,7 @@ "card-due-on": "Do", "card-spent": "Strávený čas", "card-edit-attachments": "Upravit přílohy", - "card-edit-custom-fields": "Edit custom fields", + "card-edit-custom-fields": "Upravit vlastní pole", "card-edit-labels": "Upravit štítky", "card-edit-members": "Upravit členy", "card-labels-title": "Změnit štítky karty.", @@ -122,7 +122,7 @@ "card-start-on": "Začít dne", "cardAttachmentsPopup-title": "Přiložit formulář", "cardCustomField-datePopup-title": "Změnit datum", - "cardCustomFieldsPopup-title": "Edit custom fields", + "cardCustomFieldsPopup-title": "Upravit vlastní pole", "cardDeletePopup-title": "Smazat kartu?", "cardDetailsActionsPopup-title": "Akce karty", "cardLabelsPopup-title": "Štítky", @@ -172,25 +172,25 @@ "createBoardPopup-title": "Vytvořit tablo", "chooseBoardSourcePopup-title": "Importovat tablo", "createLabelPopup-title": "Vytvořit štítek", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", + "createCustomField": "Vytvořit pole", + "createCustomFieldPopup-title": "Vytvořit pole", "current": "Aktuální", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-delete-pop": "Nelze vrátit zpět. Toto odebere toto vlastní pole ze všech karet a zničí jeho historii.", "custom-field-checkbox": "Checkbox", "custom-field-date": "Datum", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", + "custom-field-dropdown": "Rozbalovací seznam", + "custom-field-dropdown-none": "(prázdné)", + "custom-field-dropdown-options": "Seznam možností", + "custom-field-dropdown-options-placeholder": "Stiskněte enter pro přidání více možností", + "custom-field-dropdown-unknown": "(neznámé)", + "custom-field-number": "Číslo", "custom-field-text": "Text", - "custom-fields": "Custom Fields", + "custom-fields": "Vlastní pole", "date": "Datum", "decline": "Zamítnout", "default-avatar": "Výchozí avatar", "delete": "Smazat", - "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteCustomFieldPopup-title": "Smazat vlastní pole", "deleteLabelPopup-title": "Smazat štítek?", "description": "Popis", "disambiguateMultiLabelPopup-title": "Dvojznačný štítek akce", @@ -205,7 +205,7 @@ "soft-wip-limit": "Mírný WIP limit", "editCardStartDatePopup-title": "Změnit datum startu úkolu", "editCardDueDatePopup-title": "Změnit datum dokončení úkolu", - "editCustomFieldPopup-title": "Edit Field", + "editCustomFieldPopup-title": "Upravit pole", "editCardSpentTimePopup-title": "Změnit strávený čas", "editLabelPopup-title": "Změnit štítek", "editNotificationPopup-title": "Změnit notifikace", @@ -242,12 +242,12 @@ "filter-clear": "Vyčistit filtr", "filter-no-label": "Žádný štítek", "filter-no-member": "Žádný člen", - "filter-no-custom-fields": "No Custom Fields", + "filter-no-custom-fields": "Žádné vlastní pole", "filter-on": "Filtr je zapnut", "filter-on-desc": "Filtrujete karty tohoto tabla. Pro úpravu filtru klikni sem.", "filter-to-selection": "Filtrovat výběr", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-label": "Pokročilý filtr", + "advanced-filter-description": "Pokročilý filtr dovoluje zapsat řetězec následujících operátorů: == != <= >= && || () Operátory jsou odděleny mezerou. Můžete filtrovat všechny vlastní pole zadáním jejich názvů nebo hodnot. Například: Pole1 == Hodnota1. Poznámka: Pokud pole nebo hodnoty obsahují mezery, je potřeba je obalit v jednoduchých uvozovkách. Například: 'Pole 1' == 'Hodnota 1'. Můžete také kombinovat více podmínek. Například P1 == H1 || P1 == H2. Obvykle jsou operátory interpretovány zleva doprava. Jejich pořadí můžete měnit pomocí závorek. Například: P1 == H1 && (P2 == H2 || P2 == H3 )", "fullname": "Celé jméno", "header-logo-title": "Jit zpět na stránku s tably.", "hide-system-messages": "Skrýt systémové zprávy", @@ -389,7 +389,7 @@ "title": "Název", "tracking": "Pozorující", "tracking-info": "Budete informováni o všech změnách v kartách, u kterých jste tvůrce nebo člen.", - "type": "Type", + "type": "Typ", "unassign-member": "Vyřadit člena", "unsaved-description": "Popis neni uložen.", "unwatch": "Přestat sledovat", @@ -454,7 +454,7 @@ "hours": "hodin", "minutes": "minut", "seconds": "sekund", - "show-field-on-card": "Show this field on card", + "show-field-on-card": "Ukázat toto pole na kartě", "yes": "Ano", "no": "Ne", "accounts": "Účty", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index c75a7a2b..2aa74df1 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -7,7 +7,7 @@ "act-addComment": "kommenterade __card__: __comment__", "act-createBoard": "skapade __board__", "act-createCard": "lade till __card__ to __list__", - "act-createCustomField": "created custom field __customField__", + "act-createCustomField": "skapa anpassat fält __customField__", "act-createList": "lade till __list__ to __board__", "act-addBoardMember": "lade till __member__ to __board__", "act-archivedBoard": "__board__ flyttad till papperskorgen", @@ -31,7 +31,7 @@ "activity-archived": "%s flyttad till papperskorgen", "activity-attached": "bifogade %s to %s", "activity-created": "skapade %s", - "activity-customfield-created": "created custom field %s", + "activity-customfield-created": "skapa anpassat fält %s", "activity-excluded": "exkluderade %s från %s", "activity-imported": "importerade %s till %s från %s", "activity-imported-board": "importerade %s från %s", @@ -47,7 +47,7 @@ "add-attachment": "Lägg till bilaga", "add-board": "Lägg till anslagstavla", "add-card": "Lägg till kort", - "add-swimlane": "Add Swimlane", + "add-swimlane": "Lägg till simbana", "add-checklist": "Lägg till checklista", "add-checklist-item": "Lägg till ett objekt till kontrollista", "add-cover": "Lägg till omslag", @@ -69,10 +69,10 @@ "archive": "Flytta till papperskorgen", "archive-all": "Flytta alla till papperskorgen", "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", + "archive-card": "Flytta kort till papperskorgen", + "archive-list": "Flytta lista till papperskorgen", + "archive-swimlane": "Flytta simbana till papperskorgen", + "archive-selection": "Flytta val till papperskorgen", "archiveBoardPopup-title": "Move Board to Recycle Bin?", "archived-items": "Papperskorgen", "archived-boards": "Boards in Recycle Bin", @@ -100,7 +100,7 @@ "boardMenuPopup-title": "Anslagstavla meny", "boards": "Anslagstavlor", "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", + "board-view-swimlanes": "Simbanor", "board-view-lists": "Listor", "bucket-example": "Gilla \"att-göra-innan-jag-dör-lista\" till exempel", "cancel": "Avbryt", @@ -113,7 +113,7 @@ "card-due-on": "Förfaller på", "card-spent": "Spenderad tid", "card-edit-attachments": "Redigera bilaga", - "card-edit-custom-fields": "Edit custom fields", + "card-edit-custom-fields": "Redigera anpassade fält", "card-edit-labels": "Redigera etiketter", "card-edit-members": "Redigera medlemmar", "card-labels-title": "Ändra etiketter för kortet.", @@ -121,8 +121,8 @@ "card-start": "Börja", "card-start-on": "Börja med", "cardAttachmentsPopup-title": "Bifoga från", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", + "cardCustomField-datePopup-title": "Ändra datum", + "cardCustomFieldsPopup-title": "Redigera anpassade fält", "cardDeletePopup-title": "Ta bort kort?", "cardDetailsActionsPopup-title": "Kortåtgärder", "cardLabelsPopup-title": "Etiketter", @@ -172,25 +172,25 @@ "createBoardPopup-title": "Skapa anslagstavla", "chooseBoardSourcePopup-title": "Importera anslagstavla", "createLabelPopup-title": "Skapa etikett", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", + "createCustomField": "Skapa fält", + "createCustomFieldPopup-title": "Skapa fält", "current": "aktuell", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", + "custom-field-delete-pop": "Det går inte att ångra. Detta tar bort det här anpassade fältet från alla kort och förstör dess historia.", + "custom-field-checkbox": "Kryssruta", "custom-field-date": "Datum", "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", + "custom-field-dropdown-none": "(inga)", + "custom-field-dropdown-options": "Listalternativ", + "custom-field-dropdown-options-placeholder": "Tryck på enter för att lägga till fler alternativ", + "custom-field-dropdown-unknown": "(okänd)", + "custom-field-number": "Nummer", "custom-field-text": "Text", - "custom-fields": "Custom Fields", + "custom-fields": "Anpassade fält", "date": "Datum", "decline": "Nedgång", "default-avatar": "Standard avatar", "delete": "Ta bort", - "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteCustomFieldPopup-title": "Ta bort anpassade fält?", "deleteLabelPopup-title": "Ta bort etikett?", "description": "Beskrivning", "disambiguateMultiLabelPopup-title": "Otvetydig etikettåtgärd", @@ -205,7 +205,7 @@ "soft-wip-limit": "Mjuk WIP-gräns", "editCardStartDatePopup-title": "Ändra startdatum", "editCardDueDatePopup-title": "Ändra förfallodatum", - "editCustomFieldPopup-title": "Edit Field", + "editCustomFieldPopup-title": "Redigera fält", "editCardSpentTimePopup-title": "Ändra spenderad tid", "editLabelPopup-title": "Ändra etikett", "editNotificationPopup-title": "Redigera avisering", @@ -242,11 +242,11 @@ "filter-clear": "Rensa filter", "filter-no-label": "Ingen etikett", "filter-no-member": "Ingen medlem", - "filter-no-custom-fields": "No Custom Fields", + "filter-no-custom-fields": "Inga anpassade fält", "filter-on": "Filter är på", "filter-on-desc": "Du filtrerar kort på denna anslagstavla. Klicka här för att redigera filter.", "filter-to-selection": "Filter till val", - "advanced-filter-label": "Advanced Filter", + "advanced-filter-label": "Avancerat filter", "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Namn", "header-logo-title": "Gå tillbaka till din anslagstavlor-sida.", @@ -292,14 +292,14 @@ "list-move-cards": "Flytta alla kort i denna lista", "list-select-cards": "Välj alla kort i denna lista", "listActionPopup-title": "Liståtgärder", - "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneActionPopup-title": "Simbana åtgärder", "listImportCardPopup-title": "Importera ett Trello kort", "listMorePopup-title": "Mera", "link-list": "Länk till den här listan", "list-delete-pop": "Alla åtgärder kommer att tas bort från aktivitetsmatningen och du kommer inte att kunna återställa listan. Det går inte att ångra.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "Du kan flytta en lista till papperskorgen för att ta bort den från brädet och bevara aktiviteten.", "lists": "Listor", - "swimlanes": "Swimlanes", + "swimlanes": "Simbanor ", "log-out": "Logga ut", "log-in": "Logga in", "loginPopup-title": "Logga in", @@ -319,7 +319,7 @@ "name": "Namn", "no-archived-cards": "Inga kort i papperskorgen.", "no-archived-lists": "Inga listor i papperskorgen.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-swimlanes": "Inga simbanor i papperskorgen.", "no-results": "Inga reslutat", "normal": "Normal", "normal-desc": "Kan se och redigera kort. Kan inte ändra inställningar.", @@ -355,7 +355,7 @@ "restore": "Återställ", "save": "Spara", "search": "Sök", - "search-cards": "Search from card titles and descriptions on this board", + "search-cards": "Sök från korttitlar och beskrivningar på det här brädet", "search-example": "Text att söka efter?", "select-color": "Välj färg", "set-wip-limit-value": "Ange en gräns för det maximala antalet uppgifter i den här listan", @@ -389,7 +389,7 @@ "title": "Titel", "tracking": "Spårning", "tracking-info": "Du kommer att meddelas om eventuella ändringar av dessa kort du deltar i som skapare eller medlem.", - "type": "Type", + "type": "Skriv", "unassign-member": "Ta bort tilldelad medlem", "unsaved-description": "Du har en osparad beskrivning.", "unwatch": "Avbevaka", @@ -398,7 +398,7 @@ "uploaded-avatar": "Laddade upp en avatar", "username": "Änvandarnamn", "view-it": "Visa det", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "varning: det här kortet finns i en lista i papperskorgen", "watch": "Bevaka", "watching": "Bevakar", "watching-info": "Du kommer att meddelas om alla ändringar på denna anslagstavla", @@ -454,19 +454,19 @@ "hours": "timmar", "minutes": "minuter", "seconds": "sekunder", - "show-field-on-card": "Show this field on card", + "show-field-on-card": "Visa detta fält på kort", "yes": "Ja", "no": "Nej", "accounts": "Konton", "accounts-allowEmailChange": "Tillåt e-poständring", - "accounts-allowUserNameChange": "Allow Username Change", + "accounts-allowUserNameChange": "Tillåt användarnamnändring", "createdAt": "Skapad vid", "verified": "Verifierad", "active": "Aktiv", "card-received": "Mottagen", - "card-received-on": "Received on", + "card-received-on": "Mottagen den", "card-end": "Slut", - "card-end-on": "Ends on", + "card-end-on": "Slutar den", "editCardReceivedDatePopup-title": "Ändra mottagningsdatum", "editCardEndDatePopup-title": "Ändra slutdatum" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 3ce3fa74b350ff1af73b0fffddaeff4b0f126e2c Mon Sep 17 00:00:00 2001 From: RJevnikar <12701645+rjevnikar@users.noreply.github.com> Date: Tue, 5 Jun 2018 20:23:29 +0000 Subject: Add additional label colours (from pull by JamesLavin), Add Assigned & Requested By text fields. --- client/components/cards/cardDetails.jade | 50 +++- client/components/cards/cardDetails.js | 42 ++- client/components/cards/cardDetails.styl | 3 +- client/components/cards/labels.styl | 42 +++ i18n/ar.i18n.json | 472 ------------------------------- i18n/bg.i18n.json | 472 ------------------------------- i18n/br.i18n.json | 472 ------------------------------- i18n/ca.i18n.json | 472 ------------------------------- i18n/cs.i18n.json | 472 ------------------------------- i18n/de.i18n.json | 472 ------------------------------- i18n/el.i18n.json | 472 ------------------------------- i18n/en-GB.i18n.json | 472 ------------------------------- i18n/en.i18n.json | 4 +- i18n/eo.i18n.json | 472 ------------------------------- i18n/es-AR.i18n.json | 472 ------------------------------- i18n/es.i18n.json | 472 ------------------------------- i18n/eu.i18n.json | 472 ------------------------------- i18n/fa.i18n.json | 472 ------------------------------- i18n/fi.i18n.json | 472 ------------------------------- i18n/fr.i18n.json | 472 ------------------------------- i18n/gl.i18n.json | 472 ------------------------------- i18n/he.i18n.json | 472 ------------------------------- i18n/hu.i18n.json | 472 ------------------------------- i18n/hy.i18n.json | 472 ------------------------------- i18n/id.i18n.json | 472 ------------------------------- i18n/ig.i18n.json | 472 ------------------------------- i18n/it.i18n.json | 472 ------------------------------- i18n/ja.i18n.json | 472 ------------------------------- i18n/ko.i18n.json | 472 ------------------------------- i18n/lv.i18n.json | 472 ------------------------------- i18n/mn.i18n.json | 472 ------------------------------- i18n/nb.i18n.json | 472 ------------------------------- i18n/nl.i18n.json | 472 ------------------------------- i18n/pl.i18n.json | 472 ------------------------------- i18n/pt-BR.i18n.json | 472 ------------------------------- i18n/pt.i18n.json | 472 ------------------------------- i18n/ro.i18n.json | 472 ------------------------------- i18n/ru.i18n.json | 472 ------------------------------- i18n/sr.i18n.json | 472 ------------------------------- i18n/sv.i18n.json | 472 ------------------------------- i18n/ta.i18n.json | 472 ------------------------------- i18n/th.i18n.json | 472 ------------------------------- i18n/tr.i18n.json | 472 ------------------------------- i18n/uk.i18n.json | 472 ------------------------------- i18n/vi.i18n.json | 472 ------------------------------- i18n/zh-CN.i18n.json | 472 ------------------------------- i18n/zh-TW.i18n.json | 472 ------------------------------- models/boards.js | 3 + models/cards.js | 16 ++ 49 files changed, 155 insertions(+), 19829 deletions(-) delete mode 100644 i18n/ar.i18n.json delete mode 100644 i18n/bg.i18n.json delete mode 100644 i18n/br.i18n.json delete mode 100644 i18n/ca.i18n.json delete mode 100644 i18n/cs.i18n.json delete mode 100644 i18n/de.i18n.json delete mode 100644 i18n/el.i18n.json delete mode 100644 i18n/en-GB.i18n.json delete mode 100644 i18n/eo.i18n.json delete mode 100644 i18n/es-AR.i18n.json delete mode 100644 i18n/es.i18n.json delete mode 100644 i18n/eu.i18n.json delete mode 100644 i18n/fa.i18n.json delete mode 100644 i18n/fi.i18n.json delete mode 100644 i18n/fr.i18n.json delete mode 100644 i18n/gl.i18n.json delete mode 100644 i18n/he.i18n.json delete mode 100644 i18n/hu.i18n.json delete mode 100644 i18n/hy.i18n.json delete mode 100644 i18n/id.i18n.json delete mode 100644 i18n/ig.i18n.json delete mode 100644 i18n/it.i18n.json delete mode 100644 i18n/ja.i18n.json delete mode 100644 i18n/ko.i18n.json delete mode 100644 i18n/lv.i18n.json delete mode 100644 i18n/mn.i18n.json delete mode 100644 i18n/nb.i18n.json delete mode 100644 i18n/nl.i18n.json delete mode 100644 i18n/pl.i18n.json delete mode 100644 i18n/pt-BR.i18n.json delete mode 100644 i18n/pt.i18n.json delete mode 100644 i18n/ro.i18n.json delete mode 100644 i18n/ru.i18n.json delete mode 100644 i18n/sr.i18n.json delete mode 100644 i18n/sv.i18n.json delete mode 100644 i18n/ta.i18n.json delete mode 100644 i18n/th.i18n.json delete mode 100644 i18n/tr.i18n.json delete mode 100644 i18n/uk.i18n.json delete mode 100644 i18n/vi.i18n.json delete mode 100644 i18n/zh-CN.i18n.json delete mode 100644 i18n/zh-TW.i18n.json diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index 55ee8d32..722e51c7 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -108,6 +108,39 @@ template(name="cardDetails") +viewer = description + .card-details-items + .card-details-item.card-details-item-name + h3.card-details-item-title {{_ 'requested-by'}} + if canModifyCard + +inlinedForm(classNames="js-card-details-requester") + +editCardRequesterForm + else + a.js-open-inlined-form + if requestedBy + +viewer + = requestedBy + else + | {{_ 'add'}} + else if requestedBy + +viewer + = requestedBy + + .card-details-item.card-details-item-name + h3.card-details-item-title {{_ 'assigned-by'}} + if canModifyCard + +inlinedForm(classNames="js-card-details-assigner") + +editCardAssignerForm + else + a.js-open-inlined-form + if assignedBy + +viewer + = assignedBy + else + | {{_ 'add'}} + else if requestedBy + +viewer + = assignedBy + hr +checklists(cardId = _id) @@ -141,6 +174,20 @@ template(name="editCardTitleForm") button.primary.confirm.js-submit-edit-card-title-form(type="submit") {{_ 'save'}} a.fa.fa-times-thin.js-close-inlined-form +template(name="editCardRequesterForm") + textarea.js-edit-card-requester(rows='1' autofocus) + = requestedBy + .edit-controls.clearfix + button.primary.confirm.js-submit-edit-card-requestor-form(type="submit") {{_ 'save'}} + a.fa.fa-times-thin.js-close-inlined-form + +template(name="editCardAssignerForm") + textarea.js-edit-card-assigner(rows='1' autofocus) + = assignedBy + .edit-controls.clearfix + button.primary.confirm.js-submit-edit-card-assigner-form(type="submit") {{_ 'save'}} + a.fa.fa-times-thin.js-close-inlined-form + template(name="cardDetailsActionsPopup") ul.pop-over-list li: a.js-toggle-watch-card {{#if isWatching}}{{_ 'unwatch'}}{{else}}{{_ 'watch'}}{{/if}} @@ -150,8 +197,8 @@ template(name="cardDetailsActionsPopup") li: a.js-members {{_ 'card-edit-members'}} li: a.js-labels {{_ 'card-edit-labels'}} li: a.js-attachments {{_ 'card-edit-attachments'}} - li: a.js-received-date {{_ 'editCardReceivedDatePopup-title'}} li: a.js-custom-fields {{_ 'card-edit-custom-fields'}} + li: a.js-received-date {{_ 'editCardReceivedDatePopup-title'}} li: a.js-start-date {{_ 'editCardStartDatePopup-title'}} li: a.js-due-date {{_ 'editCardDueDatePopup-title'}} li: a.js-end-date {{_ 'editCardEndDatePopup-title'}} @@ -178,7 +225,6 @@ template(name="copyCardPopup") = title +boardsAndLists - template(name="copyChecklistToManyCardsPopup") label(for='copy-checklist-cards-title') {{_ 'copyChecklistToManyCardsPopup-instructions'}}: textarea#copy-card-title.minicard-composer-textarea.js-card-title(autofocus) diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index 26549fda..8aec8a59 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -146,6 +146,20 @@ BlazeComponent.extendComponent({ this.data().setTitle(title); } }, + 'submit .js-card-details-assigner'(evt) { + evt.preventDefault(); + const assigner = this.currentComponent().getValue().trim(); + if (assigner) { + this.data().setAssignedBy(assigner); + } + }, + 'submit .js-card-details-requester'(evt) { + evt.preventDefault(); + const requester = this.currentComponent().getValue().trim(); + if (requestor) { + this.data().setRequestedBy(requester); + } + }, 'click .js-member': Popup.open('cardMember'), 'click .js-add-members': Popup.open('cardMembers'), 'click .js-add-labels': Popup.open('cardLabels'), @@ -215,8 +229,8 @@ Template.cardDetailsActionsPopup.events({ 'click .js-members': Popup.open('cardMembers'), 'click .js-labels': Popup.open('cardLabels'), 'click .js-attachments': Popup.open('cardAttachments'), - 'click .js-received-date': Popup.open('editCardReceivedDate'), 'click .js-custom-fields': Popup.open('cardCustomFields'), + 'click .js-received-date': Popup.open('editCardReceivedDate'), 'click .js-start-date': Popup.open('editCardStartDate'), 'click .js-due-date': Popup.open('editCardDueDate'), 'click .js-end-date': Popup.open('editCardEndDate'), @@ -263,6 +277,32 @@ Template.editCardTitleForm.events({ }, }); +Template.editCardRequesterForm.onRendered(function() { + autosize(this.$('.js-edit-card-requester')); +}); + +Template.editCardRequesterForm.events({ + 'keydown .js-edit-card-requester'(evt) { + // If enter key was pressed, submit the data + if (evt.keyCode === 13) { + $('.js-submit-edit-card-requester-form').click(); + } + }, +}); + +Template.editCardAssignerForm.onRendered(function() { + autosize(this.$('.js-edit-card-assigner')); +}); + +Template.editCardAssignerForm.events({ + 'keydown .js-edit-card-assigner'(evt) { + // If enter key was pressed, submit the data + if (evt.keyCode === 13) { + $('.js-submit-edit-card-assigner-form').click(); + } + }, +}); + Template.moveCardPopup.events({ 'click .js-done' () { // XXX We should *not* get the currentCard from the global state, but diff --git a/client/components/cards/cardDetails.styl b/client/components/cards/cardDetails.styl index 7dbe8732..db9882df 100644 --- a/client/components/cards/cardDetails.styl +++ b/client/components/cards/cardDetails.styl @@ -82,7 +82,8 @@ &.card-details-item-start, &.card-details-item-due, &.card-details-item-end, - &.card-details-item-customfield + &.card-details-item-customfield, + &.card-details-item-name, max-width: 50% flex-grow: 1 diff --git a/client/components/cards/labels.styl b/client/components/cards/labels.styl index 361a17ae..084af64c 100644 --- a/client/components/cards/labels.styl +++ b/client/components/cards/labels.styl @@ -73,6 +73,48 @@ .card-label-lime background-color: #51e898 +.card-label-silver + background-color: #c0c0c0 + +.card-label-peachpuff + background-color: #ffdab9 + +.card-label-crimson + background-color: #dc143c + +.card-label-plum + background-color: #dda0dd + +.card-label-darkgreen + background-color: #006400 + +.card-label-slateblue + background-color: #6a5acd + +.card-label-magenta + background-color: #ff00ff + +.card-label-gold + background-color: #ffd700 + +.card-label-navy + background-color: #000080 + +.card-label-gray + background-color: #808080 + +.card-label-saddlebrown + background-color: #8b4513 + +.card-label-paleturquoise + background-color: #afeeee + +.card-label-mistyrose + background-color: #ffe4e1 + +.card-label-indigo + background-color: #4b0082 + .edit-label, .create-label .card-label diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json deleted file mode 100644 index 1e3366b6..00000000 --- a/i18n/ar.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "اقبلboard", - "act-activity-notify": "[Wekan] اشعار عن نشاط", - "act-addAttachment": "ربط __attachment__ الى __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "علق على __comment__ : __card__", - "act-createBoard": "احدث __board__", - "act-createCard": "اضاف __card__ الى __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "اضاف __list__ الى __board__", - "act-addBoardMember": "اضاف __member__ الى __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "إستورد __board__", - "act-importCard": "إستورد __card__", - "act-importList": "إستورد __list__", - "act-joinMember": "اضاف __member__ الى __card__", - "act-moveCard": "حوّل __card__ من __oldList__ إلى __list__", - "act-removeBoardMember": "أزال __member__ من __board__", - "act-restoredCard": "أعاد __card__ إلى __board__", - "act-unjoinMember": "أزال __member__ من __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "الإجراءات", - "activities": "الأنشطة", - "activity": "النشاط", - "activity-added": "تمت إضافة %s ل %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "إرفاق %s ل %s", - "activity-created": "أنشأ %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "استبعاد %s عن %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "انضم %s", - "activity-moved": "تم نقل %s من %s إلى %s", - "activity-on": "على %s", - "activity-removed": "حذف %s إلى %s", - "activity-sent": "إرسال %s إلى %s", - "activity-unjoined": "غادر %s", - "activity-checklist-added": "أضاف قائمة تحقق إلى %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "أضف", - "add-attachment": "إضافة مرفق", - "add-board": "إضافة لوحة", - "add-card": "إضافة بطاقة", - "add-swimlane": "Add Swimlane", - "add-checklist": "إضافة قائمة تدقيق", - "add-checklist-item": "إضافة عنصر إلى قائمة التحقق", - "add-cover": "إضافة غلاف", - "add-label": "إضافة ملصق", - "add-list": "إضافة قائمة", - "add-members": "تعيين أعضاء", - "added": "أُضيف", - "addMemberPopup-title": "الأعضاء", - "admin": "المدير", - "admin-desc": "إمكانية مشاهدة و تعديل و حذف أعضاء ، و تعديل إعدادات اللوحة أيضا.", - "admin-announcement": "إعلان", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "كل اللوحات", - "and-n-other-card": "And __count__ other بطاقة", - "and-n-other-card_plural": "And __count__ other بطاقات", - "apply": "طبق", - "app-is-offline": "يتمّ تحميل ويكان، يرجى الانتظار. سيؤدي تحديث الصفحة إلى فقدان البيانات. إذا لم يتم تحميل ويكان، يرجى التحقق من أن خادم ويكان لم يتوقف. ", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "استعادة اللوحة", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "تعيين عضو", - "attached": "أُرفق)", - "attachment": "مرفق", - "attachment-delete-pop": "حذف المرق هو حذف نهائي . لا يمكن التراجع إذا حذف.", - "attachmentDeletePopup-title": "تريد حذف المرفق ?", - "attachments": "المرفقات", - "auto-watch": "مراقبة لوحات تلقائيا عندما يتم إنشاؤها", - "avatar-too-big": "الصورة الرمزية كبيرة جدا (70 كيلوبايت كحد أقصى)", - "back": "رجوع", - "board-change-color": "تغيير اللومr", - "board-nb-stars": "%s نجوم", - "board-not-found": "لوحة مفقودة", - "board-private-info": "سوف تصبح هذه اللوحة خاصة", - "board-public-info": "سوف تصبح هذه اللوحة عامّة.", - "boardChangeColorPopup-title": "تعديل خلفية الشاشة", - "boardChangeTitlePopup-title": "إعادة تسمية اللوحة", - "boardChangeVisibilityPopup-title": "تعديل وضوح الرؤية", - "boardChangeWatchPopup-title": "تغيير المتابعة", - "boardMenuPopup-title": "قائمة اللوحة", - "boards": "لوحات", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "القائمات", - "bucket-example": "مثل « todo list » على سبيل المثال", - "cancel": "إلغاء", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "%s تعليقات لهذه البطاقة", - "card-delete-notice": "هذا حذف أبديّ . سوف تفقد كل الإجراءات المنوطة بهذه البطاقة", - "card-delete-pop": "سيتم إزالة جميع الإجراءات من تبعات النشاط، وأنك لن تكون قادرا على إعادة فتح البطاقة. لا يوجد التراجع.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "مستحق", - "card-due-on": "مستحق في", - "card-spent": "Spent Time", - "card-edit-attachments": "تعديل المرفقات", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "تعديل العلامات", - "card-edit-members": "تعديل الأعضاء", - "card-labels-title": "تعديل علامات البطاقة.", - "card-members-title": "إضافة او حذف أعضاء للبطاقة.", - "card-start": "بداية", - "card-start-on": "يبدأ في", - "cardAttachmentsPopup-title": "إرفاق من", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "حذف البطاقة ?", - "cardDetailsActionsPopup-title": "إجراءات على البطاقة", - "cardLabelsPopup-title": "علامات", - "cardMembersPopup-title": "أعضاء", - "cardMorePopup-title": "المزيد", - "cards": "بطاقات", - "cards-count": "بطاقات", - "change": "Change", - "change-avatar": "تعديل الصورة الشخصية", - "change-password": "تغيير كلمة المرور", - "change-permissions": "تعديل الصلاحيات", - "change-settings": "تغيير الاعدادات", - "changeAvatarPopup-title": "تعديل الصورة الشخصية", - "changeLanguagePopup-title": "تغيير اللغة", - "changePasswordPopup-title": "تغيير كلمة المرور", - "changePermissionsPopup-title": "تعديل الصلاحيات", - "changeSettingsPopup-title": "تغيير الاعدادات", - "checklists": "قوائم التّدقيق", - "click-to-star": "اضغط لإضافة اللوحة للمفضلة.", - "click-to-unstar": "اضغط لحذف اللوحة من المفضلة.", - "clipboard": "Clipboard or drag & drop", - "close": "غلق", - "close-board": "غلق اللوحة", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "تعليق", - "comment-placeholder": "أكتب تعليق", - "comment-only": "التعليق فقط", - "comment-only-desc": "يمكن التعليق على بطاقات فقط.", - "computer": "حاسوب", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "نسخ رابط البطاقة إلى الحافظة", - "copyCardPopup-title": "نسخ البطاقة", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "إنشاء", - "createBoardPopup-title": "إنشاء لوحة", - "chooseBoardSourcePopup-title": "استيراد لوحة", - "createLabelPopup-title": "إنشاء علامة", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "الحالي", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "تاريخ", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "تاريخ", - "decline": "Decline", - "default-avatar": "صورة شخصية افتراضية", - "delete": "حذف", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "حذف العلامة ?", - "description": "وصف", - "disambiguateMultiLabelPopup-title": "تحديد الإجراء على العلامة", - "disambiguateMultiMemberPopup-title": "تحديد الإجراء على العضو", - "discard": "التخلص منها", - "done": "Done", - "download": "تنزيل", - "edit": "تعديل", - "edit-avatar": "تعديل الصورة الشخصية", - "edit-profile": "تعديل الملف الشخصي", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "تغيير تاريخ البدء", - "editCardDueDatePopup-title": "تغيير تاريخ الاستحقاق", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "تعديل العلامة", - "editNotificationPopup-title": "تصحيح الإشعار", - "editProfilePopup-title": "تعديل الملف الشخصي", - "email": "البريد الإلكتروني", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "لا يمكنك دعوة نفسك", - "error-user-notCreated": "This user is not created", - "error-username-taken": "إسم المستخدم مأخوذ مسبقا", - "error-email-taken": "البريد الإلكتروني مأخوذ بالفعل", - "export-board": "Export board", - "filter": "تصفية", - "filter-cards": "تصفية البطاقات", - "filter-clear": "مسح التصفية", - "filter-no-label": "لا يوجد ملصق", - "filter-no-member": "ليس هناك أي عضو", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "التصفية تشتغل", - "filter-on-desc": "أنت بصدد تصفية بطاقات هذه اللوحة. اضغط هنا لتعديل التصفية.", - "filter-to-selection": "تصفية بالتحديد", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "الإسم الكامل", - "header-logo-title": "الرجوع إلى صفحة اللوحات", - "hide-system-messages": "إخفاء رسائل النظام", - "headerBarCreateBoardPopup-title": "إنشاء لوحة", - "home": "الرئيسية", - "import": "Import", - "import-board": "استيراد لوحة", - "import-board-c": "استيراد لوحة", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "استيراد لوحة من ويكان", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "من تريلو", - "from-wekan": "من ويكان", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", - "import-board-instruction-wekan": "في لوحة ويكان الخاصة بك، انتقل إلى 'القائمة'، ثم 'تصدير اللوحة'، ونسخ النص في الملف الذي تم تنزيله.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "رسم خريطة الأعضاء", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "حدّد عضو ويكان", - "info": "الإصدار", - "initials": "أولية", - "invalid-date": "تاريخ غير صالح", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "انضمّ", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "اختصار لوحة المفاتيح", - "label-create": "إنشاء علامة", - "label-default": "%s علامة (افتراضية)", - "label-delete-pop": "لا يوجد تراجع. سيؤدي هذا إلى إزالة هذه العلامة من جميع بطاقات والقضاء على تأريخها", - "labels": "علامات", - "language": "لغة", - "last-admin-desc": "لا يمكن تعديل الأدوار لأن ذلك يتطلب صلاحيات المدير.", - "leave-board": "مغادرة اللوحة", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "مغادرة اللوحة ؟", - "link-card": "ربط هذه البطاقة", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "نقل بطاقات هذه القائمة", - "list-select-cards": "تحديد بطاقات هذه القائمة", - "listActionPopup-title": "قائمة الإجراءات", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "المزيد", - "link-list": "رابط إلى هذه القائمة", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "القائمات", - "swimlanes": "Swimlanes", - "log-out": "تسجيل الخروج", - "log-in": "تسجيل الدخول", - "loginPopup-title": "تسجيل الدخول", - "memberMenuPopup-title": "أفضليات الأعضاء", - "members": "أعضاء", - "menu": "القائمة", - "move-selection": "Move selection", - "moveCardPopup-title": "نقل البطاقة", - "moveCardToBottom-title": "التحرك إلى القاع", - "moveCardToTop-title": "التحرك إلى الأعلى", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "تحديد أكثر من واحدة", - "multi-selection-on": "Multi-Selection is on", - "muted": "مكتوم", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "لوحاتي", - "name": "اسم", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "لا توجد نتائج", - "normal": "عادي", - "normal-desc": "يمكن مشاهدة و تعديل البطاقات. لا يمكن تغيير إعدادات الضبط.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "اختياري", - "or": "or", - "page-maybe-private": "قدتكون هذه الصفحة خاصة . قد تستطيع مشاهدتها ب تسجيل الدخول.", - "page-not-found": "صفحة غير موجودة", - "password": "كلمة المرور", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "المشاركة", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "خاص", - "private-desc": "هذه اللوحة خاصة . لا يسمح إلا للأعضاء .", - "profile": "ملف شخصي", - "public": "عامّ", - "public-desc": "هذه اللوحة عامة: مرئية لكلّ من يحصل على الرابط ، و هي مرئية أيضا في محركات البحث مثل جوجل. التعديل مسموح به للأعضاء فقط.", - "quick-access-description": "أضف لوحة إلى المفضلة لإنشاء اختصار في هذا الشريط.", - "remove-cover": "حذف الغلاف", - "remove-from-board": "حذف من اللوحة", - "remove-label": "إزالة التصنيف", - "listDeletePopup-title": "حذف القائمة ؟", - "remove-member": "حذف العضو", - "remove-member-from-card": "حذف من البطاقة", - "remove-member-pop": "حذف __name__ (__username__) من __boardTitle__ ? سيتم حذف هذا العضو من جميع بطاقة اللوحة مع إرسال إشعار له بذاك.", - "removeMemberPopup-title": "حذف العضو ?", - "rename": "إعادة التسمية", - "rename-board": "إعادة تسمية اللوحة", - "restore": "استعادة", - "save": "حفظ", - "search": "بحث", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "اختيار اللون", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "الإكمال التلقائي للرموز التعبيرية", - "shortcut-autocomplete-members": "الإكمال التلقائي لأسماء الأعضاء", - "shortcut-clear-filters": "مسح التصفيات", - "shortcut-close-dialog": "غلق النافذة", - "shortcut-filter-my-cards": "تصفية بطاقاتي", - "shortcut-show-shortcuts": "عرض قائمة الإختصارات ،تلك", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "إظهار-إخفاء الشريط الجانبي للوحة", - "show-cards-minimum-count": "إظهار عدد البطاقات إذا كانت القائمة تتضمن أكثر من", - "sidebar-open": "فتح الشريط الجانبي", - "sidebar-close": "إغلاق الشريط الجانبي", - "signupPopup-title": "إنشاء حساب", - "star-board-title": "اضغط لإضافة هذه اللوحة إلى المفضلة . سوف يتم إظهارها على رأس بقية اللوحات.", - "starred-boards": "اللوحات المفضلة", - "starred-boards-description": "تعرض اللوحات المفضلة على رأس بقية اللوحات.", - "subscribe": "اشتراك و متابعة", - "team": "فريق", - "this-board": "هذه اللوحة", - "this-card": "هذه البطاقة", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "الوقت", - "title": "عنوان", - "tracking": "تتبع", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "إلغاء تعيين العضو", - "unsaved-description": "لديك وصف غير محفوظ", - "unwatch": "غير مُشاهد", - "upload": "Upload", - "upload-avatar": "رفع صورة شخصية", - "uploaded-avatar": "تم رفع الصورة الشخصية", - "username": "اسم المستخدم", - "view-it": "شاهدها", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "مُشاهد", - "watching": "مشاهدة", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "لوحة التّرحيب", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "المبادئ", - "welcome-list2": "متقدم", - "what-to-do": "ماذا تريد أن تنجز?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "لوحة التحكم", - "settings": "الإعدادات", - "people": "الناس", - "registration": "تسجيل", - "disable-self-registration": "Disable Self-Registration", - "invite": "دعوة", - "invite-people": "الناس المدعوين", - "to-boards": "إلى اللوحات", - "email-addresses": "عناوين البريد الإلكتروني", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "تفعيل دعم TLS من اجل خادم SMTP", - "smtp-host": "مضيف SMTP", - "smtp-port": "منفذ SMTP", - "smtp-username": "اسم المستخدم", - "smtp-password": "كلمة المرور", - "smtp-tls": "دعم التي ال سي", - "send-from": "من", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "رمز الدعوة", - "email-invite-register-subject": "__inviter__ أرسل دعوة لك", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "رمز الدعوة غير موجود", - "error-notAuthorized": "أنتَ لا تملك الصلاحيات لرؤية هذه الصفحة.", - "outgoing-webhooks": "الويبهوك الصادرة", - "outgoingWebhooksPopup-title": "الويبهوك الصادرة", - "new-outgoing-webhook": "ويبهوك جديدة ", - "no-name": "(غير معروف)", - "Wekan_version": "إصدار ويكان", - "Node_version": "إصدار النود", - "OS_Arch": "معمارية نظام التشغيل", - "OS_Cpus": "استهلاك وحدة المعالجة المركزية لنظام التشغيل", - "OS_Freemem": "الذاكرة الحرة لنظام التشغيل", - "OS_Loadavg": "متوسط حمل نظام التشغيل", - "OS_Platform": "منصة نظام التشغيل", - "OS_Release": "إصدار نظام التشغيل", - "OS_Totalmem": "الذاكرة الكلية لنظام التشغيل", - "OS_Type": "نوع نظام التشغيل", - "OS_Uptime": "مدة تشغيل نظام التشغيل", - "hours": "الساعات", - "minutes": "الدقائق", - "seconds": "الثواني", - "show-field-on-card": "Show this field on card", - "yes": "نعم", - "no": "لا", - "accounts": "الحسابات", - "accounts-allowEmailChange": "السماح بتغيير البريد الإلكتروني", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" -} \ No newline at end of file diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json deleted file mode 100644 index 1a91efc4..00000000 --- a/i18n/bg.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Accept", - "act-activity-notify": "[Wekan] Известия за дейности", - "act-addAttachment": "прикачи __attachment__ към __card__", - "act-addChecklist": "добави списък със задачи __checklist__ към __card__", - "act-addChecklistItem": "добави __checklistItem__ към списък със задачи __checklist__ в __card__", - "act-addComment": "Коментира в __card__: __comment__", - "act-createBoard": "създаде __board__", - "act-createCard": "добави __card__ към __list__", - "act-createCustomField": "създаде собствено поле __customField__", - "act-createList": "добави __list__ към __board__", - "act-addBoardMember": "добави __member__ към __board__", - "act-archivedBoard": "__board__ беше преместен в Кошчето", - "act-archivedCard": "__card__ беше преместена в Кошчето", - "act-archivedList": "__list__ беше преместен в Кошчето", - "act-archivedSwimlane": "__swimlane__ беше преместен в Кошчето", - "act-importBoard": "импортира __board__", - "act-importCard": "импортира __card__", - "act-importList": "импортира __list__", - "act-joinMember": "добави __member__ към __card__", - "act-moveCard": "премести __card__ от __oldList__ в __list__", - "act-removeBoardMember": "премахна __member__ от __board__", - "act-restoredCard": "възстанови __card__ в __board__", - "act-unjoinMember": "премахна __member__ от __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Действия", - "activity": "Дейности", - "activity-added": "добави %s към %s", - "activity-archived": "премести %s в Кошчето", - "activity-attached": "прикачи %s към %s", - "activity-created": "създаде %s", - "activity-customfield-created": "създаде собствено поле %s", - "activity-excluded": "изключи %s от %s", - "activity-imported": "импортира %s в/във %s от %s", - "activity-imported-board": "импортира %s от %s", - "activity-joined": "се присъедини към %s", - "activity-moved": "премести %s от %s в/във %s", - "activity-on": "на %s", - "activity-removed": "премахна %s от %s", - "activity-sent": "изпрати %s до %s", - "activity-unjoined": "вече не е част от %s", - "activity-checklist-added": "добави списък със задачи към %s", - "activity-checklist-item-added": "добави точка към '%s' в/във %s", - "add": "Добави", - "add-attachment": "Добави прикачен файл", - "add-board": "Добави дъска", - "add-card": "Добави карта", - "add-swimlane": "Добави коридор", - "add-checklist": "Добави списък със задачи", - "add-checklist-item": "Добави точка към списъка със задачи", - "add-cover": "Добави корица", - "add-label": "Добави етикет", - "add-list": "Добави списък", - "add-members": "Добави членове", - "added": "Добавено", - "addMemberPopup-title": "Членове", - "admin": "Администратор", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Съобщение", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Съобщение от администратора", - "all-boards": "Всички дъски", - "and-n-other-card": "И __count__ друга карта", - "and-n-other-card_plural": "И __count__ други карти", - "apply": "Приложи", - "app-is-offline": "Wekan зарежда, моля изчакайте! Презареждането на страницата може да доведе до загуба на данни. Ако Wekan не се зареди, моля проверете дали сървъра му работи.", - "archive": "Премести в Кошчето", - "archive-all": "Премести всички в Кошчето", - "archive-board": "Премести Дъската в Кошчето", - "archive-card": "Премести Картата в Кошчето", - "archive-list": "Премести Списъка в Кошчето", - "archive-swimlane": "Премести Коридора в Кошчето", - "archive-selection": "Премести избраните в Кошчето", - "archiveBoardPopup-title": "Сигурни ли сте, че искате да преместите Дъската в Кошчето?", - "archived-items": "Кошче", - "archived-boards": "Дъски в Кошчето", - "restore-board": "Възстанови Дъската", - "no-archived-boards": "Няма Дъски в Кошчето.", - "archives": "Кошче", - "assign-member": "Възложи на член от екипа", - "attached": "прикачен", - "attachment": "Прикаченн файл", - "attachment-delete-pop": "Изтриването на прикачен файл е завинаги. Няма как да бъде възстановен.", - "attachmentDeletePopup-title": "Желаете ли да изтриете прикачения файл?", - "attachments": "Прикачени файлове", - "auto-watch": "Автоматично наблюдаване на дъските, когато са създадени", - "avatar-too-big": "Аватарът е прекалено голям (максимум 70KB)", - "back": "Назад", - "board-change-color": "Промени цвета", - "board-nb-stars": "%s звезди", - "board-not-found": "Дъската не е намерена", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Промени името на Дъската", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Промени наблюдаването", - "boardMenuPopup-title": "Меню на Дъската", - "boards": "Дъски", - "board-view": "Board View", - "board-view-swimlanes": "Коридори", - "board-view-lists": "Списъци", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "Картата е преместена в Кошчето.", - "card-comments-title": "Тази карта има %s коментар.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Готова за", - "card-due-on": "Готова за", - "card-spent": "Изработено време", - "card-edit-attachments": "Промени прикачените файлове", - "card-edit-custom-fields": "Промени собствените полета", - "card-edit-labels": "Промени етикетите", - "card-edit-members": "Промени членовете", - "card-labels-title": "Промени етикетите за картата.", - "card-members-title": "Добави или премахни членове на Дъската от тази карта.", - "card-start": "Начало", - "card-start-on": "Започва на", - "cardAttachmentsPopup-title": "Прикачи от", - "cardCustomField-datePopup-title": "Промени датата", - "cardCustomFieldsPopup-title": "Промени собствените полета", - "cardDeletePopup-title": "Желаете да изтриете картата?", - "cardDetailsActionsPopup-title": "Опции", - "cardLabelsPopup-title": "Етикети", - "cardMembersPopup-title": "Членове", - "cardMorePopup-title": "Още", - "cards": "Карти", - "cards-count": "Карти", - "change": "Промени", - "change-avatar": "Промени аватара", - "change-password": "Промени паролата", - "change-permissions": "Change permissions", - "change-settings": "Промени настройките", - "changeAvatarPopup-title": "Промени аватара", - "changeLanguagePopup-title": "Промени езика", - "changePasswordPopup-title": "Промени паролата", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Промяна на настройките", - "checklists": "Списъци със задачи", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Натиснете, за да премахнете тази дъска от любими.", - "clipboard": "Клипборда или с драг & дроп", - "close": "Затвори", - "close-board": "Затвори Дъската", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "черно", - "color-blue": "синьо", - "color-green": "зелено", - "color-lime": "лайм", - "color-orange": "оранжево", - "color-pink": "розово", - "color-purple": "пурпурно", - "color-red": "червено", - "color-sky": "светло синьо", - "color-yellow": "жълто", - "comment": "Коментирай", - "comment-placeholder": "Напиши коментар", - "comment-only": "Само коментар", - "comment-only-desc": "Може да коментира само в карти.", - "computer": "Компютър", - "confirm-checklist-delete-dialog": "Сигурни ли сте, че искате да изтриете този чеклист?", - "copy-card-link-to-clipboard": "Копирай връзката на картата в клипборда", - "copyCardPopup-title": "Копирай картата", - "copyChecklistToManyCardsPopup-title": "Копирай шаблона за чеклисти в много карти", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Чекбокс", - "custom-field-date": "Дата", - "custom-field-dropdown": "Падащо меню", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Номер", - "custom-field-text": "Текст", - "custom-fields": "Собствени полета", - "date": "Дата", - "decline": "Отказ", - "default-avatar": "Основен аватар", - "delete": "Изтрий", - "deleteCustomFieldPopup-title": "Изтриване на Собственото поле?", - "deleteLabelPopup-title": "Желаете да изтриете етикета?", - "description": "Описание", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Отказ", - "done": "Готово", - "download": "Сваляне", - "edit": "Промени", - "edit-avatar": "Промени аватара", - "edit-profile": "Промяна на профила", - "edit-wip-limit": "Промени WIP лимита", - "soft-wip-limit": "\"Мек\" WIP лимит", - "editCardStartDatePopup-title": "Промени началната дата", - "editCardDueDatePopup-title": "Промени датата за готовност", - "editCustomFieldPopup-title": "Промени Полето", - "editCardSpentTimePopup-title": "Промени изработеното време", - "editLabelPopup-title": "Промяна на Етикета", - "editNotificationPopup-title": "Промени известията", - "editProfilePopup-title": "Промяна на профила", - "email": "Имейл", - "email-enrollAccount-subject": "Ваш профил беше създаден на __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Неуспешно изпращане на имейла", - "email-fail-text": "Възникна грешка при изпращането на имейла", - "email-invalid": "Невалиден имейл", - "email-invite": "Покани чрез имейл", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Имейлът е изпратен", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Включи WIP лимита", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Имейлът е вече зает", - "export-board": "Export board", - "filter": "Филтър", - "filter-cards": "Филтрирай картите", - "filter-clear": "Премахване на филтрите", - "filter-no-label": "без етикет", - "filter-no-member": "без член", - "filter-no-custom-fields": "Няма Собствени полета", - "filter-on": "Има приложени филтри", - "filter-on-desc": "В момента филтрирате картите в тази дъска. Моля, натиснете тук, за да промените филтъра.", - "filter-to-selection": "Филтрирай избраните", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Име", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Скриване на системните съобщения", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Начало", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Избери Wekan член", - "info": "Версия", - "initials": "Инициали", - "invalid-date": "Невалидна дата", - "invalid-time": "Невалиден час", - "invalid-user": "Невалиден потребител", - "joined": "присъедини ", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Създай етикет", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Етикети", - "language": "Език", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Връзка към тази карта", - "list-archive-cards": "Премести всички карти от този списък в Кошчето", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Премести всички карти в този списък", - "list-select-cards": "Избери всички карти в този списък", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Импорт на карта от Trello", - "listMorePopup-title": "Още", - "link-list": "Връзка към този списък", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "Можете да преместите списък в Кошчето, за да го премахнете от Дъската и запазите активността.", - "lists": "Списъци", - "swimlanes": "Коридори", - "log-out": "Изход", - "log-in": "Вход", - "loginPopup-title": "Вход", - "memberMenuPopup-title": "Настройки на профила", - "members": "Членове", - "menu": "Меню", - "move-selection": "Move selection", - "moveCardPopup-title": "Премести картата", - "moveCardToBottom-title": "Премести в края", - "moveCardToTop-title": "Премести в началото", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Множествен избор", - "multi-selection-on": "Множественият избор е приложен", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "Моите дъски", - "name": "Име", - "no-archived-cards": "Няма карти в Кошчето.", - "no-archived-lists": "Няма списъци в Кошчето.", - "no-archived-swimlanes": "Няма коридори в Кошчето.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Получавате информация за всички карти, в които сте отбелязани или сте създали", - "notify-watch": "Получавате информация за всички дъски, списъци и карти, които наблюдавате", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Парола", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Профил", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Желаете да изтриете списъка?", - "remove-member": "Премахни член", - "remove-member-from-card": "Премахни от картата", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Промени името на Дъската", - "restore": "Възстанови", - "save": "Запази", - "search": "Търсене", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Избери цвят", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Въведи WIP лимит", - "shortcut-assign-self": "Добави себе си към тази карта", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Изчистване на всички филтри", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Филтрирай моите карти", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Отвори/затвори сайдбара с филтри", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Покажи бройката на картите, ако списъка съдържа повече от", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Любими дъски", - "starred-boards-description": "Любимите дъски се показват в началото на списъка Ви.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "картата", - "spent-time-hours": "Изработено време (часа)", - "overtime-hours": "Оувъртайм (часа)", - "overtime": "Оувъртайм", - "has-overtime-cards": "Има карти с оувъртайм", - "has-spenttime-cards": "Има карти с изработено време", - "time": "Време", - "title": "Title", - "tracking": "Следене", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Спри наблюдаването", - "upload": "Upload", - "upload-avatar": "Качване на аватар", - "uploaded-avatar": "Качихте аватар", - "username": "Потребителско име", - "view-it": "View it", - "warn-list-archived": "внимание: тази карта е в списък, който е в Кошчето", - "watch": "Наблюдавай", - "watching": "Наблюдава", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Невалиден WIP лимит", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Моля, преместете някои от задачите от този списък или въведете по-висок WIP лимит.", - "admin-panel": "Администраторски панел", - "settings": "Настройки", - "people": "Хора", - "registration": "Регистрация", - "disable-self-registration": "Disable Self-Registration", - "invite": "Покани", - "invite-people": "Покани хора", - "to-boards": "To board(s)", - "email-addresses": "Имейл адреси", - "smtp-host-description": "Адресът на SMTP сървъра, който обслужва Вашите имейли.", - "smtp-port-description": "Портът, който Вашият SMTP сървър използва за изходящи имейли.", - "smtp-tls-description": "Разреши TLS поддръжка за SMTP сървъра", - "smtp-host": "SMTP хост", - "smtp-port": "SMTP порт", - "smtp-username": "Потребителско име", - "smtp-password": "Парола", - "smtp-tls": "TLS поддръжка", - "send-from": "От", - "send-smtp-test": "Изпрати тестов имейл на себе си", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP тестов имейл, изпратен от Wekan", - "email-smtp-test-text": "Успешно изпратихте имейл", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Версия на Wekan", - "Node_version": "Версия на Node", - "OS_Arch": "Архитектура на ОС", - "OS_Cpus": "Брой CPU ядра", - "OS_Freemem": "Свободна памет", - "OS_Loadavg": "ОС средно натоварване", - "OS_Platform": "ОС платформа", - "OS_Release": "ОС Версия", - "OS_Totalmem": "ОС Общо памет", - "OS_Type": "Тип ОС", - "OS_Uptime": "OS Ъптайм", - "hours": "часа", - "minutes": "минути", - "seconds": "секунди", - "show-field-on-card": "Покажи това поле в картата", - "yes": "Да", - "no": "Не", - "accounts": "Профили", - "accounts-allowEmailChange": "Разреши промяна на имейла", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Създаден на", - "verified": "Потвърден", - "active": "Активен", - "card-received": "Получена", - "card-received-on": "Получена на", - "card-end": "Завършена", - "card-end-on": "Завършена на", - "editCardReceivedDatePopup-title": "Промени датата на получаване", - "editCardEndDatePopup-title": "Промени датата на завършване" -} \ No newline at end of file diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json deleted file mode 100644 index 7f34db18..00000000 --- a/i18n/br.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Asantiñ", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Oberoù", - "activities": "Oberiantizoù", - "activity": "Oberiantiz", - "activity-added": "%s ouzhpennet da %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "%s liammet ouzh %s", - "activity-created": "%s krouet", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "%s enporzhiet eus %s da %s", - "activity-imported-board": "%s enporzhiet da %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Ouzhpenn", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Ouzphenn ur golo", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Ouzhpenn izili", - "added": "Ouzhpennet", - "addMemberPopup-title": "Izili", - "admin": "Merour", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Kemmañ al liv", - "board-nb-stars": "%s stered", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Diverkañ ar gartenn ?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Izili", - "cardMorePopup-title": "Muioc’h", - "cards": "Kartennoù", - "cards-count": "Kartennoù", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Kemmañ ger-tremen", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Kemmañ ger-tremen", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "du", - "color-blue": "glas", - "color-green": "gwer", - "color-lime": "melen sitroñs", - "color-orange": "orañjez", - "color-pink": "roz", - "color-purple": "mouk", - "color-red": "ruz", - "color-sky": "pers", - "color-yellow": "melen", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Krouiñ", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Diverkañ", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Graet", - "download": "Download", - "edit": "Kemmañ", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Yezh", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "Muioc’h", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Izili", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Ger-tremen", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Ger-tremen", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" -} \ No newline at end of file diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json deleted file mode 100644 index b0d0c2d2..00000000 --- a/i18n/ca.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Accepta", - "act-activity-notify": "[Wekan] Notificació d'activitat", - "act-addAttachment": "adjuntat __attachment__ a __card__", - "act-addChecklist": "afegida la checklist _checklist__ a __card__", - "act-addChecklistItem": "afegit __checklistItem__ a la checklist __checklist__ on __card__", - "act-addComment": "comentat a __card__: __comment__", - "act-createBoard": "creat __board__", - "act-createCard": "afegit/da __card__ a __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "afegit/da __list__ a __board__", - "act-addBoardMember": "afegit/da __member__ a __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "__board__ importat", - "act-importCard": "__card__ importat", - "act-importList": "__list__ importat", - "act-joinMember": "afegit/da __member__ a __card__", - "act-moveCard": "mou __card__ de __oldList__ a __list__", - "act-removeBoardMember": "elimina __member__ de __board__", - "act-restoredCard": "recupera __card__ a __board__", - "act-unjoinMember": "elimina __member__ de __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Accions", - "activities": "Activitats", - "activity": "Activitat", - "activity-added": "ha afegit %s a %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "ha adjuntat %s a %s", - "activity-created": "ha creat %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "ha exclòs %s de %s", - "activity-imported": "importat %s dins %s des de %s", - "activity-imported-board": "importat %s des de %s", - "activity-joined": "s'ha unit a %s", - "activity-moved": "ha mogut %s de %s a %s", - "activity-on": "en %s", - "activity-removed": "ha eliminat %s de %s", - "activity-sent": "ha enviat %s %s", - "activity-unjoined": "desassignat %s", - "activity-checklist-added": "Checklist afegida a %s", - "activity-checklist-item-added": "afegida entrada de checklist de '%s' a %s", - "add": "Afegeix", - "add-attachment": "Afegeix adjunt", - "add-board": "Afegeix Tauler", - "add-card": "Afegeix fitxa", - "add-swimlane": "Afegix Carril de Natació", - "add-checklist": "Afegeix checklist", - "add-checklist-item": "Afegeix un ítem", - "add-cover": "Afegeix coberta", - "add-label": "Afegeix etiqueta", - "add-list": "Afegeix llista", - "add-members": "Afegeix membres", - "added": "Afegit", - "addMemberPopup-title": "Membres", - "admin": "Administrador", - "admin-desc": "Pots veure i editar fitxes, eliminar membres, i canviar la configuració del tauler", - "admin-announcement": "Bàndol", - "admin-announcement-active": "Activar bàndol del Sistema", - "admin-announcement-title": "Bàndol de l'administració", - "all-boards": "Tots els taulers", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Aplica", - "app-is-offline": "Wekan s'està carregant, esperau si us plau. Refrescar la pàgina causarà la pérdua de les dades. Si Wekan no carrega, verificau que el servei de Wekan no estigui aturat", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restaura Tauler", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assignar membre", - "attached": "adjuntat", - "attachment": "Adjunt", - "attachment-delete-pop": "L'esborrat d'un arxiu adjunt és permanent. No es pot desfer.", - "attachmentDeletePopup-title": "Esborrar adjunt?", - "attachments": "Adjunts", - "auto-watch": "Automàticament segueix el taulers quan són creats", - "avatar-too-big": "L'avatar es massa gran (70KM max)", - "back": "Enrere", - "board-change-color": "Canvia el color", - "board-nb-stars": "%s estrelles", - "board-not-found": "No s'ha trobat el tauler", - "board-private-info": "Aquest tauler serà privat .", - "board-public-info": "Aquest tauler serà públic .", - "boardChangeColorPopup-title": "Canvia fons", - "boardChangeTitlePopup-title": "Canvia el nom tauler", - "boardChangeVisibilityPopup-title": "Canvia visibilitat", - "boardChangeWatchPopup-title": "Canvia seguiment", - "boardMenuPopup-title": "Menú del tauler", - "boards": "Taulers", - "board-view": "Visió del tauler", - "board-view-swimlanes": "Carrils de Natació", - "board-view-lists": "Llistes", - "bucket-example": "Igual que “Bucket List”, per exemple", - "cancel": "Cancel·la", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "Aquesta fitxa té %s comentaris.", - "card-delete-notice": "L'esborrat és permanent. Perdreu totes les accions associades a aquesta fitxa.", - "card-delete-pop": "Totes les accions s'eliminaran de l'activitat i no podreu tornar a obrir la fitxa. No es pot desfer.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Finalitza", - "card-due-on": "Finalitza a", - "card-spent": "Temps Dedicat", - "card-edit-attachments": "Edita arxius adjunts", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edita etiquetes", - "card-edit-members": "Edita membres", - "card-labels-title": "Canvia les etiquetes de la fitxa", - "card-members-title": "Afegeix o eliminar membres del tauler des de la fitxa.", - "card-start": "Comença", - "card-start-on": "Comença a", - "cardAttachmentsPopup-title": "Adjunta des de", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Esborrar fitxa?", - "cardDetailsActionsPopup-title": "Accions de fitxes", - "cardLabelsPopup-title": "Etiquetes", - "cardMembersPopup-title": "Membres", - "cardMorePopup-title": "Més", - "cards": "Fitxes", - "cards-count": "Fitxes", - "change": "Canvia", - "change-avatar": "Canvia Avatar", - "change-password": "Canvia la clau", - "change-permissions": "Canvia permisos", - "change-settings": "Canvia configuració", - "changeAvatarPopup-title": "Canvia Avatar", - "changeLanguagePopup-title": "Canvia idioma", - "changePasswordPopup-title": "Canvia la contrasenya", - "changePermissionsPopup-title": "Canvia permisos", - "changeSettingsPopup-title": "Canvia configuració", - "checklists": "Checklists", - "click-to-star": "Fes clic per destacar aquest tauler.", - "click-to-unstar": "Fes clic per deixar de destacar aquest tauler.", - "clipboard": "Portaretalls o estirar i amollar", - "close": "Tanca", - "close-board": "Tanca tauler", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "negre", - "color-blue": "blau", - "color-green": "verd", - "color-lime": "llima", - "color-orange": "taronja", - "color-pink": "rosa", - "color-purple": "púrpura", - "color-red": "vermell", - "color-sky": "cel", - "color-yellow": "groc", - "comment": "Comentari", - "comment-placeholder": "Escriu un comentari", - "comment-only": "Només comentaris", - "comment-only-desc": "Només pots fer comentaris a les fitxes", - "computer": "Ordinador", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copia l'enllaç de la ftixa al porta-retalls", - "copyCardPopup-title": "Copia la fitxa", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Títols de fitxa i Descripcions de destí en aquest format JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Títol de la primera fitxa\", \"description\":\"Descripció de la primera fitxa\"}, {\"title\":\"Títol de la segona fitxa\",\"description\":\"Descripció de la segona fitxa\"},{\"title\":\"Títol de l'última fitxa\",\"description\":\"Descripció de l'última fitxa\"} ]", - "create": "Crea", - "createBoardPopup-title": "Crea tauler", - "chooseBoardSourcePopup-title": "Importa Tauler", - "createLabelPopup-title": "Crea etiqueta", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "Actual", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Data", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Data", - "decline": "Declina", - "default-avatar": "Avatar per defecte", - "delete": "Esborra", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Esborra etiqueta", - "description": "Descripció", - "disambiguateMultiLabelPopup-title": "Desfe l'ambigüitat en les etiquetes", - "disambiguateMultiMemberPopup-title": "Desfe l'ambigüitat en els membres", - "discard": "Descarta", - "done": "Fet", - "download": "Descarrega", - "edit": "Edita", - "edit-avatar": "Canvia Avatar", - "edit-profile": "Edita el teu Perfil", - "edit-wip-limit": "Edita el Límit de Treball en Progrès", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Canvia data d'inici", - "editCardDueDatePopup-title": "Canvia data de finalització", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Canvia temps dedicat", - "editLabelPopup-title": "Canvia etiqueta", - "editNotificationPopup-title": "Edita la notificació", - "editProfilePopup-title": "Edita teu Perfil", - "email": "Correu electrònic", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hola __user__,\n\nPer començar a utilitzar el servei, segueix l'enllaç següent.\n\n__url__\n\nGràcies.", - "email-fail": "Error enviant el correu", - "email-fail-text": "Error en intentar enviar e-mail", - "email-invalid": "Adreça de correu invàlida", - "email-invite": "Convida mitjançant correu electrònic", - "email-invite-subject": "__inviter__ t'ha convidat", - "email-invite-text": "Benvolgut __user__,\n\n __inviter__ t'ha convidat a participar al tauler \"__board__\" per col·laborar-hi.\n\nSegueix l'enllaç següent:\n\n __url__\n\n Gràcies.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hola __user__,\n \n per resetejar la teva contrasenya, segueix l'enllaç següent.\n \n __url__\n \n Gràcies.", - "email-sent": "Correu enviat", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hola __user__, \n\n per verificar el teu correu, segueix l'enllaç següent.\n\n __url__\n\n Gràcies.", - "enable-wip-limit": "Activa e Límit de Treball en Progrès", - "error-board-doesNotExist": "Aquest tauler no existeix", - "error-board-notAdmin": "Necessites ser administrador d'aquest tauler per dur a lloc aquest acció", - "error-board-notAMember": "Necessites ser membre d'aquest tauler per dur a terme aquesta acció", - "error-json-malformed": "El text no és JSON vàlid", - "error-json-schema": "La dades JSON no contenen la informació en el format correcte", - "error-list-doesNotExist": "La llista no existeix", - "error-user-doesNotExist": "L'usuari no existeix", - "error-user-notAllowSelf": "No et pots convidar a tu mateix", - "error-user-notCreated": "L'usuari no s'ha creat", - "error-username-taken": "Aquest usuari ja existeix", - "error-email-taken": "L'adreça de correu electrònic ja és en ús", - "export-board": "Exporta tauler", - "filter": "Filtre", - "filter-cards": "Fitxes de filtre", - "filter-clear": "Elimina filtre", - "filter-no-label": "Sense etiqueta", - "filter-no-member": "Sense membres", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filtra per", - "filter-on-desc": "Estau filtrant fitxes en aquest tauler. Feu clic aquí per editar el filtre.", - "filter-to-selection": "Filtra selecció", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Nom complet", - "header-logo-title": "Torna a la teva pàgina de taulers", - "hide-system-messages": "Oculta missatges del sistema", - "headerBarCreateBoardPopup-title": "Crea tauler", - "home": "Inici", - "import": "importa", - "import-board": "Importa tauler", - "import-board-c": "Importa tauler", - "import-board-title-trello": "Importa tauler des de Trello", - "import-board-title-wekan": "I", - "import-sandstorm-warning": "Estau segur que voleu esborrar aquesta checklist?", - "from-trello": "Des de Trello", - "from-wekan": "Des de Wekan", - "import-board-instruction-trello": "En el teu tauler Trello, ves a 'Menú', 'Més'.' Imprimir i Exportar', 'Exportar JSON', i copia el text resultant.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Aferra codi JSON vàlid aquí", - "import-map-members": "Mapeja el membres", - "import-members-map": "El tauler importat conté membres. Assigna els membres que vulguis importar a usuaris Wekan", - "import-show-user-mapping": "Revisa l'assignació de membres", - "import-user-select": "Selecciona l'usuari Wekan que vulguis associar a aquest membre", - "importMapMembersAddPopup-title": "Selecciona un membre de Wekan", - "info": "Versió", - "initials": "Inicials", - "invalid-date": "Data invàlida", - "invalid-time": "Temps Invàlid", - "invalid-user": "Usuari invàlid", - "joined": "s'ha unit", - "just-invited": "Has estat convidat a aquest tauler", - "keyboard-shortcuts": "Dreceres de teclat", - "label-create": "Crea etiqueta", - "label-default": "%s etiqueta (per defecte)", - "label-delete-pop": "No es pot desfer. Això eliminarà aquesta etiqueta de totes les fitxes i destruirà la seva història.", - "labels": "Etiquetes", - "language": "Idioma", - "last-admin-desc": "No podeu canviar rols perquè ha d'haver-hi almenys un administrador.", - "leave-board": "Abandona tauler", - "leave-board-pop": "De debò voleu abandonar __boardTitle__? Se us eliminarà de totes les fitxes d'aquest tauler.", - "leaveBoardPopup-title": "Abandonar Tauler?", - "link-card": "Enllaç a aquesta fitxa", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Mou totes les fitxes d'aquesta llista", - "list-select-cards": "Selecciona totes les fitxes d'aquesta llista", - "listActionPopup-title": "Accions de la llista", - "swimlaneActionPopup-title": "Accions de Carril de Natació", - "listImportCardPopup-title": "importa una fitxa de Trello", - "listMorePopup-title": "Més", - "link-list": "Enllaça a aquesta llista", - "list-delete-pop": "Totes les accions seran esborrades de la llista d'activitats i no serà possible recuperar la llista", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Llistes", - "swimlanes": "Carrils de Natació", - "log-out": "Finalitza la sessió", - "log-in": "Ingresa", - "loginPopup-title": "Inicia sessió", - "memberMenuPopup-title": "Configura membres", - "members": "Membres", - "menu": "Menú", - "move-selection": "Move selection", - "moveCardPopup-title": "Moure fitxa", - "moveCardToBottom-title": "Mou a la part inferior", - "moveCardToTop-title": "Mou a la part superior", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selecció", - "multi-selection-on": "Multi-Selecció està activada", - "muted": "En silenci", - "muted-info": "No seràs notificat dels canvis en aquest tauler", - "my-boards": "Els meus taulers", - "name": "Nom", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Sense resultats", - "normal": "Normal", - "normal-desc": "Podeu veure i editar fitxes. No podeu canviar la configuració.", - "not-accepted-yet": "La invitació no ha esta acceptada encara", - "notify-participate": "Rebre actualitzacions per a cada fitxa de la qual n'ets creador o membre", - "notify-watch": "Rebre actualitzacions per qualsevol tauler, llista o fitxa en observació", - "optional": "opcional", - "or": "o", - "page-maybe-private": "Aquesta pàgina és privada. Per veure-la entra .", - "page-not-found": "Pàgina no trobada.", - "password": "Contrasenya", - "paste-or-dragdrop": "aferra, o estira i amolla la imatge (només imatge)", - "participating": "Participant", - "preview": "Vista prèvia", - "previewAttachedImagePopup-title": "Vista prèvia", - "previewClipboardImagePopup-title": "Vista prèvia", - "private": "Privat", - "private-desc": "Aquest tauler és privat. Només les persones afegides al tauler poden veure´l i editar-lo.", - "profile": "Perfil", - "public": "Públic", - "public-desc": "Aquest tauler és públic. És visible per a qualsevol persona amb l'enllaç i es mostrarà en els motors de cerca com Google. Només persones afegides al tauler poden editar-lo.", - "quick-access-description": "Inicia un tauler per afegir un accés directe en aquest barra", - "remove-cover": "Elimina coberta", - "remove-from-board": "Elimina del tauler", - "remove-label": "Elimina l'etiqueta", - "listDeletePopup-title": "Esborrar la llista?", - "remove-member": "Elimina membre", - "remove-member-from-card": "Elimina de la fitxa", - "remove-member-pop": "Eliminar __name__ (__username__) de __boardTitle__ ? El membre serà eliminat de totes les fitxes d'aquest tauler. Ells rebran una notificació.", - "removeMemberPopup-title": "Vols suprimir el membre?", - "rename": "Canvia el nom", - "rename-board": "Canvia el nom del tauler", - "restore": "Restaura", - "save": "Desa", - "search": "Cerca", - "search-cards": "Cerca títols de fitxa i descripcions en aquest tauler", - "search-example": "Text que cercar?", - "select-color": "Selecciona color", - "set-wip-limit-value": "Limita el màxim nombre de tasques en aquesta llista", - "setWipLimitPopup-title": "Configura el Límit de Treball en Progrès", - "shortcut-assign-self": "Assigna't la ftixa actual", - "shortcut-autocomplete-emoji": "Autocompleta emoji", - "shortcut-autocomplete-members": "Autocompleta membres", - "shortcut-clear-filters": "Elimina tots els filters", - "shortcut-close-dialog": "Tanca el diàleg", - "shortcut-filter-my-cards": "Filtra les meves fitxes", - "shortcut-show-shortcuts": "Mostra aquesta lista d'accessos directes", - "shortcut-toggle-filterbar": "Canvia la barra lateral del tauler", - "shortcut-toggle-sidebar": "Canvia Sidebar del Tauler", - "show-cards-minimum-count": "Mostra contador de fitxes si la llista en conté més de", - "sidebar-open": "Mostra barra lateral", - "sidebar-close": "Amaga barra lateral", - "signupPopup-title": "Crea un compte", - "star-board-title": "Fes clic per destacar aquest tauler. Es mostrarà a la part superior de la llista de taulers.", - "starred-boards": "Taulers destacats", - "starred-boards-description": "Els taulers destacats es mostraran a la part superior de la llista de taulers.", - "subscribe": "Subscriure", - "team": "Equip", - "this-board": "aquest tauler", - "this-card": "aquesta fitxa", - "spent-time-hours": "Temps dedicat (hores)", - "overtime-hours": "Temps de més (hores)", - "overtime": "Temps de més", - "has-overtime-cards": "Té fitxes amb temps de més", - "has-spenttime-cards": "Té fitxes amb temps dedicat", - "time": "Hora", - "title": "Títol", - "tracking": "En seguiment", - "tracking-info": "Seràs notificat per cada canvi a aquelles fitxes de les que n'eres creador o membre", - "type": "Type", - "unassign-member": "Desassignar membre", - "unsaved-description": "Tens una descripció sense desar.", - "unwatch": "Suprimeix observació", - "upload": "Puja", - "upload-avatar": "Actualitza avatar", - "uploaded-avatar": "Avatar actualitzat", - "username": "Nom d'Usuari", - "view-it": "Vist", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Observa", - "watching": "En observació", - "watching-info": "Seràs notificat de cada canvi en aquest tauler", - "welcome-board": "Tauler de benvinguda", - "welcome-swimlane": "Objectiu 1", - "welcome-list1": "Bàsics", - "welcome-list2": "Avançades", - "what-to-do": "Què vols fer?", - "wipLimitErrorPopup-title": "Límit de Treball en Progrès invàlid", - "wipLimitErrorPopup-dialog-pt1": "El nombre de tasques en esta llista és superior al límit de Treball en Progrès que heu definit.", - "wipLimitErrorPopup-dialog-pt2": "Si us plau mogui algunes taques fora d'aquesta llista, o configuri un límit de Treball en Progrès superior.", - "admin-panel": "Tauler d'administració", - "settings": "Configuració", - "people": "Persones", - "registration": "Registre", - "disable-self-registration": "Deshabilita Auto-Registre", - "invite": "Convida", - "invite-people": "Convida a persones", - "to-boards": "Al tauler(s)", - "email-addresses": "Adreça de correu", - "smtp-host-description": "L'adreça del vostre servidor SMTP.", - "smtp-port-description": "El port del vostre servidor SMTP.", - "smtp-tls-description": "Activa suport TLS pel servidor SMTP", - "smtp-host": "Servidor SMTP", - "smtp-port": "Port SMTP", - "smtp-username": "Nom d'Usuari", - "smtp-password": "Contrasenya", - "smtp-tls": "Suport TLS", - "send-from": "De", - "send-smtp-test": "Envia't un correu electrònic de prova", - "invitation-code": "Codi d'invitació", - "email-invite-register-subject": "__inviter__ t'ha convidat", - "email-invite-register-text": " __user__,\n\n __inviter__ us ha convidat a col·laborar a Wekan.\n\n Clicau l'enllaç següent per acceptar l'invitació:\n __url__\n\n El vostre codi d'invitació és: __icode__\n\n Gràcies", - "email-smtp-test-subject": "Correu de Prova SMTP de Wekan", - "email-smtp-test-text": "Has enviat un missatge satisfactòriament", - "error-invitation-code-not-exist": "El codi d'invitació no existeix", - "error-notAuthorized": "No estau autoritzats per veure aquesta pàgina", - "outgoing-webhooks": "Webhooks sortints", - "outgoingWebhooksPopup-title": "Webhooks sortints", - "new-outgoing-webhook": "Nou Webook sortint", - "no-name": "Importa tauler des de Wekan", - "Wekan_version": "Versió Wekan", - "Node_version": "Versió Node", - "OS_Arch": "Arquitectura SO", - "OS_Cpus": "Plataforma SO", - "OS_Freemem": "Memòria lliure", - "OS_Loadavg": "Carrega de SO", - "OS_Platform": "Plataforma de SO", - "OS_Release": "Versió SO", - "OS_Totalmem": "Memòria total", - "OS_Type": "Tipus de SO", - "OS_Uptime": "Temps d'activitat", - "hours": "hores", - "minutes": "minuts", - "seconds": "segons", - "show-field-on-card": "Show this field on card", - "yes": "Si", - "no": "No", - "accounts": "Comptes", - "accounts-allowEmailChange": "Permet modificar correu electrònic", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Creat ", - "verified": "Verificat", - "active": "Actiu", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" -} \ No newline at end of file diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json deleted file mode 100644 index 987b98d0..00000000 --- a/i18n/cs.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Přijmout", - "act-activity-notify": "[Wekan] Notifikace aktivit", - "act-addAttachment": "přiložen __attachment__ do __card__", - "act-addChecklist": "přidán checklist __checklist__ do __card__", - "act-addChecklistItem": "přidán __checklistItem__ do checklistu __checklist__ v __card__", - "act-addComment": "komentář k __card__: __comment__", - "act-createBoard": "přidání __board__", - "act-createCard": "přidání __card__ do __list__", - "act-createCustomField": "vytvořeno vlastní pole __customField__", - "act-createList": "přidání __list__ do __board__", - "act-addBoardMember": "přidání __member__ do __board__", - "act-archivedBoard": "__board__ bylo přesunuto do koše", - "act-archivedCard": "__card__ bylo přesunuto do koše", - "act-archivedList": "__list__ bylo přesunuto do koše", - "act-archivedSwimlane": "__swimlane__ bylo přesunuto do koše", - "act-importBoard": "import __board__", - "act-importCard": "import __card__", - "act-importList": "import __list__", - "act-joinMember": "přidání __member__ do __card__", - "act-moveCard": "přesun __card__ z __oldList__ do __list__", - "act-removeBoardMember": "odstranění __member__ z __board__", - "act-restoredCard": "obnovení __card__ do __board__", - "act-unjoinMember": "odstranění __member__ z __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Akce", - "activities": "Aktivity", - "activity": "Aktivita", - "activity-added": "%s přidáno k %s", - "activity-archived": "%s bylo přesunuto do koše", - "activity-attached": "přiloženo %s k %s", - "activity-created": "%s vytvořeno", - "activity-customfield-created": "vytvořeno vlastní pole %s", - "activity-excluded": "%s vyjmuto z %s", - "activity-imported": "importován %s do %s z %s", - "activity-imported-board": "importován %s z %s", - "activity-joined": "spojen %s", - "activity-moved": "%s přesunuto z %s do %s", - "activity-on": "na %s", - "activity-removed": "odstraněn %s z %s", - "activity-sent": "%s posláno na %s", - "activity-unjoined": "odpojen %s", - "activity-checklist-added": "přidán checklist do %s", - "activity-checklist-item-added": "přidána položka checklist do '%s' v %s", - "add": "Přidat", - "add-attachment": "Přidat přílohu", - "add-board": "Přidat tablo", - "add-card": "Přidat kartu", - "add-swimlane": "Přidat Swimlane", - "add-checklist": "Přidat zaškrtávací seznam", - "add-checklist-item": "Přidat položku do zaškrtávacího seznamu", - "add-cover": "Přidat obal", - "add-label": "Přidat štítek", - "add-list": "Přidat list", - "add-members": "Přidat členy", - "added": "Přidán", - "addMemberPopup-title": "Členové", - "admin": "Administrátor", - "admin-desc": "Může zobrazovat a upravovat karty, mazat členy a měnit nastavení tabla.", - "admin-announcement": "Oznámení", - "admin-announcement-active": "Aktivní oznámení v celém systému", - "admin-announcement-title": "Oznámení od administrátora", - "all-boards": "Všechna tabla", - "and-n-other-card": "A __count__ další karta(y)", - "and-n-other-card_plural": "A __count__ dalších karet", - "apply": "Použít", - "app-is-offline": "Wekan se načítá, prosím čekejte. Obnovení stránky způsobí ztrátu dat. Pokud se Wekan nenačte, zkontrolujte prosím, jestli se server s Wekanem nezastavil.", - "archive": "Přesunout do koše", - "archive-all": "Přesunout všechno do koše", - "archive-board": "Přesunout tablo do koše", - "archive-card": "Přesunout kartu do koše", - "archive-list": "Přesunout seznam do koše", - "archive-swimlane": "Přesunout swimlane do koše", - "archive-selection": "Přesunout výběr do koše", - "archiveBoardPopup-title": "Chcete přesunout tablo do koše?", - "archived-items": "Koš", - "archived-boards": "Tabla v koši", - "restore-board": "Obnovit tablo", - "no-archived-boards": "Žádná tabla v koši", - "archives": "Koš", - "assign-member": "Přiřadit člena", - "attached": "přiloženo", - "attachment": "Příloha", - "attachment-delete-pop": "Smazání přílohy je trvalé. Nejde vrátit zpět.", - "attachmentDeletePopup-title": "Smazat přílohu?", - "attachments": "Přílohy", - "auto-watch": "Automaticky sleduj tabla když jsou vytvořena", - "avatar-too-big": "Avatar obrázek je příliš velký (70KB max)", - "back": "Zpět", - "board-change-color": "Změnit barvu", - "board-nb-stars": "%s hvězdiček", - "board-not-found": "Tablo nenalezeno", - "board-private-info": "Toto tablo bude soukromé.", - "board-public-info": "Toto tablo bude veřejné.", - "boardChangeColorPopup-title": "Změnit pozadí tabla", - "boardChangeTitlePopup-title": "Přejmenovat tablo", - "boardChangeVisibilityPopup-title": "Upravit viditelnost", - "boardChangeWatchPopup-title": "Změnit sledování", - "boardMenuPopup-title": "Menu tabla", - "boards": "Tabla", - "board-view": "Náhled tabla", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Seznamy", - "bucket-example": "Například \"Než mě odvedou\"", - "cancel": "Zrušit", - "card-archived": "Karta byla přesunuta do koše.", - "card-comments-title": "Tato karta má %s komentářů.", - "card-delete-notice": "Smazání je trvalé. Přijdete o všechny akce asociované s touto kartou.", - "card-delete-pop": "Všechny akce budou odstraněny z kanálu aktivity a nebude možné kartu znovu otevřít. Toto nelze vrátit zpět.", - "card-delete-suggest-archive": "Kartu můžete přesunout do koše a tím ji odstranit z tabla a přitom zachovat aktivity.", - "card-due": "Termín", - "card-due-on": "Do", - "card-spent": "Strávený čas", - "card-edit-attachments": "Upravit přílohy", - "card-edit-custom-fields": "Upravit vlastní pole", - "card-edit-labels": "Upravit štítky", - "card-edit-members": "Upravit členy", - "card-labels-title": "Změnit štítky karty.", - "card-members-title": "Přidat nebo odstranit členy tohoto tabla z karty.", - "card-start": "Start", - "card-start-on": "Začít dne", - "cardAttachmentsPopup-title": "Přiložit formulář", - "cardCustomField-datePopup-title": "Změnit datum", - "cardCustomFieldsPopup-title": "Upravit vlastní pole", - "cardDeletePopup-title": "Smazat kartu?", - "cardDetailsActionsPopup-title": "Akce karty", - "cardLabelsPopup-title": "Štítky", - "cardMembersPopup-title": "Členové", - "cardMorePopup-title": "Více", - "cards": "Karty", - "cards-count": "Karty", - "change": "Změnit", - "change-avatar": "Změnit avatar", - "change-password": "Změnit heslo", - "change-permissions": "Změnit oprávnění", - "change-settings": "Změnit nastavení", - "changeAvatarPopup-title": "Změnit avatar", - "changeLanguagePopup-title": "Změnit jazyk", - "changePasswordPopup-title": "Změnit heslo", - "changePermissionsPopup-title": "Změnit oprávnění", - "changeSettingsPopup-title": "Změnit nastavení", - "checklists": "Checklisty", - "click-to-star": "Kliknutím přidat hvězdičku tomuto tablu.", - "click-to-unstar": "Kliknutím odebrat hvězdičku tomuto tablu.", - "clipboard": "Schránka nebo potáhnout a pustit", - "close": "Zavřít", - "close-board": "Zavřít tablo", - "close-board-pop": "Kliknutím na tlačítko \"Recyklovat\" budete moci obnovit tablo z koše.", - "color-black": "černá", - "color-blue": "modrá", - "color-green": "zelená", - "color-lime": "světlezelená", - "color-orange": "oranžová", - "color-pink": "růžová", - "color-purple": "fialová", - "color-red": "červená", - "color-sky": "nebeská", - "color-yellow": "žlutá", - "comment": "Komentář", - "comment-placeholder": "Text komentáře", - "comment-only": "Pouze komentáře", - "comment-only-desc": "Může přidávat komentáře pouze do karet.", - "computer": "Počítač", - "confirm-checklist-delete-dialog": "Opravdu chcete smazat tento checklist?", - "copy-card-link-to-clipboard": "Kopírovat adresu karty do mezipaměti", - "copyCardPopup-title": "Kopírovat kartu", - "copyChecklistToManyCardsPopup-title": "Kopírovat checklist do více karet", - "copyChecklistToManyCardsPopup-instructions": "Názvy a popisy cílové karty v tomto formátu JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Nadpis první karty\", \"description\":\"Popis druhé karty\"}, {\"title\":\"Nadpis druhé karty\",\"description\":\"Popis druhé karty\"},{\"title\":\"Nadpis poslední kary\",\"description\":\"Popis poslední karty\"} ]", - "create": "Vytvořit", - "createBoardPopup-title": "Vytvořit tablo", - "chooseBoardSourcePopup-title": "Importovat tablo", - "createLabelPopup-title": "Vytvořit štítek", - "createCustomField": "Vytvořit pole", - "createCustomFieldPopup-title": "Vytvořit pole", - "current": "Aktuální", - "custom-field-delete-pop": "Nelze vrátit zpět. Toto odebere toto vlastní pole ze všech karet a zničí jeho historii.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Datum", - "custom-field-dropdown": "Rozbalovací seznam", - "custom-field-dropdown-none": "(prázdné)", - "custom-field-dropdown-options": "Seznam možností", - "custom-field-dropdown-options-placeholder": "Stiskněte enter pro přidání více možností", - "custom-field-dropdown-unknown": "(neznámé)", - "custom-field-number": "Číslo", - "custom-field-text": "Text", - "custom-fields": "Vlastní pole", - "date": "Datum", - "decline": "Zamítnout", - "default-avatar": "Výchozí avatar", - "delete": "Smazat", - "deleteCustomFieldPopup-title": "Smazat vlastní pole", - "deleteLabelPopup-title": "Smazat štítek?", - "description": "Popis", - "disambiguateMultiLabelPopup-title": "Dvojznačný štítek akce", - "disambiguateMultiMemberPopup-title": "Dvojznačná akce člena", - "discard": "Zahodit", - "done": "Hotovo", - "download": "Stáhnout", - "edit": "Upravit", - "edit-avatar": "Změnit avatar", - "edit-profile": "Upravit profil", - "edit-wip-limit": "Upravit WIP Limit", - "soft-wip-limit": "Mírný WIP limit", - "editCardStartDatePopup-title": "Změnit datum startu úkolu", - "editCardDueDatePopup-title": "Změnit datum dokončení úkolu", - "editCustomFieldPopup-title": "Upravit pole", - "editCardSpentTimePopup-title": "Změnit strávený čas", - "editLabelPopup-title": "Změnit štítek", - "editNotificationPopup-title": "Změnit notifikace", - "editProfilePopup-title": "Upravit profil", - "email": "Email", - "email-enrollAccount-subject": "Byl vytvořen účet na __siteName__", - "email-enrollAccount-text": "Ahoj __user__,\n\nMůžeš začít používat službu kliknutím na odkaz níže.\n\n__url__\n\nDěkujeme.", - "email-fail": "Odeslání emailu selhalo", - "email-fail-text": "Chyba při pokusu o odeslání emailu", - "email-invalid": "Neplatný email", - "email-invite": "Pozvat pomocí emailu", - "email-invite-subject": "__inviter__ odeslal pozvánku", - "email-invite-text": "Ahoj __user__,\n\n__inviter__ tě přizval ke spolupráci na tablu \"__board__\".\n\nNásleduj prosím odkaz níže:\n\n__url__\n\nDěkujeme.", - "email-resetPassword-subject": "Změň své heslo na __siteName__", - "email-resetPassword-text": "Ahoj __user__,\n\nPro změnu hesla klikni na odkaz níže.\n\n__url__\n\nDěkujeme.", - "email-sent": "Email byl odeslán", - "email-verifyEmail-subject": "Ověř svou emailovou adresu na", - "email-verifyEmail-text": "Ahoj __user__,\n\nPro ověření emailové adresy klikni na odkaz níže.\n\n__url__\n\nDěkujeme.", - "enable-wip-limit": "Povolit WIP Limit", - "error-board-doesNotExist": "Toto tablo neexistuje", - "error-board-notAdmin": "K provedení změny musíš být administrátor tohoto tabla", - "error-board-notAMember": "K provedení změny musíš být členem tohoto tabla", - "error-json-malformed": "Tvůj text není validní JSON", - "error-json-schema": "Tato JSON data neobsahují správné informace v platném formátu", - "error-list-doesNotExist": "Tento seznam neexistuje", - "error-user-doesNotExist": "Tento uživatel neexistuje", - "error-user-notAllowSelf": "Nemůžeš pozvat sám sebe", - "error-user-notCreated": "Tento uživatel není vytvořen", - "error-username-taken": "Toto uživatelské jméno již existuje", - "error-email-taken": "Tento email byl již použit", - "export-board": "Exportovat tablo", - "filter": "Filtr", - "filter-cards": "Filtrovat karty", - "filter-clear": "Vyčistit filtr", - "filter-no-label": "Žádný štítek", - "filter-no-member": "Žádný člen", - "filter-no-custom-fields": "Žádné vlastní pole", - "filter-on": "Filtr je zapnut", - "filter-on-desc": "Filtrujete karty tohoto tabla. Pro úpravu filtru klikni sem.", - "filter-to-selection": "Filtrovat výběr", - "advanced-filter-label": "Pokročilý filtr", - "advanced-filter-description": "Pokročilý filtr dovoluje zapsat řetězec následujících operátorů: == != <= >= && || () Operátory jsou odděleny mezerou. Můžete filtrovat všechny vlastní pole zadáním jejich názvů nebo hodnot. Například: Pole1 == Hodnota1. Poznámka: Pokud pole nebo hodnoty obsahují mezery, je potřeba je obalit v jednoduchých uvozovkách. Například: 'Pole 1' == 'Hodnota 1'. Můžete také kombinovat více podmínek. Například P1 == H1 || P1 == H2. Obvykle jsou operátory interpretovány zleva doprava. Jejich pořadí můžete měnit pomocí závorek. Například: P1 == H1 && (P2 == H2 || P2 == H3 )", - "fullname": "Celé jméno", - "header-logo-title": "Jit zpět na stránku s tably.", - "hide-system-messages": "Skrýt systémové zprávy", - "headerBarCreateBoardPopup-title": "Vytvořit tablo", - "home": "Domů", - "import": "Import", - "import-board": "Importovat tablo", - "import-board-c": "Importovat tablo", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Importovat tablo z Wekanu", - "import-sandstorm-warning": "Importované tablo spaže všechny existující data v tablu a nahradí je importovaným tablem.", - "from-trello": "Z Trella", - "from-wekan": "Z Wekanu", - "import-board-instruction-trello": "Na svém Trello tablu, otevři 'Menu', pak 'More', 'Print and Export', 'Export JSON', a zkopíruj výsledný text", - "import-board-instruction-wekan": "Ve vašem Wekan tablu jděte do 'Menu', klikněte na 'Exportovat tablo' a zkopírujte text ze staženého souboru.", - "import-json-placeholder": "Sem vlož validní JSON data", - "import-map-members": "Mapovat členy", - "import-members-map": "Toto importované tablo obsahuje několik členů. Namapuj členy z importu na uživatelské účty Wekan.", - "import-show-user-mapping": "Zkontrolovat namapování členů", - "import-user-select": "Vyber uživatele Wekan, kterého chceš použít pro tohoto člena", - "importMapMembersAddPopup-title": "Vybrat Wekan uživatele", - "info": "Verze", - "initials": "Iniciály", - "invalid-date": "Neplatné datum", - "invalid-time": "Neplatný čas", - "invalid-user": "Neplatný uživatel", - "joined": "spojeno", - "just-invited": "Právě jsi byl pozván(a) do tohoto tabla", - "keyboard-shortcuts": "Klávesové zkratky", - "label-create": "Vytvořit štítek", - "label-default": "%s štítek (výchozí)", - "label-delete-pop": "Nelze vrátit zpět. Toto odebere tento štítek ze všech karet a zničí jeho historii.", - "labels": "Štítky", - "language": "Jazyk", - "last-admin-desc": "Nelze změnit role, protože musí existovat alespoň jeden administrátor.", - "leave-board": "Opustit tablo", - "leave-board-pop": "Opravdu chcete opustit tablo __boardTitle__? Odstraníte se tím i ze všech karet v tomto tablu.", - "leaveBoardPopup-title": "Opustit tablo?", - "link-card": "Odkázat na tuto kartu", - "list-archive-cards": "Přesunout všechny karty v tomto seznamu do koše", - "list-archive-cards-pop": "Toto odstraní z tabla všechny karty z tohoto seznamu. Pro zobrazení karet v koši a jejich opětovné obnovení, klikni v \"Menu\" > \"Archivované položky\".", - "list-move-cards": "Přesunout všechny karty v tomto seznamu", - "list-select-cards": "Vybrat všechny karty v tomto seznamu", - "listActionPopup-title": "Vypsat akce", - "swimlaneActionPopup-title": "Akce swimlane", - "listImportCardPopup-title": "Importovat Trello kartu", - "listMorePopup-title": "Více", - "link-list": "Odkaz na tento seznam", - "list-delete-pop": "Všechny akce budou odstraněny z kanálu aktivity a nebude možné kartu obnovit. Toto nelze vrátit zpět.", - "list-delete-suggest-archive": "Kartu můžete přesunout do koše a tím ji odstranit z tabla a přitom zachovat aktivity.", - "lists": "Seznamy", - "swimlanes": "Swimlanes", - "log-out": "Odhlásit", - "log-in": "Přihlásit", - "loginPopup-title": "Přihlásit", - "memberMenuPopup-title": "Nastavení uživatele", - "members": "Členové", - "menu": "Menu", - "move-selection": "Přesunout výběr", - "moveCardPopup-title": "Přesunout kartu", - "moveCardToBottom-title": "Přesunout dolu", - "moveCardToTop-title": "Přesunout nahoru", - "moveSelectionPopup-title": "Přesunout výběr", - "multi-selection": "Multi-výběr", - "multi-selection-on": "Multi-výběr je zapnut", - "muted": "Umlčeno", - "muted-info": "Nikdy nedostanete oznámení o změně v tomto tablu.", - "my-boards": "Moje tabla", - "name": "Jméno", - "no-archived-cards": "Žádné karty v koši", - "no-archived-lists": "Žádné seznamy v koši", - "no-archived-swimlanes": "Žádné swimlane v koši", - "no-results": "Žádné výsledky", - "normal": "Normální", - "normal-desc": "Může zobrazovat a upravovat karty. Nemůže měnit nastavení.", - "not-accepted-yet": "Pozvánka ještě nebyla přijmuta", - "notify-participate": "Dostane aktualizace do všech karet, ve kterých se účastní jako tvůrce nebo člen", - "notify-watch": "Dostane aktualitace to všech tabel, seznamů nebo karet, které sledujete", - "optional": "volitelný", - "or": "nebo", - "page-maybe-private": "Tato stránka může být soukromá. Můžete ji zobrazit po přihlášení.", - "page-not-found": "Stránka nenalezena.", - "password": "Heslo", - "paste-or-dragdrop": "vložit, nebo přetáhnout a pustit soubor obrázku (pouze obrázek)", - "participating": "Zúčastnění", - "preview": "Náhled", - "previewAttachedImagePopup-title": "Náhled", - "previewClipboardImagePopup-title": "Náhled", - "private": "Soukromý", - "private-desc": "Toto tablo je soukromé. Pouze vybraní uživatelé ho mohou zobrazit a upravovat.", - "profile": "Profil", - "public": "Veřejný", - "public-desc": "Toto tablo je veřejné. Je viditelné pro každého, kdo na něj má odkaz a bude zobrazeno ve vyhledávačích jako je Google. Pouze vybraní uživatelé ho mohou upravovat.", - "quick-access-description": "Pro přidání odkazu do této lišty označ tablo hvězdičkou.", - "remove-cover": "Odstranit obal", - "remove-from-board": "Odstranit z tabla", - "remove-label": "Odstranit štítek", - "listDeletePopup-title": "Smazat seznam?", - "remove-member": "Odebrat uživatele", - "remove-member-from-card": "Odstranit z karty", - "remove-member-pop": "Odstranit __name__ (__username__) z __boardTitle__? Uživatel bude odebrán ze všech karet na tomto tablu. Na tuto skutečnost bude upozorněn.", - "removeMemberPopup-title": "Odstranit člena?", - "rename": "Přejmenovat", - "rename-board": "Přejmenovat tablo", - "restore": "Obnovit", - "save": "Uložit", - "search": "Hledat", - "search-cards": "Hledat nadpisy a popisy karet v tomto tablu", - "search-example": "Hledaný text", - "select-color": "Vybrat barvu", - "set-wip-limit-value": "Nastaví limit pro maximální počet úkolů v seznamu.", - "setWipLimitPopup-title": "Nastavit WIP Limit", - "shortcut-assign-self": "Přiřadit sebe k aktuální kartě", - "shortcut-autocomplete-emoji": "Automatické dokončování emoji", - "shortcut-autocomplete-members": "Automatický výběr uživatel", - "shortcut-clear-filters": "Vyčistit všechny filtry", - "shortcut-close-dialog": "Zavřít dialog", - "shortcut-filter-my-cards": "Filtrovat mé karty", - "shortcut-show-shortcuts": "Otevřít tento seznam odkazů", - "shortcut-toggle-filterbar": "Přepnout lištu filtrování", - "shortcut-toggle-sidebar": "Přepnout lištu tabla", - "show-cards-minimum-count": "Zobrazit počet karet pokud seznam obsahuje více než ", - "sidebar-open": "Otevřít boční panel", - "sidebar-close": "Zavřít boční panel", - "signupPopup-title": "Vytvořit účet", - "star-board-title": "Kliknutím přidat tablu hvězdičku. Poté bude zobrazeno navrchu seznamu.", - "starred-boards": "Tabla s hvězdičkou", - "starred-boards-description": "Tabla s hvězdičkou jsou zobrazena navrchu seznamu.", - "subscribe": "Odebírat", - "team": "Tým", - "this-board": "toto tablo", - "this-card": "tuto kartu", - "spent-time-hours": "Strávený čas (hodiny)", - "overtime-hours": "Přesčas (hodiny)", - "overtime": "Přesčas", - "has-overtime-cards": "Obsahuje karty s přesčasy", - "has-spenttime-cards": "Obsahuje karty se stráveným časem", - "time": "Čas", - "title": "Název", - "tracking": "Pozorující", - "tracking-info": "Budete informováni o všech změnách v kartách, u kterých jste tvůrce nebo člen.", - "type": "Typ", - "unassign-member": "Vyřadit člena", - "unsaved-description": "Popis neni uložen.", - "unwatch": "Přestat sledovat", - "upload": "Nahrát", - "upload-avatar": "Nahrát avatar", - "uploaded-avatar": "Avatar nahrán", - "username": "Uživatelské jméno", - "view-it": "Zobrazit", - "warn-list-archived": "varování: tuto kartu obsahuje seznam v koši", - "watch": "Sledovat", - "watching": "Sledující", - "watching-info": "Bude vám oznámena každá změna v tomto tablu", - "welcome-board": "Uvítací tablo", - "welcome-swimlane": "Milník 1", - "welcome-list1": "Základní", - "welcome-list2": "Pokročilé", - "what-to-do": "Co chcete dělat?", - "wipLimitErrorPopup-title": "Neplatný WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "Počet úkolů v tomto seznamu je vyšší než definovaný WIP limit.", - "wipLimitErrorPopup-dialog-pt2": "Přesuňte prosím některé úkoly mimo tento seznam, nebo nastavte vyšší WIP limit.", - "admin-panel": "Administrátorský panel", - "settings": "Nastavení", - "people": "Lidé", - "registration": "Registrace", - "disable-self-registration": "Vypnout svévolnou registraci", - "invite": "Pozvánka", - "invite-people": "Pozvat lidi", - "to-boards": "Do tabel", - "email-addresses": "Emailové adresy", - "smtp-host-description": "Adresa SMTP serveru, který zpracovává vaše emaily.", - "smtp-port-description": "Port, který používá Váš SMTP server pro odchozí emaily.", - "smtp-tls-description": "Zapnout TLS podporu pro SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Uživatelské jméno", - "smtp-password": "Heslo", - "smtp-tls": "podpora TLS", - "send-from": "Od", - "send-smtp-test": "Poslat si zkušební email.", - "invitation-code": "Kód pozvánky", - "email-invite-register-subject": "__inviter__ odeslal pozvánku", - "email-invite-register-text": "Ahoj __user__,\n\n__inviter__ tě přizval ke spolupráci ve Wekanu.\n\nNásleduj prosím odkaz níže:\n\n__url__\n\nKód Tvé pozvánky je: __icode__\n\nDěkujeme.", - "email-smtp-test-subject": "SMTP Testovací email z Wekanu", - "email-smtp-test-text": "Email byl úspěšně odeslán", - "error-invitation-code-not-exist": "Kód pozvánky neexistuje.", - "error-notAuthorized": "Nejste autorizován k prohlížení této stránky.", - "outgoing-webhooks": "Odchozí Webhooky", - "outgoingWebhooksPopup-title": "Odchozí Webhooky", - "new-outgoing-webhook": "Nové odchozí Webhooky", - "no-name": "(Neznámé)", - "Wekan_version": "Wekan verze", - "Node_version": "Node verze", - "OS_Arch": "OS Architektura", - "OS_Cpus": "OS Počet CPU", - "OS_Freemem": "OS Volná paměť", - "OS_Loadavg": "OS Průměrná zátěž systém", - "OS_Platform": "Platforma OS", - "OS_Release": "Verze OS", - "OS_Totalmem": "OS Celková paměť", - "OS_Type": "Typ OS", - "OS_Uptime": "OS Doba běhu systému", - "hours": "hodin", - "minutes": "minut", - "seconds": "sekund", - "show-field-on-card": "Ukázat toto pole na kartě", - "yes": "Ano", - "no": "Ne", - "accounts": "Účty", - "accounts-allowEmailChange": "Povolit změnu Emailu", - "accounts-allowUserNameChange": "Povolit změnu uživatelského jména", - "createdAt": "Vytvořeno v", - "verified": "Ověřen", - "active": "Aktivní", - "card-received": "Přijato", - "card-received-on": "Přijaté v", - "card-end": "Konec", - "card-end-on": "Končí v", - "editCardReceivedDatePopup-title": "Změnit datum přijetí", - "editCardEndDatePopup-title": "Změnit datum konce" -} \ No newline at end of file diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json deleted file mode 100644 index 52cc0e71..00000000 --- a/i18n/de.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Akzeptieren", - "act-activity-notify": "[Wekan] Aktivitätsbenachrichtigung", - "act-addAttachment": "hat __attachment__ an __card__ angehängt", - "act-addChecklist": "hat die Checkliste __checklist__ zu __card__ hinzugefügt", - "act-addChecklistItem": "hat __checklistItem__ zur Checkliste __checklist__ in __card__ hinzugefügt", - "act-addComment": "hat __card__ kommentiert: __comment__", - "act-createBoard": "hat __board__ erstellt", - "act-createCard": "hat __card__ zu __list__ hinzugefügt", - "act-createCustomField": "benutzerdefiniertes Feld __customField__ angelegt", - "act-createList": "hat __list__ zu __board__ hinzugefügt", - "act-addBoardMember": "hat __member__ zu __board__ hinzugefügt", - "act-archivedBoard": "__board__ in den Papierkorb verschoben", - "act-archivedCard": "__card__ in den Papierkorb verschoben", - "act-archivedList": "__list__ in den Papierkorb verschoben", - "act-archivedSwimlane": "__swimlane__ in den Papierkorb verschoben", - "act-importBoard": "hat __board__ importiert", - "act-importCard": "hat __card__ importiert", - "act-importList": "hat __list__ importiert", - "act-joinMember": "hat __member__ zu __card__ hinzugefügt", - "act-moveCard": "hat __card__ von __oldList__ nach __list__ verschoben", - "act-removeBoardMember": "hat __member__ von __board__ entfernt", - "act-restoredCard": "hat __card__ in __board__ wiederhergestellt", - "act-unjoinMember": "hat __member__ von __card__ entfernt", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Aktionen", - "activities": "Aktivitäten", - "activity": "Aktivität", - "activity-added": "hat %s zu %s hinzugefügt", - "activity-archived": "hat %s in den Papierkorb verschoben", - "activity-attached": "hat %s an %s angehängt", - "activity-created": "hat %s erstellt", - "activity-customfield-created": "hat das benutzerdefinierte Feld %s erstellt", - "activity-excluded": "hat %s von %s ausgeschlossen", - "activity-imported": "hat %s in %s von %s importiert", - "activity-imported-board": "hat %s von %s importiert", - "activity-joined": "ist %s beigetreten", - "activity-moved": "hat %s von %s nach %s verschoben", - "activity-on": "in %s", - "activity-removed": "hat %s von %s entfernt", - "activity-sent": "hat %s an %s gesendet", - "activity-unjoined": "hat %s verlassen", - "activity-checklist-added": "hat eine Checkliste zu %s hinzugefügt", - "activity-checklist-item-added": "hat eine Checklistenposition zu '%s' in %s hinzugefügt", - "add": "Hinzufügen", - "add-attachment": "Datei anhängen", - "add-board": "neues Board", - "add-card": "Karte hinzufügen", - "add-swimlane": "Swimlane hinzufügen", - "add-checklist": "Checkliste hinzufügen", - "add-checklist-item": "Position zu einer Checkliste hinzufügen", - "add-cover": "Cover hinzufügen", - "add-label": "Label hinzufügen", - "add-list": "Liste hinzufügen", - "add-members": "Mitglieder hinzufügen", - "added": "Hinzugefügt", - "addMemberPopup-title": "Mitglieder", - "admin": "Admin", - "admin-desc": "Kann Karten anzeigen und bearbeiten, Mitglieder entfernen und Boardeinstellungen ändern.", - "admin-announcement": "Ankündigung", - "admin-announcement-active": "Aktive systemweite Ankündigungen", - "admin-announcement-title": "Ankündigung des Administrators", - "all-boards": "Alle Boards", - "and-n-other-card": "und eine andere Karte", - "and-n-other-card_plural": "und __count__ andere Karten", - "apply": "Übernehmen", - "app-is-offline": "Wekan lädt gerade, bitte warten Sie. Wenn Sie die Seite neu laden, gehen nicht übertragene Änderungen verloren. Sollte Wekan nicht geladen werden, überprüfen Sie bitte, ob der Server noch läuft.", - "archive": "In den Papierkorb verschieben", - "archive-all": "Alles in den Papierkorb verschieben", - "archive-board": "Board in den Papierkorb verschieben", - "archive-card": "Karte in den Papierkorb verschieben", - "archive-list": "Liste in den Papierkorb verschieben", - "archive-swimlane": "Swimlane in den Papierkorb verschieben", - "archive-selection": "Auswahl in den Papierkorb verschieben", - "archiveBoardPopup-title": "Board in den Papierkorb verschieben?", - "archived-items": "Papierkorb", - "archived-boards": "Boards im Papierkorb", - "restore-board": "Board wiederherstellen", - "no-archived-boards": "Keine Boards im Papierkorb.", - "archives": "Papierkorb", - "assign-member": "Mitglied zuweisen", - "attached": "angehängt", - "attachment": "Anhang", - "attachment-delete-pop": "Das Löschen eines Anhangs kann nicht rückgängig gemacht werden.", - "attachmentDeletePopup-title": "Anhang löschen?", - "attachments": "Anhänge", - "auto-watch": "Neue Boards nach Erstellung automatisch beobachten", - "avatar-too-big": "Das Profilbild ist zu groß (max. 70KB)", - "back": "Zurück", - "board-change-color": "Farbe ändern", - "board-nb-stars": "%s Sterne", - "board-not-found": "Board nicht gefunden", - "board-private-info": "Dieses Board wird privat sein.", - "board-public-info": "Dieses Board wird öffentlich sein.", - "boardChangeColorPopup-title": "Farbe des Boards ändern", - "boardChangeTitlePopup-title": "Board umbenennen", - "boardChangeVisibilityPopup-title": "Sichtbarkeit ändern", - "boardChangeWatchPopup-title": "Beobachtung ändern", - "boardMenuPopup-title": "Boardmenü", - "boards": "Boards", - "board-view": "Boardansicht", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Listen", - "bucket-example": "z.B. \"Löffelliste\"", - "cancel": "Abbrechen", - "card-archived": "Diese Karte wurde in den Papierkorb verschoben", - "card-comments-title": "Diese Karte hat %s Kommentar(e).", - "card-delete-notice": "Löschen kann nicht rückgängig gemacht werden. Alle Aktionen, die dieser Karte zugeordnet sind, werden ebenfalls gelöscht.", - "card-delete-pop": "Alle Aktionen werden aus dem Aktivitätsfeed entfernt und die Karte kann nicht wiedereröffnet werden. Die Aktion kann nicht rückgängig gemacht werden.", - "card-delete-suggest-archive": "Sie können eine Karte in den Papierkorb verschieben, um sie vom Board zu entfernen und die Aktivitäten zu behalten.", - "card-due": "Fällig", - "card-due-on": "Fällig am", - "card-spent": "Aufgewendete Zeit", - "card-edit-attachments": "Anhänge ändern", - "card-edit-custom-fields": "Benutzerdefinierte Felder editieren", - "card-edit-labels": "Labels ändern", - "card-edit-members": "Mitglieder ändern", - "card-labels-title": "Labels für diese Karte ändern.", - "card-members-title": "Der Karte Board-Mitglieder hinzufügen oder entfernen.", - "card-start": "Start", - "card-start-on": "Start am", - "cardAttachmentsPopup-title": "Anhängen von", - "cardCustomField-datePopup-title": "Datum ändern", - "cardCustomFieldsPopup-title": "Benutzerdefinierte Felder editieren", - "cardDeletePopup-title": "Karte löschen?", - "cardDetailsActionsPopup-title": "Kartenaktionen", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Mitglieder", - "cardMorePopup-title": "Mehr", - "cards": "Karten", - "cards-count": "Karten", - "change": "Ändern", - "change-avatar": "Profilbild ändern", - "change-password": "Passwort ändern", - "change-permissions": "Berechtigungen ändern", - "change-settings": "Einstellungen ändern", - "changeAvatarPopup-title": "Profilbild ändern", - "changeLanguagePopup-title": "Sprache ändern", - "changePasswordPopup-title": "Passwort ändern", - "changePermissionsPopup-title": "Berechtigungen ändern", - "changeSettingsPopup-title": "Einstellungen ändern", - "checklists": "Checklisten", - "click-to-star": "Klicken Sie, um das Board mit einem Stern zu markieren.", - "click-to-unstar": "Klicken Sie, um den Stern vom Board zu entfernen.", - "clipboard": "Zwischenablage oder Drag & Drop", - "close": "Schließen", - "close-board": "Board schließen", - "close-board-pop": "Sie können das Board wiederherstellen, indem Sie die Schaltfläche \"Papierkorb\" in der Kopfzeile der Startseite anklicken.", - "color-black": "schwarz", - "color-blue": "blau", - "color-green": "grün", - "color-lime": "hellgrün", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "lila", - "color-red": "rot", - "color-sky": "himmelblau", - "color-yellow": "gelb", - "comment": "Kommentar", - "comment-placeholder": "Kommentar schreiben", - "comment-only": "Nur kommentierbar", - "comment-only-desc": "Kann Karten nur Kommentieren", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Sind Sie sicher, dass Sie die Checkliste löschen möchten?", - "copy-card-link-to-clipboard": "Kopiere Link zur Karte in die Zwischenablage", - "copyCardPopup-title": "Karte kopieren", - "copyChecklistToManyCardsPopup-title": "Checklistenvorlage in mehrere Karten kopieren", - "copyChecklistToManyCardsPopup-instructions": "Titel und Beschreibungen der Zielkarten im folgenden JSON-Format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titel der ersten Karte\", \"description\":\"Beschreibung der ersten Karte\"}, {\"title\":\"Titel der zweiten Karte\",\"description\":\"Beschreibung der zweiten Karte\"},{\"title\":\"Titel der letzten Karte\",\"description\":\"Beschreibung der letzten Karte\"} ]", - "create": "Erstellen", - "createBoardPopup-title": "Board erstellen", - "chooseBoardSourcePopup-title": "Board importieren", - "createLabelPopup-title": "Label erstellen", - "createCustomField": "Feld erstellen", - "createCustomFieldPopup-title": "Feld erstellen", - "current": "aktuell", - "custom-field-delete-pop": "Dies wird das Feld aus allen Karten entfernen und den dazugehörigen Verlauf löschen. Die Aktion kann nicht rückgängig gemacht werden.", - "custom-field-checkbox": "Kontrollkästchen", - "custom-field-date": "Datum", - "custom-field-dropdown": "Dropdownliste", - "custom-field-dropdown-none": "(keiner)", - "custom-field-dropdown-options": "Listenoptionen", - "custom-field-dropdown-options-placeholder": "Drücken Sie die Eingabetaste, um weitere Optionen hinzuzufügen", - "custom-field-dropdown-unknown": "(unbekannt)", - "custom-field-number": "Zahl", - "custom-field-text": "Text", - "custom-fields": "Benutzerdefinierte Felder", - "date": "Datum", - "decline": "Ablehnen", - "default-avatar": "Standard Profilbild", - "delete": "Löschen", - "deleteCustomFieldPopup-title": "Benutzerdefiniertes Feld löschen?", - "deleteLabelPopup-title": "Label löschen?", - "description": "Beschreibung", - "disambiguateMultiLabelPopup-title": "Labels vereinheitlichen", - "disambiguateMultiMemberPopup-title": "Mitglieder vereinheitlichen", - "discard": "Verwerfen", - "done": "Erledigt", - "download": "Herunterladen", - "edit": "Bearbeiten", - "edit-avatar": "Profilbild ändern", - "edit-profile": "Profil ändern", - "edit-wip-limit": "WIP-Limit bearbeiten", - "soft-wip-limit": "Soft WIP-Limit", - "editCardStartDatePopup-title": "Startdatum ändern", - "editCardDueDatePopup-title": "Fälligkeitsdatum ändern", - "editCustomFieldPopup-title": "Feld bearbeiten", - "editCardSpentTimePopup-title": "Aufgewendete Zeit ändern", - "editLabelPopup-title": "Label ändern", - "editNotificationPopup-title": "Benachrichtigung ändern", - "editProfilePopup-title": "Profil ändern", - "email": "E-Mail", - "email-enrollAccount-subject": "Ihr Benutzerkonto auf __siteName__ wurde erstellt", - "email-enrollAccount-text": "Hallo __user__,\n\num den Dienst nutzen zu können, klicken Sie bitte auf folgenden Link:\n\n__url__\n\nDanke.", - "email-fail": "Senden der E-Mail fehlgeschlagen", - "email-fail-text": "Fehler beim Senden des E-Mails", - "email-invalid": "Ungültige E-Mail-Adresse", - "email-invite": "via E-Mail einladen", - "email-invite-subject": "__inviter__ hat Ihnen eine Einladung geschickt", - "email-invite-text": "Hallo __user__,\n\n__inviter__ hat Sie zu dem Board \"__board__\" eingeladen.\n\nBitte klicken Sie auf folgenden Link:\n\n__url__\n\nDanke.", - "email-resetPassword-subject": "Setzten Sie ihr Passwort auf __siteName__ zurück", - "email-resetPassword-text": "Hallo __user__,\n\num ihr Passwort zurückzusetzen, klicken Sie bitte auf folgenden Link:\n\n__url__\n\nDanke.", - "email-sent": "E-Mail gesendet", - "email-verifyEmail-subject": "Bestätigen Sie ihre E-Mail-Adresse auf __siteName__", - "email-verifyEmail-text": "Hallo __user__,\n\num ihre E-Mail-Adresse zu bestätigen, klicken Sie bitte auf folgenden Link:\n\n__url__\n\nDanke.", - "enable-wip-limit": "WIP-Limit einschalten", - "error-board-doesNotExist": "Dieses Board existiert nicht", - "error-board-notAdmin": "Um das zu tun, müssen Sie Administrator dieses Boards sein", - "error-board-notAMember": "Um das zu tun, müssen Sie Mitglied dieses Boards sein", - "error-json-malformed": "Ihre Eingabe ist kein gültiges JSON", - "error-json-schema": "Ihre JSON-Daten enthalten nicht die gewünschten Informationen im richtigen Format", - "error-list-doesNotExist": "Diese Liste existiert nicht", - "error-user-doesNotExist": "Dieser Nutzer existiert nicht", - "error-user-notAllowSelf": "Sie können sich nicht selbst einladen.", - "error-user-notCreated": "Dieser Nutzer ist nicht angelegt", - "error-username-taken": "Dieser Benutzername ist bereits vergeben", - "error-email-taken": "E-Mail wird schon verwendet", - "export-board": "Board exportieren", - "filter": "Filter", - "filter-cards": "Karten filtern", - "filter-clear": "Filter entfernen", - "filter-no-label": "Kein Label", - "filter-no-member": "Kein Mitglied", - "filter-no-custom-fields": "Keine benutzerdefinierten Felder", - "filter-on": "Filter ist aktiv", - "filter-on-desc": "Sie filtern die Karten in diesem Board. Klicken Sie, um den Filter zu bearbeiten.", - "filter-to-selection": "Ergebnisse auswählen", - "advanced-filter-label": "Erweiterter Filter", - "advanced-filter-description": "Der erweiterte Filter erlaubt die Eingabe von Zeichenfolgen, die folgende Operatoren enthalten: == != <= >= && || ( ). Ein Leerzeichen wird als Trennzeichen zwischen den Operatoren verwendet. Sie können nach allen benutzerdefinierten Feldern filtern, indem Sie deren Namen und Werte eingeben. Zum Beispiel: Feld1 == Wert1. Beachten Sie: Wenn Felder oder Werte Leerzeichen enthalten, müssen Sie sie in einfache Anführungszeichen setzen. Zum Beispiel: 'Feld 1' == 'Wert 1'. Sie können außerdem mehrere Bedingungen kombinieren. Zum Beispiel: F1 == W1 || F1 == W2. Normalerweise werden alle Operatoren von links nach rechts interpretiert. Sie können die Reihenfolge ändern, indem Sie Klammern setzen. Zum Beispiel: F1 == W1 && ( F2 == W2 || F2 == W3 )", - "fullname": "Vollständiger Name", - "header-logo-title": "Zurück zur Board Seite.", - "hide-system-messages": "Systemmeldungen ausblenden", - "headerBarCreateBoardPopup-title": "Board erstellen", - "home": "Home", - "import": "Importieren", - "import-board": "Board importieren", - "import-board-c": "Board importieren", - "import-board-title-trello": "Board von Trello importieren", - "import-board-title-wekan": "Board von Wekan importieren", - "import-sandstorm-warning": "Das importierte Board wird alle bereits existierenden Daten löschen und mit den importierten Daten überschreiben.", - "from-trello": "Von Trello", - "from-wekan": "Von Wekan", - "import-board-instruction-trello": "Gehen Sie in ihrem Trello-Board auf 'Menü', dann 'Mehr', 'Drucken und Exportieren', 'JSON-Export' und kopieren Sie den dort angezeigten Text", - "import-board-instruction-wekan": "Gehen Sie in Ihrem Wekan board auf 'Menü', und dann auf 'Board exportieren'. Kopieren Sie anschließend den Text aus der heruntergeladenen Datei.", - "import-json-placeholder": "Fügen Sie die korrekten JSON-Daten hier ein", - "import-map-members": "Mitglieder zuordnen", - "import-members-map": "Das importierte Board hat Mitglieder. Bitte ordnen Sie jene, die importiert werden sollen, vorhandenen Wekan-Nutzern zu", - "import-show-user-mapping": "Mitgliederzuordnung überprüfen", - "import-user-select": "Wählen Sie den Wekan-Nutzer aus, der dieses Mitglied sein soll", - "importMapMembersAddPopup-title": "Wekan-Nutzer auswählen", - "info": "Version", - "initials": "Initialen", - "invalid-date": "Ungültiges Datum", - "invalid-time": "Ungültige Zeitangabe", - "invalid-user": "Ungültiger Benutzer", - "joined": "beigetreten", - "just-invited": "Sie wurden soeben zu diesem Board eingeladen", - "keyboard-shortcuts": "Tastaturkürzel", - "label-create": "Label erstellen", - "label-default": "%s Label (Standard)", - "label-delete-pop": "Aktion kann nicht rückgängig gemacht werden. Das Label wird von allen Karten entfernt und seine Historie gelöscht.", - "labels": "Labels", - "language": "Sprache", - "last-admin-desc": "Sie können keine Rollen ändern, weil es mindestens einen Administrator geben muss.", - "leave-board": "Board verlassen", - "leave-board-pop": "Sind Sie sicher, dass Sie __boardTitle__ verlassen möchten? Sie werden von allen Karten in diesem Board entfernt.", - "leaveBoardPopup-title": "Board verlassen?", - "link-card": "Link zu dieser Karte", - "list-archive-cards": "Alle Karten dieser Liste in den Papierkorb verschieben", - "list-archive-cards-pop": "Alle Karten dieser Liste werden vom Board entfernt. Um Karten im Papierkorb anzuzeigen und wiederherzustellen, klicken Sie auf \"Menü\" > \"Papierkorb\".", - "list-move-cards": "Alle Karten in dieser Liste verschieben", - "list-select-cards": "Alle Karten in dieser Liste auswählen", - "listActionPopup-title": "Listenaktionen", - "swimlaneActionPopup-title": "Swimlaneaktionen", - "listImportCardPopup-title": "Eine Trello-Karte importieren", - "listMorePopup-title": "Mehr", - "link-list": "Link zu dieser Liste", - "list-delete-pop": "Alle Aktionen werden aus dem Verlauf gelöscht und die Liste kann nicht wiederhergestellt werden.", - "list-delete-suggest-archive": "Listen können in den Papierkorb verschoben werden, um sie aus dem Board zu entfernen und die Aktivitäten zu behalten.", - "lists": "Listen", - "swimlanes": "Swimlanes", - "log-out": "Ausloggen", - "log-in": "Einloggen", - "loginPopup-title": "Einloggen", - "memberMenuPopup-title": "Nutzereinstellungen", - "members": "Mitglieder", - "menu": "Menü", - "move-selection": "Auswahl verschieben", - "moveCardPopup-title": "Karte verschieben", - "moveCardToBottom-title": "Ans Ende verschieben", - "moveCardToTop-title": "Zum Anfang verschieben", - "moveSelectionPopup-title": "Auswahl verschieben", - "multi-selection": "Mehrfachauswahl", - "multi-selection-on": "Mehrfachauswahl ist aktiv", - "muted": "Stumm", - "muted-info": "Sie werden nicht über Änderungen auf diesem Board benachrichtigt", - "my-boards": "Meine Boards", - "name": "Name", - "no-archived-cards": "Keine Karten im Papierkorb.", - "no-archived-lists": "Keine Listen im Papierkorb.", - "no-archived-swimlanes": "Keine Swimlanes im Papierkorb.", - "no-results": "Keine Ergebnisse", - "normal": "Normal", - "normal-desc": "Kann Karten anzeigen und bearbeiten, aber keine Einstellungen ändern.", - "not-accepted-yet": "Die Einladung wurde noch nicht angenommen", - "notify-participate": "Benachrichtigungen zu allen Karten erhalten, an denen Sie teilnehmen", - "notify-watch": "Benachrichtigungen über alle Boards, Listen oder Karten erhalten, die Sie beobachten", - "optional": "optional", - "or": "oder", - "page-maybe-private": "Diese Seite könnte privat sein. Vielleicht können Sie sie sehen, wenn Sie sich einloggen.", - "page-not-found": "Seite nicht gefunden.", - "password": "Passwort", - "paste-or-dragdrop": "Einfügen oder Datei mit Drag & Drop ablegen (nur Bilder)", - "participating": "Teilnehmen", - "preview": "Vorschau", - "previewAttachedImagePopup-title": "Vorschau", - "previewClipboardImagePopup-title": "Vorschau", - "private": "Privat", - "private-desc": "Dieses Board ist privat. Nur Nutzer, die zu dem Board gehören, können es anschauen und bearbeiten.", - "profile": "Profil", - "public": "Öffentlich", - "public-desc": "Dieses Board ist öffentlich. Es ist für jeden, der den Link kennt, sichtbar und taucht in Suchmaschinen wie Google auf. Nur Nutzer, die zum Board hinzugefügt wurden, können es bearbeiten.", - "quick-access-description": "Markieren Sie ein Board mit einem Stern, um dieser Leiste eine Verknüpfung hinzuzufügen.", - "remove-cover": "Cover entfernen", - "remove-from-board": "Von Board entfernen", - "remove-label": "Label entfernen", - "listDeletePopup-title": "Liste löschen?", - "remove-member": "Nutzer entfernen", - "remove-member-from-card": "Von Karte entfernen", - "remove-member-pop": "__name__ (__username__) von __boardTitle__ entfernen? Das Mitglied wird von allen Karten auf diesem Board entfernt. Es erhält eine Benachrichtigung.", - "removeMemberPopup-title": "Mitglied entfernen?", - "rename": "Umbenennen", - "rename-board": "Board umbenennen", - "restore": "Wiederherstellen", - "save": "Speichern", - "search": "Suchen", - "search-cards": "Suche nach Kartentiteln und Beschreibungen auf diesem Board", - "search-example": "Suchbegriff", - "select-color": "Farbe auswählen", - "set-wip-limit-value": "Setzen Sie ein Limit für die maximale Anzahl von Aufgaben in dieser Liste", - "setWipLimitPopup-title": "WIP-Limit setzen", - "shortcut-assign-self": "Fügen Sie sich zur aktuellen Karte hinzu", - "shortcut-autocomplete-emoji": "Emojis vervollständigen", - "shortcut-autocomplete-members": "Mitglieder vervollständigen", - "shortcut-clear-filters": "Alle Filter entfernen", - "shortcut-close-dialog": "Dialog schließen", - "shortcut-filter-my-cards": "Meine Karten filtern", - "shortcut-show-shortcuts": "Liste der Tastaturkürzel anzeigen", - "shortcut-toggle-filterbar": "Filter-Seitenleiste ein-/ausblenden", - "shortcut-toggle-sidebar": "Seitenleiste ein-/ausblenden", - "show-cards-minimum-count": "Zeigt die Kartenanzahl an, wenn die Liste mehr enthält als", - "sidebar-open": "Seitenleiste öffnen", - "sidebar-close": "Seitenleiste schließen", - "signupPopup-title": "Benutzerkonto erstellen", - "star-board-title": "Klicken Sie, um das Board mit einem Stern zu markieren. Es erscheint dann oben in ihrer Boardliste.", - "starred-boards": "Markierte Boards", - "starred-boards-description": "Markierte Boards erscheinen oben in ihrer Boardliste.", - "subscribe": "Abonnieren", - "team": "Team", - "this-board": "diesem Board", - "this-card": "diese Karte", - "spent-time-hours": "Aufgewendete Zeit (Stunden)", - "overtime-hours": "Mehrarbeit (Stunden)", - "overtime": "Mehrarbeit", - "has-overtime-cards": "Hat Karten mit Mehrarbeit", - "has-spenttime-cards": "Hat Karten mit aufgewendeten Zeiten", - "time": "Zeit", - "title": "Titel", - "tracking": "Folgen", - "tracking-info": "Sie werden über alle Änderungen an Karten benachrichtigt, an denen Sie als Ersteller oder Mitglied beteiligt sind.", - "type": "Typ", - "unassign-member": "Mitglied entfernen", - "unsaved-description": "Sie haben eine nicht gespeicherte Änderung.", - "unwatch": "Beobachtung entfernen", - "upload": "Upload", - "upload-avatar": "Profilbild hochladen", - "uploaded-avatar": "Profilbild hochgeladen", - "username": "Benutzername", - "view-it": "Ansehen", - "warn-list-archived": "Warnung: Diese Karte befindet sich in einer Liste im Papierkorb!", - "watch": "Beobachten", - "watching": "Beobachten", - "watching-info": "Sie werden über alle Änderungen in diesem Board benachrichtigt", - "welcome-board": "Willkommen-Board", - "welcome-swimlane": "Meilenstein 1", - "welcome-list1": "Grundlagen", - "welcome-list2": "Fortgeschritten", - "what-to-do": "Was wollen Sie tun?", - "wipLimitErrorPopup-title": "Ungültiges WIP-Limit", - "wipLimitErrorPopup-dialog-pt1": "Die Anzahl von Aufgaben in dieser Liste ist größer als das von Ihnen definierte WIP-Limit.", - "wipLimitErrorPopup-dialog-pt2": "Bitte verschieben Sie einige Aufgaben aus dieser Liste oder setzen Sie ein grösseres WIP-Limit.", - "admin-panel": "Administration", - "settings": "Einstellungen", - "people": "Nutzer", - "registration": "Registrierung", - "disable-self-registration": "Selbstregistrierung deaktivieren", - "invite": "Einladen", - "invite-people": "Nutzer einladen", - "to-boards": "In Board(s)", - "email-addresses": "E-Mail Adressen", - "smtp-host-description": "Die Adresse Ihres SMTP-Servers für ausgehende E-Mails.", - "smtp-port-description": "Der Port Ihres SMTP-Servers für ausgehende E-Mails.", - "smtp-tls-description": "Aktiviere TLS Unterstützung für SMTP Server", - "smtp-host": "SMTP-Server", - "smtp-port": "SMTP-Port", - "smtp-username": "Benutzername", - "smtp-password": "Passwort", - "smtp-tls": "TLS Unterstützung", - "send-from": "Absender", - "send-smtp-test": "Test-E-Mail an sich selbst schicken", - "invitation-code": "Einladungscode", - "email-invite-register-subject": "__inviter__ hat Ihnen eine Einladung geschickt", - "email-invite-register-text": "Hallo __user__,\n\n__inviter__ hat Sie für Ihre Zusammenarbeit zu Wekan eingeladen.\n\nBitte klicken Sie auf folgenden Link:\n__url__\n\nIhr Einladungscode lautet: __icode__\n\nDanke.", - "email-smtp-test-subject": "SMTP-Test-E-Mail von Wekan", - "email-smtp-test-text": "Sie haben erfolgreich eine E-Mail versandt", - "error-invitation-code-not-exist": "Ungültiger Einladungscode", - "error-notAuthorized": "Sie sind nicht berechtigt diese Seite zu sehen.", - "outgoing-webhooks": "Ausgehende Webhooks", - "outgoingWebhooksPopup-title": "Ausgehende Webhooks", - "new-outgoing-webhook": "Neuer ausgehender Webhook", - "no-name": "(Unbekannt)", - "Wekan_version": "Wekan-Version", - "Node_version": "Node-Version", - "OS_Arch": "Betriebssystem-Architektur", - "OS_Cpus": "Anzahl Prozessoren", - "OS_Freemem": "Freier Arbeitsspeicher", - "OS_Loadavg": "Mittlere Systembelastung", - "OS_Platform": "Plattform", - "OS_Release": "Version des Betriebssystem", - "OS_Totalmem": "Gesamter Arbeitsspeicher", - "OS_Type": "Typ des Betriebssystems", - "OS_Uptime": "Laufzeit des Systems", - "hours": "Stunden", - "minutes": "Minuten", - "seconds": "Sekunden", - "show-field-on-card": "Zeige dieses Feld auf der Karte", - "yes": "Ja", - "no": "Nein", - "accounts": "Konten", - "accounts-allowEmailChange": "Ändern der E-Mailadresse erlauben", - "accounts-allowUserNameChange": "Ändern des Benutzernamens erlauben", - "createdAt": "Erstellt am", - "verified": "Geprüft", - "active": "Aktiv", - "card-received": "Empfangen", - "card-received-on": "Empfangen am", - "card-end": "Ende", - "card-end-on": "Endet am", - "editCardReceivedDatePopup-title": "Empfangsdatum ändern", - "editCardEndDatePopup-title": "Enddatum ändern" -} \ No newline at end of file diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json deleted file mode 100644 index 2ee5abea..00000000 --- a/i18n/el.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Accept", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Προσθήκη", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Προσθήκη Κάρτας", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Προσθήκη Ετικέτας", - "add-list": "Προσθήκη Λίστας", - "add-members": "Προσθήκη Μελών", - "added": "Προστέθηκε", - "addMemberPopup-title": "Μέλοι", - "admin": "Διαχειριστής", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Εφαρμογή", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Πίσω", - "board-change-color": "Αλλαγή χρώματος", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Λίστες", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Ακύρωση", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Έως", - "card-due-on": "Έως τις", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Διαγραφή Κάρτας;", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Ετικέτες", - "cardMembersPopup-title": "Μέλοι", - "cardMorePopup-title": "Περισσότερα", - "cards": "Κάρτες", - "cards-count": "Κάρτες", - "change": "Αλλαγή", - "change-avatar": "Change Avatar", - "change-password": "Αλλαγή Κωδικού", - "change-permissions": "Change permissions", - "change-settings": "Αλλαγή Ρυθμίσεων", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Αλλαγή Γλώσσας", - "changePasswordPopup-title": "Αλλαγή Κωδικού", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Αλλαγή Ρυθμίσεων", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Κλείσιμο", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "μαύρο", - "color-blue": "μπλε", - "color-green": "πράσινο", - "color-lime": "λάιμ", - "color-orange": "πορτοκαλί", - "color-pink": "ροζ", - "color-purple": "μωβ", - "color-red": "κόκκινο", - "color-sky": "ουρανός", - "color-yellow": "κίτρινο", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Υπολογιστής", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Δημιουργία", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Ημερομηνία", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Ημερομηνία", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Διαγραφή", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Απόρριψη", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Το κείμενο δεν είναι έγκυρο JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Φίλτρο", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "Κανένα μέλος", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Πλήρες Όνομα", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Εισαγωγή", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "Από το Trello", - "from-wekan": "Από το Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Έκδοση", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Ετικέτες", - "language": "Γλώσσα", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "Περισσότερα", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Λίστες", - "swimlanes": "Swimlanes", - "log-out": "Αποσύνδεση", - "log-in": "Σύνδεση", - "loginPopup-title": "Σύνδεση", - "memberMenuPopup-title": "Member Settings", - "members": "Μέλοι", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Όνομα", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Κανένα αποτέλεσμα", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "ή", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Η σελίδα δεν βρέθηκε.", - "password": "Κωδικός", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Διαγραφή Λίστας;", - "remove-member": "Αφαίρεση Μέλους", - "remove-member-from-card": "Αφαίρεση από την Κάρτα", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Αφαίρεση Μέλους;", - "rename": "Μετανομασία", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Αποθήκευση", - "search": "Αναζήτηση", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Επιλέξτε Χρώμα", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Δημιουργία Λογαριασμού", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Ομάδα", - "this-board": "this board", - "this-card": "αυτή η κάρτα", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Ώρα", - "title": "Τίτλος", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Όνομα Χρήστη", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Ρυθμίσεις", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Διευθύνσεις", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Όνομα Χρήστη", - "smtp-password": "Κωδικός", - "smtp-tls": "TLS υποστήριξη", - "send-from": "Από", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Κωδικός Πρόσκλησης", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Ο κωδικός πρόσκλησης δεν υπάρχει", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Άγνωστο)", - "Wekan_version": "Wekan έκδοση", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "ώρες", - "minutes": "λεπτά", - "seconds": "δευτερόλεπτα", - "show-field-on-card": "Show this field on card", - "yes": "Ναι", - "no": "Όχι", - "accounts": "Λογαριασμοί", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" -} \ No newline at end of file diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json deleted file mode 100644 index ad63a64f..00000000 --- a/i18n/en-GB.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Accept", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached _ attachment _ to _ card _", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Add", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", - "addMemberPopup-title": "Members", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change colour", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to the Recycle Bin to remove it from the board and preserve its activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Members", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaboration.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve its activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Members", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Colour", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in a list in the Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any changes in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaboration.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorised to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" -} \ No newline at end of file diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 7bf25ccf..c85fd7f8 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -468,5 +468,7 @@ "card-end": "End", "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By" } diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json deleted file mode 100644 index 5525ce98..00000000 --- a/i18n/eo.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Akcepti", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "Kreiis __board__", - "act-createCard": "Aldonis __card__ al __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "Aldonis __card__ al __board__", - "act-addBoardMember": "Aldonis __member__ al __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "Aldonis __member__ al __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Akcioj", - "activities": "Aktivaĵoj", - "activity": "Aktivaĵo", - "activity-added": "Aldonis %s al %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "Kreiis %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "Sendis %s al %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Aldoni", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Aldoni membrojn", - "added": "Aldonita", - "addMemberPopup-title": "Membroj", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apliki", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Reen", - "board-change-color": "Ŝanĝi koloron", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Listoj", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Redakti etikedojn", - "card-edit-members": "Redakti membrojn", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Komenco", - "card-start-on": "Komencas je la", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Etikedoj", - "cardMembersPopup-title": "Membroj", - "cardMorePopup-title": "Pli", - "cards": "Kartoj", - "cards-count": "Kartoj", - "change": "Ŝanĝi", - "change-avatar": "Change Avatar", - "change-password": "Ŝangi pasvorton", - "change-permissions": "Change permissions", - "change-settings": "Ŝanĝi agordojn", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Ŝanĝi lingvon", - "changePasswordPopup-title": "Ŝangi pasvorton", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Ŝanĝi agordojn", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Fermi", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "nigra", - "color-blue": "blua", - "color-green": "verda", - "color-lime": "lime", - "color-orange": "oranĝa", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "ruĝa", - "color-sky": "sky", - "color-yellow": "flava", - "comment": "Komento", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Komputilo", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Krei", - "createBoardPopup-title": "Krei tavolon", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Dato", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Dato", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Farite", - "download": "Elŝuti", - "edit": "Redakti", - "edit-avatar": "Change Avatar", - "edit-profile": "Redakti profilon", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Redakti komencdaton", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Ŝanĝi etikedon", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Redakti profilon", - "email": "Retpoŝtadreso", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Malsukcesis sendi retpoŝton", - "email-fail-text": "Error trying to send email", - "email-invalid": "Nevalida retpoŝtadreso", - "email-invite": "Inviti per retpoŝto", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Sendis retpoŝton", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Via teksto estas nevalida JSON", - "error-json-schema": "Via JSON ne enhavas la ĝustajn informojn en ĝusta formato", - "error-list-doesNotExist": "Tio listo ne ekzistas", - "error-user-doesNotExist": "Tio uzanto ne ekzistas", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "Uzanto ne kreita", - "error-username-taken": "Uzantnomo jam prenita", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "Nenia etikedo", - "filter-no-member": "Nenia membro", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Krei tavolon", - "home": "Hejmo", - "import": "Importi", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Etikedoj", - "language": "Lingvo", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Ligi al ĉitiu karto", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Movu ĉiujn kartojn en tiu listo.", - "list-select-cards": "Elektu ĉiujn kartojn en tiu listo.", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "Pli", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Listoj", - "swimlanes": "Swimlanes", - "log-out": "Elsaluti", - "log-in": "Ensaluti", - "loginPopup-title": "Ensaluti", - "memberMenuPopup-title": "Membraj agordoj", - "members": "Membroj", - "menu": "Menuo", - "move-selection": "Movi elekton", - "moveCardPopup-title": "Movi karton", - "moveCardToBottom-title": "Movi suben", - "moveCardToTop-title": "Movi supren", - "moveSelectionPopup-title": "Movi elekton", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Nomo", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Neniaj rezultoj", - "normal": "Normala", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "aŭ", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Netrovita paĝo.", - "password": "Pasvorto", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Privata", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profilo", - "public": "Publika", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Forigi membron", - "remove-member-from-card": "Forigi de karto", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Renomi", - "rename-board": "Rename Board", - "restore": "Forigi", - "save": "Savi", - "search": "Serĉi", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Teamo", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Tempo", - "title": "Titolo", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Alŝuti", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Uzantnomo", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Rigardi", - "watching": "Rigardante", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "Kion vi volas fari?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Uzantnomo", - "smtp-password": "Pasvorto", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" -} \ No newline at end of file diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json deleted file mode 100644 index 35d807f1..00000000 --- a/i18n/es-AR.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Aceptar", - "act-activity-notify": "[Wekan] Notificación de Actividad", - "act-addAttachment": "adjunto __attachment__ a __card__", - "act-addChecklist": "lista de ítems __checklist__ agregada a __card__", - "act-addChecklistItem": " __checklistItem__ agregada a lista de ítems __checklist__ en __card__", - "act-addComment": "comentado en __card__: __comment__", - "act-createBoard": "__board__ creado", - "act-createCard": "agregada __card__ a __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "agregada __list__ a __board__", - "act-addBoardMember": "agregado __member__ a __board__", - "act-archivedBoard": "__board__ movido a Papelera de Reciclaje", - "act-archivedCard": "__card__ movido a Papelera de Reciclaje", - "act-archivedList": "__list__ movido a Papelera de Reciclaje", - "act-archivedSwimlane": "__swimlane__ movido a Papelera de Reciclaje", - "act-importBoard": "__board__ importado", - "act-importCard": "__card__ importada", - "act-importList": "__list__ importada", - "act-joinMember": "__member__ agregado a __card__", - "act-moveCard": "__card__ movida de __oldList__ a __list__", - "act-removeBoardMember": "__member__ removido de __board__", - "act-restoredCard": "__card__ restaurada a __board__", - "act-unjoinMember": "__member__ removido de __card__", - "act-withBoardTitle": "__board__ [Wekan]", - "act-withCardTitle": "__card__ [__board__] ", - "actions": "Acciones", - "activities": "Actividades", - "activity": "Actividad", - "activity-added": "agregadas %s a %s", - "activity-archived": "%s movido a Papelera de Reciclaje", - "activity-attached": "adjuntadas %s a %s", - "activity-created": "creadas %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluidas %s de %s", - "activity-imported": "importadas %s en %s de %s", - "activity-imported-board": "importadas %s de %s", - "activity-joined": "unidas %s", - "activity-moved": "movidas %s de %s a %s", - "activity-on": "en %s", - "activity-removed": "eliminadas %s de %s", - "activity-sent": "enviadas %s a %s", - "activity-unjoined": "separadas %s", - "activity-checklist-added": "agregada lista de tareas a %s", - "activity-checklist-item-added": "agregado item de lista de tareas a '%s' en %s", - "add": "Agregar", - "add-attachment": "Agregar Adjunto", - "add-board": "Agregar Tablero", - "add-card": "Agregar Tarjeta", - "add-swimlane": "Agregar Calle", - "add-checklist": "Agregar Lista de Tareas", - "add-checklist-item": "Agregar ítem a lista de tareas", - "add-cover": "Agregar Portadas", - "add-label": "Agregar Etiqueta", - "add-list": "Agregar Lista", - "add-members": "Agregar Miembros", - "added": "Agregadas", - "addMemberPopup-title": "Miembros", - "admin": "Administrador", - "admin-desc": "Puede ver y editar tarjetas, eliminar miembros, y cambiar opciones para el tablero.", - "admin-announcement": "Anuncio", - "admin-announcement-active": "Anuncio del Sistema Activo", - "admin-announcement-title": "Anuncio del Administrador", - "all-boards": "Todos los tableros", - "and-n-other-card": "Y __count__ otra tarjeta", - "and-n-other-card_plural": "Y __count__ otras tarjetas", - "apply": "Aplicar", - "app-is-offline": "Wekan está cargándose, por favor espere. Refrescar la página va a causar pérdida de datos. Si Wekan no se carga, por favor revise que el servidor de Wekan no se haya detenido.", - "archive": "Mover a Papelera de Reciclaje", - "archive-all": "Mover Todo a la Papelera de Reciclaje", - "archive-board": "Mover Tablero a la Papelera de Reciclaje", - "archive-card": "Mover Tarjeta a la Papelera de Reciclaje", - "archive-list": "Mover Lista a la Papelera de Reciclaje", - "archive-swimlane": "Mover Calle a la Papelera de Reciclaje", - "archive-selection": "Mover selección a la Papelera de Reciclaje", - "archiveBoardPopup-title": "¿Mover Tablero a la Papelera de Reciclaje?", - "archived-items": "Papelera de Reciclaje", - "archived-boards": "Tableros en la Papelera de Reciclaje", - "restore-board": "Restaurar Tablero", - "no-archived-boards": "No hay tableros en la Papelera de Reciclaje", - "archives": "Papelera de Reciclaje", - "assign-member": "Asignar miembro", - "attached": "adjunto(s)", - "attachment": "Adjunto", - "attachment-delete-pop": "Borrar un adjunto es permanente. No hay deshacer.", - "attachmentDeletePopup-title": "¿Borrar Adjunto?", - "attachments": "Adjuntos", - "auto-watch": "Seguir tableros automáticamente al crearlos", - "avatar-too-big": "El avatar es muy grande (70KB max)", - "back": "Atrás", - "board-change-color": "Cambiar color", - "board-nb-stars": "%s estrellas", - "board-not-found": "Tablero no encontrado", - "board-private-info": "Este tablero va a ser privado.", - "board-public-info": "Este tablero va a ser público.", - "boardChangeColorPopup-title": "Cambiar Fondo del Tablero", - "boardChangeTitlePopup-title": "Renombrar Tablero", - "boardChangeVisibilityPopup-title": "Cambiar Visibilidad", - "boardChangeWatchPopup-title": "Alternar Seguimiento", - "boardMenuPopup-title": "Menú del Tablero", - "boards": "Tableros", - "board-view": "Vista de Tablero", - "board-view-swimlanes": "Calles", - "board-view-lists": "Listas", - "bucket-example": "Como \"Lista de Contenedores\" por ejemplo", - "cancel": "Cancelar", - "card-archived": "Esta tarjeta es movida a la Papelera de Reciclaje", - "card-comments-title": "Esta tarjeta tiene %s comentario.", - "card-delete-notice": "Borrar es permanente. Perderás todas las acciones asociadas con esta tarjeta.", - "card-delete-pop": "Todas las acciones van a ser eliminadas del agregador de actividad y no podrás re-abrir la tarjeta. No hay deshacer.", - "card-delete-suggest-archive": "Tu puedes mover una tarjeta a la Papelera de Reciclaje para removerla del tablero y preservar la actividad.", - "card-due": "Vence", - "card-due-on": "Vence en", - "card-spent": "Tiempo Empleado", - "card-edit-attachments": "Editar adjuntos", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Editar etiquetas", - "card-edit-members": "Editar miembros", - "card-labels-title": "Cambiar las etiquetas de la tarjeta.", - "card-members-title": "Agregar o eliminar de la tarjeta miembros del tablero.", - "card-start": "Empieza", - "card-start-on": "Empieza el", - "cardAttachmentsPopup-title": "Adjuntar De", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "¿Borrar Tarjeta?", - "cardDetailsActionsPopup-title": "Acciones de la Tarjeta", - "cardLabelsPopup-title": "Etiquetas", - "cardMembersPopup-title": "Miembros", - "cardMorePopup-title": "Mas", - "cards": "Tarjetas", - "cards-count": "Tarjetas", - "change": "Cambiar", - "change-avatar": "Cambiar Avatar", - "change-password": "Cambiar Contraseña", - "change-permissions": "Cambiar permisos", - "change-settings": "Cambiar Opciones", - "changeAvatarPopup-title": "Cambiar Avatar", - "changeLanguagePopup-title": "Cambiar Lenguaje", - "changePasswordPopup-title": "Cambiar Contraseña", - "changePermissionsPopup-title": "Cambiar Permisos", - "changeSettingsPopup-title": "Cambiar Opciones", - "checklists": "Listas de ítems", - "click-to-star": "Clickeá para darle una estrella a este tablero.", - "click-to-unstar": "Clickeá para sacarle la estrella al tablero.", - "clipboard": "Portapapeles o arrastrar y soltar", - "close": "Cerrar", - "close-board": "Cerrar Tablero", - "close-board-pop": "Podrás restaurar el tablero apretando el botón \"Papelera de Reciclaje\" del encabezado en inicio.", - "color-black": "negro", - "color-blue": "azul", - "color-green": "verde", - "color-lime": "lima", - "color-orange": "naranja", - "color-pink": "rosa", - "color-purple": "púrpura", - "color-red": "rojo", - "color-sky": "cielo", - "color-yellow": "amarillo", - "comment": "Comentario", - "comment-placeholder": "Comentar", - "comment-only": "Comentar solamente", - "comment-only-desc": "Puede comentar en tarjetas solamente.", - "computer": "Computadora", - "confirm-checklist-delete-dialog": "¿Estás segur@ que querés borrar la lista de ítems?", - "copy-card-link-to-clipboard": "Copiar enlace a tarjeta en el portapapeles", - "copyCardPopup-title": "Copiar Tarjeta", - "copyChecklistToManyCardsPopup-title": "Copiar Plantilla Checklist a Muchas Tarjetas", - "copyChecklistToManyCardsPopup-instructions": "Títulos y Descripciones de la Tarjeta Destino en este formato JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Título de primera tarjeta\", \"description\":\"Descripción de primera tarjeta\"}, {\"title\":\"Título de segunda tarjeta\",\"description\":\"Descripción de segunda tarjeta\"},{\"title\":\"Título de última tarjeta\",\"description\":\"Descripción de última tarjeta\"} ]", - "create": "Crear", - "createBoardPopup-title": "Crear Tablero", - "chooseBoardSourcePopup-title": "Importar tablero", - "createLabelPopup-title": "Crear Etiqueta", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "actual", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Fecha", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Fecha", - "decline": "Rechazar", - "default-avatar": "Avatar por defecto", - "delete": "Borrar", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "¿Borrar Etiqueta?", - "description": "Descripción", - "disambiguateMultiLabelPopup-title": "Desambiguación de Acción de Etiqueta", - "disambiguateMultiMemberPopup-title": "Desambiguación de Acción de Miembro", - "discard": "Descartar", - "done": "Hecho", - "download": "Descargar", - "edit": "Editar", - "edit-avatar": "Cambiar Avatar", - "edit-profile": "Editar Perfil", - "edit-wip-limit": "Editar Lìmite de TEP", - "soft-wip-limit": "Límite TEP suave", - "editCardStartDatePopup-title": "Cambiar fecha de inicio", - "editCardDueDatePopup-title": "Cambiar fecha de vencimiento", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Cambiar tiempo empleado", - "editLabelPopup-title": "Cambiar Etiqueta", - "editNotificationPopup-title": "Editar Notificación", - "editProfilePopup-title": "Editar Perfil", - "email": "Email", - "email-enrollAccount-subject": "Una cuenta creada para vos en __siteName__", - "email-enrollAccount-text": "Hola __user__,\n\nPara empezar a usar el servicio, simplemente clickeá en el enlace de abajo.\n\n__url__\n\nGracias.", - "email-fail": "Fallo envío de email", - "email-fail-text": "Error intentando enviar email", - "email-invalid": "Email inválido", - "email-invite": "Invitar vía Email", - "email-invite-subject": "__inviter__ te envió una invitación", - "email-invite-text": "Querido __user__,\n\n__inviter__ te invita a unirte al tablero \"__board__\" para colaborar.\n\nPor favor sigue el enlace de abajo:\n\n__url__\n\nGracias.", - "email-resetPassword-subject": "Restaurá tu contraseña en __siteName__", - "email-resetPassword-text": "Hola __user__,\n\nPara restaurar tu contraseña, simplemente clickeá el enlace de abajo.\n\n__url__\n\nGracias.", - "email-sent": "Email enviado", - "email-verifyEmail-subject": "Verificá tu dirección de email en __siteName__", - "email-verifyEmail-text": "Hola __user__,\n\nPara verificar tu cuenta de email, simplemente clickeá el enlace de abajo.\n\n__url__\n\nGracias.", - "enable-wip-limit": "Activar Límite TEP", - "error-board-doesNotExist": "Este tablero no existe", - "error-board-notAdmin": "Necesitás ser administrador de este tablero para hacer eso", - "error-board-notAMember": "Necesitás ser miembro de este tablero para hacer eso", - "error-json-malformed": "Tu texto no es JSON válido", - "error-json-schema": "Tus datos JSON no incluyen la información correcta en el formato adecuado", - "error-list-doesNotExist": "Esta lista no existe", - "error-user-doesNotExist": "Este usuario no existe", - "error-user-notAllowSelf": "No podés invitarte a vos mismo", - "error-user-notCreated": " El usuario no se creó", - "error-username-taken": "El nombre de usuario ya existe", - "error-email-taken": "El email ya existe", - "export-board": "Exportar tablero", - "filter": "Filtrar", - "filter-cards": "Filtrar Tarjetas", - "filter-clear": "Sacar filtro", - "filter-no-label": "Sin etiqueta", - "filter-no-member": "No es miembro", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "El filtro está activado", - "filter-on-desc": "Estás filtrando cartas en este tablero. Clickeá acá para editar el filtro.", - "filter-to-selection": "Filtrar en la selección", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Nombre Completo", - "header-logo-title": "Retroceder a tu página de tableros.", - "hide-system-messages": "Esconder mensajes del sistema", - "headerBarCreateBoardPopup-title": "Crear Tablero", - "home": "Inicio", - "import": "Importar", - "import-board": "importar tablero", - "import-board-c": "Importar tablero", - "import-board-title-trello": "Importar tablero de Trello", - "import-board-title-wekan": "Importar tablero de Wekan", - "import-sandstorm-warning": "El tablero importado va a borrar todos los datos existentes en el tablero y reemplazarlos con los del tablero en cuestión.", - "from-trello": "De Trello", - "from-wekan": "De Wekan", - "import-board-instruction-trello": "En tu tablero de Trello, ve a 'Menú', luego a 'Más', 'Imprimir y Exportar', 'Exportar JSON', y copia el texto resultante.", - "import-board-instruction-wekan": "En tu tablero Wekan, ve a 'Menú', luego a 'Exportar tablero', y copia el texto en el archivo descargado.", - "import-json-placeholder": "Pegá tus datos JSON válidos acá", - "import-map-members": "Mapear Miembros", - "import-members-map": "Tu tablero importado tiene algunos miembros. Por favor mapeá los miembros que quieras importar/convertir a usuarios de Wekan.", - "import-show-user-mapping": "Revisar mapeo de miembros", - "import-user-select": "Elegí el usuario de Wekan que querés usar como éste miembro", - "importMapMembersAddPopup-title": "Elegí el miembro de Wekan.", - "info": "Versión", - "initials": "Iniciales", - "invalid-date": "Fecha inválida", - "invalid-time": "Tiempo inválido", - "invalid-user": "Usuario inválido", - "joined": "unido", - "just-invited": "Fuiste invitado a este tablero", - "keyboard-shortcuts": "Atajos de teclado", - "label-create": "Crear Etiqueta", - "label-default": "%s etiqueta (por defecto)", - "label-delete-pop": "No hay deshacer. Esto va a eliminar esta etiqueta de todas las tarjetas y destruir su historia.", - "labels": "Etiquetas", - "language": "Lenguaje", - "last-admin-desc": "No podés cambiar roles porque tiene que haber al menos un administrador.", - "leave-board": "Dejar Tablero", - "leave-board-pop": "¿Estás seguro que querés dejar __boardTitle__? Vas a salir de todas las tarjetas en este tablero.", - "leaveBoardPopup-title": "¿Dejar Tablero?", - "link-card": "Enlace a esta tarjeta", - "list-archive-cards": "Mover todas las tarjetas en esta lista a la Papelera de Reciclaje", - "list-archive-cards-pop": "Esto va a remover las tarjetas en esta lista del tablero. Para ver tarjetas en la Papelera de Reciclaje y traerlas de vuelta al tablero, clickeá \"Menú\" > \"Papelera de Reciclaje\".", - "list-move-cards": "Mueve todas las tarjetas en esta lista", - "list-select-cards": "Selecciona todas las tarjetas en esta lista", - "listActionPopup-title": "Listar Acciones", - "swimlaneActionPopup-title": "Acciones de la Calle", - "listImportCardPopup-title": "Importar una tarjeta Trello", - "listMorePopup-title": "Mas", - "link-list": "Enlace a esta lista", - "list-delete-pop": "Todas las acciones van a ser eliminadas del agregador de actividad y no podás recuperar la lista. No se puede deshacer.", - "list-delete-suggest-archive": "Podés mover la lista a la Papelera de Reciclaje para remvoerla del tablero y preservar la actividad.", - "lists": "Listas", - "swimlanes": "Calles", - "log-out": "Salir", - "log-in": "Entrar", - "loginPopup-title": "Entrar", - "memberMenuPopup-title": "Opciones de Miembros", - "members": "Miembros", - "menu": "Menú", - "move-selection": "Mover selección", - "moveCardPopup-title": "Mover Tarjeta", - "moveCardToBottom-title": "Mover al Final", - "moveCardToTop-title": "Mover al Tope", - "moveSelectionPopup-title": "Mover selección", - "multi-selection": "Multi-Selección", - "multi-selection-on": "Multi-selección está activo", - "muted": "Silenciado", - "muted-info": "No serás notificado de ningún cambio en este tablero", - "my-boards": "Mis Tableros", - "name": "Nombre", - "no-archived-cards": "No hay tarjetas en la Papelera de Reciclaje", - "no-archived-lists": "No hay listas en la Papelera de Reciclaje", - "no-archived-swimlanes": "No hay calles en la Papelera de Reciclaje", - "no-results": "No hay resultados", - "normal": "Normal", - "normal-desc": "Puede ver y editar tarjetas. No puede cambiar opciones.", - "not-accepted-yet": "Invitación no aceptada todavía", - "notify-participate": "Recibí actualizaciones en cualquier tarjeta que participés como creador o miembro", - "notify-watch": "Recibí actualizaciones en cualquier tablero, lista, o tarjeta que estés siguiendo", - "optional": "opcional", - "or": "o", - "page-maybe-private": "Esta página puede ser privada. Vos podrás verla entrando.", - "page-not-found": "Página no encontrada.", - "password": "Contraseña", - "paste-or-dragdrop": "pegar, arrastrar y soltar el archivo de imagen a esto (imagen sola)", - "participating": "Participando", - "preview": "Previsualización", - "previewAttachedImagePopup-title": "Previsualización", - "previewClipboardImagePopup-title": "Previsualización", - "private": "Privado", - "private-desc": "Este tablero es privado. Solo personas agregadas a este tablero pueden verlo y editarlo.", - "profile": "Perfil", - "public": "Público", - "public-desc": "Este tablero es público. Es visible para cualquiera con un enlace y se va a mostrar en los motores de búsqueda como Google. Solo personas agregadas a este tablero pueden editarlo.", - "quick-access-description": "Dale una estrella al tablero para agregar un acceso directo en esta barra.", - "remove-cover": "Remover Portada", - "remove-from-board": "Remover del Tablero", - "remove-label": "Remover Etiqueta", - "listDeletePopup-title": "¿Borrar Lista?", - "remove-member": "Remover Miembro", - "remove-member-from-card": "Remover de Tarjeta", - "remove-member-pop": "¿Remover __name__ (__username__) de __boardTitle__? Los miembros va a ser removido de todas las tarjetas en este tablero. Serán notificados.", - "removeMemberPopup-title": "¿Remover Miembro?", - "rename": "Renombrar", - "rename-board": "Renombrar Tablero", - "restore": "Restaurar", - "save": "Grabar", - "search": "Buscar", - "search-cards": "Buscar en títulos y descripciones de tarjeta en este tablero", - "search-example": "¿Texto a buscar?", - "select-color": "Seleccionar Color", - "set-wip-limit-value": "Fijar un límite para el número máximo de tareas en esta lista", - "setWipLimitPopup-title": "Establecer Límite TEP", - "shortcut-assign-self": "Asignarte a vos mismo en la tarjeta actual", - "shortcut-autocomplete-emoji": "Autocompletar emonji", - "shortcut-autocomplete-members": "Autocompletar miembros", - "shortcut-clear-filters": "Limpiar todos los filtros", - "shortcut-close-dialog": "Cerrar Diálogo", - "shortcut-filter-my-cards": "Filtrar mis tarjetas", - "shortcut-show-shortcuts": "Traer esta lista de atajos", - "shortcut-toggle-filterbar": "Activar/Desactivar Barra Lateral de Filtros", - "shortcut-toggle-sidebar": "Activar/Desactivar Barra Lateral de Tableros", - "show-cards-minimum-count": "Mostrar cuenta de tarjetas si la lista contiene más que", - "sidebar-open": "Abrir Barra Lateral", - "sidebar-close": "Cerrar Barra Lateral", - "signupPopup-title": "Crear Cuenta", - "star-board-title": "Clickear para darle una estrella a este tablero. Se mostrará arriba en el tope de tu lista de tableros.", - "starred-boards": "Tableros con estrellas", - "starred-boards-description": "Tableros con estrellas se muestran en el tope de tu lista de tableros.", - "subscribe": "Suscribirse", - "team": "Equipo", - "this-board": "este tablero", - "this-card": "esta tarjeta", - "spent-time-hours": "Tiempo empleado (horas)", - "overtime-hours": "Sobretiempo (horas)", - "overtime": "Sobretiempo", - "has-overtime-cards": "Tiene tarjetas con sobretiempo", - "has-spenttime-cards": "Ha gastado tarjetas de tiempo", - "time": "Hora", - "title": "Título", - "tracking": "Seguimiento", - "tracking-info": "Serás notificado de cualquier cambio a aquellas tarjetas en las que seas creador o miembro.", - "type": "Type", - "unassign-member": "Desasignar miembro", - "unsaved-description": "Tienes una descripción sin guardar.", - "unwatch": "Dejar de seguir", - "upload": "Cargar", - "upload-avatar": "Cargar un avatar", - "uploaded-avatar": "Cargado un avatar", - "username": "Nombre de usuario", - "view-it": "Verlo", - "warn-list-archived": "cuidado; esta tarjeta está en la Papelera de Reciclaje", - "watch": "Seguir", - "watching": "Siguiendo", - "watching-info": "Serás notificado de cualquier cambio en este tablero", - "welcome-board": "Tablero de Bienvenida", - "welcome-swimlane": "Hito 1", - "welcome-list1": "Básicos", - "welcome-list2": "Avanzado", - "what-to-do": "¿Qué querés hacer?", - "wipLimitErrorPopup-title": "Límite TEP Inválido", - "wipLimitErrorPopup-dialog-pt1": " El número de tareas en esta lista es mayor que el límite TEP que definiste.", - "wipLimitErrorPopup-dialog-pt2": "Por favor mové algunas tareas fuera de esta lista, o seleccioná un límite TEP más alto.", - "admin-panel": "Panel de Administración", - "settings": "Opciones", - "people": "Gente", - "registration": "Registro", - "disable-self-registration": "Desactivar auto-registro", - "invite": "Invitar", - "invite-people": "Invitar Gente", - "to-boards": "A tarjeta(s)", - "email-addresses": "Dirección de Email", - "smtp-host-description": "La dirección del servidor SMTP que maneja tus emails", - "smtp-port-description": "El puerto que tu servidor SMTP usa para correos salientes", - "smtp-tls-description": "Activar soporte TLS para el servidor SMTP", - "smtp-host": "Servidor SMTP", - "smtp-port": "Puerto SMTP", - "smtp-username": "Usuario", - "smtp-password": "Contraseña", - "smtp-tls": "Soporte TLS", - "send-from": "De", - "send-smtp-test": "Enviarse un email de prueba", - "invitation-code": "Código de Invitación", - "email-invite-register-subject": "__inviter__ te envió una invitación", - "email-invite-register-text": "Querido __user__,\n\n__inviter__ te invita a Wekan para colaborar.\n\nPor favor sigue el enlace de abajo:\n__url__\n\nI tu código de invitación es: __icode__\n\nGracias.", - "email-smtp-test-subject": "Email de Prueba SMTP de Wekan", - "email-smtp-test-text": "Enviaste el correo correctamente", - "error-invitation-code-not-exist": "El código de invitación no existe", - "error-notAuthorized": "No estás autorizado para ver esta página.", - "outgoing-webhooks": "Ganchos Web Salientes", - "outgoingWebhooksPopup-title": "Ganchos Web Salientes", - "new-outgoing-webhook": "Nuevo Gancho Web", - "no-name": "(desconocido)", - "Wekan_version": "Versión de Wekan", - "Node_version": "Versión de Node", - "OS_Arch": "Arch del SO", - "OS_Cpus": "Cantidad de CPU del SO", - "OS_Freemem": "Memoria Libre del SO", - "OS_Loadavg": "Carga Promedio del SO", - "OS_Platform": "Plataforma del SO", - "OS_Release": "Revisión del SO", - "OS_Totalmem": "Memoria Total del SO", - "OS_Type": "Tipo de SO", - "OS_Uptime": "Tiempo encendido del SO", - "hours": "horas", - "minutes": "minutos", - "seconds": "segundos", - "show-field-on-card": "Show this field on card", - "yes": "Si", - "no": "No", - "accounts": "Cuentas", - "accounts-allowEmailChange": "Permitir Cambio de Email", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Creado en", - "verified": "Verificado", - "active": "Activo", - "card-received": "Recibido", - "card-received-on": "Recibido en", - "card-end": "Termino", - "card-end-on": "Termina en", - "editCardReceivedDatePopup-title": "Cambiar fecha de recepción", - "editCardEndDatePopup-title": "Cambiar fecha de término" -} \ No newline at end of file diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json deleted file mode 100644 index 69735004..00000000 --- a/i18n/es.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Aceptar", - "act-activity-notify": "[Wekan] Notificación de actividad", - "act-addAttachment": "ha adjuntado __attachment__ a __card__", - "act-addChecklist": "ha añadido la lista de verificación __checklist__ a __card__", - "act-addChecklistItem": "ha añadido __checklistItem__ a la lista de verificación __checklist__ en __card__", - "act-addComment": "ha comentado en __card__: __comment__", - "act-createBoard": "ha creado __board__", - "act-createCard": "ha añadido __card__ a __list__", - "act-createCustomField": "creado el campo personalizado __customField__", - "act-createList": "ha añadido __list__ a __board__", - "act-addBoardMember": "ha añadido a __member__ a __board__", - "act-archivedBoard": "__board__ se ha enviado a la papelera de reciclaje", - "act-archivedCard": "__card__ se ha enviado a la papelera de reciclaje", - "act-archivedList": "__list__ se ha enviado a la papelera de reciclaje", - "act-archivedSwimlane": "__swimlane__ se ha enviado a la papelera de reciclaje", - "act-importBoard": "ha importado __board__", - "act-importCard": "ha importado __card__", - "act-importList": "ha importado __list__", - "act-joinMember": "ha añadido a __member__ a __card__", - "act-moveCard": "ha movido __card__ desde __oldList__ a __list__", - "act-removeBoardMember": "ha desvinculado a __member__ de __board__", - "act-restoredCard": "ha restaurado __card__ en __board__", - "act-unjoinMember": "ha desvinculado a __member__ de __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Acciones", - "activities": "Actividades", - "activity": "Actividad", - "activity-added": "ha añadido %s a %s", - "activity-archived": "%s se ha enviado a la papelera de reciclaje", - "activity-attached": "ha adjuntado %s a %s", - "activity-created": "ha creado %s", - "activity-customfield-created": "creado el campo personalizado %s", - "activity-excluded": "ha excluido %s de %s", - "activity-imported": "ha importado %s a %s desde %s", - "activity-imported-board": "ha importado %s desde %s", - "activity-joined": "se ha unido a %s", - "activity-moved": "ha movido %s de %s a %s", - "activity-on": "en %s", - "activity-removed": "ha eliminado %s de %s", - "activity-sent": "ha enviado %s a %s", - "activity-unjoined": "se ha desvinculado de %s", - "activity-checklist-added": "ha añadido una lista de verificación a %s", - "activity-checklist-item-added": "ha añadido el elemento de la lista de verificación a '%s' en %s", - "add": "Añadir", - "add-attachment": "Añadir adjunto", - "add-board": "Añadir tablero", - "add-card": "Añadir una tarjeta", - "add-swimlane": "Añadir un carril de flujo", - "add-checklist": "Añadir una lista de verificación", - "add-checklist-item": "Añadir un elemento a la lista de verificación", - "add-cover": "Añadir portada", - "add-label": "Añadir una etiqueta", - "add-list": "Añadir una lista", - "add-members": "Añadir miembros", - "added": "Añadida el", - "addMemberPopup-title": "Miembros", - "admin": "Administrador", - "admin-desc": "Puedes ver y editar tarjetas, eliminar miembros, y cambiar los ajustes del tablero", - "admin-announcement": "Aviso", - "admin-announcement-active": "Activar el aviso para todo el sistema", - "admin-announcement-title": "Aviso del administrador", - "all-boards": "Tableros", - "and-n-other-card": "y __count__ tarjeta más", - "and-n-other-card_plural": "y otras __count__ tarjetas", - "apply": "Aplicar", - "app-is-offline": "Wekan se está cargando, por favor espere. Actualizar la página provocará la pérdida de datos. Si Wekan no se carga, por favor verifique que el servidor de Wekan no está detenido.", - "archive": "Enviar a la papelera de reciclaje", - "archive-all": "Enviar todo a la papelera de reciclaje", - "archive-board": "Enviar el tablero a la papelera de reciclaje", - "archive-card": "Enviar la tarjeta a la papelera de reciclaje", - "archive-list": "Enviar la lista a la papelera de reciclaje", - "archive-swimlane": "Enviar el carril de flujo a la papelera de reciclaje", - "archive-selection": "Enviar la selección a la papelera de reciclaje", - "archiveBoardPopup-title": "Enviar el tablero a la papelera de reciclaje", - "archived-items": "Papelera de reciclaje", - "archived-boards": "Tableros en la papelera de reciclaje", - "restore-board": "Restaurar el tablero", - "no-archived-boards": "No hay tableros en la papelera de reciclaje", - "archives": "Papelera de reciclaje", - "assign-member": "Asignar miembros", - "attached": "adjuntado", - "attachment": "Adjunto", - "attachment-delete-pop": "La eliminación de un fichero adjunto es permanente. Esta acción no puede deshacerse.", - "attachmentDeletePopup-title": "¿Eliminar el adjunto?", - "attachments": "Adjuntos", - "auto-watch": "Suscribirse automáticamente a los tableros cuando son creados", - "avatar-too-big": "El avatar es muy grande (70KB máx.)", - "back": "Atrás", - "board-change-color": "Cambiar el color", - "board-nb-stars": "%s destacados", - "board-not-found": "Tablero no encontrado", - "board-private-info": "Este tablero será privado.", - "board-public-info": "Este tablero será público.", - "boardChangeColorPopup-title": "Cambiar el fondo del tablero", - "boardChangeTitlePopup-title": "Renombrar el tablero", - "boardChangeVisibilityPopup-title": "Cambiar visibilidad", - "boardChangeWatchPopup-title": "Cambiar vigilancia", - "boardMenuPopup-title": "Menú del tablero", - "boards": "Tableros", - "board-view": "Vista del tablero", - "board-view-swimlanes": "Carriles", - "board-view-lists": "Listas", - "bucket-example": "Como “Cosas por hacer” por ejemplo", - "cancel": "Cancelar", - "card-archived": "Esta tarjeta se ha enviado a la papelera de reciclaje.", - "card-comments-title": "Esta tarjeta tiene %s comentarios.", - "card-delete-notice": "la eliminación es permanente. Perderás todas las acciones asociadas a esta tarjeta.", - "card-delete-pop": "Se eliminarán todas las acciones del historial de actividades y no se podrá volver a abrir la tarjeta. Esta acción no puede deshacerse.", - "card-delete-suggest-archive": "Puedes enviar una tarjeta a la papelera de reciclaje para eliminarla del tablero y conservar la actividad.", - "card-due": "Vence", - "card-due-on": "Vence el", - "card-spent": "Tiempo consumido", - "card-edit-attachments": "Editar los adjuntos", - "card-edit-custom-fields": "Editar los campos personalizados", - "card-edit-labels": "Editar las etiquetas", - "card-edit-members": "Editar los miembros", - "card-labels-title": "Cambia las etiquetas de la tarjeta", - "card-members-title": "Añadir o eliminar miembros del tablero desde la tarjeta.", - "card-start": "Comienza", - "card-start-on": "Comienza el", - "cardAttachmentsPopup-title": "Adjuntar desde", - "cardCustomField-datePopup-title": "Cambiar la fecha", - "cardCustomFieldsPopup-title": "Editar los campos personalizados", - "cardDeletePopup-title": "¿Eliminar la tarjeta?", - "cardDetailsActionsPopup-title": "Acciones de la tarjeta", - "cardLabelsPopup-title": "Etiquetas", - "cardMembersPopup-title": "Miembros", - "cardMorePopup-title": "Más", - "cards": "Tarjetas", - "cards-count": "Tarjetas", - "change": "Cambiar", - "change-avatar": "Cambiar el avatar", - "change-password": "Cambiar la contraseña", - "change-permissions": "Cambiar los permisos", - "change-settings": "Cambiar las preferencias", - "changeAvatarPopup-title": "Cambiar el avatar", - "changeLanguagePopup-title": "Cambiar el idioma", - "changePasswordPopup-title": "Cambiar la contraseña", - "changePermissionsPopup-title": "Cambiar los permisos", - "changeSettingsPopup-title": "Cambiar las preferencias", - "checklists": "Lista de verificación", - "click-to-star": "Haz clic para destacar este tablero.", - "click-to-unstar": "Haz clic para dejar de destacar este tablero.", - "clipboard": "el portapapeles o con arrastrar y soltar", - "close": "Cerrar", - "close-board": "Cerrar el tablero", - "close-board-pop": "Podrás restaurar el tablero haciendo clic en el botón \"Papelera de reciclaje\" en la cabecera.", - "color-black": "negra", - "color-blue": "azul", - "color-green": "verde", - "color-lime": "lima", - "color-orange": "naranja", - "color-pink": "rosa", - "color-purple": "violeta", - "color-red": "roja", - "color-sky": "celeste", - "color-yellow": "amarilla", - "comment": "Comentar", - "comment-placeholder": "Escribir comentario", - "comment-only": "Sólo comentarios", - "comment-only-desc": "Solo puedes comentar en las tarjetas.", - "computer": "el ordenador", - "confirm-checklist-delete-dialog": "¿Seguro que desea eliminar la lista de verificación?", - "copy-card-link-to-clipboard": "Copiar el enlace de la tarjeta al portapapeles", - "copyCardPopup-title": "Copiar la tarjeta", - "copyChecklistToManyCardsPopup-title": "Copiar la plantilla de la lista de verificación en varias tarjetas", - "copyChecklistToManyCardsPopup-instructions": "Títulos y descripciones de las tarjetas de destino en formato JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Título de la primera tarjeta\", \"description\":\"Descripción de la primera tarjeta\"}, {\"title\":\"Título de la segunda tarjeta\",\"description\":\"Descripción de la segunda tarjeta\"},{\"title\":\"Título de la última tarjeta\",\"description\":\"Descripción de la última tarjeta\"} ]", - "create": "Crear", - "createBoardPopup-title": "Crear tablero", - "chooseBoardSourcePopup-title": "Importar un tablero", - "createLabelPopup-title": "Crear etiqueta", - "createCustomField": "Crear un campo", - "createCustomFieldPopup-title": "Crear un campo", - "current": "actual", - "custom-field-delete-pop": "Se eliminará este campo personalizado de todas las tarjetas y se destruirá su historial. Esta acción no puede deshacerse.", - "custom-field-checkbox": "Casilla de verificación", - "custom-field-date": "Fecha", - "custom-field-dropdown": "Lista desplegable", - "custom-field-dropdown-none": "(nada)", - "custom-field-dropdown-options": "Opciones de la lista", - "custom-field-dropdown-options-placeholder": "Pulsa Intro para añadir más opciones", - "custom-field-dropdown-unknown": "(desconocido)", - "custom-field-number": "Número", - "custom-field-text": "Texto", - "custom-fields": "Campos personalizados", - "date": "Fecha", - "decline": "Declinar", - "default-avatar": "Avatar por defecto", - "delete": "Eliminar", - "deleteCustomFieldPopup-title": "¿Borrar el campo personalizado?", - "deleteLabelPopup-title": "¿Eliminar la etiqueta?", - "description": "Descripción", - "disambiguateMultiLabelPopup-title": "Desambiguar la acción de etiqueta", - "disambiguateMultiMemberPopup-title": "Desambiguar la acción de miembro", - "discard": "Descartarla", - "done": "Hecho", - "download": "Descargar", - "edit": "Editar", - "edit-avatar": "Cambiar el avatar", - "edit-profile": "Editar el perfil", - "edit-wip-limit": "Cambiar el límite del trabajo en proceso", - "soft-wip-limit": "Límite del trabajo en proceso flexible", - "editCardStartDatePopup-title": "Cambiar la fecha de comienzo", - "editCardDueDatePopup-title": "Cambiar la fecha de vencimiento", - "editCustomFieldPopup-title": "Editar el campo", - "editCardSpentTimePopup-title": "Cambiar el tiempo consumido", - "editLabelPopup-title": "Cambiar la etiqueta", - "editNotificationPopup-title": "Editar las notificaciones", - "editProfilePopup-title": "Editar el perfil", - "email": "Correo electrónico", - "email-enrollAccount-subject": "Cuenta creada en __siteName__", - "email-enrollAccount-text": "Hola __user__,\n\nPara empezar a utilizar el servicio, simplemente haz clic en el siguiente enlace.\n\n__url__\n\nGracias.", - "email-fail": "Error al enviar el correo", - "email-fail-text": "Error al intentar enviar el correo", - "email-invalid": "Correo no válido", - "email-invite": "Invitar vía correo electrónico", - "email-invite-subject": "__inviter__ ha enviado una invitación", - "email-invite-text": "Estimado __user__,\n\n__inviter__ te invita a unirte al tablero '__board__' para colaborar.\n\nPor favor, haz clic en el siguiente enlace:\n\n__url__\n\nGracias.", - "email-resetPassword-subject": "Restablecer tu contraseña en __siteName__", - "email-resetPassword-text": "Hola __user__,\n\nPara restablecer tu contraseña, haz clic en el siguiente enlace.\n\n__url__\n\nGracias.", - "email-sent": "Correo enviado", - "email-verifyEmail-subject": "Verifica tu dirección de correo en __siteName__", - "email-verifyEmail-text": "Hola __user__,\n\nPara verificar tu cuenta de correo electrónico, haz clic en el siguiente enlace.\n\n__url__\n\nGracias.", - "enable-wip-limit": "Activar el límite del trabajo en proceso", - "error-board-doesNotExist": "El tablero no existe", - "error-board-notAdmin": "Es necesario ser administrador de este tablero para hacer eso", - "error-board-notAMember": "Es necesario ser miembro de este tablero para hacer eso", - "error-json-malformed": "El texto no es un JSON válido", - "error-json-schema": "Sus datos JSON no incluyen la información apropiada en el formato correcto", - "error-list-doesNotExist": "La lista no existe", - "error-user-doesNotExist": "El usuario no existe", - "error-user-notAllowSelf": "No puedes invitarte a ti mismo", - "error-user-notCreated": "El usuario no ha sido creado", - "error-username-taken": "Este nombre de usuario ya está en uso", - "error-email-taken": "Esta dirección de correo ya está en uso", - "export-board": "Exportar el tablero", - "filter": "Filtrar", - "filter-cards": "Filtrar tarjetas", - "filter-clear": "Limpiar el filtro", - "filter-no-label": "Sin etiqueta", - "filter-no-member": "Sin miembro", - "filter-no-custom-fields": "Sin campos personalizados", - "filter-on": "Filtrado activado", - "filter-on-desc": "Estás filtrando tarjetas en este tablero. Haz clic aquí para editar el filtro.", - "filter-to-selection": "Filtrar la selección", - "advanced-filter-label": "Filtrado avanzado", - "advanced-filter-description": "El filtrado avanzado permite escribir una cadena que contiene los siguientes operadores: == != <= >= && || ( ) Se utiliza un espacio como separador entre los operadores. Se pueden filtrar todos los campos personalizados escribiendo sus nombres y valores. Por ejemplo: Campo1 == Valor1. Nota: Si los campos o valores contienen espacios, debe encapsularlos entre comillas simples. Por ejemplo: 'Campo 1' == 'Valor 1'. También puedes combinar múltiples condiciones. Por ejemplo: C1 == V1 || C1 = V2. Normalmente todos los operadores se interpretan de izquierda a derecha. Puede cambiar el orden colocando corchetes. Por ejemplo: C1 == V1 y ( C2 == V2 || C2 == V3 )", - "fullname": "Nombre completo", - "header-logo-title": "Volver a tu página de tableros", - "hide-system-messages": "Ocultar las notificaciones de actividad", - "headerBarCreateBoardPopup-title": "Crear tablero", - "home": "Inicio", - "import": "Importar", - "import-board": "importar un tablero", - "import-board-c": "Importar un tablero", - "import-board-title-trello": "Importar un tablero desde Trello", - "import-board-title-wekan": "Importar un tablero desde Wekan", - "import-sandstorm-warning": "El tablero importado eliminará todos los datos existentes en este tablero y los reemplazará con los datos del tablero importado.", - "from-trello": "Desde Trello", - "from-wekan": "Desde Wekan", - "import-board-instruction-trello": "En tu tablero de Trello, ve a 'Menú', luego 'Más' > 'Imprimir y exportar' > 'Exportar JSON', y copia el texto resultante.", - "import-board-instruction-wekan": "En tu tablero de Wekan, ve a 'Menú del tablero', luego 'Exportar el tablero', y copia aquí el texto del fichero descargado.", - "import-json-placeholder": "Pega tus datos JSON válidos aquí", - "import-map-members": "Mapa de miembros", - "import-members-map": "El tablero importado tiene algunos miembros. Por favor mapea los miembros que deseas importar a los usuarios de Wekan", - "import-show-user-mapping": "Revisión de la asignación de miembros", - "import-user-select": "Escoge el usuario de Wekan que deseas utilizar como miembro", - "importMapMembersAddPopup-title": "Selecciona un miembro de Wekan", - "info": "Versión", - "initials": "Iniciales", - "invalid-date": "Fecha no válida", - "invalid-time": "Tiempo no válido", - "invalid-user": "Usuario no válido", - "joined": "se ha unido", - "just-invited": "Has sido invitado a este tablero", - "keyboard-shortcuts": "Atajos de teclado", - "label-create": "Crear una etiqueta", - "label-default": "etiqueta %s (por defecto)", - "label-delete-pop": "Se eliminará esta etiqueta de todas las tarjetas y se destruirá su historial. Esta acción no puede deshacerse.", - "labels": "Etiquetas", - "language": "Cambiar el idioma", - "last-admin-desc": "No puedes cambiar roles porque debe haber al menos un administrador.", - "leave-board": "Abandonar el tablero", - "leave-board-pop": "¿Seguro que quieres abandonar __boardTitle__? Serás desvinculado de todas las tarjetas en este tablero.", - "leaveBoardPopup-title": "¿Abandonar el tablero?", - "link-card": "Enlazar a esta tarjeta", - "list-archive-cards": "Enviar todas las tarjetas de esta lista a la papelera de reciclaje", - "list-archive-cards-pop": "Esto eliminará todas las tarjetas de esta lista del tablero. Para ver las tarjetas en la papelera de reciclaje y devolverlas al tablero, haga clic en \"Menú\" > \"Papelera de reciclaje\".", - "list-move-cards": "Mover todas las tarjetas de esta lista", - "list-select-cards": "Seleccionar todas las tarjetas de esta lista", - "listActionPopup-title": "Acciones de la lista", - "swimlaneActionPopup-title": "Acciones del carril de flujo", - "listImportCardPopup-title": "Importar una tarjeta de Trello", - "listMorePopup-title": "Más", - "link-list": "Enlazar a esta lista", - "list-delete-pop": "Todas las acciones serán eliminadas del historial de actividades y no se podrá recuperar la lista. Esta acción no puede deshacerse.", - "list-delete-suggest-archive": "Puedes enviar una lista a la papelera de reciclaje para eliminarla del tablero y conservar la actividad.", - "lists": "Listas", - "swimlanes": "Carriles", - "log-out": "Finalizar la sesión", - "log-in": "Iniciar sesión", - "loginPopup-title": "Iniciar sesión", - "memberMenuPopup-title": "Mis preferencias", - "members": "Miembros", - "menu": "Menú", - "move-selection": "Mover la selección", - "moveCardPopup-title": "Mover la tarjeta", - "moveCardToBottom-title": "Mover al final", - "moveCardToTop-title": "Mover al principio", - "moveSelectionPopup-title": "Mover la selección", - "multi-selection": "Selección múltiple", - "multi-selection-on": "Selección múltiple activada", - "muted": "Silenciado", - "muted-info": "No serás notificado de ningún cambio en este tablero", - "my-boards": "Mis tableros", - "name": "Nombre", - "no-archived-cards": "No hay tarjetas en la papelera de reciclaje", - "no-archived-lists": "No hay listas en la papelera de reciclaje", - "no-archived-swimlanes": "No hay carriles de flujo en la papelera de reciclaje", - "no-results": "Sin resultados", - "normal": "Normal", - "normal-desc": "Puedes ver y editar tarjetas. No puedes cambiar la configuración.", - "not-accepted-yet": "La invitación no ha sido aceptada aún", - "notify-participate": "Recibir actualizaciones de cualquier tarjeta en la que participas como creador o miembro", - "notify-watch": "Recibir actuaizaciones de cualquier tablero, lista o tarjeta que estés vigilando", - "optional": "opcional", - "or": "o", - "page-maybe-private": "Esta página puede ser privada. Es posible que puedas verla al iniciar sesión.", - "page-not-found": "Página no encontrada.", - "password": "Contraseña", - "paste-or-dragdrop": "pegar o arrastrar y soltar un fichero de imagen (sólo imagen)", - "participating": "Participando", - "preview": "Previsualizar", - "previewAttachedImagePopup-title": "Previsualizar", - "previewClipboardImagePopup-title": "Previsualizar", - "private": "Privado", - "private-desc": "Este tablero es privado. Sólo las personas añadidas al tablero pueden verlo y editarlo.", - "profile": "Perfil", - "public": "Público", - "public-desc": "Este tablero es público. Es visible para cualquiera a través del enlace, y se mostrará en los buscadores como Google. Sólo las personas añadidas al tablero pueden editarlo.", - "quick-access-description": "Destaca un tablero para añadir un acceso directo en esta barra.", - "remove-cover": "Eliminar portada", - "remove-from-board": "Desvincular del tablero", - "remove-label": "Eliminar la etiqueta", - "listDeletePopup-title": "¿Eliminar la lista?", - "remove-member": "Eliminar miembro", - "remove-member-from-card": "Eliminar de la tarjeta", - "remove-member-pop": "¿Eliminar __name__ (__username__) de __boardTitle__? El miembro será eliminado de todas las tarjetas de este tablero. En ellas se mostrará una notificación.", - "removeMemberPopup-title": "¿Eliminar miembro?", - "rename": "Renombrar", - "rename-board": "Renombrar el tablero", - "restore": "Restaurar", - "save": "Añadir", - "search": "Buscar", - "search-cards": "Buscar entre los títulos y las descripciones de las tarjetas en este tablero.", - "search-example": "¿Texto a buscar?", - "select-color": "Selecciona un color", - "set-wip-limit-value": "Fija un límite para el número máximo de tareas en esta lista.", - "setWipLimitPopup-title": "Fijar el límite del trabajo en proceso", - "shortcut-assign-self": "Asignarte a ti mismo a la tarjeta actual", - "shortcut-autocomplete-emoji": "Autocompletar emoji", - "shortcut-autocomplete-members": "Autocompletar miembros", - "shortcut-clear-filters": "Limpiar todos los filtros", - "shortcut-close-dialog": "Cerrar el cuadro de diálogo", - "shortcut-filter-my-cards": "Filtrar mis tarjetas", - "shortcut-show-shortcuts": "Mostrar esta lista de atajos", - "shortcut-toggle-filterbar": "Conmutar la barra lateral del filtro", - "shortcut-toggle-sidebar": "Conmutar la barra lateral del tablero", - "show-cards-minimum-count": "Mostrar recuento de tarjetas si la lista contiene más de", - "sidebar-open": "Abrir la barra lateral", - "sidebar-close": "Cerrar la barra lateral", - "signupPopup-title": "Crear una cuenta", - "star-board-title": "Haz clic para destacar este tablero. Se mostrará en la parte superior de tu lista de tableros.", - "starred-boards": "Tableros destacados", - "starred-boards-description": "Los tableros destacados se mostrarán en la parte superior de tu lista de tableros.", - "subscribe": "Suscribirse", - "team": "Equipo", - "this-board": "este tablero", - "this-card": "esta tarjeta", - "spent-time-hours": "Tiempo consumido (horas)", - "overtime-hours": "Tiempo excesivo (horas)", - "overtime": "Tiempo excesivo", - "has-overtime-cards": "Hay tarjetas con el tiempo excedido", - "has-spenttime-cards": "Se ha excedido el tiempo de las tarjetas", - "time": "Hora", - "title": "Título", - "tracking": "Siguiendo", - "tracking-info": "Serás notificado de cualquier cambio en las tarjetas en las que participas como creador o miembro.", - "type": "Tipo", - "unassign-member": "Desvincular al miembro", - "unsaved-description": "Tienes una descripción por añadir.", - "unwatch": "Dejar de vigilar", - "upload": "Cargar", - "upload-avatar": "Cargar un avatar", - "uploaded-avatar": "Avatar cargado", - "username": "Nombre de usuario", - "view-it": "Verla", - "warn-list-archived": "advertencia: esta tarjeta está en una lista en la papelera de reciclaje", - "watch": "Vigilar", - "watching": "Vigilando", - "watching-info": "Serás notificado de cualquier cambio en este tablero", - "welcome-board": "Tablero de bienvenida", - "welcome-swimlane": "Hito 1", - "welcome-list1": "Básicos", - "welcome-list2": "Avanzados", - "what-to-do": "¿Qué deseas hacer?", - "wipLimitErrorPopup-title": "El límite del trabajo en proceso no es válido.", - "wipLimitErrorPopup-dialog-pt1": "El número de tareas en esta lista es mayor que el límite del trabajo en proceso que has definido.", - "wipLimitErrorPopup-dialog-pt2": "Por favor, mueve algunas tareas fuera de esta lista, o fija un límite del trabajo en proceso más alto.", - "admin-panel": "Panel del administrador", - "settings": "Ajustes", - "people": "Personas", - "registration": "Registro", - "disable-self-registration": "Deshabilitar autoregistro", - "invite": "Invitar", - "invite-people": "Invitar a personas", - "to-boards": "A el(los) tablero(s)", - "email-addresses": "Direcciones de correo electrónico", - "smtp-host-description": "Dirección del servidor SMTP para gestionar tus correos", - "smtp-port-description": "Puerto usado por el servidor SMTP para mandar correos", - "smtp-tls-description": "Habilitar el soporte TLS para el servidor SMTP", - "smtp-host": "Servidor SMTP", - "smtp-port": "Puerto SMTP", - "smtp-username": "Nombre de usuario", - "smtp-password": "Contraseña", - "smtp-tls": "Soporte TLS", - "send-from": "Desde", - "send-smtp-test": "Enviarte un correo de prueba a ti mismo", - "invitation-code": "Código de Invitación", - "email-invite-register-subject": "__inviter__ te ha enviado una invitación", - "email-invite-register-text": "Estimado __user__,\n\n__inviter__ te invita a unirte a Wekan para colaborar.\n\nPor favor, haz clic en el siguiente enlace:\n__url__\n\nTu código de invitación es: __icode__\n\nGracias.", - "email-smtp-test-subject": "Prueba de correo SMTP desde Wekan", - "email-smtp-test-text": "El correo se ha enviado correctamente", - "error-invitation-code-not-exist": "El código de invitación no existe", - "error-notAuthorized": "No estás autorizado a ver esta página.", - "outgoing-webhooks": "Webhooks salientes", - "outgoingWebhooksPopup-title": "Webhooks salientes", - "new-outgoing-webhook": "Nuevo webhook saliente", - "no-name": "(Desconocido)", - "Wekan_version": "Versión de Wekan", - "Node_version": "Versión de Node", - "OS_Arch": "Arquitectura del sistema", - "OS_Cpus": "Número de CPUs del sistema", - "OS_Freemem": "Memoria libre del sistema", - "OS_Loadavg": "Carga media del sistema", - "OS_Platform": "Plataforma del sistema", - "OS_Release": "Publicación del sistema", - "OS_Totalmem": "Memoria Total del sistema", - "OS_Type": "Tipo de sistema", - "OS_Uptime": "Tiempo activo del sistema", - "hours": "horas", - "minutes": "minutos", - "seconds": "segundos", - "show-field-on-card": "Mostrar este campo en la tarjeta", - "yes": "Sí", - "no": "No", - "accounts": "Cuentas", - "accounts-allowEmailChange": "Permitir cambiar el correo electrónico", - "accounts-allowUserNameChange": "Permitir el cambio del nombre de usuario", - "createdAt": "Creado en", - "verified": "Verificado", - "active": "Activo", - "card-received": "Recibido", - "card-received-on": "Recibido el", - "card-end": "Finalizado", - "card-end-on": "Finalizado el", - "editCardReceivedDatePopup-title": "Cambiar la fecha de recepción", - "editCardEndDatePopup-title": "Cambiar la fecha de finalización" -} \ No newline at end of file diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json deleted file mode 100644 index 434943ff..00000000 --- a/i18n/eu.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Onartu", - "act-activity-notify": "[Wekan] Jarduera-jakinarazpena", - "act-addAttachment": "__attachment__ __card__ txartelera erantsita", - "act-addChecklist": "gehituta checklist __checklist__ __card__ -ri", - "act-addChecklistItem": "gehituta __checklistItem__ checklist __checklist__ on __card__ -ri", - "act-addComment": "__card__ txartelean iruzkina: __comment__", - "act-createBoard": "__board__ sortuta", - "act-createCard": "__card__ __list__ zerrrendara gehituta", - "act-createCustomField": "created custom field __customField__", - "act-createList": "__list__ __board__ arbelera gehituta", - "act-addBoardMember": "__member__ __board__ arbelera gehituta", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "__board__ inportatuta", - "act-importCard": "__card__ inportatuta", - "act-importList": "__list__ inportatuta", - "act-joinMember": "__member__ __card__ txartelera gehituta", - "act-moveCard": "__card__ __oldList__ zerrendartik __list__ zerrendara eraman da", - "act-removeBoardMember": "__member__ __board__ arbeletik kendu da", - "act-restoredCard": "__card__ __board__ arbelean berrezarri da", - "act-unjoinMember": "__member__ __card__ txarteletik kendu da", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Ekintzak", - "activities": "Jarduerak", - "activity": "Jarduera", - "activity-added": "%s %s(e)ra gehituta", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "%s %s(e)ra erantsita", - "activity-created": "%s sortuta", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "%s %s(e)tik kanpo utzita", - "activity-imported": "%s inportatuta %s(e)ra %s(e)tik", - "activity-imported-board": "%s inportatuta %s(e)tik", - "activity-joined": "%s(e)ra elkartuta", - "activity-moved": "%s %s(e)tik %s(e)ra eramanda", - "activity-on": "%s", - "activity-removed": "%s %s(e)tik kenduta", - "activity-sent": "%s %s(e)ri bidalita", - "activity-unjoined": "%s utzita", - "activity-checklist-added": "egiaztaketa zerrenda %s(e)ra gehituta", - "activity-checklist-item-added": "egiaztaketa zerrendako elementuak '%s'(e)ra gehituta %s(e)n", - "add": "Gehitu", - "add-attachment": "Gehitu eranskina", - "add-board": "Gehitu arbela", - "add-card": "Gehitu txartela", - "add-swimlane": "Add Swimlane", - "add-checklist": "Gehitu egiaztaketa zerrenda", - "add-checklist-item": "Gehitu elementu bat egiaztaketa zerrendara", - "add-cover": "Gehitu azala", - "add-label": "Gehitu etiketa", - "add-list": "Gehitu zerrenda", - "add-members": "Gehitu kideak", - "added": "Gehituta", - "addMemberPopup-title": "Kideak", - "admin": "Kudeatzailea", - "admin-desc": "Txartelak ikusi eta editatu ditzake, kideak kendu, eta arbelaren ezarpenak aldatu.", - "admin-announcement": "Jakinarazpena", - "admin-announcement-active": "Gaitu Sistema-eremuko Jakinarazpena", - "admin-announcement-title": "Administrariaren jakinarazpena", - "all-boards": "Arbel guztiak", - "and-n-other-card": "Eta beste txartel __count__", - "and-n-other-card_plural": "Eta beste __count__ txartel", - "apply": "Aplikatu", - "app-is-offline": "Wekan kargatzen ari da, itxaron mesedez. Orria freskatzeak datuen galera ekarriko luke. Wekan kargatzen ez bada, egiaztatu Wekan zerbitzaria gelditu ez dela.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Berreskuratu arbela", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Esleitu kidea", - "attached": "erantsita", - "attachment": "Eranskina", - "attachment-delete-pop": "Eranskina ezabatzea behin betikoa da. Ez dago desegiterik.", - "attachmentDeletePopup-title": "Ezabatu eranskina?", - "attachments": "Eranskinak", - "auto-watch": "Automatikoki jarraitu arbelak hauek sortzean", - "avatar-too-big": "Avatarra handiegia da (Gehienez 70Kb)", - "back": "Atzera", - "board-change-color": "Aldatu kolorea", - "board-nb-stars": "%s izar", - "board-not-found": "Ez da arbela aurkitu", - "board-private-info": "Arbel hau pribatua izango da.", - "board-public-info": "Arbel hau publikoa izango da.", - "boardChangeColorPopup-title": "Aldatu arbelaren atzealdea", - "boardChangeTitlePopup-title": "Aldatu izena arbelari", - "boardChangeVisibilityPopup-title": "Aldatu ikusgaitasuna", - "boardChangeWatchPopup-title": "Aldatu ikuskatzea", - "boardMenuPopup-title": "Arbelaren menua", - "boards": "Arbelak", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Zerrendak", - "bucket-example": "Esaterako \"Pertz zerrenda\"", - "cancel": "Utzi", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "Txartel honek iruzkin %s dauka.", - "card-delete-notice": "Ezabaketa behin betiko da. Txartel honi lotutako ekintza guztiak galduko dituzu.", - "card-delete-pop": "Ekintza guztiak ekintza jariotik kenduko dira eta ezin izango duzu txartela berrireki. Ez dago desegiterik.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Epemuga", - "card-due-on": "Epemuga", - "card-spent": "Erabilitako denbora", - "card-edit-attachments": "Editatu eranskinak", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Editatu etiketak", - "card-edit-members": "Editatu kideak", - "card-labels-title": "Aldatu txartelaren etiketak", - "card-members-title": "Gehitu edo kendu arbeleko kideak txarteletik.", - "card-start": "Hasiera", - "card-start-on": "Hasiera", - "cardAttachmentsPopup-title": "Erantsi hemendik", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Ezabatu txartela?", - "cardDetailsActionsPopup-title": "Txartel-ekintzak", - "cardLabelsPopup-title": "Etiketak", - "cardMembersPopup-title": "Kideak", - "cardMorePopup-title": "Gehiago", - "cards": "Txartelak", - "cards-count": "Txartelak", - "change": "Aldatu", - "change-avatar": "Aldatu avatarra", - "change-password": "Aldatu pasahitza", - "change-permissions": "Aldatu baimenak", - "change-settings": "Aldatu ezarpenak", - "changeAvatarPopup-title": "Aldatu avatarra", - "changeLanguagePopup-title": "Aldatu hizkuntza", - "changePasswordPopup-title": "Aldatu pasahitza", - "changePermissionsPopup-title": "Aldatu baimenak", - "changeSettingsPopup-title": "Aldatu ezarpenak", - "checklists": "Egiaztaketa zerrenda", - "click-to-star": "Egin klik arbel honi izarra jartzeko", - "click-to-unstar": "Egin klik arbel honi izarra kentzeko", - "clipboard": "Kopiatu eta itsatsi edo arrastatu eta jaregin", - "close": "Itxi", - "close-board": "Itxi arbela", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "beltza", - "color-blue": "urdina", - "color-green": "berdea", - "color-lime": "lima", - "color-orange": "laranja", - "color-pink": "larrosa", - "color-purple": "purpura", - "color-red": "gorria", - "color-sky": "zerua", - "color-yellow": "horia", - "comment": "Iruzkina", - "comment-placeholder": "Idatzi iruzkin bat", - "comment-only": "Iruzkinak besterik ez", - "comment-only-desc": "Iruzkinak txarteletan soilik egin ditzake", - "computer": "Ordenagailua", - "confirm-checklist-delete-dialog": "Ziur zaude kontrol-zerrenda ezabatu nahi duzula", - "copy-card-link-to-clipboard": "Kopiatu txartela arbelera", - "copyCardPopup-title": "Kopiatu txartela", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Sortu", - "createBoardPopup-title": "Sortu arbela", - "chooseBoardSourcePopup-title": "Inportatu arbela", - "createLabelPopup-title": "Sortu etiketa", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "unekoa", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Data", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Data", - "decline": "Ukatu", - "default-avatar": "Lehenetsitako avatarra", - "delete": "Ezabatu", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Ezabatu etiketa?", - "description": "Deskripzioa", - "disambiguateMultiLabelPopup-title": "Argitu etiketaren ekintza", - "disambiguateMultiMemberPopup-title": "Argitu kidearen ekintza", - "discard": "Baztertu", - "done": "Egina", - "download": "Deskargatu", - "edit": "Editatu", - "edit-avatar": "Aldatu avatarra", - "edit-profile": "Editatu profila", - "edit-wip-limit": "WIP muga editatu", - "soft-wip-limit": "WIP muga malgua", - "editCardStartDatePopup-title": "Aldatu hasiera data", - "editCardDueDatePopup-title": "Aldatu epemuga data", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Aldatu erabilitako denbora", - "editLabelPopup-title": "Aldatu etiketa", - "editNotificationPopup-title": "Editatu jakinarazpena", - "editProfilePopup-title": "Editatu profila", - "email": "e-posta", - "email-enrollAccount-subject": "Kontu bat sortu zaizu __siteName__ gunean", - "email-enrollAccount-text": "Kaixo __user__,\n\nZerbitzua erabiltzen hasteko, egin klik beheko loturan.\n\n__url__\n\nEskerrik asko.", - "email-fail": "E-posta bidalketak huts egin du", - "email-fail-text": "Arazoa mezua bidaltzen saiatzen", - "email-invalid": "Baliogabeko e-posta", - "email-invite": "Gonbidatu e-posta bidez", - "email-invite-subject": "__inviter__ erabiltzaileak gonbidapen bat bidali dizu", - "email-invite-text": "Kaixo __user__,\n\n__inviter__ erabiltzaileak \"__board__\" arbelera elkartzera gonbidatzen zaitu elkar-lanean aritzeko.\n\nJarraitu mesedez lotura hau:\n\n__url__\n\nEskerrik asko.", - "email-resetPassword-subject": "Leheneratu zure __siteName__ guneko pasahitza", - "email-resetPassword-text": "Kaixo __user__,\n\nZure pasahitza berrezartzeko, egin klik beheko loturan.\n\n__url__\n\nEskerrik asko.", - "email-sent": "E-posta bidali da", - "email-verifyEmail-subject": "Egiaztatu __siteName__ guneko zure e-posta helbidea.", - "email-verifyEmail-text": "Kaixo __user__,\n\nZure e-posta kontua egiaztatzeko, egin klik beheko loturan.\n\n__url__\n\nEskerrik asko.", - "enable-wip-limit": "WIP muga gaitu", - "error-board-doesNotExist": "Arbel hau ez da existitzen", - "error-board-notAdmin": "Arbel honetako kudeatzailea izan behar zara hori egin ahal izateko", - "error-board-notAMember": "Arbel honetako kidea izan behar zara hori egin ahal izateko", - "error-json-malformed": "Zure testua ez da baliozko JSON", - "error-json-schema": "Zure JSON datuek ez dute formatu zuzenaren informazio egokia", - "error-list-doesNotExist": "Zerrenda hau ez da existitzen", - "error-user-doesNotExist": "Erabiltzaile hau ez da existitzen", - "error-user-notAllowSelf": "Ezin duzu zure burua gonbidatu", - "error-user-notCreated": "Erabiltzaile hau sortu gabe dago", - "error-username-taken": "Erabiltzaile-izen hori hartuta dago", - "error-email-taken": "E-mail hori hartuta dago", - "export-board": "Esportatu arbela", - "filter": "Iragazi", - "filter-cards": "Iragazi txartelak", - "filter-clear": "Garbitu iragazkia", - "filter-no-label": "Etiketarik ez", - "filter-no-member": "Kiderik ez", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Iragazkia gaituta dago", - "filter-on-desc": "Arbel honetako txartela iragazten ari zara. Egin klik hemen iragazkia editatzeko.", - "filter-to-selection": "Iragazketa aukerara", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Izen abizenak", - "header-logo-title": "Itzuli zure arbelen orrira.", - "hide-system-messages": "Ezkutatu sistemako mezuak", - "headerBarCreateBoardPopup-title": "Sortu arbela", - "home": "Hasiera", - "import": "Inportatu", - "import-board": "inportatu arbela", - "import-board-c": "Inportatu arbela", - "import-board-title-trello": "Inportatu arbela Trellotik", - "import-board-title-wekan": "Inportatu arbela Wekanetik", - "import-sandstorm-warning": "Inportatutako arbelak oraingo arbeleko informazio guztia ezabatuko du eta inportatutako arbeleko informazioarekin ordeztu.", - "from-trello": "Trellotik", - "from-wekan": "Wekanetik", - "import-board-instruction-trello": "Zure Trello arbelean, aukeratu 'Menu\", 'More', 'Print and Export', 'Export JSON', eta kopiatu jasotako testua hemen.", - "import-board-instruction-wekan": "Zure Wekan arbelean, aukeratu 'Menua' - 'Esportatu arbela', eta kopiatu testua deskargatutako fitxategian.", - "import-json-placeholder": "Isatsi baliozko JSON datuak hemen", - "import-map-members": "Kideen mapa", - "import-members-map": "Inportatu duzun arbela kide batzuk ditu, mesedez lotu inportatu nahi dituzun kideak Wekan erabiltzaileekin", - "import-show-user-mapping": "Berrikusi kideen mapa", - "import-user-select": "Hautatu kide hau bezala erabili nahi duzun Wekan erabiltzailea", - "importMapMembersAddPopup-title": "Aukeratu Wekan kidea", - "info": "Bertsioa", - "initials": "Inizialak", - "invalid-date": "Baliogabeko data", - "invalid-time": "Baliogabeko denbora", - "invalid-user": "Baliogabeko erabiltzailea", - "joined": "elkartu da", - "just-invited": "Arbel honetara gonbidatu berri zaituzte", - "keyboard-shortcuts": "Teklatu laster-bideak", - "label-create": "Sortu etiketa", - "label-default": "%s etiketa (lehenetsia)", - "label-delete-pop": "Ez dago desegiterik. Honek etiketa hau kenduko du txartel guztietatik eta bere historiala suntsitu.", - "labels": "Etiketak", - "language": "Hizkuntza", - "last-admin-desc": "Ezin duzu rola aldatu gutxienez kudeatzaile bat behar delako.", - "leave-board": "Utzi arbela", - "leave-board-pop": "Ziur zaude __boardTitle__ utzi nahi duzula? Arbel honetako txartel guztietatik ezabatua izango zara.", - "leaveBoardPopup-title": "Arbela utzi?", - "link-card": "Lotura txartel honetara", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Lekuz aldatu zerrendako txartel guztiak", - "list-select-cards": "Aukeratu zerrenda honetako txartel guztiak", - "listActionPopup-title": "Zerrendaren ekintzak", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Inportatu Trello txartel bat", - "listMorePopup-title": "Gehiago", - "link-list": "Lotura zerrenda honetara", - "list-delete-pop": "Ekintza guztiak ekintza jariotik kenduko dira eta ezin izango duzu zerrenda berreskuratu. Ez dago desegiterik.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Zerrendak", - "swimlanes": "Swimlanes", - "log-out": "Itxi saioa", - "log-in": "Hasi saioa", - "loginPopup-title": "Hasi saioa", - "memberMenuPopup-title": "Kidearen ezarpenak", - "members": "Kideak", - "menu": "Menua", - "move-selection": "Lekuz aldatu hautaketa", - "moveCardPopup-title": "Lekuz aldatu txartela", - "moveCardToBottom-title": "Eraman behera", - "moveCardToTop-title": "Eraman gora", - "moveSelectionPopup-title": "Lekuz aldatu hautaketa", - "multi-selection": "Hautaketa anitza", - "multi-selection-on": "Hautaketa anitza gaituta dago", - "muted": "Mututua", - "muted-info": "Ez zaizkizu jakinaraziko arbel honi egindako aldaketak", - "my-boards": "Nire arbelak", - "name": "Izena", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Emaitzarik ez", - "normal": "Arrunta", - "normal-desc": "Txartelak ikusi eta editatu ditzake. Ezin ditu ezarpenak aldatu.", - "not-accepted-yet": "Gonbidapena ez da oraindik onartu", - "notify-participate": "Jaso sortzaile edo kide zaren txartelen jakinarazpenak", - "notify-watch": "Jaso ikuskatzen dituzun arbel, zerrenda edo txartelen jakinarazpenak", - "optional": "aukerazkoa", - "or": "edo", - "page-maybe-private": "Orri hau pribatua izan daiteke. Agian saioa hasi eta gero ikusi ahal izango duzu.", - "page-not-found": "Ez da orria aurkitu.", - "password": "Pasahitza", - "paste-or-dragdrop": "itsasteko, edo irudi fitxategia arrastatu eta jaregiteko (irudia besterik ez)", - "participating": "Parte-hartzen", - "preview": "Aurreikusi", - "previewAttachedImagePopup-title": "Aurreikusi", - "previewClipboardImagePopup-title": "Aurreikusi", - "private": "Pribatua", - "private-desc": "Arbel hau pribatua da. Arbelera gehitutako jendeak besterik ezin du ikusi eta editatu.", - "profile": "Profila", - "public": "Publikoa", - "public-desc": "Arbel hau publikoa da lotura duen edonorentzat ikusgai dago eta Google bezalako bilatzaileetan agertuko da. Arbelera gehitutako kideek besterik ezin dute editatu.", - "quick-access-description": "Jarri izarra arbel bati barra honetan lasterbide bat sortzeko", - "remove-cover": "Kendu azala", - "remove-from-board": "Kendu arbeletik", - "remove-label": "Kendu etiketa", - "listDeletePopup-title": "Ezabatu zerrenda?", - "remove-member": "Kendu kidea", - "remove-member-from-card": "Kendu txarteletik", - "remove-member-pop": "Kendu __name__ (__username__) __boardTitle__ arbeletik? Kidea arbel honetako txartel guztietatik kenduko da. Jakinarazpenak bidaliko dira.", - "removeMemberPopup-title": "Kendu kidea?", - "rename": "Aldatu izena", - "rename-board": "Aldatu izena arbelari", - "restore": "Berrezarri", - "save": "Gorde", - "search": "Bilatu", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Aukeratu kolorea", - "set-wip-limit-value": "Zerrenda honetako atazen muga maximoa ezarri", - "setWipLimitPopup-title": "WIP muga ezarri", - "shortcut-assign-self": "Esleitu zure burua txartel honetara", - "shortcut-autocomplete-emoji": "Automatikoki osatu emojia", - "shortcut-autocomplete-members": "Automatikoki osatu kideak", - "shortcut-clear-filters": "Garbitu iragazki guztiak", - "shortcut-close-dialog": "Itxi elkarrizketa-koadroa", - "shortcut-filter-my-cards": "Iragazi nire txartelak", - "shortcut-show-shortcuts": "Erakutsi lasterbideen zerrenda hau", - "shortcut-toggle-filterbar": "Txandakatu iragazkiaren albo-barra", - "shortcut-toggle-sidebar": "Txandakatu arbelaren albo-barra", - "show-cards-minimum-count": "Erakutsi txartel kopurua hau baino handiagoa denean:", - "sidebar-open": "Ireki albo-barra", - "sidebar-close": "Itxi albo-barra", - "signupPopup-title": "Sortu kontu bat", - "star-board-title": "Egin klik arbel honi izarra jartzeko, zure arbelen zerrendaren goialdean agertuko da", - "starred-boards": "Izardun arbelak", - "starred-boards-description": "Izardun arbelak zure arbelen zerrendaren goialdean agertuko dira", - "subscribe": "Harpidetu", - "team": "Taldea", - "this-board": "arbel hau", - "this-card": "txartel hau", - "spent-time-hours": "Erabilitako denbora (orduak)", - "overtime-hours": "Luzapena (orduak)", - "overtime": "Luzapena", - "has-overtime-cards": "Luzapen txartelak ditu", - "has-spenttime-cards": "Erabilitako denbora txartelak ditu", - "time": "Ordua", - "title": "Izenburua", - "tracking": "Jarraitzen", - "tracking-info": "Sortzaile edo kide gisa parte-hartzen duzun txartelei egindako aldaketak jakinaraziko zaizkizu.", - "type": "Type", - "unassign-member": "Kendu kidea", - "unsaved-description": "Gorde gabeko deskripzio bat duzu", - "unwatch": "Utzi ikuskatzeari", - "upload": "Igo", - "upload-avatar": "Igo avatar bat", - "uploaded-avatar": "Avatar bat igo da", - "username": "Erabiltzaile-izena", - "view-it": "Ikusi", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Ikuskatu", - "watching": "Ikuskatzen", - "watching-info": "Arbel honi egindako aldaketak jakinaraziko zaizkizu", - "welcome-board": "Ongi etorri arbela", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Oinarrizkoa", - "welcome-list2": "Aurreratua", - "what-to-do": "Zer egin nahi duzu?", - "wipLimitErrorPopup-title": "Baliogabeko WIP muga", - "wipLimitErrorPopup-dialog-pt1": "Zerrenda honetako atazen muga, WIP-en ezarritakoa baina handiagoa da", - "wipLimitErrorPopup-dialog-pt2": "Mugitu zenbait ataza zerrenda honetatik, edo WIP muga handiagoa ezarri.", - "admin-panel": "Kudeaketa panela", - "settings": "Ezarpenak", - "people": "Jendea", - "registration": "Izen-ematea", - "disable-self-registration": "Desgaitu nork bere burua erregistratzea", - "invite": "Gonbidatu", - "invite-people": "Gonbidatu jendea", - "to-boards": "Arbele(ta)ra", - "email-addresses": "E-posta helbideak", - "smtp-host-description": "Zure e-posta mezuez arduratzen den SMTP zerbitzariaren helbidea", - "smtp-port-description": "Zure SMTP zerbitzariak bidalitako e-posta mezuentzat erabiltzen duen kaia.", - "smtp-tls-description": "Gaitu TLS euskarria SMTP zerbitzariarentzat", - "smtp-host": "SMTP ostalaria", - "smtp-port": "SMTP kaia", - "smtp-username": "Erabiltzaile-izena", - "smtp-password": "Pasahitza", - "smtp-tls": "TLS euskarria", - "send-from": "Nork", - "send-smtp-test": "Bidali posta elektroniko mezu bat zure buruari", - "invitation-code": "Gonbidapen kodea", - "email-invite-register-subject": "__inviter__ erabiltzaileak gonbidapen bat bidali dizu", - "email-invite-register-text": "Kaixo __user__,\n\n__inviter__ erabiltzaileak Wekanera gonbidatu zaitu elkar-lanean aritzeko.\n\nJarraitu mesedez lotura hau:\n__url__\n\nZure gonbidapen kodea hau da: __icode__\n\nEskerrik asko.", - "email-smtp-test-subject": "Wekan-etik bidalitako test-mezua", - "email-smtp-test-text": "Arrakastaz bidali duzu posta elektroniko mezua", - "error-invitation-code-not-exist": "Gonbidapen kodea ez da existitzen", - "error-notAuthorized": "Ez duzu orri hau ikusteko baimenik.", - "outgoing-webhooks": "Irteerako Webhook-ak", - "outgoingWebhooksPopup-title": "Irteerako Webhook-ak", - "new-outgoing-webhook": "Irteera-webhook berria", - "no-name": "(Ezezaguna)", - "Wekan_version": "Wekan bertsioa", - "Node_version": "Nodo bertsioa", - "OS_Arch": "SE Arkitektura", - "OS_Cpus": "SE PUZ kopurua", - "OS_Freemem": "SE Memoria librea", - "OS_Loadavg": "SE batez besteko karga", - "OS_Platform": "SE plataforma", - "OS_Release": "SE kaleratzea", - "OS_Totalmem": "SE memoria guztira", - "OS_Type": "SE mota", - "OS_Uptime": "SE denbora abiatuta", - "hours": "ordu", - "minutes": "minutu", - "seconds": "segundo", - "show-field-on-card": "Show this field on card", - "yes": "Bai", - "no": "Ez", - "accounts": "Kontuak", - "accounts-allowEmailChange": "Baimendu e-mail aldaketa", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Noiz sortua", - "verified": "Egiaztatuta", - "active": "Gaituta", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" -} \ No newline at end of file diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json deleted file mode 100644 index d03d0df6..00000000 --- a/i18n/fa.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "پذیرش", - "act-activity-notify": "[wekan] اطلاع فعالیت", - "act-addAttachment": "پیوست __attachment__ به __card__", - "act-addChecklist": "سیاهه __checklist__ به __card__ افزوده شد", - "act-addChecklistItem": "__checklistItem__ به سیاهه __checklist__ در __card__ افزوده شد", - "act-addComment": "درج نظر برای __card__: __comment__", - "act-createBoard": "__board__ ایجاد شد", - "act-createCard": "__card__ به __list__ اضافه شد", - "act-createCustomField": "فیلد __customField__ ایجاد شد", - "act-createList": "__list__ به __board__ اضافه شد", - "act-addBoardMember": "__member__ به __board__ اضافه شد", - "act-archivedBoard": "__board__ به سطل زباله ریخته شد", - "act-archivedCard": "__card__ به سطل زباله منتقل شد", - "act-archivedList": "__list__ به سطل زباله منتقل شد", - "act-archivedSwimlane": "__swimlane__ به سطل زباله منتقل شد", - "act-importBoard": "__board__ وارد شده", - "act-importCard": "__card__ وارد شده", - "act-importList": "__list__ وارد شده", - "act-joinMember": "__member__ به __card__اضافه شد", - "act-moveCard": "انتقال __card__ از __oldList__ به __list__", - "act-removeBoardMember": "__member__ از __board__ پاک شد", - "act-restoredCard": "__card__ به __board__ بازآوری شد", - "act-unjoinMember": "__member__ از __card__ پاک شد", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "اعمال", - "activities": "فعالیت ها", - "activity": "فعالیت", - "activity-added": "%s به %s اضافه شد", - "activity-archived": "%s به سطل زباله منتقل شد", - "activity-attached": "%s به %s پیوست شد", - "activity-created": "%s ایجاد شد", - "activity-customfield-created": "%s فیلدشخصی ایجاد شد", - "activity-excluded": "%s از %s مستثنی گردید", - "activity-imported": "%s از %s وارد %s شد", - "activity-imported-board": "%s از %s وارد شد", - "activity-joined": "اتصال به %s", - "activity-moved": "%s از %s به %s منتقل شد", - "activity-on": "%s", - "activity-removed": "%s از %s حذف شد", - "activity-sent": "ارسال %s به %s", - "activity-unjoined": "قطع اتصال %s", - "activity-checklist-added": "سیاهه به %s اضافه شد", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "افزودن", - "add-attachment": "افزودن ضمیمه", - "add-board": "افزودن برد", - "add-card": "افزودن کارت", - "add-swimlane": "Add Swimlane", - "add-checklist": "افزودن چک لیست", - "add-checklist-item": "افزودن مورد به سیاهه", - "add-cover": "جلد کردن", - "add-label": "افزودن لیبل", - "add-list": "افزودن لیست", - "add-members": "افزودن اعضا", - "added": "اضافه گردید", - "addMemberPopup-title": "اعضا", - "admin": "مدیر", - "admin-desc": "امکان دیدن و ویرایش کارتها،پاک کردن کاربران و تغییر تنظیمات برای تخته", - "admin-announcement": "اعلان", - "admin-announcement-active": "اعلان سراسری فعال", - "admin-announcement-title": "اعلان از سوی مدیر", - "all-boards": "تمام تخته‌ها", - "and-n-other-card": "و __count__ کارت دیگر", - "and-n-other-card_plural": "و __count__ کارت دیگر", - "apply": "اعمال", - "app-is-offline": "Wekan در حال بارگذاری است. لطفا صبر کنید. نوسازی صفحه، منجر به از دست رفتن داده‌ها می‌شود. اگر Wekan بارگذاری نشد، لطفا بررسی کنید که سرور Wekan متوقف نشده باشد.", - "archive": "ریختن به سطل زباله", - "archive-all": "ریختن همه به سطل زباله", - "archive-board": "ریختن تخته به سطل زباله", - "archive-card": "ریختن کارت به سطل زباله", - "archive-list": "ریختن لیست به سطل زباله", - "archive-swimlane": "ریختن مسیرشنا به سطل زباله", - "archive-selection": "انتخاب شده ها را به سطل زباله بریز", - "archiveBoardPopup-title": "آیا تخته به سطل زباله ریخته شود؟", - "archived-items": "سطل زباله", - "archived-boards": "تخته هایی که به زباله ریخته شده است", - "restore-board": "بازیابی تخته", - "no-archived-boards": "هیچ تخته ای در سطل زباله وجود ندارد", - "archives": "سطل زباله", - "assign-member": "تعیین عضو", - "attached": "ضمیمه شده", - "attachment": "ضمیمه", - "attachment-delete-pop": "حذف پیوست دایمی و بی بازگشت خواهد بود.", - "attachmentDeletePopup-title": "آیا می خواهید ضمیمه را حذف کنید؟", - "attachments": "ضمائم", - "auto-watch": "اضافه شدن خودکار دیده بانی تخته زمانی که ایجاد می شوند", - "avatar-too-big": "تصویر کاربر بسیار بزرگ است ـ حداکثر۷۰ کیلوبایت ـ", - "back": "بازگشت", - "board-change-color": "تغییر رنگ", - "board-nb-stars": "%s ستاره", - "board-not-found": "تخته مورد نظر پیدا نشد", - "board-private-info": "این تخته خصوصی خواهد بود.", - "board-public-info": "این تخته عمومی خواهد بود.", - "boardChangeColorPopup-title": "تغییر پس زمینه تخته", - "boardChangeTitlePopup-title": "تغییر نام تخته", - "boardChangeVisibilityPopup-title": "تغییر وضعیت نمایش", - "boardChangeWatchPopup-title": "تغییر دیده بانی", - "boardMenuPopup-title": "منوی تخته", - "boards": "تخته‌ها", - "board-view": "نمایش تخته", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "فهرست‌ها", - "bucket-example": "برای مثال چیزی شبیه \"لیست سبدها\"", - "cancel": "انصراف", - "card-archived": "این کارت به سطل زباله ریخته شده است", - "card-comments-title": "این کارت دارای %s نظر است.", - "card-delete-notice": "حذف دائمی. تمامی موارد مرتبط با این کارت از بین خواهند رفت.", - "card-delete-pop": "همه اقدامات از این پردازه (خوراک) حذف خواهد شد و امکان بازگرداندن کارت وجود نخواهد داشت.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "ناشی از", - "card-due-on": "مقتضی بر", - "card-spent": "زمان صرف شده", - "card-edit-attachments": "ویرایش ضمائم", - "card-edit-custom-fields": "ویرایش فیلدهای شخصی", - "card-edit-labels": "ویرایش برچسب", - "card-edit-members": "ویرایش اعضا", - "card-labels-title": "تغییر برچسب کارت", - "card-members-title": "افزودن یا حذف اعضا از کارت.", - "card-start": "شروع", - "card-start-on": "شروع از", - "cardAttachmentsPopup-title": "ضمیمه از", - "cardCustomField-datePopup-title": "تغییر تاریخ", - "cardCustomFieldsPopup-title": "ویرایش فیلدهای شخصی", - "cardDeletePopup-title": "آیا می خواهید کارت را حذف کنید؟", - "cardDetailsActionsPopup-title": "اعمال کارت", - "cardLabelsPopup-title": "برچسب ها", - "cardMembersPopup-title": "اعضا", - "cardMorePopup-title": "بیشتر", - "cards": "کارت‌ها", - "cards-count": "کارت‌ها", - "change": "تغییر", - "change-avatar": "تغییر تصویر", - "change-password": "تغییر کلمه عبور", - "change-permissions": "تغییر دسترسی‌ها", - "change-settings": "تغییر تنظیمات", - "changeAvatarPopup-title": "تغییر تصویر", - "changeLanguagePopup-title": "تغییر زبان", - "changePasswordPopup-title": "تغییر کلمه عبور", - "changePermissionsPopup-title": "تغییر دسترسی‌ها", - "changeSettingsPopup-title": "تغییر تنظیمات", - "checklists": "سیاهه‌ها", - "click-to-star": "با کلیک کردن ستاره بدهید", - "click-to-unstar": "با کلیک کردن ستاره را کم کنید", - "clipboard": "ذخیره در حافظه ویا بردار-رهاکن", - "close": "بستن", - "close-board": "بستن برد", - "close-board-pop": "شما با کلیک روی دکمه \"سطل زباله\" در قسمت خانه می توانید تخته را بازیابی کنید.", - "color-black": "مشکی", - "color-blue": "آبی", - "color-green": "سبز", - "color-lime": "لیمویی", - "color-orange": "نارنجی", - "color-pink": "صورتی", - "color-purple": "بنفش", - "color-red": "قرمز", - "color-sky": "آبی آسمانی", - "color-yellow": "زرد", - "comment": "نظر", - "comment-placeholder": "درج نظر", - "comment-only": "فقط نظر", - "comment-only-desc": "فقط می‌تواند روی کارت‌ها نظر دهد.", - "computer": "رایانه", - "confirm-checklist-delete-dialog": "مطمئنید که می‌خواهید سیاهه را حذف کنید؟", - "copy-card-link-to-clipboard": "درج پیوند کارت در حافظه", - "copyCardPopup-title": "کپی کارت", - "copyChecklistToManyCardsPopup-title": "کپی قالب کارت به کارت‌های متعدد", - "copyChecklistToManyCardsPopup-instructions": "عنوان و توضیحات کارت مقصد در این قالب JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "ایجاد", - "createBoardPopup-title": "ایجاد تخته", - "chooseBoardSourcePopup-title": "بارگذاری تخته", - "createLabelPopup-title": "ایجاد برچسب", - "createCustomField": "ایجاد فیلد", - "createCustomFieldPopup-title": "ایجاد فیلد", - "current": "جاری", - "custom-field-delete-pop": "این اقدام فیلدشخصی را بهمراه تمامی تاریخچه آن از کارت ها پاک می کند و برگشت پذیر نمی باشد", - "custom-field-checkbox": "جعبه انتخابی", - "custom-field-date": "تاریخ", - "custom-field-dropdown": "لیست افتادنی", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "لیست امکانات", - "custom-field-dropdown-options-placeholder": "کلید Enter را جهت افزودن امکانات بیشتر فشار دهید", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "عدد", - "custom-field-text": "متن", - "custom-fields": "فیلدهای شخصی", - "date": "تاریخ", - "decline": "رد", - "default-avatar": "تصویر پیش فرض", - "delete": "حذف", - "deleteCustomFieldPopup-title": "آیا فیلدشخصی پاک شود؟", - "deleteLabelPopup-title": "آیا می خواهید برچسب را حذف کنید؟", - "description": "توضیحات", - "disambiguateMultiLabelPopup-title": "عمل ابهام زدایی از برچسب", - "disambiguateMultiMemberPopup-title": "عمل ابهام زدایی از کاربر", - "discard": "لغو", - "done": "انجام شده", - "download": "دریافت", - "edit": "ویرایش", - "edit-avatar": "تغییر تصویر", - "edit-profile": "ویرایش پروفایل", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "تغییر تاریخ آغاز", - "editCardDueDatePopup-title": "تغییر تاریخ بدلیل", - "editCustomFieldPopup-title": "ویرایش فیلد", - "editCardSpentTimePopup-title": "تغییر زمان صرف شده", - "editLabelPopup-title": "تغیر برچسب", - "editNotificationPopup-title": "اصلاح اعلان", - "editProfilePopup-title": "ویرایش پروفایل", - "email": "پست الکترونیک", - "email-enrollAccount-subject": "یک حساب کاربری برای شما در __siteName__ ایجاد شد", - "email-enrollAccount-text": "سلام __user__ \nبرای شروع به استفاده از این سرویس برروی آدرس زیر کلیک کنید.\n__url__\nبا تشکر.", - "email-fail": "عدم موفقیت در فرستادن رایانامه", - "email-fail-text": "خطا در تلاش برای فرستادن رایانامه", - "email-invalid": "رایانامه نادرست", - "email-invite": "دعوت از طریق رایانامه", - "email-invite-subject": "__inviter__ برای شما دعوت نامه ارسال کرده است", - "email-invite-text": "__User__ عزیز\n __inviter__ شما را به عضویت تخته \"__board__\" برای همکاری دعوت کرده است.\nلطفا لینک زیر را دنبال کنید، باتشکر:\n__url__", - "email-resetPassword-subject": "تنظیم مجدد کلمه عبور در __siteName__", - "email-resetPassword-text": "سلام __user__\nجهت تنظیم مجدد کلمه عبور آدرس زیر را دنبال نمایید، باتشکر:\n__url__", - "email-sent": "نامه الکترونیکی فرستاده شد", - "email-verifyEmail-subject": "تایید آدرس الکترونیکی شما در __siteName__", - "email-verifyEmail-text": "سلام __user__\nبه منظور تایید آدرس الکترونیکی حساب خود، آدرس زیر را دنبال نمایید، باتشکر:\n__url__.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "تخته مورد نظر وجود ندارد", - "error-board-notAdmin": "شما جهت انجام آن باید مدیر تخته باشید", - "error-board-notAMember": "شما انجام آن ،اید عضو این تخته باشید.", - "error-json-malformed": "متن درغالب صحیح Json نمی باشد.", - "error-json-schema": "داده های Json شما، شامل اطلاعات صحیح در غالب درستی نمی باشد.", - "error-list-doesNotExist": "این لیست موجود نیست", - "error-user-doesNotExist": "این کاربر وجود ندارد", - "error-user-notAllowSelf": "عدم امکان دعوت خود", - "error-user-notCreated": "این کاربر ایجاد نشده است", - "error-username-taken": "این نام کاربری استفاده شده است", - "error-email-taken": "رایانامه توسط گیرنده دریافت شده است", - "export-board": "انتقال به بیرون تخته", - "filter": "صافی ـFilterـ", - "filter-cards": "صافی ـFilterـ کارت‌ها", - "filter-clear": "حذف صافی ـFilterـ", - "filter-no-label": "بدون برچسب", - "filter-no-member": "بدون عضو", - "filter-no-custom-fields": "هیچ فیلدشخصی ای وجود ندارد", - "filter-on": "صافی ـFilterـ فعال است", - "filter-on-desc": "شما صافی ـFilterـ برای کارتهای تخته را روشن کرده اید. جهت ویرایش کلیک نمایید.", - "filter-to-selection": "صافی ـFilterـ برای موارد انتخابی", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "نام و نام خانوادگی", - "header-logo-title": "بازگشت به صفحه تخته.", - "hide-system-messages": "عدم نمایش پیامهای سیستمی", - "headerBarCreateBoardPopup-title": "ایجاد تخته", - "home": "خانه", - "import": "وارد کردن", - "import-board": "وارد کردن تخته", - "import-board-c": "وارد کردن تخته", - "import-board-title-trello": "وارد کردن تخته از Trello", - "import-board-title-wekan": "وارد کردن تخته از Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "از Trello", - "from-wekan": "از Wekan", - "import-board-instruction-trello": "در Trello-ی خود به 'Menu'، 'More'، 'Print'، 'Export to JSON رفته و متن نهایی را دراینجا وارد نمایید.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "اطلاعات Json معتبر خود را اینجا وارد کنید.", - "import-map-members": "نگاشت اعضا", - "import-members-map": "تعدادی عضو در تخته وارد شده می باشد. لطفا کاربرانی که باید وارد نرم افزار بشوند را مشخص کنید.", - "import-show-user-mapping": "بررسی نقشه کاربران", - "import-user-select": "کاربری از نرم افزار را که می خواهید بعنوان این عضو جایگزین شود را انتخاب کنید.", - "importMapMembersAddPopup-title": "انتخاب کاربر Wekan", - "info": "نسخه", - "initials": "تخصیصات اولیه", - "invalid-date": "تاریخ نامعتبر", - "invalid-time": "زمان نامعتبر", - "invalid-user": "کاربر نامعتیر", - "joined": "متصل", - "just-invited": "هم اکنون، شما به این تخته دعوت شده اید.", - "keyboard-shortcuts": "میانبر کلیدها", - "label-create": "ایجاد برچسب", - "label-default": "%s برچسب(پیش فرض)", - "label-delete-pop": "این اقدام، برچسب را از همه کارت‌ها پاک خواهد کرد و تاریخچه آن را نیز از بین می‌برد.", - "labels": "برچسب ها", - "language": "زبان", - "last-admin-desc": "شما نمی توانید نقش ـroleـ را تغییر دهید چراکه باید حداقل یک مدیری وجود داشته باشد.", - "leave-board": "خروج از تخته", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "ارجاع به این کارت", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "انتقال تمام کارت های این لیست", - "list-select-cards": "انتخاب تمام کارت های این لیست", - "listActionPopup-title": "لیست اقدامات", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "وارد کردن کارت Trello", - "listMorePopup-title": "بیشتر", - "link-list": "پیوند به این فهرست", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "لیست ها", - "swimlanes": "Swimlanes", - "log-out": "خروج", - "log-in": "ورود", - "loginPopup-title": "ورود", - "memberMenuPopup-title": "تنظیمات اعضا", - "members": "اعضا", - "menu": "منو", - "move-selection": "حرکت مورد انتخابی", - "moveCardPopup-title": "حرکت کارت", - "moveCardToBottom-title": "انتقال به پایین", - "moveCardToTop-title": "انتقال به بالا", - "moveSelectionPopup-title": "حرکت مورد انتخابی", - "multi-selection": "امکان چند انتخابی", - "multi-selection-on": "حالت چند انتخابی روشن است", - "muted": "بی صدا", - "muted-info": "شما هیچگاه از تغییرات این تخته مطلع نخواهید شد", - "my-boards": "تخته‌های من", - "name": "نام", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "بدون نتیجه", - "normal": "عادی", - "normal-desc": "امکان نمایش و تنظیم کارت بدون امکان تغییر تنظیمات", - "not-accepted-yet": "دعوت نامه هنوز پذیرفته نشده است", - "notify-participate": "اطلاع رسانی از هرگونه تغییر در کارتهایی که ایجاد کرده اید ویا عضو آن هستید", - "notify-watch": "اطلاع رسانی از هرگونه تغییر در تخته، لیست یا کارتهایی که از آنها دیده بانی میکنید", - "optional": "انتخابی", - "or": "یا", - "page-maybe-private": "این صفحه ممکن است خصوصی باشد. شما باورود می‌توانید آن را ببینید.", - "page-not-found": "صفحه پیدا نشد.", - "password": "کلمه عبور", - "paste-or-dragdrop": "جهت چسباندن، یا برداشتن-رهاسازی فایل تصویر به آن (تصویر)", - "participating": "شرکت کنندگان", - "preview": "پیش‌نمایش", - "previewAttachedImagePopup-title": "پیش‌نمایش", - "previewClipboardImagePopup-title": "پیش‌نمایش", - "private": "خصوصی", - "private-desc": "این تخته خصوصی است. فقط تنها افراد اضافه شده به آن می توانند مشاهده و ویرایش کنند.", - "profile": "حساب کاربری", - "public": "عمومی", - "public-desc": "این تخته عمومی است. برای هر کسی با آدرس ویا جستجو درموتورها مانند گوگل قابل مشاهده است . فقط افرادی که به آن اضافه شده اند امکان ویرایش دارند.", - "quick-access-description": "جهت افزودن یک تخته به اینجا،آنرا ستاره دار نمایید.", - "remove-cover": "حذف کاور", - "remove-from-board": "حذف از تخته", - "remove-label": "حذف برچسب", - "listDeletePopup-title": "حذف فهرست؟", - "remove-member": "حذف عضو", - "remove-member-from-card": "حذف از کارت", - "remove-member-pop": "آیا __name__ (__username__) را از __boardTitle__ حذف می کنید? کاربر از تمام کارت ها در این تخته حذف خواهد شد و آنها ازین اقدام مطلع خواهند شد.", - "removeMemberPopup-title": "آیا می خواهید کاربر را حذف کنید؟", - "rename": "تغیر نام", - "rename-board": "تغییر نام تخته", - "restore": "بازیابی", - "save": "ذخیره", - "search": "جستجو", - "search-cards": "جستجو در میان عناوین و توضیحات در این تخته", - "search-example": "متن مورد جستجو؟", - "select-color": "انتخاب رنگ", - "set-wip-limit-value": "تعیین بیشینه تعداد وظایف در این فهرست", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "اختصاص خود به کارت فعلی", - "shortcut-autocomplete-emoji": "تکمیل خودکار شکلکها", - "shortcut-autocomplete-members": "تکمیل خودکار کاربرها", - "shortcut-clear-filters": "حذف تمامی صافی ـfilterـ", - "shortcut-close-dialog": "بستن محاوره", - "shortcut-filter-my-cards": "کارت های من", - "shortcut-show-shortcuts": "بالا آوردن میانبر این لیست", - "shortcut-toggle-filterbar": "ضامن نوار جداکننده صافی ـfilterـ", - "shortcut-toggle-sidebar": "ضامن نوار جداکننده تخته", - "show-cards-minimum-count": "نمایش تعداد کارتها اگر لیست شامل بیشتراز", - "sidebar-open": "بازکردن جداکننده", - "sidebar-close": "بستن جداکننده", - "signupPopup-title": "ایجاد یک کاربر", - "star-board-title": "برای ستاره دادن، کلیک کنید.این در بالای لیست تخته های شما نمایش داده خواهد شد.", - "starred-boards": "تخته های ستاره دار", - "starred-boards-description": "تخته های ستاره دار در بالای لیست تخته ها نمایش داده می شود.", - "subscribe": "عضوشدن", - "team": "تیم", - "this-board": "این تخته", - "this-card": "این کارت", - "spent-time-hours": "زمان صرف شده (ساعت)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "زمان", - "title": "عنوان", - "tracking": "پیگردی", - "tracking-info": "شما از هرگونه تغییر در کارتهایی که بعنوان ایجاد کننده ویا عضو آن هستید، آگاه خواهید شد", - "type": "Type", - "unassign-member": "عدم انتصاب کاربر", - "unsaved-description": "شما توضیحات ذخیره نشده دارید.", - "unwatch": "عدم دیده بانی", - "upload": "ارسال", - "upload-avatar": "ارسال تصویر", - "uploaded-avatar": "تصویر ارسال شد", - "username": "نام کاربری", - "view-it": "مشاهده", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "دیده بانی", - "watching": "درحال دیده بانی", - "watching-info": "شما از هر تغییری دراین تخته آگاه خواهید شد", - "welcome-board": "به این تخته خوش آمدید", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "پایه ای ها", - "welcome-list2": "پیشرفته", - "what-to-do": "چه کاری می خواهید انجام دهید؟", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "پیشخوان مدیریتی", - "settings": "تنظمات", - "people": "افراد", - "registration": "ثبت نام", - "disable-self-registration": "‌غیرفعال‌سازی خودثبت‌نامی", - "invite": "دعوت", - "invite-people": "دعوت از افراد", - "to-boards": "به تخته(ها)", - "email-addresses": "نشانی رایانامه", - "smtp-host-description": "آدرس سرور SMTP ای که پست الکترونیکی شما برروی آن است", - "smtp-port-description": "شماره درگاه ـPortـ ای که سرور SMTP شما جهت ارسال از آن استفاده می کند", - "smtp-tls-description": "پشتیبانی از TLS برای سرور SMTP", - "smtp-host": "آدرس سرور SMTP", - "smtp-port": "شماره درگاه ـPortـ سرور SMTP", - "smtp-username": "نام کاربری", - "smtp-password": "کلمه عبور", - "smtp-tls": "پشتیبانی از SMTP", - "send-from": "از", - "send-smtp-test": "فرستادن رایانامه آزمایشی به خود", - "invitation-code": "کد دعوت نامه", - "email-invite-register-subject": "__inviter__ برای شما دعوت نامه ارسال کرده است", - "email-invite-register-text": "__User__ عزیز \nکاربر __inviter__ شما را به عضویت در Wekan برای همکاری دعوت کرده است.\nلطفا لینک زیر را دنبال کنید،\n __url__\nکد دعوت شما __icode__ می باشد.\n باتشکر", - "email-smtp-test-subject": "رایانامه SMTP آزمایشی از Wekan", - "email-smtp-test-text": "با موفقیت، یک رایانامه را فرستادید", - "error-invitation-code-not-exist": "چنین کد دعوتی یافت نشد", - "error-notAuthorized": "شما مجاز به دیدن این صفحه نیستید.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(ناشناخته)", - "Wekan_version": "نسخه Wekan", - "Node_version": "نسخه Node ", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "ساعت", - "minutes": "دقیقه", - "seconds": "ثانیه", - "show-field-on-card": "Show this field on card", - "yes": "بله", - "no": "خیر", - "accounts": "حساب‌ها", - "accounts-allowEmailChange": "اجازه تغییر رایانامه", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "ساخته شده در", - "verified": "معتبر", - "active": "فعال", - "card-received": "رسیده", - "card-received-on": "رسیده در", - "card-end": "پایان", - "card-end-on": "پایان در", - "editCardReceivedDatePopup-title": "تغییر تاریخ رسید", - "editCardEndDatePopup-title": "تغییر تاریخ پایان" -} \ No newline at end of file diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json deleted file mode 100644 index 95d32911..00000000 --- a/i18n/fi.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Hyväksy", - "act-activity-notify": "[Wekan] Toimintailmoitus", - "act-addAttachment": "liitetty __attachment__ kortille __card__", - "act-addChecklist": "lisätty tarkistuslista __checklist__ kortille __card__", - "act-addChecklistItem": "lisätty kohta __checklistItem__ tarkistuslistaan __checklist__ kortilla __card__", - "act-addComment": "kommentoitu __card__: __comment__", - "act-createBoard": "luotu __board__", - "act-createCard": "lisätty __card__ listalle __list__", - "act-createCustomField": "luotu mukautettu kenttä __customField__", - "act-createList": "lisätty __list__ taululle __board__", - "act-addBoardMember": "lisätty __member__ taululle __board__", - "act-archivedBoard": "__board__ siirretty roskakoriin", - "act-archivedCard": "__card__ siirretty roskakoriin", - "act-archivedList": "__list__ siirretty roskakoriin", - "act-archivedSwimlane": "__swimlane__ siirretty roskakoriin", - "act-importBoard": "tuotu __board__", - "act-importCard": "tuotu __card__", - "act-importList": "tuotu __list__", - "act-joinMember": "lisätty __member__ kortille __card__", - "act-moveCard": "siirretty __card__ listalta __oldList__ listalle __list__", - "act-removeBoardMember": "poistettu __member__ taululta __board__", - "act-restoredCard": "palautettu __card__ taululle __board__", - "act-unjoinMember": "poistettu __member__ kortilta __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Toimet", - "activities": "Toimet", - "activity": "Toiminta", - "activity-added": "lisätty %s kohteeseen %s", - "activity-archived": "%s siirretty roskakoriin", - "activity-attached": "liitetty %s kohteeseen %s", - "activity-created": "luotu %s", - "activity-customfield-created": "luotu mukautettu kenttä %s", - "activity-excluded": "poistettu %s kohteesta %s", - "activity-imported": "tuotu %s kohteeseen %s lähteestä %s", - "activity-imported-board": "tuotu %s lähteestä %s", - "activity-joined": "liitytty kohteeseen %s", - "activity-moved": "siirretty %s kohteesta %s kohteeseen %s", - "activity-on": "kohteessa %s", - "activity-removed": "poistettu %s kohteesta %s", - "activity-sent": "lähetetty %s kohteeseen %s", - "activity-unjoined": "peruttu %s liittyminen", - "activity-checklist-added": "lisätty tarkistuslista kortille %s", - "activity-checklist-item-added": "lisäsi kohdan tarkistuslistaan '%s' kortilla %s", - "add": "Lisää", - "add-attachment": "Lisää liite", - "add-board": "Lisää taulu", - "add-card": "Lisää kortti", - "add-swimlane": "Lisää Swimlane", - "add-checklist": "Lisää tarkistuslista", - "add-checklist-item": "Lisää kohta tarkistuslistaan", - "add-cover": "Lisää kansi", - "add-label": "Lisää tunniste", - "add-list": "Lisää lista", - "add-members": "Lisää jäseniä", - "added": "Lisätty", - "addMemberPopup-title": "Jäsenet", - "admin": "Ylläpitäjä", - "admin-desc": "Voi nähfä ja muokata kortteja, poistaa jäseniä, ja muuttaa taulun asetuksia.", - "admin-announcement": "Ilmoitus", - "admin-announcement-active": "Aktiivinen järjestelmänlaajuinen ilmoitus", - "admin-announcement-title": "Ilmoitus ylläpitäjältä", - "all-boards": "Kaikki taulut", - "and-n-other-card": "Ja __count__ muu kortti", - "and-n-other-card_plural": "Ja __count__ muuta korttia", - "apply": "Käytä", - "app-is-offline": "Wekan latautuu, odota. Sivun uudelleenlataus aiheuttaa tietojen menettämisen. Jos Wekan ei lataudu, tarkista että Wekan palvelin ei ole pysähtynyt.", - "archive": "Siirrä roskakoriin", - "archive-all": "Siirrä kaikki roskakoriin", - "archive-board": "Siirrä taulu roskakoriin", - "archive-card": "Siirrä kortti roskakoriin", - "archive-list": "Siirrä lista roskakoriin", - "archive-swimlane": "Siirrä Swimlane roskakoriin", - "archive-selection": "Siirrä valinta roskakoriin", - "archiveBoardPopup-title": "Siirrä taulu roskakoriin?", - "archived-items": "Roskakori", - "archived-boards": "Taulut roskakorissa", - "restore-board": "Palauta taulu", - "no-archived-boards": "Ei tauluja roskakorissa", - "archives": "Roskakori", - "assign-member": "Valitse jäsen", - "attached": "liitetty", - "attachment": "Liitetiedosto", - "attachment-delete-pop": "Liitetiedoston poistaminen on lopullista. Tätä ei pysty peruuttamaan.", - "attachmentDeletePopup-title": "Poista liitetiedosto?", - "attachments": "Liitetiedostot", - "auto-watch": "Automaattisesti seuraa tauluja kun ne on luotu", - "avatar-too-big": "Profiilikuva on liian suuri (70KB maksimi)", - "back": "Takaisin", - "board-change-color": "Muokkaa väriä", - "board-nb-stars": "%s tähteä", - "board-not-found": "Taulua ei löytynyt", - "board-private-info": "Tämä taulu tulee olemaan yksityinen.", - "board-public-info": "Tämä taulu tulee olemaan julkinen.", - "boardChangeColorPopup-title": "Muokkaa taulun taustaa", - "boardChangeTitlePopup-title": "Nimeä taulu uudelleen", - "boardChangeVisibilityPopup-title": "Muokkaa näkyvyyttä", - "boardChangeWatchPopup-title": "Muokkaa seuraamista", - "boardMenuPopup-title": "Taulu valikko", - "boards": "Taulut", - "board-view": "Taulu näkymä", - "board-view-swimlanes": "Swimlanet", - "board-view-lists": "Listat", - "bucket-example": "Kuten “Laatikko lista” esimerkiksi", - "cancel": "Peruuta", - "card-archived": "Tämä kortti on siirretty roskakoriin.", - "card-comments-title": "Tässä kortissa on %s kommenttia.", - "card-delete-notice": "Poistaminen on lopullista. Menetät kaikki toimet jotka on liitetty tähän korttiin.", - "card-delete-pop": "Kaikki toimet poistetaan toimintasyötteestä ja et tule pystymään uudelleenavaamaan korttia. Tätä ei voi peruuttaa.", - "card-delete-suggest-archive": "Voit siirtää kortin roskakoriin poistaaksesi sen taululta ja säilyttääksesi toimintalokin.", - "card-due": "Erääntyy", - "card-due-on": "Erääntyy", - "card-spent": "Käytetty aika", - "card-edit-attachments": "Muokkaa liitetiedostoja", - "card-edit-custom-fields": "Muokkaa mukautettuja kenttiä", - "card-edit-labels": "Muokkaa tunnisteita", - "card-edit-members": "Muokkaa jäseniä", - "card-labels-title": "Muokkaa kortin tunnisteita.", - "card-members-title": "Lisää tai poista taulun jäseniä tältä kortilta.", - "card-start": "Alkaa", - "card-start-on": "Alkaa", - "cardAttachmentsPopup-title": "Liitä mistä", - "cardCustomField-datePopup-title": "Muokkaa päivää", - "cardCustomFieldsPopup-title": "Muokkaa mukautettuja kenttiä", - "cardDeletePopup-title": "Poista kortti?", - "cardDetailsActionsPopup-title": "Kortti toimet", - "cardLabelsPopup-title": "Tunnisteet", - "cardMembersPopup-title": "Jäsenet", - "cardMorePopup-title": "Lisää", - "cards": "Kortit", - "cards-count": "korttia", - "change": "Muokkaa", - "change-avatar": "Muokkaa profiilikuvaa", - "change-password": "Vaihda salasana", - "change-permissions": "Muokkaa oikeuksia", - "change-settings": "Muokkaa asetuksia", - "changeAvatarPopup-title": "Muokkaa profiilikuvaa", - "changeLanguagePopup-title": "Vaihda kieltä", - "changePasswordPopup-title": "Vaihda salasana", - "changePermissionsPopup-title": "Muokkaa oikeuksia", - "changeSettingsPopup-title": "Muokkaa asetuksia", - "checklists": "Tarkistuslistat", - "click-to-star": "Klikkaa merkataksesi tämä taulu tähdellä.", - "click-to-unstar": "Klikkaa poistaaksesi tähtimerkintä taululta.", - "clipboard": "Leikepöytä tai raahaa ja pudota", - "close": "Sulje", - "close-board": "Sulje taulu", - "close-board-pop": "Voit palauttaa taulun klikkaamalla “Roskakori” painiketta taululistan yläpalkista.", - "color-black": "musta", - "color-blue": "sininen", - "color-green": "vihreä", - "color-lime": "lime", - "color-orange": "oranssi", - "color-pink": "vaaleanpunainen", - "color-purple": "violetti", - "color-red": "punainen", - "color-sky": "taivas", - "color-yellow": "keltainen", - "comment": "Kommentti", - "comment-placeholder": "Kirjoita kommentti", - "comment-only": "Vain kommentointi", - "comment-only-desc": "Voi vain kommentoida kortteja", - "computer": "Tietokone", - "confirm-checklist-delete-dialog": "Haluatko varmasti poistaa tarkistuslistan", - "copy-card-link-to-clipboard": "Kopioi kortin linkki leikepöydälle", - "copyCardPopup-title": "Kopioi kortti", - "copyChecklistToManyCardsPopup-title": "Kopioi tarkistuslistan malli monille korteille", - "copyChecklistToManyCardsPopup-instructions": "Kohde korttien otsikot ja kuvaukset JSON muodossa", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Ensimmäisen kortin otsikko\", \"description\":\"Ensimmäisen kortin kuvaus\"}, {\"title\":\"Toisen kortin otsikko\",\"description\":\"Toisen kortin kuvaus\"},{\"title\":\"Viimeisen kortin otsikko\",\"description\":\"Viimeisen kortin kuvaus\"} ]", - "create": "Luo", - "createBoardPopup-title": "Luo taulu", - "chooseBoardSourcePopup-title": "Tuo taulu", - "createLabelPopup-title": "Luo tunniste", - "createCustomField": "Luo kenttä", - "createCustomFieldPopup-title": "Luo kenttä", - "current": "nykyinen", - "custom-field-delete-pop": "Tätä ei voi peruuttaa. Tämä poistaa tämän mukautetun kentän kaikista korteista ja poistaa sen historian.", - "custom-field-checkbox": "Valintaruutu", - "custom-field-date": "Päivämäärä", - "custom-field-dropdown": "Pudotusvalikko", - "custom-field-dropdown-none": "(ei mitään)", - "custom-field-dropdown-options": "Luettelon vaihtoehdot", - "custom-field-dropdown-options-placeholder": "Paina Enter lisätäksesi lisää vaihtoehtoja", - "custom-field-dropdown-unknown": "(tuntematon)", - "custom-field-number": "Numero", - "custom-field-text": "Teksti", - "custom-fields": "Mukautetut kentät", - "date": "Päivämäärä", - "decline": "Kieltäydy", - "default-avatar": "Oletus profiilikuva", - "delete": "Poista", - "deleteCustomFieldPopup-title": "Poista mukautettu kenttä?", - "deleteLabelPopup-title": "Poista tunniste?", - "description": "Kuvaus", - "disambiguateMultiLabelPopup-title": "Yksikäsitteistä tunniste toiminta", - "disambiguateMultiMemberPopup-title": "Yksikäsitteistä jäsen toiminta", - "discard": "Hylkää", - "done": "Valmis", - "download": "Lataa", - "edit": "Muokkaa", - "edit-avatar": "Muokkaa profiilikuvaa", - "edit-profile": "Muokkaa profiilia", - "edit-wip-limit": "Muokkaa WIP-rajaa", - "soft-wip-limit": "Pehmeä WIP raja", - "editCardStartDatePopup-title": "Muokkaa aloituspäivää", - "editCardDueDatePopup-title": "Muokkaa eräpäivää", - "editCustomFieldPopup-title": "Muokkaa kenttää", - "editCardSpentTimePopup-title": "Muuta käytettyä aikaa", - "editLabelPopup-title": "Muokkaa tunnistetta", - "editNotificationPopup-title": "Muokkaa ilmoituksia", - "editProfilePopup-title": "Muokkaa profiilia", - "email": "Sähköposti", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hei __user__,\n\nAlkaaksesi käyttämään palvelua, klikkaa allaolevaa linkkiä.\n\n__url__\n\nKiitos.", - "email-fail": "Sähköpostin lähettäminen epäonnistui", - "email-fail-text": "Virhe yrittäessä lähettää sähköpostia", - "email-invalid": "Virheellinen sähköposti", - "email-invite": "Kutsu sähköpostilla", - "email-invite-subject": "__inviter__ lähetti sinulle kutsun", - "email-invite-text": "Hyvä __user__,\n\n__inviter__ kutsuu sinut liittymään taululle \"__board__\" yhteistyötä varten.\n\nOle hyvä ja seuraa allaolevaa linkkiä:\n\n__url__\n\nKiitos.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hei __user__,\n\nNollataksesi salasanasi, klikkaa allaolevaa linkkiä.\n\n__url__\n\nKiitos.", - "email-sent": "Sähköposti lähetetty", - "email-verifyEmail-subject": "Varmista sähköpostiosoitteesi osoitteessa __url__", - "email-verifyEmail-text": "Hei __user__,\n\nvahvistaaksesi sähköpostiosoitteesi, klikkaa allaolevaa linkkiä.\n\n__url__\n\nKiitos.", - "enable-wip-limit": "Ota käyttöön WIP-raja", - "error-board-doesNotExist": "Tämä taulu ei ole olemassa", - "error-board-notAdmin": "Tehdäksesi tämän sinun täytyy olla tämän taulun ylläpitäjä", - "error-board-notAMember": "Tehdäksesi tämän sinun täytyy olla tämän taulun jäsen", - "error-json-malformed": "Tekstisi ei ole kelvollisessa JSON muodossa", - "error-json-schema": "JSON tietosi ei sisällä oikeaa tietoa oikeassa muodossa", - "error-list-doesNotExist": "Tätä listaa ei ole olemassa", - "error-user-doesNotExist": "Tätä käyttäjää ei ole olemassa", - "error-user-notAllowSelf": "Et voi kutsua itseäsi", - "error-user-notCreated": "Tätä käyttäjää ei ole luotu", - "error-username-taken": "Tämä käyttäjätunnus on jo käytössä", - "error-email-taken": "Sähköpostiosoite on jo käytössä", - "export-board": "Vie taulu", - "filter": "Suodata", - "filter-cards": "Suodata kortit", - "filter-clear": "Poista suodatin", - "filter-no-label": "Ei tunnistetta", - "filter-no-member": "Ei jäseniä", - "filter-no-custom-fields": "Ei mukautettuja kenttiä", - "filter-on": "Suodatus on päällä", - "filter-on-desc": "Suodatat kortteja tällä taululla. Klikkaa tästä muokataksesi suodatinta.", - "filter-to-selection": "Suodata valintaan", - "advanced-filter-label": "Edistynyt suodatin", - "advanced-filter-description": "Edistynyt suodatin mahdollistaa merkkijonon, joka sisältää seuraavat operaattorit: ==! = <=> = && || () Operaattorien välissä käytetään välilyöntiä. Voit suodattaa kaikki mukautetut kentät kirjoittamalla niiden nimet ja arvot. Esimerkiksi: Field1 == Value1. Huomaa: Jos kentillä tai arvoilla on välilyöntejä, sinun on sijoitettava ne yksittäisiin lainausmerkkeihin. Esimerkki: 'Kenttä 1' == 'Arvo 1'. Voit myös yhdistää useita ehtoja. Esimerkiksi: F1 == V1 || F1 = V2. Yleensä kaikki operaattorit tulkitaan vasemmalta oikealle. Voit muuttaa järjestystä asettamalla sulkuja. Esimerkiksi: F1 == V1 ja (F2 == V2 || F2 == V3)", - "fullname": "Koko nimi", - "header-logo-title": "Palaa taulut sivullesi.", - "hide-system-messages": "Piilota järjestelmäviestit", - "headerBarCreateBoardPopup-title": "Luo taulu", - "home": "Koti", - "import": "Tuo", - "import-board": "tuo taulu", - "import-board-c": "Tuo taulu", - "import-board-title-trello": "Tuo taulu Trellosta", - "import-board-title-wekan": "Tuo taulu Wekanista", - "import-sandstorm-warning": "Tuotu taulu poistaa kaikki olemassaolevan taulun tiedot ja korvaa ne tuodulla taululla.", - "from-trello": "Trellosta", - "from-wekan": "Wekanista", - "import-board-instruction-trello": "Trello taulullasi, mene 'Menu', sitten 'More', 'Print and Export', 'Export JSON', ja kopioi tuloksena saamasi teksti", - "import-board-instruction-wekan": "Wekan taulullasi, mene 'Valikko', sitten 'Vie taulu', ja kopioi teksti ladatusta tiedostosta.", - "import-json-placeholder": "Liitä kelvollinen JSON tietosi tähän", - "import-map-members": "Vastaavat jäsenet", - "import-members-map": "Tuomallasi taululla on muutamia jäseniä. Ole hyvä ja valitse tuomiasi jäseniä vastaavat Wekan käyttäjät", - "import-show-user-mapping": "Tarkasta vastaavat jäsenet", - "import-user-select": "Valitse Wekan käyttäjä jota haluat käyttää tänä käyttäjänä", - "importMapMembersAddPopup-title": "Valitse Wekan käyttäjä", - "info": "Versio", - "initials": "Nimikirjaimet", - "invalid-date": "Virheellinen päivämäärä", - "invalid-time": "Virheellinen aika", - "invalid-user": "Virheellinen käyttäjä", - "joined": "liittyi", - "just-invited": "Sinut on juuri kutsuttu tälle taululle", - "keyboard-shortcuts": "Pikanäppäimet", - "label-create": "Luo tunniste", - "label-default": "%s tunniste (oletus)", - "label-delete-pop": "Tätä ei voi peruuttaa. Tämä poistaa tämän tunnisteen kaikista korteista ja tuhoaa sen historian.", - "labels": "Tunnisteet", - "language": "Kieli", - "last-admin-desc": "Et voi vaihtaa rooleja koska täytyy olla olemassa ainakin yksi ylläpitäjä.", - "leave-board": "Jää pois taululta", - "leave-board-pop": "Haluatko varmasti poistua taululta __boardTitle__? Sinut poistetaan kaikista tämän taulun korteista.", - "leaveBoardPopup-title": "Jää pois taululta ?", - "link-card": "Linkki tähän korttiin", - "list-archive-cards": "Siirrä kaikki tämän listan kortit roskakoriin", - "list-archive-cards-pop": "Tämä poistaa kaikki tämän listan kortit taululta. Nähdäksesi roskakorissa olevat kortit ja tuodaksesi ne takaisin taululle, klikkaa “Valikko” > “Roskakori”.", - "list-move-cards": "Siirrä kaikki kortit tässä listassa", - "list-select-cards": "Valitse kaikki kortit tässä listassa", - "listActionPopup-title": "Listaa toimet", - "swimlaneActionPopup-title": "Swimlane toimet", - "listImportCardPopup-title": "Tuo Trello kortti", - "listMorePopup-title": "Lisää", - "link-list": "Linkki tähän listaan", - "list-delete-pop": "Kaikki toimet poistetaan toimintasyötteestä ja listan poistaminen on lopullista. Tätä ei pysty peruuttamaan.", - "list-delete-suggest-archive": "Voit siirtää listan roskakoriin poistaaksesi sen taululta ja säilyttääksesi toimintalokin.", - "lists": "Listat", - "swimlanes": "Swimlanet", - "log-out": "Kirjaudu ulos", - "log-in": "Kirjaudu sisään", - "loginPopup-title": "Kirjaudu sisään", - "memberMenuPopup-title": "Jäsen asetukset", - "members": "Jäsenet", - "menu": "Valikko", - "move-selection": "Siirrä valinta", - "moveCardPopup-title": "Siirrä kortti", - "moveCardToBottom-title": "Siirrä alimmaiseksi", - "moveCardToTop-title": "Siirrä ylimmäiseksi", - "moveSelectionPopup-title": "Siirrä valinta", - "multi-selection": "Monivalinta", - "multi-selection-on": "Monivalinta on päällä", - "muted": "Vaimennettu", - "muted-info": "Et saa koskaan ilmoituksia tämän taulun muutoksista", - "my-boards": "Tauluni", - "name": "Nimi", - "no-archived-cards": "Ei kortteja roskakorissa.", - "no-archived-lists": "Ei listoja roskakorissa.", - "no-archived-swimlanes": "Ei Swimlaneja roskakorissa.", - "no-results": "Ei tuloksia", - "normal": "Normaali", - "normal-desc": "Voi nähdä ja muokata kortteja. Ei voi muokata asetuksia.", - "not-accepted-yet": "Kutsua ei ole hyväksytty vielä", - "notify-participate": "Vastaanota päivityksiä kaikilta korteilta jotka olet tehnyt tai joihin osallistut.", - "notify-watch": "Vastaanota päivityksiä kaikilta tauluilta, listoilta tai korteilta joita seuraat.", - "optional": "valinnainen", - "or": "tai", - "page-maybe-private": "Tämä sivu voi olla yksityinen. Voit ehkä pystyä näkemään sen kirjautumalla sisään.", - "page-not-found": "Sivua ei löytynyt.", - "password": "Salasana", - "paste-or-dragdrop": "liittääksesi, tai vedä & pudota kuvatiedosto siihen (vain kuva)", - "participating": "Osallistutaan", - "preview": "Esikatsele", - "previewAttachedImagePopup-title": "Esikatsele", - "previewClipboardImagePopup-title": "Esikatsele", - "private": "Yksityinen", - "private-desc": "Tämä taulu on yksityinen. Vain taululle lisätyt henkilöt voivat nähdä ja muokata sitä.", - "profile": "Profiili", - "public": "Julkinen", - "public-desc": "Tämä taulu on julkinen. Se näkyy kenelle tahansa jolla on linkki ja näkyy myös hakukoneissa kuten Google. Vain taululle lisätyt henkilöt voivat muokata sitä.", - "quick-access-description": "Merkkaa taulu tähdellä lisätäksesi pikavalinta tähän palkkiin.", - "remove-cover": "Poista kansi", - "remove-from-board": "Poista taululta", - "remove-label": "Poista tunniste", - "listDeletePopup-title": "Poista lista ?", - "remove-member": "Poista jäsen", - "remove-member-from-card": "Poista kortilta", - "remove-member-pop": "Poista __name__ (__username__) taululta __boardTitle__? Jäsen poistetaan kaikilta taulun korteilta. Heille lähetetään ilmoitus.", - "removeMemberPopup-title": "Poista jäsen?", - "rename": "Nimeä uudelleen", - "rename-board": "Nimeä taulu uudelleen", - "restore": "Palauta", - "save": "Tallenna", - "search": "Etsi", - "search-cards": "Etsi korttien otsikoista ja kuvauksista tällä taululla", - "search-example": "Teksti jota etsitään?", - "select-color": "Valitse väri", - "set-wip-limit-value": "Aseta tämän listan tehtävien enimmäismäärä", - "setWipLimitPopup-title": "Aseta WIP-raja", - "shortcut-assign-self": "Valitse itsesi nykyiselle kortille", - "shortcut-autocomplete-emoji": "Automaattinen täydennys emojille", - "shortcut-autocomplete-members": "Automaattinen täydennys jäsenille", - "shortcut-clear-filters": "Poista kaikki suodattimet", - "shortcut-close-dialog": "Sulje valintaikkuna", - "shortcut-filter-my-cards": "Suodata korttini", - "shortcut-show-shortcuts": "Tuo esiin tämä pikavalinta lista", - "shortcut-toggle-filterbar": "Muokkaa suodatus sivupalkin näkyvyyttä", - "shortcut-toggle-sidebar": "Muokkaa taulu sivupalkin näkyvyyttä", - "show-cards-minimum-count": "Näytä korttien lukumäärä jos lista sisältää enemmän kuin", - "sidebar-open": "Avaa sivupalkki", - "sidebar-close": "Sulje sivupalkki", - "signupPopup-title": "Luo tili", - "star-board-title": "Klikkaa merkataksesi taulu tähdellä. Se tulee näkymään ylimpänä taululistallasi.", - "starred-boards": "Tähdellä merkatut taulut", - "starred-boards-description": "Tähdellä merkatut taulut näkyvät ylimpänä taululistallasi.", - "subscribe": "Tilaa", - "team": "Tiimi", - "this-board": "tämä taulu", - "this-card": "tämä kortti", - "spent-time-hours": "Käytetty aika (tuntia)", - "overtime-hours": "Ylityö (tuntia)", - "overtime": "Ylityö", - "has-overtime-cards": "Sisältää ylityö kortteja", - "has-spenttime-cards": "Sisältää käytetty aika kortteja", - "time": "Aika", - "title": "Otsikko", - "tracking": "Ilmoitukset", - "tracking-info": "Sinulle ilmoitetaan muutoksista korteissa joihin olet osallistunut luojana tai jäsenenä.", - "type": "Tyyppi", - "unassign-member": "Peru jäsenvalinta", - "unsaved-description": "Sinulla on tallentamaton kuvaus.", - "unwatch": "Lopeta seuraaminen", - "upload": "Lähetä", - "upload-avatar": "Lähetä profiilikuva", - "uploaded-avatar": "Profiilikuva lähetetty", - "username": "Käyttäjätunnus", - "view-it": "Näytä se", - "warn-list-archived": "varoitus: tämä kortti on roskakorissa olevassa listassa", - "watch": "Seuraa", - "watching": "Seurataan", - "watching-info": "Sinulle ilmoitetaan tämän taulun muutoksista", - "welcome-board": "Tervetuloa taulu", - "welcome-swimlane": "Merkkipaalu 1", - "welcome-list1": "Perusasiat", - "welcome-list2": "Edistynyt", - "what-to-do": "Mitä haluat tehdä?", - "wipLimitErrorPopup-title": "Virheellinen WIP-raja", - "wipLimitErrorPopup-dialog-pt1": "Tässä listassa olevien tehtävien määrä on korkeampi kuin asettamasi WIP-raja.", - "wipLimitErrorPopup-dialog-pt2": "Siirrä joitain tehtäviä pois tästä listasta tai määritä korkeampi WIP-raja.", - "admin-panel": "Hallintapaneeli", - "settings": "Asetukset", - "people": "Ihmiset", - "registration": "Rekisteröinti", - "disable-self-registration": "Poista käytöstä itse-rekisteröityminen", - "invite": "Kutsu", - "invite-people": "Kutsu ihmisiä", - "to-boards": "Taulu(i)lle", - "email-addresses": "Sähköpostiosoite", - "smtp-host-description": "SMTP palvelimen osoite jolla sähköpostit lähetetään.", - "smtp-port-description": "Portti jota STMP palvelimesi käyttää lähteville sähköposteille.", - "smtp-tls-description": "Ota käyttöön TLS tuki SMTP palvelimelle", - "smtp-host": "SMTP isäntä", - "smtp-port": "SMTP portti", - "smtp-username": "Käyttäjätunnus", - "smtp-password": "Salasana", - "smtp-tls": "TLS tuki", - "send-from": "Lähettäjä", - "send-smtp-test": "Lähetä testi sähköposti itsellesi", - "invitation-code": "Kutsukoodi", - "email-invite-register-subject": "__inviter__ lähetti sinulle kutsun", - "email-invite-register-text": "Hei __user__,\n\n__inviter__ kutsuu sinut mukaan Wekan ohjelman käyttöön.\n\nOle hyvä ja seuraa allaolevaa linkkiä:\n__url__\n\nJa kutsukoodisi on: __icode__\n\nKiitos.", - "email-smtp-test-subject": "SMTP testi sähköposti Wekanista", - "email-smtp-test-text": "Olet onnistuneesti lähettänyt sähköpostin", - "error-invitation-code-not-exist": "Kutsukoodi ei ole olemassa", - "error-notAuthorized": "Sinulla ei ole oikeutta tarkastella tätä sivua.", - "outgoing-webhooks": "Lähtevät Webkoukut", - "outgoingWebhooksPopup-title": "Lähtevät Webkoukut", - "new-outgoing-webhook": "Uusi lähtevä Webkoukku", - "no-name": "(Tuntematon)", - "Wekan_version": "Wekan versio", - "Node_version": "Node versio", - "OS_Arch": "Käyttöjärjestelmän arkkitehtuuri", - "OS_Cpus": "Käyttöjärjestelmän CPU määrä", - "OS_Freemem": "Käyttöjärjestelmän vapaa muisti", - "OS_Loadavg": "Käyttöjärjestelmän kuorman keskiarvo", - "OS_Platform": "Käyttöjärjestelmäalusta", - "OS_Release": "Käyttöjärjestelmän julkaisu", - "OS_Totalmem": "Käyttöjärjestelmän muistin kokonaismäärä", - "OS_Type": "Käyttöjärjestelmän tyyppi", - "OS_Uptime": "Käyttöjärjestelmä ollut käynnissä", - "hours": "tuntia", - "minutes": "minuuttia", - "seconds": "sekuntia", - "show-field-on-card": "Näytä tämä kenttä kortilla", - "yes": "Kyllä", - "no": "Ei", - "accounts": "Tilit", - "accounts-allowEmailChange": "Salli sähköpostiosoitteen muuttaminen", - "accounts-allowUserNameChange": "Salli käyttäjätunnuksen muuttaminen", - "createdAt": "Luotu", - "verified": "Varmistettu", - "active": "Aktiivinen", - "card-received": "Vastaanotettu", - "card-received-on": "Vastaanotettu", - "card-end": "Loppuu", - "card-end-on": "Loppuu", - "editCardReceivedDatePopup-title": "Vaihda vastaanottamispäivää", - "editCardEndDatePopup-title": "Vaihda loppumispäivää" -} \ No newline at end of file diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json deleted file mode 100644 index f68fdf85..00000000 --- a/i18n/fr.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Accepter", - "act-activity-notify": "[Wekan] Notification d'activité", - "act-addAttachment": "a joint __attachment__ à __card__", - "act-addChecklist": "a ajouté la checklist __checklist__ à __card__", - "act-addChecklistItem": "a ajouté l'élément __checklistItem__ à la checklist __checklist__ de __card__", - "act-addComment": "a commenté __card__ : __comment__", - "act-createBoard": "a créé __board__", - "act-createCard": "a ajouté __card__ à __list__", - "act-createCustomField": "a créé le champ personnalisé __customField__", - "act-createList": "a ajouté __list__ à __board__", - "act-addBoardMember": "a ajouté __member__ à __board__", - "act-archivedBoard": "__board__ a été déplacé vers la corbeille", - "act-archivedCard": "__card__ a été déplacée vers la corbeille", - "act-archivedList": "__list__ a été déplacée vers la corbeille", - "act-archivedSwimlane": "__swimlane__ a été déplacé vers la corbeille", - "act-importBoard": "a importé __board__", - "act-importCard": "a importé __card__", - "act-importList": "a importé __list__", - "act-joinMember": "a ajouté __member__ à __card__", - "act-moveCard": "a déplacé __card__ de __oldList__ à __list__", - "act-removeBoardMember": "a retiré __member__ de __board__", - "act-restoredCard": "a restauré __card__ dans __board__", - "act-unjoinMember": "a retiré __member__ de __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activités", - "activity": "Activité", - "activity-added": "a ajouté %s à %s", - "activity-archived": "%s a été déplacé vers la corbeille", - "activity-attached": "a attaché %s à %s", - "activity-created": "a créé %s", - "activity-customfield-created": "a créé le champ personnalisé %s", - "activity-excluded": "a exclu %s de %s", - "activity-imported": "a importé %s vers %s depuis %s", - "activity-imported-board": "a importé %s depuis %s", - "activity-joined": "a rejoint %s", - "activity-moved": "a déplacé %s de %s vers %s", - "activity-on": "sur %s", - "activity-removed": "a supprimé %s de %s", - "activity-sent": "a envoyé %s vers %s", - "activity-unjoined": "a quitté %s", - "activity-checklist-added": "a ajouté une checklist à %s", - "activity-checklist-item-added": "a ajouté un élément à la checklist '%s' dans %s", - "add": "Ajouter", - "add-attachment": "Ajouter une pièce jointe", - "add-board": "Ajouter un tableau", - "add-card": "Ajouter une carte", - "add-swimlane": "Ajouter un couloir", - "add-checklist": "Ajouter une checklist", - "add-checklist-item": "Ajouter un élément à la checklist", - "add-cover": "Ajouter la couverture", - "add-label": "Ajouter une étiquette", - "add-list": "Ajouter une liste", - "add-members": "Assigner des membres", - "added": "Ajouté le", - "addMemberPopup-title": "Membres", - "admin": "Admin", - "admin-desc": "Peut voir et éditer les cartes, supprimer des membres et changer les paramètres du tableau.", - "admin-announcement": "Annonce", - "admin-announcement-active": "Annonce destinée à tous", - "admin-announcement-title": "Annonce de l'administrateur", - "all-boards": "Tous les tableaux", - "and-n-other-card": "Et __count__ autre carte", - "and-n-other-card_plural": "Et __count__ autres cartes", - "apply": "Appliquer", - "app-is-offline": "Chargement en cours, veuillez patienter. Vous risquez de perdre des données si vous rechargez la page. Si le chargement échoue, veuillez vérifier l'état du serveur Wekan.", - "archive": "Déplacer vers la corbeille", - "archive-all": "Tout déplacer vers la corbeille", - "archive-board": "Déplacer le tableau vers la corbeille", - "archive-card": "Déplacer la carte vers la corbeille", - "archive-list": "Déplacer la liste vers la corbeille", - "archive-swimlane": "Déplacer le couloir vers la corbeille", - "archive-selection": "Déplacer la sélection vers la corbeille", - "archiveBoardPopup-title": "Déplacer le tableau vers la corbeille ?", - "archived-items": "Corbeille", - "archived-boards": "Tableaux dans la corbeille", - "restore-board": "Restaurer le tableau", - "no-archived-boards": "Aucun tableau dans la corbeille.", - "archives": "Corbeille", - "assign-member": "Affecter un membre", - "attached": "joint", - "attachment": "Pièce jointe", - "attachment-delete-pop": "La suppression d'une pièce jointe est définitive. Elle ne peut être annulée.", - "attachmentDeletePopup-title": "Supprimer la pièce jointe ?", - "attachments": "Pièces jointes", - "auto-watch": "Surveiller automatiquement les tableaux quand ils sont créés", - "avatar-too-big": "La taille du fichier de l'avatar est trop importante (70 ko au maximum)", - "back": "Retour", - "board-change-color": "Changer la couleur", - "board-nb-stars": "%s étoiles", - "board-not-found": "Tableau non trouvé", - "board-private-info": "Ce tableau sera privé", - "board-public-info": "Ce tableau sera public.", - "boardChangeColorPopup-title": "Change la couleur de fond du tableau", - "boardChangeTitlePopup-title": "Renommer le tableau", - "boardChangeVisibilityPopup-title": "Changer la visibilité", - "boardChangeWatchPopup-title": "Modifier le suivi", - "boardMenuPopup-title": "Menu du tableau", - "boards": "Tableaux", - "board-view": "Vue du tableau", - "board-view-swimlanes": "Couloirs", - "board-view-lists": "Listes", - "bucket-example": "Comme « todo list » par exemple", - "cancel": "Annuler", - "card-archived": "Cette carte est déplacée vers la corbeille.", - "card-comments-title": "Cette carte a %s commentaires.", - "card-delete-notice": "La suppression est permanente. Vous perdrez toutes les actions associées à cette carte.", - "card-delete-pop": "Toutes les actions vont être supprimées du suivi d'activités et vous ne pourrez plus utiliser cette carte. Cette action est irréversible.", - "card-delete-suggest-archive": "Vous pouvez déplacer une carte vers la corbeille afin de l'enlever du tableau tout en préservant l'activité.", - "card-due": "À échéance", - "card-due-on": "Échéance le", - "card-spent": "Temps passé", - "card-edit-attachments": "Modifier les pièces jointes", - "card-edit-custom-fields": "Éditer les champs personnalisés", - "card-edit-labels": "Modifier les étiquettes", - "card-edit-members": "Modifier les membres", - "card-labels-title": "Modifier les étiquettes de la carte.", - "card-members-title": "Ajouter ou supprimer des membres à la carte.", - "card-start": "Début", - "card-start-on": "Commence le", - "cardAttachmentsPopup-title": "Joindre depuis", - "cardCustomField-datePopup-title": "Changer la date", - "cardCustomFieldsPopup-title": "Éditer les champs personnalisés", - "cardDeletePopup-title": "Supprimer la carte ?", - "cardDetailsActionsPopup-title": "Actions sur la carte", - "cardLabelsPopup-title": "Étiquettes", - "cardMembersPopup-title": "Membres", - "cardMorePopup-title": "Plus", - "cards": "Cartes", - "cards-count": "Cartes", - "change": "Modifier", - "change-avatar": "Modifier l'avatar", - "change-password": "Modifier le mot de passe", - "change-permissions": "Modifier les permissions", - "change-settings": "Modifier les paramètres", - "changeAvatarPopup-title": "Modifier l'avatar", - "changeLanguagePopup-title": "Modifier la langue", - "changePasswordPopup-title": "Modifier le mot de passe", - "changePermissionsPopup-title": "Modifier les permissions", - "changeSettingsPopup-title": "Modifier les paramètres", - "checklists": "Checklists", - "click-to-star": "Cliquez pour ajouter ce tableau aux favoris.", - "click-to-unstar": "Cliquez pour retirer ce tableau des favoris.", - "clipboard": "Presse-papier ou glisser-déposer", - "close": "Fermer", - "close-board": "Fermer le tableau", - "close-board-pop": "Vous pourrez restaurer le tableau en cliquant le bouton « Corbeille » en entête.", - "color-black": "noir", - "color-blue": "bleu", - "color-green": "vert", - "color-lime": "citron vert", - "color-orange": "orange", - "color-pink": "rose", - "color-purple": "violet", - "color-red": "rouge", - "color-sky": "ciel", - "color-yellow": "jaune", - "comment": "Commenter", - "comment-placeholder": "Écrire un commentaire", - "comment-only": "Commentaire uniquement", - "comment-only-desc": "Ne peut que commenter des cartes.", - "computer": "Ordinateur", - "confirm-checklist-delete-dialog": "Êtes-vous sûr de vouloir supprimer la checklist", - "copy-card-link-to-clipboard": "Copier le lien vers la carte dans le presse-papier", - "copyCardPopup-title": "Copier la carte", - "copyChecklistToManyCardsPopup-title": "Copier le modèle de checklist vers plusieurs cartes", - "copyChecklistToManyCardsPopup-instructions": "Titres et descriptions des cartes de destination dans ce format JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titre de la première carte\", \"description\":\"Description de la première carte\"}, {\"title\":\"Titre de la seconde carte\",\"description\":\"Description de la seconde carte\"},{\"title\":\"Titre de la dernière carte\",\"description\":\"Description de la dernière carte\"} ]", - "create": "Créer", - "createBoardPopup-title": "Créer un tableau", - "chooseBoardSourcePopup-title": "Importer un tableau", - "createLabelPopup-title": "Créer une étiquette", - "createCustomField": "Créer un champ personnalisé", - "createCustomFieldPopup-title": "Créer un champ personnalisé", - "current": "actuel", - "custom-field-delete-pop": "Cette action n'est pas réversible. Elle supprimera ce champ personnalisé de toutes les cartes et détruira son historique.", - "custom-field-checkbox": "Case à cocher", - "custom-field-date": "Date", - "custom-field-dropdown": "Liste de choix", - "custom-field-dropdown-none": "(aucun)", - "custom-field-dropdown-options": "Options de liste", - "custom-field-dropdown-options-placeholder": "Appuyez sur Entrée pour ajouter d'autres options", - "custom-field-dropdown-unknown": "(inconnu)", - "custom-field-number": "Nombre", - "custom-field-text": "Texte", - "custom-fields": "Champs personnalisés", - "date": "Date", - "decline": "Refuser", - "default-avatar": "Avatar par défaut", - "delete": "Supprimer", - "deleteCustomFieldPopup-title": "Supprimer le champ personnalisé ?", - "deleteLabelPopup-title": "Supprimer l'étiquette ?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Préciser l'action sur l'étiquette", - "disambiguateMultiMemberPopup-title": "Préciser l'action sur le membre", - "discard": "Mettre à la corbeille", - "done": "Fait", - "download": "Télécharger", - "edit": "Modifier", - "edit-avatar": "Modifier l'avatar", - "edit-profile": "Modifier le profil", - "edit-wip-limit": "Éditer la limite WIP", - "soft-wip-limit": "Limite WIP douce", - "editCardStartDatePopup-title": "Modifier la date de début", - "editCardDueDatePopup-title": "Modifier la date d'échéance", - "editCustomFieldPopup-title": "Éditer le champ personnalisé", - "editCardSpentTimePopup-title": "Changer le temps passé", - "editLabelPopup-title": "Modifier l'étiquette", - "editNotificationPopup-title": "Modifier la notification", - "editProfilePopup-title": "Modifier le profil", - "email": "Email", - "email-enrollAccount-subject": "Un compte a été créé pour vous sur __siteName__", - "email-enrollAccount-text": "Bonjour __user__,\n\nPour commencer à utiliser ce service, il suffit de cliquer sur le lien ci-dessous.\n\n__url__\n\nMerci.", - "email-fail": "Échec de l'envoi du courriel.", - "email-fail-text": "Une erreur est survenue en tentant d'envoyer l'email", - "email-invalid": "Adresse email incorrecte.", - "email-invite": "Inviter par email", - "email-invite-subject": "__inviter__ vous a envoyé une invitation", - "email-invite-text": "Cher __user__,\n\n__inviter__ vous invite à rejoindre le tableau \"__board__\" pour collaborer.\n\nVeuillez suivre le lien ci-dessous :\n\n__url__\n\nMerci.", - "email-resetPassword-subject": "Réinitialiser votre mot de passe sur __siteName__", - "email-resetPassword-text": "Bonjour __user__,\n\nPour réinitialiser votre mot de passe, cliquez sur le lien ci-dessous.\n\n__url__\n\nMerci.", - "email-sent": "Courriel envoyé", - "email-verifyEmail-subject": "Vérifier votre adresse de courriel sur __siteName__", - "email-verifyEmail-text": "Bonjour __user__,\n\nPour vérifier votre compte courriel, il suffit de cliquer sur le lien ci-dessous.\n\n__url__\n\nMerci.", - "enable-wip-limit": "Activer la limite WIP", - "error-board-doesNotExist": "Ce tableau n'existe pas", - "error-board-notAdmin": "Vous devez être administrateur de ce tableau pour faire cela", - "error-board-notAMember": "Vous devez être membre de ce tableau pour faire cela", - "error-json-malformed": "Votre texte JSON n'est pas valide", - "error-json-schema": "Vos données JSON ne contiennent pas l'information appropriée dans un format correct", - "error-list-doesNotExist": "Cette liste n'existe pas", - "error-user-doesNotExist": "Cet utilisateur n'existe pas", - "error-user-notAllowSelf": "Vous ne pouvez pas vous inviter vous-même", - "error-user-notCreated": "Cet utilisateur n'a pas encore été créé", - "error-username-taken": "Ce nom d'utilisateur est déjà utilisé", - "error-email-taken": "Cette adresse mail est déjà utilisée", - "export-board": "Exporter le tableau", - "filter": "Filtrer", - "filter-cards": "Filtrer les cartes", - "filter-clear": "Supprimer les filtres", - "filter-no-label": "Aucune étiquette", - "filter-no-member": "Aucun membre", - "filter-no-custom-fields": "Pas de champs personnalisés", - "filter-on": "Le filtre est actif", - "filter-on-desc": "Vous êtes en train de filtrer les cartes sur ce tableau. Cliquez ici pour modifier les filtres.", - "filter-to-selection": "Filtre vers la sélection", - "advanced-filter-label": "Filtre avancé", - "advanced-filter-description": "Le filtre avancé permet d'écrire une chaîne contenant les opérateur suivants : == != <= >= && || ( ). Les opérateurs doivent être séparés par des espaces. Vous pouvez filtrer tous les champs personnalisés en saisissant leur nom et leur valeur. Par exemple : champ1 == valeur1. Note : si des champs ou valeurs contiennent des espaces, vous devez les mettre entre apostrophes. Par exemple : 'champ 1' = 'valeur 1'. Il est également possible de combiner plusieurs conditions. Par exemple : f1 == v1 || f2 == v2. Normalement, tous les opérateurs sont interprétés de gauche à droite. Vous pouvez changer l'ordre à l'aide de parenthèses. Par exemple : f1 == v1 and (f2 == v2 || f2 == v3).", - "fullname": "Nom complet", - "header-logo-title": "Retourner à la page des tableaux", - "hide-system-messages": "Masquer les messages système", - "headerBarCreateBoardPopup-title": "Créer un tableau", - "home": "Accueil", - "import": "Importer", - "import-board": "importer un tableau", - "import-board-c": "Importer un tableau", - "import-board-title-trello": "Importer le tableau depuis Trello", - "import-board-title-wekan": "Importer un tableau depuis Wekan", - "import-sandstorm-warning": "Le tableau importé supprimera toutes les données du tableau et les remplacera avec celles du tableau importé.", - "from-trello": "Depuis Trello", - "from-wekan": "Depuis Wekan", - "import-board-instruction-trello": "Dans votre tableau Trello, allez sur 'Menu', puis sur 'Plus', 'Imprimer et exporter', 'Exporter en JSON' et copiez le texte du résultat", - "import-board-instruction-wekan": "Dans votre tableau Wekan, allez dans 'Menu', puis 'Exporter un tableau', et copier le texte du fichier téléchargé.", - "import-json-placeholder": "Collez ici les données JSON valides", - "import-map-members": "Faire correspondre aux membres", - "import-members-map": "Le tableau que vous venez d'importer contient des membres. Veuillez associer les membres que vous souhaitez importer à des utilisateurs de Wekan.", - "import-show-user-mapping": "Contrôler l'association des membres", - "import-user-select": "Sélectionnez l'utilisateur Wekan que vous voulez associer à ce membre", - "importMapMembersAddPopup-title": "Sélectionner le membre Wekan", - "info": "Version", - "initials": "Initiales", - "invalid-date": "Date invalide", - "invalid-time": "Temps invalide", - "invalid-user": "Utilisateur invalide", - "joined": "a rejoint", - "just-invited": "Vous venez d'être invité à ce tableau", - "keyboard-shortcuts": "Raccourcis clavier", - "label-create": "Créer une étiquette", - "label-default": "étiquette %s (défaut)", - "label-delete-pop": "Cette action est irréversible. Elle supprimera cette étiquette de toutes les cartes ainsi que l'historique associé.", - "labels": "Étiquettes", - "language": "Langue", - "last-admin-desc": "Vous ne pouvez pas changer les rôles car il doit y avoir au moins un administrateur.", - "leave-board": "Quitter le tableau", - "leave-board-pop": "Êtes-vous sur de vouloir quitter __boardTitle__ ? Vous ne serez plus associé aux cartes de ce tableau.", - "leaveBoardPopup-title": "Quitter le tableau", - "link-card": "Lier à cette carte", - "list-archive-cards": "Déplacer toutes les cartes de la liste vers la corbeille", - "list-archive-cards-pop": "Cela supprimera du tableau toutes les cartes de cette liste. Pour voir les cartes dans la corbeille et les renvoyer vers le tableau, cliquez sur « Menu » puis « Corbeille ».", - "list-move-cards": "Déplacer toutes les cartes de cette liste", - "list-select-cards": "Sélectionner toutes les cartes de cette liste", - "listActionPopup-title": "Actions sur la liste", - "swimlaneActionPopup-title": "Actions du couloir", - "listImportCardPopup-title": "Importer une carte Trello", - "listMorePopup-title": "Plus", - "link-list": "Lien vers cette liste", - "list-delete-pop": "Toutes les actions seront supprimées du fil d'activité et il ne sera plus possible de les récupérer. Cette action ne peut pas être annulée.", - "list-delete-suggest-archive": "Vous pouvez déplacer une liste vers la corbeille pour l'enlever du tableau tout en conservant son activité.", - "lists": "Listes", - "swimlanes": "Couloirs", - "log-out": "Déconnexion", - "log-in": "Connexion", - "loginPopup-title": "Connexion", - "memberMenuPopup-title": "Préférence de membre", - "members": "Membres", - "menu": "Menu", - "move-selection": "Déplacer la sélection", - "moveCardPopup-title": "Déplacer la carte", - "moveCardToBottom-title": "Déplacer tout en bas", - "moveCardToTop-title": "Déplacer tout en haut", - "moveSelectionPopup-title": "Déplacer la sélection", - "multi-selection": "Sélection multiple", - "multi-selection-on": "Multi-Selection active", - "muted": "Silencieux", - "muted-info": "Vous ne serez jamais averti des modifications effectuées dans ce tableau", - "my-boards": "Mes tableaux", - "name": "Nom", - "no-archived-cards": "Aucune carte dans la corbeille.", - "no-archived-lists": "Aucune liste dans la corbeille.", - "no-archived-swimlanes": "Aucun couloir dans la corbeille.", - "no-results": "Pas de résultats", - "normal": "Normal", - "normal-desc": "Peut voir et modifier les cartes. Ne peut pas changer les paramètres.", - "not-accepted-yet": "L'invitation n'a pas encore été acceptée", - "notify-participate": "Recevoir les mises à jour de toutes les cartes auxquelles vous participez en tant que créateur ou que membre ", - "notify-watch": "Recevoir les mises à jour de tous les tableaux, listes ou cartes que vous suivez", - "optional": "optionnel", - "or": "ou", - "page-maybe-private": "Cette page est peut-être privée. Vous pourrez peut-être la voir en vous connectant.", - "page-not-found": "Page non trouvée", - "password": "Mot de passe", - "paste-or-dragdrop": "pour coller, ou glissez-déposez une image ici (seulement une image)", - "participating": "Participant", - "preview": "Prévisualiser", - "previewAttachedImagePopup-title": "Prévisualiser", - "previewClipboardImagePopup-title": "Prévisualiser", - "private": "Privé", - "private-desc": "Ce tableau est privé. Seuls les membres peuvent y accéder et le modifier.", - "profile": "Profil", - "public": "Public", - "public-desc": "Ce tableau est public. Il est accessible par toutes les personnes disposant du lien et apparaîtra dans les résultats des moteurs de recherche tels que Google. Seuls les membres peuvent le modifier.", - "quick-access-description": "Ajouter un tableau à vos favoris pour créer un raccourci dans cette barre.", - "remove-cover": "Enlever la page de présentation", - "remove-from-board": "Retirer du tableau", - "remove-label": "Retirer l'étiquette", - "listDeletePopup-title": "Supprimer la liste ?", - "remove-member": "Supprimer le membre", - "remove-member-from-card": "Supprimer de la carte", - "remove-member-pop": "Supprimer __name__ (__username__) de __boardTitle__ ? Ce membre sera supprimé de toutes les cartes du tableau et recevra une notification.", - "removeMemberPopup-title": "Supprimer le membre ?", - "rename": "Renommer", - "rename-board": "Renommer le tableau", - "restore": "Restaurer", - "save": "Enregistrer", - "search": "Chercher", - "search-cards": "Rechercher parmi les titres et descriptions des cartes de ce tableau", - "search-example": "Texte à rechercher ?", - "select-color": "Sélectionner une couleur", - "set-wip-limit-value": "Définit une limite maximale au nombre de cartes de cette liste", - "setWipLimitPopup-title": "Définir la limite WIP", - "shortcut-assign-self": "Affecter cette carte à vous-même", - "shortcut-autocomplete-emoji": "Auto-complétion des emoji", - "shortcut-autocomplete-members": "Auto-complétion des membres", - "shortcut-clear-filters": "Retirer tous les filtres", - "shortcut-close-dialog": "Fermer la boîte de dialogue", - "shortcut-filter-my-cards": "Filtrer mes cartes", - "shortcut-show-shortcuts": "Afficher cette liste de raccourcis", - "shortcut-toggle-filterbar": "Afficher/Cacher la barre latérale des filtres", - "shortcut-toggle-sidebar": "Afficher/Cacher la barre latérale du tableau", - "show-cards-minimum-count": "Afficher le nombre de cartes si la liste en contient plus de ", - "sidebar-open": "Ouvrir le panneau", - "sidebar-close": "Fermer le panneau", - "signupPopup-title": "Créer un compte", - "star-board-title": "Cliquer pour ajouter ce tableau aux favoris. Il sera affiché en tête de votre liste de tableaux.", - "starred-boards": "Tableaux favoris", - "starred-boards-description": "Les tableaux favoris s'affichent en tête de votre liste de tableaux.", - "subscribe": "Suivre", - "team": "Équipe", - "this-board": "ce tableau", - "this-card": "cette carte", - "spent-time-hours": "Temps passé (heures)", - "overtime-hours": "Temps supplémentaire (heures)", - "overtime": "Temps supplémentaire", - "has-overtime-cards": "A des cartes avec du temps supplémentaire", - "has-spenttime-cards": "A des cartes avec du temps passé", - "time": "Temps", - "title": "Titre", - "tracking": "Suivi", - "tracking-info": "Vous serez notifié de toute modification concernant les cartes pour lesquelles vous êtes impliqué en tant que créateur ou membre.", - "type": "Type", - "unassign-member": "Retirer le membre", - "unsaved-description": "Vous avez une description non sauvegardée", - "unwatch": "Arrêter de suivre", - "upload": "Télécharger", - "upload-avatar": "Télécharger un avatar", - "uploaded-avatar": "Avatar téléchargé", - "username": "Nom d'utilisateur", - "view-it": "Le voir", - "warn-list-archived": "Attention : cette carte est dans une liste se trouvant dans la corbeille", - "watch": "Suivre", - "watching": "Suivi", - "watching-info": "Vous serez notifié de toute modification dans ce tableau", - "welcome-board": "Tableau de bienvenue", - "welcome-swimlane": "Jalon 1", - "welcome-list1": "Basiques", - "welcome-list2": "Avancés", - "what-to-do": "Que voulez-vous faire ?", - "wipLimitErrorPopup-title": "Limite WIP invalide", - "wipLimitErrorPopup-dialog-pt1": "Le nombre de cartes de cette liste est supérieur à la limite WIP que vous avez définie.", - "wipLimitErrorPopup-dialog-pt2": "Veuillez enlever des cartes de cette liste, ou définir une limite WIP plus importante.", - "admin-panel": "Panneau d'administration", - "settings": "Paramètres", - "people": "Personne", - "registration": "Inscription", - "disable-self-registration": "Désactiver l'inscription", - "invite": "Inviter", - "invite-people": "Inviter une personne", - "to-boards": "Au(x) tableau(x)", - "email-addresses": "Adresses email", - "smtp-host-description": "L'adresse du serveur SMTP qui gère vos mails.", - "smtp-port-description": "Le port des mails sortants du serveur SMTP.", - "smtp-tls-description": "Activer la gestion de TLS sur le serveur SMTP", - "smtp-host": "Hôte SMTP", - "smtp-port": "Port SMTP", - "smtp-username": "Nom d'utilisateur", - "smtp-password": "Mot de passe", - "smtp-tls": "Prise en charge de TLS", - "send-from": "De", - "send-smtp-test": "Envoyer un mail de test à vous-même", - "invitation-code": "Code d'invitation", - "email-invite-register-subject": "__inviter__ vous a envoyé une invitation", - "email-invite-register-text": "Cher __user__,\n\n__inviter__ vous invite à le rejoindre sur Wekan pour collaborer.\n\nVeuillez suivre le lien ci-dessous :\n__url__\n\nVotre code d'invitation est : __icode__\n\nMerci.", - "email-smtp-test-subject": "Email de test SMTP de Wekan", - "email-smtp-test-text": "Vous avez envoyé un mail avec succès", - "error-invitation-code-not-exist": "Ce code d'invitation n'existe pas.", - "error-notAuthorized": "Vous n'êtes pas autorisé à accéder à cette page.", - "outgoing-webhooks": "Webhooks sortants", - "outgoingWebhooksPopup-title": "Webhooks sortants", - "new-outgoing-webhook": "Nouveau webhook sortant", - "no-name": "(Inconnu)", - "Wekan_version": "Version de Wekan", - "Node_version": "Version de Node", - "OS_Arch": "OS Architecture", - "OS_Cpus": "OS Nombre CPU", - "OS_Freemem": "OS Mémoire libre", - "OS_Loadavg": "OS Charge moyenne", - "OS_Platform": "OS Plate-forme", - "OS_Release": "OS Version", - "OS_Totalmem": "OS Mémoire totale", - "OS_Type": "OS Type", - "OS_Uptime": "OS Durée de fonctionnement", - "hours": "heures", - "minutes": "minutes", - "seconds": "secondes", - "show-field-on-card": "Afficher ce champ sur la carte", - "yes": "Oui", - "no": "Non", - "accounts": "Comptes", - "accounts-allowEmailChange": "Autoriser le changement d'adresse mail", - "accounts-allowUserNameChange": "Permettre la modification de l'identifiant", - "createdAt": "Créé le", - "verified": "Vérifié", - "active": "Actif", - "card-received": "Reçue", - "card-received-on": "Reçue le", - "card-end": "Fin", - "card-end-on": "Se termine le", - "editCardReceivedDatePopup-title": "Changer la date de réception", - "editCardEndDatePopup-title": "Changer la date de fin" -} \ No newline at end of file diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json deleted file mode 100644 index 231d07d8..00000000 --- a/i18n/gl.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Aceptar", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Accións", - "activities": "Actividades", - "activity": "Actividade", - "activity-added": "engadiuse %s a %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Engadir", - "add-attachment": "Engadir anexo", - "add-board": "Engadir taboleiro", - "add-card": "Engadir tarxeta", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Engadir etiqueta", - "add-list": "Engadir lista", - "add-members": "Engadir membros", - "added": "Added", - "addMemberPopup-title": "Membros", - "admin": "Admin", - "admin-desc": "Pode ver e editar tarxetas, retirar membros e cambiar a configuración do taboleiro.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "Todos os taboleiros", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restaurar taboleiro", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Anexo", - "attachment-delete-pop": "A eliminación de anexos é permanente. Non se pode desfacer.", - "attachmentDeletePopup-title": "Eliminar anexo?", - "attachments": "Anexos", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Cambiar cor", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Taboleiros", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Listas", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancelar", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Editar anexos", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Editar etiquetas", - "card-edit-members": "Editar membros", - "card-labels-title": "Cambiar as etiquetas da tarxeta.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Etiquetas", - "cardMembersPopup-title": "Membros", - "cardMorePopup-title": "Máis", - "cards": "Tarxetas", - "cards-count": "Tarxetas", - "change": "Cambiar", - "change-avatar": "Cambiar o avatar", - "change-password": "Cambiar o contrasinal", - "change-permissions": "Cambiar os permisos", - "change-settings": "Cambiar a configuración", - "changeAvatarPopup-title": "Cambiar o avatar", - "changeLanguagePopup-title": "Cambiar de idioma", - "changePasswordPopup-title": "Cambiar o contrasinal", - "changePermissionsPopup-title": "Cambiar os permisos", - "changeSettingsPopup-title": "Cambiar a configuración", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "negro", - "color-blue": "azul", - "color-green": "verde", - "color-lime": "lime", - "color-orange": "laranxa", - "color-pink": "rosa", - "color-purple": "purple", - "color-red": "vermello", - "color-sky": "celeste", - "color-yellow": "amarelo", - "comment": "Comentario", - "comment-placeholder": "Escribir un comentario", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computador", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Crear", - "createBoardPopup-title": "Crear taboleiro", - "chooseBoardSourcePopup-title": "Importar taboleiro", - "createLabelPopup-title": "Crear etiqueta", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "actual", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Data", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Data", - "decline": "Rexeitar", - "default-avatar": "Avatar predeterminado", - "delete": "Eliminar", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Eliminar a etiqueta?", - "description": "Descrición", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Desbotar", - "done": "Feito", - "download": "Descargar", - "edit": "Editar", - "edit-avatar": "Cambiar de avatar", - "edit-profile": "Editar o perfil", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Cambiar a data de inicio", - "editCardDueDatePopup-title": "Cambiar a data límite", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Cambiar a etiqueta", - "editNotificationPopup-title": "Editar a notificación", - "editProfilePopup-title": "Editar o perfil", - "email": "Correo electrónico", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "Esta lista non existe", - "error-user-doesNotExist": "Este usuario non existe", - "error-user-notAllowSelf": "Non é posíbel convidarse a un mesmo", - "error-user-notCreated": "Este usuario non está creado", - "error-username-taken": "Este nome de usuario xa está collido", - "error-email-taken": "Email has already been taken", - "export-board": "Exportar taboleiro", - "filter": "Filtro", - "filter-cards": "Filtrar tarxetas", - "filter-clear": "Limpar filtro", - "filter-no-label": "Non hai etiquetas", - "filter-no-member": "Non hai membros", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "O filtro está activado", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Nome completo", - "header-logo-title": "Retornar á páxina dos seus taboleiros.", - "hide-system-messages": "Agochar as mensaxes do sistema", - "headerBarCreateBoardPopup-title": "Crear taboleiro", - "home": "Inicio", - "import": "Importar", - "import-board": "importar taboleiro", - "import-board-c": "Importar taboleiro", - "import-board-title-trello": "Importar taboleiro de Trello", - "import-board-title-wekan": "Importar taboleiro de Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "De Trello", - "from-wekan": "De Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Iniciais", - "invalid-date": "A data é incorrecta", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Crear etiqueta", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Etiquetas", - "language": "Idioma", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Saír do taboleiro", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "Máis", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Listas", - "swimlanes": "Swimlanes", - "log-out": "Pechar a sesión", - "log-in": "Acceder", - "loginPopup-title": "Acceder", - "memberMenuPopup-title": "Member Settings", - "members": "Membros", - "menu": "Menú", - "move-selection": "Mover selección", - "moveCardPopup-title": "Mover tarxeta", - "moveCardToBottom-title": "Mover abaixo de todo", - "moveCardToTop-title": "Mover arriba de todo", - "moveSelectionPopup-title": "Mover selección", - "multi-selection": "Selección múltipla", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Nome", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Non hai resultados", - "normal": "Normal", - "normal-desc": "Pode ver e editar tarxetas. Non pode cambiar a configuración.", - "not-accepted-yet": "O convite aínda non foi aceptado", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "opcional", - "or": "ou", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Non se atopou a páxina.", - "password": "Contrasinal", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Perfil", - "public": "Público", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribir", - "team": "Equipo", - "this-board": "este taboleiro", - "this-card": "esta tarxeta", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Hora", - "title": "Título", - "tracking": "Seguimento", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Enviar", - "upload-avatar": "Enviar un avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Nome de usuario", - "view-it": "Velo", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Vixiar", - "watching": "Vixiando", - "watching-info": "Recibirá unha notificación sobre calquera cambio que se produza neste taboleiro", - "welcome-board": "Taboleiro de benvida", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Fundamentos", - "welcome-list2": "Avanzado", - "what-to-do": "Que desexa facer?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Panel de administración", - "settings": "Configuración", - "people": "Persoas", - "registration": "Rexistro", - "disable-self-registration": "Desactivar o auto-rexistro", - "invite": "Convidar", - "invite-people": "Convidar persoas", - "to-boards": "Ao(s) taboleiro(s)", - "email-addresses": "Enderezos de correo", - "smtp-host-description": "O enderezo do servidor de SMTP que xestiona os seu correo electrónico.", - "smtp-port-description": "O porto que o servidor de SMTP emprega para o correo saínte.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "Servidor de SMTP", - "smtp-port": "Porto de SMTP", - "smtp-username": "Nome de usuario", - "smtp-password": "Contrasinal", - "smtp-tls": "TLS support", - "send-from": "De", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" -} \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json deleted file mode 100644 index d5980cfe..00000000 --- a/i18n/he.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "אישור", - "act-activity-notify": "[Wekan] הודעת פעילות", - "act-addAttachment": " __attachment__ צורף לכרטיס __card__", - "act-addChecklist": "רשימת משימות __checklist__ נוספה ל __card__", - "act-addChecklistItem": " __checklistItem__ נוסף לרשימת משימות __checklist__ בכרטיס __card__", - "act-addComment": "התקבלה תגובה על הכרטיס __card__:‏ __comment__", - "act-createBoard": "הלוח __board__ נוצר", - "act-createCard": "הכרטיס __card__ התווסף לרשימה __list__", - "act-createCustomField": "נוצר שדה בהתאמה אישית __customField__", - "act-createList": "הרשימה __list__ התווספה ללוח __board__", - "act-addBoardMember": "המשתמש __member__ נוסף ללוח __board__", - "act-archivedBoard": "__board__ הועבר לסל המחזור", - "act-archivedCard": "__card__ הועבר לסל המחזור", - "act-archivedList": "__list__ הועבר לסל המחזור", - "act-archivedSwimlane": "__swimlane__ הועבר לסל המחזור", - "act-importBoard": "הלוח __board__ יובא", - "act-importCard": "הכרטיס __card__ יובא", - "act-importList": "הרשימה __list__ יובאה", - "act-joinMember": "המשתמש __member__ נוסף לכרטיס __card__", - "act-moveCard": "הכרטיס __card__ הועבר מהרשימה __oldList__ לרשימה __list__", - "act-removeBoardMember": "המשתמש __member__ הוסר מהלוח __board__", - "act-restoredCard": "הכרטיס __card__ שוחזר ללוח __board__", - "act-unjoinMember": "המשתמש __member__ הוסר מהכרטיס __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "פעולות", - "activities": "פעילויות", - "activity": "פעילות", - "activity-added": "%s נוסף ל%s", - "activity-archived": "%s הועבר לסל המחזור", - "activity-attached": "%s צורף ל%s", - "activity-created": "%s נוצר", - "activity-customfield-created": "נוצר שדה בהתאמה אישית %s", - "activity-excluded": "%s לא נכלל ב%s", - "activity-imported": "%s ייובא מ%s אל %s", - "activity-imported-board": "%s ייובא מ%s", - "activity-joined": "הצטרפות אל %s", - "activity-moved": "%s עבר מ%s ל%s", - "activity-on": "ב%s", - "activity-removed": "%s הוסר מ%s", - "activity-sent": "%s נשלח ל%s", - "activity-unjoined": "בטל צירוף %s", - "activity-checklist-added": "נוספה רשימת משימות אל %s", - "activity-checklist-item-added": "נוסף פריט רשימת משימות אל ‚%s‘ תחת %s", - "add": "הוספה", - "add-attachment": "הוספת קובץ מצורף", - "add-board": "הוספת לוח", - "add-card": "הוספת כרטיס", - "add-swimlane": "הוספת מסלול", - "add-checklist": "הוספת רשימת מטלות", - "add-checklist-item": "הוספת פריט לרשימת משימות", - "add-cover": "הוספת כיסוי", - "add-label": "הוספת תווית", - "add-list": "הוספת רשימה", - "add-members": "הוספת חברים", - "added": "התווסף", - "addMemberPopup-title": "חברים", - "admin": "מנהל", - "admin-desc": "יש הרשאות לצפייה ולעריכת כרטיסים, להסרת חברים ולשינוי הגדרות לוח.", - "admin-announcement": "הכרזה", - "admin-announcement-active": "הכרזת מערכת פעילה", - "admin-announcement-title": "הכרזה ממנהל המערכת", - "all-boards": "כל הלוחות", - "and-n-other-card": "וכרטיס אחר", - "and-n-other-card_plural": "ו־__count__ כרטיסים אחרים", - "apply": "החלה", - "app-is-offline": "Wekan בטעינה, נא להמתין. רענון העמוד עשוי להוביל לאובדן מידע. אם הטעינה של Wekan נעצרה, נא לבדוק ששרת ה־Wekan לא נעצר.", - "archive": "העברה לסל המחזור", - "archive-all": "להעביר הכול לסל המחזור", - "archive-board": "העברת הלוח לסל המחזור", - "archive-card": "העברת הכרטיס לסל המחזור", - "archive-list": "העברת הרשימה לסל המחזור", - "archive-swimlane": "העברת מסלול לסל המחזור", - "archive-selection": "העברת הבחירה לסל המחזור", - "archiveBoardPopup-title": "להעביר את הלוח לסל המחזור?", - "archived-items": "סל מחזור", - "archived-boards": "לוחות בסל המחזור", - "restore-board": "שחזור לוח", - "no-archived-boards": "אין לוחות בסל המחזור", - "archives": "סל מחזור", - "assign-member": "הקצאת חבר", - "attached": "מצורף", - "attachment": "קובץ מצורף", - "attachment-delete-pop": "מחיקת קובץ מצורף הנה סופית. אין דרך חזרה.", - "attachmentDeletePopup-title": "למחוק קובץ מצורף?", - "attachments": "קבצים מצורפים", - "auto-watch": "הוספת לוחות למעקב כשהם נוצרים", - "avatar-too-big": "תמונת המשתמש גדולה מדי (70 ק״ב לכל היותר)", - "back": "חזרה", - "board-change-color": "שינוי צבע", - "board-nb-stars": "%s כוכבים", - "board-not-found": "לוח לא נמצא", - "board-private-info": "לוח זה יהיה פרטי.", - "board-public-info": "לוח זה יהיה ציבורי.", - "boardChangeColorPopup-title": "שינוי רקע ללוח", - "boardChangeTitlePopup-title": "שינוי שם הלוח", - "boardChangeVisibilityPopup-title": "שינוי מצב הצגה", - "boardChangeWatchPopup-title": "שינוי הגדרת המעקב", - "boardMenuPopup-title": "תפריט לוח", - "boards": "לוחות", - "board-view": "תצוגת לוח", - "board-view-swimlanes": "מסלולים", - "board-view-lists": "רשימות", - "bucket-example": "כמו למשל „רשימת המשימות“", - "cancel": "ביטול", - "card-archived": "כרטיס זה הועבר לסל המחזור", - "card-comments-title": "לכרטיס זה %s תגובות.", - "card-delete-notice": "מחיקה היא סופית. כל הפעולות המשויכות לכרטיס זה תלכנה לאיוד.", - "card-delete-pop": "כל הפעולות יוסרו מלוח הפעילות ולא תהיה אפשרות לפתוח מחדש את הכרטיס. אין דרך חזרה.", - "card-delete-suggest-archive": "ניתן להעביר כרטיס לסל המחזור כדי להסיר אותו מהלוח ולשמר את הפעילות.", - "card-due": "תאריך יעד", - "card-due-on": "תאריך יעד", - "card-spent": "זמן שהושקע", - "card-edit-attachments": "עריכת קבצים מצורפים", - "card-edit-custom-fields": "עריכת שדות בהתאמה אישית", - "card-edit-labels": "עריכת תוויות", - "card-edit-members": "עריכת חברים", - "card-labels-title": "שינוי תוויות לכרטיס.", - "card-members-title": "הוספה או הסרה של חברי הלוח מהכרטיס.", - "card-start": "התחלה", - "card-start-on": "מתחיל ב־", - "cardAttachmentsPopup-title": "לצרף מ־", - "cardCustomField-datePopup-title": "החלפת תאריך", - "cardCustomFieldsPopup-title": "עריכת שדות בהתאמה אישית", - "cardDeletePopup-title": "למחוק כרטיס?", - "cardDetailsActionsPopup-title": "פעולות על הכרטיס", - "cardLabelsPopup-title": "תוויות", - "cardMembersPopup-title": "חברים", - "cardMorePopup-title": "עוד", - "cards": "כרטיסים", - "cards-count": "כרטיסים", - "change": "שינוי", - "change-avatar": "החלפת תמונת משתמש", - "change-password": "החלפת ססמה", - "change-permissions": "שינוי הרשאות", - "change-settings": "שינוי הגדרות", - "changeAvatarPopup-title": "שינוי תמונת משתמש", - "changeLanguagePopup-title": "החלפת שפה", - "changePasswordPopup-title": "החלפת ססמה", - "changePermissionsPopup-title": "שינוי הרשאות", - "changeSettingsPopup-title": "שינוי הגדרות", - "checklists": "רשימות", - "click-to-star": "יש ללחוץ להוספת הלוח למועדפים.", - "click-to-unstar": "יש ללחוץ להסרת הלוח מהמועדפים.", - "clipboard": "לוח גזירים או גרירה ושחרור", - "close": "סגירה", - "close-board": "סגירת לוח", - "close-board-pop": "תהיה לך אפשרות להסיר את הלוח על ידי לחיצה על הכפתור „סל מחזור” מכותרת הבית.", - "color-black": "שחור", - "color-blue": "כחול", - "color-green": "ירוק", - "color-lime": "ליים", - "color-orange": "כתום", - "color-pink": "ורוד", - "color-purple": "סגול", - "color-red": "אדום", - "color-sky": "תכלת", - "color-yellow": "צהוב", - "comment": "לפרסם", - "comment-placeholder": "כתיבת הערה", - "comment-only": "הערה בלבד", - "comment-only-desc": "ניתן להעיר על כרטיסים בלבד.", - "computer": "מחשב", - "confirm-checklist-delete-dialog": "האם אתה בטוח שברצונך למחוק את רשימת המשימות", - "copy-card-link-to-clipboard": "העתקת קישור הכרטיס ללוח הגזירים", - "copyCardPopup-title": "העתק כרטיס", - "copyChecklistToManyCardsPopup-title": "העתקת תבנית רשימת מטלות למגוון כרטיסים", - "copyChecklistToManyCardsPopup-instructions": "כותרות ותיאורים של כרטיסי יעד בתצורת JSON זו", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"כותרת כרטיס ראשון\", \"description\":\"תיאור כרטיס ראשון\"}, {\"title\":\"כותרת כרטיס שני\",\"description\":\"תיאור כרטיס שני\"},{\"title\":\"כותרת כרטיס אחרון\",\"description\":\"תיאור כרטיס אחרון\"} ]", - "create": "יצירה", - "createBoardPopup-title": "יצירת לוח", - "chooseBoardSourcePopup-title": "ייבוא לוח", - "createLabelPopup-title": "יצירת תווית", - "createCustomField": "יצירת שדה", - "createCustomFieldPopup-title": "יצירת שדה", - "current": "נוכחי", - "custom-field-delete-pop": "אין אפשרות לבטל את הפעולה. הפעולה תסיר את השדה שהותאם אישית מכל הכרטיסים ותשמיד את ההיסטוריה שלו.", - "custom-field-checkbox": "תיבת סימון", - "custom-field-date": "תאריך", - "custom-field-dropdown": "רשימה נגללת", - "custom-field-dropdown-none": "(ללא)", - "custom-field-dropdown-options": "אפשרויות רשימה", - "custom-field-dropdown-options-placeholder": "יש ללחוץ על enter כדי להוסיף עוד אפשרויות", - "custom-field-dropdown-unknown": "(לא ידוע)", - "custom-field-number": "מספר", - "custom-field-text": "טקסט", - "custom-fields": "שדות מותאמים אישית", - "date": "תאריך", - "decline": "סירוב", - "default-avatar": "תמונת משתמש כבררת מחדל", - "delete": "מחיקה", - "deleteCustomFieldPopup-title": "למחוק שדה מותאם אישית?", - "deleteLabelPopup-title": "למחוק תווית?", - "description": "תיאור", - "disambiguateMultiLabelPopup-title": "הבהרת פעולת תווית", - "disambiguateMultiMemberPopup-title": "הבהרת פעולת חבר", - "discard": "התעלמות", - "done": "בוצע", - "download": "הורדה", - "edit": "עריכה", - "edit-avatar": "החלפת תמונת משתמש", - "edit-profile": "עריכת פרופיל", - "edit-wip-limit": "עריכת מגבלת „בעבודה”", - "soft-wip-limit": "מגבלת „בעבודה” רכה", - "editCardStartDatePopup-title": "שינוי מועד התחלה", - "editCardDueDatePopup-title": "שינוי מועד סיום", - "editCustomFieldPopup-title": "עריכת שדה", - "editCardSpentTimePopup-title": "שינוי הזמן שהושקע", - "editLabelPopup-title": "שינוי תווית", - "editNotificationPopup-title": "שינוי דיווח", - "editProfilePopup-title": "עריכת פרופיל", - "email": "דוא״ל", - "email-enrollAccount-subject": "נוצר עבורך חשבון באתר __siteName__", - "email-enrollAccount-text": "__user__ שלום,\n\nכדי להתחיל להשתמש בשירות, יש ללחוץ על הקישור המופיע להלן.\n\n__url__\n\nתודה.", - "email-fail": "שליחת ההודעה בדוא״ל נכשלה", - "email-fail-text": "שגיאה בעת ניסיון לשליחת הודעת דוא״ל", - "email-invalid": "כתובת דוא״ל לא חוקית", - "email-invite": "הזמנה באמצעות דוא״ל", - "email-invite-subject": "נשלחה אליך הזמנה מאת __inviter__", - "email-invite-text": "__user__ שלום,\n\nהוזמנת על ידי __inviter__ להצטרף ללוח „__board__“ להמשך שיתוף הפעולה.\n\nנא ללחוץ על הקישור המופיע להלן:\n\n__url__\n\nתודה.", - "email-resetPassword-subject": "ניתן לאפס את ססמתך לאתר __siteName__", - "email-resetPassword-text": "__user__ שלום,\n\nכדי לאפס את ססמתך, יש ללחוץ על הקישור המופיע להלן.\n\n__url__\n\nתודה.", - "email-sent": "הודעת הדוא״ל נשלחה", - "email-verifyEmail-subject": "אימות כתובת הדוא״ל שלך באתר __siteName__", - "email-verifyEmail-text": "__user__ שלום,\n\nלאימות כתובת הדוא״ל המשויכת לחשבונך, עליך פשוט ללחוץ על הקישור המופיע להלן.\n\n__url__\n\nתודה.", - "enable-wip-limit": "הפעלת מגבלת „בעבודה”", - "error-board-doesNotExist": "לוח זה אינו קיים", - "error-board-notAdmin": "צריכות להיות לך הרשאות ניהול על לוח זה כדי לעשות זאת", - "error-board-notAMember": "עליך לקבל חברות בלוח זה כדי לעשות זאת", - "error-json-malformed": "הטקסט שלך אינו JSON תקין", - "error-json-schema": "נתוני ה־JSON שלך לא כוללים את המידע הנכון בתבנית הנכונה", - "error-list-doesNotExist": "רשימה זו לא קיימת", - "error-user-doesNotExist": "משתמש זה לא קיים", - "error-user-notAllowSelf": "אינך יכול להזמין את עצמך", - "error-user-notCreated": "משתמש זה לא נוצר", - "error-username-taken": "המשתמש כבר קיים במערכת", - "error-email-taken": "כתובת הדוא\"ל כבר נמצאת בשימוש", - "export-board": "ייצוא לוח", - "filter": "מסנן", - "filter-cards": "סינון כרטיסים", - "filter-clear": "ניקוי המסנן", - "filter-no-label": "אין תווית", - "filter-no-member": "אין חבר כזה", - "filter-no-custom-fields": "אין שדות מותאמים אישית", - "filter-on": "המסנן פועל", - "filter-on-desc": "מסנן כרטיסים פעיל בלוח זה. יש ללחוץ כאן לעריכת המסנן.", - "filter-to-selection": "סינון לבחירה", - "advanced-filter-label": "מסנן מתקדם", - "advanced-filter-description": "המסנן המתקדם מאפשר לך לכתוב מחרוזת שמכילה את הפעולות הבאות: == != <= >= && || ( ) רווח מכהן כמפריד בין הפעולות. ניתן לסנן את כל השדות המותאמים אישית על ידי הקלדת שמם והערך שלהם. למשל: שדה1 == ערך1. לתשומת לבך: אם שדות או ערכים מכילים רווח, יש לעטוף אותם במירכא מכל צד. למשל: 'שדה 1' == 'ערך 1'. ניתן גם לשלב מגוון תנאים. למשל: F1 == V1 || F1 = V2. על פי רוב כל הפעולות מפוענחות משמאל לימין. ניתן לשנות את הסדר על ידי הצבת סוגריים. למשל: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "שם מלא", - "header-logo-title": "חזרה לדף הלוחות שלך.", - "hide-system-messages": "הסתרת הודעות מערכת", - "headerBarCreateBoardPopup-title": "יצירת לוח", - "home": "בית", - "import": "יבוא", - "import-board": "ייבוא לוח", - "import-board-c": "יבוא לוח", - "import-board-title-trello": "ייבוא לוח מטרלו", - "import-board-title-wekan": "ייבוא לוח מ־Wekan", - "import-sandstorm-warning": "הלוח שייובא ימחק את כל הנתונים הקיימים בלוח ויחליף אותם בלוח שייובא.", - "from-trello": "מ־Trello", - "from-wekan": "מ־Wekan", - "import-board-instruction-trello": "בלוח הטרלו שלך, עליך ללחוץ על ‚תפריט‘, ואז על ‚עוד‘, ‚הדפסה וייצוא‘, ‚יצוא JSON‘ ולהעתיק את הטקסט שנוצר.", - "import-board-instruction-wekan": "בלוח ה־Wekan, יש לגשת אל ‚תפריט‘, לאחר מכן ‚יצוא לוח‘ ולהעתיק את הטקסט בקובץ שהתקבל.", - "import-json-placeholder": "יש להדביק את נתוני ה־JSON התקינים לכאן", - "import-map-members": "מיפוי חברים", - "import-members-map": "הלוחות המיובאים שלך מכילים חברים. נא למפות את החברים שברצונך לייבא למשתמשי Wekan", - "import-show-user-mapping": "סקירת מיפוי חברים", - "import-user-select": "נא לבחור את המשתמש ב־Wekan בו ברצונך להשתמש עבור חבר זה", - "importMapMembersAddPopup-title": "בחירת משתמש Wekan", - "info": "גרסא", - "initials": "ראשי תיבות", - "invalid-date": "תאריך שגוי", - "invalid-time": "זמן שגוי", - "invalid-user": "משתמש שגוי", - "joined": "הצטרף", - "just-invited": "הוזמנת ללוח זה", - "keyboard-shortcuts": "קיצורי מקלדת", - "label-create": "יצירת תווית", - "label-default": "תווית בצבע %s (בררת מחדל)", - "label-delete-pop": "אין דרך חזרה. התווית תוסר מכל הכרטיסים וההיסטוריה תימחק.", - "labels": "תוויות", - "language": "שפה", - "last-admin-desc": "אין אפשרות לשנות תפקידים כיוון שחייב להיות מנהל אחד לפחות.", - "leave-board": "עזיבת הלוח", - "leave-board-pop": "לעזוב את __boardTitle__? שמך יוסר מכל הכרטיסים שבלוח זה.", - "leaveBoardPopup-title": "לעזוב לוח ?", - "link-card": "קישור לכרטיס זה", - "list-archive-cards": "להעביר את כל הכרטיסים לסל המחזור", - "list-archive-cards-pop": "פעולה זו תסיר את כל הכרטיסים שברשימה זו מהלוח. כדי לצפות בכרטיסים בסל המחזור ולהשיב אותם ללוח ניתן ללחוץ על „תפריט” > „סל מחזור”.", - "list-move-cards": "העברת כל הכרטיסים שברשימה זו", - "list-select-cards": "בחירת כל הכרטיסים שברשימה זו", - "listActionPopup-title": "פעולות רשימה", - "swimlaneActionPopup-title": "פעולות על מסלול", - "listImportCardPopup-title": "יבוא כרטיס מ־Trello", - "listMorePopup-title": "עוד", - "link-list": "קישור לרשימה זו", - "list-delete-pop": "כל הפעולות תוסרנה מרצף הפעילות ולא תהיה לך אפשרות לשחזר את הרשימה. אין ביטול.", - "list-delete-suggest-archive": "ניתן להעביר רשימה לסל מחזור כדי להסיר אותה מהלוח ולשמר את הפעילות.", - "lists": "רשימות", - "swimlanes": "מסלולים", - "log-out": "יציאה", - "log-in": "כניסה", - "loginPopup-title": "כניסה", - "memberMenuPopup-title": "הגדרות חברות", - "members": "חברים", - "menu": "תפריט", - "move-selection": "העברת הבחירה", - "moveCardPopup-title": "העברת כרטיס", - "moveCardToBottom-title": "העברת כרטיס לתחתית הרשימה", - "moveCardToTop-title": "העברת כרטיס לראש הרשימה ", - "moveSelectionPopup-title": "העברת בחירה", - "multi-selection": "בחירה מרובה", - "multi-selection-on": "בחירה מרובה פועלת", - "muted": "מושתק", - "muted-info": "מעתה לא תתקבלנה אצלך התרעות על שינויים בלוח זה", - "my-boards": "הלוחות שלי", - "name": "שם", - "no-archived-cards": "אין כרטיסים בסל המחזור.", - "no-archived-lists": "אין רשימות בסל המחזור.", - "no-archived-swimlanes": "אין מסלולים בסל המחזור.", - "no-results": "אין תוצאות", - "normal": "רגיל", - "normal-desc": "הרשאה לצפות ולערוך כרטיסים. לא ניתן לשנות הגדרות.", - "not-accepted-yet": "ההזמנה לא אושרה עדיין", - "notify-participate": "קבלת עדכונים על כרטיסים בהם יש לך מעורבות הן בתהליך היצירה והן כחבר", - "notify-watch": "קבלת עדכונים על כל לוח, רשימה או כרטיס שסימנת למעקב", - "optional": "רשות", - "or": "או", - "page-maybe-private": "יתכן שדף זה פרטי. ניתן לצפות בו על ידי כניסה למערכת", - "page-not-found": "דף לא נמצא.", - "password": "ססמה", - "paste-or-dragdrop": "כדי להדביק או לגרור ולשחרר קובץ תמונה אליו (תמונות בלבד)", - "participating": "משתתפים", - "preview": "תצוגה מקדימה", - "previewAttachedImagePopup-title": "תצוגה מקדימה", - "previewClipboardImagePopup-title": "תצוגה מקדימה", - "private": "פרטי", - "private-desc": "לוח זה פרטי. רק אנשים שנוספו ללוח יכולים לצפות ולערוך אותו.", - "profile": "פרופיל", - "public": "ציבורי", - "public-desc": "לוח זה ציבורי. כל מי שמחזיק בקישור יכול לצפות בלוח והוא יופיע בתוצאות מנועי חיפוש כגון גוגל. רק אנשים שנוספו ללוח יכולים לערוך אותו.", - "quick-access-description": "לחיצה על הכוכב תוסיף קיצור דרך ללוח בשורה זו.", - "remove-cover": "הסרת כיסוי", - "remove-from-board": "הסרה מהלוח", - "remove-label": "הסרת תווית", - "listDeletePopup-title": "למחוק את הרשימה?", - "remove-member": "הסרת חבר", - "remove-member-from-card": "הסרה מהכרטיס", - "remove-member-pop": "להסיר את __name__ (__username__) מ__boardTitle__? התהליך יגרום להסרת החבר מכל הכרטיסים בלוח זה. תישלח הודעה אל החבר.", - "removeMemberPopup-title": "להסיר חבר?", - "rename": "שינוי שם", - "rename-board": "שינוי שם ללוח", - "restore": "שחזור", - "save": "שמירה", - "search": "חיפוש", - "search-cards": "חיפוש אחר כותרות ותיאורים של כרטיסים בלוח זה", - "search-example": "טקסט לחיפוש ?", - "select-color": "בחירת צבע", - "set-wip-limit-value": "הגדרת מגבלה למספר המרבי של משימות ברשימה זו", - "setWipLimitPopup-title": "הגדרת מגבלת „בעבודה”", - "shortcut-assign-self": "להקצות אותי לכרטיס הנוכחי", - "shortcut-autocomplete-emoji": "השלמה אוטומטית לאימוג׳י", - "shortcut-autocomplete-members": "השלמה אוטומטית של חברים", - "shortcut-clear-filters": "ביטול כל המסננים", - "shortcut-close-dialog": "סגירת החלון", - "shortcut-filter-my-cards": "סינון הכרטיסים שלי", - "shortcut-show-shortcuts": "העלאת רשימת קיצורים זו", - "shortcut-toggle-filterbar": "הצגה או הסתרה של סרגל צד הסינון", - "shortcut-toggle-sidebar": "הצגה או הסתרה של סרגל צד הלוח", - "show-cards-minimum-count": "הצגת ספירת כרטיסים אם רשימה מכילה למעלה מ־", - "sidebar-open": "פתיחת סרגל צד", - "sidebar-close": "סגירת סרגל צד", - "signupPopup-title": "יצירת חשבון", - "star-board-title": "ניתן ללחוץ כדי לסמן בכוכב. הלוח יופיע בראש רשימת הלוחות שלך.", - "starred-boards": "לוחות שסומנו בכוכב", - "starred-boards-description": "לוחות מסומנים בכוכב מופיעים בראש רשימת הלוחות שלך.", - "subscribe": "הרשמה", - "team": "צוות", - "this-board": "לוח זה", - "this-card": "כרטיס זה", - "spent-time-hours": "זמן שהושקע (שעות)", - "overtime-hours": "שעות נוספות", - "overtime": "שעות נוספות", - "has-overtime-cards": "יש כרטיסי שעות נוספות", - "has-spenttime-cards": "ניצל את כרטיסי הזמן שהושקע", - "time": "זמן", - "title": "כותרת", - "tracking": "מעקב", - "tracking-info": "על כל שינוי בכרטיסים בהם הייתה לך מעורבות ברמת היצירה או כחברות תגיע אליך הודעה.", - "type": "סוג", - "unassign-member": "ביטול הקצאת חבר", - "unsaved-description": "יש לך תיאור לא שמור.", - "unwatch": "ביטול מעקב", - "upload": "העלאה", - "upload-avatar": "העלאת תמונת משתמש", - "uploaded-avatar": "הועלתה תמונה משתמש", - "username": "שם משתמש", - "view-it": "הצגה", - "warn-list-archived": "אזהרה: כרטיס זה נמצא ברשימה בסל המחזור", - "watch": "לעקוב", - "watching": "במעקב", - "watching-info": "מעתה יגיעו אליך דיווחים על כל שינוי בלוח זה", - "welcome-board": "לוח קבלת פנים", - "welcome-swimlane": "ציון דרך 1", - "welcome-list1": "יסודות", - "welcome-list2": "מתקדם", - "what-to-do": "מה ברצונך לעשות?", - "wipLimitErrorPopup-title": "מגבלת „בעבודה” שגויה", - "wipLimitErrorPopup-dialog-pt1": "מספר המשימות ברשימה זו גדולה ממגבלת הפריטים „בעבודה” שהגדרת.", - "wipLimitErrorPopup-dialog-pt2": "נא להוציא חלק מהמשימות מרשימה זו או להגדיר מגבלת „בעבודה” גדולה יותר.", - "admin-panel": "חלונית ניהול המערכת", - "settings": "הגדרות", - "people": "אנשים", - "registration": "הרשמה", - "disable-self-registration": "השבתת הרשמה עצמית", - "invite": "הזמנה", - "invite-people": "הזמנת אנשים", - "to-boards": "ללוח/ות", - "email-addresses": "כתובות דוא״ל", - "smtp-host-description": "כתובת שרת ה־SMTP שמטפל בהודעות הדוא״ל שלך.", - "smtp-port-description": "מספר הפתחה בה שרת ה־SMTP שלך משתמש לדוא״ל יוצא.", - "smtp-tls-description": "הפעל תמיכה ב־TLS עבור שרת ה־SMTP", - "smtp-host": "כתובת ה־SMTP", - "smtp-port": "פתחת ה־SMTP", - "smtp-username": "שם משתמש", - "smtp-password": "ססמה", - "smtp-tls": "תמיכה ב־TLS", - "send-from": "מאת", - "send-smtp-test": "שליחת דוא״ל בדיקה לעצמך", - "invitation-code": "קוד הזמנה", - "email-invite-register-subject": "נשלחה אליך הזמנה מאת __inviter__", - "email-invite-register-text": "__user__ יקר,\n\nקיבלת הזמנה מאת __inviter__ לשתף פעולה ב־Wekan.\n\nנא ללחוץ על הקישור:\n__url__\n\nקוד ההזמנה שלך הוא: __icode__\n\nתודה.", - "email-smtp-test-subject": "הודעת בדיקה דרך SMTP מאת Wekan", - "email-smtp-test-text": "שלחת הודעת דוא״ל בהצלחה", - "error-invitation-code-not-exist": "קוד ההזמנה אינו קיים", - "error-notAuthorized": "אין לך הרשאה לצפות בעמוד זה.", - "outgoing-webhooks": "קרסי רשת יוצאים", - "outgoingWebhooksPopup-title": "קרסי רשת יוצאים", - "new-outgoing-webhook": "קרסי רשת יוצאים חדשים", - "no-name": "(לא ידוע)", - "Wekan_version": "גרסת Wekan", - "Node_version": "גרסת Node", - "OS_Arch": "ארכיטקטורת מערכת הפעלה", - "OS_Cpus": "מספר מעבדים", - "OS_Freemem": "זיכרון (RAM) פנוי", - "OS_Loadavg": "עומס ממוצע ", - "OS_Platform": "מערכת הפעלה", - "OS_Release": "גרסת מערכת הפעלה", - "OS_Totalmem": "סך הכל זיכרון (RAM)", - "OS_Type": "סוג מערכת ההפעלה", - "OS_Uptime": "זמן שעבר מאז האתחול האחרון", - "hours": "שעות", - "minutes": "דקות", - "seconds": "שניות", - "show-field-on-card": "הצגת שדה זה בכרטיס", - "yes": "כן", - "no": "לא", - "accounts": "חשבונות", - "accounts-allowEmailChange": "אפשר שינוי דוא\"ל", - "accounts-allowUserNameChange": "לאפשר שינוי שם משתמש", - "createdAt": "נוצר ב", - "verified": "עבר אימות", - "active": "פעיל", - "card-received": "התקבל", - "card-received-on": "התקבל במועד", - "card-end": "סיום", - "card-end-on": "מועד הסיום", - "editCardReceivedDatePopup-title": "החלפת מועד הקבלה", - "editCardEndDatePopup-title": "החלפת מועד הסיום" -} \ No newline at end of file diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json deleted file mode 100644 index 5f5cd058..00000000 --- a/i18n/hu.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Elfogadás", - "act-activity-notify": "[Wekan] Tevékenység értesítés", - "act-addAttachment": "__attachment__ mellékletet csatolt a kártyához: __card__", - "act-addChecklist": "__checklist__ ellenőrzőlistát adott hozzá a kártyához: __card__", - "act-addChecklistItem": "__checklistItem__ elemet adott hozzá a(z) __checklist__ ellenőrzőlistához ezen a kártyán: __card__", - "act-addComment": "hozzászólt a(z) __card__ kártyán: __comment__", - "act-createBoard": "létrehozta a táblát: __board__", - "act-createCard": "__card__ kártyát adott hozzá a listához: __list__", - "act-createCustomField": "létrehozta a(z) __customField__ egyéni listát", - "act-createList": "__list__ listát adott hozzá a táblához: __board__", - "act-addBoardMember": "__member__ tagot hozzáadta a táblához: __board__", - "act-archivedBoard": "A(z) __board__ tábla áthelyezve a lomtárba", - "act-archivedCard": "A(z) __card__ kártya áthelyezve a lomtárba", - "act-archivedList": "A(z) __list__ lista áthelyezve a lomtárba", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "importálta a táblát: __board__", - "act-importCard": "importálta a kártyát: __card__", - "act-importList": "importálta a listát: __list__", - "act-joinMember": "__member__ tagot hozzáadta a kártyához: __card__", - "act-moveCard": "áthelyezte a(z) __card__ kártyát: __oldList__ → __list__", - "act-removeBoardMember": "eltávolította __member__ tagot a tábláról: __board__", - "act-restoredCard": "visszaállította a(z) __card__ kártyát ide: __board__", - "act-unjoinMember": "eltávolította __member__ tagot a kártyáról: __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Műveletek", - "activities": "Tevékenységek", - "activity": "Tevékenység", - "activity-added": "%s hozzáadva ehhez: %s", - "activity-archived": "%s áthelyezve a lomtárba", - "activity-attached": "%s mellékletet csatolt a kártyához: %s", - "activity-created": "%s létrehozva", - "activity-customfield-created": "létrehozta a(z) %s egyéni mezőt", - "activity-excluded": "%s kizárva innen: %s", - "activity-imported": "%s importálva ebbe: %s, innen: %s", - "activity-imported-board": "%s importálva innen: %s", - "activity-joined": "%s csatlakozott", - "activity-moved": "%s áthelyezve: %s → %s", - "activity-on": "ekkor: %s", - "activity-removed": "%s eltávolítva innen: %s", - "activity-sent": "%s elküldve ide: %s", - "activity-unjoined": "%s kilépett a csoportból", - "activity-checklist-added": "ellenőrzőlista hozzáadva ehhez: %s", - "activity-checklist-item-added": "ellenőrzőlista elem hozzáadva ehhez: „%s”, ebben: %s", - "add": "Hozzáadás", - "add-attachment": "Melléklet hozzáadása", - "add-board": "Tábla hozzáadása", - "add-card": "Kártya hozzáadása", - "add-swimlane": "Add Swimlane", - "add-checklist": "Ellenőrzőlista hozzáadása", - "add-checklist-item": "Elem hozzáadása az ellenőrzőlistához", - "add-cover": "Borító hozzáadása", - "add-label": "Címke hozzáadása", - "add-list": "Lista hozzáadása", - "add-members": "Tagok hozzáadása", - "added": "Hozzáadva", - "addMemberPopup-title": "Tagok", - "admin": "Adminisztrátor", - "admin-desc": "Megtekintheti és szerkesztheti a kártyákat, eltávolíthat tagokat, valamint megváltoztathatja a tábla beállításait.", - "admin-announcement": "Bejelentés", - "admin-announcement-active": "Bekapcsolt rendszerszintű bejelentés", - "admin-announcement-title": "Bejelentés az adminisztrátortól", - "all-boards": "Összes tábla", - "and-n-other-card": "És __count__ egyéb kártya", - "and-n-other-card_plural": "És __count__ egyéb kártya", - "apply": "Alkalmaz", - "app-is-offline": "A Wekan betöltés alatt van, kérem várjon. Az oldal újratöltése adatvesztést okoz. Ha a Wekan nem töltődik be, akkor ellenőrizze, hogy a Wekan kiszolgáló nem állt-e le.", - "archive": "Lomtárba", - "archive-all": "Összes lomtárba helyezése", - "archive-board": "Tábla lomtárba helyezése", - "archive-card": "Kártya lomtárba helyezése", - "archive-list": "Lista lomtárba helyezése", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Kijelölés lomtárba helyezése", - "archiveBoardPopup-title": "Lomtárba helyezi a táblát?", - "archived-items": "Lomtár", - "archived-boards": "Lomtárban lévő táblák", - "restore-board": "Tábla visszaállítása", - "no-archived-boards": "Nincs tábla a lomtárban.", - "archives": "Lomtár", - "assign-member": "Tag hozzárendelése", - "attached": "csatolva", - "attachment": "Melléklet", - "attachment-delete-pop": "A melléklet törlése végeleges. Nincs visszaállítás.", - "attachmentDeletePopup-title": "Törli a mellékletet?", - "attachments": "Mellékletek", - "auto-watch": "Táblák automatikus megtekintése, amikor létrejönnek", - "avatar-too-big": "Az avatár túl nagy (legfeljebb 70 KB)", - "back": "Vissza", - "board-change-color": "Szín megváltoztatása", - "board-nb-stars": "%s csillag", - "board-not-found": "A tábla nem található", - "board-private-info": "Ez a tábla legyen személyes.", - "board-public-info": "Ez a tábla legyen nyilvános.", - "boardChangeColorPopup-title": "Tábla hátterének megváltoztatása", - "boardChangeTitlePopup-title": "Tábla átnevezése", - "boardChangeVisibilityPopup-title": "Láthatóság megváltoztatása", - "boardChangeWatchPopup-title": "Megfigyelés megváltoztatása", - "boardMenuPopup-title": "Tábla menü", - "boards": "Táblák", - "board-view": "Tábla nézet", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Listák", - "bucket-example": "Mint például „Bakancslista”", - "cancel": "Mégse", - "card-archived": "Ez a kártya a lomtárba került.", - "card-comments-title": "Ez a kártya %s hozzászólást tartalmaz.", - "card-delete-notice": "A törlés végleges. Az összes műveletet elveszíti, amely ehhez a kártyához tartozik.", - "card-delete-pop": "Az összes művelet el lesz távolítva a tevékenységlistából, és nem lesz képes többé újra megnyitni a kártyát. Nincs visszaállítási lehetőség.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Esedékes", - "card-due-on": "Esedékes ekkor", - "card-spent": "Eltöltött idő", - "card-edit-attachments": "Mellékletek szerkesztése", - "card-edit-custom-fields": "Egyéni mezők szerkesztése", - "card-edit-labels": "Címkék szerkesztése", - "card-edit-members": "Tagok szerkesztése", - "card-labels-title": "A kártya címkéinek megváltoztatása.", - "card-members-title": "A tábla tagjainak hozzáadása vagy eltávolítása a kártyáról.", - "card-start": "Kezdés", - "card-start-on": "Kezdés ekkor", - "cardAttachmentsPopup-title": "Innen csatolva", - "cardCustomField-datePopup-title": "Dátum megváltoztatása", - "cardCustomFieldsPopup-title": "Egyéni mezők szerkesztése", - "cardDeletePopup-title": "Törli a kártyát?", - "cardDetailsActionsPopup-title": "Kártyaműveletek", - "cardLabelsPopup-title": "Címkék", - "cardMembersPopup-title": "Tagok", - "cardMorePopup-title": "Több", - "cards": "Kártyák", - "cards-count": "Kártyák", - "change": "Változtatás", - "change-avatar": "Avatár megváltoztatása", - "change-password": "Jelszó megváltoztatása", - "change-permissions": "Jogosultságok megváltoztatása", - "change-settings": "Beállítások megváltoztatása", - "changeAvatarPopup-title": "Avatár megváltoztatása", - "changeLanguagePopup-title": "Nyelv megváltoztatása", - "changePasswordPopup-title": "Jelszó megváltoztatása", - "changePermissionsPopup-title": "Jogosultságok megváltoztatása", - "changeSettingsPopup-title": "Beállítások megváltoztatása", - "checklists": "Ellenőrzőlisták", - "click-to-star": "Kattintson a tábla csillagozásához.", - "click-to-unstar": "Kattintson a tábla csillagának eltávolításához.", - "clipboard": "Vágólap vagy fogd és vidd", - "close": "Bezárás", - "close-board": "Tábla bezárása", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "fekete", - "color-blue": "kék", - "color-green": "zöld", - "color-lime": "citrus", - "color-orange": "narancssárga", - "color-pink": "rózsaszín", - "color-purple": "lila", - "color-red": "piros", - "color-sky": "égszínkék", - "color-yellow": "sárga", - "comment": "Megjegyzés", - "comment-placeholder": "Megjegyzés írása", - "comment-only": "Csak megjegyzés", - "comment-only-desc": "Csak megjegyzést írhat a kártyákhoz.", - "computer": "Számítógép", - "confirm-checklist-delete-dialog": "Biztosan törölni szeretné az ellenőrzőlistát?", - "copy-card-link-to-clipboard": "Kártya hivatkozásának másolása a vágólapra", - "copyCardPopup-title": "Kártya másolása", - "copyChecklistToManyCardsPopup-title": "Ellenőrzőlista sablon másolása több kártyára", - "copyChecklistToManyCardsPopup-instructions": "A célkártyák címe és a leírások ebben a JSON formátumban", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Első kártya címe\", \"description\":\"Első kártya leírása\"}, {\"title\":\"Második kártya címe\",\"description\":\"Második kártya leírása\"},{\"title\":\"Utolsó kártya címe\",\"description\":\"Utolsó kártya leírása\"} ]", - "create": "Létrehozás", - "createBoardPopup-title": "Tábla létrehozása", - "chooseBoardSourcePopup-title": "Tábla importálása", - "createLabelPopup-title": "Címke létrehozása", - "createCustomField": "Mező létrehozása", - "createCustomFieldPopup-title": "Mező létrehozása", - "current": "jelenlegi", - "custom-field-delete-pop": "Nincs visszavonás. Ez el fogja távolítani az egyéni mezőt az összes kártyáról, és megsemmisíti az előzményeit.", - "custom-field-checkbox": "Jelölőnégyzet", - "custom-field-date": "Dátum", - "custom-field-dropdown": "Legördülő lista", - "custom-field-dropdown-none": "(nincs)", - "custom-field-dropdown-options": "Lista lehetőségei", - "custom-field-dropdown-options-placeholder": "Nyomja meg az Enter billentyűt több lehetőség hozzáadásához", - "custom-field-dropdown-unknown": "(ismeretlen)", - "custom-field-number": "Szám", - "custom-field-text": "Szöveg", - "custom-fields": "Egyéni mezők", - "date": "Dátum", - "decline": "Elutasítás", - "default-avatar": "Alapértelmezett avatár", - "delete": "Törlés", - "deleteCustomFieldPopup-title": "Törli az egyéni mezőt?", - "deleteLabelPopup-title": "Törli a címkét?", - "description": "Leírás", - "disambiguateMultiLabelPopup-title": "Címkeművelet egyértelműsítése", - "disambiguateMultiMemberPopup-title": "Tagművelet egyértelműsítése", - "discard": "Eldobás", - "done": "Kész", - "download": "Letöltés", - "edit": "Szerkesztés", - "edit-avatar": "Avatár megváltoztatása", - "edit-profile": "Profil szerkesztése", - "edit-wip-limit": "WIP korlát szerkesztése", - "soft-wip-limit": "Gyenge WIP korlát", - "editCardStartDatePopup-title": "Kezdődátum megváltoztatása", - "editCardDueDatePopup-title": "Esedékesség dátumának megváltoztatása", - "editCustomFieldPopup-title": "Mező szerkesztése", - "editCardSpentTimePopup-title": "Eltöltött idő megváltoztatása", - "editLabelPopup-title": "Címke megváltoztatása", - "editNotificationPopup-title": "Értesítés szerkesztése", - "editProfilePopup-title": "Profil szerkesztése", - "email": "E-mail", - "email-enrollAccount-subject": "Létrejött a profilja a következő oldalon: __siteName__", - "email-enrollAccount-text": "Kedves __user__!\n\nA szolgáltatás használatának megkezdéséhez egyszerűen kattintson a lenti hivatkozásra.\n\n__url__\n\nKöszönjük.", - "email-fail": "Az e-mail küldése nem sikerült", - "email-fail-text": "Hiba az e-mail küldésének kísérlete közben", - "email-invalid": "Érvénytelen e-mail", - "email-invite": "Meghívás e-mailben", - "email-invite-subject": "__inviter__ egy meghívást küldött Önnek", - "email-invite-text": "Kedves __user__!\n\n__inviter__ meghívta Önt, hogy csatlakozzon a(z) „__board__” táblán történő együttműködéshez.\n\nKattintson az alábbi hivatkozásra:\n\n__url__\n\nKöszönjük.", - "email-resetPassword-subject": "Jelszó visszaállítása ezen az oldalon: __siteName__", - "email-resetPassword-text": "Kedves __user__!\n\nA jelszava visszaállításához egyszerűen kattintson a lenti hivatkozásra.\n\n__url__\n\nKöszönjük.", - "email-sent": "E-mail elküldve", - "email-verifyEmail-subject": "Igazolja vissza az e-mail címét a következő oldalon: __siteName__", - "email-verifyEmail-text": "Kedves __user__!\n\nAz e-mail fiókjának visszaigazolásához egyszerűen kattintson a lenti hivatkozásra.\n\n__url__\n\nKöszönjük.", - "enable-wip-limit": "WIP korlát engedélyezése", - "error-board-doesNotExist": "Ez a tábla nem létezik", - "error-board-notAdmin": "A tábla adminisztrátorának kell lennie, hogy ezt megtehesse", - "error-board-notAMember": "A tábla tagjának kell lennie, hogy ezt megtehesse", - "error-json-malformed": "A szöveg nem érvényes JSON", - "error-json-schema": "A JSON adatok nem a helyes formátumban tartalmazzák a megfelelő információkat", - "error-list-doesNotExist": "Ez a lista nem létezik", - "error-user-doesNotExist": "Ez a felhasználó nem létezik", - "error-user-notAllowSelf": "Nem hívhatja meg saját magát", - "error-user-notCreated": "Ez a felhasználó nincs létrehozva", - "error-username-taken": "Ez a felhasználónév már foglalt", - "error-email-taken": "Az e-mail már foglalt", - "export-board": "Tábla exportálása", - "filter": "Szűrő", - "filter-cards": "Kártyák szűrése", - "filter-clear": "Szűrő törlése", - "filter-no-label": "Nincs címke", - "filter-no-member": "Nincs tag", - "filter-no-custom-fields": "Nincsenek egyéni mezők", - "filter-on": "Szűrő bekapcsolva", - "filter-on-desc": "A kártyaszűrés be van kapcsolva ezen a táblán. Kattintson ide a szűrő szerkesztéséhez.", - "filter-to-selection": "Szűrés a kijelöléshez", - "advanced-filter-label": "Speciális szűrő", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Teljes név", - "header-logo-title": "Vissza a táblák oldalára.", - "hide-system-messages": "Rendszerüzenetek elrejtése", - "headerBarCreateBoardPopup-title": "Tábla létrehozása", - "home": "Kezdőlap", - "import": "Importálás", - "import-board": "tábla importálása", - "import-board-c": "Tábla importálása", - "import-board-title-trello": "Tábla importálása a Trello oldalról", - "import-board-title-wekan": "Tábla importálása a Wekan oldalról", - "import-sandstorm-warning": "Az importált tábla törölni fogja a táblán lévő összes meglévő adatot, és kicseréli az importált táblával.", - "from-trello": "A Trello oldalról", - "from-wekan": "A Wekan oldalról", - "import-board-instruction-trello": "A Trello tábláján menjen a „Menü”, majd a „Több”, „Nyomtatás és exportálás”, „JSON exportálása” menüpontokra, és másolja ki az eredményül kapott szöveget.", - "import-board-instruction-wekan": "A Wekan tábláján menjen a „Menü”, majd a „Tábla exportálás” menüpontra, és másolja ki a letöltött fájlban lévő szöveget.", - "import-json-placeholder": "Illessze be ide az érvényes JSON adatokat", - "import-map-members": "Tagok leképezése", - "import-members-map": "Az importált táblának van néhány tagja. Képezze le a tagokat, akiket importálni szeretne a Wekan felhasználókba.", - "import-show-user-mapping": "Tagok leképezésének vizsgálata", - "import-user-select": "Válassza ki a Wekan felhasználót, akit ezen tagként használni szeretne", - "importMapMembersAddPopup-title": "Wekan tag kiválasztása", - "info": "Verzió", - "initials": "Kezdőbetűk", - "invalid-date": "Érvénytelen dátum", - "invalid-time": "Érvénytelen idő", - "invalid-user": "Érvénytelen felhasználó", - "joined": "csatlakozott", - "just-invited": "Éppen most hívták meg erre a táblára", - "keyboard-shortcuts": "Gyorsbillentyűk", - "label-create": "Címke létrehozása", - "label-default": "%s címke (alapértelmezett)", - "label-delete-pop": "Nincs visszavonás. Ez el fogja távolítani ezt a címkét az összes kártyáról, és törli az előzményeit.", - "labels": "Címkék", - "language": "Nyelv", - "last-admin-desc": "Nem változtathatja meg a szerepeket, mert legalább egy adminisztrátora szükség van.", - "leave-board": "Tábla elhagyása", - "leave-board-pop": "Biztosan el szeretné hagyni ezt a táblát: __boardTitle__? El lesz távolítva a táblán lévő összes kártyáról.", - "leaveBoardPopup-title": "Elhagyja a táblát?", - "link-card": "Összekapcsolás ezzel a kártyával", - "list-archive-cards": "Az összes kártya lomtárba helyezése ezen a listán.", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "A listán lévő összes kártya áthelyezése", - "list-select-cards": "A listán lévő összes kártya kiválasztása", - "listActionPopup-title": "Műveletek felsorolása", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Trello kártya importálása", - "listMorePopup-title": "Több", - "link-list": "Összekapcsolás ezzel a listával", - "list-delete-pop": "Az összes művelet el lesz távolítva a tevékenységlistából, és nem lesz lehetősége visszaállítani a listát. Nincs visszavonás.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Listák", - "swimlanes": "Swimlanes", - "log-out": "Kijelentkezés", - "log-in": "Bejelentkezés", - "loginPopup-title": "Bejelentkezés", - "memberMenuPopup-title": "Tagok beállításai", - "members": "Tagok", - "menu": "Menü", - "move-selection": "Kijelölés áthelyezése", - "moveCardPopup-title": "Kártya áthelyezése", - "moveCardToBottom-title": "Áthelyezés az aljára", - "moveCardToTop-title": "Áthelyezés a tetejére", - "moveSelectionPopup-title": "Kijelölés áthelyezése", - "multi-selection": "Többszörös kijelölés", - "multi-selection-on": "Többszörös kijelölés bekapcsolva", - "muted": "Némítva", - "muted-info": "Soha sem lesz értesítve a táblán lévő semmilyen változásról.", - "my-boards": "Saját tábláim", - "name": "Név", - "no-archived-cards": "Nincs kártya a lomtárban.", - "no-archived-lists": "Nincs lista a lomtárban.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Nincs találat", - "normal": "Normál", - "normal-desc": "Megtekintheti és szerkesztheti a kártyákat. Nem változtathatja meg a beállításokat.", - "not-accepted-yet": "A meghívás még nincs elfogadva", - "notify-participate": "Frissítések fogadása bármely kártyánál, amelynél létrehozóként vagy tagként vesz részt", - "notify-watch": "Frissítések fogadása bármely táblánál, listánál vagy kártyánál, amelyet megtekint", - "optional": "opcionális", - "or": "vagy", - "page-maybe-private": "Ez az oldal személyes lehet. Esetleg megtekintheti, ha bejelentkezik.", - "page-not-found": "Az oldal nem található.", - "password": "Jelszó", - "paste-or-dragdrop": "illessze be, vagy fogd és vidd módon húzza ide a képfájlt (csak képeket)", - "participating": "Részvétel", - "preview": "Előnézet", - "previewAttachedImagePopup-title": "Előnézet", - "previewClipboardImagePopup-title": "Előnézet", - "private": "Személyes", - "private-desc": "Ez a tábla személyes. Csak a táblához hozzáadott emberek tekinthetik meg és szerkeszthetik.", - "profile": "Profil", - "public": "Nyilvános", - "public-desc": "Ez a tábla nyilvános. A hivatkozás birtokában bárki számára látható, és megjelenik az olyan keresőmotorokban, mint például a Google. Csak a táblához hozzáadott emberek szerkeszthetik.", - "quick-access-description": "Csillagozzon meg egy táblát egy gyors hivatkozás hozzáadásához ebbe a sávba.", - "remove-cover": "Borító eltávolítása", - "remove-from-board": "Eltávolítás a tábláról", - "remove-label": "Címke eltávolítása", - "listDeletePopup-title": "Törli a listát?", - "remove-member": "Tag eltávolítása", - "remove-member-from-card": "Eltávolítás a kártyáról", - "remove-member-pop": "Eltávolítja __name__ (__username__) felhasználót a tábláról: __boardTitle__? A tag el lesz távolítva a táblán lévő összes kártyáról. Értesítést fog kapni erről.", - "removeMemberPopup-title": "Eltávolítja a tagot?", - "rename": "Átnevezés", - "rename-board": "Tábla átnevezése", - "restore": "Visszaállítás", - "save": "Mentés", - "search": "Keresés", - "search-cards": "Keresés a táblán lévő kártyák címében illetve leírásában", - "search-example": "keresőkifejezés", - "select-color": "Szín kiválasztása", - "set-wip-limit-value": "Korlát beállítása a listán lévő feladatok legnagyobb számához", - "setWipLimitPopup-title": "WIP korlát beállítása", - "shortcut-assign-self": "Önmaga hozzárendelése a jelenlegi kártyához", - "shortcut-autocomplete-emoji": "Emodzsi automatikus kiegészítése", - "shortcut-autocomplete-members": "Tagok automatikus kiegészítése", - "shortcut-clear-filters": "Összes szűrő törlése", - "shortcut-close-dialog": "Párbeszédablak bezárása", - "shortcut-filter-my-cards": "Kártyáim szűrése", - "shortcut-show-shortcuts": "A hivatkozási lista előre hozása", - "shortcut-toggle-filterbar": "Szűrő oldalsáv ki- és bekapcsolása", - "shortcut-toggle-sidebar": "Tábla oldalsáv ki- és bekapcsolása", - "show-cards-minimum-count": "Kártyaszámok megjelenítése, ha a lista többet tartalmaz mint", - "sidebar-open": "Oldalsáv megnyitása", - "sidebar-close": "Oldalsáv bezárása", - "signupPopup-title": "Fiók létrehozása", - "star-board-title": "Kattintson a tábla csillagozásához. Meg fog jelenni a táblalistája tetején.", - "starred-boards": "Csillagozott táblák", - "starred-boards-description": "A csillagozott táblák megjelennek a táblalistája tetején.", - "subscribe": "Feliratkozás", - "team": "Csapat", - "this-board": "ez a tábla", - "this-card": "ez a kártya", - "spent-time-hours": "Eltöltött idő (óra)", - "overtime-hours": "Túlóra (óra)", - "overtime": "Túlóra", - "has-overtime-cards": "Van túlórás kártyája", - "has-spenttime-cards": "Has spent time cards", - "time": "Idő", - "title": "Cím", - "tracking": "Követés", - "tracking-info": "Értesítve lesz az összes olyan kártya változásáról, amelyen létrehozóként vagy tagként vesz részt.", - "type": "Típus", - "unassign-member": "Tag hozzárendelésének megszüntetése", - "unsaved-description": "Van egy mentetlen leírása.", - "unwatch": "Megfigyelés megszüntetése", - "upload": "Feltöltés", - "upload-avatar": "Egy avatár feltöltése", - "uploaded-avatar": "Egy avatár feltöltve", - "username": "Felhasználónév", - "view-it": "Megtekintés", - "warn-list-archived": "figyelem: ez a kártya egy lomtárban lévő listán van", - "watch": "Megfigyelés", - "watching": "Megfigyelés", - "watching-info": "Értesítve lesz a táblán lévő összes változásról", - "welcome-board": "Üdvözlő tábla", - "welcome-swimlane": "1. mérföldkő", - "welcome-list1": "Alapok", - "welcome-list2": "Speciális", - "what-to-do": "Mit szeretne tenni?", - "wipLimitErrorPopup-title": "Érvénytelen WIP korlát", - "wipLimitErrorPopup-dialog-pt1": "A listán lévő feladatok száma magasabb a meghatározott WIP korlátnál.", - "wipLimitErrorPopup-dialog-pt2": "Helyezzen át néhány feladatot a listáról, vagy állítson be magasabb WIP korlátot.", - "admin-panel": "Adminisztrációs panel", - "settings": "Beállítások", - "people": "Emberek", - "registration": "Regisztráció", - "disable-self-registration": "Önregisztráció letiltása", - "invite": "Meghívás", - "invite-people": "Emberek meghívása", - "to-boards": "Táblákhoz", - "email-addresses": "E-mail címek", - "smtp-host-description": "Az SMTP kiszolgáló címe, amely az e-maileket kezeli.", - "smtp-port-description": "Az SMTP kiszolgáló által használt port a kimenő e-mailekhez.", - "smtp-tls-description": "TLS támogatás engedélyezése az SMTP kiszolgálónál", - "smtp-host": "SMTP kiszolgáló", - "smtp-port": "SMTP port", - "smtp-username": "Felhasználónév", - "smtp-password": "Jelszó", - "smtp-tls": "TLS támogatás", - "send-from": "Feladó", - "send-smtp-test": "Teszt e-mail küldése magamnak", - "invitation-code": "Meghívási kód", - "email-invite-register-subject": "__inviter__ egy meghívás küldött Önnek", - "email-invite-register-text": "Kedves __user__!\n\n__inviter__ meghívta Önt közreműködésre a Wekan oldalra.\n\nKövesse a lenti hivatkozást:\n__url__\n\nÉs a meghívási kódja: __icode__\n\nKöszönjük.", - "email-smtp-test-subject": "SMTP teszt e-mail a Wekantól", - "email-smtp-test-text": "Sikeresen elküldött egy e-mailt", - "error-invitation-code-not-exist": "A meghívási kód nem létezik", - "error-notAuthorized": "Nincs jogosultsága az oldal megtekintéséhez.", - "outgoing-webhooks": "Kimenő webhurkok", - "outgoingWebhooksPopup-title": "Kimenő webhurkok", - "new-outgoing-webhook": "Új kimenő webhurok", - "no-name": "(Ismeretlen)", - "Wekan_version": "Wekan verzió", - "Node_version": "Node verzió", - "OS_Arch": "Operációs rendszer architektúrája", - "OS_Cpus": "Operációs rendszer CPU száma", - "OS_Freemem": "Operációs rendszer szabad memóriája", - "OS_Loadavg": "Operációs rendszer átlagos terhelése", - "OS_Platform": "Operációs rendszer platformja", - "OS_Release": "Operációs rendszer kiadása", - "OS_Totalmem": "Operációs rendszer összes memóriája", - "OS_Type": "Operációs rendszer típusa", - "OS_Uptime": "Operációs rendszer üzemideje", - "hours": "óra", - "minutes": "perc", - "seconds": "másodperc", - "show-field-on-card": "A mező megjelenítése a kártyán", - "yes": "Igen", - "no": "Nem", - "accounts": "Fiókok", - "accounts-allowEmailChange": "E-mail megváltoztatásának engedélyezése", - "accounts-allowUserNameChange": "Felhasználónév megváltoztatásának engedélyezése", - "createdAt": "Létrehozva", - "verified": "Ellenőrizve", - "active": "Aktív", - "card-received": "Érkezett", - "card-received-on": "Ekkor érkezett", - "card-end": "Befejezés", - "card-end-on": "Befejeződik ekkor", - "editCardReceivedDatePopup-title": "Érkezési dátum megváltoztatása", - "editCardEndDatePopup-title": "Befejezési dátum megváltoztatása" -} \ No newline at end of file diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json deleted file mode 100644 index a2d7a377..00000000 --- a/i18n/hy.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Ընդունել", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "ավելացրել է __checklistItem__ __checklist__ on __card__-ին", - "act-addComment": "մեկնաբանել է __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Add", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", - "addMemberPopup-title": "Members", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Members", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Members", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" -} \ No newline at end of file diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json deleted file mode 100644 index cd427628..00000000 --- a/i18n/id.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Terima", - "act-activity-notify": "[Wekan] Pemberitahuan Kegiatan", - "act-addAttachment": "Lampirkan__attachment__ke__kartu__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "Dikomentari di__kartu__:__comment__", - "act-createBoard": "Panel__dibuat__", - "act-createCard": "Kartu__dilampirkan__ke__Daftar", - "act-createCustomField": "created custom field __customField__", - "act-createList": "Daftar__ditambahkan__ke__Panel", - "act-addBoardMember": "Partisipan__ditambahkan__ke__Kartu", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "Panel__diimpor", - "act-importCard": "Kartu__diimpor__", - "act-importList": "Daftar__diimpor__", - "act-joinMember": "Partisipan__ditambahkan__ke__kartu", - "act-moveCard": "Pindahkan__kartu__dari__daftarlama__ke__daftar", - "act-removeBoardMember": "Hapus__partisipan__dari__panel", - "act-restoredCard": "Kembalikan__kartu__ke__panel", - "act-unjoinMember": "hapus__partisipan__dari__kartu__", - "act-withBoardTitle": "Panel__[Wekan}__", - "act-withCardTitle": "__kartu__[__Panel__]", - "actions": "Daftar Tindakan", - "activities": "Daftar Kegiatan", - "activity": "Kegiatan", - "activity-added": "ditambahkan %s ke %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "dilampirkan %s ke %s", - "activity-created": "dibuat %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "tidak termasuk %s dari %s", - "activity-imported": "diimpor %s kedalam %s dari %s", - "activity-imported-board": "diimpor %s dari %s", - "activity-joined": "bergabung %s", - "activity-moved": "dipindahkan %s dari %s ke %s", - "activity-on": "pada %s", - "activity-removed": "dihapus %s dari %s", - "activity-sent": "terkirim %s ke %s", - "activity-unjoined": "tidak bergabung %s", - "activity-checklist-added": "daftar periksa ditambahkan ke %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Tambah", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Tambahkan hal ke daftar periksa", - "add-cover": "Tambahkan Sampul", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Tambahkan Anggota", - "added": "Ditambahkan", - "addMemberPopup-title": "Daftar Anggota", - "admin": "Admin", - "admin-desc": "Bisa tampilkan dan sunting kartu, menghapus partisipan, dan merubah setting panel", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "Semua Panel", - "and-n-other-card": "Dan__menghitung__kartu lain", - "and-n-other-card_plural": "Dan__menghitung__kartu lain", - "apply": "Terapkan", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Tugaskan anggota", - "attached": "terlampir", - "attachment": "Lampiran", - "attachment-delete-pop": "Menghapus lampiran bersifat permanen. Tidak bisa dipulihkan.", - "attachmentDeletePopup-title": "Hapus Lampiran?", - "attachments": "Daftar Lampiran", - "auto-watch": "Otomatis diawasi saat membuat Panel", - "avatar-too-big": "Berkas avatar terlalu besar (70KB maks)", - "back": "Kembali", - "board-change-color": "Ubah warna", - "board-nb-stars": "%s bintang", - "board-not-found": "Panel tidak ditemukan", - "board-private-info": "Panel ini akan jadi Pribadi", - "board-public-info": "Panel ini akan jadi Publik= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Nama Lengkap", - "header-logo-title": "Kembali ke laman panel anda", - "hide-system-messages": "Sembunyikan pesan-pesan sistem", - "headerBarCreateBoardPopup-title": "Buat Panel", - "home": "Beranda", - "import": "Impor", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Impor panel dari Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "Di panel Trello anda, ke 'Menu', terus 'More', 'Print and Export','Export JSON', dan salin hasilnya", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Tempelkan data JSON yang sah disini", - "import-map-members": "Petakan partisipan", - "import-members-map": "Panel yang anda impor punya partisipan. Silahkan petakan anggota yang anda ingin impor ke user [Wekan]", - "import-show-user-mapping": "Review pemetaan partisipan", - "import-user-select": "Pilih nama pengguna yang Anda mau gunakan sebagai anggota ini", - "importMapMembersAddPopup-title": "Pilih anggota Wekan", - "info": "Versi", - "initials": "Inisial", - "invalid-date": "Tanggal tidak sah", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "bergabung", - "just-invited": "Anda baru diundang di panel ini", - "keyboard-shortcuts": "Pintasan kibor", - "label-create": "Buat Label", - "label-default": "label %s (default)", - "label-delete-pop": "Ini tidak bisa dikembalikan, akan menghapus label ini dari semua kartu dan menghapus semua riwayatnya", - "labels": "Daftar Label", - "language": "Bahasa", - "last-admin-desc": "Anda tidak dapat mengubah aturan karena harus ada minimal seorang Admin.", - "leave-board": "Tingalkan Panel", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link ke kartu ini", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Pindah semua kartu ke daftar ini", - "list-select-cards": "Pilih semua kartu di daftar ini", - "listActionPopup-title": "Daftar Tindakan", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Impor dari Kartu Trello", - "listMorePopup-title": "Lainnya", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Daftar", - "swimlanes": "Swimlanes", - "log-out": "Keluar", - "log-in": "Masuk", - "loginPopup-title": "Masuk", - "memberMenuPopup-title": "Setelan Anggota", - "members": "Daftar Anggota", - "menu": "Menu", - "move-selection": "Pindahkan yang dipilih", - "moveCardPopup-title": "Pindahkan kartu", - "moveCardToBottom-title": "Pindahkan ke bawah", - "moveCardToTop-title": "Pindahkan ke atas", - "moveSelectionPopup-title": "Pindahkan yang dipilih", - "multi-selection": "Multi Pilihan", - "multi-selection-on": "Multi Pilihan aktif", - "muted": "Pemberitahuan tidak aktif", - "muted-info": "Anda tidak akan pernah dinotifikasi semua perubahan di panel ini", - "my-boards": "Panel saya", - "name": "Nama", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Tidak ada hasil", - "normal": "Normal", - "normal-desc": "Bisa tampilkan dan edit kartu. Tidak bisa ubah setting", - "not-accepted-yet": "Undangan belum diterima", - "notify-participate": "Terima update ke semua kartu dimana anda menjadi creator atau partisipan", - "notify-watch": "Terima update dari semua panel, daftar atau kartu yang anda amati", - "optional": "opsi", - "or": "atau", - "page-maybe-private": "Halaman ini hanya untuk kalangan terbatas. Anda dapat melihatnya dengan masuk ke dalam sistem.", - "page-not-found": "Halaman tidak ditemukan.", - "password": "Kata Sandi", - "paste-or-dragdrop": "untuk menempelkan, atau drag& drop gambar pada ini (hanya gambar)", - "participating": "Berpartisipasi", - "preview": "Pratinjau", - "previewAttachedImagePopup-title": "Pratinjau", - "previewClipboardImagePopup-title": "Pratinjau", - "private": "Terbatas", - "private-desc": "Panel ini Pribadi. Hanya orang yang ditambahkan ke panel ini yang bisa melihat dan menyuntingnya", - "profile": "Profil", - "public": "Umum", - "public-desc": "Panel ini publik. Akan terlihat oleh siapapun dengan link terkait dan muncul di mesin pencari seperti Google. Hanya orang yang ditambahkan di panel yang bisa sunting", - "quick-access-description": "Beri bintang panel untuk menambah shortcut di papan ini", - "remove-cover": "Hapus Sampul", - "remove-from-board": "Hapus dari panel", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Hapus Anggota", - "remove-member-from-card": "Hapus dari Kartu", - "remove-member-pop": "Hapus__nama__(__username__) dari __boardTitle__? Partisipan akan dihapus dari semua kartu di panel ini. Mereka akan diberi tahu", - "removeMemberPopup-title": "Hapus Anggota?", - "rename": "Ganti Nama", - "rename-board": "Ubah nama Panel", - "restore": "Pulihkan", - "save": "Simpan", - "search": "Cari", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Masukkan diri anda sendiri ke kartu ini", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete partisipan", - "shortcut-clear-filters": "Bersihkan semua saringan", - "shortcut-close-dialog": "Tutup Dialog", - "shortcut-filter-my-cards": "Filter kartu saya", - "shortcut-show-shortcuts": "Angkat naik shortcut daftar ini", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Tampilkan jumlah kartu jika daftar punya lebih dari ", - "sidebar-open": "Buka Sidebar", - "sidebar-close": "Tutup Sidebar", - "signupPopup-title": "Buat Akun", - "star-board-title": "Klik untuk beri bintang panel ini. Akan muncul paling atas dari daftar panel", - "starred-boards": "Panel dengan bintang", - "starred-boards-description": "Panel berbintang muncul paling atas dari daftar panel anda", - "subscribe": "Langganan", - "team": "Tim", - "this-board": "Panel ini", - "this-card": "Kartu ini", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Waktu", - "title": "Judul", - "tracking": "Pelacakan", - "tracking-info": "Anda akan dinotifikasi semua perubahan di kartu tersebut diaman anda terlibat sebagai creator atau partisipan", - "type": "Type", - "unassign-member": "Tidak sertakan partisipan", - "unsaved-description": "Anda memiliki deskripsi yang belum disimpan.", - "unwatch": "Tidak mengamati", - "upload": "Unggah", - "upload-avatar": "Unggah avatar", - "uploaded-avatar": "Avatar diunggah", - "username": "Nama Pengguna", - "view-it": "Lihat", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Amati", - "watching": "Mengamati", - "watching-info": "Anda akan diberitahu semua perubahan di panel ini", - "welcome-board": "Panel Selamat Datang", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Tingkat dasar", - "welcome-list2": "Tingkat lanjut", - "what-to-do": "Apa yang mau Anda lakukan?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Panel Admin", - "settings": "Setelan", - "people": "Orang-orang", - "registration": "Registrasi", - "disable-self-registration": "Nonaktifkan Swa Registrasi", - "invite": "Undang", - "invite-people": "Undang Orang-orang", - "to-boards": "ke panel", - "email-addresses": "Alamat surel", - "smtp-host-description": "Alamat server SMTP yang menangani surel Anda.", - "smtp-port-description": "Port server SMTP yang Anda gunakan untuk mengirim surel.", - "smtp-tls-description": "Aktifkan dukungan TLS untuk server SMTP", - "smtp-host": "Host SMTP", - "smtp-port": "Port SMTP", - "smtp-username": "Nama Pengguna", - "smtp-password": "Kata Sandi", - "smtp-tls": "Dukungan TLS", - "send-from": "Dari", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Kode Undangan", - "email-invite-register-subject": "__inviter__ mengirim undangan ke Anda", - "email-invite-register-text": "Halo __user__,\n\n__inviter__ mengundang Anda untuk berkolaborasi menggunakan Wekan.\n\nMohon ikuti tautan berikut:\n__url__\n\nDan kode undangan Anda adalah: __icode__\n\nTerima kasih.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Kode undangan tidak ada", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" -} \ No newline at end of file diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json deleted file mode 100644 index 0fd3ed7b..00000000 --- a/i18n/ig.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Kwere", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "na %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Tinye", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Tinye ndị otu ọhụrụ", - "added": "Etinyere ", - "addMemberPopup-title": "Ndị otu", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Bido", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Aha", - "cardMembersPopup-title": "Ndị otu", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Gbanwe", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Họrọ asụsụ ọzọ", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Aha", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Ndị otu", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Banye aha ọzọ", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "Hụ ya", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Hụ", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "Ndị mmadụ", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "elekere", - "minutes": "nkeji", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Ee", - "no": "Mba", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Ekere na", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" -} \ No newline at end of file diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json deleted file mode 100644 index 1691c48e..00000000 --- a/i18n/it.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Accetta", - "act-activity-notify": "[Wekan] Notifiche attività", - "act-addAttachment": "ha allegato __attachment__ a __card__", - "act-addChecklist": "aggiunta checklist __checklist__ a __card__", - "act-addChecklistItem": "aggiunto __checklistItem__ alla checklist __checklist__ su __card__", - "act-addComment": "ha commentato su __card__: __comment__", - "act-createBoard": "ha creato __board__", - "act-createCard": "ha aggiunto __card__ a __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "ha aggiunto __list__ a __board__", - "act-addBoardMember": "ha aggiunto __member__ a __board__", - "act-archivedBoard": "__board__ spostata nel cestino", - "act-archivedCard": "__card__ spostata nel cestino", - "act-archivedList": "__list__ spostata nel cestino", - "act-archivedSwimlane": "__swimlane__ spostata nel cestino", - "act-importBoard": "ha importato __board__", - "act-importCard": "ha importato __card__", - "act-importList": "ha importato __list__", - "act-joinMember": "ha aggiunto __member__ a __card__", - "act-moveCard": "ha spostato __card__ da __oldList__ a __list__", - "act-removeBoardMember": "ha rimosso __member__ da __board__", - "act-restoredCard": "ha ripristinato __card__ su __board__", - "act-unjoinMember": "ha rimosso __member__ da __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Azioni", - "activities": "Attività", - "activity": "Attività", - "activity-added": "ha aggiunto %s a %s", - "activity-archived": "%s spostato nel cestino", - "activity-attached": "allegato %s a %s", - "activity-created": "creato %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "escluso %s da %s", - "activity-imported": "importato %s in %s da %s", - "activity-imported-board": "importato %s da %s", - "activity-joined": "si è unito a %s", - "activity-moved": "spostato %s da %s a %s", - "activity-on": "su %s", - "activity-removed": "rimosso %s da %s", - "activity-sent": "inviato %s a %s", - "activity-unjoined": "ha abbandonato %s", - "activity-checklist-added": "aggiunta checklist a %s", - "activity-checklist-item-added": "Aggiunto l'elemento checklist a '%s' in %s", - "add": "Aggiungere", - "add-attachment": "Aggiungi Allegato", - "add-board": "Aggiungi Bacheca", - "add-card": "Aggiungi Scheda", - "add-swimlane": "Aggiungi Corsia", - "add-checklist": "Aggiungi Checklist", - "add-checklist-item": "Aggiungi un elemento alla checklist", - "add-cover": "Aggiungi copertina", - "add-label": "Aggiungi Etichetta", - "add-list": "Aggiungi Lista", - "add-members": "Aggiungi membri", - "added": "Aggiunto", - "addMemberPopup-title": "Membri", - "admin": "Amministratore", - "admin-desc": "Può vedere e modificare schede, rimuovere membri e modificare le impostazioni della bacheca.", - "admin-announcement": "Annunci", - "admin-announcement-active": "Attiva annunci di sistema", - "admin-announcement-title": "Annunci dall'Amministratore", - "all-boards": "Tutte le bacheche", - "and-n-other-card": "E __count__ altra scheda", - "and-n-other-card_plural": "E __count__ altre schede", - "apply": "Applica", - "app-is-offline": "Wekan è in caricamento, attendi per favore. Ricaricare la pagina causerà una perdita di dati. Se Wekan non si carica, controlla per favore che non ci siano problemi al server.", - "archive": "Sposta nel cestino", - "archive-all": "Sposta tutto nel cestino", - "archive-board": "Sposta la bacheca nel cestino", - "archive-card": "Sposta la scheda nel cestino", - "archive-list": "Sposta la lista nel cestino", - "archive-swimlane": "Sposta la corsia nel cestino", - "archive-selection": "Sposta la selezione nel cestino", - "archiveBoardPopup-title": "Sposta la bacheca nel cestino", - "archived-items": "Cestino", - "archived-boards": "Bacheche cestinate", - "restore-board": "Ripristina Bacheca", - "no-archived-boards": "Nessuna bacheca nel cestino", - "archives": "Cestino", - "assign-member": "Aggiungi membro", - "attached": "allegato", - "attachment": "Allegato", - "attachment-delete-pop": "L'eliminazione di un allegato è permanente. Non è possibile annullare.", - "attachmentDeletePopup-title": "Eliminare l'allegato?", - "attachments": "Allegati", - "auto-watch": "Segui automaticamente le bacheche quando vengono create.", - "avatar-too-big": "L'avatar è troppo grande (70KB max)", - "back": "Indietro", - "board-change-color": "Cambia colore", - "board-nb-stars": "%s stelle", - "board-not-found": "Bacheca non trovata", - "board-private-info": "Questa bacheca sarà privata.", - "board-public-info": "Questa bacheca sarà pubblica.", - "boardChangeColorPopup-title": "Cambia sfondo della bacheca", - "boardChangeTitlePopup-title": "Rinomina bacheca", - "boardChangeVisibilityPopup-title": "Cambia visibilità", - "boardChangeWatchPopup-title": "Cambia faccia", - "boardMenuPopup-title": "Menu bacheca", - "boards": "Bacheche", - "board-view": "Visualizza bacheca", - "board-view-swimlanes": "Corsie", - "board-view-lists": "Liste", - "bucket-example": "Per esempio come \"una lista di cose da fare\"", - "cancel": "Cancella", - "card-archived": "Questa scheda è stata spostata nel cestino.", - "card-comments-title": "Questa scheda ha %s commenti.", - "card-delete-notice": "L'eliminazione è permanente. Tutte le azioni associate a questa scheda andranno perse.", - "card-delete-pop": "Tutte le azioni saranno rimosse dal flusso attività e non sarai in grado di riaprire la scheda. Non potrai tornare indietro.", - "card-delete-suggest-archive": "Puoi cestinare una scheda per rimuoverla dalla bacheca e preservare la sua attività.", - "card-due": "Scadenza", - "card-due-on": "Scade", - "card-spent": "Tempo trascorso", - "card-edit-attachments": "Modifica allegati", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Modifica etichette", - "card-edit-members": "Modifica membri", - "card-labels-title": "Cambia le etichette per questa scheda.", - "card-members-title": "Aggiungi o rimuovi membri della bacheca da questa scheda", - "card-start": "Inizio", - "card-start-on": "Inizia", - "cardAttachmentsPopup-title": "Allega da", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Elimina scheda?", - "cardDetailsActionsPopup-title": "Azioni scheda", - "cardLabelsPopup-title": "Etichette", - "cardMembersPopup-title": "Membri", - "cardMorePopup-title": "Altro", - "cards": "Schede", - "cards-count": "Schede", - "change": "Cambia", - "change-avatar": "Cambia avatar", - "change-password": "Cambia password", - "change-permissions": "Cambia permessi", - "change-settings": "Cambia impostazioni", - "changeAvatarPopup-title": "Cambia avatar", - "changeLanguagePopup-title": "Cambia lingua", - "changePasswordPopup-title": "Cambia password", - "changePermissionsPopup-title": "Cambia permessi", - "changeSettingsPopup-title": "Cambia impostazioni", - "checklists": "Checklist", - "click-to-star": "Clicca per stellare questa bacheca", - "click-to-unstar": "Clicca per togliere la stella da questa bacheca", - "clipboard": "Clipboard o drag & drop", - "close": "Chiudi", - "close-board": "Chiudi bacheca", - "close-board-pop": "Sarai in grado di ripristinare la bacheca cliccando il tasto \"Cestino\" dall'intestazione della pagina principale.", - "color-black": "nero", - "color-blue": "blu", - "color-green": "verde", - "color-lime": "lime", - "color-orange": "arancione", - "color-pink": "rosa", - "color-purple": "viola", - "color-red": "rosso", - "color-sky": "azzurro", - "color-yellow": "giallo", - "comment": "Commento", - "comment-placeholder": "Scrivi Commento", - "comment-only": "Solo commenti", - "comment-only-desc": "Puoi commentare solo le schede.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Sei sicuro di voler cancellare questa checklist?", - "copy-card-link-to-clipboard": "Copia link della scheda sulla clipboard", - "copyCardPopup-title": "Copia Scheda", - "copyChecklistToManyCardsPopup-title": "Copia template checklist su più schede", - "copyChecklistToManyCardsPopup-instructions": "Titolo e la descrizione della scheda di destinazione in questo formato JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titolo prima scheda\", \"description\":\"Descrizione prima scheda\"}, {\"title\":\"Titolo seconda scheda\",\"description\":\"Descrizione seconda scheda\"},{\"title\":\"Titolo ultima scheda\",\"description\":\"Descrizione ultima scheda\"} ]", - "create": "Crea", - "createBoardPopup-title": "Crea bacheca", - "chooseBoardSourcePopup-title": "Importa bacheca", - "createLabelPopup-title": "Crea etichetta", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "corrente", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Data", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Data", - "decline": "Declina", - "default-avatar": "Avatar predefinito", - "delete": "Elimina", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Eliminare etichetta?", - "description": "Descrizione", - "disambiguateMultiLabelPopup-title": "Disambiguare l'azione Etichetta", - "disambiguateMultiMemberPopup-title": "Disambiguare l'azione Membro", - "discard": "Scarta", - "done": "Fatto", - "download": "Download", - "edit": "Modifica", - "edit-avatar": "Cambia avatar", - "edit-profile": "Modifica profilo", - "edit-wip-limit": "Modifica limite di work in progress", - "soft-wip-limit": "Limite Work in progress soft", - "editCardStartDatePopup-title": "Cambia data di inizio", - "editCardDueDatePopup-title": "Cambia data di scadenza", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Cambia tempo trascorso", - "editLabelPopup-title": "Cambia etichetta", - "editNotificationPopup-title": "Modifica notifiche", - "editProfilePopup-title": "Modifica profilo", - "email": "Email", - "email-enrollAccount-subject": "Creato un account per te su __siteName__", - "email-enrollAccount-text": "Ciao __user__,\n\nPer iniziare ad usare il servizio, clicca sul link seguente:\n\n__url__\n\nGrazie.", - "email-fail": "Invio email fallito", - "email-fail-text": "Errore nel tentativo di invio email", - "email-invalid": "Email non valida", - "email-invite": "Invita via email", - "email-invite-subject": "__inviter__ ti ha inviato un invito", - "email-invite-text": "Caro __user__,\n\n__inviter__ ti ha invitato ad unirti alla bacheca \"__board__\" per le collaborazioni.\n\nPer favore clicca sul link seguente:\n\n__url__\n\nGrazie.", - "email-resetPassword-subject": "Ripristina la tua password su on __siteName__", - "email-resetPassword-text": "Ciao __user__,\n\nPer ripristinare la tua password, clicca sul link seguente:\n\n__url__\n\nGrazie.", - "email-sent": "Email inviata", - "email-verifyEmail-subject": "Verifica il tuo indirizzo email su on __siteName__", - "email-verifyEmail-text": "Ciao __user__,\n\nPer verificare il tuo account email, clicca sul link seguente:\n\n__url__\n\nGrazie.", - "enable-wip-limit": "Abilita limite di work in progress", - "error-board-doesNotExist": "Questa bacheca non esiste", - "error-board-notAdmin": "Devi essere admin di questa bacheca per poterlo fare", - "error-board-notAMember": "Devi essere un membro di questa bacheca per poterlo fare", - "error-json-malformed": "Il tuo testo non è un JSON valido", - "error-json-schema": "Il tuo file JSON non contiene le giuste informazioni nel formato corretto", - "error-list-doesNotExist": "Questa lista non esiste", - "error-user-doesNotExist": "Questo utente non esiste", - "error-user-notAllowSelf": "Non puoi invitare te stesso", - "error-user-notCreated": "L'utente non è stato creato", - "error-username-taken": "Questo username è già utilizzato", - "error-email-taken": "L'email è già stata presa", - "export-board": "Esporta bacheca", - "filter": "Filtra", - "filter-cards": "Filtra schede", - "filter-clear": "Pulisci filtri", - "filter-no-label": "Nessuna etichetta", - "filter-no-member": "Nessun membro", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Il filtro è attivo", - "filter-on-desc": "Stai filtrando le schede su questa bacheca. Clicca qui per modificare il filtro,", - "filter-to-selection": "Seleziona", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Nome completo", - "header-logo-title": "Torna alla tua bacheca.", - "hide-system-messages": "Nascondi i messaggi di sistema", - "headerBarCreateBoardPopup-title": "Crea bacheca", - "home": "Home", - "import": "Importa", - "import-board": "Importa bacheca", - "import-board-c": "Importa bacheca", - "import-board-title-trello": "Importa una bacheca da Trello", - "import-board-title-wekan": "Importa bacheca da Wekan", - "import-sandstorm-warning": "La bacheca importata cancellerà tutti i dati esistenti su questa bacheca e li rimpiazzerà con quelli della bacheca importata.", - "from-trello": "Da Trello", - "from-wekan": "Da Wekan", - "import-board-instruction-trello": "Nella tua bacheca Trello vai a 'Menu', poi 'Altro', 'Stampa ed esporta', 'Esporta JSON', e copia il testo che compare.", - "import-board-instruction-wekan": "Nella tua bacheca Wekan, vai su 'Menu', poi 'Esporta bacheca', e copia il testo nel file scaricato.", - "import-json-placeholder": "Incolla un JSON valido qui", - "import-map-members": "Mappatura dei membri", - "import-members-map": "La bacheca che hai importato ha alcuni membri. Per favore scegli i membri che vuoi vengano importati negli utenti di Wekan", - "import-show-user-mapping": "Rivedi la mappatura dei membri", - "import-user-select": "Scegli l'utente Wekan che vuoi utilizzare come questo membro", - "importMapMembersAddPopup-title": "Seleziona i membri di Wekan", - "info": "Versione", - "initials": "Iniziali", - "invalid-date": "Data non valida", - "invalid-time": "Tempo non valido", - "invalid-user": "User non valido", - "joined": "si è unito a", - "just-invited": "Sei stato appena invitato a questa bacheca", - "keyboard-shortcuts": "Scorciatoie da tastiera", - "label-create": "Crea etichetta", - "label-default": "%s etichetta (default)", - "label-delete-pop": "Non potrai tornare indietro. Procedendo, rimuoverai questa etichetta da tutte le schede e distruggerai la sua cronologia.", - "labels": "Etichette", - "language": "Lingua", - "last-admin-desc": "Non puoi cambiare i ruoli perché deve esserci almeno un admin.", - "leave-board": "Abbandona bacheca", - "leave-board-pop": "Sei sicuro di voler abbandonare __boardTitle__? Sarai rimosso da tutte le schede in questa bacheca.", - "leaveBoardPopup-title": "Abbandona Bacheca?", - "link-card": "Link a questa scheda", - "list-archive-cards": "Cestina tutte le schede in questa lista", - "list-archive-cards-pop": "Questo rimuoverà dalla bacheca tutte le schede in questa lista. Per vedere le schede cestinate e portarle indietro alla bacheca, clicca “Menu” > “Elementi cestinati”", - "list-move-cards": "Sposta tutte le schede in questa lista", - "list-select-cards": "Selezione tutte le schede in questa lista", - "listActionPopup-title": "Azioni disponibili", - "swimlaneActionPopup-title": "Azioni corsia", - "listImportCardPopup-title": "Importa una scheda di Trello", - "listMorePopup-title": "Altro", - "link-list": "Link a questa lista", - "list-delete-pop": "Tutte le azioni saranno rimosse dal flusso attività e non sarai in grado di recuperare la lista. Non potrai tornare indietro.", - "list-delete-suggest-archive": "Puoi cestinare una scheda per rimuoverla dalla bacheca e preservare la sua attività.", - "lists": "Liste", - "swimlanes": "Corsie", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Impostazioni membri", - "members": "Membri", - "menu": "Menu", - "move-selection": "Sposta selezione", - "moveCardPopup-title": "Sposta scheda", - "moveCardToBottom-title": "Sposta in fondo", - "moveCardToTop-title": "Sposta in alto", - "moveSelectionPopup-title": "Sposta selezione", - "multi-selection": "Multi-Selezione", - "multi-selection-on": "Multi-Selezione attiva", - "muted": "Silenziato", - "muted-info": "Non sarai mai notificato delle modifiche in questa bacheca", - "my-boards": "Le mie bacheche", - "name": "Nome", - "no-archived-cards": "Nessuna scheda nel cestino", - "no-archived-lists": "Nessuna lista nel cestino", - "no-archived-swimlanes": "Nessuna corsia nel cestino", - "no-results": "Nessun risultato", - "normal": "Normale", - "normal-desc": "Può visionare e modificare le schede. Non può cambiare le impostazioni.", - "not-accepted-yet": "Invitato non ancora accettato", - "notify-participate": "Ricevi aggiornamenti per qualsiasi scheda a cui partecipi come creatore o membro", - "notify-watch": "Ricevi aggiornamenti per tutte le bacheche, liste o schede che stai seguendo", - "optional": "opzionale", - "or": "o", - "page-maybe-private": "Questa pagina potrebbe essere privata. Potresti essere in grado di vederla facendo il log-in.", - "page-not-found": "Pagina non trovata.", - "password": "Password", - "paste-or-dragdrop": "per incollare, oppure trascina & rilascia il file immagine (solo immagini)", - "participating": "Partecipando", - "preview": "Anteprima", - "previewAttachedImagePopup-title": "Anteprima", - "previewClipboardImagePopup-title": "Anteprima", - "private": "Privata", - "private-desc": "Questa bacheca è privata. Solo le persone aggiunte alla bacheca possono vederla e modificarla.", - "profile": "Profilo", - "public": "Pubblica", - "public-desc": "Questa bacheca è pubblica. È visibile a chiunque abbia il link e sarà mostrata dai motori di ricerca come Google. Solo le persone aggiunte alla bacheca possono modificarla.", - "quick-access-description": "Stella una bacheca per aggiungere una scorciatoia in questa barra.", - "remove-cover": "Rimuovi cover", - "remove-from-board": "Rimuovi dalla bacheca", - "remove-label": "Rimuovi Etichetta", - "listDeletePopup-title": "Eliminare Lista?", - "remove-member": "Rimuovi utente", - "remove-member-from-card": "Rimuovi dalla scheda", - "remove-member-pop": "Rimuovere __name__ (__username__) da __boardTitle__? L'utente sarà rimosso da tutte le schede in questa bacheca. Riceveranno una notifica.", - "removeMemberPopup-title": "Rimuovere membro?", - "rename": "Rinomina", - "rename-board": "Rinomina bacheca", - "restore": "Ripristina", - "save": "Salva", - "search": "Cerca", - "search-cards": "Ricerca per titolo e descrizione scheda su questa bacheca", - "search-example": "Testo da ricercare?", - "select-color": "Seleziona Colore", - "set-wip-limit-value": "Seleziona un limite per il massimo numero di attività in questa lista", - "setWipLimitPopup-title": "Imposta limite di work in progress", - "shortcut-assign-self": "Aggiungi te stesso alla scheda corrente", - "shortcut-autocomplete-emoji": "Autocompletamento emoji", - "shortcut-autocomplete-members": "Autocompletamento membri", - "shortcut-clear-filters": "Pulisci tutti i filtri", - "shortcut-close-dialog": "Chiudi finestra di dialogo", - "shortcut-filter-my-cards": "Filtra le mie schede", - "shortcut-show-shortcuts": "Apri questa lista di scorciatoie", - "shortcut-toggle-filterbar": "Apri/chiudi la barra laterale dei filtri", - "shortcut-toggle-sidebar": "Apri/chiudi la barra laterale della bacheca", - "show-cards-minimum-count": "Mostra il contatore delle schede se la lista ne contiene più di", - "sidebar-open": "Apri Sidebar", - "sidebar-close": "Chiudi Sidebar", - "signupPopup-title": "Crea un account", - "star-board-title": "Clicca per stellare questa bacheca. Sarà mostrata all'inizio della tua lista bacheche.", - "starred-boards": "Bacheche stellate", - "starred-boards-description": "Le bacheche stellate vengono mostrato all'inizio della tua lista bacheche.", - "subscribe": "Sottoscrivi", - "team": "Team", - "this-board": "questa bacheca", - "this-card": "questa scheda", - "spent-time-hours": "Tempo trascorso (ore)", - "overtime-hours": "Overtime (ore)", - "overtime": "Overtime", - "has-overtime-cards": "Ci sono scheda scadute", - "has-spenttime-cards": "Ci sono scheda con tempo impiegato", - "time": "Ora", - "title": "Titolo", - "tracking": "Monitoraggio", - "tracking-info": "Sarai notificato per tutte le modifiche alle schede delle quali sei creatore o membro.", - "type": "Type", - "unassign-member": "Rimuovi membro", - "unsaved-description": "Hai una descrizione non salvata", - "unwatch": "Non seguire", - "upload": "Upload", - "upload-avatar": "Carica un avatar", - "uploaded-avatar": "Avatar caricato", - "username": "Username", - "view-it": "Vedi", - "warn-list-archived": "attenzione: questa scheda è in una lista cestinata", - "watch": "Segui", - "watching": "Stai seguendo", - "watching-info": "Sarai notificato per tutte le modifiche in questa bacheca", - "welcome-board": "Bacheca di benvenuto", - "welcome-swimlane": "Pietra miliare 1", - "welcome-list1": "Basi", - "welcome-list2": "Avanzate", - "what-to-do": "Cosa vuoi fare?", - "wipLimitErrorPopup-title": "Limite work in progress non valido. ", - "wipLimitErrorPopup-dialog-pt1": "Il numero di compiti in questa lista è maggiore del limite di work in progress che hai definito in precedenza. ", - "wipLimitErrorPopup-dialog-pt2": "Per favore, sposta alcuni dei compiti fuori da questa lista, oppure imposta un limite di work in progress più alto. ", - "admin-panel": "Pannello dell'Amministratore", - "settings": "Impostazioni", - "people": "Persone", - "registration": "Registrazione", - "disable-self-registration": "Disabilita Auto-registrazione", - "invite": "Invita", - "invite-people": "Invita persone", - "to-boards": "torna alle bacheche(a)", - "email-addresses": "Indirizzi email", - "smtp-host-description": "L'indirizzo del server SMTP che gestisce le tue email.", - "smtp-port-description": "La porta che il tuo server SMTP utilizza per le email in uscita.", - "smtp-tls-description": "Abilita supporto TLS per server SMTP", - "smtp-host": "SMTP Host", - "smtp-port": "Porta SMTP", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "Supporto TLS", - "send-from": "Da", - "send-smtp-test": "Invia un'email di test a te stesso", - "invitation-code": "Codice d'invito", - "email-invite-register-subject": "__inviter__ ti ha inviato un invito", - "email-invite-register-text": "Gentile __user__,\n\n__inviter__ ti ha invitato su Wekan per collaborare.\n\nPer favore segui il link qui sotto:\n__url__\n\nIl tuo codice d'invito è: __icode__\n\nGrazie.", - "email-smtp-test-subject": "Test invio email SMTP per Wekan", - "email-smtp-test-text": "Hai inviato un'email con successo", - "error-invitation-code-not-exist": "Il codice d'invito non esiste", - "error-notAuthorized": "Non sei autorizzato ad accedere a questa pagina.", - "outgoing-webhooks": "Server esterni", - "outgoingWebhooksPopup-title": "Server esterni", - "new-outgoing-webhook": "Nuovo webhook in uscita", - "no-name": "(Sconosciuto)", - "Wekan_version": "Versione di Wekan", - "Node_version": "Versione di Node", - "OS_Arch": "Architettura del sistema operativo", - "OS_Cpus": "Conteggio della CPU del sistema operativo", - "OS_Freemem": "Memoria libera del sistema operativo ", - "OS_Loadavg": "Carico medio del sistema operativo ", - "OS_Platform": "Piattaforma del sistema operativo", - "OS_Release": "Versione di rilascio del sistema operativo", - "OS_Totalmem": "Memoria totale del sistema operativo ", - "OS_Type": "Tipo di sistema operativo ", - "OS_Uptime": "Tempo di attività del sistema operativo. ", - "hours": "ore", - "minutes": "minuti", - "seconds": "secondi", - "show-field-on-card": "Show this field on card", - "yes": "Sì", - "no": "No", - "accounts": "Profili", - "accounts-allowEmailChange": "Permetti modifica dell'email", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "creato alle", - "verified": "Verificato", - "active": "Attivo", - "card-received": "Ricevuta", - "card-received-on": "Ricevuta il", - "card-end": "Fine", - "card-end-on": "Termina il", - "editCardReceivedDatePopup-title": "Cambia data ricezione", - "editCardEndDatePopup-title": "Cambia data finale" -} \ No newline at end of file diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json deleted file mode 100644 index 32c1c5b5..00000000 --- a/i18n/ja.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "受け入れ", - "act-activity-notify": "[Wekan] アクティビティ通知", - "act-addAttachment": "__card__ に __attachment__ を添付しました", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "__card__: __comment__ をコメントしました", - "act-createBoard": "__board__ を作成しました", - "act-createCard": "__list__ に __card__ を追加しました", - "act-createCustomField": "created custom field __customField__", - "act-createList": "__board__ に __list__ を追加しました", - "act-addBoardMember": "__board__ に __member__ を追加しました", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "__board__ をインポートしました", - "act-importCard": "__card__ をインポートしました", - "act-importList": "__list__ をインポートしました", - "act-joinMember": "__card__ に __member__ を追加しました", - "act-moveCard": "__card__ を __oldList__ から __list__ に 移動しました", - "act-removeBoardMember": "__board__ から __member__ を削除しました", - "act-restoredCard": "__card__ を __board__ にリストアしました", - "act-unjoinMember": "__card__ から __member__ を削除しました", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "操作", - "activities": "アクティビティ", - "activity": "アクティビティ", - "activity-added": "%s を %s に追加しました", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "%s を %s に添付しました", - "activity-created": "%s を作成しました", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "%s を %s から除外しました", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "%s にジョインしました", - "activity-moved": "%s を %s から %s に移動しました", - "activity-on": "%s", - "activity-removed": "%s を %s から削除しました", - "activity-sent": "%s を %s に送りました", - "activity-unjoined": "%s への参加を止めました", - "activity-checklist-added": "%s にチェックリストを追加しました", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "追加", - "add-attachment": "添付ファイルを追加", - "add-board": "ボードを追加", - "add-card": "カードを追加", - "add-swimlane": "Add Swimlane", - "add-checklist": "チェックリストを追加", - "add-checklist-item": "チェックリストに項目を追加", - "add-cover": "カバーの追加", - "add-label": "ラベルを追加", - "add-list": "リストを追加", - "add-members": "メンバーの追加", - "added": "追加しました", - "addMemberPopup-title": "メンバー", - "admin": "管理", - "admin-desc": "カードの閲覧と編集、メンバーの削除、ボードの設定変更が可能", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "全てのボード", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "適用", - "app-is-offline": "現在オフラインです。ページを更新すると保存していないデータは失われます。", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "ボードをリストア", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "メンバーの割当", - "attached": "添付されました", - "attachment": "添付ファイル", - "attachment-delete-pop": "添付ファイルの削除をすると取り消しできません。", - "attachmentDeletePopup-title": "添付ファイルを削除しますか?", - "attachments": "添付ファイル", - "auto-watch": "作成されたボードを自動的にウォッチする", - "avatar-too-big": "アバターが大きすぎます(最大70KB)", - "back": "戻る", - "board-change-color": "色の変更", - "board-nb-stars": "%s stars", - "board-not-found": "ボードが見つかりません", - "board-private-info": "ボードは 非公開 になります。", - "board-public-info": "ボードは公開されます。", - "boardChangeColorPopup-title": "ボードの背景を変更", - "boardChangeTitlePopup-title": "ボード名の変更", - "boardChangeVisibilityPopup-title": "公開範囲の変更", - "boardChangeWatchPopup-title": "ウォッチの変更", - "boardMenuPopup-title": "ボードメニュー", - "boards": "ボード", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "リスト", - "bucket-example": "Like “Bucket List” for example", - "cancel": "キャンセル", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "%s 件のコメントがあります。", - "card-delete-notice": "削除は取り消しできません。このカードに関係するすべてのアクションがなくなります。", - "card-delete-pop": "すべての内容がアクティビティから削除されます。この削除は元に戻すことができません。", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "期限", - "card-due-on": "期限日", - "card-spent": "Spent Time", - "card-edit-attachments": "添付ファイルの編集", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "ラベルの編集", - "card-edit-members": "メンバーの編集", - "card-labels-title": "カードのラベルを変更する", - "card-members-title": "カードからボードメンバーを追加・削除する", - "card-start": "開始", - "card-start-on": "開始日", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "カードを削除しますか?", - "cardDetailsActionsPopup-title": "カード操作", - "cardLabelsPopup-title": "ラベル", - "cardMembersPopup-title": "メンバー", - "cardMorePopup-title": "さらに見る", - "cards": "カード", - "cards-count": "カード", - "change": "変更", - "change-avatar": "アバターの変更", - "change-password": "パスワードの変更", - "change-permissions": "権限の変更", - "change-settings": "設定の変更", - "changeAvatarPopup-title": "アバターの変更", - "changeLanguagePopup-title": "言語の変更", - "changePasswordPopup-title": "パスワードの変更", - "changePermissionsPopup-title": "パーミッションの変更", - "changeSettingsPopup-title": "設定の変更", - "checklists": "チェックリスト", - "click-to-star": "ボードにスターをつける", - "click-to-unstar": "ボードからスターを外す", - "clipboard": "クリップボードもしくはドラッグ&ドロップ", - "close": "閉じる", - "close-board": "ボードを閉じる", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "黒", - "color-blue": "青", - "color-green": "緑", - "color-lime": "ライム", - "color-orange": "オレンジ", - "color-pink": "ピンク", - "color-purple": "紫", - "color-red": "赤", - "color-sky": "空", - "color-yellow": "黄", - "comment": "コメント", - "comment-placeholder": "コメントを書く", - "comment-only": "コメントのみ", - "comment-only-desc": "カードにのみコメント可能", - "computer": "コンピューター", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "カードへのリンクをクリップボードにコピー", - "copyCardPopup-title": "カードをコピー", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "作成", - "createBoardPopup-title": "ボードの作成", - "chooseBoardSourcePopup-title": "ボードをインポート", - "createLabelPopup-title": "ラベルの作成", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "現在", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "日付", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "日付", - "decline": "拒否", - "default-avatar": "デフォルトのアバター", - "delete": "削除", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "ラベルを削除しますか?", - "description": "詳細", - "disambiguateMultiLabelPopup-title": "不正なラベル操作", - "disambiguateMultiMemberPopup-title": "不正なメンバー操作", - "discard": "捨てる", - "done": "完了", - "download": "ダウンロード", - "edit": "編集", - "edit-avatar": "アバターの変更", - "edit-profile": "プロフィールの編集", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "開始日の変更", - "editCardDueDatePopup-title": "期限の変更", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "ラベルの変更", - "editNotificationPopup-title": "通知の変更", - "editProfilePopup-title": "プロフィールの編集", - "email": "メールアドレス", - "email-enrollAccount-subject": "__siteName__であなたのアカウントが作成されました", - "email-enrollAccount-text": "こんにちは、__user__さん。\n\nサービスを開始するには、以下をクリックしてください。\n\n__url__\n\nよろしくお願いします。", - "email-fail": "メールの送信に失敗しました", - "email-fail-text": "Error trying to send email", - "email-invalid": "無効なメールアドレス", - "email-invite": "メールで招待", - "email-invite-subject": "__inviter__があなたを招待しています", - "email-invite-text": "__user__さんへ。\n\n__inviter__さんがあなたをボード\"__board__\"へ招待しています。\n\n以下のリンクをクリックしてください。\n\n__url__\n\nよろしくお願いします。", - "email-resetPassword-subject": "あなたの __siteName__ のパスワードをリセットする", - "email-resetPassword-text": "こんにちは、__user__さん。\n\nパスワードをリセットするには、以下のリンクをクリックしてください。\n\n__url__\n\nよろしくお願いします。", - "email-sent": "メールを送信しました", - "email-verifyEmail-subject": "あなたの __siteName__ のメールアドレスを確認する", - "email-verifyEmail-text": "こんにちは、__user__さん。\n\nメールアドレスを認証するために、以下のリンクをクリックしてください。\n\n__url__\n\nよろしくお願いします。", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "ボードがありません", - "error-board-notAdmin": "操作にはボードの管理者権限が必要です", - "error-board-notAMember": "操作にはボードメンバーである必要があります", - "error-json-malformed": "このテキストは、有効なJSON形式ではありません", - "error-json-schema": "JSONデータが不正な値を含んでいます", - "error-list-doesNotExist": "このリストは存在しません", - "error-user-doesNotExist": "ユーザーが存在しません", - "error-user-notAllowSelf": "自分を招待することはできません。", - "error-user-notCreated": "ユーザーが作成されていません", - "error-username-taken": "このユーザ名は既に使用されています", - "error-email-taken": "メールは既に受け取られています", - "export-board": "ボードのエクスポート", - "filter": "フィルター", - "filter-cards": "カードをフィルターする", - "filter-clear": "フィルターの解除", - "filter-no-label": "ラベルなし", - "filter-no-member": "メンバーなし", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "フィルター有効", - "filter-on-desc": "このボードのカードをフィルターしています。フィルターを編集するにはこちらをクリックしてください。", - "filter-to-selection": "フィルターした項目を全選択", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "フルネーム", - "header-logo-title": "自分のボードページに戻る。", - "hide-system-messages": "システムメッセージを隠す", - "headerBarCreateBoardPopup-title": "ボードの作成", - "home": "ホーム", - "import": "インポート", - "import-board": "ボードをインポート", - "import-board-c": "ボードをインポート", - "import-board-title-trello": "Trelloからボードをインポート", - "import-board-title-wekan": "Wekanからボードをインポート", - "import-sandstorm-warning": "ボードのインポートは、既存ボードのすべてのデータを置き換えます。", - "from-trello": "Trelloから", - "from-wekan": "Wekanから", - "import-board-instruction-trello": "Trelloボードの、 'Menu' → 'More' → 'Print and Export' → 'Export JSON'を選択し、テキストをコピーしてください。", - "import-board-instruction-wekan": "Wekanボードの、'Menu' → 'Export board'を選択し、ダウンロードされたファイルからテキストをコピーしてください。", - "import-json-placeholder": "JSONデータをここに貼り付けする", - "import-map-members": "メンバーを紐付け", - "import-members-map": "インポートしたボードにはメンバーが含まれます。これらのメンバーをWekanのメンバーに紐付けしてください。", - "import-show-user-mapping": "メンバー紐付けの確認", - "import-user-select": "メンバーとして利用したいWekanユーザーを選択", - "importMapMembersAddPopup-title": "Wekanメンバーを選択", - "info": "バージョン", - "initials": "初期状態", - "invalid-date": "無効な日付", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "参加しました", - "just-invited": "このボードのメンバーに招待されています", - "keyboard-shortcuts": "キーボード・ショートカット", - "label-create": "ラベルの作成", - "label-default": "%s ラベル(デフォルト)", - "label-delete-pop": "この操作は取り消しできません。このラベルはすべてのカードから外され履歴からも見えなくなります。", - "labels": "ラベル", - "language": "言語", - "last-admin-desc": "最低でも1人以上の管理者が必要なためロールを変更できません。", - "leave-board": "ボードから退出する", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "ボードから退出しますか?", - "link-card": "このカードへのリンク", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "リストの全カードを移動する", - "list-select-cards": "リストの全カードを選択", - "listActionPopup-title": "操作一覧", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Trelloのカードをインポート", - "listMorePopup-title": "さらに見る", - "link-list": "このリストへのリンク", - "list-delete-pop": "すべての内容がアクティビティから削除されます。この削除は元に戻すことができません。", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "リスト", - "swimlanes": "Swimlanes", - "log-out": "ログアウト", - "log-in": "ログイン", - "loginPopup-title": "ログイン", - "memberMenuPopup-title": "メンバー設定", - "members": "メンバー", - "menu": "メニュー", - "move-selection": "選択したものを移動", - "moveCardPopup-title": "カードの移動", - "moveCardToBottom-title": "最下部に移動", - "moveCardToTop-title": "先頭に移動", - "moveSelectionPopup-title": "選択箇所に移動", - "multi-selection": "複数選択", - "multi-selection-on": "複数選択有効", - "muted": "ミュート", - "muted-info": "このボードの変更は通知されません", - "my-boards": "自分のボード", - "name": "名前", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "該当するものはありません", - "normal": "通常", - "normal-desc": "カードの閲覧と編集が可能。設定変更不可。", - "not-accepted-yet": "招待はアクセプトされていません", - "notify-participate": "作成した、またはメンバーとなったカードの更新情報を受け取る", - "notify-watch": "ウォッチしているすべてのボード、リスト、カードの更新情報を受け取る", - "optional": "任意", - "or": "or", - "page-maybe-private": "このページはプライベートです。ログインして見てください。", - "page-not-found": "ページが見つかりません。", - "password": "パスワード", - "paste-or-dragdrop": "貼り付けか、ドラッグアンドロップで画像を添付 (画像のみ)", - "participating": "参加", - "preview": "プレビュー", - "previewAttachedImagePopup-title": "プレビュー", - "previewClipboardImagePopup-title": "プレビュー", - "private": "プライベート", - "private-desc": "このボードはプライベートです。ボードメンバーのみが閲覧・編集可能です。", - "profile": "プロフィール", - "public": "公開", - "public-desc": "このボードはパブリックです。リンクを知っていれば誰でもアクセス可能でGoogleのような検索エンジンの結果に表示されます。このボードに追加されている人だけがカード追加が可能です。", - "quick-access-description": "ボードにスターをつけると、ここににショートカットができます。", - "remove-cover": "カバーの削除", - "remove-from-board": "ボードから外す", - "remove-label": "ラベルの削除", - "listDeletePopup-title": "リストを削除しますか?", - "remove-member": "メンバーを外す", - "remove-member-from-card": "カードから外す", - "remove-member-pop": "__boardTitle__ から __name__ (__username__) を外しますか?メンバーはこのボードのすべてのカードから外れ、通知を受けます。", - "removeMemberPopup-title": "メンバーを外しますか?", - "rename": "名前変更", - "rename-board": "ボード名の変更", - "restore": "復元", - "save": "保存", - "search": "検索", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "色を選択", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "自分をこのカードに割り当てる", - "shortcut-autocomplete-emoji": "絵文字の補完", - "shortcut-autocomplete-members": "メンバーの補完", - "shortcut-clear-filters": "すべてのフィルターを解除する", - "shortcut-close-dialog": "ダイアログを閉じる", - "shortcut-filter-my-cards": "カードをフィルター", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "フィルターサイドバーの切り替え", - "shortcut-toggle-sidebar": "ボードサイドバーの切り替え", - "show-cards-minimum-count": "以下より多い場合、リストにカード数を表示", - "sidebar-open": "サイドバーを開く", - "sidebar-close": "サイドバーを閉じる", - "signupPopup-title": "アカウント作成", - "star-board-title": "ボードにスターをつけると自分のボード一覧のトップに表示されます。", - "starred-boards": "スターのついたボード", - "starred-boards-description": "スターのついたボードはボードリストの先頭に表示されます。", - "subscribe": "購読", - "team": "チーム", - "this-board": "このボード", - "this-card": "このカード", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "時間", - "title": "タイトル", - "tracking": "トラッキング", - "tracking-info": "これらのカードへの変更が通知されるようになります。", - "type": "Type", - "unassign-member": "未登録のメンバー", - "unsaved-description": "未保存の変更があります。", - "unwatch": "アンウォッチ", - "upload": "アップロード", - "upload-avatar": "アバターのアップロード", - "uploaded-avatar": "アップロードされたアバター", - "username": "ユーザー名", - "view-it": "見る", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "ウォッチ", - "watching": "ウォッチしています", - "watching-info": "このボードの変更が通知されます", - "welcome-board": "ウェルカムボード", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "基本", - "welcome-list2": "高度", - "what-to-do": "何をしたいですか?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "管理パネル", - "settings": "設定", - "people": "メンバー", - "registration": "登録", - "disable-self-registration": "自己登録を無効化", - "invite": "招待", - "invite-people": "メンバーを招待", - "to-boards": "ボードへ移動", - "email-addresses": "Emailアドレス", - "smtp-host-description": "Emailを処理するSMTPサーバーのアドレス", - "smtp-port-description": "SMTPサーバーがEmail送信に使用するポート", - "smtp-tls-description": "SMTPサーバのTLSサポートを有効化", - "smtp-host": "SMTPホスト", - "smtp-port": "SMTPポート", - "smtp-username": "ユーザー名", - "smtp-password": "パスワード", - "smtp-tls": "TLSサポート", - "send-from": "送信元", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "招待コード", - "email-invite-register-subject": "__inviter__さんがあなたを招待しています", - "email-invite-register-text": " __user__ さん\n\n__inviter__ があなたをWekanに招待しました。\n\n以下のリンクをクリックしてください。\n__url__\n\nあなたの招待コードは、 __icode__ です。\n\nよろしくお願いします。", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "招待コードが存在しません", - "error-notAuthorized": "このページを参照する権限がありません。", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekanバージョン", - "Node_version": "Nodeバージョン", - "OS_Arch": "OSアーキテクチャ", - "OS_Cpus": "OS CPU数", - "OS_Freemem": "OSフリーメモリ", - "OS_Loadavg": "OSロードアベレージ", - "OS_Platform": "OSプラットフォーム", - "OS_Release": "OSリリース", - "OS_Totalmem": "OSトータルメモリ", - "OS_Type": "OS種類", - "OS_Uptime": "OSアップタイム", - "hours": "時", - "minutes": "分", - "seconds": "秒", - "show-field-on-card": "Show this field on card", - "yes": "はい", - "no": "いいえ", - "accounts": "アカウント", - "accounts-allowEmailChange": "メールアドレスの変更を許可", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" -} \ No newline at end of file diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json deleted file mode 100644 index f953e7b9..00000000 --- a/i18n/ko.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "확인", - "act-activity-notify": "[Wekan] 활동 알림", - "act-addAttachment": "__attachment__를 __card__에 첨부", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "__card__에 내용 추가 : __comment__", - "act-createBoard": "__board__ 생성", - "act-createCard": "__list__에 __card__ 추가", - "act-createCustomField": "created custom field __customField__", - "act-createList": "__board__에 __list__ 추가", - "act-addBoardMember": "__board__에 __member__ 추가", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "가져온 __board__", - "act-importCard": "가져온 __card__", - "act-importList": "가져온 __list__", - "act-joinMember": "__card__에 __member__ 추가", - "act-moveCard": "__card__을 __oldList__에서 __list__로 이동", - "act-removeBoardMember": "__board__에서 __member__를 삭제", - "act-restoredCard": "__card__를 __board__에 복원했습니다.", - "act-unjoinMember": "__card__에서 __member__를 삭제", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "동작", - "activities": "활동 내역", - "activity": "활동 상태", - "activity-added": "%s를 %s에 추가함", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "%s를 %s에 첨부함", - "activity-created": "%s 생성됨", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "%s를 %s에서 제외함", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "%s에 참여", - "activity-moved": "%s를 %s에서 %s로 옮김", - "activity-on": "%s에", - "activity-removed": "%s를 %s에서 삭제함", - "activity-sent": "%s를 %s로 보냄", - "activity-unjoined": "%s에서 멤버 해제", - "activity-checklist-added": "%s에 체크리스트를 추가함", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "추가", - "add-attachment": "첨부파일 추가", - "add-board": "보드 추가", - "add-card": "카드 추가", - "add-swimlane": "Add Swimlane", - "add-checklist": "체크리스트 추가", - "add-checklist-item": "체크리스트에 항목 추가", - "add-cover": "커버 추가", - "add-label": "라벨 추가", - "add-list": "리스트 추가", - "add-members": "멤버 추가", - "added": "추가됨", - "addMemberPopup-title": "멤버", - "admin": "관리자", - "admin-desc": "카드를 보거나 수정하고, 멤버를 삭제하고, 보드에 대한 설정을 수정할 수 있습니다.", - "admin-announcement": "Announcement", - "admin-announcement-active": "시스템에 공지사항을 표시합니다", - "admin-announcement-title": "관리자 공지사항 메시지", - "all-boards": "전체 보드", - "and-n-other-card": "__count__ 개의 다른 카드", - "and-n-other-card_plural": "__count__ 개의 다른 카드들", - "apply": "적용", - "app-is-offline": "Wekan 로딩 중 입니다. 잠시 기다려주세요. 페이지를 새로고침 하시면 데이터가 손실될 수 있습니다. Wekan 을 불러오는데 실패한다면 서버가 중지되지 않았는지 확인 바랍니다.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "보드 복구", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "멤버 지정", - "attached": "첨부됨", - "attachment": "첨부 파일", - "attachment-delete-pop": "영구 첨부파일을 삭제합니다. 되돌릴 수 없습니다.", - "attachmentDeletePopup-title": "첨부 파일을 삭제합니까?", - "attachments": "첨부 파일", - "auto-watch": "생성한 보드를 자동으로 감시합니다.", - "avatar-too-big": "아바타 파일이 너무 큽니다. (최대 70KB)", - "back": "뒤로", - "board-change-color": "보드 색 변경", - "board-nb-stars": "%s개의 별", - "board-not-found": "보드를 찾을 수 없습니다", - "board-private-info": "이 보드는 비공개입니다.", - "board-public-info": "이 보드는 공개로 설정됩니다", - "boardChangeColorPopup-title": "보드 배경 변경", - "boardChangeTitlePopup-title": "보드 이름 바꾸기", - "boardChangeVisibilityPopup-title": "표시 여부 변경", - "boardChangeWatchPopup-title": "감시상태 변경", - "boardMenuPopup-title": "보드 메뉴", - "boards": "보드", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "목록들", - "bucket-example": "예: “프로젝트 이름“ 입력", - "cancel": "취소", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "이 카드에 %s 코멘트가 있습니다.", - "card-delete-notice": "영구 삭제입니다. 이 카드와 관련된 모든 작업들을 잃게됩니다.", - "card-delete-pop": "모든 작업이 활동 내역에서 제거되며 카드를 다시 열 수 없습니다. 복구가 안되니 주의하시기 바랍니다.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "종료일", - "card-due-on": "종료일", - "card-spent": "Spent Time", - "card-edit-attachments": "첨부 파일 수정", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "라벨 수정", - "card-edit-members": "멤버 수정", - "card-labels-title": "카드의 라벨 변경.", - "card-members-title": "카드에서 보드의 멤버를 추가하거나 삭제합니다.", - "card-start": "시작일", - "card-start-on": "시작일", - "cardAttachmentsPopup-title": "첨부 파일", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "카드를 삭제합니까?", - "cardDetailsActionsPopup-title": "카드 액션", - "cardLabelsPopup-title": "라벨", - "cardMembersPopup-title": "멤버", - "cardMorePopup-title": "더보기", - "cards": "카드", - "cards-count": "카드", - "change": "변경", - "change-avatar": "아바타 변경", - "change-password": "암호 변경", - "change-permissions": "권한 변경", - "change-settings": "설정 변경", - "changeAvatarPopup-title": "아바타 변경", - "changeLanguagePopup-title": "언어 변경", - "changePasswordPopup-title": "암호 변경", - "changePermissionsPopup-title": "권한 변경", - "changeSettingsPopup-title": "설정 변경", - "checklists": "체크리스트", - "click-to-star": "보드에 별 추가.", - "click-to-unstar": "보드에 별 삭제.", - "clipboard": "클립보드 또는 드래그 앤 드롭", - "close": "닫기", - "close-board": "보드 닫기", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "블랙", - "color-blue": "블루", - "color-green": "그린", - "color-lime": "라임", - "color-orange": "오렌지", - "color-pink": "핑크", - "color-purple": "퍼플", - "color-red": "레드", - "color-sky": "스카이", - "color-yellow": "옐로우", - "comment": "댓글", - "comment-placeholder": "댓글 입력", - "comment-only": "댓글만 입력 가능", - "comment-only-desc": "카드에 댓글만 달수 있습니다.", - "computer": "내 컴퓨터", - "confirm-checklist-delete-dialog": "정말 이 체크리스트를 삭제할까요?", - "copy-card-link-to-clipboard": "클립보드에 카드의 링크가 복사되었습니다.", - "copyCardPopup-title": "카드 복사", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "생성", - "createBoardPopup-title": "보드 생성", - "chooseBoardSourcePopup-title": "보드 가져오기", - "createLabelPopup-title": "라벨 생성", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "경향", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "날짜", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "날짜", - "decline": "쇠퇴", - "default-avatar": "기본 아바타", - "delete": "삭제", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "라벨을 삭제합니까?", - "description": "설명", - "disambiguateMultiLabelPopup-title": "라벨 액션의 모호성 제거", - "disambiguateMultiMemberPopup-title": "멤버 액션의 모호성 제거", - "discard": "포기", - "done": "완료", - "download": "다운로드", - "edit": "수정", - "edit-avatar": "아바타 변경", - "edit-profile": "프로필 변경", - "edit-wip-limit": "WIP 제한 변경", - "soft-wip-limit": "원만한 WIP 제한", - "editCardStartDatePopup-title": "시작일 변경", - "editCardDueDatePopup-title": "종료일 변경", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "라벨 변경", - "editNotificationPopup-title": "알림 수정", - "editProfilePopup-title": "프로필 변경", - "email": "이메일", - "email-enrollAccount-subject": "__siteName__에 계정 생성이 완료되었습니다.", - "email-enrollAccount-text": "안녕하세요. __user__님,\n\n시작하려면 아래링크를 클릭해 주세요.\n\n__url__\n\n감사합니다.", - "email-fail": "이메일 전송 실패", - "email-fail-text": "Error trying to send email", - "email-invalid": "잘못된 이메일 주소", - "email-invite": "이메일로 초대", - "email-invite-subject": "__inviter__님이 당신을 초대하였습니다.", - "email-invite-text": "__user__님,\n\n__inviter__님이 협업을 위해 \"__board__\"보드에 가입하도록 초대하셨습니다.\n\n아래 링크를 클릭해주십시오.\n\n__url__\n\n감사합니다.", - "email-resetPassword-subject": "패스워드 초기화: __siteName__", - "email-resetPassword-text": "안녕하세요 __user__님,\n\n비밀번호를 재설정하려면 아래 링크를 클릭하십시오.\n\n__url__\n\n감사합니다.", - "email-sent": "이메일 전송", - "email-verifyEmail-subject": "이메일 인증: __siteName__", - "email-verifyEmail-text": "안녕하세요. __user__님,\n\n당신의 계정과 이메일을 활성하려면 아래 링크를 클릭하십시오.\n\n__url__\n\n감사합니다.", - "enable-wip-limit": "WIP 제한 활성화", - "error-board-doesNotExist": "보드가 없습니다.", - "error-board-notAdmin": "이 작업은 보드의 관리자만 실행할 수 있습니다.", - "error-board-notAMember": "이 작업은 보드의 멤버만 실행할 수 있습니다.", - "error-json-malformed": "텍스트가 JSON 형식에 유효하지 않습니다.", - "error-json-schema": "JSON 데이터에 정보가 올바른 형식으로 포함되어 있지 않습니다.", - "error-list-doesNotExist": "목록이 없습니다.", - "error-user-doesNotExist": "멤버의 정보가 없습니다.", - "error-user-notAllowSelf": "자기 자신을 초대할 수 없습니다.", - "error-user-notCreated": "유저가 생성되지 않았습니다.", - "error-username-taken": "중복된 아이디 입니다.", - "error-email-taken": "Email has already been taken", - "export-board": "보드 내보내기", - "filter": "필터", - "filter-cards": "카드 필터", - "filter-clear": "필터 초기화", - "filter-no-label": "라벨 없음", - "filter-no-member": "멤버 없음", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "필터 사용", - "filter-on-desc": "보드에서 카드를 필터링합니다. 여기를 클릭하여 필터를 수정합니다.", - "filter-to-selection": "선택 항목으로 필터링", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "실명", - "header-logo-title": "보드 페이지로 돌아가기.", - "hide-system-messages": "시스템 메시지 숨기기", - "headerBarCreateBoardPopup-title": "보드 생성", - "home": "홈", - "import": "가져오기", - "import-board": "보드 가져오기", - "import-board-c": "보드 가져오기", - "import-board-title-trello": "Trello에서 보드 가져오기", - "import-board-title-wekan": "Wekan에서 보드 가져오기", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "Trello 게시판에서 'Menu' -> 'More' -> 'Print and Export', 'Export JSON' 선택하여 텍스트 결과값 복사", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "유효한 JSON 데이터를 여기에 붙여 넣으십시오.", - "import-map-members": "보드 멤버들", - "import-members-map": "가져온 보드에는 멤버가 있습니다. 원하는 멤버를 Wekan 멤버로 매핑하세요.", - "import-show-user-mapping": "멤버 매핑 미리보기", - "import-user-select": "이 멤버로 사용하려는 Wekan 유저를 선택하십시오.", - "importMapMembersAddPopup-title": "Wekan 멤버 선택", - "info": "Version", - "initials": "이니셜", - "invalid-date": "적절하지 않은 날짜", - "invalid-time": "적절하지 않은 시각", - "invalid-user": "적절하지 않은 사용자", - "joined": "참가함", - "just-invited": "보드에 방금 초대되었습니다.", - "keyboard-shortcuts": "키보드 단축키", - "label-create": "라벨 생성", - "label-default": "%s 라벨 (기본)", - "label-delete-pop": "되돌릴 수 없습니다. 모든 카드에서 라벨을 제거하고, 이력을 제거합니다.", - "labels": "라벨", - "language": "언어", - "last-admin-desc": "적어도 하나의 관리자가 필요하기에 이 역할을 변경할 수 없습니다.", - "leave-board": "보드 멤버에서 나가기", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "카드에대한 링크", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "목록에 있는 모든 카드를 이동", - "list-select-cards": "목록에 있는 모든 카드를 선택", - "listActionPopup-title": "동작 목록", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Trello 카드 가져 오기", - "listMorePopup-title": "더보기", - "link-list": "이 리스트에 링크", - "list-delete-pop": "모든 작업이 활동내역에서 제거되며 리스트를 복구 할 수 없습니다. 실행 취소는 불가능 합니다.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "목록들", - "swimlanes": "Swimlanes", - "log-out": "로그아웃", - "log-in": "로그인", - "loginPopup-title": "로그인", - "memberMenuPopup-title": "멤버 설정", - "members": "멤버", - "menu": "메뉴", - "move-selection": "선택 항목 이동", - "moveCardPopup-title": "카드 이동", - "moveCardToBottom-title": "최하단으로 이동", - "moveCardToTop-title": "최상단으로 이동", - "moveSelectionPopup-title": "선택 항목 이동", - "multi-selection": "다중 선택", - "multi-selection-on": "다중 선택 사용", - "muted": "알림 해제", - "muted-info": "보드의 변경된 사항들의 알림을 받지 않습니다.", - "my-boards": "내 보드", - "name": "이름", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "결과 값 없음", - "normal": "표준", - "normal-desc": "카드를 보거나 수정할 수 있습니다. 설정값은 변경할 수 없습니다.", - "not-accepted-yet": "초대장이 수락되지 않았습니다.", - "notify-participate": "보드 생성자 또는 멤버로 참여하는 모든 카드에 대한 변경사항 알림 받음", - "notify-watch": "감시중인 보드, 목록 또는 카드에 대한 변경사항 알림 받음", - "optional": "옵션", - "or": "또는", - "page-maybe-private": "이 페이지를 비공개일 수 있습니다. 이것을 보고 싶으면 로그인을 하십시오.", - "page-not-found": "페이지를 찾지 못 했습니다", - "password": "암호", - "paste-or-dragdrop": "이미지 파일을 붙여 넣거나 드래그 앤 드롭 (이미지 전용)", - "participating": "참여", - "preview": "미리보기", - "previewAttachedImagePopup-title": "미리보기", - "previewClipboardImagePopup-title": "미리보기", - "private": "비공개", - "private-desc": "비공개된 보드입니다. 오직 보드에 추가된 사람들만 보고 수정할 수 있습니다", - "profile": "프로파일", - "public": "공개", - "public-desc": "공개된 보드입니다. 링크를 가진 모든 사람과 구글과 같은 검색 엔진에서 찾아서 볼수 있습니다. 보드에 추가된 사람들만 수정이 가능합니다.", - "quick-access-description": "여기에 바로 가기를 추가하려면 보드에 별 표시를 체크하세요.", - "remove-cover": "커버 제거", - "remove-from-board": "보드에서 제거", - "remove-label": "라벨 제거", - "listDeletePopup-title": "리스트를 삭제합니까?", - "remove-member": "멤버 제거", - "remove-member-from-card": "카드에서 제거", - "remove-member-pop": "__boardTitle__에서 __name__(__username__) 을 제거합니까? 이 보드의 모든 카드에서 제거됩니다. 해당 내용을 __name__(__username__) 은(는) 알림으로 받게됩니다.", - "removeMemberPopup-title": "멤버를 제거합니까?", - "rename": "새이름", - "rename-board": "보드 이름 바꾸기", - "restore": "복구", - "save": "저장", - "search": "검색", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "색 선택", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "현재 카드에 자신을 지정하세요.", - "shortcut-autocomplete-emoji": "이모티콘 자동완성", - "shortcut-autocomplete-members": "멤버 자동완성", - "shortcut-clear-filters": "모든 필터 초기화", - "shortcut-close-dialog": "대화 상자 닫기", - "shortcut-filter-my-cards": "내 카드 필터링", - "shortcut-show-shortcuts": "바로가기 목록을 가져오십시오.", - "shortcut-toggle-filterbar": "토글 필터 사이드바", - "shortcut-toggle-sidebar": "보드 사이드바 토글", - "show-cards-minimum-count": "목록에 카드 수량 표시(입력된 수량 넘을 경우 표시)", - "sidebar-open": "사이드바 열기", - "sidebar-close": "사이드바 닫기", - "signupPopup-title": "계정 생성", - "star-board-title": "보드에 별 표시를 클릭합니다. 보드 목록에서 최상위로 둘 수 있습니다.", - "starred-boards": "별표된 보드", - "starred-boards-description": "별 표시된 보드들은 보드 목록의 최상단에서 보입니다.", - "subscribe": "구독", - "team": "팀", - "this-board": "보드", - "this-card": "카드", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "시간", - "title": "제목", - "tracking": "추적", - "tracking-info": "보드 생성자 또는 멤버로 참여하는 모든 카드에 대한 변경사항 알림 받음", - "type": "Type", - "unassign-member": "멤버 할당 해제", - "unsaved-description": "저장되지 않은 설명이 있습니다.", - "unwatch": "감시 해제", - "upload": "업로드", - "upload-avatar": "아바타 업로드", - "uploaded-avatar": "업로드한 아바타", - "username": "아이디", - "view-it": "보기", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "감시", - "watching": "감시 중", - "watching-info": "\"이 보드의 변경사항을 알림으로 받습니다.", - "welcome-board": "보드예제", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "신규", - "welcome-list2": "진행", - "what-to-do": "무엇을 하고 싶으신가요?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "관리자 패널", - "settings": "설정", - "people": "사람", - "registration": "회원가입", - "disable-self-registration": "일반 유저의 회원 가입 막기", - "invite": "초대", - "invite-people": "사람 초대", - "to-boards": "보드로 부터", - "email-addresses": "이메일 주소", - "smtp-host-description": "이메일을 처리하는 SMTP 서버의 주소입니다.", - "smtp-port-description": "SMTP 서버가 보내는 전자 메일에 사용하는 포트입니다.", - "smtp-tls-description": "SMTP 서버에 TLS 지원 사용", - "smtp-host": "SMTP 호스트", - "smtp-port": "SMTP 포트", - "smtp-username": "사용자 이름", - "smtp-password": "암호", - "smtp-tls": "TLS 지원", - "send-from": "보낸 사람", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "초대 코드", - "email-invite-register-subject": "\"__inviter__ 님이 당신에게 초대장을 보냈습니다.", - "email-invite-register-text": "\"__user__ 님, \n\n__inviter__ 님이 Wekan 보드에 협업을 위하여 당신을 초대합니다.\n\n아래 링크를 클릭해주세요 : \n__url__\n\n그리고 초대 코드는 __icode__ 입니다.\n\n감사합니다.", - "email-smtp-test-subject": "SMTP 테스트 이메일이 발송되었습니다.", - "email-smtp-test-text": "테스트 메일을 성공적으로 발송하였습니다.", - "error-invitation-code-not-exist": "초대 코드가 존재하지 않습니다.", - "error-notAuthorized": "이 페이지를 볼 수있는 권한이 없습니다.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" -} \ No newline at end of file diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json deleted file mode 100644 index 5c03dd4d..00000000 --- a/i18n/lv.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Piekrist", - "act-activity-notify": "[Wekan] Aktivitātes paziņojums", - "act-addAttachment": "pievienots __attachment__ to __card__", - "act-addChecklist": "pievienots checklist __checklist__ to __card__", - "act-addChecklistItem": "pievienots __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "komentēja __card__: __comment__", - "act-createBoard": "izveidoja __board__", - "act-createCard": "pievienoja __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "pievienoja __list__ to __board__", - "act-addBoardMember": "pievienoja __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "importēja __board__", - "act-importCard": "importēja __card__", - "act-importList": "importēja __list__", - "act-joinMember": "pievienoja __member__ to __card__", - "act-moveCard": "pārvietoja __card__ from __oldList__ to __list__", - "act-removeBoardMember": "noņēma __member__ from __board__", - "act-restoredCard": "atjaunoja __card__ to __board__", - "act-unjoinMember": "noņēma __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Darbības", - "activities": "Aktivitātes", - "activity": "Aktivitāte", - "activity-added": "pievienoja %s pie %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "pievienoja %s pie %s", - "activity-created": "izveidoja%s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "izslēdza%s no%s", - "activity-imported": "importēja %s iekšā%s no%s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Add", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", - "addMemberPopup-title": "Members", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Members", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Members", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" -} \ No newline at end of file diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json deleted file mode 100644 index b6405f5b..00000000 --- a/i18n/mn.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Зөвшөөрөх", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "_attachment__ хавсралтыг __card__-д хавсаргав", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Нэмэх", - "add-attachment": "Хавсралт нэмэх", - "add-board": "Самбар нэмэх", - "add-card": "Карт нэмэх", - "add-swimlane": "Add Swimlane", - "add-checklist": "Чеклист нэмэх", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Шошго нэмэх", - "add-list": "Жагсаалт нэмэх", - "add-members": "Гишүүд нэмэх", - "added": "Нэмсэн", - "addMemberPopup-title": "Гишүүд", - "admin": "Админ", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "Бүх самбарууд", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Гишүүд", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Аватар өөрчлөх", - "change-password": "Нууц үг солих", - "change-permissions": "Change permissions", - "change-settings": "Тохиргоо өөрчлөх", - "changeAvatarPopup-title": "Аватар өөрчлөх", - "changeLanguagePopup-title": "Хэл солих", - "changePasswordPopup-title": "Нууц үг солих", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Тохиргоо өөрчлөх", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Үүсгэх", - "createBoardPopup-title": "Самбар үүсгэх", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Шошго үүсгэх", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Аватар өөрчлөх", - "edit-profile": "Бүртгэл засварлах", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Мэдэгдэл тохируулах", - "editProfilePopup-title": "Бүртгэл засварлах", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Самбар үүсгэх", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Шошго үүсгэх", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Гарах", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Гишүүний тохиргоо", - "members": "Гишүүд", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "Миний самбарууд", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Хэрэглэгч үүсгэх", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" -} \ No newline at end of file diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json deleted file mode 100644 index 45392a73..00000000 --- a/i18n/nb.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Godta", - "act-activity-notify": "[Wekan] Aktivitetsvarsel", - "act-addAttachment": "la ved __attachment__ til __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "kommenterte til __card__: __comment__", - "act-createBoard": "opprettet __board__", - "act-createCard": "la __card__ til __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "la __list__ til __board__", - "act-addBoardMember": "la __member__ til __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "importerte __board__", - "act-importCard": "importerte __card__", - "act-importList": "importerte __list__", - "act-joinMember": "la __member__ til __card__", - "act-moveCard": "flyttet __card__ fra __oldList__ til __list__", - "act-removeBoardMember": "fjernet __member__ fra __board__", - "act-restoredCard": "gjenopprettet __card__ til __board__", - "act-unjoinMember": "fjernet __member__ fra __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Aktiviteter", - "activity": "Aktivitet", - "activity-added": "la %s til %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "la %s til %s", - "activity-created": "opprettet %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "ekskluderte %s fra %s", - "activity-imported": "importerte %s til %s fra %s", - "activity-imported-board": "importerte %s fra %s", - "activity-joined": "ble med %s", - "activity-moved": "flyttet %s fra %s til %s", - "activity-on": "på %s", - "activity-removed": "fjernet %s fra %s", - "activity-sent": "sendte %s til %s", - "activity-unjoined": "forlot %s", - "activity-checklist-added": "la til sjekkliste til %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Legg til", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Nytt punkt på sjekklisten", - "add-cover": "Nytt omslag", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Legg til medlemmer", - "added": "Lagt til", - "addMemberPopup-title": "Medlemmer", - "admin": "Admin", - "admin-desc": "Kan se og redigere kort, fjerne medlemmer, og endre innstillingene for tavlen.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "Alle tavler", - "and-n-other-card": "Og __count__ andre kort", - "and-n-other-card_plural": "Og __count__ andre kort", - "apply": "Lagre", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Tildel medlem", - "attached": "la ved", - "attachment": "Vedlegg", - "attachment-delete-pop": "Sletting av vedlegg er permanent og kan ikke angres", - "attachmentDeletePopup-title": "Slette vedlegg?", - "attachments": "Vedlegg", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Tilbake", - "board-change-color": "Endre farge", - "board-nb-stars": "%s stjerner", - "board-not-found": "Kunne ikke finne tavlen", - "board-private-info": "Denne tavlen vil være privat.", - "board-public-info": "Denne tavlen vil være offentlig.", - "boardChangeColorPopup-title": "Ende tavlens bakgrunnsfarge", - "boardChangeTitlePopup-title": "Endre navn på tavlen", - "boardChangeVisibilityPopup-title": "Endre synlighet", - "boardChangeWatchPopup-title": "Endre overvåkning", - "boardMenuPopup-title": "Tavlemeny", - "boards": "Tavler", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Som \"Bucket List\" for eksempel", - "cancel": "Avbryt", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "Dette kortet har %s kommentar.", - "card-delete-notice": "Sletting er permanent. Du vil miste alle hendelser knyttet til dette kortet.", - "card-delete-pop": "Alle handlinger vil fjernes fra feeden for aktiviteter og du vil ikke kunne åpne kortet på nytt. Det er ingen mulighet å angre.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Frist", - "card-due-on": "Frist til", - "card-spent": "Spent Time", - "card-edit-attachments": "Rediger vedlegg", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Rediger etiketter", - "card-edit-members": "Endre medlemmer", - "card-labels-title": "Endre etiketter for kortet.", - "card-members-title": "Legg til eller fjern tavle-medlemmer fra dette kortet.", - "card-start": "Start", - "card-start-on": "Starter på", - "cardAttachmentsPopup-title": "Legg ved fra", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Slett kort?", - "cardDetailsActionsPopup-title": "Kort-handlinger", - "cardLabelsPopup-title": "Etiketter", - "cardMembersPopup-title": "Medlemmer", - "cardMorePopup-title": "Mer", - "cards": "Kort", - "cards-count": "Kort", - "change": "Endre", - "change-avatar": "Endre avatar", - "change-password": "Endre passord", - "change-permissions": "Endre rettigheter", - "change-settings": "Endre innstillinger", - "changeAvatarPopup-title": "Endre Avatar", - "changeLanguagePopup-title": "Endre språk", - "changePasswordPopup-title": "Endre passord", - "changePermissionsPopup-title": "Endre tillatelser", - "changeSettingsPopup-title": "Endre innstillinger", - "checklists": "Sjekklister", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Endre avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Etiketter", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "Mer", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Medlemmer", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Endre navn på tavlen", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" -} \ No newline at end of file diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json deleted file mode 100644 index a8c4ac52..00000000 --- a/i18n/nl.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Accepteren", - "act-activity-notify": "[Wekan] Activiteit Notificatie", - "act-addAttachment": "__attachment__ als bijlage toegevoegd aan __card__", - "act-addChecklist": "__checklist__ toegevoegd aan __card__", - "act-addChecklistItem": "__checklistItem__ aan checklist toegevoegd aan __checklist__ op __card__", - "act-addComment": "gereageerd op __card__:__comment__", - "act-createBoard": "aangemaakte __bord__", - "act-createCard": "toegevoegd __kaart__ aan __lijst__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "toegevoegd __lijst__ aan __bord__", - "act-addBoardMember": "__member__ aan __board__ toegevoegd", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": " __board__ geïmporteerd", - "act-importCard": "__card__ geïmporteerd", - "act-importList": "__list__ geïmporteerd", - "act-joinMember": "__member__ aan __card__ toegevoegd", - "act-moveCard": "verplaatst __card__ van __oldList__ naar __list__", - "act-removeBoardMember": "verwijderd __member__ van __board__", - "act-restoredCard": "hersteld __card__ naar __board__", - "act-unjoinMember": "verwijderd __member__ van __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Acties", - "activities": "Activiteiten", - "activity": "Activiteit", - "activity-added": "%s toegevoegd aan %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "%s bijgevoegd aan %s", - "activity-created": "%s aangemaakt", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "%s uitgesloten van %s", - "activity-imported": "%s geimporteerd in %s van %s", - "activity-imported-board": "%s geimporteerd van %s", - "activity-joined": "%s toegetreden", - "activity-moved": "%s verplaatst van %s naar %s", - "activity-on": "bij %s", - "activity-removed": "%s verwijderd van %s", - "activity-sent": "%s gestuurd naar %s", - "activity-unjoined": "uit %s gegaan", - "activity-checklist-added": "checklist toegevoegd aan %s", - "activity-checklist-item-added": "checklist punt toegevoegd aan '%s' in '%s'", - "add": "Toevoegen", - "add-attachment": "Voeg Bijlage Toe", - "add-board": "Voeg Bord Toe", - "add-card": "Voeg Kaart Toe", - "add-swimlane": "Swimlane Toevoegen", - "add-checklist": "Voeg Checklist Toe", - "add-checklist-item": "Voeg item toe aan checklist", - "add-cover": "Voeg Cover Toe", - "add-label": "Voeg Label Toe", - "add-list": "Voeg Lijst Toe", - "add-members": "Voeg Leden Toe", - "added": "Toegevoegd", - "addMemberPopup-title": "Leden", - "admin": "Administrator", - "admin-desc": "Kan kaarten bekijken en wijzigen, leden verwijderen, en instellingen voor het bord aanpassen.", - "admin-announcement": "Melding", - "admin-announcement-active": "Systeem melding", - "admin-announcement-title": "Melding van de administrator", - "all-boards": "Alle borden", - "and-n-other-card": "En nog __count__ ander", - "and-n-other-card_plural": "En __count__ andere kaarten", - "apply": "Aanmelden", - "app-is-offline": "Wekan is aan het laden, wacht alstublieft. Het verversen van de pagina zorgt voor verlies van gegevens. Als Wekan niet laadt, check of de Wekan server is gestopt.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Herstel Bord", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Wijs lid aan", - "attached": "bijgevoegd", - "attachment": "Bijlage", - "attachment-delete-pop": "Een bijlage verwijderen is permanent. Er is geen herstelmogelijkheid.", - "attachmentDeletePopup-title": "Verwijder Bijlage?", - "attachments": "Bijlagen", - "auto-watch": "Automatisch borden bekijken wanneer deze aangemaakt worden", - "avatar-too-big": "De bestandsgrootte van je avatar is te groot (70KB max)", - "back": "Terug", - "board-change-color": "Verander kleur", - "board-nb-stars": "%s sterren", - "board-not-found": "Bord is niet gevonden", - "board-private-info": "Dit bord is nu privé.", - "board-public-info": "Dit bord is nu openbaar.", - "boardChangeColorPopup-title": "Verander achtergrond van bord", - "boardChangeTitlePopup-title": "Hernoem bord", - "boardChangeVisibilityPopup-title": "Verander zichtbaarheid", - "boardChangeWatchPopup-title": "Verander naar 'Watch'", - "boardMenuPopup-title": "Bord menu", - "boards": "Borden", - "board-view": "Bord overzicht", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lijsten", - "bucket-example": "Zoals \"Bucket List\" bijvoorbeeld", - "cancel": "Annuleren", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "Deze kaart heeft %s reactie.", - "card-delete-notice": "Verwijdering is permanent. Als je dit doet, verlies je alle informatie die op deze kaart is opgeslagen.", - "card-delete-pop": "Alle acties worden verwijderd van de activiteiten feed, en er zal geen mogelijkheid zijn om de kaart opnieuw te openen. Deze actie kan je niet ongedaan maken.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Deadline: ", - "card-due-on": "Deadline: ", - "card-spent": "gespendeerde tijd", - "card-edit-attachments": "Wijzig bijlagen", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Wijzig labels", - "card-edit-members": "Wijzig leden", - "card-labels-title": "Wijzig de labels vam de kaart.", - "card-members-title": "Voeg of verwijder leden van het bord toe aan de kaart.", - "card-start": "Begin", - "card-start-on": "Begint op", - "cardAttachmentsPopup-title": "Voeg bestand toe vanuit", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Kaart verwijderen?", - "cardDetailsActionsPopup-title": "Kaart actie ondernemen", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Leden", - "cardMorePopup-title": "Meer", - "cards": "Kaarten", - "cards-count": "Kaarten", - "change": "Wijzig", - "change-avatar": "Wijzig avatar", - "change-password": "Wijzig wachtwoord", - "change-permissions": "Wijzig permissies", - "change-settings": "Wijzig instellingen", - "changeAvatarPopup-title": "Wijzig avatar", - "changeLanguagePopup-title": "Verander van taal", - "changePasswordPopup-title": "Wijzig wachtwoord", - "changePermissionsPopup-title": "Wijzig permissies", - "changeSettingsPopup-title": "Wijzig instellingen", - "checklists": "Checklists", - "click-to-star": "Klik om het bord als favoriet in te stellen", - "click-to-unstar": "Klik om het bord uit favorieten weg te halen", - "clipboard": "Vanuit clipboard of sleep het bestand hierheen", - "close": "Sluiten", - "close-board": "Sluit bord", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "zwart", - "color-blue": "blauw", - "color-green": "groen", - "color-lime": "Felgroen", - "color-orange": "Oranje", - "color-pink": "Roze", - "color-purple": "Paars", - "color-red": "Rood", - "color-sky": "Lucht", - "color-yellow": "Geel", - "comment": "Reageer", - "comment-placeholder": "Schrijf reactie", - "comment-only": "Alleen reageren", - "comment-only-desc": "Kan alleen op kaarten reageren.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Weet u zeker dat u de checklist wilt verwijderen", - "copy-card-link-to-clipboard": "Kopieer kaart link naar klembord", - "copyCardPopup-title": "Kopieer kaart", - "copyChecklistToManyCardsPopup-title": "Checklist sjabloon kopiëren naar meerdere kaarten", - "copyChecklistToManyCardsPopup-instructions": "Doel kaart titels en omschrijvingen in dit JSON formaat", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titel eerste kaart\", \"description\":\"Omschrijving eerste kaart\"}, {\"title\":\"Titel tweede kaart\",\"description\":\"Omschrijving tweede kaart\"},{\"title\":\"Titel laatste kaart\",\"description\":\"Omschrijving laatste kaart\"} ]", - "create": "Aanmaken", - "createBoardPopup-title": "Bord aanmaken", - "chooseBoardSourcePopup-title": "Importeer bord", - "createLabelPopup-title": "Label aanmaken", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "Huidige", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Datum", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Datum", - "decline": "Weigeren", - "default-avatar": "Standaard avatar", - "delete": "Verwijderen", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Verwijder label?", - "description": "Beschrijving", - "disambiguateMultiLabelPopup-title": "Disambigueer Label Actie", - "disambiguateMultiMemberPopup-title": "Disambigueer Lid Actie", - "discard": "Weggooien", - "done": "Klaar", - "download": "Download", - "edit": "Wijzig", - "edit-avatar": "Wijzig avatar", - "edit-profile": "Wijzig profiel", - "edit-wip-limit": "Verander WIP limiet", - "soft-wip-limit": "Zachte WIP limiet", - "editCardStartDatePopup-title": "Wijzig start datum", - "editCardDueDatePopup-title": "Wijzig deadline", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Verander gespendeerde tijd", - "editLabelPopup-title": "Wijzig label", - "editNotificationPopup-title": "Wijzig notificatie", - "editProfilePopup-title": "Wijzig profiel", - "email": "E-mail", - "email-enrollAccount-subject": "Er is een account voor je aangemaakt op __siteName__", - "email-enrollAccount-text": "Hallo __user__,\n\nOm gebruik te maken van de online dienst, kan je op de volgende link klikken.\n\n__url__\n\nBedankt.", - "email-fail": "E-mail verzenden is mislukt", - "email-fail-text": "Fout tijdens het verzenden van de email", - "email-invalid": "Ongeldige e-mail", - "email-invite": "Nodig uit via e-mail", - "email-invite-subject": "__inviter__ heeft je een uitnodiging gestuurd", - "email-invite-text": "Beste __user__,\n\n__inviter__ heeft je uitgenodigd om voor een samenwerking deel te nemen aan het bord \"__board__\".\n\nKlik op de link hieronder:\n\n__url__\n\nBedankt.", - "email-resetPassword-subject": "Reset je wachtwoord op __siteName__", - "email-resetPassword-text": "Hallo __user__,\n\nKlik op de link hier beneden om je wachtwoord te resetten.\n\n__url__\n\nBedankt.", - "email-sent": "E-mail is verzonden", - "email-verifyEmail-subject": "Verifieer je e-mailadres op __siteName__", - "email-verifyEmail-text": "Hallo __user__,\n\nOm je e-mail te verifiëren vragen we je om op de link hieronder te drukken.\n\n__url__\n\nBedankt.", - "enable-wip-limit": "Activeer WIP limiet", - "error-board-doesNotExist": "Dit bord bestaat niet.", - "error-board-notAdmin": "Je moet een administrator zijn van dit bord om dat te doen.", - "error-board-notAMember": "Je moet een lid zijn van dit bord om dat te doen.", - "error-json-malformed": "JSON format klopt niet", - "error-json-schema": "De JSON data bevat niet de juiste informatie in de juiste format", - "error-list-doesNotExist": "Deze lijst bestaat niet", - "error-user-doesNotExist": "Deze gebruiker bestaat niet", - "error-user-notAllowSelf": "Je kan jezelf niet uitnodigen", - "error-user-notCreated": "Deze gebruiker is niet aangemaakt", - "error-username-taken": "Deze gebruikersnaam is al bezet", - "error-email-taken": "Deze e-mail is al eerder gebruikt", - "export-board": "Exporteer bord", - "filter": "Filter", - "filter-cards": "Filter kaarten", - "filter-clear": "Reset filter", - "filter-no-label": "Geen label", - "filter-no-member": "Geen lid", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter staat aan", - "filter-on-desc": "Je bent nu kaarten aan het filteren op dit bord. Klik hier om het filter te wijzigen.", - "filter-to-selection": "Filter zoals selectie", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Volledige naam", - "header-logo-title": "Ga terug naar jouw borden pagina.", - "hide-system-messages": "Verberg systeemberichten", - "headerBarCreateBoardPopup-title": "Bord aanmaken", - "home": "Voorpagina", - "import": "Importeer", - "import-board": "Importeer bord", - "import-board-c": "Importeer bord", - "import-board-title-trello": "Importeer bord van Trello", - "import-board-title-wekan": "Importeer bord van Wekan", - "import-sandstorm-warning": "Het geïmporteerde bord verwijdert alle data op het huidige bord, om het daarna te vervangen.", - "from-trello": "Van Trello", - "from-wekan": "Van Wekan", - "import-board-instruction-trello": "Op jouw Trello bord, ga naar 'Menu', dan naar 'Meer', 'Print en Exporteer', 'Exporteer JSON', en kopieer de tekst.", - "import-board-instruction-wekan": "In jouw Wekan bord, ga naar 'Menu', dan 'Exporteer bord', en kopieer de tekst in het gedownloade bestand.", - "import-json-placeholder": "Plak geldige JSON data hier", - "import-map-members": "Breng leden in kaart", - "import-members-map": "Jouw geïmporteerde borden heeft een paar leden. Selecteer de leden die je wilt importeren naar Wekan gebruikers. ", - "import-show-user-mapping": "Breng leden overzicht tevoorschijn", - "import-user-select": "Kies de Wekan gebruiker uit die je hier als lid wilt hebben", - "importMapMembersAddPopup-title": "Selecteer een Wekan lid", - "info": "Versie", - "initials": "Initialen", - "invalid-date": "Ongeldige datum", - "invalid-time": "Ongeldige tijd", - "invalid-user": "Ongeldige gebruiker", - "joined": "doet nu mee met", - "just-invited": "Je bent zojuist uitgenodigd om mee toen doen met dit bord", - "keyboard-shortcuts": "Toetsenbord snelkoppelingen", - "label-create": "Label aanmaken", - "label-default": "%s label (standaard)", - "label-delete-pop": "Je kan het niet ongedaan maken. Deze actie zal de label van alle kaarten verwijderen, en de feed.", - "labels": "Labels", - "language": "Taal", - "last-admin-desc": "Je kan de permissies niet veranderen omdat er maar een administrator is.", - "leave-board": "Verlaat bord", - "leave-board-pop": "Weet u zeker dat u __boardTitle__ wilt verlaten? U wordt verwijderd van alle kaarten binnen dit bord", - "leaveBoardPopup-title": "Bord verlaten?", - "link-card": "Link naar deze kaart", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Verplaats alle kaarten in deze lijst", - "list-select-cards": "Selecteer alle kaarten in deze lijst", - "listActionPopup-title": "Lijst acties", - "swimlaneActionPopup-title": "Swimlane handelingen", - "listImportCardPopup-title": "Importeer een Trello kaart", - "listMorePopup-title": "Meer", - "link-list": "Link naar deze lijst", - "list-delete-pop": "Alle acties zullen verwijderd worden van de activiteiten feed, en je zult deze niet meer kunnen herstellen. Je kan deze actie niet ongedaan maken.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lijsten", - "swimlanes": "Swimlanes", - "log-out": "Uitloggen", - "log-in": "Inloggen", - "loginPopup-title": "Inloggen", - "memberMenuPopup-title": "Instellingen van leden", - "members": "Leden", - "menu": "Menu", - "move-selection": "Verplaats selectie", - "moveCardPopup-title": "Verplaats kaart", - "moveCardToBottom-title": "Verplaats naar beneden", - "moveCardToTop-title": "Verplaats naar boven", - "moveSelectionPopup-title": "Verplaats selectie", - "multi-selection": "Multi-selectie", - "multi-selection-on": "Multi-selectie staat aan", - "muted": "Stil", - "muted-info": "Je zal nooit meer geïnformeerd worden bij veranderingen in dit bord.", - "my-boards": "Mijn Borden", - "name": "Naam", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Geen resultaten", - "normal": "Normaal", - "normal-desc": "Kan de kaarten zien en wijzigen. Kan de instellingen niet wijzigen.", - "not-accepted-yet": "Uitnodiging niet geaccepteerd", - "notify-participate": "Ontvang updates van elke kaart die je hebt gemaakt of lid van bent", - "notify-watch": "Ontvang updates van elke bord, lijst of kaart die je bekijkt.", - "optional": "optioneel", - "or": "of", - "page-maybe-private": "Deze pagina is privé. Je kan het bekijken door in te loggen.", - "page-not-found": "Pagina niet gevonden.", - "password": "Wachtwoord", - "paste-or-dragdrop": "Om te plakken, of slepen & neer te laten (alleen afbeeldingen)", - "participating": "Deelnemen", - "preview": "Voorbeeld", - "previewAttachedImagePopup-title": "Voorbeeld", - "previewClipboardImagePopup-title": "Voorbeeld", - "private": "Privé", - "private-desc": "Dit bord is privé. Alleen mensen die toegevoegd zijn aan het bord kunnen het bekijken en wijzigen.", - "profile": "Profiel", - "public": "Publiek", - "public-desc": "Dit bord is publiek. Het is zichtbaar voor iedereen met de link en zal tevoorschijn komen op zoekmachines zoals Google. Alleen mensen die toegevoegd zijn kunnen het bord wijzigen.", - "quick-access-description": "Maak een bord favoriet om een snelkoppeling toe te voegen aan deze balk.", - "remove-cover": "Verwijder Cover", - "remove-from-board": "Verwijder van bord", - "remove-label": "Verwijder label", - "listDeletePopup-title": "Verwijder lijst?", - "remove-member": "Verwijder lid", - "remove-member-from-card": "Verwijder van kaart", - "remove-member-pop": "Verwijder __name__ (__username__) van __boardTitle__? Het lid zal verwijderd worden van alle kaarten op dit bord, en zal een notificatie ontvangen.", - "removeMemberPopup-title": "Verwijder lid?", - "rename": "Hernoem", - "rename-board": "Hernoem bord", - "restore": "Herstel", - "save": "Opslaan", - "search": "Zoek", - "search-cards": "Zoeken in kaart titels en omschrijvingen op dit bord", - "search-example": "Tekst om naar te zoeken?", - "select-color": "Selecteer kleur", - "set-wip-limit-value": "Zet een limiet voor het maximaal aantal taken in deze lijst", - "setWipLimitPopup-title": "Zet een WIP limiet", - "shortcut-assign-self": "Wijs jezelf toe aan huidige kaart", - "shortcut-autocomplete-emoji": "Emojis automatisch aanvullen", - "shortcut-autocomplete-members": "Leden automatisch aanvullen", - "shortcut-clear-filters": "Alle filters vrijmaken", - "shortcut-close-dialog": "Sluit dialoog", - "shortcut-filter-my-cards": "Filter mijn kaarten", - "shortcut-show-shortcuts": "Haal lijst met snelkoppelingen tevoorschijn", - "shortcut-toggle-filterbar": "Schakel Filter Zijbalk", - "shortcut-toggle-sidebar": "Schakel Bord Zijbalk", - "show-cards-minimum-count": "Laat het aantal kaarten zien wanneer de lijst meer kaarten heeft dan", - "sidebar-open": "Open Zijbalk", - "sidebar-close": "Sluit Zijbalk", - "signupPopup-title": "Maak een account aan", - "star-board-title": "Klik om het bord toe te voegen aan favorieten, waarna hij aan de bovenbalk tevoorschijn komt.", - "starred-boards": "Favoriete Borden", - "starred-boards-description": "Favoriete borden komen tevoorschijn aan de bovenbalk.", - "subscribe": "Abonneer", - "team": "Team", - "this-board": "dit bord", - "this-card": "deze kaart", - "spent-time-hours": "Gespendeerde tijd (in uren)", - "overtime-hours": "Overwerk (in uren)", - "overtime": "Overwerk", - "has-overtime-cards": "Heeft kaarten met overwerk", - "has-spenttime-cards": "Heeft tijd besteed aan kaarten", - "time": "Tijd", - "title": "Titel", - "tracking": "Volgen", - "tracking-info": "Je wordt op de hoogte gesteld als er veranderingen zijn aan de kaarten waar je lid of maker van bent.", - "type": "Type", - "unassign-member": "Lid ontkennen", - "unsaved-description": "Je hebt een niet opgeslagen beschrijving.", - "unwatch": "Niet bekijken", - "upload": "Upload", - "upload-avatar": "Upload een avatar", - "uploaded-avatar": "Avatar is geüpload", - "username": "Gebruikersnaam", - "view-it": "Bekijk het", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Bekijk", - "watching": "Bekijken", - "watching-info": "Je zal op de hoogte worden gesteld als er een verandering gebeurt op dit bord.", - "welcome-board": "Welkom Bord", - "welcome-swimlane": "Mijlpaal 1", - "welcome-list1": "Basis", - "welcome-list2": "Geadvanceerd", - "what-to-do": "Wat wil je doen?", - "wipLimitErrorPopup-title": "Ongeldige WIP limiet", - "wipLimitErrorPopup-dialog-pt1": "Het aantal taken in deze lijst is groter dan de gedefinieerde WIP limiet ", - "wipLimitErrorPopup-dialog-pt2": "Verwijder een aantal taken uit deze lijst, of zet de WIP limiet hoger", - "admin-panel": "Administrator paneel", - "settings": "Instellingen", - "people": "Mensen", - "registration": "Registratie", - "disable-self-registration": "Schakel zelf-registratie uit", - "invite": "Uitnodigen", - "invite-people": "Nodig mensen uit", - "to-boards": "Voor bord(en)", - "email-addresses": "E-mailadressen", - "smtp-host-description": "Het adres van de SMTP server die e-mails zal versturen.", - "smtp-port-description": "De poort van de SMTP server wordt gebruikt voor uitgaande e-mails.", - "smtp-tls-description": "Gebruik TLS ondersteuning voor SMTP server.", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Poort", - "smtp-username": "Gebruikersnaam", - "smtp-password": "Wachtwoord", - "smtp-tls": "TLS ondersteuning", - "send-from": "Van", - "send-smtp-test": "Verzend een email naar uzelf", - "invitation-code": "Uitnodigings code", - "email-invite-register-subject": "__inviter__ heeft je een uitnodiging gestuurd", - "email-invite-register-text": "Beste __user__,\n\n__inviter__ heeft je uitgenodigd voor Wekan om samen te werken.\n\nKlik op de volgende link:\n__url__\n\nEn je uitnodigingscode is __icode__\n\nBedankt.", - "email-smtp-test-subject": "SMTP Test email van Wekan", - "email-smtp-test-text": "U heeft met succes een email verzonden", - "error-invitation-code-not-exist": "Uitnodigings code bestaat niet", - "error-notAuthorized": "Je bent niet toegestaan om deze pagina te bekijken.", - "outgoing-webhooks": "Uitgaande Webhooks", - "outgoingWebhooksPopup-title": "Uitgaande Webhooks", - "new-outgoing-webhook": "Nieuwe webhook", - "no-name": "(Onbekend)", - "Wekan_version": "Wekan versie", - "Node_version": "Node versie", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Vrij Geheugen", - "OS_Loadavg": "OS Gemiddelde Lading", - "OS_Platform": "OS Platform", - "OS_Release": "OS Versie", - "OS_Totalmem": "OS Totaal Geheugen", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "uren", - "minutes": "minuten", - "seconds": "seconden", - "show-field-on-card": "Show this field on card", - "yes": "Ja", - "no": "Nee", - "accounts": "Accounts", - "accounts-allowEmailChange": "Sta E-mailadres wijzigingen toe", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Gemaakt op", - "verified": "Geverifieerd", - "active": "Actief", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" -} \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json deleted file mode 100644 index f0c86267..00000000 --- a/i18n/pl.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Akceptuj", - "act-activity-notify": "[Wekan] Powiadomienia - aktywności", - "act-addAttachment": "załączono __attachement__ do __karty__", - "act-addChecklist": "dodano listę zadań __checklist__ to __card__", - "act-addChecklistItem": "dodano __checklistItem__ do listy zadań __checklist__ na karcie __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Akcje", - "activities": "Aktywności", - "activity": "Aktywność", - "activity-added": "dodano %s z %s", - "activity-archived": "%s przeniesiono do Kosza", - "activity-attached": "załączono %s z %s", - "activity-created": "utworzono %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "wyłączono %s z %s", - "activity-imported": "zaimportowano %s to %s z %s", - "activity-imported-board": "zaimportowano %s z %s", - "activity-joined": "dołączono %s", - "activity-moved": "przeniesiono % z %s to %s", - "activity-on": "w %s", - "activity-removed": "usunięto %s z %s", - "activity-sent": "wysłano %s z %s", - "activity-unjoined": "odłączono %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Dodaj", - "add-attachment": "Dodaj załącznik", - "add-board": "Dodaj tablicę", - "add-card": "Dodaj kartę", - "add-swimlane": "Add Swimlane", - "add-checklist": "Dodaj listę kontrolną", - "add-checklist-item": "Dodaj element do listy kontrolnej", - "add-cover": "Dodaj okładkę", - "add-label": "Dodaj etykietę", - "add-list": "Dodaj listę", - "add-members": "Dodaj członków", - "added": "Dodano", - "addMemberPopup-title": "Członkowie", - "admin": "Admin", - "admin-desc": "Może widzieć i edytować karty, usuwać członków oraz zmieniać ustawienia tablicy.", - "admin-announcement": "Ogłoszenie", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Ogłoszenie od Administratora", - "all-boards": "Wszystkie tablice", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Zastosuj", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Przenieś do Kosza", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Przywróć tablicę", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Dodaj członka", - "attached": "załączono", - "attachment": "Załącznik", - "attachment-delete-pop": "Usunięcie załącznika jest nieodwracalne.", - "attachmentDeletePopup-title": "Usunąć załącznik?", - "attachments": "Załączniki", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "Awatar jest za duży (maksymalnie 70Kb)", - "back": "Wstecz", - "board-change-color": "Zmień kolor", - "board-nb-stars": "%s odznaczeń", - "board-not-found": "Nie znaleziono tablicy", - "board-private-info": "Ta tablica będzie prywatna.", - "board-public-info": "Ta tablica będzie publiczna.", - "boardChangeColorPopup-title": "Zmień tło tablicy", - "boardChangeTitlePopup-title": "Zmień nazwę tablicy", - "boardChangeVisibilityPopup-title": "Zmień widoczność", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Menu tablicy", - "boards": "Tablice", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Listy", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Anuluj", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "Ta karta ma %s komentarzy.", - "card-delete-notice": "Usunięcie jest trwałe. Stracisz wszystkie akcje powiązane z tą kartą.", - "card-delete-pop": "Wszystkie akcje będą usunięte z widoku aktywności, nie można będzie ponownie otworzyć karty. Usunięcie jest nieodwracalne.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edytuj załączniki", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edytuj etykiety", - "card-edit-members": "Edytuj członków", - "card-labels-title": "Zmień etykiety karty", - "card-members-title": "Dodaj lub usuń członków tablicy z karty.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Załącz z", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Usunąć kartę?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Etykiety", - "cardMembersPopup-title": "Członkowie", - "cardMorePopup-title": "Więcej", - "cards": "Karty", - "cards-count": "Karty", - "change": "Zmień", - "change-avatar": "Zmień Avatar", - "change-password": "Zmień hasło", - "change-permissions": "Zmień uprawnienia", - "change-settings": "Zmień ustawienia", - "changeAvatarPopup-title": "Zmień Avatar", - "changeLanguagePopup-title": "Zmień język", - "changePasswordPopup-title": "Zmień hasło", - "changePermissionsPopup-title": "Zmień uprawnienia", - "changeSettingsPopup-title": "Zmień ustawienia", - "checklists": "Checklists", - "click-to-star": "Kliknij by odznaczyć tę tablicę.", - "click-to-unstar": "Kliknij by usunąć odznaczenie tej tablicy.", - "clipboard": "Schowek lub przeciągnij & upuść", - "close": "Zamknij", - "close-board": "Zamknij tablicę", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "czarny", - "color-blue": "niebieski", - "color-green": "zielony", - "color-lime": "limonkowy", - "color-orange": "pomarańczowy", - "color-pink": "różowy", - "color-purple": "fioletowy", - "color-red": "czerwony", - "color-sky": "błękitny", - "color-yellow": "żółty", - "comment": "Komentarz", - "comment-placeholder": "Dodaj komentarz", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Komputer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Skopiuj kartę", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Utwórz", - "createBoardPopup-title": "Utwórz tablicę", - "chooseBoardSourcePopup-title": "Import tablicy", - "createLabelPopup-title": "Utwórz etykietę", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "obecny", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Data", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Data", - "decline": "Odrzuć", - "default-avatar": "Domyślny avatar", - "delete": "Usuń", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Usunąć etykietę?", - "description": "Opis", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Odrzuć", - "done": "Zrobiono", - "download": "Pobierz", - "edit": "Edytuj", - "edit-avatar": "Zmień Avatar", - "edit-profile": "Edytuj profil", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Zmień etykietę", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edytuj profil", - "email": "Email", - "email-enrollAccount-subject": "Konto zostało utworzone na __siteName__", - "email-enrollAccount-text": "Witaj __user__,\nAby zacząć korzystać z serwisu, kliknij w link poniżej.\n__url__\nDzięki.", - "email-fail": "Wysyłanie emaila nie powiodło się.", - "email-fail-text": "Error trying to send email", - "email-invalid": "Nieprawidłowy email", - "email-invite": "Zaproś przez email", - "email-invite-subject": "__inviter__ wysłał Ci zaproszenie", - "email-invite-text": "Drogi __user__,\n__inviter__ zaprosił Cię do współpracy w tablicy \"__board__\".\nZobacz więcej:\n__url__\nDzięki.", - "email-resetPassword-subject": "Zresetuj swoje hasło na __siteName__", - "email-resetPassword-text": "Witaj __user__,\nAby zresetować hasło, kliknij w link poniżej.\n__url__\nDzięki.", - "email-sent": "Email wysłany", - "email-verifyEmail-subject": "Zweryfikuj swój adres email na __siteName__", - "email-verifyEmail-text": "Witaj __user__,\nAby zweryfikować adres email, kliknij w link poniżej.\n__url__\nDzięki.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "Ta tablica nie istnieje", - "error-board-notAdmin": "Musisz być administratorem tej tablicy żeby to zrobić", - "error-board-notAMember": "Musisz być członkiem tej tablicy żeby to zrobić", - "error-json-malformed": "Twój tekst nie jest poprawnym JSONem", - "error-json-schema": "Twój JSON nie zawiera prawidłowych informacji w poprawnym formacie", - "error-list-doesNotExist": "Ta lista nie isnieje", - "error-user-doesNotExist": "Ten użytkownik nie istnieje", - "error-user-notAllowSelf": "Nie możesz zaprosić samego siebie", - "error-user-notCreated": "Ten użytkownik nie został stworzony", - "error-username-taken": "Ta nazwa jest już zajęta", - "error-email-taken": "Email has already been taken", - "export-board": "Eksportuj tablicę", - "filter": "Filtr", - "filter-cards": "Odfiltruj karty", - "filter-clear": "Usuń filter", - "filter-no-label": "Brak etykiety", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filtr jest włączony", - "filter-on-desc": "Filtrujesz karty na tej tablicy. Kliknij tutaj by edytować filtr.", - "filter-to-selection": "Odfiltruj zaznaczenie", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Wróć do swojej strony z tablicami.", - "hide-system-messages": "Ukryj wiadomości systemowe", - "headerBarCreateBoardPopup-title": "Utwórz tablicę", - "home": "Strona główna", - "import": "Importu", - "import-board": "importuj tablice", - "import-board-c": "Import tablicy", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Importuj tablice z Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "Z Trello", - "from-wekan": "Z Wekan", - "import-board-instruction-trello": "W twojej tablicy na Trello, idź do 'Menu', następnie 'More', 'Print and Export', 'Export JSON' i skopiuj wynik", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Wklej twój JSON tutaj", - "import-map-members": "Map members", - "import-members-map": "Twoje zaimportowane tablice mają kilku członków. Proszę wybierz członków których chcesz zaimportować do Wekan", - "import-show-user-mapping": "Przejrzyj wybranych członków", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Wersja", - "initials": "Initials", - "invalid-date": "Błędna data", - "invalid-time": "Błędny czas", - "invalid-user": "Zła nazwa użytkownika", - "joined": "dołączył", - "just-invited": "Właśnie zostałeś zaproszony do tej tablicy", - "keyboard-shortcuts": "Skróty klawiaturowe", - "label-create": "Utwórz etykietę", - "label-default": "%s etykieta (domyślna)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Etykiety", - "language": "Język", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Opuść tablicę", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link do tej karty", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Przenieś wszystkie karty z tej listy", - "list-select-cards": "Zaznacz wszystkie karty z tej listy", - "listActionPopup-title": "Lista akcji", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Zaimportuj kartę z Trello", - "listMorePopup-title": "Więcej", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Listy", - "swimlanes": "Swimlanes", - "log-out": "Wyloguj", - "log-in": "Zaloguj", - "loginPopup-title": "Zaloguj", - "memberMenuPopup-title": "Member Settings", - "members": "Członkowie", - "menu": "Menu", - "move-selection": "Przenieś zaznaczone", - "moveCardPopup-title": "Przenieś kartę", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Przenieś zaznaczone", - "multi-selection": "Wielokrotne zaznaczenie", - "multi-selection-on": "Wielokrotne zaznaczenie jest włączone", - "muted": "Wyciszona", - "muted-info": "Nie zostaniesz powiadomiony o zmianach w tablicy", - "my-boards": "Moje tablice", - "name": "Nazwa", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Brak wyników", - "normal": "Normal", - "normal-desc": "Może widzieć i edytować karty. Nie może zmieniać ustawiań.", - "not-accepted-yet": "Zaproszenie jeszcze nie zaakceptowane", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "opcjonalny", - "or": "lub", - "page-maybe-private": "Ta strona może być prywatna. Możliwe, że możesz ją zobaczyć po zalogowaniu.", - "page-not-found": "Strona nie znaleziona.", - "password": "Hasło", - "paste-or-dragdrop": "wklej lub przeciągnij & upuść obrazek", - "participating": "Participating", - "preview": "Podgląd", - "previewAttachedImagePopup-title": "Podgląd", - "previewClipboardImagePopup-title": "Podgląd", - "private": "Prywatny", - "private-desc": "Ta tablica jest prywatna. Tylko osoby dodane do tej tablicy mogą ją zobaczyć i edytować.", - "profile": "Profil", - "public": "Publiczny", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Odznacz tablicę aby dodać skrót na tym pasku.", - "remove-cover": "Usuń okładkę", - "remove-from-board": "Usuń z tablicy", - "remove-label": "Usuń etykietę", - "listDeletePopup-title": "Usunąć listę?", - "remove-member": "Usuń członka", - "remove-member-from-card": "Usuń z karty", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Usunąć członka?", - "rename": "Zmień nazwę", - "rename-board": "Zmień nazwę tablicy", - "restore": "Przywróć", - "save": "Zapisz", - "search": "Wyszukaj", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Wybierz kolor", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Przypisz siebie do obecnej karty", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Usuń wszystkie filtry", - "shortcut-close-dialog": "Zamknij okno", - "shortcut-filter-my-cards": "Filtruj moje karty", - "shortcut-show-shortcuts": "Przypnij do listy skrótów", - "shortcut-toggle-filterbar": "Przełącz boczny pasek filtru", - "shortcut-toggle-sidebar": "Przełącz boczny pasek tablicy", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Utwórz konto", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Odznaczone tablice", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Zapisz się", - "team": "Zespół", - "this-board": "ta tablica", - "this-card": "ta karta", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Tytuł", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Nieprzypisany członek", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Wyślij", - "upload-avatar": "Wyślij avatar", - "uploaded-avatar": "Wysłany avatar", - "username": "Nazwa użytkownika", - "view-it": "Zobacz", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Obserwuj", - "watching": "Obserwujesz", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Podstawy", - "welcome-list2": "Zaawansowane", - "what-to-do": "Co chcesz zrobić?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Panel administracyjny", - "settings": "Ustawienia", - "people": "Osoby", - "registration": "Rejestracja", - "disable-self-registration": "Disable Self-Registration", - "invite": "Zaproś", - "invite-people": "Zaproś osoby", - "to-boards": "To board(s)", - "email-addresses": "Adres e-mail", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "Serwer SMTP", - "smtp-port": "Port SMTP", - "smtp-username": "Nazwa użytkownika", - "smtp-password": "Hasło", - "smtp-tls": "TLS support", - "send-from": "Od", - "send-smtp-test": "Wyślij wiadomość testową do siebie", - "invitation-code": "Kod z zaproszenia", - "email-invite-register-subject": "__inviter__ wysłał Ci zaproszenie", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(nieznany)", - "Wekan_version": "Wersja Wekan", - "Node_version": "Wersja Node", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "godzin", - "minutes": "minut", - "seconds": "sekund", - "show-field-on-card": "Show this field on card", - "yes": "Tak", - "no": "Nie", - "accounts": "Konto", - "accounts-allowEmailChange": "Zezwól na zmianę adresu email", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Stworzono o", - "verified": "Zweryfikowane", - "active": "Aktywny", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" -} \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json deleted file mode 100644 index 989be015..00000000 --- a/i18n/pt-BR.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Aceitar", - "act-activity-notify": "[Wekan] Notificação de Atividade", - "act-addAttachment": "anexo __attachment__ de __card__", - "act-addChecklist": "added checklist __checklist__ no __card__", - "act-addChecklistItem": "adicionado __checklistitem__ para a lista de checagem __checklist__ em __card__", - "act-addComment": "comentou em __card__: __comment__", - "act-createBoard": "criou __board__", - "act-createCard": "__card__ adicionado à __list__", - "act-createCustomField": "criado campo customizado __customField__", - "act-createList": "__list__ adicionada à __board__", - "act-addBoardMember": "__member__ adicionado à __board__", - "act-archivedBoard": "__board__ movido para a lixeira", - "act-archivedCard": "__card__ movido para a lixeira", - "act-archivedList": "__list__ movido para a lixeira", - "act-archivedSwimlane": "__swimlane__ movido para a lixeira", - "act-importBoard": "__board__ importado", - "act-importCard": "__card__ importado", - "act-importList": "__list__ importada", - "act-joinMember": "__member__ adicionado à __card__", - "act-moveCard": "__card__ movido de __oldList__ para __list__", - "act-removeBoardMember": "__member__ removido de __board__", - "act-restoredCard": "__card__ restaurado para __board__", - "act-unjoinMember": "__member__ removido de __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Ações", - "activities": "Atividades", - "activity": "Atividade", - "activity-added": "adicionou %s a %s", - "activity-archived": "%s movido para a lixeira", - "activity-attached": "anexou %s a %s", - "activity-created": "criou %s", - "activity-customfield-created": "criado campo customizado %s", - "activity-excluded": "excluiu %s de %s", - "activity-imported": "importado %s em %s de %s", - "activity-imported-board": "importado %s de %s", - "activity-joined": "juntou-se a %s", - "activity-moved": "moveu %s de %s para %s", - "activity-on": "em %s", - "activity-removed": "removeu %s de %s", - "activity-sent": "enviou %s de %s", - "activity-unjoined": "saiu de %s", - "activity-checklist-added": "Adicionado lista de verificação a %s", - "activity-checklist-item-added": "adicionado o item de checklist para '%s' em %s", - "add": "Novo", - "add-attachment": "Adicionar Anexos", - "add-board": "Adicionar Quadro", - "add-card": "Adicionar Cartão", - "add-swimlane": "Adicionar Swimlane", - "add-checklist": "Adicionar Checklist", - "add-checklist-item": "Adicionar um item à lista de verificação", - "add-cover": "Adicionar Capa", - "add-label": "Adicionar Etiqueta", - "add-list": "Adicionar Lista", - "add-members": "Adicionar Membros", - "added": "Criado", - "addMemberPopup-title": "Membros", - "admin": "Administrador", - "admin-desc": "Pode ver e editar cartões, remover membros e alterar configurações do quadro.", - "admin-announcement": "Anúncio", - "admin-announcement-active": "Anúncio ativo em todo o sistema", - "admin-announcement-title": "Anúncio do Administrador", - "all-boards": "Todos os quadros", - "and-n-other-card": "E __count__ outro cartão", - "and-n-other-card_plural": "E __count__ outros cartões", - "apply": "Aplicar", - "app-is-offline": "O Wekan está carregando, por favor espere. Recarregar a página irá causar perda de dado. Se o Wekan não carregar por favor verifique se o servidor Wekan não está parado.", - "archive": "Mover para a lixeira", - "archive-all": "Mover tudo para a lixeira", - "archive-board": "Mover quadro para a lixeira", - "archive-card": "Mover cartão para a lixeira", - "archive-list": "Mover lista para a lixeira", - "archive-swimlane": "Mover Swimlane para a lixeira", - "archive-selection": "Mover seleção para a lixeira", - "archiveBoardPopup-title": "Mover o quadro para a lixeira?", - "archived-items": "Lixeira", - "archived-boards": "Quadros na lixeira", - "restore-board": "Restaurar Quadro", - "no-archived-boards": "Não há quadros na lixeira", - "archives": "Lixeira", - "assign-member": "Atribuir Membro", - "attached": "anexado", - "attachment": "Anexo", - "attachment-delete-pop": "Excluir um anexo é permanente. Não será possível recuperá-lo.", - "attachmentDeletePopup-title": "Excluir Anexo?", - "attachments": "Anexos", - "auto-watch": "Veja automaticamente os boards que são criados", - "avatar-too-big": "O avatar é muito grande (70KB max)", - "back": "Voltar", - "board-change-color": "Alterar cor", - "board-nb-stars": "%s estrelas", - "board-not-found": "Quadro não encontrado", - "board-private-info": "Este quadro será privado.", - "board-public-info": "Este quadro será público.", - "boardChangeColorPopup-title": "Alterar Tela de Fundo", - "boardChangeTitlePopup-title": "Renomear Quadro", - "boardChangeVisibilityPopup-title": "Alterar Visibilidade", - "boardChangeWatchPopup-title": "Alterar observação", - "boardMenuPopup-title": "Menu do Quadro", - "boards": "Quadros", - "board-view": "Visão de quadro", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Listas", - "bucket-example": "\"Bucket List\", por exemplo", - "cancel": "Cancelar", - "card-archived": "Este cartão foi movido para a lixeira", - "card-comments-title": "Este cartão possui %s comentários.", - "card-delete-notice": "A exclusão será permanente. Você perderá todas as ações associadas a este cartão.", - "card-delete-pop": "Todas as ações serão removidas da lista de Atividades e vocês não poderá re-abrir o cartão. Não há como desfazer.", - "card-delete-suggest-archive": "Você pode mover um cartão para fora da lixeira e movê-lo para o quadro e preservar a atividade.", - "card-due": "Data fim", - "card-due-on": "Finaliza em", - "card-spent": "Tempo Gasto", - "card-edit-attachments": "Editar anexos", - "card-edit-custom-fields": "Editar campos customizados", - "card-edit-labels": "Editar etiquetas", - "card-edit-members": "Editar membros", - "card-labels-title": "Alterar etiquetas do cartão.", - "card-members-title": "Acrescentar ou remover membros do quadro deste cartão.", - "card-start": "Data início", - "card-start-on": "Começa em", - "cardAttachmentsPopup-title": "Anexar a partir de", - "cardCustomField-datePopup-title": "Mudar data", - "cardCustomFieldsPopup-title": "Editar campos customizados", - "cardDeletePopup-title": "Excluir Cartão?", - "cardDetailsActionsPopup-title": "Ações do cartão", - "cardLabelsPopup-title": "Etiquetas", - "cardMembersPopup-title": "Membros", - "cardMorePopup-title": "Mais", - "cards": "Cartões", - "cards-count": "Cartões", - "change": "Alterar", - "change-avatar": "Alterar Avatar", - "change-password": "Alterar Senha", - "change-permissions": "Alterar permissões", - "change-settings": "Altera configurações", - "changeAvatarPopup-title": "Alterar Avatar", - "changeLanguagePopup-title": "Alterar Idioma", - "changePasswordPopup-title": "Alterar Senha", - "changePermissionsPopup-title": "Alterar Permissões", - "changeSettingsPopup-title": "Altera configurações", - "checklists": "Checklists", - "click-to-star": "Marcar quadro como favorito.", - "click-to-unstar": "Remover quadro dos favoritos.", - "clipboard": "Área de Transferência ou arraste e solte", - "close": "Fechar", - "close-board": "Fechar Quadro", - "close-board-pop": "Você poderá restaurar o quadro clicando no botão lixeira no cabeçalho da página inicial", - "color-black": "preto", - "color-blue": "azul", - "color-green": "verde", - "color-lime": "verde limão", - "color-orange": "laranja", - "color-pink": "cor-de-rosa", - "color-purple": "roxo", - "color-red": "vermelho", - "color-sky": "céu", - "color-yellow": "amarelo", - "comment": "Comentário", - "comment-placeholder": "Escrever Comentário", - "comment-only": "Somente comentários", - "comment-only-desc": "Pode comentar apenas em cartões.", - "computer": "Computador", - "confirm-checklist-delete-dialog": "Tem a certeza de que pretende eliminar lista de verificação", - "copy-card-link-to-clipboard": "Copiar link do cartão para a área de transferência", - "copyCardPopup-title": "Copiar o cartão", - "copyChecklistToManyCardsPopup-title": "Copiar modelo de checklist para vários cartões", - "copyChecklistToManyCardsPopup-instructions": "Títulos e descrições do cartão de destino neste formato JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Título do primeiro cartão\", \"description\":\"Descrição do primeiro cartão\"}, {\"title\":\"Título do segundo cartão\",\"description\":\"Descrição do segundo cartão\"},{\"title\":\"Título do último cartão\",\"description\":\"Descrição do último cartão\"} ]", - "create": "Criar", - "createBoardPopup-title": "Criar Quadro", - "chooseBoardSourcePopup-title": "Importar quadro", - "createLabelPopup-title": "Criar Etiqueta", - "createCustomField": "Criar campo", - "createCustomFieldPopup-title": "Criar campo", - "current": "atual", - "custom-field-delete-pop": "Não existe desfazer. Isso irá remover o campo customizado de todos os cartões e destruir seu histórico", - "custom-field-checkbox": "Caixa de seleção", - "custom-field-date": "Data", - "custom-field-dropdown": "Lista suspensa", - "custom-field-dropdown-none": "(nada)", - "custom-field-dropdown-options": "Lista de opções", - "custom-field-dropdown-options-placeholder": "Pressione enter para adicionar mais opções", - "custom-field-dropdown-unknown": "(desconhecido)", - "custom-field-number": "Número", - "custom-field-text": "Texto", - "custom-fields": "Campos customizados", - "date": "Data", - "decline": "Rejeitar", - "default-avatar": "Avatar padrão", - "delete": "Excluir", - "deleteCustomFieldPopup-title": "Deletar campo customizado?", - "deleteLabelPopup-title": "Excluir Etiqueta?", - "description": "Descrição", - "disambiguateMultiLabelPopup-title": "Desambiguar ações de etiquetas", - "disambiguateMultiMemberPopup-title": "Desambiguar ações de membros", - "discard": "Descartar", - "done": "Feito", - "download": "Baixar", - "edit": "Editar", - "edit-avatar": "Alterar Avatar", - "edit-profile": "Editar Perfil", - "edit-wip-limit": "Editar Limite WIP", - "soft-wip-limit": "Limite de WIP", - "editCardStartDatePopup-title": "Altera data de início", - "editCardDueDatePopup-title": "Altera data fim", - "editCustomFieldPopup-title": "Editar campo", - "editCardSpentTimePopup-title": "Editar tempo gasto", - "editLabelPopup-title": "Alterar Etiqueta", - "editNotificationPopup-title": "Editar Notificações", - "editProfilePopup-title": "Editar Perfil", - "email": "E-mail", - "email-enrollAccount-subject": "Uma conta foi criada para você em __siteName__", - "email-enrollAccount-text": "Olá __user__\npara iniciar utilizando o serviço basta clicar no link abaixo.\n__url__\nMuito Obrigado.", - "email-fail": "Falhou ao enviar email", - "email-fail-text": "Erro ao tentar enviar e-mail", - "email-invalid": "Email inválido", - "email-invite": "Convite via Email", - "email-invite-subject": "__inviter__ lhe enviou um convite", - "email-invite-text": "Caro __user__\n__inviter__ lhe convidou para ingressar no quadro \"__board__\" como colaborador.\nPor favor prossiga através do link abaixo:\n__url__\nMuito obrigado.", - "email-resetPassword-subject": "Redefina sua senha em __siteName__", - "email-resetPassword-text": "Olá __user__\nPara redefinir sua senha, por favor clique no link abaixo.\n__url__\nMuito obrigado.", - "email-sent": "Email enviado", - "email-verifyEmail-subject": "Verifique seu endereço de email em __siteName__", - "email-verifyEmail-text": "Olá __user__\nPara verificar sua conta de email, clique no link abaixo.\n__url__\nObrigado.", - "enable-wip-limit": "Ativar Limite WIP", - "error-board-doesNotExist": "Este quadro não existe", - "error-board-notAdmin": "Você precisa ser administrador desse quadro para fazer isto", - "error-board-notAMember": "Você precisa ser um membro desse quadro para fazer isto", - "error-json-malformed": "Seu texto não é um JSON válido", - "error-json-schema": "Seu JSON não inclui as informações no formato correto", - "error-list-doesNotExist": "Esta lista não existe", - "error-user-doesNotExist": "Este usuário não existe", - "error-user-notAllowSelf": "Você não pode convidar a si mesmo", - "error-user-notCreated": "Este usuário não foi criado", - "error-username-taken": "Esse username já existe", - "error-email-taken": "E-mail já está em uso", - "export-board": "Exportar quadro", - "filter": "Filtrar", - "filter-cards": "Filtrar Cartões", - "filter-clear": "Limpar filtro", - "filter-no-label": "Sem labels", - "filter-no-member": "Sem membros", - "filter-no-custom-fields": "Não há campos customizados", - "filter-on": "Filtro está ativo", - "filter-on-desc": "Você está filtrando cartões neste quadro. Clique aqui para editar o filtro.", - "filter-to-selection": "Filtrar esta seleção", - "advanced-filter-label": "Filtro avançado", - "advanced-filter-description": "Um Filtro Avançado permite escrever uma string contendo os seguintes operadores: == != <= >= && || () Um espaço é utilizado como separador entre os operadores. Você pode filtrar todos os campos customizados digitando seus nomes e valores. Por exemplo: campo1 == valor1. Nota: se campos ou valores contém espaços, você precisa encapsular eles em aspas simples. Por exemplo: 'campo 1' == 'valor 1'. Você também pode combinar múltiplas condições. Por exemplo: F1 == V1 || F1 == V2. Normalmente todos os operadores são interpretados da esquerda para a direita. Você pode mudar a ordem ao incluir parênteses. Por exemplo: F1 == V1 e (F2 == V2 || F2 == V3)", - "fullname": "Nome Completo", - "header-logo-title": "Voltar para a lista de quadros.", - "hide-system-messages": "Esconde mensagens de sistema", - "headerBarCreateBoardPopup-title": "Criar Quadro", - "home": "Início", - "import": "Importar", - "import-board": "importar quadro", - "import-board-c": "Importar quadro", - "import-board-title-trello": "Importar board do Trello", - "import-board-title-wekan": "Importar quadro do Wekan", - "import-sandstorm-warning": "O quadro importado irá excluir todos os dados existentes no quadro e irá sobrescrever com o quadro importado.", - "from-trello": "Do Trello", - "from-wekan": "Do Wekan", - "import-board-instruction-trello": "No seu quadro do Trello, vá em 'Menu', depois em 'Mais', 'Imprimir e Exportar', 'Exportar JSON', então copie o texto emitido", - "import-board-instruction-wekan": "Em seu quadro Wekan, vá para 'Menu', em seguida 'Exportar quadro', e copie o texto no arquivo baixado.", - "import-json-placeholder": "Cole seus dados JSON válidos aqui", - "import-map-members": "Mapear membros", - "import-members-map": "O seu quadro importado tem alguns membros. Por favor determine os membros que você deseja importar para os usuários Wekan", - "import-show-user-mapping": "Revisar mapeamento dos membros", - "import-user-select": "Selecione o usuário Wekan que você gostaria de usar como este membro", - "importMapMembersAddPopup-title": "Seleciona um membro", - "info": "Versão", - "initials": "Iniciais", - "invalid-date": "Data inválida", - "invalid-time": "Hora inválida", - "invalid-user": "Usuário inválido", - "joined": "juntou-se", - "just-invited": "Você já foi convidado para este quadro", - "keyboard-shortcuts": "Atalhos do teclado", - "label-create": "Criar Etiqueta", - "label-default": "%s etiqueta (padrão)", - "label-delete-pop": "Não será possível recuperá-la. A etiqueta será removida de todos os cartões e seu histórico será destruído.", - "labels": "Etiquetas", - "language": "Idioma", - "last-admin-desc": "Você não pode alterar funções porque deve existir pelo menos um administrador.", - "leave-board": "Sair do Quadro", - "leave-board-pop": "Tem a certeza de que pretende sair de __boardTitle__? Você será removido de todos os cartões neste quadro.", - "leaveBoardPopup-title": "Sair do Quadro ?", - "link-card": "Vincular a este cartão", - "list-archive-cards": "Mover todos os cartões nesta lista para a lixeira", - "list-archive-cards-pop": "Isso irá remover todos os cartões nesta lista do quadro. Para visualizar cartões na lixeira e trazê-los de volta ao quadro, clique em \"Menu\" > \"Lixeira\".", - "list-move-cards": "Mover todos os cartões desta lista", - "list-select-cards": "Selecionar todos os cartões nesta lista", - "listActionPopup-title": "Listar Ações", - "swimlaneActionPopup-title": "Ações de Swimlane", - "listImportCardPopup-title": "Importe um cartão do Trello", - "listMorePopup-title": "Mais", - "link-list": "Vincular a esta lista", - "list-delete-pop": "Todas as ações serão removidas da lista de atividades e você não poderá recuperar a lista. Não há como desfazer.", - "list-delete-suggest-archive": "Você pode mover a lista para a lixeira para removê-la do quadro e preservar a atividade.", - "lists": "Listas", - "swimlanes": "Swimlanes", - "log-out": "Sair", - "log-in": "Entrar", - "loginPopup-title": "Entrar", - "memberMenuPopup-title": "Configuração de Membros", - "members": "Membros", - "menu": "Menu", - "move-selection": "Mover seleção", - "moveCardPopup-title": "Mover Cartão", - "moveCardToBottom-title": "Mover para o final", - "moveCardToTop-title": "Mover para o topo", - "moveSelectionPopup-title": "Mover seleção", - "multi-selection": "Multi-Seleção", - "multi-selection-on": "Multi-seleção está ativo", - "muted": "Silenciar", - "muted-info": "Você nunca receberá qualquer notificação desse board", - "my-boards": "Meus Quadros", - "name": "Nome", - "no-archived-cards": "Não há cartões na lixeira", - "no-archived-lists": "Não há listas na lixeira", - "no-archived-swimlanes": "Não há swimlanes na lixeira", - "no-results": "Nenhum resultado.", - "normal": "Normal", - "normal-desc": "Pode ver e editar cartões. Não pode alterar configurações.", - "not-accepted-yet": "Convite ainda não aceito", - "notify-participate": "Receber atualizações de qualquer card que você criar ou participar como membro", - "notify-watch": "Receber atualizações de qualquer board, lista ou cards que você estiver observando", - "optional": "opcional", - "or": "ou", - "page-maybe-private": "Esta página pode ser privada. Você poderá vê-la se estiver logado.", - "page-not-found": "Página não encontrada.", - "password": "Senha", - "paste-or-dragdrop": "para colar, ou arraste e solte o arquivo da imagem para ca (somente imagens)", - "participating": "Participando", - "preview": "Previsualizar", - "previewAttachedImagePopup-title": "Previsualizar", - "previewClipboardImagePopup-title": "Previsualizar", - "private": "Privado", - "private-desc": "Este quadro é privado. Apenas seus membros podem acessar e editá-lo.", - "profile": "Perfil", - "public": "Público", - "public-desc": "Este quadro é público. Ele é visível a qualquer pessoa com o link e será exibido em mecanismos de busca como o Google. Apenas seus membros podem editá-lo.", - "quick-access-description": "Clique na estrela para adicionar um atalho nesta barra.", - "remove-cover": "Remover Capa", - "remove-from-board": "Remover do Quadro", - "remove-label": "Remover Etiqueta", - "listDeletePopup-title": "Excluir Lista ?", - "remove-member": "Remover Membro", - "remove-member-from-card": "Remover do Cartão", - "remove-member-pop": "Remover __name__ (__username__) de __boardTitle__? O membro será removido de todos os cartões neste quadro e será notificado.", - "removeMemberPopup-title": "Remover Membro?", - "rename": "Renomear", - "rename-board": "Renomear Quadro", - "restore": "Restaurar", - "save": "Salvar", - "search": "Buscar", - "search-cards": "Pesquisa em títulos e descrições de cartões neste quadro", - "search-example": "Texto para procurar", - "select-color": "Selecionar Cor", - "set-wip-limit-value": "Defina um limite máximo para o número de tarefas nesta lista", - "setWipLimitPopup-title": "Definir Limite WIP", - "shortcut-assign-self": "Atribuir a si o cartão atual", - "shortcut-autocomplete-emoji": "Autocompletar emoji", - "shortcut-autocomplete-members": "Preenchimento automático de membros", - "shortcut-clear-filters": "Limpar todos filtros", - "shortcut-close-dialog": "Fechar dialogo", - "shortcut-filter-my-cards": "Filtrar meus cartões", - "shortcut-show-shortcuts": "Mostrar lista de atalhos", - "shortcut-toggle-filterbar": "Alternar barra de filtro", - "shortcut-toggle-sidebar": "Fechar barra lateral.", - "show-cards-minimum-count": "Mostrar contador de cards se a lista tiver mais de", - "sidebar-open": "Abrir barra lateral", - "sidebar-close": "Fechar barra lateral", - "signupPopup-title": "Criar uma Conta", - "star-board-title": "Clique para marcar este quadro como favorito. Ele aparecerá no topo na lista dos seus quadros.", - "starred-boards": "Quadros Favoritos", - "starred-boards-description": "Quadros favoritos aparecem no topo da lista dos seus quadros.", - "subscribe": "Acompanhar", - "team": "Equipe", - "this-board": "este quadro", - "this-card": "este cartão", - "spent-time-hours": "Tempo gasto (Horas)", - "overtime-hours": "Tempo extras (Horas)", - "overtime": "Tempo extras", - "has-overtime-cards": "Tem cartões de horas extras", - "has-spenttime-cards": "Gastou cartões de tempo", - "time": "Tempo", - "title": "Título", - "tracking": "Tracking", - "tracking-info": "Você será notificado se houver qualquer alteração em cards em que você é o criador ou membro", - "type": "Tipo", - "unassign-member": "Membro não associado", - "unsaved-description": "Você possui uma descrição não salva", - "unwatch": "Deixar de observar", - "upload": "Upload", - "upload-avatar": "Carregar um avatar", - "uploaded-avatar": "Avatar carregado", - "username": "Nome de usuário", - "view-it": "Visualizar", - "warn-list-archived": "Aviso: este cartão está em uma lista na lixeira", - "watch": "Observar", - "watching": "Observando", - "watching-info": "Você será notificado em qualquer alteração desse board", - "welcome-board": "Board de Boas Vindas", - "welcome-swimlane": "Marco 1", - "welcome-list1": "Básico", - "welcome-list2": "Avançado", - "what-to-do": "O que você gostaria de fazer?", - "wipLimitErrorPopup-title": "Limite WIP Inválido", - "wipLimitErrorPopup-dialog-pt1": "O número de tarefas nesta lista excede o limite WIP definido.", - "wipLimitErrorPopup-dialog-pt2": "Por favor, mova algumas tarefas para fora desta lista, ou defina um limite WIP mais elevado.", - "admin-panel": "Painel Administrativo", - "settings": "Configurações", - "people": "Pessoas", - "registration": "Registro", - "disable-self-registration": "Desabilitar Cadastrar-se", - "invite": "Convite", - "invite-people": "Convide Pessoas", - "to-boards": "Para o/os quadro(s)", - "email-addresses": "Endereço de Email", - "smtp-host-description": "O endereço do servidor SMTP que envia seus emails.", - "smtp-port-description": "A porta que o servidor SMTP usa para enviar os emails.", - "smtp-tls-description": "Habilitar suporte TLS para servidor SMTP", - "smtp-host": "Servidor SMTP", - "smtp-port": "Porta SMTP", - "smtp-username": "Nome de usuário", - "smtp-password": "Senha", - "smtp-tls": "Suporte TLS", - "send-from": "De", - "send-smtp-test": "Enviar um email de teste para você mesmo", - "invitation-code": "Código do Convite", - "email-invite-register-subject": "__inviter__ lhe enviou um convite", - "email-invite-register-text": "Caro __user__,\n\n__inviter__ convidou você para colaborar no Wekan.\n\nPor favor, vá no link abaixo:\n__url__\n\nE seu código de convite é: __icode__\n\nObrigado.", - "email-smtp-test-subject": "Email Teste SMTP de Wekan", - "email-smtp-test-text": "Você enviou um email com sucesso", - "error-invitation-code-not-exist": "O código do convite não existe", - "error-notAuthorized": "Você não está autorizado à ver esta página.", - "outgoing-webhooks": "Webhook de saída", - "outgoingWebhooksPopup-title": "Webhook de saída", - "new-outgoing-webhook": "Novo Webhook de saída", - "no-name": "(Desconhecido)", - "Wekan_version": "Versão do Wekan", - "Node_version": "Versão do Node", - "OS_Arch": "Arquitetura do SO", - "OS_Cpus": "Quantidade de CPUS do SO", - "OS_Freemem": "Memória Disponível do SO", - "OS_Loadavg": "Carga Média do SO", - "OS_Platform": "Plataforma do SO", - "OS_Release": "Versão do SO", - "OS_Totalmem": "Memória Total do SO", - "OS_Type": "Tipo do SO", - "OS_Uptime": "Disponibilidade do SO", - "hours": "horas", - "minutes": "minutos", - "seconds": "segundos", - "show-field-on-card": "Mostrar este campo no cartão", - "yes": "Sim", - "no": "Não", - "accounts": "Contas", - "accounts-allowEmailChange": "Permitir Mudança de Email", - "accounts-allowUserNameChange": "Permitir alteração de nome de usuário", - "createdAt": "Criado em", - "verified": "Verificado", - "active": "Ativo", - "card-received": "Recebido", - "card-received-on": "Recebido em", - "card-end": "Fim", - "card-end-on": "Termina em", - "editCardReceivedDatePopup-title": "Modificar data de recebimento", - "editCardEndDatePopup-title": "Mudar data de fim" -} \ No newline at end of file diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json deleted file mode 100644 index 75c6ae03..00000000 --- a/i18n/pt.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Aceitar", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "Criado %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Adicionar", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", - "addMemberPopup-title": "Membros", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Renomear Quadro", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Etiquetas", - "cardMembersPopup-title": "Membros", - "cardMorePopup-title": "Mais", - "cards": "Cartões", - "cards-count": "Cartões", - "change": "Alterar", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comentário", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computador", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Etiquetas", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "Mais", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Membros", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Nome", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Nenhum resultado", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remover Membro?", - "rename": "Renomear", - "rename-board": "Renomear Quadro", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "Não", - "accounts": "Contas", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verificado", - "active": "Ativo", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" -} \ No newline at end of file diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json deleted file mode 100644 index 3dba2d87..00000000 --- a/i18n/ro.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Accept", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Add", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", - "addMemberPopup-title": "Members", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Ataşament", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Ataşamente", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Înapoi", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Liste", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Members", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Închide", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Iniţiale", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Liste", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Members", - "menu": "Meniu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Nume", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Parolă", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Privat", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profil", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Salvează", - "search": "Caută", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Titlu", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "Ce ai vrea sa faci?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Parolă", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" -} \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json deleted file mode 100644 index 151c386d..00000000 --- a/i18n/ru.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Принять", - "act-activity-notify": "[Wekan] Уведомление о действиях участников", - "act-addAttachment": "вложено __attachment__ в __card__", - "act-addChecklist": "добавил контрольный список __checklist__ в __card__", - "act-addChecklistItem": "добавил __checklistItem__ в контрольный список __checklist__ в __card__", - "act-addComment": "прокомментировал __card__: __comment__", - "act-createBoard": "создал __board__", - "act-createCard": "добавил __card__ в __list__", - "act-createCustomField": "Расширенный фильтр позволяет написать строку, содержащую следующие операторы: ==! = <=> = && || () Пространство используется как разделитель между Операторами. Вы можете фильтровать все пользовательские поля, введя их имена и значения. Например: Field1 == Value1. Примечание. Если поля или значения содержат пробелы, вам необходимо инкапсулировать их в одинарные кавычки. Например: «Поле 1» == «Значение 1». Также вы можете комбинировать несколько условий. Например: F1 == V1 || F1 = V2. Обычно все операторы интерпретируются слева направо. Вы можете изменить порядок, разместив скобки. Например: F1 == V1 и (F2 == V2 || F2 == V3)", - "act-createList": "добавил __list__ для __board__", - "act-addBoardMember": "добавил __member__ в __board__", - "act-archivedBoard": "Доска __board__ перемещена в Корзину", - "act-archivedCard": "Карточка __card__ перемещена в Корзину", - "act-archivedList": "Список __list__ перемещён в Корзину", - "act-archivedSwimlane": "Дорожка __swimlane__ перемещена в Корзину", - "act-importBoard": "__board__ импортирована", - "act-importCard": "__card__ импортирована", - "act-importList": "__list__ импортирован", - "act-joinMember": "добавил __member__ в __card__", - "act-moveCard": "__card__ перемещена из __oldList__ в __list__", - "act-removeBoardMember": "__member__ удален из __board__", - "act-restoredCard": "__card__ востановлена в __board__", - "act-unjoinMember": "__member__ удален из __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Действия", - "activities": "История действий", - "activity": "Действия участников", - "activity-added": "добавил %s на %s", - "activity-archived": "%s перемещено в Корзину", - "activity-attached": "прикрепил %s к %s", - "activity-created": "создал %s", - "activity-customfield-created": "создать настраиваемое поле", - "activity-excluded": "исключил %s из %s", - "activity-imported": "импортировал %s в %s из %s", - "activity-imported-board": "импортировал %s из %s", - "activity-joined": "присоединился к %s", - "activity-moved": "переместил %s из %s в %s", - "activity-on": "%s", - "activity-removed": "удалил %s из %s", - "activity-sent": "отправил %s в %s", - "activity-unjoined": "вышел из %s", - "activity-checklist-added": "добавил контрольный список в %s", - "activity-checklist-item-added": "добавил пункт контрольного списка в '%s' в карточке %s", - "add": "Создать", - "add-attachment": "Добавить вложение", - "add-board": "Добавить доску", - "add-card": "Добавить карту", - "add-swimlane": "Добавить дорожку", - "add-checklist": "Добавить контрольный список", - "add-checklist-item": "Добавить пункт в контрольный список", - "add-cover": "Прикрепить", - "add-label": "Добавить метку", - "add-list": "Добавить простой список", - "add-members": "Добавить участника", - "added": "Добавлено", - "addMemberPopup-title": "Участники", - "admin": "Администратор", - "admin-desc": "Может просматривать и редактировать карточки, удалять участников и управлять настройками доски.", - "admin-announcement": "Объявление", - "admin-announcement-active": "Действующее общесистемное объявление", - "admin-announcement-title": "Объявление от Администратора", - "all-boards": "Все доски", - "and-n-other-card": "И __count__ другая карточка", - "and-n-other-card_plural": "И __count__ другие карточки", - "apply": "Применить", - "app-is-offline": "Wekan загружается, пожалуйста подождите. Обновление страницы может привести к потере данных. Если Wekan не загрузился, пожалуйста проверьте что связь с сервером доступна.", - "archive": "Переместить в Корзину", - "archive-all": "Переместить всё в Корзину", - "archive-board": "Переместить Доску в Корзину", - "archive-card": "Переместить Карточку в Корзину", - "archive-list": "Переместить Список в Корзину", - "archive-swimlane": "Переместить Дорожку в Корзину", - "archive-selection": "Переместить выбранное в Корзину", - "archiveBoardPopup-title": "Переместить Доску в Корзину?", - "archived-items": "Корзина", - "archived-boards": "Доски находящиеся в Корзине", - "restore-board": "Востановить доску", - "no-archived-boards": "В Корзине нет никаких Досок", - "archives": "Корзина", - "assign-member": "Назначить участника", - "attached": "прикреплено", - "attachment": "Вложение", - "attachment-delete-pop": "Если удалить вложение, его нельзя будет восстановить.", - "attachmentDeletePopup-title": "Удалить вложение?", - "attachments": "Вложения", - "auto-watch": "Автоматически следить за созданными досками", - "avatar-too-big": "Аватар слишком большой (максимум 70КБ)", - "back": "Назад", - "board-change-color": "Изменить цвет", - "board-nb-stars": "%s избранное", - "board-not-found": "Доска не найдена", - "board-private-info": "Это доска будет частной.", - "board-public-info": "Эта доска будет доступной всем.", - "boardChangeColorPopup-title": "Изменить фон доски", - "boardChangeTitlePopup-title": "Переименовать доску", - "boardChangeVisibilityPopup-title": "Изменить настройки видимости", - "boardChangeWatchPopup-title": "Изменить Отслеживание", - "boardMenuPopup-title": "Меню доски", - "boards": "Доски", - "board-view": "Вид доски", - "board-view-swimlanes": "Дорожки", - "board-view-lists": "Списки", - "bucket-example": "Например “Список дел”", - "cancel": "Отмена", - "card-archived": "Эта карточка перемещена в Корзину", - "card-comments-title": "Комментарии (%s)", - "card-delete-notice": "Это действие невозможно будет отменить. Все изменения, которые вы вносили в карточку будут потеряны.", - "card-delete-pop": "Все действия будут удалены из ленты активности участников и вы не сможете заново открыть карточку. Действие необратимо", - "card-delete-suggest-archive": "Вы можете переместить карточку в Корзину, чтобы удалить ее с доски и сохранить активность .", - "card-due": "Выполнить к", - "card-due-on": "Выполнить до", - "card-spent": "Затраченное время", - "card-edit-attachments": "Изменить вложения", - "card-edit-custom-fields": "Редактировать настраиваемые поля", - "card-edit-labels": "Изменить метку", - "card-edit-members": "Изменить участников", - "card-labels-title": "Изменить метки для этой карточки.", - "card-members-title": "Добавить или удалить с карточки участников доски.", - "card-start": "Дата начала", - "card-start-on": "Начнётся с", - "cardAttachmentsPopup-title": "Прикрепить из", - "cardCustomField-datePopup-title": "Изменить дату", - "cardCustomFieldsPopup-title": "редактировать настраиваемые поля", - "cardDeletePopup-title": "Удалить карточку?", - "cardDetailsActionsPopup-title": "Действия в карточке", - "cardLabelsPopup-title": "Метки", - "cardMembersPopup-title": "Участники", - "cardMorePopup-title": "Поделиться", - "cards": "Карточки", - "cards-count": "Карточки", - "change": "Изменить", - "change-avatar": "Изменить аватар", - "change-password": "Изменить пароль", - "change-permissions": "Изменить права доступа", - "change-settings": "Изменить настройки", - "changeAvatarPopup-title": "Изменить аватар", - "changeLanguagePopup-title": "Сменить язык", - "changePasswordPopup-title": "Изменить пароль", - "changePermissionsPopup-title": "Изменить настройки доступа", - "changeSettingsPopup-title": "Изменить Настройки", - "checklists": "Контрольные списки", - "click-to-star": "Добавить в «Избранное»", - "click-to-unstar": "Удалить из «Избранного»", - "clipboard": "Буфер обмена или drag & drop", - "close": "Закрыть", - "close-board": "Закрыть доску", - "close-board-pop": "Вы можете восстановить доску, нажав “Корзина” в заголовке.", - "color-black": "черный", - "color-blue": "синий", - "color-green": "зеленый", - "color-lime": "лимоновый", - "color-orange": "оранжевый", - "color-pink": "розовый", - "color-purple": "фиолетовый", - "color-red": "красный", - "color-sky": "голубой", - "color-yellow": "желтый", - "comment": "Добавить комментарий", - "comment-placeholder": "Написать комментарий", - "comment-only": "Только комментирование", - "comment-only-desc": "Может комментировать только карточки.", - "computer": "Загрузить с компьютера", - "confirm-checklist-delete-dialog": "Вы уверены, что хотите удалить контрольный список?", - "copy-card-link-to-clipboard": "Копировать ссылку на карточку в буфер обмена", - "copyCardPopup-title": "Копировать карточку", - "copyChecklistToManyCardsPopup-title": "Копировать шаблон контрольного списка в несколько карточек", - "copyChecklistToManyCardsPopup-instructions": "Названия и описания целевых карт в формате JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Создать", - "createBoardPopup-title": "Создать доску", - "chooseBoardSourcePopup-title": "Импортировать доску", - "createLabelPopup-title": "Создать метку", - "createCustomField": "Создать поле", - "createCustomFieldPopup-title": "Создать поле", - "current": "текущий", - "custom-field-delete-pop": "Отменить нельзя. Это удалит настраиваемое поле со всех карт и уничтожит его историю.", - "custom-field-checkbox": "Галочка", - "custom-field-date": "Дата", - "custom-field-dropdown": "Выпадающий список", - "custom-field-dropdown-none": "(нет)", - "custom-field-dropdown-options": "Параметры списка", - "custom-field-dropdown-options-placeholder": "Нажмите «Ввод», чтобы добавить дополнительные параметры.", - "custom-field-dropdown-unknown": "(неизвестно)", - "custom-field-number": "Номер", - "custom-field-text": "Текст", - "custom-fields": "Настраиваемые поля", - "date": "Дата", - "decline": "Отклонить", - "default-avatar": "Аватар по умолчанию", - "delete": "Удалить", - "deleteCustomFieldPopup-title": "Удалить настраиваемые поля?", - "deleteLabelPopup-title": "Удалить метку?", - "description": "Описание", - "disambiguateMultiLabelPopup-title": "Разрешить конфликт меток", - "disambiguateMultiMemberPopup-title": "Разрешить конфликт участников", - "discard": "Отказать", - "done": "Готово", - "download": "Скачать", - "edit": "Редактировать", - "edit-avatar": "Изменить аватар", - "edit-profile": "Изменить профиль", - "edit-wip-limit": " Изменить лимит на кол-во задач", - "soft-wip-limit": "Мягкий лимит на кол-во задач", - "editCardStartDatePopup-title": "Изменить дату начала", - "editCardDueDatePopup-title": "Изменить дату выполнения", - "editCustomFieldPopup-title": "Редактировать поле", - "editCardSpentTimePopup-title": "Изменить затраченное время", - "editLabelPopup-title": "Изменить метки", - "editNotificationPopup-title": "Редактировать уведомления", - "editProfilePopup-title": "Редактировать профиль", - "email": "Эл.почта", - "email-enrollAccount-subject": "Аккаунт создан для вас здесь __url__", - "email-enrollAccount-text": "Привет __user__,\n\nДля того, чтобы начать использовать сервис, просто нажми на ссылку ниже.\n\n__url__\n\nСпасибо.", - "email-fail": "Отправка письма на EMail не удалась", - "email-fail-text": "Ошибка при попытке отправить письмо", - "email-invalid": "Неверный адрес электронной почти", - "email-invite": "Пригласить по электронной почте", - "email-invite-subject": "__inviter__ прислал вам приглашение", - "email-invite-text": "Дорогой __user__,\n\n__inviter__ пригласил вас присоединиться к доске \"__board__\" для сотрудничества.\n\nПожалуйста проследуйте по ссылке ниже:\n\n__url__\n\nСпасибо.", - "email-resetPassword-subject": "Перейдите по ссылке, чтобы сбросить пароль __url__", - "email-resetPassword-text": "Привет __user__,\n\nДля сброса пароля перейдите по ссылке ниже.\n\n__url__\n\nThanks.", - "email-sent": "Письмо отправлено", - "email-verifyEmail-subject": "Подтвердите вашу эл.почту перейдя по ссылке __url__", - "email-verifyEmail-text": "Привет __user__,\n\nДля подтверждения вашей электронной почты перейдите по ссылке ниже.\n\n__url__\n\nСпасибо.", - "enable-wip-limit": "Включить лимит на кол-во задач", - "error-board-doesNotExist": "Доска не найдена", - "error-board-notAdmin": "Вы должны обладать правами администратора этой доски, чтобы сделать это", - "error-board-notAMember": "Вы должны быть участником доски, чтобы сделать это", - "error-json-malformed": "Ваше текст не является правильным JSON", - "error-json-schema": "Содержимое вашего JSON не содержит информацию в корректном формате", - "error-list-doesNotExist": "Список не найден", - "error-user-doesNotExist": "Пользователь не найден", - "error-user-notAllowSelf": "Вы не можете пригласить себя", - "error-user-notCreated": "Пользователь не создан", - "error-username-taken": "Это имя пользователя уже занято", - "error-email-taken": "Этот адрес уже занят", - "export-board": "Экспортировать доску", - "filter": "Фильтр", - "filter-cards": "Фильтр карточек", - "filter-clear": "Очистить фильтр", - "filter-no-label": "Нет метки", - "filter-no-member": "Нет участников", - "filter-no-custom-fields": "Нет настраиваемых полей", - "filter-on": "Включен фильтр", - "filter-on-desc": "Показываются карточки, соответствующие настройкам фильтра. Нажмите для редактирования.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Расширенный фильтр", - "advanced-filter-description": "Расширенный фильтр позволяет написать строку, содержащую следующие операторы: ==! = <=> = && || () Пространство используется как разделитель между Операторами. Вы можете фильтровать все пользовательские поля, введя их имена и значения. Например: Field1 == Value1. Примечание: Если поля или значения содержат пробелы, вам необходимо 'брать' их в одинарные кавычки. Например: 'Поле 1' == 'Значение 1'. Также вы можете комбинировать несколько условий. Например: F1 == V1 || F1 = V2. Обычно все операторы интерпретируются слева направо. Вы можете изменить порядок, разместив скобки. Например: F1 == V1 и (F2 == V2 || F2 == V3)", - "fullname": "Полное имя", - "header-logo-title": "Вернуться к доскам.", - "hide-system-messages": "Скрыть системные сообщения", - "headerBarCreateBoardPopup-title": "Создать доску", - "home": "Главная", - "import": "Импорт", - "import-board": "импортировать доску", - "import-board-c": "Импортировать доску", - "import-board-title-trello": "Импортировать доску из Trello", - "import-board-title-wekan": "Импортировать доску из Wekan", - "import-sandstorm-warning": "Импортированная доска удалит все существующие данные на текущей доске и заменит её импортированной доской.", - "from-trello": "Из Trello", - "from-wekan": "Из Wekan", - "import-board-instruction-trello": "На вашей Trello доске нажмите “Menu” - “More” - “Print and export - “Export JSON” и скопируйте полученный текст", - "import-board-instruction-wekan": "На вашей Wekan доске, перейдите в “Меню”, далее “Экспортировать доску” и скопируйте текст из скачаного файла", - "import-json-placeholder": "Вставьте JSON сюда", - "import-map-members": "Составить карту участников", - "import-members-map": "Вы импортировали доску с участниками. Пожалуйста, составьте карту участников, которых вы хотите импортировать в качестве пользователей Wekan", - "import-show-user-mapping": "Проверить карту участников", - "import-user-select": "Выберите пользователя Wekan, которого вы хотите использовать в качестве участника", - "importMapMembersAddPopup-title": "Выбрать участника Wekan", - "info": "Версия", - "initials": "Инициалы", - "invalid-date": "Неверная дата", - "invalid-time": "Некорректное время", - "invalid-user": "Неверный пользователь", - "joined": "вступил", - "just-invited": "Вас только что пригласили на эту доску", - "keyboard-shortcuts": "Сочетания клавиш", - "label-create": "Создать метку", - "label-default": "%sметка (по умолчанию)", - "label-delete-pop": "Это действие невозможно будет отменить. Эта метка будут удалена во всех карточках. Также будет удалена вся история этой метки.", - "labels": "Метки", - "language": "Язык", - "last-admin-desc": "Вы не можете изменять роли, для этого требуются права администратора.", - "leave-board": "Покинуть доску", - "leave-board-pop": "Вы уверенны, что хотите покинуть __boardTitle__? Вы будете удалены из всех карточек на этой доске.", - "leaveBoardPopup-title": "Покинуть доску?", - "link-card": "Доступна по ссылке", - "list-archive-cards": "Переместить все карточки в этом списке в Корзину", - "list-archive-cards-pop": "Это действие переместит все карточки в Корзину и они перестанут быть видимым на доске. Для просмотра карточек в Корзине и их восстановления нажмите “Меню” > “Корзина”.", - "list-move-cards": "Переместить все карточки в этом списке", - "list-select-cards": "Выбрать все карточки в этом списке", - "listActionPopup-title": "Список действий", - "swimlaneActionPopup-title": "Действия с дорожкой", - "listImportCardPopup-title": "Импортировать Trello карточку", - "listMorePopup-title": "Поделиться", - "link-list": "Ссылка на список", - "list-delete-pop": "Все действия будут удалены из ленты активности участников и вы не сможете восстановить список. Данное действие необратимо.", - "list-delete-suggest-archive": "Вы можете переместить карточку в Корзину, чтобы удалить ее с доски и сохранить активность .", - "lists": "Списки", - "swimlanes": "Дорожки", - "log-out": "Выйти", - "log-in": "Войти", - "loginPopup-title": "Войти", - "memberMenuPopup-title": "Настройки участника", - "members": "Участники", - "menu": "Меню", - "move-selection": "Переместить выделение", - "moveCardPopup-title": "Переместить карточку", - "moveCardToBottom-title": "Переместить вниз", - "moveCardToTop-title": "Переместить вверх", - "moveSelectionPopup-title": "Переместить выделение", - "multi-selection": "Выбрать несколько", - "multi-selection-on": "Выбрать несколько из", - "muted": "Заглушен", - "muted-info": "Вы НИКОГДА не будете уведомлены ни о каких изменениях в этой доске.", - "my-boards": "Мои доски", - "name": "Имя", - "no-archived-cards": "В Корзине нет никаких Карточек", - "no-archived-lists": "В Корзине нет никаких Списков", - "no-archived-swimlanes": "В Корзине нет никаких Дорожек", - "no-results": "Ничего не найдено", - "normal": "Обычный", - "normal-desc": "Может редактировать карточки. Не может управлять настройками.", - "not-accepted-yet": "Приглашение еще не принято", - "notify-participate": "Получать обновления по любым карточкам, которые вы создавали или участником которых являетесь.", - "notify-watch": "Получать обновления по любым доскам, спискам и карточкам, на которые вы подписаны как наблюдатель.", - "optional": "не обязательно", - "or": "или", - "page-maybe-private": "Возможно, эта страница скрыта от незарегистрированных пользователей. Попробуйте войти на сайт.", - "page-not-found": "Страница не найдена.", - "password": "Пароль", - "paste-or-dragdrop": "вставьте, или перетащите файл с изображением сюда (только графический файл)", - "participating": "Участвую", - "preview": "Предпросмотр", - "previewAttachedImagePopup-title": "Предпросмотр", - "previewClipboardImagePopup-title": "Предпросмотр", - "private": "Закрытая", - "private-desc": "Эта доска с ограниченным доступом. Только участники могут работать с ней.", - "profile": "Профиль", - "public": "Открытая", - "public-desc": "Эта доска может быть видна всем у кого есть ссылка. Также может быть проиндексирована поисковыми системами. Вносить изменения могут только участники.", - "quick-access-description": "Нажмите на звезду, что добавить ярлык доски на панель.", - "remove-cover": "Открепить", - "remove-from-board": "Удалить с доски", - "remove-label": "Удалить метку", - "listDeletePopup-title": "Удалить список?", - "remove-member": "Удалить участника", - "remove-member-from-card": "Удалить из карточки", - "remove-member-pop": "Удалить участника __name__ (__username__) из доски __boardTitle__? Участник будет удален из всех карточек на этой доске. Также он получит уведомление о совершаемом действии.", - "removeMemberPopup-title": "Удалить участника?", - "rename": "Переименовать", - "rename-board": "Переименовать доску", - "restore": "Восстановить", - "save": "Сохранить", - "search": "Поиск", - "search-cards": "Искать в названиях и описаниях карточек на этой доске", - "search-example": "Искать текст?", - "select-color": "Выбрать цвет", - "set-wip-limit-value": "Устанавливает ограничение на максимальное количество задач в этом списке", - "setWipLimitPopup-title": "Задать лимит на кол-во задач", - "shortcut-assign-self": "Связать себя с текущей карточкой", - "shortcut-autocomplete-emoji": "Автозаполнение emoji", - "shortcut-autocomplete-members": "Автозаполнение участников", - "shortcut-clear-filters": "Сбросить все фильтры", - "shortcut-close-dialog": "Закрыть диалог", - "shortcut-filter-my-cards": "Показать мои карточки", - "shortcut-show-shortcuts": "Поднять список ярлыков", - "shortcut-toggle-filterbar": "Переместить фильтр на бововую панель", - "shortcut-toggle-sidebar": "Переместить доску на боковую панель", - "show-cards-minimum-count": "Показывать количество карточек если их больше", - "sidebar-open": "Открыть Панель", - "sidebar-close": "Скрыть Панель", - "signupPopup-title": "Создать учетную запись", - "star-board-title": "Добавить в «Избранное». Эта доска будет всегда на виду.", - "starred-boards": "Добавленные в «Избранное»", - "starred-boards-description": "Избранные доски будут всегда вверху списка.", - "subscribe": "Подписаться", - "team": "Участники", - "this-board": "эту доску", - "this-card": "текущая карточка", - "spent-time-hours": "Затраченное время (в часах)", - "overtime-hours": "Переработка (в часах)", - "overtime": "Переработка", - "has-overtime-cards": "Имеются карточки с переработкой", - "has-spenttime-cards": "Имеются карточки с учетом затраченного времени", - "time": "Время", - "title": "Название", - "tracking": "Отслеживание", - "tracking-info": "Вы будете уведомлены о любых изменениях в тех карточках, в которых вы являетесь создателем или участником.", - "type": "Тип", - "unassign-member": "Отменить назначение участника", - "unsaved-description": "У вас есть несохраненное описание.", - "unwatch": "Перестать следить", - "upload": "Загрузить", - "upload-avatar": "Загрузить аватар", - "uploaded-avatar": "Загруженный аватар", - "username": "Имя пользователя", - "view-it": "Просмотреть", - "warn-list-archived": "Внимание: Данная карточка находится в списке, который перемещен в Корзину", - "watch": "Следить", - "watching": "Отслеживается", - "watching-info": "Вы будете уведомлены об любых изменениях в этой доске.", - "welcome-board": "Приветственная Доска", - "welcome-swimlane": "Этап 1", - "welcome-list1": "Основы", - "welcome-list2": "Расширенно", - "what-to-do": "Что вы хотите сделать?", - "wipLimitErrorPopup-title": "Некорректный лимит на кол-во задач", - "wipLimitErrorPopup-dialog-pt1": "Количество задач в этом списке превышает установленный вами лимит", - "wipLimitErrorPopup-dialog-pt2": "Пожалуйста, перенесите некоторые задачи из этого списка или увеличьте лимит на кол-во задач", - "admin-panel": "Административная Панель", - "settings": "Настройки", - "people": "Люди", - "registration": "Регистрация", - "disable-self-registration": "Отключить самостоятельную регистрацию", - "invite": "Пригласить", - "invite-people": "Пригласить людей", - "to-boards": "В Доску(и)", - "email-addresses": "Email адрес", - "smtp-host-description": "Адрес SMTP сервера, который отправляет ваши электронные письма.", - "smtp-port-description": "Порт который SMTP-сервер использует для исходящих сообщений.", - "smtp-tls-description": "Включить поддержку TLS для SMTP сервера", - "smtp-host": "SMTP Хост", - "smtp-port": "SMTP Порт", - "smtp-username": "Имя пользователя", - "smtp-password": "Пароль", - "smtp-tls": "поддержка TLS", - "send-from": "От", - "send-smtp-test": "Отправьте тестовое письмо себе", - "invitation-code": "Код приглашения", - "email-invite-register-subject": "__inviter__ прислал вам приглашение", - "email-invite-register-text": "Уважаемый __user__,\n\n__inviter__ приглашает вас в Wekan для сотрудничества.\n\nПожалуйста, проследуйте по ссылке:\n__url__\n\nВаш код приглашения: __icode__\n\nСпасибо.", - "email-smtp-test-subject": "SMTP Тестовое письмо от Wekan", - "email-smtp-test-text": "Вы успешно отправили письмо", - "error-invitation-code-not-exist": "Код приглашения не существует", - "error-notAuthorized": "У вас нет доступа на просмотр этой страницы.", - "outgoing-webhooks": "Исходящие Веб-хуки", - "outgoingWebhooksPopup-title": "Исходящие Веб-хуки", - "new-outgoing-webhook": "Новый исходящий Веб-хук", - "no-name": "(Неизвестный)", - "Wekan_version": "Версия Wekan", - "Node_version": "Версия NodeJS", - "OS_Arch": "Архитектура", - "OS_Cpus": "Количество процессоров", - "OS_Freemem": "Свободная память", - "OS_Loadavg": "Средняя загрузка", - "OS_Platform": "Платформа", - "OS_Release": "Релиз", - "OS_Totalmem": "Общая память", - "OS_Type": "Тип ОС", - "OS_Uptime": "Время работы", - "hours": "часы", - "minutes": "минуты", - "seconds": "секунды", - "show-field-on-card": "Показать это поле на карте", - "yes": "Да", - "no": "Нет", - "accounts": "Учетные записи", - "accounts-allowEmailChange": "Разрешить изменение электронной почты", - "accounts-allowUserNameChange": "Разрешить изменение имени пользователя", - "createdAt": "Создано на", - "verified": "Проверено", - "active": "Действующий", - "card-received": "Получено", - "card-received-on": "Получено с", - "card-end": "Дата окончания", - "card-end-on": "Завершится до", - "editCardReceivedDatePopup-title": "Изменить дату получения", - "editCardEndDatePopup-title": "Изменить дату завершения" -} \ No newline at end of file diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json deleted file mode 100644 index e51a9343..00000000 --- a/i18n/sr.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Prihvati", - "act-activity-notify": "[Wekan] Obaveštenje o aktivnostima", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Akcije", - "activities": "Aktivnosti", - "activity": "Aktivnost", - "activity-added": "dodao %s u %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "prikačio %s u %s", - "activity-created": "kreirao %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "izuzmi %s iz %s", - "activity-imported": "uvezao %s u %s iz %s", - "activity-imported-board": "uvezao %s iz %s", - "activity-joined": "spojio %s", - "activity-moved": "premestio %s iz %s u %s", - "activity-on": "na %s", - "activity-removed": "uklonio %s iz %s", - "activity-sent": "poslao %s %s-u", - "activity-unjoined": "rastavio %s", - "activity-checklist-added": "lista je dodata u %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Dodaj", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Dodaj novu stavku u listu", - "add-cover": "Dodaj zaglavlje", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Dodaj Članove", - "added": "Dodao", - "addMemberPopup-title": "Članovi", - "admin": "Administrator", - "admin-desc": "Može da pregleda i menja kartice, uklanja članove i menja podešavanja table", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "Sve table", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Primeni", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Dodeli člana", - "attached": "Prikačeno", - "attachment": "Prikačeni dokument", - "attachment-delete-pop": "Brisanje prikačenog dokumenta je trajno. Ne postoji vraćanje obrisanog.", - "attachmentDeletePopup-title": "Obrisati prikačeni dokument ?", - "attachments": "Prikačeni dokumenti", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Nazad", - "board-change-color": "Promeni boju", - "board-nb-stars": "%s zvezdice", - "board-not-found": "Tabla nije pronađena", - "board-private-info": "Ova tabla će biti privatna.", - "board-public-info": "Ova tabla će biti javna.", - "boardChangeColorPopup-title": "Promeni pozadinu table", - "boardChangeTitlePopup-title": "Preimenuj tablu", - "boardChangeVisibilityPopup-title": "Promeni Vidljivost", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Meni table", - "boards": "Table", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Na primer \"Lista zadataka\"", - "cancel": "Otkaži", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "Ova kartica ima %s komentar.", - "card-delete-notice": "Brisanje je trajno. Izgubićeš sve akcije povezane sa ovom karticom.", - "card-delete-pop": "Sve akcije će biti uklonjene sa liste aktivnosti i kartica neće moći biti ponovo otvorena. Nema vraćanja unazad.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Krajnji datum", - "card-due-on": "Završava se", - "card-spent": "Spent Time", - "card-edit-attachments": "Uredi priloge", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Uredi natpise", - "card-edit-members": "Uredi članove", - "card-labels-title": "Promeni natpis na kartici.", - "card-members-title": "Dodaj ili ukloni članove table sa kartice.", - "card-start": "Početak", - "card-start-on": "Počinje", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Članovi", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Izmeni podešavanja", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Izmeni podešavanja", - "checklists": "Liste", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Datum", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Datum", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Izmeni početni datum", - "editCardDueDatePopup-title": "Izmeni krajnji datum", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Izmeni notifikaciju", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "Korisničko ime je već zauzeto", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "Nema oznake", - "filter-no-member": "Nema člana", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Sakrij sistemske poruke", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Uvezi tablu iz Trella", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Mapiraj članove", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Izaberi člana Wekan-a", - "info": "Version", - "initials": "Initials", - "invalid-date": "Neispravan datum", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Članovi", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Premesti na dno", - "moveCardToTop-title": "Premesti na vrh", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Utišano", - "muted-info": "Nećete biti obavešteni o promenama u ovoj tabli", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Nema rezultata", - "normal": "Normalno", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Budite obavešteni o novim događajima u tablama, listama ili karticama koje pratite.", - "optional": "opciono", - "or": "ili", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Stranica nije pronađena.", - "password": "Lozinka", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Učestvujem", - "preview": "Prikaz", - "previewAttachedImagePopup-title": "Prikaz", - "previewClipboardImagePopup-title": "Prikaz", - "private": "Privatno", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profil", - "public": "Javno", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Ukloni iz table", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Ukloni člana", - "remove-member-from-card": "Ukloni iz kartice", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Ukloni člana ?", - "rename": "Preimenuj", - "rename-board": "Preimenuj tablu", - "restore": "Oporavi", - "save": "Snimi", - "search": "Pretraga", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Pridruži sebe trenutnoj kartici", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Sam popuni članove", - "shortcut-clear-filters": "Očisti sve filtere", - "shortcut-close-dialog": "Zatvori dijalog", - "shortcut-filter-my-cards": "Filtriraj kartice", - "shortcut-show-shortcuts": "Prikaži ovu listu prečica", - "shortcut-toggle-filterbar": "Uključi ili isključi bočni meni filtera", - "shortcut-toggle-sidebar": "Uključi ili isključi bočni meni table", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Kreiraj nalog", - "star-board-title": "Klikni da označiš zvezdicom ovu tablu. Pokazaće se na vrhu tvoje liste tabli.", - "starred-boards": "Table sa zvezdicom", - "starred-boards-description": "Table sa zvezdicom se pokazuju na vrhu liste tabli.", - "subscribe": "Pretplati se", - "team": "Tim", - "this-board": "ova tabla", - "this-card": "ova kartica", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Vreme", - "title": "Naslov", - "tracking": "Praćenje", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "Imaš nesnimljen opis.", - "unwatch": "Ne posmatraj", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Korisničko ime", - "view-it": "Pregledaj je", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Posmatraj", - "watching": "Posmatranje", - "watching-info": "Bićete obavešteni o promenama u ovoj tabli", - "welcome-board": "Tabla dobrodošlice", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Osnove", - "welcome-list2": "Napredno", - "what-to-do": "Šta želiš da uradiš ?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Korisničko ime", - "smtp-password": "Lozinka", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" -} \ No newline at end of file diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json deleted file mode 100644 index 2aa74df1..00000000 --- a/i18n/sv.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Acceptera", - "act-activity-notify": "[Wekan] Aktivitetsavisering", - "act-addAttachment": "bifogade __attachment__ to __card__", - "act-addChecklist": "lade till checklist __checklist__ till __card__", - "act-addChecklistItem": "lade till __checklistItem__ till checklistan __checklist__ on __card__", - "act-addComment": "kommenterade __card__: __comment__", - "act-createBoard": "skapade __board__", - "act-createCard": "lade till __card__ to __list__", - "act-createCustomField": "skapa anpassat fält __customField__", - "act-createList": "lade till __list__ to __board__", - "act-addBoardMember": "lade till __member__ to __board__", - "act-archivedBoard": "__board__ flyttad till papperskorgen", - "act-archivedCard": "__card__ flyttad till papperskorgen", - "act-archivedList": "__list__ flyttad till papperskorgen", - "act-archivedSwimlane": "__swimlane__ flyttad till papperskorgen", - "act-importBoard": "importerade __board__", - "act-importCard": "importerade __card__", - "act-importList": "importerade __list__", - "act-joinMember": "lade __member__ till __card__", - "act-moveCard": "flyttade __card__ från __oldList__ till __list__", - "act-removeBoardMember": "tog bort __member__ från __board__", - "act-restoredCard": "återställde __card__ to __board__", - "act-unjoinMember": "tog bort __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Åtgärder", - "activities": "Aktiviteter", - "activity": "Aktivitet", - "activity-added": "Lade %s till %s", - "activity-archived": "%s flyttad till papperskorgen", - "activity-attached": "bifogade %s to %s", - "activity-created": "skapade %s", - "activity-customfield-created": "skapa anpassat fält %s", - "activity-excluded": "exkluderade %s från %s", - "activity-imported": "importerade %s till %s från %s", - "activity-imported-board": "importerade %s från %s", - "activity-joined": "anslöt sig till %s", - "activity-moved": "tog bort %s från %s till %s", - "activity-on": "på %s", - "activity-removed": "tog bort %s från %s", - "activity-sent": "skickade %s till %s", - "activity-unjoined": "gick ur %s", - "activity-checklist-added": "lade kontrollista till %s", - "activity-checklist-item-added": "lade checklista objekt till '%s' i %s", - "add": "Lägg till", - "add-attachment": "Lägg till bilaga", - "add-board": "Lägg till anslagstavla", - "add-card": "Lägg till kort", - "add-swimlane": "Lägg till simbana", - "add-checklist": "Lägg till checklista", - "add-checklist-item": "Lägg till ett objekt till kontrollista", - "add-cover": "Lägg till omslag", - "add-label": "Lägg till etikett", - "add-list": "Lägg till lista", - "add-members": "Lägg till medlemmar", - "added": "Lade till", - "addMemberPopup-title": "Medlemmar", - "admin": "Adminstratör", - "admin-desc": "Kan visa och redigera kort, ta bort medlemmar och ändra inställningarna för anslagstavlan.", - "admin-announcement": "Meddelande", - "admin-announcement-active": "Aktivt system-brett meddelande", - "admin-announcement-title": "Meddelande från administratör", - "all-boards": "Alla anslagstavlor", - "and-n-other-card": "Och __count__ annat kort", - "and-n-other-card_plural": "Och __count__ andra kort", - "apply": "Tillämpa", - "app-is-offline": "Wekan laddar, vänta. Uppdatering av sidan kommer att leda till förlust av data. Om Wekan inte laddas, kontrollera att Wekan-servern inte har stoppats.", - "archive": "Flytta till papperskorgen", - "archive-all": "Flytta alla till papperskorgen", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Flytta kort till papperskorgen", - "archive-list": "Flytta lista till papperskorgen", - "archive-swimlane": "Flytta simbana till papperskorgen", - "archive-selection": "Flytta val till papperskorgen", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Papperskorgen", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Återställ anslagstavla", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Papperskorgen", - "assign-member": "Tilldela medlem", - "attached": "bifogad", - "attachment": "Bilaga", - "attachment-delete-pop": "Ta bort en bilaga är permanent. Det går inte att ångra.", - "attachmentDeletePopup-title": "Ta bort bilaga?", - "attachments": "Bilagor", - "auto-watch": "Bevaka automatiskt anslagstavlor när de skapas", - "avatar-too-big": "Avatar är för stor (70KB max)", - "back": "Tillbaka", - "board-change-color": "Ändra färg", - "board-nb-stars": "%s stjärnor", - "board-not-found": "Anslagstavla hittades inte", - "board-private-info": "Denna anslagstavla kommer att vara privat.", - "board-public-info": "Denna anslagstavla kommer att vara officiell.", - "boardChangeColorPopup-title": "Ändra bakgrund på anslagstavla", - "boardChangeTitlePopup-title": "Byt namn på anslagstavla", - "boardChangeVisibilityPopup-title": "Ändra synlighet", - "boardChangeWatchPopup-title": "Ändra bevaka", - "boardMenuPopup-title": "Anslagstavla meny", - "boards": "Anslagstavlor", - "board-view": "Board View", - "board-view-swimlanes": "Simbanor", - "board-view-lists": "Listor", - "bucket-example": "Gilla \"att-göra-innan-jag-dör-lista\" till exempel", - "cancel": "Avbryt", - "card-archived": "Detta kort flyttas till papperskorgen.", - "card-comments-title": "Detta kort har %s kommentar.", - "card-delete-notice": "Ta bort är permanent. Du kommer att förlora alla åtgärder i samband med detta kort.", - "card-delete-pop": "Alla åtgärder kommer att tas bort från aktivitetsflöde och du kommer inte att kunna öppna kortet igen. Det går inte att ångra.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Förfaller", - "card-due-on": "Förfaller på", - "card-spent": "Spenderad tid", - "card-edit-attachments": "Redigera bilaga", - "card-edit-custom-fields": "Redigera anpassade fält", - "card-edit-labels": "Redigera etiketter", - "card-edit-members": "Redigera medlemmar", - "card-labels-title": "Ändra etiketter för kortet.", - "card-members-title": "Lägg till eller ta bort medlemmar av anslagstavlan från kortet.", - "card-start": "Börja", - "card-start-on": "Börja med", - "cardAttachmentsPopup-title": "Bifoga från", - "cardCustomField-datePopup-title": "Ändra datum", - "cardCustomFieldsPopup-title": "Redigera anpassade fält", - "cardDeletePopup-title": "Ta bort kort?", - "cardDetailsActionsPopup-title": "Kortåtgärder", - "cardLabelsPopup-title": "Etiketter", - "cardMembersPopup-title": "Medlemmar", - "cardMorePopup-title": "Mera", - "cards": "Kort", - "cards-count": "Kort", - "change": "Ändra", - "change-avatar": "Ändra avatar", - "change-password": "Ändra lösenord", - "change-permissions": "Ändra behörigheter", - "change-settings": "Ändra inställningar", - "changeAvatarPopup-title": "Ändra avatar", - "changeLanguagePopup-title": "Ändra språk", - "changePasswordPopup-title": "Ändra lösenord", - "changePermissionsPopup-title": "Ändra behörigheter", - "changeSettingsPopup-title": "Ändra inställningar", - "checklists": "Kontrollistor", - "click-to-star": "Klicka för att stjärnmärka denna anslagstavla.", - "click-to-unstar": "Klicka för att ta bort stjärnmärkningen från denna anslagstavla.", - "clipboard": "Urklipp eller dra och släpp", - "close": "Stäng", - "close-board": "Stäng anslagstavla", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "svart", - "color-blue": "blå", - "color-green": "grön", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "rosa", - "color-purple": "lila", - "color-red": "röd", - "color-sky": "himmel", - "color-yellow": "gul", - "comment": "Kommentera", - "comment-placeholder": "Skriv kommentar", - "comment-only": "Kommentera endast", - "comment-only-desc": "Kan endast kommentera kort.", - "computer": "Dator", - "confirm-checklist-delete-dialog": "Är du säker på att du vill ta bort checklista", - "copy-card-link-to-clipboard": "Kopiera kortlänk till urklipp", - "copyCardPopup-title": "Kopiera kort", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Skapa", - "createBoardPopup-title": "Skapa anslagstavla", - "chooseBoardSourcePopup-title": "Importera anslagstavla", - "createLabelPopup-title": "Skapa etikett", - "createCustomField": "Skapa fält", - "createCustomFieldPopup-title": "Skapa fält", - "current": "aktuell", - "custom-field-delete-pop": "Det går inte att ångra. Detta tar bort det här anpassade fältet från alla kort och förstör dess historia.", - "custom-field-checkbox": "Kryssruta", - "custom-field-date": "Datum", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(inga)", - "custom-field-dropdown-options": "Listalternativ", - "custom-field-dropdown-options-placeholder": "Tryck på enter för att lägga till fler alternativ", - "custom-field-dropdown-unknown": "(okänd)", - "custom-field-number": "Nummer", - "custom-field-text": "Text", - "custom-fields": "Anpassade fält", - "date": "Datum", - "decline": "Nedgång", - "default-avatar": "Standard avatar", - "delete": "Ta bort", - "deleteCustomFieldPopup-title": "Ta bort anpassade fält?", - "deleteLabelPopup-title": "Ta bort etikett?", - "description": "Beskrivning", - "disambiguateMultiLabelPopup-title": "Otvetydig etikettåtgärd", - "disambiguateMultiMemberPopup-title": "Otvetydig medlemsåtgärd", - "discard": "Kassera", - "done": "Färdig", - "download": "Hämta", - "edit": "Redigera", - "edit-avatar": "Ändra avatar", - "edit-profile": "Redigera profil", - "edit-wip-limit": "Redigera WIP-gränsen", - "soft-wip-limit": "Mjuk WIP-gräns", - "editCardStartDatePopup-title": "Ändra startdatum", - "editCardDueDatePopup-title": "Ändra förfallodatum", - "editCustomFieldPopup-title": "Redigera fält", - "editCardSpentTimePopup-title": "Ändra spenderad tid", - "editLabelPopup-title": "Ändra etikett", - "editNotificationPopup-title": "Redigera avisering", - "editProfilePopup-title": "Redigera profil", - "email": "E-post", - "email-enrollAccount-subject": "Ett konto skapas för dig på __siteName__", - "email-enrollAccount-text": "Hej __user__,\n\nFör att börja använda tjänsten, klicka på länken nedan.\n\n__url__\n\nTack.", - "email-fail": "Sändning av e-post misslyckades", - "email-fail-text": "Ett fel vid försök att skicka e-post", - "email-invalid": "Ogiltig e-post", - "email-invite": "Bjud in via e-post", - "email-invite-subject": "__inviter__ skickade dig en inbjudan", - "email-invite-text": "Bästa __user__,\n\n__inviter__ inbjuder dig till anslagstavlan \"__board__\" för samarbete.\n\nFölj länken nedan:\n\n__url__\n\nTack.", - "email-resetPassword-subject": "Återställa lösenordet för __siteName__", - "email-resetPassword-text": "Hej __user__,\n\nFör att återställa ditt lösenord, klicka på länken nedan.\n\n__url__\n\nTack.", - "email-sent": "E-post skickad", - "email-verifyEmail-subject": "Verifiera din e-post adress på __siteName__", - "email-verifyEmail-text": "Hej __user__,\n\nFör att verifiera din konto e-post, klicka på länken nedan.\n\n__url__\n\nTack.", - "enable-wip-limit": "Aktivera WIP-gräns", - "error-board-doesNotExist": "Denna anslagstavla finns inte", - "error-board-notAdmin": "Du måste vara administratör för denna anslagstavla för att göra det", - "error-board-notAMember": "Du måste vara medlem i denna anslagstavla för att göra det", - "error-json-malformed": "Din text är inte giltigt JSON", - "error-json-schema": "Din JSON data inkluderar inte korrekt information i rätt format", - "error-list-doesNotExist": "Denna lista finns inte", - "error-user-doesNotExist": "Denna användare finns inte", - "error-user-notAllowSelf": "Du kan inte bjuda in dig själv", - "error-user-notCreated": "Den här användaren har inte skapats", - "error-username-taken": "Detta användarnamn är redan taget", - "error-email-taken": "E-post har redan tagits", - "export-board": "Exportera anslagstavla", - "filter": "Filtrera", - "filter-cards": "Filtrera kort", - "filter-clear": "Rensa filter", - "filter-no-label": "Ingen etikett", - "filter-no-member": "Ingen medlem", - "filter-no-custom-fields": "Inga anpassade fält", - "filter-on": "Filter är på", - "filter-on-desc": "Du filtrerar kort på denna anslagstavla. Klicka här för att redigera filter.", - "filter-to-selection": "Filter till val", - "advanced-filter-label": "Avancerat filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Namn", - "header-logo-title": "Gå tillbaka till din anslagstavlor-sida.", - "hide-system-messages": "Göm systemmeddelanden", - "headerBarCreateBoardPopup-title": "Skapa anslagstavla", - "home": "Hem", - "import": "Importera", - "import-board": "importera anslagstavla", - "import-board-c": "Importera anslagstavla", - "import-board-title-trello": "Importera anslagstavla från Trello", - "import-board-title-wekan": "Importera anslagstavla från Wekan", - "import-sandstorm-warning": "Importerad anslagstavla raderar all befintlig data på anslagstavla och ersätter den med importerat anslagstavla.", - "from-trello": "Från Trello", - "from-wekan": "Från Wekan", - "import-board-instruction-trello": "I din Trello-anslagstavla, gå till 'Meny', sedan 'Mera', 'Skriv ut och exportera', 'Exportera JSON' och kopiera den resulterande text.", - "import-board-instruction-wekan": "I din Wekan-anslagstavla, gå till \"Meny\", sedan \"Exportera anslagstavla\" och kopiera texten i den hämtade filen.", - "import-json-placeholder": "Klistra in giltigt JSON data här", - "import-map-members": "Kartlägg medlemmar", - "import-members-map": "Din importerade anslagstavla har några medlemmar. Kartlägg medlemmarna som du vill importera till Wekan-användare", - "import-show-user-mapping": "Granska medlemskartläggning", - "import-user-select": "Välj Wekan-användare du vill använda som denna medlem", - "importMapMembersAddPopup-title": "Välj Wekan member", - "info": "Version", - "initials": "Initialer ", - "invalid-date": "Ogiltigt datum", - "invalid-time": "Ogiltig tid", - "invalid-user": "Ogiltig användare", - "joined": "gick med", - "just-invited": "Du blev nyss inbjuden till denna anslagstavla", - "keyboard-shortcuts": "Tangentbordsgenvägar", - "label-create": "Skapa etikett", - "label-default": "%s etikett (standard)", - "label-delete-pop": "Det finns ingen ångra. Detta tar bort denna etikett från alla kort och förstöra dess historik.", - "labels": "Etiketter", - "language": "Språk", - "last-admin-desc": "Du kan inte ändra roller för det måste finnas minst en administratör.", - "leave-board": "Lämna anslagstavla", - "leave-board-pop": "Är du säker på att du vill lämna __boardTitle__? Du kommer att tas bort från alla kort på den här anslagstavlan.", - "leaveBoardPopup-title": "Lämna anslagstavla ?", - "link-card": "Länka till detta kort", - "list-archive-cards": "Flytta alla kort i den här listan till papperskorgen", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Flytta alla kort i denna lista", - "list-select-cards": "Välj alla kort i denna lista", - "listActionPopup-title": "Liståtgärder", - "swimlaneActionPopup-title": "Simbana åtgärder", - "listImportCardPopup-title": "Importera ett Trello kort", - "listMorePopup-title": "Mera", - "link-list": "Länk till den här listan", - "list-delete-pop": "Alla åtgärder kommer att tas bort från aktivitetsmatningen och du kommer inte att kunna återställa listan. Det går inte att ångra.", - "list-delete-suggest-archive": "Du kan flytta en lista till papperskorgen för att ta bort den från brädet och bevara aktiviteten.", - "lists": "Listor", - "swimlanes": "Simbanor ", - "log-out": "Logga ut", - "log-in": "Logga in", - "loginPopup-title": "Logga in", - "memberMenuPopup-title": "Användarinställningar", - "members": "Medlemmar", - "menu": "Meny", - "move-selection": "Flytta vald", - "moveCardPopup-title": "Flytta kort", - "moveCardToBottom-title": "Flytta längst ner", - "moveCardToTop-title": "Flytta högst upp", - "moveSelectionPopup-title": "Flytta vald", - "multi-selection": "Flerval", - "multi-selection-on": "Flerval är på", - "muted": "Tystad", - "muted-info": "Du kommer aldrig att meddelas om eventuella ändringar i denna anslagstavla", - "my-boards": "Mina anslagstavlor", - "name": "Namn", - "no-archived-cards": "Inga kort i papperskorgen.", - "no-archived-lists": "Inga listor i papperskorgen.", - "no-archived-swimlanes": "Inga simbanor i papperskorgen.", - "no-results": "Inga reslutat", - "normal": "Normal", - "normal-desc": "Kan se och redigera kort. Kan inte ändra inställningar.", - "not-accepted-yet": "Inbjudan inte ännu accepterad", - "notify-participate": "Få uppdateringar till alla kort du deltar i som skapare eller medlem", - "notify-watch": "Få uppdateringar till alla anslagstavlor, listor, eller kort du bevakar", - "optional": "valfri", - "or": "eller", - "page-maybe-private": "Denna sida kan vara privat. Du kanske kan se den genom att logga in.", - "page-not-found": "Sidan hittades inte.", - "password": "Lösenord", - "paste-or-dragdrop": "klistra in eller dra och släpp bildfil till den (endast bilder)", - "participating": "Deltagande", - "preview": "Förhandsvisning", - "previewAttachedImagePopup-title": "Förhandsvisning", - "previewClipboardImagePopup-title": "Förhandsvisning", - "private": "Privat", - "private-desc": "Denna anslagstavla är privat. Endast personer tillagda till anslagstavlan kan se och redigera den.", - "profile": "Profil", - "public": "Officiell", - "public-desc": "Denna anslagstavla är offentlig. Den är synligt för alla med länken och kommer att dyka upp i sökmotorer som Google. Endast personer tillagda till anslagstavlan kan redigera.", - "quick-access-description": "Stjärnmärk en anslagstavla för att lägga till en genväg i detta fält.", - "remove-cover": "Ta bort omslag", - "remove-from-board": "Ta bort från anslagstavla", - "remove-label": "Ta bort etikett", - "listDeletePopup-title": "Ta bort lista", - "remove-member": "Ta bort medlem", - "remove-member-from-card": "Ta bort från kort", - "remove-member-pop": "Ta bort __name__ (__username__) från __boardTitle__? Medlemmen kommer att bli borttagen från alla kort i denna anslagstavla. De kommer att få en avisering.", - "removeMemberPopup-title": "Ta bort medlem?", - "rename": "Byt namn", - "rename-board": "Byt namn på anslagstavla", - "restore": "Återställ", - "save": "Spara", - "search": "Sök", - "search-cards": "Sök från korttitlar och beskrivningar på det här brädet", - "search-example": "Text att söka efter?", - "select-color": "Välj färg", - "set-wip-limit-value": "Ange en gräns för det maximala antalet uppgifter i den här listan", - "setWipLimitPopup-title": "Ställ in WIP-gräns", - "shortcut-assign-self": "Tilldela dig nuvarande kort", - "shortcut-autocomplete-emoji": "Komplettera automatiskt emoji", - "shortcut-autocomplete-members": "Komplettera automatiskt medlemmar", - "shortcut-clear-filters": "Rensa alla filter", - "shortcut-close-dialog": "Stäng dialog", - "shortcut-filter-my-cards": "Filtrera mina kort", - "shortcut-show-shortcuts": "Ta fram denna genvägslista", - "shortcut-toggle-filterbar": "Växla filtrets sidofält", - "shortcut-toggle-sidebar": "Växla anslagstavlans sidofält", - "show-cards-minimum-count": "Visa kortantal om listan innehåller mer än", - "sidebar-open": "Stäng sidofält", - "sidebar-close": "Stäng sidofält", - "signupPopup-title": "Skapa ett konto", - "star-board-title": "Klicka för att stjärnmärka denna anslagstavla. Den kommer att visas högst upp på din lista över anslagstavlor.", - "starred-boards": "Stjärnmärkta anslagstavlor", - "starred-boards-description": "Stjärnmärkta anslagstavlor visas högst upp på din lista över anslagstavlor.", - "subscribe": "Prenumenera", - "team": "Grupp", - "this-board": "denna anslagstavla", - "this-card": "detta kort", - "spent-time-hours": "Spenderad tid (timmar)", - "overtime-hours": "Övertid (timmar)", - "overtime": "Övertid", - "has-overtime-cards": "Har övertidskort", - "has-spenttime-cards": "Has spent time cards", - "time": "Tid", - "title": "Titel", - "tracking": "Spårning", - "tracking-info": "Du kommer att meddelas om eventuella ändringar av dessa kort du deltar i som skapare eller medlem.", - "type": "Skriv", - "unassign-member": "Ta bort tilldelad medlem", - "unsaved-description": "Du har en osparad beskrivning.", - "unwatch": "Avbevaka", - "upload": "Ladda upp", - "upload-avatar": "Ladda upp en avatar", - "uploaded-avatar": "Laddade upp en avatar", - "username": "Änvandarnamn", - "view-it": "Visa det", - "warn-list-archived": "varning: det här kortet finns i en lista i papperskorgen", - "watch": "Bevaka", - "watching": "Bevakar", - "watching-info": "Du kommer att meddelas om alla ändringar på denna anslagstavla", - "welcome-board": "Välkomstanslagstavla", - "welcome-swimlane": "Milstolpe 1", - "welcome-list1": "Grunderna", - "welcome-list2": "Avancerad", - "what-to-do": "Vad vill du göra?", - "wipLimitErrorPopup-title": "Ogiltig WIP-gräns", - "wipLimitErrorPopup-dialog-pt1": "Antalet uppgifter i den här listan är högre än WIP-gränsen du har definierat.", - "wipLimitErrorPopup-dialog-pt2": "Flytta några uppgifter ur listan, eller ställ in en högre WIP-gräns.", - "admin-panel": "Administratörspanel ", - "settings": "Inställningar", - "people": "Personer", - "registration": "Registrering", - "disable-self-registration": "Avaktiverar självregistrering", - "invite": "Bjud in", - "invite-people": "Bjud in personer", - "to-boards": "Till anslagstavl(a/or)", - "email-addresses": "E-post adresser", - "smtp-host-description": "Adressen till SMTP-servern som hanterar din e-post.", - "smtp-port-description": "Porten SMTP-servern använder för utgående e-post.", - "smtp-tls-description": "Aktivera TLS-stöd för SMTP-server", - "smtp-host": "SMTP-värd", - "smtp-port": "SMTP-port", - "smtp-username": "Användarnamn", - "smtp-password": "Lösenord", - "smtp-tls": "TLS-stöd", - "send-from": "Från", - "send-smtp-test": "Skicka ett prov e-postmeddelande till dig själv", - "invitation-code": "Inbjudningskod", - "email-invite-register-subject": "__inviter__ skickade dig en inbjudan", - "email-invite-register-text": "Bästa __user__,\n\n__inviter__ inbjuder dig till Wekan för samarbeten.\n\nVänligen följ länken nedan:\n__url__\n\nOch din inbjudningskod är: __icode__\n\nTack.", - "email-smtp-test-subject": "SMTP-prov e-post från Wekan", - "email-smtp-test-text": "Du har skickat ett e-postmeddelande", - "error-invitation-code-not-exist": "Inbjudningskod finns inte", - "error-notAuthorized": "Du är inte behörig att se den här sidan.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Okänd)", - "Wekan_version": "Wekan version", - "Node_version": "Nodversion", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU-räkning", - "OS_Freemem": "OS ledigt minne", - "OS_Loadavg": "OS belastningsgenomsnitt", - "OS_Platform": "OS plattforme", - "OS_Release": "OS utgåva", - "OS_Totalmem": "OS totalt minne", - "OS_Type": "OS Typ", - "OS_Uptime": "OS drifttid", - "hours": "timmar", - "minutes": "minuter", - "seconds": "sekunder", - "show-field-on-card": "Visa detta fält på kort", - "yes": "Ja", - "no": "Nej", - "accounts": "Konton", - "accounts-allowEmailChange": "Tillåt e-poständring", - "accounts-allowUserNameChange": "Tillåt användarnamnändring", - "createdAt": "Skapad vid", - "verified": "Verifierad", - "active": "Aktiv", - "card-received": "Mottagen", - "card-received-on": "Mottagen den", - "card-end": "Slut", - "card-end-on": "Slutar den", - "editCardReceivedDatePopup-title": "Ändra mottagningsdatum", - "editCardEndDatePopup-title": "Ändra slutdatum" -} \ No newline at end of file diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json deleted file mode 100644 index 726f456a..00000000 --- a/i18n/ta.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Accept", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Add", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", - "addMemberPopup-title": "Members", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Members", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Members", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" -} \ No newline at end of file diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json deleted file mode 100644 index e459e339..00000000 --- a/i18n/th.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "ยอมรับ", - "act-activity-notify": "[Wekan] แจ้งกิจกรรม", - "act-addAttachment": "แนบไฟล์ __attachment__ ไปยัง __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "ออกความเห็นที่ __card__: __comment__", - "act-createBoard": "สร้าง __board__", - "act-createCard": "เพิ่ม __card__ ไปยัง __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "เพิ่ม __list__ ไปยัง __board__", - "act-addBoardMember": "เพิ่ม __member__ ไปยัง __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "นำเข้า __board__", - "act-importCard": "นำเข้า __card__", - "act-importList": "นำเข้า __list__", - "act-joinMember": "เพิ่ม __member__ ไปยัง __card__", - "act-moveCard": "ย้าย __card__ จาก __oldList__ ไป __list__", - "act-removeBoardMember": "ลบ __member__ จาก __board__", - "act-restoredCard": "กู้คืน __card__ ไปยัง __board__", - "act-unjoinMember": "ลบ __member__ จาก __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "ปฎิบัติการ", - "activities": "กิจกรรม", - "activity": "กิจกรรม", - "activity-added": "เพิ่ม %s ไปยัง %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "แนบ %s ไปยัง %s", - "activity-created": "สร้าง %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "ยกเว้น %s จาก %s", - "activity-imported": "ถูกนำเข้า %s ไปยัง %s จาก %s", - "activity-imported-board": "นำเข้า %s จาก %s", - "activity-joined": "เข้าร่วม %s", - "activity-moved": "ย้าย %s จาก %s ถึง %s", - "activity-on": "บน %s", - "activity-removed": "ลบ %s จาด %s", - "activity-sent": "ส่ง %s ถึง %s", - "activity-unjoined": "ยกเลิกเข้าร่วม %s", - "activity-checklist-added": "รายการถูกเพิ่มไป %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "เพิ่ม", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "เพิ่มรายการตรวจสอบ", - "add-cover": "เพิ่มหน้าปก", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "เพิ่มสมาชิก", - "added": "เพิ่ม", - "addMemberPopup-title": "สมาชิก", - "admin": "ผู้ดูแลระบบ", - "admin-desc": "สามารถดูและแก้ไขการ์ด ลบสมาชิก และเปลี่ยนการตั้งค่าบอร์ดได้", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "บอร์ดทั้งหมด", - "and-n-other-card": "และการ์ดอื่น __count__", - "and-n-other-card_plural": "และการ์ดอื่น ๆ __count__", - "apply": "นำมาใช้", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "กำหนดสมาชิก", - "attached": "แนบมาด้วย", - "attachment": "สิ่งที่แนบมา", - "attachment-delete-pop": "ลบสิ่งที่แนบมาถาวร ไม่สามารถเลิกทำได้", - "attachmentDeletePopup-title": "ลบสิ่งที่แนบมาหรือไม่", - "attachments": "สิ่งที่แนบมา", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "ย้อนกลับ", - "board-change-color": "เปลี่ยนสี", - "board-nb-stars": "ติดดาว %s", - "board-not-found": "ไม่มีบอร์ด", - "board-private-info": "บอร์ดนี้จะเป็น ส่วนตัว.", - "board-public-info": "บอร์ดนี้จะเป็น สาธารณะ.", - "boardChangeColorPopup-title": "เปลี่ยนสีพื้นหลังบอร์ด", - "boardChangeTitlePopup-title": "เปลี่ยนชื่อบอร์ด", - "boardChangeVisibilityPopup-title": "เปลี่ยนการเข้าถึง", - "boardChangeWatchPopup-title": "เปลี่ยนการเฝ้าดู", - "boardMenuPopup-title": "เมนูบอร์ด", - "boards": "บอร์ด", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "รายการ", - "bucket-example": "ตัวอย่างเช่น “ระบบที่ต้องทำ”", - "cancel": "ยกเลิก", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "การ์ดนี้มี %s ความเห็น.", - "card-delete-notice": "เป็นการลบถาวร คุณจะสูญเสียข้อมูลที่เกี่ยวข้องกับการ์ดนี้ทั้งหมด", - "card-delete-pop": "การดำเนินการทั้งหมดจะถูกลบจาก feed กิจกรรมและคุณไม่สามารถเปิดได้อีกครั้งหรือยกเลิกการทำ", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "ครบกำหนด", - "card-due-on": "ครบกำหนดเมื่อ", - "card-spent": "Spent Time", - "card-edit-attachments": "แก้ไขสิ่งที่แนบมา", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "แก้ไขป้ายกำกับ", - "card-edit-members": "แก้ไขสมาชิก", - "card-labels-title": "เปลี่ยนป้ายกำกับของการ์ด", - "card-members-title": "เพิ่มหรือลบสมาชิกของบอร์ดจากการ์ด", - "card-start": "เริ่ม", - "card-start-on": "เริ่มเมื่อ", - "cardAttachmentsPopup-title": "แนบจาก", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "ลบการ์ดนี้หรือไม่", - "cardDetailsActionsPopup-title": "การดำเนินการการ์ด", - "cardLabelsPopup-title": "ป้ายกำกับ", - "cardMembersPopup-title": "สมาชิก", - "cardMorePopup-title": "เพิ่มเติม", - "cards": "การ์ด", - "cards-count": "การ์ด", - "change": "เปลี่ยน", - "change-avatar": "เปลี่ยนภาพ", - "change-password": "เปลี่ยนรหัสผ่าน", - "change-permissions": "เปลี่ยนสิทธิ์", - "change-settings": "เปลี่ยนการตั้งค่า", - "changeAvatarPopup-title": "เปลี่ยนภาพ", - "changeLanguagePopup-title": "เปลี่ยนภาษา", - "changePasswordPopup-title": "เปลี่ยนรหัสผ่าน", - "changePermissionsPopup-title": "เปลี่ยนสิทธิ์", - "changeSettingsPopup-title": "เปลี่ยนการตั้งค่า", - "checklists": "รายการตรวจสอบ", - "click-to-star": "คลิกดาวบอร์ดนี้", - "click-to-unstar": "คลิกยกเลิกดาวบอร์ดนี้", - "clipboard": "Clipboard หรือลากและวาง", - "close": "ปิด", - "close-board": "ปิดบอร์ด", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "ดำ", - "color-blue": "น้ำเงิน", - "color-green": "เขียว", - "color-lime": "เหลืองมะนาว", - "color-orange": "ส้ม", - "color-pink": "ชมพู", - "color-purple": "ม่วง", - "color-red": "แดง", - "color-sky": "ฟ้า", - "color-yellow": "เหลือง", - "comment": "คอมเม็นต์", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "คอมพิวเตอร์", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "สร้าง", - "createBoardPopup-title": "สร้างบอร์ด", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "สร้างป้ายกำกับ", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "ปัจจุบัน", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "วันที่", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "วันที่", - "decline": "ปฎิเสธ", - "default-avatar": "ภาพเริ่มต้น", - "delete": "ลบ", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "ลบป้ายกำกับนี้หรือไม่", - "description": "คำอธิบาย", - "disambiguateMultiLabelPopup-title": "การดำเนินการกำกับป้ายชัดเจน", - "disambiguateMultiMemberPopup-title": "การดำเนินการสมาชิกชัดเจน", - "discard": "ทิ้ง", - "done": "เสร็จสิ้น", - "download": "ดาวน์โหลด", - "edit": "แก้ไข", - "edit-avatar": "เปลี่ยนภาพ", - "edit-profile": "แก้ไขโปรไฟล์", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "เปลี่ยนวันเริ่มต้น", - "editCardDueDatePopup-title": "เปลี่ยนวันครบกำหนด", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "เปลี่ยนป้ายกำกับ", - "editNotificationPopup-title": "แก้ไขการแจ้งเตือน", - "editProfilePopup-title": "แก้ไขโปรไฟล์", - "email": "อีเมล์", - "email-enrollAccount-subject": "บัญชีคุณถูกสร้างใน __siteName__", - "email-enrollAccount-text": "สวัสดี __user__,\n\nเริ่มใช้บริการง่าย ๆ , ด้วยการคลิกลิงค์ด้านล่าง.\n\n__url__\n\n ขอบคุณค่ะ", - "email-fail": "การส่งอีเมล์ล้มเหลว", - "email-fail-text": "Error trying to send email", - "email-invalid": "อีเมล์ไม่ถูกต้อง", - "email-invite": "เชิญผ่านทางอีเมล์", - "email-invite-subject": "__inviter__ ส่งคำเชิญให้คุณ", - "email-invite-text": "สวัสดี __user__,\n\n__inviter__ ขอเชิญคุณเข้าร่วม \"__board__\" เพื่อขอความร่วมมือ \n\n โปรดคลิกตามลิงค์ข้างล่างนี้ \n\n__url__\n\n ขอบคุณ", - "email-resetPassword-subject": "ตั้งรหัสผ่่านใหม่ของคุณบน __siteName__", - "email-resetPassword-text": "สวัสดี __user__,\n\nในการรีเซ็ตรหัสผ่านของคุณ, คลิกตามลิงค์ด้านล่าง \n\n__url__\n\nขอบคุณค่ะ", - "email-sent": "ส่งอีเมล์", - "email-verifyEmail-subject": "ยืนยันที่อยู่อีเม์ของคุณบน __siteName__", - "email-verifyEmail-text": "สวัสดี __user__,\n\nตรวจสอบบัญชีอีเมล์ของคุณ ง่าย ๆ ตามลิงค์ด้านล่าง \n\n__url__\n\n ขอบคุณค่ะ", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "บอร์ดนี้ไม่มีอยู่แล้ว", - "error-board-notAdmin": "คุณจะต้องเป็นผู้ดูแลระบบถึงจะทำสิ่งเหล่านี้ได้", - "error-board-notAMember": "คุณต้องเป็นสมาชิกของบอร์ดนี้ถึงจะทำได้", - "error-json-malformed": "ข้อความของคุณไม่ใช่ JSON", - "error-json-schema": "รูปแบบข้้้อมูล JSON ของคุณไม่ถูกต้อง", - "error-list-doesNotExist": "รายการนี้ไม่มีอยู่", - "error-user-doesNotExist": "ผู้ใช้นี้ไม่มีอยู่", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "ผู้ใช้รายนี้ไม่ได้สร้าง", - "error-username-taken": "ชื่อนี้ถูกใช้งานแล้ว", - "error-email-taken": "Email has already been taken", - "export-board": "ส่งออกกระดาน", - "filter": "กรอง", - "filter-cards": "กรองการ์ด", - "filter-clear": "ล้างตัวกรอง", - "filter-no-label": "ไม่มีฉลาก", - "filter-no-member": "ไม่มีสมาชิก", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "กรองบน", - "filter-on-desc": "คุณกำลังกรองการ์ดในบอร์ดนี้ คลิกที่นี่เพื่อแก้ไขตัวกรอง", - "filter-to-selection": "กรองตัวเลือก", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "ชื่อ นามสกุล", - "header-logo-title": "ย้อนกลับไปที่หน้าบอร์ดของคุณ", - "hide-system-messages": "ซ่อนข้อความของระบบ", - "headerBarCreateBoardPopup-title": "สร้างบอร์ด", - "home": "หน้าหลัก", - "import": "นำเข้า", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "นำเข้าบอร์ดจาก Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "ใน Trello ของคุณให้ไปที่ 'Menu' และไปที่ More -> Print and Export -> Export JSON และคัดลอกข้อความจากนั้น", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "วางข้อมูล JSON ที่ถูกต้องของคุณที่นี่", - "import-map-members": "แผนที่สมาชิก", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review การทำแผนที่สมาชิก", - "import-user-select": "เลือกผู้ใช้ Wekan ที่คุณต้องการใช้เป็นเหมือนสมาชิกนี้", - "importMapMembersAddPopup-title": "เลือกสมาชิก", - "info": "Version", - "initials": "ชื่อย่อ", - "invalid-date": "วันที่ไม่ถูกต้อง", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "เข้าร่วม", - "just-invited": "คุณพึ่งได้รับเชิญบอร์ดนี้", - "keyboard-shortcuts": "แป้นพิมพ์ลัด", - "label-create": "สร้างป้ายกำกับ", - "label-default": "ป้าย %s (ค่าเริ่มต้น)", - "label-delete-pop": "ไม่มีการยกเลิกการทำนี้ ลบป้ายกำกับนี้จากทุกการ์ดและล้างประวัติทิ้ง", - "labels": "ป้ายกำกับ", - "language": "ภาษา", - "last-admin-desc": "คุณไม่สามารถเปลี่ยนบทบาทเพราะต้องมีผู้ดูแลระบบหนึ่งคนเป็นอย่างน้อย", - "leave-board": "ทิ้งบอร์ด", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "เชื่อมโยงไปยังการ์ดใบนี้", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "ย้ายการ์ดทั้งหมดในรายการนี้", - "list-select-cards": "เลือกการ์ดทั้งหมดในรายการนี้", - "listActionPopup-title": "รายการการดำเนิน", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "นำเข้าการ์ด Trello", - "listMorePopup-title": "เพิ่มเติม", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "รายการ", - "swimlanes": "Swimlanes", - "log-out": "ออกจากระบบ", - "log-in": "เข้าสู่ระบบ", - "loginPopup-title": "เข้าสู่ระบบ", - "memberMenuPopup-title": "การตั้งค่า", - "members": "สมาชิก", - "menu": "เมนู", - "move-selection": "ย้ายตัวเลือก", - "moveCardPopup-title": "ย้ายการ์ด", - "moveCardToBottom-title": "ย้ายไปล่าง", - "moveCardToTop-title": "ย้ายไปบน", - "moveSelectionPopup-title": "เลือกย้าย", - "multi-selection": "เลือกหลายรายการ", - "multi-selection-on": "เลือกหลายรายการเมื่อ", - "muted": "ไม่ออกเสียง", - "muted-info": "คุณจะไม่ได้รับแจ้งการเปลี่ยนแปลงใด ๆ ในบอร์ดนี้", - "my-boards": "บอร์ดของฉัน", - "name": "ชื่อ", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "ไม่มีข้อมูล", - "normal": "ธรรมดา", - "normal-desc": "สามารถดูและแก้ไขการ์ดได้ แต่ไม่สามารถเปลี่ยนการตั้งค่าได้", - "not-accepted-yet": "ยังไม่ยอมรับคำเชิญ", - "notify-participate": "ได้รับการแจ้งปรับปรุงการ์ดอื่น ๆ ที่คุณมีส่วนร่วมในฐานะผู้สร้างหรือสมาชิก", - "notify-watch": "ได้รับการแจ้งปรับปรุงบอร์ด รายการหรือการ์ดที่คุณเฝ้าติดตาม", - "optional": "ไม่จำเป็น", - "or": "หรือ", - "page-maybe-private": "หน้านี้อาจจะเป็นส่วนตัว. คุณอาจจะสามารถดูจาก logging in.", - "page-not-found": "ไม่พบหน้า", - "password": "รหัสผ่าน", - "paste-or-dragdrop": "วาง หรือลากและวาง ไฟล์ภาพ(ภาพเท่านั้น)", - "participating": "Participating", - "preview": "ภาพตัวอย่าง", - "previewAttachedImagePopup-title": "ตัวอย่าง", - "previewClipboardImagePopup-title": "ตัวอย่าง", - "private": "ส่วนตัว", - "private-desc": "บอร์ดนี้เป็นส่วนตัว. คนที่ถูกเพิ่มเข้าในบอร์ดเท่านั้นที่สามารถดูและแก้ไขได้", - "profile": "โปรไฟล์", - "public": "สาธารณะ", - "public-desc": "บอร์ดนี้เป็นสาธารณะ. ทุกคนสามารถเข้าถึงได้ผ่าน url นี้ แต่สามารถแก้ไขได้เฉพาะผู้ที่ถูกเพิ่มเข้าไปในการ์ดเท่านั้น", - "quick-access-description": "เพิ่มไว้ในนี้เพื่อเป็นทางลัด", - "remove-cover": "ลบหน้าปก", - "remove-from-board": "ลบจากบอร์ด", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "ลบสมาชิก", - "remove-member-from-card": "ลบจากการ์ด", - "remove-member-pop": "ลบ __name__ (__username__) จาก __boardTitle__ หรือไม่ สมาชิกจะถูกลบออกจากการ์ดทั้งหมดบนบอร์ดนี้ และพวกเขาจะได้รับการแจ้งเตือน", - "removeMemberPopup-title": "ลบสมาชิกหรือไม่", - "rename": "ตั้งชื่อใหม่", - "rename-board": "ตั้งชื่อบอร์ดใหม่", - "restore": "กู้คืน", - "save": "บันทึก", - "search": "ค้นหา", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "กำหนดตัวเองให้การ์ดนี้", - "shortcut-autocomplete-emoji": "เติม emoji อัตโนมัติ", - "shortcut-autocomplete-members": "เติมสมาชิกอัตโนมัติ", - "shortcut-clear-filters": "ล้างตัวกรองทั้งหมด", - "shortcut-close-dialog": "ปิดหน้าต่าง", - "shortcut-filter-my-cards": "กรองการ์ดฉัน", - "shortcut-show-shortcuts": "นำรายการทางลัดนี้ขึ้น", - "shortcut-toggle-filterbar": "สลับแถบกรองสไลด์ด้้านข้าง", - "shortcut-toggle-sidebar": "สลับโชว์แถบด้านข้าง", - "show-cards-minimum-count": "แสดงจำนวนของการ์ดถ้ารายการมีมากกว่า(เลื่อนกำหนดตัวเลข)", - "sidebar-open": "เปิดแถบเลื่อน", - "sidebar-close": "ปิดแถบเลื่อน", - "signupPopup-title": "สร้างบัญชี", - "star-board-title": "คลิกติดดาวบอร์ดนี้ มันจะแสดงอยู่บนสุดของรายการบอร์ดของคุณ", - "starred-boards": "ติดดาวบอร์ด", - "starred-boards-description": "ติดดาวบอร์ดและแสดงไว้บนสุดของรายการบอร์ด", - "subscribe": "บอกรับสมาชิก", - "team": "ทีม", - "this-board": "บอร์ดนี้", - "this-card": "การ์ดนี้", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "เวลา", - "title": "หัวข้อ", - "tracking": "ติดตาม", - "tracking-info": "คุณจะได้รับแจ้งการเปลี่ยนแปลงใด ๆ กับการ์ดที่คุณมีส่วนร่วมในฐานะผู้สร้างหรือสมาชิก", - "type": "Type", - "unassign-member": "ยกเลิกสมาชิก", - "unsaved-description": "คุณมีคำอธิบายที่ไม่ได้บันทึก", - "unwatch": "เลิกเฝ้าดู", - "upload": "อัพโหลด", - "upload-avatar": "อัพโหลดรูปภาพ", - "uploaded-avatar": "ภาพอัพโหลดแล้ว", - "username": "ชื่อผู้ใช้งาน", - "view-it": "ดู", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "เฝ้าดู", - "watching": "เฝ้าดู", - "watching-info": "คุณจะได้รับแจ้งหากมีการเปลี่ยนแปลงใด ๆ ในบอร์ดนี้", - "welcome-board": "ยินดีต้อนรับสู่บอร์ด", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "พื้นฐาน", - "welcome-list2": "ก้าวหน้า", - "what-to-do": "ต้องการทำอะไร", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "ชื่อผู้ใช้งาน", - "smtp-password": "รหัสผ่าน", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ ส่งคำเชิญให้คุณ", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" -} \ No newline at end of file diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json deleted file mode 100644 index a54282d0..00000000 --- a/i18n/tr.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Kabul Et", - "act-activity-notify": "[Wekan] Etkinlik Bildirimi", - "act-addAttachment": "__card__ kartına __attachment__ dosyasını ekledi", - "act-addChecklist": "__card__ kartında __checklist__ yapılacak listesini ekledi", - "act-addChecklistItem": "__checklistItem__ öğesini __card__ kartındaki __checklist__ yapılacak listesine ekledi", - "act-addComment": "__card__ kartına bir yorum bıraktı: __comment__", - "act-createBoard": "__board__ panosunu oluşturdu", - "act-createCard": "__card__ kartını ___list__ listesine ekledi", - "act-createCustomField": "__customField__ adlı özel alan yaratıldı", - "act-createList": "__list__ listesini __board__ panosuna ekledi", - "act-addBoardMember": "__member__ kullanıcısını __board__ panosuna ekledi", - "act-archivedBoard": "__board__ Geri Dönüşüm Kutusu'na taşındı", - "act-archivedCard": "__card__ Geri Dönüşüm Kutusu'na taşındı", - "act-archivedList": "__list__ Geri Dönüşüm Kutusu'na taşındı", - "act-archivedSwimlane": "__swimlane__ Geri Dönüşüm Kutusu'na taşındı", - "act-importBoard": "__board__ panosunu içe aktardı", - "act-importCard": "__card__ kartını içe aktardı", - "act-importList": "__list__ listesini içe aktardı", - "act-joinMember": "__member__ kullanıcısnı __card__ kartına ekledi", - "act-moveCard": "__card__ kartını __oldList__ listesinden __list__ listesine taşıdı", - "act-removeBoardMember": "__board__ panosundan __member__ kullanıcısını çıkarttı", - "act-restoredCard": "__card__ kartını __board__ panosuna geri getirdi", - "act-unjoinMember": "__member__ kullanıcısnı __card__ kartından çıkarttı", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "İşlemler", - "activities": "Etkinlikler", - "activity": "Etkinlik", - "activity-added": "%s içine %s ekledi", - "activity-archived": "%s Geri Dönüşüm Kutusu'na taşındı", - "activity-attached": "%s içine %s ekledi", - "activity-created": "%s öğesini oluşturdu", - "activity-customfield-created": "%s adlı özel alan yaratıldı", - "activity-excluded": "%s içinden %s çıkarttı", - "activity-imported": "%s kaynağından %s öğesini %s öğesinin içine taşıdı ", - "activity-imported-board": "%s i %s içinden aktardı", - "activity-joined": "şuna katıldı: %s", - "activity-moved": "%s i %s içinden %s içine taşıdı", - "activity-on": "%s", - "activity-removed": "%s i %s ten kaldırdı", - "activity-sent": "%s i %s e gönderdi", - "activity-unjoined": "%s içinden ayrıldı", - "activity-checklist-added": "%s içine yapılacak listesi ekledi", - "activity-checklist-item-added": "%s içinde %s yapılacak listesine öğe ekledi", - "add": "Ekle", - "add-attachment": "Ek Ekle", - "add-board": "Pano Ekle", - "add-card": "Kart Ekle", - "add-swimlane": "Kulvar Ekle", - "add-checklist": "Yapılacak Listesi Ekle", - "add-checklist-item": "Yapılacak listesine yeni bir öğe ekle", - "add-cover": "Kapak resmi ekle", - "add-label": "Etiket Ekle", - "add-list": "Liste Ekle", - "add-members": "Üye ekle", - "added": "Eklendi", - "addMemberPopup-title": "Üyeler", - "admin": "Yönetici", - "admin-desc": "Kartları görüntüleyebilir ve düzenleyebilir, üyeleri çıkarabilir ve pano ayarlarını değiştirebilir.", - "admin-announcement": "Duyuru", - "admin-announcement-active": "Tüm Sistemde Etkin Duyuru", - "admin-announcement-title": "Yöneticiden Duyuru", - "all-boards": "Tüm panolar", - "and-n-other-card": "Ve __count__ diğer kart", - "and-n-other-card_plural": "Ve __count__ diğer kart", - "apply": "Uygula", - "app-is-offline": "Wekan yükleniyor, lütfen bekleyin. Sayfayı yenilemek veri kaybına sebep olabilir. Eğer Wekan yüklenmezse, lütfen Wekan sunucusunun çalıştığından emin olun.", - "archive": "Geri Dönüşüm Kutusu'na taşı", - "archive-all": "Tümünü Geri Dönüşüm Kutusu'na taşı", - "archive-board": "Panoyu Geri Dönüşüm Kutusu'na taşı", - "archive-card": "Kartı Geri Dönüşüm Kutusu'na taşı", - "archive-list": "Listeyi Geri Dönüşüm Kutusu'na taşı", - "archive-swimlane": "Kulvarı Geri Dönüşüm Kutusu'na taşı", - "archive-selection": "Seçimi Geri Dönüşüm Kutusu'na taşı", - "archiveBoardPopup-title": "Panoyu Geri Dönüşüm Kutusu'na taşı", - "archived-items": "Geri Dönüşüm Kutusu", - "archived-boards": "Geri Dönüşüm Kutusu'ndaki panolar", - "restore-board": "Panoyu Geri Getir", - "no-archived-boards": "Geri Dönüşüm Kutusu'nda pano yok.", - "archives": "Geri Dönüşüm Kutusu", - "assign-member": "Üye ata", - "attached": "dosya(sı) eklendi", - "attachment": "Ek Dosya", - "attachment-delete-pop": "Ek silme işlemi kalıcıdır ve geri alınamaz.", - "attachmentDeletePopup-title": "Ek Silinsin mi?", - "attachments": "Ekler", - "auto-watch": "Oluşan yeni panoları kendiliğinden izlemeye al", - "avatar-too-big": "Avatar boyutu çok büyük (En fazla 70KB olabilir)", - "back": "Geri", - "board-change-color": "Renk değiştir", - "board-nb-stars": "%s yıldız", - "board-not-found": "Pano bulunamadı", - "board-private-info": "Bu pano gizli olacak.", - "board-public-info": "Bu pano genele açılacaktır.", - "boardChangeColorPopup-title": "Pano arkaplan rengini değiştir", - "boardChangeTitlePopup-title": "Panonun Adını Değiştir", - "boardChangeVisibilityPopup-title": "Görünebilirliği Değiştir", - "boardChangeWatchPopup-title": "İzleme Durumunu Değiştir", - "boardMenuPopup-title": "Pano menüsü", - "boards": "Panolar", - "board-view": "Pano Görünümü", - "board-view-swimlanes": "Kulvarlar", - "board-view-lists": "Listeler", - "bucket-example": "Örn: \"Marketten Alacaklarım\"", - "cancel": "İptal", - "card-archived": "Bu kart Geri Dönüşüm Kutusu'na taşındı", - "card-comments-title": "Bu kartta %s yorum var.", - "card-delete-notice": "Silme işlemi kalıcıdır. Bu kartla ilişkili tüm eylemleri kaybedersiniz.", - "card-delete-pop": "Son hareketler alanındaki tüm veriler silinecek, ayrıca bu kartı yeniden açamayacaksın. Bu işlemin geri dönüşü yok.", - "card-delete-suggest-archive": "Kartları Geri Dönüşüm Kutusu'na taşıyarak panodan kaldırabilir ve içindeki aktiviteleri saklayabilirsiniz.", - "card-due": "Bitiş", - "card-due-on": "Bitiş tarihi:", - "card-spent": "Harcanan Zaman", - "card-edit-attachments": "Ek dosyasını düzenle", - "card-edit-custom-fields": "Özel alanları düzenle", - "card-edit-labels": "Etiketleri düzenle", - "card-edit-members": "Üyeleri düzenle", - "card-labels-title": "Bu kart için etiketleri düzenle", - "card-members-title": "Karta pano içindeki üyeleri ekler veya çıkartır.", - "card-start": "Başlama", - "card-start-on": "Başlama tarihi:", - "cardAttachmentsPopup-title": "Eklenme", - "cardCustomField-datePopup-title": "Tarihi değiştir", - "cardCustomFieldsPopup-title": "Özel alanları düzenle", - "cardDeletePopup-title": "Kart Silinsin mi?", - "cardDetailsActionsPopup-title": "Kart işlemleri", - "cardLabelsPopup-title": "Etiketler", - "cardMembersPopup-title": "Üyeler", - "cardMorePopup-title": "Daha", - "cards": "Kartlar", - "cards-count": "Kartlar", - "change": "Değiştir", - "change-avatar": "Avatar Değiştir", - "change-password": "Parola Değiştir", - "change-permissions": "İzinleri değiştir", - "change-settings": "Ayarları değiştir", - "changeAvatarPopup-title": "Avatar Değiştir", - "changeLanguagePopup-title": "Dil Değiştir", - "changePasswordPopup-title": "Parola Değiştir", - "changePermissionsPopup-title": "Yetkileri Değiştirme", - "changeSettingsPopup-title": "Ayarları değiştir", - "checklists": "Yapılacak Listeleri", - "click-to-star": "Bu panoyu yıldızlamak için tıkla.", - "click-to-unstar": "Bu panunun yıldızını kaldırmak için tıkla.", - "clipboard": "Yapıştır veya sürükleyip bırak", - "close": "Kapat", - "close-board": "Panoyu kapat", - "close-board-pop": "Silinen panoyu geri getirmek için menüden \"Geri Dönüşüm Kutusu\"'na tıklayabilirsiniz.", - "color-black": "siyah", - "color-blue": "mavi", - "color-green": "yeşil", - "color-lime": "misket limonu", - "color-orange": "turuncu", - "color-pink": "pembe", - "color-purple": "mor", - "color-red": "kırmızı", - "color-sky": "açık mavi", - "color-yellow": "sarı", - "comment": "Yorum", - "comment-placeholder": "Yorum Yaz", - "comment-only": "Sadece yorum", - "comment-only-desc": "Sadece kartlara yorum yazabilir.", - "computer": "Bilgisayar", - "confirm-checklist-delete-dialog": "Yapılacak listesini silmek istediğinize emin misiniz", - "copy-card-link-to-clipboard": "Kartın linkini kopyala", - "copyCardPopup-title": "Kartı Kopyala", - "copyChecklistToManyCardsPopup-title": "Yapılacaklar Listesi şemasını birden çok karta kopyala", - "copyChecklistToManyCardsPopup-instructions": "Hedef Kart Başlıkları ve Açıklamaları bu JSON formatında", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"İlk kart başlığı\", \"description\":\"İlk kart açıklaması\"}, {\"title\":\"İkinci kart başlığı\",\"description\":\"İkinci kart açıklaması\"},{\"title\":\"Son kart başlığı\",\"description\":\"Son kart açıklaması\"} ]", - "create": "Oluştur", - "createBoardPopup-title": "Pano Oluşturma", - "chooseBoardSourcePopup-title": "Panoyu içe aktar", - "createLabelPopup-title": "Etiket Oluşturma", - "createCustomField": "Alanı yarat", - "createCustomFieldPopup-title": "Alanı yarat", - "current": "mevcut", - "custom-field-delete-pop": "Bunun geri dönüşü yoktur. Bu özel alan tüm kartlardan kaldırılıp tarihçesi yokedilecektir.", - "custom-field-checkbox": "İşaret kutusu", - "custom-field-date": "Tarih", - "custom-field-dropdown": "Açılır liste", - "custom-field-dropdown-none": "(hiçbiri)", - "custom-field-dropdown-options": "Liste seçenekleri", - "custom-field-dropdown-options-placeholder": "Başka seçenekler eklemek için giriş tuşuna basınız", - "custom-field-dropdown-unknown": "(bilinmeyen)", - "custom-field-number": "Sayı", - "custom-field-text": "Metin", - "custom-fields": "Özel alanlar", - "date": "Tarih", - "decline": "Reddet", - "default-avatar": "Varsayılan avatar", - "delete": "Sil", - "deleteCustomFieldPopup-title": "Özel alan silinsin mi?", - "deleteLabelPopup-title": "Etiket Silinsin mi?", - "description": "Açıklama", - "disambiguateMultiLabelPopup-title": "Etiket işlemini izah et", - "disambiguateMultiMemberPopup-title": "Üye işlemini izah et", - "discard": "At", - "done": "Tamam", - "download": "İndir", - "edit": "Düzenle", - "edit-avatar": "Avatar Değiştir", - "edit-profile": "Profili Düzenle", - "edit-wip-limit": "Devam Eden İş Sınırını Düzenle", - "soft-wip-limit": "Zayıf Devam Eden İş Sınırı", - "editCardStartDatePopup-title": "Başlangıç tarihini değiştir", - "editCardDueDatePopup-title": "Bitiş tarihini değiştir", - "editCustomFieldPopup-title": "Alanı düzenle", - "editCardSpentTimePopup-title": "Harcanan zamanı değiştir", - "editLabelPopup-title": "Etiket Değiştir", - "editNotificationPopup-title": "Bildirimi değiştir", - "editProfilePopup-title": "Profili Düzenle", - "email": "E-posta", - "email-enrollAccount-subject": "Hesabınız __siteName__ üzerinde oluşturuldu", - "email-enrollAccount-text": "Merhaba __user__,\n\nBu servisi kullanmaya başlamak için aşağıdaki linke tıklamalısın:\n\n__url__\n\nTeşekkürler.", - "email-fail": "E-posta gönderimi başarısız", - "email-fail-text": "E-Posta gönderilme çalışırken hata oluştu", - "email-invalid": "Geçersiz e-posta", - "email-invite": "E-posta ile davet et", - "email-invite-subject": "__inviter__ size bir davetiye gönderdi", - "email-invite-text": "Sevgili __user__,\n\n__inviter__ seni birlikte çalışmak için \"__board__\" panosuna davet ediyor.\n\nLütfen aşağıdaki linke tıkla:\n\n__url__\n\nTeşekkürler.", - "email-resetPassword-subject": "__siteName__ üzerinde parolanı sıfırla", - "email-resetPassword-text": "Merhaba __user__,\n\nParolanı sıfırlaman için aşağıdaki linke tıklaman yeterli.\n\n__url__\n\nTeşekkürler.", - "email-sent": "E-posta gönderildi", - "email-verifyEmail-subject": "__siteName__ üzerindeki e-posta adresini doğrulama", - "email-verifyEmail-text": "Merhaba __user__,\n\nHesap e-posta adresini doğrulamak için aşağıdaki linke tıklaman yeterli.\n\n__url__\n\nTeşekkürler.", - "enable-wip-limit": "Devam Eden İş Sınırını Aç", - "error-board-doesNotExist": "Pano bulunamadı", - "error-board-notAdmin": "Bu işlemi yapmak için pano yöneticisi olmalısın.", - "error-board-notAMember": "Bu işlemi yapmak için panoya üye olmalısın.", - "error-json-malformed": "Girilen metin geçerli bir JSON formatında değil", - "error-json-schema": "Girdiğin JSON metni tüm bilgileri doğru biçimde barındırmıyor", - "error-list-doesNotExist": "Liste bulunamadı", - "error-user-doesNotExist": "Kullanıcı bulunamadı", - "error-user-notAllowSelf": "Kendi kendini davet edemezsin", - "error-user-notCreated": "Bu üye oluşturulmadı", - "error-username-taken": "Kullanıcı adı zaten alınmış", - "error-email-taken": "Bu e-posta adresi daha önceden alınmış", - "export-board": "Panoyu dışarı aktar", - "filter": "Filtre", - "filter-cards": "Kartları Filtrele", - "filter-clear": "Filtreyi temizle", - "filter-no-label": "Etiket yok", - "filter-no-member": "Üye yok", - "filter-no-custom-fields": "Hiç özel alan yok", - "filter-on": "Filtre aktif", - "filter-on-desc": "Bu panodaki kartları filtreliyorsunuz. Fitreyi düzenlemek için tıklayın.", - "filter-to-selection": "Seçime göre filtreleme yap", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Ad Soyad", - "header-logo-title": "Panolar sayfanıza geri dön.", - "hide-system-messages": "Sistem mesajlarını gizle", - "headerBarCreateBoardPopup-title": "Pano Oluşturma", - "home": "Ana Sayfa", - "import": "İçeri aktar", - "import-board": "panoyu içe aktar", - "import-board-c": "Panoyu içe aktar", - "import-board-title-trello": "Trello'dan panoyu içeri aktar", - "import-board-title-wekan": "Wekan'dan panoyu içe aktar", - "import-sandstorm-warning": "İçe aktarılan pano şu anki panonun verilerinin üzerine yazılacak ve var olan veriler silinecek.", - "from-trello": "Trello'dan", - "from-wekan": "Wekan'dan", - "import-board-instruction-trello": "Trello panonuzda 'Menü'ye gidip 'Daha fazlası'na tıklayın, ardından 'Yazdır ve Çıktı Al'ı seçip 'JSON biçiminde çıktı al' diyerek çıkan metni buraya kopyalayın.", - "import-board-instruction-wekan": "Wekan panonuzda önce Menü'yü, ardından \"Panoyu dışa aktar\"ı seçip bilgisayarınıza indirilen dosyanın içindeki metni kopyalayın.", - "import-json-placeholder": "Geçerli JSON verisini buraya yapıştırın", - "import-map-members": "Üyeleri eşleştirme", - "import-members-map": "İçe aktardığın panoda bazı kullanıcılar var. Lütfen bu kullanıcıları Wekan panosundaki kullanıcılarla eşleştirin.", - "import-show-user-mapping": "Üye eşleştirmesini kontrol et", - "import-user-select": "Bu üyenin sistemdeki hangi kullanıcı olduğunu seçin", - "importMapMembersAddPopup-title": "Üye seç", - "info": "Sürüm", - "initials": "İlk Harfleri", - "invalid-date": "Geçersiz tarih", - "invalid-time": "Geçersiz zaman", - "invalid-user": "Geçersiz kullanıcı", - "joined": "katıldı", - "just-invited": "Bu panoya şimdi davet edildin.", - "keyboard-shortcuts": "Klavye kısayolları", - "label-create": "Etiket Oluşturma", - "label-default": "%s etiket (varsayılan)", - "label-delete-pop": "Bu işlem geri alınamaz. Bu etiket tüm kartlardan kaldırılacaktır ve geçmişi yok edecektir.", - "labels": "Etiketler", - "language": "Dil", - "last-admin-desc": "En az bir yönetici olması gerektiğinden rolleri değiştiremezsiniz.", - "leave-board": "Panodan ayrıl", - "leave-board-pop": "__boardTitle__ panosundan ayrılmak istediğinize emin misiniz? Panodaki tüm kartlardan kaldırılacaksınız.", - "leaveBoardPopup-title": "Panodan ayrılmak istediğinize emin misiniz?", - "link-card": "Bu kartın bağlantısı", - "list-archive-cards": "Listedeki tüm kartları Geri Dönüşüm Kutusu'na gönder", - "list-archive-cards-pop": "Bu işlem listedeki tüm kartları kaldıracak. Silinmiş kartları görüntülemek ve geri yüklemek için menüden Geri Dönüşüm Kutusu'na tıklayabilirsiniz.", - "list-move-cards": "Listedeki tüm kartları taşı", - "list-select-cards": "Listedeki tüm kartları seç", - "listActionPopup-title": "Liste İşlemleri", - "swimlaneActionPopup-title": "Kulvar İşlemleri", - "listImportCardPopup-title": "Bir Trello kartını içeri aktar", - "listMorePopup-title": "Daha", - "link-list": "Listeye doğrudan bağlantı", - "list-delete-pop": "Etkinlik akışınızdaki tüm eylemler geri kurtarılamaz şekilde kaldırılacak. Bu işlem geri alınamaz.", - "list-delete-suggest-archive": "Bir listeyi Dönüşüm Kutusuna atarak panodan kaldırabilir, ancak eylemleri koruyarak saklayabilirsiniz. ", - "lists": "Listeler", - "swimlanes": "Kulvarlar", - "log-out": "Oturum Kapat", - "log-in": "Oturum Aç", - "loginPopup-title": "Oturum Aç", - "memberMenuPopup-title": "Üye Ayarları", - "members": "Üyeler", - "menu": "Menü", - "move-selection": "Seçimi taşı", - "moveCardPopup-title": "Kartı taşı", - "moveCardToBottom-title": "Aşağı taşı", - "moveCardToTop-title": "Yukarı taşı", - "moveSelectionPopup-title": "Seçimi taşı", - "multi-selection": "Çoklu seçim", - "multi-selection-on": "Çoklu seçim açık", - "muted": "Sessiz", - "muted-info": "Bu panodaki hiçbir değişiklik hakkında bildirim almayacaksınız", - "my-boards": "Panolarım", - "name": "Adı", - "no-archived-cards": "Dönüşüm Kutusunda hiç kart yok.", - "no-archived-lists": "Dönüşüm Kutusunda hiç liste yok.", - "no-archived-swimlanes": "Dönüşüm Kutusunda hiç kulvar yok.", - "no-results": "Sonuç yok", - "normal": "Normal", - "normal-desc": "Kartları görüntüleyebilir ve düzenleyebilir. Ayarları değiştiremez.", - "not-accepted-yet": "Davet henüz kabul edilmemiş", - "notify-participate": "Oluşturduğunuz veya üye olduğunuz tüm kartlar hakkında bildirim al", - "notify-watch": "Takip ettiğiniz tüm pano, liste ve kartlar hakkında bildirim al", - "optional": "isteğe bağlı", - "or": "veya", - "page-maybe-private": "Bu sayfa gizli olabilir. Oturum açarak görmeyi deneyin.", - "page-not-found": "Sayda bulunamadı.", - "password": "Parola", - "paste-or-dragdrop": "Dosya eklemek için yapıştırabilir, veya (eğer resimse) sürükle bırak yapabilirsiniz", - "participating": "Katılımcılar", - "preview": "Önizleme", - "previewAttachedImagePopup-title": "Önizleme", - "previewClipboardImagePopup-title": "Önizleme", - "private": "Gizli", - "private-desc": "Bu pano gizli. Sadece panoya ekli kişiler görüntüleyebilir ve düzenleyebilir.", - "profile": "Kullanıcı Sayfası", - "public": "Genel", - "public-desc": "Bu pano genel. Bağlantı adresi ile herhangi bir kimseye görünür ve Google gibi arama motorlarında gösterilecektir. Panoyu, sadece eklenen kişiler düzenleyebilir.", - "quick-access-description": "Bu bara kısayol olarak bir pano eklemek için panoyu yıldızlamalısınız", - "remove-cover": "Kapak Resmini Kaldır", - "remove-from-board": "Panodan Kaldır", - "remove-label": "Etiketi Kaldır", - "listDeletePopup-title": "Liste silinsin mi?", - "remove-member": "Üyeyi Çıkar", - "remove-member-from-card": "Karttan Çıkar", - "remove-member-pop": "__boardTitle__ panosundan __name__ (__username__) çıkarılsın mı? Üye, bu panodaki tüm kartlardan çıkarılacak. Panodan çıkarıldığı üyeye bildirilecektir.", - "removeMemberPopup-title": "Üye çıkarılsın mı?", - "rename": "Yeniden adlandır", - "rename-board": "Panonun Adını Değiştir", - "restore": "Geri Getir", - "save": "Kaydet", - "search": "Arama", - "search-cards": "Bu tahta da ki kart başlıkları ve açıklamalarında arama yap", - "search-example": "Aranılacak metin?", - "select-color": "Renk Seç", - "set-wip-limit-value": "Bu listedeki en fazla öğe sayısı için bir sınır belirleyin", - "setWipLimitPopup-title": "Devam Eden İş Sınırı Belirle", - "shortcut-assign-self": "Kendini karta ata", - "shortcut-autocomplete-emoji": "Emojileri otomatik tamamla", - "shortcut-autocomplete-members": "Üye isimlerini otomatik tamamla", - "shortcut-clear-filters": "Tüm filtreleri temizle", - "shortcut-close-dialog": "Diyaloğu kapat", - "shortcut-filter-my-cards": "Kartlarımı filtrele", - "shortcut-show-shortcuts": "Kısayollar listesini getir", - "shortcut-toggle-filterbar": "Filtre kenar çubuğunu aç/kapa", - "shortcut-toggle-sidebar": "Pano kenar çubuğunu aç/kapa", - "show-cards-minimum-count": "Eğer listede şu sayıdan fazla öğe varsa kart sayısını göster: ", - "sidebar-open": "Kenar Çubuğunu Aç", - "sidebar-close": "Kenar Çubuğunu Kapat", - "signupPopup-title": "Bir Hesap Oluştur", - "star-board-title": "Bu panoyu yıldızlamak için tıkla. Yıldızlı panolar pano listesinin en üstünde gösterilir.", - "starred-boards": "Yıldızlı Panolar", - "starred-boards-description": "Yıldızlanmış panolar, pano listesinin en üstünde gösterilir.", - "subscribe": "Abone ol", - "team": "Takım", - "this-board": "bu panoyu", - "this-card": "bu kart", - "spent-time-hours": "Harcanan zaman (saat)", - "overtime-hours": "Aşılan süre (saat)", - "overtime": "Aşılan süre", - "has-overtime-cards": "Süresi aşılmış kartlar", - "has-spenttime-cards": "Zaman geçirilmiş kartlar", - "time": "Zaman", - "title": "Başlık", - "tracking": "Takip", - "tracking-info": "Oluşturduğunuz veya üyesi olduğunuz tüm kartlardaki değişiklikler size bildirim olarak gelecek.", - "type": "Tür", - "unassign-member": "Üyeye atamayı kaldır", - "unsaved-description": "Kaydedilmemiş bir açıklama metnin bulunmakta", - "unwatch": "Takibi bırak", - "upload": "Yükle", - "upload-avatar": "Avatar yükle", - "uploaded-avatar": "Avatar yüklendi", - "username": "Kullanıcı adı", - "view-it": "Görüntüle", - "warn-list-archived": "uyarı: bu kart Dönüşüm Kutusundaki bir listede var", - "watch": "Takip Et", - "watching": "Takip Ediliyor", - "watching-info": "Bu pano hakkındaki tüm değişiklikler hakkında bildirim alacaksınız", - "welcome-board": "Hoş Geldiniz Panosu", - "welcome-swimlane": "Kilometre taşı", - "welcome-list1": "Temel", - "welcome-list2": "Gelişmiş", - "what-to-do": "Ne yapmak istiyorsunuz?", - "wipLimitErrorPopup-title": "Geçersiz Devam Eden İş Sınırı", - "wipLimitErrorPopup-dialog-pt1": "Bu listedeki iş sayısı belirlediğiniz sınırdan daha fazla.", - "wipLimitErrorPopup-dialog-pt2": "Lütfen bazı işleri bu listeden başka listeye taşıyın ya da devam eden iş sınırını yükseltin.", - "admin-panel": "Yönetici Paneli", - "settings": "Ayarlar", - "people": "Kullanıcılar", - "registration": "Kayıt", - "disable-self-registration": "Ziyaretçilere kaydı kapa", - "invite": "Davet", - "invite-people": "Kullanıcı davet et", - "to-boards": "Şu pano(lar)a", - "email-addresses": "E-posta adresleri", - "smtp-host-description": "E-posta gönderimi yapan SMTP sunucu adresi", - "smtp-port-description": "E-posta gönderimi yapan SMTP sunucu portu", - "smtp-tls-description": "SMTP mail sunucusu için TLS kriptolama desteği açılsın", - "smtp-host": "SMTP sunucu adresi", - "smtp-port": "SMTP portu", - "smtp-username": "Kullanıcı adı", - "smtp-password": "Parola", - "smtp-tls": "TLS desteği", - "send-from": "Gönderen", - "send-smtp-test": "Kendinize deneme E-Postası gönderin", - "invitation-code": "Davetiye kodu", - "email-invite-register-subject": "__inviter__ size bir davetiye gönderdi", - "email-invite-register-text": "Sevgili __user__,\n\n__inviter__ sizi beraber çalışabilmek için Wekan'a davet etti.\n\nLütfen aşağıdaki linke tıklayın:\n__url__\n\nDavetiye kodunuz: __icode__\n\nTeşekkürler.", - "email-smtp-test-subject": "Wekan' dan SMTP E-Postası", - "email-smtp-test-text": "E-Posta başarıyla gönderildi", - "error-invitation-code-not-exist": "Davetiye kodu bulunamadı", - "error-notAuthorized": "Bu sayfayı görmek için yetkiniz yok.", - "outgoing-webhooks": "Dışarı giden bağlantılar", - "outgoingWebhooksPopup-title": "Dışarı giden bağlantılar", - "new-outgoing-webhook": "Yeni Dışarı Giden Web Bağlantısı", - "no-name": "(Bilinmeyen)", - "Wekan_version": "Wekan sürümü", - "Node_version": "Node sürümü", - "OS_Arch": "İşletim Sistemi Mimarisi", - "OS_Cpus": "İşletim Sistemi İşlemci Sayısı", - "OS_Freemem": "İşletim Sistemi Kullanılmayan Bellek", - "OS_Loadavg": "İşletim Sistemi Ortalama Yük", - "OS_Platform": "İşletim Sistemi Platformu", - "OS_Release": "İşletim Sistemi Sürümü", - "OS_Totalmem": "İşletim Sistemi Toplam Belleği", - "OS_Type": "İşletim Sistemi Tipi", - "OS_Uptime": "İşletim Sistemi Toplam Açık Kalınan Süre", - "hours": "saat", - "minutes": "dakika", - "seconds": "saniye", - "show-field-on-card": "Bu alanı kartta göster", - "yes": "Evet", - "no": "Hayır", - "accounts": "Hesaplar", - "accounts-allowEmailChange": "E-posta Değiştirmeye İzin Ver", - "accounts-allowUserNameChange": "Kullanıcı adı değiştirmeye izin ver", - "createdAt": "Oluşturulma tarihi", - "verified": "Doğrulanmış", - "active": "Aktif", - "card-received": "Giriş", - "card-received-on": "Giriş zamanı", - "card-end": "Bitiş", - "card-end-on": "Bitiş zamanı", - "editCardReceivedDatePopup-title": "Giriş tarihini değiştir", - "editCardEndDatePopup-title": "Bitiş tarihini değiştir" -} \ No newline at end of file diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json deleted file mode 100644 index f9720861..00000000 --- a/i18n/uk.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Прийняти", - "act-activity-notify": "[Wekan] Сповіщення Діяльності", - "act-addAttachment": "__attachment__ додане до __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "комментар в __card__: __comment__", - "act-createBoard": "__board__ створенна", - "act-createCard": "__card__ карта додана до __list__ листа", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "__card__ заімпортована", - "act-importList": "imported __list__", - "act-joinMember": "__member__ був доданий до __card__", - "act-moveCard": " __card__ була перенесена з __oldList__ до __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": " __card__ відновлена у __board__", - "act-unjoinMember": " __member__ був виделений з __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Дії", - "activities": "Діяльність", - "activity": "Активність", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Додати", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Додати елемент в список", - "add-cover": "Додати обкладинку", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Додати користувача", - "added": "Доданно", - "addMemberPopup-title": "Користувачі", - "admin": "Адмін", - "admin-desc": "Може переглядати і редагувати картки, відаляти учасників та змінювати налаштування для дошки.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "Всі дошки", - "and-n-other-card": "та __count__ інших карток", - "and-n-other-card_plural": "та __count__ інших карток", - "apply": "Прийняти", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "доданно", - "attachment": "Додаток", - "attachment-delete-pop": "Видалення Додатку безповоротне. Тут нема відміні (undo).", - "attachmentDeletePopup-title": "Видалити Додаток?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Назад", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Дошки", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Відміна", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Користувачі", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Користувачі", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" -} \ No newline at end of file diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json deleted file mode 100644 index 50074c9e..00000000 --- a/i18n/vi.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "Chấp nhận", - "act-activity-notify": "[Wekan] Thông Báo Hoạt Động", - "act-addAttachment": "đã đính kèm __attachment__ vào __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "đã bình luận trong __card__: __comment__", - "act-createBoard": "đã tạo __board__", - "act-createCard": "đã thêm __card__ vào __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "đã thêm __list__ vào __board__", - "act-addBoardMember": "đã thêm __member__ vào __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "đã nạp bảng __board__", - "act-importCard": "đã nạp thẻ __card__", - "act-importList": "đã nạp danh sách __list__", - "act-joinMember": "đã thêm thành viên __member__ vào __card__", - "act-moveCard": "đã chuyển thẻ __card__ từ __oldList__ sang __list__", - "act-removeBoardMember": "đã xóa thành viên __member__ khỏi __board__", - "act-restoredCard": "đã khôi phục thẻ __card__ vào bảng __board__", - "act-unjoinMember": "đã xóa thành viên __member__ khỏi thẻ __card__", - "act-withBoardTitle": "[Wekan] Bảng __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Hành Động", - "activities": "Hoạt Động", - "activity": "Hoạt Động", - "activity-added": "đã thêm %s vào %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "đã đính kèm %s vào %s", - "activity-created": "đã tạo %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "đã loại bỏ %s khỏi %s", - "activity-imported": "đã nạp %s vào %s từ %s", - "activity-imported-board": "đã nạp %s từ %s", - "activity-joined": "đã tham gia %s", - "activity-moved": "đã di chuyển %s từ %s đến %s", - "activity-on": "trên %s", - "activity-removed": "đã xóa %s từ %s", - "activity-sent": "gửi %s đến %s", - "activity-unjoined": "đã rời khỏi %s", - "activity-checklist-added": "đã thêm checklist vào %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Thêm", - "add-attachment": "Thêm Bản Đính Kèm", - "add-board": "Thêm Bảng", - "add-card": "Thêm Thẻ", - "add-swimlane": "Add Swimlane", - "add-checklist": "Thêm Danh Sách Kiểm Tra", - "add-checklist-item": "Thêm Một Mục Vào Danh Sách Kiểm Tra", - "add-cover": "Thêm Bìa", - "add-label": "Thêm Nhãn", - "add-list": "Thêm Danh Sách", - "add-members": "Thêm Thành Viên", - "added": "Đã Thêm", - "addMemberPopup-title": "Thành Viên", - "admin": "Quản Trị Viên", - "admin-desc": "Có thể xem và chỉnh sửa những thẻ, xóa thành viên và thay đổi cài đặt cho bảng.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "Tất cả các bảng", - "and-n-other-card": "Và __count__ thẻ khác", - "and-n-other-card_plural": "Và __count__ thẻ khác", - "apply": "Ứng Dụng", - "app-is-offline": "Wekan đang tải, vui lòng đợi. Tải lại trang có thể làm mất dữ liệu. Nếu Wekan không thể tải được, Vui lòng kiểm tra lại Wekan server.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Khôi Phục Bảng", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Chỉ định thành viên", - "attached": "đã đính kèm", - "attachment": "Phần đính kèm", - "attachment-delete-pop": "Xóa tệp đính kèm là vĩnh viễn. Không có khôi phục.", - "attachmentDeletePopup-title": "Xóa tệp đính kèm không?", - "attachments": "Tệp Đính Kèm", - "auto-watch": "Tự động xem bảng lúc được tạo ra", - "avatar-too-big": "Hình đại diện quá to (70KB tối đa)", - "back": "Trở Lại", - "board-change-color": "Đổi màu", - "board-nb-stars": "%s sao", - "board-not-found": "Không tìm được bảng", - "board-private-info": "Bảng này sẽ chuyển sang chế độ private.", - "board-public-info": "Bảng này sẽ chuyển sang chế độ public.", - "boardChangeColorPopup-title": "Thay hình nền của bảng", - "boardChangeTitlePopup-title": "Đổi tên bảng", - "boardChangeVisibilityPopup-title": "Đổi cách hiển thị", - "boardChangeWatchPopup-title": "Đổi cách xem", - "boardMenuPopup-title": "Board Menu", - "boards": "Bảng", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Hủy", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "Thẻ này có %s bình luận.", - "card-delete-notice": "Hành động xóa là không thể khôi phục. Bạn sẽ mất hết các hoạt động liên quan đến thẻ này.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Thành Viên", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Thành Viên", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Đổi tên bảng", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" -} \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json deleted file mode 100644 index 2b6be1b8..00000000 --- a/i18n/zh-CN.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "接受", - "act-activity-notify": "[Wekan] 活动通知", - "act-addAttachment": "添加附件 __attachment__ 至卡片 __card__", - "act-addChecklist": "添加清单 __checklist__ 到 __card__", - "act-addChecklistItem": "向 __card__ 中的清单 __checklist__ 添加 __checklistItem__", - "act-addComment": "在 __card__ 发布评论: __comment__", - "act-createBoard": "创建看板 __board__", - "act-createCard": "添加卡片 __card__ 至列表 __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "添加列表 __list__ 至看板 __board__", - "act-addBoardMember": "添加成员 __member__ 至看板 __board__", - "act-archivedBoard": "__board__ 已被移入回收站 ", - "act-archivedCard": "__card__ 已被移入回收站", - "act-archivedList": "__list__ 已被移入回收站", - "act-archivedSwimlane": "__swimlane__ 已被移入回收站", - "act-importBoard": "导入看板 __board__", - "act-importCard": "导入卡片 __card__", - "act-importList": "导入列表 __list__", - "act-joinMember": "添加成员 __member__ 至卡片 __card__", - "act-moveCard": "从列表 __oldList__ 移动卡片 __card__ 至列表 __list__", - "act-removeBoardMember": "从看板 __board__ 移除成员 __member__", - "act-restoredCard": "恢复卡片 __card__ 至看板 __board__", - "act-unjoinMember": "从卡片 __card__ 移除成员 __member__", - "act-withBoardTitle": "[Wekan] 看板 __board__", - "act-withCardTitle": "[看板 __board__] 卡片 __card__", - "actions": "操作", - "activities": "活动", - "activity": "活动", - "activity-added": "添加 %s 至 %s", - "activity-archived": "%s 已被移入回收站", - "activity-attached": "添加附件 %s 至 %s", - "activity-created": "创建 %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "排除 %s 从 %s", - "activity-imported": "导入 %s 至 %s 从 %s 中", - "activity-imported-board": "已导入 %s 从 %s 中", - "activity-joined": "已关联 %s", - "activity-moved": "将 %s 从 %s 移动到 %s", - "activity-on": "在 %s", - "activity-removed": "从 %s 中移除 %s", - "activity-sent": "发送 %s 至 %s", - "activity-unjoined": "已解除 %s 关联", - "activity-checklist-added": "已经将清单添加到 %s", - "activity-checklist-item-added": "添加清单项至'%s' 于 %s", - "add": "添加", - "add-attachment": "添加附件", - "add-board": "添加看板", - "add-card": "添加卡片", - "add-swimlane": "添加泳道图", - "add-checklist": "添加待办清单", - "add-checklist-item": "扩充清单", - "add-cover": "添加封面", - "add-label": "添加标签", - "add-list": "添加列表", - "add-members": "添加成员", - "added": "添加", - "addMemberPopup-title": "成员", - "admin": "管理员", - "admin-desc": "可以浏览并编辑卡片,移除成员,并且更改该看板的设置", - "admin-announcement": "通知", - "admin-announcement-active": "激活系统通知", - "admin-announcement-title": "管理员的通知", - "all-boards": "全部看板", - "and-n-other-card": "和其他 __count__ 个卡片", - "and-n-other-card_plural": "和其他 __count__ 个卡片", - "apply": "应用", - "app-is-offline": "Wekan 正在加载,请稍等。刷新页面将导致数据丢失。如果 Wekan 无法加载,请检查 Wekan 服务器是否已经停止。", - "archive": "移入回收站", - "archive-all": "全部移入回收站", - "archive-board": "移动看板到回收站", - "archive-card": "移动卡片到回收站", - "archive-list": "移动列表到回收站", - "archive-swimlane": "移动泳道到回收站", - "archive-selection": "移动选择内容到回收站", - "archiveBoardPopup-title": "移动看板到回收站?", - "archived-items": "回收站", - "archived-boards": "回收站中的看板", - "restore-board": "还原看板", - "no-archived-boards": "回收站中无看板", - "archives": "回收站", - "assign-member": "分配成员", - "attached": "附加", - "attachment": "附件", - "attachment-delete-pop": "删除附件的操作不可逆。", - "attachmentDeletePopup-title": "删除附件?", - "attachments": "附件", - "auto-watch": "自动关注新建的看板", - "avatar-too-big": "头像过大 (上限 70 KB)", - "back": "返回", - "board-change-color": "更改颜色", - "board-nb-stars": "%s 星标", - "board-not-found": "看板不存在", - "board-private-info": "该看板将被设为 私有.", - "board-public-info": "该看板将被设为 公开.", - "boardChangeColorPopup-title": "修改看板背景", - "boardChangeTitlePopup-title": "重命名看板", - "boardChangeVisibilityPopup-title": "更改可视级别", - "boardChangeWatchPopup-title": "更改关注状态", - "boardMenuPopup-title": "看板菜单", - "boards": "看板", - "board-view": "看板视图", - "board-view-swimlanes": "泳道图", - "board-view-lists": "列表", - "bucket-example": "例如 “目标清单”", - "cancel": "取消", - "card-archived": "此卡片已经被移入回收站。", - "card-comments-title": "该卡片有 %s 条评论", - "card-delete-notice": "彻底删除的操作不可恢复,你将会丢失该卡片相关的所有操作记录。", - "card-delete-pop": "所有的活动将从活动摘要中被移除且您将无法重新打开该卡片。此操作无法撤销。", - "card-delete-suggest-archive": "将卡片移入回收站可以从看板中删除卡片,相关活动记录将被保留。", - "card-due": "到期", - "card-due-on": "期限", - "card-spent": "耗时", - "card-edit-attachments": "编辑附件", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "编辑标签", - "card-edit-members": "编辑成员", - "card-labels-title": "更改该卡片上的标签", - "card-members-title": "在该卡片中添加或移除看板成员", - "card-start": "开始", - "card-start-on": "始于", - "cardAttachmentsPopup-title": "附件来源", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "彻底删除卡片?", - "cardDetailsActionsPopup-title": "卡片操作", - "cardLabelsPopup-title": "标签", - "cardMembersPopup-title": "成员", - "cardMorePopup-title": "更多", - "cards": "卡片", - "cards-count": "卡片", - "change": "变更", - "change-avatar": "更改头像", - "change-password": "更改密码", - "change-permissions": "更改权限", - "change-settings": "更改设置", - "changeAvatarPopup-title": "更改头像", - "changeLanguagePopup-title": "更改语言", - "changePasswordPopup-title": "更改密码", - "changePermissionsPopup-title": "更改权限", - "changeSettingsPopup-title": "更改设置", - "checklists": "清单", - "click-to-star": "点此来标记该看板", - "click-to-unstar": "点此来去除该看板的标记", - "clipboard": "剪贴板或者拖放文件", - "close": "关闭", - "close-board": "关闭看板", - "close-board-pop": "在主页中点击顶部的“回收站”按钮可以恢复看板。", - "color-black": "黑色", - "color-blue": "蓝色", - "color-green": "绿色", - "color-lime": "绿黄", - "color-orange": "橙色", - "color-pink": "粉红", - "color-purple": "紫色", - "color-red": "红色", - "color-sky": "天蓝", - "color-yellow": "黄色", - "comment": "评论", - "comment-placeholder": "添加评论", - "comment-only": "仅能评论", - "comment-only-desc": "只能在卡片上评论。", - "computer": "从本机上传", - "confirm-checklist-delete-dialog": "确认要删除清单吗", - "copy-card-link-to-clipboard": "复制卡片链接到剪贴板", - "copyCardPopup-title": "复制卡片", - "copyChecklistToManyCardsPopup-title": "复制清单模板至多个卡片", - "copyChecklistToManyCardsPopup-instructions": "以JSON格式表示目标卡片的标题和描述", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"第一个卡片的标题\", \"description\":\"第一个卡片的描述\"}, {\"title\":\"第二个卡片的标题\",\"description\":\"第二个卡片的描述\"},{\"title\":\"最后一个卡片的标题\",\"description\":\"最后一个卡片的描述\"} ]", - "create": "创建", - "createBoardPopup-title": "创建看板", - "chooseBoardSourcePopup-title": "导入看板", - "createLabelPopup-title": "创建标签", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "当前", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "日期", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "日期", - "decline": "拒绝", - "default-avatar": "默认头像", - "delete": "删除", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "删除标签?", - "description": "描述", - "disambiguateMultiLabelPopup-title": "标签消歧 [?]", - "disambiguateMultiMemberPopup-title": "成员消歧 [?]", - "discard": "放弃", - "done": "完成", - "download": "下载", - "edit": "编辑", - "edit-avatar": "更改头像", - "edit-profile": "编辑资料", - "edit-wip-limit": "编辑最大任务数", - "soft-wip-limit": "软在制品限制", - "editCardStartDatePopup-title": "修改起始日期", - "editCardDueDatePopup-title": "修改截止日期", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "修改耗时", - "editLabelPopup-title": "更改标签", - "editNotificationPopup-title": "编辑通知", - "editProfilePopup-title": "编辑资料", - "email": "邮箱", - "email-enrollAccount-subject": "已为您在 __siteName__ 创建帐号", - "email-enrollAccount-text": "尊敬的 __user__,\n\n点击下面的链接,即刻开始使用这项服务。\n\n__url__\n\n谢谢。", - "email-fail": "邮件发送失败", - "email-fail-text": "尝试发送邮件时出错", - "email-invalid": "邮件地址错误", - "email-invite": "发送邮件邀请", - "email-invite-subject": "__inviter__ 向您发出邀请", - "email-invite-text": "尊敬的 __user__,\n\n__inviter__ 邀请您加入看板 \"__board__\" 参与协作。\n\n请点击下面的链接访问看板:\n\n__url__\n\n谢谢。", - "email-resetPassword-subject": "重置您的 __siteName__ 密码", - "email-resetPassword-text": "尊敬的 __user__,\n\n点击下面的链接,重置您的密码:\n\n__url__\n\n谢谢。", - "email-sent": "邮件已发送", - "email-verifyEmail-subject": "在 __siteName__ 验证您的邮件地址", - "email-verifyEmail-text": "尊敬的 __user__,\n\n点击下面的链接,验证您的邮件地址:\n\n__url__\n\n谢谢。", - "enable-wip-limit": "启用最大任务数限制", - "error-board-doesNotExist": "该看板不存在", - "error-board-notAdmin": "需要成为管理员才能执行此操作", - "error-board-notAMember": "需要成为看板成员才能执行此操作", - "error-json-malformed": "文本不是合法的 JSON", - "error-json-schema": "JSON 数据没有用正确的格式包含合适的信息", - "error-list-doesNotExist": "不存在此列表", - "error-user-doesNotExist": "该用户不存在", - "error-user-notAllowSelf": "无法邀请自己", - "error-user-notCreated": "该用户未能成功创建", - "error-username-taken": "此用户名已存在", - "error-email-taken": "此EMail已存在", - "export-board": "导出看板", - "filter": "过滤", - "filter-cards": "过滤卡片", - "filter-clear": "清空过滤器", - "filter-no-label": "无标签", - "filter-no-member": "无成员", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "过滤器启用", - "filter-on-desc": "你正在过滤该看板上的卡片,点此编辑过滤。", - "filter-to-selection": "要选择的过滤器", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "全称", - "header-logo-title": "返回您的看板页", - "hide-system-messages": "隐藏系统消息", - "headerBarCreateBoardPopup-title": "创建看板", - "home": "首页", - "import": "导入", - "import-board": "导入看板", - "import-board-c": "导入看板", - "import-board-title-trello": "从Trello导入看板", - "import-board-title-wekan": "从Wekan 导入看板", - "import-sandstorm-warning": "导入的面板将删除所有已存在于面板上的数据并替换他们为导入的面板。 ", - "from-trello": "自 Trello", - "from-wekan": "自 Wekan", - "import-board-instruction-trello": "在你的Trello看板中,点击“菜单”,然后选择“更多”,“打印与导出”,“导出为 JSON” 并拷贝结果文本", - "import-board-instruction-wekan": "在你的Wekan面板中点'菜单',然后点‘导出面板’并在已下载的文档复制文本。", - "import-json-placeholder": "粘贴您有效的 JSON 数据至此", - "import-map-members": "映射成员", - "import-members-map": "您导入的看板有一些成员。请将您想导入的成员映射到 Wekan 用户。", - "import-show-user-mapping": "核对成员映射", - "import-user-select": "选择您想将此成员映射到的 Wekan 用户", - "importMapMembersAddPopup-title": "选择Wekan成员", - "info": "版本", - "initials": "缩写", - "invalid-date": "无效日期", - "invalid-time": "非法时间", - "invalid-user": "非法用户", - "joined": "关联", - "just-invited": "您刚刚被邀请加入此看板", - "keyboard-shortcuts": "键盘快捷键", - "label-create": "创建标签", - "label-default": "%s 标签 (默认)", - "label-delete-pop": "此操作不可逆,这将会删除该标签并清除它的历史记录。", - "labels": "标签", - "language": "语言", - "last-admin-desc": "你不能更改角色,因为至少需要一名管理员。", - "leave-board": "离开看板", - "leave-board-pop": "确认要离开 __boardTitle__ 吗?此看板的所有卡片都会将您移除。", - "leaveBoardPopup-title": "离开看板?", - "link-card": "关联至该卡片", - "list-archive-cards": "移动此列表中的所有卡片到回收站", - "list-archive-cards-pop": "此操作会从看板中删除所有此列表包含的卡片。要查看回收站中的卡片并恢复到看板,请点击“菜单” > “回收站”。", - "list-move-cards": "移动列表中的所有卡片", - "list-select-cards": "选择列表中的所有卡片", - "listActionPopup-title": "列表操作", - "swimlaneActionPopup-title": "泳道图操作", - "listImportCardPopup-title": "导入 Trello 卡片", - "listMorePopup-title": "更多", - "link-list": "关联到这个列表", - "list-delete-pop": "所有活动将被从活动动态中删除并且你无法恢复他们,此操作无法撤销。 ", - "list-delete-suggest-archive": "可以将列表移入回收站,看板中将删除列表,但是相关活动记录会被保留。", - "lists": "列表", - "swimlanes": "泳道图", - "log-out": "登出", - "log-in": "登录", - "loginPopup-title": "登录", - "memberMenuPopup-title": "成员设置", - "members": "成员", - "menu": "菜单", - "move-selection": "移动选择", - "moveCardPopup-title": "移动卡片", - "moveCardToBottom-title": "移动至底端", - "moveCardToTop-title": "移动至顶端", - "moveSelectionPopup-title": "移动选择", - "multi-selection": "多选", - "multi-selection-on": "多选启用", - "muted": "静默", - "muted-info": "你将不会收到此看板的任何变更通知", - "my-boards": "我的看板", - "name": "名称", - "no-archived-cards": "回收站中无卡片。", - "no-archived-lists": "回收站中无列表。", - "no-archived-swimlanes": "回收站中无泳道。", - "no-results": "无结果", - "normal": "普通", - "normal-desc": "可以创建以及编辑卡片,无法更改设置。", - "not-accepted-yet": "邀请尚未接受", - "notify-participate": "接收以创建者或成员身份参与的卡片的更新", - "notify-watch": "接收所有关注的面板、列表、及卡片的更新", - "optional": "可选", - "or": "或", - "page-maybe-private": "本页面被设为私有. 您必须 登录以浏览其中内容。", - "page-not-found": "页面不存在。", - "password": "密码", - "paste-or-dragdrop": "从剪贴板粘贴,或者拖放文件到它上面 (仅限于图片)", - "participating": "参与", - "preview": "预览", - "previewAttachedImagePopup-title": "预览", - "previewClipboardImagePopup-title": "预览", - "private": "私有", - "private-desc": "该看板将被设为私有。只有该看板成员才可以进行查看和编辑。", - "profile": "资料", - "public": "公开", - "public-desc": "该看板将被公开。任何人均可通过链接查看,并且将对Google和其他搜索引擎开放。只有添加至该看板的成员才可进行编辑。", - "quick-access-description": "星标看板在导航条中添加快捷方式", - "remove-cover": "移除封面", - "remove-from-board": "从看板中删除", - "remove-label": "移除标签", - "listDeletePopup-title": "删除列表", - "remove-member": "移除成员", - "remove-member-from-card": "从该卡片中移除", - "remove-member-pop": "确定从 __boardTitle__ 中移除 __name__ (__username__) 吗? 该成员将被从该看板的所有卡片中移除,同时他会收到一条提醒。", - "removeMemberPopup-title": "删除成员?", - "rename": "重命名", - "rename-board": "重命名看板", - "restore": "还原", - "save": "保存", - "search": "搜索", - "search-cards": "搜索当前看板上的卡片标题和描述", - "search-example": "搜索", - "select-color": "选择颜色", - "set-wip-limit-value": "设置此列表中的最大任务数", - "setWipLimitPopup-title": "设置最大任务数", - "shortcut-assign-self": "分配当前卡片给自己", - "shortcut-autocomplete-emoji": "表情符号自动补全", - "shortcut-autocomplete-members": "自动补全成员", - "shortcut-clear-filters": "清空全部过滤器", - "shortcut-close-dialog": "关闭对话框", - "shortcut-filter-my-cards": "过滤我的卡片", - "shortcut-show-shortcuts": "显示此快捷键列表", - "shortcut-toggle-filterbar": "切换过滤器边栏", - "shortcut-toggle-sidebar": "切换面板边栏", - "show-cards-minimum-count": "当列表中的卡片多于此阈值时将显示数量", - "sidebar-open": "打开侧栏", - "sidebar-close": "打开侧栏", - "signupPopup-title": "创建账户", - "star-board-title": "点此来标记该看板,它将会出现在您的看板列表顶部。", - "starred-boards": "已标记看板", - "starred-boards-description": "已标记看板将会出现在您的看板列表顶部。", - "subscribe": "订阅", - "team": "团队", - "this-board": "该看板", - "this-card": "该卡片", - "spent-time-hours": "耗时 (小时)", - "overtime-hours": "超时 (小时)", - "overtime": "超时", - "has-overtime-cards": "有超时卡片", - "has-spenttime-cards": "耗时卡", - "time": "时间", - "title": "标题", - "tracking": "跟踪", - "tracking-info": "当任何包含您(作为创建者或成员)的卡片发生变更时,您将得到通知。", - "type": "Type", - "unassign-member": "取消分配成员", - "unsaved-description": "存在未保存的描述", - "unwatch": "取消关注", - "upload": "上传", - "upload-avatar": "上传头像", - "uploaded-avatar": "头像已经上传", - "username": "用户名", - "view-it": "查看", - "warn-list-archived": "警告:此卡片属于回收站中的一个列表", - "watch": "关注", - "watching": "关注", - "watching-info": "当此看板发生变更时会通知你", - "welcome-board": "“欢迎”看板", - "welcome-swimlane": "里程碑 1", - "welcome-list1": "基本", - "welcome-list2": "高阶", - "what-to-do": "要做什么?", - "wipLimitErrorPopup-title": "无效的最大任务数", - "wipLimitErrorPopup-dialog-pt1": "此列表中的任务数量已经超过了设置的最大任务数。", - "wipLimitErrorPopup-dialog-pt2": "请将一些任务移出此列表,或者设置一个更大的最大任务数。", - "admin-panel": "管理面板", - "settings": "设置", - "people": "人员", - "registration": "注册", - "disable-self-registration": "禁止自助注册", - "invite": "邀请", - "invite-people": "邀请人员", - "to-boards": "邀请到看板 (可多选)", - "email-addresses": "电子邮箱地址", - "smtp-host-description": "用于发送邮件的SMTP服务器地址。", - "smtp-port-description": "SMTP服务器端口。", - "smtp-tls-description": "对SMTP服务器启用TLS支持", - "smtp-host": "SMTP服务器", - "smtp-port": "SMTP端口", - "smtp-username": "用户名", - "smtp-password": "密码", - "smtp-tls": "TLS支持", - "send-from": "发件人", - "send-smtp-test": "给自己发送一封测试邮件", - "invitation-code": "邀请码", - "email-invite-register-subject": "__inviter__ 向您发出邀请", - "email-invite-register-text": "亲爱的 __user__,\n\n__inviter__ 邀请您加入 Wekan 进行协作。\n\n请访问下面的链接︰\n__url__\n\n您的的邀请码是︰\n__icode__\n\n非常感谢。", - "email-smtp-test-subject": "从Wekan发送SMTP测试邮件", - "email-smtp-test-text": "你已成功发送邮件", - "error-invitation-code-not-exist": "邀请码不存在", - "error-notAuthorized": "您无权查看此页面。", - "outgoing-webhooks": "外部Web挂钩", - "outgoingWebhooksPopup-title": "外部Web挂钩", - "new-outgoing-webhook": "新建外部Web挂钩", - "no-name": "(未知)", - "Wekan_version": "Wekan版本", - "Node_version": "Node.js版本", - "OS_Arch": "系统架构", - "OS_Cpus": "系统 CPU数量", - "OS_Freemem": "系统可用内存", - "OS_Loadavg": "系统负载均衡", - "OS_Platform": "系统平台", - "OS_Release": "系统发布版本", - "OS_Totalmem": "系统全部内存", - "OS_Type": "系统类型", - "OS_Uptime": "系统运行时间", - "hours": "小时", - "minutes": "分钟", - "seconds": "秒", - "show-field-on-card": "Show this field on card", - "yes": "是", - "no": "否", - "accounts": "账号", - "accounts-allowEmailChange": "允许邮箱变更", - "accounts-allowUserNameChange": "允许变更用户名", - "createdAt": "创建于", - "verified": "已验证", - "active": "活跃", - "card-received": "已接收", - "card-received-on": "接收于", - "card-end": "终止", - "card-end-on": "终止于", - "editCardReceivedDatePopup-title": "修改接收日期", - "editCardEndDatePopup-title": "修改终止日期" -} \ No newline at end of file diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json deleted file mode 100644 index b087bd8f..00000000 --- a/i18n/zh-TW.i18n.json +++ /dev/null @@ -1,472 +0,0 @@ -{ - "accept": "接受", - "act-activity-notify": "[Wekan] 活動通知", - "act-addAttachment": "新增附件__attachment__至__card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "評論__card__: __comment__", - "act-createBoard": "完成新增 __board__", - "act-createCard": "將__card__加入__list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "新增__list__至__board__", - "act-addBoardMember": "在__board__中新增成員__member__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "匯入__board__", - "act-importCard": "匯入__card__", - "act-importList": "匯入__list__", - "act-joinMember": "在__card__中新增成員__member__", - "act-moveCard": "將__card__從__oldList__移動至__list__", - "act-removeBoardMember": "從__board__中移除成員__member__", - "act-restoredCard": "將__card__回復至__board__", - "act-unjoinMember": "從__card__中移除成員__member__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "操作", - "activities": "活動", - "activity": "活動", - "activity-added": "新增 %s 至 %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "新增附件 %s 至 %s", - "activity-created": "建立 %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "排除 %s 從 %s", - "activity-imported": "匯入 %s 至 %s 從 %s 中", - "activity-imported-board": "已匯入 %s 從 %s 中", - "activity-joined": "關聯 %s", - "activity-moved": "將 %s 從 %s 移動到 %s", - "activity-on": "在 %s", - "activity-removed": "移除 %s 從 %s 中", - "activity-sent": "寄送 %s 至 %s", - "activity-unjoined": "解除關聯 %s", - "activity-checklist-added": "新增待辦清單至 %s", - "activity-checklist-item-added": "新增待辦清單項目從 %s 到 %s", - "add": "新增", - "add-attachment": "新增附件", - "add-board": "新增看板", - "add-card": "新增卡片", - "add-swimlane": "Add Swimlane", - "add-checklist": "新增待辦清單", - "add-checklist-item": "新增項目", - "add-cover": "新增封面", - "add-label": "新增標籤", - "add-list": "新增清單", - "add-members": "新增成員", - "added": "新增", - "addMemberPopup-title": "成員", - "admin": "管理員", - "admin-desc": "可以瀏覽並編輯卡片,移除成員,並且更改該看板的設定", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "全部看板", - "and-n-other-card": "和其他 __count__ 個卡片", - "and-n-other-card_plural": "和其他 __count__ 個卡片", - "apply": "送出", - "app-is-offline": "請稍候,資料讀取中,重整頁面可能會導致資料遺失。如果一直讀取,請檢查 Wekan 的伺服器是否正確運行。", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "還原看板", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "分配成員", - "attached": "附加", - "attachment": "附件", - "attachment-delete-pop": "刪除附件的操作無法還原。", - "attachmentDeletePopup-title": "刪除附件?", - "attachments": "附件", - "auto-watch": "新增看板時自動加入觀察", - "avatar-too-big": "頭像檔案太大 (最大 70 KB)", - "back": "返回", - "board-change-color": "更改顏色", - "board-nb-stars": "%s 星號標記", - "board-not-found": "看板不存在", - "board-private-info": "該看板將被設為 私有.", - "board-public-info": "該看板將被設為 公開.", - "boardChangeColorPopup-title": "修改看板背景", - "boardChangeTitlePopup-title": "重新命名看板", - "boardChangeVisibilityPopup-title": "更改可視級別", - "boardChangeWatchPopup-title": "更改觀察", - "boardMenuPopup-title": "看板選單", - "boards": "看板", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "清單", - "bucket-example": "例如 “目標清單”", - "cancel": "取消", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "該卡片有 %s 則評論", - "card-delete-notice": "徹底刪除的操作不可復原,你將會遺失該卡片相關的所有操作記錄。", - "card-delete-pop": "所有的動作將從活動動態中被移除且您將無法重新打開該卡片。此操作無法復原。", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "到期", - "card-due-on": "到期", - "card-spent": "Spent Time", - "card-edit-attachments": "編輯附件", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "編輯標籤", - "card-edit-members": "編輯成員", - "card-labels-title": "更改該卡片上的標籤", - "card-members-title": "在該卡片中新增或移除看板成員", - "card-start": "開始", - "card-start-on": "開始", - "cardAttachmentsPopup-title": "附件來源", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "徹底刪除卡片?", - "cardDetailsActionsPopup-title": "卡片動作", - "cardLabelsPopup-title": "標籤", - "cardMembersPopup-title": "成員", - "cardMorePopup-title": "更多", - "cards": "卡片", - "cards-count": "卡片", - "change": "變更", - "change-avatar": "更改大頭貼", - "change-password": "更改密碼", - "change-permissions": "更改許可權", - "change-settings": "更改設定", - "changeAvatarPopup-title": "更改大頭貼", - "changeLanguagePopup-title": "更改語言", - "changePasswordPopup-title": "更改密碼", - "changePermissionsPopup-title": "更改許可權", - "changeSettingsPopup-title": "更改設定", - "checklists": "待辦清單", - "click-to-star": "點此來標記該看板", - "click-to-unstar": "點此來去除該看板的標記", - "clipboard": "剪貼簿貼上或者拖曳檔案", - "close": "關閉", - "close-board": "關閉看板", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "黑色", - "color-blue": "藍色", - "color-green": "綠色", - "color-lime": "綠黃", - "color-orange": "橙色", - "color-pink": "粉紅", - "color-purple": "紫色", - "color-red": "紅色", - "color-sky": "天藍", - "color-yellow": "黃色", - "comment": "留言", - "comment-placeholder": "新增評論", - "comment-only": "只可以發表評論", - "comment-only-desc": "只可以對卡片發表評論", - "computer": "從本機上傳", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "將卡片連結複製到剪貼板", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "建立", - "createBoardPopup-title": "建立看板", - "chooseBoardSourcePopup-title": "匯入看板", - "createLabelPopup-title": "建立標籤", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "目前", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "日期", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "日期", - "decline": "拒絕", - "default-avatar": "預設大頭貼", - "delete": "刪除", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "刪除標籤?", - "description": "描述", - "disambiguateMultiLabelPopup-title": "清除標籤動作歧義", - "disambiguateMultiMemberPopup-title": "清除成員動作歧義", - "discard": "取消", - "done": "完成", - "download": "下載", - "edit": "編輯", - "edit-avatar": "更改大頭貼", - "edit-profile": "編輯資料", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "更改開始日期", - "editCardDueDatePopup-title": "更改到期日期", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "更改標籤", - "editNotificationPopup-title": "更改通知", - "editProfilePopup-title": "編輯資料", - "email": "電子郵件", - "email-enrollAccount-subject": "您在 __siteName__ 的帳號已經建立", - "email-enrollAccount-text": "親愛的 __user__,\n\n點選下面的連結,即刻開始使用這項服務。\n\n__url__\n\n謝謝。", - "email-fail": "郵件寄送失敗", - "email-fail-text": "Error trying to send email", - "email-invalid": "電子郵件地址錯誤", - "email-invite": "寄送郵件邀請", - "email-invite-subject": "__inviter__ 向您發出邀請", - "email-invite-text": "親愛的 __user__,\n\n__inviter__ 邀請您加入看板 \"__board__\" 參與協作。\n\n請點選下面的連結訪問看板:\n\n__url__\n\n謝謝。", - "email-resetPassword-subject": "重設您在 __siteName__ 的密碼", - "email-resetPassword-text": "親愛的 __user__,\n\n點選下面的連結,重置您的密碼:\n\n__url__\n\n謝謝。", - "email-sent": "郵件已寄送", - "email-verifyEmail-subject": "驗證您在 __siteName__ 的電子郵件", - "email-verifyEmail-text": "親愛的 __user__,\n\n點選下面的連結,驗證您的電子郵件地址:\n\n__url__\n\n謝謝。", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "該看板不存在", - "error-board-notAdmin": "需要成為管理員才能執行此操作", - "error-board-notAMember": "需要成為看板成員才能執行此操作", - "error-json-malformed": "不是有效的 JSON", - "error-json-schema": "JSON 資料沒有用正確的格式包含合適的資訊", - "error-list-doesNotExist": "不存在此列表", - "error-user-doesNotExist": "該使用者不存在", - "error-user-notAllowSelf": "不允許對自己執行此操作", - "error-user-notCreated": "該使用者未能成功建立", - "error-username-taken": "這個使用者名稱已被使用", - "error-email-taken": "電子信箱已被使用", - "export-board": "Export board", - "filter": "過濾", - "filter-cards": "過濾卡片", - "filter-clear": "清空過濾條件", - "filter-no-label": "沒有標籤", - "filter-no-member": "沒有成員", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "過濾條件啟用", - "filter-on-desc": "你正在過濾該看板上的卡片,點此編輯過濾條件。", - "filter-to-selection": "要選擇的過濾條件", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "全稱", - "header-logo-title": "返回您的看板頁面", - "hide-system-messages": "隱藏系統訊息", - "headerBarCreateBoardPopup-title": "建立看板", - "home": "首頁", - "import": "匯入", - "import-board": "匯入看板", - "import-board-c": "匯入看板", - "import-board-title-trello": "匯入在 Trello 的看板", - "import-board-title-wekan": "從 Wekan 匯入看板", - "import-sandstorm-warning": "匯入資料將會移除所有現有的看版資料,並取代成此次匯入的看板資料", - "from-trello": "來自 Trello", - "from-wekan": "來自 Wekan", - "import-board-instruction-trello": "在你的Trello看板中,點選“功能表”,然後選擇“更多”,“列印與匯出”,“匯出為 JSON” 並拷貝結果文本", - "import-board-instruction-wekan": "在 Wekan 看板中點選“功能表”,然後選擇“匯出看版”且複製文字到下載的檔案", - "import-json-placeholder": "貼上您有效的 JSON 資料至此", - "import-map-members": "複製成員", - "import-members-map": "您匯入的看板有一些成員。請將您想匯入的成員映射到 Wekan 使用者。", - "import-show-user-mapping": "核對成員映射", - "import-user-select": "選擇您想將此成員映射到的 Wekan 使用者", - "importMapMembersAddPopup-title": "選擇 Wekan 成員", - "info": "版本", - "initials": "縮寫", - "invalid-date": "無效的日期", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "關聯", - "just-invited": "您剛剛被邀請加入此看板", - "keyboard-shortcuts": "鍵盤快速鍵", - "label-create": "建立標籤", - "label-default": "%s 標籤 (預設)", - "label-delete-pop": "此操作無法還原,這將會刪除該標籤並清除它的歷史記錄。", - "labels": "標籤", - "language": "語言", - "last-admin-desc": "你不能更改角色,因為至少需要一名管理員。", - "leave-board": "離開看板", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "關聯至該卡片", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "移動清單中的所有卡片", - "list-select-cards": "選擇清單中的所有卡片", - "listActionPopup-title": "清單操作", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "匯入 Trello 卡片", - "listMorePopup-title": "更多", - "link-list": "連結到這個清單", - "list-delete-pop": "所有的動作將從活動動態中被移除且您將無法再開啟該清單\b。此操作無法復原。", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "清單", - "swimlanes": "Swimlanes", - "log-out": "登出", - "log-in": "登入", - "loginPopup-title": "登入", - "memberMenuPopup-title": "成員更改", - "members": "成員", - "menu": "選單", - "move-selection": "移動被選擇的項目", - "moveCardPopup-title": "移動卡片", - "moveCardToBottom-title": "移至最下面", - "moveCardToTop-title": "移至最上面", - "moveSelectionPopup-title": "移動選取的項目", - "multi-selection": "多選", - "multi-selection-on": "多選啟用", - "muted": "靜音", - "muted-info": "您將不會收到有關這個看板的任何訊息", - "my-boards": "我的看板", - "name": "名稱", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "無結果", - "normal": "普通", - "normal-desc": "可以建立以及編輯卡片,無法更改。", - "not-accepted-yet": "邀請尚未接受", - "notify-participate": "接收與你有關的卡片更新", - "notify-watch": "接收您關注的看板、清單或卡片的更新", - "optional": "選擇性的", - "or": "或", - "page-maybe-private": "本頁面被設為私有. 您必須 登入以瀏覽其中內容。", - "page-not-found": "頁面不存在。", - "password": "密碼", - "paste-or-dragdrop": "從剪貼簿貼上,或者拖曳檔案到它上面 (僅限於圖片)", - "participating": "參與", - "preview": "預覽", - "previewAttachedImagePopup-title": "預覽", - "previewClipboardImagePopup-title": "預覽", - "private": "私有", - "private-desc": "該看板將被設為私有。只有該看板成員才可以進行檢視和編輯。", - "profile": "資料", - "public": "公開", - "public-desc": "該看板將被公開。任何人均可透過連結檢視,並且將對Google和其他搜尋引擎開放。只有加入至該看板的成員才可進行編輯。", - "quick-access-description": "被星號標記的看板在導航列中新增快速啟動方式", - "remove-cover": "移除封面", - "remove-from-board": "從看板中刪除", - "remove-label": "移除標籤", - "listDeletePopup-title": "刪除標籤", - "remove-member": "移除成員", - "remove-member-from-card": "從該卡片中移除", - "remove-member-pop": "確定從 __boardTitle__ 中移除 __name__ (__username__) 嗎? 該成員將被從該看板的所有卡片中移除,同時他會收到一則提醒。", - "removeMemberPopup-title": "刪除成員?", - "rename": "重新命名", - "rename-board": "重新命名看板", - "restore": "還原", - "save": "儲存", - "search": "搜尋", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "選擇顏色", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "分配目前卡片給自己", - "shortcut-autocomplete-emoji": "自動完成表情符號", - "shortcut-autocomplete-members": "自動補齊成員", - "shortcut-clear-filters": "清空全部過濾條件", - "shortcut-close-dialog": "關閉對話方塊", - "shortcut-filter-my-cards": "過濾我的卡片", - "shortcut-show-shortcuts": "顯示此快速鍵清單", - "shortcut-toggle-filterbar": "切換過濾程式邊欄", - "shortcut-toggle-sidebar": "切換面板邊欄", - "show-cards-minimum-count": "顯示卡片數量,當內容超過數量", - "sidebar-open": "開啟側邊欄", - "sidebar-close": "關閉側邊欄", - "signupPopup-title": "建立帳戶", - "star-board-title": "點此標記該看板,它將會出現在您的看板列表上方。", - "starred-boards": "已標記看板", - "starred-boards-description": "已標記看板將會出現在您的看板列表上方。", - "subscribe": "訂閱", - "team": "團隊", - "this-board": "這個看板", - "this-card": "這個卡片", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "時間", - "title": "標題", - "tracking": "追蹤", - "tracking-info": "你將會收到與你有關的卡片的所有變更通知", - "type": "Type", - "unassign-member": "取消分配成員", - "unsaved-description": "未儲存的描述", - "unwatch": "取消觀察", - "upload": "上傳", - "upload-avatar": "上傳大頭貼", - "uploaded-avatar": "大頭貼已經上傳", - "username": "使用者名稱", - "view-it": "檢視", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "觀察", - "watching": "觀察中", - "watching-info": "你將會收到關於這個看板所有的變更通知", - "welcome-board": "歡迎進入看板", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "基本", - "welcome-list2": "進階", - "what-to-do": "要做什麼?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "控制台", - "settings": "設定", - "people": "成員", - "registration": "註冊", - "disable-self-registration": "關閉自我註冊", - "invite": "邀請", - "invite-people": "邀請成員", - "to-boards": "至看板()", - "email-addresses": "電子郵件", - "smtp-host-description": "SMTP 外寄郵件伺服器", - "smtp-port-description": "SMTP 外寄郵件伺服器埠號", - "smtp-tls-description": "對 SMTP 啟動 TLS 支援", - "smtp-host": "SMTP 位置", - "smtp-port": "SMTP 埠號", - "smtp-username": "使用者名稱", - "smtp-password": "密碼", - "smtp-tls": "支援 TLS", - "send-from": "從", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "邀請碼", - "email-invite-register-subject": "__inviter__ 向您發出邀請", - "email-invite-register-text": "親愛的 __user__,\n\n__inviter__ 邀請您加入 Wekan 一同協作\n\n請點擊下列連結:\n__url__\n\n您的邀請碼為:__icode__\n\n謝謝。", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "邀請碼不存在", - "error-notAuthorized": "沒有適合的權限觀看", - "outgoing-webhooks": "設定 Webhooks", - "outgoingWebhooksPopup-title": "設定 Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan 版本", - "Node_version": "Node 版本", - "OS_Arch": "系統架構", - "OS_Cpus": "系統\b CPU 數", - "OS_Freemem": "undefined", - "OS_Loadavg": "系統平均讀取", - "OS_Platform": "系統平臺", - "OS_Release": "系統發佈版本", - "OS_Totalmem": "系統總記憶體", - "OS_Type": "系統類型", - "OS_Uptime": "系統運行時間", - "hours": "小時", - "minutes": "分鐘", - "seconds": "秒", - "show-field-on-card": "Show this field on card", - "yes": "是", - "no": "否", - "accounts": "帳號", - "accounts-allowEmailChange": "准許變更電子信箱", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date" -} \ No newline at end of file diff --git a/models/boards.js b/models/boards.js index 44ce0b62..911d82a1 100644 --- a/models/boards.js +++ b/models/boards.js @@ -94,6 +94,9 @@ Boards.attachSchema(new SimpleSchema({ allowedValues: [ 'green', 'yellow', 'orange', 'red', 'purple', 'blue', 'sky', 'lime', 'pink', 'black', + 'silver', 'peachpuff', 'crimson', 'plum', 'darkgreen', + 'slateblue', 'magenta', 'gold', 'navy', 'gray', + 'saddlebrown', 'paleturquoise', 'mistyrose', 'indigo', ], }, // XXX We might want to maintain more informations under the member sub- diff --git a/models/cards.js b/models/cards.js index 6a33fa1a..dd3ac02d 100644 --- a/models/cards.js +++ b/models/cards.js @@ -66,6 +66,14 @@ Cards.attachSchema(new SimpleSchema({ type: String, optional: true, }, + requestedBy: { + type: String, + optional: true + }, + assignedBy: { + type: String, + optional: true + }, labelIds: { type: [String], optional: true, @@ -268,6 +276,14 @@ Cards.mutations({ return {$set: {description}}; }, + setRequestedBy(requestedBy) { + return {$set: {requestedBy}}; + }, + + setAssignedBy(assignedBy) { + return {$set: {assignedBy}}; + }, + move(swimlaneId, listId, sortIndex) { const list = Lists.findOne(listId); const mutatedFields = { -- cgit v1.2.3-1-g7c22 From 78b9436f38d55c9c7497e16d9c4ffc320bf26a45 Mon Sep 17 00:00:00 2001 From: RJevnikar <12701645+rjevnikar@users.noreply.github.com> Date: Tue, 5 Jun 2018 21:21:14 +0000 Subject: Fix problems highlighted by Codacy/PR Quality Review --- client/components/boards/boardHeader.jade | 5 +++++ client/components/boards/boardHeader.js | 6 ++++++ client/components/cards/cardDetails.js | 2 +- models/cards.js | 2 +- 4 files changed, 13 insertions(+), 2 deletions(-) diff --git a/client/components/boards/boardHeader.jade b/client/components/boards/boardHeader.jade index b4ccd3b3..6bbf0cd1 100644 --- a/client/components/boards/boardHeader.jade +++ b/client/components/boards/boardHeader.jade @@ -129,6 +129,7 @@ template(name="boardMenuPopup") ul.pop-over-list li: a(href="{{exportUrl}}", download="{{exportFilename}}") {{_ 'export-board'}} li: a.js-archive-board {{_ 'archive-board'}} + li: a.js-delete-board {{_ 'delete-board'}} li: a.js-outgoing-webhooks {{_ 'outgoing-webhooks'}} if isSandstorm hr @@ -237,6 +238,10 @@ template(name="archiveBoardPopup") p {{_ 'close-board-pop'}} button.js-confirm.negate.full(type="submit") {{_ 'archive'}} +template(name="deleteBoardPopup") + p {{_ 'delete-board-pop'}} + button.js-confirm.negate.full(type="submit") {{_ 'delete'}} + template(name="outgoingWebhooksPopup") each integrations form.integration-form diff --git a/client/components/boards/boardHeader.js b/client/components/boards/boardHeader.js index e0b19246..b2640474 100644 --- a/client/components/boards/boardHeader.js +++ b/client/components/boards/boardHeader.js @@ -17,6 +17,12 @@ Template.boardMenuPopup.events({ // confirm that the board was successfully archived. FlowRouter.go('home'); }), + 'click .js-delete-board': Popup.afterConfirm('deleteBoard', function() { + const currentBoard = Boards.findOne(Session.get('currentBoard')); + Popup.close(); + Boards.remove(currentBoard._id); + FlowRouter.go('home'); + }), 'click .js-outgoing-webhooks': Popup.open('outgoingWebhooks'), 'click .js-import-board': Popup.open('chooseBoardSource'), }); diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index 8aec8a59..6cbc4572 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -156,7 +156,7 @@ BlazeComponent.extendComponent({ 'submit .js-card-details-requester'(evt) { evt.preventDefault(); const requester = this.currentComponent().getValue().trim(); - if (requestor) { + if (requester) { this.data().setRequestedBy(requester); } }, diff --git a/models/cards.js b/models/cards.js index dd3ac02d..e55ac3f9 100644 --- a/models/cards.js +++ b/models/cards.js @@ -68,7 +68,7 @@ Cards.attachSchema(new SimpleSchema({ }, requestedBy: { type: String, - optional: true + optional: true, }, assignedBy: { type: String, -- cgit v1.2.3-1-g7c22 From aa6076e087af151fd8a0f455c16cdd045080e614 Mon Sep 17 00:00:00 2001 From: RJevnikar <12701645+rjevnikar@users.noreply.github.com> Date: Tue, 5 Jun 2018 21:29:28 +0000 Subject: Fix lint error --- models/cards.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/models/cards.js b/models/cards.js index e55ac3f9..9236fcaa 100644 --- a/models/cards.js +++ b/models/cards.js @@ -72,7 +72,7 @@ Cards.attachSchema(new SimpleSchema({ }, assignedBy: { type: String, - optional: true + optional: true, }, labelIds: { type: [String], -- cgit v1.2.3-1-g7c22 From 9035989abf2658838cea9ef8d9466c607f429493 Mon Sep 17 00:00:00 2001 From: RJevnikar <12701645+rjevnikar@users.noreply.github.com> Date: Tue, 5 Jun 2018 22:03:46 +0000 Subject: Finish adding delete board feature --- client/components/boards/boardHeader.jade | 2 ++ i18n/en.i18n.json | 6 +++++- 2 files changed, 7 insertions(+), 1 deletion(-) diff --git a/client/components/boards/boardHeader.jade b/client/components/boards/boardHeader.jade index 6bbf0cd1..b8801ac2 100644 --- a/client/components/boards/boardHeader.jade +++ b/client/components/boards/boardHeader.jade @@ -240,6 +240,8 @@ template(name="archiveBoardPopup") template(name="deleteBoardPopup") p {{_ 'delete-board-pop'}} + unless archived + p {{_ 'board-delete-suggest-archive'}} button.js-confirm.negate.full(type="submit") {{_ 'delete'}} template(name="outgoingWebhooksPopup") diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index c85fd7f8..d3edc6b2 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -470,5 +470,9 @@ "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", "assigned-by": "Assigned By", - "requested-by": "Requested By" + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "board-delete-pop": "All lists, cards, labels, and activities will be removed and you won't be able to recover the board contents. There is no undo.", + "board-delete-suggest-archive": "You can archive a board to remove it from the the active boards and preserve the activity.", + "deleteBoardPopup": "Delete Board?" } -- cgit v1.2.3-1-g7c22 From ea109cfdd77daa69c66220ca942a67e99255551b Mon Sep 17 00:00:00 2001 From: RJevnikar <12701645+rjevnikar@users.noreply.github.com> Date: Wed, 6 Jun 2018 13:19:53 +0000 Subject: Add migrations for requestedBy and assignedBy fields. --- server/migrations.js | 25 +++++++++++++++++++++++++ 1 file changed, 25 insertions(+) diff --git a/server/migrations.js b/server/migrations.js index d59d6d8f..744a0364 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -231,3 +231,28 @@ Migrations.add('add-custom-fields-to-cards', () => { }, }, noValidateMulti); }); + +Migrations.add('add-requester-field', () => { + Cards.update({ + requestedBy: { + $exists: false, + }, + }, { + $set: { + requestedBy:'', + }, + }, noValidateMulti); +}); + +Migrations.add('add-assigner-field', () => { + Cards.update({ + assignedBy: { + $exists: false, + }, + }, { + $set: { + assignedBy:'', + }, + }, noValidateMulti); +}); + -- cgit v1.2.3-1-g7c22 From de59758471f98d4cafc5db9de0d535031fcb2363 Mon Sep 17 00:00:00 2001 From: RJevnikar <12701645+rjevnikar@users.noreply.github.com> Date: Wed, 6 Jun 2018 15:27:05 +0000 Subject: Add delete board to Recycle Bin, fix delete-board menu item on board menu --- client/components/boards/boardArchive.jade | 10 ++++++++++ client/components/boards/boardArchive.js | 12 ++++++++++++ i18n/en.i18n.json | 3 ++- 3 files changed, 24 insertions(+), 1 deletion(-) diff --git a/client/components/boards/boardArchive.jade b/client/components/boards/boardArchive.jade index 6576f742..a57b0bc6 100644 --- a/client/components/boards/boardArchive.jade +++ b/client/components/boards/boardArchive.jade @@ -9,6 +9,16 @@ template(name="archivedBoards") button.js-restore-board i.fa.fa-undo | {{_ 'restore-board'}} + button.js-delete-board + i.fa.fa-trash-o + | {{_ 'delete-board'}} = title else li.no-items-message {{_ 'no-archived-boards'}} + +template(name="deleteBoardPopup") + p {{_ 'delete-board-pop'}} + unless archived + p {{_ 'board-delete-suggest-archive'}} + button.js-confirm.negate.full(type="submit") {{_ 'delete'}} + diff --git a/client/components/boards/boardArchive.js b/client/components/boards/boardArchive.js index acb53149..f31d7d86 100644 --- a/client/components/boards/boardArchive.js +++ b/client/components/boards/boardArchive.js @@ -29,6 +29,18 @@ BlazeComponent.extendComponent({ board.restore(); Utils.goBoardId(board._id); }, + 'click .js-delete': Popup.afterConfirm('cardDelete', function() { + Popup.close(); + const isSandstorm = Meteor.settings && Meteor.settings.public && + Meteor.settings.public.sandstorm; + if (isSandstorm && Session.get('currentBoard')) { + const currentBoard = Boards.findOne(Session.get('currentBoard')); + Boards.remove(currentBoard._id); + } + const board = this.currentData(); + Boards.remove(board._id); + FlowRouter.go('home'); + }), }]; }, }).register('archivedBoards'); diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index d3edc6b2..f42d8fcc 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -474,5 +474,6 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "board-delete-pop": "All lists, cards, labels, and activities will be removed and you won't be able to recover the board contents. There is no undo.", "board-delete-suggest-archive": "You can archive a board to remove it from the the active boards and preserve the activity.", - "deleteBoardPopup": "Delete Board?" + "deleteBoardPopup": "Delete Board?", + "delete-board": "Delete Board" } -- cgit v1.2.3-1-g7c22 From 87ee0ca646088bc00cead982f054773b324f960d Mon Sep 17 00:00:00 2001 From: RJevnikar <12701645+rjevnikar@users.noreply.github.com> Date: Wed, 6 Jun 2018 16:31:18 +0000 Subject: Fix display of card details - cardDetails.styl - remove trailing comma --- client/components/cards/cardDetails.styl | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/components/cards/cardDetails.styl b/client/components/cards/cardDetails.styl index db9882df..11660593 100644 --- a/client/components/cards/cardDetails.styl +++ b/client/components/cards/cardDetails.styl @@ -83,7 +83,7 @@ &.card-details-item-due, &.card-details-item-end, &.card-details-item-customfield, - &.card-details-item-name, + &.card-details-item-name max-width: 50% flex-grow: 1 -- cgit v1.2.3-1-g7c22 From 3c4b09157e3c73e6feeaaa8561443ce785aab8eb Mon Sep 17 00:00:00 2001 From: RJevnikar <12701645+rjevnikar@users.noreply.github.com> Date: Wed, 6 Jun 2018 16:44:15 +0000 Subject: Fix AssignedBy & RequestedBy fields & forms --- client/components/cards/cardDetails.jade | 8 +++----- 1 file changed, 3 insertions(+), 5 deletions(-) diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index 722e51c7..0915c4bc 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -175,15 +175,13 @@ template(name="editCardTitleForm") a.fa.fa-times-thin.js-close-inlined-form template(name="editCardRequesterForm") - textarea.js-edit-card-requester(rows='1' autofocus) - = requestedBy + input.js-edit-card-requester(type='text' autofocus value=requestedBy ) .edit-controls.clearfix - button.primary.confirm.js-submit-edit-card-requestor-form(type="submit") {{_ 'save'}} + button.primary.confirm.js-submit-edit-card-requester-form(type="submit") {{_ 'save'}} a.fa.fa-times-thin.js-close-inlined-form template(name="editCardAssignerForm") - textarea.js-edit-card-assigner(rows='1' autofocus) - = assignedBy + input.js-edit-card-assigner(type='text' autofocus value=assignedBy) .edit-controls.clearfix button.primary.confirm.js-submit-edit-card-assigner-form(type="submit") {{_ 'save'}} a.fa.fa-times-thin.js-close-inlined-form -- cgit v1.2.3-1-g7c22 From 4787a1186bb844c598758a910aba5a88c64f87fc Mon Sep 17 00:00:00 2001 From: RJevnikar <12701645+rjevnikar@users.noreply.github.com> Date: Wed, 6 Jun 2018 17:36:20 +0000 Subject: Adjust 'add-profile-view' in migrations.js in attempt to resolve 1675 --- server/migrations.js | 14 ++++++++------ 1 file changed, 8 insertions(+), 6 deletions(-) diff --git a/server/migrations.js b/server/migrations.js index d59d6d8f..f877200a 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -211,12 +211,14 @@ Migrations.add('add-checklist-items', () => { Migrations.add('add-profile-view', () => { Users.find().forEach((user) => { - // Set default view - Users.direct.update( - { _id: user._id }, - { $set: { 'profile.boardView': 'board-view-lists' } }, - noValidate - ); + if (!user.hasOwnProperty('profile.boardView')) { + // Set default view + Users.direct.update( + { _id: user._id }, + { $set: { 'profile.boardView': 'board-view-lists' } }, + noValidate + ); + } }); }); -- cgit v1.2.3-1-g7c22 From 1f17cee39b7acfe50979b478fa2b80f37aea1614 Mon Sep 17 00:00:00 2001 From: RJevnikar <12701645+rjevnikar@users.noreply.github.com> Date: Wed, 6 Jun 2018 17:45:43 +0000 Subject: Remove double template for deleteCardPopup --- client/components/boards/boardArchive.jade | 6 ------ 1 file changed, 6 deletions(-) diff --git a/client/components/boards/boardArchive.jade b/client/components/boards/boardArchive.jade index a57b0bc6..a9b1be85 100644 --- a/client/components/boards/boardArchive.jade +++ b/client/components/boards/boardArchive.jade @@ -16,9 +16,3 @@ template(name="archivedBoards") else li.no-items-message {{_ 'no-archived-boards'}} -template(name="deleteBoardPopup") - p {{_ 'delete-board-pop'}} - unless archived - p {{_ 'board-delete-suggest-archive'}} - button.js-confirm.negate.full(type="submit") {{_ 'delete'}} - -- cgit v1.2.3-1-g7c22 From 8f364281d2632809b4650db3ba49939617b6ca09 Mon Sep 17 00:00:00 2001 From: RJevnikar <12701645+rjevnikar@users.noreply.github.com> Date: Wed, 6 Jun 2018 20:05:44 +0000 Subject: Remove delete option from board hamburger menu --- client/components/boards/boardArchive.jade | 3 +++ client/components/boards/boardArchive.js | 2 +- client/components/boards/boardHeader.jade | 7 ------- client/components/cards/cardDetails.jade | 2 +- 4 files changed, 5 insertions(+), 9 deletions(-) diff --git a/client/components/boards/boardArchive.jade b/client/components/boards/boardArchive.jade index a9b1be85..29372b39 100644 --- a/client/components/boards/boardArchive.jade +++ b/client/components/boards/boardArchive.jade @@ -16,3 +16,6 @@ template(name="archivedBoards") else li.no-items-message {{_ 'no-archived-boards'}} +template(name="deleteBoardPopup") + p {{_ 'delete-board-pop'}} + button.js-confirm.negate.full(type="submit") {{_ 'delete'}} diff --git a/client/components/boards/boardArchive.js b/client/components/boards/boardArchive.js index f31d7d86..dbebdd70 100644 --- a/client/components/boards/boardArchive.js +++ b/client/components/boards/boardArchive.js @@ -29,7 +29,7 @@ BlazeComponent.extendComponent({ board.restore(); Utils.goBoardId(board._id); }, - 'click .js-delete': Popup.afterConfirm('cardDelete', function() { + 'click .js-delete-board': Popup.afterConfirm('boardDelete', function() { Popup.close(); const isSandstorm = Meteor.settings && Meteor.settings.public && Meteor.settings.public.sandstorm; diff --git a/client/components/boards/boardHeader.jade b/client/components/boards/boardHeader.jade index b8801ac2..b4ccd3b3 100644 --- a/client/components/boards/boardHeader.jade +++ b/client/components/boards/boardHeader.jade @@ -129,7 +129,6 @@ template(name="boardMenuPopup") ul.pop-over-list li: a(href="{{exportUrl}}", download="{{exportFilename}}") {{_ 'export-board'}} li: a.js-archive-board {{_ 'archive-board'}} - li: a.js-delete-board {{_ 'delete-board'}} li: a.js-outgoing-webhooks {{_ 'outgoing-webhooks'}} if isSandstorm hr @@ -238,12 +237,6 @@ template(name="archiveBoardPopup") p {{_ 'close-board-pop'}} button.js-confirm.negate.full(type="submit") {{_ 'archive'}} -template(name="deleteBoardPopup") - p {{_ 'delete-board-pop'}} - unless archived - p {{_ 'board-delete-suggest-archive'}} - button.js-confirm.negate.full(type="submit") {{_ 'delete'}} - template(name="outgoingWebhooksPopup") each integrations form.integration-form diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index 0915c4bc..cc1b60dd 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -175,7 +175,7 @@ template(name="editCardTitleForm") a.fa.fa-times-thin.js-close-inlined-form template(name="editCardRequesterForm") - input.js-edit-card-requester(type='text' autofocus value=requestedBy ) + input.js-edit-card-requester(type='text' autofocus value=requestedBy) .edit-controls.clearfix button.primary.confirm.js-submit-edit-card-requester-form(type="submit") {{_ 'save'}} a.fa.fa-times-thin.js-close-inlined-form -- cgit v1.2.3-1-g7c22 From 23e6b4ec0a3a2180729523e732cc2023bf42860f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 6 Jun 2018 23:10:40 +0300 Subject: - Try to fix: Missing board-view-lists Field after DB updated to Wekan 1.02. Thanks to rjevnikar ! --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 422cb2eb..ccaefc8d 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release possibly fixes the following bugs, please test: + +* [Try to fix: Missing board-view-lists Field after DB updated to Wekan 1.02](https://github.com/wekan/wekan/issues/1675). + +Thanks to GitHub user rjevnikar for contributions. + # v1.02 2018-05-26 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From c72b769f826b510757179eedcf5013cc44dd63c2 Mon Sep 17 00:00:00 2001 From: RJevnikar <12701645+rjevnikar@users.noreply.github.com> Date: Thu, 7 Jun 2018 16:02:44 +0000 Subject: Attempt to lineup buttons in recycle bin & get delete board popup to appear --- client/components/boards/boardArchive.jade | 17 +++++++++-------- i18n/en.i18n.json | 5 ++--- 2 files changed, 11 insertions(+), 11 deletions(-) diff --git a/client/components/boards/boardArchive.jade b/client/components/boards/boardArchive.jade index 29372b39..3008822c 100644 --- a/client/components/boards/boardArchive.jade +++ b/client/components/boards/boardArchive.jade @@ -6,16 +6,17 @@ template(name="archivedBoards") ul.archived-lists each archivedBoards li.archived-lists-item - button.js-restore-board - i.fa.fa-undo - | {{_ 'restore-board'}} - button.js-delete-board - i.fa.fa-trash-o - | {{_ 'delete-board'}} - = title + div.board-header-btns + button.board-header-btn.js-restore-board + i.fa.fa-undo + | {{_ 'restore-board'}} + button.board-header-btn.js-delete-board + i.fa.fa-trash-o + | {{_ 'delete-board'}} + = title else li.no-items-message {{_ 'no-archived-boards'}} -template(name="deleteBoardPopup") +template(name="boardDeletePopup") p {{_ 'delete-board-pop'}} button.js-confirm.negate.full(type="submit") {{_ 'delete'}} diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index f42d8fcc..f940f418 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -472,8 +472,7 @@ "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "board-delete-pop": "All lists, cards, labels, and activities will be removed and you won't be able to recover the board contents. There is no undo.", - "board-delete-suggest-archive": "You can archive a board to remove it from the the active boards and preserve the activity.", - "deleteBoardPopup": "Delete Board?", + "board-delete-pop": "All lists, cards, labels, and activities will be removed and you won't be able to recover the board contents. There is no undo.",, + "boardDeletePopup-title": "Delete Board?", "delete-board": "Delete Board" } -- cgit v1.2.3-1-g7c22 From ec4e1b6eff4b68d7a2f813c520fc5489d4894b24 Mon Sep 17 00:00:00 2001 From: RJevnikar <12701645+rjevnikar@users.noreply.github.com> Date: Thu, 7 Jun 2018 16:26:20 +0000 Subject: Fix spacing on cardDetails.jade to get 'Add' buttons in tag for RequestedBy & AssignedBy --- client/components/cards/cardDetails.jade | 20 ++++++++++---------- 1 file changed, 10 insertions(+), 10 deletions(-) diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index cc1b60dd..aa4829a9 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -116,11 +116,11 @@ template(name="cardDetails") +editCardRequesterForm else a.js-open-inlined-form - if requestedBy - +viewer - = requestedBy - else - | {{_ 'add'}} + if requestedBy + +viewer + = requestedBy + else + | {{_ 'add'}} else if requestedBy +viewer = requestedBy @@ -132,11 +132,11 @@ template(name="cardDetails") +editCardAssignerForm else a.js-open-inlined-form - if assignedBy - +viewer - = assignedBy - else - | {{_ 'add'}} + if assignedBy + +viewer + = assignedBy + else + | {{_ 'add'}} else if requestedBy +viewer = assignedBy -- cgit v1.2.3-1-g7c22 From 90d55777f7298d243ed0de03c934cea239a31272 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 7 Jun 2018 21:54:08 +0300 Subject: Copy latest Sandstorm Node.js fork binary from installed Sandstorm /opt/sandstorm/sandstorm-234/bin/node to https://releases.wekan.team download server. Node binary is compiled by https://github.com/kentonv when doing new release of Sandstorm. Source code of binary is at: https://github.com/sandstorm-io/node --- Dockerfile | 2 +- snapcraft.yaml | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/Dockerfile b/Dockerfile index 407cd2fb..19612429 100644 --- a/Dockerfile +++ b/Dockerfile @@ -49,7 +49,7 @@ RUN \ # Description at https://releases.wekan.team/node.txt # SHA256SUM: 18c99d5e79e2fe91e75157a31be30e5420787213684d4048eb91e602e092725d wget https://releases.wekan.team/node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ - echo "c85ed210a360c50d55baaf7b49419236e5241515ed21410d716f4c1f5deedb12 node-v8.11.1-linux-x64.tar.gz" >> SHASUMS256.txt.asc && \ + echo "509e79f1bfccc849b65bd3f207a56095dfa608f17502997e844fa9c9d01e6c20 node-v8.11.1-linux-x64.tar.gz" >> SHASUMS256.txt.asc && \ \ # Verify nodejs authenticity grep ${NODE_VERSION}-${ARCHITECTURE}.tar.gz SHASUMS256.txt.asc | shasum -a 256 -c - && \ diff --git a/snapcraft.yaml b/snapcraft.yaml index 2333f5db..d1b89a67 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -111,7 +111,7 @@ parts: # Download node version 8.11.1 that has fix included, node binary copied from Sandstorm # Description at https://releases.wekan.team/node.txt # SHA256SUM: 18c99d5e79e2fe91e75157a31be30e5420787213684d4048eb91e602e092725d - echo "18c99d5e79e2fe91e75157a31be30e5420787213684d4048eb91e602e092725d node" >> node-SHASUMS256.txt.asc + echo "5f2703af5f7bd48e85fc8ed32d61de7c7cf81c53d0dcd73f6c218ed87e950fae node" >> node-SHASUMS256.txt.asc curl https://releases.wekan.team/node -o node # Verify Fibers patched node authenticity echo "Fibers 100% CPU issue patched node authenticity:" -- cgit v1.2.3-1-g7c22 From 123d9659c155b649e8aa112e474760d3fe3b7301 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 7 Jun 2018 22:13:39 +0300 Subject: - Update to newest Sandstorm fork of Node.js that includes performance etc fixes. Thanks to xet7 ! --- CHANGELOG.md | 9 +++++++-- 1 file changed, 7 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index ccaefc8d..8599231c 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,10 +1,15 @@ # Upcoming Wekan release -This release possibly fixes the following bugs, please test: +This release adds the following new features: + +* [Update to newest Sandstorm fork of Node.js that includes performance + etc fixes](https://github.com/wekan/wekan/commit/90d55777f7298d243ed0de03c934cea239a31272). + +and possibly fixes the following bugs, please test: * [Try to fix: Missing board-view-lists Field after DB updated to Wekan 1.02](https://github.com/wekan/wekan/issues/1675). -Thanks to GitHub user rjevnikar for contributions. +Thanks to GitHub users rjevnikar and xet7 for their contributions. # v1.02 2018-05-26 Wekan release -- cgit v1.2.3-1-g7c22 From 1332a578901ae131f7a2a8fffd566072e5440e46 Mon Sep 17 00:00:00 2001 From: RJevnikar <12701645+rjevnikar@users.noreply.github.com> Date: Thu, 7 Jun 2018 19:15:58 +0000 Subject: Fix double comma in i18n/en.i18n.json --- i18n/en.i18n.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index f940f418..708f2f9c 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -472,7 +472,7 @@ "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "board-delete-pop": "All lists, cards, labels, and activities will be removed and you won't be able to recover the board contents. There is no undo.",, + "board-delete-pop": "All lists, cards, labels, and activities will be removed and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", "delete-board": "Delete Board" } -- cgit v1.2.3-1-g7c22 From 9990f9856b3e98c8bcbbf20c42e0a8575dc1f084 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 8 Jun 2018 00:41:39 +0300 Subject: Change button order at Boards Recycle Bin. --- client/components/boards/boardArchive.jade | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/client/components/boards/boardArchive.jade b/client/components/boards/boardArchive.jade index 3008822c..5d291f00 100644 --- a/client/components/boards/boardArchive.jade +++ b/client/components/boards/boardArchive.jade @@ -7,16 +7,16 @@ template(name="archivedBoards") each archivedBoards li.archived-lists-item div.board-header-btns - button.board-header-btn.js-restore-board - i.fa.fa-undo - | {{_ 'restore-board'}} button.board-header-btn.js-delete-board i.fa.fa-trash-o | {{_ 'delete-board'}} + button.board-header-btn.js-restore-board + i.fa.fa-undo + | {{_ 'restore-board'}} = title else li.no-items-message {{_ 'no-archived-boards'}} template(name="boardDeletePopup") - p {{_ 'delete-board-pop'}} + p {{_ 'delete-board-confirm-popup'}} button.js-confirm.negate.full(type="submit") {{_ 'delete'}} -- cgit v1.2.3-1-g7c22 From d5bfa468f751bf8d1929ccb581e5771afb0e1d60 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 8 Jun 2018 01:18:41 +0300 Subject: - Additional label colors - Assigned By and Requested By text fields on card - Delete board from Recycle Bin Thanks to JamesLavin and rjevnikar ! --- CHANGELOG.md | 9 ++++++--- 1 file changed, 6 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 8599231c..aab97cae 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,13 +3,16 @@ This release adds the following new features: * [Update to newest Sandstorm fork of Node.js that includes performance - etc fixes](https://github.com/wekan/wekan/commit/90d55777f7298d243ed0de03c934cea239a31272). + etc fixes](https://github.com/wekan/wekan/commit/90d55777f7298d243ed0de03c934cea239a31272); +* [Additional label colors. Assigned By and Requested By text fields + on card. Delete board from Recycle Bin](https://github.com/wekan/wekan/pull/1679). and possibly fixes the following bugs, please test: -* [Try to fix: Missing board-view-lists Field after DB updated to Wekan 1.02](https://github.com/wekan/wekan/issues/1675). +* [Try to fix: Missing board-view-lists Field after DB updated to + Wekan 1.02](https://github.com/wekan/wekan/issues/1675). -Thanks to GitHub users rjevnikar and xet7 for their contributions. +Thanks to GitHub users JamesLavin, rjevnikar and xet7 for their contributions. # v1.02 2018-05-26 Wekan release -- cgit v1.2.3-1-g7c22 From e31741cd7b7a516a063f60f36e2c00a91efe0ca5 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 8 Jun 2018 01:51:58 +0300 Subject: Update translations. --- i18n/ar.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/bg.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/br.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/ca.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/cs.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/de.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/el.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/en-GB.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/en.i18n.json | 2 +- i18n/eo.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/es-AR.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/es.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/eu.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/fa.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/fi.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/fr.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/gl.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/he.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/hu.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/hy.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/id.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/ig.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/it.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/ja.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/ko.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/lv.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/mn.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/nb.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/nl.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/pl.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/pt-BR.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/pt.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/ro.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/ru.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/sr.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/sv.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/ta.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/th.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/tr.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/uk.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/vi.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/zh-CN.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/zh-TW.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ 43 files changed, 20077 insertions(+), 1 deletion(-) create mode 100644 i18n/ar.i18n.json create mode 100644 i18n/bg.i18n.json create mode 100644 i18n/br.i18n.json create mode 100644 i18n/ca.i18n.json create mode 100644 i18n/cs.i18n.json create mode 100644 i18n/de.i18n.json create mode 100644 i18n/el.i18n.json create mode 100644 i18n/en-GB.i18n.json create mode 100644 i18n/eo.i18n.json create mode 100644 i18n/es-AR.i18n.json create mode 100644 i18n/es.i18n.json create mode 100644 i18n/eu.i18n.json create mode 100644 i18n/fa.i18n.json create mode 100644 i18n/fi.i18n.json create mode 100644 i18n/fr.i18n.json create mode 100644 i18n/gl.i18n.json create mode 100644 i18n/he.i18n.json create mode 100644 i18n/hu.i18n.json create mode 100644 i18n/hy.i18n.json create mode 100644 i18n/id.i18n.json create mode 100644 i18n/ig.i18n.json create mode 100644 i18n/it.i18n.json create mode 100644 i18n/ja.i18n.json create mode 100644 i18n/ko.i18n.json create mode 100644 i18n/lv.i18n.json create mode 100644 i18n/mn.i18n.json create mode 100644 i18n/nb.i18n.json create mode 100644 i18n/nl.i18n.json create mode 100644 i18n/pl.i18n.json create mode 100644 i18n/pt-BR.i18n.json create mode 100644 i18n/pt.i18n.json create mode 100644 i18n/ro.i18n.json create mode 100644 i18n/ru.i18n.json create mode 100644 i18n/sr.i18n.json create mode 100644 i18n/sv.i18n.json create mode 100644 i18n/ta.i18n.json create mode 100644 i18n/th.i18n.json create mode 100644 i18n/tr.i18n.json create mode 100644 i18n/uk.i18n.json create mode 100644 i18n/vi.i18n.json create mode 100644 i18n/zh-CN.i18n.json create mode 100644 i18n/zh-TW.i18n.json diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json new file mode 100644 index 00000000..79f01cfe --- /dev/null +++ b/i18n/ar.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "اقبلboard", + "act-activity-notify": "[Wekan] اشعار عن نشاط", + "act-addAttachment": "ربط __attachment__ الى __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "علق على __comment__ : __card__", + "act-createBoard": "احدث __board__", + "act-createCard": "اضاف __card__ الى __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "اضاف __list__ الى __board__", + "act-addBoardMember": "اضاف __member__ الى __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "إستورد __board__", + "act-importCard": "إستورد __card__", + "act-importList": "إستورد __list__", + "act-joinMember": "اضاف __member__ الى __card__", + "act-moveCard": "حوّل __card__ من __oldList__ إلى __list__", + "act-removeBoardMember": "أزال __member__ من __board__", + "act-restoredCard": "أعاد __card__ إلى __board__", + "act-unjoinMember": "أزال __member__ من __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "الإجراءات", + "activities": "الأنشطة", + "activity": "النشاط", + "activity-added": "تمت إضافة %s ل %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "إرفاق %s ل %s", + "activity-created": "أنشأ %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "استبعاد %s عن %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "انضم %s", + "activity-moved": "تم نقل %s من %s إلى %s", + "activity-on": "على %s", + "activity-removed": "حذف %s إلى %s", + "activity-sent": "إرسال %s إلى %s", + "activity-unjoined": "غادر %s", + "activity-checklist-added": "أضاف قائمة تحقق إلى %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "أضف", + "add-attachment": "إضافة مرفق", + "add-board": "إضافة لوحة", + "add-card": "إضافة بطاقة", + "add-swimlane": "Add Swimlane", + "add-checklist": "إضافة قائمة تدقيق", + "add-checklist-item": "إضافة عنصر إلى قائمة التحقق", + "add-cover": "إضافة غلاف", + "add-label": "إضافة ملصق", + "add-list": "إضافة قائمة", + "add-members": "تعيين أعضاء", + "added": "أُضيف", + "addMemberPopup-title": "الأعضاء", + "admin": "المدير", + "admin-desc": "إمكانية مشاهدة و تعديل و حذف أعضاء ، و تعديل إعدادات اللوحة أيضا.", + "admin-announcement": "إعلان", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "كل اللوحات", + "and-n-other-card": "And __count__ other بطاقة", + "and-n-other-card_plural": "And __count__ other بطاقات", + "apply": "طبق", + "app-is-offline": "يتمّ تحميل ويكان، يرجى الانتظار. سيؤدي تحديث الصفحة إلى فقدان البيانات. إذا لم يتم تحميل ويكان، يرجى التحقق من أن خادم ويكان لم يتوقف. ", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "استعادة اللوحة", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "تعيين عضو", + "attached": "أُرفق)", + "attachment": "مرفق", + "attachment-delete-pop": "حذف المرق هو حذف نهائي . لا يمكن التراجع إذا حذف.", + "attachmentDeletePopup-title": "تريد حذف المرفق ?", + "attachments": "المرفقات", + "auto-watch": "مراقبة لوحات تلقائيا عندما يتم إنشاؤها", + "avatar-too-big": "الصورة الرمزية كبيرة جدا (70 كيلوبايت كحد أقصى)", + "back": "رجوع", + "board-change-color": "تغيير اللومr", + "board-nb-stars": "%s نجوم", + "board-not-found": "لوحة مفقودة", + "board-private-info": "سوف تصبح هذه اللوحة خاصة", + "board-public-info": "سوف تصبح هذه اللوحة عامّة.", + "boardChangeColorPopup-title": "تعديل خلفية الشاشة", + "boardChangeTitlePopup-title": "إعادة تسمية اللوحة", + "boardChangeVisibilityPopup-title": "تعديل وضوح الرؤية", + "boardChangeWatchPopup-title": "تغيير المتابعة", + "boardMenuPopup-title": "قائمة اللوحة", + "boards": "لوحات", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "القائمات", + "bucket-example": "مثل « todo list » على سبيل المثال", + "cancel": "إلغاء", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "%s تعليقات لهذه البطاقة", + "card-delete-notice": "هذا حذف أبديّ . سوف تفقد كل الإجراءات المنوطة بهذه البطاقة", + "card-delete-pop": "سيتم إزالة جميع الإجراءات من تبعات النشاط، وأنك لن تكون قادرا على إعادة فتح البطاقة. لا يوجد التراجع.", + "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "مستحق", + "card-due-on": "مستحق في", + "card-spent": "Spent Time", + "card-edit-attachments": "تعديل المرفقات", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "تعديل العلامات", + "card-edit-members": "تعديل الأعضاء", + "card-labels-title": "تعديل علامات البطاقة.", + "card-members-title": "إضافة او حذف أعضاء للبطاقة.", + "card-start": "بداية", + "card-start-on": "يبدأ في", + "cardAttachmentsPopup-title": "إرفاق من", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "حذف البطاقة ?", + "cardDetailsActionsPopup-title": "إجراءات على البطاقة", + "cardLabelsPopup-title": "علامات", + "cardMembersPopup-title": "أعضاء", + "cardMorePopup-title": "المزيد", + "cards": "بطاقات", + "cards-count": "بطاقات", + "change": "Change", + "change-avatar": "تعديل الصورة الشخصية", + "change-password": "تغيير كلمة المرور", + "change-permissions": "تعديل الصلاحيات", + "change-settings": "تغيير الاعدادات", + "changeAvatarPopup-title": "تعديل الصورة الشخصية", + "changeLanguagePopup-title": "تغيير اللغة", + "changePasswordPopup-title": "تغيير كلمة المرور", + "changePermissionsPopup-title": "تعديل الصلاحيات", + "changeSettingsPopup-title": "تغيير الاعدادات", + "checklists": "قوائم التّدقيق", + "click-to-star": "اضغط لإضافة اللوحة للمفضلة.", + "click-to-unstar": "اضغط لحذف اللوحة من المفضلة.", + "clipboard": "Clipboard or drag & drop", + "close": "غلق", + "close-board": "غلق اللوحة", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "تعليق", + "comment-placeholder": "أكتب تعليق", + "comment-only": "التعليق فقط", + "comment-only-desc": "يمكن التعليق على بطاقات فقط.", + "computer": "حاسوب", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "نسخ رابط البطاقة إلى الحافظة", + "copyCardPopup-title": "نسخ البطاقة", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "إنشاء", + "createBoardPopup-title": "إنشاء لوحة", + "chooseBoardSourcePopup-title": "استيراد لوحة", + "createLabelPopup-title": "إنشاء علامة", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "الحالي", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "تاريخ", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "تاريخ", + "decline": "Decline", + "default-avatar": "صورة شخصية افتراضية", + "delete": "حذف", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "حذف العلامة ?", + "description": "وصف", + "disambiguateMultiLabelPopup-title": "تحديد الإجراء على العلامة", + "disambiguateMultiMemberPopup-title": "تحديد الإجراء على العضو", + "discard": "التخلص منها", + "done": "Done", + "download": "تنزيل", + "edit": "تعديل", + "edit-avatar": "تعديل الصورة الشخصية", + "edit-profile": "تعديل الملف الشخصي", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "تغيير تاريخ البدء", + "editCardDueDatePopup-title": "تغيير تاريخ الاستحقاق", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "تعديل العلامة", + "editNotificationPopup-title": "تصحيح الإشعار", + "editProfilePopup-title": "تعديل الملف الشخصي", + "email": "البريد الإلكتروني", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "لا يمكنك دعوة نفسك", + "error-user-notCreated": "This user is not created", + "error-username-taken": "إسم المستخدم مأخوذ مسبقا", + "error-email-taken": "البريد الإلكتروني مأخوذ بالفعل", + "export-board": "Export board", + "filter": "تصفية", + "filter-cards": "تصفية البطاقات", + "filter-clear": "مسح التصفية", + "filter-no-label": "لا يوجد ملصق", + "filter-no-member": "ليس هناك أي عضو", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "التصفية تشتغل", + "filter-on-desc": "أنت بصدد تصفية بطاقات هذه اللوحة. اضغط هنا لتعديل التصفية.", + "filter-to-selection": "تصفية بالتحديد", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "الإسم الكامل", + "header-logo-title": "الرجوع إلى صفحة اللوحات", + "hide-system-messages": "إخفاء رسائل النظام", + "headerBarCreateBoardPopup-title": "إنشاء لوحة", + "home": "الرئيسية", + "import": "Import", + "import-board": "استيراد لوحة", + "import-board-c": "استيراد لوحة", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "استيراد لوحة من ويكان", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "من تريلو", + "from-wekan": "من ويكان", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", + "import-board-instruction-wekan": "في لوحة ويكان الخاصة بك، انتقل إلى 'القائمة'، ثم 'تصدير اللوحة'، ونسخ النص في الملف الذي تم تنزيله.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "رسم خريطة الأعضاء", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "حدّد عضو ويكان", + "info": "الإصدار", + "initials": "أولية", + "invalid-date": "تاريخ غير صالح", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "انضمّ", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "اختصار لوحة المفاتيح", + "label-create": "إنشاء علامة", + "label-default": "%s علامة (افتراضية)", + "label-delete-pop": "لا يوجد تراجع. سيؤدي هذا إلى إزالة هذه العلامة من جميع بطاقات والقضاء على تأريخها", + "labels": "علامات", + "language": "لغة", + "last-admin-desc": "لا يمكن تعديل الأدوار لأن ذلك يتطلب صلاحيات المدير.", + "leave-board": "مغادرة اللوحة", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "مغادرة اللوحة ؟", + "link-card": "ربط هذه البطاقة", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "نقل بطاقات هذه القائمة", + "list-select-cards": "تحديد بطاقات هذه القائمة", + "listActionPopup-title": "قائمة الإجراءات", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "المزيد", + "link-list": "رابط إلى هذه القائمة", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "القائمات", + "swimlanes": "Swimlanes", + "log-out": "تسجيل الخروج", + "log-in": "تسجيل الدخول", + "loginPopup-title": "تسجيل الدخول", + "memberMenuPopup-title": "أفضليات الأعضاء", + "members": "أعضاء", + "menu": "القائمة", + "move-selection": "Move selection", + "moveCardPopup-title": "نقل البطاقة", + "moveCardToBottom-title": "التحرك إلى القاع", + "moveCardToTop-title": "التحرك إلى الأعلى", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "تحديد أكثر من واحدة", + "multi-selection-on": "Multi-Selection is on", + "muted": "مكتوم", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "لوحاتي", + "name": "اسم", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "لا توجد نتائج", + "normal": "عادي", + "normal-desc": "يمكن مشاهدة و تعديل البطاقات. لا يمكن تغيير إعدادات الضبط.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "اختياري", + "or": "or", + "page-maybe-private": "قدتكون هذه الصفحة خاصة . قد تستطيع مشاهدتها ب تسجيل الدخول.", + "page-not-found": "صفحة غير موجودة", + "password": "كلمة المرور", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "المشاركة", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "خاص", + "private-desc": "هذه اللوحة خاصة . لا يسمح إلا للأعضاء .", + "profile": "ملف شخصي", + "public": "عامّ", + "public-desc": "هذه اللوحة عامة: مرئية لكلّ من يحصل على الرابط ، و هي مرئية أيضا في محركات البحث مثل جوجل. التعديل مسموح به للأعضاء فقط.", + "quick-access-description": "أضف لوحة إلى المفضلة لإنشاء اختصار في هذا الشريط.", + "remove-cover": "حذف الغلاف", + "remove-from-board": "حذف من اللوحة", + "remove-label": "إزالة التصنيف", + "listDeletePopup-title": "حذف القائمة ؟", + "remove-member": "حذف العضو", + "remove-member-from-card": "حذف من البطاقة", + "remove-member-pop": "حذف __name__ (__username__) من __boardTitle__ ? سيتم حذف هذا العضو من جميع بطاقة اللوحة مع إرسال إشعار له بذاك.", + "removeMemberPopup-title": "حذف العضو ?", + "rename": "إعادة التسمية", + "rename-board": "إعادة تسمية اللوحة", + "restore": "استعادة", + "save": "حفظ", + "search": "بحث", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "اختيار اللون", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "الإكمال التلقائي للرموز التعبيرية", + "shortcut-autocomplete-members": "الإكمال التلقائي لأسماء الأعضاء", + "shortcut-clear-filters": "مسح التصفيات", + "shortcut-close-dialog": "غلق النافذة", + "shortcut-filter-my-cards": "تصفية بطاقاتي", + "shortcut-show-shortcuts": "عرض قائمة الإختصارات ،تلك", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "إظهار-إخفاء الشريط الجانبي للوحة", + "show-cards-minimum-count": "إظهار عدد البطاقات إذا كانت القائمة تتضمن أكثر من", + "sidebar-open": "فتح الشريط الجانبي", + "sidebar-close": "إغلاق الشريط الجانبي", + "signupPopup-title": "إنشاء حساب", + "star-board-title": "اضغط لإضافة هذه اللوحة إلى المفضلة . سوف يتم إظهارها على رأس بقية اللوحات.", + "starred-boards": "اللوحات المفضلة", + "starred-boards-description": "تعرض اللوحات المفضلة على رأس بقية اللوحات.", + "subscribe": "اشتراك و متابعة", + "team": "فريق", + "this-board": "هذه اللوحة", + "this-card": "هذه البطاقة", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "الوقت", + "title": "عنوان", + "tracking": "تتبع", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "إلغاء تعيين العضو", + "unsaved-description": "لديك وصف غير محفوظ", + "unwatch": "غير مُشاهد", + "upload": "Upload", + "upload-avatar": "رفع صورة شخصية", + "uploaded-avatar": "تم رفع الصورة الشخصية", + "username": "اسم المستخدم", + "view-it": "شاهدها", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "مُشاهد", + "watching": "مشاهدة", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "لوحة التّرحيب", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "المبادئ", + "welcome-list2": "متقدم", + "what-to-do": "ماذا تريد أن تنجز?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "لوحة التحكم", + "settings": "الإعدادات", + "people": "الناس", + "registration": "تسجيل", + "disable-self-registration": "Disable Self-Registration", + "invite": "دعوة", + "invite-people": "الناس المدعوين", + "to-boards": "إلى اللوحات", + "email-addresses": "عناوين البريد الإلكتروني", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "تفعيل دعم TLS من اجل خادم SMTP", + "smtp-host": "مضيف SMTP", + "smtp-port": "منفذ SMTP", + "smtp-username": "اسم المستخدم", + "smtp-password": "كلمة المرور", + "smtp-tls": "دعم التي ال سي", + "send-from": "من", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "رمز الدعوة", + "email-invite-register-subject": "__inviter__ أرسل دعوة لك", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "رمز الدعوة غير موجود", + "error-notAuthorized": "أنتَ لا تملك الصلاحيات لرؤية هذه الصفحة.", + "outgoing-webhooks": "الويبهوك الصادرة", + "outgoingWebhooksPopup-title": "الويبهوك الصادرة", + "new-outgoing-webhook": "ويبهوك جديدة ", + "no-name": "(غير معروف)", + "Wekan_version": "إصدار ويكان", + "Node_version": "إصدار النود", + "OS_Arch": "معمارية نظام التشغيل", + "OS_Cpus": "استهلاك وحدة المعالجة المركزية لنظام التشغيل", + "OS_Freemem": "الذاكرة الحرة لنظام التشغيل", + "OS_Loadavg": "متوسط حمل نظام التشغيل", + "OS_Platform": "منصة نظام التشغيل", + "OS_Release": "إصدار نظام التشغيل", + "OS_Totalmem": "الذاكرة الكلية لنظام التشغيل", + "OS_Type": "نوع نظام التشغيل", + "OS_Uptime": "مدة تشغيل نظام التشغيل", + "hours": "الساعات", + "minutes": "الدقائق", + "seconds": "الثواني", + "show-field-on-card": "Show this field on card", + "yes": "نعم", + "no": "لا", + "accounts": "الحسابات", + "accounts-allowEmailChange": "السماح بتغيير البريد الإلكتروني", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json new file mode 100644 index 00000000..86916ad4 --- /dev/null +++ b/i18n/bg.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accept", + "act-activity-notify": "[Wekan] Известия за дейности", + "act-addAttachment": "прикачи __attachment__ към __card__", + "act-addChecklist": "добави списък със задачи __checklist__ към __card__", + "act-addChecklistItem": "добави __checklistItem__ към списък със задачи __checklist__ в __card__", + "act-addComment": "Коментира в __card__: __comment__", + "act-createBoard": "създаде __board__", + "act-createCard": "добави __card__ към __list__", + "act-createCustomField": "създаде собствено поле __customField__", + "act-createList": "добави __list__ към __board__", + "act-addBoardMember": "добави __member__ към __board__", + "act-archivedBoard": "__board__ беше преместен в Кошчето", + "act-archivedCard": "__card__ беше преместена в Кошчето", + "act-archivedList": "__list__ беше преместен в Кошчето", + "act-archivedSwimlane": "__swimlane__ беше преместен в Кошчето", + "act-importBoard": "импортира __board__", + "act-importCard": "импортира __card__", + "act-importList": "импортира __list__", + "act-joinMember": "добави __member__ към __card__", + "act-moveCard": "премести __card__ от __oldList__ в __list__", + "act-removeBoardMember": "премахна __member__ от __board__", + "act-restoredCard": "възстанови __card__ в __board__", + "act-unjoinMember": "премахна __member__ от __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Действия", + "activity": "Дейности", + "activity-added": "добави %s към %s", + "activity-archived": "премести %s в Кошчето", + "activity-attached": "прикачи %s към %s", + "activity-created": "създаде %s", + "activity-customfield-created": "създаде собствено поле %s", + "activity-excluded": "изключи %s от %s", + "activity-imported": "импортира %s в/във %s от %s", + "activity-imported-board": "импортира %s от %s", + "activity-joined": "се присъедини към %s", + "activity-moved": "премести %s от %s в/във %s", + "activity-on": "на %s", + "activity-removed": "премахна %s от %s", + "activity-sent": "изпрати %s до %s", + "activity-unjoined": "вече не е част от %s", + "activity-checklist-added": "добави списък със задачи към %s", + "activity-checklist-item-added": "добави точка към '%s' в/във %s", + "add": "Добави", + "add-attachment": "Добави прикачен файл", + "add-board": "Добави дъска", + "add-card": "Добави карта", + "add-swimlane": "Добави коридор", + "add-checklist": "Добави списък със задачи", + "add-checklist-item": "Добави точка към списъка със задачи", + "add-cover": "Добави корица", + "add-label": "Добави етикет", + "add-list": "Добави списък", + "add-members": "Добави членове", + "added": "Добавено", + "addMemberPopup-title": "Членове", + "admin": "Администратор", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Съобщение", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Съобщение от администратора", + "all-boards": "Всички дъски", + "and-n-other-card": "И __count__ друга карта", + "and-n-other-card_plural": "И __count__ други карти", + "apply": "Приложи", + "app-is-offline": "Wekan зарежда, моля изчакайте! Презареждането на страницата може да доведе до загуба на данни. Ако Wekan не се зареди, моля проверете дали сървъра му работи.", + "archive": "Премести в Кошчето", + "archive-all": "Премести всички в Кошчето", + "archive-board": "Премести Дъската в Кошчето", + "archive-card": "Премести Картата в Кошчето", + "archive-list": "Премести Списъка в Кошчето", + "archive-swimlane": "Премести Коридора в Кошчето", + "archive-selection": "Премести избраните в Кошчето", + "archiveBoardPopup-title": "Сигурни ли сте, че искате да преместите Дъската в Кошчето?", + "archived-items": "Кошче", + "archived-boards": "Дъски в Кошчето", + "restore-board": "Възстанови Дъската", + "no-archived-boards": "Няма Дъски в Кошчето.", + "archives": "Кошче", + "assign-member": "Възложи на член от екипа", + "attached": "прикачен", + "attachment": "Прикаченн файл", + "attachment-delete-pop": "Изтриването на прикачен файл е завинаги. Няма как да бъде възстановен.", + "attachmentDeletePopup-title": "Желаете ли да изтриете прикачения файл?", + "attachments": "Прикачени файлове", + "auto-watch": "Автоматично наблюдаване на дъските, когато са създадени", + "avatar-too-big": "Аватарът е прекалено голям (максимум 70KB)", + "back": "Назад", + "board-change-color": "Промени цвета", + "board-nb-stars": "%s звезди", + "board-not-found": "Дъската не е намерена", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Промени името на Дъската", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Промени наблюдаването", + "boardMenuPopup-title": "Меню на Дъската", + "boards": "Дъски", + "board-view": "Board View", + "board-view-swimlanes": "Коридори", + "board-view-lists": "Списъци", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "Картата е преместена в Кошчето.", + "card-comments-title": "Тази карта има %s коментар.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Готова за", + "card-due-on": "Готова за", + "card-spent": "Изработено време", + "card-edit-attachments": "Промени прикачените файлове", + "card-edit-custom-fields": "Промени собствените полета", + "card-edit-labels": "Промени етикетите", + "card-edit-members": "Промени членовете", + "card-labels-title": "Промени етикетите за картата.", + "card-members-title": "Добави или премахни членове на Дъската от тази карта.", + "card-start": "Начало", + "card-start-on": "Започва на", + "cardAttachmentsPopup-title": "Прикачи от", + "cardCustomField-datePopup-title": "Промени датата", + "cardCustomFieldsPopup-title": "Промени собствените полета", + "cardDeletePopup-title": "Желаете да изтриете картата?", + "cardDetailsActionsPopup-title": "Опции", + "cardLabelsPopup-title": "Етикети", + "cardMembersPopup-title": "Членове", + "cardMorePopup-title": "Още", + "cards": "Карти", + "cards-count": "Карти", + "change": "Промени", + "change-avatar": "Промени аватара", + "change-password": "Промени паролата", + "change-permissions": "Change permissions", + "change-settings": "Промени настройките", + "changeAvatarPopup-title": "Промени аватара", + "changeLanguagePopup-title": "Промени езика", + "changePasswordPopup-title": "Промени паролата", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Промяна на настройките", + "checklists": "Списъци със задачи", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Натиснете, за да премахнете тази дъска от любими.", + "clipboard": "Клипборда или с драг & дроп", + "close": "Затвори", + "close-board": "Затвори Дъската", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "черно", + "color-blue": "синьо", + "color-green": "зелено", + "color-lime": "лайм", + "color-orange": "оранжево", + "color-pink": "розово", + "color-purple": "пурпурно", + "color-red": "червено", + "color-sky": "светло синьо", + "color-yellow": "жълто", + "comment": "Коментирай", + "comment-placeholder": "Напиши коментар", + "comment-only": "Само коментар", + "comment-only-desc": "Може да коментира само в карти.", + "computer": "Компютър", + "confirm-checklist-delete-dialog": "Сигурни ли сте, че искате да изтриете този чеклист?", + "copy-card-link-to-clipboard": "Копирай връзката на картата в клипборда", + "copyCardPopup-title": "Копирай картата", + "copyChecklistToManyCardsPopup-title": "Копирай шаблона за чеклисти в много карти", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Чекбокс", + "custom-field-date": "Дата", + "custom-field-dropdown": "Падащо меню", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Номер", + "custom-field-text": "Текст", + "custom-fields": "Собствени полета", + "date": "Дата", + "decline": "Отказ", + "default-avatar": "Основен аватар", + "delete": "Изтрий", + "deleteCustomFieldPopup-title": "Изтриване на Собственото поле?", + "deleteLabelPopup-title": "Желаете да изтриете етикета?", + "description": "Описание", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Отказ", + "done": "Готово", + "download": "Сваляне", + "edit": "Промени", + "edit-avatar": "Промени аватара", + "edit-profile": "Промяна на профила", + "edit-wip-limit": "Промени WIP лимита", + "soft-wip-limit": "\"Мек\" WIP лимит", + "editCardStartDatePopup-title": "Промени началната дата", + "editCardDueDatePopup-title": "Промени датата за готовност", + "editCustomFieldPopup-title": "Промени Полето", + "editCardSpentTimePopup-title": "Промени изработеното време", + "editLabelPopup-title": "Промяна на Етикета", + "editNotificationPopup-title": "Промени известията", + "editProfilePopup-title": "Промяна на профила", + "email": "Имейл", + "email-enrollAccount-subject": "Ваш профил беше създаден на __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Неуспешно изпращане на имейла", + "email-fail-text": "Възникна грешка при изпращането на имейла", + "email-invalid": "Невалиден имейл", + "email-invite": "Покани чрез имейл", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Имейлът е изпратен", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Включи WIP лимита", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Имейлът е вече зает", + "export-board": "Export board", + "filter": "Филтър", + "filter-cards": "Филтрирай картите", + "filter-clear": "Премахване на филтрите", + "filter-no-label": "без етикет", + "filter-no-member": "без член", + "filter-no-custom-fields": "Няма Собствени полета", + "filter-on": "Има приложени филтри", + "filter-on-desc": "В момента филтрирате картите в тази дъска. Моля, натиснете тук, за да промените филтъра.", + "filter-to-selection": "Филтрирай избраните", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Име", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Скриване на системните съобщения", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Начало", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Избери Wekan член", + "info": "Версия", + "initials": "Инициали", + "invalid-date": "Невалидна дата", + "invalid-time": "Невалиден час", + "invalid-user": "Невалиден потребител", + "joined": "присъедини ", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Създай етикет", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Етикети", + "language": "Език", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Връзка към тази карта", + "list-archive-cards": "Премести всички карти от този списък в Кошчето", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Премести всички карти в този списък", + "list-select-cards": "Избери всички карти в този списък", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Импорт на карта от Trello", + "listMorePopup-title": "Още", + "link-list": "Връзка към този списък", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "Можете да преместите списък в Кошчето, за да го премахнете от Дъската и запазите активността.", + "lists": "Списъци", + "swimlanes": "Коридори", + "log-out": "Изход", + "log-in": "Вход", + "loginPopup-title": "Вход", + "memberMenuPopup-title": "Настройки на профила", + "members": "Членове", + "menu": "Меню", + "move-selection": "Move selection", + "moveCardPopup-title": "Премести картата", + "moveCardToBottom-title": "Премести в края", + "moveCardToTop-title": "Премести в началото", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Множествен избор", + "multi-selection-on": "Множественият избор е приложен", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "Моите дъски", + "name": "Име", + "no-archived-cards": "Няма карти в Кошчето.", + "no-archived-lists": "Няма списъци в Кошчето.", + "no-archived-swimlanes": "Няма коридори в Кошчето.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Получавате информация за всички карти, в които сте отбелязани или сте създали", + "notify-watch": "Получавате информация за всички дъски, списъци и карти, които наблюдавате", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Парола", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Профил", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Желаете да изтриете списъка?", + "remove-member": "Премахни член", + "remove-member-from-card": "Премахни от картата", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Промени името на Дъската", + "restore": "Възстанови", + "save": "Запази", + "search": "Търсене", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Избери цвят", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Въведи WIP лимит", + "shortcut-assign-self": "Добави себе си към тази карта", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Изчистване на всички филтри", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Филтрирай моите карти", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Отвори/затвори сайдбара с филтри", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Покажи бройката на картите, ако списъка съдържа повече от", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Любими дъски", + "starred-boards-description": "Любимите дъски се показват в началото на списъка Ви.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "картата", + "spent-time-hours": "Изработено време (часа)", + "overtime-hours": "Оувъртайм (часа)", + "overtime": "Оувъртайм", + "has-overtime-cards": "Има карти с оувъртайм", + "has-spenttime-cards": "Има карти с изработено време", + "time": "Време", + "title": "Title", + "tracking": "Следене", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Спри наблюдаването", + "upload": "Upload", + "upload-avatar": "Качване на аватар", + "uploaded-avatar": "Качихте аватар", + "username": "Потребителско име", + "view-it": "View it", + "warn-list-archived": "внимание: тази карта е в списък, който е в Кошчето", + "watch": "Наблюдавай", + "watching": "Наблюдава", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Невалиден WIP лимит", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Моля, преместете някои от задачите от този списък или въведете по-висок WIP лимит.", + "admin-panel": "Администраторски панел", + "settings": "Настройки", + "people": "Хора", + "registration": "Регистрация", + "disable-self-registration": "Disable Self-Registration", + "invite": "Покани", + "invite-people": "Покани хора", + "to-boards": "To board(s)", + "email-addresses": "Имейл адреси", + "smtp-host-description": "Адресът на SMTP сървъра, който обслужва Вашите имейли.", + "smtp-port-description": "Портът, който Вашият SMTP сървър използва за изходящи имейли.", + "smtp-tls-description": "Разреши TLS поддръжка за SMTP сървъра", + "smtp-host": "SMTP хост", + "smtp-port": "SMTP порт", + "smtp-username": "Потребителско име", + "smtp-password": "Парола", + "smtp-tls": "TLS поддръжка", + "send-from": "От", + "send-smtp-test": "Изпрати тестов имейл на себе си", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP тестов имейл, изпратен от Wekan", + "email-smtp-test-text": "Успешно изпратихте имейл", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Версия на Wekan", + "Node_version": "Версия на Node", + "OS_Arch": "Архитектура на ОС", + "OS_Cpus": "Брой CPU ядра", + "OS_Freemem": "Свободна памет", + "OS_Loadavg": "ОС средно натоварване", + "OS_Platform": "ОС платформа", + "OS_Release": "ОС Версия", + "OS_Totalmem": "ОС Общо памет", + "OS_Type": "Тип ОС", + "OS_Uptime": "OS Ъптайм", + "hours": "часа", + "minutes": "минути", + "seconds": "секунди", + "show-field-on-card": "Покажи това поле в картата", + "yes": "Да", + "no": "Не", + "accounts": "Профили", + "accounts-allowEmailChange": "Разреши промяна на имейла", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Създаден на", + "verified": "Потвърден", + "active": "Активен", + "card-received": "Получена", + "card-received-on": "Получена на", + "card-end": "Завършена", + "card-end-on": "Завършена на", + "editCardReceivedDatePopup-title": "Промени датата на получаване", + "editCardEndDatePopup-title": "Промени датата на завършване", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json new file mode 100644 index 00000000..226a1e8d --- /dev/null +++ b/i18n/br.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Asantiñ", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Oberoù", + "activities": "Oberiantizoù", + "activity": "Oberiantiz", + "activity-added": "%s ouzhpennet da %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "%s liammet ouzh %s", + "activity-created": "%s krouet", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "%s enporzhiet eus %s da %s", + "activity-imported-board": "%s enporzhiet da %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Ouzhpenn", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Ouzphenn ur golo", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Ouzhpenn izili", + "added": "Ouzhpennet", + "addMemberPopup-title": "Izili", + "admin": "Merour", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Kemmañ al liv", + "board-nb-stars": "%s stered", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Diverkañ ar gartenn ?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Izili", + "cardMorePopup-title": "Muioc’h", + "cards": "Kartennoù", + "cards-count": "Kartennoù", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Kemmañ ger-tremen", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Kemmañ ger-tremen", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "du", + "color-blue": "glas", + "color-green": "gwer", + "color-lime": "melen sitroñs", + "color-orange": "orañjez", + "color-pink": "roz", + "color-purple": "mouk", + "color-red": "ruz", + "color-sky": "pers", + "color-yellow": "melen", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Krouiñ", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Diverkañ", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Graet", + "download": "Download", + "edit": "Kemmañ", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Yezh", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "Muioc’h", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Izili", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Ger-tremen", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Ger-tremen", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json new file mode 100644 index 00000000..8c7070e8 --- /dev/null +++ b/i18n/ca.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accepta", + "act-activity-notify": "[Wekan] Notificació d'activitat", + "act-addAttachment": "adjuntat __attachment__ a __card__", + "act-addChecklist": "afegida la checklist _checklist__ a __card__", + "act-addChecklistItem": "afegit __checklistItem__ a la checklist __checklist__ on __card__", + "act-addComment": "comentat a __card__: __comment__", + "act-createBoard": "creat __board__", + "act-createCard": "afegit/da __card__ a __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "afegit/da __list__ a __board__", + "act-addBoardMember": "afegit/da __member__ a __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "__board__ importat", + "act-importCard": "__card__ importat", + "act-importList": "__list__ importat", + "act-joinMember": "afegit/da __member__ a __card__", + "act-moveCard": "mou __card__ de __oldList__ a __list__", + "act-removeBoardMember": "elimina __member__ de __board__", + "act-restoredCard": "recupera __card__ a __board__", + "act-unjoinMember": "elimina __member__ de __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Accions", + "activities": "Activitats", + "activity": "Activitat", + "activity-added": "ha afegit %s a %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "ha adjuntat %s a %s", + "activity-created": "ha creat %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "ha exclòs %s de %s", + "activity-imported": "importat %s dins %s des de %s", + "activity-imported-board": "importat %s des de %s", + "activity-joined": "s'ha unit a %s", + "activity-moved": "ha mogut %s de %s a %s", + "activity-on": "en %s", + "activity-removed": "ha eliminat %s de %s", + "activity-sent": "ha enviat %s %s", + "activity-unjoined": "desassignat %s", + "activity-checklist-added": "Checklist afegida a %s", + "activity-checklist-item-added": "afegida entrada de checklist de '%s' a %s", + "add": "Afegeix", + "add-attachment": "Afegeix adjunt", + "add-board": "Afegeix Tauler", + "add-card": "Afegeix fitxa", + "add-swimlane": "Afegix Carril de Natació", + "add-checklist": "Afegeix checklist", + "add-checklist-item": "Afegeix un ítem", + "add-cover": "Afegeix coberta", + "add-label": "Afegeix etiqueta", + "add-list": "Afegeix llista", + "add-members": "Afegeix membres", + "added": "Afegit", + "addMemberPopup-title": "Membres", + "admin": "Administrador", + "admin-desc": "Pots veure i editar fitxes, eliminar membres, i canviar la configuració del tauler", + "admin-announcement": "Bàndol", + "admin-announcement-active": "Activar bàndol del Sistema", + "admin-announcement-title": "Bàndol de l'administració", + "all-boards": "Tots els taulers", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Aplica", + "app-is-offline": "Wekan s'està carregant, esperau si us plau. Refrescar la pàgina causarà la pérdua de les dades. Si Wekan no carrega, verificau que el servei de Wekan no estigui aturat", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restaura Tauler", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assignar membre", + "attached": "adjuntat", + "attachment": "Adjunt", + "attachment-delete-pop": "L'esborrat d'un arxiu adjunt és permanent. No es pot desfer.", + "attachmentDeletePopup-title": "Esborrar adjunt?", + "attachments": "Adjunts", + "auto-watch": "Automàticament segueix el taulers quan són creats", + "avatar-too-big": "L'avatar es massa gran (70KM max)", + "back": "Enrere", + "board-change-color": "Canvia el color", + "board-nb-stars": "%s estrelles", + "board-not-found": "No s'ha trobat el tauler", + "board-private-info": "Aquest tauler serà privat .", + "board-public-info": "Aquest tauler serà públic .", + "boardChangeColorPopup-title": "Canvia fons", + "boardChangeTitlePopup-title": "Canvia el nom tauler", + "boardChangeVisibilityPopup-title": "Canvia visibilitat", + "boardChangeWatchPopup-title": "Canvia seguiment", + "boardMenuPopup-title": "Menú del tauler", + "boards": "Taulers", + "board-view": "Visió del tauler", + "board-view-swimlanes": "Carrils de Natació", + "board-view-lists": "Llistes", + "bucket-example": "Igual que “Bucket List”, per exemple", + "cancel": "Cancel·la", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "Aquesta fitxa té %s comentaris.", + "card-delete-notice": "L'esborrat és permanent. Perdreu totes les accions associades a aquesta fitxa.", + "card-delete-pop": "Totes les accions s'eliminaran de l'activitat i no podreu tornar a obrir la fitxa. No es pot desfer.", + "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Finalitza", + "card-due-on": "Finalitza a", + "card-spent": "Temps Dedicat", + "card-edit-attachments": "Edita arxius adjunts", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edita etiquetes", + "card-edit-members": "Edita membres", + "card-labels-title": "Canvia les etiquetes de la fitxa", + "card-members-title": "Afegeix o eliminar membres del tauler des de la fitxa.", + "card-start": "Comença", + "card-start-on": "Comença a", + "cardAttachmentsPopup-title": "Adjunta des de", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Esborrar fitxa?", + "cardDetailsActionsPopup-title": "Accions de fitxes", + "cardLabelsPopup-title": "Etiquetes", + "cardMembersPopup-title": "Membres", + "cardMorePopup-title": "Més", + "cards": "Fitxes", + "cards-count": "Fitxes", + "change": "Canvia", + "change-avatar": "Canvia Avatar", + "change-password": "Canvia la clau", + "change-permissions": "Canvia permisos", + "change-settings": "Canvia configuració", + "changeAvatarPopup-title": "Canvia Avatar", + "changeLanguagePopup-title": "Canvia idioma", + "changePasswordPopup-title": "Canvia la contrasenya", + "changePermissionsPopup-title": "Canvia permisos", + "changeSettingsPopup-title": "Canvia configuració", + "checklists": "Checklists", + "click-to-star": "Fes clic per destacar aquest tauler.", + "click-to-unstar": "Fes clic per deixar de destacar aquest tauler.", + "clipboard": "Portaretalls o estirar i amollar", + "close": "Tanca", + "close-board": "Tanca tauler", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "negre", + "color-blue": "blau", + "color-green": "verd", + "color-lime": "llima", + "color-orange": "taronja", + "color-pink": "rosa", + "color-purple": "púrpura", + "color-red": "vermell", + "color-sky": "cel", + "color-yellow": "groc", + "comment": "Comentari", + "comment-placeholder": "Escriu un comentari", + "comment-only": "Només comentaris", + "comment-only-desc": "Només pots fer comentaris a les fitxes", + "computer": "Ordinador", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copia l'enllaç de la ftixa al porta-retalls", + "copyCardPopup-title": "Copia la fitxa", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Títols de fitxa i Descripcions de destí en aquest format JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Títol de la primera fitxa\", \"description\":\"Descripció de la primera fitxa\"}, {\"title\":\"Títol de la segona fitxa\",\"description\":\"Descripció de la segona fitxa\"},{\"title\":\"Títol de l'última fitxa\",\"description\":\"Descripció de l'última fitxa\"} ]", + "create": "Crea", + "createBoardPopup-title": "Crea tauler", + "chooseBoardSourcePopup-title": "Importa Tauler", + "createLabelPopup-title": "Crea etiqueta", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "Actual", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Data", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Data", + "decline": "Declina", + "default-avatar": "Avatar per defecte", + "delete": "Esborra", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Esborra etiqueta", + "description": "Descripció", + "disambiguateMultiLabelPopup-title": "Desfe l'ambigüitat en les etiquetes", + "disambiguateMultiMemberPopup-title": "Desfe l'ambigüitat en els membres", + "discard": "Descarta", + "done": "Fet", + "download": "Descarrega", + "edit": "Edita", + "edit-avatar": "Canvia Avatar", + "edit-profile": "Edita el teu Perfil", + "edit-wip-limit": "Edita el Límit de Treball en Progrès", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Canvia data d'inici", + "editCardDueDatePopup-title": "Canvia data de finalització", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Canvia temps dedicat", + "editLabelPopup-title": "Canvia etiqueta", + "editNotificationPopup-title": "Edita la notificació", + "editProfilePopup-title": "Edita teu Perfil", + "email": "Correu electrònic", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hola __user__,\n\nPer començar a utilitzar el servei, segueix l'enllaç següent.\n\n__url__\n\nGràcies.", + "email-fail": "Error enviant el correu", + "email-fail-text": "Error en intentar enviar e-mail", + "email-invalid": "Adreça de correu invàlida", + "email-invite": "Convida mitjançant correu electrònic", + "email-invite-subject": "__inviter__ t'ha convidat", + "email-invite-text": "Benvolgut __user__,\n\n __inviter__ t'ha convidat a participar al tauler \"__board__\" per col·laborar-hi.\n\nSegueix l'enllaç següent:\n\n __url__\n\n Gràcies.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hola __user__,\n \n per resetejar la teva contrasenya, segueix l'enllaç següent.\n \n __url__\n \n Gràcies.", + "email-sent": "Correu enviat", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hola __user__, \n\n per verificar el teu correu, segueix l'enllaç següent.\n\n __url__\n\n Gràcies.", + "enable-wip-limit": "Activa e Límit de Treball en Progrès", + "error-board-doesNotExist": "Aquest tauler no existeix", + "error-board-notAdmin": "Necessites ser administrador d'aquest tauler per dur a lloc aquest acció", + "error-board-notAMember": "Necessites ser membre d'aquest tauler per dur a terme aquesta acció", + "error-json-malformed": "El text no és JSON vàlid", + "error-json-schema": "La dades JSON no contenen la informació en el format correcte", + "error-list-doesNotExist": "La llista no existeix", + "error-user-doesNotExist": "L'usuari no existeix", + "error-user-notAllowSelf": "No et pots convidar a tu mateix", + "error-user-notCreated": "L'usuari no s'ha creat", + "error-username-taken": "Aquest usuari ja existeix", + "error-email-taken": "L'adreça de correu electrònic ja és en ús", + "export-board": "Exporta tauler", + "filter": "Filtre", + "filter-cards": "Fitxes de filtre", + "filter-clear": "Elimina filtre", + "filter-no-label": "Sense etiqueta", + "filter-no-member": "Sense membres", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filtra per", + "filter-on-desc": "Estau filtrant fitxes en aquest tauler. Feu clic aquí per editar el filtre.", + "filter-to-selection": "Filtra selecció", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Nom complet", + "header-logo-title": "Torna a la teva pàgina de taulers", + "hide-system-messages": "Oculta missatges del sistema", + "headerBarCreateBoardPopup-title": "Crea tauler", + "home": "Inici", + "import": "importa", + "import-board": "Importa tauler", + "import-board-c": "Importa tauler", + "import-board-title-trello": "Importa tauler des de Trello", + "import-board-title-wekan": "I", + "import-sandstorm-warning": "Estau segur que voleu esborrar aquesta checklist?", + "from-trello": "Des de Trello", + "from-wekan": "Des de Wekan", + "import-board-instruction-trello": "En el teu tauler Trello, ves a 'Menú', 'Més'.' Imprimir i Exportar', 'Exportar JSON', i copia el text resultant.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Aferra codi JSON vàlid aquí", + "import-map-members": "Mapeja el membres", + "import-members-map": "El tauler importat conté membres. Assigna els membres que vulguis importar a usuaris Wekan", + "import-show-user-mapping": "Revisa l'assignació de membres", + "import-user-select": "Selecciona l'usuari Wekan que vulguis associar a aquest membre", + "importMapMembersAddPopup-title": "Selecciona un membre de Wekan", + "info": "Versió", + "initials": "Inicials", + "invalid-date": "Data invàlida", + "invalid-time": "Temps Invàlid", + "invalid-user": "Usuari invàlid", + "joined": "s'ha unit", + "just-invited": "Has estat convidat a aquest tauler", + "keyboard-shortcuts": "Dreceres de teclat", + "label-create": "Crea etiqueta", + "label-default": "%s etiqueta (per defecte)", + "label-delete-pop": "No es pot desfer. Això eliminarà aquesta etiqueta de totes les fitxes i destruirà la seva història.", + "labels": "Etiquetes", + "language": "Idioma", + "last-admin-desc": "No podeu canviar rols perquè ha d'haver-hi almenys un administrador.", + "leave-board": "Abandona tauler", + "leave-board-pop": "De debò voleu abandonar __boardTitle__? Se us eliminarà de totes les fitxes d'aquest tauler.", + "leaveBoardPopup-title": "Abandonar Tauler?", + "link-card": "Enllaç a aquesta fitxa", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Mou totes les fitxes d'aquesta llista", + "list-select-cards": "Selecciona totes les fitxes d'aquesta llista", + "listActionPopup-title": "Accions de la llista", + "swimlaneActionPopup-title": "Accions de Carril de Natació", + "listImportCardPopup-title": "importa una fitxa de Trello", + "listMorePopup-title": "Més", + "link-list": "Enllaça a aquesta llista", + "list-delete-pop": "Totes les accions seran esborrades de la llista d'activitats i no serà possible recuperar la llista", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Llistes", + "swimlanes": "Carrils de Natació", + "log-out": "Finalitza la sessió", + "log-in": "Ingresa", + "loginPopup-title": "Inicia sessió", + "memberMenuPopup-title": "Configura membres", + "members": "Membres", + "menu": "Menú", + "move-selection": "Move selection", + "moveCardPopup-title": "Moure fitxa", + "moveCardToBottom-title": "Mou a la part inferior", + "moveCardToTop-title": "Mou a la part superior", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selecció", + "multi-selection-on": "Multi-Selecció està activada", + "muted": "En silenci", + "muted-info": "No seràs notificat dels canvis en aquest tauler", + "my-boards": "Els meus taulers", + "name": "Nom", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Sense resultats", + "normal": "Normal", + "normal-desc": "Podeu veure i editar fitxes. No podeu canviar la configuració.", + "not-accepted-yet": "La invitació no ha esta acceptada encara", + "notify-participate": "Rebre actualitzacions per a cada fitxa de la qual n'ets creador o membre", + "notify-watch": "Rebre actualitzacions per qualsevol tauler, llista o fitxa en observació", + "optional": "opcional", + "or": "o", + "page-maybe-private": "Aquesta pàgina és privada. Per veure-la entra .", + "page-not-found": "Pàgina no trobada.", + "password": "Contrasenya", + "paste-or-dragdrop": "aferra, o estira i amolla la imatge (només imatge)", + "participating": "Participant", + "preview": "Vista prèvia", + "previewAttachedImagePopup-title": "Vista prèvia", + "previewClipboardImagePopup-title": "Vista prèvia", + "private": "Privat", + "private-desc": "Aquest tauler és privat. Només les persones afegides al tauler poden veure´l i editar-lo.", + "profile": "Perfil", + "public": "Públic", + "public-desc": "Aquest tauler és públic. És visible per a qualsevol persona amb l'enllaç i es mostrarà en els motors de cerca com Google. Només persones afegides al tauler poden editar-lo.", + "quick-access-description": "Inicia un tauler per afegir un accés directe en aquest barra", + "remove-cover": "Elimina coberta", + "remove-from-board": "Elimina del tauler", + "remove-label": "Elimina l'etiqueta", + "listDeletePopup-title": "Esborrar la llista?", + "remove-member": "Elimina membre", + "remove-member-from-card": "Elimina de la fitxa", + "remove-member-pop": "Eliminar __name__ (__username__) de __boardTitle__ ? El membre serà eliminat de totes les fitxes d'aquest tauler. Ells rebran una notificació.", + "removeMemberPopup-title": "Vols suprimir el membre?", + "rename": "Canvia el nom", + "rename-board": "Canvia el nom del tauler", + "restore": "Restaura", + "save": "Desa", + "search": "Cerca", + "search-cards": "Cerca títols de fitxa i descripcions en aquest tauler", + "search-example": "Text que cercar?", + "select-color": "Selecciona color", + "set-wip-limit-value": "Limita el màxim nombre de tasques en aquesta llista", + "setWipLimitPopup-title": "Configura el Límit de Treball en Progrès", + "shortcut-assign-self": "Assigna't la ftixa actual", + "shortcut-autocomplete-emoji": "Autocompleta emoji", + "shortcut-autocomplete-members": "Autocompleta membres", + "shortcut-clear-filters": "Elimina tots els filters", + "shortcut-close-dialog": "Tanca el diàleg", + "shortcut-filter-my-cards": "Filtra les meves fitxes", + "shortcut-show-shortcuts": "Mostra aquesta lista d'accessos directes", + "shortcut-toggle-filterbar": "Canvia la barra lateral del tauler", + "shortcut-toggle-sidebar": "Canvia Sidebar del Tauler", + "show-cards-minimum-count": "Mostra contador de fitxes si la llista en conté més de", + "sidebar-open": "Mostra barra lateral", + "sidebar-close": "Amaga barra lateral", + "signupPopup-title": "Crea un compte", + "star-board-title": "Fes clic per destacar aquest tauler. Es mostrarà a la part superior de la llista de taulers.", + "starred-boards": "Taulers destacats", + "starred-boards-description": "Els taulers destacats es mostraran a la part superior de la llista de taulers.", + "subscribe": "Subscriure", + "team": "Equip", + "this-board": "aquest tauler", + "this-card": "aquesta fitxa", + "spent-time-hours": "Temps dedicat (hores)", + "overtime-hours": "Temps de més (hores)", + "overtime": "Temps de més", + "has-overtime-cards": "Té fitxes amb temps de més", + "has-spenttime-cards": "Té fitxes amb temps dedicat", + "time": "Hora", + "title": "Títol", + "tracking": "En seguiment", + "tracking-info": "Seràs notificat per cada canvi a aquelles fitxes de les que n'eres creador o membre", + "type": "Type", + "unassign-member": "Desassignar membre", + "unsaved-description": "Tens una descripció sense desar.", + "unwatch": "Suprimeix observació", + "upload": "Puja", + "upload-avatar": "Actualitza avatar", + "uploaded-avatar": "Avatar actualitzat", + "username": "Nom d'Usuari", + "view-it": "Vist", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Observa", + "watching": "En observació", + "watching-info": "Seràs notificat de cada canvi en aquest tauler", + "welcome-board": "Tauler de benvinguda", + "welcome-swimlane": "Objectiu 1", + "welcome-list1": "Bàsics", + "welcome-list2": "Avançades", + "what-to-do": "Què vols fer?", + "wipLimitErrorPopup-title": "Límit de Treball en Progrès invàlid", + "wipLimitErrorPopup-dialog-pt1": "El nombre de tasques en esta llista és superior al límit de Treball en Progrès que heu definit.", + "wipLimitErrorPopup-dialog-pt2": "Si us plau mogui algunes taques fora d'aquesta llista, o configuri un límit de Treball en Progrès superior.", + "admin-panel": "Tauler d'administració", + "settings": "Configuració", + "people": "Persones", + "registration": "Registre", + "disable-self-registration": "Deshabilita Auto-Registre", + "invite": "Convida", + "invite-people": "Convida a persones", + "to-boards": "Al tauler(s)", + "email-addresses": "Adreça de correu", + "smtp-host-description": "L'adreça del vostre servidor SMTP.", + "smtp-port-description": "El port del vostre servidor SMTP.", + "smtp-tls-description": "Activa suport TLS pel servidor SMTP", + "smtp-host": "Servidor SMTP", + "smtp-port": "Port SMTP", + "smtp-username": "Nom d'Usuari", + "smtp-password": "Contrasenya", + "smtp-tls": "Suport TLS", + "send-from": "De", + "send-smtp-test": "Envia't un correu electrònic de prova", + "invitation-code": "Codi d'invitació", + "email-invite-register-subject": "__inviter__ t'ha convidat", + "email-invite-register-text": " __user__,\n\n __inviter__ us ha convidat a col·laborar a Wekan.\n\n Clicau l'enllaç següent per acceptar l'invitació:\n __url__\n\n El vostre codi d'invitació és: __icode__\n\n Gràcies", + "email-smtp-test-subject": "Correu de Prova SMTP de Wekan", + "email-smtp-test-text": "Has enviat un missatge satisfactòriament", + "error-invitation-code-not-exist": "El codi d'invitació no existeix", + "error-notAuthorized": "No estau autoritzats per veure aquesta pàgina", + "outgoing-webhooks": "Webhooks sortints", + "outgoingWebhooksPopup-title": "Webhooks sortints", + "new-outgoing-webhook": "Nou Webook sortint", + "no-name": "Importa tauler des de Wekan", + "Wekan_version": "Versió Wekan", + "Node_version": "Versió Node", + "OS_Arch": "Arquitectura SO", + "OS_Cpus": "Plataforma SO", + "OS_Freemem": "Memòria lliure", + "OS_Loadavg": "Carrega de SO", + "OS_Platform": "Plataforma de SO", + "OS_Release": "Versió SO", + "OS_Totalmem": "Memòria total", + "OS_Type": "Tipus de SO", + "OS_Uptime": "Temps d'activitat", + "hours": "hores", + "minutes": "minuts", + "seconds": "segons", + "show-field-on-card": "Show this field on card", + "yes": "Si", + "no": "No", + "accounts": "Comptes", + "accounts-allowEmailChange": "Permet modificar correu electrònic", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Creat ", + "verified": "Verificat", + "active": "Actiu", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json new file mode 100644 index 00000000..c01992ff --- /dev/null +++ b/i18n/cs.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Přijmout", + "act-activity-notify": "[Wekan] Notifikace aktivit", + "act-addAttachment": "přiložen __attachment__ do __card__", + "act-addChecklist": "přidán checklist __checklist__ do __card__", + "act-addChecklistItem": "přidán __checklistItem__ do checklistu __checklist__ v __card__", + "act-addComment": "komentář k __card__: __comment__", + "act-createBoard": "přidání __board__", + "act-createCard": "přidání __card__ do __list__", + "act-createCustomField": "vytvořeno vlastní pole __customField__", + "act-createList": "přidání __list__ do __board__", + "act-addBoardMember": "přidání __member__ do __board__", + "act-archivedBoard": "__board__ bylo přesunuto do koše", + "act-archivedCard": "__card__ bylo přesunuto do koše", + "act-archivedList": "__list__ bylo přesunuto do koše", + "act-archivedSwimlane": "__swimlane__ bylo přesunuto do koše", + "act-importBoard": "import __board__", + "act-importCard": "import __card__", + "act-importList": "import __list__", + "act-joinMember": "přidání __member__ do __card__", + "act-moveCard": "přesun __card__ z __oldList__ do __list__", + "act-removeBoardMember": "odstranění __member__ z __board__", + "act-restoredCard": "obnovení __card__ do __board__", + "act-unjoinMember": "odstranění __member__ z __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Akce", + "activities": "Aktivity", + "activity": "Aktivita", + "activity-added": "%s přidáno k %s", + "activity-archived": "%s bylo přesunuto do koše", + "activity-attached": "přiloženo %s k %s", + "activity-created": "%s vytvořeno", + "activity-customfield-created": "vytvořeno vlastní pole %s", + "activity-excluded": "%s vyjmuto z %s", + "activity-imported": "importován %s do %s z %s", + "activity-imported-board": "importován %s z %s", + "activity-joined": "spojen %s", + "activity-moved": "%s přesunuto z %s do %s", + "activity-on": "na %s", + "activity-removed": "odstraněn %s z %s", + "activity-sent": "%s posláno na %s", + "activity-unjoined": "odpojen %s", + "activity-checklist-added": "přidán checklist do %s", + "activity-checklist-item-added": "přidána položka checklist do '%s' v %s", + "add": "Přidat", + "add-attachment": "Přidat přílohu", + "add-board": "Přidat tablo", + "add-card": "Přidat kartu", + "add-swimlane": "Přidat Swimlane", + "add-checklist": "Přidat zaškrtávací seznam", + "add-checklist-item": "Přidat položku do zaškrtávacího seznamu", + "add-cover": "Přidat obal", + "add-label": "Přidat štítek", + "add-list": "Přidat list", + "add-members": "Přidat členy", + "added": "Přidán", + "addMemberPopup-title": "Členové", + "admin": "Administrátor", + "admin-desc": "Může zobrazovat a upravovat karty, mazat členy a měnit nastavení tabla.", + "admin-announcement": "Oznámení", + "admin-announcement-active": "Aktivní oznámení v celém systému", + "admin-announcement-title": "Oznámení od administrátora", + "all-boards": "Všechna tabla", + "and-n-other-card": "A __count__ další karta(y)", + "and-n-other-card_plural": "A __count__ dalších karet", + "apply": "Použít", + "app-is-offline": "Wekan se načítá, prosím čekejte. Obnovení stránky způsobí ztrátu dat. Pokud se Wekan nenačte, zkontrolujte prosím, jestli se server s Wekanem nezastavil.", + "archive": "Přesunout do koše", + "archive-all": "Přesunout všechno do koše", + "archive-board": "Přesunout tablo do koše", + "archive-card": "Přesunout kartu do koše", + "archive-list": "Přesunout seznam do koše", + "archive-swimlane": "Přesunout swimlane do koše", + "archive-selection": "Přesunout výběr do koše", + "archiveBoardPopup-title": "Chcete přesunout tablo do koše?", + "archived-items": "Koš", + "archived-boards": "Tabla v koši", + "restore-board": "Obnovit tablo", + "no-archived-boards": "Žádná tabla v koši", + "archives": "Koš", + "assign-member": "Přiřadit člena", + "attached": "přiloženo", + "attachment": "Příloha", + "attachment-delete-pop": "Smazání přílohy je trvalé. Nejde vrátit zpět.", + "attachmentDeletePopup-title": "Smazat přílohu?", + "attachments": "Přílohy", + "auto-watch": "Automaticky sleduj tabla když jsou vytvořena", + "avatar-too-big": "Avatar obrázek je příliš velký (70KB max)", + "back": "Zpět", + "board-change-color": "Změnit barvu", + "board-nb-stars": "%s hvězdiček", + "board-not-found": "Tablo nenalezeno", + "board-private-info": "Toto tablo bude soukromé.", + "board-public-info": "Toto tablo bude veřejné.", + "boardChangeColorPopup-title": "Změnit pozadí tabla", + "boardChangeTitlePopup-title": "Přejmenovat tablo", + "boardChangeVisibilityPopup-title": "Upravit viditelnost", + "boardChangeWatchPopup-title": "Změnit sledování", + "boardMenuPopup-title": "Menu tabla", + "boards": "Tabla", + "board-view": "Náhled tabla", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Seznamy", + "bucket-example": "Například \"Než mě odvedou\"", + "cancel": "Zrušit", + "card-archived": "Karta byla přesunuta do koše.", + "card-comments-title": "Tato karta má %s komentářů.", + "card-delete-notice": "Smazání je trvalé. Přijdete o všechny akce asociované s touto kartou.", + "card-delete-pop": "Všechny akce budou odstraněny z kanálu aktivity a nebude možné kartu znovu otevřít. Toto nelze vrátit zpět.", + "card-delete-suggest-archive": "Kartu můžete přesunout do koše a tím ji odstranit z tabla a přitom zachovat aktivity.", + "card-due": "Termín", + "card-due-on": "Do", + "card-spent": "Strávený čas", + "card-edit-attachments": "Upravit přílohy", + "card-edit-custom-fields": "Upravit vlastní pole", + "card-edit-labels": "Upravit štítky", + "card-edit-members": "Upravit členy", + "card-labels-title": "Změnit štítky karty.", + "card-members-title": "Přidat nebo odstranit členy tohoto tabla z karty.", + "card-start": "Start", + "card-start-on": "Začít dne", + "cardAttachmentsPopup-title": "Přiložit formulář", + "cardCustomField-datePopup-title": "Změnit datum", + "cardCustomFieldsPopup-title": "Upravit vlastní pole", + "cardDeletePopup-title": "Smazat kartu?", + "cardDetailsActionsPopup-title": "Akce karty", + "cardLabelsPopup-title": "Štítky", + "cardMembersPopup-title": "Členové", + "cardMorePopup-title": "Více", + "cards": "Karty", + "cards-count": "Karty", + "change": "Změnit", + "change-avatar": "Změnit avatar", + "change-password": "Změnit heslo", + "change-permissions": "Změnit oprávnění", + "change-settings": "Změnit nastavení", + "changeAvatarPopup-title": "Změnit avatar", + "changeLanguagePopup-title": "Změnit jazyk", + "changePasswordPopup-title": "Změnit heslo", + "changePermissionsPopup-title": "Změnit oprávnění", + "changeSettingsPopup-title": "Změnit nastavení", + "checklists": "Checklisty", + "click-to-star": "Kliknutím přidat hvězdičku tomuto tablu.", + "click-to-unstar": "Kliknutím odebrat hvězdičku tomuto tablu.", + "clipboard": "Schránka nebo potáhnout a pustit", + "close": "Zavřít", + "close-board": "Zavřít tablo", + "close-board-pop": "Kliknutím na tlačítko \"Recyklovat\" budete moci obnovit tablo z koše.", + "color-black": "černá", + "color-blue": "modrá", + "color-green": "zelená", + "color-lime": "světlezelená", + "color-orange": "oranžová", + "color-pink": "růžová", + "color-purple": "fialová", + "color-red": "červená", + "color-sky": "nebeská", + "color-yellow": "žlutá", + "comment": "Komentář", + "comment-placeholder": "Text komentáře", + "comment-only": "Pouze komentáře", + "comment-only-desc": "Může přidávat komentáře pouze do karet.", + "computer": "Počítač", + "confirm-checklist-delete-dialog": "Opravdu chcete smazat tento checklist?", + "copy-card-link-to-clipboard": "Kopírovat adresu karty do mezipaměti", + "copyCardPopup-title": "Kopírovat kartu", + "copyChecklistToManyCardsPopup-title": "Kopírovat checklist do více karet", + "copyChecklistToManyCardsPopup-instructions": "Názvy a popisy cílové karty v tomto formátu JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Nadpis první karty\", \"description\":\"Popis druhé karty\"}, {\"title\":\"Nadpis druhé karty\",\"description\":\"Popis druhé karty\"},{\"title\":\"Nadpis poslední kary\",\"description\":\"Popis poslední karty\"} ]", + "create": "Vytvořit", + "createBoardPopup-title": "Vytvořit tablo", + "chooseBoardSourcePopup-title": "Importovat tablo", + "createLabelPopup-title": "Vytvořit štítek", + "createCustomField": "Vytvořit pole", + "createCustomFieldPopup-title": "Vytvořit pole", + "current": "Aktuální", + "custom-field-delete-pop": "Nelze vrátit zpět. Toto odebere toto vlastní pole ze všech karet a zničí jeho historii.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Datum", + "custom-field-dropdown": "Rozbalovací seznam", + "custom-field-dropdown-none": "(prázdné)", + "custom-field-dropdown-options": "Seznam možností", + "custom-field-dropdown-options-placeholder": "Stiskněte enter pro přidání více možností", + "custom-field-dropdown-unknown": "(neznámé)", + "custom-field-number": "Číslo", + "custom-field-text": "Text", + "custom-fields": "Vlastní pole", + "date": "Datum", + "decline": "Zamítnout", + "default-avatar": "Výchozí avatar", + "delete": "Smazat", + "deleteCustomFieldPopup-title": "Smazat vlastní pole", + "deleteLabelPopup-title": "Smazat štítek?", + "description": "Popis", + "disambiguateMultiLabelPopup-title": "Dvojznačný štítek akce", + "disambiguateMultiMemberPopup-title": "Dvojznačná akce člena", + "discard": "Zahodit", + "done": "Hotovo", + "download": "Stáhnout", + "edit": "Upravit", + "edit-avatar": "Změnit avatar", + "edit-profile": "Upravit profil", + "edit-wip-limit": "Upravit WIP Limit", + "soft-wip-limit": "Mírný WIP limit", + "editCardStartDatePopup-title": "Změnit datum startu úkolu", + "editCardDueDatePopup-title": "Změnit datum dokončení úkolu", + "editCustomFieldPopup-title": "Upravit pole", + "editCardSpentTimePopup-title": "Změnit strávený čas", + "editLabelPopup-title": "Změnit štítek", + "editNotificationPopup-title": "Změnit notifikace", + "editProfilePopup-title": "Upravit profil", + "email": "Email", + "email-enrollAccount-subject": "Byl vytvořen účet na __siteName__", + "email-enrollAccount-text": "Ahoj __user__,\n\nMůžeš začít používat službu kliknutím na odkaz níže.\n\n__url__\n\nDěkujeme.", + "email-fail": "Odeslání emailu selhalo", + "email-fail-text": "Chyba při pokusu o odeslání emailu", + "email-invalid": "Neplatný email", + "email-invite": "Pozvat pomocí emailu", + "email-invite-subject": "__inviter__ odeslal pozvánku", + "email-invite-text": "Ahoj __user__,\n\n__inviter__ tě přizval ke spolupráci na tablu \"__board__\".\n\nNásleduj prosím odkaz níže:\n\n__url__\n\nDěkujeme.", + "email-resetPassword-subject": "Změň své heslo na __siteName__", + "email-resetPassword-text": "Ahoj __user__,\n\nPro změnu hesla klikni na odkaz níže.\n\n__url__\n\nDěkujeme.", + "email-sent": "Email byl odeslán", + "email-verifyEmail-subject": "Ověř svou emailovou adresu na", + "email-verifyEmail-text": "Ahoj __user__,\n\nPro ověření emailové adresy klikni na odkaz níže.\n\n__url__\n\nDěkujeme.", + "enable-wip-limit": "Povolit WIP Limit", + "error-board-doesNotExist": "Toto tablo neexistuje", + "error-board-notAdmin": "K provedení změny musíš být administrátor tohoto tabla", + "error-board-notAMember": "K provedení změny musíš být členem tohoto tabla", + "error-json-malformed": "Tvůj text není validní JSON", + "error-json-schema": "Tato JSON data neobsahují správné informace v platném formátu", + "error-list-doesNotExist": "Tento seznam neexistuje", + "error-user-doesNotExist": "Tento uživatel neexistuje", + "error-user-notAllowSelf": "Nemůžeš pozvat sám sebe", + "error-user-notCreated": "Tento uživatel není vytvořen", + "error-username-taken": "Toto uživatelské jméno již existuje", + "error-email-taken": "Tento email byl již použit", + "export-board": "Exportovat tablo", + "filter": "Filtr", + "filter-cards": "Filtrovat karty", + "filter-clear": "Vyčistit filtr", + "filter-no-label": "Žádný štítek", + "filter-no-member": "Žádný člen", + "filter-no-custom-fields": "Žádné vlastní pole", + "filter-on": "Filtr je zapnut", + "filter-on-desc": "Filtrujete karty tohoto tabla. Pro úpravu filtru klikni sem.", + "filter-to-selection": "Filtrovat výběr", + "advanced-filter-label": "Pokročilý filtr", + "advanced-filter-description": "Pokročilý filtr dovoluje zapsat řetězec následujících operátorů: == != <= >= && || () Operátory jsou odděleny mezerou. Můžete filtrovat všechny vlastní pole zadáním jejich názvů nebo hodnot. Například: Pole1 == Hodnota1. Poznámka: Pokud pole nebo hodnoty obsahují mezery, je potřeba je obalit v jednoduchých uvozovkách. Například: 'Pole 1' == 'Hodnota 1'. Můžete také kombinovat více podmínek. Například P1 == H1 || P1 == H2. Obvykle jsou operátory interpretovány zleva doprava. Jejich pořadí můžete měnit pomocí závorek. Například: P1 == H1 && (P2 == H2 || P2 == H3 )", + "fullname": "Celé jméno", + "header-logo-title": "Jit zpět na stránku s tably.", + "hide-system-messages": "Skrýt systémové zprávy", + "headerBarCreateBoardPopup-title": "Vytvořit tablo", + "home": "Domů", + "import": "Import", + "import-board": "Importovat tablo", + "import-board-c": "Importovat tablo", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Importovat tablo z Wekanu", + "import-sandstorm-warning": "Importované tablo spaže všechny existující data v tablu a nahradí je importovaným tablem.", + "from-trello": "Z Trella", + "from-wekan": "Z Wekanu", + "import-board-instruction-trello": "Na svém Trello tablu, otevři 'Menu', pak 'More', 'Print and Export', 'Export JSON', a zkopíruj výsledný text", + "import-board-instruction-wekan": "Ve vašem Wekan tablu jděte do 'Menu', klikněte na 'Exportovat tablo' a zkopírujte text ze staženého souboru.", + "import-json-placeholder": "Sem vlož validní JSON data", + "import-map-members": "Mapovat členy", + "import-members-map": "Toto importované tablo obsahuje několik členů. Namapuj členy z importu na uživatelské účty Wekan.", + "import-show-user-mapping": "Zkontrolovat namapování členů", + "import-user-select": "Vyber uživatele Wekan, kterého chceš použít pro tohoto člena", + "importMapMembersAddPopup-title": "Vybrat Wekan uživatele", + "info": "Verze", + "initials": "Iniciály", + "invalid-date": "Neplatné datum", + "invalid-time": "Neplatný čas", + "invalid-user": "Neplatný uživatel", + "joined": "spojeno", + "just-invited": "Právě jsi byl pozván(a) do tohoto tabla", + "keyboard-shortcuts": "Klávesové zkratky", + "label-create": "Vytvořit štítek", + "label-default": "%s štítek (výchozí)", + "label-delete-pop": "Nelze vrátit zpět. Toto odebere tento štítek ze všech karet a zničí jeho historii.", + "labels": "Štítky", + "language": "Jazyk", + "last-admin-desc": "Nelze změnit role, protože musí existovat alespoň jeden administrátor.", + "leave-board": "Opustit tablo", + "leave-board-pop": "Opravdu chcete opustit tablo __boardTitle__? Odstraníte se tím i ze všech karet v tomto tablu.", + "leaveBoardPopup-title": "Opustit tablo?", + "link-card": "Odkázat na tuto kartu", + "list-archive-cards": "Přesunout všechny karty v tomto seznamu do koše", + "list-archive-cards-pop": "Toto odstraní z tabla všechny karty z tohoto seznamu. Pro zobrazení karet v koši a jejich opětovné obnovení, klikni v \"Menu\" > \"Archivované položky\".", + "list-move-cards": "Přesunout všechny karty v tomto seznamu", + "list-select-cards": "Vybrat všechny karty v tomto seznamu", + "listActionPopup-title": "Vypsat akce", + "swimlaneActionPopup-title": "Akce swimlane", + "listImportCardPopup-title": "Importovat Trello kartu", + "listMorePopup-title": "Více", + "link-list": "Odkaz na tento seznam", + "list-delete-pop": "Všechny akce budou odstraněny z kanálu aktivity a nebude možné kartu obnovit. Toto nelze vrátit zpět.", + "list-delete-suggest-archive": "Kartu můžete přesunout do koše a tím ji odstranit z tabla a přitom zachovat aktivity.", + "lists": "Seznamy", + "swimlanes": "Swimlanes", + "log-out": "Odhlásit", + "log-in": "Přihlásit", + "loginPopup-title": "Přihlásit", + "memberMenuPopup-title": "Nastavení uživatele", + "members": "Členové", + "menu": "Menu", + "move-selection": "Přesunout výběr", + "moveCardPopup-title": "Přesunout kartu", + "moveCardToBottom-title": "Přesunout dolu", + "moveCardToTop-title": "Přesunout nahoru", + "moveSelectionPopup-title": "Přesunout výběr", + "multi-selection": "Multi-výběr", + "multi-selection-on": "Multi-výběr je zapnut", + "muted": "Umlčeno", + "muted-info": "Nikdy nedostanete oznámení o změně v tomto tablu.", + "my-boards": "Moje tabla", + "name": "Jméno", + "no-archived-cards": "Žádné karty v koši", + "no-archived-lists": "Žádné seznamy v koši", + "no-archived-swimlanes": "Žádné swimlane v koši", + "no-results": "Žádné výsledky", + "normal": "Normální", + "normal-desc": "Může zobrazovat a upravovat karty. Nemůže měnit nastavení.", + "not-accepted-yet": "Pozvánka ještě nebyla přijmuta", + "notify-participate": "Dostane aktualizace do všech karet, ve kterých se účastní jako tvůrce nebo člen", + "notify-watch": "Dostane aktualitace to všech tabel, seznamů nebo karet, které sledujete", + "optional": "volitelný", + "or": "nebo", + "page-maybe-private": "Tato stránka může být soukromá. Můžete ji zobrazit po přihlášení.", + "page-not-found": "Stránka nenalezena.", + "password": "Heslo", + "paste-or-dragdrop": "vložit, nebo přetáhnout a pustit soubor obrázku (pouze obrázek)", + "participating": "Zúčastnění", + "preview": "Náhled", + "previewAttachedImagePopup-title": "Náhled", + "previewClipboardImagePopup-title": "Náhled", + "private": "Soukromý", + "private-desc": "Toto tablo je soukromé. Pouze vybraní uživatelé ho mohou zobrazit a upravovat.", + "profile": "Profil", + "public": "Veřejný", + "public-desc": "Toto tablo je veřejné. Je viditelné pro každého, kdo na něj má odkaz a bude zobrazeno ve vyhledávačích jako je Google. Pouze vybraní uživatelé ho mohou upravovat.", + "quick-access-description": "Pro přidání odkazu do této lišty označ tablo hvězdičkou.", + "remove-cover": "Odstranit obal", + "remove-from-board": "Odstranit z tabla", + "remove-label": "Odstranit štítek", + "listDeletePopup-title": "Smazat seznam?", + "remove-member": "Odebrat uživatele", + "remove-member-from-card": "Odstranit z karty", + "remove-member-pop": "Odstranit __name__ (__username__) z __boardTitle__? Uživatel bude odebrán ze všech karet na tomto tablu. Na tuto skutečnost bude upozorněn.", + "removeMemberPopup-title": "Odstranit člena?", + "rename": "Přejmenovat", + "rename-board": "Přejmenovat tablo", + "restore": "Obnovit", + "save": "Uložit", + "search": "Hledat", + "search-cards": "Hledat nadpisy a popisy karet v tomto tablu", + "search-example": "Hledaný text", + "select-color": "Vybrat barvu", + "set-wip-limit-value": "Nastaví limit pro maximální počet úkolů v seznamu.", + "setWipLimitPopup-title": "Nastavit WIP Limit", + "shortcut-assign-self": "Přiřadit sebe k aktuální kartě", + "shortcut-autocomplete-emoji": "Automatické dokončování emoji", + "shortcut-autocomplete-members": "Automatický výběr uživatel", + "shortcut-clear-filters": "Vyčistit všechny filtry", + "shortcut-close-dialog": "Zavřít dialog", + "shortcut-filter-my-cards": "Filtrovat mé karty", + "shortcut-show-shortcuts": "Otevřít tento seznam odkazů", + "shortcut-toggle-filterbar": "Přepnout lištu filtrování", + "shortcut-toggle-sidebar": "Přepnout lištu tabla", + "show-cards-minimum-count": "Zobrazit počet karet pokud seznam obsahuje více než ", + "sidebar-open": "Otevřít boční panel", + "sidebar-close": "Zavřít boční panel", + "signupPopup-title": "Vytvořit účet", + "star-board-title": "Kliknutím přidat tablu hvězdičku. Poté bude zobrazeno navrchu seznamu.", + "starred-boards": "Tabla s hvězdičkou", + "starred-boards-description": "Tabla s hvězdičkou jsou zobrazena navrchu seznamu.", + "subscribe": "Odebírat", + "team": "Tým", + "this-board": "toto tablo", + "this-card": "tuto kartu", + "spent-time-hours": "Strávený čas (hodiny)", + "overtime-hours": "Přesčas (hodiny)", + "overtime": "Přesčas", + "has-overtime-cards": "Obsahuje karty s přesčasy", + "has-spenttime-cards": "Obsahuje karty se stráveným časem", + "time": "Čas", + "title": "Název", + "tracking": "Pozorující", + "tracking-info": "Budete informováni o všech změnách v kartách, u kterých jste tvůrce nebo člen.", + "type": "Typ", + "unassign-member": "Vyřadit člena", + "unsaved-description": "Popis neni uložen.", + "unwatch": "Přestat sledovat", + "upload": "Nahrát", + "upload-avatar": "Nahrát avatar", + "uploaded-avatar": "Avatar nahrán", + "username": "Uživatelské jméno", + "view-it": "Zobrazit", + "warn-list-archived": "varování: tuto kartu obsahuje seznam v koši", + "watch": "Sledovat", + "watching": "Sledující", + "watching-info": "Bude vám oznámena každá změna v tomto tablu", + "welcome-board": "Uvítací tablo", + "welcome-swimlane": "Milník 1", + "welcome-list1": "Základní", + "welcome-list2": "Pokročilé", + "what-to-do": "Co chcete dělat?", + "wipLimitErrorPopup-title": "Neplatný WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "Počet úkolů v tomto seznamu je vyšší než definovaný WIP limit.", + "wipLimitErrorPopup-dialog-pt2": "Přesuňte prosím některé úkoly mimo tento seznam, nebo nastavte vyšší WIP limit.", + "admin-panel": "Administrátorský panel", + "settings": "Nastavení", + "people": "Lidé", + "registration": "Registrace", + "disable-self-registration": "Vypnout svévolnou registraci", + "invite": "Pozvánka", + "invite-people": "Pozvat lidi", + "to-boards": "Do tabel", + "email-addresses": "Emailové adresy", + "smtp-host-description": "Adresa SMTP serveru, který zpracovává vaše emaily.", + "smtp-port-description": "Port, který používá Váš SMTP server pro odchozí emaily.", + "smtp-tls-description": "Zapnout TLS podporu pro SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Uživatelské jméno", + "smtp-password": "Heslo", + "smtp-tls": "podpora TLS", + "send-from": "Od", + "send-smtp-test": "Poslat si zkušební email.", + "invitation-code": "Kód pozvánky", + "email-invite-register-subject": "__inviter__ odeslal pozvánku", + "email-invite-register-text": "Ahoj __user__,\n\n__inviter__ tě přizval ke spolupráci ve Wekanu.\n\nNásleduj prosím odkaz níže:\n\n__url__\n\nKód Tvé pozvánky je: __icode__\n\nDěkujeme.", + "email-smtp-test-subject": "SMTP Testovací email z Wekanu", + "email-smtp-test-text": "Email byl úspěšně odeslán", + "error-invitation-code-not-exist": "Kód pozvánky neexistuje.", + "error-notAuthorized": "Nejste autorizován k prohlížení této stránky.", + "outgoing-webhooks": "Odchozí Webhooky", + "outgoingWebhooksPopup-title": "Odchozí Webhooky", + "new-outgoing-webhook": "Nové odchozí Webhooky", + "no-name": "(Neznámé)", + "Wekan_version": "Wekan verze", + "Node_version": "Node verze", + "OS_Arch": "OS Architektura", + "OS_Cpus": "OS Počet CPU", + "OS_Freemem": "OS Volná paměť", + "OS_Loadavg": "OS Průměrná zátěž systém", + "OS_Platform": "Platforma OS", + "OS_Release": "Verze OS", + "OS_Totalmem": "OS Celková paměť", + "OS_Type": "Typ OS", + "OS_Uptime": "OS Doba běhu systému", + "hours": "hodin", + "minutes": "minut", + "seconds": "sekund", + "show-field-on-card": "Ukázat toto pole na kartě", + "yes": "Ano", + "no": "Ne", + "accounts": "Účty", + "accounts-allowEmailChange": "Povolit změnu Emailu", + "accounts-allowUserNameChange": "Povolit změnu uživatelského jména", + "createdAt": "Vytvořeno v", + "verified": "Ověřen", + "active": "Aktivní", + "card-received": "Přijato", + "card-received-on": "Přijaté v", + "card-end": "Konec", + "card-end-on": "Končí v", + "editCardReceivedDatePopup-title": "Změnit datum přijetí", + "editCardEndDatePopup-title": "Změnit datum konce", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json new file mode 100644 index 00000000..fc184a33 --- /dev/null +++ b/i18n/de.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Akzeptieren", + "act-activity-notify": "[Wekan] Aktivitätsbenachrichtigung", + "act-addAttachment": "hat __attachment__ an __card__ angehängt", + "act-addChecklist": "hat die Checkliste __checklist__ zu __card__ hinzugefügt", + "act-addChecklistItem": "hat __checklistItem__ zur Checkliste __checklist__ in __card__ hinzugefügt", + "act-addComment": "hat __card__ kommentiert: __comment__", + "act-createBoard": "hat __board__ erstellt", + "act-createCard": "hat __card__ zu __list__ hinzugefügt", + "act-createCustomField": "benutzerdefiniertes Feld __customField__ angelegt", + "act-createList": "hat __list__ zu __board__ hinzugefügt", + "act-addBoardMember": "hat __member__ zu __board__ hinzugefügt", + "act-archivedBoard": "__board__ in den Papierkorb verschoben", + "act-archivedCard": "__card__ in den Papierkorb verschoben", + "act-archivedList": "__list__ in den Papierkorb verschoben", + "act-archivedSwimlane": "__swimlane__ in den Papierkorb verschoben", + "act-importBoard": "hat __board__ importiert", + "act-importCard": "hat __card__ importiert", + "act-importList": "hat __list__ importiert", + "act-joinMember": "hat __member__ zu __card__ hinzugefügt", + "act-moveCard": "hat __card__ von __oldList__ nach __list__ verschoben", + "act-removeBoardMember": "hat __member__ von __board__ entfernt", + "act-restoredCard": "hat __card__ in __board__ wiederhergestellt", + "act-unjoinMember": "hat __member__ von __card__ entfernt", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Aktionen", + "activities": "Aktivitäten", + "activity": "Aktivität", + "activity-added": "hat %s zu %s hinzugefügt", + "activity-archived": "hat %s in den Papierkorb verschoben", + "activity-attached": "hat %s an %s angehängt", + "activity-created": "hat %s erstellt", + "activity-customfield-created": "hat das benutzerdefinierte Feld %s erstellt", + "activity-excluded": "hat %s von %s ausgeschlossen", + "activity-imported": "hat %s in %s von %s importiert", + "activity-imported-board": "hat %s von %s importiert", + "activity-joined": "ist %s beigetreten", + "activity-moved": "hat %s von %s nach %s verschoben", + "activity-on": "in %s", + "activity-removed": "hat %s von %s entfernt", + "activity-sent": "hat %s an %s gesendet", + "activity-unjoined": "hat %s verlassen", + "activity-checklist-added": "hat eine Checkliste zu %s hinzugefügt", + "activity-checklist-item-added": "hat eine Checklistenposition zu '%s' in %s hinzugefügt", + "add": "Hinzufügen", + "add-attachment": "Datei anhängen", + "add-board": "neues Board", + "add-card": "Karte hinzufügen", + "add-swimlane": "Swimlane hinzufügen", + "add-checklist": "Checkliste hinzufügen", + "add-checklist-item": "Position zu einer Checkliste hinzufügen", + "add-cover": "Cover hinzufügen", + "add-label": "Label hinzufügen", + "add-list": "Liste hinzufügen", + "add-members": "Mitglieder hinzufügen", + "added": "Hinzugefügt", + "addMemberPopup-title": "Mitglieder", + "admin": "Admin", + "admin-desc": "Kann Karten anzeigen und bearbeiten, Mitglieder entfernen und Boardeinstellungen ändern.", + "admin-announcement": "Ankündigung", + "admin-announcement-active": "Aktive systemweite Ankündigungen", + "admin-announcement-title": "Ankündigung des Administrators", + "all-boards": "Alle Boards", + "and-n-other-card": "und eine andere Karte", + "and-n-other-card_plural": "und __count__ andere Karten", + "apply": "Übernehmen", + "app-is-offline": "Wekan lädt gerade, bitte warten Sie. Wenn Sie die Seite neu laden, gehen nicht übertragene Änderungen verloren. Sollte Wekan nicht geladen werden, überprüfen Sie bitte, ob der Server noch läuft.", + "archive": "In den Papierkorb verschieben", + "archive-all": "Alles in den Papierkorb verschieben", + "archive-board": "Board in den Papierkorb verschieben", + "archive-card": "Karte in den Papierkorb verschieben", + "archive-list": "Liste in den Papierkorb verschieben", + "archive-swimlane": "Swimlane in den Papierkorb verschieben", + "archive-selection": "Auswahl in den Papierkorb verschieben", + "archiveBoardPopup-title": "Board in den Papierkorb verschieben?", + "archived-items": "Papierkorb", + "archived-boards": "Boards im Papierkorb", + "restore-board": "Board wiederherstellen", + "no-archived-boards": "Keine Boards im Papierkorb.", + "archives": "Papierkorb", + "assign-member": "Mitglied zuweisen", + "attached": "angehängt", + "attachment": "Anhang", + "attachment-delete-pop": "Das Löschen eines Anhangs kann nicht rückgängig gemacht werden.", + "attachmentDeletePopup-title": "Anhang löschen?", + "attachments": "Anhänge", + "auto-watch": "Neue Boards nach Erstellung automatisch beobachten", + "avatar-too-big": "Das Profilbild ist zu groß (max. 70KB)", + "back": "Zurück", + "board-change-color": "Farbe ändern", + "board-nb-stars": "%s Sterne", + "board-not-found": "Board nicht gefunden", + "board-private-info": "Dieses Board wird privat sein.", + "board-public-info": "Dieses Board wird öffentlich sein.", + "boardChangeColorPopup-title": "Farbe des Boards ändern", + "boardChangeTitlePopup-title": "Board umbenennen", + "boardChangeVisibilityPopup-title": "Sichtbarkeit ändern", + "boardChangeWatchPopup-title": "Beobachtung ändern", + "boardMenuPopup-title": "Boardmenü", + "boards": "Boards", + "board-view": "Boardansicht", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Listen", + "bucket-example": "z.B. \"Löffelliste\"", + "cancel": "Abbrechen", + "card-archived": "Diese Karte wurde in den Papierkorb verschoben", + "card-comments-title": "Diese Karte hat %s Kommentar(e).", + "card-delete-notice": "Löschen kann nicht rückgängig gemacht werden. Alle Aktionen, die dieser Karte zugeordnet sind, werden ebenfalls gelöscht.", + "card-delete-pop": "Alle Aktionen werden aus dem Aktivitätsfeed entfernt und die Karte kann nicht wiedereröffnet werden. Die Aktion kann nicht rückgängig gemacht werden.", + "card-delete-suggest-archive": "Sie können eine Karte in den Papierkorb verschieben, um sie vom Board zu entfernen und die Aktivitäten zu behalten.", + "card-due": "Fällig", + "card-due-on": "Fällig am", + "card-spent": "Aufgewendete Zeit", + "card-edit-attachments": "Anhänge ändern", + "card-edit-custom-fields": "Benutzerdefinierte Felder editieren", + "card-edit-labels": "Labels ändern", + "card-edit-members": "Mitglieder ändern", + "card-labels-title": "Labels für diese Karte ändern.", + "card-members-title": "Der Karte Board-Mitglieder hinzufügen oder entfernen.", + "card-start": "Start", + "card-start-on": "Start am", + "cardAttachmentsPopup-title": "Anhängen von", + "cardCustomField-datePopup-title": "Datum ändern", + "cardCustomFieldsPopup-title": "Benutzerdefinierte Felder editieren", + "cardDeletePopup-title": "Karte löschen?", + "cardDetailsActionsPopup-title": "Kartenaktionen", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Mitglieder", + "cardMorePopup-title": "Mehr", + "cards": "Karten", + "cards-count": "Karten", + "change": "Ändern", + "change-avatar": "Profilbild ändern", + "change-password": "Passwort ändern", + "change-permissions": "Berechtigungen ändern", + "change-settings": "Einstellungen ändern", + "changeAvatarPopup-title": "Profilbild ändern", + "changeLanguagePopup-title": "Sprache ändern", + "changePasswordPopup-title": "Passwort ändern", + "changePermissionsPopup-title": "Berechtigungen ändern", + "changeSettingsPopup-title": "Einstellungen ändern", + "checklists": "Checklisten", + "click-to-star": "Klicken Sie, um das Board mit einem Stern zu markieren.", + "click-to-unstar": "Klicken Sie, um den Stern vom Board zu entfernen.", + "clipboard": "Zwischenablage oder Drag & Drop", + "close": "Schließen", + "close-board": "Board schließen", + "close-board-pop": "Sie können das Board wiederherstellen, indem Sie die Schaltfläche \"Papierkorb\" in der Kopfzeile der Startseite anklicken.", + "color-black": "schwarz", + "color-blue": "blau", + "color-green": "grün", + "color-lime": "hellgrün", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "lila", + "color-red": "rot", + "color-sky": "himmelblau", + "color-yellow": "gelb", + "comment": "Kommentar", + "comment-placeholder": "Kommentar schreiben", + "comment-only": "Nur kommentierbar", + "comment-only-desc": "Kann Karten nur Kommentieren", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Sind Sie sicher, dass Sie die Checkliste löschen möchten?", + "copy-card-link-to-clipboard": "Kopiere Link zur Karte in die Zwischenablage", + "copyCardPopup-title": "Karte kopieren", + "copyChecklistToManyCardsPopup-title": "Checklistenvorlage in mehrere Karten kopieren", + "copyChecklistToManyCardsPopup-instructions": "Titel und Beschreibungen der Zielkarten im folgenden JSON-Format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titel der ersten Karte\", \"description\":\"Beschreibung der ersten Karte\"}, {\"title\":\"Titel der zweiten Karte\",\"description\":\"Beschreibung der zweiten Karte\"},{\"title\":\"Titel der letzten Karte\",\"description\":\"Beschreibung der letzten Karte\"} ]", + "create": "Erstellen", + "createBoardPopup-title": "Board erstellen", + "chooseBoardSourcePopup-title": "Board importieren", + "createLabelPopup-title": "Label erstellen", + "createCustomField": "Feld erstellen", + "createCustomFieldPopup-title": "Feld erstellen", + "current": "aktuell", + "custom-field-delete-pop": "Dies wird das Feld aus allen Karten entfernen und den dazugehörigen Verlauf löschen. Die Aktion kann nicht rückgängig gemacht werden.", + "custom-field-checkbox": "Kontrollkästchen", + "custom-field-date": "Datum", + "custom-field-dropdown": "Dropdownliste", + "custom-field-dropdown-none": "(keiner)", + "custom-field-dropdown-options": "Listenoptionen", + "custom-field-dropdown-options-placeholder": "Drücken Sie die Eingabetaste, um weitere Optionen hinzuzufügen", + "custom-field-dropdown-unknown": "(unbekannt)", + "custom-field-number": "Zahl", + "custom-field-text": "Text", + "custom-fields": "Benutzerdefinierte Felder", + "date": "Datum", + "decline": "Ablehnen", + "default-avatar": "Standard Profilbild", + "delete": "Löschen", + "deleteCustomFieldPopup-title": "Benutzerdefiniertes Feld löschen?", + "deleteLabelPopup-title": "Label löschen?", + "description": "Beschreibung", + "disambiguateMultiLabelPopup-title": "Labels vereinheitlichen", + "disambiguateMultiMemberPopup-title": "Mitglieder vereinheitlichen", + "discard": "Verwerfen", + "done": "Erledigt", + "download": "Herunterladen", + "edit": "Bearbeiten", + "edit-avatar": "Profilbild ändern", + "edit-profile": "Profil ändern", + "edit-wip-limit": "WIP-Limit bearbeiten", + "soft-wip-limit": "Soft WIP-Limit", + "editCardStartDatePopup-title": "Startdatum ändern", + "editCardDueDatePopup-title": "Fälligkeitsdatum ändern", + "editCustomFieldPopup-title": "Feld bearbeiten", + "editCardSpentTimePopup-title": "Aufgewendete Zeit ändern", + "editLabelPopup-title": "Label ändern", + "editNotificationPopup-title": "Benachrichtigung ändern", + "editProfilePopup-title": "Profil ändern", + "email": "E-Mail", + "email-enrollAccount-subject": "Ihr Benutzerkonto auf __siteName__ wurde erstellt", + "email-enrollAccount-text": "Hallo __user__,\n\num den Dienst nutzen zu können, klicken Sie bitte auf folgenden Link:\n\n__url__\n\nDanke.", + "email-fail": "Senden der E-Mail fehlgeschlagen", + "email-fail-text": "Fehler beim Senden des E-Mails", + "email-invalid": "Ungültige E-Mail-Adresse", + "email-invite": "via E-Mail einladen", + "email-invite-subject": "__inviter__ hat Ihnen eine Einladung geschickt", + "email-invite-text": "Hallo __user__,\n\n__inviter__ hat Sie zu dem Board \"__board__\" eingeladen.\n\nBitte klicken Sie auf folgenden Link:\n\n__url__\n\nDanke.", + "email-resetPassword-subject": "Setzten Sie ihr Passwort auf __siteName__ zurück", + "email-resetPassword-text": "Hallo __user__,\n\num ihr Passwort zurückzusetzen, klicken Sie bitte auf folgenden Link:\n\n__url__\n\nDanke.", + "email-sent": "E-Mail gesendet", + "email-verifyEmail-subject": "Bestätigen Sie ihre E-Mail-Adresse auf __siteName__", + "email-verifyEmail-text": "Hallo __user__,\n\num ihre E-Mail-Adresse zu bestätigen, klicken Sie bitte auf folgenden Link:\n\n__url__\n\nDanke.", + "enable-wip-limit": "WIP-Limit einschalten", + "error-board-doesNotExist": "Dieses Board existiert nicht", + "error-board-notAdmin": "Um das zu tun, müssen Sie Administrator dieses Boards sein", + "error-board-notAMember": "Um das zu tun, müssen Sie Mitglied dieses Boards sein", + "error-json-malformed": "Ihre Eingabe ist kein gültiges JSON", + "error-json-schema": "Ihre JSON-Daten enthalten nicht die gewünschten Informationen im richtigen Format", + "error-list-doesNotExist": "Diese Liste existiert nicht", + "error-user-doesNotExist": "Dieser Nutzer existiert nicht", + "error-user-notAllowSelf": "Sie können sich nicht selbst einladen.", + "error-user-notCreated": "Dieser Nutzer ist nicht angelegt", + "error-username-taken": "Dieser Benutzername ist bereits vergeben", + "error-email-taken": "E-Mail wird schon verwendet", + "export-board": "Board exportieren", + "filter": "Filter", + "filter-cards": "Karten filtern", + "filter-clear": "Filter entfernen", + "filter-no-label": "Kein Label", + "filter-no-member": "Kein Mitglied", + "filter-no-custom-fields": "Keine benutzerdefinierten Felder", + "filter-on": "Filter ist aktiv", + "filter-on-desc": "Sie filtern die Karten in diesem Board. Klicken Sie, um den Filter zu bearbeiten.", + "filter-to-selection": "Ergebnisse auswählen", + "advanced-filter-label": "Erweiterter Filter", + "advanced-filter-description": "Der erweiterte Filter erlaubt die Eingabe von Zeichenfolgen, die folgende Operatoren enthalten: == != <= >= && || ( ). Ein Leerzeichen wird als Trennzeichen zwischen den Operatoren verwendet. Sie können nach allen benutzerdefinierten Feldern filtern, indem Sie deren Namen und Werte eingeben. Zum Beispiel: Feld1 == Wert1. Beachten Sie: Wenn Felder oder Werte Leerzeichen enthalten, müssen Sie sie in einfache Anführungszeichen setzen. Zum Beispiel: 'Feld 1' == 'Wert 1'. Sie können außerdem mehrere Bedingungen kombinieren. Zum Beispiel: F1 == W1 || F1 == W2. Normalerweise werden alle Operatoren von links nach rechts interpretiert. Sie können die Reihenfolge ändern, indem Sie Klammern setzen. Zum Beispiel: F1 == W1 && ( F2 == W2 || F2 == W3 )", + "fullname": "Vollständiger Name", + "header-logo-title": "Zurück zur Board Seite.", + "hide-system-messages": "Systemmeldungen ausblenden", + "headerBarCreateBoardPopup-title": "Board erstellen", + "home": "Home", + "import": "Importieren", + "import-board": "Board importieren", + "import-board-c": "Board importieren", + "import-board-title-trello": "Board von Trello importieren", + "import-board-title-wekan": "Board von Wekan importieren", + "import-sandstorm-warning": "Das importierte Board wird alle bereits existierenden Daten löschen und mit den importierten Daten überschreiben.", + "from-trello": "Von Trello", + "from-wekan": "Von Wekan", + "import-board-instruction-trello": "Gehen Sie in ihrem Trello-Board auf 'Menü', dann 'Mehr', 'Drucken und Exportieren', 'JSON-Export' und kopieren Sie den dort angezeigten Text", + "import-board-instruction-wekan": "Gehen Sie in Ihrem Wekan board auf 'Menü', und dann auf 'Board exportieren'. Kopieren Sie anschließend den Text aus der heruntergeladenen Datei.", + "import-json-placeholder": "Fügen Sie die korrekten JSON-Daten hier ein", + "import-map-members": "Mitglieder zuordnen", + "import-members-map": "Das importierte Board hat Mitglieder. Bitte ordnen Sie jene, die importiert werden sollen, vorhandenen Wekan-Nutzern zu", + "import-show-user-mapping": "Mitgliederzuordnung überprüfen", + "import-user-select": "Wählen Sie den Wekan-Nutzer aus, der dieses Mitglied sein soll", + "importMapMembersAddPopup-title": "Wekan-Nutzer auswählen", + "info": "Version", + "initials": "Initialen", + "invalid-date": "Ungültiges Datum", + "invalid-time": "Ungültige Zeitangabe", + "invalid-user": "Ungültiger Benutzer", + "joined": "beigetreten", + "just-invited": "Sie wurden soeben zu diesem Board eingeladen", + "keyboard-shortcuts": "Tastaturkürzel", + "label-create": "Label erstellen", + "label-default": "%s Label (Standard)", + "label-delete-pop": "Aktion kann nicht rückgängig gemacht werden. Das Label wird von allen Karten entfernt und seine Historie gelöscht.", + "labels": "Labels", + "language": "Sprache", + "last-admin-desc": "Sie können keine Rollen ändern, weil es mindestens einen Administrator geben muss.", + "leave-board": "Board verlassen", + "leave-board-pop": "Sind Sie sicher, dass Sie __boardTitle__ verlassen möchten? Sie werden von allen Karten in diesem Board entfernt.", + "leaveBoardPopup-title": "Board verlassen?", + "link-card": "Link zu dieser Karte", + "list-archive-cards": "Alle Karten dieser Liste in den Papierkorb verschieben", + "list-archive-cards-pop": "Alle Karten dieser Liste werden vom Board entfernt. Um Karten im Papierkorb anzuzeigen und wiederherzustellen, klicken Sie auf \"Menü\" > \"Papierkorb\".", + "list-move-cards": "Alle Karten in dieser Liste verschieben", + "list-select-cards": "Alle Karten in dieser Liste auswählen", + "listActionPopup-title": "Listenaktionen", + "swimlaneActionPopup-title": "Swimlaneaktionen", + "listImportCardPopup-title": "Eine Trello-Karte importieren", + "listMorePopup-title": "Mehr", + "link-list": "Link zu dieser Liste", + "list-delete-pop": "Alle Aktionen werden aus dem Verlauf gelöscht und die Liste kann nicht wiederhergestellt werden.", + "list-delete-suggest-archive": "Listen können in den Papierkorb verschoben werden, um sie aus dem Board zu entfernen und die Aktivitäten zu behalten.", + "lists": "Listen", + "swimlanes": "Swimlanes", + "log-out": "Ausloggen", + "log-in": "Einloggen", + "loginPopup-title": "Einloggen", + "memberMenuPopup-title": "Nutzereinstellungen", + "members": "Mitglieder", + "menu": "Menü", + "move-selection": "Auswahl verschieben", + "moveCardPopup-title": "Karte verschieben", + "moveCardToBottom-title": "Ans Ende verschieben", + "moveCardToTop-title": "Zum Anfang verschieben", + "moveSelectionPopup-title": "Auswahl verschieben", + "multi-selection": "Mehrfachauswahl", + "multi-selection-on": "Mehrfachauswahl ist aktiv", + "muted": "Stumm", + "muted-info": "Sie werden nicht über Änderungen auf diesem Board benachrichtigt", + "my-boards": "Meine Boards", + "name": "Name", + "no-archived-cards": "Keine Karten im Papierkorb.", + "no-archived-lists": "Keine Listen im Papierkorb.", + "no-archived-swimlanes": "Keine Swimlanes im Papierkorb.", + "no-results": "Keine Ergebnisse", + "normal": "Normal", + "normal-desc": "Kann Karten anzeigen und bearbeiten, aber keine Einstellungen ändern.", + "not-accepted-yet": "Die Einladung wurde noch nicht angenommen", + "notify-participate": "Benachrichtigungen zu allen Karten erhalten, an denen Sie teilnehmen", + "notify-watch": "Benachrichtigungen über alle Boards, Listen oder Karten erhalten, die Sie beobachten", + "optional": "optional", + "or": "oder", + "page-maybe-private": "Diese Seite könnte privat sein. Vielleicht können Sie sie sehen, wenn Sie sich einloggen.", + "page-not-found": "Seite nicht gefunden.", + "password": "Passwort", + "paste-or-dragdrop": "Einfügen oder Datei mit Drag & Drop ablegen (nur Bilder)", + "participating": "Teilnehmen", + "preview": "Vorschau", + "previewAttachedImagePopup-title": "Vorschau", + "previewClipboardImagePopup-title": "Vorschau", + "private": "Privat", + "private-desc": "Dieses Board ist privat. Nur Nutzer, die zu dem Board gehören, können es anschauen und bearbeiten.", + "profile": "Profil", + "public": "Öffentlich", + "public-desc": "Dieses Board ist öffentlich. Es ist für jeden, der den Link kennt, sichtbar und taucht in Suchmaschinen wie Google auf. Nur Nutzer, die zum Board hinzugefügt wurden, können es bearbeiten.", + "quick-access-description": "Markieren Sie ein Board mit einem Stern, um dieser Leiste eine Verknüpfung hinzuzufügen.", + "remove-cover": "Cover entfernen", + "remove-from-board": "Von Board entfernen", + "remove-label": "Label entfernen", + "listDeletePopup-title": "Liste löschen?", + "remove-member": "Nutzer entfernen", + "remove-member-from-card": "Von Karte entfernen", + "remove-member-pop": "__name__ (__username__) von __boardTitle__ entfernen? Das Mitglied wird von allen Karten auf diesem Board entfernt. Es erhält eine Benachrichtigung.", + "removeMemberPopup-title": "Mitglied entfernen?", + "rename": "Umbenennen", + "rename-board": "Board umbenennen", + "restore": "Wiederherstellen", + "save": "Speichern", + "search": "Suchen", + "search-cards": "Suche nach Kartentiteln und Beschreibungen auf diesem Board", + "search-example": "Suchbegriff", + "select-color": "Farbe auswählen", + "set-wip-limit-value": "Setzen Sie ein Limit für die maximale Anzahl von Aufgaben in dieser Liste", + "setWipLimitPopup-title": "WIP-Limit setzen", + "shortcut-assign-self": "Fügen Sie sich zur aktuellen Karte hinzu", + "shortcut-autocomplete-emoji": "Emojis vervollständigen", + "shortcut-autocomplete-members": "Mitglieder vervollständigen", + "shortcut-clear-filters": "Alle Filter entfernen", + "shortcut-close-dialog": "Dialog schließen", + "shortcut-filter-my-cards": "Meine Karten filtern", + "shortcut-show-shortcuts": "Liste der Tastaturkürzel anzeigen", + "shortcut-toggle-filterbar": "Filter-Seitenleiste ein-/ausblenden", + "shortcut-toggle-sidebar": "Seitenleiste ein-/ausblenden", + "show-cards-minimum-count": "Zeigt die Kartenanzahl an, wenn die Liste mehr enthält als", + "sidebar-open": "Seitenleiste öffnen", + "sidebar-close": "Seitenleiste schließen", + "signupPopup-title": "Benutzerkonto erstellen", + "star-board-title": "Klicken Sie, um das Board mit einem Stern zu markieren. Es erscheint dann oben in ihrer Boardliste.", + "starred-boards": "Markierte Boards", + "starred-boards-description": "Markierte Boards erscheinen oben in ihrer Boardliste.", + "subscribe": "Abonnieren", + "team": "Team", + "this-board": "diesem Board", + "this-card": "diese Karte", + "spent-time-hours": "Aufgewendete Zeit (Stunden)", + "overtime-hours": "Mehrarbeit (Stunden)", + "overtime": "Mehrarbeit", + "has-overtime-cards": "Hat Karten mit Mehrarbeit", + "has-spenttime-cards": "Hat Karten mit aufgewendeten Zeiten", + "time": "Zeit", + "title": "Titel", + "tracking": "Folgen", + "tracking-info": "Sie werden über alle Änderungen an Karten benachrichtigt, an denen Sie als Ersteller oder Mitglied beteiligt sind.", + "type": "Typ", + "unassign-member": "Mitglied entfernen", + "unsaved-description": "Sie haben eine nicht gespeicherte Änderung.", + "unwatch": "Beobachtung entfernen", + "upload": "Upload", + "upload-avatar": "Profilbild hochladen", + "uploaded-avatar": "Profilbild hochgeladen", + "username": "Benutzername", + "view-it": "Ansehen", + "warn-list-archived": "Warnung: Diese Karte befindet sich in einer Liste im Papierkorb!", + "watch": "Beobachten", + "watching": "Beobachten", + "watching-info": "Sie werden über alle Änderungen in diesem Board benachrichtigt", + "welcome-board": "Willkommen-Board", + "welcome-swimlane": "Meilenstein 1", + "welcome-list1": "Grundlagen", + "welcome-list2": "Fortgeschritten", + "what-to-do": "Was wollen Sie tun?", + "wipLimitErrorPopup-title": "Ungültiges WIP-Limit", + "wipLimitErrorPopup-dialog-pt1": "Die Anzahl von Aufgaben in dieser Liste ist größer als das von Ihnen definierte WIP-Limit.", + "wipLimitErrorPopup-dialog-pt2": "Bitte verschieben Sie einige Aufgaben aus dieser Liste oder setzen Sie ein grösseres WIP-Limit.", + "admin-panel": "Administration", + "settings": "Einstellungen", + "people": "Nutzer", + "registration": "Registrierung", + "disable-self-registration": "Selbstregistrierung deaktivieren", + "invite": "Einladen", + "invite-people": "Nutzer einladen", + "to-boards": "In Board(s)", + "email-addresses": "E-Mail Adressen", + "smtp-host-description": "Die Adresse Ihres SMTP-Servers für ausgehende E-Mails.", + "smtp-port-description": "Der Port Ihres SMTP-Servers für ausgehende E-Mails.", + "smtp-tls-description": "Aktiviere TLS Unterstützung für SMTP Server", + "smtp-host": "SMTP-Server", + "smtp-port": "SMTP-Port", + "smtp-username": "Benutzername", + "smtp-password": "Passwort", + "smtp-tls": "TLS Unterstützung", + "send-from": "Absender", + "send-smtp-test": "Test-E-Mail an sich selbst schicken", + "invitation-code": "Einladungscode", + "email-invite-register-subject": "__inviter__ hat Ihnen eine Einladung geschickt", + "email-invite-register-text": "Hallo __user__,\n\n__inviter__ hat Sie für Ihre Zusammenarbeit zu Wekan eingeladen.\n\nBitte klicken Sie auf folgenden Link:\n__url__\n\nIhr Einladungscode lautet: __icode__\n\nDanke.", + "email-smtp-test-subject": "SMTP-Test-E-Mail von Wekan", + "email-smtp-test-text": "Sie haben erfolgreich eine E-Mail versandt", + "error-invitation-code-not-exist": "Ungültiger Einladungscode", + "error-notAuthorized": "Sie sind nicht berechtigt diese Seite zu sehen.", + "outgoing-webhooks": "Ausgehende Webhooks", + "outgoingWebhooksPopup-title": "Ausgehende Webhooks", + "new-outgoing-webhook": "Neuer ausgehender Webhook", + "no-name": "(Unbekannt)", + "Wekan_version": "Wekan-Version", + "Node_version": "Node-Version", + "OS_Arch": "Betriebssystem-Architektur", + "OS_Cpus": "Anzahl Prozessoren", + "OS_Freemem": "Freier Arbeitsspeicher", + "OS_Loadavg": "Mittlere Systembelastung", + "OS_Platform": "Plattform", + "OS_Release": "Version des Betriebssystem", + "OS_Totalmem": "Gesamter Arbeitsspeicher", + "OS_Type": "Typ des Betriebssystems", + "OS_Uptime": "Laufzeit des Systems", + "hours": "Stunden", + "minutes": "Minuten", + "seconds": "Sekunden", + "show-field-on-card": "Zeige dieses Feld auf der Karte", + "yes": "Ja", + "no": "Nein", + "accounts": "Konten", + "accounts-allowEmailChange": "Ändern der E-Mailadresse erlauben", + "accounts-allowUserNameChange": "Ändern des Benutzernamens erlauben", + "createdAt": "Erstellt am", + "verified": "Geprüft", + "active": "Aktiv", + "card-received": "Empfangen", + "card-received-on": "Empfangen am", + "card-end": "Ende", + "card-end-on": "Endet am", + "editCardReceivedDatePopup-title": "Empfangsdatum ändern", + "editCardEndDatePopup-title": "Enddatum ändern", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json new file mode 100644 index 00000000..9c011f95 --- /dev/null +++ b/i18n/el.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accept", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Προσθήκη", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Προσθήκη Κάρτας", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Προσθήκη Ετικέτας", + "add-list": "Προσθήκη Λίστας", + "add-members": "Προσθήκη Μελών", + "added": "Προστέθηκε", + "addMemberPopup-title": "Μέλοι", + "admin": "Διαχειριστής", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Εφαρμογή", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Πίσω", + "board-change-color": "Αλλαγή χρώματος", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Λίστες", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Ακύρωση", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Έως", + "card-due-on": "Έως τις", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Διαγραφή Κάρτας;", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Ετικέτες", + "cardMembersPopup-title": "Μέλοι", + "cardMorePopup-title": "Περισσότερα", + "cards": "Κάρτες", + "cards-count": "Κάρτες", + "change": "Αλλαγή", + "change-avatar": "Change Avatar", + "change-password": "Αλλαγή Κωδικού", + "change-permissions": "Change permissions", + "change-settings": "Αλλαγή Ρυθμίσεων", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Αλλαγή Γλώσσας", + "changePasswordPopup-title": "Αλλαγή Κωδικού", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Αλλαγή Ρυθμίσεων", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Κλείσιμο", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "μαύρο", + "color-blue": "μπλε", + "color-green": "πράσινο", + "color-lime": "λάιμ", + "color-orange": "πορτοκαλί", + "color-pink": "ροζ", + "color-purple": "μωβ", + "color-red": "κόκκινο", + "color-sky": "ουρανός", + "color-yellow": "κίτρινο", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Υπολογιστής", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Δημιουργία", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Ημερομηνία", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Ημερομηνία", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Διαγραφή", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Απόρριψη", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Το κείμενο δεν είναι έγκυρο JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Φίλτρο", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "Κανένα μέλος", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Πλήρες Όνομα", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Εισαγωγή", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "Από το Trello", + "from-wekan": "Από το Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Έκδοση", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Ετικέτες", + "language": "Γλώσσα", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "Περισσότερα", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Λίστες", + "swimlanes": "Swimlanes", + "log-out": "Αποσύνδεση", + "log-in": "Σύνδεση", + "loginPopup-title": "Σύνδεση", + "memberMenuPopup-title": "Member Settings", + "members": "Μέλοι", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Όνομα", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Κανένα αποτέλεσμα", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "ή", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Η σελίδα δεν βρέθηκε.", + "password": "Κωδικός", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Διαγραφή Λίστας;", + "remove-member": "Αφαίρεση Μέλους", + "remove-member-from-card": "Αφαίρεση από την Κάρτα", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Αφαίρεση Μέλους;", + "rename": "Μετανομασία", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Αποθήκευση", + "search": "Αναζήτηση", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Επιλέξτε Χρώμα", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Δημιουργία Λογαριασμού", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Ομάδα", + "this-board": "this board", + "this-card": "αυτή η κάρτα", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Ώρα", + "title": "Τίτλος", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Όνομα Χρήστη", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Ρυθμίσεις", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Διευθύνσεις", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Όνομα Χρήστη", + "smtp-password": "Κωδικός", + "smtp-tls": "TLS υποστήριξη", + "send-from": "Από", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Κωδικός Πρόσκλησης", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Ο κωδικός πρόσκλησης δεν υπάρχει", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Άγνωστο)", + "Wekan_version": "Wekan έκδοση", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "ώρες", + "minutes": "λεπτά", + "seconds": "δευτερόλεπτα", + "show-field-on-card": "Show this field on card", + "yes": "Ναι", + "no": "Όχι", + "accounts": "Λογαριασμοί", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json new file mode 100644 index 00000000..5579a673 --- /dev/null +++ b/i18n/en-GB.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accept", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached _ attachment _ to _ card _", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Add", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Members", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change colour", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to the Recycle Bin to remove it from the board and preserve its activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Members", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaboration.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve its activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Members", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Colour", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in a list in the Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any changes in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaboration.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorised to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 708f2f9c..40f1b820 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -472,7 +472,7 @@ "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "board-delete-pop": "All lists, cards, labels, and activities will be removed and you won't be able to recover the board contents. There is no undo.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", "delete-board": "Delete Board" } diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json new file mode 100644 index 00000000..302f9cf1 --- /dev/null +++ b/i18n/eo.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Akcepti", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "Kreiis __board__", + "act-createCard": "Aldonis __card__ al __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "Aldonis __card__ al __board__", + "act-addBoardMember": "Aldonis __member__ al __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "Aldonis __member__ al __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Akcioj", + "activities": "Aktivaĵoj", + "activity": "Aktivaĵo", + "activity-added": "Aldonis %s al %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "Kreiis %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "Sendis %s al %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Aldoni", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Aldoni membrojn", + "added": "Aldonita", + "addMemberPopup-title": "Membroj", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apliki", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Reen", + "board-change-color": "Ŝanĝi koloron", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Listoj", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Redakti etikedojn", + "card-edit-members": "Redakti membrojn", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Komenco", + "card-start-on": "Komencas je la", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Etikedoj", + "cardMembersPopup-title": "Membroj", + "cardMorePopup-title": "Pli", + "cards": "Kartoj", + "cards-count": "Kartoj", + "change": "Ŝanĝi", + "change-avatar": "Change Avatar", + "change-password": "Ŝangi pasvorton", + "change-permissions": "Change permissions", + "change-settings": "Ŝanĝi agordojn", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Ŝanĝi lingvon", + "changePasswordPopup-title": "Ŝangi pasvorton", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Ŝanĝi agordojn", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Fermi", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "nigra", + "color-blue": "blua", + "color-green": "verda", + "color-lime": "lime", + "color-orange": "oranĝa", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "ruĝa", + "color-sky": "sky", + "color-yellow": "flava", + "comment": "Komento", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Komputilo", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Krei", + "createBoardPopup-title": "Krei tavolon", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Dato", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Dato", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Farite", + "download": "Elŝuti", + "edit": "Redakti", + "edit-avatar": "Change Avatar", + "edit-profile": "Redakti profilon", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Redakti komencdaton", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Ŝanĝi etikedon", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Redakti profilon", + "email": "Retpoŝtadreso", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Malsukcesis sendi retpoŝton", + "email-fail-text": "Error trying to send email", + "email-invalid": "Nevalida retpoŝtadreso", + "email-invite": "Inviti per retpoŝto", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Sendis retpoŝton", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Via teksto estas nevalida JSON", + "error-json-schema": "Via JSON ne enhavas la ĝustajn informojn en ĝusta formato", + "error-list-doesNotExist": "Tio listo ne ekzistas", + "error-user-doesNotExist": "Tio uzanto ne ekzistas", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "Uzanto ne kreita", + "error-username-taken": "Uzantnomo jam prenita", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "Nenia etikedo", + "filter-no-member": "Nenia membro", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Krei tavolon", + "home": "Hejmo", + "import": "Importi", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Etikedoj", + "language": "Lingvo", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Ligi al ĉitiu karto", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Movu ĉiujn kartojn en tiu listo.", + "list-select-cards": "Elektu ĉiujn kartojn en tiu listo.", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "Pli", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Listoj", + "swimlanes": "Swimlanes", + "log-out": "Elsaluti", + "log-in": "Ensaluti", + "loginPopup-title": "Ensaluti", + "memberMenuPopup-title": "Membraj agordoj", + "members": "Membroj", + "menu": "Menuo", + "move-selection": "Movi elekton", + "moveCardPopup-title": "Movi karton", + "moveCardToBottom-title": "Movi suben", + "moveCardToTop-title": "Movi supren", + "moveSelectionPopup-title": "Movi elekton", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Nomo", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Neniaj rezultoj", + "normal": "Normala", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "aŭ", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Netrovita paĝo.", + "password": "Pasvorto", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Privata", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profilo", + "public": "Publika", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Forigi membron", + "remove-member-from-card": "Forigi de karto", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Renomi", + "rename-board": "Rename Board", + "restore": "Forigi", + "save": "Savi", + "search": "Serĉi", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Teamo", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Tempo", + "title": "Titolo", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Alŝuti", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Uzantnomo", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Rigardi", + "watching": "Rigardante", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "Kion vi volas fari?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Uzantnomo", + "smtp-password": "Pasvorto", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json new file mode 100644 index 00000000..5262568f --- /dev/null +++ b/i18n/es-AR.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Aceptar", + "act-activity-notify": "[Wekan] Notificación de Actividad", + "act-addAttachment": "adjunto __attachment__ a __card__", + "act-addChecklist": "lista de ítems __checklist__ agregada a __card__", + "act-addChecklistItem": " __checklistItem__ agregada a lista de ítems __checklist__ en __card__", + "act-addComment": "comentado en __card__: __comment__", + "act-createBoard": "__board__ creado", + "act-createCard": "agregada __card__ a __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "agregada __list__ a __board__", + "act-addBoardMember": "agregado __member__ a __board__", + "act-archivedBoard": "__board__ movido a Papelera de Reciclaje", + "act-archivedCard": "__card__ movido a Papelera de Reciclaje", + "act-archivedList": "__list__ movido a Papelera de Reciclaje", + "act-archivedSwimlane": "__swimlane__ movido a Papelera de Reciclaje", + "act-importBoard": "__board__ importado", + "act-importCard": "__card__ importada", + "act-importList": "__list__ importada", + "act-joinMember": "__member__ agregado a __card__", + "act-moveCard": "__card__ movida de __oldList__ a __list__", + "act-removeBoardMember": "__member__ removido de __board__", + "act-restoredCard": "__card__ restaurada a __board__", + "act-unjoinMember": "__member__ removido de __card__", + "act-withBoardTitle": "__board__ [Wekan]", + "act-withCardTitle": "__card__ [__board__] ", + "actions": "Acciones", + "activities": "Actividades", + "activity": "Actividad", + "activity-added": "agregadas %s a %s", + "activity-archived": "%s movido a Papelera de Reciclaje", + "activity-attached": "adjuntadas %s a %s", + "activity-created": "creadas %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluidas %s de %s", + "activity-imported": "importadas %s en %s de %s", + "activity-imported-board": "importadas %s de %s", + "activity-joined": "unidas %s", + "activity-moved": "movidas %s de %s a %s", + "activity-on": "en %s", + "activity-removed": "eliminadas %s de %s", + "activity-sent": "enviadas %s a %s", + "activity-unjoined": "separadas %s", + "activity-checklist-added": "agregada lista de tareas a %s", + "activity-checklist-item-added": "agregado item de lista de tareas a '%s' en %s", + "add": "Agregar", + "add-attachment": "Agregar Adjunto", + "add-board": "Agregar Tablero", + "add-card": "Agregar Tarjeta", + "add-swimlane": "Agregar Calle", + "add-checklist": "Agregar Lista de Tareas", + "add-checklist-item": "Agregar ítem a lista de tareas", + "add-cover": "Agregar Portadas", + "add-label": "Agregar Etiqueta", + "add-list": "Agregar Lista", + "add-members": "Agregar Miembros", + "added": "Agregadas", + "addMemberPopup-title": "Miembros", + "admin": "Administrador", + "admin-desc": "Puede ver y editar tarjetas, eliminar miembros, y cambiar opciones para el tablero.", + "admin-announcement": "Anuncio", + "admin-announcement-active": "Anuncio del Sistema Activo", + "admin-announcement-title": "Anuncio del Administrador", + "all-boards": "Todos los tableros", + "and-n-other-card": "Y __count__ otra tarjeta", + "and-n-other-card_plural": "Y __count__ otras tarjetas", + "apply": "Aplicar", + "app-is-offline": "Wekan está cargándose, por favor espere. Refrescar la página va a causar pérdida de datos. Si Wekan no se carga, por favor revise que el servidor de Wekan no se haya detenido.", + "archive": "Mover a Papelera de Reciclaje", + "archive-all": "Mover Todo a la Papelera de Reciclaje", + "archive-board": "Mover Tablero a la Papelera de Reciclaje", + "archive-card": "Mover Tarjeta a la Papelera de Reciclaje", + "archive-list": "Mover Lista a la Papelera de Reciclaje", + "archive-swimlane": "Mover Calle a la Papelera de Reciclaje", + "archive-selection": "Mover selección a la Papelera de Reciclaje", + "archiveBoardPopup-title": "¿Mover Tablero a la Papelera de Reciclaje?", + "archived-items": "Papelera de Reciclaje", + "archived-boards": "Tableros en la Papelera de Reciclaje", + "restore-board": "Restaurar Tablero", + "no-archived-boards": "No hay tableros en la Papelera de Reciclaje", + "archives": "Papelera de Reciclaje", + "assign-member": "Asignar miembro", + "attached": "adjunto(s)", + "attachment": "Adjunto", + "attachment-delete-pop": "Borrar un adjunto es permanente. No hay deshacer.", + "attachmentDeletePopup-title": "¿Borrar Adjunto?", + "attachments": "Adjuntos", + "auto-watch": "Seguir tableros automáticamente al crearlos", + "avatar-too-big": "El avatar es muy grande (70KB max)", + "back": "Atrás", + "board-change-color": "Cambiar color", + "board-nb-stars": "%s estrellas", + "board-not-found": "Tablero no encontrado", + "board-private-info": "Este tablero va a ser privado.", + "board-public-info": "Este tablero va a ser público.", + "boardChangeColorPopup-title": "Cambiar Fondo del Tablero", + "boardChangeTitlePopup-title": "Renombrar Tablero", + "boardChangeVisibilityPopup-title": "Cambiar Visibilidad", + "boardChangeWatchPopup-title": "Alternar Seguimiento", + "boardMenuPopup-title": "Menú del Tablero", + "boards": "Tableros", + "board-view": "Vista de Tablero", + "board-view-swimlanes": "Calles", + "board-view-lists": "Listas", + "bucket-example": "Como \"Lista de Contenedores\" por ejemplo", + "cancel": "Cancelar", + "card-archived": "Esta tarjeta es movida a la Papelera de Reciclaje", + "card-comments-title": "Esta tarjeta tiene %s comentario.", + "card-delete-notice": "Borrar es permanente. Perderás todas las acciones asociadas con esta tarjeta.", + "card-delete-pop": "Todas las acciones van a ser eliminadas del agregador de actividad y no podrás re-abrir la tarjeta. No hay deshacer.", + "card-delete-suggest-archive": "Tu puedes mover una tarjeta a la Papelera de Reciclaje para removerla del tablero y preservar la actividad.", + "card-due": "Vence", + "card-due-on": "Vence en", + "card-spent": "Tiempo Empleado", + "card-edit-attachments": "Editar adjuntos", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Editar etiquetas", + "card-edit-members": "Editar miembros", + "card-labels-title": "Cambiar las etiquetas de la tarjeta.", + "card-members-title": "Agregar o eliminar de la tarjeta miembros del tablero.", + "card-start": "Empieza", + "card-start-on": "Empieza el", + "cardAttachmentsPopup-title": "Adjuntar De", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "¿Borrar Tarjeta?", + "cardDetailsActionsPopup-title": "Acciones de la Tarjeta", + "cardLabelsPopup-title": "Etiquetas", + "cardMembersPopup-title": "Miembros", + "cardMorePopup-title": "Mas", + "cards": "Tarjetas", + "cards-count": "Tarjetas", + "change": "Cambiar", + "change-avatar": "Cambiar Avatar", + "change-password": "Cambiar Contraseña", + "change-permissions": "Cambiar permisos", + "change-settings": "Cambiar Opciones", + "changeAvatarPopup-title": "Cambiar Avatar", + "changeLanguagePopup-title": "Cambiar Lenguaje", + "changePasswordPopup-title": "Cambiar Contraseña", + "changePermissionsPopup-title": "Cambiar Permisos", + "changeSettingsPopup-title": "Cambiar Opciones", + "checklists": "Listas de ítems", + "click-to-star": "Clickeá para darle una estrella a este tablero.", + "click-to-unstar": "Clickeá para sacarle la estrella al tablero.", + "clipboard": "Portapapeles o arrastrar y soltar", + "close": "Cerrar", + "close-board": "Cerrar Tablero", + "close-board-pop": "Podrás restaurar el tablero apretando el botón \"Papelera de Reciclaje\" del encabezado en inicio.", + "color-black": "negro", + "color-blue": "azul", + "color-green": "verde", + "color-lime": "lima", + "color-orange": "naranja", + "color-pink": "rosa", + "color-purple": "púrpura", + "color-red": "rojo", + "color-sky": "cielo", + "color-yellow": "amarillo", + "comment": "Comentario", + "comment-placeholder": "Comentar", + "comment-only": "Comentar solamente", + "comment-only-desc": "Puede comentar en tarjetas solamente.", + "computer": "Computadora", + "confirm-checklist-delete-dialog": "¿Estás segur@ que querés borrar la lista de ítems?", + "copy-card-link-to-clipboard": "Copiar enlace a tarjeta en el portapapeles", + "copyCardPopup-title": "Copiar Tarjeta", + "copyChecklistToManyCardsPopup-title": "Copiar Plantilla Checklist a Muchas Tarjetas", + "copyChecklistToManyCardsPopup-instructions": "Títulos y Descripciones de la Tarjeta Destino en este formato JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Título de primera tarjeta\", \"description\":\"Descripción de primera tarjeta\"}, {\"title\":\"Título de segunda tarjeta\",\"description\":\"Descripción de segunda tarjeta\"},{\"title\":\"Título de última tarjeta\",\"description\":\"Descripción de última tarjeta\"} ]", + "create": "Crear", + "createBoardPopup-title": "Crear Tablero", + "chooseBoardSourcePopup-title": "Importar tablero", + "createLabelPopup-title": "Crear Etiqueta", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "actual", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Fecha", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Fecha", + "decline": "Rechazar", + "default-avatar": "Avatar por defecto", + "delete": "Borrar", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "¿Borrar Etiqueta?", + "description": "Descripción", + "disambiguateMultiLabelPopup-title": "Desambiguación de Acción de Etiqueta", + "disambiguateMultiMemberPopup-title": "Desambiguación de Acción de Miembro", + "discard": "Descartar", + "done": "Hecho", + "download": "Descargar", + "edit": "Editar", + "edit-avatar": "Cambiar Avatar", + "edit-profile": "Editar Perfil", + "edit-wip-limit": "Editar Lìmite de TEP", + "soft-wip-limit": "Límite TEP suave", + "editCardStartDatePopup-title": "Cambiar fecha de inicio", + "editCardDueDatePopup-title": "Cambiar fecha de vencimiento", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Cambiar tiempo empleado", + "editLabelPopup-title": "Cambiar Etiqueta", + "editNotificationPopup-title": "Editar Notificación", + "editProfilePopup-title": "Editar Perfil", + "email": "Email", + "email-enrollAccount-subject": "Una cuenta creada para vos en __siteName__", + "email-enrollAccount-text": "Hola __user__,\n\nPara empezar a usar el servicio, simplemente clickeá en el enlace de abajo.\n\n__url__\n\nGracias.", + "email-fail": "Fallo envío de email", + "email-fail-text": "Error intentando enviar email", + "email-invalid": "Email inválido", + "email-invite": "Invitar vía Email", + "email-invite-subject": "__inviter__ te envió una invitación", + "email-invite-text": "Querido __user__,\n\n__inviter__ te invita a unirte al tablero \"__board__\" para colaborar.\n\nPor favor sigue el enlace de abajo:\n\n__url__\n\nGracias.", + "email-resetPassword-subject": "Restaurá tu contraseña en __siteName__", + "email-resetPassword-text": "Hola __user__,\n\nPara restaurar tu contraseña, simplemente clickeá el enlace de abajo.\n\n__url__\n\nGracias.", + "email-sent": "Email enviado", + "email-verifyEmail-subject": "Verificá tu dirección de email en __siteName__", + "email-verifyEmail-text": "Hola __user__,\n\nPara verificar tu cuenta de email, simplemente clickeá el enlace de abajo.\n\n__url__\n\nGracias.", + "enable-wip-limit": "Activar Límite TEP", + "error-board-doesNotExist": "Este tablero no existe", + "error-board-notAdmin": "Necesitás ser administrador de este tablero para hacer eso", + "error-board-notAMember": "Necesitás ser miembro de este tablero para hacer eso", + "error-json-malformed": "Tu texto no es JSON válido", + "error-json-schema": "Tus datos JSON no incluyen la información correcta en el formato adecuado", + "error-list-doesNotExist": "Esta lista no existe", + "error-user-doesNotExist": "Este usuario no existe", + "error-user-notAllowSelf": "No podés invitarte a vos mismo", + "error-user-notCreated": " El usuario no se creó", + "error-username-taken": "El nombre de usuario ya existe", + "error-email-taken": "El email ya existe", + "export-board": "Exportar tablero", + "filter": "Filtrar", + "filter-cards": "Filtrar Tarjetas", + "filter-clear": "Sacar filtro", + "filter-no-label": "Sin etiqueta", + "filter-no-member": "No es miembro", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "El filtro está activado", + "filter-on-desc": "Estás filtrando cartas en este tablero. Clickeá acá para editar el filtro.", + "filter-to-selection": "Filtrar en la selección", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Nombre Completo", + "header-logo-title": "Retroceder a tu página de tableros.", + "hide-system-messages": "Esconder mensajes del sistema", + "headerBarCreateBoardPopup-title": "Crear Tablero", + "home": "Inicio", + "import": "Importar", + "import-board": "importar tablero", + "import-board-c": "Importar tablero", + "import-board-title-trello": "Importar tablero de Trello", + "import-board-title-wekan": "Importar tablero de Wekan", + "import-sandstorm-warning": "El tablero importado va a borrar todos los datos existentes en el tablero y reemplazarlos con los del tablero en cuestión.", + "from-trello": "De Trello", + "from-wekan": "De Wekan", + "import-board-instruction-trello": "En tu tablero de Trello, ve a 'Menú', luego a 'Más', 'Imprimir y Exportar', 'Exportar JSON', y copia el texto resultante.", + "import-board-instruction-wekan": "En tu tablero Wekan, ve a 'Menú', luego a 'Exportar tablero', y copia el texto en el archivo descargado.", + "import-json-placeholder": "Pegá tus datos JSON válidos acá", + "import-map-members": "Mapear Miembros", + "import-members-map": "Tu tablero importado tiene algunos miembros. Por favor mapeá los miembros que quieras importar/convertir a usuarios de Wekan.", + "import-show-user-mapping": "Revisar mapeo de miembros", + "import-user-select": "Elegí el usuario de Wekan que querés usar como éste miembro", + "importMapMembersAddPopup-title": "Elegí el miembro de Wekan.", + "info": "Versión", + "initials": "Iniciales", + "invalid-date": "Fecha inválida", + "invalid-time": "Tiempo inválido", + "invalid-user": "Usuario inválido", + "joined": "unido", + "just-invited": "Fuiste invitado a este tablero", + "keyboard-shortcuts": "Atajos de teclado", + "label-create": "Crear Etiqueta", + "label-default": "%s etiqueta (por defecto)", + "label-delete-pop": "No hay deshacer. Esto va a eliminar esta etiqueta de todas las tarjetas y destruir su historia.", + "labels": "Etiquetas", + "language": "Lenguaje", + "last-admin-desc": "No podés cambiar roles porque tiene que haber al menos un administrador.", + "leave-board": "Dejar Tablero", + "leave-board-pop": "¿Estás seguro que querés dejar __boardTitle__? Vas a salir de todas las tarjetas en este tablero.", + "leaveBoardPopup-title": "¿Dejar Tablero?", + "link-card": "Enlace a esta tarjeta", + "list-archive-cards": "Mover todas las tarjetas en esta lista a la Papelera de Reciclaje", + "list-archive-cards-pop": "Esto va a remover las tarjetas en esta lista del tablero. Para ver tarjetas en la Papelera de Reciclaje y traerlas de vuelta al tablero, clickeá \"Menú\" > \"Papelera de Reciclaje\".", + "list-move-cards": "Mueve todas las tarjetas en esta lista", + "list-select-cards": "Selecciona todas las tarjetas en esta lista", + "listActionPopup-title": "Listar Acciones", + "swimlaneActionPopup-title": "Acciones de la Calle", + "listImportCardPopup-title": "Importar una tarjeta Trello", + "listMorePopup-title": "Mas", + "link-list": "Enlace a esta lista", + "list-delete-pop": "Todas las acciones van a ser eliminadas del agregador de actividad y no podás recuperar la lista. No se puede deshacer.", + "list-delete-suggest-archive": "Podés mover la lista a la Papelera de Reciclaje para remvoerla del tablero y preservar la actividad.", + "lists": "Listas", + "swimlanes": "Calles", + "log-out": "Salir", + "log-in": "Entrar", + "loginPopup-title": "Entrar", + "memberMenuPopup-title": "Opciones de Miembros", + "members": "Miembros", + "menu": "Menú", + "move-selection": "Mover selección", + "moveCardPopup-title": "Mover Tarjeta", + "moveCardToBottom-title": "Mover al Final", + "moveCardToTop-title": "Mover al Tope", + "moveSelectionPopup-title": "Mover selección", + "multi-selection": "Multi-Selección", + "multi-selection-on": "Multi-selección está activo", + "muted": "Silenciado", + "muted-info": "No serás notificado de ningún cambio en este tablero", + "my-boards": "Mis Tableros", + "name": "Nombre", + "no-archived-cards": "No hay tarjetas en la Papelera de Reciclaje", + "no-archived-lists": "No hay listas en la Papelera de Reciclaje", + "no-archived-swimlanes": "No hay calles en la Papelera de Reciclaje", + "no-results": "No hay resultados", + "normal": "Normal", + "normal-desc": "Puede ver y editar tarjetas. No puede cambiar opciones.", + "not-accepted-yet": "Invitación no aceptada todavía", + "notify-participate": "Recibí actualizaciones en cualquier tarjeta que participés como creador o miembro", + "notify-watch": "Recibí actualizaciones en cualquier tablero, lista, o tarjeta que estés siguiendo", + "optional": "opcional", + "or": "o", + "page-maybe-private": "Esta página puede ser privada. Vos podrás verla entrando.", + "page-not-found": "Página no encontrada.", + "password": "Contraseña", + "paste-or-dragdrop": "pegar, arrastrar y soltar el archivo de imagen a esto (imagen sola)", + "participating": "Participando", + "preview": "Previsualización", + "previewAttachedImagePopup-title": "Previsualización", + "previewClipboardImagePopup-title": "Previsualización", + "private": "Privado", + "private-desc": "Este tablero es privado. Solo personas agregadas a este tablero pueden verlo y editarlo.", + "profile": "Perfil", + "public": "Público", + "public-desc": "Este tablero es público. Es visible para cualquiera con un enlace y se va a mostrar en los motores de búsqueda como Google. Solo personas agregadas a este tablero pueden editarlo.", + "quick-access-description": "Dale una estrella al tablero para agregar un acceso directo en esta barra.", + "remove-cover": "Remover Portada", + "remove-from-board": "Remover del Tablero", + "remove-label": "Remover Etiqueta", + "listDeletePopup-title": "¿Borrar Lista?", + "remove-member": "Remover Miembro", + "remove-member-from-card": "Remover de Tarjeta", + "remove-member-pop": "¿Remover __name__ (__username__) de __boardTitle__? Los miembros va a ser removido de todas las tarjetas en este tablero. Serán notificados.", + "removeMemberPopup-title": "¿Remover Miembro?", + "rename": "Renombrar", + "rename-board": "Renombrar Tablero", + "restore": "Restaurar", + "save": "Grabar", + "search": "Buscar", + "search-cards": "Buscar en títulos y descripciones de tarjeta en este tablero", + "search-example": "¿Texto a buscar?", + "select-color": "Seleccionar Color", + "set-wip-limit-value": "Fijar un límite para el número máximo de tareas en esta lista", + "setWipLimitPopup-title": "Establecer Límite TEP", + "shortcut-assign-self": "Asignarte a vos mismo en la tarjeta actual", + "shortcut-autocomplete-emoji": "Autocompletar emonji", + "shortcut-autocomplete-members": "Autocompletar miembros", + "shortcut-clear-filters": "Limpiar todos los filtros", + "shortcut-close-dialog": "Cerrar Diálogo", + "shortcut-filter-my-cards": "Filtrar mis tarjetas", + "shortcut-show-shortcuts": "Traer esta lista de atajos", + "shortcut-toggle-filterbar": "Activar/Desactivar Barra Lateral de Filtros", + "shortcut-toggle-sidebar": "Activar/Desactivar Barra Lateral de Tableros", + "show-cards-minimum-count": "Mostrar cuenta de tarjetas si la lista contiene más que", + "sidebar-open": "Abrir Barra Lateral", + "sidebar-close": "Cerrar Barra Lateral", + "signupPopup-title": "Crear Cuenta", + "star-board-title": "Clickear para darle una estrella a este tablero. Se mostrará arriba en el tope de tu lista de tableros.", + "starred-boards": "Tableros con estrellas", + "starred-boards-description": "Tableros con estrellas se muestran en el tope de tu lista de tableros.", + "subscribe": "Suscribirse", + "team": "Equipo", + "this-board": "este tablero", + "this-card": "esta tarjeta", + "spent-time-hours": "Tiempo empleado (horas)", + "overtime-hours": "Sobretiempo (horas)", + "overtime": "Sobretiempo", + "has-overtime-cards": "Tiene tarjetas con sobretiempo", + "has-spenttime-cards": "Ha gastado tarjetas de tiempo", + "time": "Hora", + "title": "Título", + "tracking": "Seguimiento", + "tracking-info": "Serás notificado de cualquier cambio a aquellas tarjetas en las que seas creador o miembro.", + "type": "Type", + "unassign-member": "Desasignar miembro", + "unsaved-description": "Tienes una descripción sin guardar.", + "unwatch": "Dejar de seguir", + "upload": "Cargar", + "upload-avatar": "Cargar un avatar", + "uploaded-avatar": "Cargado un avatar", + "username": "Nombre de usuario", + "view-it": "Verlo", + "warn-list-archived": "cuidado; esta tarjeta está en la Papelera de Reciclaje", + "watch": "Seguir", + "watching": "Siguiendo", + "watching-info": "Serás notificado de cualquier cambio en este tablero", + "welcome-board": "Tablero de Bienvenida", + "welcome-swimlane": "Hito 1", + "welcome-list1": "Básicos", + "welcome-list2": "Avanzado", + "what-to-do": "¿Qué querés hacer?", + "wipLimitErrorPopup-title": "Límite TEP Inválido", + "wipLimitErrorPopup-dialog-pt1": " El número de tareas en esta lista es mayor que el límite TEP que definiste.", + "wipLimitErrorPopup-dialog-pt2": "Por favor mové algunas tareas fuera de esta lista, o seleccioná un límite TEP más alto.", + "admin-panel": "Panel de Administración", + "settings": "Opciones", + "people": "Gente", + "registration": "Registro", + "disable-self-registration": "Desactivar auto-registro", + "invite": "Invitar", + "invite-people": "Invitar Gente", + "to-boards": "A tarjeta(s)", + "email-addresses": "Dirección de Email", + "smtp-host-description": "La dirección del servidor SMTP que maneja tus emails", + "smtp-port-description": "El puerto que tu servidor SMTP usa para correos salientes", + "smtp-tls-description": "Activar soporte TLS para el servidor SMTP", + "smtp-host": "Servidor SMTP", + "smtp-port": "Puerto SMTP", + "smtp-username": "Usuario", + "smtp-password": "Contraseña", + "smtp-tls": "Soporte TLS", + "send-from": "De", + "send-smtp-test": "Enviarse un email de prueba", + "invitation-code": "Código de Invitación", + "email-invite-register-subject": "__inviter__ te envió una invitación", + "email-invite-register-text": "Querido __user__,\n\n__inviter__ te invita a Wekan para colaborar.\n\nPor favor sigue el enlace de abajo:\n__url__\n\nI tu código de invitación es: __icode__\n\nGracias.", + "email-smtp-test-subject": "Email de Prueba SMTP de Wekan", + "email-smtp-test-text": "Enviaste el correo correctamente", + "error-invitation-code-not-exist": "El código de invitación no existe", + "error-notAuthorized": "No estás autorizado para ver esta página.", + "outgoing-webhooks": "Ganchos Web Salientes", + "outgoingWebhooksPopup-title": "Ganchos Web Salientes", + "new-outgoing-webhook": "Nuevo Gancho Web", + "no-name": "(desconocido)", + "Wekan_version": "Versión de Wekan", + "Node_version": "Versión de Node", + "OS_Arch": "Arch del SO", + "OS_Cpus": "Cantidad de CPU del SO", + "OS_Freemem": "Memoria Libre del SO", + "OS_Loadavg": "Carga Promedio del SO", + "OS_Platform": "Plataforma del SO", + "OS_Release": "Revisión del SO", + "OS_Totalmem": "Memoria Total del SO", + "OS_Type": "Tipo de SO", + "OS_Uptime": "Tiempo encendido del SO", + "hours": "horas", + "minutes": "minutos", + "seconds": "segundos", + "show-field-on-card": "Show this field on card", + "yes": "Si", + "no": "No", + "accounts": "Cuentas", + "accounts-allowEmailChange": "Permitir Cambio de Email", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Creado en", + "verified": "Verificado", + "active": "Activo", + "card-received": "Recibido", + "card-received-on": "Recibido en", + "card-end": "Termino", + "card-end-on": "Termina en", + "editCardReceivedDatePopup-title": "Cambiar fecha de recepción", + "editCardEndDatePopup-title": "Cambiar fecha de término", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json new file mode 100644 index 00000000..7f2a7401 --- /dev/null +++ b/i18n/es.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Aceptar", + "act-activity-notify": "[Wekan] Notificación de actividad", + "act-addAttachment": "ha adjuntado __attachment__ a __card__", + "act-addChecklist": "ha añadido la lista de verificación __checklist__ a __card__", + "act-addChecklistItem": "ha añadido __checklistItem__ a la lista de verificación __checklist__ en __card__", + "act-addComment": "ha comentado en __card__: __comment__", + "act-createBoard": "ha creado __board__", + "act-createCard": "ha añadido __card__ a __list__", + "act-createCustomField": "creado el campo personalizado __customField__", + "act-createList": "ha añadido __list__ a __board__", + "act-addBoardMember": "ha añadido a __member__ a __board__", + "act-archivedBoard": "__board__ se ha enviado a la papelera de reciclaje", + "act-archivedCard": "__card__ se ha enviado a la papelera de reciclaje", + "act-archivedList": "__list__ se ha enviado a la papelera de reciclaje", + "act-archivedSwimlane": "__swimlane__ se ha enviado a la papelera de reciclaje", + "act-importBoard": "ha importado __board__", + "act-importCard": "ha importado __card__", + "act-importList": "ha importado __list__", + "act-joinMember": "ha añadido a __member__ a __card__", + "act-moveCard": "ha movido __card__ desde __oldList__ a __list__", + "act-removeBoardMember": "ha desvinculado a __member__ de __board__", + "act-restoredCard": "ha restaurado __card__ en __board__", + "act-unjoinMember": "ha desvinculado a __member__ de __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Acciones", + "activities": "Actividades", + "activity": "Actividad", + "activity-added": "ha añadido %s a %s", + "activity-archived": "%s se ha enviado a la papelera de reciclaje", + "activity-attached": "ha adjuntado %s a %s", + "activity-created": "ha creado %s", + "activity-customfield-created": "creado el campo personalizado %s", + "activity-excluded": "ha excluido %s de %s", + "activity-imported": "ha importado %s a %s desde %s", + "activity-imported-board": "ha importado %s desde %s", + "activity-joined": "se ha unido a %s", + "activity-moved": "ha movido %s de %s a %s", + "activity-on": "en %s", + "activity-removed": "ha eliminado %s de %s", + "activity-sent": "ha enviado %s a %s", + "activity-unjoined": "se ha desvinculado de %s", + "activity-checklist-added": "ha añadido una lista de verificación a %s", + "activity-checklist-item-added": "ha añadido el elemento de la lista de verificación a '%s' en %s", + "add": "Añadir", + "add-attachment": "Añadir adjunto", + "add-board": "Añadir tablero", + "add-card": "Añadir una tarjeta", + "add-swimlane": "Añadir un carril de flujo", + "add-checklist": "Añadir una lista de verificación", + "add-checklist-item": "Añadir un elemento a la lista de verificación", + "add-cover": "Añadir portada", + "add-label": "Añadir una etiqueta", + "add-list": "Añadir una lista", + "add-members": "Añadir miembros", + "added": "Añadida el", + "addMemberPopup-title": "Miembros", + "admin": "Administrador", + "admin-desc": "Puedes ver y editar tarjetas, eliminar miembros, y cambiar los ajustes del tablero", + "admin-announcement": "Aviso", + "admin-announcement-active": "Activar el aviso para todo el sistema", + "admin-announcement-title": "Aviso del administrador", + "all-boards": "Tableros", + "and-n-other-card": "y __count__ tarjeta más", + "and-n-other-card_plural": "y otras __count__ tarjetas", + "apply": "Aplicar", + "app-is-offline": "Wekan se está cargando, por favor espere. Actualizar la página provocará la pérdida de datos. Si Wekan no se carga, por favor verifique que el servidor de Wekan no está detenido.", + "archive": "Enviar a la papelera de reciclaje", + "archive-all": "Enviar todo a la papelera de reciclaje", + "archive-board": "Enviar el tablero a la papelera de reciclaje", + "archive-card": "Enviar la tarjeta a la papelera de reciclaje", + "archive-list": "Enviar la lista a la papelera de reciclaje", + "archive-swimlane": "Enviar el carril de flujo a la papelera de reciclaje", + "archive-selection": "Enviar la selección a la papelera de reciclaje", + "archiveBoardPopup-title": "Enviar el tablero a la papelera de reciclaje", + "archived-items": "Papelera de reciclaje", + "archived-boards": "Tableros en la papelera de reciclaje", + "restore-board": "Restaurar el tablero", + "no-archived-boards": "No hay tableros en la papelera de reciclaje", + "archives": "Papelera de reciclaje", + "assign-member": "Asignar miembros", + "attached": "adjuntado", + "attachment": "Adjunto", + "attachment-delete-pop": "La eliminación de un fichero adjunto es permanente. Esta acción no puede deshacerse.", + "attachmentDeletePopup-title": "¿Eliminar el adjunto?", + "attachments": "Adjuntos", + "auto-watch": "Suscribirse automáticamente a los tableros cuando son creados", + "avatar-too-big": "El avatar es muy grande (70KB máx.)", + "back": "Atrás", + "board-change-color": "Cambiar el color", + "board-nb-stars": "%s destacados", + "board-not-found": "Tablero no encontrado", + "board-private-info": "Este tablero será privado.", + "board-public-info": "Este tablero será público.", + "boardChangeColorPopup-title": "Cambiar el fondo del tablero", + "boardChangeTitlePopup-title": "Renombrar el tablero", + "boardChangeVisibilityPopup-title": "Cambiar visibilidad", + "boardChangeWatchPopup-title": "Cambiar vigilancia", + "boardMenuPopup-title": "Menú del tablero", + "boards": "Tableros", + "board-view": "Vista del tablero", + "board-view-swimlanes": "Carriles", + "board-view-lists": "Listas", + "bucket-example": "Como “Cosas por hacer” por ejemplo", + "cancel": "Cancelar", + "card-archived": "Esta tarjeta se ha enviado a la papelera de reciclaje.", + "card-comments-title": "Esta tarjeta tiene %s comentarios.", + "card-delete-notice": "la eliminación es permanente. Perderás todas las acciones asociadas a esta tarjeta.", + "card-delete-pop": "Se eliminarán todas las acciones del historial de actividades y no se podrá volver a abrir la tarjeta. Esta acción no puede deshacerse.", + "card-delete-suggest-archive": "Puedes enviar una tarjeta a la papelera de reciclaje para eliminarla del tablero y conservar la actividad.", + "card-due": "Vence", + "card-due-on": "Vence el", + "card-spent": "Tiempo consumido", + "card-edit-attachments": "Editar los adjuntos", + "card-edit-custom-fields": "Editar los campos personalizados", + "card-edit-labels": "Editar las etiquetas", + "card-edit-members": "Editar los miembros", + "card-labels-title": "Cambia las etiquetas de la tarjeta", + "card-members-title": "Añadir o eliminar miembros del tablero desde la tarjeta.", + "card-start": "Comienza", + "card-start-on": "Comienza el", + "cardAttachmentsPopup-title": "Adjuntar desde", + "cardCustomField-datePopup-title": "Cambiar la fecha", + "cardCustomFieldsPopup-title": "Editar los campos personalizados", + "cardDeletePopup-title": "¿Eliminar la tarjeta?", + "cardDetailsActionsPopup-title": "Acciones de la tarjeta", + "cardLabelsPopup-title": "Etiquetas", + "cardMembersPopup-title": "Miembros", + "cardMorePopup-title": "Más", + "cards": "Tarjetas", + "cards-count": "Tarjetas", + "change": "Cambiar", + "change-avatar": "Cambiar el avatar", + "change-password": "Cambiar la contraseña", + "change-permissions": "Cambiar los permisos", + "change-settings": "Cambiar las preferencias", + "changeAvatarPopup-title": "Cambiar el avatar", + "changeLanguagePopup-title": "Cambiar el idioma", + "changePasswordPopup-title": "Cambiar la contraseña", + "changePermissionsPopup-title": "Cambiar los permisos", + "changeSettingsPopup-title": "Cambiar las preferencias", + "checklists": "Lista de verificación", + "click-to-star": "Haz clic para destacar este tablero.", + "click-to-unstar": "Haz clic para dejar de destacar este tablero.", + "clipboard": "el portapapeles o con arrastrar y soltar", + "close": "Cerrar", + "close-board": "Cerrar el tablero", + "close-board-pop": "Podrás restaurar el tablero haciendo clic en el botón \"Papelera de reciclaje\" en la cabecera.", + "color-black": "negra", + "color-blue": "azul", + "color-green": "verde", + "color-lime": "lima", + "color-orange": "naranja", + "color-pink": "rosa", + "color-purple": "violeta", + "color-red": "roja", + "color-sky": "celeste", + "color-yellow": "amarilla", + "comment": "Comentar", + "comment-placeholder": "Escribir comentario", + "comment-only": "Sólo comentarios", + "comment-only-desc": "Solo puedes comentar en las tarjetas.", + "computer": "el ordenador", + "confirm-checklist-delete-dialog": "¿Seguro que desea eliminar la lista de verificación?", + "copy-card-link-to-clipboard": "Copiar el enlace de la tarjeta al portapapeles", + "copyCardPopup-title": "Copiar la tarjeta", + "copyChecklistToManyCardsPopup-title": "Copiar la plantilla de la lista de verificación en varias tarjetas", + "copyChecklistToManyCardsPopup-instructions": "Títulos y descripciones de las tarjetas de destino en formato JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Título de la primera tarjeta\", \"description\":\"Descripción de la primera tarjeta\"}, {\"title\":\"Título de la segunda tarjeta\",\"description\":\"Descripción de la segunda tarjeta\"},{\"title\":\"Título de la última tarjeta\",\"description\":\"Descripción de la última tarjeta\"} ]", + "create": "Crear", + "createBoardPopup-title": "Crear tablero", + "chooseBoardSourcePopup-title": "Importar un tablero", + "createLabelPopup-title": "Crear etiqueta", + "createCustomField": "Crear un campo", + "createCustomFieldPopup-title": "Crear un campo", + "current": "actual", + "custom-field-delete-pop": "Se eliminará este campo personalizado de todas las tarjetas y se destruirá su historial. Esta acción no puede deshacerse.", + "custom-field-checkbox": "Casilla de verificación", + "custom-field-date": "Fecha", + "custom-field-dropdown": "Lista desplegable", + "custom-field-dropdown-none": "(nada)", + "custom-field-dropdown-options": "Opciones de la lista", + "custom-field-dropdown-options-placeholder": "Pulsa Intro para añadir más opciones", + "custom-field-dropdown-unknown": "(desconocido)", + "custom-field-number": "Número", + "custom-field-text": "Texto", + "custom-fields": "Campos personalizados", + "date": "Fecha", + "decline": "Declinar", + "default-avatar": "Avatar por defecto", + "delete": "Eliminar", + "deleteCustomFieldPopup-title": "¿Borrar el campo personalizado?", + "deleteLabelPopup-title": "¿Eliminar la etiqueta?", + "description": "Descripción", + "disambiguateMultiLabelPopup-title": "Desambiguar la acción de etiqueta", + "disambiguateMultiMemberPopup-title": "Desambiguar la acción de miembro", + "discard": "Descartarla", + "done": "Hecho", + "download": "Descargar", + "edit": "Editar", + "edit-avatar": "Cambiar el avatar", + "edit-profile": "Editar el perfil", + "edit-wip-limit": "Cambiar el límite del trabajo en proceso", + "soft-wip-limit": "Límite del trabajo en proceso flexible", + "editCardStartDatePopup-title": "Cambiar la fecha de comienzo", + "editCardDueDatePopup-title": "Cambiar la fecha de vencimiento", + "editCustomFieldPopup-title": "Editar el campo", + "editCardSpentTimePopup-title": "Cambiar el tiempo consumido", + "editLabelPopup-title": "Cambiar la etiqueta", + "editNotificationPopup-title": "Editar las notificaciones", + "editProfilePopup-title": "Editar el perfil", + "email": "Correo electrónico", + "email-enrollAccount-subject": "Cuenta creada en __siteName__", + "email-enrollAccount-text": "Hola __user__,\n\nPara empezar a utilizar el servicio, simplemente haz clic en el siguiente enlace.\n\n__url__\n\nGracias.", + "email-fail": "Error al enviar el correo", + "email-fail-text": "Error al intentar enviar el correo", + "email-invalid": "Correo no válido", + "email-invite": "Invitar vía correo electrónico", + "email-invite-subject": "__inviter__ ha enviado una invitación", + "email-invite-text": "Estimado __user__,\n\n__inviter__ te invita a unirte al tablero '__board__' para colaborar.\n\nPor favor, haz clic en el siguiente enlace:\n\n__url__\n\nGracias.", + "email-resetPassword-subject": "Restablecer tu contraseña en __siteName__", + "email-resetPassword-text": "Hola __user__,\n\nPara restablecer tu contraseña, haz clic en el siguiente enlace.\n\n__url__\n\nGracias.", + "email-sent": "Correo enviado", + "email-verifyEmail-subject": "Verifica tu dirección de correo en __siteName__", + "email-verifyEmail-text": "Hola __user__,\n\nPara verificar tu cuenta de correo electrónico, haz clic en el siguiente enlace.\n\n__url__\n\nGracias.", + "enable-wip-limit": "Activar el límite del trabajo en proceso", + "error-board-doesNotExist": "El tablero no existe", + "error-board-notAdmin": "Es necesario ser administrador de este tablero para hacer eso", + "error-board-notAMember": "Es necesario ser miembro de este tablero para hacer eso", + "error-json-malformed": "El texto no es un JSON válido", + "error-json-schema": "Sus datos JSON no incluyen la información apropiada en el formato correcto", + "error-list-doesNotExist": "La lista no existe", + "error-user-doesNotExist": "El usuario no existe", + "error-user-notAllowSelf": "No puedes invitarte a ti mismo", + "error-user-notCreated": "El usuario no ha sido creado", + "error-username-taken": "Este nombre de usuario ya está en uso", + "error-email-taken": "Esta dirección de correo ya está en uso", + "export-board": "Exportar el tablero", + "filter": "Filtrar", + "filter-cards": "Filtrar tarjetas", + "filter-clear": "Limpiar el filtro", + "filter-no-label": "Sin etiqueta", + "filter-no-member": "Sin miembro", + "filter-no-custom-fields": "Sin campos personalizados", + "filter-on": "Filtrado activado", + "filter-on-desc": "Estás filtrando tarjetas en este tablero. Haz clic aquí para editar el filtro.", + "filter-to-selection": "Filtrar la selección", + "advanced-filter-label": "Filtrado avanzado", + "advanced-filter-description": "El filtrado avanzado permite escribir una cadena que contiene los siguientes operadores: == != <= >= && || ( ) Se utiliza un espacio como separador entre los operadores. Se pueden filtrar todos los campos personalizados escribiendo sus nombres y valores. Por ejemplo: Campo1 == Valor1. Nota: Si los campos o valores contienen espacios, debe encapsularlos entre comillas simples. Por ejemplo: 'Campo 1' == 'Valor 1'. También puedes combinar múltiples condiciones. Por ejemplo: C1 == V1 || C1 = V2. Normalmente todos los operadores se interpretan de izquierda a derecha. Puede cambiar el orden colocando corchetes. Por ejemplo: C1 == V1 y ( C2 == V2 || C2 == V3 )", + "fullname": "Nombre completo", + "header-logo-title": "Volver a tu página de tableros", + "hide-system-messages": "Ocultar las notificaciones de actividad", + "headerBarCreateBoardPopup-title": "Crear tablero", + "home": "Inicio", + "import": "Importar", + "import-board": "importar un tablero", + "import-board-c": "Importar un tablero", + "import-board-title-trello": "Importar un tablero desde Trello", + "import-board-title-wekan": "Importar un tablero desde Wekan", + "import-sandstorm-warning": "El tablero importado eliminará todos los datos existentes en este tablero y los reemplazará con los datos del tablero importado.", + "from-trello": "Desde Trello", + "from-wekan": "Desde Wekan", + "import-board-instruction-trello": "En tu tablero de Trello, ve a 'Menú', luego 'Más' > 'Imprimir y exportar' > 'Exportar JSON', y copia el texto resultante.", + "import-board-instruction-wekan": "En tu tablero de Wekan, ve a 'Menú del tablero', luego 'Exportar el tablero', y copia aquí el texto del fichero descargado.", + "import-json-placeholder": "Pega tus datos JSON válidos aquí", + "import-map-members": "Mapa de miembros", + "import-members-map": "El tablero importado tiene algunos miembros. Por favor mapea los miembros que deseas importar a los usuarios de Wekan", + "import-show-user-mapping": "Revisión de la asignación de miembros", + "import-user-select": "Escoge el usuario de Wekan que deseas utilizar como miembro", + "importMapMembersAddPopup-title": "Selecciona un miembro de Wekan", + "info": "Versión", + "initials": "Iniciales", + "invalid-date": "Fecha no válida", + "invalid-time": "Tiempo no válido", + "invalid-user": "Usuario no válido", + "joined": "se ha unido", + "just-invited": "Has sido invitado a este tablero", + "keyboard-shortcuts": "Atajos de teclado", + "label-create": "Crear una etiqueta", + "label-default": "etiqueta %s (por defecto)", + "label-delete-pop": "Se eliminará esta etiqueta de todas las tarjetas y se destruirá su historial. Esta acción no puede deshacerse.", + "labels": "Etiquetas", + "language": "Cambiar el idioma", + "last-admin-desc": "No puedes cambiar roles porque debe haber al menos un administrador.", + "leave-board": "Abandonar el tablero", + "leave-board-pop": "¿Seguro que quieres abandonar __boardTitle__? Serás desvinculado de todas las tarjetas en este tablero.", + "leaveBoardPopup-title": "¿Abandonar el tablero?", + "link-card": "Enlazar a esta tarjeta", + "list-archive-cards": "Enviar todas las tarjetas de esta lista a la papelera de reciclaje", + "list-archive-cards-pop": "Esto eliminará todas las tarjetas de esta lista del tablero. Para ver las tarjetas en la papelera de reciclaje y devolverlas al tablero, haga clic en \"Menú\" > \"Papelera de reciclaje\".", + "list-move-cards": "Mover todas las tarjetas de esta lista", + "list-select-cards": "Seleccionar todas las tarjetas de esta lista", + "listActionPopup-title": "Acciones de la lista", + "swimlaneActionPopup-title": "Acciones del carril de flujo", + "listImportCardPopup-title": "Importar una tarjeta de Trello", + "listMorePopup-title": "Más", + "link-list": "Enlazar a esta lista", + "list-delete-pop": "Todas las acciones serán eliminadas del historial de actividades y no se podrá recuperar la lista. Esta acción no puede deshacerse.", + "list-delete-suggest-archive": "Puedes enviar una lista a la papelera de reciclaje para eliminarla del tablero y conservar la actividad.", + "lists": "Listas", + "swimlanes": "Carriles", + "log-out": "Finalizar la sesión", + "log-in": "Iniciar sesión", + "loginPopup-title": "Iniciar sesión", + "memberMenuPopup-title": "Mis preferencias", + "members": "Miembros", + "menu": "Menú", + "move-selection": "Mover la selección", + "moveCardPopup-title": "Mover la tarjeta", + "moveCardToBottom-title": "Mover al final", + "moveCardToTop-title": "Mover al principio", + "moveSelectionPopup-title": "Mover la selección", + "multi-selection": "Selección múltiple", + "multi-selection-on": "Selección múltiple activada", + "muted": "Silenciado", + "muted-info": "No serás notificado de ningún cambio en este tablero", + "my-boards": "Mis tableros", + "name": "Nombre", + "no-archived-cards": "No hay tarjetas en la papelera de reciclaje", + "no-archived-lists": "No hay listas en la papelera de reciclaje", + "no-archived-swimlanes": "No hay carriles de flujo en la papelera de reciclaje", + "no-results": "Sin resultados", + "normal": "Normal", + "normal-desc": "Puedes ver y editar tarjetas. No puedes cambiar la configuración.", + "not-accepted-yet": "La invitación no ha sido aceptada aún", + "notify-participate": "Recibir actualizaciones de cualquier tarjeta en la que participas como creador o miembro", + "notify-watch": "Recibir actuaizaciones de cualquier tablero, lista o tarjeta que estés vigilando", + "optional": "opcional", + "or": "o", + "page-maybe-private": "Esta página puede ser privada. Es posible que puedas verla al iniciar sesión.", + "page-not-found": "Página no encontrada.", + "password": "Contraseña", + "paste-or-dragdrop": "pegar o arrastrar y soltar un fichero de imagen (sólo imagen)", + "participating": "Participando", + "preview": "Previsualizar", + "previewAttachedImagePopup-title": "Previsualizar", + "previewClipboardImagePopup-title": "Previsualizar", + "private": "Privado", + "private-desc": "Este tablero es privado. Sólo las personas añadidas al tablero pueden verlo y editarlo.", + "profile": "Perfil", + "public": "Público", + "public-desc": "Este tablero es público. Es visible para cualquiera a través del enlace, y se mostrará en los buscadores como Google. Sólo las personas añadidas al tablero pueden editarlo.", + "quick-access-description": "Destaca un tablero para añadir un acceso directo en esta barra.", + "remove-cover": "Eliminar portada", + "remove-from-board": "Desvincular del tablero", + "remove-label": "Eliminar la etiqueta", + "listDeletePopup-title": "¿Eliminar la lista?", + "remove-member": "Eliminar miembro", + "remove-member-from-card": "Eliminar de la tarjeta", + "remove-member-pop": "¿Eliminar __name__ (__username__) de __boardTitle__? El miembro será eliminado de todas las tarjetas de este tablero. En ellas se mostrará una notificación.", + "removeMemberPopup-title": "¿Eliminar miembro?", + "rename": "Renombrar", + "rename-board": "Renombrar el tablero", + "restore": "Restaurar", + "save": "Añadir", + "search": "Buscar", + "search-cards": "Buscar entre los títulos y las descripciones de las tarjetas en este tablero.", + "search-example": "¿Texto a buscar?", + "select-color": "Selecciona un color", + "set-wip-limit-value": "Fija un límite para el número máximo de tareas en esta lista.", + "setWipLimitPopup-title": "Fijar el límite del trabajo en proceso", + "shortcut-assign-self": "Asignarte a ti mismo a la tarjeta actual", + "shortcut-autocomplete-emoji": "Autocompletar emoji", + "shortcut-autocomplete-members": "Autocompletar miembros", + "shortcut-clear-filters": "Limpiar todos los filtros", + "shortcut-close-dialog": "Cerrar el cuadro de diálogo", + "shortcut-filter-my-cards": "Filtrar mis tarjetas", + "shortcut-show-shortcuts": "Mostrar esta lista de atajos", + "shortcut-toggle-filterbar": "Conmutar la barra lateral del filtro", + "shortcut-toggle-sidebar": "Conmutar la barra lateral del tablero", + "show-cards-minimum-count": "Mostrar recuento de tarjetas si la lista contiene más de", + "sidebar-open": "Abrir la barra lateral", + "sidebar-close": "Cerrar la barra lateral", + "signupPopup-title": "Crear una cuenta", + "star-board-title": "Haz clic para destacar este tablero. Se mostrará en la parte superior de tu lista de tableros.", + "starred-boards": "Tableros destacados", + "starred-boards-description": "Los tableros destacados se mostrarán en la parte superior de tu lista de tableros.", + "subscribe": "Suscribirse", + "team": "Equipo", + "this-board": "este tablero", + "this-card": "esta tarjeta", + "spent-time-hours": "Tiempo consumido (horas)", + "overtime-hours": "Tiempo excesivo (horas)", + "overtime": "Tiempo excesivo", + "has-overtime-cards": "Hay tarjetas con el tiempo excedido", + "has-spenttime-cards": "Se ha excedido el tiempo de las tarjetas", + "time": "Hora", + "title": "Título", + "tracking": "Siguiendo", + "tracking-info": "Serás notificado de cualquier cambio en las tarjetas en las que participas como creador o miembro.", + "type": "Tipo", + "unassign-member": "Desvincular al miembro", + "unsaved-description": "Tienes una descripción por añadir.", + "unwatch": "Dejar de vigilar", + "upload": "Cargar", + "upload-avatar": "Cargar un avatar", + "uploaded-avatar": "Avatar cargado", + "username": "Nombre de usuario", + "view-it": "Verla", + "warn-list-archived": "advertencia: esta tarjeta está en una lista en la papelera de reciclaje", + "watch": "Vigilar", + "watching": "Vigilando", + "watching-info": "Serás notificado de cualquier cambio en este tablero", + "welcome-board": "Tablero de bienvenida", + "welcome-swimlane": "Hito 1", + "welcome-list1": "Básicos", + "welcome-list2": "Avanzados", + "what-to-do": "¿Qué deseas hacer?", + "wipLimitErrorPopup-title": "El límite del trabajo en proceso no es válido.", + "wipLimitErrorPopup-dialog-pt1": "El número de tareas en esta lista es mayor que el límite del trabajo en proceso que has definido.", + "wipLimitErrorPopup-dialog-pt2": "Por favor, mueve algunas tareas fuera de esta lista, o fija un límite del trabajo en proceso más alto.", + "admin-panel": "Panel del administrador", + "settings": "Ajustes", + "people": "Personas", + "registration": "Registro", + "disable-self-registration": "Deshabilitar autoregistro", + "invite": "Invitar", + "invite-people": "Invitar a personas", + "to-boards": "A el(los) tablero(s)", + "email-addresses": "Direcciones de correo electrónico", + "smtp-host-description": "Dirección del servidor SMTP para gestionar tus correos", + "smtp-port-description": "Puerto usado por el servidor SMTP para mandar correos", + "smtp-tls-description": "Habilitar el soporte TLS para el servidor SMTP", + "smtp-host": "Servidor SMTP", + "smtp-port": "Puerto SMTP", + "smtp-username": "Nombre de usuario", + "smtp-password": "Contraseña", + "smtp-tls": "Soporte TLS", + "send-from": "Desde", + "send-smtp-test": "Enviarte un correo de prueba a ti mismo", + "invitation-code": "Código de Invitación", + "email-invite-register-subject": "__inviter__ te ha enviado una invitación", + "email-invite-register-text": "Estimado __user__,\n\n__inviter__ te invita a unirte a Wekan para colaborar.\n\nPor favor, haz clic en el siguiente enlace:\n__url__\n\nTu código de invitación es: __icode__\n\nGracias.", + "email-smtp-test-subject": "Prueba de correo SMTP desde Wekan", + "email-smtp-test-text": "El correo se ha enviado correctamente", + "error-invitation-code-not-exist": "El código de invitación no existe", + "error-notAuthorized": "No estás autorizado a ver esta página.", + "outgoing-webhooks": "Webhooks salientes", + "outgoingWebhooksPopup-title": "Webhooks salientes", + "new-outgoing-webhook": "Nuevo webhook saliente", + "no-name": "(Desconocido)", + "Wekan_version": "Versión de Wekan", + "Node_version": "Versión de Node", + "OS_Arch": "Arquitectura del sistema", + "OS_Cpus": "Número de CPUs del sistema", + "OS_Freemem": "Memoria libre del sistema", + "OS_Loadavg": "Carga media del sistema", + "OS_Platform": "Plataforma del sistema", + "OS_Release": "Publicación del sistema", + "OS_Totalmem": "Memoria Total del sistema", + "OS_Type": "Tipo de sistema", + "OS_Uptime": "Tiempo activo del sistema", + "hours": "horas", + "minutes": "minutos", + "seconds": "segundos", + "show-field-on-card": "Mostrar este campo en la tarjeta", + "yes": "Sí", + "no": "No", + "accounts": "Cuentas", + "accounts-allowEmailChange": "Permitir cambiar el correo electrónico", + "accounts-allowUserNameChange": "Permitir el cambio del nombre de usuario", + "createdAt": "Creado en", + "verified": "Verificado", + "active": "Activo", + "card-received": "Recibido", + "card-received-on": "Recibido el", + "card-end": "Finalizado", + "card-end-on": "Finalizado el", + "editCardReceivedDatePopup-title": "Cambiar la fecha de recepción", + "editCardEndDatePopup-title": "Cambiar la fecha de finalización", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json new file mode 100644 index 00000000..8d50ed41 --- /dev/null +++ b/i18n/eu.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Onartu", + "act-activity-notify": "[Wekan] Jarduera-jakinarazpena", + "act-addAttachment": "__attachment__ __card__ txartelera erantsita", + "act-addChecklist": "gehituta checklist __checklist__ __card__ -ri", + "act-addChecklistItem": "gehituta __checklistItem__ checklist __checklist__ on __card__ -ri", + "act-addComment": "__card__ txartelean iruzkina: __comment__", + "act-createBoard": "__board__ sortuta", + "act-createCard": "__card__ __list__ zerrrendara gehituta", + "act-createCustomField": "created custom field __customField__", + "act-createList": "__list__ __board__ arbelera gehituta", + "act-addBoardMember": "__member__ __board__ arbelera gehituta", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "__board__ inportatuta", + "act-importCard": "__card__ inportatuta", + "act-importList": "__list__ inportatuta", + "act-joinMember": "__member__ __card__ txartelera gehituta", + "act-moveCard": "__card__ __oldList__ zerrendartik __list__ zerrendara eraman da", + "act-removeBoardMember": "__member__ __board__ arbeletik kendu da", + "act-restoredCard": "__card__ __board__ arbelean berrezarri da", + "act-unjoinMember": "__member__ __card__ txarteletik kendu da", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Ekintzak", + "activities": "Jarduerak", + "activity": "Jarduera", + "activity-added": "%s %s(e)ra gehituta", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "%s %s(e)ra erantsita", + "activity-created": "%s sortuta", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "%s %s(e)tik kanpo utzita", + "activity-imported": "%s inportatuta %s(e)ra %s(e)tik", + "activity-imported-board": "%s inportatuta %s(e)tik", + "activity-joined": "%s(e)ra elkartuta", + "activity-moved": "%s %s(e)tik %s(e)ra eramanda", + "activity-on": "%s", + "activity-removed": "%s %s(e)tik kenduta", + "activity-sent": "%s %s(e)ri bidalita", + "activity-unjoined": "%s utzita", + "activity-checklist-added": "egiaztaketa zerrenda %s(e)ra gehituta", + "activity-checklist-item-added": "egiaztaketa zerrendako elementuak '%s'(e)ra gehituta %s(e)n", + "add": "Gehitu", + "add-attachment": "Gehitu eranskina", + "add-board": "Gehitu arbela", + "add-card": "Gehitu txartela", + "add-swimlane": "Add Swimlane", + "add-checklist": "Gehitu egiaztaketa zerrenda", + "add-checklist-item": "Gehitu elementu bat egiaztaketa zerrendara", + "add-cover": "Gehitu azala", + "add-label": "Gehitu etiketa", + "add-list": "Gehitu zerrenda", + "add-members": "Gehitu kideak", + "added": "Gehituta", + "addMemberPopup-title": "Kideak", + "admin": "Kudeatzailea", + "admin-desc": "Txartelak ikusi eta editatu ditzake, kideak kendu, eta arbelaren ezarpenak aldatu.", + "admin-announcement": "Jakinarazpena", + "admin-announcement-active": "Gaitu Sistema-eremuko Jakinarazpena", + "admin-announcement-title": "Administrariaren jakinarazpena", + "all-boards": "Arbel guztiak", + "and-n-other-card": "Eta beste txartel __count__", + "and-n-other-card_plural": "Eta beste __count__ txartel", + "apply": "Aplikatu", + "app-is-offline": "Wekan kargatzen ari da, itxaron mesedez. Orria freskatzeak datuen galera ekarriko luke. Wekan kargatzen ez bada, egiaztatu Wekan zerbitzaria gelditu ez dela.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Berreskuratu arbela", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Esleitu kidea", + "attached": "erantsita", + "attachment": "Eranskina", + "attachment-delete-pop": "Eranskina ezabatzea behin betikoa da. Ez dago desegiterik.", + "attachmentDeletePopup-title": "Ezabatu eranskina?", + "attachments": "Eranskinak", + "auto-watch": "Automatikoki jarraitu arbelak hauek sortzean", + "avatar-too-big": "Avatarra handiegia da (Gehienez 70Kb)", + "back": "Atzera", + "board-change-color": "Aldatu kolorea", + "board-nb-stars": "%s izar", + "board-not-found": "Ez da arbela aurkitu", + "board-private-info": "Arbel hau pribatua izango da.", + "board-public-info": "Arbel hau publikoa izango da.", + "boardChangeColorPopup-title": "Aldatu arbelaren atzealdea", + "boardChangeTitlePopup-title": "Aldatu izena arbelari", + "boardChangeVisibilityPopup-title": "Aldatu ikusgaitasuna", + "boardChangeWatchPopup-title": "Aldatu ikuskatzea", + "boardMenuPopup-title": "Arbelaren menua", + "boards": "Arbelak", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Zerrendak", + "bucket-example": "Esaterako \"Pertz zerrenda\"", + "cancel": "Utzi", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "Txartel honek iruzkin %s dauka.", + "card-delete-notice": "Ezabaketa behin betiko da. Txartel honi lotutako ekintza guztiak galduko dituzu.", + "card-delete-pop": "Ekintza guztiak ekintza jariotik kenduko dira eta ezin izango duzu txartela berrireki. Ez dago desegiterik.", + "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Epemuga", + "card-due-on": "Epemuga", + "card-spent": "Erabilitako denbora", + "card-edit-attachments": "Editatu eranskinak", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Editatu etiketak", + "card-edit-members": "Editatu kideak", + "card-labels-title": "Aldatu txartelaren etiketak", + "card-members-title": "Gehitu edo kendu arbeleko kideak txarteletik.", + "card-start": "Hasiera", + "card-start-on": "Hasiera", + "cardAttachmentsPopup-title": "Erantsi hemendik", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Ezabatu txartela?", + "cardDetailsActionsPopup-title": "Txartel-ekintzak", + "cardLabelsPopup-title": "Etiketak", + "cardMembersPopup-title": "Kideak", + "cardMorePopup-title": "Gehiago", + "cards": "Txartelak", + "cards-count": "Txartelak", + "change": "Aldatu", + "change-avatar": "Aldatu avatarra", + "change-password": "Aldatu pasahitza", + "change-permissions": "Aldatu baimenak", + "change-settings": "Aldatu ezarpenak", + "changeAvatarPopup-title": "Aldatu avatarra", + "changeLanguagePopup-title": "Aldatu hizkuntza", + "changePasswordPopup-title": "Aldatu pasahitza", + "changePermissionsPopup-title": "Aldatu baimenak", + "changeSettingsPopup-title": "Aldatu ezarpenak", + "checklists": "Egiaztaketa zerrenda", + "click-to-star": "Egin klik arbel honi izarra jartzeko", + "click-to-unstar": "Egin klik arbel honi izarra kentzeko", + "clipboard": "Kopiatu eta itsatsi edo arrastatu eta jaregin", + "close": "Itxi", + "close-board": "Itxi arbela", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "beltza", + "color-blue": "urdina", + "color-green": "berdea", + "color-lime": "lima", + "color-orange": "laranja", + "color-pink": "larrosa", + "color-purple": "purpura", + "color-red": "gorria", + "color-sky": "zerua", + "color-yellow": "horia", + "comment": "Iruzkina", + "comment-placeholder": "Idatzi iruzkin bat", + "comment-only": "Iruzkinak besterik ez", + "comment-only-desc": "Iruzkinak txarteletan soilik egin ditzake", + "computer": "Ordenagailua", + "confirm-checklist-delete-dialog": "Ziur zaude kontrol-zerrenda ezabatu nahi duzula", + "copy-card-link-to-clipboard": "Kopiatu txartela arbelera", + "copyCardPopup-title": "Kopiatu txartela", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Sortu", + "createBoardPopup-title": "Sortu arbela", + "chooseBoardSourcePopup-title": "Inportatu arbela", + "createLabelPopup-title": "Sortu etiketa", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "unekoa", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Data", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Data", + "decline": "Ukatu", + "default-avatar": "Lehenetsitako avatarra", + "delete": "Ezabatu", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Ezabatu etiketa?", + "description": "Deskripzioa", + "disambiguateMultiLabelPopup-title": "Argitu etiketaren ekintza", + "disambiguateMultiMemberPopup-title": "Argitu kidearen ekintza", + "discard": "Baztertu", + "done": "Egina", + "download": "Deskargatu", + "edit": "Editatu", + "edit-avatar": "Aldatu avatarra", + "edit-profile": "Editatu profila", + "edit-wip-limit": "WIP muga editatu", + "soft-wip-limit": "WIP muga malgua", + "editCardStartDatePopup-title": "Aldatu hasiera data", + "editCardDueDatePopup-title": "Aldatu epemuga data", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Aldatu erabilitako denbora", + "editLabelPopup-title": "Aldatu etiketa", + "editNotificationPopup-title": "Editatu jakinarazpena", + "editProfilePopup-title": "Editatu profila", + "email": "e-posta", + "email-enrollAccount-subject": "Kontu bat sortu zaizu __siteName__ gunean", + "email-enrollAccount-text": "Kaixo __user__,\n\nZerbitzua erabiltzen hasteko, egin klik beheko loturan.\n\n__url__\n\nEskerrik asko.", + "email-fail": "E-posta bidalketak huts egin du", + "email-fail-text": "Arazoa mezua bidaltzen saiatzen", + "email-invalid": "Baliogabeko e-posta", + "email-invite": "Gonbidatu e-posta bidez", + "email-invite-subject": "__inviter__ erabiltzaileak gonbidapen bat bidali dizu", + "email-invite-text": "Kaixo __user__,\n\n__inviter__ erabiltzaileak \"__board__\" arbelera elkartzera gonbidatzen zaitu elkar-lanean aritzeko.\n\nJarraitu mesedez lotura hau:\n\n__url__\n\nEskerrik asko.", + "email-resetPassword-subject": "Leheneratu zure __siteName__ guneko pasahitza", + "email-resetPassword-text": "Kaixo __user__,\n\nZure pasahitza berrezartzeko, egin klik beheko loturan.\n\n__url__\n\nEskerrik asko.", + "email-sent": "E-posta bidali da", + "email-verifyEmail-subject": "Egiaztatu __siteName__ guneko zure e-posta helbidea.", + "email-verifyEmail-text": "Kaixo __user__,\n\nZure e-posta kontua egiaztatzeko, egin klik beheko loturan.\n\n__url__\n\nEskerrik asko.", + "enable-wip-limit": "WIP muga gaitu", + "error-board-doesNotExist": "Arbel hau ez da existitzen", + "error-board-notAdmin": "Arbel honetako kudeatzailea izan behar zara hori egin ahal izateko", + "error-board-notAMember": "Arbel honetako kidea izan behar zara hori egin ahal izateko", + "error-json-malformed": "Zure testua ez da baliozko JSON", + "error-json-schema": "Zure JSON datuek ez dute formatu zuzenaren informazio egokia", + "error-list-doesNotExist": "Zerrenda hau ez da existitzen", + "error-user-doesNotExist": "Erabiltzaile hau ez da existitzen", + "error-user-notAllowSelf": "Ezin duzu zure burua gonbidatu", + "error-user-notCreated": "Erabiltzaile hau sortu gabe dago", + "error-username-taken": "Erabiltzaile-izen hori hartuta dago", + "error-email-taken": "E-mail hori hartuta dago", + "export-board": "Esportatu arbela", + "filter": "Iragazi", + "filter-cards": "Iragazi txartelak", + "filter-clear": "Garbitu iragazkia", + "filter-no-label": "Etiketarik ez", + "filter-no-member": "Kiderik ez", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Iragazkia gaituta dago", + "filter-on-desc": "Arbel honetako txartela iragazten ari zara. Egin klik hemen iragazkia editatzeko.", + "filter-to-selection": "Iragazketa aukerara", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Izen abizenak", + "header-logo-title": "Itzuli zure arbelen orrira.", + "hide-system-messages": "Ezkutatu sistemako mezuak", + "headerBarCreateBoardPopup-title": "Sortu arbela", + "home": "Hasiera", + "import": "Inportatu", + "import-board": "inportatu arbela", + "import-board-c": "Inportatu arbela", + "import-board-title-trello": "Inportatu arbela Trellotik", + "import-board-title-wekan": "Inportatu arbela Wekanetik", + "import-sandstorm-warning": "Inportatutako arbelak oraingo arbeleko informazio guztia ezabatuko du eta inportatutako arbeleko informazioarekin ordeztu.", + "from-trello": "Trellotik", + "from-wekan": "Wekanetik", + "import-board-instruction-trello": "Zure Trello arbelean, aukeratu 'Menu\", 'More', 'Print and Export', 'Export JSON', eta kopiatu jasotako testua hemen.", + "import-board-instruction-wekan": "Zure Wekan arbelean, aukeratu 'Menua' - 'Esportatu arbela', eta kopiatu testua deskargatutako fitxategian.", + "import-json-placeholder": "Isatsi baliozko JSON datuak hemen", + "import-map-members": "Kideen mapa", + "import-members-map": "Inportatu duzun arbela kide batzuk ditu, mesedez lotu inportatu nahi dituzun kideak Wekan erabiltzaileekin", + "import-show-user-mapping": "Berrikusi kideen mapa", + "import-user-select": "Hautatu kide hau bezala erabili nahi duzun Wekan erabiltzailea", + "importMapMembersAddPopup-title": "Aukeratu Wekan kidea", + "info": "Bertsioa", + "initials": "Inizialak", + "invalid-date": "Baliogabeko data", + "invalid-time": "Baliogabeko denbora", + "invalid-user": "Baliogabeko erabiltzailea", + "joined": "elkartu da", + "just-invited": "Arbel honetara gonbidatu berri zaituzte", + "keyboard-shortcuts": "Teklatu laster-bideak", + "label-create": "Sortu etiketa", + "label-default": "%s etiketa (lehenetsia)", + "label-delete-pop": "Ez dago desegiterik. Honek etiketa hau kenduko du txartel guztietatik eta bere historiala suntsitu.", + "labels": "Etiketak", + "language": "Hizkuntza", + "last-admin-desc": "Ezin duzu rola aldatu gutxienez kudeatzaile bat behar delako.", + "leave-board": "Utzi arbela", + "leave-board-pop": "Ziur zaude __boardTitle__ utzi nahi duzula? Arbel honetako txartel guztietatik ezabatua izango zara.", + "leaveBoardPopup-title": "Arbela utzi?", + "link-card": "Lotura txartel honetara", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Lekuz aldatu zerrendako txartel guztiak", + "list-select-cards": "Aukeratu zerrenda honetako txartel guztiak", + "listActionPopup-title": "Zerrendaren ekintzak", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Inportatu Trello txartel bat", + "listMorePopup-title": "Gehiago", + "link-list": "Lotura zerrenda honetara", + "list-delete-pop": "Ekintza guztiak ekintza jariotik kenduko dira eta ezin izango duzu zerrenda berreskuratu. Ez dago desegiterik.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Zerrendak", + "swimlanes": "Swimlanes", + "log-out": "Itxi saioa", + "log-in": "Hasi saioa", + "loginPopup-title": "Hasi saioa", + "memberMenuPopup-title": "Kidearen ezarpenak", + "members": "Kideak", + "menu": "Menua", + "move-selection": "Lekuz aldatu hautaketa", + "moveCardPopup-title": "Lekuz aldatu txartela", + "moveCardToBottom-title": "Eraman behera", + "moveCardToTop-title": "Eraman gora", + "moveSelectionPopup-title": "Lekuz aldatu hautaketa", + "multi-selection": "Hautaketa anitza", + "multi-selection-on": "Hautaketa anitza gaituta dago", + "muted": "Mututua", + "muted-info": "Ez zaizkizu jakinaraziko arbel honi egindako aldaketak", + "my-boards": "Nire arbelak", + "name": "Izena", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Emaitzarik ez", + "normal": "Arrunta", + "normal-desc": "Txartelak ikusi eta editatu ditzake. Ezin ditu ezarpenak aldatu.", + "not-accepted-yet": "Gonbidapena ez da oraindik onartu", + "notify-participate": "Jaso sortzaile edo kide zaren txartelen jakinarazpenak", + "notify-watch": "Jaso ikuskatzen dituzun arbel, zerrenda edo txartelen jakinarazpenak", + "optional": "aukerazkoa", + "or": "edo", + "page-maybe-private": "Orri hau pribatua izan daiteke. Agian saioa hasi eta gero ikusi ahal izango duzu.", + "page-not-found": "Ez da orria aurkitu.", + "password": "Pasahitza", + "paste-or-dragdrop": "itsasteko, edo irudi fitxategia arrastatu eta jaregiteko (irudia besterik ez)", + "participating": "Parte-hartzen", + "preview": "Aurreikusi", + "previewAttachedImagePopup-title": "Aurreikusi", + "previewClipboardImagePopup-title": "Aurreikusi", + "private": "Pribatua", + "private-desc": "Arbel hau pribatua da. Arbelera gehitutako jendeak besterik ezin du ikusi eta editatu.", + "profile": "Profila", + "public": "Publikoa", + "public-desc": "Arbel hau publikoa da lotura duen edonorentzat ikusgai dago eta Google bezalako bilatzaileetan agertuko da. Arbelera gehitutako kideek besterik ezin dute editatu.", + "quick-access-description": "Jarri izarra arbel bati barra honetan lasterbide bat sortzeko", + "remove-cover": "Kendu azala", + "remove-from-board": "Kendu arbeletik", + "remove-label": "Kendu etiketa", + "listDeletePopup-title": "Ezabatu zerrenda?", + "remove-member": "Kendu kidea", + "remove-member-from-card": "Kendu txarteletik", + "remove-member-pop": "Kendu __name__ (__username__) __boardTitle__ arbeletik? Kidea arbel honetako txartel guztietatik kenduko da. Jakinarazpenak bidaliko dira.", + "removeMemberPopup-title": "Kendu kidea?", + "rename": "Aldatu izena", + "rename-board": "Aldatu izena arbelari", + "restore": "Berrezarri", + "save": "Gorde", + "search": "Bilatu", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Aukeratu kolorea", + "set-wip-limit-value": "Zerrenda honetako atazen muga maximoa ezarri", + "setWipLimitPopup-title": "WIP muga ezarri", + "shortcut-assign-self": "Esleitu zure burua txartel honetara", + "shortcut-autocomplete-emoji": "Automatikoki osatu emojia", + "shortcut-autocomplete-members": "Automatikoki osatu kideak", + "shortcut-clear-filters": "Garbitu iragazki guztiak", + "shortcut-close-dialog": "Itxi elkarrizketa-koadroa", + "shortcut-filter-my-cards": "Iragazi nire txartelak", + "shortcut-show-shortcuts": "Erakutsi lasterbideen zerrenda hau", + "shortcut-toggle-filterbar": "Txandakatu iragazkiaren albo-barra", + "shortcut-toggle-sidebar": "Txandakatu arbelaren albo-barra", + "show-cards-minimum-count": "Erakutsi txartel kopurua hau baino handiagoa denean:", + "sidebar-open": "Ireki albo-barra", + "sidebar-close": "Itxi albo-barra", + "signupPopup-title": "Sortu kontu bat", + "star-board-title": "Egin klik arbel honi izarra jartzeko, zure arbelen zerrendaren goialdean agertuko da", + "starred-boards": "Izardun arbelak", + "starred-boards-description": "Izardun arbelak zure arbelen zerrendaren goialdean agertuko dira", + "subscribe": "Harpidetu", + "team": "Taldea", + "this-board": "arbel hau", + "this-card": "txartel hau", + "spent-time-hours": "Erabilitako denbora (orduak)", + "overtime-hours": "Luzapena (orduak)", + "overtime": "Luzapena", + "has-overtime-cards": "Luzapen txartelak ditu", + "has-spenttime-cards": "Erabilitako denbora txartelak ditu", + "time": "Ordua", + "title": "Izenburua", + "tracking": "Jarraitzen", + "tracking-info": "Sortzaile edo kide gisa parte-hartzen duzun txartelei egindako aldaketak jakinaraziko zaizkizu.", + "type": "Type", + "unassign-member": "Kendu kidea", + "unsaved-description": "Gorde gabeko deskripzio bat duzu", + "unwatch": "Utzi ikuskatzeari", + "upload": "Igo", + "upload-avatar": "Igo avatar bat", + "uploaded-avatar": "Avatar bat igo da", + "username": "Erabiltzaile-izena", + "view-it": "Ikusi", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Ikuskatu", + "watching": "Ikuskatzen", + "watching-info": "Arbel honi egindako aldaketak jakinaraziko zaizkizu", + "welcome-board": "Ongi etorri arbela", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Oinarrizkoa", + "welcome-list2": "Aurreratua", + "what-to-do": "Zer egin nahi duzu?", + "wipLimitErrorPopup-title": "Baliogabeko WIP muga", + "wipLimitErrorPopup-dialog-pt1": "Zerrenda honetako atazen muga, WIP-en ezarritakoa baina handiagoa da", + "wipLimitErrorPopup-dialog-pt2": "Mugitu zenbait ataza zerrenda honetatik, edo WIP muga handiagoa ezarri.", + "admin-panel": "Kudeaketa panela", + "settings": "Ezarpenak", + "people": "Jendea", + "registration": "Izen-ematea", + "disable-self-registration": "Desgaitu nork bere burua erregistratzea", + "invite": "Gonbidatu", + "invite-people": "Gonbidatu jendea", + "to-boards": "Arbele(ta)ra", + "email-addresses": "E-posta helbideak", + "smtp-host-description": "Zure e-posta mezuez arduratzen den SMTP zerbitzariaren helbidea", + "smtp-port-description": "Zure SMTP zerbitzariak bidalitako e-posta mezuentzat erabiltzen duen kaia.", + "smtp-tls-description": "Gaitu TLS euskarria SMTP zerbitzariarentzat", + "smtp-host": "SMTP ostalaria", + "smtp-port": "SMTP kaia", + "smtp-username": "Erabiltzaile-izena", + "smtp-password": "Pasahitza", + "smtp-tls": "TLS euskarria", + "send-from": "Nork", + "send-smtp-test": "Bidali posta elektroniko mezu bat zure buruari", + "invitation-code": "Gonbidapen kodea", + "email-invite-register-subject": "__inviter__ erabiltzaileak gonbidapen bat bidali dizu", + "email-invite-register-text": "Kaixo __user__,\n\n__inviter__ erabiltzaileak Wekanera gonbidatu zaitu elkar-lanean aritzeko.\n\nJarraitu mesedez lotura hau:\n__url__\n\nZure gonbidapen kodea hau da: __icode__\n\nEskerrik asko.", + "email-smtp-test-subject": "Wekan-etik bidalitako test-mezua", + "email-smtp-test-text": "Arrakastaz bidali duzu posta elektroniko mezua", + "error-invitation-code-not-exist": "Gonbidapen kodea ez da existitzen", + "error-notAuthorized": "Ez duzu orri hau ikusteko baimenik.", + "outgoing-webhooks": "Irteerako Webhook-ak", + "outgoingWebhooksPopup-title": "Irteerako Webhook-ak", + "new-outgoing-webhook": "Irteera-webhook berria", + "no-name": "(Ezezaguna)", + "Wekan_version": "Wekan bertsioa", + "Node_version": "Nodo bertsioa", + "OS_Arch": "SE Arkitektura", + "OS_Cpus": "SE PUZ kopurua", + "OS_Freemem": "SE Memoria librea", + "OS_Loadavg": "SE batez besteko karga", + "OS_Platform": "SE plataforma", + "OS_Release": "SE kaleratzea", + "OS_Totalmem": "SE memoria guztira", + "OS_Type": "SE mota", + "OS_Uptime": "SE denbora abiatuta", + "hours": "ordu", + "minutes": "minutu", + "seconds": "segundo", + "show-field-on-card": "Show this field on card", + "yes": "Bai", + "no": "Ez", + "accounts": "Kontuak", + "accounts-allowEmailChange": "Baimendu e-mail aldaketa", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Noiz sortua", + "verified": "Egiaztatuta", + "active": "Gaituta", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json new file mode 100644 index 00000000..bee17e03 --- /dev/null +++ b/i18n/fa.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "پذیرش", + "act-activity-notify": "[wekan] اطلاع فعالیت", + "act-addAttachment": "پیوست __attachment__ به __card__", + "act-addChecklist": "سیاهه __checklist__ به __card__ افزوده شد", + "act-addChecklistItem": "__checklistItem__ به سیاهه __checklist__ در __card__ افزوده شد", + "act-addComment": "درج نظر برای __card__: __comment__", + "act-createBoard": "__board__ ایجاد شد", + "act-createCard": "__card__ به __list__ اضافه شد", + "act-createCustomField": "فیلد __customField__ ایجاد شد", + "act-createList": "__list__ به __board__ اضافه شد", + "act-addBoardMember": "__member__ به __board__ اضافه شد", + "act-archivedBoard": "__board__ به سطل زباله ریخته شد", + "act-archivedCard": "__card__ به سطل زباله منتقل شد", + "act-archivedList": "__list__ به سطل زباله منتقل شد", + "act-archivedSwimlane": "__swimlane__ به سطل زباله منتقل شد", + "act-importBoard": "__board__ وارد شده", + "act-importCard": "__card__ وارد شده", + "act-importList": "__list__ وارد شده", + "act-joinMember": "__member__ به __card__اضافه شد", + "act-moveCard": "انتقال __card__ از __oldList__ به __list__", + "act-removeBoardMember": "__member__ از __board__ پاک شد", + "act-restoredCard": "__card__ به __board__ بازآوری شد", + "act-unjoinMember": "__member__ از __card__ پاک شد", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "اعمال", + "activities": "فعالیت ها", + "activity": "فعالیت", + "activity-added": "%s به %s اضافه شد", + "activity-archived": "%s به سطل زباله منتقل شد", + "activity-attached": "%s به %s پیوست شد", + "activity-created": "%s ایجاد شد", + "activity-customfield-created": "%s فیلدشخصی ایجاد شد", + "activity-excluded": "%s از %s مستثنی گردید", + "activity-imported": "%s از %s وارد %s شد", + "activity-imported-board": "%s از %s وارد شد", + "activity-joined": "اتصال به %s", + "activity-moved": "%s از %s به %s منتقل شد", + "activity-on": "%s", + "activity-removed": "%s از %s حذف شد", + "activity-sent": "ارسال %s به %s", + "activity-unjoined": "قطع اتصال %s", + "activity-checklist-added": "سیاهه به %s اضافه شد", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "افزودن", + "add-attachment": "افزودن ضمیمه", + "add-board": "افزودن برد", + "add-card": "افزودن کارت", + "add-swimlane": "Add Swimlane", + "add-checklist": "افزودن چک لیست", + "add-checklist-item": "افزودن مورد به سیاهه", + "add-cover": "جلد کردن", + "add-label": "افزودن لیبل", + "add-list": "افزودن لیست", + "add-members": "افزودن اعضا", + "added": "اضافه گردید", + "addMemberPopup-title": "اعضا", + "admin": "مدیر", + "admin-desc": "امکان دیدن و ویرایش کارتها،پاک کردن کاربران و تغییر تنظیمات برای تخته", + "admin-announcement": "اعلان", + "admin-announcement-active": "اعلان سراسری فعال", + "admin-announcement-title": "اعلان از سوی مدیر", + "all-boards": "تمام تخته‌ها", + "and-n-other-card": "و __count__ کارت دیگر", + "and-n-other-card_plural": "و __count__ کارت دیگر", + "apply": "اعمال", + "app-is-offline": "Wekan در حال بارگذاری است. لطفا صبر کنید. نوسازی صفحه، منجر به از دست رفتن داده‌ها می‌شود. اگر Wekan بارگذاری نشد، لطفا بررسی کنید که سرور Wekan متوقف نشده باشد.", + "archive": "ریختن به سطل زباله", + "archive-all": "ریختن همه به سطل زباله", + "archive-board": "ریختن تخته به سطل زباله", + "archive-card": "ریختن کارت به سطل زباله", + "archive-list": "ریختن لیست به سطل زباله", + "archive-swimlane": "ریختن مسیرشنا به سطل زباله", + "archive-selection": "انتخاب شده ها را به سطل زباله بریز", + "archiveBoardPopup-title": "آیا تخته به سطل زباله ریخته شود؟", + "archived-items": "سطل زباله", + "archived-boards": "تخته هایی که به زباله ریخته شده است", + "restore-board": "بازیابی تخته", + "no-archived-boards": "هیچ تخته ای در سطل زباله وجود ندارد", + "archives": "سطل زباله", + "assign-member": "تعیین عضو", + "attached": "ضمیمه شده", + "attachment": "ضمیمه", + "attachment-delete-pop": "حذف پیوست دایمی و بی بازگشت خواهد بود.", + "attachmentDeletePopup-title": "آیا می خواهید ضمیمه را حذف کنید؟", + "attachments": "ضمائم", + "auto-watch": "اضافه شدن خودکار دیده بانی تخته زمانی که ایجاد می شوند", + "avatar-too-big": "تصویر کاربر بسیار بزرگ است ـ حداکثر۷۰ کیلوبایت ـ", + "back": "بازگشت", + "board-change-color": "تغییر رنگ", + "board-nb-stars": "%s ستاره", + "board-not-found": "تخته مورد نظر پیدا نشد", + "board-private-info": "این تخته خصوصی خواهد بود.", + "board-public-info": "این تخته عمومی خواهد بود.", + "boardChangeColorPopup-title": "تغییر پس زمینه تخته", + "boardChangeTitlePopup-title": "تغییر نام تخته", + "boardChangeVisibilityPopup-title": "تغییر وضعیت نمایش", + "boardChangeWatchPopup-title": "تغییر دیده بانی", + "boardMenuPopup-title": "منوی تخته", + "boards": "تخته‌ها", + "board-view": "نمایش تخته", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "فهرست‌ها", + "bucket-example": "برای مثال چیزی شبیه \"لیست سبدها\"", + "cancel": "انصراف", + "card-archived": "این کارت به سطل زباله ریخته شده است", + "card-comments-title": "این کارت دارای %s نظر است.", + "card-delete-notice": "حذف دائمی. تمامی موارد مرتبط با این کارت از بین خواهند رفت.", + "card-delete-pop": "همه اقدامات از این پردازه (خوراک) حذف خواهد شد و امکان بازگرداندن کارت وجود نخواهد داشت.", + "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "ناشی از", + "card-due-on": "مقتضی بر", + "card-spent": "زمان صرف شده", + "card-edit-attachments": "ویرایش ضمائم", + "card-edit-custom-fields": "ویرایش فیلدهای شخصی", + "card-edit-labels": "ویرایش برچسب", + "card-edit-members": "ویرایش اعضا", + "card-labels-title": "تغییر برچسب کارت", + "card-members-title": "افزودن یا حذف اعضا از کارت.", + "card-start": "شروع", + "card-start-on": "شروع از", + "cardAttachmentsPopup-title": "ضمیمه از", + "cardCustomField-datePopup-title": "تغییر تاریخ", + "cardCustomFieldsPopup-title": "ویرایش فیلدهای شخصی", + "cardDeletePopup-title": "آیا می خواهید کارت را حذف کنید؟", + "cardDetailsActionsPopup-title": "اعمال کارت", + "cardLabelsPopup-title": "برچسب ها", + "cardMembersPopup-title": "اعضا", + "cardMorePopup-title": "بیشتر", + "cards": "کارت‌ها", + "cards-count": "کارت‌ها", + "change": "تغییر", + "change-avatar": "تغییر تصویر", + "change-password": "تغییر کلمه عبور", + "change-permissions": "تغییر دسترسی‌ها", + "change-settings": "تغییر تنظیمات", + "changeAvatarPopup-title": "تغییر تصویر", + "changeLanguagePopup-title": "تغییر زبان", + "changePasswordPopup-title": "تغییر کلمه عبور", + "changePermissionsPopup-title": "تغییر دسترسی‌ها", + "changeSettingsPopup-title": "تغییر تنظیمات", + "checklists": "سیاهه‌ها", + "click-to-star": "با کلیک کردن ستاره بدهید", + "click-to-unstar": "با کلیک کردن ستاره را کم کنید", + "clipboard": "ذخیره در حافظه ویا بردار-رهاکن", + "close": "بستن", + "close-board": "بستن برد", + "close-board-pop": "شما با کلیک روی دکمه \"سطل زباله\" در قسمت خانه می توانید تخته را بازیابی کنید.", + "color-black": "مشکی", + "color-blue": "آبی", + "color-green": "سبز", + "color-lime": "لیمویی", + "color-orange": "نارنجی", + "color-pink": "صورتی", + "color-purple": "بنفش", + "color-red": "قرمز", + "color-sky": "آبی آسمانی", + "color-yellow": "زرد", + "comment": "نظر", + "comment-placeholder": "درج نظر", + "comment-only": "فقط نظر", + "comment-only-desc": "فقط می‌تواند روی کارت‌ها نظر دهد.", + "computer": "رایانه", + "confirm-checklist-delete-dialog": "مطمئنید که می‌خواهید سیاهه را حذف کنید؟", + "copy-card-link-to-clipboard": "درج پیوند کارت در حافظه", + "copyCardPopup-title": "کپی کارت", + "copyChecklistToManyCardsPopup-title": "کپی قالب کارت به کارت‌های متعدد", + "copyChecklistToManyCardsPopup-instructions": "عنوان و توضیحات کارت مقصد در این قالب JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "ایجاد", + "createBoardPopup-title": "ایجاد تخته", + "chooseBoardSourcePopup-title": "بارگذاری تخته", + "createLabelPopup-title": "ایجاد برچسب", + "createCustomField": "ایجاد فیلد", + "createCustomFieldPopup-title": "ایجاد فیلد", + "current": "جاری", + "custom-field-delete-pop": "این اقدام فیلدشخصی را بهمراه تمامی تاریخچه آن از کارت ها پاک می کند و برگشت پذیر نمی باشد", + "custom-field-checkbox": "جعبه انتخابی", + "custom-field-date": "تاریخ", + "custom-field-dropdown": "لیست افتادنی", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "لیست امکانات", + "custom-field-dropdown-options-placeholder": "کلید Enter را جهت افزودن امکانات بیشتر فشار دهید", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "عدد", + "custom-field-text": "متن", + "custom-fields": "فیلدهای شخصی", + "date": "تاریخ", + "decline": "رد", + "default-avatar": "تصویر پیش فرض", + "delete": "حذف", + "deleteCustomFieldPopup-title": "آیا فیلدشخصی پاک شود؟", + "deleteLabelPopup-title": "آیا می خواهید برچسب را حذف کنید؟", + "description": "توضیحات", + "disambiguateMultiLabelPopup-title": "عمل ابهام زدایی از برچسب", + "disambiguateMultiMemberPopup-title": "عمل ابهام زدایی از کاربر", + "discard": "لغو", + "done": "انجام شده", + "download": "دریافت", + "edit": "ویرایش", + "edit-avatar": "تغییر تصویر", + "edit-profile": "ویرایش پروفایل", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "تغییر تاریخ آغاز", + "editCardDueDatePopup-title": "تغییر تاریخ بدلیل", + "editCustomFieldPopup-title": "ویرایش فیلد", + "editCardSpentTimePopup-title": "تغییر زمان صرف شده", + "editLabelPopup-title": "تغیر برچسب", + "editNotificationPopup-title": "اصلاح اعلان", + "editProfilePopup-title": "ویرایش پروفایل", + "email": "پست الکترونیک", + "email-enrollAccount-subject": "یک حساب کاربری برای شما در __siteName__ ایجاد شد", + "email-enrollAccount-text": "سلام __user__ \nبرای شروع به استفاده از این سرویس برروی آدرس زیر کلیک کنید.\n__url__\nبا تشکر.", + "email-fail": "عدم موفقیت در فرستادن رایانامه", + "email-fail-text": "خطا در تلاش برای فرستادن رایانامه", + "email-invalid": "رایانامه نادرست", + "email-invite": "دعوت از طریق رایانامه", + "email-invite-subject": "__inviter__ برای شما دعوت نامه ارسال کرده است", + "email-invite-text": "__User__ عزیز\n __inviter__ شما را به عضویت تخته \"__board__\" برای همکاری دعوت کرده است.\nلطفا لینک زیر را دنبال کنید، باتشکر:\n__url__", + "email-resetPassword-subject": "تنظیم مجدد کلمه عبور در __siteName__", + "email-resetPassword-text": "سلام __user__\nجهت تنظیم مجدد کلمه عبور آدرس زیر را دنبال نمایید، باتشکر:\n__url__", + "email-sent": "نامه الکترونیکی فرستاده شد", + "email-verifyEmail-subject": "تایید آدرس الکترونیکی شما در __siteName__", + "email-verifyEmail-text": "سلام __user__\nبه منظور تایید آدرس الکترونیکی حساب خود، آدرس زیر را دنبال نمایید، باتشکر:\n__url__.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "تخته مورد نظر وجود ندارد", + "error-board-notAdmin": "شما جهت انجام آن باید مدیر تخته باشید", + "error-board-notAMember": "شما انجام آن ،اید عضو این تخته باشید.", + "error-json-malformed": "متن درغالب صحیح Json نمی باشد.", + "error-json-schema": "داده های Json شما، شامل اطلاعات صحیح در غالب درستی نمی باشد.", + "error-list-doesNotExist": "این لیست موجود نیست", + "error-user-doesNotExist": "این کاربر وجود ندارد", + "error-user-notAllowSelf": "عدم امکان دعوت خود", + "error-user-notCreated": "این کاربر ایجاد نشده است", + "error-username-taken": "این نام کاربری استفاده شده است", + "error-email-taken": "رایانامه توسط گیرنده دریافت شده است", + "export-board": "انتقال به بیرون تخته", + "filter": "صافی ـFilterـ", + "filter-cards": "صافی ـFilterـ کارت‌ها", + "filter-clear": "حذف صافی ـFilterـ", + "filter-no-label": "بدون برچسب", + "filter-no-member": "بدون عضو", + "filter-no-custom-fields": "هیچ فیلدشخصی ای وجود ندارد", + "filter-on": "صافی ـFilterـ فعال است", + "filter-on-desc": "شما صافی ـFilterـ برای کارتهای تخته را روشن کرده اید. جهت ویرایش کلیک نمایید.", + "filter-to-selection": "صافی ـFilterـ برای موارد انتخابی", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "نام و نام خانوادگی", + "header-logo-title": "بازگشت به صفحه تخته.", + "hide-system-messages": "عدم نمایش پیامهای سیستمی", + "headerBarCreateBoardPopup-title": "ایجاد تخته", + "home": "خانه", + "import": "وارد کردن", + "import-board": "وارد کردن تخته", + "import-board-c": "وارد کردن تخته", + "import-board-title-trello": "وارد کردن تخته از Trello", + "import-board-title-wekan": "وارد کردن تخته از Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "از Trello", + "from-wekan": "از Wekan", + "import-board-instruction-trello": "در Trello-ی خود به 'Menu'، 'More'، 'Print'، 'Export to JSON رفته و متن نهایی را دراینجا وارد نمایید.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "اطلاعات Json معتبر خود را اینجا وارد کنید.", + "import-map-members": "نگاشت اعضا", + "import-members-map": "تعدادی عضو در تخته وارد شده می باشد. لطفا کاربرانی که باید وارد نرم افزار بشوند را مشخص کنید.", + "import-show-user-mapping": "بررسی نقشه کاربران", + "import-user-select": "کاربری از نرم افزار را که می خواهید بعنوان این عضو جایگزین شود را انتخاب کنید.", + "importMapMembersAddPopup-title": "انتخاب کاربر Wekan", + "info": "نسخه", + "initials": "تخصیصات اولیه", + "invalid-date": "تاریخ نامعتبر", + "invalid-time": "زمان نامعتبر", + "invalid-user": "کاربر نامعتیر", + "joined": "متصل", + "just-invited": "هم اکنون، شما به این تخته دعوت شده اید.", + "keyboard-shortcuts": "میانبر کلیدها", + "label-create": "ایجاد برچسب", + "label-default": "%s برچسب(پیش فرض)", + "label-delete-pop": "این اقدام، برچسب را از همه کارت‌ها پاک خواهد کرد و تاریخچه آن را نیز از بین می‌برد.", + "labels": "برچسب ها", + "language": "زبان", + "last-admin-desc": "شما نمی توانید نقش ـroleـ را تغییر دهید چراکه باید حداقل یک مدیری وجود داشته باشد.", + "leave-board": "خروج از تخته", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "ارجاع به این کارت", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "انتقال تمام کارت های این لیست", + "list-select-cards": "انتخاب تمام کارت های این لیست", + "listActionPopup-title": "لیست اقدامات", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "وارد کردن کارت Trello", + "listMorePopup-title": "بیشتر", + "link-list": "پیوند به این فهرست", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "لیست ها", + "swimlanes": "Swimlanes", + "log-out": "خروج", + "log-in": "ورود", + "loginPopup-title": "ورود", + "memberMenuPopup-title": "تنظیمات اعضا", + "members": "اعضا", + "menu": "منو", + "move-selection": "حرکت مورد انتخابی", + "moveCardPopup-title": "حرکت کارت", + "moveCardToBottom-title": "انتقال به پایین", + "moveCardToTop-title": "انتقال به بالا", + "moveSelectionPopup-title": "حرکت مورد انتخابی", + "multi-selection": "امکان چند انتخابی", + "multi-selection-on": "حالت چند انتخابی روشن است", + "muted": "بی صدا", + "muted-info": "شما هیچگاه از تغییرات این تخته مطلع نخواهید شد", + "my-boards": "تخته‌های من", + "name": "نام", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "بدون نتیجه", + "normal": "عادی", + "normal-desc": "امکان نمایش و تنظیم کارت بدون امکان تغییر تنظیمات", + "not-accepted-yet": "دعوت نامه هنوز پذیرفته نشده است", + "notify-participate": "اطلاع رسانی از هرگونه تغییر در کارتهایی که ایجاد کرده اید ویا عضو آن هستید", + "notify-watch": "اطلاع رسانی از هرگونه تغییر در تخته، لیست یا کارتهایی که از آنها دیده بانی میکنید", + "optional": "انتخابی", + "or": "یا", + "page-maybe-private": "این صفحه ممکن است خصوصی باشد. شما باورود می‌توانید آن را ببینید.", + "page-not-found": "صفحه پیدا نشد.", + "password": "کلمه عبور", + "paste-or-dragdrop": "جهت چسباندن، یا برداشتن-رهاسازی فایل تصویر به آن (تصویر)", + "participating": "شرکت کنندگان", + "preview": "پیش‌نمایش", + "previewAttachedImagePopup-title": "پیش‌نمایش", + "previewClipboardImagePopup-title": "پیش‌نمایش", + "private": "خصوصی", + "private-desc": "این تخته خصوصی است. فقط تنها افراد اضافه شده به آن می توانند مشاهده و ویرایش کنند.", + "profile": "حساب کاربری", + "public": "عمومی", + "public-desc": "این تخته عمومی است. برای هر کسی با آدرس ویا جستجو درموتورها مانند گوگل قابل مشاهده است . فقط افرادی که به آن اضافه شده اند امکان ویرایش دارند.", + "quick-access-description": "جهت افزودن یک تخته به اینجا،آنرا ستاره دار نمایید.", + "remove-cover": "حذف کاور", + "remove-from-board": "حذف از تخته", + "remove-label": "حذف برچسب", + "listDeletePopup-title": "حذف فهرست؟", + "remove-member": "حذف عضو", + "remove-member-from-card": "حذف از کارت", + "remove-member-pop": "آیا __name__ (__username__) را از __boardTitle__ حذف می کنید? کاربر از تمام کارت ها در این تخته حذف خواهد شد و آنها ازین اقدام مطلع خواهند شد.", + "removeMemberPopup-title": "آیا می خواهید کاربر را حذف کنید؟", + "rename": "تغیر نام", + "rename-board": "تغییر نام تخته", + "restore": "بازیابی", + "save": "ذخیره", + "search": "جستجو", + "search-cards": "جستجو در میان عناوین و توضیحات در این تخته", + "search-example": "متن مورد جستجو؟", + "select-color": "انتخاب رنگ", + "set-wip-limit-value": "تعیین بیشینه تعداد وظایف در این فهرست", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "اختصاص خود به کارت فعلی", + "shortcut-autocomplete-emoji": "تکمیل خودکار شکلکها", + "shortcut-autocomplete-members": "تکمیل خودکار کاربرها", + "shortcut-clear-filters": "حذف تمامی صافی ـfilterـ", + "shortcut-close-dialog": "بستن محاوره", + "shortcut-filter-my-cards": "کارت های من", + "shortcut-show-shortcuts": "بالا آوردن میانبر این لیست", + "shortcut-toggle-filterbar": "ضامن نوار جداکننده صافی ـfilterـ", + "shortcut-toggle-sidebar": "ضامن نوار جداکننده تخته", + "show-cards-minimum-count": "نمایش تعداد کارتها اگر لیست شامل بیشتراز", + "sidebar-open": "بازکردن جداکننده", + "sidebar-close": "بستن جداکننده", + "signupPopup-title": "ایجاد یک کاربر", + "star-board-title": "برای ستاره دادن، کلیک کنید.این در بالای لیست تخته های شما نمایش داده خواهد شد.", + "starred-boards": "تخته های ستاره دار", + "starred-boards-description": "تخته های ستاره دار در بالای لیست تخته ها نمایش داده می شود.", + "subscribe": "عضوشدن", + "team": "تیم", + "this-board": "این تخته", + "this-card": "این کارت", + "spent-time-hours": "زمان صرف شده (ساعت)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "زمان", + "title": "عنوان", + "tracking": "پیگردی", + "tracking-info": "شما از هرگونه تغییر در کارتهایی که بعنوان ایجاد کننده ویا عضو آن هستید، آگاه خواهید شد", + "type": "Type", + "unassign-member": "عدم انتصاب کاربر", + "unsaved-description": "شما توضیحات ذخیره نشده دارید.", + "unwatch": "عدم دیده بانی", + "upload": "ارسال", + "upload-avatar": "ارسال تصویر", + "uploaded-avatar": "تصویر ارسال شد", + "username": "نام کاربری", + "view-it": "مشاهده", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "دیده بانی", + "watching": "درحال دیده بانی", + "watching-info": "شما از هر تغییری دراین تخته آگاه خواهید شد", + "welcome-board": "به این تخته خوش آمدید", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "پایه ای ها", + "welcome-list2": "پیشرفته", + "what-to-do": "چه کاری می خواهید انجام دهید؟", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "پیشخوان مدیریتی", + "settings": "تنظمات", + "people": "افراد", + "registration": "ثبت نام", + "disable-self-registration": "‌غیرفعال‌سازی خودثبت‌نامی", + "invite": "دعوت", + "invite-people": "دعوت از افراد", + "to-boards": "به تخته(ها)", + "email-addresses": "نشانی رایانامه", + "smtp-host-description": "آدرس سرور SMTP ای که پست الکترونیکی شما برروی آن است", + "smtp-port-description": "شماره درگاه ـPortـ ای که سرور SMTP شما جهت ارسال از آن استفاده می کند", + "smtp-tls-description": "پشتیبانی از TLS برای سرور SMTP", + "smtp-host": "آدرس سرور SMTP", + "smtp-port": "شماره درگاه ـPortـ سرور SMTP", + "smtp-username": "نام کاربری", + "smtp-password": "کلمه عبور", + "smtp-tls": "پشتیبانی از SMTP", + "send-from": "از", + "send-smtp-test": "فرستادن رایانامه آزمایشی به خود", + "invitation-code": "کد دعوت نامه", + "email-invite-register-subject": "__inviter__ برای شما دعوت نامه ارسال کرده است", + "email-invite-register-text": "__User__ عزیز \nکاربر __inviter__ شما را به عضویت در Wekan برای همکاری دعوت کرده است.\nلطفا لینک زیر را دنبال کنید،\n __url__\nکد دعوت شما __icode__ می باشد.\n باتشکر", + "email-smtp-test-subject": "رایانامه SMTP آزمایشی از Wekan", + "email-smtp-test-text": "با موفقیت، یک رایانامه را فرستادید", + "error-invitation-code-not-exist": "چنین کد دعوتی یافت نشد", + "error-notAuthorized": "شما مجاز به دیدن این صفحه نیستید.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(ناشناخته)", + "Wekan_version": "نسخه Wekan", + "Node_version": "نسخه Node ", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "ساعت", + "minutes": "دقیقه", + "seconds": "ثانیه", + "show-field-on-card": "Show this field on card", + "yes": "بله", + "no": "خیر", + "accounts": "حساب‌ها", + "accounts-allowEmailChange": "اجازه تغییر رایانامه", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "ساخته شده در", + "verified": "معتبر", + "active": "فعال", + "card-received": "رسیده", + "card-received-on": "رسیده در", + "card-end": "پایان", + "card-end-on": "پایان در", + "editCardReceivedDatePopup-title": "تغییر تاریخ رسید", + "editCardEndDatePopup-title": "تغییر تاریخ پایان", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json new file mode 100644 index 00000000..d8db9f14 --- /dev/null +++ b/i18n/fi.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Hyväksy", + "act-activity-notify": "[Wekan] Toimintailmoitus", + "act-addAttachment": "liitetty __attachment__ kortille __card__", + "act-addChecklist": "lisätty tarkistuslista __checklist__ kortille __card__", + "act-addChecklistItem": "lisätty kohta __checklistItem__ tarkistuslistaan __checklist__ kortilla __card__", + "act-addComment": "kommentoitu __card__: __comment__", + "act-createBoard": "luotu __board__", + "act-createCard": "lisätty __card__ listalle __list__", + "act-createCustomField": "luotu mukautettu kenttä __customField__", + "act-createList": "lisätty __list__ taululle __board__", + "act-addBoardMember": "lisätty __member__ taululle __board__", + "act-archivedBoard": "__board__ siirretty roskakoriin", + "act-archivedCard": "__card__ siirretty roskakoriin", + "act-archivedList": "__list__ siirretty roskakoriin", + "act-archivedSwimlane": "__swimlane__ siirretty roskakoriin", + "act-importBoard": "tuotu __board__", + "act-importCard": "tuotu __card__", + "act-importList": "tuotu __list__", + "act-joinMember": "lisätty __member__ kortille __card__", + "act-moveCard": "siirretty __card__ listalta __oldList__ listalle __list__", + "act-removeBoardMember": "poistettu __member__ taululta __board__", + "act-restoredCard": "palautettu __card__ taululle __board__", + "act-unjoinMember": "poistettu __member__ kortilta __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Toimet", + "activities": "Toimet", + "activity": "Toiminta", + "activity-added": "lisätty %s kohteeseen %s", + "activity-archived": "%s siirretty roskakoriin", + "activity-attached": "liitetty %s kohteeseen %s", + "activity-created": "luotu %s", + "activity-customfield-created": "luotu mukautettu kenttä %s", + "activity-excluded": "poistettu %s kohteesta %s", + "activity-imported": "tuotu %s kohteeseen %s lähteestä %s", + "activity-imported-board": "tuotu %s lähteestä %s", + "activity-joined": "liitytty kohteeseen %s", + "activity-moved": "siirretty %s kohteesta %s kohteeseen %s", + "activity-on": "kohteessa %s", + "activity-removed": "poistettu %s kohteesta %s", + "activity-sent": "lähetetty %s kohteeseen %s", + "activity-unjoined": "peruttu %s liittyminen", + "activity-checklist-added": "lisätty tarkistuslista kortille %s", + "activity-checklist-item-added": "lisäsi kohdan tarkistuslistaan '%s' kortilla %s", + "add": "Lisää", + "add-attachment": "Lisää liite", + "add-board": "Lisää taulu", + "add-card": "Lisää kortti", + "add-swimlane": "Lisää Swimlane", + "add-checklist": "Lisää tarkistuslista", + "add-checklist-item": "Lisää kohta tarkistuslistaan", + "add-cover": "Lisää kansi", + "add-label": "Lisää tunniste", + "add-list": "Lisää lista", + "add-members": "Lisää jäseniä", + "added": "Lisätty", + "addMemberPopup-title": "Jäsenet", + "admin": "Ylläpitäjä", + "admin-desc": "Voi nähfä ja muokata kortteja, poistaa jäseniä, ja muuttaa taulun asetuksia.", + "admin-announcement": "Ilmoitus", + "admin-announcement-active": "Aktiivinen järjestelmänlaajuinen ilmoitus", + "admin-announcement-title": "Ilmoitus ylläpitäjältä", + "all-boards": "Kaikki taulut", + "and-n-other-card": "Ja __count__ muu kortti", + "and-n-other-card_plural": "Ja __count__ muuta korttia", + "apply": "Käytä", + "app-is-offline": "Wekan latautuu, odota. Sivun uudelleenlataus aiheuttaa tietojen menettämisen. Jos Wekan ei lataudu, tarkista että Wekan palvelin ei ole pysähtynyt.", + "archive": "Siirrä roskakoriin", + "archive-all": "Siirrä kaikki roskakoriin", + "archive-board": "Siirrä taulu roskakoriin", + "archive-card": "Siirrä kortti roskakoriin", + "archive-list": "Siirrä lista roskakoriin", + "archive-swimlane": "Siirrä Swimlane roskakoriin", + "archive-selection": "Siirrä valinta roskakoriin", + "archiveBoardPopup-title": "Siirrä taulu roskakoriin?", + "archived-items": "Roskakori", + "archived-boards": "Taulut roskakorissa", + "restore-board": "Palauta taulu", + "no-archived-boards": "Ei tauluja roskakorissa", + "archives": "Roskakori", + "assign-member": "Valitse jäsen", + "attached": "liitetty", + "attachment": "Liitetiedosto", + "attachment-delete-pop": "Liitetiedoston poistaminen on lopullista. Tätä ei pysty peruuttamaan.", + "attachmentDeletePopup-title": "Poista liitetiedosto?", + "attachments": "Liitetiedostot", + "auto-watch": "Automaattisesti seuraa tauluja kun ne on luotu", + "avatar-too-big": "Profiilikuva on liian suuri (70KB maksimi)", + "back": "Takaisin", + "board-change-color": "Muokkaa väriä", + "board-nb-stars": "%s tähteä", + "board-not-found": "Taulua ei löytynyt", + "board-private-info": "Tämä taulu tulee olemaan yksityinen.", + "board-public-info": "Tämä taulu tulee olemaan julkinen.", + "boardChangeColorPopup-title": "Muokkaa taulun taustaa", + "boardChangeTitlePopup-title": "Nimeä taulu uudelleen", + "boardChangeVisibilityPopup-title": "Muokkaa näkyvyyttä", + "boardChangeWatchPopup-title": "Muokkaa seuraamista", + "boardMenuPopup-title": "Taulu valikko", + "boards": "Taulut", + "board-view": "Taulu näkymä", + "board-view-swimlanes": "Swimlanet", + "board-view-lists": "Listat", + "bucket-example": "Kuten “Laatikko lista” esimerkiksi", + "cancel": "Peruuta", + "card-archived": "Tämä kortti on siirretty roskakoriin.", + "card-comments-title": "Tässä kortissa on %s kommenttia.", + "card-delete-notice": "Poistaminen on lopullista. Menetät kaikki toimet jotka on liitetty tähän korttiin.", + "card-delete-pop": "Kaikki toimet poistetaan toimintasyötteestä ja et tule pystymään uudelleenavaamaan korttia. Tätä ei voi peruuttaa.", + "card-delete-suggest-archive": "Voit siirtää kortin roskakoriin poistaaksesi sen taululta ja säilyttääksesi toimintalokin.", + "card-due": "Erääntyy", + "card-due-on": "Erääntyy", + "card-spent": "Käytetty aika", + "card-edit-attachments": "Muokkaa liitetiedostoja", + "card-edit-custom-fields": "Muokkaa mukautettuja kenttiä", + "card-edit-labels": "Muokkaa tunnisteita", + "card-edit-members": "Muokkaa jäseniä", + "card-labels-title": "Muokkaa kortin tunnisteita.", + "card-members-title": "Lisää tai poista taulun jäseniä tältä kortilta.", + "card-start": "Alkaa", + "card-start-on": "Alkaa", + "cardAttachmentsPopup-title": "Liitä mistä", + "cardCustomField-datePopup-title": "Muokkaa päivää", + "cardCustomFieldsPopup-title": "Muokkaa mukautettuja kenttiä", + "cardDeletePopup-title": "Poista kortti?", + "cardDetailsActionsPopup-title": "Kortti toimet", + "cardLabelsPopup-title": "Tunnisteet", + "cardMembersPopup-title": "Jäsenet", + "cardMorePopup-title": "Lisää", + "cards": "Kortit", + "cards-count": "korttia", + "change": "Muokkaa", + "change-avatar": "Muokkaa profiilikuvaa", + "change-password": "Vaihda salasana", + "change-permissions": "Muokkaa oikeuksia", + "change-settings": "Muokkaa asetuksia", + "changeAvatarPopup-title": "Muokkaa profiilikuvaa", + "changeLanguagePopup-title": "Vaihda kieltä", + "changePasswordPopup-title": "Vaihda salasana", + "changePermissionsPopup-title": "Muokkaa oikeuksia", + "changeSettingsPopup-title": "Muokkaa asetuksia", + "checklists": "Tarkistuslistat", + "click-to-star": "Klikkaa merkataksesi tämä taulu tähdellä.", + "click-to-unstar": "Klikkaa poistaaksesi tähtimerkintä taululta.", + "clipboard": "Leikepöytä tai raahaa ja pudota", + "close": "Sulje", + "close-board": "Sulje taulu", + "close-board-pop": "Voit palauttaa taulun klikkaamalla “Roskakori” painiketta taululistan yläpalkista.", + "color-black": "musta", + "color-blue": "sininen", + "color-green": "vihreä", + "color-lime": "lime", + "color-orange": "oranssi", + "color-pink": "vaaleanpunainen", + "color-purple": "violetti", + "color-red": "punainen", + "color-sky": "taivas", + "color-yellow": "keltainen", + "comment": "Kommentti", + "comment-placeholder": "Kirjoita kommentti", + "comment-only": "Vain kommentointi", + "comment-only-desc": "Voi vain kommentoida kortteja", + "computer": "Tietokone", + "confirm-checklist-delete-dialog": "Haluatko varmasti poistaa tarkistuslistan", + "copy-card-link-to-clipboard": "Kopioi kortin linkki leikepöydälle", + "copyCardPopup-title": "Kopioi kortti", + "copyChecklistToManyCardsPopup-title": "Kopioi tarkistuslistan malli monille korteille", + "copyChecklistToManyCardsPopup-instructions": "Kohde korttien otsikot ja kuvaukset JSON muodossa", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Ensimmäisen kortin otsikko\", \"description\":\"Ensimmäisen kortin kuvaus\"}, {\"title\":\"Toisen kortin otsikko\",\"description\":\"Toisen kortin kuvaus\"},{\"title\":\"Viimeisen kortin otsikko\",\"description\":\"Viimeisen kortin kuvaus\"} ]", + "create": "Luo", + "createBoardPopup-title": "Luo taulu", + "chooseBoardSourcePopup-title": "Tuo taulu", + "createLabelPopup-title": "Luo tunniste", + "createCustomField": "Luo kenttä", + "createCustomFieldPopup-title": "Luo kenttä", + "current": "nykyinen", + "custom-field-delete-pop": "Tätä ei voi peruuttaa. Tämä poistaa tämän mukautetun kentän kaikista korteista ja poistaa sen historian.", + "custom-field-checkbox": "Valintaruutu", + "custom-field-date": "Päivämäärä", + "custom-field-dropdown": "Pudotusvalikko", + "custom-field-dropdown-none": "(ei mitään)", + "custom-field-dropdown-options": "Luettelon vaihtoehdot", + "custom-field-dropdown-options-placeholder": "Paina Enter lisätäksesi lisää vaihtoehtoja", + "custom-field-dropdown-unknown": "(tuntematon)", + "custom-field-number": "Numero", + "custom-field-text": "Teksti", + "custom-fields": "Mukautetut kentät", + "date": "Päivämäärä", + "decline": "Kieltäydy", + "default-avatar": "Oletus profiilikuva", + "delete": "Poista", + "deleteCustomFieldPopup-title": "Poista mukautettu kenttä?", + "deleteLabelPopup-title": "Poista tunniste?", + "description": "Kuvaus", + "disambiguateMultiLabelPopup-title": "Yksikäsitteistä tunniste toiminta", + "disambiguateMultiMemberPopup-title": "Yksikäsitteistä jäsen toiminta", + "discard": "Hylkää", + "done": "Valmis", + "download": "Lataa", + "edit": "Muokkaa", + "edit-avatar": "Muokkaa profiilikuvaa", + "edit-profile": "Muokkaa profiilia", + "edit-wip-limit": "Muokkaa WIP-rajaa", + "soft-wip-limit": "Pehmeä WIP raja", + "editCardStartDatePopup-title": "Muokkaa aloituspäivää", + "editCardDueDatePopup-title": "Muokkaa eräpäivää", + "editCustomFieldPopup-title": "Muokkaa kenttää", + "editCardSpentTimePopup-title": "Muuta käytettyä aikaa", + "editLabelPopup-title": "Muokkaa tunnistetta", + "editNotificationPopup-title": "Muokkaa ilmoituksia", + "editProfilePopup-title": "Muokkaa profiilia", + "email": "Sähköposti", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hei __user__,\n\nAlkaaksesi käyttämään palvelua, klikkaa allaolevaa linkkiä.\n\n__url__\n\nKiitos.", + "email-fail": "Sähköpostin lähettäminen epäonnistui", + "email-fail-text": "Virhe yrittäessä lähettää sähköpostia", + "email-invalid": "Virheellinen sähköposti", + "email-invite": "Kutsu sähköpostilla", + "email-invite-subject": "__inviter__ lähetti sinulle kutsun", + "email-invite-text": "Hyvä __user__,\n\n__inviter__ kutsuu sinut liittymään taululle \"__board__\" yhteistyötä varten.\n\nOle hyvä ja seuraa allaolevaa linkkiä:\n\n__url__\n\nKiitos.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hei __user__,\n\nNollataksesi salasanasi, klikkaa allaolevaa linkkiä.\n\n__url__\n\nKiitos.", + "email-sent": "Sähköposti lähetetty", + "email-verifyEmail-subject": "Varmista sähköpostiosoitteesi osoitteessa __url__", + "email-verifyEmail-text": "Hei __user__,\n\nvahvistaaksesi sähköpostiosoitteesi, klikkaa allaolevaa linkkiä.\n\n__url__\n\nKiitos.", + "enable-wip-limit": "Ota käyttöön WIP-raja", + "error-board-doesNotExist": "Tämä taulu ei ole olemassa", + "error-board-notAdmin": "Tehdäksesi tämän sinun täytyy olla tämän taulun ylläpitäjä", + "error-board-notAMember": "Tehdäksesi tämän sinun täytyy olla tämän taulun jäsen", + "error-json-malformed": "Tekstisi ei ole kelvollisessa JSON muodossa", + "error-json-schema": "JSON tietosi ei sisällä oikeaa tietoa oikeassa muodossa", + "error-list-doesNotExist": "Tätä listaa ei ole olemassa", + "error-user-doesNotExist": "Tätä käyttäjää ei ole olemassa", + "error-user-notAllowSelf": "Et voi kutsua itseäsi", + "error-user-notCreated": "Tätä käyttäjää ei ole luotu", + "error-username-taken": "Tämä käyttäjätunnus on jo käytössä", + "error-email-taken": "Sähköpostiosoite on jo käytössä", + "export-board": "Vie taulu", + "filter": "Suodata", + "filter-cards": "Suodata kortit", + "filter-clear": "Poista suodatin", + "filter-no-label": "Ei tunnistetta", + "filter-no-member": "Ei jäseniä", + "filter-no-custom-fields": "Ei mukautettuja kenttiä", + "filter-on": "Suodatus on päällä", + "filter-on-desc": "Suodatat kortteja tällä taululla. Klikkaa tästä muokataksesi suodatinta.", + "filter-to-selection": "Suodata valintaan", + "advanced-filter-label": "Edistynyt suodatin", + "advanced-filter-description": "Edistynyt suodatin mahdollistaa merkkijonon, joka sisältää seuraavat operaattorit: ==! = <=> = && || () Operaattorien välissä käytetään välilyöntiä. Voit suodattaa kaikki mukautetut kentät kirjoittamalla niiden nimet ja arvot. Esimerkiksi: Field1 == Value1. Huomaa: Jos kentillä tai arvoilla on välilyöntejä, sinun on sijoitettava ne yksittäisiin lainausmerkkeihin. Esimerkki: 'Kenttä 1' == 'Arvo 1'. Voit myös yhdistää useita ehtoja. Esimerkiksi: F1 == V1 || F1 = V2. Yleensä kaikki operaattorit tulkitaan vasemmalta oikealle. Voit muuttaa järjestystä asettamalla sulkuja. Esimerkiksi: F1 == V1 ja (F2 == V2 || F2 == V3)", + "fullname": "Koko nimi", + "header-logo-title": "Palaa taulut sivullesi.", + "hide-system-messages": "Piilota järjestelmäviestit", + "headerBarCreateBoardPopup-title": "Luo taulu", + "home": "Koti", + "import": "Tuo", + "import-board": "tuo taulu", + "import-board-c": "Tuo taulu", + "import-board-title-trello": "Tuo taulu Trellosta", + "import-board-title-wekan": "Tuo taulu Wekanista", + "import-sandstorm-warning": "Tuotu taulu poistaa kaikki olemassaolevan taulun tiedot ja korvaa ne tuodulla taululla.", + "from-trello": "Trellosta", + "from-wekan": "Wekanista", + "import-board-instruction-trello": "Trello taulullasi, mene 'Menu', sitten 'More', 'Print and Export', 'Export JSON', ja kopioi tuloksena saamasi teksti", + "import-board-instruction-wekan": "Wekan taulullasi, mene 'Valikko', sitten 'Vie taulu', ja kopioi teksti ladatusta tiedostosta.", + "import-json-placeholder": "Liitä kelvollinen JSON tietosi tähän", + "import-map-members": "Vastaavat jäsenet", + "import-members-map": "Tuomallasi taululla on muutamia jäseniä. Ole hyvä ja valitse tuomiasi jäseniä vastaavat Wekan käyttäjät", + "import-show-user-mapping": "Tarkasta vastaavat jäsenet", + "import-user-select": "Valitse Wekan käyttäjä jota haluat käyttää tänä käyttäjänä", + "importMapMembersAddPopup-title": "Valitse Wekan käyttäjä", + "info": "Versio", + "initials": "Nimikirjaimet", + "invalid-date": "Virheellinen päivämäärä", + "invalid-time": "Virheellinen aika", + "invalid-user": "Virheellinen käyttäjä", + "joined": "liittyi", + "just-invited": "Sinut on juuri kutsuttu tälle taululle", + "keyboard-shortcuts": "Pikanäppäimet", + "label-create": "Luo tunniste", + "label-default": "%s tunniste (oletus)", + "label-delete-pop": "Tätä ei voi peruuttaa. Tämä poistaa tämän tunnisteen kaikista korteista ja tuhoaa sen historian.", + "labels": "Tunnisteet", + "language": "Kieli", + "last-admin-desc": "Et voi vaihtaa rooleja koska täytyy olla olemassa ainakin yksi ylläpitäjä.", + "leave-board": "Jää pois taululta", + "leave-board-pop": "Haluatko varmasti poistua taululta __boardTitle__? Sinut poistetaan kaikista tämän taulun korteista.", + "leaveBoardPopup-title": "Jää pois taululta ?", + "link-card": "Linkki tähän korttiin", + "list-archive-cards": "Siirrä kaikki tämän listan kortit roskakoriin", + "list-archive-cards-pop": "Tämä poistaa kaikki tämän listan kortit taululta. Nähdäksesi roskakorissa olevat kortit ja tuodaksesi ne takaisin taululle, klikkaa “Valikko” > “Roskakori”.", + "list-move-cards": "Siirrä kaikki kortit tässä listassa", + "list-select-cards": "Valitse kaikki kortit tässä listassa", + "listActionPopup-title": "Listaa toimet", + "swimlaneActionPopup-title": "Swimlane toimet", + "listImportCardPopup-title": "Tuo Trello kortti", + "listMorePopup-title": "Lisää", + "link-list": "Linkki tähän listaan", + "list-delete-pop": "Kaikki toimet poistetaan toimintasyötteestä ja listan poistaminen on lopullista. Tätä ei pysty peruuttamaan.", + "list-delete-suggest-archive": "Voit siirtää listan roskakoriin poistaaksesi sen taululta ja säilyttääksesi toimintalokin.", + "lists": "Listat", + "swimlanes": "Swimlanet", + "log-out": "Kirjaudu ulos", + "log-in": "Kirjaudu sisään", + "loginPopup-title": "Kirjaudu sisään", + "memberMenuPopup-title": "Jäsen asetukset", + "members": "Jäsenet", + "menu": "Valikko", + "move-selection": "Siirrä valinta", + "moveCardPopup-title": "Siirrä kortti", + "moveCardToBottom-title": "Siirrä alimmaiseksi", + "moveCardToTop-title": "Siirrä ylimmäiseksi", + "moveSelectionPopup-title": "Siirrä valinta", + "multi-selection": "Monivalinta", + "multi-selection-on": "Monivalinta on päällä", + "muted": "Vaimennettu", + "muted-info": "Et saa koskaan ilmoituksia tämän taulun muutoksista", + "my-boards": "Tauluni", + "name": "Nimi", + "no-archived-cards": "Ei kortteja roskakorissa.", + "no-archived-lists": "Ei listoja roskakorissa.", + "no-archived-swimlanes": "Ei Swimlaneja roskakorissa.", + "no-results": "Ei tuloksia", + "normal": "Normaali", + "normal-desc": "Voi nähdä ja muokata kortteja. Ei voi muokata asetuksia.", + "not-accepted-yet": "Kutsua ei ole hyväksytty vielä", + "notify-participate": "Vastaanota päivityksiä kaikilta korteilta jotka olet tehnyt tai joihin osallistut.", + "notify-watch": "Vastaanota päivityksiä kaikilta tauluilta, listoilta tai korteilta joita seuraat.", + "optional": "valinnainen", + "or": "tai", + "page-maybe-private": "Tämä sivu voi olla yksityinen. Voit ehkä pystyä näkemään sen kirjautumalla sisään.", + "page-not-found": "Sivua ei löytynyt.", + "password": "Salasana", + "paste-or-dragdrop": "liittääksesi, tai vedä & pudota kuvatiedosto siihen (vain kuva)", + "participating": "Osallistutaan", + "preview": "Esikatsele", + "previewAttachedImagePopup-title": "Esikatsele", + "previewClipboardImagePopup-title": "Esikatsele", + "private": "Yksityinen", + "private-desc": "Tämä taulu on yksityinen. Vain taululle lisätyt henkilöt voivat nähdä ja muokata sitä.", + "profile": "Profiili", + "public": "Julkinen", + "public-desc": "Tämä taulu on julkinen. Se näkyy kenelle tahansa jolla on linkki ja näkyy myös hakukoneissa kuten Google. Vain taululle lisätyt henkilöt voivat muokata sitä.", + "quick-access-description": "Merkkaa taulu tähdellä lisätäksesi pikavalinta tähän palkkiin.", + "remove-cover": "Poista kansi", + "remove-from-board": "Poista taululta", + "remove-label": "Poista tunniste", + "listDeletePopup-title": "Poista lista ?", + "remove-member": "Poista jäsen", + "remove-member-from-card": "Poista kortilta", + "remove-member-pop": "Poista __name__ (__username__) taululta __boardTitle__? Jäsen poistetaan kaikilta taulun korteilta. Heille lähetetään ilmoitus.", + "removeMemberPopup-title": "Poista jäsen?", + "rename": "Nimeä uudelleen", + "rename-board": "Nimeä taulu uudelleen", + "restore": "Palauta", + "save": "Tallenna", + "search": "Etsi", + "search-cards": "Etsi korttien otsikoista ja kuvauksista tällä taululla", + "search-example": "Teksti jota etsitään?", + "select-color": "Valitse väri", + "set-wip-limit-value": "Aseta tämän listan tehtävien enimmäismäärä", + "setWipLimitPopup-title": "Aseta WIP-raja", + "shortcut-assign-self": "Valitse itsesi nykyiselle kortille", + "shortcut-autocomplete-emoji": "Automaattinen täydennys emojille", + "shortcut-autocomplete-members": "Automaattinen täydennys jäsenille", + "shortcut-clear-filters": "Poista kaikki suodattimet", + "shortcut-close-dialog": "Sulje valintaikkuna", + "shortcut-filter-my-cards": "Suodata korttini", + "shortcut-show-shortcuts": "Tuo esiin tämä pikavalinta lista", + "shortcut-toggle-filterbar": "Muokkaa suodatus sivupalkin näkyvyyttä", + "shortcut-toggle-sidebar": "Muokkaa taulu sivupalkin näkyvyyttä", + "show-cards-minimum-count": "Näytä korttien lukumäärä jos lista sisältää enemmän kuin", + "sidebar-open": "Avaa sivupalkki", + "sidebar-close": "Sulje sivupalkki", + "signupPopup-title": "Luo tili", + "star-board-title": "Klikkaa merkataksesi taulu tähdellä. Se tulee näkymään ylimpänä taululistallasi.", + "starred-boards": "Tähdellä merkatut taulut", + "starred-boards-description": "Tähdellä merkatut taulut näkyvät ylimpänä taululistallasi.", + "subscribe": "Tilaa", + "team": "Tiimi", + "this-board": "tämä taulu", + "this-card": "tämä kortti", + "spent-time-hours": "Käytetty aika (tuntia)", + "overtime-hours": "Ylityö (tuntia)", + "overtime": "Ylityö", + "has-overtime-cards": "Sisältää ylityö kortteja", + "has-spenttime-cards": "Sisältää käytetty aika kortteja", + "time": "Aika", + "title": "Otsikko", + "tracking": "Ilmoitukset", + "tracking-info": "Sinulle ilmoitetaan muutoksista korteissa joihin olet osallistunut luojana tai jäsenenä.", + "type": "Tyyppi", + "unassign-member": "Peru jäsenvalinta", + "unsaved-description": "Sinulla on tallentamaton kuvaus.", + "unwatch": "Lopeta seuraaminen", + "upload": "Lähetä", + "upload-avatar": "Lähetä profiilikuva", + "uploaded-avatar": "Profiilikuva lähetetty", + "username": "Käyttäjätunnus", + "view-it": "Näytä se", + "warn-list-archived": "varoitus: tämä kortti on roskakorissa olevassa listassa", + "watch": "Seuraa", + "watching": "Seurataan", + "watching-info": "Sinulle ilmoitetaan tämän taulun muutoksista", + "welcome-board": "Tervetuloa taulu", + "welcome-swimlane": "Merkkipaalu 1", + "welcome-list1": "Perusasiat", + "welcome-list2": "Edistynyt", + "what-to-do": "Mitä haluat tehdä?", + "wipLimitErrorPopup-title": "Virheellinen WIP-raja", + "wipLimitErrorPopup-dialog-pt1": "Tässä listassa olevien tehtävien määrä on korkeampi kuin asettamasi WIP-raja.", + "wipLimitErrorPopup-dialog-pt2": "Siirrä joitain tehtäviä pois tästä listasta tai määritä korkeampi WIP-raja.", + "admin-panel": "Hallintapaneeli", + "settings": "Asetukset", + "people": "Ihmiset", + "registration": "Rekisteröinti", + "disable-self-registration": "Poista käytöstä itse-rekisteröityminen", + "invite": "Kutsu", + "invite-people": "Kutsu ihmisiä", + "to-boards": "Taulu(i)lle", + "email-addresses": "Sähköpostiosoite", + "smtp-host-description": "SMTP palvelimen osoite jolla sähköpostit lähetetään.", + "smtp-port-description": "Portti jota STMP palvelimesi käyttää lähteville sähköposteille.", + "smtp-tls-description": "Ota käyttöön TLS tuki SMTP palvelimelle", + "smtp-host": "SMTP isäntä", + "smtp-port": "SMTP portti", + "smtp-username": "Käyttäjätunnus", + "smtp-password": "Salasana", + "smtp-tls": "TLS tuki", + "send-from": "Lähettäjä", + "send-smtp-test": "Lähetä testi sähköposti itsellesi", + "invitation-code": "Kutsukoodi", + "email-invite-register-subject": "__inviter__ lähetti sinulle kutsun", + "email-invite-register-text": "Hei __user__,\n\n__inviter__ kutsuu sinut mukaan Wekan ohjelman käyttöön.\n\nOle hyvä ja seuraa allaolevaa linkkiä:\n__url__\n\nJa kutsukoodisi on: __icode__\n\nKiitos.", + "email-smtp-test-subject": "SMTP testi sähköposti Wekanista", + "email-smtp-test-text": "Olet onnistuneesti lähettänyt sähköpostin", + "error-invitation-code-not-exist": "Kutsukoodi ei ole olemassa", + "error-notAuthorized": "Sinulla ei ole oikeutta tarkastella tätä sivua.", + "outgoing-webhooks": "Lähtevät Webkoukut", + "outgoingWebhooksPopup-title": "Lähtevät Webkoukut", + "new-outgoing-webhook": "Uusi lähtevä Webkoukku", + "no-name": "(Tuntematon)", + "Wekan_version": "Wekan versio", + "Node_version": "Node versio", + "OS_Arch": "Käyttöjärjestelmän arkkitehtuuri", + "OS_Cpus": "Käyttöjärjestelmän CPU määrä", + "OS_Freemem": "Käyttöjärjestelmän vapaa muisti", + "OS_Loadavg": "Käyttöjärjestelmän kuorman keskiarvo", + "OS_Platform": "Käyttöjärjestelmäalusta", + "OS_Release": "Käyttöjärjestelmän julkaisu", + "OS_Totalmem": "Käyttöjärjestelmän muistin kokonaismäärä", + "OS_Type": "Käyttöjärjestelmän tyyppi", + "OS_Uptime": "Käyttöjärjestelmä ollut käynnissä", + "hours": "tuntia", + "minutes": "minuuttia", + "seconds": "sekuntia", + "show-field-on-card": "Näytä tämä kenttä kortilla", + "yes": "Kyllä", + "no": "Ei", + "accounts": "Tilit", + "accounts-allowEmailChange": "Salli sähköpostiosoitteen muuttaminen", + "accounts-allowUserNameChange": "Salli käyttäjätunnuksen muuttaminen", + "createdAt": "Luotu", + "verified": "Varmistettu", + "active": "Aktiivinen", + "card-received": "Vastaanotettu", + "card-received-on": "Vastaanotettu", + "card-end": "Loppuu", + "card-end-on": "Loppuu", + "editCardReceivedDatePopup-title": "Vaihda vastaanottamispäivää", + "editCardEndDatePopup-title": "Vaihda loppumispäivää", + "assigned-by": "Tehtävänantaja", + "requested-by": "Pyytäjä", + "board-delete-notice": "Poistaminen on lopullista. Menetät kaikki listat, kortit ja toimet tällä taululla.", + "delete-board-confirm-popup": "Kaikki listat, kortit, tunnisteet ja toimet poistetaan ja et pysty palauttamaan taulun sisältöä. Tätä ei voi peruuttaa.", + "boardDeletePopup-title": "Poista taulu?", + "delete-board": "Poista taulu" +} \ No newline at end of file diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json new file mode 100644 index 00000000..c08cabfb --- /dev/null +++ b/i18n/fr.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accepter", + "act-activity-notify": "[Wekan] Notification d'activité", + "act-addAttachment": "a joint __attachment__ à __card__", + "act-addChecklist": "a ajouté la checklist __checklist__ à __card__", + "act-addChecklistItem": "a ajouté l'élément __checklistItem__ à la checklist __checklist__ de __card__", + "act-addComment": "a commenté __card__ : __comment__", + "act-createBoard": "a créé __board__", + "act-createCard": "a ajouté __card__ à __list__", + "act-createCustomField": "a créé le champ personnalisé __customField__", + "act-createList": "a ajouté __list__ à __board__", + "act-addBoardMember": "a ajouté __member__ à __board__", + "act-archivedBoard": "__board__ a été déplacé vers la corbeille", + "act-archivedCard": "__card__ a été déplacée vers la corbeille", + "act-archivedList": "__list__ a été déplacée vers la corbeille", + "act-archivedSwimlane": "__swimlane__ a été déplacé vers la corbeille", + "act-importBoard": "a importé __board__", + "act-importCard": "a importé __card__", + "act-importList": "a importé __list__", + "act-joinMember": "a ajouté __member__ à __card__", + "act-moveCard": "a déplacé __card__ de __oldList__ à __list__", + "act-removeBoardMember": "a retiré __member__ de __board__", + "act-restoredCard": "a restauré __card__ dans __board__", + "act-unjoinMember": "a retiré __member__ de __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activités", + "activity": "Activité", + "activity-added": "a ajouté %s à %s", + "activity-archived": "%s a été déplacé vers la corbeille", + "activity-attached": "a attaché %s à %s", + "activity-created": "a créé %s", + "activity-customfield-created": "a créé le champ personnalisé %s", + "activity-excluded": "a exclu %s de %s", + "activity-imported": "a importé %s vers %s depuis %s", + "activity-imported-board": "a importé %s depuis %s", + "activity-joined": "a rejoint %s", + "activity-moved": "a déplacé %s de %s vers %s", + "activity-on": "sur %s", + "activity-removed": "a supprimé %s de %s", + "activity-sent": "a envoyé %s vers %s", + "activity-unjoined": "a quitté %s", + "activity-checklist-added": "a ajouté une checklist à %s", + "activity-checklist-item-added": "a ajouté un élément à la checklist '%s' dans %s", + "add": "Ajouter", + "add-attachment": "Ajouter une pièce jointe", + "add-board": "Ajouter un tableau", + "add-card": "Ajouter une carte", + "add-swimlane": "Ajouter un couloir", + "add-checklist": "Ajouter une checklist", + "add-checklist-item": "Ajouter un élément à la checklist", + "add-cover": "Ajouter la couverture", + "add-label": "Ajouter une étiquette", + "add-list": "Ajouter une liste", + "add-members": "Assigner des membres", + "added": "Ajouté le", + "addMemberPopup-title": "Membres", + "admin": "Admin", + "admin-desc": "Peut voir et éditer les cartes, supprimer des membres et changer les paramètres du tableau.", + "admin-announcement": "Annonce", + "admin-announcement-active": "Annonce destinée à tous", + "admin-announcement-title": "Annonce de l'administrateur", + "all-boards": "Tous les tableaux", + "and-n-other-card": "Et __count__ autre carte", + "and-n-other-card_plural": "Et __count__ autres cartes", + "apply": "Appliquer", + "app-is-offline": "Chargement en cours, veuillez patienter. Vous risquez de perdre des données si vous rechargez la page. Si le chargement échoue, veuillez vérifier l'état du serveur Wekan.", + "archive": "Déplacer vers la corbeille", + "archive-all": "Tout déplacer vers la corbeille", + "archive-board": "Déplacer le tableau vers la corbeille", + "archive-card": "Déplacer la carte vers la corbeille", + "archive-list": "Déplacer la liste vers la corbeille", + "archive-swimlane": "Déplacer le couloir vers la corbeille", + "archive-selection": "Déplacer la sélection vers la corbeille", + "archiveBoardPopup-title": "Déplacer le tableau vers la corbeille ?", + "archived-items": "Corbeille", + "archived-boards": "Tableaux dans la corbeille", + "restore-board": "Restaurer le tableau", + "no-archived-boards": "Aucun tableau dans la corbeille.", + "archives": "Corbeille", + "assign-member": "Affecter un membre", + "attached": "joint", + "attachment": "Pièce jointe", + "attachment-delete-pop": "La suppression d'une pièce jointe est définitive. Elle ne peut être annulée.", + "attachmentDeletePopup-title": "Supprimer la pièce jointe ?", + "attachments": "Pièces jointes", + "auto-watch": "Surveiller automatiquement les tableaux quand ils sont créés", + "avatar-too-big": "La taille du fichier de l'avatar est trop importante (70 ko au maximum)", + "back": "Retour", + "board-change-color": "Changer la couleur", + "board-nb-stars": "%s étoiles", + "board-not-found": "Tableau non trouvé", + "board-private-info": "Ce tableau sera privé", + "board-public-info": "Ce tableau sera public.", + "boardChangeColorPopup-title": "Change la couleur de fond du tableau", + "boardChangeTitlePopup-title": "Renommer le tableau", + "boardChangeVisibilityPopup-title": "Changer la visibilité", + "boardChangeWatchPopup-title": "Modifier le suivi", + "boardMenuPopup-title": "Menu du tableau", + "boards": "Tableaux", + "board-view": "Vue du tableau", + "board-view-swimlanes": "Couloirs", + "board-view-lists": "Listes", + "bucket-example": "Comme « todo list » par exemple", + "cancel": "Annuler", + "card-archived": "Cette carte est déplacée vers la corbeille.", + "card-comments-title": "Cette carte a %s commentaires.", + "card-delete-notice": "La suppression est permanente. Vous perdrez toutes les actions associées à cette carte.", + "card-delete-pop": "Toutes les actions vont être supprimées du suivi d'activités et vous ne pourrez plus utiliser cette carte. Cette action est irréversible.", + "card-delete-suggest-archive": "Vous pouvez déplacer une carte vers la corbeille afin de l'enlever du tableau tout en préservant l'activité.", + "card-due": "À échéance", + "card-due-on": "Échéance le", + "card-spent": "Temps passé", + "card-edit-attachments": "Modifier les pièces jointes", + "card-edit-custom-fields": "Éditer les champs personnalisés", + "card-edit-labels": "Modifier les étiquettes", + "card-edit-members": "Modifier les membres", + "card-labels-title": "Modifier les étiquettes de la carte.", + "card-members-title": "Ajouter ou supprimer des membres à la carte.", + "card-start": "Début", + "card-start-on": "Commence le", + "cardAttachmentsPopup-title": "Joindre depuis", + "cardCustomField-datePopup-title": "Changer la date", + "cardCustomFieldsPopup-title": "Éditer les champs personnalisés", + "cardDeletePopup-title": "Supprimer la carte ?", + "cardDetailsActionsPopup-title": "Actions sur la carte", + "cardLabelsPopup-title": "Étiquettes", + "cardMembersPopup-title": "Membres", + "cardMorePopup-title": "Plus", + "cards": "Cartes", + "cards-count": "Cartes", + "change": "Modifier", + "change-avatar": "Modifier l'avatar", + "change-password": "Modifier le mot de passe", + "change-permissions": "Modifier les permissions", + "change-settings": "Modifier les paramètres", + "changeAvatarPopup-title": "Modifier l'avatar", + "changeLanguagePopup-title": "Modifier la langue", + "changePasswordPopup-title": "Modifier le mot de passe", + "changePermissionsPopup-title": "Modifier les permissions", + "changeSettingsPopup-title": "Modifier les paramètres", + "checklists": "Checklists", + "click-to-star": "Cliquez pour ajouter ce tableau aux favoris.", + "click-to-unstar": "Cliquez pour retirer ce tableau des favoris.", + "clipboard": "Presse-papier ou glisser-déposer", + "close": "Fermer", + "close-board": "Fermer le tableau", + "close-board-pop": "Vous pourrez restaurer le tableau en cliquant le bouton « Corbeille » en entête.", + "color-black": "noir", + "color-blue": "bleu", + "color-green": "vert", + "color-lime": "citron vert", + "color-orange": "orange", + "color-pink": "rose", + "color-purple": "violet", + "color-red": "rouge", + "color-sky": "ciel", + "color-yellow": "jaune", + "comment": "Commenter", + "comment-placeholder": "Écrire un commentaire", + "comment-only": "Commentaire uniquement", + "comment-only-desc": "Ne peut que commenter des cartes.", + "computer": "Ordinateur", + "confirm-checklist-delete-dialog": "Êtes-vous sûr de vouloir supprimer la checklist", + "copy-card-link-to-clipboard": "Copier le lien vers la carte dans le presse-papier", + "copyCardPopup-title": "Copier la carte", + "copyChecklistToManyCardsPopup-title": "Copier le modèle de checklist vers plusieurs cartes", + "copyChecklistToManyCardsPopup-instructions": "Titres et descriptions des cartes de destination dans ce format JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titre de la première carte\", \"description\":\"Description de la première carte\"}, {\"title\":\"Titre de la seconde carte\",\"description\":\"Description de la seconde carte\"},{\"title\":\"Titre de la dernière carte\",\"description\":\"Description de la dernière carte\"} ]", + "create": "Créer", + "createBoardPopup-title": "Créer un tableau", + "chooseBoardSourcePopup-title": "Importer un tableau", + "createLabelPopup-title": "Créer une étiquette", + "createCustomField": "Créer un champ personnalisé", + "createCustomFieldPopup-title": "Créer un champ personnalisé", + "current": "actuel", + "custom-field-delete-pop": "Cette action n'est pas réversible. Elle supprimera ce champ personnalisé de toutes les cartes et détruira son historique.", + "custom-field-checkbox": "Case à cocher", + "custom-field-date": "Date", + "custom-field-dropdown": "Liste de choix", + "custom-field-dropdown-none": "(aucun)", + "custom-field-dropdown-options": "Options de liste", + "custom-field-dropdown-options-placeholder": "Appuyez sur Entrée pour ajouter d'autres options", + "custom-field-dropdown-unknown": "(inconnu)", + "custom-field-number": "Nombre", + "custom-field-text": "Texte", + "custom-fields": "Champs personnalisés", + "date": "Date", + "decline": "Refuser", + "default-avatar": "Avatar par défaut", + "delete": "Supprimer", + "deleteCustomFieldPopup-title": "Supprimer le champ personnalisé ?", + "deleteLabelPopup-title": "Supprimer l'étiquette ?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Préciser l'action sur l'étiquette", + "disambiguateMultiMemberPopup-title": "Préciser l'action sur le membre", + "discard": "Mettre à la corbeille", + "done": "Fait", + "download": "Télécharger", + "edit": "Modifier", + "edit-avatar": "Modifier l'avatar", + "edit-profile": "Modifier le profil", + "edit-wip-limit": "Éditer la limite WIP", + "soft-wip-limit": "Limite WIP douce", + "editCardStartDatePopup-title": "Modifier la date de début", + "editCardDueDatePopup-title": "Modifier la date d'échéance", + "editCustomFieldPopup-title": "Éditer le champ personnalisé", + "editCardSpentTimePopup-title": "Changer le temps passé", + "editLabelPopup-title": "Modifier l'étiquette", + "editNotificationPopup-title": "Modifier la notification", + "editProfilePopup-title": "Modifier le profil", + "email": "Email", + "email-enrollAccount-subject": "Un compte a été créé pour vous sur __siteName__", + "email-enrollAccount-text": "Bonjour __user__,\n\nPour commencer à utiliser ce service, il suffit de cliquer sur le lien ci-dessous.\n\n__url__\n\nMerci.", + "email-fail": "Échec de l'envoi du courriel.", + "email-fail-text": "Une erreur est survenue en tentant d'envoyer l'email", + "email-invalid": "Adresse email incorrecte.", + "email-invite": "Inviter par email", + "email-invite-subject": "__inviter__ vous a envoyé une invitation", + "email-invite-text": "Cher __user__,\n\n__inviter__ vous invite à rejoindre le tableau \"__board__\" pour collaborer.\n\nVeuillez suivre le lien ci-dessous :\n\n__url__\n\nMerci.", + "email-resetPassword-subject": "Réinitialiser votre mot de passe sur __siteName__", + "email-resetPassword-text": "Bonjour __user__,\n\nPour réinitialiser votre mot de passe, cliquez sur le lien ci-dessous.\n\n__url__\n\nMerci.", + "email-sent": "Courriel envoyé", + "email-verifyEmail-subject": "Vérifier votre adresse de courriel sur __siteName__", + "email-verifyEmail-text": "Bonjour __user__,\n\nPour vérifier votre compte courriel, il suffit de cliquer sur le lien ci-dessous.\n\n__url__\n\nMerci.", + "enable-wip-limit": "Activer la limite WIP", + "error-board-doesNotExist": "Ce tableau n'existe pas", + "error-board-notAdmin": "Vous devez être administrateur de ce tableau pour faire cela", + "error-board-notAMember": "Vous devez être membre de ce tableau pour faire cela", + "error-json-malformed": "Votre texte JSON n'est pas valide", + "error-json-schema": "Vos données JSON ne contiennent pas l'information appropriée dans un format correct", + "error-list-doesNotExist": "Cette liste n'existe pas", + "error-user-doesNotExist": "Cet utilisateur n'existe pas", + "error-user-notAllowSelf": "Vous ne pouvez pas vous inviter vous-même", + "error-user-notCreated": "Cet utilisateur n'a pas encore été créé", + "error-username-taken": "Ce nom d'utilisateur est déjà utilisé", + "error-email-taken": "Cette adresse mail est déjà utilisée", + "export-board": "Exporter le tableau", + "filter": "Filtrer", + "filter-cards": "Filtrer les cartes", + "filter-clear": "Supprimer les filtres", + "filter-no-label": "Aucune étiquette", + "filter-no-member": "Aucun membre", + "filter-no-custom-fields": "Pas de champs personnalisés", + "filter-on": "Le filtre est actif", + "filter-on-desc": "Vous êtes en train de filtrer les cartes sur ce tableau. Cliquez ici pour modifier les filtres.", + "filter-to-selection": "Filtre vers la sélection", + "advanced-filter-label": "Filtre avancé", + "advanced-filter-description": "Le filtre avancé permet d'écrire une chaîne contenant les opérateur suivants : == != <= >= && || ( ). Les opérateurs doivent être séparés par des espaces. Vous pouvez filtrer tous les champs personnalisés en saisissant leur nom et leur valeur. Par exemple : champ1 == valeur1. Note : si des champs ou valeurs contiennent des espaces, vous devez les mettre entre apostrophes. Par exemple : 'champ 1' = 'valeur 1'. Il est également possible de combiner plusieurs conditions. Par exemple : f1 == v1 || f2 == v2. Normalement, tous les opérateurs sont interprétés de gauche à droite. Vous pouvez changer l'ordre à l'aide de parenthèses. Par exemple : f1 == v1 and (f2 == v2 || f2 == v3).", + "fullname": "Nom complet", + "header-logo-title": "Retourner à la page des tableaux", + "hide-system-messages": "Masquer les messages système", + "headerBarCreateBoardPopup-title": "Créer un tableau", + "home": "Accueil", + "import": "Importer", + "import-board": "importer un tableau", + "import-board-c": "Importer un tableau", + "import-board-title-trello": "Importer le tableau depuis Trello", + "import-board-title-wekan": "Importer un tableau depuis Wekan", + "import-sandstorm-warning": "Le tableau importé supprimera toutes les données du tableau et les remplacera avec celles du tableau importé.", + "from-trello": "Depuis Trello", + "from-wekan": "Depuis Wekan", + "import-board-instruction-trello": "Dans votre tableau Trello, allez sur 'Menu', puis sur 'Plus', 'Imprimer et exporter', 'Exporter en JSON' et copiez le texte du résultat", + "import-board-instruction-wekan": "Dans votre tableau Wekan, allez dans 'Menu', puis 'Exporter un tableau', et copier le texte du fichier téléchargé.", + "import-json-placeholder": "Collez ici les données JSON valides", + "import-map-members": "Faire correspondre aux membres", + "import-members-map": "Le tableau que vous venez d'importer contient des membres. Veuillez associer les membres que vous souhaitez importer à des utilisateurs de Wekan.", + "import-show-user-mapping": "Contrôler l'association des membres", + "import-user-select": "Sélectionnez l'utilisateur Wekan que vous voulez associer à ce membre", + "importMapMembersAddPopup-title": "Sélectionner le membre Wekan", + "info": "Version", + "initials": "Initiales", + "invalid-date": "Date invalide", + "invalid-time": "Temps invalide", + "invalid-user": "Utilisateur invalide", + "joined": "a rejoint", + "just-invited": "Vous venez d'être invité à ce tableau", + "keyboard-shortcuts": "Raccourcis clavier", + "label-create": "Créer une étiquette", + "label-default": "étiquette %s (défaut)", + "label-delete-pop": "Cette action est irréversible. Elle supprimera cette étiquette de toutes les cartes ainsi que l'historique associé.", + "labels": "Étiquettes", + "language": "Langue", + "last-admin-desc": "Vous ne pouvez pas changer les rôles car il doit y avoir au moins un administrateur.", + "leave-board": "Quitter le tableau", + "leave-board-pop": "Êtes-vous sur de vouloir quitter __boardTitle__ ? Vous ne serez plus associé aux cartes de ce tableau.", + "leaveBoardPopup-title": "Quitter le tableau", + "link-card": "Lier à cette carte", + "list-archive-cards": "Déplacer toutes les cartes de la liste vers la corbeille", + "list-archive-cards-pop": "Cela supprimera du tableau toutes les cartes de cette liste. Pour voir les cartes dans la corbeille et les renvoyer vers le tableau, cliquez sur « Menu » puis « Corbeille ».", + "list-move-cards": "Déplacer toutes les cartes de cette liste", + "list-select-cards": "Sélectionner toutes les cartes de cette liste", + "listActionPopup-title": "Actions sur la liste", + "swimlaneActionPopup-title": "Actions du couloir", + "listImportCardPopup-title": "Importer une carte Trello", + "listMorePopup-title": "Plus", + "link-list": "Lien vers cette liste", + "list-delete-pop": "Toutes les actions seront supprimées du fil d'activité et il ne sera plus possible de les récupérer. Cette action ne peut pas être annulée.", + "list-delete-suggest-archive": "Vous pouvez déplacer une liste vers la corbeille pour l'enlever du tableau tout en conservant son activité.", + "lists": "Listes", + "swimlanes": "Couloirs", + "log-out": "Déconnexion", + "log-in": "Connexion", + "loginPopup-title": "Connexion", + "memberMenuPopup-title": "Préférence de membre", + "members": "Membres", + "menu": "Menu", + "move-selection": "Déplacer la sélection", + "moveCardPopup-title": "Déplacer la carte", + "moveCardToBottom-title": "Déplacer tout en bas", + "moveCardToTop-title": "Déplacer tout en haut", + "moveSelectionPopup-title": "Déplacer la sélection", + "multi-selection": "Sélection multiple", + "multi-selection-on": "Multi-Selection active", + "muted": "Silencieux", + "muted-info": "Vous ne serez jamais averti des modifications effectuées dans ce tableau", + "my-boards": "Mes tableaux", + "name": "Nom", + "no-archived-cards": "Aucune carte dans la corbeille.", + "no-archived-lists": "Aucune liste dans la corbeille.", + "no-archived-swimlanes": "Aucun couloir dans la corbeille.", + "no-results": "Pas de résultats", + "normal": "Normal", + "normal-desc": "Peut voir et modifier les cartes. Ne peut pas changer les paramètres.", + "not-accepted-yet": "L'invitation n'a pas encore été acceptée", + "notify-participate": "Recevoir les mises à jour de toutes les cartes auxquelles vous participez en tant que créateur ou que membre ", + "notify-watch": "Recevoir les mises à jour de tous les tableaux, listes ou cartes que vous suivez", + "optional": "optionnel", + "or": "ou", + "page-maybe-private": "Cette page est peut-être privée. Vous pourrez peut-être la voir en vous connectant.", + "page-not-found": "Page non trouvée", + "password": "Mot de passe", + "paste-or-dragdrop": "pour coller, ou glissez-déposez une image ici (seulement une image)", + "participating": "Participant", + "preview": "Prévisualiser", + "previewAttachedImagePopup-title": "Prévisualiser", + "previewClipboardImagePopup-title": "Prévisualiser", + "private": "Privé", + "private-desc": "Ce tableau est privé. Seuls les membres peuvent y accéder et le modifier.", + "profile": "Profil", + "public": "Public", + "public-desc": "Ce tableau est public. Il est accessible par toutes les personnes disposant du lien et apparaîtra dans les résultats des moteurs de recherche tels que Google. Seuls les membres peuvent le modifier.", + "quick-access-description": "Ajouter un tableau à vos favoris pour créer un raccourci dans cette barre.", + "remove-cover": "Enlever la page de présentation", + "remove-from-board": "Retirer du tableau", + "remove-label": "Retirer l'étiquette", + "listDeletePopup-title": "Supprimer la liste ?", + "remove-member": "Supprimer le membre", + "remove-member-from-card": "Supprimer de la carte", + "remove-member-pop": "Supprimer __name__ (__username__) de __boardTitle__ ? Ce membre sera supprimé de toutes les cartes du tableau et recevra une notification.", + "removeMemberPopup-title": "Supprimer le membre ?", + "rename": "Renommer", + "rename-board": "Renommer le tableau", + "restore": "Restaurer", + "save": "Enregistrer", + "search": "Chercher", + "search-cards": "Rechercher parmi les titres et descriptions des cartes de ce tableau", + "search-example": "Texte à rechercher ?", + "select-color": "Sélectionner une couleur", + "set-wip-limit-value": "Définit une limite maximale au nombre de cartes de cette liste", + "setWipLimitPopup-title": "Définir la limite WIP", + "shortcut-assign-self": "Affecter cette carte à vous-même", + "shortcut-autocomplete-emoji": "Auto-complétion des emoji", + "shortcut-autocomplete-members": "Auto-complétion des membres", + "shortcut-clear-filters": "Retirer tous les filtres", + "shortcut-close-dialog": "Fermer la boîte de dialogue", + "shortcut-filter-my-cards": "Filtrer mes cartes", + "shortcut-show-shortcuts": "Afficher cette liste de raccourcis", + "shortcut-toggle-filterbar": "Afficher/Cacher la barre latérale des filtres", + "shortcut-toggle-sidebar": "Afficher/Cacher la barre latérale du tableau", + "show-cards-minimum-count": "Afficher le nombre de cartes si la liste en contient plus de ", + "sidebar-open": "Ouvrir le panneau", + "sidebar-close": "Fermer le panneau", + "signupPopup-title": "Créer un compte", + "star-board-title": "Cliquer pour ajouter ce tableau aux favoris. Il sera affiché en tête de votre liste de tableaux.", + "starred-boards": "Tableaux favoris", + "starred-boards-description": "Les tableaux favoris s'affichent en tête de votre liste de tableaux.", + "subscribe": "Suivre", + "team": "Équipe", + "this-board": "ce tableau", + "this-card": "cette carte", + "spent-time-hours": "Temps passé (heures)", + "overtime-hours": "Temps supplémentaire (heures)", + "overtime": "Temps supplémentaire", + "has-overtime-cards": "A des cartes avec du temps supplémentaire", + "has-spenttime-cards": "A des cartes avec du temps passé", + "time": "Temps", + "title": "Titre", + "tracking": "Suivi", + "tracking-info": "Vous serez notifié de toute modification concernant les cartes pour lesquelles vous êtes impliqué en tant que créateur ou membre.", + "type": "Type", + "unassign-member": "Retirer le membre", + "unsaved-description": "Vous avez une description non sauvegardée", + "unwatch": "Arrêter de suivre", + "upload": "Télécharger", + "upload-avatar": "Télécharger un avatar", + "uploaded-avatar": "Avatar téléchargé", + "username": "Nom d'utilisateur", + "view-it": "Le voir", + "warn-list-archived": "Attention : cette carte est dans une liste se trouvant dans la corbeille", + "watch": "Suivre", + "watching": "Suivi", + "watching-info": "Vous serez notifié de toute modification dans ce tableau", + "welcome-board": "Tableau de bienvenue", + "welcome-swimlane": "Jalon 1", + "welcome-list1": "Basiques", + "welcome-list2": "Avancés", + "what-to-do": "Que voulez-vous faire ?", + "wipLimitErrorPopup-title": "Limite WIP invalide", + "wipLimitErrorPopup-dialog-pt1": "Le nombre de cartes de cette liste est supérieur à la limite WIP que vous avez définie.", + "wipLimitErrorPopup-dialog-pt2": "Veuillez enlever des cartes de cette liste, ou définir une limite WIP plus importante.", + "admin-panel": "Panneau d'administration", + "settings": "Paramètres", + "people": "Personne", + "registration": "Inscription", + "disable-self-registration": "Désactiver l'inscription", + "invite": "Inviter", + "invite-people": "Inviter une personne", + "to-boards": "Au(x) tableau(x)", + "email-addresses": "Adresses email", + "smtp-host-description": "L'adresse du serveur SMTP qui gère vos mails.", + "smtp-port-description": "Le port des mails sortants du serveur SMTP.", + "smtp-tls-description": "Activer la gestion de TLS sur le serveur SMTP", + "smtp-host": "Hôte SMTP", + "smtp-port": "Port SMTP", + "smtp-username": "Nom d'utilisateur", + "smtp-password": "Mot de passe", + "smtp-tls": "Prise en charge de TLS", + "send-from": "De", + "send-smtp-test": "Envoyer un mail de test à vous-même", + "invitation-code": "Code d'invitation", + "email-invite-register-subject": "__inviter__ vous a envoyé une invitation", + "email-invite-register-text": "Cher __user__,\n\n__inviter__ vous invite à le rejoindre sur Wekan pour collaborer.\n\nVeuillez suivre le lien ci-dessous :\n__url__\n\nVotre code d'invitation est : __icode__\n\nMerci.", + "email-smtp-test-subject": "Email de test SMTP de Wekan", + "email-smtp-test-text": "Vous avez envoyé un mail avec succès", + "error-invitation-code-not-exist": "Ce code d'invitation n'existe pas.", + "error-notAuthorized": "Vous n'êtes pas autorisé à accéder à cette page.", + "outgoing-webhooks": "Webhooks sortants", + "outgoingWebhooksPopup-title": "Webhooks sortants", + "new-outgoing-webhook": "Nouveau webhook sortant", + "no-name": "(Inconnu)", + "Wekan_version": "Version de Wekan", + "Node_version": "Version de Node", + "OS_Arch": "OS Architecture", + "OS_Cpus": "OS Nombre CPU", + "OS_Freemem": "OS Mémoire libre", + "OS_Loadavg": "OS Charge moyenne", + "OS_Platform": "OS Plate-forme", + "OS_Release": "OS Version", + "OS_Totalmem": "OS Mémoire totale", + "OS_Type": "OS Type", + "OS_Uptime": "OS Durée de fonctionnement", + "hours": "heures", + "minutes": "minutes", + "seconds": "secondes", + "show-field-on-card": "Afficher ce champ sur la carte", + "yes": "Oui", + "no": "Non", + "accounts": "Comptes", + "accounts-allowEmailChange": "Autoriser le changement d'adresse mail", + "accounts-allowUserNameChange": "Permettre la modification de l'identifiant", + "createdAt": "Créé le", + "verified": "Vérifié", + "active": "Actif", + "card-received": "Reçue", + "card-received-on": "Reçue le", + "card-end": "Fin", + "card-end-on": "Se termine le", + "editCardReceivedDatePopup-title": "Changer la date de réception", + "editCardEndDatePopup-title": "Changer la date de fin", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json new file mode 100644 index 00000000..f632498c --- /dev/null +++ b/i18n/gl.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Aceptar", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Accións", + "activities": "Actividades", + "activity": "Actividade", + "activity-added": "engadiuse %s a %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Engadir", + "add-attachment": "Engadir anexo", + "add-board": "Engadir taboleiro", + "add-card": "Engadir tarxeta", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Engadir etiqueta", + "add-list": "Engadir lista", + "add-members": "Engadir membros", + "added": "Added", + "addMemberPopup-title": "Membros", + "admin": "Admin", + "admin-desc": "Pode ver e editar tarxetas, retirar membros e cambiar a configuración do taboleiro.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "Todos os taboleiros", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restaurar taboleiro", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Anexo", + "attachment-delete-pop": "A eliminación de anexos é permanente. Non se pode desfacer.", + "attachmentDeletePopup-title": "Eliminar anexo?", + "attachments": "Anexos", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Cambiar cor", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Taboleiros", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Listas", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancelar", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Editar anexos", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Editar etiquetas", + "card-edit-members": "Editar membros", + "card-labels-title": "Cambiar as etiquetas da tarxeta.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Etiquetas", + "cardMembersPopup-title": "Membros", + "cardMorePopup-title": "Máis", + "cards": "Tarxetas", + "cards-count": "Tarxetas", + "change": "Cambiar", + "change-avatar": "Cambiar o avatar", + "change-password": "Cambiar o contrasinal", + "change-permissions": "Cambiar os permisos", + "change-settings": "Cambiar a configuración", + "changeAvatarPopup-title": "Cambiar o avatar", + "changeLanguagePopup-title": "Cambiar de idioma", + "changePasswordPopup-title": "Cambiar o contrasinal", + "changePermissionsPopup-title": "Cambiar os permisos", + "changeSettingsPopup-title": "Cambiar a configuración", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "negro", + "color-blue": "azul", + "color-green": "verde", + "color-lime": "lime", + "color-orange": "laranxa", + "color-pink": "rosa", + "color-purple": "purple", + "color-red": "vermello", + "color-sky": "celeste", + "color-yellow": "amarelo", + "comment": "Comentario", + "comment-placeholder": "Escribir un comentario", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computador", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Crear", + "createBoardPopup-title": "Crear taboleiro", + "chooseBoardSourcePopup-title": "Importar taboleiro", + "createLabelPopup-title": "Crear etiqueta", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "actual", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Data", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Data", + "decline": "Rexeitar", + "default-avatar": "Avatar predeterminado", + "delete": "Eliminar", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Eliminar a etiqueta?", + "description": "Descrición", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Desbotar", + "done": "Feito", + "download": "Descargar", + "edit": "Editar", + "edit-avatar": "Cambiar de avatar", + "edit-profile": "Editar o perfil", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Cambiar a data de inicio", + "editCardDueDatePopup-title": "Cambiar a data límite", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Cambiar a etiqueta", + "editNotificationPopup-title": "Editar a notificación", + "editProfilePopup-title": "Editar o perfil", + "email": "Correo electrónico", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "Esta lista non existe", + "error-user-doesNotExist": "Este usuario non existe", + "error-user-notAllowSelf": "Non é posíbel convidarse a un mesmo", + "error-user-notCreated": "Este usuario non está creado", + "error-username-taken": "Este nome de usuario xa está collido", + "error-email-taken": "Email has already been taken", + "export-board": "Exportar taboleiro", + "filter": "Filtro", + "filter-cards": "Filtrar tarxetas", + "filter-clear": "Limpar filtro", + "filter-no-label": "Non hai etiquetas", + "filter-no-member": "Non hai membros", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "O filtro está activado", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Nome completo", + "header-logo-title": "Retornar á páxina dos seus taboleiros.", + "hide-system-messages": "Agochar as mensaxes do sistema", + "headerBarCreateBoardPopup-title": "Crear taboleiro", + "home": "Inicio", + "import": "Importar", + "import-board": "importar taboleiro", + "import-board-c": "Importar taboleiro", + "import-board-title-trello": "Importar taboleiro de Trello", + "import-board-title-wekan": "Importar taboleiro de Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "De Trello", + "from-wekan": "De Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Iniciais", + "invalid-date": "A data é incorrecta", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Crear etiqueta", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Etiquetas", + "language": "Idioma", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Saír do taboleiro", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "Máis", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Listas", + "swimlanes": "Swimlanes", + "log-out": "Pechar a sesión", + "log-in": "Acceder", + "loginPopup-title": "Acceder", + "memberMenuPopup-title": "Member Settings", + "members": "Membros", + "menu": "Menú", + "move-selection": "Mover selección", + "moveCardPopup-title": "Mover tarxeta", + "moveCardToBottom-title": "Mover abaixo de todo", + "moveCardToTop-title": "Mover arriba de todo", + "moveSelectionPopup-title": "Mover selección", + "multi-selection": "Selección múltipla", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Nome", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Non hai resultados", + "normal": "Normal", + "normal-desc": "Pode ver e editar tarxetas. Non pode cambiar a configuración.", + "not-accepted-yet": "O convite aínda non foi aceptado", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "opcional", + "or": "ou", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Non se atopou a páxina.", + "password": "Contrasinal", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Perfil", + "public": "Público", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribir", + "team": "Equipo", + "this-board": "este taboleiro", + "this-card": "esta tarxeta", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Hora", + "title": "Título", + "tracking": "Seguimento", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Enviar", + "upload-avatar": "Enviar un avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Nome de usuario", + "view-it": "Velo", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Vixiar", + "watching": "Vixiando", + "watching-info": "Recibirá unha notificación sobre calquera cambio que se produza neste taboleiro", + "welcome-board": "Taboleiro de benvida", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Fundamentos", + "welcome-list2": "Avanzado", + "what-to-do": "Que desexa facer?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Panel de administración", + "settings": "Configuración", + "people": "Persoas", + "registration": "Rexistro", + "disable-self-registration": "Desactivar o auto-rexistro", + "invite": "Convidar", + "invite-people": "Convidar persoas", + "to-boards": "Ao(s) taboleiro(s)", + "email-addresses": "Enderezos de correo", + "smtp-host-description": "O enderezo do servidor de SMTP que xestiona os seu correo electrónico.", + "smtp-port-description": "O porto que o servidor de SMTP emprega para o correo saínte.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "Servidor de SMTP", + "smtp-port": "Porto de SMTP", + "smtp-username": "Nome de usuario", + "smtp-password": "Contrasinal", + "smtp-tls": "TLS support", + "send-from": "De", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json new file mode 100644 index 00000000..f7193ba5 --- /dev/null +++ b/i18n/he.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "אישור", + "act-activity-notify": "[Wekan] הודעת פעילות", + "act-addAttachment": " __attachment__ צורף לכרטיס __card__", + "act-addChecklist": "רשימת משימות __checklist__ נוספה ל __card__", + "act-addChecklistItem": " __checklistItem__ נוסף לרשימת משימות __checklist__ בכרטיס __card__", + "act-addComment": "התקבלה תגובה על הכרטיס __card__:‏ __comment__", + "act-createBoard": "הלוח __board__ נוצר", + "act-createCard": "הכרטיס __card__ התווסף לרשימה __list__", + "act-createCustomField": "נוצר שדה בהתאמה אישית __customField__", + "act-createList": "הרשימה __list__ התווספה ללוח __board__", + "act-addBoardMember": "המשתמש __member__ נוסף ללוח __board__", + "act-archivedBoard": "__board__ הועבר לסל המחזור", + "act-archivedCard": "__card__ הועבר לסל המחזור", + "act-archivedList": "__list__ הועבר לסל המחזור", + "act-archivedSwimlane": "__swimlane__ הועבר לסל המחזור", + "act-importBoard": "הלוח __board__ יובא", + "act-importCard": "הכרטיס __card__ יובא", + "act-importList": "הרשימה __list__ יובאה", + "act-joinMember": "המשתמש __member__ נוסף לכרטיס __card__", + "act-moveCard": "הכרטיס __card__ הועבר מהרשימה __oldList__ לרשימה __list__", + "act-removeBoardMember": "המשתמש __member__ הוסר מהלוח __board__", + "act-restoredCard": "הכרטיס __card__ שוחזר ללוח __board__", + "act-unjoinMember": "המשתמש __member__ הוסר מהכרטיס __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "פעולות", + "activities": "פעילויות", + "activity": "פעילות", + "activity-added": "%s נוסף ל%s", + "activity-archived": "%s הועבר לסל המחזור", + "activity-attached": "%s צורף ל%s", + "activity-created": "%s נוצר", + "activity-customfield-created": "נוצר שדה בהתאמה אישית %s", + "activity-excluded": "%s לא נכלל ב%s", + "activity-imported": "%s ייובא מ%s אל %s", + "activity-imported-board": "%s ייובא מ%s", + "activity-joined": "הצטרפות אל %s", + "activity-moved": "%s עבר מ%s ל%s", + "activity-on": "ב%s", + "activity-removed": "%s הוסר מ%s", + "activity-sent": "%s נשלח ל%s", + "activity-unjoined": "בטל צירוף %s", + "activity-checklist-added": "נוספה רשימת משימות אל %s", + "activity-checklist-item-added": "נוסף פריט רשימת משימות אל ‚%s‘ תחת %s", + "add": "הוספה", + "add-attachment": "הוספת קובץ מצורף", + "add-board": "הוספת לוח", + "add-card": "הוספת כרטיס", + "add-swimlane": "הוספת מסלול", + "add-checklist": "הוספת רשימת מטלות", + "add-checklist-item": "הוספת פריט לרשימת משימות", + "add-cover": "הוספת כיסוי", + "add-label": "הוספת תווית", + "add-list": "הוספת רשימה", + "add-members": "הוספת חברים", + "added": "התווסף", + "addMemberPopup-title": "חברים", + "admin": "מנהל", + "admin-desc": "יש הרשאות לצפייה ולעריכת כרטיסים, להסרת חברים ולשינוי הגדרות לוח.", + "admin-announcement": "הכרזה", + "admin-announcement-active": "הכרזת מערכת פעילה", + "admin-announcement-title": "הכרזה ממנהל המערכת", + "all-boards": "כל הלוחות", + "and-n-other-card": "וכרטיס אחר", + "and-n-other-card_plural": "ו־__count__ כרטיסים אחרים", + "apply": "החלה", + "app-is-offline": "Wekan בטעינה, נא להמתין. רענון העמוד עשוי להוביל לאובדן מידע. אם הטעינה של Wekan נעצרה, נא לבדוק ששרת ה־Wekan לא נעצר.", + "archive": "העברה לסל המחזור", + "archive-all": "להעביר הכול לסל המחזור", + "archive-board": "העברת הלוח לסל המחזור", + "archive-card": "העברת הכרטיס לסל המחזור", + "archive-list": "העברת הרשימה לסל המחזור", + "archive-swimlane": "העברת מסלול לסל המחזור", + "archive-selection": "העברת הבחירה לסל המחזור", + "archiveBoardPopup-title": "להעביר את הלוח לסל המחזור?", + "archived-items": "סל מחזור", + "archived-boards": "לוחות בסל המחזור", + "restore-board": "שחזור לוח", + "no-archived-boards": "אין לוחות בסל המחזור", + "archives": "סל מחזור", + "assign-member": "הקצאת חבר", + "attached": "מצורף", + "attachment": "קובץ מצורף", + "attachment-delete-pop": "מחיקת קובץ מצורף הנה סופית. אין דרך חזרה.", + "attachmentDeletePopup-title": "למחוק קובץ מצורף?", + "attachments": "קבצים מצורפים", + "auto-watch": "הוספת לוחות למעקב כשהם נוצרים", + "avatar-too-big": "תמונת המשתמש גדולה מדי (70 ק״ב לכל היותר)", + "back": "חזרה", + "board-change-color": "שינוי צבע", + "board-nb-stars": "%s כוכבים", + "board-not-found": "לוח לא נמצא", + "board-private-info": "לוח זה יהיה פרטי.", + "board-public-info": "לוח זה יהיה ציבורי.", + "boardChangeColorPopup-title": "שינוי רקע ללוח", + "boardChangeTitlePopup-title": "שינוי שם הלוח", + "boardChangeVisibilityPopup-title": "שינוי מצב הצגה", + "boardChangeWatchPopup-title": "שינוי הגדרת המעקב", + "boardMenuPopup-title": "תפריט לוח", + "boards": "לוחות", + "board-view": "תצוגת לוח", + "board-view-swimlanes": "מסלולים", + "board-view-lists": "רשימות", + "bucket-example": "כמו למשל „רשימת המשימות“", + "cancel": "ביטול", + "card-archived": "כרטיס זה הועבר לסל המחזור", + "card-comments-title": "לכרטיס זה %s תגובות.", + "card-delete-notice": "מחיקה היא סופית. כל הפעולות המשויכות לכרטיס זה תלכנה לאיוד.", + "card-delete-pop": "כל הפעולות יוסרו מלוח הפעילות ולא תהיה אפשרות לפתוח מחדש את הכרטיס. אין דרך חזרה.", + "card-delete-suggest-archive": "ניתן להעביר כרטיס לסל המחזור כדי להסיר אותו מהלוח ולשמר את הפעילות.", + "card-due": "תאריך יעד", + "card-due-on": "תאריך יעד", + "card-spent": "זמן שהושקע", + "card-edit-attachments": "עריכת קבצים מצורפים", + "card-edit-custom-fields": "עריכת שדות בהתאמה אישית", + "card-edit-labels": "עריכת תוויות", + "card-edit-members": "עריכת חברים", + "card-labels-title": "שינוי תוויות לכרטיס.", + "card-members-title": "הוספה או הסרה של חברי הלוח מהכרטיס.", + "card-start": "התחלה", + "card-start-on": "מתחיל ב־", + "cardAttachmentsPopup-title": "לצרף מ־", + "cardCustomField-datePopup-title": "החלפת תאריך", + "cardCustomFieldsPopup-title": "עריכת שדות בהתאמה אישית", + "cardDeletePopup-title": "למחוק כרטיס?", + "cardDetailsActionsPopup-title": "פעולות על הכרטיס", + "cardLabelsPopup-title": "תוויות", + "cardMembersPopup-title": "חברים", + "cardMorePopup-title": "עוד", + "cards": "כרטיסים", + "cards-count": "כרטיסים", + "change": "שינוי", + "change-avatar": "החלפת תמונת משתמש", + "change-password": "החלפת ססמה", + "change-permissions": "שינוי הרשאות", + "change-settings": "שינוי הגדרות", + "changeAvatarPopup-title": "שינוי תמונת משתמש", + "changeLanguagePopup-title": "החלפת שפה", + "changePasswordPopup-title": "החלפת ססמה", + "changePermissionsPopup-title": "שינוי הרשאות", + "changeSettingsPopup-title": "שינוי הגדרות", + "checklists": "רשימות", + "click-to-star": "יש ללחוץ להוספת הלוח למועדפים.", + "click-to-unstar": "יש ללחוץ להסרת הלוח מהמועדפים.", + "clipboard": "לוח גזירים או גרירה ושחרור", + "close": "סגירה", + "close-board": "סגירת לוח", + "close-board-pop": "תהיה לך אפשרות להסיר את הלוח על ידי לחיצה על הכפתור „סל מחזור” מכותרת הבית.", + "color-black": "שחור", + "color-blue": "כחול", + "color-green": "ירוק", + "color-lime": "ליים", + "color-orange": "כתום", + "color-pink": "ורוד", + "color-purple": "סגול", + "color-red": "אדום", + "color-sky": "תכלת", + "color-yellow": "צהוב", + "comment": "לפרסם", + "comment-placeholder": "כתיבת הערה", + "comment-only": "הערה בלבד", + "comment-only-desc": "ניתן להעיר על כרטיסים בלבד.", + "computer": "מחשב", + "confirm-checklist-delete-dialog": "האם אתה בטוח שברצונך למחוק את רשימת המשימות", + "copy-card-link-to-clipboard": "העתקת קישור הכרטיס ללוח הגזירים", + "copyCardPopup-title": "העתק כרטיס", + "copyChecklistToManyCardsPopup-title": "העתקת תבנית רשימת מטלות למגוון כרטיסים", + "copyChecklistToManyCardsPopup-instructions": "כותרות ותיאורים של כרטיסי יעד בתצורת JSON זו", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"כותרת כרטיס ראשון\", \"description\":\"תיאור כרטיס ראשון\"}, {\"title\":\"כותרת כרטיס שני\",\"description\":\"תיאור כרטיס שני\"},{\"title\":\"כותרת כרטיס אחרון\",\"description\":\"תיאור כרטיס אחרון\"} ]", + "create": "יצירה", + "createBoardPopup-title": "יצירת לוח", + "chooseBoardSourcePopup-title": "ייבוא לוח", + "createLabelPopup-title": "יצירת תווית", + "createCustomField": "יצירת שדה", + "createCustomFieldPopup-title": "יצירת שדה", + "current": "נוכחי", + "custom-field-delete-pop": "אין אפשרות לבטל את הפעולה. הפעולה תסיר את השדה שהותאם אישית מכל הכרטיסים ותשמיד את ההיסטוריה שלו.", + "custom-field-checkbox": "תיבת סימון", + "custom-field-date": "תאריך", + "custom-field-dropdown": "רשימה נגללת", + "custom-field-dropdown-none": "(ללא)", + "custom-field-dropdown-options": "אפשרויות רשימה", + "custom-field-dropdown-options-placeholder": "יש ללחוץ על enter כדי להוסיף עוד אפשרויות", + "custom-field-dropdown-unknown": "(לא ידוע)", + "custom-field-number": "מספר", + "custom-field-text": "טקסט", + "custom-fields": "שדות מותאמים אישית", + "date": "תאריך", + "decline": "סירוב", + "default-avatar": "תמונת משתמש כבררת מחדל", + "delete": "מחיקה", + "deleteCustomFieldPopup-title": "למחוק שדה מותאם אישית?", + "deleteLabelPopup-title": "למחוק תווית?", + "description": "תיאור", + "disambiguateMultiLabelPopup-title": "הבהרת פעולת תווית", + "disambiguateMultiMemberPopup-title": "הבהרת פעולת חבר", + "discard": "התעלמות", + "done": "בוצע", + "download": "הורדה", + "edit": "עריכה", + "edit-avatar": "החלפת תמונת משתמש", + "edit-profile": "עריכת פרופיל", + "edit-wip-limit": "עריכת מגבלת „בעבודה”", + "soft-wip-limit": "מגבלת „בעבודה” רכה", + "editCardStartDatePopup-title": "שינוי מועד התחלה", + "editCardDueDatePopup-title": "שינוי מועד סיום", + "editCustomFieldPopup-title": "עריכת שדה", + "editCardSpentTimePopup-title": "שינוי הזמן שהושקע", + "editLabelPopup-title": "שינוי תווית", + "editNotificationPopup-title": "שינוי דיווח", + "editProfilePopup-title": "עריכת פרופיל", + "email": "דוא״ל", + "email-enrollAccount-subject": "נוצר עבורך חשבון באתר __siteName__", + "email-enrollAccount-text": "__user__ שלום,\n\nכדי להתחיל להשתמש בשירות, יש ללחוץ על הקישור המופיע להלן.\n\n__url__\n\nתודה.", + "email-fail": "שליחת ההודעה בדוא״ל נכשלה", + "email-fail-text": "שגיאה בעת ניסיון לשליחת הודעת דוא״ל", + "email-invalid": "כתובת דוא״ל לא חוקית", + "email-invite": "הזמנה באמצעות דוא״ל", + "email-invite-subject": "נשלחה אליך הזמנה מאת __inviter__", + "email-invite-text": "__user__ שלום,\n\nהוזמנת על ידי __inviter__ להצטרף ללוח „__board__“ להמשך שיתוף הפעולה.\n\nנא ללחוץ על הקישור המופיע להלן:\n\n__url__\n\nתודה.", + "email-resetPassword-subject": "ניתן לאפס את ססמתך לאתר __siteName__", + "email-resetPassword-text": "__user__ שלום,\n\nכדי לאפס את ססמתך, יש ללחוץ על הקישור המופיע להלן.\n\n__url__\n\nתודה.", + "email-sent": "הודעת הדוא״ל נשלחה", + "email-verifyEmail-subject": "אימות כתובת הדוא״ל שלך באתר __siteName__", + "email-verifyEmail-text": "__user__ שלום,\n\nלאימות כתובת הדוא״ל המשויכת לחשבונך, עליך פשוט ללחוץ על הקישור המופיע להלן.\n\n__url__\n\nתודה.", + "enable-wip-limit": "הפעלת מגבלת „בעבודה”", + "error-board-doesNotExist": "לוח זה אינו קיים", + "error-board-notAdmin": "צריכות להיות לך הרשאות ניהול על לוח זה כדי לעשות זאת", + "error-board-notAMember": "עליך לקבל חברות בלוח זה כדי לעשות זאת", + "error-json-malformed": "הטקסט שלך אינו JSON תקין", + "error-json-schema": "נתוני ה־JSON שלך לא כוללים את המידע הנכון בתבנית הנכונה", + "error-list-doesNotExist": "רשימה זו לא קיימת", + "error-user-doesNotExist": "משתמש זה לא קיים", + "error-user-notAllowSelf": "אינך יכול להזמין את עצמך", + "error-user-notCreated": "משתמש זה לא נוצר", + "error-username-taken": "המשתמש כבר קיים במערכת", + "error-email-taken": "כתובת הדוא\"ל כבר נמצאת בשימוש", + "export-board": "ייצוא לוח", + "filter": "מסנן", + "filter-cards": "סינון כרטיסים", + "filter-clear": "ניקוי המסנן", + "filter-no-label": "אין תווית", + "filter-no-member": "אין חבר כזה", + "filter-no-custom-fields": "אין שדות מותאמים אישית", + "filter-on": "המסנן פועל", + "filter-on-desc": "מסנן כרטיסים פעיל בלוח זה. יש ללחוץ כאן לעריכת המסנן.", + "filter-to-selection": "סינון לבחירה", + "advanced-filter-label": "מסנן מתקדם", + "advanced-filter-description": "המסנן המתקדם מאפשר לך לכתוב מחרוזת שמכילה את הפעולות הבאות: == != <= >= && || ( ) רווח מכהן כמפריד בין הפעולות. ניתן לסנן את כל השדות המותאמים אישית על ידי הקלדת שמם והערך שלהם. למשל: שדה1 == ערך1. לתשומת לבך: אם שדות או ערכים מכילים רווח, יש לעטוף אותם במירכא מכל צד. למשל: 'שדה 1' == 'ערך 1'. ניתן גם לשלב מגוון תנאים. למשל: F1 == V1 || F1 = V2. על פי רוב כל הפעולות מפוענחות משמאל לימין. ניתן לשנות את הסדר על ידי הצבת סוגריים. למשל: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "שם מלא", + "header-logo-title": "חזרה לדף הלוחות שלך.", + "hide-system-messages": "הסתרת הודעות מערכת", + "headerBarCreateBoardPopup-title": "יצירת לוח", + "home": "בית", + "import": "יבוא", + "import-board": "ייבוא לוח", + "import-board-c": "יבוא לוח", + "import-board-title-trello": "ייבוא לוח מטרלו", + "import-board-title-wekan": "ייבוא לוח מ־Wekan", + "import-sandstorm-warning": "הלוח שייובא ימחק את כל הנתונים הקיימים בלוח ויחליף אותם בלוח שייובא.", + "from-trello": "מ־Trello", + "from-wekan": "מ־Wekan", + "import-board-instruction-trello": "בלוח הטרלו שלך, עליך ללחוץ על ‚תפריט‘, ואז על ‚עוד‘, ‚הדפסה וייצוא‘, ‚יצוא JSON‘ ולהעתיק את הטקסט שנוצר.", + "import-board-instruction-wekan": "בלוח ה־Wekan, יש לגשת אל ‚תפריט‘, לאחר מכן ‚יצוא לוח‘ ולהעתיק את הטקסט בקובץ שהתקבל.", + "import-json-placeholder": "יש להדביק את נתוני ה־JSON התקינים לכאן", + "import-map-members": "מיפוי חברים", + "import-members-map": "הלוחות המיובאים שלך מכילים חברים. נא למפות את החברים שברצונך לייבא למשתמשי Wekan", + "import-show-user-mapping": "סקירת מיפוי חברים", + "import-user-select": "נא לבחור את המשתמש ב־Wekan בו ברצונך להשתמש עבור חבר זה", + "importMapMembersAddPopup-title": "בחירת משתמש Wekan", + "info": "גרסא", + "initials": "ראשי תיבות", + "invalid-date": "תאריך שגוי", + "invalid-time": "זמן שגוי", + "invalid-user": "משתמש שגוי", + "joined": "הצטרף", + "just-invited": "הוזמנת ללוח זה", + "keyboard-shortcuts": "קיצורי מקלדת", + "label-create": "יצירת תווית", + "label-default": "תווית בצבע %s (בררת מחדל)", + "label-delete-pop": "אין דרך חזרה. התווית תוסר מכל הכרטיסים וההיסטוריה תימחק.", + "labels": "תוויות", + "language": "שפה", + "last-admin-desc": "אין אפשרות לשנות תפקידים כיוון שחייב להיות מנהל אחד לפחות.", + "leave-board": "עזיבת הלוח", + "leave-board-pop": "לעזוב את __boardTitle__? שמך יוסר מכל הכרטיסים שבלוח זה.", + "leaveBoardPopup-title": "לעזוב לוח ?", + "link-card": "קישור לכרטיס זה", + "list-archive-cards": "להעביר את כל הכרטיסים לסל המחזור", + "list-archive-cards-pop": "פעולה זו תסיר את כל הכרטיסים שברשימה זו מהלוח. כדי לצפות בכרטיסים בסל המחזור ולהשיב אותם ללוח ניתן ללחוץ על „תפריט” > „סל מחזור”.", + "list-move-cards": "העברת כל הכרטיסים שברשימה זו", + "list-select-cards": "בחירת כל הכרטיסים שברשימה זו", + "listActionPopup-title": "פעולות רשימה", + "swimlaneActionPopup-title": "פעולות על מסלול", + "listImportCardPopup-title": "יבוא כרטיס מ־Trello", + "listMorePopup-title": "עוד", + "link-list": "קישור לרשימה זו", + "list-delete-pop": "כל הפעולות תוסרנה מרצף הפעילות ולא תהיה לך אפשרות לשחזר את הרשימה. אין ביטול.", + "list-delete-suggest-archive": "ניתן להעביר רשימה לסל מחזור כדי להסיר אותה מהלוח ולשמר את הפעילות.", + "lists": "רשימות", + "swimlanes": "מסלולים", + "log-out": "יציאה", + "log-in": "כניסה", + "loginPopup-title": "כניסה", + "memberMenuPopup-title": "הגדרות חברות", + "members": "חברים", + "menu": "תפריט", + "move-selection": "העברת הבחירה", + "moveCardPopup-title": "העברת כרטיס", + "moveCardToBottom-title": "העברת כרטיס לתחתית הרשימה", + "moveCardToTop-title": "העברת כרטיס לראש הרשימה ", + "moveSelectionPopup-title": "העברת בחירה", + "multi-selection": "בחירה מרובה", + "multi-selection-on": "בחירה מרובה פועלת", + "muted": "מושתק", + "muted-info": "מעתה לא תתקבלנה אצלך התרעות על שינויים בלוח זה", + "my-boards": "הלוחות שלי", + "name": "שם", + "no-archived-cards": "אין כרטיסים בסל המחזור.", + "no-archived-lists": "אין רשימות בסל המחזור.", + "no-archived-swimlanes": "אין מסלולים בסל המחזור.", + "no-results": "אין תוצאות", + "normal": "רגיל", + "normal-desc": "הרשאה לצפות ולערוך כרטיסים. לא ניתן לשנות הגדרות.", + "not-accepted-yet": "ההזמנה לא אושרה עדיין", + "notify-participate": "קבלת עדכונים על כרטיסים בהם יש לך מעורבות הן בתהליך היצירה והן כחבר", + "notify-watch": "קבלת עדכונים על כל לוח, רשימה או כרטיס שסימנת למעקב", + "optional": "רשות", + "or": "או", + "page-maybe-private": "יתכן שדף זה פרטי. ניתן לצפות בו על ידי כניסה למערכת", + "page-not-found": "דף לא נמצא.", + "password": "ססמה", + "paste-or-dragdrop": "כדי להדביק או לגרור ולשחרר קובץ תמונה אליו (תמונות בלבד)", + "participating": "משתתפים", + "preview": "תצוגה מקדימה", + "previewAttachedImagePopup-title": "תצוגה מקדימה", + "previewClipboardImagePopup-title": "תצוגה מקדימה", + "private": "פרטי", + "private-desc": "לוח זה פרטי. רק אנשים שנוספו ללוח יכולים לצפות ולערוך אותו.", + "profile": "פרופיל", + "public": "ציבורי", + "public-desc": "לוח זה ציבורי. כל מי שמחזיק בקישור יכול לצפות בלוח והוא יופיע בתוצאות מנועי חיפוש כגון גוגל. רק אנשים שנוספו ללוח יכולים לערוך אותו.", + "quick-access-description": "לחיצה על הכוכב תוסיף קיצור דרך ללוח בשורה זו.", + "remove-cover": "הסרת כיסוי", + "remove-from-board": "הסרה מהלוח", + "remove-label": "הסרת תווית", + "listDeletePopup-title": "למחוק את הרשימה?", + "remove-member": "הסרת חבר", + "remove-member-from-card": "הסרה מהכרטיס", + "remove-member-pop": "להסיר את __name__ (__username__) מ__boardTitle__? התהליך יגרום להסרת החבר מכל הכרטיסים בלוח זה. תישלח הודעה אל החבר.", + "removeMemberPopup-title": "להסיר חבר?", + "rename": "שינוי שם", + "rename-board": "שינוי שם ללוח", + "restore": "שחזור", + "save": "שמירה", + "search": "חיפוש", + "search-cards": "חיפוש אחר כותרות ותיאורים של כרטיסים בלוח זה", + "search-example": "טקסט לחיפוש ?", + "select-color": "בחירת צבע", + "set-wip-limit-value": "הגדרת מגבלה למספר המרבי של משימות ברשימה זו", + "setWipLimitPopup-title": "הגדרת מגבלת „בעבודה”", + "shortcut-assign-self": "להקצות אותי לכרטיס הנוכחי", + "shortcut-autocomplete-emoji": "השלמה אוטומטית לאימוג׳י", + "shortcut-autocomplete-members": "השלמה אוטומטית של חברים", + "shortcut-clear-filters": "ביטול כל המסננים", + "shortcut-close-dialog": "סגירת החלון", + "shortcut-filter-my-cards": "סינון הכרטיסים שלי", + "shortcut-show-shortcuts": "העלאת רשימת קיצורים זו", + "shortcut-toggle-filterbar": "הצגה או הסתרה של סרגל צד הסינון", + "shortcut-toggle-sidebar": "הצגה או הסתרה של סרגל צד הלוח", + "show-cards-minimum-count": "הצגת ספירת כרטיסים אם רשימה מכילה למעלה מ־", + "sidebar-open": "פתיחת סרגל צד", + "sidebar-close": "סגירת סרגל צד", + "signupPopup-title": "יצירת חשבון", + "star-board-title": "ניתן ללחוץ כדי לסמן בכוכב. הלוח יופיע בראש רשימת הלוחות שלך.", + "starred-boards": "לוחות שסומנו בכוכב", + "starred-boards-description": "לוחות מסומנים בכוכב מופיעים בראש רשימת הלוחות שלך.", + "subscribe": "הרשמה", + "team": "צוות", + "this-board": "לוח זה", + "this-card": "כרטיס זה", + "spent-time-hours": "זמן שהושקע (שעות)", + "overtime-hours": "שעות נוספות", + "overtime": "שעות נוספות", + "has-overtime-cards": "יש כרטיסי שעות נוספות", + "has-spenttime-cards": "ניצל את כרטיסי הזמן שהושקע", + "time": "זמן", + "title": "כותרת", + "tracking": "מעקב", + "tracking-info": "על כל שינוי בכרטיסים בהם הייתה לך מעורבות ברמת היצירה או כחברות תגיע אליך הודעה.", + "type": "סוג", + "unassign-member": "ביטול הקצאת חבר", + "unsaved-description": "יש לך תיאור לא שמור.", + "unwatch": "ביטול מעקב", + "upload": "העלאה", + "upload-avatar": "העלאת תמונת משתמש", + "uploaded-avatar": "הועלתה תמונה משתמש", + "username": "שם משתמש", + "view-it": "הצגה", + "warn-list-archived": "אזהרה: כרטיס זה נמצא ברשימה בסל המחזור", + "watch": "לעקוב", + "watching": "במעקב", + "watching-info": "מעתה יגיעו אליך דיווחים על כל שינוי בלוח זה", + "welcome-board": "לוח קבלת פנים", + "welcome-swimlane": "ציון דרך 1", + "welcome-list1": "יסודות", + "welcome-list2": "מתקדם", + "what-to-do": "מה ברצונך לעשות?", + "wipLimitErrorPopup-title": "מגבלת „בעבודה” שגויה", + "wipLimitErrorPopup-dialog-pt1": "מספר המשימות ברשימה זו גדולה ממגבלת הפריטים „בעבודה” שהגדרת.", + "wipLimitErrorPopup-dialog-pt2": "נא להוציא חלק מהמשימות מרשימה זו או להגדיר מגבלת „בעבודה” גדולה יותר.", + "admin-panel": "חלונית ניהול המערכת", + "settings": "הגדרות", + "people": "אנשים", + "registration": "הרשמה", + "disable-self-registration": "השבתת הרשמה עצמית", + "invite": "הזמנה", + "invite-people": "הזמנת אנשים", + "to-boards": "ללוח/ות", + "email-addresses": "כתובות דוא״ל", + "smtp-host-description": "כתובת שרת ה־SMTP שמטפל בהודעות הדוא״ל שלך.", + "smtp-port-description": "מספר הפתחה בה שרת ה־SMTP שלך משתמש לדוא״ל יוצא.", + "smtp-tls-description": "הפעל תמיכה ב־TLS עבור שרת ה־SMTP", + "smtp-host": "כתובת ה־SMTP", + "smtp-port": "פתחת ה־SMTP", + "smtp-username": "שם משתמש", + "smtp-password": "ססמה", + "smtp-tls": "תמיכה ב־TLS", + "send-from": "מאת", + "send-smtp-test": "שליחת דוא״ל בדיקה לעצמך", + "invitation-code": "קוד הזמנה", + "email-invite-register-subject": "נשלחה אליך הזמנה מאת __inviter__", + "email-invite-register-text": "__user__ יקר,\n\nקיבלת הזמנה מאת __inviter__ לשתף פעולה ב־Wekan.\n\nנא ללחוץ על הקישור:\n__url__\n\nקוד ההזמנה שלך הוא: __icode__\n\nתודה.", + "email-smtp-test-subject": "הודעת בדיקה דרך SMTP מאת Wekan", + "email-smtp-test-text": "שלחת הודעת דוא״ל בהצלחה", + "error-invitation-code-not-exist": "קוד ההזמנה אינו קיים", + "error-notAuthorized": "אין לך הרשאה לצפות בעמוד זה.", + "outgoing-webhooks": "קרסי רשת יוצאים", + "outgoingWebhooksPopup-title": "קרסי רשת יוצאים", + "new-outgoing-webhook": "קרסי רשת יוצאים חדשים", + "no-name": "(לא ידוע)", + "Wekan_version": "גרסת Wekan", + "Node_version": "גרסת Node", + "OS_Arch": "ארכיטקטורת מערכת הפעלה", + "OS_Cpus": "מספר מעבדים", + "OS_Freemem": "זיכרון (RAM) פנוי", + "OS_Loadavg": "עומס ממוצע ", + "OS_Platform": "מערכת הפעלה", + "OS_Release": "גרסת מערכת הפעלה", + "OS_Totalmem": "סך הכל זיכרון (RAM)", + "OS_Type": "סוג מערכת ההפעלה", + "OS_Uptime": "זמן שעבר מאז האתחול האחרון", + "hours": "שעות", + "minutes": "דקות", + "seconds": "שניות", + "show-field-on-card": "הצגת שדה זה בכרטיס", + "yes": "כן", + "no": "לא", + "accounts": "חשבונות", + "accounts-allowEmailChange": "אפשר שינוי דוא\"ל", + "accounts-allowUserNameChange": "לאפשר שינוי שם משתמש", + "createdAt": "נוצר ב", + "verified": "עבר אימות", + "active": "פעיל", + "card-received": "התקבל", + "card-received-on": "התקבל במועד", + "card-end": "סיום", + "card-end-on": "מועד הסיום", + "editCardReceivedDatePopup-title": "החלפת מועד הקבלה", + "editCardEndDatePopup-title": "החלפת מועד הסיום", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json new file mode 100644 index 00000000..f0966485 --- /dev/null +++ b/i18n/hu.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Elfogadás", + "act-activity-notify": "[Wekan] Tevékenység értesítés", + "act-addAttachment": "__attachment__ mellékletet csatolt a kártyához: __card__", + "act-addChecklist": "__checklist__ ellenőrzőlistát adott hozzá a kártyához: __card__", + "act-addChecklistItem": "__checklistItem__ elemet adott hozzá a(z) __checklist__ ellenőrzőlistához ezen a kártyán: __card__", + "act-addComment": "hozzászólt a(z) __card__ kártyán: __comment__", + "act-createBoard": "létrehozta a táblát: __board__", + "act-createCard": "__card__ kártyát adott hozzá a listához: __list__", + "act-createCustomField": "létrehozta a(z) __customField__ egyéni listát", + "act-createList": "__list__ listát adott hozzá a táblához: __board__", + "act-addBoardMember": "__member__ tagot hozzáadta a táblához: __board__", + "act-archivedBoard": "A(z) __board__ tábla áthelyezve a lomtárba", + "act-archivedCard": "A(z) __card__ kártya áthelyezve a lomtárba", + "act-archivedList": "A(z) __list__ lista áthelyezve a lomtárba", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "importálta a táblát: __board__", + "act-importCard": "importálta a kártyát: __card__", + "act-importList": "importálta a listát: __list__", + "act-joinMember": "__member__ tagot hozzáadta a kártyához: __card__", + "act-moveCard": "áthelyezte a(z) __card__ kártyát: __oldList__ → __list__", + "act-removeBoardMember": "eltávolította __member__ tagot a tábláról: __board__", + "act-restoredCard": "visszaállította a(z) __card__ kártyát ide: __board__", + "act-unjoinMember": "eltávolította __member__ tagot a kártyáról: __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Műveletek", + "activities": "Tevékenységek", + "activity": "Tevékenység", + "activity-added": "%s hozzáadva ehhez: %s", + "activity-archived": "%s áthelyezve a lomtárba", + "activity-attached": "%s mellékletet csatolt a kártyához: %s", + "activity-created": "%s létrehozva", + "activity-customfield-created": "létrehozta a(z) %s egyéni mezőt", + "activity-excluded": "%s kizárva innen: %s", + "activity-imported": "%s importálva ebbe: %s, innen: %s", + "activity-imported-board": "%s importálva innen: %s", + "activity-joined": "%s csatlakozott", + "activity-moved": "%s áthelyezve: %s → %s", + "activity-on": "ekkor: %s", + "activity-removed": "%s eltávolítva innen: %s", + "activity-sent": "%s elküldve ide: %s", + "activity-unjoined": "%s kilépett a csoportból", + "activity-checklist-added": "ellenőrzőlista hozzáadva ehhez: %s", + "activity-checklist-item-added": "ellenőrzőlista elem hozzáadva ehhez: „%s”, ebben: %s", + "add": "Hozzáadás", + "add-attachment": "Melléklet hozzáadása", + "add-board": "Tábla hozzáadása", + "add-card": "Kártya hozzáadása", + "add-swimlane": "Add Swimlane", + "add-checklist": "Ellenőrzőlista hozzáadása", + "add-checklist-item": "Elem hozzáadása az ellenőrzőlistához", + "add-cover": "Borító hozzáadása", + "add-label": "Címke hozzáadása", + "add-list": "Lista hozzáadása", + "add-members": "Tagok hozzáadása", + "added": "Hozzáadva", + "addMemberPopup-title": "Tagok", + "admin": "Adminisztrátor", + "admin-desc": "Megtekintheti és szerkesztheti a kártyákat, eltávolíthat tagokat, valamint megváltoztathatja a tábla beállításait.", + "admin-announcement": "Bejelentés", + "admin-announcement-active": "Bekapcsolt rendszerszintű bejelentés", + "admin-announcement-title": "Bejelentés az adminisztrátortól", + "all-boards": "Összes tábla", + "and-n-other-card": "És __count__ egyéb kártya", + "and-n-other-card_plural": "És __count__ egyéb kártya", + "apply": "Alkalmaz", + "app-is-offline": "A Wekan betöltés alatt van, kérem várjon. Az oldal újratöltése adatvesztést okoz. Ha a Wekan nem töltődik be, akkor ellenőrizze, hogy a Wekan kiszolgáló nem állt-e le.", + "archive": "Lomtárba", + "archive-all": "Összes lomtárba helyezése", + "archive-board": "Tábla lomtárba helyezése", + "archive-card": "Kártya lomtárba helyezése", + "archive-list": "Lista lomtárba helyezése", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Kijelölés lomtárba helyezése", + "archiveBoardPopup-title": "Lomtárba helyezi a táblát?", + "archived-items": "Lomtár", + "archived-boards": "Lomtárban lévő táblák", + "restore-board": "Tábla visszaállítása", + "no-archived-boards": "Nincs tábla a lomtárban.", + "archives": "Lomtár", + "assign-member": "Tag hozzárendelése", + "attached": "csatolva", + "attachment": "Melléklet", + "attachment-delete-pop": "A melléklet törlése végeleges. Nincs visszaállítás.", + "attachmentDeletePopup-title": "Törli a mellékletet?", + "attachments": "Mellékletek", + "auto-watch": "Táblák automatikus megtekintése, amikor létrejönnek", + "avatar-too-big": "Az avatár túl nagy (legfeljebb 70 KB)", + "back": "Vissza", + "board-change-color": "Szín megváltoztatása", + "board-nb-stars": "%s csillag", + "board-not-found": "A tábla nem található", + "board-private-info": "Ez a tábla legyen személyes.", + "board-public-info": "Ez a tábla legyen nyilvános.", + "boardChangeColorPopup-title": "Tábla hátterének megváltoztatása", + "boardChangeTitlePopup-title": "Tábla átnevezése", + "boardChangeVisibilityPopup-title": "Láthatóság megváltoztatása", + "boardChangeWatchPopup-title": "Megfigyelés megváltoztatása", + "boardMenuPopup-title": "Tábla menü", + "boards": "Táblák", + "board-view": "Tábla nézet", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Listák", + "bucket-example": "Mint például „Bakancslista”", + "cancel": "Mégse", + "card-archived": "Ez a kártya a lomtárba került.", + "card-comments-title": "Ez a kártya %s hozzászólást tartalmaz.", + "card-delete-notice": "A törlés végleges. Az összes műveletet elveszíti, amely ehhez a kártyához tartozik.", + "card-delete-pop": "Az összes művelet el lesz távolítva a tevékenységlistából, és nem lesz képes többé újra megnyitni a kártyát. Nincs visszaállítási lehetőség.", + "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Esedékes", + "card-due-on": "Esedékes ekkor", + "card-spent": "Eltöltött idő", + "card-edit-attachments": "Mellékletek szerkesztése", + "card-edit-custom-fields": "Egyéni mezők szerkesztése", + "card-edit-labels": "Címkék szerkesztése", + "card-edit-members": "Tagok szerkesztése", + "card-labels-title": "A kártya címkéinek megváltoztatása.", + "card-members-title": "A tábla tagjainak hozzáadása vagy eltávolítása a kártyáról.", + "card-start": "Kezdés", + "card-start-on": "Kezdés ekkor", + "cardAttachmentsPopup-title": "Innen csatolva", + "cardCustomField-datePopup-title": "Dátum megváltoztatása", + "cardCustomFieldsPopup-title": "Egyéni mezők szerkesztése", + "cardDeletePopup-title": "Törli a kártyát?", + "cardDetailsActionsPopup-title": "Kártyaműveletek", + "cardLabelsPopup-title": "Címkék", + "cardMembersPopup-title": "Tagok", + "cardMorePopup-title": "Több", + "cards": "Kártyák", + "cards-count": "Kártyák", + "change": "Változtatás", + "change-avatar": "Avatár megváltoztatása", + "change-password": "Jelszó megváltoztatása", + "change-permissions": "Jogosultságok megváltoztatása", + "change-settings": "Beállítások megváltoztatása", + "changeAvatarPopup-title": "Avatár megváltoztatása", + "changeLanguagePopup-title": "Nyelv megváltoztatása", + "changePasswordPopup-title": "Jelszó megváltoztatása", + "changePermissionsPopup-title": "Jogosultságok megváltoztatása", + "changeSettingsPopup-title": "Beállítások megváltoztatása", + "checklists": "Ellenőrzőlisták", + "click-to-star": "Kattintson a tábla csillagozásához.", + "click-to-unstar": "Kattintson a tábla csillagának eltávolításához.", + "clipboard": "Vágólap vagy fogd és vidd", + "close": "Bezárás", + "close-board": "Tábla bezárása", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "fekete", + "color-blue": "kék", + "color-green": "zöld", + "color-lime": "citrus", + "color-orange": "narancssárga", + "color-pink": "rózsaszín", + "color-purple": "lila", + "color-red": "piros", + "color-sky": "égszínkék", + "color-yellow": "sárga", + "comment": "Megjegyzés", + "comment-placeholder": "Megjegyzés írása", + "comment-only": "Csak megjegyzés", + "comment-only-desc": "Csak megjegyzést írhat a kártyákhoz.", + "computer": "Számítógép", + "confirm-checklist-delete-dialog": "Biztosan törölni szeretné az ellenőrzőlistát?", + "copy-card-link-to-clipboard": "Kártya hivatkozásának másolása a vágólapra", + "copyCardPopup-title": "Kártya másolása", + "copyChecklistToManyCardsPopup-title": "Ellenőrzőlista sablon másolása több kártyára", + "copyChecklistToManyCardsPopup-instructions": "A célkártyák címe és a leírások ebben a JSON formátumban", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Első kártya címe\", \"description\":\"Első kártya leírása\"}, {\"title\":\"Második kártya címe\",\"description\":\"Második kártya leírása\"},{\"title\":\"Utolsó kártya címe\",\"description\":\"Utolsó kártya leírása\"} ]", + "create": "Létrehozás", + "createBoardPopup-title": "Tábla létrehozása", + "chooseBoardSourcePopup-title": "Tábla importálása", + "createLabelPopup-title": "Címke létrehozása", + "createCustomField": "Mező létrehozása", + "createCustomFieldPopup-title": "Mező létrehozása", + "current": "jelenlegi", + "custom-field-delete-pop": "Nincs visszavonás. Ez el fogja távolítani az egyéni mezőt az összes kártyáról, és megsemmisíti az előzményeit.", + "custom-field-checkbox": "Jelölőnégyzet", + "custom-field-date": "Dátum", + "custom-field-dropdown": "Legördülő lista", + "custom-field-dropdown-none": "(nincs)", + "custom-field-dropdown-options": "Lista lehetőségei", + "custom-field-dropdown-options-placeholder": "Nyomja meg az Enter billentyűt több lehetőség hozzáadásához", + "custom-field-dropdown-unknown": "(ismeretlen)", + "custom-field-number": "Szám", + "custom-field-text": "Szöveg", + "custom-fields": "Egyéni mezők", + "date": "Dátum", + "decline": "Elutasítás", + "default-avatar": "Alapértelmezett avatár", + "delete": "Törlés", + "deleteCustomFieldPopup-title": "Törli az egyéni mezőt?", + "deleteLabelPopup-title": "Törli a címkét?", + "description": "Leírás", + "disambiguateMultiLabelPopup-title": "Címkeművelet egyértelműsítése", + "disambiguateMultiMemberPopup-title": "Tagművelet egyértelműsítése", + "discard": "Eldobás", + "done": "Kész", + "download": "Letöltés", + "edit": "Szerkesztés", + "edit-avatar": "Avatár megváltoztatása", + "edit-profile": "Profil szerkesztése", + "edit-wip-limit": "WIP korlát szerkesztése", + "soft-wip-limit": "Gyenge WIP korlát", + "editCardStartDatePopup-title": "Kezdődátum megváltoztatása", + "editCardDueDatePopup-title": "Esedékesség dátumának megváltoztatása", + "editCustomFieldPopup-title": "Mező szerkesztése", + "editCardSpentTimePopup-title": "Eltöltött idő megváltoztatása", + "editLabelPopup-title": "Címke megváltoztatása", + "editNotificationPopup-title": "Értesítés szerkesztése", + "editProfilePopup-title": "Profil szerkesztése", + "email": "E-mail", + "email-enrollAccount-subject": "Létrejött a profilja a következő oldalon: __siteName__", + "email-enrollAccount-text": "Kedves __user__!\n\nA szolgáltatás használatának megkezdéséhez egyszerűen kattintson a lenti hivatkozásra.\n\n__url__\n\nKöszönjük.", + "email-fail": "Az e-mail küldése nem sikerült", + "email-fail-text": "Hiba az e-mail küldésének kísérlete közben", + "email-invalid": "Érvénytelen e-mail", + "email-invite": "Meghívás e-mailben", + "email-invite-subject": "__inviter__ egy meghívást küldött Önnek", + "email-invite-text": "Kedves __user__!\n\n__inviter__ meghívta Önt, hogy csatlakozzon a(z) „__board__” táblán történő együttműködéshez.\n\nKattintson az alábbi hivatkozásra:\n\n__url__\n\nKöszönjük.", + "email-resetPassword-subject": "Jelszó visszaállítása ezen az oldalon: __siteName__", + "email-resetPassword-text": "Kedves __user__!\n\nA jelszava visszaállításához egyszerűen kattintson a lenti hivatkozásra.\n\n__url__\n\nKöszönjük.", + "email-sent": "E-mail elküldve", + "email-verifyEmail-subject": "Igazolja vissza az e-mail címét a következő oldalon: __siteName__", + "email-verifyEmail-text": "Kedves __user__!\n\nAz e-mail fiókjának visszaigazolásához egyszerűen kattintson a lenti hivatkozásra.\n\n__url__\n\nKöszönjük.", + "enable-wip-limit": "WIP korlát engedélyezése", + "error-board-doesNotExist": "Ez a tábla nem létezik", + "error-board-notAdmin": "A tábla adminisztrátorának kell lennie, hogy ezt megtehesse", + "error-board-notAMember": "A tábla tagjának kell lennie, hogy ezt megtehesse", + "error-json-malformed": "A szöveg nem érvényes JSON", + "error-json-schema": "A JSON adatok nem a helyes formátumban tartalmazzák a megfelelő információkat", + "error-list-doesNotExist": "Ez a lista nem létezik", + "error-user-doesNotExist": "Ez a felhasználó nem létezik", + "error-user-notAllowSelf": "Nem hívhatja meg saját magát", + "error-user-notCreated": "Ez a felhasználó nincs létrehozva", + "error-username-taken": "Ez a felhasználónév már foglalt", + "error-email-taken": "Az e-mail már foglalt", + "export-board": "Tábla exportálása", + "filter": "Szűrő", + "filter-cards": "Kártyák szűrése", + "filter-clear": "Szűrő törlése", + "filter-no-label": "Nincs címke", + "filter-no-member": "Nincs tag", + "filter-no-custom-fields": "Nincsenek egyéni mezők", + "filter-on": "Szűrő bekapcsolva", + "filter-on-desc": "A kártyaszűrés be van kapcsolva ezen a táblán. Kattintson ide a szűrő szerkesztéséhez.", + "filter-to-selection": "Szűrés a kijelöléshez", + "advanced-filter-label": "Speciális szűrő", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Teljes név", + "header-logo-title": "Vissza a táblák oldalára.", + "hide-system-messages": "Rendszerüzenetek elrejtése", + "headerBarCreateBoardPopup-title": "Tábla létrehozása", + "home": "Kezdőlap", + "import": "Importálás", + "import-board": "tábla importálása", + "import-board-c": "Tábla importálása", + "import-board-title-trello": "Tábla importálása a Trello oldalról", + "import-board-title-wekan": "Tábla importálása a Wekan oldalról", + "import-sandstorm-warning": "Az importált tábla törölni fogja a táblán lévő összes meglévő adatot, és kicseréli az importált táblával.", + "from-trello": "A Trello oldalról", + "from-wekan": "A Wekan oldalról", + "import-board-instruction-trello": "A Trello tábláján menjen a „Menü”, majd a „Több”, „Nyomtatás és exportálás”, „JSON exportálása” menüpontokra, és másolja ki az eredményül kapott szöveget.", + "import-board-instruction-wekan": "A Wekan tábláján menjen a „Menü”, majd a „Tábla exportálás” menüpontra, és másolja ki a letöltött fájlban lévő szöveget.", + "import-json-placeholder": "Illessze be ide az érvényes JSON adatokat", + "import-map-members": "Tagok leképezése", + "import-members-map": "Az importált táblának van néhány tagja. Képezze le a tagokat, akiket importálni szeretne a Wekan felhasználókba.", + "import-show-user-mapping": "Tagok leképezésének vizsgálata", + "import-user-select": "Válassza ki a Wekan felhasználót, akit ezen tagként használni szeretne", + "importMapMembersAddPopup-title": "Wekan tag kiválasztása", + "info": "Verzió", + "initials": "Kezdőbetűk", + "invalid-date": "Érvénytelen dátum", + "invalid-time": "Érvénytelen idő", + "invalid-user": "Érvénytelen felhasználó", + "joined": "csatlakozott", + "just-invited": "Éppen most hívták meg erre a táblára", + "keyboard-shortcuts": "Gyorsbillentyűk", + "label-create": "Címke létrehozása", + "label-default": "%s címke (alapértelmezett)", + "label-delete-pop": "Nincs visszavonás. Ez el fogja távolítani ezt a címkét az összes kártyáról, és törli az előzményeit.", + "labels": "Címkék", + "language": "Nyelv", + "last-admin-desc": "Nem változtathatja meg a szerepeket, mert legalább egy adminisztrátora szükség van.", + "leave-board": "Tábla elhagyása", + "leave-board-pop": "Biztosan el szeretné hagyni ezt a táblát: __boardTitle__? El lesz távolítva a táblán lévő összes kártyáról.", + "leaveBoardPopup-title": "Elhagyja a táblát?", + "link-card": "Összekapcsolás ezzel a kártyával", + "list-archive-cards": "Az összes kártya lomtárba helyezése ezen a listán.", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "A listán lévő összes kártya áthelyezése", + "list-select-cards": "A listán lévő összes kártya kiválasztása", + "listActionPopup-title": "Műveletek felsorolása", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Trello kártya importálása", + "listMorePopup-title": "Több", + "link-list": "Összekapcsolás ezzel a listával", + "list-delete-pop": "Az összes művelet el lesz távolítva a tevékenységlistából, és nem lesz lehetősége visszaállítani a listát. Nincs visszavonás.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Listák", + "swimlanes": "Swimlanes", + "log-out": "Kijelentkezés", + "log-in": "Bejelentkezés", + "loginPopup-title": "Bejelentkezés", + "memberMenuPopup-title": "Tagok beállításai", + "members": "Tagok", + "menu": "Menü", + "move-selection": "Kijelölés áthelyezése", + "moveCardPopup-title": "Kártya áthelyezése", + "moveCardToBottom-title": "Áthelyezés az aljára", + "moveCardToTop-title": "Áthelyezés a tetejére", + "moveSelectionPopup-title": "Kijelölés áthelyezése", + "multi-selection": "Többszörös kijelölés", + "multi-selection-on": "Többszörös kijelölés bekapcsolva", + "muted": "Némítva", + "muted-info": "Soha sem lesz értesítve a táblán lévő semmilyen változásról.", + "my-boards": "Saját tábláim", + "name": "Név", + "no-archived-cards": "Nincs kártya a lomtárban.", + "no-archived-lists": "Nincs lista a lomtárban.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Nincs találat", + "normal": "Normál", + "normal-desc": "Megtekintheti és szerkesztheti a kártyákat. Nem változtathatja meg a beállításokat.", + "not-accepted-yet": "A meghívás még nincs elfogadva", + "notify-participate": "Frissítések fogadása bármely kártyánál, amelynél létrehozóként vagy tagként vesz részt", + "notify-watch": "Frissítések fogadása bármely táblánál, listánál vagy kártyánál, amelyet megtekint", + "optional": "opcionális", + "or": "vagy", + "page-maybe-private": "Ez az oldal személyes lehet. Esetleg megtekintheti, ha bejelentkezik.", + "page-not-found": "Az oldal nem található.", + "password": "Jelszó", + "paste-or-dragdrop": "illessze be, vagy fogd és vidd módon húzza ide a képfájlt (csak képeket)", + "participating": "Részvétel", + "preview": "Előnézet", + "previewAttachedImagePopup-title": "Előnézet", + "previewClipboardImagePopup-title": "Előnézet", + "private": "Személyes", + "private-desc": "Ez a tábla személyes. Csak a táblához hozzáadott emberek tekinthetik meg és szerkeszthetik.", + "profile": "Profil", + "public": "Nyilvános", + "public-desc": "Ez a tábla nyilvános. A hivatkozás birtokában bárki számára látható, és megjelenik az olyan keresőmotorokban, mint például a Google. Csak a táblához hozzáadott emberek szerkeszthetik.", + "quick-access-description": "Csillagozzon meg egy táblát egy gyors hivatkozás hozzáadásához ebbe a sávba.", + "remove-cover": "Borító eltávolítása", + "remove-from-board": "Eltávolítás a tábláról", + "remove-label": "Címke eltávolítása", + "listDeletePopup-title": "Törli a listát?", + "remove-member": "Tag eltávolítása", + "remove-member-from-card": "Eltávolítás a kártyáról", + "remove-member-pop": "Eltávolítja __name__ (__username__) felhasználót a tábláról: __boardTitle__? A tag el lesz távolítva a táblán lévő összes kártyáról. Értesítést fog kapni erről.", + "removeMemberPopup-title": "Eltávolítja a tagot?", + "rename": "Átnevezés", + "rename-board": "Tábla átnevezése", + "restore": "Visszaállítás", + "save": "Mentés", + "search": "Keresés", + "search-cards": "Keresés a táblán lévő kártyák címében illetve leírásában", + "search-example": "keresőkifejezés", + "select-color": "Szín kiválasztása", + "set-wip-limit-value": "Korlát beállítása a listán lévő feladatok legnagyobb számához", + "setWipLimitPopup-title": "WIP korlát beállítása", + "shortcut-assign-self": "Önmaga hozzárendelése a jelenlegi kártyához", + "shortcut-autocomplete-emoji": "Emodzsi automatikus kiegészítése", + "shortcut-autocomplete-members": "Tagok automatikus kiegészítése", + "shortcut-clear-filters": "Összes szűrő törlése", + "shortcut-close-dialog": "Párbeszédablak bezárása", + "shortcut-filter-my-cards": "Kártyáim szűrése", + "shortcut-show-shortcuts": "A hivatkozási lista előre hozása", + "shortcut-toggle-filterbar": "Szűrő oldalsáv ki- és bekapcsolása", + "shortcut-toggle-sidebar": "Tábla oldalsáv ki- és bekapcsolása", + "show-cards-minimum-count": "Kártyaszámok megjelenítése, ha a lista többet tartalmaz mint", + "sidebar-open": "Oldalsáv megnyitása", + "sidebar-close": "Oldalsáv bezárása", + "signupPopup-title": "Fiók létrehozása", + "star-board-title": "Kattintson a tábla csillagozásához. Meg fog jelenni a táblalistája tetején.", + "starred-boards": "Csillagozott táblák", + "starred-boards-description": "A csillagozott táblák megjelennek a táblalistája tetején.", + "subscribe": "Feliratkozás", + "team": "Csapat", + "this-board": "ez a tábla", + "this-card": "ez a kártya", + "spent-time-hours": "Eltöltött idő (óra)", + "overtime-hours": "Túlóra (óra)", + "overtime": "Túlóra", + "has-overtime-cards": "Van túlórás kártyája", + "has-spenttime-cards": "Has spent time cards", + "time": "Idő", + "title": "Cím", + "tracking": "Követés", + "tracking-info": "Értesítve lesz az összes olyan kártya változásáról, amelyen létrehozóként vagy tagként vesz részt.", + "type": "Típus", + "unassign-member": "Tag hozzárendelésének megszüntetése", + "unsaved-description": "Van egy mentetlen leírása.", + "unwatch": "Megfigyelés megszüntetése", + "upload": "Feltöltés", + "upload-avatar": "Egy avatár feltöltése", + "uploaded-avatar": "Egy avatár feltöltve", + "username": "Felhasználónév", + "view-it": "Megtekintés", + "warn-list-archived": "figyelem: ez a kártya egy lomtárban lévő listán van", + "watch": "Megfigyelés", + "watching": "Megfigyelés", + "watching-info": "Értesítve lesz a táblán lévő összes változásról", + "welcome-board": "Üdvözlő tábla", + "welcome-swimlane": "1. mérföldkő", + "welcome-list1": "Alapok", + "welcome-list2": "Speciális", + "what-to-do": "Mit szeretne tenni?", + "wipLimitErrorPopup-title": "Érvénytelen WIP korlát", + "wipLimitErrorPopup-dialog-pt1": "A listán lévő feladatok száma magasabb a meghatározott WIP korlátnál.", + "wipLimitErrorPopup-dialog-pt2": "Helyezzen át néhány feladatot a listáról, vagy állítson be magasabb WIP korlátot.", + "admin-panel": "Adminisztrációs panel", + "settings": "Beállítások", + "people": "Emberek", + "registration": "Regisztráció", + "disable-self-registration": "Önregisztráció letiltása", + "invite": "Meghívás", + "invite-people": "Emberek meghívása", + "to-boards": "Táblákhoz", + "email-addresses": "E-mail címek", + "smtp-host-description": "Az SMTP kiszolgáló címe, amely az e-maileket kezeli.", + "smtp-port-description": "Az SMTP kiszolgáló által használt port a kimenő e-mailekhez.", + "smtp-tls-description": "TLS támogatás engedélyezése az SMTP kiszolgálónál", + "smtp-host": "SMTP kiszolgáló", + "smtp-port": "SMTP port", + "smtp-username": "Felhasználónév", + "smtp-password": "Jelszó", + "smtp-tls": "TLS támogatás", + "send-from": "Feladó", + "send-smtp-test": "Teszt e-mail küldése magamnak", + "invitation-code": "Meghívási kód", + "email-invite-register-subject": "__inviter__ egy meghívás küldött Önnek", + "email-invite-register-text": "Kedves __user__!\n\n__inviter__ meghívta Önt közreműködésre a Wekan oldalra.\n\nKövesse a lenti hivatkozást:\n__url__\n\nÉs a meghívási kódja: __icode__\n\nKöszönjük.", + "email-smtp-test-subject": "SMTP teszt e-mail a Wekantól", + "email-smtp-test-text": "Sikeresen elküldött egy e-mailt", + "error-invitation-code-not-exist": "A meghívási kód nem létezik", + "error-notAuthorized": "Nincs jogosultsága az oldal megtekintéséhez.", + "outgoing-webhooks": "Kimenő webhurkok", + "outgoingWebhooksPopup-title": "Kimenő webhurkok", + "new-outgoing-webhook": "Új kimenő webhurok", + "no-name": "(Ismeretlen)", + "Wekan_version": "Wekan verzió", + "Node_version": "Node verzió", + "OS_Arch": "Operációs rendszer architektúrája", + "OS_Cpus": "Operációs rendszer CPU száma", + "OS_Freemem": "Operációs rendszer szabad memóriája", + "OS_Loadavg": "Operációs rendszer átlagos terhelése", + "OS_Platform": "Operációs rendszer platformja", + "OS_Release": "Operációs rendszer kiadása", + "OS_Totalmem": "Operációs rendszer összes memóriája", + "OS_Type": "Operációs rendszer típusa", + "OS_Uptime": "Operációs rendszer üzemideje", + "hours": "óra", + "minutes": "perc", + "seconds": "másodperc", + "show-field-on-card": "A mező megjelenítése a kártyán", + "yes": "Igen", + "no": "Nem", + "accounts": "Fiókok", + "accounts-allowEmailChange": "E-mail megváltoztatásának engedélyezése", + "accounts-allowUserNameChange": "Felhasználónév megváltoztatásának engedélyezése", + "createdAt": "Létrehozva", + "verified": "Ellenőrizve", + "active": "Aktív", + "card-received": "Érkezett", + "card-received-on": "Ekkor érkezett", + "card-end": "Befejezés", + "card-end-on": "Befejeződik ekkor", + "editCardReceivedDatePopup-title": "Érkezési dátum megváltoztatása", + "editCardEndDatePopup-title": "Befejezési dátum megváltoztatása", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json new file mode 100644 index 00000000..19304209 --- /dev/null +++ b/i18n/hy.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Ընդունել", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "ավելացրել է __checklistItem__ __checklist__ on __card__-ին", + "act-addComment": "մեկնաբանել է __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Add", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Members", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Members", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Members", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json new file mode 100644 index 00000000..eb6cf67e --- /dev/null +++ b/i18n/id.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Terima", + "act-activity-notify": "[Wekan] Pemberitahuan Kegiatan", + "act-addAttachment": "Lampirkan__attachment__ke__kartu__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "Dikomentari di__kartu__:__comment__", + "act-createBoard": "Panel__dibuat__", + "act-createCard": "Kartu__dilampirkan__ke__Daftar", + "act-createCustomField": "created custom field __customField__", + "act-createList": "Daftar__ditambahkan__ke__Panel", + "act-addBoardMember": "Partisipan__ditambahkan__ke__Kartu", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "Panel__diimpor", + "act-importCard": "Kartu__diimpor__", + "act-importList": "Daftar__diimpor__", + "act-joinMember": "Partisipan__ditambahkan__ke__kartu", + "act-moveCard": "Pindahkan__kartu__dari__daftarlama__ke__daftar", + "act-removeBoardMember": "Hapus__partisipan__dari__panel", + "act-restoredCard": "Kembalikan__kartu__ke__panel", + "act-unjoinMember": "hapus__partisipan__dari__kartu__", + "act-withBoardTitle": "Panel__[Wekan}__", + "act-withCardTitle": "__kartu__[__Panel__]", + "actions": "Daftar Tindakan", + "activities": "Daftar Kegiatan", + "activity": "Kegiatan", + "activity-added": "ditambahkan %s ke %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "dilampirkan %s ke %s", + "activity-created": "dibuat %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "tidak termasuk %s dari %s", + "activity-imported": "diimpor %s kedalam %s dari %s", + "activity-imported-board": "diimpor %s dari %s", + "activity-joined": "bergabung %s", + "activity-moved": "dipindahkan %s dari %s ke %s", + "activity-on": "pada %s", + "activity-removed": "dihapus %s dari %s", + "activity-sent": "terkirim %s ke %s", + "activity-unjoined": "tidak bergabung %s", + "activity-checklist-added": "daftar periksa ditambahkan ke %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Tambah", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Tambahkan hal ke daftar periksa", + "add-cover": "Tambahkan Sampul", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Tambahkan Anggota", + "added": "Ditambahkan", + "addMemberPopup-title": "Daftar Anggota", + "admin": "Admin", + "admin-desc": "Bisa tampilkan dan sunting kartu, menghapus partisipan, dan merubah setting panel", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "Semua Panel", + "and-n-other-card": "Dan__menghitung__kartu lain", + "and-n-other-card_plural": "Dan__menghitung__kartu lain", + "apply": "Terapkan", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Tugaskan anggota", + "attached": "terlampir", + "attachment": "Lampiran", + "attachment-delete-pop": "Menghapus lampiran bersifat permanen. Tidak bisa dipulihkan.", + "attachmentDeletePopup-title": "Hapus Lampiran?", + "attachments": "Daftar Lampiran", + "auto-watch": "Otomatis diawasi saat membuat Panel", + "avatar-too-big": "Berkas avatar terlalu besar (70KB maks)", + "back": "Kembali", + "board-change-color": "Ubah warna", + "board-nb-stars": "%s bintang", + "board-not-found": "Panel tidak ditemukan", + "board-private-info": "Panel ini akan jadi Pribadi", + "board-public-info": "Panel ini akan jadi Publik= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Nama Lengkap", + "header-logo-title": "Kembali ke laman panel anda", + "hide-system-messages": "Sembunyikan pesan-pesan sistem", + "headerBarCreateBoardPopup-title": "Buat Panel", + "home": "Beranda", + "import": "Impor", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Impor panel dari Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "Di panel Trello anda, ke 'Menu', terus 'More', 'Print and Export','Export JSON', dan salin hasilnya", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Tempelkan data JSON yang sah disini", + "import-map-members": "Petakan partisipan", + "import-members-map": "Panel yang anda impor punya partisipan. Silahkan petakan anggota yang anda ingin impor ke user [Wekan]", + "import-show-user-mapping": "Review pemetaan partisipan", + "import-user-select": "Pilih nama pengguna yang Anda mau gunakan sebagai anggota ini", + "importMapMembersAddPopup-title": "Pilih anggota Wekan", + "info": "Versi", + "initials": "Inisial", + "invalid-date": "Tanggal tidak sah", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "bergabung", + "just-invited": "Anda baru diundang di panel ini", + "keyboard-shortcuts": "Pintasan kibor", + "label-create": "Buat Label", + "label-default": "label %s (default)", + "label-delete-pop": "Ini tidak bisa dikembalikan, akan menghapus label ini dari semua kartu dan menghapus semua riwayatnya", + "labels": "Daftar Label", + "language": "Bahasa", + "last-admin-desc": "Anda tidak dapat mengubah aturan karena harus ada minimal seorang Admin.", + "leave-board": "Tingalkan Panel", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link ke kartu ini", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Pindah semua kartu ke daftar ini", + "list-select-cards": "Pilih semua kartu di daftar ini", + "listActionPopup-title": "Daftar Tindakan", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Impor dari Kartu Trello", + "listMorePopup-title": "Lainnya", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Daftar", + "swimlanes": "Swimlanes", + "log-out": "Keluar", + "log-in": "Masuk", + "loginPopup-title": "Masuk", + "memberMenuPopup-title": "Setelan Anggota", + "members": "Daftar Anggota", + "menu": "Menu", + "move-selection": "Pindahkan yang dipilih", + "moveCardPopup-title": "Pindahkan kartu", + "moveCardToBottom-title": "Pindahkan ke bawah", + "moveCardToTop-title": "Pindahkan ke atas", + "moveSelectionPopup-title": "Pindahkan yang dipilih", + "multi-selection": "Multi Pilihan", + "multi-selection-on": "Multi Pilihan aktif", + "muted": "Pemberitahuan tidak aktif", + "muted-info": "Anda tidak akan pernah dinotifikasi semua perubahan di panel ini", + "my-boards": "Panel saya", + "name": "Nama", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Tidak ada hasil", + "normal": "Normal", + "normal-desc": "Bisa tampilkan dan edit kartu. Tidak bisa ubah setting", + "not-accepted-yet": "Undangan belum diterima", + "notify-participate": "Terima update ke semua kartu dimana anda menjadi creator atau partisipan", + "notify-watch": "Terima update dari semua panel, daftar atau kartu yang anda amati", + "optional": "opsi", + "or": "atau", + "page-maybe-private": "Halaman ini hanya untuk kalangan terbatas. Anda dapat melihatnya dengan masuk ke dalam sistem.", + "page-not-found": "Halaman tidak ditemukan.", + "password": "Kata Sandi", + "paste-or-dragdrop": "untuk menempelkan, atau drag& drop gambar pada ini (hanya gambar)", + "participating": "Berpartisipasi", + "preview": "Pratinjau", + "previewAttachedImagePopup-title": "Pratinjau", + "previewClipboardImagePopup-title": "Pratinjau", + "private": "Terbatas", + "private-desc": "Panel ini Pribadi. Hanya orang yang ditambahkan ke panel ini yang bisa melihat dan menyuntingnya", + "profile": "Profil", + "public": "Umum", + "public-desc": "Panel ini publik. Akan terlihat oleh siapapun dengan link terkait dan muncul di mesin pencari seperti Google. Hanya orang yang ditambahkan di panel yang bisa sunting", + "quick-access-description": "Beri bintang panel untuk menambah shortcut di papan ini", + "remove-cover": "Hapus Sampul", + "remove-from-board": "Hapus dari panel", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Hapus Anggota", + "remove-member-from-card": "Hapus dari Kartu", + "remove-member-pop": "Hapus__nama__(__username__) dari __boardTitle__? Partisipan akan dihapus dari semua kartu di panel ini. Mereka akan diberi tahu", + "removeMemberPopup-title": "Hapus Anggota?", + "rename": "Ganti Nama", + "rename-board": "Ubah nama Panel", + "restore": "Pulihkan", + "save": "Simpan", + "search": "Cari", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Masukkan diri anda sendiri ke kartu ini", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete partisipan", + "shortcut-clear-filters": "Bersihkan semua saringan", + "shortcut-close-dialog": "Tutup Dialog", + "shortcut-filter-my-cards": "Filter kartu saya", + "shortcut-show-shortcuts": "Angkat naik shortcut daftar ini", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Tampilkan jumlah kartu jika daftar punya lebih dari ", + "sidebar-open": "Buka Sidebar", + "sidebar-close": "Tutup Sidebar", + "signupPopup-title": "Buat Akun", + "star-board-title": "Klik untuk beri bintang panel ini. Akan muncul paling atas dari daftar panel", + "starred-boards": "Panel dengan bintang", + "starred-boards-description": "Panel berbintang muncul paling atas dari daftar panel anda", + "subscribe": "Langganan", + "team": "Tim", + "this-board": "Panel ini", + "this-card": "Kartu ini", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Waktu", + "title": "Judul", + "tracking": "Pelacakan", + "tracking-info": "Anda akan dinotifikasi semua perubahan di kartu tersebut diaman anda terlibat sebagai creator atau partisipan", + "type": "Type", + "unassign-member": "Tidak sertakan partisipan", + "unsaved-description": "Anda memiliki deskripsi yang belum disimpan.", + "unwatch": "Tidak mengamati", + "upload": "Unggah", + "upload-avatar": "Unggah avatar", + "uploaded-avatar": "Avatar diunggah", + "username": "Nama Pengguna", + "view-it": "Lihat", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Amati", + "watching": "Mengamati", + "watching-info": "Anda akan diberitahu semua perubahan di panel ini", + "welcome-board": "Panel Selamat Datang", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Tingkat dasar", + "welcome-list2": "Tingkat lanjut", + "what-to-do": "Apa yang mau Anda lakukan?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Panel Admin", + "settings": "Setelan", + "people": "Orang-orang", + "registration": "Registrasi", + "disable-self-registration": "Nonaktifkan Swa Registrasi", + "invite": "Undang", + "invite-people": "Undang Orang-orang", + "to-boards": "ke panel", + "email-addresses": "Alamat surel", + "smtp-host-description": "Alamat server SMTP yang menangani surel Anda.", + "smtp-port-description": "Port server SMTP yang Anda gunakan untuk mengirim surel.", + "smtp-tls-description": "Aktifkan dukungan TLS untuk server SMTP", + "smtp-host": "Host SMTP", + "smtp-port": "Port SMTP", + "smtp-username": "Nama Pengguna", + "smtp-password": "Kata Sandi", + "smtp-tls": "Dukungan TLS", + "send-from": "Dari", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Kode Undangan", + "email-invite-register-subject": "__inviter__ mengirim undangan ke Anda", + "email-invite-register-text": "Halo __user__,\n\n__inviter__ mengundang Anda untuk berkolaborasi menggunakan Wekan.\n\nMohon ikuti tautan berikut:\n__url__\n\nDan kode undangan Anda adalah: __icode__\n\nTerima kasih.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Kode undangan tidak ada", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json new file mode 100644 index 00000000..9f65b193 --- /dev/null +++ b/i18n/ig.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Kwere", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "na %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Tinye", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Tinye ndị otu ọhụrụ", + "added": "Etinyere ", + "addMemberPopup-title": "Ndị otu", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Bido", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Aha", + "cardMembersPopup-title": "Ndị otu", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Gbanwe", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Họrọ asụsụ ọzọ", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Aha", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Ndị otu", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Banye aha ọzọ", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "Hụ ya", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Hụ", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "Ndị mmadụ", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "elekere", + "minutes": "nkeji", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Ee", + "no": "Mba", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Ekere na", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json new file mode 100644 index 00000000..11134074 --- /dev/null +++ b/i18n/it.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accetta", + "act-activity-notify": "[Wekan] Notifiche attività", + "act-addAttachment": "ha allegato __attachment__ a __card__", + "act-addChecklist": "aggiunta checklist __checklist__ a __card__", + "act-addChecklistItem": "aggiunto __checklistItem__ alla checklist __checklist__ su __card__", + "act-addComment": "ha commentato su __card__: __comment__", + "act-createBoard": "ha creato __board__", + "act-createCard": "ha aggiunto __card__ a __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "ha aggiunto __list__ a __board__", + "act-addBoardMember": "ha aggiunto __member__ a __board__", + "act-archivedBoard": "__board__ spostata nel cestino", + "act-archivedCard": "__card__ spostata nel cestino", + "act-archivedList": "__list__ spostata nel cestino", + "act-archivedSwimlane": "__swimlane__ spostata nel cestino", + "act-importBoard": "ha importato __board__", + "act-importCard": "ha importato __card__", + "act-importList": "ha importato __list__", + "act-joinMember": "ha aggiunto __member__ a __card__", + "act-moveCard": "ha spostato __card__ da __oldList__ a __list__", + "act-removeBoardMember": "ha rimosso __member__ da __board__", + "act-restoredCard": "ha ripristinato __card__ su __board__", + "act-unjoinMember": "ha rimosso __member__ da __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Azioni", + "activities": "Attività", + "activity": "Attività", + "activity-added": "ha aggiunto %s a %s", + "activity-archived": "%s spostato nel cestino", + "activity-attached": "allegato %s a %s", + "activity-created": "creato %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "escluso %s da %s", + "activity-imported": "importato %s in %s da %s", + "activity-imported-board": "importato %s da %s", + "activity-joined": "si è unito a %s", + "activity-moved": "spostato %s da %s a %s", + "activity-on": "su %s", + "activity-removed": "rimosso %s da %s", + "activity-sent": "inviato %s a %s", + "activity-unjoined": "ha abbandonato %s", + "activity-checklist-added": "aggiunta checklist a %s", + "activity-checklist-item-added": "Aggiunto l'elemento checklist a '%s' in %s", + "add": "Aggiungere", + "add-attachment": "Aggiungi Allegato", + "add-board": "Aggiungi Bacheca", + "add-card": "Aggiungi Scheda", + "add-swimlane": "Aggiungi Corsia", + "add-checklist": "Aggiungi Checklist", + "add-checklist-item": "Aggiungi un elemento alla checklist", + "add-cover": "Aggiungi copertina", + "add-label": "Aggiungi Etichetta", + "add-list": "Aggiungi Lista", + "add-members": "Aggiungi membri", + "added": "Aggiunto", + "addMemberPopup-title": "Membri", + "admin": "Amministratore", + "admin-desc": "Può vedere e modificare schede, rimuovere membri e modificare le impostazioni della bacheca.", + "admin-announcement": "Annunci", + "admin-announcement-active": "Attiva annunci di sistema", + "admin-announcement-title": "Annunci dall'Amministratore", + "all-boards": "Tutte le bacheche", + "and-n-other-card": "E __count__ altra scheda", + "and-n-other-card_plural": "E __count__ altre schede", + "apply": "Applica", + "app-is-offline": "Wekan è in caricamento, attendi per favore. Ricaricare la pagina causerà una perdita di dati. Se Wekan non si carica, controlla per favore che non ci siano problemi al server.", + "archive": "Sposta nel cestino", + "archive-all": "Sposta tutto nel cestino", + "archive-board": "Sposta la bacheca nel cestino", + "archive-card": "Sposta la scheda nel cestino", + "archive-list": "Sposta la lista nel cestino", + "archive-swimlane": "Sposta la corsia nel cestino", + "archive-selection": "Sposta la selezione nel cestino", + "archiveBoardPopup-title": "Sposta la bacheca nel cestino", + "archived-items": "Cestino", + "archived-boards": "Bacheche cestinate", + "restore-board": "Ripristina Bacheca", + "no-archived-boards": "Nessuna bacheca nel cestino", + "archives": "Cestino", + "assign-member": "Aggiungi membro", + "attached": "allegato", + "attachment": "Allegato", + "attachment-delete-pop": "L'eliminazione di un allegato è permanente. Non è possibile annullare.", + "attachmentDeletePopup-title": "Eliminare l'allegato?", + "attachments": "Allegati", + "auto-watch": "Segui automaticamente le bacheche quando vengono create.", + "avatar-too-big": "L'avatar è troppo grande (70KB max)", + "back": "Indietro", + "board-change-color": "Cambia colore", + "board-nb-stars": "%s stelle", + "board-not-found": "Bacheca non trovata", + "board-private-info": "Questa bacheca sarà privata.", + "board-public-info": "Questa bacheca sarà pubblica.", + "boardChangeColorPopup-title": "Cambia sfondo della bacheca", + "boardChangeTitlePopup-title": "Rinomina bacheca", + "boardChangeVisibilityPopup-title": "Cambia visibilità", + "boardChangeWatchPopup-title": "Cambia faccia", + "boardMenuPopup-title": "Menu bacheca", + "boards": "Bacheche", + "board-view": "Visualizza bacheca", + "board-view-swimlanes": "Corsie", + "board-view-lists": "Liste", + "bucket-example": "Per esempio come \"una lista di cose da fare\"", + "cancel": "Cancella", + "card-archived": "Questa scheda è stata spostata nel cestino.", + "card-comments-title": "Questa scheda ha %s commenti.", + "card-delete-notice": "L'eliminazione è permanente. Tutte le azioni associate a questa scheda andranno perse.", + "card-delete-pop": "Tutte le azioni saranno rimosse dal flusso attività e non sarai in grado di riaprire la scheda. Non potrai tornare indietro.", + "card-delete-suggest-archive": "Puoi cestinare una scheda per rimuoverla dalla bacheca e preservare la sua attività.", + "card-due": "Scadenza", + "card-due-on": "Scade", + "card-spent": "Tempo trascorso", + "card-edit-attachments": "Modifica allegati", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Modifica etichette", + "card-edit-members": "Modifica membri", + "card-labels-title": "Cambia le etichette per questa scheda.", + "card-members-title": "Aggiungi o rimuovi membri della bacheca da questa scheda", + "card-start": "Inizio", + "card-start-on": "Inizia", + "cardAttachmentsPopup-title": "Allega da", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Elimina scheda?", + "cardDetailsActionsPopup-title": "Azioni scheda", + "cardLabelsPopup-title": "Etichette", + "cardMembersPopup-title": "Membri", + "cardMorePopup-title": "Altro", + "cards": "Schede", + "cards-count": "Schede", + "change": "Cambia", + "change-avatar": "Cambia avatar", + "change-password": "Cambia password", + "change-permissions": "Cambia permessi", + "change-settings": "Cambia impostazioni", + "changeAvatarPopup-title": "Cambia avatar", + "changeLanguagePopup-title": "Cambia lingua", + "changePasswordPopup-title": "Cambia password", + "changePermissionsPopup-title": "Cambia permessi", + "changeSettingsPopup-title": "Cambia impostazioni", + "checklists": "Checklist", + "click-to-star": "Clicca per stellare questa bacheca", + "click-to-unstar": "Clicca per togliere la stella da questa bacheca", + "clipboard": "Clipboard o drag & drop", + "close": "Chiudi", + "close-board": "Chiudi bacheca", + "close-board-pop": "Sarai in grado di ripristinare la bacheca cliccando il tasto \"Cestino\" dall'intestazione della pagina principale.", + "color-black": "nero", + "color-blue": "blu", + "color-green": "verde", + "color-lime": "lime", + "color-orange": "arancione", + "color-pink": "rosa", + "color-purple": "viola", + "color-red": "rosso", + "color-sky": "azzurro", + "color-yellow": "giallo", + "comment": "Commento", + "comment-placeholder": "Scrivi Commento", + "comment-only": "Solo commenti", + "comment-only-desc": "Puoi commentare solo le schede.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Sei sicuro di voler cancellare questa checklist?", + "copy-card-link-to-clipboard": "Copia link della scheda sulla clipboard", + "copyCardPopup-title": "Copia Scheda", + "copyChecklistToManyCardsPopup-title": "Copia template checklist su più schede", + "copyChecklistToManyCardsPopup-instructions": "Titolo e la descrizione della scheda di destinazione in questo formato JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titolo prima scheda\", \"description\":\"Descrizione prima scheda\"}, {\"title\":\"Titolo seconda scheda\",\"description\":\"Descrizione seconda scheda\"},{\"title\":\"Titolo ultima scheda\",\"description\":\"Descrizione ultima scheda\"} ]", + "create": "Crea", + "createBoardPopup-title": "Crea bacheca", + "chooseBoardSourcePopup-title": "Importa bacheca", + "createLabelPopup-title": "Crea etichetta", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "corrente", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Data", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Data", + "decline": "Declina", + "default-avatar": "Avatar predefinito", + "delete": "Elimina", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Eliminare etichetta?", + "description": "Descrizione", + "disambiguateMultiLabelPopup-title": "Disambiguare l'azione Etichetta", + "disambiguateMultiMemberPopup-title": "Disambiguare l'azione Membro", + "discard": "Scarta", + "done": "Fatto", + "download": "Download", + "edit": "Modifica", + "edit-avatar": "Cambia avatar", + "edit-profile": "Modifica profilo", + "edit-wip-limit": "Modifica limite di work in progress", + "soft-wip-limit": "Limite Work in progress soft", + "editCardStartDatePopup-title": "Cambia data di inizio", + "editCardDueDatePopup-title": "Cambia data di scadenza", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Cambia tempo trascorso", + "editLabelPopup-title": "Cambia etichetta", + "editNotificationPopup-title": "Modifica notifiche", + "editProfilePopup-title": "Modifica profilo", + "email": "Email", + "email-enrollAccount-subject": "Creato un account per te su __siteName__", + "email-enrollAccount-text": "Ciao __user__,\n\nPer iniziare ad usare il servizio, clicca sul link seguente:\n\n__url__\n\nGrazie.", + "email-fail": "Invio email fallito", + "email-fail-text": "Errore nel tentativo di invio email", + "email-invalid": "Email non valida", + "email-invite": "Invita via email", + "email-invite-subject": "__inviter__ ti ha inviato un invito", + "email-invite-text": "Caro __user__,\n\n__inviter__ ti ha invitato ad unirti alla bacheca \"__board__\" per le collaborazioni.\n\nPer favore clicca sul link seguente:\n\n__url__\n\nGrazie.", + "email-resetPassword-subject": "Ripristina la tua password su on __siteName__", + "email-resetPassword-text": "Ciao __user__,\n\nPer ripristinare la tua password, clicca sul link seguente:\n\n__url__\n\nGrazie.", + "email-sent": "Email inviata", + "email-verifyEmail-subject": "Verifica il tuo indirizzo email su on __siteName__", + "email-verifyEmail-text": "Ciao __user__,\n\nPer verificare il tuo account email, clicca sul link seguente:\n\n__url__\n\nGrazie.", + "enable-wip-limit": "Abilita limite di work in progress", + "error-board-doesNotExist": "Questa bacheca non esiste", + "error-board-notAdmin": "Devi essere admin di questa bacheca per poterlo fare", + "error-board-notAMember": "Devi essere un membro di questa bacheca per poterlo fare", + "error-json-malformed": "Il tuo testo non è un JSON valido", + "error-json-schema": "Il tuo file JSON non contiene le giuste informazioni nel formato corretto", + "error-list-doesNotExist": "Questa lista non esiste", + "error-user-doesNotExist": "Questo utente non esiste", + "error-user-notAllowSelf": "Non puoi invitare te stesso", + "error-user-notCreated": "L'utente non è stato creato", + "error-username-taken": "Questo username è già utilizzato", + "error-email-taken": "L'email è già stata presa", + "export-board": "Esporta bacheca", + "filter": "Filtra", + "filter-cards": "Filtra schede", + "filter-clear": "Pulisci filtri", + "filter-no-label": "Nessuna etichetta", + "filter-no-member": "Nessun membro", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Il filtro è attivo", + "filter-on-desc": "Stai filtrando le schede su questa bacheca. Clicca qui per modificare il filtro,", + "filter-to-selection": "Seleziona", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Nome completo", + "header-logo-title": "Torna alla tua bacheca.", + "hide-system-messages": "Nascondi i messaggi di sistema", + "headerBarCreateBoardPopup-title": "Crea bacheca", + "home": "Home", + "import": "Importa", + "import-board": "Importa bacheca", + "import-board-c": "Importa bacheca", + "import-board-title-trello": "Importa una bacheca da Trello", + "import-board-title-wekan": "Importa bacheca da Wekan", + "import-sandstorm-warning": "La bacheca importata cancellerà tutti i dati esistenti su questa bacheca e li rimpiazzerà con quelli della bacheca importata.", + "from-trello": "Da Trello", + "from-wekan": "Da Wekan", + "import-board-instruction-trello": "Nella tua bacheca Trello vai a 'Menu', poi 'Altro', 'Stampa ed esporta', 'Esporta JSON', e copia il testo che compare.", + "import-board-instruction-wekan": "Nella tua bacheca Wekan, vai su 'Menu', poi 'Esporta bacheca', e copia il testo nel file scaricato.", + "import-json-placeholder": "Incolla un JSON valido qui", + "import-map-members": "Mappatura dei membri", + "import-members-map": "La bacheca che hai importato ha alcuni membri. Per favore scegli i membri che vuoi vengano importati negli utenti di Wekan", + "import-show-user-mapping": "Rivedi la mappatura dei membri", + "import-user-select": "Scegli l'utente Wekan che vuoi utilizzare come questo membro", + "importMapMembersAddPopup-title": "Seleziona i membri di Wekan", + "info": "Versione", + "initials": "Iniziali", + "invalid-date": "Data non valida", + "invalid-time": "Tempo non valido", + "invalid-user": "User non valido", + "joined": "si è unito a", + "just-invited": "Sei stato appena invitato a questa bacheca", + "keyboard-shortcuts": "Scorciatoie da tastiera", + "label-create": "Crea etichetta", + "label-default": "%s etichetta (default)", + "label-delete-pop": "Non potrai tornare indietro. Procedendo, rimuoverai questa etichetta da tutte le schede e distruggerai la sua cronologia.", + "labels": "Etichette", + "language": "Lingua", + "last-admin-desc": "Non puoi cambiare i ruoli perché deve esserci almeno un admin.", + "leave-board": "Abbandona bacheca", + "leave-board-pop": "Sei sicuro di voler abbandonare __boardTitle__? Sarai rimosso da tutte le schede in questa bacheca.", + "leaveBoardPopup-title": "Abbandona Bacheca?", + "link-card": "Link a questa scheda", + "list-archive-cards": "Cestina tutte le schede in questa lista", + "list-archive-cards-pop": "Questo rimuoverà dalla bacheca tutte le schede in questa lista. Per vedere le schede cestinate e portarle indietro alla bacheca, clicca “Menu” > “Elementi cestinati”", + "list-move-cards": "Sposta tutte le schede in questa lista", + "list-select-cards": "Selezione tutte le schede in questa lista", + "listActionPopup-title": "Azioni disponibili", + "swimlaneActionPopup-title": "Azioni corsia", + "listImportCardPopup-title": "Importa una scheda di Trello", + "listMorePopup-title": "Altro", + "link-list": "Link a questa lista", + "list-delete-pop": "Tutte le azioni saranno rimosse dal flusso attività e non sarai in grado di recuperare la lista. Non potrai tornare indietro.", + "list-delete-suggest-archive": "Puoi cestinare una scheda per rimuoverla dalla bacheca e preservare la sua attività.", + "lists": "Liste", + "swimlanes": "Corsie", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Impostazioni membri", + "members": "Membri", + "menu": "Menu", + "move-selection": "Sposta selezione", + "moveCardPopup-title": "Sposta scheda", + "moveCardToBottom-title": "Sposta in fondo", + "moveCardToTop-title": "Sposta in alto", + "moveSelectionPopup-title": "Sposta selezione", + "multi-selection": "Multi-Selezione", + "multi-selection-on": "Multi-Selezione attiva", + "muted": "Silenziato", + "muted-info": "Non sarai mai notificato delle modifiche in questa bacheca", + "my-boards": "Le mie bacheche", + "name": "Nome", + "no-archived-cards": "Nessuna scheda nel cestino", + "no-archived-lists": "Nessuna lista nel cestino", + "no-archived-swimlanes": "Nessuna corsia nel cestino", + "no-results": "Nessun risultato", + "normal": "Normale", + "normal-desc": "Può visionare e modificare le schede. Non può cambiare le impostazioni.", + "not-accepted-yet": "Invitato non ancora accettato", + "notify-participate": "Ricevi aggiornamenti per qualsiasi scheda a cui partecipi come creatore o membro", + "notify-watch": "Ricevi aggiornamenti per tutte le bacheche, liste o schede che stai seguendo", + "optional": "opzionale", + "or": "o", + "page-maybe-private": "Questa pagina potrebbe essere privata. Potresti essere in grado di vederla facendo il log-in.", + "page-not-found": "Pagina non trovata.", + "password": "Password", + "paste-or-dragdrop": "per incollare, oppure trascina & rilascia il file immagine (solo immagini)", + "participating": "Partecipando", + "preview": "Anteprima", + "previewAttachedImagePopup-title": "Anteprima", + "previewClipboardImagePopup-title": "Anteprima", + "private": "Privata", + "private-desc": "Questa bacheca è privata. Solo le persone aggiunte alla bacheca possono vederla e modificarla.", + "profile": "Profilo", + "public": "Pubblica", + "public-desc": "Questa bacheca è pubblica. È visibile a chiunque abbia il link e sarà mostrata dai motori di ricerca come Google. Solo le persone aggiunte alla bacheca possono modificarla.", + "quick-access-description": "Stella una bacheca per aggiungere una scorciatoia in questa barra.", + "remove-cover": "Rimuovi cover", + "remove-from-board": "Rimuovi dalla bacheca", + "remove-label": "Rimuovi Etichetta", + "listDeletePopup-title": "Eliminare Lista?", + "remove-member": "Rimuovi utente", + "remove-member-from-card": "Rimuovi dalla scheda", + "remove-member-pop": "Rimuovere __name__ (__username__) da __boardTitle__? L'utente sarà rimosso da tutte le schede in questa bacheca. Riceveranno una notifica.", + "removeMemberPopup-title": "Rimuovere membro?", + "rename": "Rinomina", + "rename-board": "Rinomina bacheca", + "restore": "Ripristina", + "save": "Salva", + "search": "Cerca", + "search-cards": "Ricerca per titolo e descrizione scheda su questa bacheca", + "search-example": "Testo da ricercare?", + "select-color": "Seleziona Colore", + "set-wip-limit-value": "Seleziona un limite per il massimo numero di attività in questa lista", + "setWipLimitPopup-title": "Imposta limite di work in progress", + "shortcut-assign-self": "Aggiungi te stesso alla scheda corrente", + "shortcut-autocomplete-emoji": "Autocompletamento emoji", + "shortcut-autocomplete-members": "Autocompletamento membri", + "shortcut-clear-filters": "Pulisci tutti i filtri", + "shortcut-close-dialog": "Chiudi finestra di dialogo", + "shortcut-filter-my-cards": "Filtra le mie schede", + "shortcut-show-shortcuts": "Apri questa lista di scorciatoie", + "shortcut-toggle-filterbar": "Apri/chiudi la barra laterale dei filtri", + "shortcut-toggle-sidebar": "Apri/chiudi la barra laterale della bacheca", + "show-cards-minimum-count": "Mostra il contatore delle schede se la lista ne contiene più di", + "sidebar-open": "Apri Sidebar", + "sidebar-close": "Chiudi Sidebar", + "signupPopup-title": "Crea un account", + "star-board-title": "Clicca per stellare questa bacheca. Sarà mostrata all'inizio della tua lista bacheche.", + "starred-boards": "Bacheche stellate", + "starred-boards-description": "Le bacheche stellate vengono mostrato all'inizio della tua lista bacheche.", + "subscribe": "Sottoscrivi", + "team": "Team", + "this-board": "questa bacheca", + "this-card": "questa scheda", + "spent-time-hours": "Tempo trascorso (ore)", + "overtime-hours": "Overtime (ore)", + "overtime": "Overtime", + "has-overtime-cards": "Ci sono scheda scadute", + "has-spenttime-cards": "Ci sono scheda con tempo impiegato", + "time": "Ora", + "title": "Titolo", + "tracking": "Monitoraggio", + "tracking-info": "Sarai notificato per tutte le modifiche alle schede delle quali sei creatore o membro.", + "type": "Type", + "unassign-member": "Rimuovi membro", + "unsaved-description": "Hai una descrizione non salvata", + "unwatch": "Non seguire", + "upload": "Upload", + "upload-avatar": "Carica un avatar", + "uploaded-avatar": "Avatar caricato", + "username": "Username", + "view-it": "Vedi", + "warn-list-archived": "attenzione: questa scheda è in una lista cestinata", + "watch": "Segui", + "watching": "Stai seguendo", + "watching-info": "Sarai notificato per tutte le modifiche in questa bacheca", + "welcome-board": "Bacheca di benvenuto", + "welcome-swimlane": "Pietra miliare 1", + "welcome-list1": "Basi", + "welcome-list2": "Avanzate", + "what-to-do": "Cosa vuoi fare?", + "wipLimitErrorPopup-title": "Limite work in progress non valido. ", + "wipLimitErrorPopup-dialog-pt1": "Il numero di compiti in questa lista è maggiore del limite di work in progress che hai definito in precedenza. ", + "wipLimitErrorPopup-dialog-pt2": "Per favore, sposta alcuni dei compiti fuori da questa lista, oppure imposta un limite di work in progress più alto. ", + "admin-panel": "Pannello dell'Amministratore", + "settings": "Impostazioni", + "people": "Persone", + "registration": "Registrazione", + "disable-self-registration": "Disabilita Auto-registrazione", + "invite": "Invita", + "invite-people": "Invita persone", + "to-boards": "torna alle bacheche(a)", + "email-addresses": "Indirizzi email", + "smtp-host-description": "L'indirizzo del server SMTP che gestisce le tue email.", + "smtp-port-description": "La porta che il tuo server SMTP utilizza per le email in uscita.", + "smtp-tls-description": "Abilita supporto TLS per server SMTP", + "smtp-host": "SMTP Host", + "smtp-port": "Porta SMTP", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "Supporto TLS", + "send-from": "Da", + "send-smtp-test": "Invia un'email di test a te stesso", + "invitation-code": "Codice d'invito", + "email-invite-register-subject": "__inviter__ ti ha inviato un invito", + "email-invite-register-text": "Gentile __user__,\n\n__inviter__ ti ha invitato su Wekan per collaborare.\n\nPer favore segui il link qui sotto:\n__url__\n\nIl tuo codice d'invito è: __icode__\n\nGrazie.", + "email-smtp-test-subject": "Test invio email SMTP per Wekan", + "email-smtp-test-text": "Hai inviato un'email con successo", + "error-invitation-code-not-exist": "Il codice d'invito non esiste", + "error-notAuthorized": "Non sei autorizzato ad accedere a questa pagina.", + "outgoing-webhooks": "Server esterni", + "outgoingWebhooksPopup-title": "Server esterni", + "new-outgoing-webhook": "Nuovo webhook in uscita", + "no-name": "(Sconosciuto)", + "Wekan_version": "Versione di Wekan", + "Node_version": "Versione di Node", + "OS_Arch": "Architettura del sistema operativo", + "OS_Cpus": "Conteggio della CPU del sistema operativo", + "OS_Freemem": "Memoria libera del sistema operativo ", + "OS_Loadavg": "Carico medio del sistema operativo ", + "OS_Platform": "Piattaforma del sistema operativo", + "OS_Release": "Versione di rilascio del sistema operativo", + "OS_Totalmem": "Memoria totale del sistema operativo ", + "OS_Type": "Tipo di sistema operativo ", + "OS_Uptime": "Tempo di attività del sistema operativo. ", + "hours": "ore", + "minutes": "minuti", + "seconds": "secondi", + "show-field-on-card": "Show this field on card", + "yes": "Sì", + "no": "No", + "accounts": "Profili", + "accounts-allowEmailChange": "Permetti modifica dell'email", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "creato alle", + "verified": "Verificato", + "active": "Attivo", + "card-received": "Ricevuta", + "card-received-on": "Ricevuta il", + "card-end": "Fine", + "card-end-on": "Termina il", + "editCardReceivedDatePopup-title": "Cambia data ricezione", + "editCardEndDatePopup-title": "Cambia data finale", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json new file mode 100644 index 00000000..e3267d73 --- /dev/null +++ b/i18n/ja.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "受け入れ", + "act-activity-notify": "[Wekan] アクティビティ通知", + "act-addAttachment": "__card__ に __attachment__ を添付しました", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "__card__: __comment__ をコメントしました", + "act-createBoard": "__board__ を作成しました", + "act-createCard": "__list__ に __card__ を追加しました", + "act-createCustomField": "created custom field __customField__", + "act-createList": "__board__ に __list__ を追加しました", + "act-addBoardMember": "__board__ に __member__ を追加しました", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "__board__ をインポートしました", + "act-importCard": "__card__ をインポートしました", + "act-importList": "__list__ をインポートしました", + "act-joinMember": "__card__ に __member__ を追加しました", + "act-moveCard": "__card__ を __oldList__ から __list__ に 移動しました", + "act-removeBoardMember": "__board__ から __member__ を削除しました", + "act-restoredCard": "__card__ を __board__ にリストアしました", + "act-unjoinMember": "__card__ から __member__ を削除しました", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "操作", + "activities": "アクティビティ", + "activity": "アクティビティ", + "activity-added": "%s を %s に追加しました", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "%s を %s に添付しました", + "activity-created": "%s を作成しました", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "%s を %s から除外しました", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "%s にジョインしました", + "activity-moved": "%s を %s から %s に移動しました", + "activity-on": "%s", + "activity-removed": "%s を %s から削除しました", + "activity-sent": "%s を %s に送りました", + "activity-unjoined": "%s への参加を止めました", + "activity-checklist-added": "%s にチェックリストを追加しました", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "追加", + "add-attachment": "添付ファイルを追加", + "add-board": "ボードを追加", + "add-card": "カードを追加", + "add-swimlane": "Add Swimlane", + "add-checklist": "チェックリストを追加", + "add-checklist-item": "チェックリストに項目を追加", + "add-cover": "カバーの追加", + "add-label": "ラベルを追加", + "add-list": "リストを追加", + "add-members": "メンバーの追加", + "added": "追加しました", + "addMemberPopup-title": "メンバー", + "admin": "管理", + "admin-desc": "カードの閲覧と編集、メンバーの削除、ボードの設定変更が可能", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "全てのボード", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "適用", + "app-is-offline": "現在オフラインです。ページを更新すると保存していないデータは失われます。", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "ボードをリストア", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "メンバーの割当", + "attached": "添付されました", + "attachment": "添付ファイル", + "attachment-delete-pop": "添付ファイルの削除をすると取り消しできません。", + "attachmentDeletePopup-title": "添付ファイルを削除しますか?", + "attachments": "添付ファイル", + "auto-watch": "作成されたボードを自動的にウォッチする", + "avatar-too-big": "アバターが大きすぎます(最大70KB)", + "back": "戻る", + "board-change-color": "色の変更", + "board-nb-stars": "%s stars", + "board-not-found": "ボードが見つかりません", + "board-private-info": "ボードは 非公開 になります。", + "board-public-info": "ボードは公開されます。", + "boardChangeColorPopup-title": "ボードの背景を変更", + "boardChangeTitlePopup-title": "ボード名の変更", + "boardChangeVisibilityPopup-title": "公開範囲の変更", + "boardChangeWatchPopup-title": "ウォッチの変更", + "boardMenuPopup-title": "ボードメニュー", + "boards": "ボード", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "リスト", + "bucket-example": "Like “Bucket List” for example", + "cancel": "キャンセル", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "%s 件のコメントがあります。", + "card-delete-notice": "削除は取り消しできません。このカードに関係するすべてのアクションがなくなります。", + "card-delete-pop": "すべての内容がアクティビティから削除されます。この削除は元に戻すことができません。", + "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "期限", + "card-due-on": "期限日", + "card-spent": "Spent Time", + "card-edit-attachments": "添付ファイルの編集", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "ラベルの編集", + "card-edit-members": "メンバーの編集", + "card-labels-title": "カードのラベルを変更する", + "card-members-title": "カードからボードメンバーを追加・削除する", + "card-start": "開始", + "card-start-on": "開始日", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "カードを削除しますか?", + "cardDetailsActionsPopup-title": "カード操作", + "cardLabelsPopup-title": "ラベル", + "cardMembersPopup-title": "メンバー", + "cardMorePopup-title": "さらに見る", + "cards": "カード", + "cards-count": "カード", + "change": "変更", + "change-avatar": "アバターの変更", + "change-password": "パスワードの変更", + "change-permissions": "権限の変更", + "change-settings": "設定の変更", + "changeAvatarPopup-title": "アバターの変更", + "changeLanguagePopup-title": "言語の変更", + "changePasswordPopup-title": "パスワードの変更", + "changePermissionsPopup-title": "パーミッションの変更", + "changeSettingsPopup-title": "設定の変更", + "checklists": "チェックリスト", + "click-to-star": "ボードにスターをつける", + "click-to-unstar": "ボードからスターを外す", + "clipboard": "クリップボードもしくはドラッグ&ドロップ", + "close": "閉じる", + "close-board": "ボードを閉じる", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "黒", + "color-blue": "青", + "color-green": "緑", + "color-lime": "ライム", + "color-orange": "オレンジ", + "color-pink": "ピンク", + "color-purple": "紫", + "color-red": "赤", + "color-sky": "空", + "color-yellow": "黄", + "comment": "コメント", + "comment-placeholder": "コメントを書く", + "comment-only": "コメントのみ", + "comment-only-desc": "カードにのみコメント可能", + "computer": "コンピューター", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "カードへのリンクをクリップボードにコピー", + "copyCardPopup-title": "カードをコピー", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "作成", + "createBoardPopup-title": "ボードの作成", + "chooseBoardSourcePopup-title": "ボードをインポート", + "createLabelPopup-title": "ラベルの作成", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "現在", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "日付", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "日付", + "decline": "拒否", + "default-avatar": "デフォルトのアバター", + "delete": "削除", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "ラベルを削除しますか?", + "description": "詳細", + "disambiguateMultiLabelPopup-title": "不正なラベル操作", + "disambiguateMultiMemberPopup-title": "不正なメンバー操作", + "discard": "捨てる", + "done": "完了", + "download": "ダウンロード", + "edit": "編集", + "edit-avatar": "アバターの変更", + "edit-profile": "プロフィールの編集", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "開始日の変更", + "editCardDueDatePopup-title": "期限の変更", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "ラベルの変更", + "editNotificationPopup-title": "通知の変更", + "editProfilePopup-title": "プロフィールの編集", + "email": "メールアドレス", + "email-enrollAccount-subject": "__siteName__であなたのアカウントが作成されました", + "email-enrollAccount-text": "こんにちは、__user__さん。\n\nサービスを開始するには、以下をクリックしてください。\n\n__url__\n\nよろしくお願いします。", + "email-fail": "メールの送信に失敗しました", + "email-fail-text": "Error trying to send email", + "email-invalid": "無効なメールアドレス", + "email-invite": "メールで招待", + "email-invite-subject": "__inviter__があなたを招待しています", + "email-invite-text": "__user__さんへ。\n\n__inviter__さんがあなたをボード\"__board__\"へ招待しています。\n\n以下のリンクをクリックしてください。\n\n__url__\n\nよろしくお願いします。", + "email-resetPassword-subject": "あなたの __siteName__ のパスワードをリセットする", + "email-resetPassword-text": "こんにちは、__user__さん。\n\nパスワードをリセットするには、以下のリンクをクリックしてください。\n\n__url__\n\nよろしくお願いします。", + "email-sent": "メールを送信しました", + "email-verifyEmail-subject": "あなたの __siteName__ のメールアドレスを確認する", + "email-verifyEmail-text": "こんにちは、__user__さん。\n\nメールアドレスを認証するために、以下のリンクをクリックしてください。\n\n__url__\n\nよろしくお願いします。", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "ボードがありません", + "error-board-notAdmin": "操作にはボードの管理者権限が必要です", + "error-board-notAMember": "操作にはボードメンバーである必要があります", + "error-json-malformed": "このテキストは、有効なJSON形式ではありません", + "error-json-schema": "JSONデータが不正な値を含んでいます", + "error-list-doesNotExist": "このリストは存在しません", + "error-user-doesNotExist": "ユーザーが存在しません", + "error-user-notAllowSelf": "自分を招待することはできません。", + "error-user-notCreated": "ユーザーが作成されていません", + "error-username-taken": "このユーザ名は既に使用されています", + "error-email-taken": "メールは既に受け取られています", + "export-board": "ボードのエクスポート", + "filter": "フィルター", + "filter-cards": "カードをフィルターする", + "filter-clear": "フィルターの解除", + "filter-no-label": "ラベルなし", + "filter-no-member": "メンバーなし", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "フィルター有効", + "filter-on-desc": "このボードのカードをフィルターしています。フィルターを編集するにはこちらをクリックしてください。", + "filter-to-selection": "フィルターした項目を全選択", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "フルネーム", + "header-logo-title": "自分のボードページに戻る。", + "hide-system-messages": "システムメッセージを隠す", + "headerBarCreateBoardPopup-title": "ボードの作成", + "home": "ホーム", + "import": "インポート", + "import-board": "ボードをインポート", + "import-board-c": "ボードをインポート", + "import-board-title-trello": "Trelloからボードをインポート", + "import-board-title-wekan": "Wekanからボードをインポート", + "import-sandstorm-warning": "ボードのインポートは、既存ボードのすべてのデータを置き換えます。", + "from-trello": "Trelloから", + "from-wekan": "Wekanから", + "import-board-instruction-trello": "Trelloボードの、 'Menu' → 'More' → 'Print and Export' → 'Export JSON'を選択し、テキストをコピーしてください。", + "import-board-instruction-wekan": "Wekanボードの、'Menu' → 'Export board'を選択し、ダウンロードされたファイルからテキストをコピーしてください。", + "import-json-placeholder": "JSONデータをここに貼り付けする", + "import-map-members": "メンバーを紐付け", + "import-members-map": "インポートしたボードにはメンバーが含まれます。これらのメンバーをWekanのメンバーに紐付けしてください。", + "import-show-user-mapping": "メンバー紐付けの確認", + "import-user-select": "メンバーとして利用したいWekanユーザーを選択", + "importMapMembersAddPopup-title": "Wekanメンバーを選択", + "info": "バージョン", + "initials": "初期状態", + "invalid-date": "無効な日付", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "参加しました", + "just-invited": "このボードのメンバーに招待されています", + "keyboard-shortcuts": "キーボード・ショートカット", + "label-create": "ラベルの作成", + "label-default": "%s ラベル(デフォルト)", + "label-delete-pop": "この操作は取り消しできません。このラベルはすべてのカードから外され履歴からも見えなくなります。", + "labels": "ラベル", + "language": "言語", + "last-admin-desc": "最低でも1人以上の管理者が必要なためロールを変更できません。", + "leave-board": "ボードから退出する", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "ボードから退出しますか?", + "link-card": "このカードへのリンク", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "リストの全カードを移動する", + "list-select-cards": "リストの全カードを選択", + "listActionPopup-title": "操作一覧", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Trelloのカードをインポート", + "listMorePopup-title": "さらに見る", + "link-list": "このリストへのリンク", + "list-delete-pop": "すべての内容がアクティビティから削除されます。この削除は元に戻すことができません。", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "リスト", + "swimlanes": "Swimlanes", + "log-out": "ログアウト", + "log-in": "ログイン", + "loginPopup-title": "ログイン", + "memberMenuPopup-title": "メンバー設定", + "members": "メンバー", + "menu": "メニュー", + "move-selection": "選択したものを移動", + "moveCardPopup-title": "カードの移動", + "moveCardToBottom-title": "最下部に移動", + "moveCardToTop-title": "先頭に移動", + "moveSelectionPopup-title": "選択箇所に移動", + "multi-selection": "複数選択", + "multi-selection-on": "複数選択有効", + "muted": "ミュート", + "muted-info": "このボードの変更は通知されません", + "my-boards": "自分のボード", + "name": "名前", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "該当するものはありません", + "normal": "通常", + "normal-desc": "カードの閲覧と編集が可能。設定変更不可。", + "not-accepted-yet": "招待はアクセプトされていません", + "notify-participate": "作成した、またはメンバーとなったカードの更新情報を受け取る", + "notify-watch": "ウォッチしているすべてのボード、リスト、カードの更新情報を受け取る", + "optional": "任意", + "or": "or", + "page-maybe-private": "このページはプライベートです。ログインして見てください。", + "page-not-found": "ページが見つかりません。", + "password": "パスワード", + "paste-or-dragdrop": "貼り付けか、ドラッグアンドロップで画像を添付 (画像のみ)", + "participating": "参加", + "preview": "プレビュー", + "previewAttachedImagePopup-title": "プレビュー", + "previewClipboardImagePopup-title": "プレビュー", + "private": "プライベート", + "private-desc": "このボードはプライベートです。ボードメンバーのみが閲覧・編集可能です。", + "profile": "プロフィール", + "public": "公開", + "public-desc": "このボードはパブリックです。リンクを知っていれば誰でもアクセス可能でGoogleのような検索エンジンの結果に表示されます。このボードに追加されている人だけがカード追加が可能です。", + "quick-access-description": "ボードにスターをつけると、ここににショートカットができます。", + "remove-cover": "カバーの削除", + "remove-from-board": "ボードから外す", + "remove-label": "ラベルの削除", + "listDeletePopup-title": "リストを削除しますか?", + "remove-member": "メンバーを外す", + "remove-member-from-card": "カードから外す", + "remove-member-pop": "__boardTitle__ から __name__ (__username__) を外しますか?メンバーはこのボードのすべてのカードから外れ、通知を受けます。", + "removeMemberPopup-title": "メンバーを外しますか?", + "rename": "名前変更", + "rename-board": "ボード名の変更", + "restore": "復元", + "save": "保存", + "search": "検索", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "色を選択", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "自分をこのカードに割り当てる", + "shortcut-autocomplete-emoji": "絵文字の補完", + "shortcut-autocomplete-members": "メンバーの補完", + "shortcut-clear-filters": "すべてのフィルターを解除する", + "shortcut-close-dialog": "ダイアログを閉じる", + "shortcut-filter-my-cards": "カードをフィルター", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "フィルターサイドバーの切り替え", + "shortcut-toggle-sidebar": "ボードサイドバーの切り替え", + "show-cards-minimum-count": "以下より多い場合、リストにカード数を表示", + "sidebar-open": "サイドバーを開く", + "sidebar-close": "サイドバーを閉じる", + "signupPopup-title": "アカウント作成", + "star-board-title": "ボードにスターをつけると自分のボード一覧のトップに表示されます。", + "starred-boards": "スターのついたボード", + "starred-boards-description": "スターのついたボードはボードリストの先頭に表示されます。", + "subscribe": "購読", + "team": "チーム", + "this-board": "このボード", + "this-card": "このカード", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "時間", + "title": "タイトル", + "tracking": "トラッキング", + "tracking-info": "これらのカードへの変更が通知されるようになります。", + "type": "Type", + "unassign-member": "未登録のメンバー", + "unsaved-description": "未保存の変更があります。", + "unwatch": "アンウォッチ", + "upload": "アップロード", + "upload-avatar": "アバターのアップロード", + "uploaded-avatar": "アップロードされたアバター", + "username": "ユーザー名", + "view-it": "見る", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "ウォッチ", + "watching": "ウォッチしています", + "watching-info": "このボードの変更が通知されます", + "welcome-board": "ウェルカムボード", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "基本", + "welcome-list2": "高度", + "what-to-do": "何をしたいですか?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "管理パネル", + "settings": "設定", + "people": "メンバー", + "registration": "登録", + "disable-self-registration": "自己登録を無効化", + "invite": "招待", + "invite-people": "メンバーを招待", + "to-boards": "ボードへ移動", + "email-addresses": "Emailアドレス", + "smtp-host-description": "Emailを処理するSMTPサーバーのアドレス", + "smtp-port-description": "SMTPサーバーがEmail送信に使用するポート", + "smtp-tls-description": "SMTPサーバのTLSサポートを有効化", + "smtp-host": "SMTPホスト", + "smtp-port": "SMTPポート", + "smtp-username": "ユーザー名", + "smtp-password": "パスワード", + "smtp-tls": "TLSサポート", + "send-from": "送信元", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "招待コード", + "email-invite-register-subject": "__inviter__さんがあなたを招待しています", + "email-invite-register-text": " __user__ さん\n\n__inviter__ があなたをWekanに招待しました。\n\n以下のリンクをクリックしてください。\n__url__\n\nあなたの招待コードは、 __icode__ です。\n\nよろしくお願いします。", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "招待コードが存在しません", + "error-notAuthorized": "このページを参照する権限がありません。", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekanバージョン", + "Node_version": "Nodeバージョン", + "OS_Arch": "OSアーキテクチャ", + "OS_Cpus": "OS CPU数", + "OS_Freemem": "OSフリーメモリ", + "OS_Loadavg": "OSロードアベレージ", + "OS_Platform": "OSプラットフォーム", + "OS_Release": "OSリリース", + "OS_Totalmem": "OSトータルメモリ", + "OS_Type": "OS種類", + "OS_Uptime": "OSアップタイム", + "hours": "時", + "minutes": "分", + "seconds": "秒", + "show-field-on-card": "Show this field on card", + "yes": "はい", + "no": "いいえ", + "accounts": "アカウント", + "accounts-allowEmailChange": "メールアドレスの変更を許可", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json new file mode 100644 index 00000000..f7ee5baf --- /dev/null +++ b/i18n/ko.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "확인", + "act-activity-notify": "[Wekan] 활동 알림", + "act-addAttachment": "__attachment__를 __card__에 첨부", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "__card__에 내용 추가 : __comment__", + "act-createBoard": "__board__ 생성", + "act-createCard": "__list__에 __card__ 추가", + "act-createCustomField": "created custom field __customField__", + "act-createList": "__board__에 __list__ 추가", + "act-addBoardMember": "__board__에 __member__ 추가", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "가져온 __board__", + "act-importCard": "가져온 __card__", + "act-importList": "가져온 __list__", + "act-joinMember": "__card__에 __member__ 추가", + "act-moveCard": "__card__을 __oldList__에서 __list__로 이동", + "act-removeBoardMember": "__board__에서 __member__를 삭제", + "act-restoredCard": "__card__를 __board__에 복원했습니다.", + "act-unjoinMember": "__card__에서 __member__를 삭제", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "동작", + "activities": "활동 내역", + "activity": "활동 상태", + "activity-added": "%s를 %s에 추가함", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "%s를 %s에 첨부함", + "activity-created": "%s 생성됨", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "%s를 %s에서 제외함", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "%s에 참여", + "activity-moved": "%s를 %s에서 %s로 옮김", + "activity-on": "%s에", + "activity-removed": "%s를 %s에서 삭제함", + "activity-sent": "%s를 %s로 보냄", + "activity-unjoined": "%s에서 멤버 해제", + "activity-checklist-added": "%s에 체크리스트를 추가함", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "추가", + "add-attachment": "첨부파일 추가", + "add-board": "보드 추가", + "add-card": "카드 추가", + "add-swimlane": "Add Swimlane", + "add-checklist": "체크리스트 추가", + "add-checklist-item": "체크리스트에 항목 추가", + "add-cover": "커버 추가", + "add-label": "라벨 추가", + "add-list": "리스트 추가", + "add-members": "멤버 추가", + "added": "추가됨", + "addMemberPopup-title": "멤버", + "admin": "관리자", + "admin-desc": "카드를 보거나 수정하고, 멤버를 삭제하고, 보드에 대한 설정을 수정할 수 있습니다.", + "admin-announcement": "Announcement", + "admin-announcement-active": "시스템에 공지사항을 표시합니다", + "admin-announcement-title": "관리자 공지사항 메시지", + "all-boards": "전체 보드", + "and-n-other-card": "__count__ 개의 다른 카드", + "and-n-other-card_plural": "__count__ 개의 다른 카드들", + "apply": "적용", + "app-is-offline": "Wekan 로딩 중 입니다. 잠시 기다려주세요. 페이지를 새로고침 하시면 데이터가 손실될 수 있습니다. Wekan 을 불러오는데 실패한다면 서버가 중지되지 않았는지 확인 바랍니다.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "보드 복구", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "멤버 지정", + "attached": "첨부됨", + "attachment": "첨부 파일", + "attachment-delete-pop": "영구 첨부파일을 삭제합니다. 되돌릴 수 없습니다.", + "attachmentDeletePopup-title": "첨부 파일을 삭제합니까?", + "attachments": "첨부 파일", + "auto-watch": "생성한 보드를 자동으로 감시합니다.", + "avatar-too-big": "아바타 파일이 너무 큽니다. (최대 70KB)", + "back": "뒤로", + "board-change-color": "보드 색 변경", + "board-nb-stars": "%s개의 별", + "board-not-found": "보드를 찾을 수 없습니다", + "board-private-info": "이 보드는 비공개입니다.", + "board-public-info": "이 보드는 공개로 설정됩니다", + "boardChangeColorPopup-title": "보드 배경 변경", + "boardChangeTitlePopup-title": "보드 이름 바꾸기", + "boardChangeVisibilityPopup-title": "표시 여부 변경", + "boardChangeWatchPopup-title": "감시상태 변경", + "boardMenuPopup-title": "보드 메뉴", + "boards": "보드", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "목록들", + "bucket-example": "예: “프로젝트 이름“ 입력", + "cancel": "취소", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "이 카드에 %s 코멘트가 있습니다.", + "card-delete-notice": "영구 삭제입니다. 이 카드와 관련된 모든 작업들을 잃게됩니다.", + "card-delete-pop": "모든 작업이 활동 내역에서 제거되며 카드를 다시 열 수 없습니다. 복구가 안되니 주의하시기 바랍니다.", + "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "종료일", + "card-due-on": "종료일", + "card-spent": "Spent Time", + "card-edit-attachments": "첨부 파일 수정", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "라벨 수정", + "card-edit-members": "멤버 수정", + "card-labels-title": "카드의 라벨 변경.", + "card-members-title": "카드에서 보드의 멤버를 추가하거나 삭제합니다.", + "card-start": "시작일", + "card-start-on": "시작일", + "cardAttachmentsPopup-title": "첨부 파일", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "카드를 삭제합니까?", + "cardDetailsActionsPopup-title": "카드 액션", + "cardLabelsPopup-title": "라벨", + "cardMembersPopup-title": "멤버", + "cardMorePopup-title": "더보기", + "cards": "카드", + "cards-count": "카드", + "change": "변경", + "change-avatar": "아바타 변경", + "change-password": "암호 변경", + "change-permissions": "권한 변경", + "change-settings": "설정 변경", + "changeAvatarPopup-title": "아바타 변경", + "changeLanguagePopup-title": "언어 변경", + "changePasswordPopup-title": "암호 변경", + "changePermissionsPopup-title": "권한 변경", + "changeSettingsPopup-title": "설정 변경", + "checklists": "체크리스트", + "click-to-star": "보드에 별 추가.", + "click-to-unstar": "보드에 별 삭제.", + "clipboard": "클립보드 또는 드래그 앤 드롭", + "close": "닫기", + "close-board": "보드 닫기", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "블랙", + "color-blue": "블루", + "color-green": "그린", + "color-lime": "라임", + "color-orange": "오렌지", + "color-pink": "핑크", + "color-purple": "퍼플", + "color-red": "레드", + "color-sky": "스카이", + "color-yellow": "옐로우", + "comment": "댓글", + "comment-placeholder": "댓글 입력", + "comment-only": "댓글만 입력 가능", + "comment-only-desc": "카드에 댓글만 달수 있습니다.", + "computer": "내 컴퓨터", + "confirm-checklist-delete-dialog": "정말 이 체크리스트를 삭제할까요?", + "copy-card-link-to-clipboard": "클립보드에 카드의 링크가 복사되었습니다.", + "copyCardPopup-title": "카드 복사", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "생성", + "createBoardPopup-title": "보드 생성", + "chooseBoardSourcePopup-title": "보드 가져오기", + "createLabelPopup-title": "라벨 생성", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "경향", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "날짜", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "날짜", + "decline": "쇠퇴", + "default-avatar": "기본 아바타", + "delete": "삭제", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "라벨을 삭제합니까?", + "description": "설명", + "disambiguateMultiLabelPopup-title": "라벨 액션의 모호성 제거", + "disambiguateMultiMemberPopup-title": "멤버 액션의 모호성 제거", + "discard": "포기", + "done": "완료", + "download": "다운로드", + "edit": "수정", + "edit-avatar": "아바타 변경", + "edit-profile": "프로필 변경", + "edit-wip-limit": "WIP 제한 변경", + "soft-wip-limit": "원만한 WIP 제한", + "editCardStartDatePopup-title": "시작일 변경", + "editCardDueDatePopup-title": "종료일 변경", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "라벨 변경", + "editNotificationPopup-title": "알림 수정", + "editProfilePopup-title": "프로필 변경", + "email": "이메일", + "email-enrollAccount-subject": "__siteName__에 계정 생성이 완료되었습니다.", + "email-enrollAccount-text": "안녕하세요. __user__님,\n\n시작하려면 아래링크를 클릭해 주세요.\n\n__url__\n\n감사합니다.", + "email-fail": "이메일 전송 실패", + "email-fail-text": "Error trying to send email", + "email-invalid": "잘못된 이메일 주소", + "email-invite": "이메일로 초대", + "email-invite-subject": "__inviter__님이 당신을 초대하였습니다.", + "email-invite-text": "__user__님,\n\n__inviter__님이 협업을 위해 \"__board__\"보드에 가입하도록 초대하셨습니다.\n\n아래 링크를 클릭해주십시오.\n\n__url__\n\n감사합니다.", + "email-resetPassword-subject": "패스워드 초기화: __siteName__", + "email-resetPassword-text": "안녕하세요 __user__님,\n\n비밀번호를 재설정하려면 아래 링크를 클릭하십시오.\n\n__url__\n\n감사합니다.", + "email-sent": "이메일 전송", + "email-verifyEmail-subject": "이메일 인증: __siteName__", + "email-verifyEmail-text": "안녕하세요. __user__님,\n\n당신의 계정과 이메일을 활성하려면 아래 링크를 클릭하십시오.\n\n__url__\n\n감사합니다.", + "enable-wip-limit": "WIP 제한 활성화", + "error-board-doesNotExist": "보드가 없습니다.", + "error-board-notAdmin": "이 작업은 보드의 관리자만 실행할 수 있습니다.", + "error-board-notAMember": "이 작업은 보드의 멤버만 실행할 수 있습니다.", + "error-json-malformed": "텍스트가 JSON 형식에 유효하지 않습니다.", + "error-json-schema": "JSON 데이터에 정보가 올바른 형식으로 포함되어 있지 않습니다.", + "error-list-doesNotExist": "목록이 없습니다.", + "error-user-doesNotExist": "멤버의 정보가 없습니다.", + "error-user-notAllowSelf": "자기 자신을 초대할 수 없습니다.", + "error-user-notCreated": "유저가 생성되지 않았습니다.", + "error-username-taken": "중복된 아이디 입니다.", + "error-email-taken": "Email has already been taken", + "export-board": "보드 내보내기", + "filter": "필터", + "filter-cards": "카드 필터", + "filter-clear": "필터 초기화", + "filter-no-label": "라벨 없음", + "filter-no-member": "멤버 없음", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "필터 사용", + "filter-on-desc": "보드에서 카드를 필터링합니다. 여기를 클릭하여 필터를 수정합니다.", + "filter-to-selection": "선택 항목으로 필터링", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "실명", + "header-logo-title": "보드 페이지로 돌아가기.", + "hide-system-messages": "시스템 메시지 숨기기", + "headerBarCreateBoardPopup-title": "보드 생성", + "home": "홈", + "import": "가져오기", + "import-board": "보드 가져오기", + "import-board-c": "보드 가져오기", + "import-board-title-trello": "Trello에서 보드 가져오기", + "import-board-title-wekan": "Wekan에서 보드 가져오기", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "Trello 게시판에서 'Menu' -> 'More' -> 'Print and Export', 'Export JSON' 선택하여 텍스트 결과값 복사", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "유효한 JSON 데이터를 여기에 붙여 넣으십시오.", + "import-map-members": "보드 멤버들", + "import-members-map": "가져온 보드에는 멤버가 있습니다. 원하는 멤버를 Wekan 멤버로 매핑하세요.", + "import-show-user-mapping": "멤버 매핑 미리보기", + "import-user-select": "이 멤버로 사용하려는 Wekan 유저를 선택하십시오.", + "importMapMembersAddPopup-title": "Wekan 멤버 선택", + "info": "Version", + "initials": "이니셜", + "invalid-date": "적절하지 않은 날짜", + "invalid-time": "적절하지 않은 시각", + "invalid-user": "적절하지 않은 사용자", + "joined": "참가함", + "just-invited": "보드에 방금 초대되었습니다.", + "keyboard-shortcuts": "키보드 단축키", + "label-create": "라벨 생성", + "label-default": "%s 라벨 (기본)", + "label-delete-pop": "되돌릴 수 없습니다. 모든 카드에서 라벨을 제거하고, 이력을 제거합니다.", + "labels": "라벨", + "language": "언어", + "last-admin-desc": "적어도 하나의 관리자가 필요하기에 이 역할을 변경할 수 없습니다.", + "leave-board": "보드 멤버에서 나가기", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "카드에대한 링크", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "목록에 있는 모든 카드를 이동", + "list-select-cards": "목록에 있는 모든 카드를 선택", + "listActionPopup-title": "동작 목록", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Trello 카드 가져 오기", + "listMorePopup-title": "더보기", + "link-list": "이 리스트에 링크", + "list-delete-pop": "모든 작업이 활동내역에서 제거되며 리스트를 복구 할 수 없습니다. 실행 취소는 불가능 합니다.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "목록들", + "swimlanes": "Swimlanes", + "log-out": "로그아웃", + "log-in": "로그인", + "loginPopup-title": "로그인", + "memberMenuPopup-title": "멤버 설정", + "members": "멤버", + "menu": "메뉴", + "move-selection": "선택 항목 이동", + "moveCardPopup-title": "카드 이동", + "moveCardToBottom-title": "최하단으로 이동", + "moveCardToTop-title": "최상단으로 이동", + "moveSelectionPopup-title": "선택 항목 이동", + "multi-selection": "다중 선택", + "multi-selection-on": "다중 선택 사용", + "muted": "알림 해제", + "muted-info": "보드의 변경된 사항들의 알림을 받지 않습니다.", + "my-boards": "내 보드", + "name": "이름", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "결과 값 없음", + "normal": "표준", + "normal-desc": "카드를 보거나 수정할 수 있습니다. 설정값은 변경할 수 없습니다.", + "not-accepted-yet": "초대장이 수락되지 않았습니다.", + "notify-participate": "보드 생성자 또는 멤버로 참여하는 모든 카드에 대한 변경사항 알림 받음", + "notify-watch": "감시중인 보드, 목록 또는 카드에 대한 변경사항 알림 받음", + "optional": "옵션", + "or": "또는", + "page-maybe-private": "이 페이지를 비공개일 수 있습니다. 이것을 보고 싶으면 로그인을 하십시오.", + "page-not-found": "페이지를 찾지 못 했습니다", + "password": "암호", + "paste-or-dragdrop": "이미지 파일을 붙여 넣거나 드래그 앤 드롭 (이미지 전용)", + "participating": "참여", + "preview": "미리보기", + "previewAttachedImagePopup-title": "미리보기", + "previewClipboardImagePopup-title": "미리보기", + "private": "비공개", + "private-desc": "비공개된 보드입니다. 오직 보드에 추가된 사람들만 보고 수정할 수 있습니다", + "profile": "프로파일", + "public": "공개", + "public-desc": "공개된 보드입니다. 링크를 가진 모든 사람과 구글과 같은 검색 엔진에서 찾아서 볼수 있습니다. 보드에 추가된 사람들만 수정이 가능합니다.", + "quick-access-description": "여기에 바로 가기를 추가하려면 보드에 별 표시를 체크하세요.", + "remove-cover": "커버 제거", + "remove-from-board": "보드에서 제거", + "remove-label": "라벨 제거", + "listDeletePopup-title": "리스트를 삭제합니까?", + "remove-member": "멤버 제거", + "remove-member-from-card": "카드에서 제거", + "remove-member-pop": "__boardTitle__에서 __name__(__username__) 을 제거합니까? 이 보드의 모든 카드에서 제거됩니다. 해당 내용을 __name__(__username__) 은(는) 알림으로 받게됩니다.", + "removeMemberPopup-title": "멤버를 제거합니까?", + "rename": "새이름", + "rename-board": "보드 이름 바꾸기", + "restore": "복구", + "save": "저장", + "search": "검색", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "색 선택", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "현재 카드에 자신을 지정하세요.", + "shortcut-autocomplete-emoji": "이모티콘 자동완성", + "shortcut-autocomplete-members": "멤버 자동완성", + "shortcut-clear-filters": "모든 필터 초기화", + "shortcut-close-dialog": "대화 상자 닫기", + "shortcut-filter-my-cards": "내 카드 필터링", + "shortcut-show-shortcuts": "바로가기 목록을 가져오십시오.", + "shortcut-toggle-filterbar": "토글 필터 사이드바", + "shortcut-toggle-sidebar": "보드 사이드바 토글", + "show-cards-minimum-count": "목록에 카드 수량 표시(입력된 수량 넘을 경우 표시)", + "sidebar-open": "사이드바 열기", + "sidebar-close": "사이드바 닫기", + "signupPopup-title": "계정 생성", + "star-board-title": "보드에 별 표시를 클릭합니다. 보드 목록에서 최상위로 둘 수 있습니다.", + "starred-boards": "별표된 보드", + "starred-boards-description": "별 표시된 보드들은 보드 목록의 최상단에서 보입니다.", + "subscribe": "구독", + "team": "팀", + "this-board": "보드", + "this-card": "카드", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "시간", + "title": "제목", + "tracking": "추적", + "tracking-info": "보드 생성자 또는 멤버로 참여하는 모든 카드에 대한 변경사항 알림 받음", + "type": "Type", + "unassign-member": "멤버 할당 해제", + "unsaved-description": "저장되지 않은 설명이 있습니다.", + "unwatch": "감시 해제", + "upload": "업로드", + "upload-avatar": "아바타 업로드", + "uploaded-avatar": "업로드한 아바타", + "username": "아이디", + "view-it": "보기", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "감시", + "watching": "감시 중", + "watching-info": "\"이 보드의 변경사항을 알림으로 받습니다.", + "welcome-board": "보드예제", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "신규", + "welcome-list2": "진행", + "what-to-do": "무엇을 하고 싶으신가요?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "관리자 패널", + "settings": "설정", + "people": "사람", + "registration": "회원가입", + "disable-self-registration": "일반 유저의 회원 가입 막기", + "invite": "초대", + "invite-people": "사람 초대", + "to-boards": "보드로 부터", + "email-addresses": "이메일 주소", + "smtp-host-description": "이메일을 처리하는 SMTP 서버의 주소입니다.", + "smtp-port-description": "SMTP 서버가 보내는 전자 메일에 사용하는 포트입니다.", + "smtp-tls-description": "SMTP 서버에 TLS 지원 사용", + "smtp-host": "SMTP 호스트", + "smtp-port": "SMTP 포트", + "smtp-username": "사용자 이름", + "smtp-password": "암호", + "smtp-tls": "TLS 지원", + "send-from": "보낸 사람", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "초대 코드", + "email-invite-register-subject": "\"__inviter__ 님이 당신에게 초대장을 보냈습니다.", + "email-invite-register-text": "\"__user__ 님, \n\n__inviter__ 님이 Wekan 보드에 협업을 위하여 당신을 초대합니다.\n\n아래 링크를 클릭해주세요 : \n__url__\n\n그리고 초대 코드는 __icode__ 입니다.\n\n감사합니다.", + "email-smtp-test-subject": "SMTP 테스트 이메일이 발송되었습니다.", + "email-smtp-test-text": "테스트 메일을 성공적으로 발송하였습니다.", + "error-invitation-code-not-exist": "초대 코드가 존재하지 않습니다.", + "error-notAuthorized": "이 페이지를 볼 수있는 권한이 없습니다.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json new file mode 100644 index 00000000..7907c745 --- /dev/null +++ b/i18n/lv.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Piekrist", + "act-activity-notify": "[Wekan] Aktivitātes paziņojums", + "act-addAttachment": "pievienots __attachment__ to __card__", + "act-addChecklist": "pievienots checklist __checklist__ to __card__", + "act-addChecklistItem": "pievienots __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "komentēja __card__: __comment__", + "act-createBoard": "izveidoja __board__", + "act-createCard": "pievienoja __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "pievienoja __list__ to __board__", + "act-addBoardMember": "pievienoja __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "importēja __board__", + "act-importCard": "importēja __card__", + "act-importList": "importēja __list__", + "act-joinMember": "pievienoja __member__ to __card__", + "act-moveCard": "pārvietoja __card__ from __oldList__ to __list__", + "act-removeBoardMember": "noņēma __member__ from __board__", + "act-restoredCard": "atjaunoja __card__ to __board__", + "act-unjoinMember": "noņēma __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Darbības", + "activities": "Aktivitātes", + "activity": "Aktivitāte", + "activity-added": "pievienoja %s pie %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "pievienoja %s pie %s", + "activity-created": "izveidoja%s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "izslēdza%s no%s", + "activity-imported": "importēja %s iekšā%s no%s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Add", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Members", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Members", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Members", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json new file mode 100644 index 00000000..0d01cc64 --- /dev/null +++ b/i18n/mn.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Зөвшөөрөх", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "_attachment__ хавсралтыг __card__-д хавсаргав", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Нэмэх", + "add-attachment": "Хавсралт нэмэх", + "add-board": "Самбар нэмэх", + "add-card": "Карт нэмэх", + "add-swimlane": "Add Swimlane", + "add-checklist": "Чеклист нэмэх", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Шошго нэмэх", + "add-list": "Жагсаалт нэмэх", + "add-members": "Гишүүд нэмэх", + "added": "Нэмсэн", + "addMemberPopup-title": "Гишүүд", + "admin": "Админ", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "Бүх самбарууд", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Гишүүд", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Аватар өөрчлөх", + "change-password": "Нууц үг солих", + "change-permissions": "Change permissions", + "change-settings": "Тохиргоо өөрчлөх", + "changeAvatarPopup-title": "Аватар өөрчлөх", + "changeLanguagePopup-title": "Хэл солих", + "changePasswordPopup-title": "Нууц үг солих", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Тохиргоо өөрчлөх", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Үүсгэх", + "createBoardPopup-title": "Самбар үүсгэх", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Шошго үүсгэх", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Аватар өөрчлөх", + "edit-profile": "Бүртгэл засварлах", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Мэдэгдэл тохируулах", + "editProfilePopup-title": "Бүртгэл засварлах", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Самбар үүсгэх", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Шошго үүсгэх", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Гарах", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Гишүүний тохиргоо", + "members": "Гишүүд", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "Миний самбарууд", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Хэрэглэгч үүсгэх", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json new file mode 100644 index 00000000..c1c1a3af --- /dev/null +++ b/i18n/nb.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Godta", + "act-activity-notify": "[Wekan] Aktivitetsvarsel", + "act-addAttachment": "la ved __attachment__ til __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "kommenterte til __card__: __comment__", + "act-createBoard": "opprettet __board__", + "act-createCard": "la __card__ til __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "la __list__ til __board__", + "act-addBoardMember": "la __member__ til __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "importerte __board__", + "act-importCard": "importerte __card__", + "act-importList": "importerte __list__", + "act-joinMember": "la __member__ til __card__", + "act-moveCard": "flyttet __card__ fra __oldList__ til __list__", + "act-removeBoardMember": "fjernet __member__ fra __board__", + "act-restoredCard": "gjenopprettet __card__ til __board__", + "act-unjoinMember": "fjernet __member__ fra __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Aktiviteter", + "activity": "Aktivitet", + "activity-added": "la %s til %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "la %s til %s", + "activity-created": "opprettet %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "ekskluderte %s fra %s", + "activity-imported": "importerte %s til %s fra %s", + "activity-imported-board": "importerte %s fra %s", + "activity-joined": "ble med %s", + "activity-moved": "flyttet %s fra %s til %s", + "activity-on": "på %s", + "activity-removed": "fjernet %s fra %s", + "activity-sent": "sendte %s til %s", + "activity-unjoined": "forlot %s", + "activity-checklist-added": "la til sjekkliste til %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Legg til", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Nytt punkt på sjekklisten", + "add-cover": "Nytt omslag", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Legg til medlemmer", + "added": "Lagt til", + "addMemberPopup-title": "Medlemmer", + "admin": "Admin", + "admin-desc": "Kan se og redigere kort, fjerne medlemmer, og endre innstillingene for tavlen.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "Alle tavler", + "and-n-other-card": "Og __count__ andre kort", + "and-n-other-card_plural": "Og __count__ andre kort", + "apply": "Lagre", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Tildel medlem", + "attached": "la ved", + "attachment": "Vedlegg", + "attachment-delete-pop": "Sletting av vedlegg er permanent og kan ikke angres", + "attachmentDeletePopup-title": "Slette vedlegg?", + "attachments": "Vedlegg", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Tilbake", + "board-change-color": "Endre farge", + "board-nb-stars": "%s stjerner", + "board-not-found": "Kunne ikke finne tavlen", + "board-private-info": "Denne tavlen vil være privat.", + "board-public-info": "Denne tavlen vil være offentlig.", + "boardChangeColorPopup-title": "Ende tavlens bakgrunnsfarge", + "boardChangeTitlePopup-title": "Endre navn på tavlen", + "boardChangeVisibilityPopup-title": "Endre synlighet", + "boardChangeWatchPopup-title": "Endre overvåkning", + "boardMenuPopup-title": "Tavlemeny", + "boards": "Tavler", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Som \"Bucket List\" for eksempel", + "cancel": "Avbryt", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "Dette kortet har %s kommentar.", + "card-delete-notice": "Sletting er permanent. Du vil miste alle hendelser knyttet til dette kortet.", + "card-delete-pop": "Alle handlinger vil fjernes fra feeden for aktiviteter og du vil ikke kunne åpne kortet på nytt. Det er ingen mulighet å angre.", + "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Frist", + "card-due-on": "Frist til", + "card-spent": "Spent Time", + "card-edit-attachments": "Rediger vedlegg", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Rediger etiketter", + "card-edit-members": "Endre medlemmer", + "card-labels-title": "Endre etiketter for kortet.", + "card-members-title": "Legg til eller fjern tavle-medlemmer fra dette kortet.", + "card-start": "Start", + "card-start-on": "Starter på", + "cardAttachmentsPopup-title": "Legg ved fra", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Slett kort?", + "cardDetailsActionsPopup-title": "Kort-handlinger", + "cardLabelsPopup-title": "Etiketter", + "cardMembersPopup-title": "Medlemmer", + "cardMorePopup-title": "Mer", + "cards": "Kort", + "cards-count": "Kort", + "change": "Endre", + "change-avatar": "Endre avatar", + "change-password": "Endre passord", + "change-permissions": "Endre rettigheter", + "change-settings": "Endre innstillinger", + "changeAvatarPopup-title": "Endre Avatar", + "changeLanguagePopup-title": "Endre språk", + "changePasswordPopup-title": "Endre passord", + "changePermissionsPopup-title": "Endre tillatelser", + "changeSettingsPopup-title": "Endre innstillinger", + "checklists": "Sjekklister", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Endre avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Etiketter", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "Mer", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Medlemmer", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Endre navn på tavlen", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json new file mode 100644 index 00000000..d95e1214 --- /dev/null +++ b/i18n/nl.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accepteren", + "act-activity-notify": "[Wekan] Activiteit Notificatie", + "act-addAttachment": "__attachment__ als bijlage toegevoegd aan __card__", + "act-addChecklist": "__checklist__ toegevoegd aan __card__", + "act-addChecklistItem": "__checklistItem__ aan checklist toegevoegd aan __checklist__ op __card__", + "act-addComment": "gereageerd op __card__:__comment__", + "act-createBoard": "aangemaakte __bord__", + "act-createCard": "toegevoegd __kaart__ aan __lijst__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "toegevoegd __lijst__ aan __bord__", + "act-addBoardMember": "__member__ aan __board__ toegevoegd", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": " __board__ geïmporteerd", + "act-importCard": "__card__ geïmporteerd", + "act-importList": "__list__ geïmporteerd", + "act-joinMember": "__member__ aan __card__ toegevoegd", + "act-moveCard": "verplaatst __card__ van __oldList__ naar __list__", + "act-removeBoardMember": "verwijderd __member__ van __board__", + "act-restoredCard": "hersteld __card__ naar __board__", + "act-unjoinMember": "verwijderd __member__ van __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Acties", + "activities": "Activiteiten", + "activity": "Activiteit", + "activity-added": "%s toegevoegd aan %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "%s bijgevoegd aan %s", + "activity-created": "%s aangemaakt", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "%s uitgesloten van %s", + "activity-imported": "%s geimporteerd in %s van %s", + "activity-imported-board": "%s geimporteerd van %s", + "activity-joined": "%s toegetreden", + "activity-moved": "%s verplaatst van %s naar %s", + "activity-on": "bij %s", + "activity-removed": "%s verwijderd van %s", + "activity-sent": "%s gestuurd naar %s", + "activity-unjoined": "uit %s gegaan", + "activity-checklist-added": "checklist toegevoegd aan %s", + "activity-checklist-item-added": "checklist punt toegevoegd aan '%s' in '%s'", + "add": "Toevoegen", + "add-attachment": "Voeg Bijlage Toe", + "add-board": "Voeg Bord Toe", + "add-card": "Voeg Kaart Toe", + "add-swimlane": "Swimlane Toevoegen", + "add-checklist": "Voeg Checklist Toe", + "add-checklist-item": "Voeg item toe aan checklist", + "add-cover": "Voeg Cover Toe", + "add-label": "Voeg Label Toe", + "add-list": "Voeg Lijst Toe", + "add-members": "Voeg Leden Toe", + "added": "Toegevoegd", + "addMemberPopup-title": "Leden", + "admin": "Administrator", + "admin-desc": "Kan kaarten bekijken en wijzigen, leden verwijderen, en instellingen voor het bord aanpassen.", + "admin-announcement": "Melding", + "admin-announcement-active": "Systeem melding", + "admin-announcement-title": "Melding van de administrator", + "all-boards": "Alle borden", + "and-n-other-card": "En nog __count__ ander", + "and-n-other-card_plural": "En __count__ andere kaarten", + "apply": "Aanmelden", + "app-is-offline": "Wekan is aan het laden, wacht alstublieft. Het verversen van de pagina zorgt voor verlies van gegevens. Als Wekan niet laadt, check of de Wekan server is gestopt.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Herstel Bord", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Wijs lid aan", + "attached": "bijgevoegd", + "attachment": "Bijlage", + "attachment-delete-pop": "Een bijlage verwijderen is permanent. Er is geen herstelmogelijkheid.", + "attachmentDeletePopup-title": "Verwijder Bijlage?", + "attachments": "Bijlagen", + "auto-watch": "Automatisch borden bekijken wanneer deze aangemaakt worden", + "avatar-too-big": "De bestandsgrootte van je avatar is te groot (70KB max)", + "back": "Terug", + "board-change-color": "Verander kleur", + "board-nb-stars": "%s sterren", + "board-not-found": "Bord is niet gevonden", + "board-private-info": "Dit bord is nu privé.", + "board-public-info": "Dit bord is nu openbaar.", + "boardChangeColorPopup-title": "Verander achtergrond van bord", + "boardChangeTitlePopup-title": "Hernoem bord", + "boardChangeVisibilityPopup-title": "Verander zichtbaarheid", + "boardChangeWatchPopup-title": "Verander naar 'Watch'", + "boardMenuPopup-title": "Bord menu", + "boards": "Borden", + "board-view": "Bord overzicht", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lijsten", + "bucket-example": "Zoals \"Bucket List\" bijvoorbeeld", + "cancel": "Annuleren", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "Deze kaart heeft %s reactie.", + "card-delete-notice": "Verwijdering is permanent. Als je dit doet, verlies je alle informatie die op deze kaart is opgeslagen.", + "card-delete-pop": "Alle acties worden verwijderd van de activiteiten feed, en er zal geen mogelijkheid zijn om de kaart opnieuw te openen. Deze actie kan je niet ongedaan maken.", + "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Deadline: ", + "card-due-on": "Deadline: ", + "card-spent": "gespendeerde tijd", + "card-edit-attachments": "Wijzig bijlagen", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Wijzig labels", + "card-edit-members": "Wijzig leden", + "card-labels-title": "Wijzig de labels vam de kaart.", + "card-members-title": "Voeg of verwijder leden van het bord toe aan de kaart.", + "card-start": "Begin", + "card-start-on": "Begint op", + "cardAttachmentsPopup-title": "Voeg bestand toe vanuit", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Kaart verwijderen?", + "cardDetailsActionsPopup-title": "Kaart actie ondernemen", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Leden", + "cardMorePopup-title": "Meer", + "cards": "Kaarten", + "cards-count": "Kaarten", + "change": "Wijzig", + "change-avatar": "Wijzig avatar", + "change-password": "Wijzig wachtwoord", + "change-permissions": "Wijzig permissies", + "change-settings": "Wijzig instellingen", + "changeAvatarPopup-title": "Wijzig avatar", + "changeLanguagePopup-title": "Verander van taal", + "changePasswordPopup-title": "Wijzig wachtwoord", + "changePermissionsPopup-title": "Wijzig permissies", + "changeSettingsPopup-title": "Wijzig instellingen", + "checklists": "Checklists", + "click-to-star": "Klik om het bord als favoriet in te stellen", + "click-to-unstar": "Klik om het bord uit favorieten weg te halen", + "clipboard": "Vanuit clipboard of sleep het bestand hierheen", + "close": "Sluiten", + "close-board": "Sluit bord", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "zwart", + "color-blue": "blauw", + "color-green": "groen", + "color-lime": "Felgroen", + "color-orange": "Oranje", + "color-pink": "Roze", + "color-purple": "Paars", + "color-red": "Rood", + "color-sky": "Lucht", + "color-yellow": "Geel", + "comment": "Reageer", + "comment-placeholder": "Schrijf reactie", + "comment-only": "Alleen reageren", + "comment-only-desc": "Kan alleen op kaarten reageren.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Weet u zeker dat u de checklist wilt verwijderen", + "copy-card-link-to-clipboard": "Kopieer kaart link naar klembord", + "copyCardPopup-title": "Kopieer kaart", + "copyChecklistToManyCardsPopup-title": "Checklist sjabloon kopiëren naar meerdere kaarten", + "copyChecklistToManyCardsPopup-instructions": "Doel kaart titels en omschrijvingen in dit JSON formaat", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titel eerste kaart\", \"description\":\"Omschrijving eerste kaart\"}, {\"title\":\"Titel tweede kaart\",\"description\":\"Omschrijving tweede kaart\"},{\"title\":\"Titel laatste kaart\",\"description\":\"Omschrijving laatste kaart\"} ]", + "create": "Aanmaken", + "createBoardPopup-title": "Bord aanmaken", + "chooseBoardSourcePopup-title": "Importeer bord", + "createLabelPopup-title": "Label aanmaken", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "Huidige", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Datum", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Datum", + "decline": "Weigeren", + "default-avatar": "Standaard avatar", + "delete": "Verwijderen", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Verwijder label?", + "description": "Beschrijving", + "disambiguateMultiLabelPopup-title": "Disambigueer Label Actie", + "disambiguateMultiMemberPopup-title": "Disambigueer Lid Actie", + "discard": "Weggooien", + "done": "Klaar", + "download": "Download", + "edit": "Wijzig", + "edit-avatar": "Wijzig avatar", + "edit-profile": "Wijzig profiel", + "edit-wip-limit": "Verander WIP limiet", + "soft-wip-limit": "Zachte WIP limiet", + "editCardStartDatePopup-title": "Wijzig start datum", + "editCardDueDatePopup-title": "Wijzig deadline", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Verander gespendeerde tijd", + "editLabelPopup-title": "Wijzig label", + "editNotificationPopup-title": "Wijzig notificatie", + "editProfilePopup-title": "Wijzig profiel", + "email": "E-mail", + "email-enrollAccount-subject": "Er is een account voor je aangemaakt op __siteName__", + "email-enrollAccount-text": "Hallo __user__,\n\nOm gebruik te maken van de online dienst, kan je op de volgende link klikken.\n\n__url__\n\nBedankt.", + "email-fail": "E-mail verzenden is mislukt", + "email-fail-text": "Fout tijdens het verzenden van de email", + "email-invalid": "Ongeldige e-mail", + "email-invite": "Nodig uit via e-mail", + "email-invite-subject": "__inviter__ heeft je een uitnodiging gestuurd", + "email-invite-text": "Beste __user__,\n\n__inviter__ heeft je uitgenodigd om voor een samenwerking deel te nemen aan het bord \"__board__\".\n\nKlik op de link hieronder:\n\n__url__\n\nBedankt.", + "email-resetPassword-subject": "Reset je wachtwoord op __siteName__", + "email-resetPassword-text": "Hallo __user__,\n\nKlik op de link hier beneden om je wachtwoord te resetten.\n\n__url__\n\nBedankt.", + "email-sent": "E-mail is verzonden", + "email-verifyEmail-subject": "Verifieer je e-mailadres op __siteName__", + "email-verifyEmail-text": "Hallo __user__,\n\nOm je e-mail te verifiëren vragen we je om op de link hieronder te drukken.\n\n__url__\n\nBedankt.", + "enable-wip-limit": "Activeer WIP limiet", + "error-board-doesNotExist": "Dit bord bestaat niet.", + "error-board-notAdmin": "Je moet een administrator zijn van dit bord om dat te doen.", + "error-board-notAMember": "Je moet een lid zijn van dit bord om dat te doen.", + "error-json-malformed": "JSON format klopt niet", + "error-json-schema": "De JSON data bevat niet de juiste informatie in de juiste format", + "error-list-doesNotExist": "Deze lijst bestaat niet", + "error-user-doesNotExist": "Deze gebruiker bestaat niet", + "error-user-notAllowSelf": "Je kan jezelf niet uitnodigen", + "error-user-notCreated": "Deze gebruiker is niet aangemaakt", + "error-username-taken": "Deze gebruikersnaam is al bezet", + "error-email-taken": "Deze e-mail is al eerder gebruikt", + "export-board": "Exporteer bord", + "filter": "Filter", + "filter-cards": "Filter kaarten", + "filter-clear": "Reset filter", + "filter-no-label": "Geen label", + "filter-no-member": "Geen lid", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter staat aan", + "filter-on-desc": "Je bent nu kaarten aan het filteren op dit bord. Klik hier om het filter te wijzigen.", + "filter-to-selection": "Filter zoals selectie", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Volledige naam", + "header-logo-title": "Ga terug naar jouw borden pagina.", + "hide-system-messages": "Verberg systeemberichten", + "headerBarCreateBoardPopup-title": "Bord aanmaken", + "home": "Voorpagina", + "import": "Importeer", + "import-board": "Importeer bord", + "import-board-c": "Importeer bord", + "import-board-title-trello": "Importeer bord van Trello", + "import-board-title-wekan": "Importeer bord van Wekan", + "import-sandstorm-warning": "Het geïmporteerde bord verwijdert alle data op het huidige bord, om het daarna te vervangen.", + "from-trello": "Van Trello", + "from-wekan": "Van Wekan", + "import-board-instruction-trello": "Op jouw Trello bord, ga naar 'Menu', dan naar 'Meer', 'Print en Exporteer', 'Exporteer JSON', en kopieer de tekst.", + "import-board-instruction-wekan": "In jouw Wekan bord, ga naar 'Menu', dan 'Exporteer bord', en kopieer de tekst in het gedownloade bestand.", + "import-json-placeholder": "Plak geldige JSON data hier", + "import-map-members": "Breng leden in kaart", + "import-members-map": "Jouw geïmporteerde borden heeft een paar leden. Selecteer de leden die je wilt importeren naar Wekan gebruikers. ", + "import-show-user-mapping": "Breng leden overzicht tevoorschijn", + "import-user-select": "Kies de Wekan gebruiker uit die je hier als lid wilt hebben", + "importMapMembersAddPopup-title": "Selecteer een Wekan lid", + "info": "Versie", + "initials": "Initialen", + "invalid-date": "Ongeldige datum", + "invalid-time": "Ongeldige tijd", + "invalid-user": "Ongeldige gebruiker", + "joined": "doet nu mee met", + "just-invited": "Je bent zojuist uitgenodigd om mee toen doen met dit bord", + "keyboard-shortcuts": "Toetsenbord snelkoppelingen", + "label-create": "Label aanmaken", + "label-default": "%s label (standaard)", + "label-delete-pop": "Je kan het niet ongedaan maken. Deze actie zal de label van alle kaarten verwijderen, en de feed.", + "labels": "Labels", + "language": "Taal", + "last-admin-desc": "Je kan de permissies niet veranderen omdat er maar een administrator is.", + "leave-board": "Verlaat bord", + "leave-board-pop": "Weet u zeker dat u __boardTitle__ wilt verlaten? U wordt verwijderd van alle kaarten binnen dit bord", + "leaveBoardPopup-title": "Bord verlaten?", + "link-card": "Link naar deze kaart", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Verplaats alle kaarten in deze lijst", + "list-select-cards": "Selecteer alle kaarten in deze lijst", + "listActionPopup-title": "Lijst acties", + "swimlaneActionPopup-title": "Swimlane handelingen", + "listImportCardPopup-title": "Importeer een Trello kaart", + "listMorePopup-title": "Meer", + "link-list": "Link naar deze lijst", + "list-delete-pop": "Alle acties zullen verwijderd worden van de activiteiten feed, en je zult deze niet meer kunnen herstellen. Je kan deze actie niet ongedaan maken.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lijsten", + "swimlanes": "Swimlanes", + "log-out": "Uitloggen", + "log-in": "Inloggen", + "loginPopup-title": "Inloggen", + "memberMenuPopup-title": "Instellingen van leden", + "members": "Leden", + "menu": "Menu", + "move-selection": "Verplaats selectie", + "moveCardPopup-title": "Verplaats kaart", + "moveCardToBottom-title": "Verplaats naar beneden", + "moveCardToTop-title": "Verplaats naar boven", + "moveSelectionPopup-title": "Verplaats selectie", + "multi-selection": "Multi-selectie", + "multi-selection-on": "Multi-selectie staat aan", + "muted": "Stil", + "muted-info": "Je zal nooit meer geïnformeerd worden bij veranderingen in dit bord.", + "my-boards": "Mijn Borden", + "name": "Naam", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Geen resultaten", + "normal": "Normaal", + "normal-desc": "Kan de kaarten zien en wijzigen. Kan de instellingen niet wijzigen.", + "not-accepted-yet": "Uitnodiging niet geaccepteerd", + "notify-participate": "Ontvang updates van elke kaart die je hebt gemaakt of lid van bent", + "notify-watch": "Ontvang updates van elke bord, lijst of kaart die je bekijkt.", + "optional": "optioneel", + "or": "of", + "page-maybe-private": "Deze pagina is privé. Je kan het bekijken door in te loggen.", + "page-not-found": "Pagina niet gevonden.", + "password": "Wachtwoord", + "paste-or-dragdrop": "Om te plakken, of slepen & neer te laten (alleen afbeeldingen)", + "participating": "Deelnemen", + "preview": "Voorbeeld", + "previewAttachedImagePopup-title": "Voorbeeld", + "previewClipboardImagePopup-title": "Voorbeeld", + "private": "Privé", + "private-desc": "Dit bord is privé. Alleen mensen die toegevoegd zijn aan het bord kunnen het bekijken en wijzigen.", + "profile": "Profiel", + "public": "Publiek", + "public-desc": "Dit bord is publiek. Het is zichtbaar voor iedereen met de link en zal tevoorschijn komen op zoekmachines zoals Google. Alleen mensen die toegevoegd zijn kunnen het bord wijzigen.", + "quick-access-description": "Maak een bord favoriet om een snelkoppeling toe te voegen aan deze balk.", + "remove-cover": "Verwijder Cover", + "remove-from-board": "Verwijder van bord", + "remove-label": "Verwijder label", + "listDeletePopup-title": "Verwijder lijst?", + "remove-member": "Verwijder lid", + "remove-member-from-card": "Verwijder van kaart", + "remove-member-pop": "Verwijder __name__ (__username__) van __boardTitle__? Het lid zal verwijderd worden van alle kaarten op dit bord, en zal een notificatie ontvangen.", + "removeMemberPopup-title": "Verwijder lid?", + "rename": "Hernoem", + "rename-board": "Hernoem bord", + "restore": "Herstel", + "save": "Opslaan", + "search": "Zoek", + "search-cards": "Zoeken in kaart titels en omschrijvingen op dit bord", + "search-example": "Tekst om naar te zoeken?", + "select-color": "Selecteer kleur", + "set-wip-limit-value": "Zet een limiet voor het maximaal aantal taken in deze lijst", + "setWipLimitPopup-title": "Zet een WIP limiet", + "shortcut-assign-self": "Wijs jezelf toe aan huidige kaart", + "shortcut-autocomplete-emoji": "Emojis automatisch aanvullen", + "shortcut-autocomplete-members": "Leden automatisch aanvullen", + "shortcut-clear-filters": "Alle filters vrijmaken", + "shortcut-close-dialog": "Sluit dialoog", + "shortcut-filter-my-cards": "Filter mijn kaarten", + "shortcut-show-shortcuts": "Haal lijst met snelkoppelingen tevoorschijn", + "shortcut-toggle-filterbar": "Schakel Filter Zijbalk", + "shortcut-toggle-sidebar": "Schakel Bord Zijbalk", + "show-cards-minimum-count": "Laat het aantal kaarten zien wanneer de lijst meer kaarten heeft dan", + "sidebar-open": "Open Zijbalk", + "sidebar-close": "Sluit Zijbalk", + "signupPopup-title": "Maak een account aan", + "star-board-title": "Klik om het bord toe te voegen aan favorieten, waarna hij aan de bovenbalk tevoorschijn komt.", + "starred-boards": "Favoriete Borden", + "starred-boards-description": "Favoriete borden komen tevoorschijn aan de bovenbalk.", + "subscribe": "Abonneer", + "team": "Team", + "this-board": "dit bord", + "this-card": "deze kaart", + "spent-time-hours": "Gespendeerde tijd (in uren)", + "overtime-hours": "Overwerk (in uren)", + "overtime": "Overwerk", + "has-overtime-cards": "Heeft kaarten met overwerk", + "has-spenttime-cards": "Heeft tijd besteed aan kaarten", + "time": "Tijd", + "title": "Titel", + "tracking": "Volgen", + "tracking-info": "Je wordt op de hoogte gesteld als er veranderingen zijn aan de kaarten waar je lid of maker van bent.", + "type": "Type", + "unassign-member": "Lid ontkennen", + "unsaved-description": "Je hebt een niet opgeslagen beschrijving.", + "unwatch": "Niet bekijken", + "upload": "Upload", + "upload-avatar": "Upload een avatar", + "uploaded-avatar": "Avatar is geüpload", + "username": "Gebruikersnaam", + "view-it": "Bekijk het", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Bekijk", + "watching": "Bekijken", + "watching-info": "Je zal op de hoogte worden gesteld als er een verandering gebeurt op dit bord.", + "welcome-board": "Welkom Bord", + "welcome-swimlane": "Mijlpaal 1", + "welcome-list1": "Basis", + "welcome-list2": "Geadvanceerd", + "what-to-do": "Wat wil je doen?", + "wipLimitErrorPopup-title": "Ongeldige WIP limiet", + "wipLimitErrorPopup-dialog-pt1": "Het aantal taken in deze lijst is groter dan de gedefinieerde WIP limiet ", + "wipLimitErrorPopup-dialog-pt2": "Verwijder een aantal taken uit deze lijst, of zet de WIP limiet hoger", + "admin-panel": "Administrator paneel", + "settings": "Instellingen", + "people": "Mensen", + "registration": "Registratie", + "disable-self-registration": "Schakel zelf-registratie uit", + "invite": "Uitnodigen", + "invite-people": "Nodig mensen uit", + "to-boards": "Voor bord(en)", + "email-addresses": "E-mailadressen", + "smtp-host-description": "Het adres van de SMTP server die e-mails zal versturen.", + "smtp-port-description": "De poort van de SMTP server wordt gebruikt voor uitgaande e-mails.", + "smtp-tls-description": "Gebruik TLS ondersteuning voor SMTP server.", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Poort", + "smtp-username": "Gebruikersnaam", + "smtp-password": "Wachtwoord", + "smtp-tls": "TLS ondersteuning", + "send-from": "Van", + "send-smtp-test": "Verzend een email naar uzelf", + "invitation-code": "Uitnodigings code", + "email-invite-register-subject": "__inviter__ heeft je een uitnodiging gestuurd", + "email-invite-register-text": "Beste __user__,\n\n__inviter__ heeft je uitgenodigd voor Wekan om samen te werken.\n\nKlik op de volgende link:\n__url__\n\nEn je uitnodigingscode is __icode__\n\nBedankt.", + "email-smtp-test-subject": "SMTP Test email van Wekan", + "email-smtp-test-text": "U heeft met succes een email verzonden", + "error-invitation-code-not-exist": "Uitnodigings code bestaat niet", + "error-notAuthorized": "Je bent niet toegestaan om deze pagina te bekijken.", + "outgoing-webhooks": "Uitgaande Webhooks", + "outgoingWebhooksPopup-title": "Uitgaande Webhooks", + "new-outgoing-webhook": "Nieuwe webhook", + "no-name": "(Onbekend)", + "Wekan_version": "Wekan versie", + "Node_version": "Node versie", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Vrij Geheugen", + "OS_Loadavg": "OS Gemiddelde Lading", + "OS_Platform": "OS Platform", + "OS_Release": "OS Versie", + "OS_Totalmem": "OS Totaal Geheugen", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "uren", + "minutes": "minuten", + "seconds": "seconden", + "show-field-on-card": "Show this field on card", + "yes": "Ja", + "no": "Nee", + "accounts": "Accounts", + "accounts-allowEmailChange": "Sta E-mailadres wijzigingen toe", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Gemaakt op", + "verified": "Geverifieerd", + "active": "Actief", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json new file mode 100644 index 00000000..9ac7cb08 --- /dev/null +++ b/i18n/pl.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Akceptuj", + "act-activity-notify": "[Wekan] Powiadomienia - aktywności", + "act-addAttachment": "załączono __attachement__ do __karty__", + "act-addChecklist": "dodano listę zadań __checklist__ to __card__", + "act-addChecklistItem": "dodano __checklistItem__ do listy zadań __checklist__ na karcie __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Akcje", + "activities": "Aktywności", + "activity": "Aktywność", + "activity-added": "dodano %s z %s", + "activity-archived": "%s przeniesiono do Kosza", + "activity-attached": "załączono %s z %s", + "activity-created": "utworzono %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "wyłączono %s z %s", + "activity-imported": "zaimportowano %s to %s z %s", + "activity-imported-board": "zaimportowano %s z %s", + "activity-joined": "dołączono %s", + "activity-moved": "przeniesiono % z %s to %s", + "activity-on": "w %s", + "activity-removed": "usunięto %s z %s", + "activity-sent": "wysłano %s z %s", + "activity-unjoined": "odłączono %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Dodaj", + "add-attachment": "Dodaj załącznik", + "add-board": "Dodaj tablicę", + "add-card": "Dodaj kartę", + "add-swimlane": "Add Swimlane", + "add-checklist": "Dodaj listę kontrolną", + "add-checklist-item": "Dodaj element do listy kontrolnej", + "add-cover": "Dodaj okładkę", + "add-label": "Dodaj etykietę", + "add-list": "Dodaj listę", + "add-members": "Dodaj członków", + "added": "Dodano", + "addMemberPopup-title": "Członkowie", + "admin": "Admin", + "admin-desc": "Może widzieć i edytować karty, usuwać członków oraz zmieniać ustawienia tablicy.", + "admin-announcement": "Ogłoszenie", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Ogłoszenie od Administratora", + "all-boards": "Wszystkie tablice", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Zastosuj", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Przenieś do Kosza", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Przywróć tablicę", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Dodaj członka", + "attached": "załączono", + "attachment": "Załącznik", + "attachment-delete-pop": "Usunięcie załącznika jest nieodwracalne.", + "attachmentDeletePopup-title": "Usunąć załącznik?", + "attachments": "Załączniki", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "Awatar jest za duży (maksymalnie 70Kb)", + "back": "Wstecz", + "board-change-color": "Zmień kolor", + "board-nb-stars": "%s odznaczeń", + "board-not-found": "Nie znaleziono tablicy", + "board-private-info": "Ta tablica będzie prywatna.", + "board-public-info": "Ta tablica będzie publiczna.", + "boardChangeColorPopup-title": "Zmień tło tablicy", + "boardChangeTitlePopup-title": "Zmień nazwę tablicy", + "boardChangeVisibilityPopup-title": "Zmień widoczność", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Menu tablicy", + "boards": "Tablice", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Listy", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Anuluj", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "Ta karta ma %s komentarzy.", + "card-delete-notice": "Usunięcie jest trwałe. Stracisz wszystkie akcje powiązane z tą kartą.", + "card-delete-pop": "Wszystkie akcje będą usunięte z widoku aktywności, nie można będzie ponownie otworzyć karty. Usunięcie jest nieodwracalne.", + "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edytuj załączniki", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edytuj etykiety", + "card-edit-members": "Edytuj członków", + "card-labels-title": "Zmień etykiety karty", + "card-members-title": "Dodaj lub usuń członków tablicy z karty.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Załącz z", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Usunąć kartę?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Etykiety", + "cardMembersPopup-title": "Członkowie", + "cardMorePopup-title": "Więcej", + "cards": "Karty", + "cards-count": "Karty", + "change": "Zmień", + "change-avatar": "Zmień Avatar", + "change-password": "Zmień hasło", + "change-permissions": "Zmień uprawnienia", + "change-settings": "Zmień ustawienia", + "changeAvatarPopup-title": "Zmień Avatar", + "changeLanguagePopup-title": "Zmień język", + "changePasswordPopup-title": "Zmień hasło", + "changePermissionsPopup-title": "Zmień uprawnienia", + "changeSettingsPopup-title": "Zmień ustawienia", + "checklists": "Checklists", + "click-to-star": "Kliknij by odznaczyć tę tablicę.", + "click-to-unstar": "Kliknij by usunąć odznaczenie tej tablicy.", + "clipboard": "Schowek lub przeciągnij & upuść", + "close": "Zamknij", + "close-board": "Zamknij tablicę", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "czarny", + "color-blue": "niebieski", + "color-green": "zielony", + "color-lime": "limonkowy", + "color-orange": "pomarańczowy", + "color-pink": "różowy", + "color-purple": "fioletowy", + "color-red": "czerwony", + "color-sky": "błękitny", + "color-yellow": "żółty", + "comment": "Komentarz", + "comment-placeholder": "Dodaj komentarz", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Komputer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Skopiuj kartę", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Utwórz", + "createBoardPopup-title": "Utwórz tablicę", + "chooseBoardSourcePopup-title": "Import tablicy", + "createLabelPopup-title": "Utwórz etykietę", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "obecny", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Data", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Data", + "decline": "Odrzuć", + "default-avatar": "Domyślny avatar", + "delete": "Usuń", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Usunąć etykietę?", + "description": "Opis", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Odrzuć", + "done": "Zrobiono", + "download": "Pobierz", + "edit": "Edytuj", + "edit-avatar": "Zmień Avatar", + "edit-profile": "Edytuj profil", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Zmień etykietę", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edytuj profil", + "email": "Email", + "email-enrollAccount-subject": "Konto zostało utworzone na __siteName__", + "email-enrollAccount-text": "Witaj __user__,\nAby zacząć korzystać z serwisu, kliknij w link poniżej.\n__url__\nDzięki.", + "email-fail": "Wysyłanie emaila nie powiodło się.", + "email-fail-text": "Error trying to send email", + "email-invalid": "Nieprawidłowy email", + "email-invite": "Zaproś przez email", + "email-invite-subject": "__inviter__ wysłał Ci zaproszenie", + "email-invite-text": "Drogi __user__,\n__inviter__ zaprosił Cię do współpracy w tablicy \"__board__\".\nZobacz więcej:\n__url__\nDzięki.", + "email-resetPassword-subject": "Zresetuj swoje hasło na __siteName__", + "email-resetPassword-text": "Witaj __user__,\nAby zresetować hasło, kliknij w link poniżej.\n__url__\nDzięki.", + "email-sent": "Email wysłany", + "email-verifyEmail-subject": "Zweryfikuj swój adres email na __siteName__", + "email-verifyEmail-text": "Witaj __user__,\nAby zweryfikować adres email, kliknij w link poniżej.\n__url__\nDzięki.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "Ta tablica nie istnieje", + "error-board-notAdmin": "Musisz być administratorem tej tablicy żeby to zrobić", + "error-board-notAMember": "Musisz być członkiem tej tablicy żeby to zrobić", + "error-json-malformed": "Twój tekst nie jest poprawnym JSONem", + "error-json-schema": "Twój JSON nie zawiera prawidłowych informacji w poprawnym formacie", + "error-list-doesNotExist": "Ta lista nie isnieje", + "error-user-doesNotExist": "Ten użytkownik nie istnieje", + "error-user-notAllowSelf": "Nie możesz zaprosić samego siebie", + "error-user-notCreated": "Ten użytkownik nie został stworzony", + "error-username-taken": "Ta nazwa jest już zajęta", + "error-email-taken": "Email has already been taken", + "export-board": "Eksportuj tablicę", + "filter": "Filtr", + "filter-cards": "Odfiltruj karty", + "filter-clear": "Usuń filter", + "filter-no-label": "Brak etykiety", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filtr jest włączony", + "filter-on-desc": "Filtrujesz karty na tej tablicy. Kliknij tutaj by edytować filtr.", + "filter-to-selection": "Odfiltruj zaznaczenie", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Wróć do swojej strony z tablicami.", + "hide-system-messages": "Ukryj wiadomości systemowe", + "headerBarCreateBoardPopup-title": "Utwórz tablicę", + "home": "Strona główna", + "import": "Importu", + "import-board": "importuj tablice", + "import-board-c": "Import tablicy", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Importuj tablice z Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "Z Trello", + "from-wekan": "Z Wekan", + "import-board-instruction-trello": "W twojej tablicy na Trello, idź do 'Menu', następnie 'More', 'Print and Export', 'Export JSON' i skopiuj wynik", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Wklej twój JSON tutaj", + "import-map-members": "Map members", + "import-members-map": "Twoje zaimportowane tablice mają kilku członków. Proszę wybierz członków których chcesz zaimportować do Wekan", + "import-show-user-mapping": "Przejrzyj wybranych członków", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Wersja", + "initials": "Initials", + "invalid-date": "Błędna data", + "invalid-time": "Błędny czas", + "invalid-user": "Zła nazwa użytkownika", + "joined": "dołączył", + "just-invited": "Właśnie zostałeś zaproszony do tej tablicy", + "keyboard-shortcuts": "Skróty klawiaturowe", + "label-create": "Utwórz etykietę", + "label-default": "%s etykieta (domyślna)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Etykiety", + "language": "Język", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Opuść tablicę", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link do tej karty", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Przenieś wszystkie karty z tej listy", + "list-select-cards": "Zaznacz wszystkie karty z tej listy", + "listActionPopup-title": "Lista akcji", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Zaimportuj kartę z Trello", + "listMorePopup-title": "Więcej", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Listy", + "swimlanes": "Swimlanes", + "log-out": "Wyloguj", + "log-in": "Zaloguj", + "loginPopup-title": "Zaloguj", + "memberMenuPopup-title": "Member Settings", + "members": "Członkowie", + "menu": "Menu", + "move-selection": "Przenieś zaznaczone", + "moveCardPopup-title": "Przenieś kartę", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Przenieś zaznaczone", + "multi-selection": "Wielokrotne zaznaczenie", + "multi-selection-on": "Wielokrotne zaznaczenie jest włączone", + "muted": "Wyciszona", + "muted-info": "Nie zostaniesz powiadomiony o zmianach w tablicy", + "my-boards": "Moje tablice", + "name": "Nazwa", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Brak wyników", + "normal": "Normal", + "normal-desc": "Może widzieć i edytować karty. Nie może zmieniać ustawiań.", + "not-accepted-yet": "Zaproszenie jeszcze nie zaakceptowane", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "opcjonalny", + "or": "lub", + "page-maybe-private": "Ta strona może być prywatna. Możliwe, że możesz ją zobaczyć po zalogowaniu.", + "page-not-found": "Strona nie znaleziona.", + "password": "Hasło", + "paste-or-dragdrop": "wklej lub przeciągnij & upuść obrazek", + "participating": "Participating", + "preview": "Podgląd", + "previewAttachedImagePopup-title": "Podgląd", + "previewClipboardImagePopup-title": "Podgląd", + "private": "Prywatny", + "private-desc": "Ta tablica jest prywatna. Tylko osoby dodane do tej tablicy mogą ją zobaczyć i edytować.", + "profile": "Profil", + "public": "Publiczny", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Odznacz tablicę aby dodać skrót na tym pasku.", + "remove-cover": "Usuń okładkę", + "remove-from-board": "Usuń z tablicy", + "remove-label": "Usuń etykietę", + "listDeletePopup-title": "Usunąć listę?", + "remove-member": "Usuń członka", + "remove-member-from-card": "Usuń z karty", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Usunąć członka?", + "rename": "Zmień nazwę", + "rename-board": "Zmień nazwę tablicy", + "restore": "Przywróć", + "save": "Zapisz", + "search": "Wyszukaj", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Wybierz kolor", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Przypisz siebie do obecnej karty", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Usuń wszystkie filtry", + "shortcut-close-dialog": "Zamknij okno", + "shortcut-filter-my-cards": "Filtruj moje karty", + "shortcut-show-shortcuts": "Przypnij do listy skrótów", + "shortcut-toggle-filterbar": "Przełącz boczny pasek filtru", + "shortcut-toggle-sidebar": "Przełącz boczny pasek tablicy", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Utwórz konto", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Odznaczone tablice", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Zapisz się", + "team": "Zespół", + "this-board": "ta tablica", + "this-card": "ta karta", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Tytuł", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Nieprzypisany członek", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Wyślij", + "upload-avatar": "Wyślij avatar", + "uploaded-avatar": "Wysłany avatar", + "username": "Nazwa użytkownika", + "view-it": "Zobacz", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Obserwuj", + "watching": "Obserwujesz", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Podstawy", + "welcome-list2": "Zaawansowane", + "what-to-do": "Co chcesz zrobić?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Panel administracyjny", + "settings": "Ustawienia", + "people": "Osoby", + "registration": "Rejestracja", + "disable-self-registration": "Disable Self-Registration", + "invite": "Zaproś", + "invite-people": "Zaproś osoby", + "to-boards": "To board(s)", + "email-addresses": "Adres e-mail", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "Serwer SMTP", + "smtp-port": "Port SMTP", + "smtp-username": "Nazwa użytkownika", + "smtp-password": "Hasło", + "smtp-tls": "TLS support", + "send-from": "Od", + "send-smtp-test": "Wyślij wiadomość testową do siebie", + "invitation-code": "Kod z zaproszenia", + "email-invite-register-subject": "__inviter__ wysłał Ci zaproszenie", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(nieznany)", + "Wekan_version": "Wersja Wekan", + "Node_version": "Wersja Node", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "godzin", + "minutes": "minut", + "seconds": "sekund", + "show-field-on-card": "Show this field on card", + "yes": "Tak", + "no": "Nie", + "accounts": "Konto", + "accounts-allowEmailChange": "Zezwól na zmianę adresu email", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Stworzono o", + "verified": "Zweryfikowane", + "active": "Aktywny", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json new file mode 100644 index 00000000..86fd65e0 --- /dev/null +++ b/i18n/pt-BR.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Aceitar", + "act-activity-notify": "[Wekan] Notificação de Atividade", + "act-addAttachment": "anexo __attachment__ de __card__", + "act-addChecklist": "added checklist __checklist__ no __card__", + "act-addChecklistItem": "adicionado __checklistitem__ para a lista de checagem __checklist__ em __card__", + "act-addComment": "comentou em __card__: __comment__", + "act-createBoard": "criou __board__", + "act-createCard": "__card__ adicionado à __list__", + "act-createCustomField": "criado campo customizado __customField__", + "act-createList": "__list__ adicionada à __board__", + "act-addBoardMember": "__member__ adicionado à __board__", + "act-archivedBoard": "__board__ movido para a lixeira", + "act-archivedCard": "__card__ movido para a lixeira", + "act-archivedList": "__list__ movido para a lixeira", + "act-archivedSwimlane": "__swimlane__ movido para a lixeira", + "act-importBoard": "__board__ importado", + "act-importCard": "__card__ importado", + "act-importList": "__list__ importada", + "act-joinMember": "__member__ adicionado à __card__", + "act-moveCard": "__card__ movido de __oldList__ para __list__", + "act-removeBoardMember": "__member__ removido de __board__", + "act-restoredCard": "__card__ restaurado para __board__", + "act-unjoinMember": "__member__ removido de __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Ações", + "activities": "Atividades", + "activity": "Atividade", + "activity-added": "adicionou %s a %s", + "activity-archived": "%s movido para a lixeira", + "activity-attached": "anexou %s a %s", + "activity-created": "criou %s", + "activity-customfield-created": "criado campo customizado %s", + "activity-excluded": "excluiu %s de %s", + "activity-imported": "importado %s em %s de %s", + "activity-imported-board": "importado %s de %s", + "activity-joined": "juntou-se a %s", + "activity-moved": "moveu %s de %s para %s", + "activity-on": "em %s", + "activity-removed": "removeu %s de %s", + "activity-sent": "enviou %s de %s", + "activity-unjoined": "saiu de %s", + "activity-checklist-added": "Adicionado lista de verificação a %s", + "activity-checklist-item-added": "adicionado o item de checklist para '%s' em %s", + "add": "Novo", + "add-attachment": "Adicionar Anexos", + "add-board": "Adicionar Quadro", + "add-card": "Adicionar Cartão", + "add-swimlane": "Adicionar Swimlane", + "add-checklist": "Adicionar Checklist", + "add-checklist-item": "Adicionar um item à lista de verificação", + "add-cover": "Adicionar Capa", + "add-label": "Adicionar Etiqueta", + "add-list": "Adicionar Lista", + "add-members": "Adicionar Membros", + "added": "Criado", + "addMemberPopup-title": "Membros", + "admin": "Administrador", + "admin-desc": "Pode ver e editar cartões, remover membros e alterar configurações do quadro.", + "admin-announcement": "Anúncio", + "admin-announcement-active": "Anúncio ativo em todo o sistema", + "admin-announcement-title": "Anúncio do Administrador", + "all-boards": "Todos os quadros", + "and-n-other-card": "E __count__ outro cartão", + "and-n-other-card_plural": "E __count__ outros cartões", + "apply": "Aplicar", + "app-is-offline": "O Wekan está carregando, por favor espere. Recarregar a página irá causar perda de dado. Se o Wekan não carregar por favor verifique se o servidor Wekan não está parado.", + "archive": "Mover para a lixeira", + "archive-all": "Mover tudo para a lixeira", + "archive-board": "Mover quadro para a lixeira", + "archive-card": "Mover cartão para a lixeira", + "archive-list": "Mover lista para a lixeira", + "archive-swimlane": "Mover Swimlane para a lixeira", + "archive-selection": "Mover seleção para a lixeira", + "archiveBoardPopup-title": "Mover o quadro para a lixeira?", + "archived-items": "Lixeira", + "archived-boards": "Quadros na lixeira", + "restore-board": "Restaurar Quadro", + "no-archived-boards": "Não há quadros na lixeira", + "archives": "Lixeira", + "assign-member": "Atribuir Membro", + "attached": "anexado", + "attachment": "Anexo", + "attachment-delete-pop": "Excluir um anexo é permanente. Não será possível recuperá-lo.", + "attachmentDeletePopup-title": "Excluir Anexo?", + "attachments": "Anexos", + "auto-watch": "Veja automaticamente os boards que são criados", + "avatar-too-big": "O avatar é muito grande (70KB max)", + "back": "Voltar", + "board-change-color": "Alterar cor", + "board-nb-stars": "%s estrelas", + "board-not-found": "Quadro não encontrado", + "board-private-info": "Este quadro será privado.", + "board-public-info": "Este quadro será público.", + "boardChangeColorPopup-title": "Alterar Tela de Fundo", + "boardChangeTitlePopup-title": "Renomear Quadro", + "boardChangeVisibilityPopup-title": "Alterar Visibilidade", + "boardChangeWatchPopup-title": "Alterar observação", + "boardMenuPopup-title": "Menu do Quadro", + "boards": "Quadros", + "board-view": "Visão de quadro", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Listas", + "bucket-example": "\"Bucket List\", por exemplo", + "cancel": "Cancelar", + "card-archived": "Este cartão foi movido para a lixeira", + "card-comments-title": "Este cartão possui %s comentários.", + "card-delete-notice": "A exclusão será permanente. Você perderá todas as ações associadas a este cartão.", + "card-delete-pop": "Todas as ações serão removidas da lista de Atividades e vocês não poderá re-abrir o cartão. Não há como desfazer.", + "card-delete-suggest-archive": "Você pode mover um cartão para fora da lixeira e movê-lo para o quadro e preservar a atividade.", + "card-due": "Data fim", + "card-due-on": "Finaliza em", + "card-spent": "Tempo Gasto", + "card-edit-attachments": "Editar anexos", + "card-edit-custom-fields": "Editar campos customizados", + "card-edit-labels": "Editar etiquetas", + "card-edit-members": "Editar membros", + "card-labels-title": "Alterar etiquetas do cartão.", + "card-members-title": "Acrescentar ou remover membros do quadro deste cartão.", + "card-start": "Data início", + "card-start-on": "Começa em", + "cardAttachmentsPopup-title": "Anexar a partir de", + "cardCustomField-datePopup-title": "Mudar data", + "cardCustomFieldsPopup-title": "Editar campos customizados", + "cardDeletePopup-title": "Excluir Cartão?", + "cardDetailsActionsPopup-title": "Ações do cartão", + "cardLabelsPopup-title": "Etiquetas", + "cardMembersPopup-title": "Membros", + "cardMorePopup-title": "Mais", + "cards": "Cartões", + "cards-count": "Cartões", + "change": "Alterar", + "change-avatar": "Alterar Avatar", + "change-password": "Alterar Senha", + "change-permissions": "Alterar permissões", + "change-settings": "Altera configurações", + "changeAvatarPopup-title": "Alterar Avatar", + "changeLanguagePopup-title": "Alterar Idioma", + "changePasswordPopup-title": "Alterar Senha", + "changePermissionsPopup-title": "Alterar Permissões", + "changeSettingsPopup-title": "Altera configurações", + "checklists": "Checklists", + "click-to-star": "Marcar quadro como favorito.", + "click-to-unstar": "Remover quadro dos favoritos.", + "clipboard": "Área de Transferência ou arraste e solte", + "close": "Fechar", + "close-board": "Fechar Quadro", + "close-board-pop": "Você poderá restaurar o quadro clicando no botão lixeira no cabeçalho da página inicial", + "color-black": "preto", + "color-blue": "azul", + "color-green": "verde", + "color-lime": "verde limão", + "color-orange": "laranja", + "color-pink": "cor-de-rosa", + "color-purple": "roxo", + "color-red": "vermelho", + "color-sky": "céu", + "color-yellow": "amarelo", + "comment": "Comentário", + "comment-placeholder": "Escrever Comentário", + "comment-only": "Somente comentários", + "comment-only-desc": "Pode comentar apenas em cartões.", + "computer": "Computador", + "confirm-checklist-delete-dialog": "Tem a certeza de que pretende eliminar lista de verificação", + "copy-card-link-to-clipboard": "Copiar link do cartão para a área de transferência", + "copyCardPopup-title": "Copiar o cartão", + "copyChecklistToManyCardsPopup-title": "Copiar modelo de checklist para vários cartões", + "copyChecklistToManyCardsPopup-instructions": "Títulos e descrições do cartão de destino neste formato JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Título do primeiro cartão\", \"description\":\"Descrição do primeiro cartão\"}, {\"title\":\"Título do segundo cartão\",\"description\":\"Descrição do segundo cartão\"},{\"title\":\"Título do último cartão\",\"description\":\"Descrição do último cartão\"} ]", + "create": "Criar", + "createBoardPopup-title": "Criar Quadro", + "chooseBoardSourcePopup-title": "Importar quadro", + "createLabelPopup-title": "Criar Etiqueta", + "createCustomField": "Criar campo", + "createCustomFieldPopup-title": "Criar campo", + "current": "atual", + "custom-field-delete-pop": "Não existe desfazer. Isso irá remover o campo customizado de todos os cartões e destruir seu histórico", + "custom-field-checkbox": "Caixa de seleção", + "custom-field-date": "Data", + "custom-field-dropdown": "Lista suspensa", + "custom-field-dropdown-none": "(nada)", + "custom-field-dropdown-options": "Lista de opções", + "custom-field-dropdown-options-placeholder": "Pressione enter para adicionar mais opções", + "custom-field-dropdown-unknown": "(desconhecido)", + "custom-field-number": "Número", + "custom-field-text": "Texto", + "custom-fields": "Campos customizados", + "date": "Data", + "decline": "Rejeitar", + "default-avatar": "Avatar padrão", + "delete": "Excluir", + "deleteCustomFieldPopup-title": "Deletar campo customizado?", + "deleteLabelPopup-title": "Excluir Etiqueta?", + "description": "Descrição", + "disambiguateMultiLabelPopup-title": "Desambiguar ações de etiquetas", + "disambiguateMultiMemberPopup-title": "Desambiguar ações de membros", + "discard": "Descartar", + "done": "Feito", + "download": "Baixar", + "edit": "Editar", + "edit-avatar": "Alterar Avatar", + "edit-profile": "Editar Perfil", + "edit-wip-limit": "Editar Limite WIP", + "soft-wip-limit": "Limite de WIP", + "editCardStartDatePopup-title": "Altera data de início", + "editCardDueDatePopup-title": "Altera data fim", + "editCustomFieldPopup-title": "Editar campo", + "editCardSpentTimePopup-title": "Editar tempo gasto", + "editLabelPopup-title": "Alterar Etiqueta", + "editNotificationPopup-title": "Editar Notificações", + "editProfilePopup-title": "Editar Perfil", + "email": "E-mail", + "email-enrollAccount-subject": "Uma conta foi criada para você em __siteName__", + "email-enrollAccount-text": "Olá __user__\npara iniciar utilizando o serviço basta clicar no link abaixo.\n__url__\nMuito Obrigado.", + "email-fail": "Falhou ao enviar email", + "email-fail-text": "Erro ao tentar enviar e-mail", + "email-invalid": "Email inválido", + "email-invite": "Convite via Email", + "email-invite-subject": "__inviter__ lhe enviou um convite", + "email-invite-text": "Caro __user__\n__inviter__ lhe convidou para ingressar no quadro \"__board__\" como colaborador.\nPor favor prossiga através do link abaixo:\n__url__\nMuito obrigado.", + "email-resetPassword-subject": "Redefina sua senha em __siteName__", + "email-resetPassword-text": "Olá __user__\nPara redefinir sua senha, por favor clique no link abaixo.\n__url__\nMuito obrigado.", + "email-sent": "Email enviado", + "email-verifyEmail-subject": "Verifique seu endereço de email em __siteName__", + "email-verifyEmail-text": "Olá __user__\nPara verificar sua conta de email, clique no link abaixo.\n__url__\nObrigado.", + "enable-wip-limit": "Ativar Limite WIP", + "error-board-doesNotExist": "Este quadro não existe", + "error-board-notAdmin": "Você precisa ser administrador desse quadro para fazer isto", + "error-board-notAMember": "Você precisa ser um membro desse quadro para fazer isto", + "error-json-malformed": "Seu texto não é um JSON válido", + "error-json-schema": "Seu JSON não inclui as informações no formato correto", + "error-list-doesNotExist": "Esta lista não existe", + "error-user-doesNotExist": "Este usuário não existe", + "error-user-notAllowSelf": "Você não pode convidar a si mesmo", + "error-user-notCreated": "Este usuário não foi criado", + "error-username-taken": "Esse username já existe", + "error-email-taken": "E-mail já está em uso", + "export-board": "Exportar quadro", + "filter": "Filtrar", + "filter-cards": "Filtrar Cartões", + "filter-clear": "Limpar filtro", + "filter-no-label": "Sem labels", + "filter-no-member": "Sem membros", + "filter-no-custom-fields": "Não há campos customizados", + "filter-on": "Filtro está ativo", + "filter-on-desc": "Você está filtrando cartões neste quadro. Clique aqui para editar o filtro.", + "filter-to-selection": "Filtrar esta seleção", + "advanced-filter-label": "Filtro avançado", + "advanced-filter-description": "Um Filtro Avançado permite escrever uma string contendo os seguintes operadores: == != <= >= && || () Um espaço é utilizado como separador entre os operadores. Você pode filtrar todos os campos customizados digitando seus nomes e valores. Por exemplo: campo1 == valor1. Nota: se campos ou valores contém espaços, você precisa encapsular eles em aspas simples. Por exemplo: 'campo 1' == 'valor 1'. Você também pode combinar múltiplas condições. Por exemplo: F1 == V1 || F1 == V2. Normalmente todos os operadores são interpretados da esquerda para a direita. Você pode mudar a ordem ao incluir parênteses. Por exemplo: F1 == V1 e (F2 == V2 || F2 == V3)", + "fullname": "Nome Completo", + "header-logo-title": "Voltar para a lista de quadros.", + "hide-system-messages": "Esconde mensagens de sistema", + "headerBarCreateBoardPopup-title": "Criar Quadro", + "home": "Início", + "import": "Importar", + "import-board": "importar quadro", + "import-board-c": "Importar quadro", + "import-board-title-trello": "Importar board do Trello", + "import-board-title-wekan": "Importar quadro do Wekan", + "import-sandstorm-warning": "O quadro importado irá excluir todos os dados existentes no quadro e irá sobrescrever com o quadro importado.", + "from-trello": "Do Trello", + "from-wekan": "Do Wekan", + "import-board-instruction-trello": "No seu quadro do Trello, vá em 'Menu', depois em 'Mais', 'Imprimir e Exportar', 'Exportar JSON', então copie o texto emitido", + "import-board-instruction-wekan": "Em seu quadro Wekan, vá para 'Menu', em seguida 'Exportar quadro', e copie o texto no arquivo baixado.", + "import-json-placeholder": "Cole seus dados JSON válidos aqui", + "import-map-members": "Mapear membros", + "import-members-map": "O seu quadro importado tem alguns membros. Por favor determine os membros que você deseja importar para os usuários Wekan", + "import-show-user-mapping": "Revisar mapeamento dos membros", + "import-user-select": "Selecione o usuário Wekan que você gostaria de usar como este membro", + "importMapMembersAddPopup-title": "Seleciona um membro", + "info": "Versão", + "initials": "Iniciais", + "invalid-date": "Data inválida", + "invalid-time": "Hora inválida", + "invalid-user": "Usuário inválido", + "joined": "juntou-se", + "just-invited": "Você já foi convidado para este quadro", + "keyboard-shortcuts": "Atalhos do teclado", + "label-create": "Criar Etiqueta", + "label-default": "%s etiqueta (padrão)", + "label-delete-pop": "Não será possível recuperá-la. A etiqueta será removida de todos os cartões e seu histórico será destruído.", + "labels": "Etiquetas", + "language": "Idioma", + "last-admin-desc": "Você não pode alterar funções porque deve existir pelo menos um administrador.", + "leave-board": "Sair do Quadro", + "leave-board-pop": "Tem a certeza de que pretende sair de __boardTitle__? Você será removido de todos os cartões neste quadro.", + "leaveBoardPopup-title": "Sair do Quadro ?", + "link-card": "Vincular a este cartão", + "list-archive-cards": "Mover todos os cartões nesta lista para a lixeira", + "list-archive-cards-pop": "Isso irá remover todos os cartões nesta lista do quadro. Para visualizar cartões na lixeira e trazê-los de volta ao quadro, clique em \"Menu\" > \"Lixeira\".", + "list-move-cards": "Mover todos os cartões desta lista", + "list-select-cards": "Selecionar todos os cartões nesta lista", + "listActionPopup-title": "Listar Ações", + "swimlaneActionPopup-title": "Ações de Swimlane", + "listImportCardPopup-title": "Importe um cartão do Trello", + "listMorePopup-title": "Mais", + "link-list": "Vincular a esta lista", + "list-delete-pop": "Todas as ações serão removidas da lista de atividades e você não poderá recuperar a lista. Não há como desfazer.", + "list-delete-suggest-archive": "Você pode mover a lista para a lixeira para removê-la do quadro e preservar a atividade.", + "lists": "Listas", + "swimlanes": "Swimlanes", + "log-out": "Sair", + "log-in": "Entrar", + "loginPopup-title": "Entrar", + "memberMenuPopup-title": "Configuração de Membros", + "members": "Membros", + "menu": "Menu", + "move-selection": "Mover seleção", + "moveCardPopup-title": "Mover Cartão", + "moveCardToBottom-title": "Mover para o final", + "moveCardToTop-title": "Mover para o topo", + "moveSelectionPopup-title": "Mover seleção", + "multi-selection": "Multi-Seleção", + "multi-selection-on": "Multi-seleção está ativo", + "muted": "Silenciar", + "muted-info": "Você nunca receberá qualquer notificação desse board", + "my-boards": "Meus Quadros", + "name": "Nome", + "no-archived-cards": "Não há cartões na lixeira", + "no-archived-lists": "Não há listas na lixeira", + "no-archived-swimlanes": "Não há swimlanes na lixeira", + "no-results": "Nenhum resultado.", + "normal": "Normal", + "normal-desc": "Pode ver e editar cartões. Não pode alterar configurações.", + "not-accepted-yet": "Convite ainda não aceito", + "notify-participate": "Receber atualizações de qualquer card que você criar ou participar como membro", + "notify-watch": "Receber atualizações de qualquer board, lista ou cards que você estiver observando", + "optional": "opcional", + "or": "ou", + "page-maybe-private": "Esta página pode ser privada. Você poderá vê-la se estiver logado.", + "page-not-found": "Página não encontrada.", + "password": "Senha", + "paste-or-dragdrop": "para colar, ou arraste e solte o arquivo da imagem para ca (somente imagens)", + "participating": "Participando", + "preview": "Previsualizar", + "previewAttachedImagePopup-title": "Previsualizar", + "previewClipboardImagePopup-title": "Previsualizar", + "private": "Privado", + "private-desc": "Este quadro é privado. Apenas seus membros podem acessar e editá-lo.", + "profile": "Perfil", + "public": "Público", + "public-desc": "Este quadro é público. Ele é visível a qualquer pessoa com o link e será exibido em mecanismos de busca como o Google. Apenas seus membros podem editá-lo.", + "quick-access-description": "Clique na estrela para adicionar um atalho nesta barra.", + "remove-cover": "Remover Capa", + "remove-from-board": "Remover do Quadro", + "remove-label": "Remover Etiqueta", + "listDeletePopup-title": "Excluir Lista ?", + "remove-member": "Remover Membro", + "remove-member-from-card": "Remover do Cartão", + "remove-member-pop": "Remover __name__ (__username__) de __boardTitle__? O membro será removido de todos os cartões neste quadro e será notificado.", + "removeMemberPopup-title": "Remover Membro?", + "rename": "Renomear", + "rename-board": "Renomear Quadro", + "restore": "Restaurar", + "save": "Salvar", + "search": "Buscar", + "search-cards": "Pesquisa em títulos e descrições de cartões neste quadro", + "search-example": "Texto para procurar", + "select-color": "Selecionar Cor", + "set-wip-limit-value": "Defina um limite máximo para o número de tarefas nesta lista", + "setWipLimitPopup-title": "Definir Limite WIP", + "shortcut-assign-self": "Atribuir a si o cartão atual", + "shortcut-autocomplete-emoji": "Autocompletar emoji", + "shortcut-autocomplete-members": "Preenchimento automático de membros", + "shortcut-clear-filters": "Limpar todos filtros", + "shortcut-close-dialog": "Fechar dialogo", + "shortcut-filter-my-cards": "Filtrar meus cartões", + "shortcut-show-shortcuts": "Mostrar lista de atalhos", + "shortcut-toggle-filterbar": "Alternar barra de filtro", + "shortcut-toggle-sidebar": "Fechar barra lateral.", + "show-cards-minimum-count": "Mostrar contador de cards se a lista tiver mais de", + "sidebar-open": "Abrir barra lateral", + "sidebar-close": "Fechar barra lateral", + "signupPopup-title": "Criar uma Conta", + "star-board-title": "Clique para marcar este quadro como favorito. Ele aparecerá no topo na lista dos seus quadros.", + "starred-boards": "Quadros Favoritos", + "starred-boards-description": "Quadros favoritos aparecem no topo da lista dos seus quadros.", + "subscribe": "Acompanhar", + "team": "Equipe", + "this-board": "este quadro", + "this-card": "este cartão", + "spent-time-hours": "Tempo gasto (Horas)", + "overtime-hours": "Tempo extras (Horas)", + "overtime": "Tempo extras", + "has-overtime-cards": "Tem cartões de horas extras", + "has-spenttime-cards": "Gastou cartões de tempo", + "time": "Tempo", + "title": "Título", + "tracking": "Tracking", + "tracking-info": "Você será notificado se houver qualquer alteração em cards em que você é o criador ou membro", + "type": "Tipo", + "unassign-member": "Membro não associado", + "unsaved-description": "Você possui uma descrição não salva", + "unwatch": "Deixar de observar", + "upload": "Upload", + "upload-avatar": "Carregar um avatar", + "uploaded-avatar": "Avatar carregado", + "username": "Nome de usuário", + "view-it": "Visualizar", + "warn-list-archived": "Aviso: este cartão está em uma lista na lixeira", + "watch": "Observar", + "watching": "Observando", + "watching-info": "Você será notificado em qualquer alteração desse board", + "welcome-board": "Board de Boas Vindas", + "welcome-swimlane": "Marco 1", + "welcome-list1": "Básico", + "welcome-list2": "Avançado", + "what-to-do": "O que você gostaria de fazer?", + "wipLimitErrorPopup-title": "Limite WIP Inválido", + "wipLimitErrorPopup-dialog-pt1": "O número de tarefas nesta lista excede o limite WIP definido.", + "wipLimitErrorPopup-dialog-pt2": "Por favor, mova algumas tarefas para fora desta lista, ou defina um limite WIP mais elevado.", + "admin-panel": "Painel Administrativo", + "settings": "Configurações", + "people": "Pessoas", + "registration": "Registro", + "disable-self-registration": "Desabilitar Cadastrar-se", + "invite": "Convite", + "invite-people": "Convide Pessoas", + "to-boards": "Para o/os quadro(s)", + "email-addresses": "Endereço de Email", + "smtp-host-description": "O endereço do servidor SMTP que envia seus emails.", + "smtp-port-description": "A porta que o servidor SMTP usa para enviar os emails.", + "smtp-tls-description": "Habilitar suporte TLS para servidor SMTP", + "smtp-host": "Servidor SMTP", + "smtp-port": "Porta SMTP", + "smtp-username": "Nome de usuário", + "smtp-password": "Senha", + "smtp-tls": "Suporte TLS", + "send-from": "De", + "send-smtp-test": "Enviar um email de teste para você mesmo", + "invitation-code": "Código do Convite", + "email-invite-register-subject": "__inviter__ lhe enviou um convite", + "email-invite-register-text": "Caro __user__,\n\n__inviter__ convidou você para colaborar no Wekan.\n\nPor favor, vá no link abaixo:\n__url__\n\nE seu código de convite é: __icode__\n\nObrigado.", + "email-smtp-test-subject": "Email Teste SMTP de Wekan", + "email-smtp-test-text": "Você enviou um email com sucesso", + "error-invitation-code-not-exist": "O código do convite não existe", + "error-notAuthorized": "Você não está autorizado à ver esta página.", + "outgoing-webhooks": "Webhook de saída", + "outgoingWebhooksPopup-title": "Webhook de saída", + "new-outgoing-webhook": "Novo Webhook de saída", + "no-name": "(Desconhecido)", + "Wekan_version": "Versão do Wekan", + "Node_version": "Versão do Node", + "OS_Arch": "Arquitetura do SO", + "OS_Cpus": "Quantidade de CPUS do SO", + "OS_Freemem": "Memória Disponível do SO", + "OS_Loadavg": "Carga Média do SO", + "OS_Platform": "Plataforma do SO", + "OS_Release": "Versão do SO", + "OS_Totalmem": "Memória Total do SO", + "OS_Type": "Tipo do SO", + "OS_Uptime": "Disponibilidade do SO", + "hours": "horas", + "minutes": "minutos", + "seconds": "segundos", + "show-field-on-card": "Mostrar este campo no cartão", + "yes": "Sim", + "no": "Não", + "accounts": "Contas", + "accounts-allowEmailChange": "Permitir Mudança de Email", + "accounts-allowUserNameChange": "Permitir alteração de nome de usuário", + "createdAt": "Criado em", + "verified": "Verificado", + "active": "Ativo", + "card-received": "Recebido", + "card-received-on": "Recebido em", + "card-end": "Fim", + "card-end-on": "Termina em", + "editCardReceivedDatePopup-title": "Modificar data de recebimento", + "editCardEndDatePopup-title": "Mudar data de fim", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json new file mode 100644 index 00000000..5e4f39d4 --- /dev/null +++ b/i18n/pt.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Aceitar", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "Criado %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Adicionar", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Membros", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Renomear Quadro", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Etiquetas", + "cardMembersPopup-title": "Membros", + "cardMorePopup-title": "Mais", + "cards": "Cartões", + "cards-count": "Cartões", + "change": "Alterar", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comentário", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computador", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Etiquetas", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "Mais", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Membros", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Nome", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Nenhum resultado", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remover Membro?", + "rename": "Renomear", + "rename-board": "Renomear Quadro", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "Não", + "accounts": "Contas", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verificado", + "active": "Ativo", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json new file mode 100644 index 00000000..25955b41 --- /dev/null +++ b/i18n/ro.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accept", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Add", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Members", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Ataşament", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Ataşamente", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Înapoi", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Liste", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Members", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Închide", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Iniţiale", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Liste", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Members", + "menu": "Meniu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Nume", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Parolă", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Privat", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profil", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Salvează", + "search": "Caută", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Titlu", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "Ce ai vrea sa faci?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Parolă", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json new file mode 100644 index 00000000..ca9d3673 --- /dev/null +++ b/i18n/ru.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Принять", + "act-activity-notify": "[Wekan] Уведомление о действиях участников", + "act-addAttachment": "вложено __attachment__ в __card__", + "act-addChecklist": "добавил контрольный список __checklist__ в __card__", + "act-addChecklistItem": "добавил __checklistItem__ в контрольный список __checklist__ в __card__", + "act-addComment": "прокомментировал __card__: __comment__", + "act-createBoard": "создал __board__", + "act-createCard": "добавил __card__ в __list__", + "act-createCustomField": "Расширенный фильтр позволяет написать строку, содержащую следующие операторы: ==! = <=> = && || () Пространство используется как разделитель между Операторами. Вы можете фильтровать все пользовательские поля, введя их имена и значения. Например: Field1 == Value1. Примечание. Если поля или значения содержат пробелы, вам необходимо инкапсулировать их в одинарные кавычки. Например: «Поле 1» == «Значение 1». Также вы можете комбинировать несколько условий. Например: F1 == V1 || F1 = V2. Обычно все операторы интерпретируются слева направо. Вы можете изменить порядок, разместив скобки. Например: F1 == V1 и (F2 == V2 || F2 == V3)", + "act-createList": "добавил __list__ для __board__", + "act-addBoardMember": "добавил __member__ в __board__", + "act-archivedBoard": "Доска __board__ перемещена в Корзину", + "act-archivedCard": "Карточка __card__ перемещена в Корзину", + "act-archivedList": "Список __list__ перемещён в Корзину", + "act-archivedSwimlane": "Дорожка __swimlane__ перемещена в Корзину", + "act-importBoard": "__board__ импортирована", + "act-importCard": "__card__ импортирована", + "act-importList": "__list__ импортирован", + "act-joinMember": "добавил __member__ в __card__", + "act-moveCard": "__card__ перемещена из __oldList__ в __list__", + "act-removeBoardMember": "__member__ удален из __board__", + "act-restoredCard": "__card__ востановлена в __board__", + "act-unjoinMember": "__member__ удален из __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Действия", + "activities": "История действий", + "activity": "Действия участников", + "activity-added": "добавил %s на %s", + "activity-archived": "%s перемещено в Корзину", + "activity-attached": "прикрепил %s к %s", + "activity-created": "создал %s", + "activity-customfield-created": "создать настраиваемое поле", + "activity-excluded": "исключил %s из %s", + "activity-imported": "импортировал %s в %s из %s", + "activity-imported-board": "импортировал %s из %s", + "activity-joined": "присоединился к %s", + "activity-moved": "переместил %s из %s в %s", + "activity-on": "%s", + "activity-removed": "удалил %s из %s", + "activity-sent": "отправил %s в %s", + "activity-unjoined": "вышел из %s", + "activity-checklist-added": "добавил контрольный список в %s", + "activity-checklist-item-added": "добавил пункт контрольного списка в '%s' в карточке %s", + "add": "Создать", + "add-attachment": "Добавить вложение", + "add-board": "Добавить доску", + "add-card": "Добавить карту", + "add-swimlane": "Добавить дорожку", + "add-checklist": "Добавить контрольный список", + "add-checklist-item": "Добавить пункт в контрольный список", + "add-cover": "Прикрепить", + "add-label": "Добавить метку", + "add-list": "Добавить простой список", + "add-members": "Добавить участника", + "added": "Добавлено", + "addMemberPopup-title": "Участники", + "admin": "Администратор", + "admin-desc": "Может просматривать и редактировать карточки, удалять участников и управлять настройками доски.", + "admin-announcement": "Объявление", + "admin-announcement-active": "Действующее общесистемное объявление", + "admin-announcement-title": "Объявление от Администратора", + "all-boards": "Все доски", + "and-n-other-card": "И __count__ другая карточка", + "and-n-other-card_plural": "И __count__ другие карточки", + "apply": "Применить", + "app-is-offline": "Wekan загружается, пожалуйста подождите. Обновление страницы может привести к потере данных. Если Wekan не загрузился, пожалуйста проверьте что связь с сервером доступна.", + "archive": "Переместить в Корзину", + "archive-all": "Переместить всё в Корзину", + "archive-board": "Переместить Доску в Корзину", + "archive-card": "Переместить Карточку в Корзину", + "archive-list": "Переместить Список в Корзину", + "archive-swimlane": "Переместить Дорожку в Корзину", + "archive-selection": "Переместить выбранное в Корзину", + "archiveBoardPopup-title": "Переместить Доску в Корзину?", + "archived-items": "Корзина", + "archived-boards": "Доски находящиеся в Корзине", + "restore-board": "Востановить доску", + "no-archived-boards": "В Корзине нет никаких Досок", + "archives": "Корзина", + "assign-member": "Назначить участника", + "attached": "прикреплено", + "attachment": "Вложение", + "attachment-delete-pop": "Если удалить вложение, его нельзя будет восстановить.", + "attachmentDeletePopup-title": "Удалить вложение?", + "attachments": "Вложения", + "auto-watch": "Автоматически следить за созданными досками", + "avatar-too-big": "Аватар слишком большой (максимум 70КБ)", + "back": "Назад", + "board-change-color": "Изменить цвет", + "board-nb-stars": "%s избранное", + "board-not-found": "Доска не найдена", + "board-private-info": "Это доска будет частной.", + "board-public-info": "Эта доска будет доступной всем.", + "boardChangeColorPopup-title": "Изменить фон доски", + "boardChangeTitlePopup-title": "Переименовать доску", + "boardChangeVisibilityPopup-title": "Изменить настройки видимости", + "boardChangeWatchPopup-title": "Изменить Отслеживание", + "boardMenuPopup-title": "Меню доски", + "boards": "Доски", + "board-view": "Вид доски", + "board-view-swimlanes": "Дорожки", + "board-view-lists": "Списки", + "bucket-example": "Например “Список дел”", + "cancel": "Отмена", + "card-archived": "Эта карточка перемещена в Корзину", + "card-comments-title": "Комментарии (%s)", + "card-delete-notice": "Это действие невозможно будет отменить. Все изменения, которые вы вносили в карточку будут потеряны.", + "card-delete-pop": "Все действия будут удалены из ленты активности участников и вы не сможете заново открыть карточку. Действие необратимо", + "card-delete-suggest-archive": "Вы можете переместить карточку в Корзину, чтобы удалить ее с доски и сохранить активность .", + "card-due": "Выполнить к", + "card-due-on": "Выполнить до", + "card-spent": "Затраченное время", + "card-edit-attachments": "Изменить вложения", + "card-edit-custom-fields": "Редактировать настраиваемые поля", + "card-edit-labels": "Изменить метку", + "card-edit-members": "Изменить участников", + "card-labels-title": "Изменить метки для этой карточки.", + "card-members-title": "Добавить или удалить с карточки участников доски.", + "card-start": "Дата начала", + "card-start-on": "Начнётся с", + "cardAttachmentsPopup-title": "Прикрепить из", + "cardCustomField-datePopup-title": "Изменить дату", + "cardCustomFieldsPopup-title": "редактировать настраиваемые поля", + "cardDeletePopup-title": "Удалить карточку?", + "cardDetailsActionsPopup-title": "Действия в карточке", + "cardLabelsPopup-title": "Метки", + "cardMembersPopup-title": "Участники", + "cardMorePopup-title": "Поделиться", + "cards": "Карточки", + "cards-count": "Карточки", + "change": "Изменить", + "change-avatar": "Изменить аватар", + "change-password": "Изменить пароль", + "change-permissions": "Изменить права доступа", + "change-settings": "Изменить настройки", + "changeAvatarPopup-title": "Изменить аватар", + "changeLanguagePopup-title": "Сменить язык", + "changePasswordPopup-title": "Изменить пароль", + "changePermissionsPopup-title": "Изменить настройки доступа", + "changeSettingsPopup-title": "Изменить Настройки", + "checklists": "Контрольные списки", + "click-to-star": "Добавить в «Избранное»", + "click-to-unstar": "Удалить из «Избранного»", + "clipboard": "Буфер обмена или drag & drop", + "close": "Закрыть", + "close-board": "Закрыть доску", + "close-board-pop": "Вы можете восстановить доску, нажав “Корзина” в заголовке.", + "color-black": "черный", + "color-blue": "синий", + "color-green": "зеленый", + "color-lime": "лимоновый", + "color-orange": "оранжевый", + "color-pink": "розовый", + "color-purple": "фиолетовый", + "color-red": "красный", + "color-sky": "голубой", + "color-yellow": "желтый", + "comment": "Добавить комментарий", + "comment-placeholder": "Написать комментарий", + "comment-only": "Только комментирование", + "comment-only-desc": "Может комментировать только карточки.", + "computer": "Загрузить с компьютера", + "confirm-checklist-delete-dialog": "Вы уверены, что хотите удалить контрольный список?", + "copy-card-link-to-clipboard": "Копировать ссылку на карточку в буфер обмена", + "copyCardPopup-title": "Копировать карточку", + "copyChecklistToManyCardsPopup-title": "Копировать шаблон контрольного списка в несколько карточек", + "copyChecklistToManyCardsPopup-instructions": "Названия и описания целевых карт в формате JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Создать", + "createBoardPopup-title": "Создать доску", + "chooseBoardSourcePopup-title": "Импортировать доску", + "createLabelPopup-title": "Создать метку", + "createCustomField": "Создать поле", + "createCustomFieldPopup-title": "Создать поле", + "current": "текущий", + "custom-field-delete-pop": "Отменить нельзя. Это удалит настраиваемое поле со всех карт и уничтожит его историю.", + "custom-field-checkbox": "Галочка", + "custom-field-date": "Дата", + "custom-field-dropdown": "Выпадающий список", + "custom-field-dropdown-none": "(нет)", + "custom-field-dropdown-options": "Параметры списка", + "custom-field-dropdown-options-placeholder": "Нажмите «Ввод», чтобы добавить дополнительные параметры.", + "custom-field-dropdown-unknown": "(неизвестно)", + "custom-field-number": "Номер", + "custom-field-text": "Текст", + "custom-fields": "Настраиваемые поля", + "date": "Дата", + "decline": "Отклонить", + "default-avatar": "Аватар по умолчанию", + "delete": "Удалить", + "deleteCustomFieldPopup-title": "Удалить настраиваемые поля?", + "deleteLabelPopup-title": "Удалить метку?", + "description": "Описание", + "disambiguateMultiLabelPopup-title": "Разрешить конфликт меток", + "disambiguateMultiMemberPopup-title": "Разрешить конфликт участников", + "discard": "Отказать", + "done": "Готово", + "download": "Скачать", + "edit": "Редактировать", + "edit-avatar": "Изменить аватар", + "edit-profile": "Изменить профиль", + "edit-wip-limit": " Изменить лимит на кол-во задач", + "soft-wip-limit": "Мягкий лимит на кол-во задач", + "editCardStartDatePopup-title": "Изменить дату начала", + "editCardDueDatePopup-title": "Изменить дату выполнения", + "editCustomFieldPopup-title": "Редактировать поле", + "editCardSpentTimePopup-title": "Изменить затраченное время", + "editLabelPopup-title": "Изменить метки", + "editNotificationPopup-title": "Редактировать уведомления", + "editProfilePopup-title": "Редактировать профиль", + "email": "Эл.почта", + "email-enrollAccount-subject": "Аккаунт создан для вас здесь __url__", + "email-enrollAccount-text": "Привет __user__,\n\nДля того, чтобы начать использовать сервис, просто нажми на ссылку ниже.\n\n__url__\n\nСпасибо.", + "email-fail": "Отправка письма на EMail не удалась", + "email-fail-text": "Ошибка при попытке отправить письмо", + "email-invalid": "Неверный адрес электронной почти", + "email-invite": "Пригласить по электронной почте", + "email-invite-subject": "__inviter__ прислал вам приглашение", + "email-invite-text": "Дорогой __user__,\n\n__inviter__ пригласил вас присоединиться к доске \"__board__\" для сотрудничества.\n\nПожалуйста проследуйте по ссылке ниже:\n\n__url__\n\nСпасибо.", + "email-resetPassword-subject": "Перейдите по ссылке, чтобы сбросить пароль __url__", + "email-resetPassword-text": "Привет __user__,\n\nДля сброса пароля перейдите по ссылке ниже.\n\n__url__\n\nThanks.", + "email-sent": "Письмо отправлено", + "email-verifyEmail-subject": "Подтвердите вашу эл.почту перейдя по ссылке __url__", + "email-verifyEmail-text": "Привет __user__,\n\nДля подтверждения вашей электронной почты перейдите по ссылке ниже.\n\n__url__\n\nСпасибо.", + "enable-wip-limit": "Включить лимит на кол-во задач", + "error-board-doesNotExist": "Доска не найдена", + "error-board-notAdmin": "Вы должны обладать правами администратора этой доски, чтобы сделать это", + "error-board-notAMember": "Вы должны быть участником доски, чтобы сделать это", + "error-json-malformed": "Ваше текст не является правильным JSON", + "error-json-schema": "Содержимое вашего JSON не содержит информацию в корректном формате", + "error-list-doesNotExist": "Список не найден", + "error-user-doesNotExist": "Пользователь не найден", + "error-user-notAllowSelf": "Вы не можете пригласить себя", + "error-user-notCreated": "Пользователь не создан", + "error-username-taken": "Это имя пользователя уже занято", + "error-email-taken": "Этот адрес уже занят", + "export-board": "Экспортировать доску", + "filter": "Фильтр", + "filter-cards": "Фильтр карточек", + "filter-clear": "Очистить фильтр", + "filter-no-label": "Нет метки", + "filter-no-member": "Нет участников", + "filter-no-custom-fields": "Нет настраиваемых полей", + "filter-on": "Включен фильтр", + "filter-on-desc": "Показываются карточки, соответствующие настройкам фильтра. Нажмите для редактирования.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Расширенный фильтр", + "advanced-filter-description": "Расширенный фильтр позволяет написать строку, содержащую следующие операторы: ==! = <=> = && || () Пространство используется как разделитель между Операторами. Вы можете фильтровать все пользовательские поля, введя их имена и значения. Например: Field1 == Value1. Примечание: Если поля или значения содержат пробелы, вам необходимо 'брать' их в одинарные кавычки. Например: 'Поле 1' == 'Значение 1'. Также вы можете комбинировать несколько условий. Например: F1 == V1 || F1 = V2. Обычно все операторы интерпретируются слева направо. Вы можете изменить порядок, разместив скобки. Например: F1 == V1 и (F2 == V2 || F2 == V3)", + "fullname": "Полное имя", + "header-logo-title": "Вернуться к доскам.", + "hide-system-messages": "Скрыть системные сообщения", + "headerBarCreateBoardPopup-title": "Создать доску", + "home": "Главная", + "import": "Импорт", + "import-board": "импортировать доску", + "import-board-c": "Импортировать доску", + "import-board-title-trello": "Импортировать доску из Trello", + "import-board-title-wekan": "Импортировать доску из Wekan", + "import-sandstorm-warning": "Импортированная доска удалит все существующие данные на текущей доске и заменит её импортированной доской.", + "from-trello": "Из Trello", + "from-wekan": "Из Wekan", + "import-board-instruction-trello": "На вашей Trello доске нажмите “Menu” - “More” - “Print and export - “Export JSON” и скопируйте полученный текст", + "import-board-instruction-wekan": "На вашей Wekan доске, перейдите в “Меню”, далее “Экспортировать доску” и скопируйте текст из скачаного файла", + "import-json-placeholder": "Вставьте JSON сюда", + "import-map-members": "Составить карту участников", + "import-members-map": "Вы импортировали доску с участниками. Пожалуйста, составьте карту участников, которых вы хотите импортировать в качестве пользователей Wekan", + "import-show-user-mapping": "Проверить карту участников", + "import-user-select": "Выберите пользователя Wekan, которого вы хотите использовать в качестве участника", + "importMapMembersAddPopup-title": "Выбрать участника Wekan", + "info": "Версия", + "initials": "Инициалы", + "invalid-date": "Неверная дата", + "invalid-time": "Некорректное время", + "invalid-user": "Неверный пользователь", + "joined": "вступил", + "just-invited": "Вас только что пригласили на эту доску", + "keyboard-shortcuts": "Сочетания клавиш", + "label-create": "Создать метку", + "label-default": "%sметка (по умолчанию)", + "label-delete-pop": "Это действие невозможно будет отменить. Эта метка будут удалена во всех карточках. Также будет удалена вся история этой метки.", + "labels": "Метки", + "language": "Язык", + "last-admin-desc": "Вы не можете изменять роли, для этого требуются права администратора.", + "leave-board": "Покинуть доску", + "leave-board-pop": "Вы уверенны, что хотите покинуть __boardTitle__? Вы будете удалены из всех карточек на этой доске.", + "leaveBoardPopup-title": "Покинуть доску?", + "link-card": "Доступна по ссылке", + "list-archive-cards": "Переместить все карточки в этом списке в Корзину", + "list-archive-cards-pop": "Это действие переместит все карточки в Корзину и они перестанут быть видимым на доске. Для просмотра карточек в Корзине и их восстановления нажмите “Меню” > “Корзина”.", + "list-move-cards": "Переместить все карточки в этом списке", + "list-select-cards": "Выбрать все карточки в этом списке", + "listActionPopup-title": "Список действий", + "swimlaneActionPopup-title": "Действия с дорожкой", + "listImportCardPopup-title": "Импортировать Trello карточку", + "listMorePopup-title": "Поделиться", + "link-list": "Ссылка на список", + "list-delete-pop": "Все действия будут удалены из ленты активности участников и вы не сможете восстановить список. Данное действие необратимо.", + "list-delete-suggest-archive": "Вы можете переместить карточку в Корзину, чтобы удалить ее с доски и сохранить активность .", + "lists": "Списки", + "swimlanes": "Дорожки", + "log-out": "Выйти", + "log-in": "Войти", + "loginPopup-title": "Войти", + "memberMenuPopup-title": "Настройки участника", + "members": "Участники", + "menu": "Меню", + "move-selection": "Переместить выделение", + "moveCardPopup-title": "Переместить карточку", + "moveCardToBottom-title": "Переместить вниз", + "moveCardToTop-title": "Переместить вверх", + "moveSelectionPopup-title": "Переместить выделение", + "multi-selection": "Выбрать несколько", + "multi-selection-on": "Выбрать несколько из", + "muted": "Заглушен", + "muted-info": "Вы НИКОГДА не будете уведомлены ни о каких изменениях в этой доске.", + "my-boards": "Мои доски", + "name": "Имя", + "no-archived-cards": "В Корзине нет никаких Карточек", + "no-archived-lists": "В Корзине нет никаких Списков", + "no-archived-swimlanes": "В Корзине нет никаких Дорожек", + "no-results": "Ничего не найдено", + "normal": "Обычный", + "normal-desc": "Может редактировать карточки. Не может управлять настройками.", + "not-accepted-yet": "Приглашение еще не принято", + "notify-participate": "Получать обновления по любым карточкам, которые вы создавали или участником которых являетесь.", + "notify-watch": "Получать обновления по любым доскам, спискам и карточкам, на которые вы подписаны как наблюдатель.", + "optional": "не обязательно", + "or": "или", + "page-maybe-private": "Возможно, эта страница скрыта от незарегистрированных пользователей. Попробуйте войти на сайт.", + "page-not-found": "Страница не найдена.", + "password": "Пароль", + "paste-or-dragdrop": "вставьте, или перетащите файл с изображением сюда (только графический файл)", + "participating": "Участвую", + "preview": "Предпросмотр", + "previewAttachedImagePopup-title": "Предпросмотр", + "previewClipboardImagePopup-title": "Предпросмотр", + "private": "Закрытая", + "private-desc": "Эта доска с ограниченным доступом. Только участники могут работать с ней.", + "profile": "Профиль", + "public": "Открытая", + "public-desc": "Эта доска может быть видна всем у кого есть ссылка. Также может быть проиндексирована поисковыми системами. Вносить изменения могут только участники.", + "quick-access-description": "Нажмите на звезду, что добавить ярлык доски на панель.", + "remove-cover": "Открепить", + "remove-from-board": "Удалить с доски", + "remove-label": "Удалить метку", + "listDeletePopup-title": "Удалить список?", + "remove-member": "Удалить участника", + "remove-member-from-card": "Удалить из карточки", + "remove-member-pop": "Удалить участника __name__ (__username__) из доски __boardTitle__? Участник будет удален из всех карточек на этой доске. Также он получит уведомление о совершаемом действии.", + "removeMemberPopup-title": "Удалить участника?", + "rename": "Переименовать", + "rename-board": "Переименовать доску", + "restore": "Восстановить", + "save": "Сохранить", + "search": "Поиск", + "search-cards": "Искать в названиях и описаниях карточек на этой доске", + "search-example": "Искать текст?", + "select-color": "Выбрать цвет", + "set-wip-limit-value": "Устанавливает ограничение на максимальное количество задач в этом списке", + "setWipLimitPopup-title": "Задать лимит на кол-во задач", + "shortcut-assign-self": "Связать себя с текущей карточкой", + "shortcut-autocomplete-emoji": "Автозаполнение emoji", + "shortcut-autocomplete-members": "Автозаполнение участников", + "shortcut-clear-filters": "Сбросить все фильтры", + "shortcut-close-dialog": "Закрыть диалог", + "shortcut-filter-my-cards": "Показать мои карточки", + "shortcut-show-shortcuts": "Поднять список ярлыков", + "shortcut-toggle-filterbar": "Переместить фильтр на бововую панель", + "shortcut-toggle-sidebar": "Переместить доску на боковую панель", + "show-cards-minimum-count": "Показывать количество карточек если их больше", + "sidebar-open": "Открыть Панель", + "sidebar-close": "Скрыть Панель", + "signupPopup-title": "Создать учетную запись", + "star-board-title": "Добавить в «Избранное». Эта доска будет всегда на виду.", + "starred-boards": "Добавленные в «Избранное»", + "starred-boards-description": "Избранные доски будут всегда вверху списка.", + "subscribe": "Подписаться", + "team": "Участники", + "this-board": "эту доску", + "this-card": "текущая карточка", + "spent-time-hours": "Затраченное время (в часах)", + "overtime-hours": "Переработка (в часах)", + "overtime": "Переработка", + "has-overtime-cards": "Имеются карточки с переработкой", + "has-spenttime-cards": "Имеются карточки с учетом затраченного времени", + "time": "Время", + "title": "Название", + "tracking": "Отслеживание", + "tracking-info": "Вы будете уведомлены о любых изменениях в тех карточках, в которых вы являетесь создателем или участником.", + "type": "Тип", + "unassign-member": "Отменить назначение участника", + "unsaved-description": "У вас есть несохраненное описание.", + "unwatch": "Перестать следить", + "upload": "Загрузить", + "upload-avatar": "Загрузить аватар", + "uploaded-avatar": "Загруженный аватар", + "username": "Имя пользователя", + "view-it": "Просмотреть", + "warn-list-archived": "Внимание: Данная карточка находится в списке, который перемещен в Корзину", + "watch": "Следить", + "watching": "Отслеживается", + "watching-info": "Вы будете уведомлены об любых изменениях в этой доске.", + "welcome-board": "Приветственная Доска", + "welcome-swimlane": "Этап 1", + "welcome-list1": "Основы", + "welcome-list2": "Расширенно", + "what-to-do": "Что вы хотите сделать?", + "wipLimitErrorPopup-title": "Некорректный лимит на кол-во задач", + "wipLimitErrorPopup-dialog-pt1": "Количество задач в этом списке превышает установленный вами лимит", + "wipLimitErrorPopup-dialog-pt2": "Пожалуйста, перенесите некоторые задачи из этого списка или увеличьте лимит на кол-во задач", + "admin-panel": "Административная Панель", + "settings": "Настройки", + "people": "Люди", + "registration": "Регистрация", + "disable-self-registration": "Отключить самостоятельную регистрацию", + "invite": "Пригласить", + "invite-people": "Пригласить людей", + "to-boards": "В Доску(и)", + "email-addresses": "Email адрес", + "smtp-host-description": "Адрес SMTP сервера, который отправляет ваши электронные письма.", + "smtp-port-description": "Порт который SMTP-сервер использует для исходящих сообщений.", + "smtp-tls-description": "Включить поддержку TLS для SMTP сервера", + "smtp-host": "SMTP Хост", + "smtp-port": "SMTP Порт", + "smtp-username": "Имя пользователя", + "smtp-password": "Пароль", + "smtp-tls": "поддержка TLS", + "send-from": "От", + "send-smtp-test": "Отправьте тестовое письмо себе", + "invitation-code": "Код приглашения", + "email-invite-register-subject": "__inviter__ прислал вам приглашение", + "email-invite-register-text": "Уважаемый __user__,\n\n__inviter__ приглашает вас в Wekan для сотрудничества.\n\nПожалуйста, проследуйте по ссылке:\n__url__\n\nВаш код приглашения: __icode__\n\nСпасибо.", + "email-smtp-test-subject": "SMTP Тестовое письмо от Wekan", + "email-smtp-test-text": "Вы успешно отправили письмо", + "error-invitation-code-not-exist": "Код приглашения не существует", + "error-notAuthorized": "У вас нет доступа на просмотр этой страницы.", + "outgoing-webhooks": "Исходящие Веб-хуки", + "outgoingWebhooksPopup-title": "Исходящие Веб-хуки", + "new-outgoing-webhook": "Новый исходящий Веб-хук", + "no-name": "(Неизвестный)", + "Wekan_version": "Версия Wekan", + "Node_version": "Версия NodeJS", + "OS_Arch": "Архитектура", + "OS_Cpus": "Количество процессоров", + "OS_Freemem": "Свободная память", + "OS_Loadavg": "Средняя загрузка", + "OS_Platform": "Платформа", + "OS_Release": "Релиз", + "OS_Totalmem": "Общая память", + "OS_Type": "Тип ОС", + "OS_Uptime": "Время работы", + "hours": "часы", + "minutes": "минуты", + "seconds": "секунды", + "show-field-on-card": "Показать это поле на карте", + "yes": "Да", + "no": "Нет", + "accounts": "Учетные записи", + "accounts-allowEmailChange": "Разрешить изменение электронной почты", + "accounts-allowUserNameChange": "Разрешить изменение имени пользователя", + "createdAt": "Создано на", + "verified": "Проверено", + "active": "Действующий", + "card-received": "Получено", + "card-received-on": "Получено с", + "card-end": "Дата окончания", + "card-end-on": "Завершится до", + "editCardReceivedDatePopup-title": "Изменить дату получения", + "editCardEndDatePopup-title": "Изменить дату завершения", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json new file mode 100644 index 00000000..6cb33b90 --- /dev/null +++ b/i18n/sr.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Prihvati", + "act-activity-notify": "[Wekan] Obaveštenje o aktivnostima", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Akcije", + "activities": "Aktivnosti", + "activity": "Aktivnost", + "activity-added": "dodao %s u %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "prikačio %s u %s", + "activity-created": "kreirao %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "izuzmi %s iz %s", + "activity-imported": "uvezao %s u %s iz %s", + "activity-imported-board": "uvezao %s iz %s", + "activity-joined": "spojio %s", + "activity-moved": "premestio %s iz %s u %s", + "activity-on": "na %s", + "activity-removed": "uklonio %s iz %s", + "activity-sent": "poslao %s %s-u", + "activity-unjoined": "rastavio %s", + "activity-checklist-added": "lista je dodata u %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Dodaj", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Dodaj novu stavku u listu", + "add-cover": "Dodaj zaglavlje", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Dodaj Članove", + "added": "Dodao", + "addMemberPopup-title": "Članovi", + "admin": "Administrator", + "admin-desc": "Može da pregleda i menja kartice, uklanja članove i menja podešavanja table", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "Sve table", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Primeni", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Dodeli člana", + "attached": "Prikačeno", + "attachment": "Prikačeni dokument", + "attachment-delete-pop": "Brisanje prikačenog dokumenta je trajno. Ne postoji vraćanje obrisanog.", + "attachmentDeletePopup-title": "Obrisati prikačeni dokument ?", + "attachments": "Prikačeni dokumenti", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Nazad", + "board-change-color": "Promeni boju", + "board-nb-stars": "%s zvezdice", + "board-not-found": "Tabla nije pronađena", + "board-private-info": "Ova tabla će biti privatna.", + "board-public-info": "Ova tabla će biti javna.", + "boardChangeColorPopup-title": "Promeni pozadinu table", + "boardChangeTitlePopup-title": "Preimenuj tablu", + "boardChangeVisibilityPopup-title": "Promeni Vidljivost", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Meni table", + "boards": "Table", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Na primer \"Lista zadataka\"", + "cancel": "Otkaži", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "Ova kartica ima %s komentar.", + "card-delete-notice": "Brisanje je trajno. Izgubićeš sve akcije povezane sa ovom karticom.", + "card-delete-pop": "Sve akcije će biti uklonjene sa liste aktivnosti i kartica neće moći biti ponovo otvorena. Nema vraćanja unazad.", + "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Krajnji datum", + "card-due-on": "Završava se", + "card-spent": "Spent Time", + "card-edit-attachments": "Uredi priloge", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Uredi natpise", + "card-edit-members": "Uredi članove", + "card-labels-title": "Promeni natpis na kartici.", + "card-members-title": "Dodaj ili ukloni članove table sa kartice.", + "card-start": "Početak", + "card-start-on": "Počinje", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Članovi", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Izmeni podešavanja", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Izmeni podešavanja", + "checklists": "Liste", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Datum", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Datum", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Izmeni početni datum", + "editCardDueDatePopup-title": "Izmeni krajnji datum", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Izmeni notifikaciju", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "Korisničko ime je već zauzeto", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "Nema oznake", + "filter-no-member": "Nema člana", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Sakrij sistemske poruke", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Uvezi tablu iz Trella", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Mapiraj članove", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Izaberi člana Wekan-a", + "info": "Version", + "initials": "Initials", + "invalid-date": "Neispravan datum", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Članovi", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Premesti na dno", + "moveCardToTop-title": "Premesti na vrh", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Utišano", + "muted-info": "Nećete biti obavešteni o promenama u ovoj tabli", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Nema rezultata", + "normal": "Normalno", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Budite obavešteni o novim događajima u tablama, listama ili karticama koje pratite.", + "optional": "opciono", + "or": "ili", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Stranica nije pronađena.", + "password": "Lozinka", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Učestvujem", + "preview": "Prikaz", + "previewAttachedImagePopup-title": "Prikaz", + "previewClipboardImagePopup-title": "Prikaz", + "private": "Privatno", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profil", + "public": "Javno", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Ukloni iz table", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Ukloni člana", + "remove-member-from-card": "Ukloni iz kartice", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Ukloni člana ?", + "rename": "Preimenuj", + "rename-board": "Preimenuj tablu", + "restore": "Oporavi", + "save": "Snimi", + "search": "Pretraga", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Pridruži sebe trenutnoj kartici", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Sam popuni članove", + "shortcut-clear-filters": "Očisti sve filtere", + "shortcut-close-dialog": "Zatvori dijalog", + "shortcut-filter-my-cards": "Filtriraj kartice", + "shortcut-show-shortcuts": "Prikaži ovu listu prečica", + "shortcut-toggle-filterbar": "Uključi ili isključi bočni meni filtera", + "shortcut-toggle-sidebar": "Uključi ili isključi bočni meni table", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Kreiraj nalog", + "star-board-title": "Klikni da označiš zvezdicom ovu tablu. Pokazaće se na vrhu tvoje liste tabli.", + "starred-boards": "Table sa zvezdicom", + "starred-boards-description": "Table sa zvezdicom se pokazuju na vrhu liste tabli.", + "subscribe": "Pretplati se", + "team": "Tim", + "this-board": "ova tabla", + "this-card": "ova kartica", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Vreme", + "title": "Naslov", + "tracking": "Praćenje", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "Imaš nesnimljen opis.", + "unwatch": "Ne posmatraj", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Korisničko ime", + "view-it": "Pregledaj je", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Posmatraj", + "watching": "Posmatranje", + "watching-info": "Bićete obavešteni o promenama u ovoj tabli", + "welcome-board": "Tabla dobrodošlice", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Osnove", + "welcome-list2": "Napredno", + "what-to-do": "Šta želiš da uradiš ?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Korisničko ime", + "smtp-password": "Lozinka", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json new file mode 100644 index 00000000..6e418c17 --- /dev/null +++ b/i18n/sv.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Acceptera", + "act-activity-notify": "[Wekan] Aktivitetsavisering", + "act-addAttachment": "bifogade __attachment__ to __card__", + "act-addChecklist": "lade till checklist __checklist__ till __card__", + "act-addChecklistItem": "lade till __checklistItem__ till checklistan __checklist__ on __card__", + "act-addComment": "kommenterade __card__: __comment__", + "act-createBoard": "skapade __board__", + "act-createCard": "lade till __card__ to __list__", + "act-createCustomField": "skapa anpassat fält __customField__", + "act-createList": "lade till __list__ to __board__", + "act-addBoardMember": "lade till __member__ to __board__", + "act-archivedBoard": "__board__ flyttad till papperskorgen", + "act-archivedCard": "__card__ flyttad till papperskorgen", + "act-archivedList": "__list__ flyttad till papperskorgen", + "act-archivedSwimlane": "__swimlane__ flyttad till papperskorgen", + "act-importBoard": "importerade __board__", + "act-importCard": "importerade __card__", + "act-importList": "importerade __list__", + "act-joinMember": "lade __member__ till __card__", + "act-moveCard": "flyttade __card__ från __oldList__ till __list__", + "act-removeBoardMember": "tog bort __member__ från __board__", + "act-restoredCard": "återställde __card__ to __board__", + "act-unjoinMember": "tog bort __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Åtgärder", + "activities": "Aktiviteter", + "activity": "Aktivitet", + "activity-added": "Lade %s till %s", + "activity-archived": "%s flyttad till papperskorgen", + "activity-attached": "bifogade %s to %s", + "activity-created": "skapade %s", + "activity-customfield-created": "skapa anpassat fält %s", + "activity-excluded": "exkluderade %s från %s", + "activity-imported": "importerade %s till %s från %s", + "activity-imported-board": "importerade %s från %s", + "activity-joined": "anslöt sig till %s", + "activity-moved": "tog bort %s från %s till %s", + "activity-on": "på %s", + "activity-removed": "tog bort %s från %s", + "activity-sent": "skickade %s till %s", + "activity-unjoined": "gick ur %s", + "activity-checklist-added": "lade kontrollista till %s", + "activity-checklist-item-added": "lade checklista objekt till '%s' i %s", + "add": "Lägg till", + "add-attachment": "Lägg till bilaga", + "add-board": "Lägg till anslagstavla", + "add-card": "Lägg till kort", + "add-swimlane": "Lägg till simbana", + "add-checklist": "Lägg till checklista", + "add-checklist-item": "Lägg till ett objekt till kontrollista", + "add-cover": "Lägg till omslag", + "add-label": "Lägg till etikett", + "add-list": "Lägg till lista", + "add-members": "Lägg till medlemmar", + "added": "Lade till", + "addMemberPopup-title": "Medlemmar", + "admin": "Adminstratör", + "admin-desc": "Kan visa och redigera kort, ta bort medlemmar och ändra inställningarna för anslagstavlan.", + "admin-announcement": "Meddelande", + "admin-announcement-active": "Aktivt system-brett meddelande", + "admin-announcement-title": "Meddelande från administratör", + "all-boards": "Alla anslagstavlor", + "and-n-other-card": "Och __count__ annat kort", + "and-n-other-card_plural": "Och __count__ andra kort", + "apply": "Tillämpa", + "app-is-offline": "Wekan laddar, vänta. Uppdatering av sidan kommer att leda till förlust av data. Om Wekan inte laddas, kontrollera att Wekan-servern inte har stoppats.", + "archive": "Flytta till papperskorgen", + "archive-all": "Flytta alla till papperskorgen", + "archive-board": "Flytta anslagstavla till papperskorgen", + "archive-card": "Flytta kort till papperskorgen", + "archive-list": "Flytta lista till papperskorgen", + "archive-swimlane": "Flytta simbana till papperskorgen", + "archive-selection": "Flytta val till papperskorgen", + "archiveBoardPopup-title": "Flytta anslagstavla till papperskorgen?", + "archived-items": "Papperskorgen", + "archived-boards": "Anslagstavlor i papperskorgen", + "restore-board": "Återställ anslagstavla", + "no-archived-boards": "Inga anslagstavlor i papperskorgen", + "archives": "Papperskorgen", + "assign-member": "Tilldela medlem", + "attached": "bifogad", + "attachment": "Bilaga", + "attachment-delete-pop": "Ta bort en bilaga är permanent. Det går inte att ångra.", + "attachmentDeletePopup-title": "Ta bort bilaga?", + "attachments": "Bilagor", + "auto-watch": "Bevaka automatiskt anslagstavlor när de skapas", + "avatar-too-big": "Avatar är för stor (70KB max)", + "back": "Tillbaka", + "board-change-color": "Ändra färg", + "board-nb-stars": "%s stjärnor", + "board-not-found": "Anslagstavla hittades inte", + "board-private-info": "Denna anslagstavla kommer att vara privat.", + "board-public-info": "Denna anslagstavla kommer att vara officiell.", + "boardChangeColorPopup-title": "Ändra bakgrund på anslagstavla", + "boardChangeTitlePopup-title": "Byt namn på anslagstavla", + "boardChangeVisibilityPopup-title": "Ändra synlighet", + "boardChangeWatchPopup-title": "Ändra bevaka", + "boardMenuPopup-title": "Anslagstavla meny", + "boards": "Anslagstavlor", + "board-view": "Board View", + "board-view-swimlanes": "Simbanor", + "board-view-lists": "Listor", + "bucket-example": "Gilla \"att-göra-innan-jag-dör-lista\" till exempel", + "cancel": "Avbryt", + "card-archived": "Detta kort flyttas till papperskorgen.", + "card-comments-title": "Detta kort har %s kommentar.", + "card-delete-notice": "Ta bort är permanent. Du kommer att förlora alla åtgärder i samband med detta kort.", + "card-delete-pop": "Alla åtgärder kommer att tas bort från aktivitetsflöde och du kommer inte att kunna öppna kortet igen. Det går inte att ångra.", + "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Förfaller", + "card-due-on": "Förfaller på", + "card-spent": "Spenderad tid", + "card-edit-attachments": "Redigera bilaga", + "card-edit-custom-fields": "Redigera anpassade fält", + "card-edit-labels": "Redigera etiketter", + "card-edit-members": "Redigera medlemmar", + "card-labels-title": "Ändra etiketter för kortet.", + "card-members-title": "Lägg till eller ta bort medlemmar av anslagstavlan från kortet.", + "card-start": "Börja", + "card-start-on": "Börja med", + "cardAttachmentsPopup-title": "Bifoga från", + "cardCustomField-datePopup-title": "Ändra datum", + "cardCustomFieldsPopup-title": "Redigera anpassade fält", + "cardDeletePopup-title": "Ta bort kort?", + "cardDetailsActionsPopup-title": "Kortåtgärder", + "cardLabelsPopup-title": "Etiketter", + "cardMembersPopup-title": "Medlemmar", + "cardMorePopup-title": "Mera", + "cards": "Kort", + "cards-count": "Kort", + "change": "Ändra", + "change-avatar": "Ändra avatar", + "change-password": "Ändra lösenord", + "change-permissions": "Ändra behörigheter", + "change-settings": "Ändra inställningar", + "changeAvatarPopup-title": "Ändra avatar", + "changeLanguagePopup-title": "Ändra språk", + "changePasswordPopup-title": "Ändra lösenord", + "changePermissionsPopup-title": "Ändra behörigheter", + "changeSettingsPopup-title": "Ändra inställningar", + "checklists": "Kontrollistor", + "click-to-star": "Klicka för att stjärnmärka denna anslagstavla.", + "click-to-unstar": "Klicka för att ta bort stjärnmärkningen från denna anslagstavla.", + "clipboard": "Urklipp eller dra och släpp", + "close": "Stäng", + "close-board": "Stäng anslagstavla", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "svart", + "color-blue": "blå", + "color-green": "grön", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "rosa", + "color-purple": "lila", + "color-red": "röd", + "color-sky": "himmel", + "color-yellow": "gul", + "comment": "Kommentera", + "comment-placeholder": "Skriv kommentar", + "comment-only": "Kommentera endast", + "comment-only-desc": "Kan endast kommentera kort.", + "computer": "Dator", + "confirm-checklist-delete-dialog": "Är du säker på att du vill ta bort checklista", + "copy-card-link-to-clipboard": "Kopiera kortlänk till urklipp", + "copyCardPopup-title": "Kopiera kort", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Skapa", + "createBoardPopup-title": "Skapa anslagstavla", + "chooseBoardSourcePopup-title": "Importera anslagstavla", + "createLabelPopup-title": "Skapa etikett", + "createCustomField": "Skapa fält", + "createCustomFieldPopup-title": "Skapa fält", + "current": "aktuell", + "custom-field-delete-pop": "Det går inte att ångra. Detta tar bort det här anpassade fältet från alla kort och förstör dess historia.", + "custom-field-checkbox": "Kryssruta", + "custom-field-date": "Datum", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(inga)", + "custom-field-dropdown-options": "Listalternativ", + "custom-field-dropdown-options-placeholder": "Tryck på enter för att lägga till fler alternativ", + "custom-field-dropdown-unknown": "(okänd)", + "custom-field-number": "Nummer", + "custom-field-text": "Text", + "custom-fields": "Anpassade fält", + "date": "Datum", + "decline": "Nedgång", + "default-avatar": "Standard avatar", + "delete": "Ta bort", + "deleteCustomFieldPopup-title": "Ta bort anpassade fält?", + "deleteLabelPopup-title": "Ta bort etikett?", + "description": "Beskrivning", + "disambiguateMultiLabelPopup-title": "Otvetydig etikettåtgärd", + "disambiguateMultiMemberPopup-title": "Otvetydig medlemsåtgärd", + "discard": "Kassera", + "done": "Färdig", + "download": "Hämta", + "edit": "Redigera", + "edit-avatar": "Ändra avatar", + "edit-profile": "Redigera profil", + "edit-wip-limit": "Redigera WIP-gränsen", + "soft-wip-limit": "Mjuk WIP-gräns", + "editCardStartDatePopup-title": "Ändra startdatum", + "editCardDueDatePopup-title": "Ändra förfallodatum", + "editCustomFieldPopup-title": "Redigera fält", + "editCardSpentTimePopup-title": "Ändra spenderad tid", + "editLabelPopup-title": "Ändra etikett", + "editNotificationPopup-title": "Redigera avisering", + "editProfilePopup-title": "Redigera profil", + "email": "E-post", + "email-enrollAccount-subject": "Ett konto skapas för dig på __siteName__", + "email-enrollAccount-text": "Hej __user__,\n\nFör att börja använda tjänsten, klicka på länken nedan.\n\n__url__\n\nTack.", + "email-fail": "Sändning av e-post misslyckades", + "email-fail-text": "Ett fel vid försök att skicka e-post", + "email-invalid": "Ogiltig e-post", + "email-invite": "Bjud in via e-post", + "email-invite-subject": "__inviter__ skickade dig en inbjudan", + "email-invite-text": "Bästa __user__,\n\n__inviter__ inbjuder dig till anslagstavlan \"__board__\" för samarbete.\n\nFölj länken nedan:\n\n__url__\n\nTack.", + "email-resetPassword-subject": "Återställa lösenordet för __siteName__", + "email-resetPassword-text": "Hej __user__,\n\nFör att återställa ditt lösenord, klicka på länken nedan.\n\n__url__\n\nTack.", + "email-sent": "E-post skickad", + "email-verifyEmail-subject": "Verifiera din e-post adress på __siteName__", + "email-verifyEmail-text": "Hej __user__,\n\nFör att verifiera din konto e-post, klicka på länken nedan.\n\n__url__\n\nTack.", + "enable-wip-limit": "Aktivera WIP-gräns", + "error-board-doesNotExist": "Denna anslagstavla finns inte", + "error-board-notAdmin": "Du måste vara administratör för denna anslagstavla för att göra det", + "error-board-notAMember": "Du måste vara medlem i denna anslagstavla för att göra det", + "error-json-malformed": "Din text är inte giltigt JSON", + "error-json-schema": "Din JSON data inkluderar inte korrekt information i rätt format", + "error-list-doesNotExist": "Denna lista finns inte", + "error-user-doesNotExist": "Denna användare finns inte", + "error-user-notAllowSelf": "Du kan inte bjuda in dig själv", + "error-user-notCreated": "Den här användaren har inte skapats", + "error-username-taken": "Detta användarnamn är redan taget", + "error-email-taken": "E-post har redan tagits", + "export-board": "Exportera anslagstavla", + "filter": "Filtrera", + "filter-cards": "Filtrera kort", + "filter-clear": "Rensa filter", + "filter-no-label": "Ingen etikett", + "filter-no-member": "Ingen medlem", + "filter-no-custom-fields": "Inga anpassade fält", + "filter-on": "Filter är på", + "filter-on-desc": "Du filtrerar kort på denna anslagstavla. Klicka här för att redigera filter.", + "filter-to-selection": "Filter till val", + "advanced-filter-label": "Avancerat filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Namn", + "header-logo-title": "Gå tillbaka till din anslagstavlor-sida.", + "hide-system-messages": "Göm systemmeddelanden", + "headerBarCreateBoardPopup-title": "Skapa anslagstavla", + "home": "Hem", + "import": "Importera", + "import-board": "importera anslagstavla", + "import-board-c": "Importera anslagstavla", + "import-board-title-trello": "Importera anslagstavla från Trello", + "import-board-title-wekan": "Importera anslagstavla från Wekan", + "import-sandstorm-warning": "Importerad anslagstavla raderar all befintlig data på anslagstavla och ersätter den med importerat anslagstavla.", + "from-trello": "Från Trello", + "from-wekan": "Från Wekan", + "import-board-instruction-trello": "I din Trello-anslagstavla, gå till 'Meny', sedan 'Mera', 'Skriv ut och exportera', 'Exportera JSON' och kopiera den resulterande text.", + "import-board-instruction-wekan": "I din Wekan-anslagstavla, gå till \"Meny\", sedan \"Exportera anslagstavla\" och kopiera texten i den hämtade filen.", + "import-json-placeholder": "Klistra in giltigt JSON data här", + "import-map-members": "Kartlägg medlemmar", + "import-members-map": "Din importerade anslagstavla har några medlemmar. Kartlägg medlemmarna som du vill importera till Wekan-användare", + "import-show-user-mapping": "Granska medlemskartläggning", + "import-user-select": "Välj Wekan-användare du vill använda som denna medlem", + "importMapMembersAddPopup-title": "Välj Wekan member", + "info": "Version", + "initials": "Initialer ", + "invalid-date": "Ogiltigt datum", + "invalid-time": "Ogiltig tid", + "invalid-user": "Ogiltig användare", + "joined": "gick med", + "just-invited": "Du blev nyss inbjuden till denna anslagstavla", + "keyboard-shortcuts": "Tangentbordsgenvägar", + "label-create": "Skapa etikett", + "label-default": "%s etikett (standard)", + "label-delete-pop": "Det finns ingen ångra. Detta tar bort denna etikett från alla kort och förstöra dess historik.", + "labels": "Etiketter", + "language": "Språk", + "last-admin-desc": "Du kan inte ändra roller för det måste finnas minst en administratör.", + "leave-board": "Lämna anslagstavla", + "leave-board-pop": "Är du säker på att du vill lämna __boardTitle__? Du kommer att tas bort från alla kort på den här anslagstavlan.", + "leaveBoardPopup-title": "Lämna anslagstavla ?", + "link-card": "Länka till detta kort", + "list-archive-cards": "Flytta alla kort i den här listan till papperskorgen", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Flytta alla kort i denna lista", + "list-select-cards": "Välj alla kort i denna lista", + "listActionPopup-title": "Liståtgärder", + "swimlaneActionPopup-title": "Simbana-åtgärder", + "listImportCardPopup-title": "Importera ett Trello kort", + "listMorePopup-title": "Mera", + "link-list": "Länk till den här listan", + "list-delete-pop": "Alla åtgärder kommer att tas bort från aktivitetsmatningen och du kommer inte att kunna återställa listan. Det går inte att ångra.", + "list-delete-suggest-archive": "Du kan flytta en lista till papperskorgen för att ta bort den från brädet och bevara aktiviteten.", + "lists": "Listor", + "swimlanes": "Simbanor ", + "log-out": "Logga ut", + "log-in": "Logga in", + "loginPopup-title": "Logga in", + "memberMenuPopup-title": "Användarinställningar", + "members": "Medlemmar", + "menu": "Meny", + "move-selection": "Flytta vald", + "moveCardPopup-title": "Flytta kort", + "moveCardToBottom-title": "Flytta längst ner", + "moveCardToTop-title": "Flytta högst upp", + "moveSelectionPopup-title": "Flytta vald", + "multi-selection": "Flerval", + "multi-selection-on": "Flerval är på", + "muted": "Tystad", + "muted-info": "Du kommer aldrig att meddelas om eventuella ändringar i denna anslagstavla", + "my-boards": "Mina anslagstavlor", + "name": "Namn", + "no-archived-cards": "Inga kort i papperskorgen.", + "no-archived-lists": "Inga listor i papperskorgen.", + "no-archived-swimlanes": "Inga simbanor i papperskorgen.", + "no-results": "Inga reslutat", + "normal": "Normal", + "normal-desc": "Kan se och redigera kort. Kan inte ändra inställningar.", + "not-accepted-yet": "Inbjudan inte ännu accepterad", + "notify-participate": "Få uppdateringar till alla kort du deltar i som skapare eller medlem", + "notify-watch": "Få uppdateringar till alla anslagstavlor, listor, eller kort du bevakar", + "optional": "valfri", + "or": "eller", + "page-maybe-private": "Denna sida kan vara privat. Du kanske kan se den genom att logga in.", + "page-not-found": "Sidan hittades inte.", + "password": "Lösenord", + "paste-or-dragdrop": "klistra in eller dra och släpp bildfil till den (endast bilder)", + "participating": "Deltagande", + "preview": "Förhandsvisning", + "previewAttachedImagePopup-title": "Förhandsvisning", + "previewClipboardImagePopup-title": "Förhandsvisning", + "private": "Privat", + "private-desc": "Denna anslagstavla är privat. Endast personer tillagda till anslagstavlan kan se och redigera den.", + "profile": "Profil", + "public": "Officiell", + "public-desc": "Denna anslagstavla är offentlig. Den är synligt för alla med länken och kommer att dyka upp i sökmotorer som Google. Endast personer tillagda till anslagstavlan kan redigera.", + "quick-access-description": "Stjärnmärk en anslagstavla för att lägga till en genväg i detta fält.", + "remove-cover": "Ta bort omslag", + "remove-from-board": "Ta bort från anslagstavla", + "remove-label": "Ta bort etikett", + "listDeletePopup-title": "Ta bort lista", + "remove-member": "Ta bort medlem", + "remove-member-from-card": "Ta bort från kort", + "remove-member-pop": "Ta bort __name__ (__username__) från __boardTitle__? Medlemmen kommer att bli borttagen från alla kort i denna anslagstavla. De kommer att få en avisering.", + "removeMemberPopup-title": "Ta bort medlem?", + "rename": "Byt namn", + "rename-board": "Byt namn på anslagstavla", + "restore": "Återställ", + "save": "Spara", + "search": "Sök", + "search-cards": "Sök från korttitlar och beskrivningar på det här brädet", + "search-example": "Text att söka efter?", + "select-color": "Välj färg", + "set-wip-limit-value": "Ange en gräns för det maximala antalet uppgifter i den här listan", + "setWipLimitPopup-title": "Ställ in WIP-gräns", + "shortcut-assign-self": "Tilldela dig nuvarande kort", + "shortcut-autocomplete-emoji": "Komplettera automatiskt emoji", + "shortcut-autocomplete-members": "Komplettera automatiskt medlemmar", + "shortcut-clear-filters": "Rensa alla filter", + "shortcut-close-dialog": "Stäng dialog", + "shortcut-filter-my-cards": "Filtrera mina kort", + "shortcut-show-shortcuts": "Ta fram denna genvägslista", + "shortcut-toggle-filterbar": "Växla filtrets sidofält", + "shortcut-toggle-sidebar": "Växla anslagstavlans sidofält", + "show-cards-minimum-count": "Visa kortantal om listan innehåller mer än", + "sidebar-open": "Stäng sidofält", + "sidebar-close": "Stäng sidofält", + "signupPopup-title": "Skapa ett konto", + "star-board-title": "Klicka för att stjärnmärka denna anslagstavla. Den kommer att visas högst upp på din lista över anslagstavlor.", + "starred-boards": "Stjärnmärkta anslagstavlor", + "starred-boards-description": "Stjärnmärkta anslagstavlor visas högst upp på din lista över anslagstavlor.", + "subscribe": "Prenumenera", + "team": "Grupp", + "this-board": "denna anslagstavla", + "this-card": "detta kort", + "spent-time-hours": "Spenderad tid (timmar)", + "overtime-hours": "Övertid (timmar)", + "overtime": "Övertid", + "has-overtime-cards": "Har övertidskort", + "has-spenttime-cards": "Has spent time cards", + "time": "Tid", + "title": "Titel", + "tracking": "Spårning", + "tracking-info": "Du kommer att meddelas om eventuella ändringar av dessa kort du deltar i som skapare eller medlem.", + "type": "Skriv", + "unassign-member": "Ta bort tilldelad medlem", + "unsaved-description": "Du har en osparad beskrivning.", + "unwatch": "Avbevaka", + "upload": "Ladda upp", + "upload-avatar": "Ladda upp en avatar", + "uploaded-avatar": "Laddade upp en avatar", + "username": "Änvandarnamn", + "view-it": "Visa det", + "warn-list-archived": "varning: det här kortet finns i en lista i papperskorgen", + "watch": "Bevaka", + "watching": "Bevakar", + "watching-info": "Du kommer att meddelas om alla ändringar på denna anslagstavla", + "welcome-board": "Välkomstanslagstavla", + "welcome-swimlane": "Milstolpe 1", + "welcome-list1": "Grunderna", + "welcome-list2": "Avancerad", + "what-to-do": "Vad vill du göra?", + "wipLimitErrorPopup-title": "Ogiltig WIP-gräns", + "wipLimitErrorPopup-dialog-pt1": "Antalet uppgifter i den här listan är högre än WIP-gränsen du har definierat.", + "wipLimitErrorPopup-dialog-pt2": "Flytta några uppgifter ur listan, eller ställ in en högre WIP-gräns.", + "admin-panel": "Administratörspanel ", + "settings": "Inställningar", + "people": "Personer", + "registration": "Registrering", + "disable-self-registration": "Avaktiverar självregistrering", + "invite": "Bjud in", + "invite-people": "Bjud in personer", + "to-boards": "Till anslagstavl(a/or)", + "email-addresses": "E-post adresser", + "smtp-host-description": "Adressen till SMTP-servern som hanterar din e-post.", + "smtp-port-description": "Porten SMTP-servern använder för utgående e-post.", + "smtp-tls-description": "Aktivera TLS-stöd för SMTP-server", + "smtp-host": "SMTP-värd", + "smtp-port": "SMTP-port", + "smtp-username": "Användarnamn", + "smtp-password": "Lösenord", + "smtp-tls": "TLS-stöd", + "send-from": "Från", + "send-smtp-test": "Skicka ett prov e-postmeddelande till dig själv", + "invitation-code": "Inbjudningskod", + "email-invite-register-subject": "__inviter__ skickade dig en inbjudan", + "email-invite-register-text": "Bästa __user__,\n\n__inviter__ inbjuder dig till Wekan för samarbeten.\n\nVänligen följ länken nedan:\n__url__\n\nOch din inbjudningskod är: __icode__\n\nTack.", + "email-smtp-test-subject": "SMTP-prov e-post från Wekan", + "email-smtp-test-text": "Du har skickat ett e-postmeddelande", + "error-invitation-code-not-exist": "Inbjudningskod finns inte", + "error-notAuthorized": "Du är inte behörig att se den här sidan.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Okänd)", + "Wekan_version": "Wekan version", + "Node_version": "Nodversion", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU-räkning", + "OS_Freemem": "OS ledigt minne", + "OS_Loadavg": "OS belastningsgenomsnitt", + "OS_Platform": "OS plattforme", + "OS_Release": "OS utgåva", + "OS_Totalmem": "OS totalt minne", + "OS_Type": "OS Typ", + "OS_Uptime": "OS drifttid", + "hours": "timmar", + "minutes": "minuter", + "seconds": "sekunder", + "show-field-on-card": "Visa detta fält på kort", + "yes": "Ja", + "no": "Nej", + "accounts": "Konton", + "accounts-allowEmailChange": "Tillåt e-poständring", + "accounts-allowUserNameChange": "Tillåt användarnamnändring", + "createdAt": "Skapad vid", + "verified": "Verifierad", + "active": "Aktiv", + "card-received": "Mottagen", + "card-received-on": "Mottagen den", + "card-end": "Slut", + "card-end-on": "Slutar den", + "editCardReceivedDatePopup-title": "Ändra mottagningsdatum", + "editCardEndDatePopup-title": "Ändra slutdatum", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json new file mode 100644 index 00000000..d59a62b8 --- /dev/null +++ b/i18n/ta.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accept", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Add", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Members", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Members", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Members", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json new file mode 100644 index 00000000..28b26c3b --- /dev/null +++ b/i18n/th.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "ยอมรับ", + "act-activity-notify": "[Wekan] แจ้งกิจกรรม", + "act-addAttachment": "แนบไฟล์ __attachment__ ไปยัง __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "ออกความเห็นที่ __card__: __comment__", + "act-createBoard": "สร้าง __board__", + "act-createCard": "เพิ่ม __card__ ไปยัง __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "เพิ่ม __list__ ไปยัง __board__", + "act-addBoardMember": "เพิ่ม __member__ ไปยัง __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "นำเข้า __board__", + "act-importCard": "นำเข้า __card__", + "act-importList": "นำเข้า __list__", + "act-joinMember": "เพิ่ม __member__ ไปยัง __card__", + "act-moveCard": "ย้าย __card__ จาก __oldList__ ไป __list__", + "act-removeBoardMember": "ลบ __member__ จาก __board__", + "act-restoredCard": "กู้คืน __card__ ไปยัง __board__", + "act-unjoinMember": "ลบ __member__ จาก __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "ปฎิบัติการ", + "activities": "กิจกรรม", + "activity": "กิจกรรม", + "activity-added": "เพิ่ม %s ไปยัง %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "แนบ %s ไปยัง %s", + "activity-created": "สร้าง %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "ยกเว้น %s จาก %s", + "activity-imported": "ถูกนำเข้า %s ไปยัง %s จาก %s", + "activity-imported-board": "นำเข้า %s จาก %s", + "activity-joined": "เข้าร่วม %s", + "activity-moved": "ย้าย %s จาก %s ถึง %s", + "activity-on": "บน %s", + "activity-removed": "ลบ %s จาด %s", + "activity-sent": "ส่ง %s ถึง %s", + "activity-unjoined": "ยกเลิกเข้าร่วม %s", + "activity-checklist-added": "รายการถูกเพิ่มไป %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "เพิ่ม", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "เพิ่มรายการตรวจสอบ", + "add-cover": "เพิ่มหน้าปก", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "เพิ่มสมาชิก", + "added": "เพิ่ม", + "addMemberPopup-title": "สมาชิก", + "admin": "ผู้ดูแลระบบ", + "admin-desc": "สามารถดูและแก้ไขการ์ด ลบสมาชิก และเปลี่ยนการตั้งค่าบอร์ดได้", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "บอร์ดทั้งหมด", + "and-n-other-card": "และการ์ดอื่น __count__", + "and-n-other-card_plural": "และการ์ดอื่น ๆ __count__", + "apply": "นำมาใช้", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "กำหนดสมาชิก", + "attached": "แนบมาด้วย", + "attachment": "สิ่งที่แนบมา", + "attachment-delete-pop": "ลบสิ่งที่แนบมาถาวร ไม่สามารถเลิกทำได้", + "attachmentDeletePopup-title": "ลบสิ่งที่แนบมาหรือไม่", + "attachments": "สิ่งที่แนบมา", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "ย้อนกลับ", + "board-change-color": "เปลี่ยนสี", + "board-nb-stars": "ติดดาว %s", + "board-not-found": "ไม่มีบอร์ด", + "board-private-info": "บอร์ดนี้จะเป็น ส่วนตัว.", + "board-public-info": "บอร์ดนี้จะเป็น สาธารณะ.", + "boardChangeColorPopup-title": "เปลี่ยนสีพื้นหลังบอร์ด", + "boardChangeTitlePopup-title": "เปลี่ยนชื่อบอร์ด", + "boardChangeVisibilityPopup-title": "เปลี่ยนการเข้าถึง", + "boardChangeWatchPopup-title": "เปลี่ยนการเฝ้าดู", + "boardMenuPopup-title": "เมนูบอร์ด", + "boards": "บอร์ด", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "รายการ", + "bucket-example": "ตัวอย่างเช่น “ระบบที่ต้องทำ”", + "cancel": "ยกเลิก", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "การ์ดนี้มี %s ความเห็น.", + "card-delete-notice": "เป็นการลบถาวร คุณจะสูญเสียข้อมูลที่เกี่ยวข้องกับการ์ดนี้ทั้งหมด", + "card-delete-pop": "การดำเนินการทั้งหมดจะถูกลบจาก feed กิจกรรมและคุณไม่สามารถเปิดได้อีกครั้งหรือยกเลิกการทำ", + "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "ครบกำหนด", + "card-due-on": "ครบกำหนดเมื่อ", + "card-spent": "Spent Time", + "card-edit-attachments": "แก้ไขสิ่งที่แนบมา", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "แก้ไขป้ายกำกับ", + "card-edit-members": "แก้ไขสมาชิก", + "card-labels-title": "เปลี่ยนป้ายกำกับของการ์ด", + "card-members-title": "เพิ่มหรือลบสมาชิกของบอร์ดจากการ์ด", + "card-start": "เริ่ม", + "card-start-on": "เริ่มเมื่อ", + "cardAttachmentsPopup-title": "แนบจาก", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "ลบการ์ดนี้หรือไม่", + "cardDetailsActionsPopup-title": "การดำเนินการการ์ด", + "cardLabelsPopup-title": "ป้ายกำกับ", + "cardMembersPopup-title": "สมาชิก", + "cardMorePopup-title": "เพิ่มเติม", + "cards": "การ์ด", + "cards-count": "การ์ด", + "change": "เปลี่ยน", + "change-avatar": "เปลี่ยนภาพ", + "change-password": "เปลี่ยนรหัสผ่าน", + "change-permissions": "เปลี่ยนสิทธิ์", + "change-settings": "เปลี่ยนการตั้งค่า", + "changeAvatarPopup-title": "เปลี่ยนภาพ", + "changeLanguagePopup-title": "เปลี่ยนภาษา", + "changePasswordPopup-title": "เปลี่ยนรหัสผ่าน", + "changePermissionsPopup-title": "เปลี่ยนสิทธิ์", + "changeSettingsPopup-title": "เปลี่ยนการตั้งค่า", + "checklists": "รายการตรวจสอบ", + "click-to-star": "คลิกดาวบอร์ดนี้", + "click-to-unstar": "คลิกยกเลิกดาวบอร์ดนี้", + "clipboard": "Clipboard หรือลากและวาง", + "close": "ปิด", + "close-board": "ปิดบอร์ด", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "ดำ", + "color-blue": "น้ำเงิน", + "color-green": "เขียว", + "color-lime": "เหลืองมะนาว", + "color-orange": "ส้ม", + "color-pink": "ชมพู", + "color-purple": "ม่วง", + "color-red": "แดง", + "color-sky": "ฟ้า", + "color-yellow": "เหลือง", + "comment": "คอมเม็นต์", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "คอมพิวเตอร์", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "สร้าง", + "createBoardPopup-title": "สร้างบอร์ด", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "สร้างป้ายกำกับ", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "ปัจจุบัน", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "วันที่", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "วันที่", + "decline": "ปฎิเสธ", + "default-avatar": "ภาพเริ่มต้น", + "delete": "ลบ", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "ลบป้ายกำกับนี้หรือไม่", + "description": "คำอธิบาย", + "disambiguateMultiLabelPopup-title": "การดำเนินการกำกับป้ายชัดเจน", + "disambiguateMultiMemberPopup-title": "การดำเนินการสมาชิกชัดเจน", + "discard": "ทิ้ง", + "done": "เสร็จสิ้น", + "download": "ดาวน์โหลด", + "edit": "แก้ไข", + "edit-avatar": "เปลี่ยนภาพ", + "edit-profile": "แก้ไขโปรไฟล์", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "เปลี่ยนวันเริ่มต้น", + "editCardDueDatePopup-title": "เปลี่ยนวันครบกำหนด", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "เปลี่ยนป้ายกำกับ", + "editNotificationPopup-title": "แก้ไขการแจ้งเตือน", + "editProfilePopup-title": "แก้ไขโปรไฟล์", + "email": "อีเมล์", + "email-enrollAccount-subject": "บัญชีคุณถูกสร้างใน __siteName__", + "email-enrollAccount-text": "สวัสดี __user__,\n\nเริ่มใช้บริการง่าย ๆ , ด้วยการคลิกลิงค์ด้านล่าง.\n\n__url__\n\n ขอบคุณค่ะ", + "email-fail": "การส่งอีเมล์ล้มเหลว", + "email-fail-text": "Error trying to send email", + "email-invalid": "อีเมล์ไม่ถูกต้อง", + "email-invite": "เชิญผ่านทางอีเมล์", + "email-invite-subject": "__inviter__ ส่งคำเชิญให้คุณ", + "email-invite-text": "สวัสดี __user__,\n\n__inviter__ ขอเชิญคุณเข้าร่วม \"__board__\" เพื่อขอความร่วมมือ \n\n โปรดคลิกตามลิงค์ข้างล่างนี้ \n\n__url__\n\n ขอบคุณ", + "email-resetPassword-subject": "ตั้งรหัสผ่่านใหม่ของคุณบน __siteName__", + "email-resetPassword-text": "สวัสดี __user__,\n\nในการรีเซ็ตรหัสผ่านของคุณ, คลิกตามลิงค์ด้านล่าง \n\n__url__\n\nขอบคุณค่ะ", + "email-sent": "ส่งอีเมล์", + "email-verifyEmail-subject": "ยืนยันที่อยู่อีเม์ของคุณบน __siteName__", + "email-verifyEmail-text": "สวัสดี __user__,\n\nตรวจสอบบัญชีอีเมล์ของคุณ ง่าย ๆ ตามลิงค์ด้านล่าง \n\n__url__\n\n ขอบคุณค่ะ", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "บอร์ดนี้ไม่มีอยู่แล้ว", + "error-board-notAdmin": "คุณจะต้องเป็นผู้ดูแลระบบถึงจะทำสิ่งเหล่านี้ได้", + "error-board-notAMember": "คุณต้องเป็นสมาชิกของบอร์ดนี้ถึงจะทำได้", + "error-json-malformed": "ข้อความของคุณไม่ใช่ JSON", + "error-json-schema": "รูปแบบข้้้อมูล JSON ของคุณไม่ถูกต้อง", + "error-list-doesNotExist": "รายการนี้ไม่มีอยู่", + "error-user-doesNotExist": "ผู้ใช้นี้ไม่มีอยู่", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "ผู้ใช้รายนี้ไม่ได้สร้าง", + "error-username-taken": "ชื่อนี้ถูกใช้งานแล้ว", + "error-email-taken": "Email has already been taken", + "export-board": "ส่งออกกระดาน", + "filter": "กรอง", + "filter-cards": "กรองการ์ด", + "filter-clear": "ล้างตัวกรอง", + "filter-no-label": "ไม่มีฉลาก", + "filter-no-member": "ไม่มีสมาชิก", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "กรองบน", + "filter-on-desc": "คุณกำลังกรองการ์ดในบอร์ดนี้ คลิกที่นี่เพื่อแก้ไขตัวกรอง", + "filter-to-selection": "กรองตัวเลือก", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "ชื่อ นามสกุล", + "header-logo-title": "ย้อนกลับไปที่หน้าบอร์ดของคุณ", + "hide-system-messages": "ซ่อนข้อความของระบบ", + "headerBarCreateBoardPopup-title": "สร้างบอร์ด", + "home": "หน้าหลัก", + "import": "นำเข้า", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "นำเข้าบอร์ดจาก Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "ใน Trello ของคุณให้ไปที่ 'Menu' และไปที่ More -> Print and Export -> Export JSON และคัดลอกข้อความจากนั้น", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "วางข้อมูล JSON ที่ถูกต้องของคุณที่นี่", + "import-map-members": "แผนที่สมาชิก", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review การทำแผนที่สมาชิก", + "import-user-select": "เลือกผู้ใช้ Wekan ที่คุณต้องการใช้เป็นเหมือนสมาชิกนี้", + "importMapMembersAddPopup-title": "เลือกสมาชิก", + "info": "Version", + "initials": "ชื่อย่อ", + "invalid-date": "วันที่ไม่ถูกต้อง", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "เข้าร่วม", + "just-invited": "คุณพึ่งได้รับเชิญบอร์ดนี้", + "keyboard-shortcuts": "แป้นพิมพ์ลัด", + "label-create": "สร้างป้ายกำกับ", + "label-default": "ป้าย %s (ค่าเริ่มต้น)", + "label-delete-pop": "ไม่มีการยกเลิกการทำนี้ ลบป้ายกำกับนี้จากทุกการ์ดและล้างประวัติทิ้ง", + "labels": "ป้ายกำกับ", + "language": "ภาษา", + "last-admin-desc": "คุณไม่สามารถเปลี่ยนบทบาทเพราะต้องมีผู้ดูแลระบบหนึ่งคนเป็นอย่างน้อย", + "leave-board": "ทิ้งบอร์ด", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "เชื่อมโยงไปยังการ์ดใบนี้", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "ย้ายการ์ดทั้งหมดในรายการนี้", + "list-select-cards": "เลือกการ์ดทั้งหมดในรายการนี้", + "listActionPopup-title": "รายการการดำเนิน", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "นำเข้าการ์ด Trello", + "listMorePopup-title": "เพิ่มเติม", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "รายการ", + "swimlanes": "Swimlanes", + "log-out": "ออกจากระบบ", + "log-in": "เข้าสู่ระบบ", + "loginPopup-title": "เข้าสู่ระบบ", + "memberMenuPopup-title": "การตั้งค่า", + "members": "สมาชิก", + "menu": "เมนู", + "move-selection": "ย้ายตัวเลือก", + "moveCardPopup-title": "ย้ายการ์ด", + "moveCardToBottom-title": "ย้ายไปล่าง", + "moveCardToTop-title": "ย้ายไปบน", + "moveSelectionPopup-title": "เลือกย้าย", + "multi-selection": "เลือกหลายรายการ", + "multi-selection-on": "เลือกหลายรายการเมื่อ", + "muted": "ไม่ออกเสียง", + "muted-info": "คุณจะไม่ได้รับแจ้งการเปลี่ยนแปลงใด ๆ ในบอร์ดนี้", + "my-boards": "บอร์ดของฉัน", + "name": "ชื่อ", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "ไม่มีข้อมูล", + "normal": "ธรรมดา", + "normal-desc": "สามารถดูและแก้ไขการ์ดได้ แต่ไม่สามารถเปลี่ยนการตั้งค่าได้", + "not-accepted-yet": "ยังไม่ยอมรับคำเชิญ", + "notify-participate": "ได้รับการแจ้งปรับปรุงการ์ดอื่น ๆ ที่คุณมีส่วนร่วมในฐานะผู้สร้างหรือสมาชิก", + "notify-watch": "ได้รับการแจ้งปรับปรุงบอร์ด รายการหรือการ์ดที่คุณเฝ้าติดตาม", + "optional": "ไม่จำเป็น", + "or": "หรือ", + "page-maybe-private": "หน้านี้อาจจะเป็นส่วนตัว. คุณอาจจะสามารถดูจาก logging in.", + "page-not-found": "ไม่พบหน้า", + "password": "รหัสผ่าน", + "paste-or-dragdrop": "วาง หรือลากและวาง ไฟล์ภาพ(ภาพเท่านั้น)", + "participating": "Participating", + "preview": "ภาพตัวอย่าง", + "previewAttachedImagePopup-title": "ตัวอย่าง", + "previewClipboardImagePopup-title": "ตัวอย่าง", + "private": "ส่วนตัว", + "private-desc": "บอร์ดนี้เป็นส่วนตัว. คนที่ถูกเพิ่มเข้าในบอร์ดเท่านั้นที่สามารถดูและแก้ไขได้", + "profile": "โปรไฟล์", + "public": "สาธารณะ", + "public-desc": "บอร์ดนี้เป็นสาธารณะ. ทุกคนสามารถเข้าถึงได้ผ่าน url นี้ แต่สามารถแก้ไขได้เฉพาะผู้ที่ถูกเพิ่มเข้าไปในการ์ดเท่านั้น", + "quick-access-description": "เพิ่มไว้ในนี้เพื่อเป็นทางลัด", + "remove-cover": "ลบหน้าปก", + "remove-from-board": "ลบจากบอร์ด", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "ลบสมาชิก", + "remove-member-from-card": "ลบจากการ์ด", + "remove-member-pop": "ลบ __name__ (__username__) จาก __boardTitle__ หรือไม่ สมาชิกจะถูกลบออกจากการ์ดทั้งหมดบนบอร์ดนี้ และพวกเขาจะได้รับการแจ้งเตือน", + "removeMemberPopup-title": "ลบสมาชิกหรือไม่", + "rename": "ตั้งชื่อใหม่", + "rename-board": "ตั้งชื่อบอร์ดใหม่", + "restore": "กู้คืน", + "save": "บันทึก", + "search": "ค้นหา", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "กำหนดตัวเองให้การ์ดนี้", + "shortcut-autocomplete-emoji": "เติม emoji อัตโนมัติ", + "shortcut-autocomplete-members": "เติมสมาชิกอัตโนมัติ", + "shortcut-clear-filters": "ล้างตัวกรองทั้งหมด", + "shortcut-close-dialog": "ปิดหน้าต่าง", + "shortcut-filter-my-cards": "กรองการ์ดฉัน", + "shortcut-show-shortcuts": "นำรายการทางลัดนี้ขึ้น", + "shortcut-toggle-filterbar": "สลับแถบกรองสไลด์ด้้านข้าง", + "shortcut-toggle-sidebar": "สลับโชว์แถบด้านข้าง", + "show-cards-minimum-count": "แสดงจำนวนของการ์ดถ้ารายการมีมากกว่า(เลื่อนกำหนดตัวเลข)", + "sidebar-open": "เปิดแถบเลื่อน", + "sidebar-close": "ปิดแถบเลื่อน", + "signupPopup-title": "สร้างบัญชี", + "star-board-title": "คลิกติดดาวบอร์ดนี้ มันจะแสดงอยู่บนสุดของรายการบอร์ดของคุณ", + "starred-boards": "ติดดาวบอร์ด", + "starred-boards-description": "ติดดาวบอร์ดและแสดงไว้บนสุดของรายการบอร์ด", + "subscribe": "บอกรับสมาชิก", + "team": "ทีม", + "this-board": "บอร์ดนี้", + "this-card": "การ์ดนี้", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "เวลา", + "title": "หัวข้อ", + "tracking": "ติดตาม", + "tracking-info": "คุณจะได้รับแจ้งการเปลี่ยนแปลงใด ๆ กับการ์ดที่คุณมีส่วนร่วมในฐานะผู้สร้างหรือสมาชิก", + "type": "Type", + "unassign-member": "ยกเลิกสมาชิก", + "unsaved-description": "คุณมีคำอธิบายที่ไม่ได้บันทึก", + "unwatch": "เลิกเฝ้าดู", + "upload": "อัพโหลด", + "upload-avatar": "อัพโหลดรูปภาพ", + "uploaded-avatar": "ภาพอัพโหลดแล้ว", + "username": "ชื่อผู้ใช้งาน", + "view-it": "ดู", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "เฝ้าดู", + "watching": "เฝ้าดู", + "watching-info": "คุณจะได้รับแจ้งหากมีการเปลี่ยนแปลงใด ๆ ในบอร์ดนี้", + "welcome-board": "ยินดีต้อนรับสู่บอร์ด", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "พื้นฐาน", + "welcome-list2": "ก้าวหน้า", + "what-to-do": "ต้องการทำอะไร", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "ชื่อผู้ใช้งาน", + "smtp-password": "รหัสผ่าน", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ ส่งคำเชิญให้คุณ", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json new file mode 100644 index 00000000..29d8006d --- /dev/null +++ b/i18n/tr.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Kabul Et", + "act-activity-notify": "[Wekan] Etkinlik Bildirimi", + "act-addAttachment": "__card__ kartına __attachment__ dosyasını ekledi", + "act-addChecklist": "__card__ kartında __checklist__ yapılacak listesini ekledi", + "act-addChecklistItem": "__checklistItem__ öğesini __card__ kartındaki __checklist__ yapılacak listesine ekledi", + "act-addComment": "__card__ kartına bir yorum bıraktı: __comment__", + "act-createBoard": "__board__ panosunu oluşturdu", + "act-createCard": "__card__ kartını ___list__ listesine ekledi", + "act-createCustomField": "__customField__ adlı özel alan yaratıldı", + "act-createList": "__list__ listesini __board__ panosuna ekledi", + "act-addBoardMember": "__member__ kullanıcısını __board__ panosuna ekledi", + "act-archivedBoard": "__board__ Geri Dönüşüm Kutusu'na taşındı", + "act-archivedCard": "__card__ Geri Dönüşüm Kutusu'na taşındı", + "act-archivedList": "__list__ Geri Dönüşüm Kutusu'na taşındı", + "act-archivedSwimlane": "__swimlane__ Geri Dönüşüm Kutusu'na taşındı", + "act-importBoard": "__board__ panosunu içe aktardı", + "act-importCard": "__card__ kartını içe aktardı", + "act-importList": "__list__ listesini içe aktardı", + "act-joinMember": "__member__ kullanıcısnı __card__ kartına ekledi", + "act-moveCard": "__card__ kartını __oldList__ listesinden __list__ listesine taşıdı", + "act-removeBoardMember": "__board__ panosundan __member__ kullanıcısını çıkarttı", + "act-restoredCard": "__card__ kartını __board__ panosuna geri getirdi", + "act-unjoinMember": "__member__ kullanıcısnı __card__ kartından çıkarttı", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "İşlemler", + "activities": "Etkinlikler", + "activity": "Etkinlik", + "activity-added": "%s içine %s ekledi", + "activity-archived": "%s Geri Dönüşüm Kutusu'na taşındı", + "activity-attached": "%s içine %s ekledi", + "activity-created": "%s öğesini oluşturdu", + "activity-customfield-created": "%s adlı özel alan yaratıldı", + "activity-excluded": "%s içinden %s çıkarttı", + "activity-imported": "%s kaynağından %s öğesini %s öğesinin içine taşıdı ", + "activity-imported-board": "%s i %s içinden aktardı", + "activity-joined": "şuna katıldı: %s", + "activity-moved": "%s i %s içinden %s içine taşıdı", + "activity-on": "%s", + "activity-removed": "%s i %s ten kaldırdı", + "activity-sent": "%s i %s e gönderdi", + "activity-unjoined": "%s içinden ayrıldı", + "activity-checklist-added": "%s içine yapılacak listesi ekledi", + "activity-checklist-item-added": "%s içinde %s yapılacak listesine öğe ekledi", + "add": "Ekle", + "add-attachment": "Ek Ekle", + "add-board": "Pano Ekle", + "add-card": "Kart Ekle", + "add-swimlane": "Kulvar Ekle", + "add-checklist": "Yapılacak Listesi Ekle", + "add-checklist-item": "Yapılacak listesine yeni bir öğe ekle", + "add-cover": "Kapak resmi ekle", + "add-label": "Etiket Ekle", + "add-list": "Liste Ekle", + "add-members": "Üye ekle", + "added": "Eklendi", + "addMemberPopup-title": "Üyeler", + "admin": "Yönetici", + "admin-desc": "Kartları görüntüleyebilir ve düzenleyebilir, üyeleri çıkarabilir ve pano ayarlarını değiştirebilir.", + "admin-announcement": "Duyuru", + "admin-announcement-active": "Tüm Sistemde Etkin Duyuru", + "admin-announcement-title": "Yöneticiden Duyuru", + "all-boards": "Tüm panolar", + "and-n-other-card": "Ve __count__ diğer kart", + "and-n-other-card_plural": "Ve __count__ diğer kart", + "apply": "Uygula", + "app-is-offline": "Wekan yükleniyor, lütfen bekleyin. Sayfayı yenilemek veri kaybına sebep olabilir. Eğer Wekan yüklenmezse, lütfen Wekan sunucusunun çalıştığından emin olun.", + "archive": "Geri Dönüşüm Kutusu'na taşı", + "archive-all": "Tümünü Geri Dönüşüm Kutusu'na taşı", + "archive-board": "Panoyu Geri Dönüşüm Kutusu'na taşı", + "archive-card": "Kartı Geri Dönüşüm Kutusu'na taşı", + "archive-list": "Listeyi Geri Dönüşüm Kutusu'na taşı", + "archive-swimlane": "Kulvarı Geri Dönüşüm Kutusu'na taşı", + "archive-selection": "Seçimi Geri Dönüşüm Kutusu'na taşı", + "archiveBoardPopup-title": "Panoyu Geri Dönüşüm Kutusu'na taşı", + "archived-items": "Geri Dönüşüm Kutusu", + "archived-boards": "Geri Dönüşüm Kutusu'ndaki panolar", + "restore-board": "Panoyu Geri Getir", + "no-archived-boards": "Geri Dönüşüm Kutusu'nda pano yok.", + "archives": "Geri Dönüşüm Kutusu", + "assign-member": "Üye ata", + "attached": "dosya(sı) eklendi", + "attachment": "Ek Dosya", + "attachment-delete-pop": "Ek silme işlemi kalıcıdır ve geri alınamaz.", + "attachmentDeletePopup-title": "Ek Silinsin mi?", + "attachments": "Ekler", + "auto-watch": "Oluşan yeni panoları kendiliğinden izlemeye al", + "avatar-too-big": "Avatar boyutu çok büyük (En fazla 70KB olabilir)", + "back": "Geri", + "board-change-color": "Renk değiştir", + "board-nb-stars": "%s yıldız", + "board-not-found": "Pano bulunamadı", + "board-private-info": "Bu pano gizli olacak.", + "board-public-info": "Bu pano genele açılacaktır.", + "boardChangeColorPopup-title": "Pano arkaplan rengini değiştir", + "boardChangeTitlePopup-title": "Panonun Adını Değiştir", + "boardChangeVisibilityPopup-title": "Görünebilirliği Değiştir", + "boardChangeWatchPopup-title": "İzleme Durumunu Değiştir", + "boardMenuPopup-title": "Pano menüsü", + "boards": "Panolar", + "board-view": "Pano Görünümü", + "board-view-swimlanes": "Kulvarlar", + "board-view-lists": "Listeler", + "bucket-example": "Örn: \"Marketten Alacaklarım\"", + "cancel": "İptal", + "card-archived": "Bu kart Geri Dönüşüm Kutusu'na taşındı", + "card-comments-title": "Bu kartta %s yorum var.", + "card-delete-notice": "Silme işlemi kalıcıdır. Bu kartla ilişkili tüm eylemleri kaybedersiniz.", + "card-delete-pop": "Son hareketler alanındaki tüm veriler silinecek, ayrıca bu kartı yeniden açamayacaksın. Bu işlemin geri dönüşü yok.", + "card-delete-suggest-archive": "Kartları Geri Dönüşüm Kutusu'na taşıyarak panodan kaldırabilir ve içindeki aktiviteleri saklayabilirsiniz.", + "card-due": "Bitiş", + "card-due-on": "Bitiş tarihi:", + "card-spent": "Harcanan Zaman", + "card-edit-attachments": "Ek dosyasını düzenle", + "card-edit-custom-fields": "Özel alanları düzenle", + "card-edit-labels": "Etiketleri düzenle", + "card-edit-members": "Üyeleri düzenle", + "card-labels-title": "Bu kart için etiketleri düzenle", + "card-members-title": "Karta pano içindeki üyeleri ekler veya çıkartır.", + "card-start": "Başlama", + "card-start-on": "Başlama tarihi:", + "cardAttachmentsPopup-title": "Eklenme", + "cardCustomField-datePopup-title": "Tarihi değiştir", + "cardCustomFieldsPopup-title": "Özel alanları düzenle", + "cardDeletePopup-title": "Kart Silinsin mi?", + "cardDetailsActionsPopup-title": "Kart işlemleri", + "cardLabelsPopup-title": "Etiketler", + "cardMembersPopup-title": "Üyeler", + "cardMorePopup-title": "Daha", + "cards": "Kartlar", + "cards-count": "Kartlar", + "change": "Değiştir", + "change-avatar": "Avatar Değiştir", + "change-password": "Parola Değiştir", + "change-permissions": "İzinleri değiştir", + "change-settings": "Ayarları değiştir", + "changeAvatarPopup-title": "Avatar Değiştir", + "changeLanguagePopup-title": "Dil Değiştir", + "changePasswordPopup-title": "Parola Değiştir", + "changePermissionsPopup-title": "Yetkileri Değiştirme", + "changeSettingsPopup-title": "Ayarları değiştir", + "checklists": "Yapılacak Listeleri", + "click-to-star": "Bu panoyu yıldızlamak için tıkla.", + "click-to-unstar": "Bu panunun yıldızını kaldırmak için tıkla.", + "clipboard": "Yapıştır veya sürükleyip bırak", + "close": "Kapat", + "close-board": "Panoyu kapat", + "close-board-pop": "Silinen panoyu geri getirmek için menüden \"Geri Dönüşüm Kutusu\"'na tıklayabilirsiniz.", + "color-black": "siyah", + "color-blue": "mavi", + "color-green": "yeşil", + "color-lime": "misket limonu", + "color-orange": "turuncu", + "color-pink": "pembe", + "color-purple": "mor", + "color-red": "kırmızı", + "color-sky": "açık mavi", + "color-yellow": "sarı", + "comment": "Yorum", + "comment-placeholder": "Yorum Yaz", + "comment-only": "Sadece yorum", + "comment-only-desc": "Sadece kartlara yorum yazabilir.", + "computer": "Bilgisayar", + "confirm-checklist-delete-dialog": "Yapılacak listesini silmek istediğinize emin misiniz", + "copy-card-link-to-clipboard": "Kartın linkini kopyala", + "copyCardPopup-title": "Kartı Kopyala", + "copyChecklistToManyCardsPopup-title": "Yapılacaklar Listesi şemasını birden çok karta kopyala", + "copyChecklistToManyCardsPopup-instructions": "Hedef Kart Başlıkları ve Açıklamaları bu JSON formatında", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"İlk kart başlığı\", \"description\":\"İlk kart açıklaması\"}, {\"title\":\"İkinci kart başlığı\",\"description\":\"İkinci kart açıklaması\"},{\"title\":\"Son kart başlığı\",\"description\":\"Son kart açıklaması\"} ]", + "create": "Oluştur", + "createBoardPopup-title": "Pano Oluşturma", + "chooseBoardSourcePopup-title": "Panoyu içe aktar", + "createLabelPopup-title": "Etiket Oluşturma", + "createCustomField": "Alanı yarat", + "createCustomFieldPopup-title": "Alanı yarat", + "current": "mevcut", + "custom-field-delete-pop": "Bunun geri dönüşü yoktur. Bu özel alan tüm kartlardan kaldırılıp tarihçesi yokedilecektir.", + "custom-field-checkbox": "İşaret kutusu", + "custom-field-date": "Tarih", + "custom-field-dropdown": "Açılır liste", + "custom-field-dropdown-none": "(hiçbiri)", + "custom-field-dropdown-options": "Liste seçenekleri", + "custom-field-dropdown-options-placeholder": "Başka seçenekler eklemek için giriş tuşuna basınız", + "custom-field-dropdown-unknown": "(bilinmeyen)", + "custom-field-number": "Sayı", + "custom-field-text": "Metin", + "custom-fields": "Özel alanlar", + "date": "Tarih", + "decline": "Reddet", + "default-avatar": "Varsayılan avatar", + "delete": "Sil", + "deleteCustomFieldPopup-title": "Özel alan silinsin mi?", + "deleteLabelPopup-title": "Etiket Silinsin mi?", + "description": "Açıklama", + "disambiguateMultiLabelPopup-title": "Etiket işlemini izah et", + "disambiguateMultiMemberPopup-title": "Üye işlemini izah et", + "discard": "At", + "done": "Tamam", + "download": "İndir", + "edit": "Düzenle", + "edit-avatar": "Avatar Değiştir", + "edit-profile": "Profili Düzenle", + "edit-wip-limit": "Devam Eden İş Sınırını Düzenle", + "soft-wip-limit": "Zayıf Devam Eden İş Sınırı", + "editCardStartDatePopup-title": "Başlangıç tarihini değiştir", + "editCardDueDatePopup-title": "Bitiş tarihini değiştir", + "editCustomFieldPopup-title": "Alanı düzenle", + "editCardSpentTimePopup-title": "Harcanan zamanı değiştir", + "editLabelPopup-title": "Etiket Değiştir", + "editNotificationPopup-title": "Bildirimi değiştir", + "editProfilePopup-title": "Profili Düzenle", + "email": "E-posta", + "email-enrollAccount-subject": "Hesabınız __siteName__ üzerinde oluşturuldu", + "email-enrollAccount-text": "Merhaba __user__,\n\nBu servisi kullanmaya başlamak için aşağıdaki linke tıklamalısın:\n\n__url__\n\nTeşekkürler.", + "email-fail": "E-posta gönderimi başarısız", + "email-fail-text": "E-Posta gönderilme çalışırken hata oluştu", + "email-invalid": "Geçersiz e-posta", + "email-invite": "E-posta ile davet et", + "email-invite-subject": "__inviter__ size bir davetiye gönderdi", + "email-invite-text": "Sevgili __user__,\n\n__inviter__ seni birlikte çalışmak için \"__board__\" panosuna davet ediyor.\n\nLütfen aşağıdaki linke tıkla:\n\n__url__\n\nTeşekkürler.", + "email-resetPassword-subject": "__siteName__ üzerinde parolanı sıfırla", + "email-resetPassword-text": "Merhaba __user__,\n\nParolanı sıfırlaman için aşağıdaki linke tıklaman yeterli.\n\n__url__\n\nTeşekkürler.", + "email-sent": "E-posta gönderildi", + "email-verifyEmail-subject": "__siteName__ üzerindeki e-posta adresini doğrulama", + "email-verifyEmail-text": "Merhaba __user__,\n\nHesap e-posta adresini doğrulamak için aşağıdaki linke tıklaman yeterli.\n\n__url__\n\nTeşekkürler.", + "enable-wip-limit": "Devam Eden İş Sınırını Aç", + "error-board-doesNotExist": "Pano bulunamadı", + "error-board-notAdmin": "Bu işlemi yapmak için pano yöneticisi olmalısın.", + "error-board-notAMember": "Bu işlemi yapmak için panoya üye olmalısın.", + "error-json-malformed": "Girilen metin geçerli bir JSON formatında değil", + "error-json-schema": "Girdiğin JSON metni tüm bilgileri doğru biçimde barındırmıyor", + "error-list-doesNotExist": "Liste bulunamadı", + "error-user-doesNotExist": "Kullanıcı bulunamadı", + "error-user-notAllowSelf": "Kendi kendini davet edemezsin", + "error-user-notCreated": "Bu üye oluşturulmadı", + "error-username-taken": "Kullanıcı adı zaten alınmış", + "error-email-taken": "Bu e-posta adresi daha önceden alınmış", + "export-board": "Panoyu dışarı aktar", + "filter": "Filtre", + "filter-cards": "Kartları Filtrele", + "filter-clear": "Filtreyi temizle", + "filter-no-label": "Etiket yok", + "filter-no-member": "Üye yok", + "filter-no-custom-fields": "Hiç özel alan yok", + "filter-on": "Filtre aktif", + "filter-on-desc": "Bu panodaki kartları filtreliyorsunuz. Fitreyi düzenlemek için tıklayın.", + "filter-to-selection": "Seçime göre filtreleme yap", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Ad Soyad", + "header-logo-title": "Panolar sayfanıza geri dön.", + "hide-system-messages": "Sistem mesajlarını gizle", + "headerBarCreateBoardPopup-title": "Pano Oluşturma", + "home": "Ana Sayfa", + "import": "İçeri aktar", + "import-board": "panoyu içe aktar", + "import-board-c": "Panoyu içe aktar", + "import-board-title-trello": "Trello'dan panoyu içeri aktar", + "import-board-title-wekan": "Wekan'dan panoyu içe aktar", + "import-sandstorm-warning": "İçe aktarılan pano şu anki panonun verilerinin üzerine yazılacak ve var olan veriler silinecek.", + "from-trello": "Trello'dan", + "from-wekan": "Wekan'dan", + "import-board-instruction-trello": "Trello panonuzda 'Menü'ye gidip 'Daha fazlası'na tıklayın, ardından 'Yazdır ve Çıktı Al'ı seçip 'JSON biçiminde çıktı al' diyerek çıkan metni buraya kopyalayın.", + "import-board-instruction-wekan": "Wekan panonuzda önce Menü'yü, ardından \"Panoyu dışa aktar\"ı seçip bilgisayarınıza indirilen dosyanın içindeki metni kopyalayın.", + "import-json-placeholder": "Geçerli JSON verisini buraya yapıştırın", + "import-map-members": "Üyeleri eşleştirme", + "import-members-map": "İçe aktardığın panoda bazı kullanıcılar var. Lütfen bu kullanıcıları Wekan panosundaki kullanıcılarla eşleştirin.", + "import-show-user-mapping": "Üye eşleştirmesini kontrol et", + "import-user-select": "Bu üyenin sistemdeki hangi kullanıcı olduğunu seçin", + "importMapMembersAddPopup-title": "Üye seç", + "info": "Sürüm", + "initials": "İlk Harfleri", + "invalid-date": "Geçersiz tarih", + "invalid-time": "Geçersiz zaman", + "invalid-user": "Geçersiz kullanıcı", + "joined": "katıldı", + "just-invited": "Bu panoya şimdi davet edildin.", + "keyboard-shortcuts": "Klavye kısayolları", + "label-create": "Etiket Oluşturma", + "label-default": "%s etiket (varsayılan)", + "label-delete-pop": "Bu işlem geri alınamaz. Bu etiket tüm kartlardan kaldırılacaktır ve geçmişi yok edecektir.", + "labels": "Etiketler", + "language": "Dil", + "last-admin-desc": "En az bir yönetici olması gerektiğinden rolleri değiştiremezsiniz.", + "leave-board": "Panodan ayrıl", + "leave-board-pop": "__boardTitle__ panosundan ayrılmak istediğinize emin misiniz? Panodaki tüm kartlardan kaldırılacaksınız.", + "leaveBoardPopup-title": "Panodan ayrılmak istediğinize emin misiniz?", + "link-card": "Bu kartın bağlantısı", + "list-archive-cards": "Listedeki tüm kartları Geri Dönüşüm Kutusu'na gönder", + "list-archive-cards-pop": "Bu işlem listedeki tüm kartları kaldıracak. Silinmiş kartları görüntülemek ve geri yüklemek için menüden Geri Dönüşüm Kutusu'na tıklayabilirsiniz.", + "list-move-cards": "Listedeki tüm kartları taşı", + "list-select-cards": "Listedeki tüm kartları seç", + "listActionPopup-title": "Liste İşlemleri", + "swimlaneActionPopup-title": "Kulvar İşlemleri", + "listImportCardPopup-title": "Bir Trello kartını içeri aktar", + "listMorePopup-title": "Daha", + "link-list": "Listeye doğrudan bağlantı", + "list-delete-pop": "Etkinlik akışınızdaki tüm eylemler geri kurtarılamaz şekilde kaldırılacak. Bu işlem geri alınamaz.", + "list-delete-suggest-archive": "Bir listeyi Dönüşüm Kutusuna atarak panodan kaldırabilir, ancak eylemleri koruyarak saklayabilirsiniz. ", + "lists": "Listeler", + "swimlanes": "Kulvarlar", + "log-out": "Oturum Kapat", + "log-in": "Oturum Aç", + "loginPopup-title": "Oturum Aç", + "memberMenuPopup-title": "Üye Ayarları", + "members": "Üyeler", + "menu": "Menü", + "move-selection": "Seçimi taşı", + "moveCardPopup-title": "Kartı taşı", + "moveCardToBottom-title": "Aşağı taşı", + "moveCardToTop-title": "Yukarı taşı", + "moveSelectionPopup-title": "Seçimi taşı", + "multi-selection": "Çoklu seçim", + "multi-selection-on": "Çoklu seçim açık", + "muted": "Sessiz", + "muted-info": "Bu panodaki hiçbir değişiklik hakkında bildirim almayacaksınız", + "my-boards": "Panolarım", + "name": "Adı", + "no-archived-cards": "Dönüşüm Kutusunda hiç kart yok.", + "no-archived-lists": "Dönüşüm Kutusunda hiç liste yok.", + "no-archived-swimlanes": "Dönüşüm Kutusunda hiç kulvar yok.", + "no-results": "Sonuç yok", + "normal": "Normal", + "normal-desc": "Kartları görüntüleyebilir ve düzenleyebilir. Ayarları değiştiremez.", + "not-accepted-yet": "Davet henüz kabul edilmemiş", + "notify-participate": "Oluşturduğunuz veya üye olduğunuz tüm kartlar hakkında bildirim al", + "notify-watch": "Takip ettiğiniz tüm pano, liste ve kartlar hakkında bildirim al", + "optional": "isteğe bağlı", + "or": "veya", + "page-maybe-private": "Bu sayfa gizli olabilir. Oturum açarak görmeyi deneyin.", + "page-not-found": "Sayda bulunamadı.", + "password": "Parola", + "paste-or-dragdrop": "Dosya eklemek için yapıştırabilir, veya (eğer resimse) sürükle bırak yapabilirsiniz", + "participating": "Katılımcılar", + "preview": "Önizleme", + "previewAttachedImagePopup-title": "Önizleme", + "previewClipboardImagePopup-title": "Önizleme", + "private": "Gizli", + "private-desc": "Bu pano gizli. Sadece panoya ekli kişiler görüntüleyebilir ve düzenleyebilir.", + "profile": "Kullanıcı Sayfası", + "public": "Genel", + "public-desc": "Bu pano genel. Bağlantı adresi ile herhangi bir kimseye görünür ve Google gibi arama motorlarında gösterilecektir. Panoyu, sadece eklenen kişiler düzenleyebilir.", + "quick-access-description": "Bu bara kısayol olarak bir pano eklemek için panoyu yıldızlamalısınız", + "remove-cover": "Kapak Resmini Kaldır", + "remove-from-board": "Panodan Kaldır", + "remove-label": "Etiketi Kaldır", + "listDeletePopup-title": "Liste silinsin mi?", + "remove-member": "Üyeyi Çıkar", + "remove-member-from-card": "Karttan Çıkar", + "remove-member-pop": "__boardTitle__ panosundan __name__ (__username__) çıkarılsın mı? Üye, bu panodaki tüm kartlardan çıkarılacak. Panodan çıkarıldığı üyeye bildirilecektir.", + "removeMemberPopup-title": "Üye çıkarılsın mı?", + "rename": "Yeniden adlandır", + "rename-board": "Panonun Adını Değiştir", + "restore": "Geri Getir", + "save": "Kaydet", + "search": "Arama", + "search-cards": "Bu tahta da ki kart başlıkları ve açıklamalarında arama yap", + "search-example": "Aranılacak metin?", + "select-color": "Renk Seç", + "set-wip-limit-value": "Bu listedeki en fazla öğe sayısı için bir sınır belirleyin", + "setWipLimitPopup-title": "Devam Eden İş Sınırı Belirle", + "shortcut-assign-self": "Kendini karta ata", + "shortcut-autocomplete-emoji": "Emojileri otomatik tamamla", + "shortcut-autocomplete-members": "Üye isimlerini otomatik tamamla", + "shortcut-clear-filters": "Tüm filtreleri temizle", + "shortcut-close-dialog": "Diyaloğu kapat", + "shortcut-filter-my-cards": "Kartlarımı filtrele", + "shortcut-show-shortcuts": "Kısayollar listesini getir", + "shortcut-toggle-filterbar": "Filtre kenar çubuğunu aç/kapa", + "shortcut-toggle-sidebar": "Pano kenar çubuğunu aç/kapa", + "show-cards-minimum-count": "Eğer listede şu sayıdan fazla öğe varsa kart sayısını göster: ", + "sidebar-open": "Kenar Çubuğunu Aç", + "sidebar-close": "Kenar Çubuğunu Kapat", + "signupPopup-title": "Bir Hesap Oluştur", + "star-board-title": "Bu panoyu yıldızlamak için tıkla. Yıldızlı panolar pano listesinin en üstünde gösterilir.", + "starred-boards": "Yıldızlı Panolar", + "starred-boards-description": "Yıldızlanmış panolar, pano listesinin en üstünde gösterilir.", + "subscribe": "Abone ol", + "team": "Takım", + "this-board": "bu panoyu", + "this-card": "bu kart", + "spent-time-hours": "Harcanan zaman (saat)", + "overtime-hours": "Aşılan süre (saat)", + "overtime": "Aşılan süre", + "has-overtime-cards": "Süresi aşılmış kartlar", + "has-spenttime-cards": "Zaman geçirilmiş kartlar", + "time": "Zaman", + "title": "Başlık", + "tracking": "Takip", + "tracking-info": "Oluşturduğunuz veya üyesi olduğunuz tüm kartlardaki değişiklikler size bildirim olarak gelecek.", + "type": "Tür", + "unassign-member": "Üyeye atamayı kaldır", + "unsaved-description": "Kaydedilmemiş bir açıklama metnin bulunmakta", + "unwatch": "Takibi bırak", + "upload": "Yükle", + "upload-avatar": "Avatar yükle", + "uploaded-avatar": "Avatar yüklendi", + "username": "Kullanıcı adı", + "view-it": "Görüntüle", + "warn-list-archived": "uyarı: bu kart Dönüşüm Kutusundaki bir listede var", + "watch": "Takip Et", + "watching": "Takip Ediliyor", + "watching-info": "Bu pano hakkındaki tüm değişiklikler hakkında bildirim alacaksınız", + "welcome-board": "Hoş Geldiniz Panosu", + "welcome-swimlane": "Kilometre taşı", + "welcome-list1": "Temel", + "welcome-list2": "Gelişmiş", + "what-to-do": "Ne yapmak istiyorsunuz?", + "wipLimitErrorPopup-title": "Geçersiz Devam Eden İş Sınırı", + "wipLimitErrorPopup-dialog-pt1": "Bu listedeki iş sayısı belirlediğiniz sınırdan daha fazla.", + "wipLimitErrorPopup-dialog-pt2": "Lütfen bazı işleri bu listeden başka listeye taşıyın ya da devam eden iş sınırını yükseltin.", + "admin-panel": "Yönetici Paneli", + "settings": "Ayarlar", + "people": "Kullanıcılar", + "registration": "Kayıt", + "disable-self-registration": "Ziyaretçilere kaydı kapa", + "invite": "Davet", + "invite-people": "Kullanıcı davet et", + "to-boards": "Şu pano(lar)a", + "email-addresses": "E-posta adresleri", + "smtp-host-description": "E-posta gönderimi yapan SMTP sunucu adresi", + "smtp-port-description": "E-posta gönderimi yapan SMTP sunucu portu", + "smtp-tls-description": "SMTP mail sunucusu için TLS kriptolama desteği açılsın", + "smtp-host": "SMTP sunucu adresi", + "smtp-port": "SMTP portu", + "smtp-username": "Kullanıcı adı", + "smtp-password": "Parola", + "smtp-tls": "TLS desteği", + "send-from": "Gönderen", + "send-smtp-test": "Kendinize deneme E-Postası gönderin", + "invitation-code": "Davetiye kodu", + "email-invite-register-subject": "__inviter__ size bir davetiye gönderdi", + "email-invite-register-text": "Sevgili __user__,\n\n__inviter__ sizi beraber çalışabilmek için Wekan'a davet etti.\n\nLütfen aşağıdaki linke tıklayın:\n__url__\n\nDavetiye kodunuz: __icode__\n\nTeşekkürler.", + "email-smtp-test-subject": "Wekan' dan SMTP E-Postası", + "email-smtp-test-text": "E-Posta başarıyla gönderildi", + "error-invitation-code-not-exist": "Davetiye kodu bulunamadı", + "error-notAuthorized": "Bu sayfayı görmek için yetkiniz yok.", + "outgoing-webhooks": "Dışarı giden bağlantılar", + "outgoingWebhooksPopup-title": "Dışarı giden bağlantılar", + "new-outgoing-webhook": "Yeni Dışarı Giden Web Bağlantısı", + "no-name": "(Bilinmeyen)", + "Wekan_version": "Wekan sürümü", + "Node_version": "Node sürümü", + "OS_Arch": "İşletim Sistemi Mimarisi", + "OS_Cpus": "İşletim Sistemi İşlemci Sayısı", + "OS_Freemem": "İşletim Sistemi Kullanılmayan Bellek", + "OS_Loadavg": "İşletim Sistemi Ortalama Yük", + "OS_Platform": "İşletim Sistemi Platformu", + "OS_Release": "İşletim Sistemi Sürümü", + "OS_Totalmem": "İşletim Sistemi Toplam Belleği", + "OS_Type": "İşletim Sistemi Tipi", + "OS_Uptime": "İşletim Sistemi Toplam Açık Kalınan Süre", + "hours": "saat", + "minutes": "dakika", + "seconds": "saniye", + "show-field-on-card": "Bu alanı kartta göster", + "yes": "Evet", + "no": "Hayır", + "accounts": "Hesaplar", + "accounts-allowEmailChange": "E-posta Değiştirmeye İzin Ver", + "accounts-allowUserNameChange": "Kullanıcı adı değiştirmeye izin ver", + "createdAt": "Oluşturulma tarihi", + "verified": "Doğrulanmış", + "active": "Aktif", + "card-received": "Giriş", + "card-received-on": "Giriş zamanı", + "card-end": "Bitiş", + "card-end-on": "Bitiş zamanı", + "editCardReceivedDatePopup-title": "Giriş tarihini değiştir", + "editCardEndDatePopup-title": "Bitiş tarihini değiştir", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json new file mode 100644 index 00000000..3c350b69 --- /dev/null +++ b/i18n/uk.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Прийняти", + "act-activity-notify": "[Wekan] Сповіщення Діяльності", + "act-addAttachment": "__attachment__ додане до __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "комментар в __card__: __comment__", + "act-createBoard": "__board__ створенна", + "act-createCard": "__card__ карта додана до __list__ листа", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "__card__ заімпортована", + "act-importList": "imported __list__", + "act-joinMember": "__member__ був доданий до __card__", + "act-moveCard": " __card__ була перенесена з __oldList__ до __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": " __card__ відновлена у __board__", + "act-unjoinMember": " __member__ був виделений з __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Дії", + "activities": "Діяльність", + "activity": "Активність", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Додати", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Додати елемент в список", + "add-cover": "Додати обкладинку", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Додати користувача", + "added": "Доданно", + "addMemberPopup-title": "Користувачі", + "admin": "Адмін", + "admin-desc": "Може переглядати і редагувати картки, відаляти учасників та змінювати налаштування для дошки.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "Всі дошки", + "and-n-other-card": "та __count__ інших карток", + "and-n-other-card_plural": "та __count__ інших карток", + "apply": "Прийняти", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "доданно", + "attachment": "Додаток", + "attachment-delete-pop": "Видалення Додатку безповоротне. Тут нема відміні (undo).", + "attachmentDeletePopup-title": "Видалити Додаток?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Назад", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Дошки", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Відміна", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Користувачі", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Користувачі", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json new file mode 100644 index 00000000..39f39fea --- /dev/null +++ b/i18n/vi.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Chấp nhận", + "act-activity-notify": "[Wekan] Thông Báo Hoạt Động", + "act-addAttachment": "đã đính kèm __attachment__ vào __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "đã bình luận trong __card__: __comment__", + "act-createBoard": "đã tạo __board__", + "act-createCard": "đã thêm __card__ vào __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "đã thêm __list__ vào __board__", + "act-addBoardMember": "đã thêm __member__ vào __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "đã nạp bảng __board__", + "act-importCard": "đã nạp thẻ __card__", + "act-importList": "đã nạp danh sách __list__", + "act-joinMember": "đã thêm thành viên __member__ vào __card__", + "act-moveCard": "đã chuyển thẻ __card__ từ __oldList__ sang __list__", + "act-removeBoardMember": "đã xóa thành viên __member__ khỏi __board__", + "act-restoredCard": "đã khôi phục thẻ __card__ vào bảng __board__", + "act-unjoinMember": "đã xóa thành viên __member__ khỏi thẻ __card__", + "act-withBoardTitle": "[Wekan] Bảng __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Hành Động", + "activities": "Hoạt Động", + "activity": "Hoạt Động", + "activity-added": "đã thêm %s vào %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "đã đính kèm %s vào %s", + "activity-created": "đã tạo %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "đã loại bỏ %s khỏi %s", + "activity-imported": "đã nạp %s vào %s từ %s", + "activity-imported-board": "đã nạp %s từ %s", + "activity-joined": "đã tham gia %s", + "activity-moved": "đã di chuyển %s từ %s đến %s", + "activity-on": "trên %s", + "activity-removed": "đã xóa %s từ %s", + "activity-sent": "gửi %s đến %s", + "activity-unjoined": "đã rời khỏi %s", + "activity-checklist-added": "đã thêm checklist vào %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Thêm", + "add-attachment": "Thêm Bản Đính Kèm", + "add-board": "Thêm Bảng", + "add-card": "Thêm Thẻ", + "add-swimlane": "Add Swimlane", + "add-checklist": "Thêm Danh Sách Kiểm Tra", + "add-checklist-item": "Thêm Một Mục Vào Danh Sách Kiểm Tra", + "add-cover": "Thêm Bìa", + "add-label": "Thêm Nhãn", + "add-list": "Thêm Danh Sách", + "add-members": "Thêm Thành Viên", + "added": "Đã Thêm", + "addMemberPopup-title": "Thành Viên", + "admin": "Quản Trị Viên", + "admin-desc": "Có thể xem và chỉnh sửa những thẻ, xóa thành viên và thay đổi cài đặt cho bảng.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "Tất cả các bảng", + "and-n-other-card": "Và __count__ thẻ khác", + "and-n-other-card_plural": "Và __count__ thẻ khác", + "apply": "Ứng Dụng", + "app-is-offline": "Wekan đang tải, vui lòng đợi. Tải lại trang có thể làm mất dữ liệu. Nếu Wekan không thể tải được, Vui lòng kiểm tra lại Wekan server.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Khôi Phục Bảng", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Chỉ định thành viên", + "attached": "đã đính kèm", + "attachment": "Phần đính kèm", + "attachment-delete-pop": "Xóa tệp đính kèm là vĩnh viễn. Không có khôi phục.", + "attachmentDeletePopup-title": "Xóa tệp đính kèm không?", + "attachments": "Tệp Đính Kèm", + "auto-watch": "Tự động xem bảng lúc được tạo ra", + "avatar-too-big": "Hình đại diện quá to (70KB tối đa)", + "back": "Trở Lại", + "board-change-color": "Đổi màu", + "board-nb-stars": "%s sao", + "board-not-found": "Không tìm được bảng", + "board-private-info": "Bảng này sẽ chuyển sang chế độ private.", + "board-public-info": "Bảng này sẽ chuyển sang chế độ public.", + "boardChangeColorPopup-title": "Thay hình nền của bảng", + "boardChangeTitlePopup-title": "Đổi tên bảng", + "boardChangeVisibilityPopup-title": "Đổi cách hiển thị", + "boardChangeWatchPopup-title": "Đổi cách xem", + "boardMenuPopup-title": "Board Menu", + "boards": "Bảng", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Hủy", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "Thẻ này có %s bình luận.", + "card-delete-notice": "Hành động xóa là không thể khôi phục. Bạn sẽ mất hết các hoạt động liên quan đến thẻ này.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Thành Viên", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Thành Viên", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Đổi tên bảng", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json new file mode 100644 index 00000000..30d1e260 --- /dev/null +++ b/i18n/zh-CN.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "接受", + "act-activity-notify": "[Wekan] 活动通知", + "act-addAttachment": "添加附件 __attachment__ 至卡片 __card__", + "act-addChecklist": "添加清单 __checklist__ 到 __card__", + "act-addChecklistItem": "向 __card__ 中的清单 __checklist__ 添加 __checklistItem__", + "act-addComment": "在 __card__ 发布评论: __comment__", + "act-createBoard": "创建看板 __board__", + "act-createCard": "添加卡片 __card__ 至列表 __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "添加列表 __list__ 至看板 __board__", + "act-addBoardMember": "添加成员 __member__ 至看板 __board__", + "act-archivedBoard": "__board__ 已被移入回收站 ", + "act-archivedCard": "__card__ 已被移入回收站", + "act-archivedList": "__list__ 已被移入回收站", + "act-archivedSwimlane": "__swimlane__ 已被移入回收站", + "act-importBoard": "导入看板 __board__", + "act-importCard": "导入卡片 __card__", + "act-importList": "导入列表 __list__", + "act-joinMember": "添加成员 __member__ 至卡片 __card__", + "act-moveCard": "从列表 __oldList__ 移动卡片 __card__ 至列表 __list__", + "act-removeBoardMember": "从看板 __board__ 移除成员 __member__", + "act-restoredCard": "恢复卡片 __card__ 至看板 __board__", + "act-unjoinMember": "从卡片 __card__ 移除成员 __member__", + "act-withBoardTitle": "[Wekan] 看板 __board__", + "act-withCardTitle": "[看板 __board__] 卡片 __card__", + "actions": "操作", + "activities": "活动", + "activity": "活动", + "activity-added": "添加 %s 至 %s", + "activity-archived": "%s 已被移入回收站", + "activity-attached": "添加附件 %s 至 %s", + "activity-created": "创建 %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "排除 %s 从 %s", + "activity-imported": "导入 %s 至 %s 从 %s 中", + "activity-imported-board": "已导入 %s 从 %s 中", + "activity-joined": "已关联 %s", + "activity-moved": "将 %s 从 %s 移动到 %s", + "activity-on": "在 %s", + "activity-removed": "从 %s 中移除 %s", + "activity-sent": "发送 %s 至 %s", + "activity-unjoined": "已解除 %s 关联", + "activity-checklist-added": "已经将清单添加到 %s", + "activity-checklist-item-added": "添加清单项至'%s' 于 %s", + "add": "添加", + "add-attachment": "添加附件", + "add-board": "添加看板", + "add-card": "添加卡片", + "add-swimlane": "添加泳道图", + "add-checklist": "添加待办清单", + "add-checklist-item": "扩充清单", + "add-cover": "添加封面", + "add-label": "添加标签", + "add-list": "添加列表", + "add-members": "添加成员", + "added": "添加", + "addMemberPopup-title": "成员", + "admin": "管理员", + "admin-desc": "可以浏览并编辑卡片,移除成员,并且更改该看板的设置", + "admin-announcement": "通知", + "admin-announcement-active": "激活系统通知", + "admin-announcement-title": "管理员的通知", + "all-boards": "全部看板", + "and-n-other-card": "和其他 __count__ 个卡片", + "and-n-other-card_plural": "和其他 __count__ 个卡片", + "apply": "应用", + "app-is-offline": "Wekan 正在加载,请稍等。刷新页面将导致数据丢失。如果 Wekan 无法加载,请检查 Wekan 服务器是否已经停止。", + "archive": "移入回收站", + "archive-all": "全部移入回收站", + "archive-board": "移动看板到回收站", + "archive-card": "移动卡片到回收站", + "archive-list": "移动列表到回收站", + "archive-swimlane": "移动泳道到回收站", + "archive-selection": "移动选择内容到回收站", + "archiveBoardPopup-title": "移动看板到回收站?", + "archived-items": "回收站", + "archived-boards": "回收站中的看板", + "restore-board": "还原看板", + "no-archived-boards": "回收站中无看板", + "archives": "回收站", + "assign-member": "分配成员", + "attached": "附加", + "attachment": "附件", + "attachment-delete-pop": "删除附件的操作不可逆。", + "attachmentDeletePopup-title": "删除附件?", + "attachments": "附件", + "auto-watch": "自动关注新建的看板", + "avatar-too-big": "头像过大 (上限 70 KB)", + "back": "返回", + "board-change-color": "更改颜色", + "board-nb-stars": "%s 星标", + "board-not-found": "看板不存在", + "board-private-info": "该看板将被设为 私有.", + "board-public-info": "该看板将被设为 公开.", + "boardChangeColorPopup-title": "修改看板背景", + "boardChangeTitlePopup-title": "重命名看板", + "boardChangeVisibilityPopup-title": "更改可视级别", + "boardChangeWatchPopup-title": "更改关注状态", + "boardMenuPopup-title": "看板菜单", + "boards": "看板", + "board-view": "看板视图", + "board-view-swimlanes": "泳道图", + "board-view-lists": "列表", + "bucket-example": "例如 “目标清单”", + "cancel": "取消", + "card-archived": "此卡片已经被移入回收站。", + "card-comments-title": "该卡片有 %s 条评论", + "card-delete-notice": "彻底删除的操作不可恢复,你将会丢失该卡片相关的所有操作记录。", + "card-delete-pop": "所有的活动将从活动摘要中被移除且您将无法重新打开该卡片。此操作无法撤销。", + "card-delete-suggest-archive": "将卡片移入回收站可以从看板中删除卡片,相关活动记录将被保留。", + "card-due": "到期", + "card-due-on": "期限", + "card-spent": "耗时", + "card-edit-attachments": "编辑附件", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "编辑标签", + "card-edit-members": "编辑成员", + "card-labels-title": "更改该卡片上的标签", + "card-members-title": "在该卡片中添加或移除看板成员", + "card-start": "开始", + "card-start-on": "始于", + "cardAttachmentsPopup-title": "附件来源", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "彻底删除卡片?", + "cardDetailsActionsPopup-title": "卡片操作", + "cardLabelsPopup-title": "标签", + "cardMembersPopup-title": "成员", + "cardMorePopup-title": "更多", + "cards": "卡片", + "cards-count": "卡片", + "change": "变更", + "change-avatar": "更改头像", + "change-password": "更改密码", + "change-permissions": "更改权限", + "change-settings": "更改设置", + "changeAvatarPopup-title": "更改头像", + "changeLanguagePopup-title": "更改语言", + "changePasswordPopup-title": "更改密码", + "changePermissionsPopup-title": "更改权限", + "changeSettingsPopup-title": "更改设置", + "checklists": "清单", + "click-to-star": "点此来标记该看板", + "click-to-unstar": "点此来去除该看板的标记", + "clipboard": "剪贴板或者拖放文件", + "close": "关闭", + "close-board": "关闭看板", + "close-board-pop": "在主页中点击顶部的“回收站”按钮可以恢复看板。", + "color-black": "黑色", + "color-blue": "蓝色", + "color-green": "绿色", + "color-lime": "绿黄", + "color-orange": "橙色", + "color-pink": "粉红", + "color-purple": "紫色", + "color-red": "红色", + "color-sky": "天蓝", + "color-yellow": "黄色", + "comment": "评论", + "comment-placeholder": "添加评论", + "comment-only": "仅能评论", + "comment-only-desc": "只能在卡片上评论。", + "computer": "从本机上传", + "confirm-checklist-delete-dialog": "确认要删除清单吗", + "copy-card-link-to-clipboard": "复制卡片链接到剪贴板", + "copyCardPopup-title": "复制卡片", + "copyChecklistToManyCardsPopup-title": "复制清单模板至多个卡片", + "copyChecklistToManyCardsPopup-instructions": "以JSON格式表示目标卡片的标题和描述", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"第一个卡片的标题\", \"description\":\"第一个卡片的描述\"}, {\"title\":\"第二个卡片的标题\",\"description\":\"第二个卡片的描述\"},{\"title\":\"最后一个卡片的标题\",\"description\":\"最后一个卡片的描述\"} ]", + "create": "创建", + "createBoardPopup-title": "创建看板", + "chooseBoardSourcePopup-title": "导入看板", + "createLabelPopup-title": "创建标签", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "当前", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "日期", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "日期", + "decline": "拒绝", + "default-avatar": "默认头像", + "delete": "删除", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "删除标签?", + "description": "描述", + "disambiguateMultiLabelPopup-title": "标签消歧 [?]", + "disambiguateMultiMemberPopup-title": "成员消歧 [?]", + "discard": "放弃", + "done": "完成", + "download": "下载", + "edit": "编辑", + "edit-avatar": "更改头像", + "edit-profile": "编辑资料", + "edit-wip-limit": "编辑最大任务数", + "soft-wip-limit": "软在制品限制", + "editCardStartDatePopup-title": "修改起始日期", + "editCardDueDatePopup-title": "修改截止日期", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "修改耗时", + "editLabelPopup-title": "更改标签", + "editNotificationPopup-title": "编辑通知", + "editProfilePopup-title": "编辑资料", + "email": "邮箱", + "email-enrollAccount-subject": "已为您在 __siteName__ 创建帐号", + "email-enrollAccount-text": "尊敬的 __user__,\n\n点击下面的链接,即刻开始使用这项服务。\n\n__url__\n\n谢谢。", + "email-fail": "邮件发送失败", + "email-fail-text": "尝试发送邮件时出错", + "email-invalid": "邮件地址错误", + "email-invite": "发送邮件邀请", + "email-invite-subject": "__inviter__ 向您发出邀请", + "email-invite-text": "尊敬的 __user__,\n\n__inviter__ 邀请您加入看板 \"__board__\" 参与协作。\n\n请点击下面的链接访问看板:\n\n__url__\n\n谢谢。", + "email-resetPassword-subject": "重置您的 __siteName__ 密码", + "email-resetPassword-text": "尊敬的 __user__,\n\n点击下面的链接,重置您的密码:\n\n__url__\n\n谢谢。", + "email-sent": "邮件已发送", + "email-verifyEmail-subject": "在 __siteName__ 验证您的邮件地址", + "email-verifyEmail-text": "尊敬的 __user__,\n\n点击下面的链接,验证您的邮件地址:\n\n__url__\n\n谢谢。", + "enable-wip-limit": "启用最大任务数限制", + "error-board-doesNotExist": "该看板不存在", + "error-board-notAdmin": "需要成为管理员才能执行此操作", + "error-board-notAMember": "需要成为看板成员才能执行此操作", + "error-json-malformed": "文本不是合法的 JSON", + "error-json-schema": "JSON 数据没有用正确的格式包含合适的信息", + "error-list-doesNotExist": "不存在此列表", + "error-user-doesNotExist": "该用户不存在", + "error-user-notAllowSelf": "无法邀请自己", + "error-user-notCreated": "该用户未能成功创建", + "error-username-taken": "此用户名已存在", + "error-email-taken": "此EMail已存在", + "export-board": "导出看板", + "filter": "过滤", + "filter-cards": "过滤卡片", + "filter-clear": "清空过滤器", + "filter-no-label": "无标签", + "filter-no-member": "无成员", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "过滤器启用", + "filter-on-desc": "你正在过滤该看板上的卡片,点此编辑过滤。", + "filter-to-selection": "要选择的过滤器", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "全称", + "header-logo-title": "返回您的看板页", + "hide-system-messages": "隐藏系统消息", + "headerBarCreateBoardPopup-title": "创建看板", + "home": "首页", + "import": "导入", + "import-board": "导入看板", + "import-board-c": "导入看板", + "import-board-title-trello": "从Trello导入看板", + "import-board-title-wekan": "从Wekan 导入看板", + "import-sandstorm-warning": "导入的面板将删除所有已存在于面板上的数据并替换他们为导入的面板。 ", + "from-trello": "自 Trello", + "from-wekan": "自 Wekan", + "import-board-instruction-trello": "在你的Trello看板中,点击“菜单”,然后选择“更多”,“打印与导出”,“导出为 JSON” 并拷贝结果文本", + "import-board-instruction-wekan": "在你的Wekan面板中点'菜单',然后点‘导出面板’并在已下载的文档复制文本。", + "import-json-placeholder": "粘贴您有效的 JSON 数据至此", + "import-map-members": "映射成员", + "import-members-map": "您导入的看板有一些成员。请将您想导入的成员映射到 Wekan 用户。", + "import-show-user-mapping": "核对成员映射", + "import-user-select": "选择您想将此成员映射到的 Wekan 用户", + "importMapMembersAddPopup-title": "选择Wekan成员", + "info": "版本", + "initials": "缩写", + "invalid-date": "无效日期", + "invalid-time": "非法时间", + "invalid-user": "非法用户", + "joined": "关联", + "just-invited": "您刚刚被邀请加入此看板", + "keyboard-shortcuts": "键盘快捷键", + "label-create": "创建标签", + "label-default": "%s 标签 (默认)", + "label-delete-pop": "此操作不可逆,这将会删除该标签并清除它的历史记录。", + "labels": "标签", + "language": "语言", + "last-admin-desc": "你不能更改角色,因为至少需要一名管理员。", + "leave-board": "离开看板", + "leave-board-pop": "确认要离开 __boardTitle__ 吗?此看板的所有卡片都会将您移除。", + "leaveBoardPopup-title": "离开看板?", + "link-card": "关联至该卡片", + "list-archive-cards": "移动此列表中的所有卡片到回收站", + "list-archive-cards-pop": "此操作会从看板中删除所有此列表包含的卡片。要查看回收站中的卡片并恢复到看板,请点击“菜单” > “回收站”。", + "list-move-cards": "移动列表中的所有卡片", + "list-select-cards": "选择列表中的所有卡片", + "listActionPopup-title": "列表操作", + "swimlaneActionPopup-title": "泳道图操作", + "listImportCardPopup-title": "导入 Trello 卡片", + "listMorePopup-title": "更多", + "link-list": "关联到这个列表", + "list-delete-pop": "所有活动将被从活动动态中删除并且你无法恢复他们,此操作无法撤销。 ", + "list-delete-suggest-archive": "可以将列表移入回收站,看板中将删除列表,但是相关活动记录会被保留。", + "lists": "列表", + "swimlanes": "泳道图", + "log-out": "登出", + "log-in": "登录", + "loginPopup-title": "登录", + "memberMenuPopup-title": "成员设置", + "members": "成员", + "menu": "菜单", + "move-selection": "移动选择", + "moveCardPopup-title": "移动卡片", + "moveCardToBottom-title": "移动至底端", + "moveCardToTop-title": "移动至顶端", + "moveSelectionPopup-title": "移动选择", + "multi-selection": "多选", + "multi-selection-on": "多选启用", + "muted": "静默", + "muted-info": "你将不会收到此看板的任何变更通知", + "my-boards": "我的看板", + "name": "名称", + "no-archived-cards": "回收站中无卡片。", + "no-archived-lists": "回收站中无列表。", + "no-archived-swimlanes": "回收站中无泳道。", + "no-results": "无结果", + "normal": "普通", + "normal-desc": "可以创建以及编辑卡片,无法更改设置。", + "not-accepted-yet": "邀请尚未接受", + "notify-participate": "接收以创建者或成员身份参与的卡片的更新", + "notify-watch": "接收所有关注的面板、列表、及卡片的更新", + "optional": "可选", + "or": "或", + "page-maybe-private": "本页面被设为私有. 您必须 登录以浏览其中内容。", + "page-not-found": "页面不存在。", + "password": "密码", + "paste-or-dragdrop": "从剪贴板粘贴,或者拖放文件到它上面 (仅限于图片)", + "participating": "参与", + "preview": "预览", + "previewAttachedImagePopup-title": "预览", + "previewClipboardImagePopup-title": "预览", + "private": "私有", + "private-desc": "该看板将被设为私有。只有该看板成员才可以进行查看和编辑。", + "profile": "资料", + "public": "公开", + "public-desc": "该看板将被公开。任何人均可通过链接查看,并且将对Google和其他搜索引擎开放。只有添加至该看板的成员才可进行编辑。", + "quick-access-description": "星标看板在导航条中添加快捷方式", + "remove-cover": "移除封面", + "remove-from-board": "从看板中删除", + "remove-label": "移除标签", + "listDeletePopup-title": "删除列表", + "remove-member": "移除成员", + "remove-member-from-card": "从该卡片中移除", + "remove-member-pop": "确定从 __boardTitle__ 中移除 __name__ (__username__) 吗? 该成员将被从该看板的所有卡片中移除,同时他会收到一条提醒。", + "removeMemberPopup-title": "删除成员?", + "rename": "重命名", + "rename-board": "重命名看板", + "restore": "还原", + "save": "保存", + "search": "搜索", + "search-cards": "搜索当前看板上的卡片标题和描述", + "search-example": "搜索", + "select-color": "选择颜色", + "set-wip-limit-value": "设置此列表中的最大任务数", + "setWipLimitPopup-title": "设置最大任务数", + "shortcut-assign-self": "分配当前卡片给自己", + "shortcut-autocomplete-emoji": "表情符号自动补全", + "shortcut-autocomplete-members": "自动补全成员", + "shortcut-clear-filters": "清空全部过滤器", + "shortcut-close-dialog": "关闭对话框", + "shortcut-filter-my-cards": "过滤我的卡片", + "shortcut-show-shortcuts": "显示此快捷键列表", + "shortcut-toggle-filterbar": "切换过滤器边栏", + "shortcut-toggle-sidebar": "切换面板边栏", + "show-cards-minimum-count": "当列表中的卡片多于此阈值时将显示数量", + "sidebar-open": "打开侧栏", + "sidebar-close": "打开侧栏", + "signupPopup-title": "创建账户", + "star-board-title": "点此来标记该看板,它将会出现在您的看板列表顶部。", + "starred-boards": "已标记看板", + "starred-boards-description": "已标记看板将会出现在您的看板列表顶部。", + "subscribe": "订阅", + "team": "团队", + "this-board": "该看板", + "this-card": "该卡片", + "spent-time-hours": "耗时 (小时)", + "overtime-hours": "超时 (小时)", + "overtime": "超时", + "has-overtime-cards": "有超时卡片", + "has-spenttime-cards": "耗时卡", + "time": "时间", + "title": "标题", + "tracking": "跟踪", + "tracking-info": "当任何包含您(作为创建者或成员)的卡片发生变更时,您将得到通知。", + "type": "Type", + "unassign-member": "取消分配成员", + "unsaved-description": "存在未保存的描述", + "unwatch": "取消关注", + "upload": "上传", + "upload-avatar": "上传头像", + "uploaded-avatar": "头像已经上传", + "username": "用户名", + "view-it": "查看", + "warn-list-archived": "警告:此卡片属于回收站中的一个列表", + "watch": "关注", + "watching": "关注", + "watching-info": "当此看板发生变更时会通知你", + "welcome-board": "“欢迎”看板", + "welcome-swimlane": "里程碑 1", + "welcome-list1": "基本", + "welcome-list2": "高阶", + "what-to-do": "要做什么?", + "wipLimitErrorPopup-title": "无效的最大任务数", + "wipLimitErrorPopup-dialog-pt1": "此列表中的任务数量已经超过了设置的最大任务数。", + "wipLimitErrorPopup-dialog-pt2": "请将一些任务移出此列表,或者设置一个更大的最大任务数。", + "admin-panel": "管理面板", + "settings": "设置", + "people": "人员", + "registration": "注册", + "disable-self-registration": "禁止自助注册", + "invite": "邀请", + "invite-people": "邀请人员", + "to-boards": "邀请到看板 (可多选)", + "email-addresses": "电子邮箱地址", + "smtp-host-description": "用于发送邮件的SMTP服务器地址。", + "smtp-port-description": "SMTP服务器端口。", + "smtp-tls-description": "对SMTP服务器启用TLS支持", + "smtp-host": "SMTP服务器", + "smtp-port": "SMTP端口", + "smtp-username": "用户名", + "smtp-password": "密码", + "smtp-tls": "TLS支持", + "send-from": "发件人", + "send-smtp-test": "给自己发送一封测试邮件", + "invitation-code": "邀请码", + "email-invite-register-subject": "__inviter__ 向您发出邀请", + "email-invite-register-text": "亲爱的 __user__,\n\n__inviter__ 邀请您加入 Wekan 进行协作。\n\n请访问下面的链接︰\n__url__\n\n您的的邀请码是︰\n__icode__\n\n非常感谢。", + "email-smtp-test-subject": "从Wekan发送SMTP测试邮件", + "email-smtp-test-text": "你已成功发送邮件", + "error-invitation-code-not-exist": "邀请码不存在", + "error-notAuthorized": "您无权查看此页面。", + "outgoing-webhooks": "外部Web挂钩", + "outgoingWebhooksPopup-title": "外部Web挂钩", + "new-outgoing-webhook": "新建外部Web挂钩", + "no-name": "(未知)", + "Wekan_version": "Wekan版本", + "Node_version": "Node.js版本", + "OS_Arch": "系统架构", + "OS_Cpus": "系统 CPU数量", + "OS_Freemem": "系统可用内存", + "OS_Loadavg": "系统负载均衡", + "OS_Platform": "系统平台", + "OS_Release": "系统发布版本", + "OS_Totalmem": "系统全部内存", + "OS_Type": "系统类型", + "OS_Uptime": "系统运行时间", + "hours": "小时", + "minutes": "分钟", + "seconds": "秒", + "show-field-on-card": "Show this field on card", + "yes": "是", + "no": "否", + "accounts": "账号", + "accounts-allowEmailChange": "允许邮箱变更", + "accounts-allowUserNameChange": "允许变更用户名", + "createdAt": "创建于", + "verified": "已验证", + "active": "活跃", + "card-received": "已接收", + "card-received-on": "接收于", + "card-end": "终止", + "card-end-on": "终止于", + "editCardReceivedDatePopup-title": "修改接收日期", + "editCardEndDatePopup-title": "修改终止日期", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json new file mode 100644 index 00000000..f933da8c --- /dev/null +++ b/i18n/zh-TW.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "接受", + "act-activity-notify": "[Wekan] 活動通知", + "act-addAttachment": "新增附件__attachment__至__card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "評論__card__: __comment__", + "act-createBoard": "完成新增 __board__", + "act-createCard": "將__card__加入__list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "新增__list__至__board__", + "act-addBoardMember": "在__board__中新增成員__member__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "匯入__board__", + "act-importCard": "匯入__card__", + "act-importList": "匯入__list__", + "act-joinMember": "在__card__中新增成員__member__", + "act-moveCard": "將__card__從__oldList__移動至__list__", + "act-removeBoardMember": "從__board__中移除成員__member__", + "act-restoredCard": "將__card__回復至__board__", + "act-unjoinMember": "從__card__中移除成員__member__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "操作", + "activities": "活動", + "activity": "活動", + "activity-added": "新增 %s 至 %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "新增附件 %s 至 %s", + "activity-created": "建立 %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "排除 %s 從 %s", + "activity-imported": "匯入 %s 至 %s 從 %s 中", + "activity-imported-board": "已匯入 %s 從 %s 中", + "activity-joined": "關聯 %s", + "activity-moved": "將 %s 從 %s 移動到 %s", + "activity-on": "在 %s", + "activity-removed": "移除 %s 從 %s 中", + "activity-sent": "寄送 %s 至 %s", + "activity-unjoined": "解除關聯 %s", + "activity-checklist-added": "新增待辦清單至 %s", + "activity-checklist-item-added": "新增待辦清單項目從 %s 到 %s", + "add": "新增", + "add-attachment": "新增附件", + "add-board": "新增看板", + "add-card": "新增卡片", + "add-swimlane": "Add Swimlane", + "add-checklist": "新增待辦清單", + "add-checklist-item": "新增項目", + "add-cover": "新增封面", + "add-label": "新增標籤", + "add-list": "新增清單", + "add-members": "新增成員", + "added": "新增", + "addMemberPopup-title": "成員", + "admin": "管理員", + "admin-desc": "可以瀏覽並編輯卡片,移除成員,並且更改該看板的設定", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "全部看板", + "and-n-other-card": "和其他 __count__ 個卡片", + "and-n-other-card_plural": "和其他 __count__ 個卡片", + "apply": "送出", + "app-is-offline": "請稍候,資料讀取中,重整頁面可能會導致資料遺失。如果一直讀取,請檢查 Wekan 的伺服器是否正確運行。", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "還原看板", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "分配成員", + "attached": "附加", + "attachment": "附件", + "attachment-delete-pop": "刪除附件的操作無法還原。", + "attachmentDeletePopup-title": "刪除附件?", + "attachments": "附件", + "auto-watch": "新增看板時自動加入觀察", + "avatar-too-big": "頭像檔案太大 (最大 70 KB)", + "back": "返回", + "board-change-color": "更改顏色", + "board-nb-stars": "%s 星號標記", + "board-not-found": "看板不存在", + "board-private-info": "該看板將被設為 私有.", + "board-public-info": "該看板將被設為 公開.", + "boardChangeColorPopup-title": "修改看板背景", + "boardChangeTitlePopup-title": "重新命名看板", + "boardChangeVisibilityPopup-title": "更改可視級別", + "boardChangeWatchPopup-title": "更改觀察", + "boardMenuPopup-title": "看板選單", + "boards": "看板", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "清單", + "bucket-example": "例如 “目標清單”", + "cancel": "取消", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "該卡片有 %s 則評論", + "card-delete-notice": "徹底刪除的操作不可復原,你將會遺失該卡片相關的所有操作記錄。", + "card-delete-pop": "所有的動作將從活動動態中被移除且您將無法重新打開該卡片。此操作無法復原。", + "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "到期", + "card-due-on": "到期", + "card-spent": "Spent Time", + "card-edit-attachments": "編輯附件", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "編輯標籤", + "card-edit-members": "編輯成員", + "card-labels-title": "更改該卡片上的標籤", + "card-members-title": "在該卡片中新增或移除看板成員", + "card-start": "開始", + "card-start-on": "開始", + "cardAttachmentsPopup-title": "附件來源", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "徹底刪除卡片?", + "cardDetailsActionsPopup-title": "卡片動作", + "cardLabelsPopup-title": "標籤", + "cardMembersPopup-title": "成員", + "cardMorePopup-title": "更多", + "cards": "卡片", + "cards-count": "卡片", + "change": "變更", + "change-avatar": "更改大頭貼", + "change-password": "更改密碼", + "change-permissions": "更改許可權", + "change-settings": "更改設定", + "changeAvatarPopup-title": "更改大頭貼", + "changeLanguagePopup-title": "更改語言", + "changePasswordPopup-title": "更改密碼", + "changePermissionsPopup-title": "更改許可權", + "changeSettingsPopup-title": "更改設定", + "checklists": "待辦清單", + "click-to-star": "點此來標記該看板", + "click-to-unstar": "點此來去除該看板的標記", + "clipboard": "剪貼簿貼上或者拖曳檔案", + "close": "關閉", + "close-board": "關閉看板", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "黑色", + "color-blue": "藍色", + "color-green": "綠色", + "color-lime": "綠黃", + "color-orange": "橙色", + "color-pink": "粉紅", + "color-purple": "紫色", + "color-red": "紅色", + "color-sky": "天藍", + "color-yellow": "黃色", + "comment": "留言", + "comment-placeholder": "新增評論", + "comment-only": "只可以發表評論", + "comment-only-desc": "只可以對卡片發表評論", + "computer": "從本機上傳", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "將卡片連結複製到剪貼板", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "建立", + "createBoardPopup-title": "建立看板", + "chooseBoardSourcePopup-title": "匯入看板", + "createLabelPopup-title": "建立標籤", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "目前", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "日期", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "日期", + "decline": "拒絕", + "default-avatar": "預設大頭貼", + "delete": "刪除", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "刪除標籤?", + "description": "描述", + "disambiguateMultiLabelPopup-title": "清除標籤動作歧義", + "disambiguateMultiMemberPopup-title": "清除成員動作歧義", + "discard": "取消", + "done": "完成", + "download": "下載", + "edit": "編輯", + "edit-avatar": "更改大頭貼", + "edit-profile": "編輯資料", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "更改開始日期", + "editCardDueDatePopup-title": "更改到期日期", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "更改標籤", + "editNotificationPopup-title": "更改通知", + "editProfilePopup-title": "編輯資料", + "email": "電子郵件", + "email-enrollAccount-subject": "您在 __siteName__ 的帳號已經建立", + "email-enrollAccount-text": "親愛的 __user__,\n\n點選下面的連結,即刻開始使用這項服務。\n\n__url__\n\n謝謝。", + "email-fail": "郵件寄送失敗", + "email-fail-text": "Error trying to send email", + "email-invalid": "電子郵件地址錯誤", + "email-invite": "寄送郵件邀請", + "email-invite-subject": "__inviter__ 向您發出邀請", + "email-invite-text": "親愛的 __user__,\n\n__inviter__ 邀請您加入看板 \"__board__\" 參與協作。\n\n請點選下面的連結訪問看板:\n\n__url__\n\n謝謝。", + "email-resetPassword-subject": "重設您在 __siteName__ 的密碼", + "email-resetPassword-text": "親愛的 __user__,\n\n點選下面的連結,重置您的密碼:\n\n__url__\n\n謝謝。", + "email-sent": "郵件已寄送", + "email-verifyEmail-subject": "驗證您在 __siteName__ 的電子郵件", + "email-verifyEmail-text": "親愛的 __user__,\n\n點選下面的連結,驗證您的電子郵件地址:\n\n__url__\n\n謝謝。", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "該看板不存在", + "error-board-notAdmin": "需要成為管理員才能執行此操作", + "error-board-notAMember": "需要成為看板成員才能執行此操作", + "error-json-malformed": "不是有效的 JSON", + "error-json-schema": "JSON 資料沒有用正確的格式包含合適的資訊", + "error-list-doesNotExist": "不存在此列表", + "error-user-doesNotExist": "該使用者不存在", + "error-user-notAllowSelf": "不允許對自己執行此操作", + "error-user-notCreated": "該使用者未能成功建立", + "error-username-taken": "這個使用者名稱已被使用", + "error-email-taken": "電子信箱已被使用", + "export-board": "Export board", + "filter": "過濾", + "filter-cards": "過濾卡片", + "filter-clear": "清空過濾條件", + "filter-no-label": "沒有標籤", + "filter-no-member": "沒有成員", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "過濾條件啟用", + "filter-on-desc": "你正在過濾該看板上的卡片,點此編輯過濾條件。", + "filter-to-selection": "要選擇的過濾條件", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "全稱", + "header-logo-title": "返回您的看板頁面", + "hide-system-messages": "隱藏系統訊息", + "headerBarCreateBoardPopup-title": "建立看板", + "home": "首頁", + "import": "匯入", + "import-board": "匯入看板", + "import-board-c": "匯入看板", + "import-board-title-trello": "匯入在 Trello 的看板", + "import-board-title-wekan": "從 Wekan 匯入看板", + "import-sandstorm-warning": "匯入資料將會移除所有現有的看版資料,並取代成此次匯入的看板資料", + "from-trello": "來自 Trello", + "from-wekan": "來自 Wekan", + "import-board-instruction-trello": "在你的Trello看板中,點選“功能表”,然後選擇“更多”,“列印與匯出”,“匯出為 JSON” 並拷貝結果文本", + "import-board-instruction-wekan": "在 Wekan 看板中點選“功能表”,然後選擇“匯出看版”且複製文字到下載的檔案", + "import-json-placeholder": "貼上您有效的 JSON 資料至此", + "import-map-members": "複製成員", + "import-members-map": "您匯入的看板有一些成員。請將您想匯入的成員映射到 Wekan 使用者。", + "import-show-user-mapping": "核對成員映射", + "import-user-select": "選擇您想將此成員映射到的 Wekan 使用者", + "importMapMembersAddPopup-title": "選擇 Wekan 成員", + "info": "版本", + "initials": "縮寫", + "invalid-date": "無效的日期", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "關聯", + "just-invited": "您剛剛被邀請加入此看板", + "keyboard-shortcuts": "鍵盤快速鍵", + "label-create": "建立標籤", + "label-default": "%s 標籤 (預設)", + "label-delete-pop": "此操作無法還原,這將會刪除該標籤並清除它的歷史記錄。", + "labels": "標籤", + "language": "語言", + "last-admin-desc": "你不能更改角色,因為至少需要一名管理員。", + "leave-board": "離開看板", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "關聯至該卡片", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "移動清單中的所有卡片", + "list-select-cards": "選擇清單中的所有卡片", + "listActionPopup-title": "清單操作", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "匯入 Trello 卡片", + "listMorePopup-title": "更多", + "link-list": "連結到這個清單", + "list-delete-pop": "所有的動作將從活動動態中被移除且您將無法再開啟該清單\b。此操作無法復原。", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "清單", + "swimlanes": "Swimlanes", + "log-out": "登出", + "log-in": "登入", + "loginPopup-title": "登入", + "memberMenuPopup-title": "成員更改", + "members": "成員", + "menu": "選單", + "move-selection": "移動被選擇的項目", + "moveCardPopup-title": "移動卡片", + "moveCardToBottom-title": "移至最下面", + "moveCardToTop-title": "移至最上面", + "moveSelectionPopup-title": "移動選取的項目", + "multi-selection": "多選", + "multi-selection-on": "多選啟用", + "muted": "靜音", + "muted-info": "您將不會收到有關這個看板的任何訊息", + "my-boards": "我的看板", + "name": "名稱", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "無結果", + "normal": "普通", + "normal-desc": "可以建立以及編輯卡片,無法更改。", + "not-accepted-yet": "邀請尚未接受", + "notify-participate": "接收與你有關的卡片更新", + "notify-watch": "接收您關注的看板、清單或卡片的更新", + "optional": "選擇性的", + "or": "或", + "page-maybe-private": "本頁面被設為私有. 您必須 登入以瀏覽其中內容。", + "page-not-found": "頁面不存在。", + "password": "密碼", + "paste-or-dragdrop": "從剪貼簿貼上,或者拖曳檔案到它上面 (僅限於圖片)", + "participating": "參與", + "preview": "預覽", + "previewAttachedImagePopup-title": "預覽", + "previewClipboardImagePopup-title": "預覽", + "private": "私有", + "private-desc": "該看板將被設為私有。只有該看板成員才可以進行檢視和編輯。", + "profile": "資料", + "public": "公開", + "public-desc": "該看板將被公開。任何人均可透過連結檢視,並且將對Google和其他搜尋引擎開放。只有加入至該看板的成員才可進行編輯。", + "quick-access-description": "被星號標記的看板在導航列中新增快速啟動方式", + "remove-cover": "移除封面", + "remove-from-board": "從看板中刪除", + "remove-label": "移除標籤", + "listDeletePopup-title": "刪除標籤", + "remove-member": "移除成員", + "remove-member-from-card": "從該卡片中移除", + "remove-member-pop": "確定從 __boardTitle__ 中移除 __name__ (__username__) 嗎? 該成員將被從該看板的所有卡片中移除,同時他會收到一則提醒。", + "removeMemberPopup-title": "刪除成員?", + "rename": "重新命名", + "rename-board": "重新命名看板", + "restore": "還原", + "save": "儲存", + "search": "搜尋", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "選擇顏色", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "分配目前卡片給自己", + "shortcut-autocomplete-emoji": "自動完成表情符號", + "shortcut-autocomplete-members": "自動補齊成員", + "shortcut-clear-filters": "清空全部過濾條件", + "shortcut-close-dialog": "關閉對話方塊", + "shortcut-filter-my-cards": "過濾我的卡片", + "shortcut-show-shortcuts": "顯示此快速鍵清單", + "shortcut-toggle-filterbar": "切換過濾程式邊欄", + "shortcut-toggle-sidebar": "切換面板邊欄", + "show-cards-minimum-count": "顯示卡片數量,當內容超過數量", + "sidebar-open": "開啟側邊欄", + "sidebar-close": "關閉側邊欄", + "signupPopup-title": "建立帳戶", + "star-board-title": "點此標記該看板,它將會出現在您的看板列表上方。", + "starred-boards": "已標記看板", + "starred-boards-description": "已標記看板將會出現在您的看板列表上方。", + "subscribe": "訂閱", + "team": "團隊", + "this-board": "這個看板", + "this-card": "這個卡片", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "時間", + "title": "標題", + "tracking": "追蹤", + "tracking-info": "你將會收到與你有關的卡片的所有變更通知", + "type": "Type", + "unassign-member": "取消分配成員", + "unsaved-description": "未儲存的描述", + "unwatch": "取消觀察", + "upload": "上傳", + "upload-avatar": "上傳大頭貼", + "uploaded-avatar": "大頭貼已經上傳", + "username": "使用者名稱", + "view-it": "檢視", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "觀察", + "watching": "觀察中", + "watching-info": "你將會收到關於這個看板所有的變更通知", + "welcome-board": "歡迎進入看板", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "基本", + "welcome-list2": "進階", + "what-to-do": "要做什麼?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "控制台", + "settings": "設定", + "people": "成員", + "registration": "註冊", + "disable-self-registration": "關閉自我註冊", + "invite": "邀請", + "invite-people": "邀請成員", + "to-boards": "至看板()", + "email-addresses": "電子郵件", + "smtp-host-description": "SMTP 外寄郵件伺服器", + "smtp-port-description": "SMTP 外寄郵件伺服器埠號", + "smtp-tls-description": "對 SMTP 啟動 TLS 支援", + "smtp-host": "SMTP 位置", + "smtp-port": "SMTP 埠號", + "smtp-username": "使用者名稱", + "smtp-password": "密碼", + "smtp-tls": "支援 TLS", + "send-from": "從", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "邀請碼", + "email-invite-register-subject": "__inviter__ 向您發出邀請", + "email-invite-register-text": "親愛的 __user__,\n\n__inviter__ 邀請您加入 Wekan 一同協作\n\n請點擊下列連結:\n__url__\n\n您的邀請碼為:__icode__\n\n謝謝。", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "邀請碼不存在", + "error-notAuthorized": "沒有適合的權限觀看", + "outgoing-webhooks": "設定 Webhooks", + "outgoingWebhooksPopup-title": "設定 Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan 版本", + "Node_version": "Node 版本", + "OS_Arch": "系統架構", + "OS_Cpus": "系統\b CPU 數", + "OS_Freemem": "undefined", + "OS_Loadavg": "系統平均讀取", + "OS_Platform": "系統平臺", + "OS_Release": "系統發佈版本", + "OS_Totalmem": "系統總記憶體", + "OS_Type": "系統類型", + "OS_Uptime": "系統運行時間", + "hours": "小時", + "minutes": "分鐘", + "seconds": "秒", + "show-field-on-card": "Show this field on card", + "yes": "是", + "no": "否", + "accounts": "帳號", + "accounts-allowEmailChange": "准許變更電子信箱", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 85187817a7c74afaaa60d22a9c8e64b07d3d388b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 8 Jun 2018 14:17:04 +0300 Subject: Update translations. --- i18n/es.i18n.json | 12 ++++++------ i18n/fr.i18n.json | 12 ++++++------ 2 files changed, 12 insertions(+), 12 deletions(-) diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 7f2a7401..755094bb 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -469,10 +469,10 @@ "card-end-on": "Finalizado el", "editCardReceivedDatePopup-title": "Cambiar la fecha de recepción", "editCardEndDatePopup-title": "Cambiar la fecha de finalización", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "assigned-by": "Asignado por", + "requested-by": "Solicitado por", + "board-delete-notice": "Se eliminarán todas las listas, tarjetas y acciones asociadas a este tablero. Esta acción no puede deshacerse.", + "delete-board-confirm-popup": "Se eliminarán todas las listas, tarjetas, etiquetas y actividades, y no podrás recuperar los contenidos del tablero. Esta acción no puede deshacerse.", + "boardDeletePopup-title": "¿Borrar el tablero?", + "delete-board": "Borrar el tablero" } \ No newline at end of file diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index c08cabfb..258eeed4 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -469,10 +469,10 @@ "card-end-on": "Se termine le", "editCardReceivedDatePopup-title": "Changer la date de réception", "editCardEndDatePopup-title": "Changer la date de fin", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "assigned-by": "Assigné par", + "requested-by": "Demandé par", + "board-delete-notice": "La suppression est définitive. Vous perdrez toutes vos listes, cartes et actions associées à ce tableau.", + "delete-board-confirm-popup": "Toutes les listes, cartes, étiquettes et activités seront supprimées et vous ne pourrez pas retrouver le contenu du tableau. Il n'y a pas d'annulation possible.", + "boardDeletePopup-title": "Supprimer le tableau ?", + "delete-board": "Supprimer le tableau" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From dc687848e6f7e96d9a62489c77e94fd55963ddf1 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 8 Jun 2018 14:19:45 +0300 Subject: v1.03 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index aab97cae..b74c8d06 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.03 2018-06-08 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index 7e90c7df..4221686b 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.02.0", + "version": "1.03.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 51eaf382..81b4fe93 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 87, + appVersion = 88, # Increment this for every release. - appMarketingVersion = (defaultText = "1.02.0~2018-05-26"), + appMarketingVersion = (defaultText = "1.03.0~2018-06-08"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 93a7040c7756bf8f758a53e5eeaaadb2dc517ce0 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 8 Jun 2018 18:00:35 +0300 Subject: Update translations. --- i18n/he.i18n.json | 12 +++++----- i18n/it.i18n.json | 68 +++++++++++++++++++++++++++---------------------------- 2 files changed, 40 insertions(+), 40 deletions(-) diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index f7193ba5..f1b30f73 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -469,10 +469,10 @@ "card-end-on": "מועד הסיום", "editCardReceivedDatePopup-title": "החלפת מועד הקבלה", "editCardEndDatePopup-title": "החלפת מועד הסיום", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "assigned-by": "הוקצה על ידי", + "requested-by": "התבקש על ידי", + "board-delete-notice": "מחיקה היא לצמיתות. כל הרשימות, הכרטיבים והפעולות שקשורים בלוח הזה ילכו לאיבוד.", + "delete-board-confirm-popup": "כל הרשימות, הכרטיסים, התווית והפעולות יימחקו ולא תהיה לך דרך לשחזר את תכני הלוח. אין אפשרות לבטל.", + "boardDeletePopup-title": "למחוק את הלוח?", + "delete-board": "מחיקת לוח" } \ No newline at end of file diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 11134074..f6ede789 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -3,11 +3,11 @@ "act-activity-notify": "[Wekan] Notifiche attività", "act-addAttachment": "ha allegato __attachment__ a __card__", "act-addChecklist": "aggiunta checklist __checklist__ a __card__", - "act-addChecklistItem": "aggiunto __checklistItem__ alla checklist __checklist__ su __card__", + "act-addChecklistItem": "aggiunto __checklistItem__ alla checklist __checklist__ di __card__", "act-addComment": "ha commentato su __card__: __comment__", "act-createBoard": "ha creato __board__", "act-createCard": "ha aggiunto __card__ a __list__", - "act-createCustomField": "created custom field __customField__", + "act-createCustomField": "campo personalizzato __customField__ creato", "act-createList": "ha aggiunto __list__ a __board__", "act-addBoardMember": "ha aggiunto __member__ a __board__", "act-archivedBoard": "__board__ spostata nel cestino", @@ -19,7 +19,7 @@ "act-importList": "ha importato __list__", "act-joinMember": "ha aggiunto __member__ a __card__", "act-moveCard": "ha spostato __card__ da __oldList__ a __list__", - "act-removeBoardMember": "ha rimosso __member__ da __board__", + "act-removeBoardMember": "ha rimosso __member__ a __board__", "act-restoredCard": "ha ripristinato __card__ su __board__", "act-unjoinMember": "ha rimosso __member__ da __card__", "act-withBoardTitle": "[Wekan] __board__", @@ -31,7 +31,7 @@ "activity-archived": "%s spostato nel cestino", "activity-attached": "allegato %s a %s", "activity-created": "creato %s", - "activity-customfield-created": "created custom field %s", + "activity-customfield-created": "Campo personalizzato creato", "activity-excluded": "escluso %s da %s", "activity-imported": "importato %s in %s da %s", "activity-imported-board": "importato %s da %s", @@ -113,7 +113,7 @@ "card-due-on": "Scade", "card-spent": "Tempo trascorso", "card-edit-attachments": "Modifica allegati", - "card-edit-custom-fields": "Edit custom fields", + "card-edit-custom-fields": "Modifica campo personalizzato", "card-edit-labels": "Modifica etichette", "card-edit-members": "Modifica membri", "card-labels-title": "Cambia le etichette per questa scheda.", @@ -121,8 +121,8 @@ "card-start": "Inizio", "card-start-on": "Inizia", "cardAttachmentsPopup-title": "Allega da", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", + "cardCustomField-datePopup-title": "Cambia data", + "cardCustomFieldsPopup-title": "Modifica campo personalizzato", "cardDeletePopup-title": "Elimina scheda?", "cardDetailsActionsPopup-title": "Azioni scheda", "cardLabelsPopup-title": "Etichette", @@ -172,25 +172,25 @@ "createBoardPopup-title": "Crea bacheca", "chooseBoardSourcePopup-title": "Importa bacheca", "createLabelPopup-title": "Crea etichetta", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", + "createCustomField": "Crea campo", + "createCustomFieldPopup-title": "Crea campo", "current": "corrente", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", + "custom-field-delete-pop": "Non potrai tornare indietro. Questa azione rimuoverà questo campo personalizzato da tutte le schede ed eliminerà ogni sua traccia.", + "custom-field-checkbox": "Casella di scelta", "custom-field-date": "Data", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", + "custom-field-dropdown": "Lista a discesa", + "custom-field-dropdown-none": "(nessun)", + "custom-field-dropdown-options": "Lista opzioni", + "custom-field-dropdown-options-placeholder": "Premi invio per aggiungere altre opzioni", + "custom-field-dropdown-unknown": "(sconosciuto)", + "custom-field-number": "Numero", + "custom-field-text": "Testo", + "custom-fields": "Campi personalizzati", "date": "Data", "decline": "Declina", "default-avatar": "Avatar predefinito", "delete": "Elimina", - "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteCustomFieldPopup-title": "Elimina il campo personalizzato?", "deleteLabelPopup-title": "Eliminare etichetta?", "description": "Descrizione", "disambiguateMultiLabelPopup-title": "Disambiguare l'azione Etichetta", @@ -205,7 +205,7 @@ "soft-wip-limit": "Limite Work in progress soft", "editCardStartDatePopup-title": "Cambia data di inizio", "editCardDueDatePopup-title": "Cambia data di scadenza", - "editCustomFieldPopup-title": "Edit Field", + "editCustomFieldPopup-title": "Modifica campo", "editCardSpentTimePopup-title": "Cambia tempo trascorso", "editLabelPopup-title": "Cambia etichetta", "editNotificationPopup-title": "Modifica notifiche", @@ -242,12 +242,12 @@ "filter-clear": "Pulisci filtri", "filter-no-label": "Nessuna etichetta", "filter-no-member": "Nessun membro", - "filter-no-custom-fields": "No Custom Fields", + "filter-no-custom-fields": "Nessun campo personalizzato", "filter-on": "Il filtro è attivo", "filter-on-desc": "Stai filtrando le schede su questa bacheca. Clicca qui per modificare il filtro,", "filter-to-selection": "Seleziona", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-label": "Filtro avanzato", + "advanced-filter-description": "Il filtro avanzato consente di scrivere una stringa contenente i seguenti operatori: == != <= >= && || ( ). Lo spazio è usato come separatore tra gli operatori. E' possibile filtrare per tutti i campi personalizzati, digitando i loro nomi e valori. Ad esempio: Campo1 == Valore1. Nota: Se i campi o i valori contengono spazi, devi racchiuderli dentro le virgolette singole. Ad esempio: 'Campo 1' == 'Valore 1'. E' possibile combinare condizioni multiple. Ad esempio: F1 == V1 || F1 = V2. Normalmente tutti gli operatori sono interpretati da sinistra a destra. Puoi modificare l'ordine utilizzando le parentesi. Ad Esempio: F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "Nome completo", "header-logo-title": "Torna alla tua bacheca.", "hide-system-messages": "Nascondi i messaggi di sistema", @@ -389,7 +389,7 @@ "title": "Titolo", "tracking": "Monitoraggio", "tracking-info": "Sarai notificato per tutte le modifiche alle schede delle quali sei creatore o membro.", - "type": "Type", + "type": "Tipo", "unassign-member": "Rimuovi membro", "unsaved-description": "Hai una descrizione non salvata", "unwatch": "Non seguire", @@ -417,7 +417,7 @@ "disable-self-registration": "Disabilita Auto-registrazione", "invite": "Invita", "invite-people": "Invita persone", - "to-boards": "torna alle bacheche(a)", + "to-boards": "Alla(e) bacheche(a)", "email-addresses": "Indirizzi email", "smtp-host-description": "L'indirizzo del server SMTP che gestisce le tue email.", "smtp-port-description": "La porta che il tuo server SMTP utilizza per le email in uscita.", @@ -454,12 +454,12 @@ "hours": "ore", "minutes": "minuti", "seconds": "secondi", - "show-field-on-card": "Show this field on card", + "show-field-on-card": "Visualizza questo campo sulla scheda", "yes": "Sì", "no": "No", "accounts": "Profili", "accounts-allowEmailChange": "Permetti modifica dell'email", - "accounts-allowUserNameChange": "Allow Username Change", + "accounts-allowUserNameChange": "Consenti la modifica del nome utente", "createdAt": "creato alle", "verified": "Verificato", "active": "Attivo", @@ -469,10 +469,10 @@ "card-end-on": "Termina il", "editCardReceivedDatePopup-title": "Cambia data ricezione", "editCardEndDatePopup-title": "Cambia data finale", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "assigned-by": "Assegnato da", + "requested-by": "Richiesto da", + "board-delete-notice": "L'eliminazione è permanente. Tutte le azioni, liste e schede associate a questa bacheca andranno perse.", + "delete-board-confirm-popup": "Tutte le liste, schede, etichette e azioni saranno rimosse e non sarai più in grado di recuperare il contenuto della bacheca. L'azione non è annullabile.", + "boardDeletePopup-title": "Eliminare la bacheca?", + "delete-board": "Elimina bacheca" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From ca51ace22d6f5097a8d0dbf9a62e7248cce1c4a3 Mon Sep 17 00:00:00 2001 From: RJevnikar <12701645+rjevnikar@users.noreply.github.com> Date: Fri, 8 Jun 2018 20:42:16 +0000 Subject: Modify mini cards so that received date is shown if there is no start date, and due date is shown if there is no end date. --- client/components/cards/minicard.jade | 12 +++++++++++- 1 file changed, 11 insertions(+), 1 deletion(-) diff --git a/client/components/cards/minicard.jade b/client/components/cards/minicard.jade index aa0708dd..b44021a6 100644 --- a/client/components/cards/minicard.jade +++ b/client/components/cards/minicard.jade @@ -10,12 +10,22 @@ template(name="minicard") +viewer = title .dates + if receivedAt + unless startAt + unless dueAt + unless endAt + .date + +miniCardReceivedDate if startAt .date +minicardStartDate if dueAt + unless endAt + .date + +minicardDueDate + if endAt .date - +minicardDueDate + +minicardEndDate if spentTime .date +cardSpentTime -- cgit v1.2.3-1-g7c22 From 45cf2843a63e96eefc5174dd55cf540c9b74c3a9 Mon Sep 17 00:00:00 2001 From: RJevnikar <12701645+rjevnikar@users.noreply.github.com> Date: Fri, 8 Jun 2018 21:09:52 +0000 Subject: Adjust classes given to due date to take into account end date --- client/components/cards/cardDate.js | 9 ++++++--- 1 file changed, 6 insertions(+), 3 deletions(-) diff --git a/client/components/cards/cardDate.js b/client/components/cards/cardDate.js index 52a48f47..e95c3a23 100644 --- a/client/components/cards/cardDate.js +++ b/client/components/cards/cardDate.js @@ -279,11 +279,14 @@ class CardDueDate extends CardDate { classes() { let classes = 'due-date' + ' '; - if (this.now.get().diff(this.date.get(), 'days') >= 2) + if ((this.now.get().diff(this.date.get(), 'days') >= 2) && + (this.date.get().isBefore(this.data().endAt))) classes += 'long-overdue'; - else if (this.now.get().diff(this.date.get(), 'minute') >= 0) + else if ((this.now.get().diff(this.date.get(), 'minute') >= 0) && + (this.date.get().isBefore(this.data().endAt))) classes += 'due'; - else if (this.now.get().diff(this.date.get(), 'days') >= -1) + else if ((this.now.get().diff(this.date.get(), 'days') >= -1) && + (this.date.get().isBefore(this.data().endAt))) classes += 'almost-due'; return classes; } -- cgit v1.2.3-1-g7c22 From bd5fd7765556bc6d6d59d832dda6a4a3429099a8 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 10 Jun 2018 17:45:02 +0300 Subject: Fix typo. --- i18n/en.i18n.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 40f1b820..cd74b6ac 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", -- cgit v1.2.3-1-g7c22 From d948e78d1e1a264af2f9b627d82d36feea64cc1b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 10 Jun 2018 18:02:07 +0300 Subject: Update translations. --- i18n/ar.i18n.json | 2 +- i18n/bg.i18n.json | 2 +- i18n/br.i18n.json | 2 +- i18n/ca.i18n.json | 2 +- i18n/cs.i18n.json | 4 ++-- i18n/de.i18n.json | 12 ++++++------ i18n/el.i18n.json | 2 +- i18n/en-GB.i18n.json | 2 +- i18n/en.i18n.json | 2 +- i18n/eo.i18n.json | 2 +- i18n/eu.i18n.json | 2 +- i18n/fa.i18n.json | 2 +- i18n/gl.i18n.json | 2 +- i18n/hu.i18n.json | 2 +- i18n/hy.i18n.json | 2 +- i18n/id.i18n.json | 2 +- i18n/ig.i18n.json | 2 +- i18n/ja.i18n.json | 2 +- i18n/ko.i18n.json | 2 +- i18n/lv.i18n.json | 2 +- i18n/mn.i18n.json | 2 +- i18n/nb.i18n.json | 2 +- i18n/nl.i18n.json | 2 +- i18n/pl.i18n.json | 2 +- i18n/pt.i18n.json | 2 +- i18n/ro.i18n.json | 2 +- i18n/sr.i18n.json | 2 +- i18n/sv.i18n.json | 14 +++++++------- i18n/ta.i18n.json | 2 +- i18n/th.i18n.json | 2 +- i18n/uk.i18n.json | 2 +- i18n/vi.i18n.json | 2 +- i18n/zh-TW.i18n.json | 2 +- 33 files changed, 45 insertions(+), 45 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 79f01cfe..cf8f7f49 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "%s تعليقات لهذه البطاقة", "card-delete-notice": "هذا حذف أبديّ . سوف تفقد كل الإجراءات المنوطة بهذه البطاقة", "card-delete-pop": "سيتم إزالة جميع الإجراءات من تبعات النشاط، وأنك لن تكون قادرا على إعادة فتح البطاقة. لا يوجد التراجع.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "مستحق", "card-due-on": "مستحق في", "card-spent": "Spent Time", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 86916ad4..87c914bf 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "Тази карта има %s коментар.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "Готова за", "card-due-on": "Готова за", "card-spent": "Изработено време", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index 226a1e8d..3d424578 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 8c7070e8..249056aa 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "Aquesta fitxa té %s comentaris.", "card-delete-notice": "L'esborrat és permanent. Perdreu totes les accions associades a aquesta fitxa.", "card-delete-pop": "Totes les accions s'eliminaran de l'activitat i no podreu tornar a obrir la fitxa. No es pot desfer.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "Finalitza", "card-due-on": "Finalitza a", "card-spent": "Temps Dedicat", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index c01992ff..97e02e06 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -473,6 +473,6 @@ "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "boardDeletePopup-title": "Smazat tablo?", + "delete-board": "Smazat tablo" } \ No newline at end of file diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index fc184a33..2c0e8baf 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -469,10 +469,10 @@ "card-end-on": "Endet am", "editCardReceivedDatePopup-title": "Empfangsdatum ändern", "editCardEndDatePopup-title": "Enddatum ändern", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "assigned-by": "Zugeteilt von", + "requested-by": "Angefordert von", + "board-delete-notice": "Löschen ist dauerhaft. Du verlierst alle Listen, Karten und Aktionen, welche mit diesem Board verbunden sind.", + "delete-board-confirm-popup": "Alle Listen, Karten, Beschriftungen und Akivitäten werden gelöscht, das Board kann nicht wiederhergestellt werden! Es gibt kein Rückgängig.", + "boardDeletePopup-title": "Board löschen?", + "delete-board": "Board löschen" } \ No newline at end of file diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 9c011f95..f863b23a 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "Έως", "card-due-on": "Έως τις", "card-spent": "Spent Time", diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 5579a673..44140081 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to the Recycle Bin to remove it from the board and preserve its activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index cd74b6ac..40f1b820 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index 302f9cf1..df268772 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index 8d50ed41..51de292b 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "Txartel honek iruzkin %s dauka.", "card-delete-notice": "Ezabaketa behin betiko da. Txartel honi lotutako ekintza guztiak galduko dituzu.", "card-delete-pop": "Ekintza guztiak ekintza jariotik kenduko dira eta ezin izango duzu txartela berrireki. Ez dago desegiterik.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "Epemuga", "card-due-on": "Epemuga", "card-spent": "Erabilitako denbora", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index bee17e03..69cb80d2 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "این کارت دارای %s نظر است.", "card-delete-notice": "حذف دائمی. تمامی موارد مرتبط با این کارت از بین خواهند رفت.", "card-delete-pop": "همه اقدامات از این پردازه (خوراک) حذف خواهد شد و امکان بازگرداندن کارت وجود نخواهد داشت.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "ناشی از", "card-due-on": "مقتضی بر", "card-spent": "زمان صرف شده", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index f632498c..702e9e0c 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index f0966485..0dfb11f0 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "Ez a kártya %s hozzászólást tartalmaz.", "card-delete-notice": "A törlés végleges. Az összes műveletet elveszíti, amely ehhez a kártyához tartozik.", "card-delete-pop": "Az összes művelet el lesz távolítva a tevékenységlistából, és nem lesz képes többé újra megnyitni a kártyát. Nincs visszaállítási lehetőség.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "Esedékes", "card-due-on": "Esedékes ekkor", "card-spent": "Eltöltött idő", diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index 19304209..03cb71da 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index eb6cf67e..95da897f 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "Kartu ini punya %s komentar", "card-delete-notice": "Menghapus sama dengan permanen. Anda akan kehilangan semua aksi yang terhubung ke kartu ini", "card-delete-pop": "Semua aksi akan dihapus dari aktivitas dan anda tidak bisa lagi buka kartu ini", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "Jatuh Tempo", "card-due-on": "Jatuh Tempo pada", "card-spent": "Spent Time", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 9f65b193..9569f9e1 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index e3267d73..7f9a3c40 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "%s 件のコメントがあります。", "card-delete-notice": "削除は取り消しできません。このカードに関係するすべてのアクションがなくなります。", "card-delete-pop": "すべての内容がアクティビティから削除されます。この削除は元に戻すことができません。", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "期限", "card-due-on": "期限日", "card-spent": "Spent Time", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index f7ee5baf..edf978a7 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "이 카드에 %s 코멘트가 있습니다.", "card-delete-notice": "영구 삭제입니다. 이 카드와 관련된 모든 작업들을 잃게됩니다.", "card-delete-pop": "모든 작업이 활동 내역에서 제거되며 카드를 다시 열 수 없습니다. 복구가 안되니 주의하시기 바랍니다.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "종료일", "card-due-on": "종료일", "card-spent": "Spent Time", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 7907c745..128e847a 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index 0d01cc64..794f9ce8 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index c1c1a3af..205db808 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "Dette kortet har %s kommentar.", "card-delete-notice": "Sletting er permanent. Du vil miste alle hendelser knyttet til dette kortet.", "card-delete-pop": "Alle handlinger vil fjernes fra feeden for aktiviteter og du vil ikke kunne åpne kortet på nytt. Det er ingen mulighet å angre.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "Frist", "card-due-on": "Frist til", "card-spent": "Spent Time", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index d95e1214..4515d1c2 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "Deze kaart heeft %s reactie.", "card-delete-notice": "Verwijdering is permanent. Als je dit doet, verlies je alle informatie die op deze kaart is opgeslagen.", "card-delete-pop": "Alle acties worden verwijderd van de activiteiten feed, en er zal geen mogelijkheid zijn om de kaart opnieuw te openen. Deze actie kan je niet ongedaan maken.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "Deadline: ", "card-due-on": "Deadline: ", "card-spent": "gespendeerde tijd", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 9ac7cb08..5ac7e2f9 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "Ta karta ma %s komentarzy.", "card-delete-notice": "Usunięcie jest trwałe. Stracisz wszystkie akcje powiązane z tą kartą.", "card-delete-pop": "Wszystkie akcje będą usunięte z widoku aktywności, nie można będzie ponownie otworzyć karty. Usunięcie jest nieodwracalne.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 5e4f39d4..06b5ba2d 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index 25955b41..dd4d2b58 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index 6cb33b90..fa939432 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "Ova kartica ima %s komentar.", "card-delete-notice": "Brisanje je trajno. Izgubićeš sve akcije povezane sa ovom karticom.", "card-delete-pop": "Sve akcije će biti uklonjene sa liste aktivnosti i kartica neće moći biti ponovo otvorena. Nema vraćanja unazad.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "Krajnji datum", "card-due-on": "Završava se", "card-spent": "Spent Time", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 6e418c17..99a39773 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "Detta kort har %s kommentar.", "card-delete-notice": "Ta bort är permanent. Du kommer att förlora alla åtgärder i samband med detta kort.", "card-delete-pop": "Alla åtgärder kommer att tas bort från aktivitetsflöde och du kommer inte att kunna öppna kortet igen. Det går inte att ångra.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "Förfaller", "card-due-on": "Förfaller på", "card-spent": "Spenderad tid", @@ -166,7 +166,7 @@ "copy-card-link-to-clipboard": "Kopiera kortlänk till urklipp", "copyCardPopup-title": "Kopiera kort", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-instructions": "Destinationskorttitlar och beskrivningar i detta JSON-format", "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", "create": "Skapa", "createBoardPopup-title": "Skapa anslagstavla", @@ -384,7 +384,7 @@ "overtime-hours": "Övertid (timmar)", "overtime": "Övertid", "has-overtime-cards": "Har övertidskort", - "has-spenttime-cards": "Has spent time cards", + "has-spenttime-cards": "Har spenderat tidkort", "time": "Tid", "title": "Titel", "tracking": "Spårning", @@ -469,10 +469,10 @@ "card-end-on": "Slutar den", "editCardReceivedDatePopup-title": "Ändra mottagningsdatum", "editCardEndDatePopup-title": "Ändra slutdatum", - "assigned-by": "Assigned By", - "requested-by": "Requested By", + "assigned-by": "Tilldelad av", + "requested-by": "Efterfrågad av", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "boardDeletePopup-title": "Ta bort anslagstavla?", + "delete-board": "Ta bort anslagstavla" } \ No newline at end of file diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index d59a62b8..317f2e3b 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index 28b26c3b..e383b3d8 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "การ์ดนี้มี %s ความเห็น.", "card-delete-notice": "เป็นการลบถาวร คุณจะสูญเสียข้อมูลที่เกี่ยวข้องกับการ์ดนี้ทั้งหมด", "card-delete-pop": "การดำเนินการทั้งหมดจะถูกลบจาก feed กิจกรรมและคุณไม่สามารถเปิดได้อีกครั้งหรือยกเลิกการทำ", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "ครบกำหนด", "card-due-on": "ครบกำหนดเมื่อ", "card-spent": "Spent Time", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 3c350b69..b0c88c4a 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index 39f39fea..ba609c92 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "Thẻ này có %s bình luận.", "card-delete-notice": "Hành động xóa là không thể khôi phục. Bạn sẽ mất hết các hoạt động liên quan đến thẻ này.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index f933da8c..8d28bc5f 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "該卡片有 %s 則評論", "card-delete-notice": "徹底刪除的操作不可復原,你將會遺失該卡片相關的所有操作記錄。", "card-delete-pop": "所有的動作將從活動動態中被移除且您將無法重新打開該卡片。此操作無法復原。", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "到期", "card-due-on": "到期", "card-spent": "Spent Time", -- cgit v1.2.3-1-g7c22 From 1ced919dfba10fb455b9d5d9236569113dd9341e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 10 Jun 2018 18:38:07 +0300 Subject: Update translations. --- i18n/en.i18n.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 40f1b820..cd74b6ac 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -108,7 +108,7 @@ "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", -- cgit v1.2.3-1-g7c22 From 2156e458690d0dc34a761a48fd7fa3b54af79031 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 10 Jun 2018 19:42:24 +0300 Subject: Add Khmer language. --- i18n/km.i18n.json | 478 ++++++++++++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 478 insertions(+) create mode 100644 i18n/km.i18n.json diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json new file mode 100644 index 00000000..b9550ff6 --- /dev/null +++ b/i18n/km.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "យល់ព្រម", + "act-activity-notify": "[Wekan] សកម្មភាពជូនដំណឹង", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Add", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Members", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Members", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Members", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "បិទផ្ទាំង", + "shortcut-filter-my-cards": "តម្រងកាតរបស់ខ្ញុំ", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "បង្កើតគណនីមួយ", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "កាតនេះ", + "spent-time-hours": "ចំណាយពេល (ម៉ោង)", + "overtime-hours": "លើសពេល (ម៉ោង)", + "overtime": "លើសពេល", + "has-overtime-cards": "មានកាតលើសពេល", + "has-spenttime-cards": "មានកាតដែលបានចំណាយពេល", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 53bd527947f2676d27743ada0b2c2ed568d2ee83 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 10 Jun 2018 19:45:03 +0300 Subject: - Add Khmer language. Thanks to xet7 and translators ! --- CHANGELOG.md | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index b74c8d06..1957b852 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# Upcoming Wekan release + +This release adds the following new features: + +* [Add Khmer language](https://github.com/wekan/wekan/commit/2156e458690d0dc34a761a48fd7fa3b54af79031). + +Thanks to GitHub user xet7 for contributions. +Thanks to translators. + # v1.03 2018-06-08 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From 199ea3d6f967711b05010682a7c0a3a85aaeef3d Mon Sep 17 00:00:00 2001 From: RJevnikar <12701645+rjevnikar@users.noreply.github.com> Date: Mon, 11 Jun 2018 16:21:35 +0000 Subject: Change label text colour to black for specific label colours for better visibility --- client/components/cards/labels.styl | 12 +- i18n/ar.i18n.json | 478 ------------------------------------ i18n/bg.i18n.json | 478 ------------------------------------ i18n/br.i18n.json | 478 ------------------------------------ i18n/ca.i18n.json | 478 ------------------------------------ i18n/cs.i18n.json | 478 ------------------------------------ i18n/de.i18n.json | 478 ------------------------------------ i18n/el.i18n.json | 478 ------------------------------------ i18n/en-GB.i18n.json | 478 ------------------------------------ i18n/eo.i18n.json | 478 ------------------------------------ i18n/es-AR.i18n.json | 478 ------------------------------------ i18n/es.i18n.json | 478 ------------------------------------ i18n/eu.i18n.json | 478 ------------------------------------ i18n/fa.i18n.json | 478 ------------------------------------ i18n/fi.i18n.json | 478 ------------------------------------ i18n/fr.i18n.json | 478 ------------------------------------ i18n/gl.i18n.json | 478 ------------------------------------ i18n/he.i18n.json | 478 ------------------------------------ i18n/hu.i18n.json | 478 ------------------------------------ i18n/hy.i18n.json | 478 ------------------------------------ i18n/id.i18n.json | 478 ------------------------------------ i18n/ig.i18n.json | 478 ------------------------------------ i18n/it.i18n.json | 478 ------------------------------------ i18n/ja.i18n.json | 478 ------------------------------------ i18n/km.i18n.json | 478 ------------------------------------ i18n/ko.i18n.json | 478 ------------------------------------ i18n/lv.i18n.json | 478 ------------------------------------ i18n/mn.i18n.json | 478 ------------------------------------ i18n/nb.i18n.json | 478 ------------------------------------ i18n/nl.i18n.json | 478 ------------------------------------ i18n/pl.i18n.json | 478 ------------------------------------ i18n/pt-BR.i18n.json | 478 ------------------------------------ i18n/pt.i18n.json | 478 ------------------------------------ i18n/ro.i18n.json | 478 ------------------------------------ i18n/ru.i18n.json | 478 ------------------------------------ i18n/sr.i18n.json | 478 ------------------------------------ i18n/sv.i18n.json | 478 ------------------------------------ i18n/ta.i18n.json | 478 ------------------------------------ i18n/th.i18n.json | 478 ------------------------------------ i18n/tr.i18n.json | 478 ------------------------------------ i18n/uk.i18n.json | 478 ------------------------------------ i18n/vi.i18n.json | 478 ------------------------------------ i18n/zh-CN.i18n.json | 478 ------------------------------------ i18n/zh-TW.i18n.json | 478 ------------------------------------ 44 files changed, 11 insertions(+), 20555 deletions(-) delete mode 100644 i18n/ar.i18n.json delete mode 100644 i18n/bg.i18n.json delete mode 100644 i18n/br.i18n.json delete mode 100644 i18n/ca.i18n.json delete mode 100644 i18n/cs.i18n.json delete mode 100644 i18n/de.i18n.json delete mode 100644 i18n/el.i18n.json delete mode 100644 i18n/en-GB.i18n.json delete mode 100644 i18n/eo.i18n.json delete mode 100644 i18n/es-AR.i18n.json delete mode 100644 i18n/es.i18n.json delete mode 100644 i18n/eu.i18n.json delete mode 100644 i18n/fa.i18n.json delete mode 100644 i18n/fi.i18n.json delete mode 100644 i18n/fr.i18n.json delete mode 100644 i18n/gl.i18n.json delete mode 100644 i18n/he.i18n.json delete mode 100644 i18n/hu.i18n.json delete mode 100644 i18n/hy.i18n.json delete mode 100644 i18n/id.i18n.json delete mode 100644 i18n/ig.i18n.json delete mode 100644 i18n/it.i18n.json delete mode 100644 i18n/ja.i18n.json delete mode 100644 i18n/km.i18n.json delete mode 100644 i18n/ko.i18n.json delete mode 100644 i18n/lv.i18n.json delete mode 100644 i18n/mn.i18n.json delete mode 100644 i18n/nb.i18n.json delete mode 100644 i18n/nl.i18n.json delete mode 100644 i18n/pl.i18n.json delete mode 100644 i18n/pt-BR.i18n.json delete mode 100644 i18n/pt.i18n.json delete mode 100644 i18n/ro.i18n.json delete mode 100644 i18n/ru.i18n.json delete mode 100644 i18n/sr.i18n.json delete mode 100644 i18n/sv.i18n.json delete mode 100644 i18n/ta.i18n.json delete mode 100644 i18n/th.i18n.json delete mode 100644 i18n/tr.i18n.json delete mode 100644 i18n/uk.i18n.json delete mode 100644 i18n/vi.i18n.json delete mode 100644 i18n/zh-CN.i18n.json delete mode 100644 i18n/zh-TW.i18n.json diff --git a/client/components/cards/labels.styl b/client/components/cards/labels.styl index 084af64c..3b481d93 100644 --- a/client/components/cards/labels.styl +++ b/client/components/cards/labels.styl @@ -3,7 +3,7 @@ // XXX Use .board-widget-labels as a flexbox container .card-label border-radius: 4px - color: white + color: white //Default white text, in select cases, changed to black to improve contrast between label colour and text display: inline-block font-weight: 700 font-size: 13px @@ -48,9 +48,11 @@ .card-label-yellow background-color: #fad900 + color: #000000 //Black text for better visibility .card-label-orange background-color: #ff9f19 + color: #000000 //Black text for better visibility .card-label-red background-color: #eb4646 @@ -63,6 +65,7 @@ .card-label-pink background-color: #ff78cb + color: #000000 //Black text for better visibility .card-label-sky background-color: #00c2e0 @@ -72,18 +75,22 @@ .card-label-lime background-color: #51e898 + color: #000000 //Black text for better visibility .card-label-silver background-color: #c0c0c0 + color: #000000 //Black text for better visibility .card-label-peachpuff background-color: #ffdab9 + color: #000000 //Black text for better visibility .card-label-crimson background-color: #dc143c .card-label-plum background-color: #dda0dd + color: #000000 //Black text for better visibility .card-label-darkgreen background-color: #006400 @@ -96,6 +103,7 @@ .card-label-gold background-color: #ffd700 + color: #000000 //Black text for better visibility .card-label-navy background-color: #000080 @@ -108,9 +116,11 @@ .card-label-paleturquoise background-color: #afeeee + color: #000000 //Black text for better visibility .card-label-mistyrose background-color: #ffe4e1 + color: #000000 //Black text for better visibility .card-label-indigo background-color: #4b0082 diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json deleted file mode 100644 index cf8f7f49..00000000 --- a/i18n/ar.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "اقبلboard", - "act-activity-notify": "[Wekan] اشعار عن نشاط", - "act-addAttachment": "ربط __attachment__ الى __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "علق على __comment__ : __card__", - "act-createBoard": "احدث __board__", - "act-createCard": "اضاف __card__ الى __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "اضاف __list__ الى __board__", - "act-addBoardMember": "اضاف __member__ الى __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "إستورد __board__", - "act-importCard": "إستورد __card__", - "act-importList": "إستورد __list__", - "act-joinMember": "اضاف __member__ الى __card__", - "act-moveCard": "حوّل __card__ من __oldList__ إلى __list__", - "act-removeBoardMember": "أزال __member__ من __board__", - "act-restoredCard": "أعاد __card__ إلى __board__", - "act-unjoinMember": "أزال __member__ من __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "الإجراءات", - "activities": "الأنشطة", - "activity": "النشاط", - "activity-added": "تمت إضافة %s ل %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "إرفاق %s ل %s", - "activity-created": "أنشأ %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "استبعاد %s عن %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "انضم %s", - "activity-moved": "تم نقل %s من %s إلى %s", - "activity-on": "على %s", - "activity-removed": "حذف %s إلى %s", - "activity-sent": "إرسال %s إلى %s", - "activity-unjoined": "غادر %s", - "activity-checklist-added": "أضاف قائمة تحقق إلى %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "أضف", - "add-attachment": "إضافة مرفق", - "add-board": "إضافة لوحة", - "add-card": "إضافة بطاقة", - "add-swimlane": "Add Swimlane", - "add-checklist": "إضافة قائمة تدقيق", - "add-checklist-item": "إضافة عنصر إلى قائمة التحقق", - "add-cover": "إضافة غلاف", - "add-label": "إضافة ملصق", - "add-list": "إضافة قائمة", - "add-members": "تعيين أعضاء", - "added": "أُضيف", - "addMemberPopup-title": "الأعضاء", - "admin": "المدير", - "admin-desc": "إمكانية مشاهدة و تعديل و حذف أعضاء ، و تعديل إعدادات اللوحة أيضا.", - "admin-announcement": "إعلان", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "كل اللوحات", - "and-n-other-card": "And __count__ other بطاقة", - "and-n-other-card_plural": "And __count__ other بطاقات", - "apply": "طبق", - "app-is-offline": "يتمّ تحميل ويكان، يرجى الانتظار. سيؤدي تحديث الصفحة إلى فقدان البيانات. إذا لم يتم تحميل ويكان، يرجى التحقق من أن خادم ويكان لم يتوقف. ", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "استعادة اللوحة", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "تعيين عضو", - "attached": "أُرفق)", - "attachment": "مرفق", - "attachment-delete-pop": "حذف المرق هو حذف نهائي . لا يمكن التراجع إذا حذف.", - "attachmentDeletePopup-title": "تريد حذف المرفق ?", - "attachments": "المرفقات", - "auto-watch": "مراقبة لوحات تلقائيا عندما يتم إنشاؤها", - "avatar-too-big": "الصورة الرمزية كبيرة جدا (70 كيلوبايت كحد أقصى)", - "back": "رجوع", - "board-change-color": "تغيير اللومr", - "board-nb-stars": "%s نجوم", - "board-not-found": "لوحة مفقودة", - "board-private-info": "سوف تصبح هذه اللوحة خاصة", - "board-public-info": "سوف تصبح هذه اللوحة عامّة.", - "boardChangeColorPopup-title": "تعديل خلفية الشاشة", - "boardChangeTitlePopup-title": "إعادة تسمية اللوحة", - "boardChangeVisibilityPopup-title": "تعديل وضوح الرؤية", - "boardChangeWatchPopup-title": "تغيير المتابعة", - "boardMenuPopup-title": "قائمة اللوحة", - "boards": "لوحات", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "القائمات", - "bucket-example": "مثل « todo list » على سبيل المثال", - "cancel": "إلغاء", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "%s تعليقات لهذه البطاقة", - "card-delete-notice": "هذا حذف أبديّ . سوف تفقد كل الإجراءات المنوطة بهذه البطاقة", - "card-delete-pop": "سيتم إزالة جميع الإجراءات من تبعات النشاط، وأنك لن تكون قادرا على إعادة فتح البطاقة. لا يوجد التراجع.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "مستحق", - "card-due-on": "مستحق في", - "card-spent": "Spent Time", - "card-edit-attachments": "تعديل المرفقات", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "تعديل العلامات", - "card-edit-members": "تعديل الأعضاء", - "card-labels-title": "تعديل علامات البطاقة.", - "card-members-title": "إضافة او حذف أعضاء للبطاقة.", - "card-start": "بداية", - "card-start-on": "يبدأ في", - "cardAttachmentsPopup-title": "إرفاق من", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "حذف البطاقة ?", - "cardDetailsActionsPopup-title": "إجراءات على البطاقة", - "cardLabelsPopup-title": "علامات", - "cardMembersPopup-title": "أعضاء", - "cardMorePopup-title": "المزيد", - "cards": "بطاقات", - "cards-count": "بطاقات", - "change": "Change", - "change-avatar": "تعديل الصورة الشخصية", - "change-password": "تغيير كلمة المرور", - "change-permissions": "تعديل الصلاحيات", - "change-settings": "تغيير الاعدادات", - "changeAvatarPopup-title": "تعديل الصورة الشخصية", - "changeLanguagePopup-title": "تغيير اللغة", - "changePasswordPopup-title": "تغيير كلمة المرور", - "changePermissionsPopup-title": "تعديل الصلاحيات", - "changeSettingsPopup-title": "تغيير الاعدادات", - "checklists": "قوائم التّدقيق", - "click-to-star": "اضغط لإضافة اللوحة للمفضلة.", - "click-to-unstar": "اضغط لحذف اللوحة من المفضلة.", - "clipboard": "Clipboard or drag & drop", - "close": "غلق", - "close-board": "غلق اللوحة", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "تعليق", - "comment-placeholder": "أكتب تعليق", - "comment-only": "التعليق فقط", - "comment-only-desc": "يمكن التعليق على بطاقات فقط.", - "computer": "حاسوب", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "نسخ رابط البطاقة إلى الحافظة", - "copyCardPopup-title": "نسخ البطاقة", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "إنشاء", - "createBoardPopup-title": "إنشاء لوحة", - "chooseBoardSourcePopup-title": "استيراد لوحة", - "createLabelPopup-title": "إنشاء علامة", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "الحالي", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "تاريخ", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "تاريخ", - "decline": "Decline", - "default-avatar": "صورة شخصية افتراضية", - "delete": "حذف", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "حذف العلامة ?", - "description": "وصف", - "disambiguateMultiLabelPopup-title": "تحديد الإجراء على العلامة", - "disambiguateMultiMemberPopup-title": "تحديد الإجراء على العضو", - "discard": "التخلص منها", - "done": "Done", - "download": "تنزيل", - "edit": "تعديل", - "edit-avatar": "تعديل الصورة الشخصية", - "edit-profile": "تعديل الملف الشخصي", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "تغيير تاريخ البدء", - "editCardDueDatePopup-title": "تغيير تاريخ الاستحقاق", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "تعديل العلامة", - "editNotificationPopup-title": "تصحيح الإشعار", - "editProfilePopup-title": "تعديل الملف الشخصي", - "email": "البريد الإلكتروني", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "لا يمكنك دعوة نفسك", - "error-user-notCreated": "This user is not created", - "error-username-taken": "إسم المستخدم مأخوذ مسبقا", - "error-email-taken": "البريد الإلكتروني مأخوذ بالفعل", - "export-board": "Export board", - "filter": "تصفية", - "filter-cards": "تصفية البطاقات", - "filter-clear": "مسح التصفية", - "filter-no-label": "لا يوجد ملصق", - "filter-no-member": "ليس هناك أي عضو", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "التصفية تشتغل", - "filter-on-desc": "أنت بصدد تصفية بطاقات هذه اللوحة. اضغط هنا لتعديل التصفية.", - "filter-to-selection": "تصفية بالتحديد", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "الإسم الكامل", - "header-logo-title": "الرجوع إلى صفحة اللوحات", - "hide-system-messages": "إخفاء رسائل النظام", - "headerBarCreateBoardPopup-title": "إنشاء لوحة", - "home": "الرئيسية", - "import": "Import", - "import-board": "استيراد لوحة", - "import-board-c": "استيراد لوحة", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "استيراد لوحة من ويكان", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "من تريلو", - "from-wekan": "من ويكان", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", - "import-board-instruction-wekan": "في لوحة ويكان الخاصة بك، انتقل إلى 'القائمة'، ثم 'تصدير اللوحة'، ونسخ النص في الملف الذي تم تنزيله.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "رسم خريطة الأعضاء", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "حدّد عضو ويكان", - "info": "الإصدار", - "initials": "أولية", - "invalid-date": "تاريخ غير صالح", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "انضمّ", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "اختصار لوحة المفاتيح", - "label-create": "إنشاء علامة", - "label-default": "%s علامة (افتراضية)", - "label-delete-pop": "لا يوجد تراجع. سيؤدي هذا إلى إزالة هذه العلامة من جميع بطاقات والقضاء على تأريخها", - "labels": "علامات", - "language": "لغة", - "last-admin-desc": "لا يمكن تعديل الأدوار لأن ذلك يتطلب صلاحيات المدير.", - "leave-board": "مغادرة اللوحة", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "مغادرة اللوحة ؟", - "link-card": "ربط هذه البطاقة", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "نقل بطاقات هذه القائمة", - "list-select-cards": "تحديد بطاقات هذه القائمة", - "listActionPopup-title": "قائمة الإجراءات", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "المزيد", - "link-list": "رابط إلى هذه القائمة", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "القائمات", - "swimlanes": "Swimlanes", - "log-out": "تسجيل الخروج", - "log-in": "تسجيل الدخول", - "loginPopup-title": "تسجيل الدخول", - "memberMenuPopup-title": "أفضليات الأعضاء", - "members": "أعضاء", - "menu": "القائمة", - "move-selection": "Move selection", - "moveCardPopup-title": "نقل البطاقة", - "moveCardToBottom-title": "التحرك إلى القاع", - "moveCardToTop-title": "التحرك إلى الأعلى", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "تحديد أكثر من واحدة", - "multi-selection-on": "Multi-Selection is on", - "muted": "مكتوم", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "لوحاتي", - "name": "اسم", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "لا توجد نتائج", - "normal": "عادي", - "normal-desc": "يمكن مشاهدة و تعديل البطاقات. لا يمكن تغيير إعدادات الضبط.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "اختياري", - "or": "or", - "page-maybe-private": "قدتكون هذه الصفحة خاصة . قد تستطيع مشاهدتها ب تسجيل الدخول.", - "page-not-found": "صفحة غير موجودة", - "password": "كلمة المرور", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "المشاركة", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "خاص", - "private-desc": "هذه اللوحة خاصة . لا يسمح إلا للأعضاء .", - "profile": "ملف شخصي", - "public": "عامّ", - "public-desc": "هذه اللوحة عامة: مرئية لكلّ من يحصل على الرابط ، و هي مرئية أيضا في محركات البحث مثل جوجل. التعديل مسموح به للأعضاء فقط.", - "quick-access-description": "أضف لوحة إلى المفضلة لإنشاء اختصار في هذا الشريط.", - "remove-cover": "حذف الغلاف", - "remove-from-board": "حذف من اللوحة", - "remove-label": "إزالة التصنيف", - "listDeletePopup-title": "حذف القائمة ؟", - "remove-member": "حذف العضو", - "remove-member-from-card": "حذف من البطاقة", - "remove-member-pop": "حذف __name__ (__username__) من __boardTitle__ ? سيتم حذف هذا العضو من جميع بطاقة اللوحة مع إرسال إشعار له بذاك.", - "removeMemberPopup-title": "حذف العضو ?", - "rename": "إعادة التسمية", - "rename-board": "إعادة تسمية اللوحة", - "restore": "استعادة", - "save": "حفظ", - "search": "بحث", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "اختيار اللون", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "الإكمال التلقائي للرموز التعبيرية", - "shortcut-autocomplete-members": "الإكمال التلقائي لأسماء الأعضاء", - "shortcut-clear-filters": "مسح التصفيات", - "shortcut-close-dialog": "غلق النافذة", - "shortcut-filter-my-cards": "تصفية بطاقاتي", - "shortcut-show-shortcuts": "عرض قائمة الإختصارات ،تلك", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "إظهار-إخفاء الشريط الجانبي للوحة", - "show-cards-minimum-count": "إظهار عدد البطاقات إذا كانت القائمة تتضمن أكثر من", - "sidebar-open": "فتح الشريط الجانبي", - "sidebar-close": "إغلاق الشريط الجانبي", - "signupPopup-title": "إنشاء حساب", - "star-board-title": "اضغط لإضافة هذه اللوحة إلى المفضلة . سوف يتم إظهارها على رأس بقية اللوحات.", - "starred-boards": "اللوحات المفضلة", - "starred-boards-description": "تعرض اللوحات المفضلة على رأس بقية اللوحات.", - "subscribe": "اشتراك و متابعة", - "team": "فريق", - "this-board": "هذه اللوحة", - "this-card": "هذه البطاقة", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "الوقت", - "title": "عنوان", - "tracking": "تتبع", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "إلغاء تعيين العضو", - "unsaved-description": "لديك وصف غير محفوظ", - "unwatch": "غير مُشاهد", - "upload": "Upload", - "upload-avatar": "رفع صورة شخصية", - "uploaded-avatar": "تم رفع الصورة الشخصية", - "username": "اسم المستخدم", - "view-it": "شاهدها", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "مُشاهد", - "watching": "مشاهدة", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "لوحة التّرحيب", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "المبادئ", - "welcome-list2": "متقدم", - "what-to-do": "ماذا تريد أن تنجز?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "لوحة التحكم", - "settings": "الإعدادات", - "people": "الناس", - "registration": "تسجيل", - "disable-self-registration": "Disable Self-Registration", - "invite": "دعوة", - "invite-people": "الناس المدعوين", - "to-boards": "إلى اللوحات", - "email-addresses": "عناوين البريد الإلكتروني", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "تفعيل دعم TLS من اجل خادم SMTP", - "smtp-host": "مضيف SMTP", - "smtp-port": "منفذ SMTP", - "smtp-username": "اسم المستخدم", - "smtp-password": "كلمة المرور", - "smtp-tls": "دعم التي ال سي", - "send-from": "من", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "رمز الدعوة", - "email-invite-register-subject": "__inviter__ أرسل دعوة لك", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "رمز الدعوة غير موجود", - "error-notAuthorized": "أنتَ لا تملك الصلاحيات لرؤية هذه الصفحة.", - "outgoing-webhooks": "الويبهوك الصادرة", - "outgoingWebhooksPopup-title": "الويبهوك الصادرة", - "new-outgoing-webhook": "ويبهوك جديدة ", - "no-name": "(غير معروف)", - "Wekan_version": "إصدار ويكان", - "Node_version": "إصدار النود", - "OS_Arch": "معمارية نظام التشغيل", - "OS_Cpus": "استهلاك وحدة المعالجة المركزية لنظام التشغيل", - "OS_Freemem": "الذاكرة الحرة لنظام التشغيل", - "OS_Loadavg": "متوسط حمل نظام التشغيل", - "OS_Platform": "منصة نظام التشغيل", - "OS_Release": "إصدار نظام التشغيل", - "OS_Totalmem": "الذاكرة الكلية لنظام التشغيل", - "OS_Type": "نوع نظام التشغيل", - "OS_Uptime": "مدة تشغيل نظام التشغيل", - "hours": "الساعات", - "minutes": "الدقائق", - "seconds": "الثواني", - "show-field-on-card": "Show this field on card", - "yes": "نعم", - "no": "لا", - "accounts": "الحسابات", - "accounts-allowEmailChange": "السماح بتغيير البريد الإلكتروني", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json deleted file mode 100644 index 87c914bf..00000000 --- a/i18n/bg.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Accept", - "act-activity-notify": "[Wekan] Известия за дейности", - "act-addAttachment": "прикачи __attachment__ към __card__", - "act-addChecklist": "добави списък със задачи __checklist__ към __card__", - "act-addChecklistItem": "добави __checklistItem__ към списък със задачи __checklist__ в __card__", - "act-addComment": "Коментира в __card__: __comment__", - "act-createBoard": "създаде __board__", - "act-createCard": "добави __card__ към __list__", - "act-createCustomField": "създаде собствено поле __customField__", - "act-createList": "добави __list__ към __board__", - "act-addBoardMember": "добави __member__ към __board__", - "act-archivedBoard": "__board__ беше преместен в Кошчето", - "act-archivedCard": "__card__ беше преместена в Кошчето", - "act-archivedList": "__list__ беше преместен в Кошчето", - "act-archivedSwimlane": "__swimlane__ беше преместен в Кошчето", - "act-importBoard": "импортира __board__", - "act-importCard": "импортира __card__", - "act-importList": "импортира __list__", - "act-joinMember": "добави __member__ към __card__", - "act-moveCard": "премести __card__ от __oldList__ в __list__", - "act-removeBoardMember": "премахна __member__ от __board__", - "act-restoredCard": "възстанови __card__ в __board__", - "act-unjoinMember": "премахна __member__ от __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Действия", - "activity": "Дейности", - "activity-added": "добави %s към %s", - "activity-archived": "премести %s в Кошчето", - "activity-attached": "прикачи %s към %s", - "activity-created": "създаде %s", - "activity-customfield-created": "създаде собствено поле %s", - "activity-excluded": "изключи %s от %s", - "activity-imported": "импортира %s в/във %s от %s", - "activity-imported-board": "импортира %s от %s", - "activity-joined": "се присъедини към %s", - "activity-moved": "премести %s от %s в/във %s", - "activity-on": "на %s", - "activity-removed": "премахна %s от %s", - "activity-sent": "изпрати %s до %s", - "activity-unjoined": "вече не е част от %s", - "activity-checklist-added": "добави списък със задачи към %s", - "activity-checklist-item-added": "добави точка към '%s' в/във %s", - "add": "Добави", - "add-attachment": "Добави прикачен файл", - "add-board": "Добави дъска", - "add-card": "Добави карта", - "add-swimlane": "Добави коридор", - "add-checklist": "Добави списък със задачи", - "add-checklist-item": "Добави точка към списъка със задачи", - "add-cover": "Добави корица", - "add-label": "Добави етикет", - "add-list": "Добави списък", - "add-members": "Добави членове", - "added": "Добавено", - "addMemberPopup-title": "Членове", - "admin": "Администратор", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Съобщение", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Съобщение от администратора", - "all-boards": "Всички дъски", - "and-n-other-card": "И __count__ друга карта", - "and-n-other-card_plural": "И __count__ други карти", - "apply": "Приложи", - "app-is-offline": "Wekan зарежда, моля изчакайте! Презареждането на страницата може да доведе до загуба на данни. Ако Wekan не се зареди, моля проверете дали сървъра му работи.", - "archive": "Премести в Кошчето", - "archive-all": "Премести всички в Кошчето", - "archive-board": "Премести Дъската в Кошчето", - "archive-card": "Премести Картата в Кошчето", - "archive-list": "Премести Списъка в Кошчето", - "archive-swimlane": "Премести Коридора в Кошчето", - "archive-selection": "Премести избраните в Кошчето", - "archiveBoardPopup-title": "Сигурни ли сте, че искате да преместите Дъската в Кошчето?", - "archived-items": "Кошче", - "archived-boards": "Дъски в Кошчето", - "restore-board": "Възстанови Дъската", - "no-archived-boards": "Няма Дъски в Кошчето.", - "archives": "Кошче", - "assign-member": "Възложи на член от екипа", - "attached": "прикачен", - "attachment": "Прикаченн файл", - "attachment-delete-pop": "Изтриването на прикачен файл е завинаги. Няма как да бъде възстановен.", - "attachmentDeletePopup-title": "Желаете ли да изтриете прикачения файл?", - "attachments": "Прикачени файлове", - "auto-watch": "Автоматично наблюдаване на дъските, когато са създадени", - "avatar-too-big": "Аватарът е прекалено голям (максимум 70KB)", - "back": "Назад", - "board-change-color": "Промени цвета", - "board-nb-stars": "%s звезди", - "board-not-found": "Дъската не е намерена", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Промени името на Дъската", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Промени наблюдаването", - "boardMenuPopup-title": "Меню на Дъската", - "boards": "Дъски", - "board-view": "Board View", - "board-view-swimlanes": "Коридори", - "board-view-lists": "Списъци", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "Картата е преместена в Кошчето.", - "card-comments-title": "Тази карта има %s коментар.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Готова за", - "card-due-on": "Готова за", - "card-spent": "Изработено време", - "card-edit-attachments": "Промени прикачените файлове", - "card-edit-custom-fields": "Промени собствените полета", - "card-edit-labels": "Промени етикетите", - "card-edit-members": "Промени членовете", - "card-labels-title": "Промени етикетите за картата.", - "card-members-title": "Добави или премахни членове на Дъската от тази карта.", - "card-start": "Начало", - "card-start-on": "Започва на", - "cardAttachmentsPopup-title": "Прикачи от", - "cardCustomField-datePopup-title": "Промени датата", - "cardCustomFieldsPopup-title": "Промени собствените полета", - "cardDeletePopup-title": "Желаете да изтриете картата?", - "cardDetailsActionsPopup-title": "Опции", - "cardLabelsPopup-title": "Етикети", - "cardMembersPopup-title": "Членове", - "cardMorePopup-title": "Още", - "cards": "Карти", - "cards-count": "Карти", - "change": "Промени", - "change-avatar": "Промени аватара", - "change-password": "Промени паролата", - "change-permissions": "Change permissions", - "change-settings": "Промени настройките", - "changeAvatarPopup-title": "Промени аватара", - "changeLanguagePopup-title": "Промени езика", - "changePasswordPopup-title": "Промени паролата", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Промяна на настройките", - "checklists": "Списъци със задачи", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Натиснете, за да премахнете тази дъска от любими.", - "clipboard": "Клипборда или с драг & дроп", - "close": "Затвори", - "close-board": "Затвори Дъската", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "черно", - "color-blue": "синьо", - "color-green": "зелено", - "color-lime": "лайм", - "color-orange": "оранжево", - "color-pink": "розово", - "color-purple": "пурпурно", - "color-red": "червено", - "color-sky": "светло синьо", - "color-yellow": "жълто", - "comment": "Коментирай", - "comment-placeholder": "Напиши коментар", - "comment-only": "Само коментар", - "comment-only-desc": "Може да коментира само в карти.", - "computer": "Компютър", - "confirm-checklist-delete-dialog": "Сигурни ли сте, че искате да изтриете този чеклист?", - "copy-card-link-to-clipboard": "Копирай връзката на картата в клипборда", - "copyCardPopup-title": "Копирай картата", - "copyChecklistToManyCardsPopup-title": "Копирай шаблона за чеклисти в много карти", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Чекбокс", - "custom-field-date": "Дата", - "custom-field-dropdown": "Падащо меню", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Номер", - "custom-field-text": "Текст", - "custom-fields": "Собствени полета", - "date": "Дата", - "decline": "Отказ", - "default-avatar": "Основен аватар", - "delete": "Изтрий", - "deleteCustomFieldPopup-title": "Изтриване на Собственото поле?", - "deleteLabelPopup-title": "Желаете да изтриете етикета?", - "description": "Описание", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Отказ", - "done": "Готово", - "download": "Сваляне", - "edit": "Промени", - "edit-avatar": "Промени аватара", - "edit-profile": "Промяна на профила", - "edit-wip-limit": "Промени WIP лимита", - "soft-wip-limit": "\"Мек\" WIP лимит", - "editCardStartDatePopup-title": "Промени началната дата", - "editCardDueDatePopup-title": "Промени датата за готовност", - "editCustomFieldPopup-title": "Промени Полето", - "editCardSpentTimePopup-title": "Промени изработеното време", - "editLabelPopup-title": "Промяна на Етикета", - "editNotificationPopup-title": "Промени известията", - "editProfilePopup-title": "Промяна на профила", - "email": "Имейл", - "email-enrollAccount-subject": "Ваш профил беше създаден на __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Неуспешно изпращане на имейла", - "email-fail-text": "Възникна грешка при изпращането на имейла", - "email-invalid": "Невалиден имейл", - "email-invite": "Покани чрез имейл", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Имейлът е изпратен", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Включи WIP лимита", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Имейлът е вече зает", - "export-board": "Export board", - "filter": "Филтър", - "filter-cards": "Филтрирай картите", - "filter-clear": "Премахване на филтрите", - "filter-no-label": "без етикет", - "filter-no-member": "без член", - "filter-no-custom-fields": "Няма Собствени полета", - "filter-on": "Има приложени филтри", - "filter-on-desc": "В момента филтрирате картите в тази дъска. Моля, натиснете тук, за да промените филтъра.", - "filter-to-selection": "Филтрирай избраните", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Име", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Скриване на системните съобщения", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Начало", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Избери Wekan член", - "info": "Версия", - "initials": "Инициали", - "invalid-date": "Невалидна дата", - "invalid-time": "Невалиден час", - "invalid-user": "Невалиден потребител", - "joined": "присъедини ", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Създай етикет", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Етикети", - "language": "Език", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Връзка към тази карта", - "list-archive-cards": "Премести всички карти от този списък в Кошчето", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Премести всички карти в този списък", - "list-select-cards": "Избери всички карти в този списък", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Импорт на карта от Trello", - "listMorePopup-title": "Още", - "link-list": "Връзка към този списък", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "Можете да преместите списък в Кошчето, за да го премахнете от Дъската и запазите активността.", - "lists": "Списъци", - "swimlanes": "Коридори", - "log-out": "Изход", - "log-in": "Вход", - "loginPopup-title": "Вход", - "memberMenuPopup-title": "Настройки на профила", - "members": "Членове", - "menu": "Меню", - "move-selection": "Move selection", - "moveCardPopup-title": "Премести картата", - "moveCardToBottom-title": "Премести в края", - "moveCardToTop-title": "Премести в началото", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Множествен избор", - "multi-selection-on": "Множественият избор е приложен", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "Моите дъски", - "name": "Име", - "no-archived-cards": "Няма карти в Кошчето.", - "no-archived-lists": "Няма списъци в Кошчето.", - "no-archived-swimlanes": "Няма коридори в Кошчето.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Получавате информация за всички карти, в които сте отбелязани или сте създали", - "notify-watch": "Получавате информация за всички дъски, списъци и карти, които наблюдавате", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Парола", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Профил", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Желаете да изтриете списъка?", - "remove-member": "Премахни член", - "remove-member-from-card": "Премахни от картата", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Промени името на Дъската", - "restore": "Възстанови", - "save": "Запази", - "search": "Търсене", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Избери цвят", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Въведи WIP лимит", - "shortcut-assign-self": "Добави себе си към тази карта", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Изчистване на всички филтри", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Филтрирай моите карти", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Отвори/затвори сайдбара с филтри", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Покажи бройката на картите, ако списъка съдържа повече от", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Любими дъски", - "starred-boards-description": "Любимите дъски се показват в началото на списъка Ви.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "картата", - "spent-time-hours": "Изработено време (часа)", - "overtime-hours": "Оувъртайм (часа)", - "overtime": "Оувъртайм", - "has-overtime-cards": "Има карти с оувъртайм", - "has-spenttime-cards": "Има карти с изработено време", - "time": "Време", - "title": "Title", - "tracking": "Следене", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Спри наблюдаването", - "upload": "Upload", - "upload-avatar": "Качване на аватар", - "uploaded-avatar": "Качихте аватар", - "username": "Потребителско име", - "view-it": "View it", - "warn-list-archived": "внимание: тази карта е в списък, който е в Кошчето", - "watch": "Наблюдавай", - "watching": "Наблюдава", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Невалиден WIP лимит", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Моля, преместете някои от задачите от този списък или въведете по-висок WIP лимит.", - "admin-panel": "Администраторски панел", - "settings": "Настройки", - "people": "Хора", - "registration": "Регистрация", - "disable-self-registration": "Disable Self-Registration", - "invite": "Покани", - "invite-people": "Покани хора", - "to-boards": "To board(s)", - "email-addresses": "Имейл адреси", - "smtp-host-description": "Адресът на SMTP сървъра, който обслужва Вашите имейли.", - "smtp-port-description": "Портът, който Вашият SMTP сървър използва за изходящи имейли.", - "smtp-tls-description": "Разреши TLS поддръжка за SMTP сървъра", - "smtp-host": "SMTP хост", - "smtp-port": "SMTP порт", - "smtp-username": "Потребителско име", - "smtp-password": "Парола", - "smtp-tls": "TLS поддръжка", - "send-from": "От", - "send-smtp-test": "Изпрати тестов имейл на себе си", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP тестов имейл, изпратен от Wekan", - "email-smtp-test-text": "Успешно изпратихте имейл", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Версия на Wekan", - "Node_version": "Версия на Node", - "OS_Arch": "Архитектура на ОС", - "OS_Cpus": "Брой CPU ядра", - "OS_Freemem": "Свободна памет", - "OS_Loadavg": "ОС средно натоварване", - "OS_Platform": "ОС платформа", - "OS_Release": "ОС Версия", - "OS_Totalmem": "ОС Общо памет", - "OS_Type": "Тип ОС", - "OS_Uptime": "OS Ъптайм", - "hours": "часа", - "minutes": "минути", - "seconds": "секунди", - "show-field-on-card": "Покажи това поле в картата", - "yes": "Да", - "no": "Не", - "accounts": "Профили", - "accounts-allowEmailChange": "Разреши промяна на имейла", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Създаден на", - "verified": "Потвърден", - "active": "Активен", - "card-received": "Получена", - "card-received-on": "Получена на", - "card-end": "Завършена", - "card-end-on": "Завършена на", - "editCardReceivedDatePopup-title": "Промени датата на получаване", - "editCardEndDatePopup-title": "Промени датата на завършване", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json deleted file mode 100644 index 3d424578..00000000 --- a/i18n/br.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Asantiñ", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Oberoù", - "activities": "Oberiantizoù", - "activity": "Oberiantiz", - "activity-added": "%s ouzhpennet da %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "%s liammet ouzh %s", - "activity-created": "%s krouet", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "%s enporzhiet eus %s da %s", - "activity-imported-board": "%s enporzhiet da %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Ouzhpenn", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Ouzphenn ur golo", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Ouzhpenn izili", - "added": "Ouzhpennet", - "addMemberPopup-title": "Izili", - "admin": "Merour", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Kemmañ al liv", - "board-nb-stars": "%s stered", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Diverkañ ar gartenn ?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Izili", - "cardMorePopup-title": "Muioc’h", - "cards": "Kartennoù", - "cards-count": "Kartennoù", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Kemmañ ger-tremen", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Kemmañ ger-tremen", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "du", - "color-blue": "glas", - "color-green": "gwer", - "color-lime": "melen sitroñs", - "color-orange": "orañjez", - "color-pink": "roz", - "color-purple": "mouk", - "color-red": "ruz", - "color-sky": "pers", - "color-yellow": "melen", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Krouiñ", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Diverkañ", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Graet", - "download": "Download", - "edit": "Kemmañ", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Yezh", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "Muioc’h", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Izili", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Ger-tremen", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Ger-tremen", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json deleted file mode 100644 index 249056aa..00000000 --- a/i18n/ca.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Accepta", - "act-activity-notify": "[Wekan] Notificació d'activitat", - "act-addAttachment": "adjuntat __attachment__ a __card__", - "act-addChecklist": "afegida la checklist _checklist__ a __card__", - "act-addChecklistItem": "afegit __checklistItem__ a la checklist __checklist__ on __card__", - "act-addComment": "comentat a __card__: __comment__", - "act-createBoard": "creat __board__", - "act-createCard": "afegit/da __card__ a __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "afegit/da __list__ a __board__", - "act-addBoardMember": "afegit/da __member__ a __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "__board__ importat", - "act-importCard": "__card__ importat", - "act-importList": "__list__ importat", - "act-joinMember": "afegit/da __member__ a __card__", - "act-moveCard": "mou __card__ de __oldList__ a __list__", - "act-removeBoardMember": "elimina __member__ de __board__", - "act-restoredCard": "recupera __card__ a __board__", - "act-unjoinMember": "elimina __member__ de __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Accions", - "activities": "Activitats", - "activity": "Activitat", - "activity-added": "ha afegit %s a %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "ha adjuntat %s a %s", - "activity-created": "ha creat %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "ha exclòs %s de %s", - "activity-imported": "importat %s dins %s des de %s", - "activity-imported-board": "importat %s des de %s", - "activity-joined": "s'ha unit a %s", - "activity-moved": "ha mogut %s de %s a %s", - "activity-on": "en %s", - "activity-removed": "ha eliminat %s de %s", - "activity-sent": "ha enviat %s %s", - "activity-unjoined": "desassignat %s", - "activity-checklist-added": "Checklist afegida a %s", - "activity-checklist-item-added": "afegida entrada de checklist de '%s' a %s", - "add": "Afegeix", - "add-attachment": "Afegeix adjunt", - "add-board": "Afegeix Tauler", - "add-card": "Afegeix fitxa", - "add-swimlane": "Afegix Carril de Natació", - "add-checklist": "Afegeix checklist", - "add-checklist-item": "Afegeix un ítem", - "add-cover": "Afegeix coberta", - "add-label": "Afegeix etiqueta", - "add-list": "Afegeix llista", - "add-members": "Afegeix membres", - "added": "Afegit", - "addMemberPopup-title": "Membres", - "admin": "Administrador", - "admin-desc": "Pots veure i editar fitxes, eliminar membres, i canviar la configuració del tauler", - "admin-announcement": "Bàndol", - "admin-announcement-active": "Activar bàndol del Sistema", - "admin-announcement-title": "Bàndol de l'administració", - "all-boards": "Tots els taulers", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Aplica", - "app-is-offline": "Wekan s'està carregant, esperau si us plau. Refrescar la pàgina causarà la pérdua de les dades. Si Wekan no carrega, verificau que el servei de Wekan no estigui aturat", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restaura Tauler", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assignar membre", - "attached": "adjuntat", - "attachment": "Adjunt", - "attachment-delete-pop": "L'esborrat d'un arxiu adjunt és permanent. No es pot desfer.", - "attachmentDeletePopup-title": "Esborrar adjunt?", - "attachments": "Adjunts", - "auto-watch": "Automàticament segueix el taulers quan són creats", - "avatar-too-big": "L'avatar es massa gran (70KM max)", - "back": "Enrere", - "board-change-color": "Canvia el color", - "board-nb-stars": "%s estrelles", - "board-not-found": "No s'ha trobat el tauler", - "board-private-info": "Aquest tauler serà privat .", - "board-public-info": "Aquest tauler serà públic .", - "boardChangeColorPopup-title": "Canvia fons", - "boardChangeTitlePopup-title": "Canvia el nom tauler", - "boardChangeVisibilityPopup-title": "Canvia visibilitat", - "boardChangeWatchPopup-title": "Canvia seguiment", - "boardMenuPopup-title": "Menú del tauler", - "boards": "Taulers", - "board-view": "Visió del tauler", - "board-view-swimlanes": "Carrils de Natació", - "board-view-lists": "Llistes", - "bucket-example": "Igual que “Bucket List”, per exemple", - "cancel": "Cancel·la", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "Aquesta fitxa té %s comentaris.", - "card-delete-notice": "L'esborrat és permanent. Perdreu totes les accions associades a aquesta fitxa.", - "card-delete-pop": "Totes les accions s'eliminaran de l'activitat i no podreu tornar a obrir la fitxa. No es pot desfer.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Finalitza", - "card-due-on": "Finalitza a", - "card-spent": "Temps Dedicat", - "card-edit-attachments": "Edita arxius adjunts", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edita etiquetes", - "card-edit-members": "Edita membres", - "card-labels-title": "Canvia les etiquetes de la fitxa", - "card-members-title": "Afegeix o eliminar membres del tauler des de la fitxa.", - "card-start": "Comença", - "card-start-on": "Comença a", - "cardAttachmentsPopup-title": "Adjunta des de", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Esborrar fitxa?", - "cardDetailsActionsPopup-title": "Accions de fitxes", - "cardLabelsPopup-title": "Etiquetes", - "cardMembersPopup-title": "Membres", - "cardMorePopup-title": "Més", - "cards": "Fitxes", - "cards-count": "Fitxes", - "change": "Canvia", - "change-avatar": "Canvia Avatar", - "change-password": "Canvia la clau", - "change-permissions": "Canvia permisos", - "change-settings": "Canvia configuració", - "changeAvatarPopup-title": "Canvia Avatar", - "changeLanguagePopup-title": "Canvia idioma", - "changePasswordPopup-title": "Canvia la contrasenya", - "changePermissionsPopup-title": "Canvia permisos", - "changeSettingsPopup-title": "Canvia configuració", - "checklists": "Checklists", - "click-to-star": "Fes clic per destacar aquest tauler.", - "click-to-unstar": "Fes clic per deixar de destacar aquest tauler.", - "clipboard": "Portaretalls o estirar i amollar", - "close": "Tanca", - "close-board": "Tanca tauler", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "negre", - "color-blue": "blau", - "color-green": "verd", - "color-lime": "llima", - "color-orange": "taronja", - "color-pink": "rosa", - "color-purple": "púrpura", - "color-red": "vermell", - "color-sky": "cel", - "color-yellow": "groc", - "comment": "Comentari", - "comment-placeholder": "Escriu un comentari", - "comment-only": "Només comentaris", - "comment-only-desc": "Només pots fer comentaris a les fitxes", - "computer": "Ordinador", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copia l'enllaç de la ftixa al porta-retalls", - "copyCardPopup-title": "Copia la fitxa", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Títols de fitxa i Descripcions de destí en aquest format JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Títol de la primera fitxa\", \"description\":\"Descripció de la primera fitxa\"}, {\"title\":\"Títol de la segona fitxa\",\"description\":\"Descripció de la segona fitxa\"},{\"title\":\"Títol de l'última fitxa\",\"description\":\"Descripció de l'última fitxa\"} ]", - "create": "Crea", - "createBoardPopup-title": "Crea tauler", - "chooseBoardSourcePopup-title": "Importa Tauler", - "createLabelPopup-title": "Crea etiqueta", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "Actual", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Data", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Data", - "decline": "Declina", - "default-avatar": "Avatar per defecte", - "delete": "Esborra", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Esborra etiqueta", - "description": "Descripció", - "disambiguateMultiLabelPopup-title": "Desfe l'ambigüitat en les etiquetes", - "disambiguateMultiMemberPopup-title": "Desfe l'ambigüitat en els membres", - "discard": "Descarta", - "done": "Fet", - "download": "Descarrega", - "edit": "Edita", - "edit-avatar": "Canvia Avatar", - "edit-profile": "Edita el teu Perfil", - "edit-wip-limit": "Edita el Límit de Treball en Progrès", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Canvia data d'inici", - "editCardDueDatePopup-title": "Canvia data de finalització", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Canvia temps dedicat", - "editLabelPopup-title": "Canvia etiqueta", - "editNotificationPopup-title": "Edita la notificació", - "editProfilePopup-title": "Edita teu Perfil", - "email": "Correu electrònic", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hola __user__,\n\nPer començar a utilitzar el servei, segueix l'enllaç següent.\n\n__url__\n\nGràcies.", - "email-fail": "Error enviant el correu", - "email-fail-text": "Error en intentar enviar e-mail", - "email-invalid": "Adreça de correu invàlida", - "email-invite": "Convida mitjançant correu electrònic", - "email-invite-subject": "__inviter__ t'ha convidat", - "email-invite-text": "Benvolgut __user__,\n\n __inviter__ t'ha convidat a participar al tauler \"__board__\" per col·laborar-hi.\n\nSegueix l'enllaç següent:\n\n __url__\n\n Gràcies.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hola __user__,\n \n per resetejar la teva contrasenya, segueix l'enllaç següent.\n \n __url__\n \n Gràcies.", - "email-sent": "Correu enviat", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hola __user__, \n\n per verificar el teu correu, segueix l'enllaç següent.\n\n __url__\n\n Gràcies.", - "enable-wip-limit": "Activa e Límit de Treball en Progrès", - "error-board-doesNotExist": "Aquest tauler no existeix", - "error-board-notAdmin": "Necessites ser administrador d'aquest tauler per dur a lloc aquest acció", - "error-board-notAMember": "Necessites ser membre d'aquest tauler per dur a terme aquesta acció", - "error-json-malformed": "El text no és JSON vàlid", - "error-json-schema": "La dades JSON no contenen la informació en el format correcte", - "error-list-doesNotExist": "La llista no existeix", - "error-user-doesNotExist": "L'usuari no existeix", - "error-user-notAllowSelf": "No et pots convidar a tu mateix", - "error-user-notCreated": "L'usuari no s'ha creat", - "error-username-taken": "Aquest usuari ja existeix", - "error-email-taken": "L'adreça de correu electrònic ja és en ús", - "export-board": "Exporta tauler", - "filter": "Filtre", - "filter-cards": "Fitxes de filtre", - "filter-clear": "Elimina filtre", - "filter-no-label": "Sense etiqueta", - "filter-no-member": "Sense membres", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filtra per", - "filter-on-desc": "Estau filtrant fitxes en aquest tauler. Feu clic aquí per editar el filtre.", - "filter-to-selection": "Filtra selecció", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Nom complet", - "header-logo-title": "Torna a la teva pàgina de taulers", - "hide-system-messages": "Oculta missatges del sistema", - "headerBarCreateBoardPopup-title": "Crea tauler", - "home": "Inici", - "import": "importa", - "import-board": "Importa tauler", - "import-board-c": "Importa tauler", - "import-board-title-trello": "Importa tauler des de Trello", - "import-board-title-wekan": "I", - "import-sandstorm-warning": "Estau segur que voleu esborrar aquesta checklist?", - "from-trello": "Des de Trello", - "from-wekan": "Des de Wekan", - "import-board-instruction-trello": "En el teu tauler Trello, ves a 'Menú', 'Més'.' Imprimir i Exportar', 'Exportar JSON', i copia el text resultant.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Aferra codi JSON vàlid aquí", - "import-map-members": "Mapeja el membres", - "import-members-map": "El tauler importat conté membres. Assigna els membres que vulguis importar a usuaris Wekan", - "import-show-user-mapping": "Revisa l'assignació de membres", - "import-user-select": "Selecciona l'usuari Wekan que vulguis associar a aquest membre", - "importMapMembersAddPopup-title": "Selecciona un membre de Wekan", - "info": "Versió", - "initials": "Inicials", - "invalid-date": "Data invàlida", - "invalid-time": "Temps Invàlid", - "invalid-user": "Usuari invàlid", - "joined": "s'ha unit", - "just-invited": "Has estat convidat a aquest tauler", - "keyboard-shortcuts": "Dreceres de teclat", - "label-create": "Crea etiqueta", - "label-default": "%s etiqueta (per defecte)", - "label-delete-pop": "No es pot desfer. Això eliminarà aquesta etiqueta de totes les fitxes i destruirà la seva història.", - "labels": "Etiquetes", - "language": "Idioma", - "last-admin-desc": "No podeu canviar rols perquè ha d'haver-hi almenys un administrador.", - "leave-board": "Abandona tauler", - "leave-board-pop": "De debò voleu abandonar __boardTitle__? Se us eliminarà de totes les fitxes d'aquest tauler.", - "leaveBoardPopup-title": "Abandonar Tauler?", - "link-card": "Enllaç a aquesta fitxa", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Mou totes les fitxes d'aquesta llista", - "list-select-cards": "Selecciona totes les fitxes d'aquesta llista", - "listActionPopup-title": "Accions de la llista", - "swimlaneActionPopup-title": "Accions de Carril de Natació", - "listImportCardPopup-title": "importa una fitxa de Trello", - "listMorePopup-title": "Més", - "link-list": "Enllaça a aquesta llista", - "list-delete-pop": "Totes les accions seran esborrades de la llista d'activitats i no serà possible recuperar la llista", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Llistes", - "swimlanes": "Carrils de Natació", - "log-out": "Finalitza la sessió", - "log-in": "Ingresa", - "loginPopup-title": "Inicia sessió", - "memberMenuPopup-title": "Configura membres", - "members": "Membres", - "menu": "Menú", - "move-selection": "Move selection", - "moveCardPopup-title": "Moure fitxa", - "moveCardToBottom-title": "Mou a la part inferior", - "moveCardToTop-title": "Mou a la part superior", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selecció", - "multi-selection-on": "Multi-Selecció està activada", - "muted": "En silenci", - "muted-info": "No seràs notificat dels canvis en aquest tauler", - "my-boards": "Els meus taulers", - "name": "Nom", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Sense resultats", - "normal": "Normal", - "normal-desc": "Podeu veure i editar fitxes. No podeu canviar la configuració.", - "not-accepted-yet": "La invitació no ha esta acceptada encara", - "notify-participate": "Rebre actualitzacions per a cada fitxa de la qual n'ets creador o membre", - "notify-watch": "Rebre actualitzacions per qualsevol tauler, llista o fitxa en observació", - "optional": "opcional", - "or": "o", - "page-maybe-private": "Aquesta pàgina és privada. Per veure-la entra .", - "page-not-found": "Pàgina no trobada.", - "password": "Contrasenya", - "paste-or-dragdrop": "aferra, o estira i amolla la imatge (només imatge)", - "participating": "Participant", - "preview": "Vista prèvia", - "previewAttachedImagePopup-title": "Vista prèvia", - "previewClipboardImagePopup-title": "Vista prèvia", - "private": "Privat", - "private-desc": "Aquest tauler és privat. Només les persones afegides al tauler poden veure´l i editar-lo.", - "profile": "Perfil", - "public": "Públic", - "public-desc": "Aquest tauler és públic. És visible per a qualsevol persona amb l'enllaç i es mostrarà en els motors de cerca com Google. Només persones afegides al tauler poden editar-lo.", - "quick-access-description": "Inicia un tauler per afegir un accés directe en aquest barra", - "remove-cover": "Elimina coberta", - "remove-from-board": "Elimina del tauler", - "remove-label": "Elimina l'etiqueta", - "listDeletePopup-title": "Esborrar la llista?", - "remove-member": "Elimina membre", - "remove-member-from-card": "Elimina de la fitxa", - "remove-member-pop": "Eliminar __name__ (__username__) de __boardTitle__ ? El membre serà eliminat de totes les fitxes d'aquest tauler. Ells rebran una notificació.", - "removeMemberPopup-title": "Vols suprimir el membre?", - "rename": "Canvia el nom", - "rename-board": "Canvia el nom del tauler", - "restore": "Restaura", - "save": "Desa", - "search": "Cerca", - "search-cards": "Cerca títols de fitxa i descripcions en aquest tauler", - "search-example": "Text que cercar?", - "select-color": "Selecciona color", - "set-wip-limit-value": "Limita el màxim nombre de tasques en aquesta llista", - "setWipLimitPopup-title": "Configura el Límit de Treball en Progrès", - "shortcut-assign-self": "Assigna't la ftixa actual", - "shortcut-autocomplete-emoji": "Autocompleta emoji", - "shortcut-autocomplete-members": "Autocompleta membres", - "shortcut-clear-filters": "Elimina tots els filters", - "shortcut-close-dialog": "Tanca el diàleg", - "shortcut-filter-my-cards": "Filtra les meves fitxes", - "shortcut-show-shortcuts": "Mostra aquesta lista d'accessos directes", - "shortcut-toggle-filterbar": "Canvia la barra lateral del tauler", - "shortcut-toggle-sidebar": "Canvia Sidebar del Tauler", - "show-cards-minimum-count": "Mostra contador de fitxes si la llista en conté més de", - "sidebar-open": "Mostra barra lateral", - "sidebar-close": "Amaga barra lateral", - "signupPopup-title": "Crea un compte", - "star-board-title": "Fes clic per destacar aquest tauler. Es mostrarà a la part superior de la llista de taulers.", - "starred-boards": "Taulers destacats", - "starred-boards-description": "Els taulers destacats es mostraran a la part superior de la llista de taulers.", - "subscribe": "Subscriure", - "team": "Equip", - "this-board": "aquest tauler", - "this-card": "aquesta fitxa", - "spent-time-hours": "Temps dedicat (hores)", - "overtime-hours": "Temps de més (hores)", - "overtime": "Temps de més", - "has-overtime-cards": "Té fitxes amb temps de més", - "has-spenttime-cards": "Té fitxes amb temps dedicat", - "time": "Hora", - "title": "Títol", - "tracking": "En seguiment", - "tracking-info": "Seràs notificat per cada canvi a aquelles fitxes de les que n'eres creador o membre", - "type": "Type", - "unassign-member": "Desassignar membre", - "unsaved-description": "Tens una descripció sense desar.", - "unwatch": "Suprimeix observació", - "upload": "Puja", - "upload-avatar": "Actualitza avatar", - "uploaded-avatar": "Avatar actualitzat", - "username": "Nom d'Usuari", - "view-it": "Vist", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Observa", - "watching": "En observació", - "watching-info": "Seràs notificat de cada canvi en aquest tauler", - "welcome-board": "Tauler de benvinguda", - "welcome-swimlane": "Objectiu 1", - "welcome-list1": "Bàsics", - "welcome-list2": "Avançades", - "what-to-do": "Què vols fer?", - "wipLimitErrorPopup-title": "Límit de Treball en Progrès invàlid", - "wipLimitErrorPopup-dialog-pt1": "El nombre de tasques en esta llista és superior al límit de Treball en Progrès que heu definit.", - "wipLimitErrorPopup-dialog-pt2": "Si us plau mogui algunes taques fora d'aquesta llista, o configuri un límit de Treball en Progrès superior.", - "admin-panel": "Tauler d'administració", - "settings": "Configuració", - "people": "Persones", - "registration": "Registre", - "disable-self-registration": "Deshabilita Auto-Registre", - "invite": "Convida", - "invite-people": "Convida a persones", - "to-boards": "Al tauler(s)", - "email-addresses": "Adreça de correu", - "smtp-host-description": "L'adreça del vostre servidor SMTP.", - "smtp-port-description": "El port del vostre servidor SMTP.", - "smtp-tls-description": "Activa suport TLS pel servidor SMTP", - "smtp-host": "Servidor SMTP", - "smtp-port": "Port SMTP", - "smtp-username": "Nom d'Usuari", - "smtp-password": "Contrasenya", - "smtp-tls": "Suport TLS", - "send-from": "De", - "send-smtp-test": "Envia't un correu electrònic de prova", - "invitation-code": "Codi d'invitació", - "email-invite-register-subject": "__inviter__ t'ha convidat", - "email-invite-register-text": " __user__,\n\n __inviter__ us ha convidat a col·laborar a Wekan.\n\n Clicau l'enllaç següent per acceptar l'invitació:\n __url__\n\n El vostre codi d'invitació és: __icode__\n\n Gràcies", - "email-smtp-test-subject": "Correu de Prova SMTP de Wekan", - "email-smtp-test-text": "Has enviat un missatge satisfactòriament", - "error-invitation-code-not-exist": "El codi d'invitació no existeix", - "error-notAuthorized": "No estau autoritzats per veure aquesta pàgina", - "outgoing-webhooks": "Webhooks sortints", - "outgoingWebhooksPopup-title": "Webhooks sortints", - "new-outgoing-webhook": "Nou Webook sortint", - "no-name": "Importa tauler des de Wekan", - "Wekan_version": "Versió Wekan", - "Node_version": "Versió Node", - "OS_Arch": "Arquitectura SO", - "OS_Cpus": "Plataforma SO", - "OS_Freemem": "Memòria lliure", - "OS_Loadavg": "Carrega de SO", - "OS_Platform": "Plataforma de SO", - "OS_Release": "Versió SO", - "OS_Totalmem": "Memòria total", - "OS_Type": "Tipus de SO", - "OS_Uptime": "Temps d'activitat", - "hours": "hores", - "minutes": "minuts", - "seconds": "segons", - "show-field-on-card": "Show this field on card", - "yes": "Si", - "no": "No", - "accounts": "Comptes", - "accounts-allowEmailChange": "Permet modificar correu electrònic", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Creat ", - "verified": "Verificat", - "active": "Actiu", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json deleted file mode 100644 index 97e02e06..00000000 --- a/i18n/cs.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Přijmout", - "act-activity-notify": "[Wekan] Notifikace aktivit", - "act-addAttachment": "přiložen __attachment__ do __card__", - "act-addChecklist": "přidán checklist __checklist__ do __card__", - "act-addChecklistItem": "přidán __checklistItem__ do checklistu __checklist__ v __card__", - "act-addComment": "komentář k __card__: __comment__", - "act-createBoard": "přidání __board__", - "act-createCard": "přidání __card__ do __list__", - "act-createCustomField": "vytvořeno vlastní pole __customField__", - "act-createList": "přidání __list__ do __board__", - "act-addBoardMember": "přidání __member__ do __board__", - "act-archivedBoard": "__board__ bylo přesunuto do koše", - "act-archivedCard": "__card__ bylo přesunuto do koše", - "act-archivedList": "__list__ bylo přesunuto do koše", - "act-archivedSwimlane": "__swimlane__ bylo přesunuto do koše", - "act-importBoard": "import __board__", - "act-importCard": "import __card__", - "act-importList": "import __list__", - "act-joinMember": "přidání __member__ do __card__", - "act-moveCard": "přesun __card__ z __oldList__ do __list__", - "act-removeBoardMember": "odstranění __member__ z __board__", - "act-restoredCard": "obnovení __card__ do __board__", - "act-unjoinMember": "odstranění __member__ z __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Akce", - "activities": "Aktivity", - "activity": "Aktivita", - "activity-added": "%s přidáno k %s", - "activity-archived": "%s bylo přesunuto do koše", - "activity-attached": "přiloženo %s k %s", - "activity-created": "%s vytvořeno", - "activity-customfield-created": "vytvořeno vlastní pole %s", - "activity-excluded": "%s vyjmuto z %s", - "activity-imported": "importován %s do %s z %s", - "activity-imported-board": "importován %s z %s", - "activity-joined": "spojen %s", - "activity-moved": "%s přesunuto z %s do %s", - "activity-on": "na %s", - "activity-removed": "odstraněn %s z %s", - "activity-sent": "%s posláno na %s", - "activity-unjoined": "odpojen %s", - "activity-checklist-added": "přidán checklist do %s", - "activity-checklist-item-added": "přidána položka checklist do '%s' v %s", - "add": "Přidat", - "add-attachment": "Přidat přílohu", - "add-board": "Přidat tablo", - "add-card": "Přidat kartu", - "add-swimlane": "Přidat Swimlane", - "add-checklist": "Přidat zaškrtávací seznam", - "add-checklist-item": "Přidat položku do zaškrtávacího seznamu", - "add-cover": "Přidat obal", - "add-label": "Přidat štítek", - "add-list": "Přidat list", - "add-members": "Přidat členy", - "added": "Přidán", - "addMemberPopup-title": "Členové", - "admin": "Administrátor", - "admin-desc": "Může zobrazovat a upravovat karty, mazat členy a měnit nastavení tabla.", - "admin-announcement": "Oznámení", - "admin-announcement-active": "Aktivní oznámení v celém systému", - "admin-announcement-title": "Oznámení od administrátora", - "all-boards": "Všechna tabla", - "and-n-other-card": "A __count__ další karta(y)", - "and-n-other-card_plural": "A __count__ dalších karet", - "apply": "Použít", - "app-is-offline": "Wekan se načítá, prosím čekejte. Obnovení stránky způsobí ztrátu dat. Pokud se Wekan nenačte, zkontrolujte prosím, jestli se server s Wekanem nezastavil.", - "archive": "Přesunout do koše", - "archive-all": "Přesunout všechno do koše", - "archive-board": "Přesunout tablo do koše", - "archive-card": "Přesunout kartu do koše", - "archive-list": "Přesunout seznam do koše", - "archive-swimlane": "Přesunout swimlane do koše", - "archive-selection": "Přesunout výběr do koše", - "archiveBoardPopup-title": "Chcete přesunout tablo do koše?", - "archived-items": "Koš", - "archived-boards": "Tabla v koši", - "restore-board": "Obnovit tablo", - "no-archived-boards": "Žádná tabla v koši", - "archives": "Koš", - "assign-member": "Přiřadit člena", - "attached": "přiloženo", - "attachment": "Příloha", - "attachment-delete-pop": "Smazání přílohy je trvalé. Nejde vrátit zpět.", - "attachmentDeletePopup-title": "Smazat přílohu?", - "attachments": "Přílohy", - "auto-watch": "Automaticky sleduj tabla když jsou vytvořena", - "avatar-too-big": "Avatar obrázek je příliš velký (70KB max)", - "back": "Zpět", - "board-change-color": "Změnit barvu", - "board-nb-stars": "%s hvězdiček", - "board-not-found": "Tablo nenalezeno", - "board-private-info": "Toto tablo bude soukromé.", - "board-public-info": "Toto tablo bude veřejné.", - "boardChangeColorPopup-title": "Změnit pozadí tabla", - "boardChangeTitlePopup-title": "Přejmenovat tablo", - "boardChangeVisibilityPopup-title": "Upravit viditelnost", - "boardChangeWatchPopup-title": "Změnit sledování", - "boardMenuPopup-title": "Menu tabla", - "boards": "Tabla", - "board-view": "Náhled tabla", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Seznamy", - "bucket-example": "Například \"Než mě odvedou\"", - "cancel": "Zrušit", - "card-archived": "Karta byla přesunuta do koše.", - "card-comments-title": "Tato karta má %s komentářů.", - "card-delete-notice": "Smazání je trvalé. Přijdete o všechny akce asociované s touto kartou.", - "card-delete-pop": "Všechny akce budou odstraněny z kanálu aktivity a nebude možné kartu znovu otevřít. Toto nelze vrátit zpět.", - "card-delete-suggest-archive": "Kartu můžete přesunout do koše a tím ji odstranit z tabla a přitom zachovat aktivity.", - "card-due": "Termín", - "card-due-on": "Do", - "card-spent": "Strávený čas", - "card-edit-attachments": "Upravit přílohy", - "card-edit-custom-fields": "Upravit vlastní pole", - "card-edit-labels": "Upravit štítky", - "card-edit-members": "Upravit členy", - "card-labels-title": "Změnit štítky karty.", - "card-members-title": "Přidat nebo odstranit členy tohoto tabla z karty.", - "card-start": "Start", - "card-start-on": "Začít dne", - "cardAttachmentsPopup-title": "Přiložit formulář", - "cardCustomField-datePopup-title": "Změnit datum", - "cardCustomFieldsPopup-title": "Upravit vlastní pole", - "cardDeletePopup-title": "Smazat kartu?", - "cardDetailsActionsPopup-title": "Akce karty", - "cardLabelsPopup-title": "Štítky", - "cardMembersPopup-title": "Členové", - "cardMorePopup-title": "Více", - "cards": "Karty", - "cards-count": "Karty", - "change": "Změnit", - "change-avatar": "Změnit avatar", - "change-password": "Změnit heslo", - "change-permissions": "Změnit oprávnění", - "change-settings": "Změnit nastavení", - "changeAvatarPopup-title": "Změnit avatar", - "changeLanguagePopup-title": "Změnit jazyk", - "changePasswordPopup-title": "Změnit heslo", - "changePermissionsPopup-title": "Změnit oprávnění", - "changeSettingsPopup-title": "Změnit nastavení", - "checklists": "Checklisty", - "click-to-star": "Kliknutím přidat hvězdičku tomuto tablu.", - "click-to-unstar": "Kliknutím odebrat hvězdičku tomuto tablu.", - "clipboard": "Schránka nebo potáhnout a pustit", - "close": "Zavřít", - "close-board": "Zavřít tablo", - "close-board-pop": "Kliknutím na tlačítko \"Recyklovat\" budete moci obnovit tablo z koše.", - "color-black": "černá", - "color-blue": "modrá", - "color-green": "zelená", - "color-lime": "světlezelená", - "color-orange": "oranžová", - "color-pink": "růžová", - "color-purple": "fialová", - "color-red": "červená", - "color-sky": "nebeská", - "color-yellow": "žlutá", - "comment": "Komentář", - "comment-placeholder": "Text komentáře", - "comment-only": "Pouze komentáře", - "comment-only-desc": "Může přidávat komentáře pouze do karet.", - "computer": "Počítač", - "confirm-checklist-delete-dialog": "Opravdu chcete smazat tento checklist?", - "copy-card-link-to-clipboard": "Kopírovat adresu karty do mezipaměti", - "copyCardPopup-title": "Kopírovat kartu", - "copyChecklistToManyCardsPopup-title": "Kopírovat checklist do více karet", - "copyChecklistToManyCardsPopup-instructions": "Názvy a popisy cílové karty v tomto formátu JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Nadpis první karty\", \"description\":\"Popis druhé karty\"}, {\"title\":\"Nadpis druhé karty\",\"description\":\"Popis druhé karty\"},{\"title\":\"Nadpis poslední kary\",\"description\":\"Popis poslední karty\"} ]", - "create": "Vytvořit", - "createBoardPopup-title": "Vytvořit tablo", - "chooseBoardSourcePopup-title": "Importovat tablo", - "createLabelPopup-title": "Vytvořit štítek", - "createCustomField": "Vytvořit pole", - "createCustomFieldPopup-title": "Vytvořit pole", - "current": "Aktuální", - "custom-field-delete-pop": "Nelze vrátit zpět. Toto odebere toto vlastní pole ze všech karet a zničí jeho historii.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Datum", - "custom-field-dropdown": "Rozbalovací seznam", - "custom-field-dropdown-none": "(prázdné)", - "custom-field-dropdown-options": "Seznam možností", - "custom-field-dropdown-options-placeholder": "Stiskněte enter pro přidání více možností", - "custom-field-dropdown-unknown": "(neznámé)", - "custom-field-number": "Číslo", - "custom-field-text": "Text", - "custom-fields": "Vlastní pole", - "date": "Datum", - "decline": "Zamítnout", - "default-avatar": "Výchozí avatar", - "delete": "Smazat", - "deleteCustomFieldPopup-title": "Smazat vlastní pole", - "deleteLabelPopup-title": "Smazat štítek?", - "description": "Popis", - "disambiguateMultiLabelPopup-title": "Dvojznačný štítek akce", - "disambiguateMultiMemberPopup-title": "Dvojznačná akce člena", - "discard": "Zahodit", - "done": "Hotovo", - "download": "Stáhnout", - "edit": "Upravit", - "edit-avatar": "Změnit avatar", - "edit-profile": "Upravit profil", - "edit-wip-limit": "Upravit WIP Limit", - "soft-wip-limit": "Mírný WIP limit", - "editCardStartDatePopup-title": "Změnit datum startu úkolu", - "editCardDueDatePopup-title": "Změnit datum dokončení úkolu", - "editCustomFieldPopup-title": "Upravit pole", - "editCardSpentTimePopup-title": "Změnit strávený čas", - "editLabelPopup-title": "Změnit štítek", - "editNotificationPopup-title": "Změnit notifikace", - "editProfilePopup-title": "Upravit profil", - "email": "Email", - "email-enrollAccount-subject": "Byl vytvořen účet na __siteName__", - "email-enrollAccount-text": "Ahoj __user__,\n\nMůžeš začít používat službu kliknutím na odkaz níže.\n\n__url__\n\nDěkujeme.", - "email-fail": "Odeslání emailu selhalo", - "email-fail-text": "Chyba při pokusu o odeslání emailu", - "email-invalid": "Neplatný email", - "email-invite": "Pozvat pomocí emailu", - "email-invite-subject": "__inviter__ odeslal pozvánku", - "email-invite-text": "Ahoj __user__,\n\n__inviter__ tě přizval ke spolupráci na tablu \"__board__\".\n\nNásleduj prosím odkaz níže:\n\n__url__\n\nDěkujeme.", - "email-resetPassword-subject": "Změň své heslo na __siteName__", - "email-resetPassword-text": "Ahoj __user__,\n\nPro změnu hesla klikni na odkaz níže.\n\n__url__\n\nDěkujeme.", - "email-sent": "Email byl odeslán", - "email-verifyEmail-subject": "Ověř svou emailovou adresu na", - "email-verifyEmail-text": "Ahoj __user__,\n\nPro ověření emailové adresy klikni na odkaz níže.\n\n__url__\n\nDěkujeme.", - "enable-wip-limit": "Povolit WIP Limit", - "error-board-doesNotExist": "Toto tablo neexistuje", - "error-board-notAdmin": "K provedení změny musíš být administrátor tohoto tabla", - "error-board-notAMember": "K provedení změny musíš být členem tohoto tabla", - "error-json-malformed": "Tvůj text není validní JSON", - "error-json-schema": "Tato JSON data neobsahují správné informace v platném formátu", - "error-list-doesNotExist": "Tento seznam neexistuje", - "error-user-doesNotExist": "Tento uživatel neexistuje", - "error-user-notAllowSelf": "Nemůžeš pozvat sám sebe", - "error-user-notCreated": "Tento uživatel není vytvořen", - "error-username-taken": "Toto uživatelské jméno již existuje", - "error-email-taken": "Tento email byl již použit", - "export-board": "Exportovat tablo", - "filter": "Filtr", - "filter-cards": "Filtrovat karty", - "filter-clear": "Vyčistit filtr", - "filter-no-label": "Žádný štítek", - "filter-no-member": "Žádný člen", - "filter-no-custom-fields": "Žádné vlastní pole", - "filter-on": "Filtr je zapnut", - "filter-on-desc": "Filtrujete karty tohoto tabla. Pro úpravu filtru klikni sem.", - "filter-to-selection": "Filtrovat výběr", - "advanced-filter-label": "Pokročilý filtr", - "advanced-filter-description": "Pokročilý filtr dovoluje zapsat řetězec následujících operátorů: == != <= >= && || () Operátory jsou odděleny mezerou. Můžete filtrovat všechny vlastní pole zadáním jejich názvů nebo hodnot. Například: Pole1 == Hodnota1. Poznámka: Pokud pole nebo hodnoty obsahují mezery, je potřeba je obalit v jednoduchých uvozovkách. Například: 'Pole 1' == 'Hodnota 1'. Můžete také kombinovat více podmínek. Například P1 == H1 || P1 == H2. Obvykle jsou operátory interpretovány zleva doprava. Jejich pořadí můžete měnit pomocí závorek. Například: P1 == H1 && (P2 == H2 || P2 == H3 )", - "fullname": "Celé jméno", - "header-logo-title": "Jit zpět na stránku s tably.", - "hide-system-messages": "Skrýt systémové zprávy", - "headerBarCreateBoardPopup-title": "Vytvořit tablo", - "home": "Domů", - "import": "Import", - "import-board": "Importovat tablo", - "import-board-c": "Importovat tablo", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Importovat tablo z Wekanu", - "import-sandstorm-warning": "Importované tablo spaže všechny existující data v tablu a nahradí je importovaným tablem.", - "from-trello": "Z Trella", - "from-wekan": "Z Wekanu", - "import-board-instruction-trello": "Na svém Trello tablu, otevři 'Menu', pak 'More', 'Print and Export', 'Export JSON', a zkopíruj výsledný text", - "import-board-instruction-wekan": "Ve vašem Wekan tablu jděte do 'Menu', klikněte na 'Exportovat tablo' a zkopírujte text ze staženého souboru.", - "import-json-placeholder": "Sem vlož validní JSON data", - "import-map-members": "Mapovat členy", - "import-members-map": "Toto importované tablo obsahuje několik členů. Namapuj členy z importu na uživatelské účty Wekan.", - "import-show-user-mapping": "Zkontrolovat namapování členů", - "import-user-select": "Vyber uživatele Wekan, kterého chceš použít pro tohoto člena", - "importMapMembersAddPopup-title": "Vybrat Wekan uživatele", - "info": "Verze", - "initials": "Iniciály", - "invalid-date": "Neplatné datum", - "invalid-time": "Neplatný čas", - "invalid-user": "Neplatný uživatel", - "joined": "spojeno", - "just-invited": "Právě jsi byl pozván(a) do tohoto tabla", - "keyboard-shortcuts": "Klávesové zkratky", - "label-create": "Vytvořit štítek", - "label-default": "%s štítek (výchozí)", - "label-delete-pop": "Nelze vrátit zpět. Toto odebere tento štítek ze všech karet a zničí jeho historii.", - "labels": "Štítky", - "language": "Jazyk", - "last-admin-desc": "Nelze změnit role, protože musí existovat alespoň jeden administrátor.", - "leave-board": "Opustit tablo", - "leave-board-pop": "Opravdu chcete opustit tablo __boardTitle__? Odstraníte se tím i ze všech karet v tomto tablu.", - "leaveBoardPopup-title": "Opustit tablo?", - "link-card": "Odkázat na tuto kartu", - "list-archive-cards": "Přesunout všechny karty v tomto seznamu do koše", - "list-archive-cards-pop": "Toto odstraní z tabla všechny karty z tohoto seznamu. Pro zobrazení karet v koši a jejich opětovné obnovení, klikni v \"Menu\" > \"Archivované položky\".", - "list-move-cards": "Přesunout všechny karty v tomto seznamu", - "list-select-cards": "Vybrat všechny karty v tomto seznamu", - "listActionPopup-title": "Vypsat akce", - "swimlaneActionPopup-title": "Akce swimlane", - "listImportCardPopup-title": "Importovat Trello kartu", - "listMorePopup-title": "Více", - "link-list": "Odkaz na tento seznam", - "list-delete-pop": "Všechny akce budou odstraněny z kanálu aktivity a nebude možné kartu obnovit. Toto nelze vrátit zpět.", - "list-delete-suggest-archive": "Kartu můžete přesunout do koše a tím ji odstranit z tabla a přitom zachovat aktivity.", - "lists": "Seznamy", - "swimlanes": "Swimlanes", - "log-out": "Odhlásit", - "log-in": "Přihlásit", - "loginPopup-title": "Přihlásit", - "memberMenuPopup-title": "Nastavení uživatele", - "members": "Členové", - "menu": "Menu", - "move-selection": "Přesunout výběr", - "moveCardPopup-title": "Přesunout kartu", - "moveCardToBottom-title": "Přesunout dolu", - "moveCardToTop-title": "Přesunout nahoru", - "moveSelectionPopup-title": "Přesunout výběr", - "multi-selection": "Multi-výběr", - "multi-selection-on": "Multi-výběr je zapnut", - "muted": "Umlčeno", - "muted-info": "Nikdy nedostanete oznámení o změně v tomto tablu.", - "my-boards": "Moje tabla", - "name": "Jméno", - "no-archived-cards": "Žádné karty v koši", - "no-archived-lists": "Žádné seznamy v koši", - "no-archived-swimlanes": "Žádné swimlane v koši", - "no-results": "Žádné výsledky", - "normal": "Normální", - "normal-desc": "Může zobrazovat a upravovat karty. Nemůže měnit nastavení.", - "not-accepted-yet": "Pozvánka ještě nebyla přijmuta", - "notify-participate": "Dostane aktualizace do všech karet, ve kterých se účastní jako tvůrce nebo člen", - "notify-watch": "Dostane aktualitace to všech tabel, seznamů nebo karet, které sledujete", - "optional": "volitelný", - "or": "nebo", - "page-maybe-private": "Tato stránka může být soukromá. Můžete ji zobrazit po přihlášení.", - "page-not-found": "Stránka nenalezena.", - "password": "Heslo", - "paste-or-dragdrop": "vložit, nebo přetáhnout a pustit soubor obrázku (pouze obrázek)", - "participating": "Zúčastnění", - "preview": "Náhled", - "previewAttachedImagePopup-title": "Náhled", - "previewClipboardImagePopup-title": "Náhled", - "private": "Soukromý", - "private-desc": "Toto tablo je soukromé. Pouze vybraní uživatelé ho mohou zobrazit a upravovat.", - "profile": "Profil", - "public": "Veřejný", - "public-desc": "Toto tablo je veřejné. Je viditelné pro každého, kdo na něj má odkaz a bude zobrazeno ve vyhledávačích jako je Google. Pouze vybraní uživatelé ho mohou upravovat.", - "quick-access-description": "Pro přidání odkazu do této lišty označ tablo hvězdičkou.", - "remove-cover": "Odstranit obal", - "remove-from-board": "Odstranit z tabla", - "remove-label": "Odstranit štítek", - "listDeletePopup-title": "Smazat seznam?", - "remove-member": "Odebrat uživatele", - "remove-member-from-card": "Odstranit z karty", - "remove-member-pop": "Odstranit __name__ (__username__) z __boardTitle__? Uživatel bude odebrán ze všech karet na tomto tablu. Na tuto skutečnost bude upozorněn.", - "removeMemberPopup-title": "Odstranit člena?", - "rename": "Přejmenovat", - "rename-board": "Přejmenovat tablo", - "restore": "Obnovit", - "save": "Uložit", - "search": "Hledat", - "search-cards": "Hledat nadpisy a popisy karet v tomto tablu", - "search-example": "Hledaný text", - "select-color": "Vybrat barvu", - "set-wip-limit-value": "Nastaví limit pro maximální počet úkolů v seznamu.", - "setWipLimitPopup-title": "Nastavit WIP Limit", - "shortcut-assign-self": "Přiřadit sebe k aktuální kartě", - "shortcut-autocomplete-emoji": "Automatické dokončování emoji", - "shortcut-autocomplete-members": "Automatický výběr uživatel", - "shortcut-clear-filters": "Vyčistit všechny filtry", - "shortcut-close-dialog": "Zavřít dialog", - "shortcut-filter-my-cards": "Filtrovat mé karty", - "shortcut-show-shortcuts": "Otevřít tento seznam odkazů", - "shortcut-toggle-filterbar": "Přepnout lištu filtrování", - "shortcut-toggle-sidebar": "Přepnout lištu tabla", - "show-cards-minimum-count": "Zobrazit počet karet pokud seznam obsahuje více než ", - "sidebar-open": "Otevřít boční panel", - "sidebar-close": "Zavřít boční panel", - "signupPopup-title": "Vytvořit účet", - "star-board-title": "Kliknutím přidat tablu hvězdičku. Poté bude zobrazeno navrchu seznamu.", - "starred-boards": "Tabla s hvězdičkou", - "starred-boards-description": "Tabla s hvězdičkou jsou zobrazena navrchu seznamu.", - "subscribe": "Odebírat", - "team": "Tým", - "this-board": "toto tablo", - "this-card": "tuto kartu", - "spent-time-hours": "Strávený čas (hodiny)", - "overtime-hours": "Přesčas (hodiny)", - "overtime": "Přesčas", - "has-overtime-cards": "Obsahuje karty s přesčasy", - "has-spenttime-cards": "Obsahuje karty se stráveným časem", - "time": "Čas", - "title": "Název", - "tracking": "Pozorující", - "tracking-info": "Budete informováni o všech změnách v kartách, u kterých jste tvůrce nebo člen.", - "type": "Typ", - "unassign-member": "Vyřadit člena", - "unsaved-description": "Popis neni uložen.", - "unwatch": "Přestat sledovat", - "upload": "Nahrát", - "upload-avatar": "Nahrát avatar", - "uploaded-avatar": "Avatar nahrán", - "username": "Uživatelské jméno", - "view-it": "Zobrazit", - "warn-list-archived": "varování: tuto kartu obsahuje seznam v koši", - "watch": "Sledovat", - "watching": "Sledující", - "watching-info": "Bude vám oznámena každá změna v tomto tablu", - "welcome-board": "Uvítací tablo", - "welcome-swimlane": "Milník 1", - "welcome-list1": "Základní", - "welcome-list2": "Pokročilé", - "what-to-do": "Co chcete dělat?", - "wipLimitErrorPopup-title": "Neplatný WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "Počet úkolů v tomto seznamu je vyšší než definovaný WIP limit.", - "wipLimitErrorPopup-dialog-pt2": "Přesuňte prosím některé úkoly mimo tento seznam, nebo nastavte vyšší WIP limit.", - "admin-panel": "Administrátorský panel", - "settings": "Nastavení", - "people": "Lidé", - "registration": "Registrace", - "disable-self-registration": "Vypnout svévolnou registraci", - "invite": "Pozvánka", - "invite-people": "Pozvat lidi", - "to-boards": "Do tabel", - "email-addresses": "Emailové adresy", - "smtp-host-description": "Adresa SMTP serveru, který zpracovává vaše emaily.", - "smtp-port-description": "Port, který používá Váš SMTP server pro odchozí emaily.", - "smtp-tls-description": "Zapnout TLS podporu pro SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Uživatelské jméno", - "smtp-password": "Heslo", - "smtp-tls": "podpora TLS", - "send-from": "Od", - "send-smtp-test": "Poslat si zkušební email.", - "invitation-code": "Kód pozvánky", - "email-invite-register-subject": "__inviter__ odeslal pozvánku", - "email-invite-register-text": "Ahoj __user__,\n\n__inviter__ tě přizval ke spolupráci ve Wekanu.\n\nNásleduj prosím odkaz níže:\n\n__url__\n\nKód Tvé pozvánky je: __icode__\n\nDěkujeme.", - "email-smtp-test-subject": "SMTP Testovací email z Wekanu", - "email-smtp-test-text": "Email byl úspěšně odeslán", - "error-invitation-code-not-exist": "Kód pozvánky neexistuje.", - "error-notAuthorized": "Nejste autorizován k prohlížení této stránky.", - "outgoing-webhooks": "Odchozí Webhooky", - "outgoingWebhooksPopup-title": "Odchozí Webhooky", - "new-outgoing-webhook": "Nové odchozí Webhooky", - "no-name": "(Neznámé)", - "Wekan_version": "Wekan verze", - "Node_version": "Node verze", - "OS_Arch": "OS Architektura", - "OS_Cpus": "OS Počet CPU", - "OS_Freemem": "OS Volná paměť", - "OS_Loadavg": "OS Průměrná zátěž systém", - "OS_Platform": "Platforma OS", - "OS_Release": "Verze OS", - "OS_Totalmem": "OS Celková paměť", - "OS_Type": "Typ OS", - "OS_Uptime": "OS Doba běhu systému", - "hours": "hodin", - "minutes": "minut", - "seconds": "sekund", - "show-field-on-card": "Ukázat toto pole na kartě", - "yes": "Ano", - "no": "Ne", - "accounts": "Účty", - "accounts-allowEmailChange": "Povolit změnu Emailu", - "accounts-allowUserNameChange": "Povolit změnu uživatelského jména", - "createdAt": "Vytvořeno v", - "verified": "Ověřen", - "active": "Aktivní", - "card-received": "Přijato", - "card-received-on": "Přijaté v", - "card-end": "Konec", - "card-end-on": "Končí v", - "editCardReceivedDatePopup-title": "Změnit datum přijetí", - "editCardEndDatePopup-title": "Změnit datum konce", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Smazat tablo?", - "delete-board": "Smazat tablo" -} \ No newline at end of file diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json deleted file mode 100644 index 2c0e8baf..00000000 --- a/i18n/de.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Akzeptieren", - "act-activity-notify": "[Wekan] Aktivitätsbenachrichtigung", - "act-addAttachment": "hat __attachment__ an __card__ angehängt", - "act-addChecklist": "hat die Checkliste __checklist__ zu __card__ hinzugefügt", - "act-addChecklistItem": "hat __checklistItem__ zur Checkliste __checklist__ in __card__ hinzugefügt", - "act-addComment": "hat __card__ kommentiert: __comment__", - "act-createBoard": "hat __board__ erstellt", - "act-createCard": "hat __card__ zu __list__ hinzugefügt", - "act-createCustomField": "benutzerdefiniertes Feld __customField__ angelegt", - "act-createList": "hat __list__ zu __board__ hinzugefügt", - "act-addBoardMember": "hat __member__ zu __board__ hinzugefügt", - "act-archivedBoard": "__board__ in den Papierkorb verschoben", - "act-archivedCard": "__card__ in den Papierkorb verschoben", - "act-archivedList": "__list__ in den Papierkorb verschoben", - "act-archivedSwimlane": "__swimlane__ in den Papierkorb verschoben", - "act-importBoard": "hat __board__ importiert", - "act-importCard": "hat __card__ importiert", - "act-importList": "hat __list__ importiert", - "act-joinMember": "hat __member__ zu __card__ hinzugefügt", - "act-moveCard": "hat __card__ von __oldList__ nach __list__ verschoben", - "act-removeBoardMember": "hat __member__ von __board__ entfernt", - "act-restoredCard": "hat __card__ in __board__ wiederhergestellt", - "act-unjoinMember": "hat __member__ von __card__ entfernt", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Aktionen", - "activities": "Aktivitäten", - "activity": "Aktivität", - "activity-added": "hat %s zu %s hinzugefügt", - "activity-archived": "hat %s in den Papierkorb verschoben", - "activity-attached": "hat %s an %s angehängt", - "activity-created": "hat %s erstellt", - "activity-customfield-created": "hat das benutzerdefinierte Feld %s erstellt", - "activity-excluded": "hat %s von %s ausgeschlossen", - "activity-imported": "hat %s in %s von %s importiert", - "activity-imported-board": "hat %s von %s importiert", - "activity-joined": "ist %s beigetreten", - "activity-moved": "hat %s von %s nach %s verschoben", - "activity-on": "in %s", - "activity-removed": "hat %s von %s entfernt", - "activity-sent": "hat %s an %s gesendet", - "activity-unjoined": "hat %s verlassen", - "activity-checklist-added": "hat eine Checkliste zu %s hinzugefügt", - "activity-checklist-item-added": "hat eine Checklistenposition zu '%s' in %s hinzugefügt", - "add": "Hinzufügen", - "add-attachment": "Datei anhängen", - "add-board": "neues Board", - "add-card": "Karte hinzufügen", - "add-swimlane": "Swimlane hinzufügen", - "add-checklist": "Checkliste hinzufügen", - "add-checklist-item": "Position zu einer Checkliste hinzufügen", - "add-cover": "Cover hinzufügen", - "add-label": "Label hinzufügen", - "add-list": "Liste hinzufügen", - "add-members": "Mitglieder hinzufügen", - "added": "Hinzugefügt", - "addMemberPopup-title": "Mitglieder", - "admin": "Admin", - "admin-desc": "Kann Karten anzeigen und bearbeiten, Mitglieder entfernen und Boardeinstellungen ändern.", - "admin-announcement": "Ankündigung", - "admin-announcement-active": "Aktive systemweite Ankündigungen", - "admin-announcement-title": "Ankündigung des Administrators", - "all-boards": "Alle Boards", - "and-n-other-card": "und eine andere Karte", - "and-n-other-card_plural": "und __count__ andere Karten", - "apply": "Übernehmen", - "app-is-offline": "Wekan lädt gerade, bitte warten Sie. Wenn Sie die Seite neu laden, gehen nicht übertragene Änderungen verloren. Sollte Wekan nicht geladen werden, überprüfen Sie bitte, ob der Server noch läuft.", - "archive": "In den Papierkorb verschieben", - "archive-all": "Alles in den Papierkorb verschieben", - "archive-board": "Board in den Papierkorb verschieben", - "archive-card": "Karte in den Papierkorb verschieben", - "archive-list": "Liste in den Papierkorb verschieben", - "archive-swimlane": "Swimlane in den Papierkorb verschieben", - "archive-selection": "Auswahl in den Papierkorb verschieben", - "archiveBoardPopup-title": "Board in den Papierkorb verschieben?", - "archived-items": "Papierkorb", - "archived-boards": "Boards im Papierkorb", - "restore-board": "Board wiederherstellen", - "no-archived-boards": "Keine Boards im Papierkorb.", - "archives": "Papierkorb", - "assign-member": "Mitglied zuweisen", - "attached": "angehängt", - "attachment": "Anhang", - "attachment-delete-pop": "Das Löschen eines Anhangs kann nicht rückgängig gemacht werden.", - "attachmentDeletePopup-title": "Anhang löschen?", - "attachments": "Anhänge", - "auto-watch": "Neue Boards nach Erstellung automatisch beobachten", - "avatar-too-big": "Das Profilbild ist zu groß (max. 70KB)", - "back": "Zurück", - "board-change-color": "Farbe ändern", - "board-nb-stars": "%s Sterne", - "board-not-found": "Board nicht gefunden", - "board-private-info": "Dieses Board wird privat sein.", - "board-public-info": "Dieses Board wird öffentlich sein.", - "boardChangeColorPopup-title": "Farbe des Boards ändern", - "boardChangeTitlePopup-title": "Board umbenennen", - "boardChangeVisibilityPopup-title": "Sichtbarkeit ändern", - "boardChangeWatchPopup-title": "Beobachtung ändern", - "boardMenuPopup-title": "Boardmenü", - "boards": "Boards", - "board-view": "Boardansicht", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Listen", - "bucket-example": "z.B. \"Löffelliste\"", - "cancel": "Abbrechen", - "card-archived": "Diese Karte wurde in den Papierkorb verschoben", - "card-comments-title": "Diese Karte hat %s Kommentar(e).", - "card-delete-notice": "Löschen kann nicht rückgängig gemacht werden. Alle Aktionen, die dieser Karte zugeordnet sind, werden ebenfalls gelöscht.", - "card-delete-pop": "Alle Aktionen werden aus dem Aktivitätsfeed entfernt und die Karte kann nicht wiedereröffnet werden. Die Aktion kann nicht rückgängig gemacht werden.", - "card-delete-suggest-archive": "Sie können eine Karte in den Papierkorb verschieben, um sie vom Board zu entfernen und die Aktivitäten zu behalten.", - "card-due": "Fällig", - "card-due-on": "Fällig am", - "card-spent": "Aufgewendete Zeit", - "card-edit-attachments": "Anhänge ändern", - "card-edit-custom-fields": "Benutzerdefinierte Felder editieren", - "card-edit-labels": "Labels ändern", - "card-edit-members": "Mitglieder ändern", - "card-labels-title": "Labels für diese Karte ändern.", - "card-members-title": "Der Karte Board-Mitglieder hinzufügen oder entfernen.", - "card-start": "Start", - "card-start-on": "Start am", - "cardAttachmentsPopup-title": "Anhängen von", - "cardCustomField-datePopup-title": "Datum ändern", - "cardCustomFieldsPopup-title": "Benutzerdefinierte Felder editieren", - "cardDeletePopup-title": "Karte löschen?", - "cardDetailsActionsPopup-title": "Kartenaktionen", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Mitglieder", - "cardMorePopup-title": "Mehr", - "cards": "Karten", - "cards-count": "Karten", - "change": "Ändern", - "change-avatar": "Profilbild ändern", - "change-password": "Passwort ändern", - "change-permissions": "Berechtigungen ändern", - "change-settings": "Einstellungen ändern", - "changeAvatarPopup-title": "Profilbild ändern", - "changeLanguagePopup-title": "Sprache ändern", - "changePasswordPopup-title": "Passwort ändern", - "changePermissionsPopup-title": "Berechtigungen ändern", - "changeSettingsPopup-title": "Einstellungen ändern", - "checklists": "Checklisten", - "click-to-star": "Klicken Sie, um das Board mit einem Stern zu markieren.", - "click-to-unstar": "Klicken Sie, um den Stern vom Board zu entfernen.", - "clipboard": "Zwischenablage oder Drag & Drop", - "close": "Schließen", - "close-board": "Board schließen", - "close-board-pop": "Sie können das Board wiederherstellen, indem Sie die Schaltfläche \"Papierkorb\" in der Kopfzeile der Startseite anklicken.", - "color-black": "schwarz", - "color-blue": "blau", - "color-green": "grün", - "color-lime": "hellgrün", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "lila", - "color-red": "rot", - "color-sky": "himmelblau", - "color-yellow": "gelb", - "comment": "Kommentar", - "comment-placeholder": "Kommentar schreiben", - "comment-only": "Nur kommentierbar", - "comment-only-desc": "Kann Karten nur Kommentieren", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Sind Sie sicher, dass Sie die Checkliste löschen möchten?", - "copy-card-link-to-clipboard": "Kopiere Link zur Karte in die Zwischenablage", - "copyCardPopup-title": "Karte kopieren", - "copyChecklistToManyCardsPopup-title": "Checklistenvorlage in mehrere Karten kopieren", - "copyChecklistToManyCardsPopup-instructions": "Titel und Beschreibungen der Zielkarten im folgenden JSON-Format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titel der ersten Karte\", \"description\":\"Beschreibung der ersten Karte\"}, {\"title\":\"Titel der zweiten Karte\",\"description\":\"Beschreibung der zweiten Karte\"},{\"title\":\"Titel der letzten Karte\",\"description\":\"Beschreibung der letzten Karte\"} ]", - "create": "Erstellen", - "createBoardPopup-title": "Board erstellen", - "chooseBoardSourcePopup-title": "Board importieren", - "createLabelPopup-title": "Label erstellen", - "createCustomField": "Feld erstellen", - "createCustomFieldPopup-title": "Feld erstellen", - "current": "aktuell", - "custom-field-delete-pop": "Dies wird das Feld aus allen Karten entfernen und den dazugehörigen Verlauf löschen. Die Aktion kann nicht rückgängig gemacht werden.", - "custom-field-checkbox": "Kontrollkästchen", - "custom-field-date": "Datum", - "custom-field-dropdown": "Dropdownliste", - "custom-field-dropdown-none": "(keiner)", - "custom-field-dropdown-options": "Listenoptionen", - "custom-field-dropdown-options-placeholder": "Drücken Sie die Eingabetaste, um weitere Optionen hinzuzufügen", - "custom-field-dropdown-unknown": "(unbekannt)", - "custom-field-number": "Zahl", - "custom-field-text": "Text", - "custom-fields": "Benutzerdefinierte Felder", - "date": "Datum", - "decline": "Ablehnen", - "default-avatar": "Standard Profilbild", - "delete": "Löschen", - "deleteCustomFieldPopup-title": "Benutzerdefiniertes Feld löschen?", - "deleteLabelPopup-title": "Label löschen?", - "description": "Beschreibung", - "disambiguateMultiLabelPopup-title": "Labels vereinheitlichen", - "disambiguateMultiMemberPopup-title": "Mitglieder vereinheitlichen", - "discard": "Verwerfen", - "done": "Erledigt", - "download": "Herunterladen", - "edit": "Bearbeiten", - "edit-avatar": "Profilbild ändern", - "edit-profile": "Profil ändern", - "edit-wip-limit": "WIP-Limit bearbeiten", - "soft-wip-limit": "Soft WIP-Limit", - "editCardStartDatePopup-title": "Startdatum ändern", - "editCardDueDatePopup-title": "Fälligkeitsdatum ändern", - "editCustomFieldPopup-title": "Feld bearbeiten", - "editCardSpentTimePopup-title": "Aufgewendete Zeit ändern", - "editLabelPopup-title": "Label ändern", - "editNotificationPopup-title": "Benachrichtigung ändern", - "editProfilePopup-title": "Profil ändern", - "email": "E-Mail", - "email-enrollAccount-subject": "Ihr Benutzerkonto auf __siteName__ wurde erstellt", - "email-enrollAccount-text": "Hallo __user__,\n\num den Dienst nutzen zu können, klicken Sie bitte auf folgenden Link:\n\n__url__\n\nDanke.", - "email-fail": "Senden der E-Mail fehlgeschlagen", - "email-fail-text": "Fehler beim Senden des E-Mails", - "email-invalid": "Ungültige E-Mail-Adresse", - "email-invite": "via E-Mail einladen", - "email-invite-subject": "__inviter__ hat Ihnen eine Einladung geschickt", - "email-invite-text": "Hallo __user__,\n\n__inviter__ hat Sie zu dem Board \"__board__\" eingeladen.\n\nBitte klicken Sie auf folgenden Link:\n\n__url__\n\nDanke.", - "email-resetPassword-subject": "Setzten Sie ihr Passwort auf __siteName__ zurück", - "email-resetPassword-text": "Hallo __user__,\n\num ihr Passwort zurückzusetzen, klicken Sie bitte auf folgenden Link:\n\n__url__\n\nDanke.", - "email-sent": "E-Mail gesendet", - "email-verifyEmail-subject": "Bestätigen Sie ihre E-Mail-Adresse auf __siteName__", - "email-verifyEmail-text": "Hallo __user__,\n\num ihre E-Mail-Adresse zu bestätigen, klicken Sie bitte auf folgenden Link:\n\n__url__\n\nDanke.", - "enable-wip-limit": "WIP-Limit einschalten", - "error-board-doesNotExist": "Dieses Board existiert nicht", - "error-board-notAdmin": "Um das zu tun, müssen Sie Administrator dieses Boards sein", - "error-board-notAMember": "Um das zu tun, müssen Sie Mitglied dieses Boards sein", - "error-json-malformed": "Ihre Eingabe ist kein gültiges JSON", - "error-json-schema": "Ihre JSON-Daten enthalten nicht die gewünschten Informationen im richtigen Format", - "error-list-doesNotExist": "Diese Liste existiert nicht", - "error-user-doesNotExist": "Dieser Nutzer existiert nicht", - "error-user-notAllowSelf": "Sie können sich nicht selbst einladen.", - "error-user-notCreated": "Dieser Nutzer ist nicht angelegt", - "error-username-taken": "Dieser Benutzername ist bereits vergeben", - "error-email-taken": "E-Mail wird schon verwendet", - "export-board": "Board exportieren", - "filter": "Filter", - "filter-cards": "Karten filtern", - "filter-clear": "Filter entfernen", - "filter-no-label": "Kein Label", - "filter-no-member": "Kein Mitglied", - "filter-no-custom-fields": "Keine benutzerdefinierten Felder", - "filter-on": "Filter ist aktiv", - "filter-on-desc": "Sie filtern die Karten in diesem Board. Klicken Sie, um den Filter zu bearbeiten.", - "filter-to-selection": "Ergebnisse auswählen", - "advanced-filter-label": "Erweiterter Filter", - "advanced-filter-description": "Der erweiterte Filter erlaubt die Eingabe von Zeichenfolgen, die folgende Operatoren enthalten: == != <= >= && || ( ). Ein Leerzeichen wird als Trennzeichen zwischen den Operatoren verwendet. Sie können nach allen benutzerdefinierten Feldern filtern, indem Sie deren Namen und Werte eingeben. Zum Beispiel: Feld1 == Wert1. Beachten Sie: Wenn Felder oder Werte Leerzeichen enthalten, müssen Sie sie in einfache Anführungszeichen setzen. Zum Beispiel: 'Feld 1' == 'Wert 1'. Sie können außerdem mehrere Bedingungen kombinieren. Zum Beispiel: F1 == W1 || F1 == W2. Normalerweise werden alle Operatoren von links nach rechts interpretiert. Sie können die Reihenfolge ändern, indem Sie Klammern setzen. Zum Beispiel: F1 == W1 && ( F2 == W2 || F2 == W3 )", - "fullname": "Vollständiger Name", - "header-logo-title": "Zurück zur Board Seite.", - "hide-system-messages": "Systemmeldungen ausblenden", - "headerBarCreateBoardPopup-title": "Board erstellen", - "home": "Home", - "import": "Importieren", - "import-board": "Board importieren", - "import-board-c": "Board importieren", - "import-board-title-trello": "Board von Trello importieren", - "import-board-title-wekan": "Board von Wekan importieren", - "import-sandstorm-warning": "Das importierte Board wird alle bereits existierenden Daten löschen und mit den importierten Daten überschreiben.", - "from-trello": "Von Trello", - "from-wekan": "Von Wekan", - "import-board-instruction-trello": "Gehen Sie in ihrem Trello-Board auf 'Menü', dann 'Mehr', 'Drucken und Exportieren', 'JSON-Export' und kopieren Sie den dort angezeigten Text", - "import-board-instruction-wekan": "Gehen Sie in Ihrem Wekan board auf 'Menü', und dann auf 'Board exportieren'. Kopieren Sie anschließend den Text aus der heruntergeladenen Datei.", - "import-json-placeholder": "Fügen Sie die korrekten JSON-Daten hier ein", - "import-map-members": "Mitglieder zuordnen", - "import-members-map": "Das importierte Board hat Mitglieder. Bitte ordnen Sie jene, die importiert werden sollen, vorhandenen Wekan-Nutzern zu", - "import-show-user-mapping": "Mitgliederzuordnung überprüfen", - "import-user-select": "Wählen Sie den Wekan-Nutzer aus, der dieses Mitglied sein soll", - "importMapMembersAddPopup-title": "Wekan-Nutzer auswählen", - "info": "Version", - "initials": "Initialen", - "invalid-date": "Ungültiges Datum", - "invalid-time": "Ungültige Zeitangabe", - "invalid-user": "Ungültiger Benutzer", - "joined": "beigetreten", - "just-invited": "Sie wurden soeben zu diesem Board eingeladen", - "keyboard-shortcuts": "Tastaturkürzel", - "label-create": "Label erstellen", - "label-default": "%s Label (Standard)", - "label-delete-pop": "Aktion kann nicht rückgängig gemacht werden. Das Label wird von allen Karten entfernt und seine Historie gelöscht.", - "labels": "Labels", - "language": "Sprache", - "last-admin-desc": "Sie können keine Rollen ändern, weil es mindestens einen Administrator geben muss.", - "leave-board": "Board verlassen", - "leave-board-pop": "Sind Sie sicher, dass Sie __boardTitle__ verlassen möchten? Sie werden von allen Karten in diesem Board entfernt.", - "leaveBoardPopup-title": "Board verlassen?", - "link-card": "Link zu dieser Karte", - "list-archive-cards": "Alle Karten dieser Liste in den Papierkorb verschieben", - "list-archive-cards-pop": "Alle Karten dieser Liste werden vom Board entfernt. Um Karten im Papierkorb anzuzeigen und wiederherzustellen, klicken Sie auf \"Menü\" > \"Papierkorb\".", - "list-move-cards": "Alle Karten in dieser Liste verschieben", - "list-select-cards": "Alle Karten in dieser Liste auswählen", - "listActionPopup-title": "Listenaktionen", - "swimlaneActionPopup-title": "Swimlaneaktionen", - "listImportCardPopup-title": "Eine Trello-Karte importieren", - "listMorePopup-title": "Mehr", - "link-list": "Link zu dieser Liste", - "list-delete-pop": "Alle Aktionen werden aus dem Verlauf gelöscht und die Liste kann nicht wiederhergestellt werden.", - "list-delete-suggest-archive": "Listen können in den Papierkorb verschoben werden, um sie aus dem Board zu entfernen und die Aktivitäten zu behalten.", - "lists": "Listen", - "swimlanes": "Swimlanes", - "log-out": "Ausloggen", - "log-in": "Einloggen", - "loginPopup-title": "Einloggen", - "memberMenuPopup-title": "Nutzereinstellungen", - "members": "Mitglieder", - "menu": "Menü", - "move-selection": "Auswahl verschieben", - "moveCardPopup-title": "Karte verschieben", - "moveCardToBottom-title": "Ans Ende verschieben", - "moveCardToTop-title": "Zum Anfang verschieben", - "moveSelectionPopup-title": "Auswahl verschieben", - "multi-selection": "Mehrfachauswahl", - "multi-selection-on": "Mehrfachauswahl ist aktiv", - "muted": "Stumm", - "muted-info": "Sie werden nicht über Änderungen auf diesem Board benachrichtigt", - "my-boards": "Meine Boards", - "name": "Name", - "no-archived-cards": "Keine Karten im Papierkorb.", - "no-archived-lists": "Keine Listen im Papierkorb.", - "no-archived-swimlanes": "Keine Swimlanes im Papierkorb.", - "no-results": "Keine Ergebnisse", - "normal": "Normal", - "normal-desc": "Kann Karten anzeigen und bearbeiten, aber keine Einstellungen ändern.", - "not-accepted-yet": "Die Einladung wurde noch nicht angenommen", - "notify-participate": "Benachrichtigungen zu allen Karten erhalten, an denen Sie teilnehmen", - "notify-watch": "Benachrichtigungen über alle Boards, Listen oder Karten erhalten, die Sie beobachten", - "optional": "optional", - "or": "oder", - "page-maybe-private": "Diese Seite könnte privat sein. Vielleicht können Sie sie sehen, wenn Sie sich einloggen.", - "page-not-found": "Seite nicht gefunden.", - "password": "Passwort", - "paste-or-dragdrop": "Einfügen oder Datei mit Drag & Drop ablegen (nur Bilder)", - "participating": "Teilnehmen", - "preview": "Vorschau", - "previewAttachedImagePopup-title": "Vorschau", - "previewClipboardImagePopup-title": "Vorschau", - "private": "Privat", - "private-desc": "Dieses Board ist privat. Nur Nutzer, die zu dem Board gehören, können es anschauen und bearbeiten.", - "profile": "Profil", - "public": "Öffentlich", - "public-desc": "Dieses Board ist öffentlich. Es ist für jeden, der den Link kennt, sichtbar und taucht in Suchmaschinen wie Google auf. Nur Nutzer, die zum Board hinzugefügt wurden, können es bearbeiten.", - "quick-access-description": "Markieren Sie ein Board mit einem Stern, um dieser Leiste eine Verknüpfung hinzuzufügen.", - "remove-cover": "Cover entfernen", - "remove-from-board": "Von Board entfernen", - "remove-label": "Label entfernen", - "listDeletePopup-title": "Liste löschen?", - "remove-member": "Nutzer entfernen", - "remove-member-from-card": "Von Karte entfernen", - "remove-member-pop": "__name__ (__username__) von __boardTitle__ entfernen? Das Mitglied wird von allen Karten auf diesem Board entfernt. Es erhält eine Benachrichtigung.", - "removeMemberPopup-title": "Mitglied entfernen?", - "rename": "Umbenennen", - "rename-board": "Board umbenennen", - "restore": "Wiederherstellen", - "save": "Speichern", - "search": "Suchen", - "search-cards": "Suche nach Kartentiteln und Beschreibungen auf diesem Board", - "search-example": "Suchbegriff", - "select-color": "Farbe auswählen", - "set-wip-limit-value": "Setzen Sie ein Limit für die maximale Anzahl von Aufgaben in dieser Liste", - "setWipLimitPopup-title": "WIP-Limit setzen", - "shortcut-assign-self": "Fügen Sie sich zur aktuellen Karte hinzu", - "shortcut-autocomplete-emoji": "Emojis vervollständigen", - "shortcut-autocomplete-members": "Mitglieder vervollständigen", - "shortcut-clear-filters": "Alle Filter entfernen", - "shortcut-close-dialog": "Dialog schließen", - "shortcut-filter-my-cards": "Meine Karten filtern", - "shortcut-show-shortcuts": "Liste der Tastaturkürzel anzeigen", - "shortcut-toggle-filterbar": "Filter-Seitenleiste ein-/ausblenden", - "shortcut-toggle-sidebar": "Seitenleiste ein-/ausblenden", - "show-cards-minimum-count": "Zeigt die Kartenanzahl an, wenn die Liste mehr enthält als", - "sidebar-open": "Seitenleiste öffnen", - "sidebar-close": "Seitenleiste schließen", - "signupPopup-title": "Benutzerkonto erstellen", - "star-board-title": "Klicken Sie, um das Board mit einem Stern zu markieren. Es erscheint dann oben in ihrer Boardliste.", - "starred-boards": "Markierte Boards", - "starred-boards-description": "Markierte Boards erscheinen oben in ihrer Boardliste.", - "subscribe": "Abonnieren", - "team": "Team", - "this-board": "diesem Board", - "this-card": "diese Karte", - "spent-time-hours": "Aufgewendete Zeit (Stunden)", - "overtime-hours": "Mehrarbeit (Stunden)", - "overtime": "Mehrarbeit", - "has-overtime-cards": "Hat Karten mit Mehrarbeit", - "has-spenttime-cards": "Hat Karten mit aufgewendeten Zeiten", - "time": "Zeit", - "title": "Titel", - "tracking": "Folgen", - "tracking-info": "Sie werden über alle Änderungen an Karten benachrichtigt, an denen Sie als Ersteller oder Mitglied beteiligt sind.", - "type": "Typ", - "unassign-member": "Mitglied entfernen", - "unsaved-description": "Sie haben eine nicht gespeicherte Änderung.", - "unwatch": "Beobachtung entfernen", - "upload": "Upload", - "upload-avatar": "Profilbild hochladen", - "uploaded-avatar": "Profilbild hochgeladen", - "username": "Benutzername", - "view-it": "Ansehen", - "warn-list-archived": "Warnung: Diese Karte befindet sich in einer Liste im Papierkorb!", - "watch": "Beobachten", - "watching": "Beobachten", - "watching-info": "Sie werden über alle Änderungen in diesem Board benachrichtigt", - "welcome-board": "Willkommen-Board", - "welcome-swimlane": "Meilenstein 1", - "welcome-list1": "Grundlagen", - "welcome-list2": "Fortgeschritten", - "what-to-do": "Was wollen Sie tun?", - "wipLimitErrorPopup-title": "Ungültiges WIP-Limit", - "wipLimitErrorPopup-dialog-pt1": "Die Anzahl von Aufgaben in dieser Liste ist größer als das von Ihnen definierte WIP-Limit.", - "wipLimitErrorPopup-dialog-pt2": "Bitte verschieben Sie einige Aufgaben aus dieser Liste oder setzen Sie ein grösseres WIP-Limit.", - "admin-panel": "Administration", - "settings": "Einstellungen", - "people": "Nutzer", - "registration": "Registrierung", - "disable-self-registration": "Selbstregistrierung deaktivieren", - "invite": "Einladen", - "invite-people": "Nutzer einladen", - "to-boards": "In Board(s)", - "email-addresses": "E-Mail Adressen", - "smtp-host-description": "Die Adresse Ihres SMTP-Servers für ausgehende E-Mails.", - "smtp-port-description": "Der Port Ihres SMTP-Servers für ausgehende E-Mails.", - "smtp-tls-description": "Aktiviere TLS Unterstützung für SMTP Server", - "smtp-host": "SMTP-Server", - "smtp-port": "SMTP-Port", - "smtp-username": "Benutzername", - "smtp-password": "Passwort", - "smtp-tls": "TLS Unterstützung", - "send-from": "Absender", - "send-smtp-test": "Test-E-Mail an sich selbst schicken", - "invitation-code": "Einladungscode", - "email-invite-register-subject": "__inviter__ hat Ihnen eine Einladung geschickt", - "email-invite-register-text": "Hallo __user__,\n\n__inviter__ hat Sie für Ihre Zusammenarbeit zu Wekan eingeladen.\n\nBitte klicken Sie auf folgenden Link:\n__url__\n\nIhr Einladungscode lautet: __icode__\n\nDanke.", - "email-smtp-test-subject": "SMTP-Test-E-Mail von Wekan", - "email-smtp-test-text": "Sie haben erfolgreich eine E-Mail versandt", - "error-invitation-code-not-exist": "Ungültiger Einladungscode", - "error-notAuthorized": "Sie sind nicht berechtigt diese Seite zu sehen.", - "outgoing-webhooks": "Ausgehende Webhooks", - "outgoingWebhooksPopup-title": "Ausgehende Webhooks", - "new-outgoing-webhook": "Neuer ausgehender Webhook", - "no-name": "(Unbekannt)", - "Wekan_version": "Wekan-Version", - "Node_version": "Node-Version", - "OS_Arch": "Betriebssystem-Architektur", - "OS_Cpus": "Anzahl Prozessoren", - "OS_Freemem": "Freier Arbeitsspeicher", - "OS_Loadavg": "Mittlere Systembelastung", - "OS_Platform": "Plattform", - "OS_Release": "Version des Betriebssystem", - "OS_Totalmem": "Gesamter Arbeitsspeicher", - "OS_Type": "Typ des Betriebssystems", - "OS_Uptime": "Laufzeit des Systems", - "hours": "Stunden", - "minutes": "Minuten", - "seconds": "Sekunden", - "show-field-on-card": "Zeige dieses Feld auf der Karte", - "yes": "Ja", - "no": "Nein", - "accounts": "Konten", - "accounts-allowEmailChange": "Ändern der E-Mailadresse erlauben", - "accounts-allowUserNameChange": "Ändern des Benutzernamens erlauben", - "createdAt": "Erstellt am", - "verified": "Geprüft", - "active": "Aktiv", - "card-received": "Empfangen", - "card-received-on": "Empfangen am", - "card-end": "Ende", - "card-end-on": "Endet am", - "editCardReceivedDatePopup-title": "Empfangsdatum ändern", - "editCardEndDatePopup-title": "Enddatum ändern", - "assigned-by": "Zugeteilt von", - "requested-by": "Angefordert von", - "board-delete-notice": "Löschen ist dauerhaft. Du verlierst alle Listen, Karten und Aktionen, welche mit diesem Board verbunden sind.", - "delete-board-confirm-popup": "Alle Listen, Karten, Beschriftungen und Akivitäten werden gelöscht, das Board kann nicht wiederhergestellt werden! Es gibt kein Rückgängig.", - "boardDeletePopup-title": "Board löschen?", - "delete-board": "Board löschen" -} \ No newline at end of file diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json deleted file mode 100644 index f863b23a..00000000 --- a/i18n/el.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Accept", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Προσθήκη", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Προσθήκη Κάρτας", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Προσθήκη Ετικέτας", - "add-list": "Προσθήκη Λίστας", - "add-members": "Προσθήκη Μελών", - "added": "Προστέθηκε", - "addMemberPopup-title": "Μέλοι", - "admin": "Διαχειριστής", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Εφαρμογή", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Πίσω", - "board-change-color": "Αλλαγή χρώματος", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Λίστες", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Ακύρωση", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Έως", - "card-due-on": "Έως τις", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Διαγραφή Κάρτας;", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Ετικέτες", - "cardMembersPopup-title": "Μέλοι", - "cardMorePopup-title": "Περισσότερα", - "cards": "Κάρτες", - "cards-count": "Κάρτες", - "change": "Αλλαγή", - "change-avatar": "Change Avatar", - "change-password": "Αλλαγή Κωδικού", - "change-permissions": "Change permissions", - "change-settings": "Αλλαγή Ρυθμίσεων", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Αλλαγή Γλώσσας", - "changePasswordPopup-title": "Αλλαγή Κωδικού", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Αλλαγή Ρυθμίσεων", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Κλείσιμο", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "μαύρο", - "color-blue": "μπλε", - "color-green": "πράσινο", - "color-lime": "λάιμ", - "color-orange": "πορτοκαλί", - "color-pink": "ροζ", - "color-purple": "μωβ", - "color-red": "κόκκινο", - "color-sky": "ουρανός", - "color-yellow": "κίτρινο", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Υπολογιστής", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Δημιουργία", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Ημερομηνία", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Ημερομηνία", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Διαγραφή", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Απόρριψη", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Το κείμενο δεν είναι έγκυρο JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Φίλτρο", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "Κανένα μέλος", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Πλήρες Όνομα", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Εισαγωγή", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "Από το Trello", - "from-wekan": "Από το Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Έκδοση", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Ετικέτες", - "language": "Γλώσσα", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "Περισσότερα", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Λίστες", - "swimlanes": "Swimlanes", - "log-out": "Αποσύνδεση", - "log-in": "Σύνδεση", - "loginPopup-title": "Σύνδεση", - "memberMenuPopup-title": "Member Settings", - "members": "Μέλοι", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Όνομα", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Κανένα αποτέλεσμα", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "ή", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Η σελίδα δεν βρέθηκε.", - "password": "Κωδικός", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Διαγραφή Λίστας;", - "remove-member": "Αφαίρεση Μέλους", - "remove-member-from-card": "Αφαίρεση από την Κάρτα", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Αφαίρεση Μέλους;", - "rename": "Μετανομασία", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Αποθήκευση", - "search": "Αναζήτηση", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Επιλέξτε Χρώμα", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Δημιουργία Λογαριασμού", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Ομάδα", - "this-board": "this board", - "this-card": "αυτή η κάρτα", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Ώρα", - "title": "Τίτλος", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Όνομα Χρήστη", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Ρυθμίσεις", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Διευθύνσεις", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Όνομα Χρήστη", - "smtp-password": "Κωδικός", - "smtp-tls": "TLS υποστήριξη", - "send-from": "Από", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Κωδικός Πρόσκλησης", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Ο κωδικός πρόσκλησης δεν υπάρχει", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Άγνωστο)", - "Wekan_version": "Wekan έκδοση", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "ώρες", - "minutes": "λεπτά", - "seconds": "δευτερόλεπτα", - "show-field-on-card": "Show this field on card", - "yes": "Ναι", - "no": "Όχι", - "accounts": "Λογαριασμοί", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json deleted file mode 100644 index 44140081..00000000 --- a/i18n/en-GB.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Accept", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached _ attachment _ to _ card _", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Add", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", - "addMemberPopup-title": "Members", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change colour", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Members", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaboration.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve its activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Members", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Colour", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in a list in the Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any changes in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaboration.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorised to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json deleted file mode 100644 index df268772..00000000 --- a/i18n/eo.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Akcepti", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "Kreiis __board__", - "act-createCard": "Aldonis __card__ al __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "Aldonis __card__ al __board__", - "act-addBoardMember": "Aldonis __member__ al __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "Aldonis __member__ al __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Akcioj", - "activities": "Aktivaĵoj", - "activity": "Aktivaĵo", - "activity-added": "Aldonis %s al %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "Kreiis %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "Sendis %s al %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Aldoni", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Aldoni membrojn", - "added": "Aldonita", - "addMemberPopup-title": "Membroj", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apliki", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Reen", - "board-change-color": "Ŝanĝi koloron", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Listoj", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Redakti etikedojn", - "card-edit-members": "Redakti membrojn", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Komenco", - "card-start-on": "Komencas je la", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Etikedoj", - "cardMembersPopup-title": "Membroj", - "cardMorePopup-title": "Pli", - "cards": "Kartoj", - "cards-count": "Kartoj", - "change": "Ŝanĝi", - "change-avatar": "Change Avatar", - "change-password": "Ŝangi pasvorton", - "change-permissions": "Change permissions", - "change-settings": "Ŝanĝi agordojn", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Ŝanĝi lingvon", - "changePasswordPopup-title": "Ŝangi pasvorton", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Ŝanĝi agordojn", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Fermi", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "nigra", - "color-blue": "blua", - "color-green": "verda", - "color-lime": "lime", - "color-orange": "oranĝa", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "ruĝa", - "color-sky": "sky", - "color-yellow": "flava", - "comment": "Komento", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Komputilo", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Krei", - "createBoardPopup-title": "Krei tavolon", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Dato", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Dato", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Farite", - "download": "Elŝuti", - "edit": "Redakti", - "edit-avatar": "Change Avatar", - "edit-profile": "Redakti profilon", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Redakti komencdaton", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Ŝanĝi etikedon", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Redakti profilon", - "email": "Retpoŝtadreso", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Malsukcesis sendi retpoŝton", - "email-fail-text": "Error trying to send email", - "email-invalid": "Nevalida retpoŝtadreso", - "email-invite": "Inviti per retpoŝto", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Sendis retpoŝton", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Via teksto estas nevalida JSON", - "error-json-schema": "Via JSON ne enhavas la ĝustajn informojn en ĝusta formato", - "error-list-doesNotExist": "Tio listo ne ekzistas", - "error-user-doesNotExist": "Tio uzanto ne ekzistas", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "Uzanto ne kreita", - "error-username-taken": "Uzantnomo jam prenita", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "Nenia etikedo", - "filter-no-member": "Nenia membro", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Krei tavolon", - "home": "Hejmo", - "import": "Importi", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Etikedoj", - "language": "Lingvo", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Ligi al ĉitiu karto", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Movu ĉiujn kartojn en tiu listo.", - "list-select-cards": "Elektu ĉiujn kartojn en tiu listo.", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "Pli", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Listoj", - "swimlanes": "Swimlanes", - "log-out": "Elsaluti", - "log-in": "Ensaluti", - "loginPopup-title": "Ensaluti", - "memberMenuPopup-title": "Membraj agordoj", - "members": "Membroj", - "menu": "Menuo", - "move-selection": "Movi elekton", - "moveCardPopup-title": "Movi karton", - "moveCardToBottom-title": "Movi suben", - "moveCardToTop-title": "Movi supren", - "moveSelectionPopup-title": "Movi elekton", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Nomo", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Neniaj rezultoj", - "normal": "Normala", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "aŭ", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Netrovita paĝo.", - "password": "Pasvorto", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Privata", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profilo", - "public": "Publika", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Forigi membron", - "remove-member-from-card": "Forigi de karto", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Renomi", - "rename-board": "Rename Board", - "restore": "Forigi", - "save": "Savi", - "search": "Serĉi", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Teamo", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Tempo", - "title": "Titolo", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Alŝuti", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Uzantnomo", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Rigardi", - "watching": "Rigardante", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "Kion vi volas fari?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Uzantnomo", - "smtp-password": "Pasvorto", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json deleted file mode 100644 index 5262568f..00000000 --- a/i18n/es-AR.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Aceptar", - "act-activity-notify": "[Wekan] Notificación de Actividad", - "act-addAttachment": "adjunto __attachment__ a __card__", - "act-addChecklist": "lista de ítems __checklist__ agregada a __card__", - "act-addChecklistItem": " __checklistItem__ agregada a lista de ítems __checklist__ en __card__", - "act-addComment": "comentado en __card__: __comment__", - "act-createBoard": "__board__ creado", - "act-createCard": "agregada __card__ a __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "agregada __list__ a __board__", - "act-addBoardMember": "agregado __member__ a __board__", - "act-archivedBoard": "__board__ movido a Papelera de Reciclaje", - "act-archivedCard": "__card__ movido a Papelera de Reciclaje", - "act-archivedList": "__list__ movido a Papelera de Reciclaje", - "act-archivedSwimlane": "__swimlane__ movido a Papelera de Reciclaje", - "act-importBoard": "__board__ importado", - "act-importCard": "__card__ importada", - "act-importList": "__list__ importada", - "act-joinMember": "__member__ agregado a __card__", - "act-moveCard": "__card__ movida de __oldList__ a __list__", - "act-removeBoardMember": "__member__ removido de __board__", - "act-restoredCard": "__card__ restaurada a __board__", - "act-unjoinMember": "__member__ removido de __card__", - "act-withBoardTitle": "__board__ [Wekan]", - "act-withCardTitle": "__card__ [__board__] ", - "actions": "Acciones", - "activities": "Actividades", - "activity": "Actividad", - "activity-added": "agregadas %s a %s", - "activity-archived": "%s movido a Papelera de Reciclaje", - "activity-attached": "adjuntadas %s a %s", - "activity-created": "creadas %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluidas %s de %s", - "activity-imported": "importadas %s en %s de %s", - "activity-imported-board": "importadas %s de %s", - "activity-joined": "unidas %s", - "activity-moved": "movidas %s de %s a %s", - "activity-on": "en %s", - "activity-removed": "eliminadas %s de %s", - "activity-sent": "enviadas %s a %s", - "activity-unjoined": "separadas %s", - "activity-checklist-added": "agregada lista de tareas a %s", - "activity-checklist-item-added": "agregado item de lista de tareas a '%s' en %s", - "add": "Agregar", - "add-attachment": "Agregar Adjunto", - "add-board": "Agregar Tablero", - "add-card": "Agregar Tarjeta", - "add-swimlane": "Agregar Calle", - "add-checklist": "Agregar Lista de Tareas", - "add-checklist-item": "Agregar ítem a lista de tareas", - "add-cover": "Agregar Portadas", - "add-label": "Agregar Etiqueta", - "add-list": "Agregar Lista", - "add-members": "Agregar Miembros", - "added": "Agregadas", - "addMemberPopup-title": "Miembros", - "admin": "Administrador", - "admin-desc": "Puede ver y editar tarjetas, eliminar miembros, y cambiar opciones para el tablero.", - "admin-announcement": "Anuncio", - "admin-announcement-active": "Anuncio del Sistema Activo", - "admin-announcement-title": "Anuncio del Administrador", - "all-boards": "Todos los tableros", - "and-n-other-card": "Y __count__ otra tarjeta", - "and-n-other-card_plural": "Y __count__ otras tarjetas", - "apply": "Aplicar", - "app-is-offline": "Wekan está cargándose, por favor espere. Refrescar la página va a causar pérdida de datos. Si Wekan no se carga, por favor revise que el servidor de Wekan no se haya detenido.", - "archive": "Mover a Papelera de Reciclaje", - "archive-all": "Mover Todo a la Papelera de Reciclaje", - "archive-board": "Mover Tablero a la Papelera de Reciclaje", - "archive-card": "Mover Tarjeta a la Papelera de Reciclaje", - "archive-list": "Mover Lista a la Papelera de Reciclaje", - "archive-swimlane": "Mover Calle a la Papelera de Reciclaje", - "archive-selection": "Mover selección a la Papelera de Reciclaje", - "archiveBoardPopup-title": "¿Mover Tablero a la Papelera de Reciclaje?", - "archived-items": "Papelera de Reciclaje", - "archived-boards": "Tableros en la Papelera de Reciclaje", - "restore-board": "Restaurar Tablero", - "no-archived-boards": "No hay tableros en la Papelera de Reciclaje", - "archives": "Papelera de Reciclaje", - "assign-member": "Asignar miembro", - "attached": "adjunto(s)", - "attachment": "Adjunto", - "attachment-delete-pop": "Borrar un adjunto es permanente. No hay deshacer.", - "attachmentDeletePopup-title": "¿Borrar Adjunto?", - "attachments": "Adjuntos", - "auto-watch": "Seguir tableros automáticamente al crearlos", - "avatar-too-big": "El avatar es muy grande (70KB max)", - "back": "Atrás", - "board-change-color": "Cambiar color", - "board-nb-stars": "%s estrellas", - "board-not-found": "Tablero no encontrado", - "board-private-info": "Este tablero va a ser privado.", - "board-public-info": "Este tablero va a ser público.", - "boardChangeColorPopup-title": "Cambiar Fondo del Tablero", - "boardChangeTitlePopup-title": "Renombrar Tablero", - "boardChangeVisibilityPopup-title": "Cambiar Visibilidad", - "boardChangeWatchPopup-title": "Alternar Seguimiento", - "boardMenuPopup-title": "Menú del Tablero", - "boards": "Tableros", - "board-view": "Vista de Tablero", - "board-view-swimlanes": "Calles", - "board-view-lists": "Listas", - "bucket-example": "Como \"Lista de Contenedores\" por ejemplo", - "cancel": "Cancelar", - "card-archived": "Esta tarjeta es movida a la Papelera de Reciclaje", - "card-comments-title": "Esta tarjeta tiene %s comentario.", - "card-delete-notice": "Borrar es permanente. Perderás todas las acciones asociadas con esta tarjeta.", - "card-delete-pop": "Todas las acciones van a ser eliminadas del agregador de actividad y no podrás re-abrir la tarjeta. No hay deshacer.", - "card-delete-suggest-archive": "Tu puedes mover una tarjeta a la Papelera de Reciclaje para removerla del tablero y preservar la actividad.", - "card-due": "Vence", - "card-due-on": "Vence en", - "card-spent": "Tiempo Empleado", - "card-edit-attachments": "Editar adjuntos", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Editar etiquetas", - "card-edit-members": "Editar miembros", - "card-labels-title": "Cambiar las etiquetas de la tarjeta.", - "card-members-title": "Agregar o eliminar de la tarjeta miembros del tablero.", - "card-start": "Empieza", - "card-start-on": "Empieza el", - "cardAttachmentsPopup-title": "Adjuntar De", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "¿Borrar Tarjeta?", - "cardDetailsActionsPopup-title": "Acciones de la Tarjeta", - "cardLabelsPopup-title": "Etiquetas", - "cardMembersPopup-title": "Miembros", - "cardMorePopup-title": "Mas", - "cards": "Tarjetas", - "cards-count": "Tarjetas", - "change": "Cambiar", - "change-avatar": "Cambiar Avatar", - "change-password": "Cambiar Contraseña", - "change-permissions": "Cambiar permisos", - "change-settings": "Cambiar Opciones", - "changeAvatarPopup-title": "Cambiar Avatar", - "changeLanguagePopup-title": "Cambiar Lenguaje", - "changePasswordPopup-title": "Cambiar Contraseña", - "changePermissionsPopup-title": "Cambiar Permisos", - "changeSettingsPopup-title": "Cambiar Opciones", - "checklists": "Listas de ítems", - "click-to-star": "Clickeá para darle una estrella a este tablero.", - "click-to-unstar": "Clickeá para sacarle la estrella al tablero.", - "clipboard": "Portapapeles o arrastrar y soltar", - "close": "Cerrar", - "close-board": "Cerrar Tablero", - "close-board-pop": "Podrás restaurar el tablero apretando el botón \"Papelera de Reciclaje\" del encabezado en inicio.", - "color-black": "negro", - "color-blue": "azul", - "color-green": "verde", - "color-lime": "lima", - "color-orange": "naranja", - "color-pink": "rosa", - "color-purple": "púrpura", - "color-red": "rojo", - "color-sky": "cielo", - "color-yellow": "amarillo", - "comment": "Comentario", - "comment-placeholder": "Comentar", - "comment-only": "Comentar solamente", - "comment-only-desc": "Puede comentar en tarjetas solamente.", - "computer": "Computadora", - "confirm-checklist-delete-dialog": "¿Estás segur@ que querés borrar la lista de ítems?", - "copy-card-link-to-clipboard": "Copiar enlace a tarjeta en el portapapeles", - "copyCardPopup-title": "Copiar Tarjeta", - "copyChecklistToManyCardsPopup-title": "Copiar Plantilla Checklist a Muchas Tarjetas", - "copyChecklistToManyCardsPopup-instructions": "Títulos y Descripciones de la Tarjeta Destino en este formato JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Título de primera tarjeta\", \"description\":\"Descripción de primera tarjeta\"}, {\"title\":\"Título de segunda tarjeta\",\"description\":\"Descripción de segunda tarjeta\"},{\"title\":\"Título de última tarjeta\",\"description\":\"Descripción de última tarjeta\"} ]", - "create": "Crear", - "createBoardPopup-title": "Crear Tablero", - "chooseBoardSourcePopup-title": "Importar tablero", - "createLabelPopup-title": "Crear Etiqueta", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "actual", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Fecha", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Fecha", - "decline": "Rechazar", - "default-avatar": "Avatar por defecto", - "delete": "Borrar", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "¿Borrar Etiqueta?", - "description": "Descripción", - "disambiguateMultiLabelPopup-title": "Desambiguación de Acción de Etiqueta", - "disambiguateMultiMemberPopup-title": "Desambiguación de Acción de Miembro", - "discard": "Descartar", - "done": "Hecho", - "download": "Descargar", - "edit": "Editar", - "edit-avatar": "Cambiar Avatar", - "edit-profile": "Editar Perfil", - "edit-wip-limit": "Editar Lìmite de TEP", - "soft-wip-limit": "Límite TEP suave", - "editCardStartDatePopup-title": "Cambiar fecha de inicio", - "editCardDueDatePopup-title": "Cambiar fecha de vencimiento", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Cambiar tiempo empleado", - "editLabelPopup-title": "Cambiar Etiqueta", - "editNotificationPopup-title": "Editar Notificación", - "editProfilePopup-title": "Editar Perfil", - "email": "Email", - "email-enrollAccount-subject": "Una cuenta creada para vos en __siteName__", - "email-enrollAccount-text": "Hola __user__,\n\nPara empezar a usar el servicio, simplemente clickeá en el enlace de abajo.\n\n__url__\n\nGracias.", - "email-fail": "Fallo envío de email", - "email-fail-text": "Error intentando enviar email", - "email-invalid": "Email inválido", - "email-invite": "Invitar vía Email", - "email-invite-subject": "__inviter__ te envió una invitación", - "email-invite-text": "Querido __user__,\n\n__inviter__ te invita a unirte al tablero \"__board__\" para colaborar.\n\nPor favor sigue el enlace de abajo:\n\n__url__\n\nGracias.", - "email-resetPassword-subject": "Restaurá tu contraseña en __siteName__", - "email-resetPassword-text": "Hola __user__,\n\nPara restaurar tu contraseña, simplemente clickeá el enlace de abajo.\n\n__url__\n\nGracias.", - "email-sent": "Email enviado", - "email-verifyEmail-subject": "Verificá tu dirección de email en __siteName__", - "email-verifyEmail-text": "Hola __user__,\n\nPara verificar tu cuenta de email, simplemente clickeá el enlace de abajo.\n\n__url__\n\nGracias.", - "enable-wip-limit": "Activar Límite TEP", - "error-board-doesNotExist": "Este tablero no existe", - "error-board-notAdmin": "Necesitás ser administrador de este tablero para hacer eso", - "error-board-notAMember": "Necesitás ser miembro de este tablero para hacer eso", - "error-json-malformed": "Tu texto no es JSON válido", - "error-json-schema": "Tus datos JSON no incluyen la información correcta en el formato adecuado", - "error-list-doesNotExist": "Esta lista no existe", - "error-user-doesNotExist": "Este usuario no existe", - "error-user-notAllowSelf": "No podés invitarte a vos mismo", - "error-user-notCreated": " El usuario no se creó", - "error-username-taken": "El nombre de usuario ya existe", - "error-email-taken": "El email ya existe", - "export-board": "Exportar tablero", - "filter": "Filtrar", - "filter-cards": "Filtrar Tarjetas", - "filter-clear": "Sacar filtro", - "filter-no-label": "Sin etiqueta", - "filter-no-member": "No es miembro", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "El filtro está activado", - "filter-on-desc": "Estás filtrando cartas en este tablero. Clickeá acá para editar el filtro.", - "filter-to-selection": "Filtrar en la selección", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Nombre Completo", - "header-logo-title": "Retroceder a tu página de tableros.", - "hide-system-messages": "Esconder mensajes del sistema", - "headerBarCreateBoardPopup-title": "Crear Tablero", - "home": "Inicio", - "import": "Importar", - "import-board": "importar tablero", - "import-board-c": "Importar tablero", - "import-board-title-trello": "Importar tablero de Trello", - "import-board-title-wekan": "Importar tablero de Wekan", - "import-sandstorm-warning": "El tablero importado va a borrar todos los datos existentes en el tablero y reemplazarlos con los del tablero en cuestión.", - "from-trello": "De Trello", - "from-wekan": "De Wekan", - "import-board-instruction-trello": "En tu tablero de Trello, ve a 'Menú', luego a 'Más', 'Imprimir y Exportar', 'Exportar JSON', y copia el texto resultante.", - "import-board-instruction-wekan": "En tu tablero Wekan, ve a 'Menú', luego a 'Exportar tablero', y copia el texto en el archivo descargado.", - "import-json-placeholder": "Pegá tus datos JSON válidos acá", - "import-map-members": "Mapear Miembros", - "import-members-map": "Tu tablero importado tiene algunos miembros. Por favor mapeá los miembros que quieras importar/convertir a usuarios de Wekan.", - "import-show-user-mapping": "Revisar mapeo de miembros", - "import-user-select": "Elegí el usuario de Wekan que querés usar como éste miembro", - "importMapMembersAddPopup-title": "Elegí el miembro de Wekan.", - "info": "Versión", - "initials": "Iniciales", - "invalid-date": "Fecha inválida", - "invalid-time": "Tiempo inválido", - "invalid-user": "Usuario inválido", - "joined": "unido", - "just-invited": "Fuiste invitado a este tablero", - "keyboard-shortcuts": "Atajos de teclado", - "label-create": "Crear Etiqueta", - "label-default": "%s etiqueta (por defecto)", - "label-delete-pop": "No hay deshacer. Esto va a eliminar esta etiqueta de todas las tarjetas y destruir su historia.", - "labels": "Etiquetas", - "language": "Lenguaje", - "last-admin-desc": "No podés cambiar roles porque tiene que haber al menos un administrador.", - "leave-board": "Dejar Tablero", - "leave-board-pop": "¿Estás seguro que querés dejar __boardTitle__? Vas a salir de todas las tarjetas en este tablero.", - "leaveBoardPopup-title": "¿Dejar Tablero?", - "link-card": "Enlace a esta tarjeta", - "list-archive-cards": "Mover todas las tarjetas en esta lista a la Papelera de Reciclaje", - "list-archive-cards-pop": "Esto va a remover las tarjetas en esta lista del tablero. Para ver tarjetas en la Papelera de Reciclaje y traerlas de vuelta al tablero, clickeá \"Menú\" > \"Papelera de Reciclaje\".", - "list-move-cards": "Mueve todas las tarjetas en esta lista", - "list-select-cards": "Selecciona todas las tarjetas en esta lista", - "listActionPopup-title": "Listar Acciones", - "swimlaneActionPopup-title": "Acciones de la Calle", - "listImportCardPopup-title": "Importar una tarjeta Trello", - "listMorePopup-title": "Mas", - "link-list": "Enlace a esta lista", - "list-delete-pop": "Todas las acciones van a ser eliminadas del agregador de actividad y no podás recuperar la lista. No se puede deshacer.", - "list-delete-suggest-archive": "Podés mover la lista a la Papelera de Reciclaje para remvoerla del tablero y preservar la actividad.", - "lists": "Listas", - "swimlanes": "Calles", - "log-out": "Salir", - "log-in": "Entrar", - "loginPopup-title": "Entrar", - "memberMenuPopup-title": "Opciones de Miembros", - "members": "Miembros", - "menu": "Menú", - "move-selection": "Mover selección", - "moveCardPopup-title": "Mover Tarjeta", - "moveCardToBottom-title": "Mover al Final", - "moveCardToTop-title": "Mover al Tope", - "moveSelectionPopup-title": "Mover selección", - "multi-selection": "Multi-Selección", - "multi-selection-on": "Multi-selección está activo", - "muted": "Silenciado", - "muted-info": "No serás notificado de ningún cambio en este tablero", - "my-boards": "Mis Tableros", - "name": "Nombre", - "no-archived-cards": "No hay tarjetas en la Papelera de Reciclaje", - "no-archived-lists": "No hay listas en la Papelera de Reciclaje", - "no-archived-swimlanes": "No hay calles en la Papelera de Reciclaje", - "no-results": "No hay resultados", - "normal": "Normal", - "normal-desc": "Puede ver y editar tarjetas. No puede cambiar opciones.", - "not-accepted-yet": "Invitación no aceptada todavía", - "notify-participate": "Recibí actualizaciones en cualquier tarjeta que participés como creador o miembro", - "notify-watch": "Recibí actualizaciones en cualquier tablero, lista, o tarjeta que estés siguiendo", - "optional": "opcional", - "or": "o", - "page-maybe-private": "Esta página puede ser privada. Vos podrás verla entrando.", - "page-not-found": "Página no encontrada.", - "password": "Contraseña", - "paste-or-dragdrop": "pegar, arrastrar y soltar el archivo de imagen a esto (imagen sola)", - "participating": "Participando", - "preview": "Previsualización", - "previewAttachedImagePopup-title": "Previsualización", - "previewClipboardImagePopup-title": "Previsualización", - "private": "Privado", - "private-desc": "Este tablero es privado. Solo personas agregadas a este tablero pueden verlo y editarlo.", - "profile": "Perfil", - "public": "Público", - "public-desc": "Este tablero es público. Es visible para cualquiera con un enlace y se va a mostrar en los motores de búsqueda como Google. Solo personas agregadas a este tablero pueden editarlo.", - "quick-access-description": "Dale una estrella al tablero para agregar un acceso directo en esta barra.", - "remove-cover": "Remover Portada", - "remove-from-board": "Remover del Tablero", - "remove-label": "Remover Etiqueta", - "listDeletePopup-title": "¿Borrar Lista?", - "remove-member": "Remover Miembro", - "remove-member-from-card": "Remover de Tarjeta", - "remove-member-pop": "¿Remover __name__ (__username__) de __boardTitle__? Los miembros va a ser removido de todas las tarjetas en este tablero. Serán notificados.", - "removeMemberPopup-title": "¿Remover Miembro?", - "rename": "Renombrar", - "rename-board": "Renombrar Tablero", - "restore": "Restaurar", - "save": "Grabar", - "search": "Buscar", - "search-cards": "Buscar en títulos y descripciones de tarjeta en este tablero", - "search-example": "¿Texto a buscar?", - "select-color": "Seleccionar Color", - "set-wip-limit-value": "Fijar un límite para el número máximo de tareas en esta lista", - "setWipLimitPopup-title": "Establecer Límite TEP", - "shortcut-assign-self": "Asignarte a vos mismo en la tarjeta actual", - "shortcut-autocomplete-emoji": "Autocompletar emonji", - "shortcut-autocomplete-members": "Autocompletar miembros", - "shortcut-clear-filters": "Limpiar todos los filtros", - "shortcut-close-dialog": "Cerrar Diálogo", - "shortcut-filter-my-cards": "Filtrar mis tarjetas", - "shortcut-show-shortcuts": "Traer esta lista de atajos", - "shortcut-toggle-filterbar": "Activar/Desactivar Barra Lateral de Filtros", - "shortcut-toggle-sidebar": "Activar/Desactivar Barra Lateral de Tableros", - "show-cards-minimum-count": "Mostrar cuenta de tarjetas si la lista contiene más que", - "sidebar-open": "Abrir Barra Lateral", - "sidebar-close": "Cerrar Barra Lateral", - "signupPopup-title": "Crear Cuenta", - "star-board-title": "Clickear para darle una estrella a este tablero. Se mostrará arriba en el tope de tu lista de tableros.", - "starred-boards": "Tableros con estrellas", - "starred-boards-description": "Tableros con estrellas se muestran en el tope de tu lista de tableros.", - "subscribe": "Suscribirse", - "team": "Equipo", - "this-board": "este tablero", - "this-card": "esta tarjeta", - "spent-time-hours": "Tiempo empleado (horas)", - "overtime-hours": "Sobretiempo (horas)", - "overtime": "Sobretiempo", - "has-overtime-cards": "Tiene tarjetas con sobretiempo", - "has-spenttime-cards": "Ha gastado tarjetas de tiempo", - "time": "Hora", - "title": "Título", - "tracking": "Seguimiento", - "tracking-info": "Serás notificado de cualquier cambio a aquellas tarjetas en las que seas creador o miembro.", - "type": "Type", - "unassign-member": "Desasignar miembro", - "unsaved-description": "Tienes una descripción sin guardar.", - "unwatch": "Dejar de seguir", - "upload": "Cargar", - "upload-avatar": "Cargar un avatar", - "uploaded-avatar": "Cargado un avatar", - "username": "Nombre de usuario", - "view-it": "Verlo", - "warn-list-archived": "cuidado; esta tarjeta está en la Papelera de Reciclaje", - "watch": "Seguir", - "watching": "Siguiendo", - "watching-info": "Serás notificado de cualquier cambio en este tablero", - "welcome-board": "Tablero de Bienvenida", - "welcome-swimlane": "Hito 1", - "welcome-list1": "Básicos", - "welcome-list2": "Avanzado", - "what-to-do": "¿Qué querés hacer?", - "wipLimitErrorPopup-title": "Límite TEP Inválido", - "wipLimitErrorPopup-dialog-pt1": " El número de tareas en esta lista es mayor que el límite TEP que definiste.", - "wipLimitErrorPopup-dialog-pt2": "Por favor mové algunas tareas fuera de esta lista, o seleccioná un límite TEP más alto.", - "admin-panel": "Panel de Administración", - "settings": "Opciones", - "people": "Gente", - "registration": "Registro", - "disable-self-registration": "Desactivar auto-registro", - "invite": "Invitar", - "invite-people": "Invitar Gente", - "to-boards": "A tarjeta(s)", - "email-addresses": "Dirección de Email", - "smtp-host-description": "La dirección del servidor SMTP que maneja tus emails", - "smtp-port-description": "El puerto que tu servidor SMTP usa para correos salientes", - "smtp-tls-description": "Activar soporte TLS para el servidor SMTP", - "smtp-host": "Servidor SMTP", - "smtp-port": "Puerto SMTP", - "smtp-username": "Usuario", - "smtp-password": "Contraseña", - "smtp-tls": "Soporte TLS", - "send-from": "De", - "send-smtp-test": "Enviarse un email de prueba", - "invitation-code": "Código de Invitación", - "email-invite-register-subject": "__inviter__ te envió una invitación", - "email-invite-register-text": "Querido __user__,\n\n__inviter__ te invita a Wekan para colaborar.\n\nPor favor sigue el enlace de abajo:\n__url__\n\nI tu código de invitación es: __icode__\n\nGracias.", - "email-smtp-test-subject": "Email de Prueba SMTP de Wekan", - "email-smtp-test-text": "Enviaste el correo correctamente", - "error-invitation-code-not-exist": "El código de invitación no existe", - "error-notAuthorized": "No estás autorizado para ver esta página.", - "outgoing-webhooks": "Ganchos Web Salientes", - "outgoingWebhooksPopup-title": "Ganchos Web Salientes", - "new-outgoing-webhook": "Nuevo Gancho Web", - "no-name": "(desconocido)", - "Wekan_version": "Versión de Wekan", - "Node_version": "Versión de Node", - "OS_Arch": "Arch del SO", - "OS_Cpus": "Cantidad de CPU del SO", - "OS_Freemem": "Memoria Libre del SO", - "OS_Loadavg": "Carga Promedio del SO", - "OS_Platform": "Plataforma del SO", - "OS_Release": "Revisión del SO", - "OS_Totalmem": "Memoria Total del SO", - "OS_Type": "Tipo de SO", - "OS_Uptime": "Tiempo encendido del SO", - "hours": "horas", - "minutes": "minutos", - "seconds": "segundos", - "show-field-on-card": "Show this field on card", - "yes": "Si", - "no": "No", - "accounts": "Cuentas", - "accounts-allowEmailChange": "Permitir Cambio de Email", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Creado en", - "verified": "Verificado", - "active": "Activo", - "card-received": "Recibido", - "card-received-on": "Recibido en", - "card-end": "Termino", - "card-end-on": "Termina en", - "editCardReceivedDatePopup-title": "Cambiar fecha de recepción", - "editCardEndDatePopup-title": "Cambiar fecha de término", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json deleted file mode 100644 index 755094bb..00000000 --- a/i18n/es.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Aceptar", - "act-activity-notify": "[Wekan] Notificación de actividad", - "act-addAttachment": "ha adjuntado __attachment__ a __card__", - "act-addChecklist": "ha añadido la lista de verificación __checklist__ a __card__", - "act-addChecklistItem": "ha añadido __checklistItem__ a la lista de verificación __checklist__ en __card__", - "act-addComment": "ha comentado en __card__: __comment__", - "act-createBoard": "ha creado __board__", - "act-createCard": "ha añadido __card__ a __list__", - "act-createCustomField": "creado el campo personalizado __customField__", - "act-createList": "ha añadido __list__ a __board__", - "act-addBoardMember": "ha añadido a __member__ a __board__", - "act-archivedBoard": "__board__ se ha enviado a la papelera de reciclaje", - "act-archivedCard": "__card__ se ha enviado a la papelera de reciclaje", - "act-archivedList": "__list__ se ha enviado a la papelera de reciclaje", - "act-archivedSwimlane": "__swimlane__ se ha enviado a la papelera de reciclaje", - "act-importBoard": "ha importado __board__", - "act-importCard": "ha importado __card__", - "act-importList": "ha importado __list__", - "act-joinMember": "ha añadido a __member__ a __card__", - "act-moveCard": "ha movido __card__ desde __oldList__ a __list__", - "act-removeBoardMember": "ha desvinculado a __member__ de __board__", - "act-restoredCard": "ha restaurado __card__ en __board__", - "act-unjoinMember": "ha desvinculado a __member__ de __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Acciones", - "activities": "Actividades", - "activity": "Actividad", - "activity-added": "ha añadido %s a %s", - "activity-archived": "%s se ha enviado a la papelera de reciclaje", - "activity-attached": "ha adjuntado %s a %s", - "activity-created": "ha creado %s", - "activity-customfield-created": "creado el campo personalizado %s", - "activity-excluded": "ha excluido %s de %s", - "activity-imported": "ha importado %s a %s desde %s", - "activity-imported-board": "ha importado %s desde %s", - "activity-joined": "se ha unido a %s", - "activity-moved": "ha movido %s de %s a %s", - "activity-on": "en %s", - "activity-removed": "ha eliminado %s de %s", - "activity-sent": "ha enviado %s a %s", - "activity-unjoined": "se ha desvinculado de %s", - "activity-checklist-added": "ha añadido una lista de verificación a %s", - "activity-checklist-item-added": "ha añadido el elemento de la lista de verificación a '%s' en %s", - "add": "Añadir", - "add-attachment": "Añadir adjunto", - "add-board": "Añadir tablero", - "add-card": "Añadir una tarjeta", - "add-swimlane": "Añadir un carril de flujo", - "add-checklist": "Añadir una lista de verificación", - "add-checklist-item": "Añadir un elemento a la lista de verificación", - "add-cover": "Añadir portada", - "add-label": "Añadir una etiqueta", - "add-list": "Añadir una lista", - "add-members": "Añadir miembros", - "added": "Añadida el", - "addMemberPopup-title": "Miembros", - "admin": "Administrador", - "admin-desc": "Puedes ver y editar tarjetas, eliminar miembros, y cambiar los ajustes del tablero", - "admin-announcement": "Aviso", - "admin-announcement-active": "Activar el aviso para todo el sistema", - "admin-announcement-title": "Aviso del administrador", - "all-boards": "Tableros", - "and-n-other-card": "y __count__ tarjeta más", - "and-n-other-card_plural": "y otras __count__ tarjetas", - "apply": "Aplicar", - "app-is-offline": "Wekan se está cargando, por favor espere. Actualizar la página provocará la pérdida de datos. Si Wekan no se carga, por favor verifique que el servidor de Wekan no está detenido.", - "archive": "Enviar a la papelera de reciclaje", - "archive-all": "Enviar todo a la papelera de reciclaje", - "archive-board": "Enviar el tablero a la papelera de reciclaje", - "archive-card": "Enviar la tarjeta a la papelera de reciclaje", - "archive-list": "Enviar la lista a la papelera de reciclaje", - "archive-swimlane": "Enviar el carril de flujo a la papelera de reciclaje", - "archive-selection": "Enviar la selección a la papelera de reciclaje", - "archiveBoardPopup-title": "Enviar el tablero a la papelera de reciclaje", - "archived-items": "Papelera de reciclaje", - "archived-boards": "Tableros en la papelera de reciclaje", - "restore-board": "Restaurar el tablero", - "no-archived-boards": "No hay tableros en la papelera de reciclaje", - "archives": "Papelera de reciclaje", - "assign-member": "Asignar miembros", - "attached": "adjuntado", - "attachment": "Adjunto", - "attachment-delete-pop": "La eliminación de un fichero adjunto es permanente. Esta acción no puede deshacerse.", - "attachmentDeletePopup-title": "¿Eliminar el adjunto?", - "attachments": "Adjuntos", - "auto-watch": "Suscribirse automáticamente a los tableros cuando son creados", - "avatar-too-big": "El avatar es muy grande (70KB máx.)", - "back": "Atrás", - "board-change-color": "Cambiar el color", - "board-nb-stars": "%s destacados", - "board-not-found": "Tablero no encontrado", - "board-private-info": "Este tablero será privado.", - "board-public-info": "Este tablero será público.", - "boardChangeColorPopup-title": "Cambiar el fondo del tablero", - "boardChangeTitlePopup-title": "Renombrar el tablero", - "boardChangeVisibilityPopup-title": "Cambiar visibilidad", - "boardChangeWatchPopup-title": "Cambiar vigilancia", - "boardMenuPopup-title": "Menú del tablero", - "boards": "Tableros", - "board-view": "Vista del tablero", - "board-view-swimlanes": "Carriles", - "board-view-lists": "Listas", - "bucket-example": "Como “Cosas por hacer” por ejemplo", - "cancel": "Cancelar", - "card-archived": "Esta tarjeta se ha enviado a la papelera de reciclaje.", - "card-comments-title": "Esta tarjeta tiene %s comentarios.", - "card-delete-notice": "la eliminación es permanente. Perderás todas las acciones asociadas a esta tarjeta.", - "card-delete-pop": "Se eliminarán todas las acciones del historial de actividades y no se podrá volver a abrir la tarjeta. Esta acción no puede deshacerse.", - "card-delete-suggest-archive": "Puedes enviar una tarjeta a la papelera de reciclaje para eliminarla del tablero y conservar la actividad.", - "card-due": "Vence", - "card-due-on": "Vence el", - "card-spent": "Tiempo consumido", - "card-edit-attachments": "Editar los adjuntos", - "card-edit-custom-fields": "Editar los campos personalizados", - "card-edit-labels": "Editar las etiquetas", - "card-edit-members": "Editar los miembros", - "card-labels-title": "Cambia las etiquetas de la tarjeta", - "card-members-title": "Añadir o eliminar miembros del tablero desde la tarjeta.", - "card-start": "Comienza", - "card-start-on": "Comienza el", - "cardAttachmentsPopup-title": "Adjuntar desde", - "cardCustomField-datePopup-title": "Cambiar la fecha", - "cardCustomFieldsPopup-title": "Editar los campos personalizados", - "cardDeletePopup-title": "¿Eliminar la tarjeta?", - "cardDetailsActionsPopup-title": "Acciones de la tarjeta", - "cardLabelsPopup-title": "Etiquetas", - "cardMembersPopup-title": "Miembros", - "cardMorePopup-title": "Más", - "cards": "Tarjetas", - "cards-count": "Tarjetas", - "change": "Cambiar", - "change-avatar": "Cambiar el avatar", - "change-password": "Cambiar la contraseña", - "change-permissions": "Cambiar los permisos", - "change-settings": "Cambiar las preferencias", - "changeAvatarPopup-title": "Cambiar el avatar", - "changeLanguagePopup-title": "Cambiar el idioma", - "changePasswordPopup-title": "Cambiar la contraseña", - "changePermissionsPopup-title": "Cambiar los permisos", - "changeSettingsPopup-title": "Cambiar las preferencias", - "checklists": "Lista de verificación", - "click-to-star": "Haz clic para destacar este tablero.", - "click-to-unstar": "Haz clic para dejar de destacar este tablero.", - "clipboard": "el portapapeles o con arrastrar y soltar", - "close": "Cerrar", - "close-board": "Cerrar el tablero", - "close-board-pop": "Podrás restaurar el tablero haciendo clic en el botón \"Papelera de reciclaje\" en la cabecera.", - "color-black": "negra", - "color-blue": "azul", - "color-green": "verde", - "color-lime": "lima", - "color-orange": "naranja", - "color-pink": "rosa", - "color-purple": "violeta", - "color-red": "roja", - "color-sky": "celeste", - "color-yellow": "amarilla", - "comment": "Comentar", - "comment-placeholder": "Escribir comentario", - "comment-only": "Sólo comentarios", - "comment-only-desc": "Solo puedes comentar en las tarjetas.", - "computer": "el ordenador", - "confirm-checklist-delete-dialog": "¿Seguro que desea eliminar la lista de verificación?", - "copy-card-link-to-clipboard": "Copiar el enlace de la tarjeta al portapapeles", - "copyCardPopup-title": "Copiar la tarjeta", - "copyChecklistToManyCardsPopup-title": "Copiar la plantilla de la lista de verificación en varias tarjetas", - "copyChecklistToManyCardsPopup-instructions": "Títulos y descripciones de las tarjetas de destino en formato JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Título de la primera tarjeta\", \"description\":\"Descripción de la primera tarjeta\"}, {\"title\":\"Título de la segunda tarjeta\",\"description\":\"Descripción de la segunda tarjeta\"},{\"title\":\"Título de la última tarjeta\",\"description\":\"Descripción de la última tarjeta\"} ]", - "create": "Crear", - "createBoardPopup-title": "Crear tablero", - "chooseBoardSourcePopup-title": "Importar un tablero", - "createLabelPopup-title": "Crear etiqueta", - "createCustomField": "Crear un campo", - "createCustomFieldPopup-title": "Crear un campo", - "current": "actual", - "custom-field-delete-pop": "Se eliminará este campo personalizado de todas las tarjetas y se destruirá su historial. Esta acción no puede deshacerse.", - "custom-field-checkbox": "Casilla de verificación", - "custom-field-date": "Fecha", - "custom-field-dropdown": "Lista desplegable", - "custom-field-dropdown-none": "(nada)", - "custom-field-dropdown-options": "Opciones de la lista", - "custom-field-dropdown-options-placeholder": "Pulsa Intro para añadir más opciones", - "custom-field-dropdown-unknown": "(desconocido)", - "custom-field-number": "Número", - "custom-field-text": "Texto", - "custom-fields": "Campos personalizados", - "date": "Fecha", - "decline": "Declinar", - "default-avatar": "Avatar por defecto", - "delete": "Eliminar", - "deleteCustomFieldPopup-title": "¿Borrar el campo personalizado?", - "deleteLabelPopup-title": "¿Eliminar la etiqueta?", - "description": "Descripción", - "disambiguateMultiLabelPopup-title": "Desambiguar la acción de etiqueta", - "disambiguateMultiMemberPopup-title": "Desambiguar la acción de miembro", - "discard": "Descartarla", - "done": "Hecho", - "download": "Descargar", - "edit": "Editar", - "edit-avatar": "Cambiar el avatar", - "edit-profile": "Editar el perfil", - "edit-wip-limit": "Cambiar el límite del trabajo en proceso", - "soft-wip-limit": "Límite del trabajo en proceso flexible", - "editCardStartDatePopup-title": "Cambiar la fecha de comienzo", - "editCardDueDatePopup-title": "Cambiar la fecha de vencimiento", - "editCustomFieldPopup-title": "Editar el campo", - "editCardSpentTimePopup-title": "Cambiar el tiempo consumido", - "editLabelPopup-title": "Cambiar la etiqueta", - "editNotificationPopup-title": "Editar las notificaciones", - "editProfilePopup-title": "Editar el perfil", - "email": "Correo electrónico", - "email-enrollAccount-subject": "Cuenta creada en __siteName__", - "email-enrollAccount-text": "Hola __user__,\n\nPara empezar a utilizar el servicio, simplemente haz clic en el siguiente enlace.\n\n__url__\n\nGracias.", - "email-fail": "Error al enviar el correo", - "email-fail-text": "Error al intentar enviar el correo", - "email-invalid": "Correo no válido", - "email-invite": "Invitar vía correo electrónico", - "email-invite-subject": "__inviter__ ha enviado una invitación", - "email-invite-text": "Estimado __user__,\n\n__inviter__ te invita a unirte al tablero '__board__' para colaborar.\n\nPor favor, haz clic en el siguiente enlace:\n\n__url__\n\nGracias.", - "email-resetPassword-subject": "Restablecer tu contraseña en __siteName__", - "email-resetPassword-text": "Hola __user__,\n\nPara restablecer tu contraseña, haz clic en el siguiente enlace.\n\n__url__\n\nGracias.", - "email-sent": "Correo enviado", - "email-verifyEmail-subject": "Verifica tu dirección de correo en __siteName__", - "email-verifyEmail-text": "Hola __user__,\n\nPara verificar tu cuenta de correo electrónico, haz clic en el siguiente enlace.\n\n__url__\n\nGracias.", - "enable-wip-limit": "Activar el límite del trabajo en proceso", - "error-board-doesNotExist": "El tablero no existe", - "error-board-notAdmin": "Es necesario ser administrador de este tablero para hacer eso", - "error-board-notAMember": "Es necesario ser miembro de este tablero para hacer eso", - "error-json-malformed": "El texto no es un JSON válido", - "error-json-schema": "Sus datos JSON no incluyen la información apropiada en el formato correcto", - "error-list-doesNotExist": "La lista no existe", - "error-user-doesNotExist": "El usuario no existe", - "error-user-notAllowSelf": "No puedes invitarte a ti mismo", - "error-user-notCreated": "El usuario no ha sido creado", - "error-username-taken": "Este nombre de usuario ya está en uso", - "error-email-taken": "Esta dirección de correo ya está en uso", - "export-board": "Exportar el tablero", - "filter": "Filtrar", - "filter-cards": "Filtrar tarjetas", - "filter-clear": "Limpiar el filtro", - "filter-no-label": "Sin etiqueta", - "filter-no-member": "Sin miembro", - "filter-no-custom-fields": "Sin campos personalizados", - "filter-on": "Filtrado activado", - "filter-on-desc": "Estás filtrando tarjetas en este tablero. Haz clic aquí para editar el filtro.", - "filter-to-selection": "Filtrar la selección", - "advanced-filter-label": "Filtrado avanzado", - "advanced-filter-description": "El filtrado avanzado permite escribir una cadena que contiene los siguientes operadores: == != <= >= && || ( ) Se utiliza un espacio como separador entre los operadores. Se pueden filtrar todos los campos personalizados escribiendo sus nombres y valores. Por ejemplo: Campo1 == Valor1. Nota: Si los campos o valores contienen espacios, debe encapsularlos entre comillas simples. Por ejemplo: 'Campo 1' == 'Valor 1'. También puedes combinar múltiples condiciones. Por ejemplo: C1 == V1 || C1 = V2. Normalmente todos los operadores se interpretan de izquierda a derecha. Puede cambiar el orden colocando corchetes. Por ejemplo: C1 == V1 y ( C2 == V2 || C2 == V3 )", - "fullname": "Nombre completo", - "header-logo-title": "Volver a tu página de tableros", - "hide-system-messages": "Ocultar las notificaciones de actividad", - "headerBarCreateBoardPopup-title": "Crear tablero", - "home": "Inicio", - "import": "Importar", - "import-board": "importar un tablero", - "import-board-c": "Importar un tablero", - "import-board-title-trello": "Importar un tablero desde Trello", - "import-board-title-wekan": "Importar un tablero desde Wekan", - "import-sandstorm-warning": "El tablero importado eliminará todos los datos existentes en este tablero y los reemplazará con los datos del tablero importado.", - "from-trello": "Desde Trello", - "from-wekan": "Desde Wekan", - "import-board-instruction-trello": "En tu tablero de Trello, ve a 'Menú', luego 'Más' > 'Imprimir y exportar' > 'Exportar JSON', y copia el texto resultante.", - "import-board-instruction-wekan": "En tu tablero de Wekan, ve a 'Menú del tablero', luego 'Exportar el tablero', y copia aquí el texto del fichero descargado.", - "import-json-placeholder": "Pega tus datos JSON válidos aquí", - "import-map-members": "Mapa de miembros", - "import-members-map": "El tablero importado tiene algunos miembros. Por favor mapea los miembros que deseas importar a los usuarios de Wekan", - "import-show-user-mapping": "Revisión de la asignación de miembros", - "import-user-select": "Escoge el usuario de Wekan que deseas utilizar como miembro", - "importMapMembersAddPopup-title": "Selecciona un miembro de Wekan", - "info": "Versión", - "initials": "Iniciales", - "invalid-date": "Fecha no válida", - "invalid-time": "Tiempo no válido", - "invalid-user": "Usuario no válido", - "joined": "se ha unido", - "just-invited": "Has sido invitado a este tablero", - "keyboard-shortcuts": "Atajos de teclado", - "label-create": "Crear una etiqueta", - "label-default": "etiqueta %s (por defecto)", - "label-delete-pop": "Se eliminará esta etiqueta de todas las tarjetas y se destruirá su historial. Esta acción no puede deshacerse.", - "labels": "Etiquetas", - "language": "Cambiar el idioma", - "last-admin-desc": "No puedes cambiar roles porque debe haber al menos un administrador.", - "leave-board": "Abandonar el tablero", - "leave-board-pop": "¿Seguro que quieres abandonar __boardTitle__? Serás desvinculado de todas las tarjetas en este tablero.", - "leaveBoardPopup-title": "¿Abandonar el tablero?", - "link-card": "Enlazar a esta tarjeta", - "list-archive-cards": "Enviar todas las tarjetas de esta lista a la papelera de reciclaje", - "list-archive-cards-pop": "Esto eliminará todas las tarjetas de esta lista del tablero. Para ver las tarjetas en la papelera de reciclaje y devolverlas al tablero, haga clic en \"Menú\" > \"Papelera de reciclaje\".", - "list-move-cards": "Mover todas las tarjetas de esta lista", - "list-select-cards": "Seleccionar todas las tarjetas de esta lista", - "listActionPopup-title": "Acciones de la lista", - "swimlaneActionPopup-title": "Acciones del carril de flujo", - "listImportCardPopup-title": "Importar una tarjeta de Trello", - "listMorePopup-title": "Más", - "link-list": "Enlazar a esta lista", - "list-delete-pop": "Todas las acciones serán eliminadas del historial de actividades y no se podrá recuperar la lista. Esta acción no puede deshacerse.", - "list-delete-suggest-archive": "Puedes enviar una lista a la papelera de reciclaje para eliminarla del tablero y conservar la actividad.", - "lists": "Listas", - "swimlanes": "Carriles", - "log-out": "Finalizar la sesión", - "log-in": "Iniciar sesión", - "loginPopup-title": "Iniciar sesión", - "memberMenuPopup-title": "Mis preferencias", - "members": "Miembros", - "menu": "Menú", - "move-selection": "Mover la selección", - "moveCardPopup-title": "Mover la tarjeta", - "moveCardToBottom-title": "Mover al final", - "moveCardToTop-title": "Mover al principio", - "moveSelectionPopup-title": "Mover la selección", - "multi-selection": "Selección múltiple", - "multi-selection-on": "Selección múltiple activada", - "muted": "Silenciado", - "muted-info": "No serás notificado de ningún cambio en este tablero", - "my-boards": "Mis tableros", - "name": "Nombre", - "no-archived-cards": "No hay tarjetas en la papelera de reciclaje", - "no-archived-lists": "No hay listas en la papelera de reciclaje", - "no-archived-swimlanes": "No hay carriles de flujo en la papelera de reciclaje", - "no-results": "Sin resultados", - "normal": "Normal", - "normal-desc": "Puedes ver y editar tarjetas. No puedes cambiar la configuración.", - "not-accepted-yet": "La invitación no ha sido aceptada aún", - "notify-participate": "Recibir actualizaciones de cualquier tarjeta en la que participas como creador o miembro", - "notify-watch": "Recibir actuaizaciones de cualquier tablero, lista o tarjeta que estés vigilando", - "optional": "opcional", - "or": "o", - "page-maybe-private": "Esta página puede ser privada. Es posible que puedas verla al iniciar sesión.", - "page-not-found": "Página no encontrada.", - "password": "Contraseña", - "paste-or-dragdrop": "pegar o arrastrar y soltar un fichero de imagen (sólo imagen)", - "participating": "Participando", - "preview": "Previsualizar", - "previewAttachedImagePopup-title": "Previsualizar", - "previewClipboardImagePopup-title": "Previsualizar", - "private": "Privado", - "private-desc": "Este tablero es privado. Sólo las personas añadidas al tablero pueden verlo y editarlo.", - "profile": "Perfil", - "public": "Público", - "public-desc": "Este tablero es público. Es visible para cualquiera a través del enlace, y se mostrará en los buscadores como Google. Sólo las personas añadidas al tablero pueden editarlo.", - "quick-access-description": "Destaca un tablero para añadir un acceso directo en esta barra.", - "remove-cover": "Eliminar portada", - "remove-from-board": "Desvincular del tablero", - "remove-label": "Eliminar la etiqueta", - "listDeletePopup-title": "¿Eliminar la lista?", - "remove-member": "Eliminar miembro", - "remove-member-from-card": "Eliminar de la tarjeta", - "remove-member-pop": "¿Eliminar __name__ (__username__) de __boardTitle__? El miembro será eliminado de todas las tarjetas de este tablero. En ellas se mostrará una notificación.", - "removeMemberPopup-title": "¿Eliminar miembro?", - "rename": "Renombrar", - "rename-board": "Renombrar el tablero", - "restore": "Restaurar", - "save": "Añadir", - "search": "Buscar", - "search-cards": "Buscar entre los títulos y las descripciones de las tarjetas en este tablero.", - "search-example": "¿Texto a buscar?", - "select-color": "Selecciona un color", - "set-wip-limit-value": "Fija un límite para el número máximo de tareas en esta lista.", - "setWipLimitPopup-title": "Fijar el límite del trabajo en proceso", - "shortcut-assign-self": "Asignarte a ti mismo a la tarjeta actual", - "shortcut-autocomplete-emoji": "Autocompletar emoji", - "shortcut-autocomplete-members": "Autocompletar miembros", - "shortcut-clear-filters": "Limpiar todos los filtros", - "shortcut-close-dialog": "Cerrar el cuadro de diálogo", - "shortcut-filter-my-cards": "Filtrar mis tarjetas", - "shortcut-show-shortcuts": "Mostrar esta lista de atajos", - "shortcut-toggle-filterbar": "Conmutar la barra lateral del filtro", - "shortcut-toggle-sidebar": "Conmutar la barra lateral del tablero", - "show-cards-minimum-count": "Mostrar recuento de tarjetas si la lista contiene más de", - "sidebar-open": "Abrir la barra lateral", - "sidebar-close": "Cerrar la barra lateral", - "signupPopup-title": "Crear una cuenta", - "star-board-title": "Haz clic para destacar este tablero. Se mostrará en la parte superior de tu lista de tableros.", - "starred-boards": "Tableros destacados", - "starred-boards-description": "Los tableros destacados se mostrarán en la parte superior de tu lista de tableros.", - "subscribe": "Suscribirse", - "team": "Equipo", - "this-board": "este tablero", - "this-card": "esta tarjeta", - "spent-time-hours": "Tiempo consumido (horas)", - "overtime-hours": "Tiempo excesivo (horas)", - "overtime": "Tiempo excesivo", - "has-overtime-cards": "Hay tarjetas con el tiempo excedido", - "has-spenttime-cards": "Se ha excedido el tiempo de las tarjetas", - "time": "Hora", - "title": "Título", - "tracking": "Siguiendo", - "tracking-info": "Serás notificado de cualquier cambio en las tarjetas en las que participas como creador o miembro.", - "type": "Tipo", - "unassign-member": "Desvincular al miembro", - "unsaved-description": "Tienes una descripción por añadir.", - "unwatch": "Dejar de vigilar", - "upload": "Cargar", - "upload-avatar": "Cargar un avatar", - "uploaded-avatar": "Avatar cargado", - "username": "Nombre de usuario", - "view-it": "Verla", - "warn-list-archived": "advertencia: esta tarjeta está en una lista en la papelera de reciclaje", - "watch": "Vigilar", - "watching": "Vigilando", - "watching-info": "Serás notificado de cualquier cambio en este tablero", - "welcome-board": "Tablero de bienvenida", - "welcome-swimlane": "Hito 1", - "welcome-list1": "Básicos", - "welcome-list2": "Avanzados", - "what-to-do": "¿Qué deseas hacer?", - "wipLimitErrorPopup-title": "El límite del trabajo en proceso no es válido.", - "wipLimitErrorPopup-dialog-pt1": "El número de tareas en esta lista es mayor que el límite del trabajo en proceso que has definido.", - "wipLimitErrorPopup-dialog-pt2": "Por favor, mueve algunas tareas fuera de esta lista, o fija un límite del trabajo en proceso más alto.", - "admin-panel": "Panel del administrador", - "settings": "Ajustes", - "people": "Personas", - "registration": "Registro", - "disable-self-registration": "Deshabilitar autoregistro", - "invite": "Invitar", - "invite-people": "Invitar a personas", - "to-boards": "A el(los) tablero(s)", - "email-addresses": "Direcciones de correo electrónico", - "smtp-host-description": "Dirección del servidor SMTP para gestionar tus correos", - "smtp-port-description": "Puerto usado por el servidor SMTP para mandar correos", - "smtp-tls-description": "Habilitar el soporte TLS para el servidor SMTP", - "smtp-host": "Servidor SMTP", - "smtp-port": "Puerto SMTP", - "smtp-username": "Nombre de usuario", - "smtp-password": "Contraseña", - "smtp-tls": "Soporte TLS", - "send-from": "Desde", - "send-smtp-test": "Enviarte un correo de prueba a ti mismo", - "invitation-code": "Código de Invitación", - "email-invite-register-subject": "__inviter__ te ha enviado una invitación", - "email-invite-register-text": "Estimado __user__,\n\n__inviter__ te invita a unirte a Wekan para colaborar.\n\nPor favor, haz clic en el siguiente enlace:\n__url__\n\nTu código de invitación es: __icode__\n\nGracias.", - "email-smtp-test-subject": "Prueba de correo SMTP desde Wekan", - "email-smtp-test-text": "El correo se ha enviado correctamente", - "error-invitation-code-not-exist": "El código de invitación no existe", - "error-notAuthorized": "No estás autorizado a ver esta página.", - "outgoing-webhooks": "Webhooks salientes", - "outgoingWebhooksPopup-title": "Webhooks salientes", - "new-outgoing-webhook": "Nuevo webhook saliente", - "no-name": "(Desconocido)", - "Wekan_version": "Versión de Wekan", - "Node_version": "Versión de Node", - "OS_Arch": "Arquitectura del sistema", - "OS_Cpus": "Número de CPUs del sistema", - "OS_Freemem": "Memoria libre del sistema", - "OS_Loadavg": "Carga media del sistema", - "OS_Platform": "Plataforma del sistema", - "OS_Release": "Publicación del sistema", - "OS_Totalmem": "Memoria Total del sistema", - "OS_Type": "Tipo de sistema", - "OS_Uptime": "Tiempo activo del sistema", - "hours": "horas", - "minutes": "minutos", - "seconds": "segundos", - "show-field-on-card": "Mostrar este campo en la tarjeta", - "yes": "Sí", - "no": "No", - "accounts": "Cuentas", - "accounts-allowEmailChange": "Permitir cambiar el correo electrónico", - "accounts-allowUserNameChange": "Permitir el cambio del nombre de usuario", - "createdAt": "Creado en", - "verified": "Verificado", - "active": "Activo", - "card-received": "Recibido", - "card-received-on": "Recibido el", - "card-end": "Finalizado", - "card-end-on": "Finalizado el", - "editCardReceivedDatePopup-title": "Cambiar la fecha de recepción", - "editCardEndDatePopup-title": "Cambiar la fecha de finalización", - "assigned-by": "Asignado por", - "requested-by": "Solicitado por", - "board-delete-notice": "Se eliminarán todas las listas, tarjetas y acciones asociadas a este tablero. Esta acción no puede deshacerse.", - "delete-board-confirm-popup": "Se eliminarán todas las listas, tarjetas, etiquetas y actividades, y no podrás recuperar los contenidos del tablero. Esta acción no puede deshacerse.", - "boardDeletePopup-title": "¿Borrar el tablero?", - "delete-board": "Borrar el tablero" -} \ No newline at end of file diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json deleted file mode 100644 index 51de292b..00000000 --- a/i18n/eu.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Onartu", - "act-activity-notify": "[Wekan] Jarduera-jakinarazpena", - "act-addAttachment": "__attachment__ __card__ txartelera erantsita", - "act-addChecklist": "gehituta checklist __checklist__ __card__ -ri", - "act-addChecklistItem": "gehituta __checklistItem__ checklist __checklist__ on __card__ -ri", - "act-addComment": "__card__ txartelean iruzkina: __comment__", - "act-createBoard": "__board__ sortuta", - "act-createCard": "__card__ __list__ zerrrendara gehituta", - "act-createCustomField": "created custom field __customField__", - "act-createList": "__list__ __board__ arbelera gehituta", - "act-addBoardMember": "__member__ __board__ arbelera gehituta", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "__board__ inportatuta", - "act-importCard": "__card__ inportatuta", - "act-importList": "__list__ inportatuta", - "act-joinMember": "__member__ __card__ txartelera gehituta", - "act-moveCard": "__card__ __oldList__ zerrendartik __list__ zerrendara eraman da", - "act-removeBoardMember": "__member__ __board__ arbeletik kendu da", - "act-restoredCard": "__card__ __board__ arbelean berrezarri da", - "act-unjoinMember": "__member__ __card__ txarteletik kendu da", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Ekintzak", - "activities": "Jarduerak", - "activity": "Jarduera", - "activity-added": "%s %s(e)ra gehituta", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "%s %s(e)ra erantsita", - "activity-created": "%s sortuta", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "%s %s(e)tik kanpo utzita", - "activity-imported": "%s inportatuta %s(e)ra %s(e)tik", - "activity-imported-board": "%s inportatuta %s(e)tik", - "activity-joined": "%s(e)ra elkartuta", - "activity-moved": "%s %s(e)tik %s(e)ra eramanda", - "activity-on": "%s", - "activity-removed": "%s %s(e)tik kenduta", - "activity-sent": "%s %s(e)ri bidalita", - "activity-unjoined": "%s utzita", - "activity-checklist-added": "egiaztaketa zerrenda %s(e)ra gehituta", - "activity-checklist-item-added": "egiaztaketa zerrendako elementuak '%s'(e)ra gehituta %s(e)n", - "add": "Gehitu", - "add-attachment": "Gehitu eranskina", - "add-board": "Gehitu arbela", - "add-card": "Gehitu txartela", - "add-swimlane": "Add Swimlane", - "add-checklist": "Gehitu egiaztaketa zerrenda", - "add-checklist-item": "Gehitu elementu bat egiaztaketa zerrendara", - "add-cover": "Gehitu azala", - "add-label": "Gehitu etiketa", - "add-list": "Gehitu zerrenda", - "add-members": "Gehitu kideak", - "added": "Gehituta", - "addMemberPopup-title": "Kideak", - "admin": "Kudeatzailea", - "admin-desc": "Txartelak ikusi eta editatu ditzake, kideak kendu, eta arbelaren ezarpenak aldatu.", - "admin-announcement": "Jakinarazpena", - "admin-announcement-active": "Gaitu Sistema-eremuko Jakinarazpena", - "admin-announcement-title": "Administrariaren jakinarazpena", - "all-boards": "Arbel guztiak", - "and-n-other-card": "Eta beste txartel __count__", - "and-n-other-card_plural": "Eta beste __count__ txartel", - "apply": "Aplikatu", - "app-is-offline": "Wekan kargatzen ari da, itxaron mesedez. Orria freskatzeak datuen galera ekarriko luke. Wekan kargatzen ez bada, egiaztatu Wekan zerbitzaria gelditu ez dela.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Berreskuratu arbela", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Esleitu kidea", - "attached": "erantsita", - "attachment": "Eranskina", - "attachment-delete-pop": "Eranskina ezabatzea behin betikoa da. Ez dago desegiterik.", - "attachmentDeletePopup-title": "Ezabatu eranskina?", - "attachments": "Eranskinak", - "auto-watch": "Automatikoki jarraitu arbelak hauek sortzean", - "avatar-too-big": "Avatarra handiegia da (Gehienez 70Kb)", - "back": "Atzera", - "board-change-color": "Aldatu kolorea", - "board-nb-stars": "%s izar", - "board-not-found": "Ez da arbela aurkitu", - "board-private-info": "Arbel hau pribatua izango da.", - "board-public-info": "Arbel hau publikoa izango da.", - "boardChangeColorPopup-title": "Aldatu arbelaren atzealdea", - "boardChangeTitlePopup-title": "Aldatu izena arbelari", - "boardChangeVisibilityPopup-title": "Aldatu ikusgaitasuna", - "boardChangeWatchPopup-title": "Aldatu ikuskatzea", - "boardMenuPopup-title": "Arbelaren menua", - "boards": "Arbelak", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Zerrendak", - "bucket-example": "Esaterako \"Pertz zerrenda\"", - "cancel": "Utzi", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "Txartel honek iruzkin %s dauka.", - "card-delete-notice": "Ezabaketa behin betiko da. Txartel honi lotutako ekintza guztiak galduko dituzu.", - "card-delete-pop": "Ekintza guztiak ekintza jariotik kenduko dira eta ezin izango duzu txartela berrireki. Ez dago desegiterik.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Epemuga", - "card-due-on": "Epemuga", - "card-spent": "Erabilitako denbora", - "card-edit-attachments": "Editatu eranskinak", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Editatu etiketak", - "card-edit-members": "Editatu kideak", - "card-labels-title": "Aldatu txartelaren etiketak", - "card-members-title": "Gehitu edo kendu arbeleko kideak txarteletik.", - "card-start": "Hasiera", - "card-start-on": "Hasiera", - "cardAttachmentsPopup-title": "Erantsi hemendik", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Ezabatu txartela?", - "cardDetailsActionsPopup-title": "Txartel-ekintzak", - "cardLabelsPopup-title": "Etiketak", - "cardMembersPopup-title": "Kideak", - "cardMorePopup-title": "Gehiago", - "cards": "Txartelak", - "cards-count": "Txartelak", - "change": "Aldatu", - "change-avatar": "Aldatu avatarra", - "change-password": "Aldatu pasahitza", - "change-permissions": "Aldatu baimenak", - "change-settings": "Aldatu ezarpenak", - "changeAvatarPopup-title": "Aldatu avatarra", - "changeLanguagePopup-title": "Aldatu hizkuntza", - "changePasswordPopup-title": "Aldatu pasahitza", - "changePermissionsPopup-title": "Aldatu baimenak", - "changeSettingsPopup-title": "Aldatu ezarpenak", - "checklists": "Egiaztaketa zerrenda", - "click-to-star": "Egin klik arbel honi izarra jartzeko", - "click-to-unstar": "Egin klik arbel honi izarra kentzeko", - "clipboard": "Kopiatu eta itsatsi edo arrastatu eta jaregin", - "close": "Itxi", - "close-board": "Itxi arbela", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "beltza", - "color-blue": "urdina", - "color-green": "berdea", - "color-lime": "lima", - "color-orange": "laranja", - "color-pink": "larrosa", - "color-purple": "purpura", - "color-red": "gorria", - "color-sky": "zerua", - "color-yellow": "horia", - "comment": "Iruzkina", - "comment-placeholder": "Idatzi iruzkin bat", - "comment-only": "Iruzkinak besterik ez", - "comment-only-desc": "Iruzkinak txarteletan soilik egin ditzake", - "computer": "Ordenagailua", - "confirm-checklist-delete-dialog": "Ziur zaude kontrol-zerrenda ezabatu nahi duzula", - "copy-card-link-to-clipboard": "Kopiatu txartela arbelera", - "copyCardPopup-title": "Kopiatu txartela", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Sortu", - "createBoardPopup-title": "Sortu arbela", - "chooseBoardSourcePopup-title": "Inportatu arbela", - "createLabelPopup-title": "Sortu etiketa", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "unekoa", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Data", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Data", - "decline": "Ukatu", - "default-avatar": "Lehenetsitako avatarra", - "delete": "Ezabatu", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Ezabatu etiketa?", - "description": "Deskripzioa", - "disambiguateMultiLabelPopup-title": "Argitu etiketaren ekintza", - "disambiguateMultiMemberPopup-title": "Argitu kidearen ekintza", - "discard": "Baztertu", - "done": "Egina", - "download": "Deskargatu", - "edit": "Editatu", - "edit-avatar": "Aldatu avatarra", - "edit-profile": "Editatu profila", - "edit-wip-limit": "WIP muga editatu", - "soft-wip-limit": "WIP muga malgua", - "editCardStartDatePopup-title": "Aldatu hasiera data", - "editCardDueDatePopup-title": "Aldatu epemuga data", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Aldatu erabilitako denbora", - "editLabelPopup-title": "Aldatu etiketa", - "editNotificationPopup-title": "Editatu jakinarazpena", - "editProfilePopup-title": "Editatu profila", - "email": "e-posta", - "email-enrollAccount-subject": "Kontu bat sortu zaizu __siteName__ gunean", - "email-enrollAccount-text": "Kaixo __user__,\n\nZerbitzua erabiltzen hasteko, egin klik beheko loturan.\n\n__url__\n\nEskerrik asko.", - "email-fail": "E-posta bidalketak huts egin du", - "email-fail-text": "Arazoa mezua bidaltzen saiatzen", - "email-invalid": "Baliogabeko e-posta", - "email-invite": "Gonbidatu e-posta bidez", - "email-invite-subject": "__inviter__ erabiltzaileak gonbidapen bat bidali dizu", - "email-invite-text": "Kaixo __user__,\n\n__inviter__ erabiltzaileak \"__board__\" arbelera elkartzera gonbidatzen zaitu elkar-lanean aritzeko.\n\nJarraitu mesedez lotura hau:\n\n__url__\n\nEskerrik asko.", - "email-resetPassword-subject": "Leheneratu zure __siteName__ guneko pasahitza", - "email-resetPassword-text": "Kaixo __user__,\n\nZure pasahitza berrezartzeko, egin klik beheko loturan.\n\n__url__\n\nEskerrik asko.", - "email-sent": "E-posta bidali da", - "email-verifyEmail-subject": "Egiaztatu __siteName__ guneko zure e-posta helbidea.", - "email-verifyEmail-text": "Kaixo __user__,\n\nZure e-posta kontua egiaztatzeko, egin klik beheko loturan.\n\n__url__\n\nEskerrik asko.", - "enable-wip-limit": "WIP muga gaitu", - "error-board-doesNotExist": "Arbel hau ez da existitzen", - "error-board-notAdmin": "Arbel honetako kudeatzailea izan behar zara hori egin ahal izateko", - "error-board-notAMember": "Arbel honetako kidea izan behar zara hori egin ahal izateko", - "error-json-malformed": "Zure testua ez da baliozko JSON", - "error-json-schema": "Zure JSON datuek ez dute formatu zuzenaren informazio egokia", - "error-list-doesNotExist": "Zerrenda hau ez da existitzen", - "error-user-doesNotExist": "Erabiltzaile hau ez da existitzen", - "error-user-notAllowSelf": "Ezin duzu zure burua gonbidatu", - "error-user-notCreated": "Erabiltzaile hau sortu gabe dago", - "error-username-taken": "Erabiltzaile-izen hori hartuta dago", - "error-email-taken": "E-mail hori hartuta dago", - "export-board": "Esportatu arbela", - "filter": "Iragazi", - "filter-cards": "Iragazi txartelak", - "filter-clear": "Garbitu iragazkia", - "filter-no-label": "Etiketarik ez", - "filter-no-member": "Kiderik ez", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Iragazkia gaituta dago", - "filter-on-desc": "Arbel honetako txartela iragazten ari zara. Egin klik hemen iragazkia editatzeko.", - "filter-to-selection": "Iragazketa aukerara", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Izen abizenak", - "header-logo-title": "Itzuli zure arbelen orrira.", - "hide-system-messages": "Ezkutatu sistemako mezuak", - "headerBarCreateBoardPopup-title": "Sortu arbela", - "home": "Hasiera", - "import": "Inportatu", - "import-board": "inportatu arbela", - "import-board-c": "Inportatu arbela", - "import-board-title-trello": "Inportatu arbela Trellotik", - "import-board-title-wekan": "Inportatu arbela Wekanetik", - "import-sandstorm-warning": "Inportatutako arbelak oraingo arbeleko informazio guztia ezabatuko du eta inportatutako arbeleko informazioarekin ordeztu.", - "from-trello": "Trellotik", - "from-wekan": "Wekanetik", - "import-board-instruction-trello": "Zure Trello arbelean, aukeratu 'Menu\", 'More', 'Print and Export', 'Export JSON', eta kopiatu jasotako testua hemen.", - "import-board-instruction-wekan": "Zure Wekan arbelean, aukeratu 'Menua' - 'Esportatu arbela', eta kopiatu testua deskargatutako fitxategian.", - "import-json-placeholder": "Isatsi baliozko JSON datuak hemen", - "import-map-members": "Kideen mapa", - "import-members-map": "Inportatu duzun arbela kide batzuk ditu, mesedez lotu inportatu nahi dituzun kideak Wekan erabiltzaileekin", - "import-show-user-mapping": "Berrikusi kideen mapa", - "import-user-select": "Hautatu kide hau bezala erabili nahi duzun Wekan erabiltzailea", - "importMapMembersAddPopup-title": "Aukeratu Wekan kidea", - "info": "Bertsioa", - "initials": "Inizialak", - "invalid-date": "Baliogabeko data", - "invalid-time": "Baliogabeko denbora", - "invalid-user": "Baliogabeko erabiltzailea", - "joined": "elkartu da", - "just-invited": "Arbel honetara gonbidatu berri zaituzte", - "keyboard-shortcuts": "Teklatu laster-bideak", - "label-create": "Sortu etiketa", - "label-default": "%s etiketa (lehenetsia)", - "label-delete-pop": "Ez dago desegiterik. Honek etiketa hau kenduko du txartel guztietatik eta bere historiala suntsitu.", - "labels": "Etiketak", - "language": "Hizkuntza", - "last-admin-desc": "Ezin duzu rola aldatu gutxienez kudeatzaile bat behar delako.", - "leave-board": "Utzi arbela", - "leave-board-pop": "Ziur zaude __boardTitle__ utzi nahi duzula? Arbel honetako txartel guztietatik ezabatua izango zara.", - "leaveBoardPopup-title": "Arbela utzi?", - "link-card": "Lotura txartel honetara", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Lekuz aldatu zerrendako txartel guztiak", - "list-select-cards": "Aukeratu zerrenda honetako txartel guztiak", - "listActionPopup-title": "Zerrendaren ekintzak", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Inportatu Trello txartel bat", - "listMorePopup-title": "Gehiago", - "link-list": "Lotura zerrenda honetara", - "list-delete-pop": "Ekintza guztiak ekintza jariotik kenduko dira eta ezin izango duzu zerrenda berreskuratu. Ez dago desegiterik.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Zerrendak", - "swimlanes": "Swimlanes", - "log-out": "Itxi saioa", - "log-in": "Hasi saioa", - "loginPopup-title": "Hasi saioa", - "memberMenuPopup-title": "Kidearen ezarpenak", - "members": "Kideak", - "menu": "Menua", - "move-selection": "Lekuz aldatu hautaketa", - "moveCardPopup-title": "Lekuz aldatu txartela", - "moveCardToBottom-title": "Eraman behera", - "moveCardToTop-title": "Eraman gora", - "moveSelectionPopup-title": "Lekuz aldatu hautaketa", - "multi-selection": "Hautaketa anitza", - "multi-selection-on": "Hautaketa anitza gaituta dago", - "muted": "Mututua", - "muted-info": "Ez zaizkizu jakinaraziko arbel honi egindako aldaketak", - "my-boards": "Nire arbelak", - "name": "Izena", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Emaitzarik ez", - "normal": "Arrunta", - "normal-desc": "Txartelak ikusi eta editatu ditzake. Ezin ditu ezarpenak aldatu.", - "not-accepted-yet": "Gonbidapena ez da oraindik onartu", - "notify-participate": "Jaso sortzaile edo kide zaren txartelen jakinarazpenak", - "notify-watch": "Jaso ikuskatzen dituzun arbel, zerrenda edo txartelen jakinarazpenak", - "optional": "aukerazkoa", - "or": "edo", - "page-maybe-private": "Orri hau pribatua izan daiteke. Agian saioa hasi eta gero ikusi ahal izango duzu.", - "page-not-found": "Ez da orria aurkitu.", - "password": "Pasahitza", - "paste-or-dragdrop": "itsasteko, edo irudi fitxategia arrastatu eta jaregiteko (irudia besterik ez)", - "participating": "Parte-hartzen", - "preview": "Aurreikusi", - "previewAttachedImagePopup-title": "Aurreikusi", - "previewClipboardImagePopup-title": "Aurreikusi", - "private": "Pribatua", - "private-desc": "Arbel hau pribatua da. Arbelera gehitutako jendeak besterik ezin du ikusi eta editatu.", - "profile": "Profila", - "public": "Publikoa", - "public-desc": "Arbel hau publikoa da lotura duen edonorentzat ikusgai dago eta Google bezalako bilatzaileetan agertuko da. Arbelera gehitutako kideek besterik ezin dute editatu.", - "quick-access-description": "Jarri izarra arbel bati barra honetan lasterbide bat sortzeko", - "remove-cover": "Kendu azala", - "remove-from-board": "Kendu arbeletik", - "remove-label": "Kendu etiketa", - "listDeletePopup-title": "Ezabatu zerrenda?", - "remove-member": "Kendu kidea", - "remove-member-from-card": "Kendu txarteletik", - "remove-member-pop": "Kendu __name__ (__username__) __boardTitle__ arbeletik? Kidea arbel honetako txartel guztietatik kenduko da. Jakinarazpenak bidaliko dira.", - "removeMemberPopup-title": "Kendu kidea?", - "rename": "Aldatu izena", - "rename-board": "Aldatu izena arbelari", - "restore": "Berrezarri", - "save": "Gorde", - "search": "Bilatu", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Aukeratu kolorea", - "set-wip-limit-value": "Zerrenda honetako atazen muga maximoa ezarri", - "setWipLimitPopup-title": "WIP muga ezarri", - "shortcut-assign-self": "Esleitu zure burua txartel honetara", - "shortcut-autocomplete-emoji": "Automatikoki osatu emojia", - "shortcut-autocomplete-members": "Automatikoki osatu kideak", - "shortcut-clear-filters": "Garbitu iragazki guztiak", - "shortcut-close-dialog": "Itxi elkarrizketa-koadroa", - "shortcut-filter-my-cards": "Iragazi nire txartelak", - "shortcut-show-shortcuts": "Erakutsi lasterbideen zerrenda hau", - "shortcut-toggle-filterbar": "Txandakatu iragazkiaren albo-barra", - "shortcut-toggle-sidebar": "Txandakatu arbelaren albo-barra", - "show-cards-minimum-count": "Erakutsi txartel kopurua hau baino handiagoa denean:", - "sidebar-open": "Ireki albo-barra", - "sidebar-close": "Itxi albo-barra", - "signupPopup-title": "Sortu kontu bat", - "star-board-title": "Egin klik arbel honi izarra jartzeko, zure arbelen zerrendaren goialdean agertuko da", - "starred-boards": "Izardun arbelak", - "starred-boards-description": "Izardun arbelak zure arbelen zerrendaren goialdean agertuko dira", - "subscribe": "Harpidetu", - "team": "Taldea", - "this-board": "arbel hau", - "this-card": "txartel hau", - "spent-time-hours": "Erabilitako denbora (orduak)", - "overtime-hours": "Luzapena (orduak)", - "overtime": "Luzapena", - "has-overtime-cards": "Luzapen txartelak ditu", - "has-spenttime-cards": "Erabilitako denbora txartelak ditu", - "time": "Ordua", - "title": "Izenburua", - "tracking": "Jarraitzen", - "tracking-info": "Sortzaile edo kide gisa parte-hartzen duzun txartelei egindako aldaketak jakinaraziko zaizkizu.", - "type": "Type", - "unassign-member": "Kendu kidea", - "unsaved-description": "Gorde gabeko deskripzio bat duzu", - "unwatch": "Utzi ikuskatzeari", - "upload": "Igo", - "upload-avatar": "Igo avatar bat", - "uploaded-avatar": "Avatar bat igo da", - "username": "Erabiltzaile-izena", - "view-it": "Ikusi", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Ikuskatu", - "watching": "Ikuskatzen", - "watching-info": "Arbel honi egindako aldaketak jakinaraziko zaizkizu", - "welcome-board": "Ongi etorri arbela", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Oinarrizkoa", - "welcome-list2": "Aurreratua", - "what-to-do": "Zer egin nahi duzu?", - "wipLimitErrorPopup-title": "Baliogabeko WIP muga", - "wipLimitErrorPopup-dialog-pt1": "Zerrenda honetako atazen muga, WIP-en ezarritakoa baina handiagoa da", - "wipLimitErrorPopup-dialog-pt2": "Mugitu zenbait ataza zerrenda honetatik, edo WIP muga handiagoa ezarri.", - "admin-panel": "Kudeaketa panela", - "settings": "Ezarpenak", - "people": "Jendea", - "registration": "Izen-ematea", - "disable-self-registration": "Desgaitu nork bere burua erregistratzea", - "invite": "Gonbidatu", - "invite-people": "Gonbidatu jendea", - "to-boards": "Arbele(ta)ra", - "email-addresses": "E-posta helbideak", - "smtp-host-description": "Zure e-posta mezuez arduratzen den SMTP zerbitzariaren helbidea", - "smtp-port-description": "Zure SMTP zerbitzariak bidalitako e-posta mezuentzat erabiltzen duen kaia.", - "smtp-tls-description": "Gaitu TLS euskarria SMTP zerbitzariarentzat", - "smtp-host": "SMTP ostalaria", - "smtp-port": "SMTP kaia", - "smtp-username": "Erabiltzaile-izena", - "smtp-password": "Pasahitza", - "smtp-tls": "TLS euskarria", - "send-from": "Nork", - "send-smtp-test": "Bidali posta elektroniko mezu bat zure buruari", - "invitation-code": "Gonbidapen kodea", - "email-invite-register-subject": "__inviter__ erabiltzaileak gonbidapen bat bidali dizu", - "email-invite-register-text": "Kaixo __user__,\n\n__inviter__ erabiltzaileak Wekanera gonbidatu zaitu elkar-lanean aritzeko.\n\nJarraitu mesedez lotura hau:\n__url__\n\nZure gonbidapen kodea hau da: __icode__\n\nEskerrik asko.", - "email-smtp-test-subject": "Wekan-etik bidalitako test-mezua", - "email-smtp-test-text": "Arrakastaz bidali duzu posta elektroniko mezua", - "error-invitation-code-not-exist": "Gonbidapen kodea ez da existitzen", - "error-notAuthorized": "Ez duzu orri hau ikusteko baimenik.", - "outgoing-webhooks": "Irteerako Webhook-ak", - "outgoingWebhooksPopup-title": "Irteerako Webhook-ak", - "new-outgoing-webhook": "Irteera-webhook berria", - "no-name": "(Ezezaguna)", - "Wekan_version": "Wekan bertsioa", - "Node_version": "Nodo bertsioa", - "OS_Arch": "SE Arkitektura", - "OS_Cpus": "SE PUZ kopurua", - "OS_Freemem": "SE Memoria librea", - "OS_Loadavg": "SE batez besteko karga", - "OS_Platform": "SE plataforma", - "OS_Release": "SE kaleratzea", - "OS_Totalmem": "SE memoria guztira", - "OS_Type": "SE mota", - "OS_Uptime": "SE denbora abiatuta", - "hours": "ordu", - "minutes": "minutu", - "seconds": "segundo", - "show-field-on-card": "Show this field on card", - "yes": "Bai", - "no": "Ez", - "accounts": "Kontuak", - "accounts-allowEmailChange": "Baimendu e-mail aldaketa", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Noiz sortua", - "verified": "Egiaztatuta", - "active": "Gaituta", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json deleted file mode 100644 index 69cb80d2..00000000 --- a/i18n/fa.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "پذیرش", - "act-activity-notify": "[wekan] اطلاع فعالیت", - "act-addAttachment": "پیوست __attachment__ به __card__", - "act-addChecklist": "سیاهه __checklist__ به __card__ افزوده شد", - "act-addChecklistItem": "__checklistItem__ به سیاهه __checklist__ در __card__ افزوده شد", - "act-addComment": "درج نظر برای __card__: __comment__", - "act-createBoard": "__board__ ایجاد شد", - "act-createCard": "__card__ به __list__ اضافه شد", - "act-createCustomField": "فیلد __customField__ ایجاد شد", - "act-createList": "__list__ به __board__ اضافه شد", - "act-addBoardMember": "__member__ به __board__ اضافه شد", - "act-archivedBoard": "__board__ به سطل زباله ریخته شد", - "act-archivedCard": "__card__ به سطل زباله منتقل شد", - "act-archivedList": "__list__ به سطل زباله منتقل شد", - "act-archivedSwimlane": "__swimlane__ به سطل زباله منتقل شد", - "act-importBoard": "__board__ وارد شده", - "act-importCard": "__card__ وارد شده", - "act-importList": "__list__ وارد شده", - "act-joinMember": "__member__ به __card__اضافه شد", - "act-moveCard": "انتقال __card__ از __oldList__ به __list__", - "act-removeBoardMember": "__member__ از __board__ پاک شد", - "act-restoredCard": "__card__ به __board__ بازآوری شد", - "act-unjoinMember": "__member__ از __card__ پاک شد", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "اعمال", - "activities": "فعالیت ها", - "activity": "فعالیت", - "activity-added": "%s به %s اضافه شد", - "activity-archived": "%s به سطل زباله منتقل شد", - "activity-attached": "%s به %s پیوست شد", - "activity-created": "%s ایجاد شد", - "activity-customfield-created": "%s فیلدشخصی ایجاد شد", - "activity-excluded": "%s از %s مستثنی گردید", - "activity-imported": "%s از %s وارد %s شد", - "activity-imported-board": "%s از %s وارد شد", - "activity-joined": "اتصال به %s", - "activity-moved": "%s از %s به %s منتقل شد", - "activity-on": "%s", - "activity-removed": "%s از %s حذف شد", - "activity-sent": "ارسال %s به %s", - "activity-unjoined": "قطع اتصال %s", - "activity-checklist-added": "سیاهه به %s اضافه شد", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "افزودن", - "add-attachment": "افزودن ضمیمه", - "add-board": "افزودن برد", - "add-card": "افزودن کارت", - "add-swimlane": "Add Swimlane", - "add-checklist": "افزودن چک لیست", - "add-checklist-item": "افزودن مورد به سیاهه", - "add-cover": "جلد کردن", - "add-label": "افزودن لیبل", - "add-list": "افزودن لیست", - "add-members": "افزودن اعضا", - "added": "اضافه گردید", - "addMemberPopup-title": "اعضا", - "admin": "مدیر", - "admin-desc": "امکان دیدن و ویرایش کارتها،پاک کردن کاربران و تغییر تنظیمات برای تخته", - "admin-announcement": "اعلان", - "admin-announcement-active": "اعلان سراسری فعال", - "admin-announcement-title": "اعلان از سوی مدیر", - "all-boards": "تمام تخته‌ها", - "and-n-other-card": "و __count__ کارت دیگر", - "and-n-other-card_plural": "و __count__ کارت دیگر", - "apply": "اعمال", - "app-is-offline": "Wekan در حال بارگذاری است. لطفا صبر کنید. نوسازی صفحه، منجر به از دست رفتن داده‌ها می‌شود. اگر Wekan بارگذاری نشد، لطفا بررسی کنید که سرور Wekan متوقف نشده باشد.", - "archive": "ریختن به سطل زباله", - "archive-all": "ریختن همه به سطل زباله", - "archive-board": "ریختن تخته به سطل زباله", - "archive-card": "ریختن کارت به سطل زباله", - "archive-list": "ریختن لیست به سطل زباله", - "archive-swimlane": "ریختن مسیرشنا به سطل زباله", - "archive-selection": "انتخاب شده ها را به سطل زباله بریز", - "archiveBoardPopup-title": "آیا تخته به سطل زباله ریخته شود؟", - "archived-items": "سطل زباله", - "archived-boards": "تخته هایی که به زباله ریخته شده است", - "restore-board": "بازیابی تخته", - "no-archived-boards": "هیچ تخته ای در سطل زباله وجود ندارد", - "archives": "سطل زباله", - "assign-member": "تعیین عضو", - "attached": "ضمیمه شده", - "attachment": "ضمیمه", - "attachment-delete-pop": "حذف پیوست دایمی و بی بازگشت خواهد بود.", - "attachmentDeletePopup-title": "آیا می خواهید ضمیمه را حذف کنید؟", - "attachments": "ضمائم", - "auto-watch": "اضافه شدن خودکار دیده بانی تخته زمانی که ایجاد می شوند", - "avatar-too-big": "تصویر کاربر بسیار بزرگ است ـ حداکثر۷۰ کیلوبایت ـ", - "back": "بازگشت", - "board-change-color": "تغییر رنگ", - "board-nb-stars": "%s ستاره", - "board-not-found": "تخته مورد نظر پیدا نشد", - "board-private-info": "این تخته خصوصی خواهد بود.", - "board-public-info": "این تخته عمومی خواهد بود.", - "boardChangeColorPopup-title": "تغییر پس زمینه تخته", - "boardChangeTitlePopup-title": "تغییر نام تخته", - "boardChangeVisibilityPopup-title": "تغییر وضعیت نمایش", - "boardChangeWatchPopup-title": "تغییر دیده بانی", - "boardMenuPopup-title": "منوی تخته", - "boards": "تخته‌ها", - "board-view": "نمایش تخته", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "فهرست‌ها", - "bucket-example": "برای مثال چیزی شبیه \"لیست سبدها\"", - "cancel": "انصراف", - "card-archived": "این کارت به سطل زباله ریخته شده است", - "card-comments-title": "این کارت دارای %s نظر است.", - "card-delete-notice": "حذف دائمی. تمامی موارد مرتبط با این کارت از بین خواهند رفت.", - "card-delete-pop": "همه اقدامات از این پردازه (خوراک) حذف خواهد شد و امکان بازگرداندن کارت وجود نخواهد داشت.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "ناشی از", - "card-due-on": "مقتضی بر", - "card-spent": "زمان صرف شده", - "card-edit-attachments": "ویرایش ضمائم", - "card-edit-custom-fields": "ویرایش فیلدهای شخصی", - "card-edit-labels": "ویرایش برچسب", - "card-edit-members": "ویرایش اعضا", - "card-labels-title": "تغییر برچسب کارت", - "card-members-title": "افزودن یا حذف اعضا از کارت.", - "card-start": "شروع", - "card-start-on": "شروع از", - "cardAttachmentsPopup-title": "ضمیمه از", - "cardCustomField-datePopup-title": "تغییر تاریخ", - "cardCustomFieldsPopup-title": "ویرایش فیلدهای شخصی", - "cardDeletePopup-title": "آیا می خواهید کارت را حذف کنید؟", - "cardDetailsActionsPopup-title": "اعمال کارت", - "cardLabelsPopup-title": "برچسب ها", - "cardMembersPopup-title": "اعضا", - "cardMorePopup-title": "بیشتر", - "cards": "کارت‌ها", - "cards-count": "کارت‌ها", - "change": "تغییر", - "change-avatar": "تغییر تصویر", - "change-password": "تغییر کلمه عبور", - "change-permissions": "تغییر دسترسی‌ها", - "change-settings": "تغییر تنظیمات", - "changeAvatarPopup-title": "تغییر تصویر", - "changeLanguagePopup-title": "تغییر زبان", - "changePasswordPopup-title": "تغییر کلمه عبور", - "changePermissionsPopup-title": "تغییر دسترسی‌ها", - "changeSettingsPopup-title": "تغییر تنظیمات", - "checklists": "سیاهه‌ها", - "click-to-star": "با کلیک کردن ستاره بدهید", - "click-to-unstar": "با کلیک کردن ستاره را کم کنید", - "clipboard": "ذخیره در حافظه ویا بردار-رهاکن", - "close": "بستن", - "close-board": "بستن برد", - "close-board-pop": "شما با کلیک روی دکمه \"سطل زباله\" در قسمت خانه می توانید تخته را بازیابی کنید.", - "color-black": "مشکی", - "color-blue": "آبی", - "color-green": "سبز", - "color-lime": "لیمویی", - "color-orange": "نارنجی", - "color-pink": "صورتی", - "color-purple": "بنفش", - "color-red": "قرمز", - "color-sky": "آبی آسمانی", - "color-yellow": "زرد", - "comment": "نظر", - "comment-placeholder": "درج نظر", - "comment-only": "فقط نظر", - "comment-only-desc": "فقط می‌تواند روی کارت‌ها نظر دهد.", - "computer": "رایانه", - "confirm-checklist-delete-dialog": "مطمئنید که می‌خواهید سیاهه را حذف کنید؟", - "copy-card-link-to-clipboard": "درج پیوند کارت در حافظه", - "copyCardPopup-title": "کپی کارت", - "copyChecklistToManyCardsPopup-title": "کپی قالب کارت به کارت‌های متعدد", - "copyChecklistToManyCardsPopup-instructions": "عنوان و توضیحات کارت مقصد در این قالب JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "ایجاد", - "createBoardPopup-title": "ایجاد تخته", - "chooseBoardSourcePopup-title": "بارگذاری تخته", - "createLabelPopup-title": "ایجاد برچسب", - "createCustomField": "ایجاد فیلد", - "createCustomFieldPopup-title": "ایجاد فیلد", - "current": "جاری", - "custom-field-delete-pop": "این اقدام فیلدشخصی را بهمراه تمامی تاریخچه آن از کارت ها پاک می کند و برگشت پذیر نمی باشد", - "custom-field-checkbox": "جعبه انتخابی", - "custom-field-date": "تاریخ", - "custom-field-dropdown": "لیست افتادنی", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "لیست امکانات", - "custom-field-dropdown-options-placeholder": "کلید Enter را جهت افزودن امکانات بیشتر فشار دهید", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "عدد", - "custom-field-text": "متن", - "custom-fields": "فیلدهای شخصی", - "date": "تاریخ", - "decline": "رد", - "default-avatar": "تصویر پیش فرض", - "delete": "حذف", - "deleteCustomFieldPopup-title": "آیا فیلدشخصی پاک شود؟", - "deleteLabelPopup-title": "آیا می خواهید برچسب را حذف کنید؟", - "description": "توضیحات", - "disambiguateMultiLabelPopup-title": "عمل ابهام زدایی از برچسب", - "disambiguateMultiMemberPopup-title": "عمل ابهام زدایی از کاربر", - "discard": "لغو", - "done": "انجام شده", - "download": "دریافت", - "edit": "ویرایش", - "edit-avatar": "تغییر تصویر", - "edit-profile": "ویرایش پروفایل", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "تغییر تاریخ آغاز", - "editCardDueDatePopup-title": "تغییر تاریخ بدلیل", - "editCustomFieldPopup-title": "ویرایش فیلد", - "editCardSpentTimePopup-title": "تغییر زمان صرف شده", - "editLabelPopup-title": "تغیر برچسب", - "editNotificationPopup-title": "اصلاح اعلان", - "editProfilePopup-title": "ویرایش پروفایل", - "email": "پست الکترونیک", - "email-enrollAccount-subject": "یک حساب کاربری برای شما در __siteName__ ایجاد شد", - "email-enrollAccount-text": "سلام __user__ \nبرای شروع به استفاده از این سرویس برروی آدرس زیر کلیک کنید.\n__url__\nبا تشکر.", - "email-fail": "عدم موفقیت در فرستادن رایانامه", - "email-fail-text": "خطا در تلاش برای فرستادن رایانامه", - "email-invalid": "رایانامه نادرست", - "email-invite": "دعوت از طریق رایانامه", - "email-invite-subject": "__inviter__ برای شما دعوت نامه ارسال کرده است", - "email-invite-text": "__User__ عزیز\n __inviter__ شما را به عضویت تخته \"__board__\" برای همکاری دعوت کرده است.\nلطفا لینک زیر را دنبال کنید، باتشکر:\n__url__", - "email-resetPassword-subject": "تنظیم مجدد کلمه عبور در __siteName__", - "email-resetPassword-text": "سلام __user__\nجهت تنظیم مجدد کلمه عبور آدرس زیر را دنبال نمایید، باتشکر:\n__url__", - "email-sent": "نامه الکترونیکی فرستاده شد", - "email-verifyEmail-subject": "تایید آدرس الکترونیکی شما در __siteName__", - "email-verifyEmail-text": "سلام __user__\nبه منظور تایید آدرس الکترونیکی حساب خود، آدرس زیر را دنبال نمایید، باتشکر:\n__url__.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "تخته مورد نظر وجود ندارد", - "error-board-notAdmin": "شما جهت انجام آن باید مدیر تخته باشید", - "error-board-notAMember": "شما انجام آن ،اید عضو این تخته باشید.", - "error-json-malformed": "متن درغالب صحیح Json نمی باشد.", - "error-json-schema": "داده های Json شما، شامل اطلاعات صحیح در غالب درستی نمی باشد.", - "error-list-doesNotExist": "این لیست موجود نیست", - "error-user-doesNotExist": "این کاربر وجود ندارد", - "error-user-notAllowSelf": "عدم امکان دعوت خود", - "error-user-notCreated": "این کاربر ایجاد نشده است", - "error-username-taken": "این نام کاربری استفاده شده است", - "error-email-taken": "رایانامه توسط گیرنده دریافت شده است", - "export-board": "انتقال به بیرون تخته", - "filter": "صافی ـFilterـ", - "filter-cards": "صافی ـFilterـ کارت‌ها", - "filter-clear": "حذف صافی ـFilterـ", - "filter-no-label": "بدون برچسب", - "filter-no-member": "بدون عضو", - "filter-no-custom-fields": "هیچ فیلدشخصی ای وجود ندارد", - "filter-on": "صافی ـFilterـ فعال است", - "filter-on-desc": "شما صافی ـFilterـ برای کارتهای تخته را روشن کرده اید. جهت ویرایش کلیک نمایید.", - "filter-to-selection": "صافی ـFilterـ برای موارد انتخابی", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "نام و نام خانوادگی", - "header-logo-title": "بازگشت به صفحه تخته.", - "hide-system-messages": "عدم نمایش پیامهای سیستمی", - "headerBarCreateBoardPopup-title": "ایجاد تخته", - "home": "خانه", - "import": "وارد کردن", - "import-board": "وارد کردن تخته", - "import-board-c": "وارد کردن تخته", - "import-board-title-trello": "وارد کردن تخته از Trello", - "import-board-title-wekan": "وارد کردن تخته از Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "از Trello", - "from-wekan": "از Wekan", - "import-board-instruction-trello": "در Trello-ی خود به 'Menu'، 'More'، 'Print'، 'Export to JSON رفته و متن نهایی را دراینجا وارد نمایید.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "اطلاعات Json معتبر خود را اینجا وارد کنید.", - "import-map-members": "نگاشت اعضا", - "import-members-map": "تعدادی عضو در تخته وارد شده می باشد. لطفا کاربرانی که باید وارد نرم افزار بشوند را مشخص کنید.", - "import-show-user-mapping": "بررسی نقشه کاربران", - "import-user-select": "کاربری از نرم افزار را که می خواهید بعنوان این عضو جایگزین شود را انتخاب کنید.", - "importMapMembersAddPopup-title": "انتخاب کاربر Wekan", - "info": "نسخه", - "initials": "تخصیصات اولیه", - "invalid-date": "تاریخ نامعتبر", - "invalid-time": "زمان نامعتبر", - "invalid-user": "کاربر نامعتیر", - "joined": "متصل", - "just-invited": "هم اکنون، شما به این تخته دعوت شده اید.", - "keyboard-shortcuts": "میانبر کلیدها", - "label-create": "ایجاد برچسب", - "label-default": "%s برچسب(پیش فرض)", - "label-delete-pop": "این اقدام، برچسب را از همه کارت‌ها پاک خواهد کرد و تاریخچه آن را نیز از بین می‌برد.", - "labels": "برچسب ها", - "language": "زبان", - "last-admin-desc": "شما نمی توانید نقش ـroleـ را تغییر دهید چراکه باید حداقل یک مدیری وجود داشته باشد.", - "leave-board": "خروج از تخته", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "ارجاع به این کارت", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "انتقال تمام کارت های این لیست", - "list-select-cards": "انتخاب تمام کارت های این لیست", - "listActionPopup-title": "لیست اقدامات", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "وارد کردن کارت Trello", - "listMorePopup-title": "بیشتر", - "link-list": "پیوند به این فهرست", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "لیست ها", - "swimlanes": "Swimlanes", - "log-out": "خروج", - "log-in": "ورود", - "loginPopup-title": "ورود", - "memberMenuPopup-title": "تنظیمات اعضا", - "members": "اعضا", - "menu": "منو", - "move-selection": "حرکت مورد انتخابی", - "moveCardPopup-title": "حرکت کارت", - "moveCardToBottom-title": "انتقال به پایین", - "moveCardToTop-title": "انتقال به بالا", - "moveSelectionPopup-title": "حرکت مورد انتخابی", - "multi-selection": "امکان چند انتخابی", - "multi-selection-on": "حالت چند انتخابی روشن است", - "muted": "بی صدا", - "muted-info": "شما هیچگاه از تغییرات این تخته مطلع نخواهید شد", - "my-boards": "تخته‌های من", - "name": "نام", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "بدون نتیجه", - "normal": "عادی", - "normal-desc": "امکان نمایش و تنظیم کارت بدون امکان تغییر تنظیمات", - "not-accepted-yet": "دعوت نامه هنوز پذیرفته نشده است", - "notify-participate": "اطلاع رسانی از هرگونه تغییر در کارتهایی که ایجاد کرده اید ویا عضو آن هستید", - "notify-watch": "اطلاع رسانی از هرگونه تغییر در تخته، لیست یا کارتهایی که از آنها دیده بانی میکنید", - "optional": "انتخابی", - "or": "یا", - "page-maybe-private": "این صفحه ممکن است خصوصی باشد. شما باورود می‌توانید آن را ببینید.", - "page-not-found": "صفحه پیدا نشد.", - "password": "کلمه عبور", - "paste-or-dragdrop": "جهت چسباندن، یا برداشتن-رهاسازی فایل تصویر به آن (تصویر)", - "participating": "شرکت کنندگان", - "preview": "پیش‌نمایش", - "previewAttachedImagePopup-title": "پیش‌نمایش", - "previewClipboardImagePopup-title": "پیش‌نمایش", - "private": "خصوصی", - "private-desc": "این تخته خصوصی است. فقط تنها افراد اضافه شده به آن می توانند مشاهده و ویرایش کنند.", - "profile": "حساب کاربری", - "public": "عمومی", - "public-desc": "این تخته عمومی است. برای هر کسی با آدرس ویا جستجو درموتورها مانند گوگل قابل مشاهده است . فقط افرادی که به آن اضافه شده اند امکان ویرایش دارند.", - "quick-access-description": "جهت افزودن یک تخته به اینجا،آنرا ستاره دار نمایید.", - "remove-cover": "حذف کاور", - "remove-from-board": "حذف از تخته", - "remove-label": "حذف برچسب", - "listDeletePopup-title": "حذف فهرست؟", - "remove-member": "حذف عضو", - "remove-member-from-card": "حذف از کارت", - "remove-member-pop": "آیا __name__ (__username__) را از __boardTitle__ حذف می کنید? کاربر از تمام کارت ها در این تخته حذف خواهد شد و آنها ازین اقدام مطلع خواهند شد.", - "removeMemberPopup-title": "آیا می خواهید کاربر را حذف کنید؟", - "rename": "تغیر نام", - "rename-board": "تغییر نام تخته", - "restore": "بازیابی", - "save": "ذخیره", - "search": "جستجو", - "search-cards": "جستجو در میان عناوین و توضیحات در این تخته", - "search-example": "متن مورد جستجو؟", - "select-color": "انتخاب رنگ", - "set-wip-limit-value": "تعیین بیشینه تعداد وظایف در این فهرست", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "اختصاص خود به کارت فعلی", - "shortcut-autocomplete-emoji": "تکمیل خودکار شکلکها", - "shortcut-autocomplete-members": "تکمیل خودکار کاربرها", - "shortcut-clear-filters": "حذف تمامی صافی ـfilterـ", - "shortcut-close-dialog": "بستن محاوره", - "shortcut-filter-my-cards": "کارت های من", - "shortcut-show-shortcuts": "بالا آوردن میانبر این لیست", - "shortcut-toggle-filterbar": "ضامن نوار جداکننده صافی ـfilterـ", - "shortcut-toggle-sidebar": "ضامن نوار جداکننده تخته", - "show-cards-minimum-count": "نمایش تعداد کارتها اگر لیست شامل بیشتراز", - "sidebar-open": "بازکردن جداکننده", - "sidebar-close": "بستن جداکننده", - "signupPopup-title": "ایجاد یک کاربر", - "star-board-title": "برای ستاره دادن، کلیک کنید.این در بالای لیست تخته های شما نمایش داده خواهد شد.", - "starred-boards": "تخته های ستاره دار", - "starred-boards-description": "تخته های ستاره دار در بالای لیست تخته ها نمایش داده می شود.", - "subscribe": "عضوشدن", - "team": "تیم", - "this-board": "این تخته", - "this-card": "این کارت", - "spent-time-hours": "زمان صرف شده (ساعت)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "زمان", - "title": "عنوان", - "tracking": "پیگردی", - "tracking-info": "شما از هرگونه تغییر در کارتهایی که بعنوان ایجاد کننده ویا عضو آن هستید، آگاه خواهید شد", - "type": "Type", - "unassign-member": "عدم انتصاب کاربر", - "unsaved-description": "شما توضیحات ذخیره نشده دارید.", - "unwatch": "عدم دیده بانی", - "upload": "ارسال", - "upload-avatar": "ارسال تصویر", - "uploaded-avatar": "تصویر ارسال شد", - "username": "نام کاربری", - "view-it": "مشاهده", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "دیده بانی", - "watching": "درحال دیده بانی", - "watching-info": "شما از هر تغییری دراین تخته آگاه خواهید شد", - "welcome-board": "به این تخته خوش آمدید", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "پایه ای ها", - "welcome-list2": "پیشرفته", - "what-to-do": "چه کاری می خواهید انجام دهید؟", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "پیشخوان مدیریتی", - "settings": "تنظمات", - "people": "افراد", - "registration": "ثبت نام", - "disable-self-registration": "‌غیرفعال‌سازی خودثبت‌نامی", - "invite": "دعوت", - "invite-people": "دعوت از افراد", - "to-boards": "به تخته(ها)", - "email-addresses": "نشانی رایانامه", - "smtp-host-description": "آدرس سرور SMTP ای که پست الکترونیکی شما برروی آن است", - "smtp-port-description": "شماره درگاه ـPortـ ای که سرور SMTP شما جهت ارسال از آن استفاده می کند", - "smtp-tls-description": "پشتیبانی از TLS برای سرور SMTP", - "smtp-host": "آدرس سرور SMTP", - "smtp-port": "شماره درگاه ـPortـ سرور SMTP", - "smtp-username": "نام کاربری", - "smtp-password": "کلمه عبور", - "smtp-tls": "پشتیبانی از SMTP", - "send-from": "از", - "send-smtp-test": "فرستادن رایانامه آزمایشی به خود", - "invitation-code": "کد دعوت نامه", - "email-invite-register-subject": "__inviter__ برای شما دعوت نامه ارسال کرده است", - "email-invite-register-text": "__User__ عزیز \nکاربر __inviter__ شما را به عضویت در Wekan برای همکاری دعوت کرده است.\nلطفا لینک زیر را دنبال کنید،\n __url__\nکد دعوت شما __icode__ می باشد.\n باتشکر", - "email-smtp-test-subject": "رایانامه SMTP آزمایشی از Wekan", - "email-smtp-test-text": "با موفقیت، یک رایانامه را فرستادید", - "error-invitation-code-not-exist": "چنین کد دعوتی یافت نشد", - "error-notAuthorized": "شما مجاز به دیدن این صفحه نیستید.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(ناشناخته)", - "Wekan_version": "نسخه Wekan", - "Node_version": "نسخه Node ", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "ساعت", - "minutes": "دقیقه", - "seconds": "ثانیه", - "show-field-on-card": "Show this field on card", - "yes": "بله", - "no": "خیر", - "accounts": "حساب‌ها", - "accounts-allowEmailChange": "اجازه تغییر رایانامه", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "ساخته شده در", - "verified": "معتبر", - "active": "فعال", - "card-received": "رسیده", - "card-received-on": "رسیده در", - "card-end": "پایان", - "card-end-on": "پایان در", - "editCardReceivedDatePopup-title": "تغییر تاریخ رسید", - "editCardEndDatePopup-title": "تغییر تاریخ پایان", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json deleted file mode 100644 index d8db9f14..00000000 --- a/i18n/fi.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Hyväksy", - "act-activity-notify": "[Wekan] Toimintailmoitus", - "act-addAttachment": "liitetty __attachment__ kortille __card__", - "act-addChecklist": "lisätty tarkistuslista __checklist__ kortille __card__", - "act-addChecklistItem": "lisätty kohta __checklistItem__ tarkistuslistaan __checklist__ kortilla __card__", - "act-addComment": "kommentoitu __card__: __comment__", - "act-createBoard": "luotu __board__", - "act-createCard": "lisätty __card__ listalle __list__", - "act-createCustomField": "luotu mukautettu kenttä __customField__", - "act-createList": "lisätty __list__ taululle __board__", - "act-addBoardMember": "lisätty __member__ taululle __board__", - "act-archivedBoard": "__board__ siirretty roskakoriin", - "act-archivedCard": "__card__ siirretty roskakoriin", - "act-archivedList": "__list__ siirretty roskakoriin", - "act-archivedSwimlane": "__swimlane__ siirretty roskakoriin", - "act-importBoard": "tuotu __board__", - "act-importCard": "tuotu __card__", - "act-importList": "tuotu __list__", - "act-joinMember": "lisätty __member__ kortille __card__", - "act-moveCard": "siirretty __card__ listalta __oldList__ listalle __list__", - "act-removeBoardMember": "poistettu __member__ taululta __board__", - "act-restoredCard": "palautettu __card__ taululle __board__", - "act-unjoinMember": "poistettu __member__ kortilta __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Toimet", - "activities": "Toimet", - "activity": "Toiminta", - "activity-added": "lisätty %s kohteeseen %s", - "activity-archived": "%s siirretty roskakoriin", - "activity-attached": "liitetty %s kohteeseen %s", - "activity-created": "luotu %s", - "activity-customfield-created": "luotu mukautettu kenttä %s", - "activity-excluded": "poistettu %s kohteesta %s", - "activity-imported": "tuotu %s kohteeseen %s lähteestä %s", - "activity-imported-board": "tuotu %s lähteestä %s", - "activity-joined": "liitytty kohteeseen %s", - "activity-moved": "siirretty %s kohteesta %s kohteeseen %s", - "activity-on": "kohteessa %s", - "activity-removed": "poistettu %s kohteesta %s", - "activity-sent": "lähetetty %s kohteeseen %s", - "activity-unjoined": "peruttu %s liittyminen", - "activity-checklist-added": "lisätty tarkistuslista kortille %s", - "activity-checklist-item-added": "lisäsi kohdan tarkistuslistaan '%s' kortilla %s", - "add": "Lisää", - "add-attachment": "Lisää liite", - "add-board": "Lisää taulu", - "add-card": "Lisää kortti", - "add-swimlane": "Lisää Swimlane", - "add-checklist": "Lisää tarkistuslista", - "add-checklist-item": "Lisää kohta tarkistuslistaan", - "add-cover": "Lisää kansi", - "add-label": "Lisää tunniste", - "add-list": "Lisää lista", - "add-members": "Lisää jäseniä", - "added": "Lisätty", - "addMemberPopup-title": "Jäsenet", - "admin": "Ylläpitäjä", - "admin-desc": "Voi nähfä ja muokata kortteja, poistaa jäseniä, ja muuttaa taulun asetuksia.", - "admin-announcement": "Ilmoitus", - "admin-announcement-active": "Aktiivinen järjestelmänlaajuinen ilmoitus", - "admin-announcement-title": "Ilmoitus ylläpitäjältä", - "all-boards": "Kaikki taulut", - "and-n-other-card": "Ja __count__ muu kortti", - "and-n-other-card_plural": "Ja __count__ muuta korttia", - "apply": "Käytä", - "app-is-offline": "Wekan latautuu, odota. Sivun uudelleenlataus aiheuttaa tietojen menettämisen. Jos Wekan ei lataudu, tarkista että Wekan palvelin ei ole pysähtynyt.", - "archive": "Siirrä roskakoriin", - "archive-all": "Siirrä kaikki roskakoriin", - "archive-board": "Siirrä taulu roskakoriin", - "archive-card": "Siirrä kortti roskakoriin", - "archive-list": "Siirrä lista roskakoriin", - "archive-swimlane": "Siirrä Swimlane roskakoriin", - "archive-selection": "Siirrä valinta roskakoriin", - "archiveBoardPopup-title": "Siirrä taulu roskakoriin?", - "archived-items": "Roskakori", - "archived-boards": "Taulut roskakorissa", - "restore-board": "Palauta taulu", - "no-archived-boards": "Ei tauluja roskakorissa", - "archives": "Roskakori", - "assign-member": "Valitse jäsen", - "attached": "liitetty", - "attachment": "Liitetiedosto", - "attachment-delete-pop": "Liitetiedoston poistaminen on lopullista. Tätä ei pysty peruuttamaan.", - "attachmentDeletePopup-title": "Poista liitetiedosto?", - "attachments": "Liitetiedostot", - "auto-watch": "Automaattisesti seuraa tauluja kun ne on luotu", - "avatar-too-big": "Profiilikuva on liian suuri (70KB maksimi)", - "back": "Takaisin", - "board-change-color": "Muokkaa väriä", - "board-nb-stars": "%s tähteä", - "board-not-found": "Taulua ei löytynyt", - "board-private-info": "Tämä taulu tulee olemaan yksityinen.", - "board-public-info": "Tämä taulu tulee olemaan julkinen.", - "boardChangeColorPopup-title": "Muokkaa taulun taustaa", - "boardChangeTitlePopup-title": "Nimeä taulu uudelleen", - "boardChangeVisibilityPopup-title": "Muokkaa näkyvyyttä", - "boardChangeWatchPopup-title": "Muokkaa seuraamista", - "boardMenuPopup-title": "Taulu valikko", - "boards": "Taulut", - "board-view": "Taulu näkymä", - "board-view-swimlanes": "Swimlanet", - "board-view-lists": "Listat", - "bucket-example": "Kuten “Laatikko lista” esimerkiksi", - "cancel": "Peruuta", - "card-archived": "Tämä kortti on siirretty roskakoriin.", - "card-comments-title": "Tässä kortissa on %s kommenttia.", - "card-delete-notice": "Poistaminen on lopullista. Menetät kaikki toimet jotka on liitetty tähän korttiin.", - "card-delete-pop": "Kaikki toimet poistetaan toimintasyötteestä ja et tule pystymään uudelleenavaamaan korttia. Tätä ei voi peruuttaa.", - "card-delete-suggest-archive": "Voit siirtää kortin roskakoriin poistaaksesi sen taululta ja säilyttääksesi toimintalokin.", - "card-due": "Erääntyy", - "card-due-on": "Erääntyy", - "card-spent": "Käytetty aika", - "card-edit-attachments": "Muokkaa liitetiedostoja", - "card-edit-custom-fields": "Muokkaa mukautettuja kenttiä", - "card-edit-labels": "Muokkaa tunnisteita", - "card-edit-members": "Muokkaa jäseniä", - "card-labels-title": "Muokkaa kortin tunnisteita.", - "card-members-title": "Lisää tai poista taulun jäseniä tältä kortilta.", - "card-start": "Alkaa", - "card-start-on": "Alkaa", - "cardAttachmentsPopup-title": "Liitä mistä", - "cardCustomField-datePopup-title": "Muokkaa päivää", - "cardCustomFieldsPopup-title": "Muokkaa mukautettuja kenttiä", - "cardDeletePopup-title": "Poista kortti?", - "cardDetailsActionsPopup-title": "Kortti toimet", - "cardLabelsPopup-title": "Tunnisteet", - "cardMembersPopup-title": "Jäsenet", - "cardMorePopup-title": "Lisää", - "cards": "Kortit", - "cards-count": "korttia", - "change": "Muokkaa", - "change-avatar": "Muokkaa profiilikuvaa", - "change-password": "Vaihda salasana", - "change-permissions": "Muokkaa oikeuksia", - "change-settings": "Muokkaa asetuksia", - "changeAvatarPopup-title": "Muokkaa profiilikuvaa", - "changeLanguagePopup-title": "Vaihda kieltä", - "changePasswordPopup-title": "Vaihda salasana", - "changePermissionsPopup-title": "Muokkaa oikeuksia", - "changeSettingsPopup-title": "Muokkaa asetuksia", - "checklists": "Tarkistuslistat", - "click-to-star": "Klikkaa merkataksesi tämä taulu tähdellä.", - "click-to-unstar": "Klikkaa poistaaksesi tähtimerkintä taululta.", - "clipboard": "Leikepöytä tai raahaa ja pudota", - "close": "Sulje", - "close-board": "Sulje taulu", - "close-board-pop": "Voit palauttaa taulun klikkaamalla “Roskakori” painiketta taululistan yläpalkista.", - "color-black": "musta", - "color-blue": "sininen", - "color-green": "vihreä", - "color-lime": "lime", - "color-orange": "oranssi", - "color-pink": "vaaleanpunainen", - "color-purple": "violetti", - "color-red": "punainen", - "color-sky": "taivas", - "color-yellow": "keltainen", - "comment": "Kommentti", - "comment-placeholder": "Kirjoita kommentti", - "comment-only": "Vain kommentointi", - "comment-only-desc": "Voi vain kommentoida kortteja", - "computer": "Tietokone", - "confirm-checklist-delete-dialog": "Haluatko varmasti poistaa tarkistuslistan", - "copy-card-link-to-clipboard": "Kopioi kortin linkki leikepöydälle", - "copyCardPopup-title": "Kopioi kortti", - "copyChecklistToManyCardsPopup-title": "Kopioi tarkistuslistan malli monille korteille", - "copyChecklistToManyCardsPopup-instructions": "Kohde korttien otsikot ja kuvaukset JSON muodossa", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Ensimmäisen kortin otsikko\", \"description\":\"Ensimmäisen kortin kuvaus\"}, {\"title\":\"Toisen kortin otsikko\",\"description\":\"Toisen kortin kuvaus\"},{\"title\":\"Viimeisen kortin otsikko\",\"description\":\"Viimeisen kortin kuvaus\"} ]", - "create": "Luo", - "createBoardPopup-title": "Luo taulu", - "chooseBoardSourcePopup-title": "Tuo taulu", - "createLabelPopup-title": "Luo tunniste", - "createCustomField": "Luo kenttä", - "createCustomFieldPopup-title": "Luo kenttä", - "current": "nykyinen", - "custom-field-delete-pop": "Tätä ei voi peruuttaa. Tämä poistaa tämän mukautetun kentän kaikista korteista ja poistaa sen historian.", - "custom-field-checkbox": "Valintaruutu", - "custom-field-date": "Päivämäärä", - "custom-field-dropdown": "Pudotusvalikko", - "custom-field-dropdown-none": "(ei mitään)", - "custom-field-dropdown-options": "Luettelon vaihtoehdot", - "custom-field-dropdown-options-placeholder": "Paina Enter lisätäksesi lisää vaihtoehtoja", - "custom-field-dropdown-unknown": "(tuntematon)", - "custom-field-number": "Numero", - "custom-field-text": "Teksti", - "custom-fields": "Mukautetut kentät", - "date": "Päivämäärä", - "decline": "Kieltäydy", - "default-avatar": "Oletus profiilikuva", - "delete": "Poista", - "deleteCustomFieldPopup-title": "Poista mukautettu kenttä?", - "deleteLabelPopup-title": "Poista tunniste?", - "description": "Kuvaus", - "disambiguateMultiLabelPopup-title": "Yksikäsitteistä tunniste toiminta", - "disambiguateMultiMemberPopup-title": "Yksikäsitteistä jäsen toiminta", - "discard": "Hylkää", - "done": "Valmis", - "download": "Lataa", - "edit": "Muokkaa", - "edit-avatar": "Muokkaa profiilikuvaa", - "edit-profile": "Muokkaa profiilia", - "edit-wip-limit": "Muokkaa WIP-rajaa", - "soft-wip-limit": "Pehmeä WIP raja", - "editCardStartDatePopup-title": "Muokkaa aloituspäivää", - "editCardDueDatePopup-title": "Muokkaa eräpäivää", - "editCustomFieldPopup-title": "Muokkaa kenttää", - "editCardSpentTimePopup-title": "Muuta käytettyä aikaa", - "editLabelPopup-title": "Muokkaa tunnistetta", - "editNotificationPopup-title": "Muokkaa ilmoituksia", - "editProfilePopup-title": "Muokkaa profiilia", - "email": "Sähköposti", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hei __user__,\n\nAlkaaksesi käyttämään palvelua, klikkaa allaolevaa linkkiä.\n\n__url__\n\nKiitos.", - "email-fail": "Sähköpostin lähettäminen epäonnistui", - "email-fail-text": "Virhe yrittäessä lähettää sähköpostia", - "email-invalid": "Virheellinen sähköposti", - "email-invite": "Kutsu sähköpostilla", - "email-invite-subject": "__inviter__ lähetti sinulle kutsun", - "email-invite-text": "Hyvä __user__,\n\n__inviter__ kutsuu sinut liittymään taululle \"__board__\" yhteistyötä varten.\n\nOle hyvä ja seuraa allaolevaa linkkiä:\n\n__url__\n\nKiitos.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hei __user__,\n\nNollataksesi salasanasi, klikkaa allaolevaa linkkiä.\n\n__url__\n\nKiitos.", - "email-sent": "Sähköposti lähetetty", - "email-verifyEmail-subject": "Varmista sähköpostiosoitteesi osoitteessa __url__", - "email-verifyEmail-text": "Hei __user__,\n\nvahvistaaksesi sähköpostiosoitteesi, klikkaa allaolevaa linkkiä.\n\n__url__\n\nKiitos.", - "enable-wip-limit": "Ota käyttöön WIP-raja", - "error-board-doesNotExist": "Tämä taulu ei ole olemassa", - "error-board-notAdmin": "Tehdäksesi tämän sinun täytyy olla tämän taulun ylläpitäjä", - "error-board-notAMember": "Tehdäksesi tämän sinun täytyy olla tämän taulun jäsen", - "error-json-malformed": "Tekstisi ei ole kelvollisessa JSON muodossa", - "error-json-schema": "JSON tietosi ei sisällä oikeaa tietoa oikeassa muodossa", - "error-list-doesNotExist": "Tätä listaa ei ole olemassa", - "error-user-doesNotExist": "Tätä käyttäjää ei ole olemassa", - "error-user-notAllowSelf": "Et voi kutsua itseäsi", - "error-user-notCreated": "Tätä käyttäjää ei ole luotu", - "error-username-taken": "Tämä käyttäjätunnus on jo käytössä", - "error-email-taken": "Sähköpostiosoite on jo käytössä", - "export-board": "Vie taulu", - "filter": "Suodata", - "filter-cards": "Suodata kortit", - "filter-clear": "Poista suodatin", - "filter-no-label": "Ei tunnistetta", - "filter-no-member": "Ei jäseniä", - "filter-no-custom-fields": "Ei mukautettuja kenttiä", - "filter-on": "Suodatus on päällä", - "filter-on-desc": "Suodatat kortteja tällä taululla. Klikkaa tästä muokataksesi suodatinta.", - "filter-to-selection": "Suodata valintaan", - "advanced-filter-label": "Edistynyt suodatin", - "advanced-filter-description": "Edistynyt suodatin mahdollistaa merkkijonon, joka sisältää seuraavat operaattorit: ==! = <=> = && || () Operaattorien välissä käytetään välilyöntiä. Voit suodattaa kaikki mukautetut kentät kirjoittamalla niiden nimet ja arvot. Esimerkiksi: Field1 == Value1. Huomaa: Jos kentillä tai arvoilla on välilyöntejä, sinun on sijoitettava ne yksittäisiin lainausmerkkeihin. Esimerkki: 'Kenttä 1' == 'Arvo 1'. Voit myös yhdistää useita ehtoja. Esimerkiksi: F1 == V1 || F1 = V2. Yleensä kaikki operaattorit tulkitaan vasemmalta oikealle. Voit muuttaa järjestystä asettamalla sulkuja. Esimerkiksi: F1 == V1 ja (F2 == V2 || F2 == V3)", - "fullname": "Koko nimi", - "header-logo-title": "Palaa taulut sivullesi.", - "hide-system-messages": "Piilota järjestelmäviestit", - "headerBarCreateBoardPopup-title": "Luo taulu", - "home": "Koti", - "import": "Tuo", - "import-board": "tuo taulu", - "import-board-c": "Tuo taulu", - "import-board-title-trello": "Tuo taulu Trellosta", - "import-board-title-wekan": "Tuo taulu Wekanista", - "import-sandstorm-warning": "Tuotu taulu poistaa kaikki olemassaolevan taulun tiedot ja korvaa ne tuodulla taululla.", - "from-trello": "Trellosta", - "from-wekan": "Wekanista", - "import-board-instruction-trello": "Trello taulullasi, mene 'Menu', sitten 'More', 'Print and Export', 'Export JSON', ja kopioi tuloksena saamasi teksti", - "import-board-instruction-wekan": "Wekan taulullasi, mene 'Valikko', sitten 'Vie taulu', ja kopioi teksti ladatusta tiedostosta.", - "import-json-placeholder": "Liitä kelvollinen JSON tietosi tähän", - "import-map-members": "Vastaavat jäsenet", - "import-members-map": "Tuomallasi taululla on muutamia jäseniä. Ole hyvä ja valitse tuomiasi jäseniä vastaavat Wekan käyttäjät", - "import-show-user-mapping": "Tarkasta vastaavat jäsenet", - "import-user-select": "Valitse Wekan käyttäjä jota haluat käyttää tänä käyttäjänä", - "importMapMembersAddPopup-title": "Valitse Wekan käyttäjä", - "info": "Versio", - "initials": "Nimikirjaimet", - "invalid-date": "Virheellinen päivämäärä", - "invalid-time": "Virheellinen aika", - "invalid-user": "Virheellinen käyttäjä", - "joined": "liittyi", - "just-invited": "Sinut on juuri kutsuttu tälle taululle", - "keyboard-shortcuts": "Pikanäppäimet", - "label-create": "Luo tunniste", - "label-default": "%s tunniste (oletus)", - "label-delete-pop": "Tätä ei voi peruuttaa. Tämä poistaa tämän tunnisteen kaikista korteista ja tuhoaa sen historian.", - "labels": "Tunnisteet", - "language": "Kieli", - "last-admin-desc": "Et voi vaihtaa rooleja koska täytyy olla olemassa ainakin yksi ylläpitäjä.", - "leave-board": "Jää pois taululta", - "leave-board-pop": "Haluatko varmasti poistua taululta __boardTitle__? Sinut poistetaan kaikista tämän taulun korteista.", - "leaveBoardPopup-title": "Jää pois taululta ?", - "link-card": "Linkki tähän korttiin", - "list-archive-cards": "Siirrä kaikki tämän listan kortit roskakoriin", - "list-archive-cards-pop": "Tämä poistaa kaikki tämän listan kortit taululta. Nähdäksesi roskakorissa olevat kortit ja tuodaksesi ne takaisin taululle, klikkaa “Valikko” > “Roskakori”.", - "list-move-cards": "Siirrä kaikki kortit tässä listassa", - "list-select-cards": "Valitse kaikki kortit tässä listassa", - "listActionPopup-title": "Listaa toimet", - "swimlaneActionPopup-title": "Swimlane toimet", - "listImportCardPopup-title": "Tuo Trello kortti", - "listMorePopup-title": "Lisää", - "link-list": "Linkki tähän listaan", - "list-delete-pop": "Kaikki toimet poistetaan toimintasyötteestä ja listan poistaminen on lopullista. Tätä ei pysty peruuttamaan.", - "list-delete-suggest-archive": "Voit siirtää listan roskakoriin poistaaksesi sen taululta ja säilyttääksesi toimintalokin.", - "lists": "Listat", - "swimlanes": "Swimlanet", - "log-out": "Kirjaudu ulos", - "log-in": "Kirjaudu sisään", - "loginPopup-title": "Kirjaudu sisään", - "memberMenuPopup-title": "Jäsen asetukset", - "members": "Jäsenet", - "menu": "Valikko", - "move-selection": "Siirrä valinta", - "moveCardPopup-title": "Siirrä kortti", - "moveCardToBottom-title": "Siirrä alimmaiseksi", - "moveCardToTop-title": "Siirrä ylimmäiseksi", - "moveSelectionPopup-title": "Siirrä valinta", - "multi-selection": "Monivalinta", - "multi-selection-on": "Monivalinta on päällä", - "muted": "Vaimennettu", - "muted-info": "Et saa koskaan ilmoituksia tämän taulun muutoksista", - "my-boards": "Tauluni", - "name": "Nimi", - "no-archived-cards": "Ei kortteja roskakorissa.", - "no-archived-lists": "Ei listoja roskakorissa.", - "no-archived-swimlanes": "Ei Swimlaneja roskakorissa.", - "no-results": "Ei tuloksia", - "normal": "Normaali", - "normal-desc": "Voi nähdä ja muokata kortteja. Ei voi muokata asetuksia.", - "not-accepted-yet": "Kutsua ei ole hyväksytty vielä", - "notify-participate": "Vastaanota päivityksiä kaikilta korteilta jotka olet tehnyt tai joihin osallistut.", - "notify-watch": "Vastaanota päivityksiä kaikilta tauluilta, listoilta tai korteilta joita seuraat.", - "optional": "valinnainen", - "or": "tai", - "page-maybe-private": "Tämä sivu voi olla yksityinen. Voit ehkä pystyä näkemään sen kirjautumalla sisään.", - "page-not-found": "Sivua ei löytynyt.", - "password": "Salasana", - "paste-or-dragdrop": "liittääksesi, tai vedä & pudota kuvatiedosto siihen (vain kuva)", - "participating": "Osallistutaan", - "preview": "Esikatsele", - "previewAttachedImagePopup-title": "Esikatsele", - "previewClipboardImagePopup-title": "Esikatsele", - "private": "Yksityinen", - "private-desc": "Tämä taulu on yksityinen. Vain taululle lisätyt henkilöt voivat nähdä ja muokata sitä.", - "profile": "Profiili", - "public": "Julkinen", - "public-desc": "Tämä taulu on julkinen. Se näkyy kenelle tahansa jolla on linkki ja näkyy myös hakukoneissa kuten Google. Vain taululle lisätyt henkilöt voivat muokata sitä.", - "quick-access-description": "Merkkaa taulu tähdellä lisätäksesi pikavalinta tähän palkkiin.", - "remove-cover": "Poista kansi", - "remove-from-board": "Poista taululta", - "remove-label": "Poista tunniste", - "listDeletePopup-title": "Poista lista ?", - "remove-member": "Poista jäsen", - "remove-member-from-card": "Poista kortilta", - "remove-member-pop": "Poista __name__ (__username__) taululta __boardTitle__? Jäsen poistetaan kaikilta taulun korteilta. Heille lähetetään ilmoitus.", - "removeMemberPopup-title": "Poista jäsen?", - "rename": "Nimeä uudelleen", - "rename-board": "Nimeä taulu uudelleen", - "restore": "Palauta", - "save": "Tallenna", - "search": "Etsi", - "search-cards": "Etsi korttien otsikoista ja kuvauksista tällä taululla", - "search-example": "Teksti jota etsitään?", - "select-color": "Valitse väri", - "set-wip-limit-value": "Aseta tämän listan tehtävien enimmäismäärä", - "setWipLimitPopup-title": "Aseta WIP-raja", - "shortcut-assign-self": "Valitse itsesi nykyiselle kortille", - "shortcut-autocomplete-emoji": "Automaattinen täydennys emojille", - "shortcut-autocomplete-members": "Automaattinen täydennys jäsenille", - "shortcut-clear-filters": "Poista kaikki suodattimet", - "shortcut-close-dialog": "Sulje valintaikkuna", - "shortcut-filter-my-cards": "Suodata korttini", - "shortcut-show-shortcuts": "Tuo esiin tämä pikavalinta lista", - "shortcut-toggle-filterbar": "Muokkaa suodatus sivupalkin näkyvyyttä", - "shortcut-toggle-sidebar": "Muokkaa taulu sivupalkin näkyvyyttä", - "show-cards-minimum-count": "Näytä korttien lukumäärä jos lista sisältää enemmän kuin", - "sidebar-open": "Avaa sivupalkki", - "sidebar-close": "Sulje sivupalkki", - "signupPopup-title": "Luo tili", - "star-board-title": "Klikkaa merkataksesi taulu tähdellä. Se tulee näkymään ylimpänä taululistallasi.", - "starred-boards": "Tähdellä merkatut taulut", - "starred-boards-description": "Tähdellä merkatut taulut näkyvät ylimpänä taululistallasi.", - "subscribe": "Tilaa", - "team": "Tiimi", - "this-board": "tämä taulu", - "this-card": "tämä kortti", - "spent-time-hours": "Käytetty aika (tuntia)", - "overtime-hours": "Ylityö (tuntia)", - "overtime": "Ylityö", - "has-overtime-cards": "Sisältää ylityö kortteja", - "has-spenttime-cards": "Sisältää käytetty aika kortteja", - "time": "Aika", - "title": "Otsikko", - "tracking": "Ilmoitukset", - "tracking-info": "Sinulle ilmoitetaan muutoksista korteissa joihin olet osallistunut luojana tai jäsenenä.", - "type": "Tyyppi", - "unassign-member": "Peru jäsenvalinta", - "unsaved-description": "Sinulla on tallentamaton kuvaus.", - "unwatch": "Lopeta seuraaminen", - "upload": "Lähetä", - "upload-avatar": "Lähetä profiilikuva", - "uploaded-avatar": "Profiilikuva lähetetty", - "username": "Käyttäjätunnus", - "view-it": "Näytä se", - "warn-list-archived": "varoitus: tämä kortti on roskakorissa olevassa listassa", - "watch": "Seuraa", - "watching": "Seurataan", - "watching-info": "Sinulle ilmoitetaan tämän taulun muutoksista", - "welcome-board": "Tervetuloa taulu", - "welcome-swimlane": "Merkkipaalu 1", - "welcome-list1": "Perusasiat", - "welcome-list2": "Edistynyt", - "what-to-do": "Mitä haluat tehdä?", - "wipLimitErrorPopup-title": "Virheellinen WIP-raja", - "wipLimitErrorPopup-dialog-pt1": "Tässä listassa olevien tehtävien määrä on korkeampi kuin asettamasi WIP-raja.", - "wipLimitErrorPopup-dialog-pt2": "Siirrä joitain tehtäviä pois tästä listasta tai määritä korkeampi WIP-raja.", - "admin-panel": "Hallintapaneeli", - "settings": "Asetukset", - "people": "Ihmiset", - "registration": "Rekisteröinti", - "disable-self-registration": "Poista käytöstä itse-rekisteröityminen", - "invite": "Kutsu", - "invite-people": "Kutsu ihmisiä", - "to-boards": "Taulu(i)lle", - "email-addresses": "Sähköpostiosoite", - "smtp-host-description": "SMTP palvelimen osoite jolla sähköpostit lähetetään.", - "smtp-port-description": "Portti jota STMP palvelimesi käyttää lähteville sähköposteille.", - "smtp-tls-description": "Ota käyttöön TLS tuki SMTP palvelimelle", - "smtp-host": "SMTP isäntä", - "smtp-port": "SMTP portti", - "smtp-username": "Käyttäjätunnus", - "smtp-password": "Salasana", - "smtp-tls": "TLS tuki", - "send-from": "Lähettäjä", - "send-smtp-test": "Lähetä testi sähköposti itsellesi", - "invitation-code": "Kutsukoodi", - "email-invite-register-subject": "__inviter__ lähetti sinulle kutsun", - "email-invite-register-text": "Hei __user__,\n\n__inviter__ kutsuu sinut mukaan Wekan ohjelman käyttöön.\n\nOle hyvä ja seuraa allaolevaa linkkiä:\n__url__\n\nJa kutsukoodisi on: __icode__\n\nKiitos.", - "email-smtp-test-subject": "SMTP testi sähköposti Wekanista", - "email-smtp-test-text": "Olet onnistuneesti lähettänyt sähköpostin", - "error-invitation-code-not-exist": "Kutsukoodi ei ole olemassa", - "error-notAuthorized": "Sinulla ei ole oikeutta tarkastella tätä sivua.", - "outgoing-webhooks": "Lähtevät Webkoukut", - "outgoingWebhooksPopup-title": "Lähtevät Webkoukut", - "new-outgoing-webhook": "Uusi lähtevä Webkoukku", - "no-name": "(Tuntematon)", - "Wekan_version": "Wekan versio", - "Node_version": "Node versio", - "OS_Arch": "Käyttöjärjestelmän arkkitehtuuri", - "OS_Cpus": "Käyttöjärjestelmän CPU määrä", - "OS_Freemem": "Käyttöjärjestelmän vapaa muisti", - "OS_Loadavg": "Käyttöjärjestelmän kuorman keskiarvo", - "OS_Platform": "Käyttöjärjestelmäalusta", - "OS_Release": "Käyttöjärjestelmän julkaisu", - "OS_Totalmem": "Käyttöjärjestelmän muistin kokonaismäärä", - "OS_Type": "Käyttöjärjestelmän tyyppi", - "OS_Uptime": "Käyttöjärjestelmä ollut käynnissä", - "hours": "tuntia", - "minutes": "minuuttia", - "seconds": "sekuntia", - "show-field-on-card": "Näytä tämä kenttä kortilla", - "yes": "Kyllä", - "no": "Ei", - "accounts": "Tilit", - "accounts-allowEmailChange": "Salli sähköpostiosoitteen muuttaminen", - "accounts-allowUserNameChange": "Salli käyttäjätunnuksen muuttaminen", - "createdAt": "Luotu", - "verified": "Varmistettu", - "active": "Aktiivinen", - "card-received": "Vastaanotettu", - "card-received-on": "Vastaanotettu", - "card-end": "Loppuu", - "card-end-on": "Loppuu", - "editCardReceivedDatePopup-title": "Vaihda vastaanottamispäivää", - "editCardEndDatePopup-title": "Vaihda loppumispäivää", - "assigned-by": "Tehtävänantaja", - "requested-by": "Pyytäjä", - "board-delete-notice": "Poistaminen on lopullista. Menetät kaikki listat, kortit ja toimet tällä taululla.", - "delete-board-confirm-popup": "Kaikki listat, kortit, tunnisteet ja toimet poistetaan ja et pysty palauttamaan taulun sisältöä. Tätä ei voi peruuttaa.", - "boardDeletePopup-title": "Poista taulu?", - "delete-board": "Poista taulu" -} \ No newline at end of file diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json deleted file mode 100644 index 258eeed4..00000000 --- a/i18n/fr.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Accepter", - "act-activity-notify": "[Wekan] Notification d'activité", - "act-addAttachment": "a joint __attachment__ à __card__", - "act-addChecklist": "a ajouté la checklist __checklist__ à __card__", - "act-addChecklistItem": "a ajouté l'élément __checklistItem__ à la checklist __checklist__ de __card__", - "act-addComment": "a commenté __card__ : __comment__", - "act-createBoard": "a créé __board__", - "act-createCard": "a ajouté __card__ à __list__", - "act-createCustomField": "a créé le champ personnalisé __customField__", - "act-createList": "a ajouté __list__ à __board__", - "act-addBoardMember": "a ajouté __member__ à __board__", - "act-archivedBoard": "__board__ a été déplacé vers la corbeille", - "act-archivedCard": "__card__ a été déplacée vers la corbeille", - "act-archivedList": "__list__ a été déplacée vers la corbeille", - "act-archivedSwimlane": "__swimlane__ a été déplacé vers la corbeille", - "act-importBoard": "a importé __board__", - "act-importCard": "a importé __card__", - "act-importList": "a importé __list__", - "act-joinMember": "a ajouté __member__ à __card__", - "act-moveCard": "a déplacé __card__ de __oldList__ à __list__", - "act-removeBoardMember": "a retiré __member__ de __board__", - "act-restoredCard": "a restauré __card__ dans __board__", - "act-unjoinMember": "a retiré __member__ de __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activités", - "activity": "Activité", - "activity-added": "a ajouté %s à %s", - "activity-archived": "%s a été déplacé vers la corbeille", - "activity-attached": "a attaché %s à %s", - "activity-created": "a créé %s", - "activity-customfield-created": "a créé le champ personnalisé %s", - "activity-excluded": "a exclu %s de %s", - "activity-imported": "a importé %s vers %s depuis %s", - "activity-imported-board": "a importé %s depuis %s", - "activity-joined": "a rejoint %s", - "activity-moved": "a déplacé %s de %s vers %s", - "activity-on": "sur %s", - "activity-removed": "a supprimé %s de %s", - "activity-sent": "a envoyé %s vers %s", - "activity-unjoined": "a quitté %s", - "activity-checklist-added": "a ajouté une checklist à %s", - "activity-checklist-item-added": "a ajouté un élément à la checklist '%s' dans %s", - "add": "Ajouter", - "add-attachment": "Ajouter une pièce jointe", - "add-board": "Ajouter un tableau", - "add-card": "Ajouter une carte", - "add-swimlane": "Ajouter un couloir", - "add-checklist": "Ajouter une checklist", - "add-checklist-item": "Ajouter un élément à la checklist", - "add-cover": "Ajouter la couverture", - "add-label": "Ajouter une étiquette", - "add-list": "Ajouter une liste", - "add-members": "Assigner des membres", - "added": "Ajouté le", - "addMemberPopup-title": "Membres", - "admin": "Admin", - "admin-desc": "Peut voir et éditer les cartes, supprimer des membres et changer les paramètres du tableau.", - "admin-announcement": "Annonce", - "admin-announcement-active": "Annonce destinée à tous", - "admin-announcement-title": "Annonce de l'administrateur", - "all-boards": "Tous les tableaux", - "and-n-other-card": "Et __count__ autre carte", - "and-n-other-card_plural": "Et __count__ autres cartes", - "apply": "Appliquer", - "app-is-offline": "Chargement en cours, veuillez patienter. Vous risquez de perdre des données si vous rechargez la page. Si le chargement échoue, veuillez vérifier l'état du serveur Wekan.", - "archive": "Déplacer vers la corbeille", - "archive-all": "Tout déplacer vers la corbeille", - "archive-board": "Déplacer le tableau vers la corbeille", - "archive-card": "Déplacer la carte vers la corbeille", - "archive-list": "Déplacer la liste vers la corbeille", - "archive-swimlane": "Déplacer le couloir vers la corbeille", - "archive-selection": "Déplacer la sélection vers la corbeille", - "archiveBoardPopup-title": "Déplacer le tableau vers la corbeille ?", - "archived-items": "Corbeille", - "archived-boards": "Tableaux dans la corbeille", - "restore-board": "Restaurer le tableau", - "no-archived-boards": "Aucun tableau dans la corbeille.", - "archives": "Corbeille", - "assign-member": "Affecter un membre", - "attached": "joint", - "attachment": "Pièce jointe", - "attachment-delete-pop": "La suppression d'une pièce jointe est définitive. Elle ne peut être annulée.", - "attachmentDeletePopup-title": "Supprimer la pièce jointe ?", - "attachments": "Pièces jointes", - "auto-watch": "Surveiller automatiquement les tableaux quand ils sont créés", - "avatar-too-big": "La taille du fichier de l'avatar est trop importante (70 ko au maximum)", - "back": "Retour", - "board-change-color": "Changer la couleur", - "board-nb-stars": "%s étoiles", - "board-not-found": "Tableau non trouvé", - "board-private-info": "Ce tableau sera privé", - "board-public-info": "Ce tableau sera public.", - "boardChangeColorPopup-title": "Change la couleur de fond du tableau", - "boardChangeTitlePopup-title": "Renommer le tableau", - "boardChangeVisibilityPopup-title": "Changer la visibilité", - "boardChangeWatchPopup-title": "Modifier le suivi", - "boardMenuPopup-title": "Menu du tableau", - "boards": "Tableaux", - "board-view": "Vue du tableau", - "board-view-swimlanes": "Couloirs", - "board-view-lists": "Listes", - "bucket-example": "Comme « todo list » par exemple", - "cancel": "Annuler", - "card-archived": "Cette carte est déplacée vers la corbeille.", - "card-comments-title": "Cette carte a %s commentaires.", - "card-delete-notice": "La suppression est permanente. Vous perdrez toutes les actions associées à cette carte.", - "card-delete-pop": "Toutes les actions vont être supprimées du suivi d'activités et vous ne pourrez plus utiliser cette carte. Cette action est irréversible.", - "card-delete-suggest-archive": "Vous pouvez déplacer une carte vers la corbeille afin de l'enlever du tableau tout en préservant l'activité.", - "card-due": "À échéance", - "card-due-on": "Échéance le", - "card-spent": "Temps passé", - "card-edit-attachments": "Modifier les pièces jointes", - "card-edit-custom-fields": "Éditer les champs personnalisés", - "card-edit-labels": "Modifier les étiquettes", - "card-edit-members": "Modifier les membres", - "card-labels-title": "Modifier les étiquettes de la carte.", - "card-members-title": "Ajouter ou supprimer des membres à la carte.", - "card-start": "Début", - "card-start-on": "Commence le", - "cardAttachmentsPopup-title": "Joindre depuis", - "cardCustomField-datePopup-title": "Changer la date", - "cardCustomFieldsPopup-title": "Éditer les champs personnalisés", - "cardDeletePopup-title": "Supprimer la carte ?", - "cardDetailsActionsPopup-title": "Actions sur la carte", - "cardLabelsPopup-title": "Étiquettes", - "cardMembersPopup-title": "Membres", - "cardMorePopup-title": "Plus", - "cards": "Cartes", - "cards-count": "Cartes", - "change": "Modifier", - "change-avatar": "Modifier l'avatar", - "change-password": "Modifier le mot de passe", - "change-permissions": "Modifier les permissions", - "change-settings": "Modifier les paramètres", - "changeAvatarPopup-title": "Modifier l'avatar", - "changeLanguagePopup-title": "Modifier la langue", - "changePasswordPopup-title": "Modifier le mot de passe", - "changePermissionsPopup-title": "Modifier les permissions", - "changeSettingsPopup-title": "Modifier les paramètres", - "checklists": "Checklists", - "click-to-star": "Cliquez pour ajouter ce tableau aux favoris.", - "click-to-unstar": "Cliquez pour retirer ce tableau des favoris.", - "clipboard": "Presse-papier ou glisser-déposer", - "close": "Fermer", - "close-board": "Fermer le tableau", - "close-board-pop": "Vous pourrez restaurer le tableau en cliquant le bouton « Corbeille » en entête.", - "color-black": "noir", - "color-blue": "bleu", - "color-green": "vert", - "color-lime": "citron vert", - "color-orange": "orange", - "color-pink": "rose", - "color-purple": "violet", - "color-red": "rouge", - "color-sky": "ciel", - "color-yellow": "jaune", - "comment": "Commenter", - "comment-placeholder": "Écrire un commentaire", - "comment-only": "Commentaire uniquement", - "comment-only-desc": "Ne peut que commenter des cartes.", - "computer": "Ordinateur", - "confirm-checklist-delete-dialog": "Êtes-vous sûr de vouloir supprimer la checklist", - "copy-card-link-to-clipboard": "Copier le lien vers la carte dans le presse-papier", - "copyCardPopup-title": "Copier la carte", - "copyChecklistToManyCardsPopup-title": "Copier le modèle de checklist vers plusieurs cartes", - "copyChecklistToManyCardsPopup-instructions": "Titres et descriptions des cartes de destination dans ce format JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titre de la première carte\", \"description\":\"Description de la première carte\"}, {\"title\":\"Titre de la seconde carte\",\"description\":\"Description de la seconde carte\"},{\"title\":\"Titre de la dernière carte\",\"description\":\"Description de la dernière carte\"} ]", - "create": "Créer", - "createBoardPopup-title": "Créer un tableau", - "chooseBoardSourcePopup-title": "Importer un tableau", - "createLabelPopup-title": "Créer une étiquette", - "createCustomField": "Créer un champ personnalisé", - "createCustomFieldPopup-title": "Créer un champ personnalisé", - "current": "actuel", - "custom-field-delete-pop": "Cette action n'est pas réversible. Elle supprimera ce champ personnalisé de toutes les cartes et détruira son historique.", - "custom-field-checkbox": "Case à cocher", - "custom-field-date": "Date", - "custom-field-dropdown": "Liste de choix", - "custom-field-dropdown-none": "(aucun)", - "custom-field-dropdown-options": "Options de liste", - "custom-field-dropdown-options-placeholder": "Appuyez sur Entrée pour ajouter d'autres options", - "custom-field-dropdown-unknown": "(inconnu)", - "custom-field-number": "Nombre", - "custom-field-text": "Texte", - "custom-fields": "Champs personnalisés", - "date": "Date", - "decline": "Refuser", - "default-avatar": "Avatar par défaut", - "delete": "Supprimer", - "deleteCustomFieldPopup-title": "Supprimer le champ personnalisé ?", - "deleteLabelPopup-title": "Supprimer l'étiquette ?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Préciser l'action sur l'étiquette", - "disambiguateMultiMemberPopup-title": "Préciser l'action sur le membre", - "discard": "Mettre à la corbeille", - "done": "Fait", - "download": "Télécharger", - "edit": "Modifier", - "edit-avatar": "Modifier l'avatar", - "edit-profile": "Modifier le profil", - "edit-wip-limit": "Éditer la limite WIP", - "soft-wip-limit": "Limite WIP douce", - "editCardStartDatePopup-title": "Modifier la date de début", - "editCardDueDatePopup-title": "Modifier la date d'échéance", - "editCustomFieldPopup-title": "Éditer le champ personnalisé", - "editCardSpentTimePopup-title": "Changer le temps passé", - "editLabelPopup-title": "Modifier l'étiquette", - "editNotificationPopup-title": "Modifier la notification", - "editProfilePopup-title": "Modifier le profil", - "email": "Email", - "email-enrollAccount-subject": "Un compte a été créé pour vous sur __siteName__", - "email-enrollAccount-text": "Bonjour __user__,\n\nPour commencer à utiliser ce service, il suffit de cliquer sur le lien ci-dessous.\n\n__url__\n\nMerci.", - "email-fail": "Échec de l'envoi du courriel.", - "email-fail-text": "Une erreur est survenue en tentant d'envoyer l'email", - "email-invalid": "Adresse email incorrecte.", - "email-invite": "Inviter par email", - "email-invite-subject": "__inviter__ vous a envoyé une invitation", - "email-invite-text": "Cher __user__,\n\n__inviter__ vous invite à rejoindre le tableau \"__board__\" pour collaborer.\n\nVeuillez suivre le lien ci-dessous :\n\n__url__\n\nMerci.", - "email-resetPassword-subject": "Réinitialiser votre mot de passe sur __siteName__", - "email-resetPassword-text": "Bonjour __user__,\n\nPour réinitialiser votre mot de passe, cliquez sur le lien ci-dessous.\n\n__url__\n\nMerci.", - "email-sent": "Courriel envoyé", - "email-verifyEmail-subject": "Vérifier votre adresse de courriel sur __siteName__", - "email-verifyEmail-text": "Bonjour __user__,\n\nPour vérifier votre compte courriel, il suffit de cliquer sur le lien ci-dessous.\n\n__url__\n\nMerci.", - "enable-wip-limit": "Activer la limite WIP", - "error-board-doesNotExist": "Ce tableau n'existe pas", - "error-board-notAdmin": "Vous devez être administrateur de ce tableau pour faire cela", - "error-board-notAMember": "Vous devez être membre de ce tableau pour faire cela", - "error-json-malformed": "Votre texte JSON n'est pas valide", - "error-json-schema": "Vos données JSON ne contiennent pas l'information appropriée dans un format correct", - "error-list-doesNotExist": "Cette liste n'existe pas", - "error-user-doesNotExist": "Cet utilisateur n'existe pas", - "error-user-notAllowSelf": "Vous ne pouvez pas vous inviter vous-même", - "error-user-notCreated": "Cet utilisateur n'a pas encore été créé", - "error-username-taken": "Ce nom d'utilisateur est déjà utilisé", - "error-email-taken": "Cette adresse mail est déjà utilisée", - "export-board": "Exporter le tableau", - "filter": "Filtrer", - "filter-cards": "Filtrer les cartes", - "filter-clear": "Supprimer les filtres", - "filter-no-label": "Aucune étiquette", - "filter-no-member": "Aucun membre", - "filter-no-custom-fields": "Pas de champs personnalisés", - "filter-on": "Le filtre est actif", - "filter-on-desc": "Vous êtes en train de filtrer les cartes sur ce tableau. Cliquez ici pour modifier les filtres.", - "filter-to-selection": "Filtre vers la sélection", - "advanced-filter-label": "Filtre avancé", - "advanced-filter-description": "Le filtre avancé permet d'écrire une chaîne contenant les opérateur suivants : == != <= >= && || ( ). Les opérateurs doivent être séparés par des espaces. Vous pouvez filtrer tous les champs personnalisés en saisissant leur nom et leur valeur. Par exemple : champ1 == valeur1. Note : si des champs ou valeurs contiennent des espaces, vous devez les mettre entre apostrophes. Par exemple : 'champ 1' = 'valeur 1'. Il est également possible de combiner plusieurs conditions. Par exemple : f1 == v1 || f2 == v2. Normalement, tous les opérateurs sont interprétés de gauche à droite. Vous pouvez changer l'ordre à l'aide de parenthèses. Par exemple : f1 == v1 and (f2 == v2 || f2 == v3).", - "fullname": "Nom complet", - "header-logo-title": "Retourner à la page des tableaux", - "hide-system-messages": "Masquer les messages système", - "headerBarCreateBoardPopup-title": "Créer un tableau", - "home": "Accueil", - "import": "Importer", - "import-board": "importer un tableau", - "import-board-c": "Importer un tableau", - "import-board-title-trello": "Importer le tableau depuis Trello", - "import-board-title-wekan": "Importer un tableau depuis Wekan", - "import-sandstorm-warning": "Le tableau importé supprimera toutes les données du tableau et les remplacera avec celles du tableau importé.", - "from-trello": "Depuis Trello", - "from-wekan": "Depuis Wekan", - "import-board-instruction-trello": "Dans votre tableau Trello, allez sur 'Menu', puis sur 'Plus', 'Imprimer et exporter', 'Exporter en JSON' et copiez le texte du résultat", - "import-board-instruction-wekan": "Dans votre tableau Wekan, allez dans 'Menu', puis 'Exporter un tableau', et copier le texte du fichier téléchargé.", - "import-json-placeholder": "Collez ici les données JSON valides", - "import-map-members": "Faire correspondre aux membres", - "import-members-map": "Le tableau que vous venez d'importer contient des membres. Veuillez associer les membres que vous souhaitez importer à des utilisateurs de Wekan.", - "import-show-user-mapping": "Contrôler l'association des membres", - "import-user-select": "Sélectionnez l'utilisateur Wekan que vous voulez associer à ce membre", - "importMapMembersAddPopup-title": "Sélectionner le membre Wekan", - "info": "Version", - "initials": "Initiales", - "invalid-date": "Date invalide", - "invalid-time": "Temps invalide", - "invalid-user": "Utilisateur invalide", - "joined": "a rejoint", - "just-invited": "Vous venez d'être invité à ce tableau", - "keyboard-shortcuts": "Raccourcis clavier", - "label-create": "Créer une étiquette", - "label-default": "étiquette %s (défaut)", - "label-delete-pop": "Cette action est irréversible. Elle supprimera cette étiquette de toutes les cartes ainsi que l'historique associé.", - "labels": "Étiquettes", - "language": "Langue", - "last-admin-desc": "Vous ne pouvez pas changer les rôles car il doit y avoir au moins un administrateur.", - "leave-board": "Quitter le tableau", - "leave-board-pop": "Êtes-vous sur de vouloir quitter __boardTitle__ ? Vous ne serez plus associé aux cartes de ce tableau.", - "leaveBoardPopup-title": "Quitter le tableau", - "link-card": "Lier à cette carte", - "list-archive-cards": "Déplacer toutes les cartes de la liste vers la corbeille", - "list-archive-cards-pop": "Cela supprimera du tableau toutes les cartes de cette liste. Pour voir les cartes dans la corbeille et les renvoyer vers le tableau, cliquez sur « Menu » puis « Corbeille ».", - "list-move-cards": "Déplacer toutes les cartes de cette liste", - "list-select-cards": "Sélectionner toutes les cartes de cette liste", - "listActionPopup-title": "Actions sur la liste", - "swimlaneActionPopup-title": "Actions du couloir", - "listImportCardPopup-title": "Importer une carte Trello", - "listMorePopup-title": "Plus", - "link-list": "Lien vers cette liste", - "list-delete-pop": "Toutes les actions seront supprimées du fil d'activité et il ne sera plus possible de les récupérer. Cette action ne peut pas être annulée.", - "list-delete-suggest-archive": "Vous pouvez déplacer une liste vers la corbeille pour l'enlever du tableau tout en conservant son activité.", - "lists": "Listes", - "swimlanes": "Couloirs", - "log-out": "Déconnexion", - "log-in": "Connexion", - "loginPopup-title": "Connexion", - "memberMenuPopup-title": "Préférence de membre", - "members": "Membres", - "menu": "Menu", - "move-selection": "Déplacer la sélection", - "moveCardPopup-title": "Déplacer la carte", - "moveCardToBottom-title": "Déplacer tout en bas", - "moveCardToTop-title": "Déplacer tout en haut", - "moveSelectionPopup-title": "Déplacer la sélection", - "multi-selection": "Sélection multiple", - "multi-selection-on": "Multi-Selection active", - "muted": "Silencieux", - "muted-info": "Vous ne serez jamais averti des modifications effectuées dans ce tableau", - "my-boards": "Mes tableaux", - "name": "Nom", - "no-archived-cards": "Aucune carte dans la corbeille.", - "no-archived-lists": "Aucune liste dans la corbeille.", - "no-archived-swimlanes": "Aucun couloir dans la corbeille.", - "no-results": "Pas de résultats", - "normal": "Normal", - "normal-desc": "Peut voir et modifier les cartes. Ne peut pas changer les paramètres.", - "not-accepted-yet": "L'invitation n'a pas encore été acceptée", - "notify-participate": "Recevoir les mises à jour de toutes les cartes auxquelles vous participez en tant que créateur ou que membre ", - "notify-watch": "Recevoir les mises à jour de tous les tableaux, listes ou cartes que vous suivez", - "optional": "optionnel", - "or": "ou", - "page-maybe-private": "Cette page est peut-être privée. Vous pourrez peut-être la voir en vous connectant.", - "page-not-found": "Page non trouvée", - "password": "Mot de passe", - "paste-or-dragdrop": "pour coller, ou glissez-déposez une image ici (seulement une image)", - "participating": "Participant", - "preview": "Prévisualiser", - "previewAttachedImagePopup-title": "Prévisualiser", - "previewClipboardImagePopup-title": "Prévisualiser", - "private": "Privé", - "private-desc": "Ce tableau est privé. Seuls les membres peuvent y accéder et le modifier.", - "profile": "Profil", - "public": "Public", - "public-desc": "Ce tableau est public. Il est accessible par toutes les personnes disposant du lien et apparaîtra dans les résultats des moteurs de recherche tels que Google. Seuls les membres peuvent le modifier.", - "quick-access-description": "Ajouter un tableau à vos favoris pour créer un raccourci dans cette barre.", - "remove-cover": "Enlever la page de présentation", - "remove-from-board": "Retirer du tableau", - "remove-label": "Retirer l'étiquette", - "listDeletePopup-title": "Supprimer la liste ?", - "remove-member": "Supprimer le membre", - "remove-member-from-card": "Supprimer de la carte", - "remove-member-pop": "Supprimer __name__ (__username__) de __boardTitle__ ? Ce membre sera supprimé de toutes les cartes du tableau et recevra une notification.", - "removeMemberPopup-title": "Supprimer le membre ?", - "rename": "Renommer", - "rename-board": "Renommer le tableau", - "restore": "Restaurer", - "save": "Enregistrer", - "search": "Chercher", - "search-cards": "Rechercher parmi les titres et descriptions des cartes de ce tableau", - "search-example": "Texte à rechercher ?", - "select-color": "Sélectionner une couleur", - "set-wip-limit-value": "Définit une limite maximale au nombre de cartes de cette liste", - "setWipLimitPopup-title": "Définir la limite WIP", - "shortcut-assign-self": "Affecter cette carte à vous-même", - "shortcut-autocomplete-emoji": "Auto-complétion des emoji", - "shortcut-autocomplete-members": "Auto-complétion des membres", - "shortcut-clear-filters": "Retirer tous les filtres", - "shortcut-close-dialog": "Fermer la boîte de dialogue", - "shortcut-filter-my-cards": "Filtrer mes cartes", - "shortcut-show-shortcuts": "Afficher cette liste de raccourcis", - "shortcut-toggle-filterbar": "Afficher/Cacher la barre latérale des filtres", - "shortcut-toggle-sidebar": "Afficher/Cacher la barre latérale du tableau", - "show-cards-minimum-count": "Afficher le nombre de cartes si la liste en contient plus de ", - "sidebar-open": "Ouvrir le panneau", - "sidebar-close": "Fermer le panneau", - "signupPopup-title": "Créer un compte", - "star-board-title": "Cliquer pour ajouter ce tableau aux favoris. Il sera affiché en tête de votre liste de tableaux.", - "starred-boards": "Tableaux favoris", - "starred-boards-description": "Les tableaux favoris s'affichent en tête de votre liste de tableaux.", - "subscribe": "Suivre", - "team": "Équipe", - "this-board": "ce tableau", - "this-card": "cette carte", - "spent-time-hours": "Temps passé (heures)", - "overtime-hours": "Temps supplémentaire (heures)", - "overtime": "Temps supplémentaire", - "has-overtime-cards": "A des cartes avec du temps supplémentaire", - "has-spenttime-cards": "A des cartes avec du temps passé", - "time": "Temps", - "title": "Titre", - "tracking": "Suivi", - "tracking-info": "Vous serez notifié de toute modification concernant les cartes pour lesquelles vous êtes impliqué en tant que créateur ou membre.", - "type": "Type", - "unassign-member": "Retirer le membre", - "unsaved-description": "Vous avez une description non sauvegardée", - "unwatch": "Arrêter de suivre", - "upload": "Télécharger", - "upload-avatar": "Télécharger un avatar", - "uploaded-avatar": "Avatar téléchargé", - "username": "Nom d'utilisateur", - "view-it": "Le voir", - "warn-list-archived": "Attention : cette carte est dans une liste se trouvant dans la corbeille", - "watch": "Suivre", - "watching": "Suivi", - "watching-info": "Vous serez notifié de toute modification dans ce tableau", - "welcome-board": "Tableau de bienvenue", - "welcome-swimlane": "Jalon 1", - "welcome-list1": "Basiques", - "welcome-list2": "Avancés", - "what-to-do": "Que voulez-vous faire ?", - "wipLimitErrorPopup-title": "Limite WIP invalide", - "wipLimitErrorPopup-dialog-pt1": "Le nombre de cartes de cette liste est supérieur à la limite WIP que vous avez définie.", - "wipLimitErrorPopup-dialog-pt2": "Veuillez enlever des cartes de cette liste, ou définir une limite WIP plus importante.", - "admin-panel": "Panneau d'administration", - "settings": "Paramètres", - "people": "Personne", - "registration": "Inscription", - "disable-self-registration": "Désactiver l'inscription", - "invite": "Inviter", - "invite-people": "Inviter une personne", - "to-boards": "Au(x) tableau(x)", - "email-addresses": "Adresses email", - "smtp-host-description": "L'adresse du serveur SMTP qui gère vos mails.", - "smtp-port-description": "Le port des mails sortants du serveur SMTP.", - "smtp-tls-description": "Activer la gestion de TLS sur le serveur SMTP", - "smtp-host": "Hôte SMTP", - "smtp-port": "Port SMTP", - "smtp-username": "Nom d'utilisateur", - "smtp-password": "Mot de passe", - "smtp-tls": "Prise en charge de TLS", - "send-from": "De", - "send-smtp-test": "Envoyer un mail de test à vous-même", - "invitation-code": "Code d'invitation", - "email-invite-register-subject": "__inviter__ vous a envoyé une invitation", - "email-invite-register-text": "Cher __user__,\n\n__inviter__ vous invite à le rejoindre sur Wekan pour collaborer.\n\nVeuillez suivre le lien ci-dessous :\n__url__\n\nVotre code d'invitation est : __icode__\n\nMerci.", - "email-smtp-test-subject": "Email de test SMTP de Wekan", - "email-smtp-test-text": "Vous avez envoyé un mail avec succès", - "error-invitation-code-not-exist": "Ce code d'invitation n'existe pas.", - "error-notAuthorized": "Vous n'êtes pas autorisé à accéder à cette page.", - "outgoing-webhooks": "Webhooks sortants", - "outgoingWebhooksPopup-title": "Webhooks sortants", - "new-outgoing-webhook": "Nouveau webhook sortant", - "no-name": "(Inconnu)", - "Wekan_version": "Version de Wekan", - "Node_version": "Version de Node", - "OS_Arch": "OS Architecture", - "OS_Cpus": "OS Nombre CPU", - "OS_Freemem": "OS Mémoire libre", - "OS_Loadavg": "OS Charge moyenne", - "OS_Platform": "OS Plate-forme", - "OS_Release": "OS Version", - "OS_Totalmem": "OS Mémoire totale", - "OS_Type": "OS Type", - "OS_Uptime": "OS Durée de fonctionnement", - "hours": "heures", - "minutes": "minutes", - "seconds": "secondes", - "show-field-on-card": "Afficher ce champ sur la carte", - "yes": "Oui", - "no": "Non", - "accounts": "Comptes", - "accounts-allowEmailChange": "Autoriser le changement d'adresse mail", - "accounts-allowUserNameChange": "Permettre la modification de l'identifiant", - "createdAt": "Créé le", - "verified": "Vérifié", - "active": "Actif", - "card-received": "Reçue", - "card-received-on": "Reçue le", - "card-end": "Fin", - "card-end-on": "Se termine le", - "editCardReceivedDatePopup-title": "Changer la date de réception", - "editCardEndDatePopup-title": "Changer la date de fin", - "assigned-by": "Assigné par", - "requested-by": "Demandé par", - "board-delete-notice": "La suppression est définitive. Vous perdrez toutes vos listes, cartes et actions associées à ce tableau.", - "delete-board-confirm-popup": "Toutes les listes, cartes, étiquettes et activités seront supprimées et vous ne pourrez pas retrouver le contenu du tableau. Il n'y a pas d'annulation possible.", - "boardDeletePopup-title": "Supprimer le tableau ?", - "delete-board": "Supprimer le tableau" -} \ No newline at end of file diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json deleted file mode 100644 index 702e9e0c..00000000 --- a/i18n/gl.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Aceptar", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Accións", - "activities": "Actividades", - "activity": "Actividade", - "activity-added": "engadiuse %s a %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Engadir", - "add-attachment": "Engadir anexo", - "add-board": "Engadir taboleiro", - "add-card": "Engadir tarxeta", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Engadir etiqueta", - "add-list": "Engadir lista", - "add-members": "Engadir membros", - "added": "Added", - "addMemberPopup-title": "Membros", - "admin": "Admin", - "admin-desc": "Pode ver e editar tarxetas, retirar membros e cambiar a configuración do taboleiro.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "Todos os taboleiros", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restaurar taboleiro", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Anexo", - "attachment-delete-pop": "A eliminación de anexos é permanente. Non se pode desfacer.", - "attachmentDeletePopup-title": "Eliminar anexo?", - "attachments": "Anexos", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Cambiar cor", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Taboleiros", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Listas", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancelar", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Editar anexos", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Editar etiquetas", - "card-edit-members": "Editar membros", - "card-labels-title": "Cambiar as etiquetas da tarxeta.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Etiquetas", - "cardMembersPopup-title": "Membros", - "cardMorePopup-title": "Máis", - "cards": "Tarxetas", - "cards-count": "Tarxetas", - "change": "Cambiar", - "change-avatar": "Cambiar o avatar", - "change-password": "Cambiar o contrasinal", - "change-permissions": "Cambiar os permisos", - "change-settings": "Cambiar a configuración", - "changeAvatarPopup-title": "Cambiar o avatar", - "changeLanguagePopup-title": "Cambiar de idioma", - "changePasswordPopup-title": "Cambiar o contrasinal", - "changePermissionsPopup-title": "Cambiar os permisos", - "changeSettingsPopup-title": "Cambiar a configuración", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "negro", - "color-blue": "azul", - "color-green": "verde", - "color-lime": "lime", - "color-orange": "laranxa", - "color-pink": "rosa", - "color-purple": "purple", - "color-red": "vermello", - "color-sky": "celeste", - "color-yellow": "amarelo", - "comment": "Comentario", - "comment-placeholder": "Escribir un comentario", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computador", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Crear", - "createBoardPopup-title": "Crear taboleiro", - "chooseBoardSourcePopup-title": "Importar taboleiro", - "createLabelPopup-title": "Crear etiqueta", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "actual", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Data", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Data", - "decline": "Rexeitar", - "default-avatar": "Avatar predeterminado", - "delete": "Eliminar", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Eliminar a etiqueta?", - "description": "Descrición", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Desbotar", - "done": "Feito", - "download": "Descargar", - "edit": "Editar", - "edit-avatar": "Cambiar de avatar", - "edit-profile": "Editar o perfil", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Cambiar a data de inicio", - "editCardDueDatePopup-title": "Cambiar a data límite", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Cambiar a etiqueta", - "editNotificationPopup-title": "Editar a notificación", - "editProfilePopup-title": "Editar o perfil", - "email": "Correo electrónico", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "Esta lista non existe", - "error-user-doesNotExist": "Este usuario non existe", - "error-user-notAllowSelf": "Non é posíbel convidarse a un mesmo", - "error-user-notCreated": "Este usuario non está creado", - "error-username-taken": "Este nome de usuario xa está collido", - "error-email-taken": "Email has already been taken", - "export-board": "Exportar taboleiro", - "filter": "Filtro", - "filter-cards": "Filtrar tarxetas", - "filter-clear": "Limpar filtro", - "filter-no-label": "Non hai etiquetas", - "filter-no-member": "Non hai membros", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "O filtro está activado", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Nome completo", - "header-logo-title": "Retornar á páxina dos seus taboleiros.", - "hide-system-messages": "Agochar as mensaxes do sistema", - "headerBarCreateBoardPopup-title": "Crear taboleiro", - "home": "Inicio", - "import": "Importar", - "import-board": "importar taboleiro", - "import-board-c": "Importar taboleiro", - "import-board-title-trello": "Importar taboleiro de Trello", - "import-board-title-wekan": "Importar taboleiro de Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "De Trello", - "from-wekan": "De Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Iniciais", - "invalid-date": "A data é incorrecta", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Crear etiqueta", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Etiquetas", - "language": "Idioma", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Saír do taboleiro", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "Máis", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Listas", - "swimlanes": "Swimlanes", - "log-out": "Pechar a sesión", - "log-in": "Acceder", - "loginPopup-title": "Acceder", - "memberMenuPopup-title": "Member Settings", - "members": "Membros", - "menu": "Menú", - "move-selection": "Mover selección", - "moveCardPopup-title": "Mover tarxeta", - "moveCardToBottom-title": "Mover abaixo de todo", - "moveCardToTop-title": "Mover arriba de todo", - "moveSelectionPopup-title": "Mover selección", - "multi-selection": "Selección múltipla", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Nome", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Non hai resultados", - "normal": "Normal", - "normal-desc": "Pode ver e editar tarxetas. Non pode cambiar a configuración.", - "not-accepted-yet": "O convite aínda non foi aceptado", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "opcional", - "or": "ou", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Non se atopou a páxina.", - "password": "Contrasinal", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Perfil", - "public": "Público", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribir", - "team": "Equipo", - "this-board": "este taboleiro", - "this-card": "esta tarxeta", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Hora", - "title": "Título", - "tracking": "Seguimento", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Enviar", - "upload-avatar": "Enviar un avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Nome de usuario", - "view-it": "Velo", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Vixiar", - "watching": "Vixiando", - "watching-info": "Recibirá unha notificación sobre calquera cambio que se produza neste taboleiro", - "welcome-board": "Taboleiro de benvida", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Fundamentos", - "welcome-list2": "Avanzado", - "what-to-do": "Que desexa facer?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Panel de administración", - "settings": "Configuración", - "people": "Persoas", - "registration": "Rexistro", - "disable-self-registration": "Desactivar o auto-rexistro", - "invite": "Convidar", - "invite-people": "Convidar persoas", - "to-boards": "Ao(s) taboleiro(s)", - "email-addresses": "Enderezos de correo", - "smtp-host-description": "O enderezo do servidor de SMTP que xestiona os seu correo electrónico.", - "smtp-port-description": "O porto que o servidor de SMTP emprega para o correo saínte.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "Servidor de SMTP", - "smtp-port": "Porto de SMTP", - "smtp-username": "Nome de usuario", - "smtp-password": "Contrasinal", - "smtp-tls": "TLS support", - "send-from": "De", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json deleted file mode 100644 index f1b30f73..00000000 --- a/i18n/he.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "אישור", - "act-activity-notify": "[Wekan] הודעת פעילות", - "act-addAttachment": " __attachment__ צורף לכרטיס __card__", - "act-addChecklist": "רשימת משימות __checklist__ נוספה ל __card__", - "act-addChecklistItem": " __checklistItem__ נוסף לרשימת משימות __checklist__ בכרטיס __card__", - "act-addComment": "התקבלה תגובה על הכרטיס __card__:‏ __comment__", - "act-createBoard": "הלוח __board__ נוצר", - "act-createCard": "הכרטיס __card__ התווסף לרשימה __list__", - "act-createCustomField": "נוצר שדה בהתאמה אישית __customField__", - "act-createList": "הרשימה __list__ התווספה ללוח __board__", - "act-addBoardMember": "המשתמש __member__ נוסף ללוח __board__", - "act-archivedBoard": "__board__ הועבר לסל המחזור", - "act-archivedCard": "__card__ הועבר לסל המחזור", - "act-archivedList": "__list__ הועבר לסל המחזור", - "act-archivedSwimlane": "__swimlane__ הועבר לסל המחזור", - "act-importBoard": "הלוח __board__ יובא", - "act-importCard": "הכרטיס __card__ יובא", - "act-importList": "הרשימה __list__ יובאה", - "act-joinMember": "המשתמש __member__ נוסף לכרטיס __card__", - "act-moveCard": "הכרטיס __card__ הועבר מהרשימה __oldList__ לרשימה __list__", - "act-removeBoardMember": "המשתמש __member__ הוסר מהלוח __board__", - "act-restoredCard": "הכרטיס __card__ שוחזר ללוח __board__", - "act-unjoinMember": "המשתמש __member__ הוסר מהכרטיס __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "פעולות", - "activities": "פעילויות", - "activity": "פעילות", - "activity-added": "%s נוסף ל%s", - "activity-archived": "%s הועבר לסל המחזור", - "activity-attached": "%s צורף ל%s", - "activity-created": "%s נוצר", - "activity-customfield-created": "נוצר שדה בהתאמה אישית %s", - "activity-excluded": "%s לא נכלל ב%s", - "activity-imported": "%s ייובא מ%s אל %s", - "activity-imported-board": "%s ייובא מ%s", - "activity-joined": "הצטרפות אל %s", - "activity-moved": "%s עבר מ%s ל%s", - "activity-on": "ב%s", - "activity-removed": "%s הוסר מ%s", - "activity-sent": "%s נשלח ל%s", - "activity-unjoined": "בטל צירוף %s", - "activity-checklist-added": "נוספה רשימת משימות אל %s", - "activity-checklist-item-added": "נוסף פריט רשימת משימות אל ‚%s‘ תחת %s", - "add": "הוספה", - "add-attachment": "הוספת קובץ מצורף", - "add-board": "הוספת לוח", - "add-card": "הוספת כרטיס", - "add-swimlane": "הוספת מסלול", - "add-checklist": "הוספת רשימת מטלות", - "add-checklist-item": "הוספת פריט לרשימת משימות", - "add-cover": "הוספת כיסוי", - "add-label": "הוספת תווית", - "add-list": "הוספת רשימה", - "add-members": "הוספת חברים", - "added": "התווסף", - "addMemberPopup-title": "חברים", - "admin": "מנהל", - "admin-desc": "יש הרשאות לצפייה ולעריכת כרטיסים, להסרת חברים ולשינוי הגדרות לוח.", - "admin-announcement": "הכרזה", - "admin-announcement-active": "הכרזת מערכת פעילה", - "admin-announcement-title": "הכרזה ממנהל המערכת", - "all-boards": "כל הלוחות", - "and-n-other-card": "וכרטיס אחר", - "and-n-other-card_plural": "ו־__count__ כרטיסים אחרים", - "apply": "החלה", - "app-is-offline": "Wekan בטעינה, נא להמתין. רענון העמוד עשוי להוביל לאובדן מידע. אם הטעינה של Wekan נעצרה, נא לבדוק ששרת ה־Wekan לא נעצר.", - "archive": "העברה לסל המחזור", - "archive-all": "להעביר הכול לסל המחזור", - "archive-board": "העברת הלוח לסל המחזור", - "archive-card": "העברת הכרטיס לסל המחזור", - "archive-list": "העברת הרשימה לסל המחזור", - "archive-swimlane": "העברת מסלול לסל המחזור", - "archive-selection": "העברת הבחירה לסל המחזור", - "archiveBoardPopup-title": "להעביר את הלוח לסל המחזור?", - "archived-items": "סל מחזור", - "archived-boards": "לוחות בסל המחזור", - "restore-board": "שחזור לוח", - "no-archived-boards": "אין לוחות בסל המחזור", - "archives": "סל מחזור", - "assign-member": "הקצאת חבר", - "attached": "מצורף", - "attachment": "קובץ מצורף", - "attachment-delete-pop": "מחיקת קובץ מצורף הנה סופית. אין דרך חזרה.", - "attachmentDeletePopup-title": "למחוק קובץ מצורף?", - "attachments": "קבצים מצורפים", - "auto-watch": "הוספת לוחות למעקב כשהם נוצרים", - "avatar-too-big": "תמונת המשתמש גדולה מדי (70 ק״ב לכל היותר)", - "back": "חזרה", - "board-change-color": "שינוי צבע", - "board-nb-stars": "%s כוכבים", - "board-not-found": "לוח לא נמצא", - "board-private-info": "לוח זה יהיה פרטי.", - "board-public-info": "לוח זה יהיה ציבורי.", - "boardChangeColorPopup-title": "שינוי רקע ללוח", - "boardChangeTitlePopup-title": "שינוי שם הלוח", - "boardChangeVisibilityPopup-title": "שינוי מצב הצגה", - "boardChangeWatchPopup-title": "שינוי הגדרת המעקב", - "boardMenuPopup-title": "תפריט לוח", - "boards": "לוחות", - "board-view": "תצוגת לוח", - "board-view-swimlanes": "מסלולים", - "board-view-lists": "רשימות", - "bucket-example": "כמו למשל „רשימת המשימות“", - "cancel": "ביטול", - "card-archived": "כרטיס זה הועבר לסל המחזור", - "card-comments-title": "לכרטיס זה %s תגובות.", - "card-delete-notice": "מחיקה היא סופית. כל הפעולות המשויכות לכרטיס זה תלכנה לאיוד.", - "card-delete-pop": "כל הפעולות יוסרו מלוח הפעילות ולא תהיה אפשרות לפתוח מחדש את הכרטיס. אין דרך חזרה.", - "card-delete-suggest-archive": "ניתן להעביר כרטיס לסל המחזור כדי להסיר אותו מהלוח ולשמר את הפעילות.", - "card-due": "תאריך יעד", - "card-due-on": "תאריך יעד", - "card-spent": "זמן שהושקע", - "card-edit-attachments": "עריכת קבצים מצורפים", - "card-edit-custom-fields": "עריכת שדות בהתאמה אישית", - "card-edit-labels": "עריכת תוויות", - "card-edit-members": "עריכת חברים", - "card-labels-title": "שינוי תוויות לכרטיס.", - "card-members-title": "הוספה או הסרה של חברי הלוח מהכרטיס.", - "card-start": "התחלה", - "card-start-on": "מתחיל ב־", - "cardAttachmentsPopup-title": "לצרף מ־", - "cardCustomField-datePopup-title": "החלפת תאריך", - "cardCustomFieldsPopup-title": "עריכת שדות בהתאמה אישית", - "cardDeletePopup-title": "למחוק כרטיס?", - "cardDetailsActionsPopup-title": "פעולות על הכרטיס", - "cardLabelsPopup-title": "תוויות", - "cardMembersPopup-title": "חברים", - "cardMorePopup-title": "עוד", - "cards": "כרטיסים", - "cards-count": "כרטיסים", - "change": "שינוי", - "change-avatar": "החלפת תמונת משתמש", - "change-password": "החלפת ססמה", - "change-permissions": "שינוי הרשאות", - "change-settings": "שינוי הגדרות", - "changeAvatarPopup-title": "שינוי תמונת משתמש", - "changeLanguagePopup-title": "החלפת שפה", - "changePasswordPopup-title": "החלפת ססמה", - "changePermissionsPopup-title": "שינוי הרשאות", - "changeSettingsPopup-title": "שינוי הגדרות", - "checklists": "רשימות", - "click-to-star": "יש ללחוץ להוספת הלוח למועדפים.", - "click-to-unstar": "יש ללחוץ להסרת הלוח מהמועדפים.", - "clipboard": "לוח גזירים או גרירה ושחרור", - "close": "סגירה", - "close-board": "סגירת לוח", - "close-board-pop": "תהיה לך אפשרות להסיר את הלוח על ידי לחיצה על הכפתור „סל מחזור” מכותרת הבית.", - "color-black": "שחור", - "color-blue": "כחול", - "color-green": "ירוק", - "color-lime": "ליים", - "color-orange": "כתום", - "color-pink": "ורוד", - "color-purple": "סגול", - "color-red": "אדום", - "color-sky": "תכלת", - "color-yellow": "צהוב", - "comment": "לפרסם", - "comment-placeholder": "כתיבת הערה", - "comment-only": "הערה בלבד", - "comment-only-desc": "ניתן להעיר על כרטיסים בלבד.", - "computer": "מחשב", - "confirm-checklist-delete-dialog": "האם אתה בטוח שברצונך למחוק את רשימת המשימות", - "copy-card-link-to-clipboard": "העתקת קישור הכרטיס ללוח הגזירים", - "copyCardPopup-title": "העתק כרטיס", - "copyChecklistToManyCardsPopup-title": "העתקת תבנית רשימת מטלות למגוון כרטיסים", - "copyChecklistToManyCardsPopup-instructions": "כותרות ותיאורים של כרטיסי יעד בתצורת JSON זו", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"כותרת כרטיס ראשון\", \"description\":\"תיאור כרטיס ראשון\"}, {\"title\":\"כותרת כרטיס שני\",\"description\":\"תיאור כרטיס שני\"},{\"title\":\"כותרת כרטיס אחרון\",\"description\":\"תיאור כרטיס אחרון\"} ]", - "create": "יצירה", - "createBoardPopup-title": "יצירת לוח", - "chooseBoardSourcePopup-title": "ייבוא לוח", - "createLabelPopup-title": "יצירת תווית", - "createCustomField": "יצירת שדה", - "createCustomFieldPopup-title": "יצירת שדה", - "current": "נוכחי", - "custom-field-delete-pop": "אין אפשרות לבטל את הפעולה. הפעולה תסיר את השדה שהותאם אישית מכל הכרטיסים ותשמיד את ההיסטוריה שלו.", - "custom-field-checkbox": "תיבת סימון", - "custom-field-date": "תאריך", - "custom-field-dropdown": "רשימה נגללת", - "custom-field-dropdown-none": "(ללא)", - "custom-field-dropdown-options": "אפשרויות רשימה", - "custom-field-dropdown-options-placeholder": "יש ללחוץ על enter כדי להוסיף עוד אפשרויות", - "custom-field-dropdown-unknown": "(לא ידוע)", - "custom-field-number": "מספר", - "custom-field-text": "טקסט", - "custom-fields": "שדות מותאמים אישית", - "date": "תאריך", - "decline": "סירוב", - "default-avatar": "תמונת משתמש כבררת מחדל", - "delete": "מחיקה", - "deleteCustomFieldPopup-title": "למחוק שדה מותאם אישית?", - "deleteLabelPopup-title": "למחוק תווית?", - "description": "תיאור", - "disambiguateMultiLabelPopup-title": "הבהרת פעולת תווית", - "disambiguateMultiMemberPopup-title": "הבהרת פעולת חבר", - "discard": "התעלמות", - "done": "בוצע", - "download": "הורדה", - "edit": "עריכה", - "edit-avatar": "החלפת תמונת משתמש", - "edit-profile": "עריכת פרופיל", - "edit-wip-limit": "עריכת מגבלת „בעבודה”", - "soft-wip-limit": "מגבלת „בעבודה” רכה", - "editCardStartDatePopup-title": "שינוי מועד התחלה", - "editCardDueDatePopup-title": "שינוי מועד סיום", - "editCustomFieldPopup-title": "עריכת שדה", - "editCardSpentTimePopup-title": "שינוי הזמן שהושקע", - "editLabelPopup-title": "שינוי תווית", - "editNotificationPopup-title": "שינוי דיווח", - "editProfilePopup-title": "עריכת פרופיל", - "email": "דוא״ל", - "email-enrollAccount-subject": "נוצר עבורך חשבון באתר __siteName__", - "email-enrollAccount-text": "__user__ שלום,\n\nכדי להתחיל להשתמש בשירות, יש ללחוץ על הקישור המופיע להלן.\n\n__url__\n\nתודה.", - "email-fail": "שליחת ההודעה בדוא״ל נכשלה", - "email-fail-text": "שגיאה בעת ניסיון לשליחת הודעת דוא״ל", - "email-invalid": "כתובת דוא״ל לא חוקית", - "email-invite": "הזמנה באמצעות דוא״ל", - "email-invite-subject": "נשלחה אליך הזמנה מאת __inviter__", - "email-invite-text": "__user__ שלום,\n\nהוזמנת על ידי __inviter__ להצטרף ללוח „__board__“ להמשך שיתוף הפעולה.\n\nנא ללחוץ על הקישור המופיע להלן:\n\n__url__\n\nתודה.", - "email-resetPassword-subject": "ניתן לאפס את ססמתך לאתר __siteName__", - "email-resetPassword-text": "__user__ שלום,\n\nכדי לאפס את ססמתך, יש ללחוץ על הקישור המופיע להלן.\n\n__url__\n\nתודה.", - "email-sent": "הודעת הדוא״ל נשלחה", - "email-verifyEmail-subject": "אימות כתובת הדוא״ל שלך באתר __siteName__", - "email-verifyEmail-text": "__user__ שלום,\n\nלאימות כתובת הדוא״ל המשויכת לחשבונך, עליך פשוט ללחוץ על הקישור המופיע להלן.\n\n__url__\n\nתודה.", - "enable-wip-limit": "הפעלת מגבלת „בעבודה”", - "error-board-doesNotExist": "לוח זה אינו קיים", - "error-board-notAdmin": "צריכות להיות לך הרשאות ניהול על לוח זה כדי לעשות זאת", - "error-board-notAMember": "עליך לקבל חברות בלוח זה כדי לעשות זאת", - "error-json-malformed": "הטקסט שלך אינו JSON תקין", - "error-json-schema": "נתוני ה־JSON שלך לא כוללים את המידע הנכון בתבנית הנכונה", - "error-list-doesNotExist": "רשימה זו לא קיימת", - "error-user-doesNotExist": "משתמש זה לא קיים", - "error-user-notAllowSelf": "אינך יכול להזמין את עצמך", - "error-user-notCreated": "משתמש זה לא נוצר", - "error-username-taken": "המשתמש כבר קיים במערכת", - "error-email-taken": "כתובת הדוא\"ל כבר נמצאת בשימוש", - "export-board": "ייצוא לוח", - "filter": "מסנן", - "filter-cards": "סינון כרטיסים", - "filter-clear": "ניקוי המסנן", - "filter-no-label": "אין תווית", - "filter-no-member": "אין חבר כזה", - "filter-no-custom-fields": "אין שדות מותאמים אישית", - "filter-on": "המסנן פועל", - "filter-on-desc": "מסנן כרטיסים פעיל בלוח זה. יש ללחוץ כאן לעריכת המסנן.", - "filter-to-selection": "סינון לבחירה", - "advanced-filter-label": "מסנן מתקדם", - "advanced-filter-description": "המסנן המתקדם מאפשר לך לכתוב מחרוזת שמכילה את הפעולות הבאות: == != <= >= && || ( ) רווח מכהן כמפריד בין הפעולות. ניתן לסנן את כל השדות המותאמים אישית על ידי הקלדת שמם והערך שלהם. למשל: שדה1 == ערך1. לתשומת לבך: אם שדות או ערכים מכילים רווח, יש לעטוף אותם במירכא מכל צד. למשל: 'שדה 1' == 'ערך 1'. ניתן גם לשלב מגוון תנאים. למשל: F1 == V1 || F1 = V2. על פי רוב כל הפעולות מפוענחות משמאל לימין. ניתן לשנות את הסדר על ידי הצבת סוגריים. למשל: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "שם מלא", - "header-logo-title": "חזרה לדף הלוחות שלך.", - "hide-system-messages": "הסתרת הודעות מערכת", - "headerBarCreateBoardPopup-title": "יצירת לוח", - "home": "בית", - "import": "יבוא", - "import-board": "ייבוא לוח", - "import-board-c": "יבוא לוח", - "import-board-title-trello": "ייבוא לוח מטרלו", - "import-board-title-wekan": "ייבוא לוח מ־Wekan", - "import-sandstorm-warning": "הלוח שייובא ימחק את כל הנתונים הקיימים בלוח ויחליף אותם בלוח שייובא.", - "from-trello": "מ־Trello", - "from-wekan": "מ־Wekan", - "import-board-instruction-trello": "בלוח הטרלו שלך, עליך ללחוץ על ‚תפריט‘, ואז על ‚עוד‘, ‚הדפסה וייצוא‘, ‚יצוא JSON‘ ולהעתיק את הטקסט שנוצר.", - "import-board-instruction-wekan": "בלוח ה־Wekan, יש לגשת אל ‚תפריט‘, לאחר מכן ‚יצוא לוח‘ ולהעתיק את הטקסט בקובץ שהתקבל.", - "import-json-placeholder": "יש להדביק את נתוני ה־JSON התקינים לכאן", - "import-map-members": "מיפוי חברים", - "import-members-map": "הלוחות המיובאים שלך מכילים חברים. נא למפות את החברים שברצונך לייבא למשתמשי Wekan", - "import-show-user-mapping": "סקירת מיפוי חברים", - "import-user-select": "נא לבחור את המשתמש ב־Wekan בו ברצונך להשתמש עבור חבר זה", - "importMapMembersAddPopup-title": "בחירת משתמש Wekan", - "info": "גרסא", - "initials": "ראשי תיבות", - "invalid-date": "תאריך שגוי", - "invalid-time": "זמן שגוי", - "invalid-user": "משתמש שגוי", - "joined": "הצטרף", - "just-invited": "הוזמנת ללוח זה", - "keyboard-shortcuts": "קיצורי מקלדת", - "label-create": "יצירת תווית", - "label-default": "תווית בצבע %s (בררת מחדל)", - "label-delete-pop": "אין דרך חזרה. התווית תוסר מכל הכרטיסים וההיסטוריה תימחק.", - "labels": "תוויות", - "language": "שפה", - "last-admin-desc": "אין אפשרות לשנות תפקידים כיוון שחייב להיות מנהל אחד לפחות.", - "leave-board": "עזיבת הלוח", - "leave-board-pop": "לעזוב את __boardTitle__? שמך יוסר מכל הכרטיסים שבלוח זה.", - "leaveBoardPopup-title": "לעזוב לוח ?", - "link-card": "קישור לכרטיס זה", - "list-archive-cards": "להעביר את כל הכרטיסים לסל המחזור", - "list-archive-cards-pop": "פעולה זו תסיר את כל הכרטיסים שברשימה זו מהלוח. כדי לצפות בכרטיסים בסל המחזור ולהשיב אותם ללוח ניתן ללחוץ על „תפריט” > „סל מחזור”.", - "list-move-cards": "העברת כל הכרטיסים שברשימה זו", - "list-select-cards": "בחירת כל הכרטיסים שברשימה זו", - "listActionPopup-title": "פעולות רשימה", - "swimlaneActionPopup-title": "פעולות על מסלול", - "listImportCardPopup-title": "יבוא כרטיס מ־Trello", - "listMorePopup-title": "עוד", - "link-list": "קישור לרשימה זו", - "list-delete-pop": "כל הפעולות תוסרנה מרצף הפעילות ולא תהיה לך אפשרות לשחזר את הרשימה. אין ביטול.", - "list-delete-suggest-archive": "ניתן להעביר רשימה לסל מחזור כדי להסיר אותה מהלוח ולשמר את הפעילות.", - "lists": "רשימות", - "swimlanes": "מסלולים", - "log-out": "יציאה", - "log-in": "כניסה", - "loginPopup-title": "כניסה", - "memberMenuPopup-title": "הגדרות חברות", - "members": "חברים", - "menu": "תפריט", - "move-selection": "העברת הבחירה", - "moveCardPopup-title": "העברת כרטיס", - "moveCardToBottom-title": "העברת כרטיס לתחתית הרשימה", - "moveCardToTop-title": "העברת כרטיס לראש הרשימה ", - "moveSelectionPopup-title": "העברת בחירה", - "multi-selection": "בחירה מרובה", - "multi-selection-on": "בחירה מרובה פועלת", - "muted": "מושתק", - "muted-info": "מעתה לא תתקבלנה אצלך התרעות על שינויים בלוח זה", - "my-boards": "הלוחות שלי", - "name": "שם", - "no-archived-cards": "אין כרטיסים בסל המחזור.", - "no-archived-lists": "אין רשימות בסל המחזור.", - "no-archived-swimlanes": "אין מסלולים בסל המחזור.", - "no-results": "אין תוצאות", - "normal": "רגיל", - "normal-desc": "הרשאה לצפות ולערוך כרטיסים. לא ניתן לשנות הגדרות.", - "not-accepted-yet": "ההזמנה לא אושרה עדיין", - "notify-participate": "קבלת עדכונים על כרטיסים בהם יש לך מעורבות הן בתהליך היצירה והן כחבר", - "notify-watch": "קבלת עדכונים על כל לוח, רשימה או כרטיס שסימנת למעקב", - "optional": "רשות", - "or": "או", - "page-maybe-private": "יתכן שדף זה פרטי. ניתן לצפות בו על ידי כניסה למערכת", - "page-not-found": "דף לא נמצא.", - "password": "ססמה", - "paste-or-dragdrop": "כדי להדביק או לגרור ולשחרר קובץ תמונה אליו (תמונות בלבד)", - "participating": "משתתפים", - "preview": "תצוגה מקדימה", - "previewAttachedImagePopup-title": "תצוגה מקדימה", - "previewClipboardImagePopup-title": "תצוגה מקדימה", - "private": "פרטי", - "private-desc": "לוח זה פרטי. רק אנשים שנוספו ללוח יכולים לצפות ולערוך אותו.", - "profile": "פרופיל", - "public": "ציבורי", - "public-desc": "לוח זה ציבורי. כל מי שמחזיק בקישור יכול לצפות בלוח והוא יופיע בתוצאות מנועי חיפוש כגון גוגל. רק אנשים שנוספו ללוח יכולים לערוך אותו.", - "quick-access-description": "לחיצה על הכוכב תוסיף קיצור דרך ללוח בשורה זו.", - "remove-cover": "הסרת כיסוי", - "remove-from-board": "הסרה מהלוח", - "remove-label": "הסרת תווית", - "listDeletePopup-title": "למחוק את הרשימה?", - "remove-member": "הסרת חבר", - "remove-member-from-card": "הסרה מהכרטיס", - "remove-member-pop": "להסיר את __name__ (__username__) מ__boardTitle__? התהליך יגרום להסרת החבר מכל הכרטיסים בלוח זה. תישלח הודעה אל החבר.", - "removeMemberPopup-title": "להסיר חבר?", - "rename": "שינוי שם", - "rename-board": "שינוי שם ללוח", - "restore": "שחזור", - "save": "שמירה", - "search": "חיפוש", - "search-cards": "חיפוש אחר כותרות ותיאורים של כרטיסים בלוח זה", - "search-example": "טקסט לחיפוש ?", - "select-color": "בחירת צבע", - "set-wip-limit-value": "הגדרת מגבלה למספר המרבי של משימות ברשימה זו", - "setWipLimitPopup-title": "הגדרת מגבלת „בעבודה”", - "shortcut-assign-self": "להקצות אותי לכרטיס הנוכחי", - "shortcut-autocomplete-emoji": "השלמה אוטומטית לאימוג׳י", - "shortcut-autocomplete-members": "השלמה אוטומטית של חברים", - "shortcut-clear-filters": "ביטול כל המסננים", - "shortcut-close-dialog": "סגירת החלון", - "shortcut-filter-my-cards": "סינון הכרטיסים שלי", - "shortcut-show-shortcuts": "העלאת רשימת קיצורים זו", - "shortcut-toggle-filterbar": "הצגה או הסתרה של סרגל צד הסינון", - "shortcut-toggle-sidebar": "הצגה או הסתרה של סרגל צד הלוח", - "show-cards-minimum-count": "הצגת ספירת כרטיסים אם רשימה מכילה למעלה מ־", - "sidebar-open": "פתיחת סרגל צד", - "sidebar-close": "סגירת סרגל צד", - "signupPopup-title": "יצירת חשבון", - "star-board-title": "ניתן ללחוץ כדי לסמן בכוכב. הלוח יופיע בראש רשימת הלוחות שלך.", - "starred-boards": "לוחות שסומנו בכוכב", - "starred-boards-description": "לוחות מסומנים בכוכב מופיעים בראש רשימת הלוחות שלך.", - "subscribe": "הרשמה", - "team": "צוות", - "this-board": "לוח זה", - "this-card": "כרטיס זה", - "spent-time-hours": "זמן שהושקע (שעות)", - "overtime-hours": "שעות נוספות", - "overtime": "שעות נוספות", - "has-overtime-cards": "יש כרטיסי שעות נוספות", - "has-spenttime-cards": "ניצל את כרטיסי הזמן שהושקע", - "time": "זמן", - "title": "כותרת", - "tracking": "מעקב", - "tracking-info": "על כל שינוי בכרטיסים בהם הייתה לך מעורבות ברמת היצירה או כחברות תגיע אליך הודעה.", - "type": "סוג", - "unassign-member": "ביטול הקצאת חבר", - "unsaved-description": "יש לך תיאור לא שמור.", - "unwatch": "ביטול מעקב", - "upload": "העלאה", - "upload-avatar": "העלאת תמונת משתמש", - "uploaded-avatar": "הועלתה תמונה משתמש", - "username": "שם משתמש", - "view-it": "הצגה", - "warn-list-archived": "אזהרה: כרטיס זה נמצא ברשימה בסל המחזור", - "watch": "לעקוב", - "watching": "במעקב", - "watching-info": "מעתה יגיעו אליך דיווחים על כל שינוי בלוח זה", - "welcome-board": "לוח קבלת פנים", - "welcome-swimlane": "ציון דרך 1", - "welcome-list1": "יסודות", - "welcome-list2": "מתקדם", - "what-to-do": "מה ברצונך לעשות?", - "wipLimitErrorPopup-title": "מגבלת „בעבודה” שגויה", - "wipLimitErrorPopup-dialog-pt1": "מספר המשימות ברשימה זו גדולה ממגבלת הפריטים „בעבודה” שהגדרת.", - "wipLimitErrorPopup-dialog-pt2": "נא להוציא חלק מהמשימות מרשימה זו או להגדיר מגבלת „בעבודה” גדולה יותר.", - "admin-panel": "חלונית ניהול המערכת", - "settings": "הגדרות", - "people": "אנשים", - "registration": "הרשמה", - "disable-self-registration": "השבתת הרשמה עצמית", - "invite": "הזמנה", - "invite-people": "הזמנת אנשים", - "to-boards": "ללוח/ות", - "email-addresses": "כתובות דוא״ל", - "smtp-host-description": "כתובת שרת ה־SMTP שמטפל בהודעות הדוא״ל שלך.", - "smtp-port-description": "מספר הפתחה בה שרת ה־SMTP שלך משתמש לדוא״ל יוצא.", - "smtp-tls-description": "הפעל תמיכה ב־TLS עבור שרת ה־SMTP", - "smtp-host": "כתובת ה־SMTP", - "smtp-port": "פתחת ה־SMTP", - "smtp-username": "שם משתמש", - "smtp-password": "ססמה", - "smtp-tls": "תמיכה ב־TLS", - "send-from": "מאת", - "send-smtp-test": "שליחת דוא״ל בדיקה לעצמך", - "invitation-code": "קוד הזמנה", - "email-invite-register-subject": "נשלחה אליך הזמנה מאת __inviter__", - "email-invite-register-text": "__user__ יקר,\n\nקיבלת הזמנה מאת __inviter__ לשתף פעולה ב־Wekan.\n\nנא ללחוץ על הקישור:\n__url__\n\nקוד ההזמנה שלך הוא: __icode__\n\nתודה.", - "email-smtp-test-subject": "הודעת בדיקה דרך SMTP מאת Wekan", - "email-smtp-test-text": "שלחת הודעת דוא״ל בהצלחה", - "error-invitation-code-not-exist": "קוד ההזמנה אינו קיים", - "error-notAuthorized": "אין לך הרשאה לצפות בעמוד זה.", - "outgoing-webhooks": "קרסי רשת יוצאים", - "outgoingWebhooksPopup-title": "קרסי רשת יוצאים", - "new-outgoing-webhook": "קרסי רשת יוצאים חדשים", - "no-name": "(לא ידוע)", - "Wekan_version": "גרסת Wekan", - "Node_version": "גרסת Node", - "OS_Arch": "ארכיטקטורת מערכת הפעלה", - "OS_Cpus": "מספר מעבדים", - "OS_Freemem": "זיכרון (RAM) פנוי", - "OS_Loadavg": "עומס ממוצע ", - "OS_Platform": "מערכת הפעלה", - "OS_Release": "גרסת מערכת הפעלה", - "OS_Totalmem": "סך הכל זיכרון (RAM)", - "OS_Type": "סוג מערכת ההפעלה", - "OS_Uptime": "זמן שעבר מאז האתחול האחרון", - "hours": "שעות", - "minutes": "דקות", - "seconds": "שניות", - "show-field-on-card": "הצגת שדה זה בכרטיס", - "yes": "כן", - "no": "לא", - "accounts": "חשבונות", - "accounts-allowEmailChange": "אפשר שינוי דוא\"ל", - "accounts-allowUserNameChange": "לאפשר שינוי שם משתמש", - "createdAt": "נוצר ב", - "verified": "עבר אימות", - "active": "פעיל", - "card-received": "התקבל", - "card-received-on": "התקבל במועד", - "card-end": "סיום", - "card-end-on": "מועד הסיום", - "editCardReceivedDatePopup-title": "החלפת מועד הקבלה", - "editCardEndDatePopup-title": "החלפת מועד הסיום", - "assigned-by": "הוקצה על ידי", - "requested-by": "התבקש על ידי", - "board-delete-notice": "מחיקה היא לצמיתות. כל הרשימות, הכרטיבים והפעולות שקשורים בלוח הזה ילכו לאיבוד.", - "delete-board-confirm-popup": "כל הרשימות, הכרטיסים, התווית והפעולות יימחקו ולא תהיה לך דרך לשחזר את תכני הלוח. אין אפשרות לבטל.", - "boardDeletePopup-title": "למחוק את הלוח?", - "delete-board": "מחיקת לוח" -} \ No newline at end of file diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json deleted file mode 100644 index 0dfb11f0..00000000 --- a/i18n/hu.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Elfogadás", - "act-activity-notify": "[Wekan] Tevékenység értesítés", - "act-addAttachment": "__attachment__ mellékletet csatolt a kártyához: __card__", - "act-addChecklist": "__checklist__ ellenőrzőlistát adott hozzá a kártyához: __card__", - "act-addChecklistItem": "__checklistItem__ elemet adott hozzá a(z) __checklist__ ellenőrzőlistához ezen a kártyán: __card__", - "act-addComment": "hozzászólt a(z) __card__ kártyán: __comment__", - "act-createBoard": "létrehozta a táblát: __board__", - "act-createCard": "__card__ kártyát adott hozzá a listához: __list__", - "act-createCustomField": "létrehozta a(z) __customField__ egyéni listát", - "act-createList": "__list__ listát adott hozzá a táblához: __board__", - "act-addBoardMember": "__member__ tagot hozzáadta a táblához: __board__", - "act-archivedBoard": "A(z) __board__ tábla áthelyezve a lomtárba", - "act-archivedCard": "A(z) __card__ kártya áthelyezve a lomtárba", - "act-archivedList": "A(z) __list__ lista áthelyezve a lomtárba", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "importálta a táblát: __board__", - "act-importCard": "importálta a kártyát: __card__", - "act-importList": "importálta a listát: __list__", - "act-joinMember": "__member__ tagot hozzáadta a kártyához: __card__", - "act-moveCard": "áthelyezte a(z) __card__ kártyát: __oldList__ → __list__", - "act-removeBoardMember": "eltávolította __member__ tagot a tábláról: __board__", - "act-restoredCard": "visszaállította a(z) __card__ kártyát ide: __board__", - "act-unjoinMember": "eltávolította __member__ tagot a kártyáról: __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Műveletek", - "activities": "Tevékenységek", - "activity": "Tevékenység", - "activity-added": "%s hozzáadva ehhez: %s", - "activity-archived": "%s áthelyezve a lomtárba", - "activity-attached": "%s mellékletet csatolt a kártyához: %s", - "activity-created": "%s létrehozva", - "activity-customfield-created": "létrehozta a(z) %s egyéni mezőt", - "activity-excluded": "%s kizárva innen: %s", - "activity-imported": "%s importálva ebbe: %s, innen: %s", - "activity-imported-board": "%s importálva innen: %s", - "activity-joined": "%s csatlakozott", - "activity-moved": "%s áthelyezve: %s → %s", - "activity-on": "ekkor: %s", - "activity-removed": "%s eltávolítva innen: %s", - "activity-sent": "%s elküldve ide: %s", - "activity-unjoined": "%s kilépett a csoportból", - "activity-checklist-added": "ellenőrzőlista hozzáadva ehhez: %s", - "activity-checklist-item-added": "ellenőrzőlista elem hozzáadva ehhez: „%s”, ebben: %s", - "add": "Hozzáadás", - "add-attachment": "Melléklet hozzáadása", - "add-board": "Tábla hozzáadása", - "add-card": "Kártya hozzáadása", - "add-swimlane": "Add Swimlane", - "add-checklist": "Ellenőrzőlista hozzáadása", - "add-checklist-item": "Elem hozzáadása az ellenőrzőlistához", - "add-cover": "Borító hozzáadása", - "add-label": "Címke hozzáadása", - "add-list": "Lista hozzáadása", - "add-members": "Tagok hozzáadása", - "added": "Hozzáadva", - "addMemberPopup-title": "Tagok", - "admin": "Adminisztrátor", - "admin-desc": "Megtekintheti és szerkesztheti a kártyákat, eltávolíthat tagokat, valamint megváltoztathatja a tábla beállításait.", - "admin-announcement": "Bejelentés", - "admin-announcement-active": "Bekapcsolt rendszerszintű bejelentés", - "admin-announcement-title": "Bejelentés az adminisztrátortól", - "all-boards": "Összes tábla", - "and-n-other-card": "És __count__ egyéb kártya", - "and-n-other-card_plural": "És __count__ egyéb kártya", - "apply": "Alkalmaz", - "app-is-offline": "A Wekan betöltés alatt van, kérem várjon. Az oldal újratöltése adatvesztést okoz. Ha a Wekan nem töltődik be, akkor ellenőrizze, hogy a Wekan kiszolgáló nem állt-e le.", - "archive": "Lomtárba", - "archive-all": "Összes lomtárba helyezése", - "archive-board": "Tábla lomtárba helyezése", - "archive-card": "Kártya lomtárba helyezése", - "archive-list": "Lista lomtárba helyezése", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Kijelölés lomtárba helyezése", - "archiveBoardPopup-title": "Lomtárba helyezi a táblát?", - "archived-items": "Lomtár", - "archived-boards": "Lomtárban lévő táblák", - "restore-board": "Tábla visszaállítása", - "no-archived-boards": "Nincs tábla a lomtárban.", - "archives": "Lomtár", - "assign-member": "Tag hozzárendelése", - "attached": "csatolva", - "attachment": "Melléklet", - "attachment-delete-pop": "A melléklet törlése végeleges. Nincs visszaállítás.", - "attachmentDeletePopup-title": "Törli a mellékletet?", - "attachments": "Mellékletek", - "auto-watch": "Táblák automatikus megtekintése, amikor létrejönnek", - "avatar-too-big": "Az avatár túl nagy (legfeljebb 70 KB)", - "back": "Vissza", - "board-change-color": "Szín megváltoztatása", - "board-nb-stars": "%s csillag", - "board-not-found": "A tábla nem található", - "board-private-info": "Ez a tábla legyen személyes.", - "board-public-info": "Ez a tábla legyen nyilvános.", - "boardChangeColorPopup-title": "Tábla hátterének megváltoztatása", - "boardChangeTitlePopup-title": "Tábla átnevezése", - "boardChangeVisibilityPopup-title": "Láthatóság megváltoztatása", - "boardChangeWatchPopup-title": "Megfigyelés megváltoztatása", - "boardMenuPopup-title": "Tábla menü", - "boards": "Táblák", - "board-view": "Tábla nézet", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Listák", - "bucket-example": "Mint például „Bakancslista”", - "cancel": "Mégse", - "card-archived": "Ez a kártya a lomtárba került.", - "card-comments-title": "Ez a kártya %s hozzászólást tartalmaz.", - "card-delete-notice": "A törlés végleges. Az összes műveletet elveszíti, amely ehhez a kártyához tartozik.", - "card-delete-pop": "Az összes művelet el lesz távolítva a tevékenységlistából, és nem lesz képes többé újra megnyitni a kártyát. Nincs visszaállítási lehetőség.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Esedékes", - "card-due-on": "Esedékes ekkor", - "card-spent": "Eltöltött idő", - "card-edit-attachments": "Mellékletek szerkesztése", - "card-edit-custom-fields": "Egyéni mezők szerkesztése", - "card-edit-labels": "Címkék szerkesztése", - "card-edit-members": "Tagok szerkesztése", - "card-labels-title": "A kártya címkéinek megváltoztatása.", - "card-members-title": "A tábla tagjainak hozzáadása vagy eltávolítása a kártyáról.", - "card-start": "Kezdés", - "card-start-on": "Kezdés ekkor", - "cardAttachmentsPopup-title": "Innen csatolva", - "cardCustomField-datePopup-title": "Dátum megváltoztatása", - "cardCustomFieldsPopup-title": "Egyéni mezők szerkesztése", - "cardDeletePopup-title": "Törli a kártyát?", - "cardDetailsActionsPopup-title": "Kártyaműveletek", - "cardLabelsPopup-title": "Címkék", - "cardMembersPopup-title": "Tagok", - "cardMorePopup-title": "Több", - "cards": "Kártyák", - "cards-count": "Kártyák", - "change": "Változtatás", - "change-avatar": "Avatár megváltoztatása", - "change-password": "Jelszó megváltoztatása", - "change-permissions": "Jogosultságok megváltoztatása", - "change-settings": "Beállítások megváltoztatása", - "changeAvatarPopup-title": "Avatár megváltoztatása", - "changeLanguagePopup-title": "Nyelv megváltoztatása", - "changePasswordPopup-title": "Jelszó megváltoztatása", - "changePermissionsPopup-title": "Jogosultságok megváltoztatása", - "changeSettingsPopup-title": "Beállítások megváltoztatása", - "checklists": "Ellenőrzőlisták", - "click-to-star": "Kattintson a tábla csillagozásához.", - "click-to-unstar": "Kattintson a tábla csillagának eltávolításához.", - "clipboard": "Vágólap vagy fogd és vidd", - "close": "Bezárás", - "close-board": "Tábla bezárása", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "fekete", - "color-blue": "kék", - "color-green": "zöld", - "color-lime": "citrus", - "color-orange": "narancssárga", - "color-pink": "rózsaszín", - "color-purple": "lila", - "color-red": "piros", - "color-sky": "égszínkék", - "color-yellow": "sárga", - "comment": "Megjegyzés", - "comment-placeholder": "Megjegyzés írása", - "comment-only": "Csak megjegyzés", - "comment-only-desc": "Csak megjegyzést írhat a kártyákhoz.", - "computer": "Számítógép", - "confirm-checklist-delete-dialog": "Biztosan törölni szeretné az ellenőrzőlistát?", - "copy-card-link-to-clipboard": "Kártya hivatkozásának másolása a vágólapra", - "copyCardPopup-title": "Kártya másolása", - "copyChecklistToManyCardsPopup-title": "Ellenőrzőlista sablon másolása több kártyára", - "copyChecklistToManyCardsPopup-instructions": "A célkártyák címe és a leírások ebben a JSON formátumban", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Első kártya címe\", \"description\":\"Első kártya leírása\"}, {\"title\":\"Második kártya címe\",\"description\":\"Második kártya leírása\"},{\"title\":\"Utolsó kártya címe\",\"description\":\"Utolsó kártya leírása\"} ]", - "create": "Létrehozás", - "createBoardPopup-title": "Tábla létrehozása", - "chooseBoardSourcePopup-title": "Tábla importálása", - "createLabelPopup-title": "Címke létrehozása", - "createCustomField": "Mező létrehozása", - "createCustomFieldPopup-title": "Mező létrehozása", - "current": "jelenlegi", - "custom-field-delete-pop": "Nincs visszavonás. Ez el fogja távolítani az egyéni mezőt az összes kártyáról, és megsemmisíti az előzményeit.", - "custom-field-checkbox": "Jelölőnégyzet", - "custom-field-date": "Dátum", - "custom-field-dropdown": "Legördülő lista", - "custom-field-dropdown-none": "(nincs)", - "custom-field-dropdown-options": "Lista lehetőségei", - "custom-field-dropdown-options-placeholder": "Nyomja meg az Enter billentyűt több lehetőség hozzáadásához", - "custom-field-dropdown-unknown": "(ismeretlen)", - "custom-field-number": "Szám", - "custom-field-text": "Szöveg", - "custom-fields": "Egyéni mezők", - "date": "Dátum", - "decline": "Elutasítás", - "default-avatar": "Alapértelmezett avatár", - "delete": "Törlés", - "deleteCustomFieldPopup-title": "Törli az egyéni mezőt?", - "deleteLabelPopup-title": "Törli a címkét?", - "description": "Leírás", - "disambiguateMultiLabelPopup-title": "Címkeművelet egyértelműsítése", - "disambiguateMultiMemberPopup-title": "Tagművelet egyértelműsítése", - "discard": "Eldobás", - "done": "Kész", - "download": "Letöltés", - "edit": "Szerkesztés", - "edit-avatar": "Avatár megváltoztatása", - "edit-profile": "Profil szerkesztése", - "edit-wip-limit": "WIP korlát szerkesztése", - "soft-wip-limit": "Gyenge WIP korlát", - "editCardStartDatePopup-title": "Kezdődátum megváltoztatása", - "editCardDueDatePopup-title": "Esedékesség dátumának megváltoztatása", - "editCustomFieldPopup-title": "Mező szerkesztése", - "editCardSpentTimePopup-title": "Eltöltött idő megváltoztatása", - "editLabelPopup-title": "Címke megváltoztatása", - "editNotificationPopup-title": "Értesítés szerkesztése", - "editProfilePopup-title": "Profil szerkesztése", - "email": "E-mail", - "email-enrollAccount-subject": "Létrejött a profilja a következő oldalon: __siteName__", - "email-enrollAccount-text": "Kedves __user__!\n\nA szolgáltatás használatának megkezdéséhez egyszerűen kattintson a lenti hivatkozásra.\n\n__url__\n\nKöszönjük.", - "email-fail": "Az e-mail küldése nem sikerült", - "email-fail-text": "Hiba az e-mail küldésének kísérlete közben", - "email-invalid": "Érvénytelen e-mail", - "email-invite": "Meghívás e-mailben", - "email-invite-subject": "__inviter__ egy meghívást küldött Önnek", - "email-invite-text": "Kedves __user__!\n\n__inviter__ meghívta Önt, hogy csatlakozzon a(z) „__board__” táblán történő együttműködéshez.\n\nKattintson az alábbi hivatkozásra:\n\n__url__\n\nKöszönjük.", - "email-resetPassword-subject": "Jelszó visszaállítása ezen az oldalon: __siteName__", - "email-resetPassword-text": "Kedves __user__!\n\nA jelszava visszaállításához egyszerűen kattintson a lenti hivatkozásra.\n\n__url__\n\nKöszönjük.", - "email-sent": "E-mail elküldve", - "email-verifyEmail-subject": "Igazolja vissza az e-mail címét a következő oldalon: __siteName__", - "email-verifyEmail-text": "Kedves __user__!\n\nAz e-mail fiókjának visszaigazolásához egyszerűen kattintson a lenti hivatkozásra.\n\n__url__\n\nKöszönjük.", - "enable-wip-limit": "WIP korlát engedélyezése", - "error-board-doesNotExist": "Ez a tábla nem létezik", - "error-board-notAdmin": "A tábla adminisztrátorának kell lennie, hogy ezt megtehesse", - "error-board-notAMember": "A tábla tagjának kell lennie, hogy ezt megtehesse", - "error-json-malformed": "A szöveg nem érvényes JSON", - "error-json-schema": "A JSON adatok nem a helyes formátumban tartalmazzák a megfelelő információkat", - "error-list-doesNotExist": "Ez a lista nem létezik", - "error-user-doesNotExist": "Ez a felhasználó nem létezik", - "error-user-notAllowSelf": "Nem hívhatja meg saját magát", - "error-user-notCreated": "Ez a felhasználó nincs létrehozva", - "error-username-taken": "Ez a felhasználónév már foglalt", - "error-email-taken": "Az e-mail már foglalt", - "export-board": "Tábla exportálása", - "filter": "Szűrő", - "filter-cards": "Kártyák szűrése", - "filter-clear": "Szűrő törlése", - "filter-no-label": "Nincs címke", - "filter-no-member": "Nincs tag", - "filter-no-custom-fields": "Nincsenek egyéni mezők", - "filter-on": "Szűrő bekapcsolva", - "filter-on-desc": "A kártyaszűrés be van kapcsolva ezen a táblán. Kattintson ide a szűrő szerkesztéséhez.", - "filter-to-selection": "Szűrés a kijelöléshez", - "advanced-filter-label": "Speciális szűrő", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Teljes név", - "header-logo-title": "Vissza a táblák oldalára.", - "hide-system-messages": "Rendszerüzenetek elrejtése", - "headerBarCreateBoardPopup-title": "Tábla létrehozása", - "home": "Kezdőlap", - "import": "Importálás", - "import-board": "tábla importálása", - "import-board-c": "Tábla importálása", - "import-board-title-trello": "Tábla importálása a Trello oldalról", - "import-board-title-wekan": "Tábla importálása a Wekan oldalról", - "import-sandstorm-warning": "Az importált tábla törölni fogja a táblán lévő összes meglévő adatot, és kicseréli az importált táblával.", - "from-trello": "A Trello oldalról", - "from-wekan": "A Wekan oldalról", - "import-board-instruction-trello": "A Trello tábláján menjen a „Menü”, majd a „Több”, „Nyomtatás és exportálás”, „JSON exportálása” menüpontokra, és másolja ki az eredményül kapott szöveget.", - "import-board-instruction-wekan": "A Wekan tábláján menjen a „Menü”, majd a „Tábla exportálás” menüpontra, és másolja ki a letöltött fájlban lévő szöveget.", - "import-json-placeholder": "Illessze be ide az érvényes JSON adatokat", - "import-map-members": "Tagok leképezése", - "import-members-map": "Az importált táblának van néhány tagja. Képezze le a tagokat, akiket importálni szeretne a Wekan felhasználókba.", - "import-show-user-mapping": "Tagok leképezésének vizsgálata", - "import-user-select": "Válassza ki a Wekan felhasználót, akit ezen tagként használni szeretne", - "importMapMembersAddPopup-title": "Wekan tag kiválasztása", - "info": "Verzió", - "initials": "Kezdőbetűk", - "invalid-date": "Érvénytelen dátum", - "invalid-time": "Érvénytelen idő", - "invalid-user": "Érvénytelen felhasználó", - "joined": "csatlakozott", - "just-invited": "Éppen most hívták meg erre a táblára", - "keyboard-shortcuts": "Gyorsbillentyűk", - "label-create": "Címke létrehozása", - "label-default": "%s címke (alapértelmezett)", - "label-delete-pop": "Nincs visszavonás. Ez el fogja távolítani ezt a címkét az összes kártyáról, és törli az előzményeit.", - "labels": "Címkék", - "language": "Nyelv", - "last-admin-desc": "Nem változtathatja meg a szerepeket, mert legalább egy adminisztrátora szükség van.", - "leave-board": "Tábla elhagyása", - "leave-board-pop": "Biztosan el szeretné hagyni ezt a táblát: __boardTitle__? El lesz távolítva a táblán lévő összes kártyáról.", - "leaveBoardPopup-title": "Elhagyja a táblát?", - "link-card": "Összekapcsolás ezzel a kártyával", - "list-archive-cards": "Az összes kártya lomtárba helyezése ezen a listán.", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "A listán lévő összes kártya áthelyezése", - "list-select-cards": "A listán lévő összes kártya kiválasztása", - "listActionPopup-title": "Műveletek felsorolása", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Trello kártya importálása", - "listMorePopup-title": "Több", - "link-list": "Összekapcsolás ezzel a listával", - "list-delete-pop": "Az összes művelet el lesz távolítva a tevékenységlistából, és nem lesz lehetősége visszaállítani a listát. Nincs visszavonás.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Listák", - "swimlanes": "Swimlanes", - "log-out": "Kijelentkezés", - "log-in": "Bejelentkezés", - "loginPopup-title": "Bejelentkezés", - "memberMenuPopup-title": "Tagok beállításai", - "members": "Tagok", - "menu": "Menü", - "move-selection": "Kijelölés áthelyezése", - "moveCardPopup-title": "Kártya áthelyezése", - "moveCardToBottom-title": "Áthelyezés az aljára", - "moveCardToTop-title": "Áthelyezés a tetejére", - "moveSelectionPopup-title": "Kijelölés áthelyezése", - "multi-selection": "Többszörös kijelölés", - "multi-selection-on": "Többszörös kijelölés bekapcsolva", - "muted": "Némítva", - "muted-info": "Soha sem lesz értesítve a táblán lévő semmilyen változásról.", - "my-boards": "Saját tábláim", - "name": "Név", - "no-archived-cards": "Nincs kártya a lomtárban.", - "no-archived-lists": "Nincs lista a lomtárban.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Nincs találat", - "normal": "Normál", - "normal-desc": "Megtekintheti és szerkesztheti a kártyákat. Nem változtathatja meg a beállításokat.", - "not-accepted-yet": "A meghívás még nincs elfogadva", - "notify-participate": "Frissítések fogadása bármely kártyánál, amelynél létrehozóként vagy tagként vesz részt", - "notify-watch": "Frissítések fogadása bármely táblánál, listánál vagy kártyánál, amelyet megtekint", - "optional": "opcionális", - "or": "vagy", - "page-maybe-private": "Ez az oldal személyes lehet. Esetleg megtekintheti, ha bejelentkezik.", - "page-not-found": "Az oldal nem található.", - "password": "Jelszó", - "paste-or-dragdrop": "illessze be, vagy fogd és vidd módon húzza ide a képfájlt (csak képeket)", - "participating": "Részvétel", - "preview": "Előnézet", - "previewAttachedImagePopup-title": "Előnézet", - "previewClipboardImagePopup-title": "Előnézet", - "private": "Személyes", - "private-desc": "Ez a tábla személyes. Csak a táblához hozzáadott emberek tekinthetik meg és szerkeszthetik.", - "profile": "Profil", - "public": "Nyilvános", - "public-desc": "Ez a tábla nyilvános. A hivatkozás birtokában bárki számára látható, és megjelenik az olyan keresőmotorokban, mint például a Google. Csak a táblához hozzáadott emberek szerkeszthetik.", - "quick-access-description": "Csillagozzon meg egy táblát egy gyors hivatkozás hozzáadásához ebbe a sávba.", - "remove-cover": "Borító eltávolítása", - "remove-from-board": "Eltávolítás a tábláról", - "remove-label": "Címke eltávolítása", - "listDeletePopup-title": "Törli a listát?", - "remove-member": "Tag eltávolítása", - "remove-member-from-card": "Eltávolítás a kártyáról", - "remove-member-pop": "Eltávolítja __name__ (__username__) felhasználót a tábláról: __boardTitle__? A tag el lesz távolítva a táblán lévő összes kártyáról. Értesítést fog kapni erről.", - "removeMemberPopup-title": "Eltávolítja a tagot?", - "rename": "Átnevezés", - "rename-board": "Tábla átnevezése", - "restore": "Visszaállítás", - "save": "Mentés", - "search": "Keresés", - "search-cards": "Keresés a táblán lévő kártyák címében illetve leírásában", - "search-example": "keresőkifejezés", - "select-color": "Szín kiválasztása", - "set-wip-limit-value": "Korlát beállítása a listán lévő feladatok legnagyobb számához", - "setWipLimitPopup-title": "WIP korlát beállítása", - "shortcut-assign-self": "Önmaga hozzárendelése a jelenlegi kártyához", - "shortcut-autocomplete-emoji": "Emodzsi automatikus kiegészítése", - "shortcut-autocomplete-members": "Tagok automatikus kiegészítése", - "shortcut-clear-filters": "Összes szűrő törlése", - "shortcut-close-dialog": "Párbeszédablak bezárása", - "shortcut-filter-my-cards": "Kártyáim szűrése", - "shortcut-show-shortcuts": "A hivatkozási lista előre hozása", - "shortcut-toggle-filterbar": "Szűrő oldalsáv ki- és bekapcsolása", - "shortcut-toggle-sidebar": "Tábla oldalsáv ki- és bekapcsolása", - "show-cards-minimum-count": "Kártyaszámok megjelenítése, ha a lista többet tartalmaz mint", - "sidebar-open": "Oldalsáv megnyitása", - "sidebar-close": "Oldalsáv bezárása", - "signupPopup-title": "Fiók létrehozása", - "star-board-title": "Kattintson a tábla csillagozásához. Meg fog jelenni a táblalistája tetején.", - "starred-boards": "Csillagozott táblák", - "starred-boards-description": "A csillagozott táblák megjelennek a táblalistája tetején.", - "subscribe": "Feliratkozás", - "team": "Csapat", - "this-board": "ez a tábla", - "this-card": "ez a kártya", - "spent-time-hours": "Eltöltött idő (óra)", - "overtime-hours": "Túlóra (óra)", - "overtime": "Túlóra", - "has-overtime-cards": "Van túlórás kártyája", - "has-spenttime-cards": "Has spent time cards", - "time": "Idő", - "title": "Cím", - "tracking": "Követés", - "tracking-info": "Értesítve lesz az összes olyan kártya változásáról, amelyen létrehozóként vagy tagként vesz részt.", - "type": "Típus", - "unassign-member": "Tag hozzárendelésének megszüntetése", - "unsaved-description": "Van egy mentetlen leírása.", - "unwatch": "Megfigyelés megszüntetése", - "upload": "Feltöltés", - "upload-avatar": "Egy avatár feltöltése", - "uploaded-avatar": "Egy avatár feltöltve", - "username": "Felhasználónév", - "view-it": "Megtekintés", - "warn-list-archived": "figyelem: ez a kártya egy lomtárban lévő listán van", - "watch": "Megfigyelés", - "watching": "Megfigyelés", - "watching-info": "Értesítve lesz a táblán lévő összes változásról", - "welcome-board": "Üdvözlő tábla", - "welcome-swimlane": "1. mérföldkő", - "welcome-list1": "Alapok", - "welcome-list2": "Speciális", - "what-to-do": "Mit szeretne tenni?", - "wipLimitErrorPopup-title": "Érvénytelen WIP korlát", - "wipLimitErrorPopup-dialog-pt1": "A listán lévő feladatok száma magasabb a meghatározott WIP korlátnál.", - "wipLimitErrorPopup-dialog-pt2": "Helyezzen át néhány feladatot a listáról, vagy állítson be magasabb WIP korlátot.", - "admin-panel": "Adminisztrációs panel", - "settings": "Beállítások", - "people": "Emberek", - "registration": "Regisztráció", - "disable-self-registration": "Önregisztráció letiltása", - "invite": "Meghívás", - "invite-people": "Emberek meghívása", - "to-boards": "Táblákhoz", - "email-addresses": "E-mail címek", - "smtp-host-description": "Az SMTP kiszolgáló címe, amely az e-maileket kezeli.", - "smtp-port-description": "Az SMTP kiszolgáló által használt port a kimenő e-mailekhez.", - "smtp-tls-description": "TLS támogatás engedélyezése az SMTP kiszolgálónál", - "smtp-host": "SMTP kiszolgáló", - "smtp-port": "SMTP port", - "smtp-username": "Felhasználónév", - "smtp-password": "Jelszó", - "smtp-tls": "TLS támogatás", - "send-from": "Feladó", - "send-smtp-test": "Teszt e-mail küldése magamnak", - "invitation-code": "Meghívási kód", - "email-invite-register-subject": "__inviter__ egy meghívás küldött Önnek", - "email-invite-register-text": "Kedves __user__!\n\n__inviter__ meghívta Önt közreműködésre a Wekan oldalra.\n\nKövesse a lenti hivatkozást:\n__url__\n\nÉs a meghívási kódja: __icode__\n\nKöszönjük.", - "email-smtp-test-subject": "SMTP teszt e-mail a Wekantól", - "email-smtp-test-text": "Sikeresen elküldött egy e-mailt", - "error-invitation-code-not-exist": "A meghívási kód nem létezik", - "error-notAuthorized": "Nincs jogosultsága az oldal megtekintéséhez.", - "outgoing-webhooks": "Kimenő webhurkok", - "outgoingWebhooksPopup-title": "Kimenő webhurkok", - "new-outgoing-webhook": "Új kimenő webhurok", - "no-name": "(Ismeretlen)", - "Wekan_version": "Wekan verzió", - "Node_version": "Node verzió", - "OS_Arch": "Operációs rendszer architektúrája", - "OS_Cpus": "Operációs rendszer CPU száma", - "OS_Freemem": "Operációs rendszer szabad memóriája", - "OS_Loadavg": "Operációs rendszer átlagos terhelése", - "OS_Platform": "Operációs rendszer platformja", - "OS_Release": "Operációs rendszer kiadása", - "OS_Totalmem": "Operációs rendszer összes memóriája", - "OS_Type": "Operációs rendszer típusa", - "OS_Uptime": "Operációs rendszer üzemideje", - "hours": "óra", - "minutes": "perc", - "seconds": "másodperc", - "show-field-on-card": "A mező megjelenítése a kártyán", - "yes": "Igen", - "no": "Nem", - "accounts": "Fiókok", - "accounts-allowEmailChange": "E-mail megváltoztatásának engedélyezése", - "accounts-allowUserNameChange": "Felhasználónév megváltoztatásának engedélyezése", - "createdAt": "Létrehozva", - "verified": "Ellenőrizve", - "active": "Aktív", - "card-received": "Érkezett", - "card-received-on": "Ekkor érkezett", - "card-end": "Befejezés", - "card-end-on": "Befejeződik ekkor", - "editCardReceivedDatePopup-title": "Érkezési dátum megváltoztatása", - "editCardEndDatePopup-title": "Befejezési dátum megváltoztatása", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json deleted file mode 100644 index 03cb71da..00000000 --- a/i18n/hy.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Ընդունել", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "ավելացրել է __checklistItem__ __checklist__ on __card__-ին", - "act-addComment": "մեկնաբանել է __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Add", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", - "addMemberPopup-title": "Members", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Members", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Members", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json deleted file mode 100644 index 95da897f..00000000 --- a/i18n/id.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Terima", - "act-activity-notify": "[Wekan] Pemberitahuan Kegiatan", - "act-addAttachment": "Lampirkan__attachment__ke__kartu__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "Dikomentari di__kartu__:__comment__", - "act-createBoard": "Panel__dibuat__", - "act-createCard": "Kartu__dilampirkan__ke__Daftar", - "act-createCustomField": "created custom field __customField__", - "act-createList": "Daftar__ditambahkan__ke__Panel", - "act-addBoardMember": "Partisipan__ditambahkan__ke__Kartu", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "Panel__diimpor", - "act-importCard": "Kartu__diimpor__", - "act-importList": "Daftar__diimpor__", - "act-joinMember": "Partisipan__ditambahkan__ke__kartu", - "act-moveCard": "Pindahkan__kartu__dari__daftarlama__ke__daftar", - "act-removeBoardMember": "Hapus__partisipan__dari__panel", - "act-restoredCard": "Kembalikan__kartu__ke__panel", - "act-unjoinMember": "hapus__partisipan__dari__kartu__", - "act-withBoardTitle": "Panel__[Wekan}__", - "act-withCardTitle": "__kartu__[__Panel__]", - "actions": "Daftar Tindakan", - "activities": "Daftar Kegiatan", - "activity": "Kegiatan", - "activity-added": "ditambahkan %s ke %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "dilampirkan %s ke %s", - "activity-created": "dibuat %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "tidak termasuk %s dari %s", - "activity-imported": "diimpor %s kedalam %s dari %s", - "activity-imported-board": "diimpor %s dari %s", - "activity-joined": "bergabung %s", - "activity-moved": "dipindahkan %s dari %s ke %s", - "activity-on": "pada %s", - "activity-removed": "dihapus %s dari %s", - "activity-sent": "terkirim %s ke %s", - "activity-unjoined": "tidak bergabung %s", - "activity-checklist-added": "daftar periksa ditambahkan ke %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Tambah", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Tambahkan hal ke daftar periksa", - "add-cover": "Tambahkan Sampul", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Tambahkan Anggota", - "added": "Ditambahkan", - "addMemberPopup-title": "Daftar Anggota", - "admin": "Admin", - "admin-desc": "Bisa tampilkan dan sunting kartu, menghapus partisipan, dan merubah setting panel", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "Semua Panel", - "and-n-other-card": "Dan__menghitung__kartu lain", - "and-n-other-card_plural": "Dan__menghitung__kartu lain", - "apply": "Terapkan", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Tugaskan anggota", - "attached": "terlampir", - "attachment": "Lampiran", - "attachment-delete-pop": "Menghapus lampiran bersifat permanen. Tidak bisa dipulihkan.", - "attachmentDeletePopup-title": "Hapus Lampiran?", - "attachments": "Daftar Lampiran", - "auto-watch": "Otomatis diawasi saat membuat Panel", - "avatar-too-big": "Berkas avatar terlalu besar (70KB maks)", - "back": "Kembali", - "board-change-color": "Ubah warna", - "board-nb-stars": "%s bintang", - "board-not-found": "Panel tidak ditemukan", - "board-private-info": "Panel ini akan jadi Pribadi", - "board-public-info": "Panel ini akan jadi Publik= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Nama Lengkap", - "header-logo-title": "Kembali ke laman panel anda", - "hide-system-messages": "Sembunyikan pesan-pesan sistem", - "headerBarCreateBoardPopup-title": "Buat Panel", - "home": "Beranda", - "import": "Impor", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Impor panel dari Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "Di panel Trello anda, ke 'Menu', terus 'More', 'Print and Export','Export JSON', dan salin hasilnya", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Tempelkan data JSON yang sah disini", - "import-map-members": "Petakan partisipan", - "import-members-map": "Panel yang anda impor punya partisipan. Silahkan petakan anggota yang anda ingin impor ke user [Wekan]", - "import-show-user-mapping": "Review pemetaan partisipan", - "import-user-select": "Pilih nama pengguna yang Anda mau gunakan sebagai anggota ini", - "importMapMembersAddPopup-title": "Pilih anggota Wekan", - "info": "Versi", - "initials": "Inisial", - "invalid-date": "Tanggal tidak sah", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "bergabung", - "just-invited": "Anda baru diundang di panel ini", - "keyboard-shortcuts": "Pintasan kibor", - "label-create": "Buat Label", - "label-default": "label %s (default)", - "label-delete-pop": "Ini tidak bisa dikembalikan, akan menghapus label ini dari semua kartu dan menghapus semua riwayatnya", - "labels": "Daftar Label", - "language": "Bahasa", - "last-admin-desc": "Anda tidak dapat mengubah aturan karena harus ada minimal seorang Admin.", - "leave-board": "Tingalkan Panel", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link ke kartu ini", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Pindah semua kartu ke daftar ini", - "list-select-cards": "Pilih semua kartu di daftar ini", - "listActionPopup-title": "Daftar Tindakan", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Impor dari Kartu Trello", - "listMorePopup-title": "Lainnya", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Daftar", - "swimlanes": "Swimlanes", - "log-out": "Keluar", - "log-in": "Masuk", - "loginPopup-title": "Masuk", - "memberMenuPopup-title": "Setelan Anggota", - "members": "Daftar Anggota", - "menu": "Menu", - "move-selection": "Pindahkan yang dipilih", - "moveCardPopup-title": "Pindahkan kartu", - "moveCardToBottom-title": "Pindahkan ke bawah", - "moveCardToTop-title": "Pindahkan ke atas", - "moveSelectionPopup-title": "Pindahkan yang dipilih", - "multi-selection": "Multi Pilihan", - "multi-selection-on": "Multi Pilihan aktif", - "muted": "Pemberitahuan tidak aktif", - "muted-info": "Anda tidak akan pernah dinotifikasi semua perubahan di panel ini", - "my-boards": "Panel saya", - "name": "Nama", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Tidak ada hasil", - "normal": "Normal", - "normal-desc": "Bisa tampilkan dan edit kartu. Tidak bisa ubah setting", - "not-accepted-yet": "Undangan belum diterima", - "notify-participate": "Terima update ke semua kartu dimana anda menjadi creator atau partisipan", - "notify-watch": "Terima update dari semua panel, daftar atau kartu yang anda amati", - "optional": "opsi", - "or": "atau", - "page-maybe-private": "Halaman ini hanya untuk kalangan terbatas. Anda dapat melihatnya dengan masuk ke dalam sistem.", - "page-not-found": "Halaman tidak ditemukan.", - "password": "Kata Sandi", - "paste-or-dragdrop": "untuk menempelkan, atau drag& drop gambar pada ini (hanya gambar)", - "participating": "Berpartisipasi", - "preview": "Pratinjau", - "previewAttachedImagePopup-title": "Pratinjau", - "previewClipboardImagePopup-title": "Pratinjau", - "private": "Terbatas", - "private-desc": "Panel ini Pribadi. Hanya orang yang ditambahkan ke panel ini yang bisa melihat dan menyuntingnya", - "profile": "Profil", - "public": "Umum", - "public-desc": "Panel ini publik. Akan terlihat oleh siapapun dengan link terkait dan muncul di mesin pencari seperti Google. Hanya orang yang ditambahkan di panel yang bisa sunting", - "quick-access-description": "Beri bintang panel untuk menambah shortcut di papan ini", - "remove-cover": "Hapus Sampul", - "remove-from-board": "Hapus dari panel", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Hapus Anggota", - "remove-member-from-card": "Hapus dari Kartu", - "remove-member-pop": "Hapus__nama__(__username__) dari __boardTitle__? Partisipan akan dihapus dari semua kartu di panel ini. Mereka akan diberi tahu", - "removeMemberPopup-title": "Hapus Anggota?", - "rename": "Ganti Nama", - "rename-board": "Ubah nama Panel", - "restore": "Pulihkan", - "save": "Simpan", - "search": "Cari", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Masukkan diri anda sendiri ke kartu ini", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete partisipan", - "shortcut-clear-filters": "Bersihkan semua saringan", - "shortcut-close-dialog": "Tutup Dialog", - "shortcut-filter-my-cards": "Filter kartu saya", - "shortcut-show-shortcuts": "Angkat naik shortcut daftar ini", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Tampilkan jumlah kartu jika daftar punya lebih dari ", - "sidebar-open": "Buka Sidebar", - "sidebar-close": "Tutup Sidebar", - "signupPopup-title": "Buat Akun", - "star-board-title": "Klik untuk beri bintang panel ini. Akan muncul paling atas dari daftar panel", - "starred-boards": "Panel dengan bintang", - "starred-boards-description": "Panel berbintang muncul paling atas dari daftar panel anda", - "subscribe": "Langganan", - "team": "Tim", - "this-board": "Panel ini", - "this-card": "Kartu ini", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Waktu", - "title": "Judul", - "tracking": "Pelacakan", - "tracking-info": "Anda akan dinotifikasi semua perubahan di kartu tersebut diaman anda terlibat sebagai creator atau partisipan", - "type": "Type", - "unassign-member": "Tidak sertakan partisipan", - "unsaved-description": "Anda memiliki deskripsi yang belum disimpan.", - "unwatch": "Tidak mengamati", - "upload": "Unggah", - "upload-avatar": "Unggah avatar", - "uploaded-avatar": "Avatar diunggah", - "username": "Nama Pengguna", - "view-it": "Lihat", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Amati", - "watching": "Mengamati", - "watching-info": "Anda akan diberitahu semua perubahan di panel ini", - "welcome-board": "Panel Selamat Datang", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Tingkat dasar", - "welcome-list2": "Tingkat lanjut", - "what-to-do": "Apa yang mau Anda lakukan?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Panel Admin", - "settings": "Setelan", - "people": "Orang-orang", - "registration": "Registrasi", - "disable-self-registration": "Nonaktifkan Swa Registrasi", - "invite": "Undang", - "invite-people": "Undang Orang-orang", - "to-boards": "ke panel", - "email-addresses": "Alamat surel", - "smtp-host-description": "Alamat server SMTP yang menangani surel Anda.", - "smtp-port-description": "Port server SMTP yang Anda gunakan untuk mengirim surel.", - "smtp-tls-description": "Aktifkan dukungan TLS untuk server SMTP", - "smtp-host": "Host SMTP", - "smtp-port": "Port SMTP", - "smtp-username": "Nama Pengguna", - "smtp-password": "Kata Sandi", - "smtp-tls": "Dukungan TLS", - "send-from": "Dari", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Kode Undangan", - "email-invite-register-subject": "__inviter__ mengirim undangan ke Anda", - "email-invite-register-text": "Halo __user__,\n\n__inviter__ mengundang Anda untuk berkolaborasi menggunakan Wekan.\n\nMohon ikuti tautan berikut:\n__url__\n\nDan kode undangan Anda adalah: __icode__\n\nTerima kasih.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Kode undangan tidak ada", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json deleted file mode 100644 index 9569f9e1..00000000 --- a/i18n/ig.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Kwere", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "na %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Tinye", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Tinye ndị otu ọhụrụ", - "added": "Etinyere ", - "addMemberPopup-title": "Ndị otu", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Bido", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Aha", - "cardMembersPopup-title": "Ndị otu", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Gbanwe", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Họrọ asụsụ ọzọ", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Aha", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Ndị otu", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Banye aha ọzọ", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "Hụ ya", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Hụ", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "Ndị mmadụ", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "elekere", - "minutes": "nkeji", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Ee", - "no": "Mba", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Ekere na", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json deleted file mode 100644 index f6ede789..00000000 --- a/i18n/it.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Accetta", - "act-activity-notify": "[Wekan] Notifiche attività", - "act-addAttachment": "ha allegato __attachment__ a __card__", - "act-addChecklist": "aggiunta checklist __checklist__ a __card__", - "act-addChecklistItem": "aggiunto __checklistItem__ alla checklist __checklist__ di __card__", - "act-addComment": "ha commentato su __card__: __comment__", - "act-createBoard": "ha creato __board__", - "act-createCard": "ha aggiunto __card__ a __list__", - "act-createCustomField": "campo personalizzato __customField__ creato", - "act-createList": "ha aggiunto __list__ a __board__", - "act-addBoardMember": "ha aggiunto __member__ a __board__", - "act-archivedBoard": "__board__ spostata nel cestino", - "act-archivedCard": "__card__ spostata nel cestino", - "act-archivedList": "__list__ spostata nel cestino", - "act-archivedSwimlane": "__swimlane__ spostata nel cestino", - "act-importBoard": "ha importato __board__", - "act-importCard": "ha importato __card__", - "act-importList": "ha importato __list__", - "act-joinMember": "ha aggiunto __member__ a __card__", - "act-moveCard": "ha spostato __card__ da __oldList__ a __list__", - "act-removeBoardMember": "ha rimosso __member__ a __board__", - "act-restoredCard": "ha ripristinato __card__ su __board__", - "act-unjoinMember": "ha rimosso __member__ da __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Azioni", - "activities": "Attività", - "activity": "Attività", - "activity-added": "ha aggiunto %s a %s", - "activity-archived": "%s spostato nel cestino", - "activity-attached": "allegato %s a %s", - "activity-created": "creato %s", - "activity-customfield-created": "Campo personalizzato creato", - "activity-excluded": "escluso %s da %s", - "activity-imported": "importato %s in %s da %s", - "activity-imported-board": "importato %s da %s", - "activity-joined": "si è unito a %s", - "activity-moved": "spostato %s da %s a %s", - "activity-on": "su %s", - "activity-removed": "rimosso %s da %s", - "activity-sent": "inviato %s a %s", - "activity-unjoined": "ha abbandonato %s", - "activity-checklist-added": "aggiunta checklist a %s", - "activity-checklist-item-added": "Aggiunto l'elemento checklist a '%s' in %s", - "add": "Aggiungere", - "add-attachment": "Aggiungi Allegato", - "add-board": "Aggiungi Bacheca", - "add-card": "Aggiungi Scheda", - "add-swimlane": "Aggiungi Corsia", - "add-checklist": "Aggiungi Checklist", - "add-checklist-item": "Aggiungi un elemento alla checklist", - "add-cover": "Aggiungi copertina", - "add-label": "Aggiungi Etichetta", - "add-list": "Aggiungi Lista", - "add-members": "Aggiungi membri", - "added": "Aggiunto", - "addMemberPopup-title": "Membri", - "admin": "Amministratore", - "admin-desc": "Può vedere e modificare schede, rimuovere membri e modificare le impostazioni della bacheca.", - "admin-announcement": "Annunci", - "admin-announcement-active": "Attiva annunci di sistema", - "admin-announcement-title": "Annunci dall'Amministratore", - "all-boards": "Tutte le bacheche", - "and-n-other-card": "E __count__ altra scheda", - "and-n-other-card_plural": "E __count__ altre schede", - "apply": "Applica", - "app-is-offline": "Wekan è in caricamento, attendi per favore. Ricaricare la pagina causerà una perdita di dati. Se Wekan non si carica, controlla per favore che non ci siano problemi al server.", - "archive": "Sposta nel cestino", - "archive-all": "Sposta tutto nel cestino", - "archive-board": "Sposta la bacheca nel cestino", - "archive-card": "Sposta la scheda nel cestino", - "archive-list": "Sposta la lista nel cestino", - "archive-swimlane": "Sposta la corsia nel cestino", - "archive-selection": "Sposta la selezione nel cestino", - "archiveBoardPopup-title": "Sposta la bacheca nel cestino", - "archived-items": "Cestino", - "archived-boards": "Bacheche cestinate", - "restore-board": "Ripristina Bacheca", - "no-archived-boards": "Nessuna bacheca nel cestino", - "archives": "Cestino", - "assign-member": "Aggiungi membro", - "attached": "allegato", - "attachment": "Allegato", - "attachment-delete-pop": "L'eliminazione di un allegato è permanente. Non è possibile annullare.", - "attachmentDeletePopup-title": "Eliminare l'allegato?", - "attachments": "Allegati", - "auto-watch": "Segui automaticamente le bacheche quando vengono create.", - "avatar-too-big": "L'avatar è troppo grande (70KB max)", - "back": "Indietro", - "board-change-color": "Cambia colore", - "board-nb-stars": "%s stelle", - "board-not-found": "Bacheca non trovata", - "board-private-info": "Questa bacheca sarà privata.", - "board-public-info": "Questa bacheca sarà pubblica.", - "boardChangeColorPopup-title": "Cambia sfondo della bacheca", - "boardChangeTitlePopup-title": "Rinomina bacheca", - "boardChangeVisibilityPopup-title": "Cambia visibilità", - "boardChangeWatchPopup-title": "Cambia faccia", - "boardMenuPopup-title": "Menu bacheca", - "boards": "Bacheche", - "board-view": "Visualizza bacheca", - "board-view-swimlanes": "Corsie", - "board-view-lists": "Liste", - "bucket-example": "Per esempio come \"una lista di cose da fare\"", - "cancel": "Cancella", - "card-archived": "Questa scheda è stata spostata nel cestino.", - "card-comments-title": "Questa scheda ha %s commenti.", - "card-delete-notice": "L'eliminazione è permanente. Tutte le azioni associate a questa scheda andranno perse.", - "card-delete-pop": "Tutte le azioni saranno rimosse dal flusso attività e non sarai in grado di riaprire la scheda. Non potrai tornare indietro.", - "card-delete-suggest-archive": "Puoi cestinare una scheda per rimuoverla dalla bacheca e preservare la sua attività.", - "card-due": "Scadenza", - "card-due-on": "Scade", - "card-spent": "Tempo trascorso", - "card-edit-attachments": "Modifica allegati", - "card-edit-custom-fields": "Modifica campo personalizzato", - "card-edit-labels": "Modifica etichette", - "card-edit-members": "Modifica membri", - "card-labels-title": "Cambia le etichette per questa scheda.", - "card-members-title": "Aggiungi o rimuovi membri della bacheca da questa scheda", - "card-start": "Inizio", - "card-start-on": "Inizia", - "cardAttachmentsPopup-title": "Allega da", - "cardCustomField-datePopup-title": "Cambia data", - "cardCustomFieldsPopup-title": "Modifica campo personalizzato", - "cardDeletePopup-title": "Elimina scheda?", - "cardDetailsActionsPopup-title": "Azioni scheda", - "cardLabelsPopup-title": "Etichette", - "cardMembersPopup-title": "Membri", - "cardMorePopup-title": "Altro", - "cards": "Schede", - "cards-count": "Schede", - "change": "Cambia", - "change-avatar": "Cambia avatar", - "change-password": "Cambia password", - "change-permissions": "Cambia permessi", - "change-settings": "Cambia impostazioni", - "changeAvatarPopup-title": "Cambia avatar", - "changeLanguagePopup-title": "Cambia lingua", - "changePasswordPopup-title": "Cambia password", - "changePermissionsPopup-title": "Cambia permessi", - "changeSettingsPopup-title": "Cambia impostazioni", - "checklists": "Checklist", - "click-to-star": "Clicca per stellare questa bacheca", - "click-to-unstar": "Clicca per togliere la stella da questa bacheca", - "clipboard": "Clipboard o drag & drop", - "close": "Chiudi", - "close-board": "Chiudi bacheca", - "close-board-pop": "Sarai in grado di ripristinare la bacheca cliccando il tasto \"Cestino\" dall'intestazione della pagina principale.", - "color-black": "nero", - "color-blue": "blu", - "color-green": "verde", - "color-lime": "lime", - "color-orange": "arancione", - "color-pink": "rosa", - "color-purple": "viola", - "color-red": "rosso", - "color-sky": "azzurro", - "color-yellow": "giallo", - "comment": "Commento", - "comment-placeholder": "Scrivi Commento", - "comment-only": "Solo commenti", - "comment-only-desc": "Puoi commentare solo le schede.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Sei sicuro di voler cancellare questa checklist?", - "copy-card-link-to-clipboard": "Copia link della scheda sulla clipboard", - "copyCardPopup-title": "Copia Scheda", - "copyChecklistToManyCardsPopup-title": "Copia template checklist su più schede", - "copyChecklistToManyCardsPopup-instructions": "Titolo e la descrizione della scheda di destinazione in questo formato JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titolo prima scheda\", \"description\":\"Descrizione prima scheda\"}, {\"title\":\"Titolo seconda scheda\",\"description\":\"Descrizione seconda scheda\"},{\"title\":\"Titolo ultima scheda\",\"description\":\"Descrizione ultima scheda\"} ]", - "create": "Crea", - "createBoardPopup-title": "Crea bacheca", - "chooseBoardSourcePopup-title": "Importa bacheca", - "createLabelPopup-title": "Crea etichetta", - "createCustomField": "Crea campo", - "createCustomFieldPopup-title": "Crea campo", - "current": "corrente", - "custom-field-delete-pop": "Non potrai tornare indietro. Questa azione rimuoverà questo campo personalizzato da tutte le schede ed eliminerà ogni sua traccia.", - "custom-field-checkbox": "Casella di scelta", - "custom-field-date": "Data", - "custom-field-dropdown": "Lista a discesa", - "custom-field-dropdown-none": "(nessun)", - "custom-field-dropdown-options": "Lista opzioni", - "custom-field-dropdown-options-placeholder": "Premi invio per aggiungere altre opzioni", - "custom-field-dropdown-unknown": "(sconosciuto)", - "custom-field-number": "Numero", - "custom-field-text": "Testo", - "custom-fields": "Campi personalizzati", - "date": "Data", - "decline": "Declina", - "default-avatar": "Avatar predefinito", - "delete": "Elimina", - "deleteCustomFieldPopup-title": "Elimina il campo personalizzato?", - "deleteLabelPopup-title": "Eliminare etichetta?", - "description": "Descrizione", - "disambiguateMultiLabelPopup-title": "Disambiguare l'azione Etichetta", - "disambiguateMultiMemberPopup-title": "Disambiguare l'azione Membro", - "discard": "Scarta", - "done": "Fatto", - "download": "Download", - "edit": "Modifica", - "edit-avatar": "Cambia avatar", - "edit-profile": "Modifica profilo", - "edit-wip-limit": "Modifica limite di work in progress", - "soft-wip-limit": "Limite Work in progress soft", - "editCardStartDatePopup-title": "Cambia data di inizio", - "editCardDueDatePopup-title": "Cambia data di scadenza", - "editCustomFieldPopup-title": "Modifica campo", - "editCardSpentTimePopup-title": "Cambia tempo trascorso", - "editLabelPopup-title": "Cambia etichetta", - "editNotificationPopup-title": "Modifica notifiche", - "editProfilePopup-title": "Modifica profilo", - "email": "Email", - "email-enrollAccount-subject": "Creato un account per te su __siteName__", - "email-enrollAccount-text": "Ciao __user__,\n\nPer iniziare ad usare il servizio, clicca sul link seguente:\n\n__url__\n\nGrazie.", - "email-fail": "Invio email fallito", - "email-fail-text": "Errore nel tentativo di invio email", - "email-invalid": "Email non valida", - "email-invite": "Invita via email", - "email-invite-subject": "__inviter__ ti ha inviato un invito", - "email-invite-text": "Caro __user__,\n\n__inviter__ ti ha invitato ad unirti alla bacheca \"__board__\" per le collaborazioni.\n\nPer favore clicca sul link seguente:\n\n__url__\n\nGrazie.", - "email-resetPassword-subject": "Ripristina la tua password su on __siteName__", - "email-resetPassword-text": "Ciao __user__,\n\nPer ripristinare la tua password, clicca sul link seguente:\n\n__url__\n\nGrazie.", - "email-sent": "Email inviata", - "email-verifyEmail-subject": "Verifica il tuo indirizzo email su on __siteName__", - "email-verifyEmail-text": "Ciao __user__,\n\nPer verificare il tuo account email, clicca sul link seguente:\n\n__url__\n\nGrazie.", - "enable-wip-limit": "Abilita limite di work in progress", - "error-board-doesNotExist": "Questa bacheca non esiste", - "error-board-notAdmin": "Devi essere admin di questa bacheca per poterlo fare", - "error-board-notAMember": "Devi essere un membro di questa bacheca per poterlo fare", - "error-json-malformed": "Il tuo testo non è un JSON valido", - "error-json-schema": "Il tuo file JSON non contiene le giuste informazioni nel formato corretto", - "error-list-doesNotExist": "Questa lista non esiste", - "error-user-doesNotExist": "Questo utente non esiste", - "error-user-notAllowSelf": "Non puoi invitare te stesso", - "error-user-notCreated": "L'utente non è stato creato", - "error-username-taken": "Questo username è già utilizzato", - "error-email-taken": "L'email è già stata presa", - "export-board": "Esporta bacheca", - "filter": "Filtra", - "filter-cards": "Filtra schede", - "filter-clear": "Pulisci filtri", - "filter-no-label": "Nessuna etichetta", - "filter-no-member": "Nessun membro", - "filter-no-custom-fields": "Nessun campo personalizzato", - "filter-on": "Il filtro è attivo", - "filter-on-desc": "Stai filtrando le schede su questa bacheca. Clicca qui per modificare il filtro,", - "filter-to-selection": "Seleziona", - "advanced-filter-label": "Filtro avanzato", - "advanced-filter-description": "Il filtro avanzato consente di scrivere una stringa contenente i seguenti operatori: == != <= >= && || ( ). Lo spazio è usato come separatore tra gli operatori. E' possibile filtrare per tutti i campi personalizzati, digitando i loro nomi e valori. Ad esempio: Campo1 == Valore1. Nota: Se i campi o i valori contengono spazi, devi racchiuderli dentro le virgolette singole. Ad esempio: 'Campo 1' == 'Valore 1'. E' possibile combinare condizioni multiple. Ad esempio: F1 == V1 || F1 = V2. Normalmente tutti gli operatori sono interpretati da sinistra a destra. Puoi modificare l'ordine utilizzando le parentesi. Ad Esempio: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Nome completo", - "header-logo-title": "Torna alla tua bacheca.", - "hide-system-messages": "Nascondi i messaggi di sistema", - "headerBarCreateBoardPopup-title": "Crea bacheca", - "home": "Home", - "import": "Importa", - "import-board": "Importa bacheca", - "import-board-c": "Importa bacheca", - "import-board-title-trello": "Importa una bacheca da Trello", - "import-board-title-wekan": "Importa bacheca da Wekan", - "import-sandstorm-warning": "La bacheca importata cancellerà tutti i dati esistenti su questa bacheca e li rimpiazzerà con quelli della bacheca importata.", - "from-trello": "Da Trello", - "from-wekan": "Da Wekan", - "import-board-instruction-trello": "Nella tua bacheca Trello vai a 'Menu', poi 'Altro', 'Stampa ed esporta', 'Esporta JSON', e copia il testo che compare.", - "import-board-instruction-wekan": "Nella tua bacheca Wekan, vai su 'Menu', poi 'Esporta bacheca', e copia il testo nel file scaricato.", - "import-json-placeholder": "Incolla un JSON valido qui", - "import-map-members": "Mappatura dei membri", - "import-members-map": "La bacheca che hai importato ha alcuni membri. Per favore scegli i membri che vuoi vengano importati negli utenti di Wekan", - "import-show-user-mapping": "Rivedi la mappatura dei membri", - "import-user-select": "Scegli l'utente Wekan che vuoi utilizzare come questo membro", - "importMapMembersAddPopup-title": "Seleziona i membri di Wekan", - "info": "Versione", - "initials": "Iniziali", - "invalid-date": "Data non valida", - "invalid-time": "Tempo non valido", - "invalid-user": "User non valido", - "joined": "si è unito a", - "just-invited": "Sei stato appena invitato a questa bacheca", - "keyboard-shortcuts": "Scorciatoie da tastiera", - "label-create": "Crea etichetta", - "label-default": "%s etichetta (default)", - "label-delete-pop": "Non potrai tornare indietro. Procedendo, rimuoverai questa etichetta da tutte le schede e distruggerai la sua cronologia.", - "labels": "Etichette", - "language": "Lingua", - "last-admin-desc": "Non puoi cambiare i ruoli perché deve esserci almeno un admin.", - "leave-board": "Abbandona bacheca", - "leave-board-pop": "Sei sicuro di voler abbandonare __boardTitle__? Sarai rimosso da tutte le schede in questa bacheca.", - "leaveBoardPopup-title": "Abbandona Bacheca?", - "link-card": "Link a questa scheda", - "list-archive-cards": "Cestina tutte le schede in questa lista", - "list-archive-cards-pop": "Questo rimuoverà dalla bacheca tutte le schede in questa lista. Per vedere le schede cestinate e portarle indietro alla bacheca, clicca “Menu” > “Elementi cestinati”", - "list-move-cards": "Sposta tutte le schede in questa lista", - "list-select-cards": "Selezione tutte le schede in questa lista", - "listActionPopup-title": "Azioni disponibili", - "swimlaneActionPopup-title": "Azioni corsia", - "listImportCardPopup-title": "Importa una scheda di Trello", - "listMorePopup-title": "Altro", - "link-list": "Link a questa lista", - "list-delete-pop": "Tutte le azioni saranno rimosse dal flusso attività e non sarai in grado di recuperare la lista. Non potrai tornare indietro.", - "list-delete-suggest-archive": "Puoi cestinare una scheda per rimuoverla dalla bacheca e preservare la sua attività.", - "lists": "Liste", - "swimlanes": "Corsie", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Impostazioni membri", - "members": "Membri", - "menu": "Menu", - "move-selection": "Sposta selezione", - "moveCardPopup-title": "Sposta scheda", - "moveCardToBottom-title": "Sposta in fondo", - "moveCardToTop-title": "Sposta in alto", - "moveSelectionPopup-title": "Sposta selezione", - "multi-selection": "Multi-Selezione", - "multi-selection-on": "Multi-Selezione attiva", - "muted": "Silenziato", - "muted-info": "Non sarai mai notificato delle modifiche in questa bacheca", - "my-boards": "Le mie bacheche", - "name": "Nome", - "no-archived-cards": "Nessuna scheda nel cestino", - "no-archived-lists": "Nessuna lista nel cestino", - "no-archived-swimlanes": "Nessuna corsia nel cestino", - "no-results": "Nessun risultato", - "normal": "Normale", - "normal-desc": "Può visionare e modificare le schede. Non può cambiare le impostazioni.", - "not-accepted-yet": "Invitato non ancora accettato", - "notify-participate": "Ricevi aggiornamenti per qualsiasi scheda a cui partecipi come creatore o membro", - "notify-watch": "Ricevi aggiornamenti per tutte le bacheche, liste o schede che stai seguendo", - "optional": "opzionale", - "or": "o", - "page-maybe-private": "Questa pagina potrebbe essere privata. Potresti essere in grado di vederla facendo il log-in.", - "page-not-found": "Pagina non trovata.", - "password": "Password", - "paste-or-dragdrop": "per incollare, oppure trascina & rilascia il file immagine (solo immagini)", - "participating": "Partecipando", - "preview": "Anteprima", - "previewAttachedImagePopup-title": "Anteprima", - "previewClipboardImagePopup-title": "Anteprima", - "private": "Privata", - "private-desc": "Questa bacheca è privata. Solo le persone aggiunte alla bacheca possono vederla e modificarla.", - "profile": "Profilo", - "public": "Pubblica", - "public-desc": "Questa bacheca è pubblica. È visibile a chiunque abbia il link e sarà mostrata dai motori di ricerca come Google. Solo le persone aggiunte alla bacheca possono modificarla.", - "quick-access-description": "Stella una bacheca per aggiungere una scorciatoia in questa barra.", - "remove-cover": "Rimuovi cover", - "remove-from-board": "Rimuovi dalla bacheca", - "remove-label": "Rimuovi Etichetta", - "listDeletePopup-title": "Eliminare Lista?", - "remove-member": "Rimuovi utente", - "remove-member-from-card": "Rimuovi dalla scheda", - "remove-member-pop": "Rimuovere __name__ (__username__) da __boardTitle__? L'utente sarà rimosso da tutte le schede in questa bacheca. Riceveranno una notifica.", - "removeMemberPopup-title": "Rimuovere membro?", - "rename": "Rinomina", - "rename-board": "Rinomina bacheca", - "restore": "Ripristina", - "save": "Salva", - "search": "Cerca", - "search-cards": "Ricerca per titolo e descrizione scheda su questa bacheca", - "search-example": "Testo da ricercare?", - "select-color": "Seleziona Colore", - "set-wip-limit-value": "Seleziona un limite per il massimo numero di attività in questa lista", - "setWipLimitPopup-title": "Imposta limite di work in progress", - "shortcut-assign-self": "Aggiungi te stesso alla scheda corrente", - "shortcut-autocomplete-emoji": "Autocompletamento emoji", - "shortcut-autocomplete-members": "Autocompletamento membri", - "shortcut-clear-filters": "Pulisci tutti i filtri", - "shortcut-close-dialog": "Chiudi finestra di dialogo", - "shortcut-filter-my-cards": "Filtra le mie schede", - "shortcut-show-shortcuts": "Apri questa lista di scorciatoie", - "shortcut-toggle-filterbar": "Apri/chiudi la barra laterale dei filtri", - "shortcut-toggle-sidebar": "Apri/chiudi la barra laterale della bacheca", - "show-cards-minimum-count": "Mostra il contatore delle schede se la lista ne contiene più di", - "sidebar-open": "Apri Sidebar", - "sidebar-close": "Chiudi Sidebar", - "signupPopup-title": "Crea un account", - "star-board-title": "Clicca per stellare questa bacheca. Sarà mostrata all'inizio della tua lista bacheche.", - "starred-boards": "Bacheche stellate", - "starred-boards-description": "Le bacheche stellate vengono mostrato all'inizio della tua lista bacheche.", - "subscribe": "Sottoscrivi", - "team": "Team", - "this-board": "questa bacheca", - "this-card": "questa scheda", - "spent-time-hours": "Tempo trascorso (ore)", - "overtime-hours": "Overtime (ore)", - "overtime": "Overtime", - "has-overtime-cards": "Ci sono scheda scadute", - "has-spenttime-cards": "Ci sono scheda con tempo impiegato", - "time": "Ora", - "title": "Titolo", - "tracking": "Monitoraggio", - "tracking-info": "Sarai notificato per tutte le modifiche alle schede delle quali sei creatore o membro.", - "type": "Tipo", - "unassign-member": "Rimuovi membro", - "unsaved-description": "Hai una descrizione non salvata", - "unwatch": "Non seguire", - "upload": "Upload", - "upload-avatar": "Carica un avatar", - "uploaded-avatar": "Avatar caricato", - "username": "Username", - "view-it": "Vedi", - "warn-list-archived": "attenzione: questa scheda è in una lista cestinata", - "watch": "Segui", - "watching": "Stai seguendo", - "watching-info": "Sarai notificato per tutte le modifiche in questa bacheca", - "welcome-board": "Bacheca di benvenuto", - "welcome-swimlane": "Pietra miliare 1", - "welcome-list1": "Basi", - "welcome-list2": "Avanzate", - "what-to-do": "Cosa vuoi fare?", - "wipLimitErrorPopup-title": "Limite work in progress non valido. ", - "wipLimitErrorPopup-dialog-pt1": "Il numero di compiti in questa lista è maggiore del limite di work in progress che hai definito in precedenza. ", - "wipLimitErrorPopup-dialog-pt2": "Per favore, sposta alcuni dei compiti fuori da questa lista, oppure imposta un limite di work in progress più alto. ", - "admin-panel": "Pannello dell'Amministratore", - "settings": "Impostazioni", - "people": "Persone", - "registration": "Registrazione", - "disable-self-registration": "Disabilita Auto-registrazione", - "invite": "Invita", - "invite-people": "Invita persone", - "to-boards": "Alla(e) bacheche(a)", - "email-addresses": "Indirizzi email", - "smtp-host-description": "L'indirizzo del server SMTP che gestisce le tue email.", - "smtp-port-description": "La porta che il tuo server SMTP utilizza per le email in uscita.", - "smtp-tls-description": "Abilita supporto TLS per server SMTP", - "smtp-host": "SMTP Host", - "smtp-port": "Porta SMTP", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "Supporto TLS", - "send-from": "Da", - "send-smtp-test": "Invia un'email di test a te stesso", - "invitation-code": "Codice d'invito", - "email-invite-register-subject": "__inviter__ ti ha inviato un invito", - "email-invite-register-text": "Gentile __user__,\n\n__inviter__ ti ha invitato su Wekan per collaborare.\n\nPer favore segui il link qui sotto:\n__url__\n\nIl tuo codice d'invito è: __icode__\n\nGrazie.", - "email-smtp-test-subject": "Test invio email SMTP per Wekan", - "email-smtp-test-text": "Hai inviato un'email con successo", - "error-invitation-code-not-exist": "Il codice d'invito non esiste", - "error-notAuthorized": "Non sei autorizzato ad accedere a questa pagina.", - "outgoing-webhooks": "Server esterni", - "outgoingWebhooksPopup-title": "Server esterni", - "new-outgoing-webhook": "Nuovo webhook in uscita", - "no-name": "(Sconosciuto)", - "Wekan_version": "Versione di Wekan", - "Node_version": "Versione di Node", - "OS_Arch": "Architettura del sistema operativo", - "OS_Cpus": "Conteggio della CPU del sistema operativo", - "OS_Freemem": "Memoria libera del sistema operativo ", - "OS_Loadavg": "Carico medio del sistema operativo ", - "OS_Platform": "Piattaforma del sistema operativo", - "OS_Release": "Versione di rilascio del sistema operativo", - "OS_Totalmem": "Memoria totale del sistema operativo ", - "OS_Type": "Tipo di sistema operativo ", - "OS_Uptime": "Tempo di attività del sistema operativo. ", - "hours": "ore", - "minutes": "minuti", - "seconds": "secondi", - "show-field-on-card": "Visualizza questo campo sulla scheda", - "yes": "Sì", - "no": "No", - "accounts": "Profili", - "accounts-allowEmailChange": "Permetti modifica dell'email", - "accounts-allowUserNameChange": "Consenti la modifica del nome utente", - "createdAt": "creato alle", - "verified": "Verificato", - "active": "Attivo", - "card-received": "Ricevuta", - "card-received-on": "Ricevuta il", - "card-end": "Fine", - "card-end-on": "Termina il", - "editCardReceivedDatePopup-title": "Cambia data ricezione", - "editCardEndDatePopup-title": "Cambia data finale", - "assigned-by": "Assegnato da", - "requested-by": "Richiesto da", - "board-delete-notice": "L'eliminazione è permanente. Tutte le azioni, liste e schede associate a questa bacheca andranno perse.", - "delete-board-confirm-popup": "Tutte le liste, schede, etichette e azioni saranno rimosse e non sarai più in grado di recuperare il contenuto della bacheca. L'azione non è annullabile.", - "boardDeletePopup-title": "Eliminare la bacheca?", - "delete-board": "Elimina bacheca" -} \ No newline at end of file diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json deleted file mode 100644 index 7f9a3c40..00000000 --- a/i18n/ja.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "受け入れ", - "act-activity-notify": "[Wekan] アクティビティ通知", - "act-addAttachment": "__card__ に __attachment__ を添付しました", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "__card__: __comment__ をコメントしました", - "act-createBoard": "__board__ を作成しました", - "act-createCard": "__list__ に __card__ を追加しました", - "act-createCustomField": "created custom field __customField__", - "act-createList": "__board__ に __list__ を追加しました", - "act-addBoardMember": "__board__ に __member__ を追加しました", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "__board__ をインポートしました", - "act-importCard": "__card__ をインポートしました", - "act-importList": "__list__ をインポートしました", - "act-joinMember": "__card__ に __member__ を追加しました", - "act-moveCard": "__card__ を __oldList__ から __list__ に 移動しました", - "act-removeBoardMember": "__board__ から __member__ を削除しました", - "act-restoredCard": "__card__ を __board__ にリストアしました", - "act-unjoinMember": "__card__ から __member__ を削除しました", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "操作", - "activities": "アクティビティ", - "activity": "アクティビティ", - "activity-added": "%s を %s に追加しました", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "%s を %s に添付しました", - "activity-created": "%s を作成しました", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "%s を %s から除外しました", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "%s にジョインしました", - "activity-moved": "%s を %s から %s に移動しました", - "activity-on": "%s", - "activity-removed": "%s を %s から削除しました", - "activity-sent": "%s を %s に送りました", - "activity-unjoined": "%s への参加を止めました", - "activity-checklist-added": "%s にチェックリストを追加しました", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "追加", - "add-attachment": "添付ファイルを追加", - "add-board": "ボードを追加", - "add-card": "カードを追加", - "add-swimlane": "Add Swimlane", - "add-checklist": "チェックリストを追加", - "add-checklist-item": "チェックリストに項目を追加", - "add-cover": "カバーの追加", - "add-label": "ラベルを追加", - "add-list": "リストを追加", - "add-members": "メンバーの追加", - "added": "追加しました", - "addMemberPopup-title": "メンバー", - "admin": "管理", - "admin-desc": "カードの閲覧と編集、メンバーの削除、ボードの設定変更が可能", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "全てのボード", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "適用", - "app-is-offline": "現在オフラインです。ページを更新すると保存していないデータは失われます。", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "ボードをリストア", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "メンバーの割当", - "attached": "添付されました", - "attachment": "添付ファイル", - "attachment-delete-pop": "添付ファイルの削除をすると取り消しできません。", - "attachmentDeletePopup-title": "添付ファイルを削除しますか?", - "attachments": "添付ファイル", - "auto-watch": "作成されたボードを自動的にウォッチする", - "avatar-too-big": "アバターが大きすぎます(最大70KB)", - "back": "戻る", - "board-change-color": "色の変更", - "board-nb-stars": "%s stars", - "board-not-found": "ボードが見つかりません", - "board-private-info": "ボードは 非公開 になります。", - "board-public-info": "ボードは公開されます。", - "boardChangeColorPopup-title": "ボードの背景を変更", - "boardChangeTitlePopup-title": "ボード名の変更", - "boardChangeVisibilityPopup-title": "公開範囲の変更", - "boardChangeWatchPopup-title": "ウォッチの変更", - "boardMenuPopup-title": "ボードメニュー", - "boards": "ボード", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "リスト", - "bucket-example": "Like “Bucket List” for example", - "cancel": "キャンセル", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "%s 件のコメントがあります。", - "card-delete-notice": "削除は取り消しできません。このカードに関係するすべてのアクションがなくなります。", - "card-delete-pop": "すべての内容がアクティビティから削除されます。この削除は元に戻すことができません。", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "期限", - "card-due-on": "期限日", - "card-spent": "Spent Time", - "card-edit-attachments": "添付ファイルの編集", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "ラベルの編集", - "card-edit-members": "メンバーの編集", - "card-labels-title": "カードのラベルを変更する", - "card-members-title": "カードからボードメンバーを追加・削除する", - "card-start": "開始", - "card-start-on": "開始日", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "カードを削除しますか?", - "cardDetailsActionsPopup-title": "カード操作", - "cardLabelsPopup-title": "ラベル", - "cardMembersPopup-title": "メンバー", - "cardMorePopup-title": "さらに見る", - "cards": "カード", - "cards-count": "カード", - "change": "変更", - "change-avatar": "アバターの変更", - "change-password": "パスワードの変更", - "change-permissions": "権限の変更", - "change-settings": "設定の変更", - "changeAvatarPopup-title": "アバターの変更", - "changeLanguagePopup-title": "言語の変更", - "changePasswordPopup-title": "パスワードの変更", - "changePermissionsPopup-title": "パーミッションの変更", - "changeSettingsPopup-title": "設定の変更", - "checklists": "チェックリスト", - "click-to-star": "ボードにスターをつける", - "click-to-unstar": "ボードからスターを外す", - "clipboard": "クリップボードもしくはドラッグ&ドロップ", - "close": "閉じる", - "close-board": "ボードを閉じる", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "黒", - "color-blue": "青", - "color-green": "緑", - "color-lime": "ライム", - "color-orange": "オレンジ", - "color-pink": "ピンク", - "color-purple": "紫", - "color-red": "赤", - "color-sky": "空", - "color-yellow": "黄", - "comment": "コメント", - "comment-placeholder": "コメントを書く", - "comment-only": "コメントのみ", - "comment-only-desc": "カードにのみコメント可能", - "computer": "コンピューター", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "カードへのリンクをクリップボードにコピー", - "copyCardPopup-title": "カードをコピー", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "作成", - "createBoardPopup-title": "ボードの作成", - "chooseBoardSourcePopup-title": "ボードをインポート", - "createLabelPopup-title": "ラベルの作成", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "現在", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "日付", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "日付", - "decline": "拒否", - "default-avatar": "デフォルトのアバター", - "delete": "削除", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "ラベルを削除しますか?", - "description": "詳細", - "disambiguateMultiLabelPopup-title": "不正なラベル操作", - "disambiguateMultiMemberPopup-title": "不正なメンバー操作", - "discard": "捨てる", - "done": "完了", - "download": "ダウンロード", - "edit": "編集", - "edit-avatar": "アバターの変更", - "edit-profile": "プロフィールの編集", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "開始日の変更", - "editCardDueDatePopup-title": "期限の変更", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "ラベルの変更", - "editNotificationPopup-title": "通知の変更", - "editProfilePopup-title": "プロフィールの編集", - "email": "メールアドレス", - "email-enrollAccount-subject": "__siteName__であなたのアカウントが作成されました", - "email-enrollAccount-text": "こんにちは、__user__さん。\n\nサービスを開始するには、以下をクリックしてください。\n\n__url__\n\nよろしくお願いします。", - "email-fail": "メールの送信に失敗しました", - "email-fail-text": "Error trying to send email", - "email-invalid": "無効なメールアドレス", - "email-invite": "メールで招待", - "email-invite-subject": "__inviter__があなたを招待しています", - "email-invite-text": "__user__さんへ。\n\n__inviter__さんがあなたをボード\"__board__\"へ招待しています。\n\n以下のリンクをクリックしてください。\n\n__url__\n\nよろしくお願いします。", - "email-resetPassword-subject": "あなたの __siteName__ のパスワードをリセットする", - "email-resetPassword-text": "こんにちは、__user__さん。\n\nパスワードをリセットするには、以下のリンクをクリックしてください。\n\n__url__\n\nよろしくお願いします。", - "email-sent": "メールを送信しました", - "email-verifyEmail-subject": "あなたの __siteName__ のメールアドレスを確認する", - "email-verifyEmail-text": "こんにちは、__user__さん。\n\nメールアドレスを認証するために、以下のリンクをクリックしてください。\n\n__url__\n\nよろしくお願いします。", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "ボードがありません", - "error-board-notAdmin": "操作にはボードの管理者権限が必要です", - "error-board-notAMember": "操作にはボードメンバーである必要があります", - "error-json-malformed": "このテキストは、有効なJSON形式ではありません", - "error-json-schema": "JSONデータが不正な値を含んでいます", - "error-list-doesNotExist": "このリストは存在しません", - "error-user-doesNotExist": "ユーザーが存在しません", - "error-user-notAllowSelf": "自分を招待することはできません。", - "error-user-notCreated": "ユーザーが作成されていません", - "error-username-taken": "このユーザ名は既に使用されています", - "error-email-taken": "メールは既に受け取られています", - "export-board": "ボードのエクスポート", - "filter": "フィルター", - "filter-cards": "カードをフィルターする", - "filter-clear": "フィルターの解除", - "filter-no-label": "ラベルなし", - "filter-no-member": "メンバーなし", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "フィルター有効", - "filter-on-desc": "このボードのカードをフィルターしています。フィルターを編集するにはこちらをクリックしてください。", - "filter-to-selection": "フィルターした項目を全選択", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "フルネーム", - "header-logo-title": "自分のボードページに戻る。", - "hide-system-messages": "システムメッセージを隠す", - "headerBarCreateBoardPopup-title": "ボードの作成", - "home": "ホーム", - "import": "インポート", - "import-board": "ボードをインポート", - "import-board-c": "ボードをインポート", - "import-board-title-trello": "Trelloからボードをインポート", - "import-board-title-wekan": "Wekanからボードをインポート", - "import-sandstorm-warning": "ボードのインポートは、既存ボードのすべてのデータを置き換えます。", - "from-trello": "Trelloから", - "from-wekan": "Wekanから", - "import-board-instruction-trello": "Trelloボードの、 'Menu' → 'More' → 'Print and Export' → 'Export JSON'を選択し、テキストをコピーしてください。", - "import-board-instruction-wekan": "Wekanボードの、'Menu' → 'Export board'を選択し、ダウンロードされたファイルからテキストをコピーしてください。", - "import-json-placeholder": "JSONデータをここに貼り付けする", - "import-map-members": "メンバーを紐付け", - "import-members-map": "インポートしたボードにはメンバーが含まれます。これらのメンバーをWekanのメンバーに紐付けしてください。", - "import-show-user-mapping": "メンバー紐付けの確認", - "import-user-select": "メンバーとして利用したいWekanユーザーを選択", - "importMapMembersAddPopup-title": "Wekanメンバーを選択", - "info": "バージョン", - "initials": "初期状態", - "invalid-date": "無効な日付", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "参加しました", - "just-invited": "このボードのメンバーに招待されています", - "keyboard-shortcuts": "キーボード・ショートカット", - "label-create": "ラベルの作成", - "label-default": "%s ラベル(デフォルト)", - "label-delete-pop": "この操作は取り消しできません。このラベルはすべてのカードから外され履歴からも見えなくなります。", - "labels": "ラベル", - "language": "言語", - "last-admin-desc": "最低でも1人以上の管理者が必要なためロールを変更できません。", - "leave-board": "ボードから退出する", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "ボードから退出しますか?", - "link-card": "このカードへのリンク", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "リストの全カードを移動する", - "list-select-cards": "リストの全カードを選択", - "listActionPopup-title": "操作一覧", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Trelloのカードをインポート", - "listMorePopup-title": "さらに見る", - "link-list": "このリストへのリンク", - "list-delete-pop": "すべての内容がアクティビティから削除されます。この削除は元に戻すことができません。", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "リスト", - "swimlanes": "Swimlanes", - "log-out": "ログアウト", - "log-in": "ログイン", - "loginPopup-title": "ログイン", - "memberMenuPopup-title": "メンバー設定", - "members": "メンバー", - "menu": "メニュー", - "move-selection": "選択したものを移動", - "moveCardPopup-title": "カードの移動", - "moveCardToBottom-title": "最下部に移動", - "moveCardToTop-title": "先頭に移動", - "moveSelectionPopup-title": "選択箇所に移動", - "multi-selection": "複数選択", - "multi-selection-on": "複数選択有効", - "muted": "ミュート", - "muted-info": "このボードの変更は通知されません", - "my-boards": "自分のボード", - "name": "名前", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "該当するものはありません", - "normal": "通常", - "normal-desc": "カードの閲覧と編集が可能。設定変更不可。", - "not-accepted-yet": "招待はアクセプトされていません", - "notify-participate": "作成した、またはメンバーとなったカードの更新情報を受け取る", - "notify-watch": "ウォッチしているすべてのボード、リスト、カードの更新情報を受け取る", - "optional": "任意", - "or": "or", - "page-maybe-private": "このページはプライベートです。ログインして見てください。", - "page-not-found": "ページが見つかりません。", - "password": "パスワード", - "paste-or-dragdrop": "貼り付けか、ドラッグアンドロップで画像を添付 (画像のみ)", - "participating": "参加", - "preview": "プレビュー", - "previewAttachedImagePopup-title": "プレビュー", - "previewClipboardImagePopup-title": "プレビュー", - "private": "プライベート", - "private-desc": "このボードはプライベートです。ボードメンバーのみが閲覧・編集可能です。", - "profile": "プロフィール", - "public": "公開", - "public-desc": "このボードはパブリックです。リンクを知っていれば誰でもアクセス可能でGoogleのような検索エンジンの結果に表示されます。このボードに追加されている人だけがカード追加が可能です。", - "quick-access-description": "ボードにスターをつけると、ここににショートカットができます。", - "remove-cover": "カバーの削除", - "remove-from-board": "ボードから外す", - "remove-label": "ラベルの削除", - "listDeletePopup-title": "リストを削除しますか?", - "remove-member": "メンバーを外す", - "remove-member-from-card": "カードから外す", - "remove-member-pop": "__boardTitle__ から __name__ (__username__) を外しますか?メンバーはこのボードのすべてのカードから外れ、通知を受けます。", - "removeMemberPopup-title": "メンバーを外しますか?", - "rename": "名前変更", - "rename-board": "ボード名の変更", - "restore": "復元", - "save": "保存", - "search": "検索", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "色を選択", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "自分をこのカードに割り当てる", - "shortcut-autocomplete-emoji": "絵文字の補完", - "shortcut-autocomplete-members": "メンバーの補完", - "shortcut-clear-filters": "すべてのフィルターを解除する", - "shortcut-close-dialog": "ダイアログを閉じる", - "shortcut-filter-my-cards": "カードをフィルター", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "フィルターサイドバーの切り替え", - "shortcut-toggle-sidebar": "ボードサイドバーの切り替え", - "show-cards-minimum-count": "以下より多い場合、リストにカード数を表示", - "sidebar-open": "サイドバーを開く", - "sidebar-close": "サイドバーを閉じる", - "signupPopup-title": "アカウント作成", - "star-board-title": "ボードにスターをつけると自分のボード一覧のトップに表示されます。", - "starred-boards": "スターのついたボード", - "starred-boards-description": "スターのついたボードはボードリストの先頭に表示されます。", - "subscribe": "購読", - "team": "チーム", - "this-board": "このボード", - "this-card": "このカード", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "時間", - "title": "タイトル", - "tracking": "トラッキング", - "tracking-info": "これらのカードへの変更が通知されるようになります。", - "type": "Type", - "unassign-member": "未登録のメンバー", - "unsaved-description": "未保存の変更があります。", - "unwatch": "アンウォッチ", - "upload": "アップロード", - "upload-avatar": "アバターのアップロード", - "uploaded-avatar": "アップロードされたアバター", - "username": "ユーザー名", - "view-it": "見る", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "ウォッチ", - "watching": "ウォッチしています", - "watching-info": "このボードの変更が通知されます", - "welcome-board": "ウェルカムボード", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "基本", - "welcome-list2": "高度", - "what-to-do": "何をしたいですか?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "管理パネル", - "settings": "設定", - "people": "メンバー", - "registration": "登録", - "disable-self-registration": "自己登録を無効化", - "invite": "招待", - "invite-people": "メンバーを招待", - "to-boards": "ボードへ移動", - "email-addresses": "Emailアドレス", - "smtp-host-description": "Emailを処理するSMTPサーバーのアドレス", - "smtp-port-description": "SMTPサーバーがEmail送信に使用するポート", - "smtp-tls-description": "SMTPサーバのTLSサポートを有効化", - "smtp-host": "SMTPホスト", - "smtp-port": "SMTPポート", - "smtp-username": "ユーザー名", - "smtp-password": "パスワード", - "smtp-tls": "TLSサポート", - "send-from": "送信元", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "招待コード", - "email-invite-register-subject": "__inviter__さんがあなたを招待しています", - "email-invite-register-text": " __user__ さん\n\n__inviter__ があなたをWekanに招待しました。\n\n以下のリンクをクリックしてください。\n__url__\n\nあなたの招待コードは、 __icode__ です。\n\nよろしくお願いします。", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "招待コードが存在しません", - "error-notAuthorized": "このページを参照する権限がありません。", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekanバージョン", - "Node_version": "Nodeバージョン", - "OS_Arch": "OSアーキテクチャ", - "OS_Cpus": "OS CPU数", - "OS_Freemem": "OSフリーメモリ", - "OS_Loadavg": "OSロードアベレージ", - "OS_Platform": "OSプラットフォーム", - "OS_Release": "OSリリース", - "OS_Totalmem": "OSトータルメモリ", - "OS_Type": "OS種類", - "OS_Uptime": "OSアップタイム", - "hours": "時", - "minutes": "分", - "seconds": "秒", - "show-field-on-card": "Show this field on card", - "yes": "はい", - "no": "いいえ", - "accounts": "アカウント", - "accounts-allowEmailChange": "メールアドレスの変更を許可", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json deleted file mode 100644 index b9550ff6..00000000 --- a/i18n/km.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "យល់ព្រម", - "act-activity-notify": "[Wekan] សកម្មភាពជូនដំណឹង", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Add", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", - "addMemberPopup-title": "Members", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Members", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Members", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "បិទផ្ទាំង", - "shortcut-filter-my-cards": "តម្រងកាតរបស់ខ្ញុំ", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "បង្កើតគណនីមួយ", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "កាតនេះ", - "spent-time-hours": "ចំណាយពេល (ម៉ោង)", - "overtime-hours": "លើសពេល (ម៉ោង)", - "overtime": "លើសពេល", - "has-overtime-cards": "មានកាតលើសពេល", - "has-spenttime-cards": "មានកាតដែលបានចំណាយពេល", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json deleted file mode 100644 index edf978a7..00000000 --- a/i18n/ko.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "확인", - "act-activity-notify": "[Wekan] 활동 알림", - "act-addAttachment": "__attachment__를 __card__에 첨부", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "__card__에 내용 추가 : __comment__", - "act-createBoard": "__board__ 생성", - "act-createCard": "__list__에 __card__ 추가", - "act-createCustomField": "created custom field __customField__", - "act-createList": "__board__에 __list__ 추가", - "act-addBoardMember": "__board__에 __member__ 추가", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "가져온 __board__", - "act-importCard": "가져온 __card__", - "act-importList": "가져온 __list__", - "act-joinMember": "__card__에 __member__ 추가", - "act-moveCard": "__card__을 __oldList__에서 __list__로 이동", - "act-removeBoardMember": "__board__에서 __member__를 삭제", - "act-restoredCard": "__card__를 __board__에 복원했습니다.", - "act-unjoinMember": "__card__에서 __member__를 삭제", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "동작", - "activities": "활동 내역", - "activity": "활동 상태", - "activity-added": "%s를 %s에 추가함", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "%s를 %s에 첨부함", - "activity-created": "%s 생성됨", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "%s를 %s에서 제외함", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "%s에 참여", - "activity-moved": "%s를 %s에서 %s로 옮김", - "activity-on": "%s에", - "activity-removed": "%s를 %s에서 삭제함", - "activity-sent": "%s를 %s로 보냄", - "activity-unjoined": "%s에서 멤버 해제", - "activity-checklist-added": "%s에 체크리스트를 추가함", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "추가", - "add-attachment": "첨부파일 추가", - "add-board": "보드 추가", - "add-card": "카드 추가", - "add-swimlane": "Add Swimlane", - "add-checklist": "체크리스트 추가", - "add-checklist-item": "체크리스트에 항목 추가", - "add-cover": "커버 추가", - "add-label": "라벨 추가", - "add-list": "리스트 추가", - "add-members": "멤버 추가", - "added": "추가됨", - "addMemberPopup-title": "멤버", - "admin": "관리자", - "admin-desc": "카드를 보거나 수정하고, 멤버를 삭제하고, 보드에 대한 설정을 수정할 수 있습니다.", - "admin-announcement": "Announcement", - "admin-announcement-active": "시스템에 공지사항을 표시합니다", - "admin-announcement-title": "관리자 공지사항 메시지", - "all-boards": "전체 보드", - "and-n-other-card": "__count__ 개의 다른 카드", - "and-n-other-card_plural": "__count__ 개의 다른 카드들", - "apply": "적용", - "app-is-offline": "Wekan 로딩 중 입니다. 잠시 기다려주세요. 페이지를 새로고침 하시면 데이터가 손실될 수 있습니다. Wekan 을 불러오는데 실패한다면 서버가 중지되지 않았는지 확인 바랍니다.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "보드 복구", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "멤버 지정", - "attached": "첨부됨", - "attachment": "첨부 파일", - "attachment-delete-pop": "영구 첨부파일을 삭제합니다. 되돌릴 수 없습니다.", - "attachmentDeletePopup-title": "첨부 파일을 삭제합니까?", - "attachments": "첨부 파일", - "auto-watch": "생성한 보드를 자동으로 감시합니다.", - "avatar-too-big": "아바타 파일이 너무 큽니다. (최대 70KB)", - "back": "뒤로", - "board-change-color": "보드 색 변경", - "board-nb-stars": "%s개의 별", - "board-not-found": "보드를 찾을 수 없습니다", - "board-private-info": "이 보드는 비공개입니다.", - "board-public-info": "이 보드는 공개로 설정됩니다", - "boardChangeColorPopup-title": "보드 배경 변경", - "boardChangeTitlePopup-title": "보드 이름 바꾸기", - "boardChangeVisibilityPopup-title": "표시 여부 변경", - "boardChangeWatchPopup-title": "감시상태 변경", - "boardMenuPopup-title": "보드 메뉴", - "boards": "보드", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "목록들", - "bucket-example": "예: “프로젝트 이름“ 입력", - "cancel": "취소", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "이 카드에 %s 코멘트가 있습니다.", - "card-delete-notice": "영구 삭제입니다. 이 카드와 관련된 모든 작업들을 잃게됩니다.", - "card-delete-pop": "모든 작업이 활동 내역에서 제거되며 카드를 다시 열 수 없습니다. 복구가 안되니 주의하시기 바랍니다.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "종료일", - "card-due-on": "종료일", - "card-spent": "Spent Time", - "card-edit-attachments": "첨부 파일 수정", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "라벨 수정", - "card-edit-members": "멤버 수정", - "card-labels-title": "카드의 라벨 변경.", - "card-members-title": "카드에서 보드의 멤버를 추가하거나 삭제합니다.", - "card-start": "시작일", - "card-start-on": "시작일", - "cardAttachmentsPopup-title": "첨부 파일", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "카드를 삭제합니까?", - "cardDetailsActionsPopup-title": "카드 액션", - "cardLabelsPopup-title": "라벨", - "cardMembersPopup-title": "멤버", - "cardMorePopup-title": "더보기", - "cards": "카드", - "cards-count": "카드", - "change": "변경", - "change-avatar": "아바타 변경", - "change-password": "암호 변경", - "change-permissions": "권한 변경", - "change-settings": "설정 변경", - "changeAvatarPopup-title": "아바타 변경", - "changeLanguagePopup-title": "언어 변경", - "changePasswordPopup-title": "암호 변경", - "changePermissionsPopup-title": "권한 변경", - "changeSettingsPopup-title": "설정 변경", - "checklists": "체크리스트", - "click-to-star": "보드에 별 추가.", - "click-to-unstar": "보드에 별 삭제.", - "clipboard": "클립보드 또는 드래그 앤 드롭", - "close": "닫기", - "close-board": "보드 닫기", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "블랙", - "color-blue": "블루", - "color-green": "그린", - "color-lime": "라임", - "color-orange": "오렌지", - "color-pink": "핑크", - "color-purple": "퍼플", - "color-red": "레드", - "color-sky": "스카이", - "color-yellow": "옐로우", - "comment": "댓글", - "comment-placeholder": "댓글 입력", - "comment-only": "댓글만 입력 가능", - "comment-only-desc": "카드에 댓글만 달수 있습니다.", - "computer": "내 컴퓨터", - "confirm-checklist-delete-dialog": "정말 이 체크리스트를 삭제할까요?", - "copy-card-link-to-clipboard": "클립보드에 카드의 링크가 복사되었습니다.", - "copyCardPopup-title": "카드 복사", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "생성", - "createBoardPopup-title": "보드 생성", - "chooseBoardSourcePopup-title": "보드 가져오기", - "createLabelPopup-title": "라벨 생성", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "경향", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "날짜", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "날짜", - "decline": "쇠퇴", - "default-avatar": "기본 아바타", - "delete": "삭제", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "라벨을 삭제합니까?", - "description": "설명", - "disambiguateMultiLabelPopup-title": "라벨 액션의 모호성 제거", - "disambiguateMultiMemberPopup-title": "멤버 액션의 모호성 제거", - "discard": "포기", - "done": "완료", - "download": "다운로드", - "edit": "수정", - "edit-avatar": "아바타 변경", - "edit-profile": "프로필 변경", - "edit-wip-limit": "WIP 제한 변경", - "soft-wip-limit": "원만한 WIP 제한", - "editCardStartDatePopup-title": "시작일 변경", - "editCardDueDatePopup-title": "종료일 변경", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "라벨 변경", - "editNotificationPopup-title": "알림 수정", - "editProfilePopup-title": "프로필 변경", - "email": "이메일", - "email-enrollAccount-subject": "__siteName__에 계정 생성이 완료되었습니다.", - "email-enrollAccount-text": "안녕하세요. __user__님,\n\n시작하려면 아래링크를 클릭해 주세요.\n\n__url__\n\n감사합니다.", - "email-fail": "이메일 전송 실패", - "email-fail-text": "Error trying to send email", - "email-invalid": "잘못된 이메일 주소", - "email-invite": "이메일로 초대", - "email-invite-subject": "__inviter__님이 당신을 초대하였습니다.", - "email-invite-text": "__user__님,\n\n__inviter__님이 협업을 위해 \"__board__\"보드에 가입하도록 초대하셨습니다.\n\n아래 링크를 클릭해주십시오.\n\n__url__\n\n감사합니다.", - "email-resetPassword-subject": "패스워드 초기화: __siteName__", - "email-resetPassword-text": "안녕하세요 __user__님,\n\n비밀번호를 재설정하려면 아래 링크를 클릭하십시오.\n\n__url__\n\n감사합니다.", - "email-sent": "이메일 전송", - "email-verifyEmail-subject": "이메일 인증: __siteName__", - "email-verifyEmail-text": "안녕하세요. __user__님,\n\n당신의 계정과 이메일을 활성하려면 아래 링크를 클릭하십시오.\n\n__url__\n\n감사합니다.", - "enable-wip-limit": "WIP 제한 활성화", - "error-board-doesNotExist": "보드가 없습니다.", - "error-board-notAdmin": "이 작업은 보드의 관리자만 실행할 수 있습니다.", - "error-board-notAMember": "이 작업은 보드의 멤버만 실행할 수 있습니다.", - "error-json-malformed": "텍스트가 JSON 형식에 유효하지 않습니다.", - "error-json-schema": "JSON 데이터에 정보가 올바른 형식으로 포함되어 있지 않습니다.", - "error-list-doesNotExist": "목록이 없습니다.", - "error-user-doesNotExist": "멤버의 정보가 없습니다.", - "error-user-notAllowSelf": "자기 자신을 초대할 수 없습니다.", - "error-user-notCreated": "유저가 생성되지 않았습니다.", - "error-username-taken": "중복된 아이디 입니다.", - "error-email-taken": "Email has already been taken", - "export-board": "보드 내보내기", - "filter": "필터", - "filter-cards": "카드 필터", - "filter-clear": "필터 초기화", - "filter-no-label": "라벨 없음", - "filter-no-member": "멤버 없음", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "필터 사용", - "filter-on-desc": "보드에서 카드를 필터링합니다. 여기를 클릭하여 필터를 수정합니다.", - "filter-to-selection": "선택 항목으로 필터링", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "실명", - "header-logo-title": "보드 페이지로 돌아가기.", - "hide-system-messages": "시스템 메시지 숨기기", - "headerBarCreateBoardPopup-title": "보드 생성", - "home": "홈", - "import": "가져오기", - "import-board": "보드 가져오기", - "import-board-c": "보드 가져오기", - "import-board-title-trello": "Trello에서 보드 가져오기", - "import-board-title-wekan": "Wekan에서 보드 가져오기", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "Trello 게시판에서 'Menu' -> 'More' -> 'Print and Export', 'Export JSON' 선택하여 텍스트 결과값 복사", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "유효한 JSON 데이터를 여기에 붙여 넣으십시오.", - "import-map-members": "보드 멤버들", - "import-members-map": "가져온 보드에는 멤버가 있습니다. 원하는 멤버를 Wekan 멤버로 매핑하세요.", - "import-show-user-mapping": "멤버 매핑 미리보기", - "import-user-select": "이 멤버로 사용하려는 Wekan 유저를 선택하십시오.", - "importMapMembersAddPopup-title": "Wekan 멤버 선택", - "info": "Version", - "initials": "이니셜", - "invalid-date": "적절하지 않은 날짜", - "invalid-time": "적절하지 않은 시각", - "invalid-user": "적절하지 않은 사용자", - "joined": "참가함", - "just-invited": "보드에 방금 초대되었습니다.", - "keyboard-shortcuts": "키보드 단축키", - "label-create": "라벨 생성", - "label-default": "%s 라벨 (기본)", - "label-delete-pop": "되돌릴 수 없습니다. 모든 카드에서 라벨을 제거하고, 이력을 제거합니다.", - "labels": "라벨", - "language": "언어", - "last-admin-desc": "적어도 하나의 관리자가 필요하기에 이 역할을 변경할 수 없습니다.", - "leave-board": "보드 멤버에서 나가기", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "카드에대한 링크", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "목록에 있는 모든 카드를 이동", - "list-select-cards": "목록에 있는 모든 카드를 선택", - "listActionPopup-title": "동작 목록", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Trello 카드 가져 오기", - "listMorePopup-title": "더보기", - "link-list": "이 리스트에 링크", - "list-delete-pop": "모든 작업이 활동내역에서 제거되며 리스트를 복구 할 수 없습니다. 실행 취소는 불가능 합니다.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "목록들", - "swimlanes": "Swimlanes", - "log-out": "로그아웃", - "log-in": "로그인", - "loginPopup-title": "로그인", - "memberMenuPopup-title": "멤버 설정", - "members": "멤버", - "menu": "메뉴", - "move-selection": "선택 항목 이동", - "moveCardPopup-title": "카드 이동", - "moveCardToBottom-title": "최하단으로 이동", - "moveCardToTop-title": "최상단으로 이동", - "moveSelectionPopup-title": "선택 항목 이동", - "multi-selection": "다중 선택", - "multi-selection-on": "다중 선택 사용", - "muted": "알림 해제", - "muted-info": "보드의 변경된 사항들의 알림을 받지 않습니다.", - "my-boards": "내 보드", - "name": "이름", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "결과 값 없음", - "normal": "표준", - "normal-desc": "카드를 보거나 수정할 수 있습니다. 설정값은 변경할 수 없습니다.", - "not-accepted-yet": "초대장이 수락되지 않았습니다.", - "notify-participate": "보드 생성자 또는 멤버로 참여하는 모든 카드에 대한 변경사항 알림 받음", - "notify-watch": "감시중인 보드, 목록 또는 카드에 대한 변경사항 알림 받음", - "optional": "옵션", - "or": "또는", - "page-maybe-private": "이 페이지를 비공개일 수 있습니다. 이것을 보고 싶으면 로그인을 하십시오.", - "page-not-found": "페이지를 찾지 못 했습니다", - "password": "암호", - "paste-or-dragdrop": "이미지 파일을 붙여 넣거나 드래그 앤 드롭 (이미지 전용)", - "participating": "참여", - "preview": "미리보기", - "previewAttachedImagePopup-title": "미리보기", - "previewClipboardImagePopup-title": "미리보기", - "private": "비공개", - "private-desc": "비공개된 보드입니다. 오직 보드에 추가된 사람들만 보고 수정할 수 있습니다", - "profile": "프로파일", - "public": "공개", - "public-desc": "공개된 보드입니다. 링크를 가진 모든 사람과 구글과 같은 검색 엔진에서 찾아서 볼수 있습니다. 보드에 추가된 사람들만 수정이 가능합니다.", - "quick-access-description": "여기에 바로 가기를 추가하려면 보드에 별 표시를 체크하세요.", - "remove-cover": "커버 제거", - "remove-from-board": "보드에서 제거", - "remove-label": "라벨 제거", - "listDeletePopup-title": "리스트를 삭제합니까?", - "remove-member": "멤버 제거", - "remove-member-from-card": "카드에서 제거", - "remove-member-pop": "__boardTitle__에서 __name__(__username__) 을 제거합니까? 이 보드의 모든 카드에서 제거됩니다. 해당 내용을 __name__(__username__) 은(는) 알림으로 받게됩니다.", - "removeMemberPopup-title": "멤버를 제거합니까?", - "rename": "새이름", - "rename-board": "보드 이름 바꾸기", - "restore": "복구", - "save": "저장", - "search": "검색", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "색 선택", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "현재 카드에 자신을 지정하세요.", - "shortcut-autocomplete-emoji": "이모티콘 자동완성", - "shortcut-autocomplete-members": "멤버 자동완성", - "shortcut-clear-filters": "모든 필터 초기화", - "shortcut-close-dialog": "대화 상자 닫기", - "shortcut-filter-my-cards": "내 카드 필터링", - "shortcut-show-shortcuts": "바로가기 목록을 가져오십시오.", - "shortcut-toggle-filterbar": "토글 필터 사이드바", - "shortcut-toggle-sidebar": "보드 사이드바 토글", - "show-cards-minimum-count": "목록에 카드 수량 표시(입력된 수량 넘을 경우 표시)", - "sidebar-open": "사이드바 열기", - "sidebar-close": "사이드바 닫기", - "signupPopup-title": "계정 생성", - "star-board-title": "보드에 별 표시를 클릭합니다. 보드 목록에서 최상위로 둘 수 있습니다.", - "starred-boards": "별표된 보드", - "starred-boards-description": "별 표시된 보드들은 보드 목록의 최상단에서 보입니다.", - "subscribe": "구독", - "team": "팀", - "this-board": "보드", - "this-card": "카드", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "시간", - "title": "제목", - "tracking": "추적", - "tracking-info": "보드 생성자 또는 멤버로 참여하는 모든 카드에 대한 변경사항 알림 받음", - "type": "Type", - "unassign-member": "멤버 할당 해제", - "unsaved-description": "저장되지 않은 설명이 있습니다.", - "unwatch": "감시 해제", - "upload": "업로드", - "upload-avatar": "아바타 업로드", - "uploaded-avatar": "업로드한 아바타", - "username": "아이디", - "view-it": "보기", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "감시", - "watching": "감시 중", - "watching-info": "\"이 보드의 변경사항을 알림으로 받습니다.", - "welcome-board": "보드예제", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "신규", - "welcome-list2": "진행", - "what-to-do": "무엇을 하고 싶으신가요?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "관리자 패널", - "settings": "설정", - "people": "사람", - "registration": "회원가입", - "disable-self-registration": "일반 유저의 회원 가입 막기", - "invite": "초대", - "invite-people": "사람 초대", - "to-boards": "보드로 부터", - "email-addresses": "이메일 주소", - "smtp-host-description": "이메일을 처리하는 SMTP 서버의 주소입니다.", - "smtp-port-description": "SMTP 서버가 보내는 전자 메일에 사용하는 포트입니다.", - "smtp-tls-description": "SMTP 서버에 TLS 지원 사용", - "smtp-host": "SMTP 호스트", - "smtp-port": "SMTP 포트", - "smtp-username": "사용자 이름", - "smtp-password": "암호", - "smtp-tls": "TLS 지원", - "send-from": "보낸 사람", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "초대 코드", - "email-invite-register-subject": "\"__inviter__ 님이 당신에게 초대장을 보냈습니다.", - "email-invite-register-text": "\"__user__ 님, \n\n__inviter__ 님이 Wekan 보드에 협업을 위하여 당신을 초대합니다.\n\n아래 링크를 클릭해주세요 : \n__url__\n\n그리고 초대 코드는 __icode__ 입니다.\n\n감사합니다.", - "email-smtp-test-subject": "SMTP 테스트 이메일이 발송되었습니다.", - "email-smtp-test-text": "테스트 메일을 성공적으로 발송하였습니다.", - "error-invitation-code-not-exist": "초대 코드가 존재하지 않습니다.", - "error-notAuthorized": "이 페이지를 볼 수있는 권한이 없습니다.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json deleted file mode 100644 index 128e847a..00000000 --- a/i18n/lv.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Piekrist", - "act-activity-notify": "[Wekan] Aktivitātes paziņojums", - "act-addAttachment": "pievienots __attachment__ to __card__", - "act-addChecklist": "pievienots checklist __checklist__ to __card__", - "act-addChecklistItem": "pievienots __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "komentēja __card__: __comment__", - "act-createBoard": "izveidoja __board__", - "act-createCard": "pievienoja __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "pievienoja __list__ to __board__", - "act-addBoardMember": "pievienoja __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "importēja __board__", - "act-importCard": "importēja __card__", - "act-importList": "importēja __list__", - "act-joinMember": "pievienoja __member__ to __card__", - "act-moveCard": "pārvietoja __card__ from __oldList__ to __list__", - "act-removeBoardMember": "noņēma __member__ from __board__", - "act-restoredCard": "atjaunoja __card__ to __board__", - "act-unjoinMember": "noņēma __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Darbības", - "activities": "Aktivitātes", - "activity": "Aktivitāte", - "activity-added": "pievienoja %s pie %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "pievienoja %s pie %s", - "activity-created": "izveidoja%s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "izslēdza%s no%s", - "activity-imported": "importēja %s iekšā%s no%s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Add", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", - "addMemberPopup-title": "Members", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Members", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Members", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json deleted file mode 100644 index 794f9ce8..00000000 --- a/i18n/mn.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Зөвшөөрөх", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "_attachment__ хавсралтыг __card__-д хавсаргав", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Нэмэх", - "add-attachment": "Хавсралт нэмэх", - "add-board": "Самбар нэмэх", - "add-card": "Карт нэмэх", - "add-swimlane": "Add Swimlane", - "add-checklist": "Чеклист нэмэх", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Шошго нэмэх", - "add-list": "Жагсаалт нэмэх", - "add-members": "Гишүүд нэмэх", - "added": "Нэмсэн", - "addMemberPopup-title": "Гишүүд", - "admin": "Админ", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "Бүх самбарууд", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Гишүүд", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Аватар өөрчлөх", - "change-password": "Нууц үг солих", - "change-permissions": "Change permissions", - "change-settings": "Тохиргоо өөрчлөх", - "changeAvatarPopup-title": "Аватар өөрчлөх", - "changeLanguagePopup-title": "Хэл солих", - "changePasswordPopup-title": "Нууц үг солих", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Тохиргоо өөрчлөх", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Үүсгэх", - "createBoardPopup-title": "Самбар үүсгэх", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Шошго үүсгэх", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Аватар өөрчлөх", - "edit-profile": "Бүртгэл засварлах", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Мэдэгдэл тохируулах", - "editProfilePopup-title": "Бүртгэл засварлах", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Самбар үүсгэх", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Шошго үүсгэх", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Гарах", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Гишүүний тохиргоо", - "members": "Гишүүд", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "Миний самбарууд", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Хэрэглэгч үүсгэх", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json deleted file mode 100644 index 205db808..00000000 --- a/i18n/nb.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Godta", - "act-activity-notify": "[Wekan] Aktivitetsvarsel", - "act-addAttachment": "la ved __attachment__ til __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "kommenterte til __card__: __comment__", - "act-createBoard": "opprettet __board__", - "act-createCard": "la __card__ til __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "la __list__ til __board__", - "act-addBoardMember": "la __member__ til __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "importerte __board__", - "act-importCard": "importerte __card__", - "act-importList": "importerte __list__", - "act-joinMember": "la __member__ til __card__", - "act-moveCard": "flyttet __card__ fra __oldList__ til __list__", - "act-removeBoardMember": "fjernet __member__ fra __board__", - "act-restoredCard": "gjenopprettet __card__ til __board__", - "act-unjoinMember": "fjernet __member__ fra __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Aktiviteter", - "activity": "Aktivitet", - "activity-added": "la %s til %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "la %s til %s", - "activity-created": "opprettet %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "ekskluderte %s fra %s", - "activity-imported": "importerte %s til %s fra %s", - "activity-imported-board": "importerte %s fra %s", - "activity-joined": "ble med %s", - "activity-moved": "flyttet %s fra %s til %s", - "activity-on": "på %s", - "activity-removed": "fjernet %s fra %s", - "activity-sent": "sendte %s til %s", - "activity-unjoined": "forlot %s", - "activity-checklist-added": "la til sjekkliste til %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Legg til", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Nytt punkt på sjekklisten", - "add-cover": "Nytt omslag", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Legg til medlemmer", - "added": "Lagt til", - "addMemberPopup-title": "Medlemmer", - "admin": "Admin", - "admin-desc": "Kan se og redigere kort, fjerne medlemmer, og endre innstillingene for tavlen.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "Alle tavler", - "and-n-other-card": "Og __count__ andre kort", - "and-n-other-card_plural": "Og __count__ andre kort", - "apply": "Lagre", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Tildel medlem", - "attached": "la ved", - "attachment": "Vedlegg", - "attachment-delete-pop": "Sletting av vedlegg er permanent og kan ikke angres", - "attachmentDeletePopup-title": "Slette vedlegg?", - "attachments": "Vedlegg", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Tilbake", - "board-change-color": "Endre farge", - "board-nb-stars": "%s stjerner", - "board-not-found": "Kunne ikke finne tavlen", - "board-private-info": "Denne tavlen vil være privat.", - "board-public-info": "Denne tavlen vil være offentlig.", - "boardChangeColorPopup-title": "Ende tavlens bakgrunnsfarge", - "boardChangeTitlePopup-title": "Endre navn på tavlen", - "boardChangeVisibilityPopup-title": "Endre synlighet", - "boardChangeWatchPopup-title": "Endre overvåkning", - "boardMenuPopup-title": "Tavlemeny", - "boards": "Tavler", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Som \"Bucket List\" for eksempel", - "cancel": "Avbryt", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "Dette kortet har %s kommentar.", - "card-delete-notice": "Sletting er permanent. Du vil miste alle hendelser knyttet til dette kortet.", - "card-delete-pop": "Alle handlinger vil fjernes fra feeden for aktiviteter og du vil ikke kunne åpne kortet på nytt. Det er ingen mulighet å angre.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Frist", - "card-due-on": "Frist til", - "card-spent": "Spent Time", - "card-edit-attachments": "Rediger vedlegg", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Rediger etiketter", - "card-edit-members": "Endre medlemmer", - "card-labels-title": "Endre etiketter for kortet.", - "card-members-title": "Legg til eller fjern tavle-medlemmer fra dette kortet.", - "card-start": "Start", - "card-start-on": "Starter på", - "cardAttachmentsPopup-title": "Legg ved fra", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Slett kort?", - "cardDetailsActionsPopup-title": "Kort-handlinger", - "cardLabelsPopup-title": "Etiketter", - "cardMembersPopup-title": "Medlemmer", - "cardMorePopup-title": "Mer", - "cards": "Kort", - "cards-count": "Kort", - "change": "Endre", - "change-avatar": "Endre avatar", - "change-password": "Endre passord", - "change-permissions": "Endre rettigheter", - "change-settings": "Endre innstillinger", - "changeAvatarPopup-title": "Endre Avatar", - "changeLanguagePopup-title": "Endre språk", - "changePasswordPopup-title": "Endre passord", - "changePermissionsPopup-title": "Endre tillatelser", - "changeSettingsPopup-title": "Endre innstillinger", - "checklists": "Sjekklister", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Endre avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Etiketter", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "Mer", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Medlemmer", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Endre navn på tavlen", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json deleted file mode 100644 index 4515d1c2..00000000 --- a/i18n/nl.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Accepteren", - "act-activity-notify": "[Wekan] Activiteit Notificatie", - "act-addAttachment": "__attachment__ als bijlage toegevoegd aan __card__", - "act-addChecklist": "__checklist__ toegevoegd aan __card__", - "act-addChecklistItem": "__checklistItem__ aan checklist toegevoegd aan __checklist__ op __card__", - "act-addComment": "gereageerd op __card__:__comment__", - "act-createBoard": "aangemaakte __bord__", - "act-createCard": "toegevoegd __kaart__ aan __lijst__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "toegevoegd __lijst__ aan __bord__", - "act-addBoardMember": "__member__ aan __board__ toegevoegd", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": " __board__ geïmporteerd", - "act-importCard": "__card__ geïmporteerd", - "act-importList": "__list__ geïmporteerd", - "act-joinMember": "__member__ aan __card__ toegevoegd", - "act-moveCard": "verplaatst __card__ van __oldList__ naar __list__", - "act-removeBoardMember": "verwijderd __member__ van __board__", - "act-restoredCard": "hersteld __card__ naar __board__", - "act-unjoinMember": "verwijderd __member__ van __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Acties", - "activities": "Activiteiten", - "activity": "Activiteit", - "activity-added": "%s toegevoegd aan %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "%s bijgevoegd aan %s", - "activity-created": "%s aangemaakt", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "%s uitgesloten van %s", - "activity-imported": "%s geimporteerd in %s van %s", - "activity-imported-board": "%s geimporteerd van %s", - "activity-joined": "%s toegetreden", - "activity-moved": "%s verplaatst van %s naar %s", - "activity-on": "bij %s", - "activity-removed": "%s verwijderd van %s", - "activity-sent": "%s gestuurd naar %s", - "activity-unjoined": "uit %s gegaan", - "activity-checklist-added": "checklist toegevoegd aan %s", - "activity-checklist-item-added": "checklist punt toegevoegd aan '%s' in '%s'", - "add": "Toevoegen", - "add-attachment": "Voeg Bijlage Toe", - "add-board": "Voeg Bord Toe", - "add-card": "Voeg Kaart Toe", - "add-swimlane": "Swimlane Toevoegen", - "add-checklist": "Voeg Checklist Toe", - "add-checklist-item": "Voeg item toe aan checklist", - "add-cover": "Voeg Cover Toe", - "add-label": "Voeg Label Toe", - "add-list": "Voeg Lijst Toe", - "add-members": "Voeg Leden Toe", - "added": "Toegevoegd", - "addMemberPopup-title": "Leden", - "admin": "Administrator", - "admin-desc": "Kan kaarten bekijken en wijzigen, leden verwijderen, en instellingen voor het bord aanpassen.", - "admin-announcement": "Melding", - "admin-announcement-active": "Systeem melding", - "admin-announcement-title": "Melding van de administrator", - "all-boards": "Alle borden", - "and-n-other-card": "En nog __count__ ander", - "and-n-other-card_plural": "En __count__ andere kaarten", - "apply": "Aanmelden", - "app-is-offline": "Wekan is aan het laden, wacht alstublieft. Het verversen van de pagina zorgt voor verlies van gegevens. Als Wekan niet laadt, check of de Wekan server is gestopt.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Herstel Bord", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Wijs lid aan", - "attached": "bijgevoegd", - "attachment": "Bijlage", - "attachment-delete-pop": "Een bijlage verwijderen is permanent. Er is geen herstelmogelijkheid.", - "attachmentDeletePopup-title": "Verwijder Bijlage?", - "attachments": "Bijlagen", - "auto-watch": "Automatisch borden bekijken wanneer deze aangemaakt worden", - "avatar-too-big": "De bestandsgrootte van je avatar is te groot (70KB max)", - "back": "Terug", - "board-change-color": "Verander kleur", - "board-nb-stars": "%s sterren", - "board-not-found": "Bord is niet gevonden", - "board-private-info": "Dit bord is nu privé.", - "board-public-info": "Dit bord is nu openbaar.", - "boardChangeColorPopup-title": "Verander achtergrond van bord", - "boardChangeTitlePopup-title": "Hernoem bord", - "boardChangeVisibilityPopup-title": "Verander zichtbaarheid", - "boardChangeWatchPopup-title": "Verander naar 'Watch'", - "boardMenuPopup-title": "Bord menu", - "boards": "Borden", - "board-view": "Bord overzicht", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lijsten", - "bucket-example": "Zoals \"Bucket List\" bijvoorbeeld", - "cancel": "Annuleren", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "Deze kaart heeft %s reactie.", - "card-delete-notice": "Verwijdering is permanent. Als je dit doet, verlies je alle informatie die op deze kaart is opgeslagen.", - "card-delete-pop": "Alle acties worden verwijderd van de activiteiten feed, en er zal geen mogelijkheid zijn om de kaart opnieuw te openen. Deze actie kan je niet ongedaan maken.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Deadline: ", - "card-due-on": "Deadline: ", - "card-spent": "gespendeerde tijd", - "card-edit-attachments": "Wijzig bijlagen", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Wijzig labels", - "card-edit-members": "Wijzig leden", - "card-labels-title": "Wijzig de labels vam de kaart.", - "card-members-title": "Voeg of verwijder leden van het bord toe aan de kaart.", - "card-start": "Begin", - "card-start-on": "Begint op", - "cardAttachmentsPopup-title": "Voeg bestand toe vanuit", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Kaart verwijderen?", - "cardDetailsActionsPopup-title": "Kaart actie ondernemen", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Leden", - "cardMorePopup-title": "Meer", - "cards": "Kaarten", - "cards-count": "Kaarten", - "change": "Wijzig", - "change-avatar": "Wijzig avatar", - "change-password": "Wijzig wachtwoord", - "change-permissions": "Wijzig permissies", - "change-settings": "Wijzig instellingen", - "changeAvatarPopup-title": "Wijzig avatar", - "changeLanguagePopup-title": "Verander van taal", - "changePasswordPopup-title": "Wijzig wachtwoord", - "changePermissionsPopup-title": "Wijzig permissies", - "changeSettingsPopup-title": "Wijzig instellingen", - "checklists": "Checklists", - "click-to-star": "Klik om het bord als favoriet in te stellen", - "click-to-unstar": "Klik om het bord uit favorieten weg te halen", - "clipboard": "Vanuit clipboard of sleep het bestand hierheen", - "close": "Sluiten", - "close-board": "Sluit bord", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "zwart", - "color-blue": "blauw", - "color-green": "groen", - "color-lime": "Felgroen", - "color-orange": "Oranje", - "color-pink": "Roze", - "color-purple": "Paars", - "color-red": "Rood", - "color-sky": "Lucht", - "color-yellow": "Geel", - "comment": "Reageer", - "comment-placeholder": "Schrijf reactie", - "comment-only": "Alleen reageren", - "comment-only-desc": "Kan alleen op kaarten reageren.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Weet u zeker dat u de checklist wilt verwijderen", - "copy-card-link-to-clipboard": "Kopieer kaart link naar klembord", - "copyCardPopup-title": "Kopieer kaart", - "copyChecklistToManyCardsPopup-title": "Checklist sjabloon kopiëren naar meerdere kaarten", - "copyChecklistToManyCardsPopup-instructions": "Doel kaart titels en omschrijvingen in dit JSON formaat", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titel eerste kaart\", \"description\":\"Omschrijving eerste kaart\"}, {\"title\":\"Titel tweede kaart\",\"description\":\"Omschrijving tweede kaart\"},{\"title\":\"Titel laatste kaart\",\"description\":\"Omschrijving laatste kaart\"} ]", - "create": "Aanmaken", - "createBoardPopup-title": "Bord aanmaken", - "chooseBoardSourcePopup-title": "Importeer bord", - "createLabelPopup-title": "Label aanmaken", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "Huidige", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Datum", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Datum", - "decline": "Weigeren", - "default-avatar": "Standaard avatar", - "delete": "Verwijderen", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Verwijder label?", - "description": "Beschrijving", - "disambiguateMultiLabelPopup-title": "Disambigueer Label Actie", - "disambiguateMultiMemberPopup-title": "Disambigueer Lid Actie", - "discard": "Weggooien", - "done": "Klaar", - "download": "Download", - "edit": "Wijzig", - "edit-avatar": "Wijzig avatar", - "edit-profile": "Wijzig profiel", - "edit-wip-limit": "Verander WIP limiet", - "soft-wip-limit": "Zachte WIP limiet", - "editCardStartDatePopup-title": "Wijzig start datum", - "editCardDueDatePopup-title": "Wijzig deadline", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Verander gespendeerde tijd", - "editLabelPopup-title": "Wijzig label", - "editNotificationPopup-title": "Wijzig notificatie", - "editProfilePopup-title": "Wijzig profiel", - "email": "E-mail", - "email-enrollAccount-subject": "Er is een account voor je aangemaakt op __siteName__", - "email-enrollAccount-text": "Hallo __user__,\n\nOm gebruik te maken van de online dienst, kan je op de volgende link klikken.\n\n__url__\n\nBedankt.", - "email-fail": "E-mail verzenden is mislukt", - "email-fail-text": "Fout tijdens het verzenden van de email", - "email-invalid": "Ongeldige e-mail", - "email-invite": "Nodig uit via e-mail", - "email-invite-subject": "__inviter__ heeft je een uitnodiging gestuurd", - "email-invite-text": "Beste __user__,\n\n__inviter__ heeft je uitgenodigd om voor een samenwerking deel te nemen aan het bord \"__board__\".\n\nKlik op de link hieronder:\n\n__url__\n\nBedankt.", - "email-resetPassword-subject": "Reset je wachtwoord op __siteName__", - "email-resetPassword-text": "Hallo __user__,\n\nKlik op de link hier beneden om je wachtwoord te resetten.\n\n__url__\n\nBedankt.", - "email-sent": "E-mail is verzonden", - "email-verifyEmail-subject": "Verifieer je e-mailadres op __siteName__", - "email-verifyEmail-text": "Hallo __user__,\n\nOm je e-mail te verifiëren vragen we je om op de link hieronder te drukken.\n\n__url__\n\nBedankt.", - "enable-wip-limit": "Activeer WIP limiet", - "error-board-doesNotExist": "Dit bord bestaat niet.", - "error-board-notAdmin": "Je moet een administrator zijn van dit bord om dat te doen.", - "error-board-notAMember": "Je moet een lid zijn van dit bord om dat te doen.", - "error-json-malformed": "JSON format klopt niet", - "error-json-schema": "De JSON data bevat niet de juiste informatie in de juiste format", - "error-list-doesNotExist": "Deze lijst bestaat niet", - "error-user-doesNotExist": "Deze gebruiker bestaat niet", - "error-user-notAllowSelf": "Je kan jezelf niet uitnodigen", - "error-user-notCreated": "Deze gebruiker is niet aangemaakt", - "error-username-taken": "Deze gebruikersnaam is al bezet", - "error-email-taken": "Deze e-mail is al eerder gebruikt", - "export-board": "Exporteer bord", - "filter": "Filter", - "filter-cards": "Filter kaarten", - "filter-clear": "Reset filter", - "filter-no-label": "Geen label", - "filter-no-member": "Geen lid", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter staat aan", - "filter-on-desc": "Je bent nu kaarten aan het filteren op dit bord. Klik hier om het filter te wijzigen.", - "filter-to-selection": "Filter zoals selectie", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Volledige naam", - "header-logo-title": "Ga terug naar jouw borden pagina.", - "hide-system-messages": "Verberg systeemberichten", - "headerBarCreateBoardPopup-title": "Bord aanmaken", - "home": "Voorpagina", - "import": "Importeer", - "import-board": "Importeer bord", - "import-board-c": "Importeer bord", - "import-board-title-trello": "Importeer bord van Trello", - "import-board-title-wekan": "Importeer bord van Wekan", - "import-sandstorm-warning": "Het geïmporteerde bord verwijdert alle data op het huidige bord, om het daarna te vervangen.", - "from-trello": "Van Trello", - "from-wekan": "Van Wekan", - "import-board-instruction-trello": "Op jouw Trello bord, ga naar 'Menu', dan naar 'Meer', 'Print en Exporteer', 'Exporteer JSON', en kopieer de tekst.", - "import-board-instruction-wekan": "In jouw Wekan bord, ga naar 'Menu', dan 'Exporteer bord', en kopieer de tekst in het gedownloade bestand.", - "import-json-placeholder": "Plak geldige JSON data hier", - "import-map-members": "Breng leden in kaart", - "import-members-map": "Jouw geïmporteerde borden heeft een paar leden. Selecteer de leden die je wilt importeren naar Wekan gebruikers. ", - "import-show-user-mapping": "Breng leden overzicht tevoorschijn", - "import-user-select": "Kies de Wekan gebruiker uit die je hier als lid wilt hebben", - "importMapMembersAddPopup-title": "Selecteer een Wekan lid", - "info": "Versie", - "initials": "Initialen", - "invalid-date": "Ongeldige datum", - "invalid-time": "Ongeldige tijd", - "invalid-user": "Ongeldige gebruiker", - "joined": "doet nu mee met", - "just-invited": "Je bent zojuist uitgenodigd om mee toen doen met dit bord", - "keyboard-shortcuts": "Toetsenbord snelkoppelingen", - "label-create": "Label aanmaken", - "label-default": "%s label (standaard)", - "label-delete-pop": "Je kan het niet ongedaan maken. Deze actie zal de label van alle kaarten verwijderen, en de feed.", - "labels": "Labels", - "language": "Taal", - "last-admin-desc": "Je kan de permissies niet veranderen omdat er maar een administrator is.", - "leave-board": "Verlaat bord", - "leave-board-pop": "Weet u zeker dat u __boardTitle__ wilt verlaten? U wordt verwijderd van alle kaarten binnen dit bord", - "leaveBoardPopup-title": "Bord verlaten?", - "link-card": "Link naar deze kaart", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Verplaats alle kaarten in deze lijst", - "list-select-cards": "Selecteer alle kaarten in deze lijst", - "listActionPopup-title": "Lijst acties", - "swimlaneActionPopup-title": "Swimlane handelingen", - "listImportCardPopup-title": "Importeer een Trello kaart", - "listMorePopup-title": "Meer", - "link-list": "Link naar deze lijst", - "list-delete-pop": "Alle acties zullen verwijderd worden van de activiteiten feed, en je zult deze niet meer kunnen herstellen. Je kan deze actie niet ongedaan maken.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lijsten", - "swimlanes": "Swimlanes", - "log-out": "Uitloggen", - "log-in": "Inloggen", - "loginPopup-title": "Inloggen", - "memberMenuPopup-title": "Instellingen van leden", - "members": "Leden", - "menu": "Menu", - "move-selection": "Verplaats selectie", - "moveCardPopup-title": "Verplaats kaart", - "moveCardToBottom-title": "Verplaats naar beneden", - "moveCardToTop-title": "Verplaats naar boven", - "moveSelectionPopup-title": "Verplaats selectie", - "multi-selection": "Multi-selectie", - "multi-selection-on": "Multi-selectie staat aan", - "muted": "Stil", - "muted-info": "Je zal nooit meer geïnformeerd worden bij veranderingen in dit bord.", - "my-boards": "Mijn Borden", - "name": "Naam", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Geen resultaten", - "normal": "Normaal", - "normal-desc": "Kan de kaarten zien en wijzigen. Kan de instellingen niet wijzigen.", - "not-accepted-yet": "Uitnodiging niet geaccepteerd", - "notify-participate": "Ontvang updates van elke kaart die je hebt gemaakt of lid van bent", - "notify-watch": "Ontvang updates van elke bord, lijst of kaart die je bekijkt.", - "optional": "optioneel", - "or": "of", - "page-maybe-private": "Deze pagina is privé. Je kan het bekijken door in te loggen.", - "page-not-found": "Pagina niet gevonden.", - "password": "Wachtwoord", - "paste-or-dragdrop": "Om te plakken, of slepen & neer te laten (alleen afbeeldingen)", - "participating": "Deelnemen", - "preview": "Voorbeeld", - "previewAttachedImagePopup-title": "Voorbeeld", - "previewClipboardImagePopup-title": "Voorbeeld", - "private": "Privé", - "private-desc": "Dit bord is privé. Alleen mensen die toegevoegd zijn aan het bord kunnen het bekijken en wijzigen.", - "profile": "Profiel", - "public": "Publiek", - "public-desc": "Dit bord is publiek. Het is zichtbaar voor iedereen met de link en zal tevoorschijn komen op zoekmachines zoals Google. Alleen mensen die toegevoegd zijn kunnen het bord wijzigen.", - "quick-access-description": "Maak een bord favoriet om een snelkoppeling toe te voegen aan deze balk.", - "remove-cover": "Verwijder Cover", - "remove-from-board": "Verwijder van bord", - "remove-label": "Verwijder label", - "listDeletePopup-title": "Verwijder lijst?", - "remove-member": "Verwijder lid", - "remove-member-from-card": "Verwijder van kaart", - "remove-member-pop": "Verwijder __name__ (__username__) van __boardTitle__? Het lid zal verwijderd worden van alle kaarten op dit bord, en zal een notificatie ontvangen.", - "removeMemberPopup-title": "Verwijder lid?", - "rename": "Hernoem", - "rename-board": "Hernoem bord", - "restore": "Herstel", - "save": "Opslaan", - "search": "Zoek", - "search-cards": "Zoeken in kaart titels en omschrijvingen op dit bord", - "search-example": "Tekst om naar te zoeken?", - "select-color": "Selecteer kleur", - "set-wip-limit-value": "Zet een limiet voor het maximaal aantal taken in deze lijst", - "setWipLimitPopup-title": "Zet een WIP limiet", - "shortcut-assign-self": "Wijs jezelf toe aan huidige kaart", - "shortcut-autocomplete-emoji": "Emojis automatisch aanvullen", - "shortcut-autocomplete-members": "Leden automatisch aanvullen", - "shortcut-clear-filters": "Alle filters vrijmaken", - "shortcut-close-dialog": "Sluit dialoog", - "shortcut-filter-my-cards": "Filter mijn kaarten", - "shortcut-show-shortcuts": "Haal lijst met snelkoppelingen tevoorschijn", - "shortcut-toggle-filterbar": "Schakel Filter Zijbalk", - "shortcut-toggle-sidebar": "Schakel Bord Zijbalk", - "show-cards-minimum-count": "Laat het aantal kaarten zien wanneer de lijst meer kaarten heeft dan", - "sidebar-open": "Open Zijbalk", - "sidebar-close": "Sluit Zijbalk", - "signupPopup-title": "Maak een account aan", - "star-board-title": "Klik om het bord toe te voegen aan favorieten, waarna hij aan de bovenbalk tevoorschijn komt.", - "starred-boards": "Favoriete Borden", - "starred-boards-description": "Favoriete borden komen tevoorschijn aan de bovenbalk.", - "subscribe": "Abonneer", - "team": "Team", - "this-board": "dit bord", - "this-card": "deze kaart", - "spent-time-hours": "Gespendeerde tijd (in uren)", - "overtime-hours": "Overwerk (in uren)", - "overtime": "Overwerk", - "has-overtime-cards": "Heeft kaarten met overwerk", - "has-spenttime-cards": "Heeft tijd besteed aan kaarten", - "time": "Tijd", - "title": "Titel", - "tracking": "Volgen", - "tracking-info": "Je wordt op de hoogte gesteld als er veranderingen zijn aan de kaarten waar je lid of maker van bent.", - "type": "Type", - "unassign-member": "Lid ontkennen", - "unsaved-description": "Je hebt een niet opgeslagen beschrijving.", - "unwatch": "Niet bekijken", - "upload": "Upload", - "upload-avatar": "Upload een avatar", - "uploaded-avatar": "Avatar is geüpload", - "username": "Gebruikersnaam", - "view-it": "Bekijk het", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Bekijk", - "watching": "Bekijken", - "watching-info": "Je zal op de hoogte worden gesteld als er een verandering gebeurt op dit bord.", - "welcome-board": "Welkom Bord", - "welcome-swimlane": "Mijlpaal 1", - "welcome-list1": "Basis", - "welcome-list2": "Geadvanceerd", - "what-to-do": "Wat wil je doen?", - "wipLimitErrorPopup-title": "Ongeldige WIP limiet", - "wipLimitErrorPopup-dialog-pt1": "Het aantal taken in deze lijst is groter dan de gedefinieerde WIP limiet ", - "wipLimitErrorPopup-dialog-pt2": "Verwijder een aantal taken uit deze lijst, of zet de WIP limiet hoger", - "admin-panel": "Administrator paneel", - "settings": "Instellingen", - "people": "Mensen", - "registration": "Registratie", - "disable-self-registration": "Schakel zelf-registratie uit", - "invite": "Uitnodigen", - "invite-people": "Nodig mensen uit", - "to-boards": "Voor bord(en)", - "email-addresses": "E-mailadressen", - "smtp-host-description": "Het adres van de SMTP server die e-mails zal versturen.", - "smtp-port-description": "De poort van de SMTP server wordt gebruikt voor uitgaande e-mails.", - "smtp-tls-description": "Gebruik TLS ondersteuning voor SMTP server.", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Poort", - "smtp-username": "Gebruikersnaam", - "smtp-password": "Wachtwoord", - "smtp-tls": "TLS ondersteuning", - "send-from": "Van", - "send-smtp-test": "Verzend een email naar uzelf", - "invitation-code": "Uitnodigings code", - "email-invite-register-subject": "__inviter__ heeft je een uitnodiging gestuurd", - "email-invite-register-text": "Beste __user__,\n\n__inviter__ heeft je uitgenodigd voor Wekan om samen te werken.\n\nKlik op de volgende link:\n__url__\n\nEn je uitnodigingscode is __icode__\n\nBedankt.", - "email-smtp-test-subject": "SMTP Test email van Wekan", - "email-smtp-test-text": "U heeft met succes een email verzonden", - "error-invitation-code-not-exist": "Uitnodigings code bestaat niet", - "error-notAuthorized": "Je bent niet toegestaan om deze pagina te bekijken.", - "outgoing-webhooks": "Uitgaande Webhooks", - "outgoingWebhooksPopup-title": "Uitgaande Webhooks", - "new-outgoing-webhook": "Nieuwe webhook", - "no-name": "(Onbekend)", - "Wekan_version": "Wekan versie", - "Node_version": "Node versie", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Vrij Geheugen", - "OS_Loadavg": "OS Gemiddelde Lading", - "OS_Platform": "OS Platform", - "OS_Release": "OS Versie", - "OS_Totalmem": "OS Totaal Geheugen", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "uren", - "minutes": "minuten", - "seconds": "seconden", - "show-field-on-card": "Show this field on card", - "yes": "Ja", - "no": "Nee", - "accounts": "Accounts", - "accounts-allowEmailChange": "Sta E-mailadres wijzigingen toe", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Gemaakt op", - "verified": "Geverifieerd", - "active": "Actief", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json deleted file mode 100644 index 5ac7e2f9..00000000 --- a/i18n/pl.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Akceptuj", - "act-activity-notify": "[Wekan] Powiadomienia - aktywności", - "act-addAttachment": "załączono __attachement__ do __karty__", - "act-addChecklist": "dodano listę zadań __checklist__ to __card__", - "act-addChecklistItem": "dodano __checklistItem__ do listy zadań __checklist__ na karcie __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Akcje", - "activities": "Aktywności", - "activity": "Aktywność", - "activity-added": "dodano %s z %s", - "activity-archived": "%s przeniesiono do Kosza", - "activity-attached": "załączono %s z %s", - "activity-created": "utworzono %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "wyłączono %s z %s", - "activity-imported": "zaimportowano %s to %s z %s", - "activity-imported-board": "zaimportowano %s z %s", - "activity-joined": "dołączono %s", - "activity-moved": "przeniesiono % z %s to %s", - "activity-on": "w %s", - "activity-removed": "usunięto %s z %s", - "activity-sent": "wysłano %s z %s", - "activity-unjoined": "odłączono %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Dodaj", - "add-attachment": "Dodaj załącznik", - "add-board": "Dodaj tablicę", - "add-card": "Dodaj kartę", - "add-swimlane": "Add Swimlane", - "add-checklist": "Dodaj listę kontrolną", - "add-checklist-item": "Dodaj element do listy kontrolnej", - "add-cover": "Dodaj okładkę", - "add-label": "Dodaj etykietę", - "add-list": "Dodaj listę", - "add-members": "Dodaj członków", - "added": "Dodano", - "addMemberPopup-title": "Członkowie", - "admin": "Admin", - "admin-desc": "Może widzieć i edytować karty, usuwać członków oraz zmieniać ustawienia tablicy.", - "admin-announcement": "Ogłoszenie", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Ogłoszenie od Administratora", - "all-boards": "Wszystkie tablice", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Zastosuj", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Przenieś do Kosza", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Przywróć tablicę", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Dodaj członka", - "attached": "załączono", - "attachment": "Załącznik", - "attachment-delete-pop": "Usunięcie załącznika jest nieodwracalne.", - "attachmentDeletePopup-title": "Usunąć załącznik?", - "attachments": "Załączniki", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "Awatar jest za duży (maksymalnie 70Kb)", - "back": "Wstecz", - "board-change-color": "Zmień kolor", - "board-nb-stars": "%s odznaczeń", - "board-not-found": "Nie znaleziono tablicy", - "board-private-info": "Ta tablica będzie prywatna.", - "board-public-info": "Ta tablica będzie publiczna.", - "boardChangeColorPopup-title": "Zmień tło tablicy", - "boardChangeTitlePopup-title": "Zmień nazwę tablicy", - "boardChangeVisibilityPopup-title": "Zmień widoczność", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Menu tablicy", - "boards": "Tablice", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Listy", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Anuluj", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "Ta karta ma %s komentarzy.", - "card-delete-notice": "Usunięcie jest trwałe. Stracisz wszystkie akcje powiązane z tą kartą.", - "card-delete-pop": "Wszystkie akcje będą usunięte z widoku aktywności, nie można będzie ponownie otworzyć karty. Usunięcie jest nieodwracalne.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edytuj załączniki", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edytuj etykiety", - "card-edit-members": "Edytuj członków", - "card-labels-title": "Zmień etykiety karty", - "card-members-title": "Dodaj lub usuń członków tablicy z karty.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Załącz z", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Usunąć kartę?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Etykiety", - "cardMembersPopup-title": "Członkowie", - "cardMorePopup-title": "Więcej", - "cards": "Karty", - "cards-count": "Karty", - "change": "Zmień", - "change-avatar": "Zmień Avatar", - "change-password": "Zmień hasło", - "change-permissions": "Zmień uprawnienia", - "change-settings": "Zmień ustawienia", - "changeAvatarPopup-title": "Zmień Avatar", - "changeLanguagePopup-title": "Zmień język", - "changePasswordPopup-title": "Zmień hasło", - "changePermissionsPopup-title": "Zmień uprawnienia", - "changeSettingsPopup-title": "Zmień ustawienia", - "checklists": "Checklists", - "click-to-star": "Kliknij by odznaczyć tę tablicę.", - "click-to-unstar": "Kliknij by usunąć odznaczenie tej tablicy.", - "clipboard": "Schowek lub przeciągnij & upuść", - "close": "Zamknij", - "close-board": "Zamknij tablicę", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "czarny", - "color-blue": "niebieski", - "color-green": "zielony", - "color-lime": "limonkowy", - "color-orange": "pomarańczowy", - "color-pink": "różowy", - "color-purple": "fioletowy", - "color-red": "czerwony", - "color-sky": "błękitny", - "color-yellow": "żółty", - "comment": "Komentarz", - "comment-placeholder": "Dodaj komentarz", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Komputer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Skopiuj kartę", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Utwórz", - "createBoardPopup-title": "Utwórz tablicę", - "chooseBoardSourcePopup-title": "Import tablicy", - "createLabelPopup-title": "Utwórz etykietę", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "obecny", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Data", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Data", - "decline": "Odrzuć", - "default-avatar": "Domyślny avatar", - "delete": "Usuń", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Usunąć etykietę?", - "description": "Opis", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Odrzuć", - "done": "Zrobiono", - "download": "Pobierz", - "edit": "Edytuj", - "edit-avatar": "Zmień Avatar", - "edit-profile": "Edytuj profil", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Zmień etykietę", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edytuj profil", - "email": "Email", - "email-enrollAccount-subject": "Konto zostało utworzone na __siteName__", - "email-enrollAccount-text": "Witaj __user__,\nAby zacząć korzystać z serwisu, kliknij w link poniżej.\n__url__\nDzięki.", - "email-fail": "Wysyłanie emaila nie powiodło się.", - "email-fail-text": "Error trying to send email", - "email-invalid": "Nieprawidłowy email", - "email-invite": "Zaproś przez email", - "email-invite-subject": "__inviter__ wysłał Ci zaproszenie", - "email-invite-text": "Drogi __user__,\n__inviter__ zaprosił Cię do współpracy w tablicy \"__board__\".\nZobacz więcej:\n__url__\nDzięki.", - "email-resetPassword-subject": "Zresetuj swoje hasło na __siteName__", - "email-resetPassword-text": "Witaj __user__,\nAby zresetować hasło, kliknij w link poniżej.\n__url__\nDzięki.", - "email-sent": "Email wysłany", - "email-verifyEmail-subject": "Zweryfikuj swój adres email na __siteName__", - "email-verifyEmail-text": "Witaj __user__,\nAby zweryfikować adres email, kliknij w link poniżej.\n__url__\nDzięki.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "Ta tablica nie istnieje", - "error-board-notAdmin": "Musisz być administratorem tej tablicy żeby to zrobić", - "error-board-notAMember": "Musisz być członkiem tej tablicy żeby to zrobić", - "error-json-malformed": "Twój tekst nie jest poprawnym JSONem", - "error-json-schema": "Twój JSON nie zawiera prawidłowych informacji w poprawnym formacie", - "error-list-doesNotExist": "Ta lista nie isnieje", - "error-user-doesNotExist": "Ten użytkownik nie istnieje", - "error-user-notAllowSelf": "Nie możesz zaprosić samego siebie", - "error-user-notCreated": "Ten użytkownik nie został stworzony", - "error-username-taken": "Ta nazwa jest już zajęta", - "error-email-taken": "Email has already been taken", - "export-board": "Eksportuj tablicę", - "filter": "Filtr", - "filter-cards": "Odfiltruj karty", - "filter-clear": "Usuń filter", - "filter-no-label": "Brak etykiety", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filtr jest włączony", - "filter-on-desc": "Filtrujesz karty na tej tablicy. Kliknij tutaj by edytować filtr.", - "filter-to-selection": "Odfiltruj zaznaczenie", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Wróć do swojej strony z tablicami.", - "hide-system-messages": "Ukryj wiadomości systemowe", - "headerBarCreateBoardPopup-title": "Utwórz tablicę", - "home": "Strona główna", - "import": "Importu", - "import-board": "importuj tablice", - "import-board-c": "Import tablicy", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Importuj tablice z Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "Z Trello", - "from-wekan": "Z Wekan", - "import-board-instruction-trello": "W twojej tablicy na Trello, idź do 'Menu', następnie 'More', 'Print and Export', 'Export JSON' i skopiuj wynik", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Wklej twój JSON tutaj", - "import-map-members": "Map members", - "import-members-map": "Twoje zaimportowane tablice mają kilku członków. Proszę wybierz członków których chcesz zaimportować do Wekan", - "import-show-user-mapping": "Przejrzyj wybranych członków", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Wersja", - "initials": "Initials", - "invalid-date": "Błędna data", - "invalid-time": "Błędny czas", - "invalid-user": "Zła nazwa użytkownika", - "joined": "dołączył", - "just-invited": "Właśnie zostałeś zaproszony do tej tablicy", - "keyboard-shortcuts": "Skróty klawiaturowe", - "label-create": "Utwórz etykietę", - "label-default": "%s etykieta (domyślna)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Etykiety", - "language": "Język", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Opuść tablicę", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link do tej karty", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Przenieś wszystkie karty z tej listy", - "list-select-cards": "Zaznacz wszystkie karty z tej listy", - "listActionPopup-title": "Lista akcji", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Zaimportuj kartę z Trello", - "listMorePopup-title": "Więcej", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Listy", - "swimlanes": "Swimlanes", - "log-out": "Wyloguj", - "log-in": "Zaloguj", - "loginPopup-title": "Zaloguj", - "memberMenuPopup-title": "Member Settings", - "members": "Członkowie", - "menu": "Menu", - "move-selection": "Przenieś zaznaczone", - "moveCardPopup-title": "Przenieś kartę", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Przenieś zaznaczone", - "multi-selection": "Wielokrotne zaznaczenie", - "multi-selection-on": "Wielokrotne zaznaczenie jest włączone", - "muted": "Wyciszona", - "muted-info": "Nie zostaniesz powiadomiony o zmianach w tablicy", - "my-boards": "Moje tablice", - "name": "Nazwa", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Brak wyników", - "normal": "Normal", - "normal-desc": "Może widzieć i edytować karty. Nie może zmieniać ustawiań.", - "not-accepted-yet": "Zaproszenie jeszcze nie zaakceptowane", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "opcjonalny", - "or": "lub", - "page-maybe-private": "Ta strona może być prywatna. Możliwe, że możesz ją zobaczyć po zalogowaniu.", - "page-not-found": "Strona nie znaleziona.", - "password": "Hasło", - "paste-or-dragdrop": "wklej lub przeciągnij & upuść obrazek", - "participating": "Participating", - "preview": "Podgląd", - "previewAttachedImagePopup-title": "Podgląd", - "previewClipboardImagePopup-title": "Podgląd", - "private": "Prywatny", - "private-desc": "Ta tablica jest prywatna. Tylko osoby dodane do tej tablicy mogą ją zobaczyć i edytować.", - "profile": "Profil", - "public": "Publiczny", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Odznacz tablicę aby dodać skrót na tym pasku.", - "remove-cover": "Usuń okładkę", - "remove-from-board": "Usuń z tablicy", - "remove-label": "Usuń etykietę", - "listDeletePopup-title": "Usunąć listę?", - "remove-member": "Usuń członka", - "remove-member-from-card": "Usuń z karty", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Usunąć członka?", - "rename": "Zmień nazwę", - "rename-board": "Zmień nazwę tablicy", - "restore": "Przywróć", - "save": "Zapisz", - "search": "Wyszukaj", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Wybierz kolor", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Przypisz siebie do obecnej karty", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Usuń wszystkie filtry", - "shortcut-close-dialog": "Zamknij okno", - "shortcut-filter-my-cards": "Filtruj moje karty", - "shortcut-show-shortcuts": "Przypnij do listy skrótów", - "shortcut-toggle-filterbar": "Przełącz boczny pasek filtru", - "shortcut-toggle-sidebar": "Przełącz boczny pasek tablicy", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Utwórz konto", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Odznaczone tablice", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Zapisz się", - "team": "Zespół", - "this-board": "ta tablica", - "this-card": "ta karta", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Tytuł", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Nieprzypisany członek", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Wyślij", - "upload-avatar": "Wyślij avatar", - "uploaded-avatar": "Wysłany avatar", - "username": "Nazwa użytkownika", - "view-it": "Zobacz", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Obserwuj", - "watching": "Obserwujesz", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Podstawy", - "welcome-list2": "Zaawansowane", - "what-to-do": "Co chcesz zrobić?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Panel administracyjny", - "settings": "Ustawienia", - "people": "Osoby", - "registration": "Rejestracja", - "disable-self-registration": "Disable Self-Registration", - "invite": "Zaproś", - "invite-people": "Zaproś osoby", - "to-boards": "To board(s)", - "email-addresses": "Adres e-mail", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "Serwer SMTP", - "smtp-port": "Port SMTP", - "smtp-username": "Nazwa użytkownika", - "smtp-password": "Hasło", - "smtp-tls": "TLS support", - "send-from": "Od", - "send-smtp-test": "Wyślij wiadomość testową do siebie", - "invitation-code": "Kod z zaproszenia", - "email-invite-register-subject": "__inviter__ wysłał Ci zaproszenie", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(nieznany)", - "Wekan_version": "Wersja Wekan", - "Node_version": "Wersja Node", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "godzin", - "minutes": "minut", - "seconds": "sekund", - "show-field-on-card": "Show this field on card", - "yes": "Tak", - "no": "Nie", - "accounts": "Konto", - "accounts-allowEmailChange": "Zezwól na zmianę adresu email", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Stworzono o", - "verified": "Zweryfikowane", - "active": "Aktywny", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json deleted file mode 100644 index 86fd65e0..00000000 --- a/i18n/pt-BR.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Aceitar", - "act-activity-notify": "[Wekan] Notificação de Atividade", - "act-addAttachment": "anexo __attachment__ de __card__", - "act-addChecklist": "added checklist __checklist__ no __card__", - "act-addChecklistItem": "adicionado __checklistitem__ para a lista de checagem __checklist__ em __card__", - "act-addComment": "comentou em __card__: __comment__", - "act-createBoard": "criou __board__", - "act-createCard": "__card__ adicionado à __list__", - "act-createCustomField": "criado campo customizado __customField__", - "act-createList": "__list__ adicionada à __board__", - "act-addBoardMember": "__member__ adicionado à __board__", - "act-archivedBoard": "__board__ movido para a lixeira", - "act-archivedCard": "__card__ movido para a lixeira", - "act-archivedList": "__list__ movido para a lixeira", - "act-archivedSwimlane": "__swimlane__ movido para a lixeira", - "act-importBoard": "__board__ importado", - "act-importCard": "__card__ importado", - "act-importList": "__list__ importada", - "act-joinMember": "__member__ adicionado à __card__", - "act-moveCard": "__card__ movido de __oldList__ para __list__", - "act-removeBoardMember": "__member__ removido de __board__", - "act-restoredCard": "__card__ restaurado para __board__", - "act-unjoinMember": "__member__ removido de __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Ações", - "activities": "Atividades", - "activity": "Atividade", - "activity-added": "adicionou %s a %s", - "activity-archived": "%s movido para a lixeira", - "activity-attached": "anexou %s a %s", - "activity-created": "criou %s", - "activity-customfield-created": "criado campo customizado %s", - "activity-excluded": "excluiu %s de %s", - "activity-imported": "importado %s em %s de %s", - "activity-imported-board": "importado %s de %s", - "activity-joined": "juntou-se a %s", - "activity-moved": "moveu %s de %s para %s", - "activity-on": "em %s", - "activity-removed": "removeu %s de %s", - "activity-sent": "enviou %s de %s", - "activity-unjoined": "saiu de %s", - "activity-checklist-added": "Adicionado lista de verificação a %s", - "activity-checklist-item-added": "adicionado o item de checklist para '%s' em %s", - "add": "Novo", - "add-attachment": "Adicionar Anexos", - "add-board": "Adicionar Quadro", - "add-card": "Adicionar Cartão", - "add-swimlane": "Adicionar Swimlane", - "add-checklist": "Adicionar Checklist", - "add-checklist-item": "Adicionar um item à lista de verificação", - "add-cover": "Adicionar Capa", - "add-label": "Adicionar Etiqueta", - "add-list": "Adicionar Lista", - "add-members": "Adicionar Membros", - "added": "Criado", - "addMemberPopup-title": "Membros", - "admin": "Administrador", - "admin-desc": "Pode ver e editar cartões, remover membros e alterar configurações do quadro.", - "admin-announcement": "Anúncio", - "admin-announcement-active": "Anúncio ativo em todo o sistema", - "admin-announcement-title": "Anúncio do Administrador", - "all-boards": "Todos os quadros", - "and-n-other-card": "E __count__ outro cartão", - "and-n-other-card_plural": "E __count__ outros cartões", - "apply": "Aplicar", - "app-is-offline": "O Wekan está carregando, por favor espere. Recarregar a página irá causar perda de dado. Se o Wekan não carregar por favor verifique se o servidor Wekan não está parado.", - "archive": "Mover para a lixeira", - "archive-all": "Mover tudo para a lixeira", - "archive-board": "Mover quadro para a lixeira", - "archive-card": "Mover cartão para a lixeira", - "archive-list": "Mover lista para a lixeira", - "archive-swimlane": "Mover Swimlane para a lixeira", - "archive-selection": "Mover seleção para a lixeira", - "archiveBoardPopup-title": "Mover o quadro para a lixeira?", - "archived-items": "Lixeira", - "archived-boards": "Quadros na lixeira", - "restore-board": "Restaurar Quadro", - "no-archived-boards": "Não há quadros na lixeira", - "archives": "Lixeira", - "assign-member": "Atribuir Membro", - "attached": "anexado", - "attachment": "Anexo", - "attachment-delete-pop": "Excluir um anexo é permanente. Não será possível recuperá-lo.", - "attachmentDeletePopup-title": "Excluir Anexo?", - "attachments": "Anexos", - "auto-watch": "Veja automaticamente os boards que são criados", - "avatar-too-big": "O avatar é muito grande (70KB max)", - "back": "Voltar", - "board-change-color": "Alterar cor", - "board-nb-stars": "%s estrelas", - "board-not-found": "Quadro não encontrado", - "board-private-info": "Este quadro será privado.", - "board-public-info": "Este quadro será público.", - "boardChangeColorPopup-title": "Alterar Tela de Fundo", - "boardChangeTitlePopup-title": "Renomear Quadro", - "boardChangeVisibilityPopup-title": "Alterar Visibilidade", - "boardChangeWatchPopup-title": "Alterar observação", - "boardMenuPopup-title": "Menu do Quadro", - "boards": "Quadros", - "board-view": "Visão de quadro", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Listas", - "bucket-example": "\"Bucket List\", por exemplo", - "cancel": "Cancelar", - "card-archived": "Este cartão foi movido para a lixeira", - "card-comments-title": "Este cartão possui %s comentários.", - "card-delete-notice": "A exclusão será permanente. Você perderá todas as ações associadas a este cartão.", - "card-delete-pop": "Todas as ações serão removidas da lista de Atividades e vocês não poderá re-abrir o cartão. Não há como desfazer.", - "card-delete-suggest-archive": "Você pode mover um cartão para fora da lixeira e movê-lo para o quadro e preservar a atividade.", - "card-due": "Data fim", - "card-due-on": "Finaliza em", - "card-spent": "Tempo Gasto", - "card-edit-attachments": "Editar anexos", - "card-edit-custom-fields": "Editar campos customizados", - "card-edit-labels": "Editar etiquetas", - "card-edit-members": "Editar membros", - "card-labels-title": "Alterar etiquetas do cartão.", - "card-members-title": "Acrescentar ou remover membros do quadro deste cartão.", - "card-start": "Data início", - "card-start-on": "Começa em", - "cardAttachmentsPopup-title": "Anexar a partir de", - "cardCustomField-datePopup-title": "Mudar data", - "cardCustomFieldsPopup-title": "Editar campos customizados", - "cardDeletePopup-title": "Excluir Cartão?", - "cardDetailsActionsPopup-title": "Ações do cartão", - "cardLabelsPopup-title": "Etiquetas", - "cardMembersPopup-title": "Membros", - "cardMorePopup-title": "Mais", - "cards": "Cartões", - "cards-count": "Cartões", - "change": "Alterar", - "change-avatar": "Alterar Avatar", - "change-password": "Alterar Senha", - "change-permissions": "Alterar permissões", - "change-settings": "Altera configurações", - "changeAvatarPopup-title": "Alterar Avatar", - "changeLanguagePopup-title": "Alterar Idioma", - "changePasswordPopup-title": "Alterar Senha", - "changePermissionsPopup-title": "Alterar Permissões", - "changeSettingsPopup-title": "Altera configurações", - "checklists": "Checklists", - "click-to-star": "Marcar quadro como favorito.", - "click-to-unstar": "Remover quadro dos favoritos.", - "clipboard": "Área de Transferência ou arraste e solte", - "close": "Fechar", - "close-board": "Fechar Quadro", - "close-board-pop": "Você poderá restaurar o quadro clicando no botão lixeira no cabeçalho da página inicial", - "color-black": "preto", - "color-blue": "azul", - "color-green": "verde", - "color-lime": "verde limão", - "color-orange": "laranja", - "color-pink": "cor-de-rosa", - "color-purple": "roxo", - "color-red": "vermelho", - "color-sky": "céu", - "color-yellow": "amarelo", - "comment": "Comentário", - "comment-placeholder": "Escrever Comentário", - "comment-only": "Somente comentários", - "comment-only-desc": "Pode comentar apenas em cartões.", - "computer": "Computador", - "confirm-checklist-delete-dialog": "Tem a certeza de que pretende eliminar lista de verificação", - "copy-card-link-to-clipboard": "Copiar link do cartão para a área de transferência", - "copyCardPopup-title": "Copiar o cartão", - "copyChecklistToManyCardsPopup-title": "Copiar modelo de checklist para vários cartões", - "copyChecklistToManyCardsPopup-instructions": "Títulos e descrições do cartão de destino neste formato JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Título do primeiro cartão\", \"description\":\"Descrição do primeiro cartão\"}, {\"title\":\"Título do segundo cartão\",\"description\":\"Descrição do segundo cartão\"},{\"title\":\"Título do último cartão\",\"description\":\"Descrição do último cartão\"} ]", - "create": "Criar", - "createBoardPopup-title": "Criar Quadro", - "chooseBoardSourcePopup-title": "Importar quadro", - "createLabelPopup-title": "Criar Etiqueta", - "createCustomField": "Criar campo", - "createCustomFieldPopup-title": "Criar campo", - "current": "atual", - "custom-field-delete-pop": "Não existe desfazer. Isso irá remover o campo customizado de todos os cartões e destruir seu histórico", - "custom-field-checkbox": "Caixa de seleção", - "custom-field-date": "Data", - "custom-field-dropdown": "Lista suspensa", - "custom-field-dropdown-none": "(nada)", - "custom-field-dropdown-options": "Lista de opções", - "custom-field-dropdown-options-placeholder": "Pressione enter para adicionar mais opções", - "custom-field-dropdown-unknown": "(desconhecido)", - "custom-field-number": "Número", - "custom-field-text": "Texto", - "custom-fields": "Campos customizados", - "date": "Data", - "decline": "Rejeitar", - "default-avatar": "Avatar padrão", - "delete": "Excluir", - "deleteCustomFieldPopup-title": "Deletar campo customizado?", - "deleteLabelPopup-title": "Excluir Etiqueta?", - "description": "Descrição", - "disambiguateMultiLabelPopup-title": "Desambiguar ações de etiquetas", - "disambiguateMultiMemberPopup-title": "Desambiguar ações de membros", - "discard": "Descartar", - "done": "Feito", - "download": "Baixar", - "edit": "Editar", - "edit-avatar": "Alterar Avatar", - "edit-profile": "Editar Perfil", - "edit-wip-limit": "Editar Limite WIP", - "soft-wip-limit": "Limite de WIP", - "editCardStartDatePopup-title": "Altera data de início", - "editCardDueDatePopup-title": "Altera data fim", - "editCustomFieldPopup-title": "Editar campo", - "editCardSpentTimePopup-title": "Editar tempo gasto", - "editLabelPopup-title": "Alterar Etiqueta", - "editNotificationPopup-title": "Editar Notificações", - "editProfilePopup-title": "Editar Perfil", - "email": "E-mail", - "email-enrollAccount-subject": "Uma conta foi criada para você em __siteName__", - "email-enrollAccount-text": "Olá __user__\npara iniciar utilizando o serviço basta clicar no link abaixo.\n__url__\nMuito Obrigado.", - "email-fail": "Falhou ao enviar email", - "email-fail-text": "Erro ao tentar enviar e-mail", - "email-invalid": "Email inválido", - "email-invite": "Convite via Email", - "email-invite-subject": "__inviter__ lhe enviou um convite", - "email-invite-text": "Caro __user__\n__inviter__ lhe convidou para ingressar no quadro \"__board__\" como colaborador.\nPor favor prossiga através do link abaixo:\n__url__\nMuito obrigado.", - "email-resetPassword-subject": "Redefina sua senha em __siteName__", - "email-resetPassword-text": "Olá __user__\nPara redefinir sua senha, por favor clique no link abaixo.\n__url__\nMuito obrigado.", - "email-sent": "Email enviado", - "email-verifyEmail-subject": "Verifique seu endereço de email em __siteName__", - "email-verifyEmail-text": "Olá __user__\nPara verificar sua conta de email, clique no link abaixo.\n__url__\nObrigado.", - "enable-wip-limit": "Ativar Limite WIP", - "error-board-doesNotExist": "Este quadro não existe", - "error-board-notAdmin": "Você precisa ser administrador desse quadro para fazer isto", - "error-board-notAMember": "Você precisa ser um membro desse quadro para fazer isto", - "error-json-malformed": "Seu texto não é um JSON válido", - "error-json-schema": "Seu JSON não inclui as informações no formato correto", - "error-list-doesNotExist": "Esta lista não existe", - "error-user-doesNotExist": "Este usuário não existe", - "error-user-notAllowSelf": "Você não pode convidar a si mesmo", - "error-user-notCreated": "Este usuário não foi criado", - "error-username-taken": "Esse username já existe", - "error-email-taken": "E-mail já está em uso", - "export-board": "Exportar quadro", - "filter": "Filtrar", - "filter-cards": "Filtrar Cartões", - "filter-clear": "Limpar filtro", - "filter-no-label": "Sem labels", - "filter-no-member": "Sem membros", - "filter-no-custom-fields": "Não há campos customizados", - "filter-on": "Filtro está ativo", - "filter-on-desc": "Você está filtrando cartões neste quadro. Clique aqui para editar o filtro.", - "filter-to-selection": "Filtrar esta seleção", - "advanced-filter-label": "Filtro avançado", - "advanced-filter-description": "Um Filtro Avançado permite escrever uma string contendo os seguintes operadores: == != <= >= && || () Um espaço é utilizado como separador entre os operadores. Você pode filtrar todos os campos customizados digitando seus nomes e valores. Por exemplo: campo1 == valor1. Nota: se campos ou valores contém espaços, você precisa encapsular eles em aspas simples. Por exemplo: 'campo 1' == 'valor 1'. Você também pode combinar múltiplas condições. Por exemplo: F1 == V1 || F1 == V2. Normalmente todos os operadores são interpretados da esquerda para a direita. Você pode mudar a ordem ao incluir parênteses. Por exemplo: F1 == V1 e (F2 == V2 || F2 == V3)", - "fullname": "Nome Completo", - "header-logo-title": "Voltar para a lista de quadros.", - "hide-system-messages": "Esconde mensagens de sistema", - "headerBarCreateBoardPopup-title": "Criar Quadro", - "home": "Início", - "import": "Importar", - "import-board": "importar quadro", - "import-board-c": "Importar quadro", - "import-board-title-trello": "Importar board do Trello", - "import-board-title-wekan": "Importar quadro do Wekan", - "import-sandstorm-warning": "O quadro importado irá excluir todos os dados existentes no quadro e irá sobrescrever com o quadro importado.", - "from-trello": "Do Trello", - "from-wekan": "Do Wekan", - "import-board-instruction-trello": "No seu quadro do Trello, vá em 'Menu', depois em 'Mais', 'Imprimir e Exportar', 'Exportar JSON', então copie o texto emitido", - "import-board-instruction-wekan": "Em seu quadro Wekan, vá para 'Menu', em seguida 'Exportar quadro', e copie o texto no arquivo baixado.", - "import-json-placeholder": "Cole seus dados JSON válidos aqui", - "import-map-members": "Mapear membros", - "import-members-map": "O seu quadro importado tem alguns membros. Por favor determine os membros que você deseja importar para os usuários Wekan", - "import-show-user-mapping": "Revisar mapeamento dos membros", - "import-user-select": "Selecione o usuário Wekan que você gostaria de usar como este membro", - "importMapMembersAddPopup-title": "Seleciona um membro", - "info": "Versão", - "initials": "Iniciais", - "invalid-date": "Data inválida", - "invalid-time": "Hora inválida", - "invalid-user": "Usuário inválido", - "joined": "juntou-se", - "just-invited": "Você já foi convidado para este quadro", - "keyboard-shortcuts": "Atalhos do teclado", - "label-create": "Criar Etiqueta", - "label-default": "%s etiqueta (padrão)", - "label-delete-pop": "Não será possível recuperá-la. A etiqueta será removida de todos os cartões e seu histórico será destruído.", - "labels": "Etiquetas", - "language": "Idioma", - "last-admin-desc": "Você não pode alterar funções porque deve existir pelo menos um administrador.", - "leave-board": "Sair do Quadro", - "leave-board-pop": "Tem a certeza de que pretende sair de __boardTitle__? Você será removido de todos os cartões neste quadro.", - "leaveBoardPopup-title": "Sair do Quadro ?", - "link-card": "Vincular a este cartão", - "list-archive-cards": "Mover todos os cartões nesta lista para a lixeira", - "list-archive-cards-pop": "Isso irá remover todos os cartões nesta lista do quadro. Para visualizar cartões na lixeira e trazê-los de volta ao quadro, clique em \"Menu\" > \"Lixeira\".", - "list-move-cards": "Mover todos os cartões desta lista", - "list-select-cards": "Selecionar todos os cartões nesta lista", - "listActionPopup-title": "Listar Ações", - "swimlaneActionPopup-title": "Ações de Swimlane", - "listImportCardPopup-title": "Importe um cartão do Trello", - "listMorePopup-title": "Mais", - "link-list": "Vincular a esta lista", - "list-delete-pop": "Todas as ações serão removidas da lista de atividades e você não poderá recuperar a lista. Não há como desfazer.", - "list-delete-suggest-archive": "Você pode mover a lista para a lixeira para removê-la do quadro e preservar a atividade.", - "lists": "Listas", - "swimlanes": "Swimlanes", - "log-out": "Sair", - "log-in": "Entrar", - "loginPopup-title": "Entrar", - "memberMenuPopup-title": "Configuração de Membros", - "members": "Membros", - "menu": "Menu", - "move-selection": "Mover seleção", - "moveCardPopup-title": "Mover Cartão", - "moveCardToBottom-title": "Mover para o final", - "moveCardToTop-title": "Mover para o topo", - "moveSelectionPopup-title": "Mover seleção", - "multi-selection": "Multi-Seleção", - "multi-selection-on": "Multi-seleção está ativo", - "muted": "Silenciar", - "muted-info": "Você nunca receberá qualquer notificação desse board", - "my-boards": "Meus Quadros", - "name": "Nome", - "no-archived-cards": "Não há cartões na lixeira", - "no-archived-lists": "Não há listas na lixeira", - "no-archived-swimlanes": "Não há swimlanes na lixeira", - "no-results": "Nenhum resultado.", - "normal": "Normal", - "normal-desc": "Pode ver e editar cartões. Não pode alterar configurações.", - "not-accepted-yet": "Convite ainda não aceito", - "notify-participate": "Receber atualizações de qualquer card que você criar ou participar como membro", - "notify-watch": "Receber atualizações de qualquer board, lista ou cards que você estiver observando", - "optional": "opcional", - "or": "ou", - "page-maybe-private": "Esta página pode ser privada. Você poderá vê-la se estiver logado.", - "page-not-found": "Página não encontrada.", - "password": "Senha", - "paste-or-dragdrop": "para colar, ou arraste e solte o arquivo da imagem para ca (somente imagens)", - "participating": "Participando", - "preview": "Previsualizar", - "previewAttachedImagePopup-title": "Previsualizar", - "previewClipboardImagePopup-title": "Previsualizar", - "private": "Privado", - "private-desc": "Este quadro é privado. Apenas seus membros podem acessar e editá-lo.", - "profile": "Perfil", - "public": "Público", - "public-desc": "Este quadro é público. Ele é visível a qualquer pessoa com o link e será exibido em mecanismos de busca como o Google. Apenas seus membros podem editá-lo.", - "quick-access-description": "Clique na estrela para adicionar um atalho nesta barra.", - "remove-cover": "Remover Capa", - "remove-from-board": "Remover do Quadro", - "remove-label": "Remover Etiqueta", - "listDeletePopup-title": "Excluir Lista ?", - "remove-member": "Remover Membro", - "remove-member-from-card": "Remover do Cartão", - "remove-member-pop": "Remover __name__ (__username__) de __boardTitle__? O membro será removido de todos os cartões neste quadro e será notificado.", - "removeMemberPopup-title": "Remover Membro?", - "rename": "Renomear", - "rename-board": "Renomear Quadro", - "restore": "Restaurar", - "save": "Salvar", - "search": "Buscar", - "search-cards": "Pesquisa em títulos e descrições de cartões neste quadro", - "search-example": "Texto para procurar", - "select-color": "Selecionar Cor", - "set-wip-limit-value": "Defina um limite máximo para o número de tarefas nesta lista", - "setWipLimitPopup-title": "Definir Limite WIP", - "shortcut-assign-self": "Atribuir a si o cartão atual", - "shortcut-autocomplete-emoji": "Autocompletar emoji", - "shortcut-autocomplete-members": "Preenchimento automático de membros", - "shortcut-clear-filters": "Limpar todos filtros", - "shortcut-close-dialog": "Fechar dialogo", - "shortcut-filter-my-cards": "Filtrar meus cartões", - "shortcut-show-shortcuts": "Mostrar lista de atalhos", - "shortcut-toggle-filterbar": "Alternar barra de filtro", - "shortcut-toggle-sidebar": "Fechar barra lateral.", - "show-cards-minimum-count": "Mostrar contador de cards se a lista tiver mais de", - "sidebar-open": "Abrir barra lateral", - "sidebar-close": "Fechar barra lateral", - "signupPopup-title": "Criar uma Conta", - "star-board-title": "Clique para marcar este quadro como favorito. Ele aparecerá no topo na lista dos seus quadros.", - "starred-boards": "Quadros Favoritos", - "starred-boards-description": "Quadros favoritos aparecem no topo da lista dos seus quadros.", - "subscribe": "Acompanhar", - "team": "Equipe", - "this-board": "este quadro", - "this-card": "este cartão", - "spent-time-hours": "Tempo gasto (Horas)", - "overtime-hours": "Tempo extras (Horas)", - "overtime": "Tempo extras", - "has-overtime-cards": "Tem cartões de horas extras", - "has-spenttime-cards": "Gastou cartões de tempo", - "time": "Tempo", - "title": "Título", - "tracking": "Tracking", - "tracking-info": "Você será notificado se houver qualquer alteração em cards em que você é o criador ou membro", - "type": "Tipo", - "unassign-member": "Membro não associado", - "unsaved-description": "Você possui uma descrição não salva", - "unwatch": "Deixar de observar", - "upload": "Upload", - "upload-avatar": "Carregar um avatar", - "uploaded-avatar": "Avatar carregado", - "username": "Nome de usuário", - "view-it": "Visualizar", - "warn-list-archived": "Aviso: este cartão está em uma lista na lixeira", - "watch": "Observar", - "watching": "Observando", - "watching-info": "Você será notificado em qualquer alteração desse board", - "welcome-board": "Board de Boas Vindas", - "welcome-swimlane": "Marco 1", - "welcome-list1": "Básico", - "welcome-list2": "Avançado", - "what-to-do": "O que você gostaria de fazer?", - "wipLimitErrorPopup-title": "Limite WIP Inválido", - "wipLimitErrorPopup-dialog-pt1": "O número de tarefas nesta lista excede o limite WIP definido.", - "wipLimitErrorPopup-dialog-pt2": "Por favor, mova algumas tarefas para fora desta lista, ou defina um limite WIP mais elevado.", - "admin-panel": "Painel Administrativo", - "settings": "Configurações", - "people": "Pessoas", - "registration": "Registro", - "disable-self-registration": "Desabilitar Cadastrar-se", - "invite": "Convite", - "invite-people": "Convide Pessoas", - "to-boards": "Para o/os quadro(s)", - "email-addresses": "Endereço de Email", - "smtp-host-description": "O endereço do servidor SMTP que envia seus emails.", - "smtp-port-description": "A porta que o servidor SMTP usa para enviar os emails.", - "smtp-tls-description": "Habilitar suporte TLS para servidor SMTP", - "smtp-host": "Servidor SMTP", - "smtp-port": "Porta SMTP", - "smtp-username": "Nome de usuário", - "smtp-password": "Senha", - "smtp-tls": "Suporte TLS", - "send-from": "De", - "send-smtp-test": "Enviar um email de teste para você mesmo", - "invitation-code": "Código do Convite", - "email-invite-register-subject": "__inviter__ lhe enviou um convite", - "email-invite-register-text": "Caro __user__,\n\n__inviter__ convidou você para colaborar no Wekan.\n\nPor favor, vá no link abaixo:\n__url__\n\nE seu código de convite é: __icode__\n\nObrigado.", - "email-smtp-test-subject": "Email Teste SMTP de Wekan", - "email-smtp-test-text": "Você enviou um email com sucesso", - "error-invitation-code-not-exist": "O código do convite não existe", - "error-notAuthorized": "Você não está autorizado à ver esta página.", - "outgoing-webhooks": "Webhook de saída", - "outgoingWebhooksPopup-title": "Webhook de saída", - "new-outgoing-webhook": "Novo Webhook de saída", - "no-name": "(Desconhecido)", - "Wekan_version": "Versão do Wekan", - "Node_version": "Versão do Node", - "OS_Arch": "Arquitetura do SO", - "OS_Cpus": "Quantidade de CPUS do SO", - "OS_Freemem": "Memória Disponível do SO", - "OS_Loadavg": "Carga Média do SO", - "OS_Platform": "Plataforma do SO", - "OS_Release": "Versão do SO", - "OS_Totalmem": "Memória Total do SO", - "OS_Type": "Tipo do SO", - "OS_Uptime": "Disponibilidade do SO", - "hours": "horas", - "minutes": "minutos", - "seconds": "segundos", - "show-field-on-card": "Mostrar este campo no cartão", - "yes": "Sim", - "no": "Não", - "accounts": "Contas", - "accounts-allowEmailChange": "Permitir Mudança de Email", - "accounts-allowUserNameChange": "Permitir alteração de nome de usuário", - "createdAt": "Criado em", - "verified": "Verificado", - "active": "Ativo", - "card-received": "Recebido", - "card-received-on": "Recebido em", - "card-end": "Fim", - "card-end-on": "Termina em", - "editCardReceivedDatePopup-title": "Modificar data de recebimento", - "editCardEndDatePopup-title": "Mudar data de fim", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json deleted file mode 100644 index 06b5ba2d..00000000 --- a/i18n/pt.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Aceitar", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "Criado %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Adicionar", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", - "addMemberPopup-title": "Membros", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Renomear Quadro", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Etiquetas", - "cardMembersPopup-title": "Membros", - "cardMorePopup-title": "Mais", - "cards": "Cartões", - "cards-count": "Cartões", - "change": "Alterar", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comentário", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computador", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Etiquetas", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "Mais", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Membros", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Nome", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Nenhum resultado", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remover Membro?", - "rename": "Renomear", - "rename-board": "Renomear Quadro", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "Não", - "accounts": "Contas", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verificado", - "active": "Ativo", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json deleted file mode 100644 index dd4d2b58..00000000 --- a/i18n/ro.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Accept", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Add", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", - "addMemberPopup-title": "Members", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Ataşament", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Ataşamente", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Înapoi", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Liste", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Members", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Închide", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Iniţiale", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Liste", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Members", - "menu": "Meniu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Nume", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Parolă", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Privat", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profil", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Salvează", - "search": "Caută", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Titlu", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "Ce ai vrea sa faci?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Parolă", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json deleted file mode 100644 index ca9d3673..00000000 --- a/i18n/ru.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Принять", - "act-activity-notify": "[Wekan] Уведомление о действиях участников", - "act-addAttachment": "вложено __attachment__ в __card__", - "act-addChecklist": "добавил контрольный список __checklist__ в __card__", - "act-addChecklistItem": "добавил __checklistItem__ в контрольный список __checklist__ в __card__", - "act-addComment": "прокомментировал __card__: __comment__", - "act-createBoard": "создал __board__", - "act-createCard": "добавил __card__ в __list__", - "act-createCustomField": "Расширенный фильтр позволяет написать строку, содержащую следующие операторы: ==! = <=> = && || () Пространство используется как разделитель между Операторами. Вы можете фильтровать все пользовательские поля, введя их имена и значения. Например: Field1 == Value1. Примечание. Если поля или значения содержат пробелы, вам необходимо инкапсулировать их в одинарные кавычки. Например: «Поле 1» == «Значение 1». Также вы можете комбинировать несколько условий. Например: F1 == V1 || F1 = V2. Обычно все операторы интерпретируются слева направо. Вы можете изменить порядок, разместив скобки. Например: F1 == V1 и (F2 == V2 || F2 == V3)", - "act-createList": "добавил __list__ для __board__", - "act-addBoardMember": "добавил __member__ в __board__", - "act-archivedBoard": "Доска __board__ перемещена в Корзину", - "act-archivedCard": "Карточка __card__ перемещена в Корзину", - "act-archivedList": "Список __list__ перемещён в Корзину", - "act-archivedSwimlane": "Дорожка __swimlane__ перемещена в Корзину", - "act-importBoard": "__board__ импортирована", - "act-importCard": "__card__ импортирована", - "act-importList": "__list__ импортирован", - "act-joinMember": "добавил __member__ в __card__", - "act-moveCard": "__card__ перемещена из __oldList__ в __list__", - "act-removeBoardMember": "__member__ удален из __board__", - "act-restoredCard": "__card__ востановлена в __board__", - "act-unjoinMember": "__member__ удален из __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Действия", - "activities": "История действий", - "activity": "Действия участников", - "activity-added": "добавил %s на %s", - "activity-archived": "%s перемещено в Корзину", - "activity-attached": "прикрепил %s к %s", - "activity-created": "создал %s", - "activity-customfield-created": "создать настраиваемое поле", - "activity-excluded": "исключил %s из %s", - "activity-imported": "импортировал %s в %s из %s", - "activity-imported-board": "импортировал %s из %s", - "activity-joined": "присоединился к %s", - "activity-moved": "переместил %s из %s в %s", - "activity-on": "%s", - "activity-removed": "удалил %s из %s", - "activity-sent": "отправил %s в %s", - "activity-unjoined": "вышел из %s", - "activity-checklist-added": "добавил контрольный список в %s", - "activity-checklist-item-added": "добавил пункт контрольного списка в '%s' в карточке %s", - "add": "Создать", - "add-attachment": "Добавить вложение", - "add-board": "Добавить доску", - "add-card": "Добавить карту", - "add-swimlane": "Добавить дорожку", - "add-checklist": "Добавить контрольный список", - "add-checklist-item": "Добавить пункт в контрольный список", - "add-cover": "Прикрепить", - "add-label": "Добавить метку", - "add-list": "Добавить простой список", - "add-members": "Добавить участника", - "added": "Добавлено", - "addMemberPopup-title": "Участники", - "admin": "Администратор", - "admin-desc": "Может просматривать и редактировать карточки, удалять участников и управлять настройками доски.", - "admin-announcement": "Объявление", - "admin-announcement-active": "Действующее общесистемное объявление", - "admin-announcement-title": "Объявление от Администратора", - "all-boards": "Все доски", - "and-n-other-card": "И __count__ другая карточка", - "and-n-other-card_plural": "И __count__ другие карточки", - "apply": "Применить", - "app-is-offline": "Wekan загружается, пожалуйста подождите. Обновление страницы может привести к потере данных. Если Wekan не загрузился, пожалуйста проверьте что связь с сервером доступна.", - "archive": "Переместить в Корзину", - "archive-all": "Переместить всё в Корзину", - "archive-board": "Переместить Доску в Корзину", - "archive-card": "Переместить Карточку в Корзину", - "archive-list": "Переместить Список в Корзину", - "archive-swimlane": "Переместить Дорожку в Корзину", - "archive-selection": "Переместить выбранное в Корзину", - "archiveBoardPopup-title": "Переместить Доску в Корзину?", - "archived-items": "Корзина", - "archived-boards": "Доски находящиеся в Корзине", - "restore-board": "Востановить доску", - "no-archived-boards": "В Корзине нет никаких Досок", - "archives": "Корзина", - "assign-member": "Назначить участника", - "attached": "прикреплено", - "attachment": "Вложение", - "attachment-delete-pop": "Если удалить вложение, его нельзя будет восстановить.", - "attachmentDeletePopup-title": "Удалить вложение?", - "attachments": "Вложения", - "auto-watch": "Автоматически следить за созданными досками", - "avatar-too-big": "Аватар слишком большой (максимум 70КБ)", - "back": "Назад", - "board-change-color": "Изменить цвет", - "board-nb-stars": "%s избранное", - "board-not-found": "Доска не найдена", - "board-private-info": "Это доска будет частной.", - "board-public-info": "Эта доска будет доступной всем.", - "boardChangeColorPopup-title": "Изменить фон доски", - "boardChangeTitlePopup-title": "Переименовать доску", - "boardChangeVisibilityPopup-title": "Изменить настройки видимости", - "boardChangeWatchPopup-title": "Изменить Отслеживание", - "boardMenuPopup-title": "Меню доски", - "boards": "Доски", - "board-view": "Вид доски", - "board-view-swimlanes": "Дорожки", - "board-view-lists": "Списки", - "bucket-example": "Например “Список дел”", - "cancel": "Отмена", - "card-archived": "Эта карточка перемещена в Корзину", - "card-comments-title": "Комментарии (%s)", - "card-delete-notice": "Это действие невозможно будет отменить. Все изменения, которые вы вносили в карточку будут потеряны.", - "card-delete-pop": "Все действия будут удалены из ленты активности участников и вы не сможете заново открыть карточку. Действие необратимо", - "card-delete-suggest-archive": "Вы можете переместить карточку в Корзину, чтобы удалить ее с доски и сохранить активность .", - "card-due": "Выполнить к", - "card-due-on": "Выполнить до", - "card-spent": "Затраченное время", - "card-edit-attachments": "Изменить вложения", - "card-edit-custom-fields": "Редактировать настраиваемые поля", - "card-edit-labels": "Изменить метку", - "card-edit-members": "Изменить участников", - "card-labels-title": "Изменить метки для этой карточки.", - "card-members-title": "Добавить или удалить с карточки участников доски.", - "card-start": "Дата начала", - "card-start-on": "Начнётся с", - "cardAttachmentsPopup-title": "Прикрепить из", - "cardCustomField-datePopup-title": "Изменить дату", - "cardCustomFieldsPopup-title": "редактировать настраиваемые поля", - "cardDeletePopup-title": "Удалить карточку?", - "cardDetailsActionsPopup-title": "Действия в карточке", - "cardLabelsPopup-title": "Метки", - "cardMembersPopup-title": "Участники", - "cardMorePopup-title": "Поделиться", - "cards": "Карточки", - "cards-count": "Карточки", - "change": "Изменить", - "change-avatar": "Изменить аватар", - "change-password": "Изменить пароль", - "change-permissions": "Изменить права доступа", - "change-settings": "Изменить настройки", - "changeAvatarPopup-title": "Изменить аватар", - "changeLanguagePopup-title": "Сменить язык", - "changePasswordPopup-title": "Изменить пароль", - "changePermissionsPopup-title": "Изменить настройки доступа", - "changeSettingsPopup-title": "Изменить Настройки", - "checklists": "Контрольные списки", - "click-to-star": "Добавить в «Избранное»", - "click-to-unstar": "Удалить из «Избранного»", - "clipboard": "Буфер обмена или drag & drop", - "close": "Закрыть", - "close-board": "Закрыть доску", - "close-board-pop": "Вы можете восстановить доску, нажав “Корзина” в заголовке.", - "color-black": "черный", - "color-blue": "синий", - "color-green": "зеленый", - "color-lime": "лимоновый", - "color-orange": "оранжевый", - "color-pink": "розовый", - "color-purple": "фиолетовый", - "color-red": "красный", - "color-sky": "голубой", - "color-yellow": "желтый", - "comment": "Добавить комментарий", - "comment-placeholder": "Написать комментарий", - "comment-only": "Только комментирование", - "comment-only-desc": "Может комментировать только карточки.", - "computer": "Загрузить с компьютера", - "confirm-checklist-delete-dialog": "Вы уверены, что хотите удалить контрольный список?", - "copy-card-link-to-clipboard": "Копировать ссылку на карточку в буфер обмена", - "copyCardPopup-title": "Копировать карточку", - "copyChecklistToManyCardsPopup-title": "Копировать шаблон контрольного списка в несколько карточек", - "copyChecklistToManyCardsPopup-instructions": "Названия и описания целевых карт в формате JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Создать", - "createBoardPopup-title": "Создать доску", - "chooseBoardSourcePopup-title": "Импортировать доску", - "createLabelPopup-title": "Создать метку", - "createCustomField": "Создать поле", - "createCustomFieldPopup-title": "Создать поле", - "current": "текущий", - "custom-field-delete-pop": "Отменить нельзя. Это удалит настраиваемое поле со всех карт и уничтожит его историю.", - "custom-field-checkbox": "Галочка", - "custom-field-date": "Дата", - "custom-field-dropdown": "Выпадающий список", - "custom-field-dropdown-none": "(нет)", - "custom-field-dropdown-options": "Параметры списка", - "custom-field-dropdown-options-placeholder": "Нажмите «Ввод», чтобы добавить дополнительные параметры.", - "custom-field-dropdown-unknown": "(неизвестно)", - "custom-field-number": "Номер", - "custom-field-text": "Текст", - "custom-fields": "Настраиваемые поля", - "date": "Дата", - "decline": "Отклонить", - "default-avatar": "Аватар по умолчанию", - "delete": "Удалить", - "deleteCustomFieldPopup-title": "Удалить настраиваемые поля?", - "deleteLabelPopup-title": "Удалить метку?", - "description": "Описание", - "disambiguateMultiLabelPopup-title": "Разрешить конфликт меток", - "disambiguateMultiMemberPopup-title": "Разрешить конфликт участников", - "discard": "Отказать", - "done": "Готово", - "download": "Скачать", - "edit": "Редактировать", - "edit-avatar": "Изменить аватар", - "edit-profile": "Изменить профиль", - "edit-wip-limit": " Изменить лимит на кол-во задач", - "soft-wip-limit": "Мягкий лимит на кол-во задач", - "editCardStartDatePopup-title": "Изменить дату начала", - "editCardDueDatePopup-title": "Изменить дату выполнения", - "editCustomFieldPopup-title": "Редактировать поле", - "editCardSpentTimePopup-title": "Изменить затраченное время", - "editLabelPopup-title": "Изменить метки", - "editNotificationPopup-title": "Редактировать уведомления", - "editProfilePopup-title": "Редактировать профиль", - "email": "Эл.почта", - "email-enrollAccount-subject": "Аккаунт создан для вас здесь __url__", - "email-enrollAccount-text": "Привет __user__,\n\nДля того, чтобы начать использовать сервис, просто нажми на ссылку ниже.\n\n__url__\n\nСпасибо.", - "email-fail": "Отправка письма на EMail не удалась", - "email-fail-text": "Ошибка при попытке отправить письмо", - "email-invalid": "Неверный адрес электронной почти", - "email-invite": "Пригласить по электронной почте", - "email-invite-subject": "__inviter__ прислал вам приглашение", - "email-invite-text": "Дорогой __user__,\n\n__inviter__ пригласил вас присоединиться к доске \"__board__\" для сотрудничества.\n\nПожалуйста проследуйте по ссылке ниже:\n\n__url__\n\nСпасибо.", - "email-resetPassword-subject": "Перейдите по ссылке, чтобы сбросить пароль __url__", - "email-resetPassword-text": "Привет __user__,\n\nДля сброса пароля перейдите по ссылке ниже.\n\n__url__\n\nThanks.", - "email-sent": "Письмо отправлено", - "email-verifyEmail-subject": "Подтвердите вашу эл.почту перейдя по ссылке __url__", - "email-verifyEmail-text": "Привет __user__,\n\nДля подтверждения вашей электронной почты перейдите по ссылке ниже.\n\n__url__\n\nСпасибо.", - "enable-wip-limit": "Включить лимит на кол-во задач", - "error-board-doesNotExist": "Доска не найдена", - "error-board-notAdmin": "Вы должны обладать правами администратора этой доски, чтобы сделать это", - "error-board-notAMember": "Вы должны быть участником доски, чтобы сделать это", - "error-json-malformed": "Ваше текст не является правильным JSON", - "error-json-schema": "Содержимое вашего JSON не содержит информацию в корректном формате", - "error-list-doesNotExist": "Список не найден", - "error-user-doesNotExist": "Пользователь не найден", - "error-user-notAllowSelf": "Вы не можете пригласить себя", - "error-user-notCreated": "Пользователь не создан", - "error-username-taken": "Это имя пользователя уже занято", - "error-email-taken": "Этот адрес уже занят", - "export-board": "Экспортировать доску", - "filter": "Фильтр", - "filter-cards": "Фильтр карточек", - "filter-clear": "Очистить фильтр", - "filter-no-label": "Нет метки", - "filter-no-member": "Нет участников", - "filter-no-custom-fields": "Нет настраиваемых полей", - "filter-on": "Включен фильтр", - "filter-on-desc": "Показываются карточки, соответствующие настройкам фильтра. Нажмите для редактирования.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Расширенный фильтр", - "advanced-filter-description": "Расширенный фильтр позволяет написать строку, содержащую следующие операторы: ==! = <=> = && || () Пространство используется как разделитель между Операторами. Вы можете фильтровать все пользовательские поля, введя их имена и значения. Например: Field1 == Value1. Примечание: Если поля или значения содержат пробелы, вам необходимо 'брать' их в одинарные кавычки. Например: 'Поле 1' == 'Значение 1'. Также вы можете комбинировать несколько условий. Например: F1 == V1 || F1 = V2. Обычно все операторы интерпретируются слева направо. Вы можете изменить порядок, разместив скобки. Например: F1 == V1 и (F2 == V2 || F2 == V3)", - "fullname": "Полное имя", - "header-logo-title": "Вернуться к доскам.", - "hide-system-messages": "Скрыть системные сообщения", - "headerBarCreateBoardPopup-title": "Создать доску", - "home": "Главная", - "import": "Импорт", - "import-board": "импортировать доску", - "import-board-c": "Импортировать доску", - "import-board-title-trello": "Импортировать доску из Trello", - "import-board-title-wekan": "Импортировать доску из Wekan", - "import-sandstorm-warning": "Импортированная доска удалит все существующие данные на текущей доске и заменит её импортированной доской.", - "from-trello": "Из Trello", - "from-wekan": "Из Wekan", - "import-board-instruction-trello": "На вашей Trello доске нажмите “Menu” - “More” - “Print and export - “Export JSON” и скопируйте полученный текст", - "import-board-instruction-wekan": "На вашей Wekan доске, перейдите в “Меню”, далее “Экспортировать доску” и скопируйте текст из скачаного файла", - "import-json-placeholder": "Вставьте JSON сюда", - "import-map-members": "Составить карту участников", - "import-members-map": "Вы импортировали доску с участниками. Пожалуйста, составьте карту участников, которых вы хотите импортировать в качестве пользователей Wekan", - "import-show-user-mapping": "Проверить карту участников", - "import-user-select": "Выберите пользователя Wekan, которого вы хотите использовать в качестве участника", - "importMapMembersAddPopup-title": "Выбрать участника Wekan", - "info": "Версия", - "initials": "Инициалы", - "invalid-date": "Неверная дата", - "invalid-time": "Некорректное время", - "invalid-user": "Неверный пользователь", - "joined": "вступил", - "just-invited": "Вас только что пригласили на эту доску", - "keyboard-shortcuts": "Сочетания клавиш", - "label-create": "Создать метку", - "label-default": "%sметка (по умолчанию)", - "label-delete-pop": "Это действие невозможно будет отменить. Эта метка будут удалена во всех карточках. Также будет удалена вся история этой метки.", - "labels": "Метки", - "language": "Язык", - "last-admin-desc": "Вы не можете изменять роли, для этого требуются права администратора.", - "leave-board": "Покинуть доску", - "leave-board-pop": "Вы уверенны, что хотите покинуть __boardTitle__? Вы будете удалены из всех карточек на этой доске.", - "leaveBoardPopup-title": "Покинуть доску?", - "link-card": "Доступна по ссылке", - "list-archive-cards": "Переместить все карточки в этом списке в Корзину", - "list-archive-cards-pop": "Это действие переместит все карточки в Корзину и они перестанут быть видимым на доске. Для просмотра карточек в Корзине и их восстановления нажмите “Меню” > “Корзина”.", - "list-move-cards": "Переместить все карточки в этом списке", - "list-select-cards": "Выбрать все карточки в этом списке", - "listActionPopup-title": "Список действий", - "swimlaneActionPopup-title": "Действия с дорожкой", - "listImportCardPopup-title": "Импортировать Trello карточку", - "listMorePopup-title": "Поделиться", - "link-list": "Ссылка на список", - "list-delete-pop": "Все действия будут удалены из ленты активности участников и вы не сможете восстановить список. Данное действие необратимо.", - "list-delete-suggest-archive": "Вы можете переместить карточку в Корзину, чтобы удалить ее с доски и сохранить активность .", - "lists": "Списки", - "swimlanes": "Дорожки", - "log-out": "Выйти", - "log-in": "Войти", - "loginPopup-title": "Войти", - "memberMenuPopup-title": "Настройки участника", - "members": "Участники", - "menu": "Меню", - "move-selection": "Переместить выделение", - "moveCardPopup-title": "Переместить карточку", - "moveCardToBottom-title": "Переместить вниз", - "moveCardToTop-title": "Переместить вверх", - "moveSelectionPopup-title": "Переместить выделение", - "multi-selection": "Выбрать несколько", - "multi-selection-on": "Выбрать несколько из", - "muted": "Заглушен", - "muted-info": "Вы НИКОГДА не будете уведомлены ни о каких изменениях в этой доске.", - "my-boards": "Мои доски", - "name": "Имя", - "no-archived-cards": "В Корзине нет никаких Карточек", - "no-archived-lists": "В Корзине нет никаких Списков", - "no-archived-swimlanes": "В Корзине нет никаких Дорожек", - "no-results": "Ничего не найдено", - "normal": "Обычный", - "normal-desc": "Может редактировать карточки. Не может управлять настройками.", - "not-accepted-yet": "Приглашение еще не принято", - "notify-participate": "Получать обновления по любым карточкам, которые вы создавали или участником которых являетесь.", - "notify-watch": "Получать обновления по любым доскам, спискам и карточкам, на которые вы подписаны как наблюдатель.", - "optional": "не обязательно", - "or": "или", - "page-maybe-private": "Возможно, эта страница скрыта от незарегистрированных пользователей. Попробуйте войти на сайт.", - "page-not-found": "Страница не найдена.", - "password": "Пароль", - "paste-or-dragdrop": "вставьте, или перетащите файл с изображением сюда (только графический файл)", - "participating": "Участвую", - "preview": "Предпросмотр", - "previewAttachedImagePopup-title": "Предпросмотр", - "previewClipboardImagePopup-title": "Предпросмотр", - "private": "Закрытая", - "private-desc": "Эта доска с ограниченным доступом. Только участники могут работать с ней.", - "profile": "Профиль", - "public": "Открытая", - "public-desc": "Эта доска может быть видна всем у кого есть ссылка. Также может быть проиндексирована поисковыми системами. Вносить изменения могут только участники.", - "quick-access-description": "Нажмите на звезду, что добавить ярлык доски на панель.", - "remove-cover": "Открепить", - "remove-from-board": "Удалить с доски", - "remove-label": "Удалить метку", - "listDeletePopup-title": "Удалить список?", - "remove-member": "Удалить участника", - "remove-member-from-card": "Удалить из карточки", - "remove-member-pop": "Удалить участника __name__ (__username__) из доски __boardTitle__? Участник будет удален из всех карточек на этой доске. Также он получит уведомление о совершаемом действии.", - "removeMemberPopup-title": "Удалить участника?", - "rename": "Переименовать", - "rename-board": "Переименовать доску", - "restore": "Восстановить", - "save": "Сохранить", - "search": "Поиск", - "search-cards": "Искать в названиях и описаниях карточек на этой доске", - "search-example": "Искать текст?", - "select-color": "Выбрать цвет", - "set-wip-limit-value": "Устанавливает ограничение на максимальное количество задач в этом списке", - "setWipLimitPopup-title": "Задать лимит на кол-во задач", - "shortcut-assign-self": "Связать себя с текущей карточкой", - "shortcut-autocomplete-emoji": "Автозаполнение emoji", - "shortcut-autocomplete-members": "Автозаполнение участников", - "shortcut-clear-filters": "Сбросить все фильтры", - "shortcut-close-dialog": "Закрыть диалог", - "shortcut-filter-my-cards": "Показать мои карточки", - "shortcut-show-shortcuts": "Поднять список ярлыков", - "shortcut-toggle-filterbar": "Переместить фильтр на бововую панель", - "shortcut-toggle-sidebar": "Переместить доску на боковую панель", - "show-cards-minimum-count": "Показывать количество карточек если их больше", - "sidebar-open": "Открыть Панель", - "sidebar-close": "Скрыть Панель", - "signupPopup-title": "Создать учетную запись", - "star-board-title": "Добавить в «Избранное». Эта доска будет всегда на виду.", - "starred-boards": "Добавленные в «Избранное»", - "starred-boards-description": "Избранные доски будут всегда вверху списка.", - "subscribe": "Подписаться", - "team": "Участники", - "this-board": "эту доску", - "this-card": "текущая карточка", - "spent-time-hours": "Затраченное время (в часах)", - "overtime-hours": "Переработка (в часах)", - "overtime": "Переработка", - "has-overtime-cards": "Имеются карточки с переработкой", - "has-spenttime-cards": "Имеются карточки с учетом затраченного времени", - "time": "Время", - "title": "Название", - "tracking": "Отслеживание", - "tracking-info": "Вы будете уведомлены о любых изменениях в тех карточках, в которых вы являетесь создателем или участником.", - "type": "Тип", - "unassign-member": "Отменить назначение участника", - "unsaved-description": "У вас есть несохраненное описание.", - "unwatch": "Перестать следить", - "upload": "Загрузить", - "upload-avatar": "Загрузить аватар", - "uploaded-avatar": "Загруженный аватар", - "username": "Имя пользователя", - "view-it": "Просмотреть", - "warn-list-archived": "Внимание: Данная карточка находится в списке, который перемещен в Корзину", - "watch": "Следить", - "watching": "Отслеживается", - "watching-info": "Вы будете уведомлены об любых изменениях в этой доске.", - "welcome-board": "Приветственная Доска", - "welcome-swimlane": "Этап 1", - "welcome-list1": "Основы", - "welcome-list2": "Расширенно", - "what-to-do": "Что вы хотите сделать?", - "wipLimitErrorPopup-title": "Некорректный лимит на кол-во задач", - "wipLimitErrorPopup-dialog-pt1": "Количество задач в этом списке превышает установленный вами лимит", - "wipLimitErrorPopup-dialog-pt2": "Пожалуйста, перенесите некоторые задачи из этого списка или увеличьте лимит на кол-во задач", - "admin-panel": "Административная Панель", - "settings": "Настройки", - "people": "Люди", - "registration": "Регистрация", - "disable-self-registration": "Отключить самостоятельную регистрацию", - "invite": "Пригласить", - "invite-people": "Пригласить людей", - "to-boards": "В Доску(и)", - "email-addresses": "Email адрес", - "smtp-host-description": "Адрес SMTP сервера, который отправляет ваши электронные письма.", - "smtp-port-description": "Порт который SMTP-сервер использует для исходящих сообщений.", - "smtp-tls-description": "Включить поддержку TLS для SMTP сервера", - "smtp-host": "SMTP Хост", - "smtp-port": "SMTP Порт", - "smtp-username": "Имя пользователя", - "smtp-password": "Пароль", - "smtp-tls": "поддержка TLS", - "send-from": "От", - "send-smtp-test": "Отправьте тестовое письмо себе", - "invitation-code": "Код приглашения", - "email-invite-register-subject": "__inviter__ прислал вам приглашение", - "email-invite-register-text": "Уважаемый __user__,\n\n__inviter__ приглашает вас в Wekan для сотрудничества.\n\nПожалуйста, проследуйте по ссылке:\n__url__\n\nВаш код приглашения: __icode__\n\nСпасибо.", - "email-smtp-test-subject": "SMTP Тестовое письмо от Wekan", - "email-smtp-test-text": "Вы успешно отправили письмо", - "error-invitation-code-not-exist": "Код приглашения не существует", - "error-notAuthorized": "У вас нет доступа на просмотр этой страницы.", - "outgoing-webhooks": "Исходящие Веб-хуки", - "outgoingWebhooksPopup-title": "Исходящие Веб-хуки", - "new-outgoing-webhook": "Новый исходящий Веб-хук", - "no-name": "(Неизвестный)", - "Wekan_version": "Версия Wekan", - "Node_version": "Версия NodeJS", - "OS_Arch": "Архитектура", - "OS_Cpus": "Количество процессоров", - "OS_Freemem": "Свободная память", - "OS_Loadavg": "Средняя загрузка", - "OS_Platform": "Платформа", - "OS_Release": "Релиз", - "OS_Totalmem": "Общая память", - "OS_Type": "Тип ОС", - "OS_Uptime": "Время работы", - "hours": "часы", - "minutes": "минуты", - "seconds": "секунды", - "show-field-on-card": "Показать это поле на карте", - "yes": "Да", - "no": "Нет", - "accounts": "Учетные записи", - "accounts-allowEmailChange": "Разрешить изменение электронной почты", - "accounts-allowUserNameChange": "Разрешить изменение имени пользователя", - "createdAt": "Создано на", - "verified": "Проверено", - "active": "Действующий", - "card-received": "Получено", - "card-received-on": "Получено с", - "card-end": "Дата окончания", - "card-end-on": "Завершится до", - "editCardReceivedDatePopup-title": "Изменить дату получения", - "editCardEndDatePopup-title": "Изменить дату завершения", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json deleted file mode 100644 index fa939432..00000000 --- a/i18n/sr.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Prihvati", - "act-activity-notify": "[Wekan] Obaveštenje o aktivnostima", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Akcije", - "activities": "Aktivnosti", - "activity": "Aktivnost", - "activity-added": "dodao %s u %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "prikačio %s u %s", - "activity-created": "kreirao %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "izuzmi %s iz %s", - "activity-imported": "uvezao %s u %s iz %s", - "activity-imported-board": "uvezao %s iz %s", - "activity-joined": "spojio %s", - "activity-moved": "premestio %s iz %s u %s", - "activity-on": "na %s", - "activity-removed": "uklonio %s iz %s", - "activity-sent": "poslao %s %s-u", - "activity-unjoined": "rastavio %s", - "activity-checklist-added": "lista je dodata u %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Dodaj", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Dodaj novu stavku u listu", - "add-cover": "Dodaj zaglavlje", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Dodaj Članove", - "added": "Dodao", - "addMemberPopup-title": "Članovi", - "admin": "Administrator", - "admin-desc": "Može da pregleda i menja kartice, uklanja članove i menja podešavanja table", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "Sve table", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Primeni", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Dodeli člana", - "attached": "Prikačeno", - "attachment": "Prikačeni dokument", - "attachment-delete-pop": "Brisanje prikačenog dokumenta je trajno. Ne postoji vraćanje obrisanog.", - "attachmentDeletePopup-title": "Obrisati prikačeni dokument ?", - "attachments": "Prikačeni dokumenti", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Nazad", - "board-change-color": "Promeni boju", - "board-nb-stars": "%s zvezdice", - "board-not-found": "Tabla nije pronađena", - "board-private-info": "Ova tabla će biti privatna.", - "board-public-info": "Ova tabla će biti javna.", - "boardChangeColorPopup-title": "Promeni pozadinu table", - "boardChangeTitlePopup-title": "Preimenuj tablu", - "boardChangeVisibilityPopup-title": "Promeni Vidljivost", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Meni table", - "boards": "Table", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Na primer \"Lista zadataka\"", - "cancel": "Otkaži", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "Ova kartica ima %s komentar.", - "card-delete-notice": "Brisanje je trajno. Izgubićeš sve akcije povezane sa ovom karticom.", - "card-delete-pop": "Sve akcije će biti uklonjene sa liste aktivnosti i kartica neće moći biti ponovo otvorena. Nema vraćanja unazad.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Krajnji datum", - "card-due-on": "Završava se", - "card-spent": "Spent Time", - "card-edit-attachments": "Uredi priloge", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Uredi natpise", - "card-edit-members": "Uredi članove", - "card-labels-title": "Promeni natpis na kartici.", - "card-members-title": "Dodaj ili ukloni članove table sa kartice.", - "card-start": "Početak", - "card-start-on": "Počinje", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Članovi", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Izmeni podešavanja", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Izmeni podešavanja", - "checklists": "Liste", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Datum", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Datum", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Izmeni početni datum", - "editCardDueDatePopup-title": "Izmeni krajnji datum", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Izmeni notifikaciju", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "Korisničko ime je već zauzeto", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "Nema oznake", - "filter-no-member": "Nema člana", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Sakrij sistemske poruke", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Uvezi tablu iz Trella", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Mapiraj članove", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Izaberi člana Wekan-a", - "info": "Version", - "initials": "Initials", - "invalid-date": "Neispravan datum", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Članovi", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Premesti na dno", - "moveCardToTop-title": "Premesti na vrh", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Utišano", - "muted-info": "Nećete biti obavešteni o promenama u ovoj tabli", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Nema rezultata", - "normal": "Normalno", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Budite obavešteni o novim događajima u tablama, listama ili karticama koje pratite.", - "optional": "opciono", - "or": "ili", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Stranica nije pronađena.", - "password": "Lozinka", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Učestvujem", - "preview": "Prikaz", - "previewAttachedImagePopup-title": "Prikaz", - "previewClipboardImagePopup-title": "Prikaz", - "private": "Privatno", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profil", - "public": "Javno", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Ukloni iz table", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Ukloni člana", - "remove-member-from-card": "Ukloni iz kartice", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Ukloni člana ?", - "rename": "Preimenuj", - "rename-board": "Preimenuj tablu", - "restore": "Oporavi", - "save": "Snimi", - "search": "Pretraga", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Pridruži sebe trenutnoj kartici", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Sam popuni članove", - "shortcut-clear-filters": "Očisti sve filtere", - "shortcut-close-dialog": "Zatvori dijalog", - "shortcut-filter-my-cards": "Filtriraj kartice", - "shortcut-show-shortcuts": "Prikaži ovu listu prečica", - "shortcut-toggle-filterbar": "Uključi ili isključi bočni meni filtera", - "shortcut-toggle-sidebar": "Uključi ili isključi bočni meni table", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Kreiraj nalog", - "star-board-title": "Klikni da označiš zvezdicom ovu tablu. Pokazaće se na vrhu tvoje liste tabli.", - "starred-boards": "Table sa zvezdicom", - "starred-boards-description": "Table sa zvezdicom se pokazuju na vrhu liste tabli.", - "subscribe": "Pretplati se", - "team": "Tim", - "this-board": "ova tabla", - "this-card": "ova kartica", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Vreme", - "title": "Naslov", - "tracking": "Praćenje", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "Imaš nesnimljen opis.", - "unwatch": "Ne posmatraj", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Korisničko ime", - "view-it": "Pregledaj je", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Posmatraj", - "watching": "Posmatranje", - "watching-info": "Bićete obavešteni o promenama u ovoj tabli", - "welcome-board": "Tabla dobrodošlice", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Osnove", - "welcome-list2": "Napredno", - "what-to-do": "Šta želiš da uradiš ?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Korisničko ime", - "smtp-password": "Lozinka", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json deleted file mode 100644 index 99a39773..00000000 --- a/i18n/sv.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Acceptera", - "act-activity-notify": "[Wekan] Aktivitetsavisering", - "act-addAttachment": "bifogade __attachment__ to __card__", - "act-addChecklist": "lade till checklist __checklist__ till __card__", - "act-addChecklistItem": "lade till __checklistItem__ till checklistan __checklist__ on __card__", - "act-addComment": "kommenterade __card__: __comment__", - "act-createBoard": "skapade __board__", - "act-createCard": "lade till __card__ to __list__", - "act-createCustomField": "skapa anpassat fält __customField__", - "act-createList": "lade till __list__ to __board__", - "act-addBoardMember": "lade till __member__ to __board__", - "act-archivedBoard": "__board__ flyttad till papperskorgen", - "act-archivedCard": "__card__ flyttad till papperskorgen", - "act-archivedList": "__list__ flyttad till papperskorgen", - "act-archivedSwimlane": "__swimlane__ flyttad till papperskorgen", - "act-importBoard": "importerade __board__", - "act-importCard": "importerade __card__", - "act-importList": "importerade __list__", - "act-joinMember": "lade __member__ till __card__", - "act-moveCard": "flyttade __card__ från __oldList__ till __list__", - "act-removeBoardMember": "tog bort __member__ från __board__", - "act-restoredCard": "återställde __card__ to __board__", - "act-unjoinMember": "tog bort __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Åtgärder", - "activities": "Aktiviteter", - "activity": "Aktivitet", - "activity-added": "Lade %s till %s", - "activity-archived": "%s flyttad till papperskorgen", - "activity-attached": "bifogade %s to %s", - "activity-created": "skapade %s", - "activity-customfield-created": "skapa anpassat fält %s", - "activity-excluded": "exkluderade %s från %s", - "activity-imported": "importerade %s till %s från %s", - "activity-imported-board": "importerade %s från %s", - "activity-joined": "anslöt sig till %s", - "activity-moved": "tog bort %s från %s till %s", - "activity-on": "på %s", - "activity-removed": "tog bort %s från %s", - "activity-sent": "skickade %s till %s", - "activity-unjoined": "gick ur %s", - "activity-checklist-added": "lade kontrollista till %s", - "activity-checklist-item-added": "lade checklista objekt till '%s' i %s", - "add": "Lägg till", - "add-attachment": "Lägg till bilaga", - "add-board": "Lägg till anslagstavla", - "add-card": "Lägg till kort", - "add-swimlane": "Lägg till simbana", - "add-checklist": "Lägg till checklista", - "add-checklist-item": "Lägg till ett objekt till kontrollista", - "add-cover": "Lägg till omslag", - "add-label": "Lägg till etikett", - "add-list": "Lägg till lista", - "add-members": "Lägg till medlemmar", - "added": "Lade till", - "addMemberPopup-title": "Medlemmar", - "admin": "Adminstratör", - "admin-desc": "Kan visa och redigera kort, ta bort medlemmar och ändra inställningarna för anslagstavlan.", - "admin-announcement": "Meddelande", - "admin-announcement-active": "Aktivt system-brett meddelande", - "admin-announcement-title": "Meddelande från administratör", - "all-boards": "Alla anslagstavlor", - "and-n-other-card": "Och __count__ annat kort", - "and-n-other-card_plural": "Och __count__ andra kort", - "apply": "Tillämpa", - "app-is-offline": "Wekan laddar, vänta. Uppdatering av sidan kommer att leda till förlust av data. Om Wekan inte laddas, kontrollera att Wekan-servern inte har stoppats.", - "archive": "Flytta till papperskorgen", - "archive-all": "Flytta alla till papperskorgen", - "archive-board": "Flytta anslagstavla till papperskorgen", - "archive-card": "Flytta kort till papperskorgen", - "archive-list": "Flytta lista till papperskorgen", - "archive-swimlane": "Flytta simbana till papperskorgen", - "archive-selection": "Flytta val till papperskorgen", - "archiveBoardPopup-title": "Flytta anslagstavla till papperskorgen?", - "archived-items": "Papperskorgen", - "archived-boards": "Anslagstavlor i papperskorgen", - "restore-board": "Återställ anslagstavla", - "no-archived-boards": "Inga anslagstavlor i papperskorgen", - "archives": "Papperskorgen", - "assign-member": "Tilldela medlem", - "attached": "bifogad", - "attachment": "Bilaga", - "attachment-delete-pop": "Ta bort en bilaga är permanent. Det går inte att ångra.", - "attachmentDeletePopup-title": "Ta bort bilaga?", - "attachments": "Bilagor", - "auto-watch": "Bevaka automatiskt anslagstavlor när de skapas", - "avatar-too-big": "Avatar är för stor (70KB max)", - "back": "Tillbaka", - "board-change-color": "Ändra färg", - "board-nb-stars": "%s stjärnor", - "board-not-found": "Anslagstavla hittades inte", - "board-private-info": "Denna anslagstavla kommer att vara privat.", - "board-public-info": "Denna anslagstavla kommer att vara officiell.", - "boardChangeColorPopup-title": "Ändra bakgrund på anslagstavla", - "boardChangeTitlePopup-title": "Byt namn på anslagstavla", - "boardChangeVisibilityPopup-title": "Ändra synlighet", - "boardChangeWatchPopup-title": "Ändra bevaka", - "boardMenuPopup-title": "Anslagstavla meny", - "boards": "Anslagstavlor", - "board-view": "Board View", - "board-view-swimlanes": "Simbanor", - "board-view-lists": "Listor", - "bucket-example": "Gilla \"att-göra-innan-jag-dör-lista\" till exempel", - "cancel": "Avbryt", - "card-archived": "Detta kort flyttas till papperskorgen.", - "card-comments-title": "Detta kort har %s kommentar.", - "card-delete-notice": "Ta bort är permanent. Du kommer att förlora alla åtgärder i samband med detta kort.", - "card-delete-pop": "Alla åtgärder kommer att tas bort från aktivitetsflöde och du kommer inte att kunna öppna kortet igen. Det går inte att ångra.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Förfaller", - "card-due-on": "Förfaller på", - "card-spent": "Spenderad tid", - "card-edit-attachments": "Redigera bilaga", - "card-edit-custom-fields": "Redigera anpassade fält", - "card-edit-labels": "Redigera etiketter", - "card-edit-members": "Redigera medlemmar", - "card-labels-title": "Ändra etiketter för kortet.", - "card-members-title": "Lägg till eller ta bort medlemmar av anslagstavlan från kortet.", - "card-start": "Börja", - "card-start-on": "Börja med", - "cardAttachmentsPopup-title": "Bifoga från", - "cardCustomField-datePopup-title": "Ändra datum", - "cardCustomFieldsPopup-title": "Redigera anpassade fält", - "cardDeletePopup-title": "Ta bort kort?", - "cardDetailsActionsPopup-title": "Kortåtgärder", - "cardLabelsPopup-title": "Etiketter", - "cardMembersPopup-title": "Medlemmar", - "cardMorePopup-title": "Mera", - "cards": "Kort", - "cards-count": "Kort", - "change": "Ändra", - "change-avatar": "Ändra avatar", - "change-password": "Ändra lösenord", - "change-permissions": "Ändra behörigheter", - "change-settings": "Ändra inställningar", - "changeAvatarPopup-title": "Ändra avatar", - "changeLanguagePopup-title": "Ändra språk", - "changePasswordPopup-title": "Ändra lösenord", - "changePermissionsPopup-title": "Ändra behörigheter", - "changeSettingsPopup-title": "Ändra inställningar", - "checklists": "Kontrollistor", - "click-to-star": "Klicka för att stjärnmärka denna anslagstavla.", - "click-to-unstar": "Klicka för att ta bort stjärnmärkningen från denna anslagstavla.", - "clipboard": "Urklipp eller dra och släpp", - "close": "Stäng", - "close-board": "Stäng anslagstavla", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "svart", - "color-blue": "blå", - "color-green": "grön", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "rosa", - "color-purple": "lila", - "color-red": "röd", - "color-sky": "himmel", - "color-yellow": "gul", - "comment": "Kommentera", - "comment-placeholder": "Skriv kommentar", - "comment-only": "Kommentera endast", - "comment-only-desc": "Kan endast kommentera kort.", - "computer": "Dator", - "confirm-checklist-delete-dialog": "Är du säker på att du vill ta bort checklista", - "copy-card-link-to-clipboard": "Kopiera kortlänk till urklipp", - "copyCardPopup-title": "Kopiera kort", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destinationskorttitlar och beskrivningar i detta JSON-format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Skapa", - "createBoardPopup-title": "Skapa anslagstavla", - "chooseBoardSourcePopup-title": "Importera anslagstavla", - "createLabelPopup-title": "Skapa etikett", - "createCustomField": "Skapa fält", - "createCustomFieldPopup-title": "Skapa fält", - "current": "aktuell", - "custom-field-delete-pop": "Det går inte att ångra. Detta tar bort det här anpassade fältet från alla kort och förstör dess historia.", - "custom-field-checkbox": "Kryssruta", - "custom-field-date": "Datum", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(inga)", - "custom-field-dropdown-options": "Listalternativ", - "custom-field-dropdown-options-placeholder": "Tryck på enter för att lägga till fler alternativ", - "custom-field-dropdown-unknown": "(okänd)", - "custom-field-number": "Nummer", - "custom-field-text": "Text", - "custom-fields": "Anpassade fält", - "date": "Datum", - "decline": "Nedgång", - "default-avatar": "Standard avatar", - "delete": "Ta bort", - "deleteCustomFieldPopup-title": "Ta bort anpassade fält?", - "deleteLabelPopup-title": "Ta bort etikett?", - "description": "Beskrivning", - "disambiguateMultiLabelPopup-title": "Otvetydig etikettåtgärd", - "disambiguateMultiMemberPopup-title": "Otvetydig medlemsåtgärd", - "discard": "Kassera", - "done": "Färdig", - "download": "Hämta", - "edit": "Redigera", - "edit-avatar": "Ändra avatar", - "edit-profile": "Redigera profil", - "edit-wip-limit": "Redigera WIP-gränsen", - "soft-wip-limit": "Mjuk WIP-gräns", - "editCardStartDatePopup-title": "Ändra startdatum", - "editCardDueDatePopup-title": "Ändra förfallodatum", - "editCustomFieldPopup-title": "Redigera fält", - "editCardSpentTimePopup-title": "Ändra spenderad tid", - "editLabelPopup-title": "Ändra etikett", - "editNotificationPopup-title": "Redigera avisering", - "editProfilePopup-title": "Redigera profil", - "email": "E-post", - "email-enrollAccount-subject": "Ett konto skapas för dig på __siteName__", - "email-enrollAccount-text": "Hej __user__,\n\nFör att börja använda tjänsten, klicka på länken nedan.\n\n__url__\n\nTack.", - "email-fail": "Sändning av e-post misslyckades", - "email-fail-text": "Ett fel vid försök att skicka e-post", - "email-invalid": "Ogiltig e-post", - "email-invite": "Bjud in via e-post", - "email-invite-subject": "__inviter__ skickade dig en inbjudan", - "email-invite-text": "Bästa __user__,\n\n__inviter__ inbjuder dig till anslagstavlan \"__board__\" för samarbete.\n\nFölj länken nedan:\n\n__url__\n\nTack.", - "email-resetPassword-subject": "Återställa lösenordet för __siteName__", - "email-resetPassword-text": "Hej __user__,\n\nFör att återställa ditt lösenord, klicka på länken nedan.\n\n__url__\n\nTack.", - "email-sent": "E-post skickad", - "email-verifyEmail-subject": "Verifiera din e-post adress på __siteName__", - "email-verifyEmail-text": "Hej __user__,\n\nFör att verifiera din konto e-post, klicka på länken nedan.\n\n__url__\n\nTack.", - "enable-wip-limit": "Aktivera WIP-gräns", - "error-board-doesNotExist": "Denna anslagstavla finns inte", - "error-board-notAdmin": "Du måste vara administratör för denna anslagstavla för att göra det", - "error-board-notAMember": "Du måste vara medlem i denna anslagstavla för att göra det", - "error-json-malformed": "Din text är inte giltigt JSON", - "error-json-schema": "Din JSON data inkluderar inte korrekt information i rätt format", - "error-list-doesNotExist": "Denna lista finns inte", - "error-user-doesNotExist": "Denna användare finns inte", - "error-user-notAllowSelf": "Du kan inte bjuda in dig själv", - "error-user-notCreated": "Den här användaren har inte skapats", - "error-username-taken": "Detta användarnamn är redan taget", - "error-email-taken": "E-post har redan tagits", - "export-board": "Exportera anslagstavla", - "filter": "Filtrera", - "filter-cards": "Filtrera kort", - "filter-clear": "Rensa filter", - "filter-no-label": "Ingen etikett", - "filter-no-member": "Ingen medlem", - "filter-no-custom-fields": "Inga anpassade fält", - "filter-on": "Filter är på", - "filter-on-desc": "Du filtrerar kort på denna anslagstavla. Klicka här för att redigera filter.", - "filter-to-selection": "Filter till val", - "advanced-filter-label": "Avancerat filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Namn", - "header-logo-title": "Gå tillbaka till din anslagstavlor-sida.", - "hide-system-messages": "Göm systemmeddelanden", - "headerBarCreateBoardPopup-title": "Skapa anslagstavla", - "home": "Hem", - "import": "Importera", - "import-board": "importera anslagstavla", - "import-board-c": "Importera anslagstavla", - "import-board-title-trello": "Importera anslagstavla från Trello", - "import-board-title-wekan": "Importera anslagstavla från Wekan", - "import-sandstorm-warning": "Importerad anslagstavla raderar all befintlig data på anslagstavla och ersätter den med importerat anslagstavla.", - "from-trello": "Från Trello", - "from-wekan": "Från Wekan", - "import-board-instruction-trello": "I din Trello-anslagstavla, gå till 'Meny', sedan 'Mera', 'Skriv ut och exportera', 'Exportera JSON' och kopiera den resulterande text.", - "import-board-instruction-wekan": "I din Wekan-anslagstavla, gå till \"Meny\", sedan \"Exportera anslagstavla\" och kopiera texten i den hämtade filen.", - "import-json-placeholder": "Klistra in giltigt JSON data här", - "import-map-members": "Kartlägg medlemmar", - "import-members-map": "Din importerade anslagstavla har några medlemmar. Kartlägg medlemmarna som du vill importera till Wekan-användare", - "import-show-user-mapping": "Granska medlemskartläggning", - "import-user-select": "Välj Wekan-användare du vill använda som denna medlem", - "importMapMembersAddPopup-title": "Välj Wekan member", - "info": "Version", - "initials": "Initialer ", - "invalid-date": "Ogiltigt datum", - "invalid-time": "Ogiltig tid", - "invalid-user": "Ogiltig användare", - "joined": "gick med", - "just-invited": "Du blev nyss inbjuden till denna anslagstavla", - "keyboard-shortcuts": "Tangentbordsgenvägar", - "label-create": "Skapa etikett", - "label-default": "%s etikett (standard)", - "label-delete-pop": "Det finns ingen ångra. Detta tar bort denna etikett från alla kort och förstöra dess historik.", - "labels": "Etiketter", - "language": "Språk", - "last-admin-desc": "Du kan inte ändra roller för det måste finnas minst en administratör.", - "leave-board": "Lämna anslagstavla", - "leave-board-pop": "Är du säker på att du vill lämna __boardTitle__? Du kommer att tas bort från alla kort på den här anslagstavlan.", - "leaveBoardPopup-title": "Lämna anslagstavla ?", - "link-card": "Länka till detta kort", - "list-archive-cards": "Flytta alla kort i den här listan till papperskorgen", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Flytta alla kort i denna lista", - "list-select-cards": "Välj alla kort i denna lista", - "listActionPopup-title": "Liståtgärder", - "swimlaneActionPopup-title": "Simbana-åtgärder", - "listImportCardPopup-title": "Importera ett Trello kort", - "listMorePopup-title": "Mera", - "link-list": "Länk till den här listan", - "list-delete-pop": "Alla åtgärder kommer att tas bort från aktivitetsmatningen och du kommer inte att kunna återställa listan. Det går inte att ångra.", - "list-delete-suggest-archive": "Du kan flytta en lista till papperskorgen för att ta bort den från brädet och bevara aktiviteten.", - "lists": "Listor", - "swimlanes": "Simbanor ", - "log-out": "Logga ut", - "log-in": "Logga in", - "loginPopup-title": "Logga in", - "memberMenuPopup-title": "Användarinställningar", - "members": "Medlemmar", - "menu": "Meny", - "move-selection": "Flytta vald", - "moveCardPopup-title": "Flytta kort", - "moveCardToBottom-title": "Flytta längst ner", - "moveCardToTop-title": "Flytta högst upp", - "moveSelectionPopup-title": "Flytta vald", - "multi-selection": "Flerval", - "multi-selection-on": "Flerval är på", - "muted": "Tystad", - "muted-info": "Du kommer aldrig att meddelas om eventuella ändringar i denna anslagstavla", - "my-boards": "Mina anslagstavlor", - "name": "Namn", - "no-archived-cards": "Inga kort i papperskorgen.", - "no-archived-lists": "Inga listor i papperskorgen.", - "no-archived-swimlanes": "Inga simbanor i papperskorgen.", - "no-results": "Inga reslutat", - "normal": "Normal", - "normal-desc": "Kan se och redigera kort. Kan inte ändra inställningar.", - "not-accepted-yet": "Inbjudan inte ännu accepterad", - "notify-participate": "Få uppdateringar till alla kort du deltar i som skapare eller medlem", - "notify-watch": "Få uppdateringar till alla anslagstavlor, listor, eller kort du bevakar", - "optional": "valfri", - "or": "eller", - "page-maybe-private": "Denna sida kan vara privat. Du kanske kan se den genom att logga in.", - "page-not-found": "Sidan hittades inte.", - "password": "Lösenord", - "paste-or-dragdrop": "klistra in eller dra och släpp bildfil till den (endast bilder)", - "participating": "Deltagande", - "preview": "Förhandsvisning", - "previewAttachedImagePopup-title": "Förhandsvisning", - "previewClipboardImagePopup-title": "Förhandsvisning", - "private": "Privat", - "private-desc": "Denna anslagstavla är privat. Endast personer tillagda till anslagstavlan kan se och redigera den.", - "profile": "Profil", - "public": "Officiell", - "public-desc": "Denna anslagstavla är offentlig. Den är synligt för alla med länken och kommer att dyka upp i sökmotorer som Google. Endast personer tillagda till anslagstavlan kan redigera.", - "quick-access-description": "Stjärnmärk en anslagstavla för att lägga till en genväg i detta fält.", - "remove-cover": "Ta bort omslag", - "remove-from-board": "Ta bort från anslagstavla", - "remove-label": "Ta bort etikett", - "listDeletePopup-title": "Ta bort lista", - "remove-member": "Ta bort medlem", - "remove-member-from-card": "Ta bort från kort", - "remove-member-pop": "Ta bort __name__ (__username__) från __boardTitle__? Medlemmen kommer att bli borttagen från alla kort i denna anslagstavla. De kommer att få en avisering.", - "removeMemberPopup-title": "Ta bort medlem?", - "rename": "Byt namn", - "rename-board": "Byt namn på anslagstavla", - "restore": "Återställ", - "save": "Spara", - "search": "Sök", - "search-cards": "Sök från korttitlar och beskrivningar på det här brädet", - "search-example": "Text att söka efter?", - "select-color": "Välj färg", - "set-wip-limit-value": "Ange en gräns för det maximala antalet uppgifter i den här listan", - "setWipLimitPopup-title": "Ställ in WIP-gräns", - "shortcut-assign-self": "Tilldela dig nuvarande kort", - "shortcut-autocomplete-emoji": "Komplettera automatiskt emoji", - "shortcut-autocomplete-members": "Komplettera automatiskt medlemmar", - "shortcut-clear-filters": "Rensa alla filter", - "shortcut-close-dialog": "Stäng dialog", - "shortcut-filter-my-cards": "Filtrera mina kort", - "shortcut-show-shortcuts": "Ta fram denna genvägslista", - "shortcut-toggle-filterbar": "Växla filtrets sidofält", - "shortcut-toggle-sidebar": "Växla anslagstavlans sidofält", - "show-cards-minimum-count": "Visa kortantal om listan innehåller mer än", - "sidebar-open": "Stäng sidofält", - "sidebar-close": "Stäng sidofält", - "signupPopup-title": "Skapa ett konto", - "star-board-title": "Klicka för att stjärnmärka denna anslagstavla. Den kommer att visas högst upp på din lista över anslagstavlor.", - "starred-boards": "Stjärnmärkta anslagstavlor", - "starred-boards-description": "Stjärnmärkta anslagstavlor visas högst upp på din lista över anslagstavlor.", - "subscribe": "Prenumenera", - "team": "Grupp", - "this-board": "denna anslagstavla", - "this-card": "detta kort", - "spent-time-hours": "Spenderad tid (timmar)", - "overtime-hours": "Övertid (timmar)", - "overtime": "Övertid", - "has-overtime-cards": "Har övertidskort", - "has-spenttime-cards": "Har spenderat tidkort", - "time": "Tid", - "title": "Titel", - "tracking": "Spårning", - "tracking-info": "Du kommer att meddelas om eventuella ändringar av dessa kort du deltar i som skapare eller medlem.", - "type": "Skriv", - "unassign-member": "Ta bort tilldelad medlem", - "unsaved-description": "Du har en osparad beskrivning.", - "unwatch": "Avbevaka", - "upload": "Ladda upp", - "upload-avatar": "Ladda upp en avatar", - "uploaded-avatar": "Laddade upp en avatar", - "username": "Änvandarnamn", - "view-it": "Visa det", - "warn-list-archived": "varning: det här kortet finns i en lista i papperskorgen", - "watch": "Bevaka", - "watching": "Bevakar", - "watching-info": "Du kommer att meddelas om alla ändringar på denna anslagstavla", - "welcome-board": "Välkomstanslagstavla", - "welcome-swimlane": "Milstolpe 1", - "welcome-list1": "Grunderna", - "welcome-list2": "Avancerad", - "what-to-do": "Vad vill du göra?", - "wipLimitErrorPopup-title": "Ogiltig WIP-gräns", - "wipLimitErrorPopup-dialog-pt1": "Antalet uppgifter i den här listan är högre än WIP-gränsen du har definierat.", - "wipLimitErrorPopup-dialog-pt2": "Flytta några uppgifter ur listan, eller ställ in en högre WIP-gräns.", - "admin-panel": "Administratörspanel ", - "settings": "Inställningar", - "people": "Personer", - "registration": "Registrering", - "disable-self-registration": "Avaktiverar självregistrering", - "invite": "Bjud in", - "invite-people": "Bjud in personer", - "to-boards": "Till anslagstavl(a/or)", - "email-addresses": "E-post adresser", - "smtp-host-description": "Adressen till SMTP-servern som hanterar din e-post.", - "smtp-port-description": "Porten SMTP-servern använder för utgående e-post.", - "smtp-tls-description": "Aktivera TLS-stöd för SMTP-server", - "smtp-host": "SMTP-värd", - "smtp-port": "SMTP-port", - "smtp-username": "Användarnamn", - "smtp-password": "Lösenord", - "smtp-tls": "TLS-stöd", - "send-from": "Från", - "send-smtp-test": "Skicka ett prov e-postmeddelande till dig själv", - "invitation-code": "Inbjudningskod", - "email-invite-register-subject": "__inviter__ skickade dig en inbjudan", - "email-invite-register-text": "Bästa __user__,\n\n__inviter__ inbjuder dig till Wekan för samarbeten.\n\nVänligen följ länken nedan:\n__url__\n\nOch din inbjudningskod är: __icode__\n\nTack.", - "email-smtp-test-subject": "SMTP-prov e-post från Wekan", - "email-smtp-test-text": "Du har skickat ett e-postmeddelande", - "error-invitation-code-not-exist": "Inbjudningskod finns inte", - "error-notAuthorized": "Du är inte behörig att se den här sidan.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Okänd)", - "Wekan_version": "Wekan version", - "Node_version": "Nodversion", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU-räkning", - "OS_Freemem": "OS ledigt minne", - "OS_Loadavg": "OS belastningsgenomsnitt", - "OS_Platform": "OS plattforme", - "OS_Release": "OS utgåva", - "OS_Totalmem": "OS totalt minne", - "OS_Type": "OS Typ", - "OS_Uptime": "OS drifttid", - "hours": "timmar", - "minutes": "minuter", - "seconds": "sekunder", - "show-field-on-card": "Visa detta fält på kort", - "yes": "Ja", - "no": "Nej", - "accounts": "Konton", - "accounts-allowEmailChange": "Tillåt e-poständring", - "accounts-allowUserNameChange": "Tillåt användarnamnändring", - "createdAt": "Skapad vid", - "verified": "Verifierad", - "active": "Aktiv", - "card-received": "Mottagen", - "card-received-on": "Mottagen den", - "card-end": "Slut", - "card-end-on": "Slutar den", - "editCardReceivedDatePopup-title": "Ändra mottagningsdatum", - "editCardEndDatePopup-title": "Ändra slutdatum", - "assigned-by": "Tilldelad av", - "requested-by": "Efterfrågad av", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Ta bort anslagstavla?", - "delete-board": "Ta bort anslagstavla" -} \ No newline at end of file diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json deleted file mode 100644 index 317f2e3b..00000000 --- a/i18n/ta.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Accept", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Add", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", - "addMemberPopup-title": "Members", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Members", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Members", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json deleted file mode 100644 index e383b3d8..00000000 --- a/i18n/th.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "ยอมรับ", - "act-activity-notify": "[Wekan] แจ้งกิจกรรม", - "act-addAttachment": "แนบไฟล์ __attachment__ ไปยัง __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "ออกความเห็นที่ __card__: __comment__", - "act-createBoard": "สร้าง __board__", - "act-createCard": "เพิ่ม __card__ ไปยัง __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "เพิ่ม __list__ ไปยัง __board__", - "act-addBoardMember": "เพิ่ม __member__ ไปยัง __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "นำเข้า __board__", - "act-importCard": "นำเข้า __card__", - "act-importList": "นำเข้า __list__", - "act-joinMember": "เพิ่ม __member__ ไปยัง __card__", - "act-moveCard": "ย้าย __card__ จาก __oldList__ ไป __list__", - "act-removeBoardMember": "ลบ __member__ จาก __board__", - "act-restoredCard": "กู้คืน __card__ ไปยัง __board__", - "act-unjoinMember": "ลบ __member__ จาก __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "ปฎิบัติการ", - "activities": "กิจกรรม", - "activity": "กิจกรรม", - "activity-added": "เพิ่ม %s ไปยัง %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "แนบ %s ไปยัง %s", - "activity-created": "สร้าง %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "ยกเว้น %s จาก %s", - "activity-imported": "ถูกนำเข้า %s ไปยัง %s จาก %s", - "activity-imported-board": "นำเข้า %s จาก %s", - "activity-joined": "เข้าร่วม %s", - "activity-moved": "ย้าย %s จาก %s ถึง %s", - "activity-on": "บน %s", - "activity-removed": "ลบ %s จาด %s", - "activity-sent": "ส่ง %s ถึง %s", - "activity-unjoined": "ยกเลิกเข้าร่วม %s", - "activity-checklist-added": "รายการถูกเพิ่มไป %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "เพิ่ม", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "เพิ่มรายการตรวจสอบ", - "add-cover": "เพิ่มหน้าปก", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "เพิ่มสมาชิก", - "added": "เพิ่ม", - "addMemberPopup-title": "สมาชิก", - "admin": "ผู้ดูแลระบบ", - "admin-desc": "สามารถดูและแก้ไขการ์ด ลบสมาชิก และเปลี่ยนการตั้งค่าบอร์ดได้", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "บอร์ดทั้งหมด", - "and-n-other-card": "และการ์ดอื่น __count__", - "and-n-other-card_plural": "และการ์ดอื่น ๆ __count__", - "apply": "นำมาใช้", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "กำหนดสมาชิก", - "attached": "แนบมาด้วย", - "attachment": "สิ่งที่แนบมา", - "attachment-delete-pop": "ลบสิ่งที่แนบมาถาวร ไม่สามารถเลิกทำได้", - "attachmentDeletePopup-title": "ลบสิ่งที่แนบมาหรือไม่", - "attachments": "สิ่งที่แนบมา", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "ย้อนกลับ", - "board-change-color": "เปลี่ยนสี", - "board-nb-stars": "ติดดาว %s", - "board-not-found": "ไม่มีบอร์ด", - "board-private-info": "บอร์ดนี้จะเป็น ส่วนตัว.", - "board-public-info": "บอร์ดนี้จะเป็น สาธารณะ.", - "boardChangeColorPopup-title": "เปลี่ยนสีพื้นหลังบอร์ด", - "boardChangeTitlePopup-title": "เปลี่ยนชื่อบอร์ด", - "boardChangeVisibilityPopup-title": "เปลี่ยนการเข้าถึง", - "boardChangeWatchPopup-title": "เปลี่ยนการเฝ้าดู", - "boardMenuPopup-title": "เมนูบอร์ด", - "boards": "บอร์ด", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "รายการ", - "bucket-example": "ตัวอย่างเช่น “ระบบที่ต้องทำ”", - "cancel": "ยกเลิก", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "การ์ดนี้มี %s ความเห็น.", - "card-delete-notice": "เป็นการลบถาวร คุณจะสูญเสียข้อมูลที่เกี่ยวข้องกับการ์ดนี้ทั้งหมด", - "card-delete-pop": "การดำเนินการทั้งหมดจะถูกลบจาก feed กิจกรรมและคุณไม่สามารถเปิดได้อีกครั้งหรือยกเลิกการทำ", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "ครบกำหนด", - "card-due-on": "ครบกำหนดเมื่อ", - "card-spent": "Spent Time", - "card-edit-attachments": "แก้ไขสิ่งที่แนบมา", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "แก้ไขป้ายกำกับ", - "card-edit-members": "แก้ไขสมาชิก", - "card-labels-title": "เปลี่ยนป้ายกำกับของการ์ด", - "card-members-title": "เพิ่มหรือลบสมาชิกของบอร์ดจากการ์ด", - "card-start": "เริ่ม", - "card-start-on": "เริ่มเมื่อ", - "cardAttachmentsPopup-title": "แนบจาก", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "ลบการ์ดนี้หรือไม่", - "cardDetailsActionsPopup-title": "การดำเนินการการ์ด", - "cardLabelsPopup-title": "ป้ายกำกับ", - "cardMembersPopup-title": "สมาชิก", - "cardMorePopup-title": "เพิ่มเติม", - "cards": "การ์ด", - "cards-count": "การ์ด", - "change": "เปลี่ยน", - "change-avatar": "เปลี่ยนภาพ", - "change-password": "เปลี่ยนรหัสผ่าน", - "change-permissions": "เปลี่ยนสิทธิ์", - "change-settings": "เปลี่ยนการตั้งค่า", - "changeAvatarPopup-title": "เปลี่ยนภาพ", - "changeLanguagePopup-title": "เปลี่ยนภาษา", - "changePasswordPopup-title": "เปลี่ยนรหัสผ่าน", - "changePermissionsPopup-title": "เปลี่ยนสิทธิ์", - "changeSettingsPopup-title": "เปลี่ยนการตั้งค่า", - "checklists": "รายการตรวจสอบ", - "click-to-star": "คลิกดาวบอร์ดนี้", - "click-to-unstar": "คลิกยกเลิกดาวบอร์ดนี้", - "clipboard": "Clipboard หรือลากและวาง", - "close": "ปิด", - "close-board": "ปิดบอร์ด", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "ดำ", - "color-blue": "น้ำเงิน", - "color-green": "เขียว", - "color-lime": "เหลืองมะนาว", - "color-orange": "ส้ม", - "color-pink": "ชมพู", - "color-purple": "ม่วง", - "color-red": "แดง", - "color-sky": "ฟ้า", - "color-yellow": "เหลือง", - "comment": "คอมเม็นต์", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "คอมพิวเตอร์", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "สร้าง", - "createBoardPopup-title": "สร้างบอร์ด", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "สร้างป้ายกำกับ", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "ปัจจุบัน", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "วันที่", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "วันที่", - "decline": "ปฎิเสธ", - "default-avatar": "ภาพเริ่มต้น", - "delete": "ลบ", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "ลบป้ายกำกับนี้หรือไม่", - "description": "คำอธิบาย", - "disambiguateMultiLabelPopup-title": "การดำเนินการกำกับป้ายชัดเจน", - "disambiguateMultiMemberPopup-title": "การดำเนินการสมาชิกชัดเจน", - "discard": "ทิ้ง", - "done": "เสร็จสิ้น", - "download": "ดาวน์โหลด", - "edit": "แก้ไข", - "edit-avatar": "เปลี่ยนภาพ", - "edit-profile": "แก้ไขโปรไฟล์", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "เปลี่ยนวันเริ่มต้น", - "editCardDueDatePopup-title": "เปลี่ยนวันครบกำหนด", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "เปลี่ยนป้ายกำกับ", - "editNotificationPopup-title": "แก้ไขการแจ้งเตือน", - "editProfilePopup-title": "แก้ไขโปรไฟล์", - "email": "อีเมล์", - "email-enrollAccount-subject": "บัญชีคุณถูกสร้างใน __siteName__", - "email-enrollAccount-text": "สวัสดี __user__,\n\nเริ่มใช้บริการง่าย ๆ , ด้วยการคลิกลิงค์ด้านล่าง.\n\n__url__\n\n ขอบคุณค่ะ", - "email-fail": "การส่งอีเมล์ล้มเหลว", - "email-fail-text": "Error trying to send email", - "email-invalid": "อีเมล์ไม่ถูกต้อง", - "email-invite": "เชิญผ่านทางอีเมล์", - "email-invite-subject": "__inviter__ ส่งคำเชิญให้คุณ", - "email-invite-text": "สวัสดี __user__,\n\n__inviter__ ขอเชิญคุณเข้าร่วม \"__board__\" เพื่อขอความร่วมมือ \n\n โปรดคลิกตามลิงค์ข้างล่างนี้ \n\n__url__\n\n ขอบคุณ", - "email-resetPassword-subject": "ตั้งรหัสผ่่านใหม่ของคุณบน __siteName__", - "email-resetPassword-text": "สวัสดี __user__,\n\nในการรีเซ็ตรหัสผ่านของคุณ, คลิกตามลิงค์ด้านล่าง \n\n__url__\n\nขอบคุณค่ะ", - "email-sent": "ส่งอีเมล์", - "email-verifyEmail-subject": "ยืนยันที่อยู่อีเม์ของคุณบน __siteName__", - "email-verifyEmail-text": "สวัสดี __user__,\n\nตรวจสอบบัญชีอีเมล์ของคุณ ง่าย ๆ ตามลิงค์ด้านล่าง \n\n__url__\n\n ขอบคุณค่ะ", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "บอร์ดนี้ไม่มีอยู่แล้ว", - "error-board-notAdmin": "คุณจะต้องเป็นผู้ดูแลระบบถึงจะทำสิ่งเหล่านี้ได้", - "error-board-notAMember": "คุณต้องเป็นสมาชิกของบอร์ดนี้ถึงจะทำได้", - "error-json-malformed": "ข้อความของคุณไม่ใช่ JSON", - "error-json-schema": "รูปแบบข้้้อมูล JSON ของคุณไม่ถูกต้อง", - "error-list-doesNotExist": "รายการนี้ไม่มีอยู่", - "error-user-doesNotExist": "ผู้ใช้นี้ไม่มีอยู่", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "ผู้ใช้รายนี้ไม่ได้สร้าง", - "error-username-taken": "ชื่อนี้ถูกใช้งานแล้ว", - "error-email-taken": "Email has already been taken", - "export-board": "ส่งออกกระดาน", - "filter": "กรอง", - "filter-cards": "กรองการ์ด", - "filter-clear": "ล้างตัวกรอง", - "filter-no-label": "ไม่มีฉลาก", - "filter-no-member": "ไม่มีสมาชิก", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "กรองบน", - "filter-on-desc": "คุณกำลังกรองการ์ดในบอร์ดนี้ คลิกที่นี่เพื่อแก้ไขตัวกรอง", - "filter-to-selection": "กรองตัวเลือก", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "ชื่อ นามสกุล", - "header-logo-title": "ย้อนกลับไปที่หน้าบอร์ดของคุณ", - "hide-system-messages": "ซ่อนข้อความของระบบ", - "headerBarCreateBoardPopup-title": "สร้างบอร์ด", - "home": "หน้าหลัก", - "import": "นำเข้า", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "นำเข้าบอร์ดจาก Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "ใน Trello ของคุณให้ไปที่ 'Menu' และไปที่ More -> Print and Export -> Export JSON และคัดลอกข้อความจากนั้น", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "วางข้อมูล JSON ที่ถูกต้องของคุณที่นี่", - "import-map-members": "แผนที่สมาชิก", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review การทำแผนที่สมาชิก", - "import-user-select": "เลือกผู้ใช้ Wekan ที่คุณต้องการใช้เป็นเหมือนสมาชิกนี้", - "importMapMembersAddPopup-title": "เลือกสมาชิก", - "info": "Version", - "initials": "ชื่อย่อ", - "invalid-date": "วันที่ไม่ถูกต้อง", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "เข้าร่วม", - "just-invited": "คุณพึ่งได้รับเชิญบอร์ดนี้", - "keyboard-shortcuts": "แป้นพิมพ์ลัด", - "label-create": "สร้างป้ายกำกับ", - "label-default": "ป้าย %s (ค่าเริ่มต้น)", - "label-delete-pop": "ไม่มีการยกเลิกการทำนี้ ลบป้ายกำกับนี้จากทุกการ์ดและล้างประวัติทิ้ง", - "labels": "ป้ายกำกับ", - "language": "ภาษา", - "last-admin-desc": "คุณไม่สามารถเปลี่ยนบทบาทเพราะต้องมีผู้ดูแลระบบหนึ่งคนเป็นอย่างน้อย", - "leave-board": "ทิ้งบอร์ด", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "เชื่อมโยงไปยังการ์ดใบนี้", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "ย้ายการ์ดทั้งหมดในรายการนี้", - "list-select-cards": "เลือกการ์ดทั้งหมดในรายการนี้", - "listActionPopup-title": "รายการการดำเนิน", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "นำเข้าการ์ด Trello", - "listMorePopup-title": "เพิ่มเติม", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "รายการ", - "swimlanes": "Swimlanes", - "log-out": "ออกจากระบบ", - "log-in": "เข้าสู่ระบบ", - "loginPopup-title": "เข้าสู่ระบบ", - "memberMenuPopup-title": "การตั้งค่า", - "members": "สมาชิก", - "menu": "เมนู", - "move-selection": "ย้ายตัวเลือก", - "moveCardPopup-title": "ย้ายการ์ด", - "moveCardToBottom-title": "ย้ายไปล่าง", - "moveCardToTop-title": "ย้ายไปบน", - "moveSelectionPopup-title": "เลือกย้าย", - "multi-selection": "เลือกหลายรายการ", - "multi-selection-on": "เลือกหลายรายการเมื่อ", - "muted": "ไม่ออกเสียง", - "muted-info": "คุณจะไม่ได้รับแจ้งการเปลี่ยนแปลงใด ๆ ในบอร์ดนี้", - "my-boards": "บอร์ดของฉัน", - "name": "ชื่อ", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "ไม่มีข้อมูล", - "normal": "ธรรมดา", - "normal-desc": "สามารถดูและแก้ไขการ์ดได้ แต่ไม่สามารถเปลี่ยนการตั้งค่าได้", - "not-accepted-yet": "ยังไม่ยอมรับคำเชิญ", - "notify-participate": "ได้รับการแจ้งปรับปรุงการ์ดอื่น ๆ ที่คุณมีส่วนร่วมในฐานะผู้สร้างหรือสมาชิก", - "notify-watch": "ได้รับการแจ้งปรับปรุงบอร์ด รายการหรือการ์ดที่คุณเฝ้าติดตาม", - "optional": "ไม่จำเป็น", - "or": "หรือ", - "page-maybe-private": "หน้านี้อาจจะเป็นส่วนตัว. คุณอาจจะสามารถดูจาก logging in.", - "page-not-found": "ไม่พบหน้า", - "password": "รหัสผ่าน", - "paste-or-dragdrop": "วาง หรือลากและวาง ไฟล์ภาพ(ภาพเท่านั้น)", - "participating": "Participating", - "preview": "ภาพตัวอย่าง", - "previewAttachedImagePopup-title": "ตัวอย่าง", - "previewClipboardImagePopup-title": "ตัวอย่าง", - "private": "ส่วนตัว", - "private-desc": "บอร์ดนี้เป็นส่วนตัว. คนที่ถูกเพิ่มเข้าในบอร์ดเท่านั้นที่สามารถดูและแก้ไขได้", - "profile": "โปรไฟล์", - "public": "สาธารณะ", - "public-desc": "บอร์ดนี้เป็นสาธารณะ. ทุกคนสามารถเข้าถึงได้ผ่าน url นี้ แต่สามารถแก้ไขได้เฉพาะผู้ที่ถูกเพิ่มเข้าไปในการ์ดเท่านั้น", - "quick-access-description": "เพิ่มไว้ในนี้เพื่อเป็นทางลัด", - "remove-cover": "ลบหน้าปก", - "remove-from-board": "ลบจากบอร์ด", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "ลบสมาชิก", - "remove-member-from-card": "ลบจากการ์ด", - "remove-member-pop": "ลบ __name__ (__username__) จาก __boardTitle__ หรือไม่ สมาชิกจะถูกลบออกจากการ์ดทั้งหมดบนบอร์ดนี้ และพวกเขาจะได้รับการแจ้งเตือน", - "removeMemberPopup-title": "ลบสมาชิกหรือไม่", - "rename": "ตั้งชื่อใหม่", - "rename-board": "ตั้งชื่อบอร์ดใหม่", - "restore": "กู้คืน", - "save": "บันทึก", - "search": "ค้นหา", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "กำหนดตัวเองให้การ์ดนี้", - "shortcut-autocomplete-emoji": "เติม emoji อัตโนมัติ", - "shortcut-autocomplete-members": "เติมสมาชิกอัตโนมัติ", - "shortcut-clear-filters": "ล้างตัวกรองทั้งหมด", - "shortcut-close-dialog": "ปิดหน้าต่าง", - "shortcut-filter-my-cards": "กรองการ์ดฉัน", - "shortcut-show-shortcuts": "นำรายการทางลัดนี้ขึ้น", - "shortcut-toggle-filterbar": "สลับแถบกรองสไลด์ด้้านข้าง", - "shortcut-toggle-sidebar": "สลับโชว์แถบด้านข้าง", - "show-cards-minimum-count": "แสดงจำนวนของการ์ดถ้ารายการมีมากกว่า(เลื่อนกำหนดตัวเลข)", - "sidebar-open": "เปิดแถบเลื่อน", - "sidebar-close": "ปิดแถบเลื่อน", - "signupPopup-title": "สร้างบัญชี", - "star-board-title": "คลิกติดดาวบอร์ดนี้ มันจะแสดงอยู่บนสุดของรายการบอร์ดของคุณ", - "starred-boards": "ติดดาวบอร์ด", - "starred-boards-description": "ติดดาวบอร์ดและแสดงไว้บนสุดของรายการบอร์ด", - "subscribe": "บอกรับสมาชิก", - "team": "ทีม", - "this-board": "บอร์ดนี้", - "this-card": "การ์ดนี้", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "เวลา", - "title": "หัวข้อ", - "tracking": "ติดตาม", - "tracking-info": "คุณจะได้รับแจ้งการเปลี่ยนแปลงใด ๆ กับการ์ดที่คุณมีส่วนร่วมในฐานะผู้สร้างหรือสมาชิก", - "type": "Type", - "unassign-member": "ยกเลิกสมาชิก", - "unsaved-description": "คุณมีคำอธิบายที่ไม่ได้บันทึก", - "unwatch": "เลิกเฝ้าดู", - "upload": "อัพโหลด", - "upload-avatar": "อัพโหลดรูปภาพ", - "uploaded-avatar": "ภาพอัพโหลดแล้ว", - "username": "ชื่อผู้ใช้งาน", - "view-it": "ดู", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "เฝ้าดู", - "watching": "เฝ้าดู", - "watching-info": "คุณจะได้รับแจ้งหากมีการเปลี่ยนแปลงใด ๆ ในบอร์ดนี้", - "welcome-board": "ยินดีต้อนรับสู่บอร์ด", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "พื้นฐาน", - "welcome-list2": "ก้าวหน้า", - "what-to-do": "ต้องการทำอะไร", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "ชื่อผู้ใช้งาน", - "smtp-password": "รหัสผ่าน", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ ส่งคำเชิญให้คุณ", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json deleted file mode 100644 index 29d8006d..00000000 --- a/i18n/tr.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Kabul Et", - "act-activity-notify": "[Wekan] Etkinlik Bildirimi", - "act-addAttachment": "__card__ kartına __attachment__ dosyasını ekledi", - "act-addChecklist": "__card__ kartında __checklist__ yapılacak listesini ekledi", - "act-addChecklistItem": "__checklistItem__ öğesini __card__ kartındaki __checklist__ yapılacak listesine ekledi", - "act-addComment": "__card__ kartına bir yorum bıraktı: __comment__", - "act-createBoard": "__board__ panosunu oluşturdu", - "act-createCard": "__card__ kartını ___list__ listesine ekledi", - "act-createCustomField": "__customField__ adlı özel alan yaratıldı", - "act-createList": "__list__ listesini __board__ panosuna ekledi", - "act-addBoardMember": "__member__ kullanıcısını __board__ panosuna ekledi", - "act-archivedBoard": "__board__ Geri Dönüşüm Kutusu'na taşındı", - "act-archivedCard": "__card__ Geri Dönüşüm Kutusu'na taşındı", - "act-archivedList": "__list__ Geri Dönüşüm Kutusu'na taşındı", - "act-archivedSwimlane": "__swimlane__ Geri Dönüşüm Kutusu'na taşındı", - "act-importBoard": "__board__ panosunu içe aktardı", - "act-importCard": "__card__ kartını içe aktardı", - "act-importList": "__list__ listesini içe aktardı", - "act-joinMember": "__member__ kullanıcısnı __card__ kartına ekledi", - "act-moveCard": "__card__ kartını __oldList__ listesinden __list__ listesine taşıdı", - "act-removeBoardMember": "__board__ panosundan __member__ kullanıcısını çıkarttı", - "act-restoredCard": "__card__ kartını __board__ panosuna geri getirdi", - "act-unjoinMember": "__member__ kullanıcısnı __card__ kartından çıkarttı", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "İşlemler", - "activities": "Etkinlikler", - "activity": "Etkinlik", - "activity-added": "%s içine %s ekledi", - "activity-archived": "%s Geri Dönüşüm Kutusu'na taşındı", - "activity-attached": "%s içine %s ekledi", - "activity-created": "%s öğesini oluşturdu", - "activity-customfield-created": "%s adlı özel alan yaratıldı", - "activity-excluded": "%s içinden %s çıkarttı", - "activity-imported": "%s kaynağından %s öğesini %s öğesinin içine taşıdı ", - "activity-imported-board": "%s i %s içinden aktardı", - "activity-joined": "şuna katıldı: %s", - "activity-moved": "%s i %s içinden %s içine taşıdı", - "activity-on": "%s", - "activity-removed": "%s i %s ten kaldırdı", - "activity-sent": "%s i %s e gönderdi", - "activity-unjoined": "%s içinden ayrıldı", - "activity-checklist-added": "%s içine yapılacak listesi ekledi", - "activity-checklist-item-added": "%s içinde %s yapılacak listesine öğe ekledi", - "add": "Ekle", - "add-attachment": "Ek Ekle", - "add-board": "Pano Ekle", - "add-card": "Kart Ekle", - "add-swimlane": "Kulvar Ekle", - "add-checklist": "Yapılacak Listesi Ekle", - "add-checklist-item": "Yapılacak listesine yeni bir öğe ekle", - "add-cover": "Kapak resmi ekle", - "add-label": "Etiket Ekle", - "add-list": "Liste Ekle", - "add-members": "Üye ekle", - "added": "Eklendi", - "addMemberPopup-title": "Üyeler", - "admin": "Yönetici", - "admin-desc": "Kartları görüntüleyebilir ve düzenleyebilir, üyeleri çıkarabilir ve pano ayarlarını değiştirebilir.", - "admin-announcement": "Duyuru", - "admin-announcement-active": "Tüm Sistemde Etkin Duyuru", - "admin-announcement-title": "Yöneticiden Duyuru", - "all-boards": "Tüm panolar", - "and-n-other-card": "Ve __count__ diğer kart", - "and-n-other-card_plural": "Ve __count__ diğer kart", - "apply": "Uygula", - "app-is-offline": "Wekan yükleniyor, lütfen bekleyin. Sayfayı yenilemek veri kaybına sebep olabilir. Eğer Wekan yüklenmezse, lütfen Wekan sunucusunun çalıştığından emin olun.", - "archive": "Geri Dönüşüm Kutusu'na taşı", - "archive-all": "Tümünü Geri Dönüşüm Kutusu'na taşı", - "archive-board": "Panoyu Geri Dönüşüm Kutusu'na taşı", - "archive-card": "Kartı Geri Dönüşüm Kutusu'na taşı", - "archive-list": "Listeyi Geri Dönüşüm Kutusu'na taşı", - "archive-swimlane": "Kulvarı Geri Dönüşüm Kutusu'na taşı", - "archive-selection": "Seçimi Geri Dönüşüm Kutusu'na taşı", - "archiveBoardPopup-title": "Panoyu Geri Dönüşüm Kutusu'na taşı", - "archived-items": "Geri Dönüşüm Kutusu", - "archived-boards": "Geri Dönüşüm Kutusu'ndaki panolar", - "restore-board": "Panoyu Geri Getir", - "no-archived-boards": "Geri Dönüşüm Kutusu'nda pano yok.", - "archives": "Geri Dönüşüm Kutusu", - "assign-member": "Üye ata", - "attached": "dosya(sı) eklendi", - "attachment": "Ek Dosya", - "attachment-delete-pop": "Ek silme işlemi kalıcıdır ve geri alınamaz.", - "attachmentDeletePopup-title": "Ek Silinsin mi?", - "attachments": "Ekler", - "auto-watch": "Oluşan yeni panoları kendiliğinden izlemeye al", - "avatar-too-big": "Avatar boyutu çok büyük (En fazla 70KB olabilir)", - "back": "Geri", - "board-change-color": "Renk değiştir", - "board-nb-stars": "%s yıldız", - "board-not-found": "Pano bulunamadı", - "board-private-info": "Bu pano gizli olacak.", - "board-public-info": "Bu pano genele açılacaktır.", - "boardChangeColorPopup-title": "Pano arkaplan rengini değiştir", - "boardChangeTitlePopup-title": "Panonun Adını Değiştir", - "boardChangeVisibilityPopup-title": "Görünebilirliği Değiştir", - "boardChangeWatchPopup-title": "İzleme Durumunu Değiştir", - "boardMenuPopup-title": "Pano menüsü", - "boards": "Panolar", - "board-view": "Pano Görünümü", - "board-view-swimlanes": "Kulvarlar", - "board-view-lists": "Listeler", - "bucket-example": "Örn: \"Marketten Alacaklarım\"", - "cancel": "İptal", - "card-archived": "Bu kart Geri Dönüşüm Kutusu'na taşındı", - "card-comments-title": "Bu kartta %s yorum var.", - "card-delete-notice": "Silme işlemi kalıcıdır. Bu kartla ilişkili tüm eylemleri kaybedersiniz.", - "card-delete-pop": "Son hareketler alanındaki tüm veriler silinecek, ayrıca bu kartı yeniden açamayacaksın. Bu işlemin geri dönüşü yok.", - "card-delete-suggest-archive": "Kartları Geri Dönüşüm Kutusu'na taşıyarak panodan kaldırabilir ve içindeki aktiviteleri saklayabilirsiniz.", - "card-due": "Bitiş", - "card-due-on": "Bitiş tarihi:", - "card-spent": "Harcanan Zaman", - "card-edit-attachments": "Ek dosyasını düzenle", - "card-edit-custom-fields": "Özel alanları düzenle", - "card-edit-labels": "Etiketleri düzenle", - "card-edit-members": "Üyeleri düzenle", - "card-labels-title": "Bu kart için etiketleri düzenle", - "card-members-title": "Karta pano içindeki üyeleri ekler veya çıkartır.", - "card-start": "Başlama", - "card-start-on": "Başlama tarihi:", - "cardAttachmentsPopup-title": "Eklenme", - "cardCustomField-datePopup-title": "Tarihi değiştir", - "cardCustomFieldsPopup-title": "Özel alanları düzenle", - "cardDeletePopup-title": "Kart Silinsin mi?", - "cardDetailsActionsPopup-title": "Kart işlemleri", - "cardLabelsPopup-title": "Etiketler", - "cardMembersPopup-title": "Üyeler", - "cardMorePopup-title": "Daha", - "cards": "Kartlar", - "cards-count": "Kartlar", - "change": "Değiştir", - "change-avatar": "Avatar Değiştir", - "change-password": "Parola Değiştir", - "change-permissions": "İzinleri değiştir", - "change-settings": "Ayarları değiştir", - "changeAvatarPopup-title": "Avatar Değiştir", - "changeLanguagePopup-title": "Dil Değiştir", - "changePasswordPopup-title": "Parola Değiştir", - "changePermissionsPopup-title": "Yetkileri Değiştirme", - "changeSettingsPopup-title": "Ayarları değiştir", - "checklists": "Yapılacak Listeleri", - "click-to-star": "Bu panoyu yıldızlamak için tıkla.", - "click-to-unstar": "Bu panunun yıldızını kaldırmak için tıkla.", - "clipboard": "Yapıştır veya sürükleyip bırak", - "close": "Kapat", - "close-board": "Panoyu kapat", - "close-board-pop": "Silinen panoyu geri getirmek için menüden \"Geri Dönüşüm Kutusu\"'na tıklayabilirsiniz.", - "color-black": "siyah", - "color-blue": "mavi", - "color-green": "yeşil", - "color-lime": "misket limonu", - "color-orange": "turuncu", - "color-pink": "pembe", - "color-purple": "mor", - "color-red": "kırmızı", - "color-sky": "açık mavi", - "color-yellow": "sarı", - "comment": "Yorum", - "comment-placeholder": "Yorum Yaz", - "comment-only": "Sadece yorum", - "comment-only-desc": "Sadece kartlara yorum yazabilir.", - "computer": "Bilgisayar", - "confirm-checklist-delete-dialog": "Yapılacak listesini silmek istediğinize emin misiniz", - "copy-card-link-to-clipboard": "Kartın linkini kopyala", - "copyCardPopup-title": "Kartı Kopyala", - "copyChecklistToManyCardsPopup-title": "Yapılacaklar Listesi şemasını birden çok karta kopyala", - "copyChecklistToManyCardsPopup-instructions": "Hedef Kart Başlıkları ve Açıklamaları bu JSON formatında", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"İlk kart başlığı\", \"description\":\"İlk kart açıklaması\"}, {\"title\":\"İkinci kart başlığı\",\"description\":\"İkinci kart açıklaması\"},{\"title\":\"Son kart başlığı\",\"description\":\"Son kart açıklaması\"} ]", - "create": "Oluştur", - "createBoardPopup-title": "Pano Oluşturma", - "chooseBoardSourcePopup-title": "Panoyu içe aktar", - "createLabelPopup-title": "Etiket Oluşturma", - "createCustomField": "Alanı yarat", - "createCustomFieldPopup-title": "Alanı yarat", - "current": "mevcut", - "custom-field-delete-pop": "Bunun geri dönüşü yoktur. Bu özel alan tüm kartlardan kaldırılıp tarihçesi yokedilecektir.", - "custom-field-checkbox": "İşaret kutusu", - "custom-field-date": "Tarih", - "custom-field-dropdown": "Açılır liste", - "custom-field-dropdown-none": "(hiçbiri)", - "custom-field-dropdown-options": "Liste seçenekleri", - "custom-field-dropdown-options-placeholder": "Başka seçenekler eklemek için giriş tuşuna basınız", - "custom-field-dropdown-unknown": "(bilinmeyen)", - "custom-field-number": "Sayı", - "custom-field-text": "Metin", - "custom-fields": "Özel alanlar", - "date": "Tarih", - "decline": "Reddet", - "default-avatar": "Varsayılan avatar", - "delete": "Sil", - "deleteCustomFieldPopup-title": "Özel alan silinsin mi?", - "deleteLabelPopup-title": "Etiket Silinsin mi?", - "description": "Açıklama", - "disambiguateMultiLabelPopup-title": "Etiket işlemini izah et", - "disambiguateMultiMemberPopup-title": "Üye işlemini izah et", - "discard": "At", - "done": "Tamam", - "download": "İndir", - "edit": "Düzenle", - "edit-avatar": "Avatar Değiştir", - "edit-profile": "Profili Düzenle", - "edit-wip-limit": "Devam Eden İş Sınırını Düzenle", - "soft-wip-limit": "Zayıf Devam Eden İş Sınırı", - "editCardStartDatePopup-title": "Başlangıç tarihini değiştir", - "editCardDueDatePopup-title": "Bitiş tarihini değiştir", - "editCustomFieldPopup-title": "Alanı düzenle", - "editCardSpentTimePopup-title": "Harcanan zamanı değiştir", - "editLabelPopup-title": "Etiket Değiştir", - "editNotificationPopup-title": "Bildirimi değiştir", - "editProfilePopup-title": "Profili Düzenle", - "email": "E-posta", - "email-enrollAccount-subject": "Hesabınız __siteName__ üzerinde oluşturuldu", - "email-enrollAccount-text": "Merhaba __user__,\n\nBu servisi kullanmaya başlamak için aşağıdaki linke tıklamalısın:\n\n__url__\n\nTeşekkürler.", - "email-fail": "E-posta gönderimi başarısız", - "email-fail-text": "E-Posta gönderilme çalışırken hata oluştu", - "email-invalid": "Geçersiz e-posta", - "email-invite": "E-posta ile davet et", - "email-invite-subject": "__inviter__ size bir davetiye gönderdi", - "email-invite-text": "Sevgili __user__,\n\n__inviter__ seni birlikte çalışmak için \"__board__\" panosuna davet ediyor.\n\nLütfen aşağıdaki linke tıkla:\n\n__url__\n\nTeşekkürler.", - "email-resetPassword-subject": "__siteName__ üzerinde parolanı sıfırla", - "email-resetPassword-text": "Merhaba __user__,\n\nParolanı sıfırlaman için aşağıdaki linke tıklaman yeterli.\n\n__url__\n\nTeşekkürler.", - "email-sent": "E-posta gönderildi", - "email-verifyEmail-subject": "__siteName__ üzerindeki e-posta adresini doğrulama", - "email-verifyEmail-text": "Merhaba __user__,\n\nHesap e-posta adresini doğrulamak için aşağıdaki linke tıklaman yeterli.\n\n__url__\n\nTeşekkürler.", - "enable-wip-limit": "Devam Eden İş Sınırını Aç", - "error-board-doesNotExist": "Pano bulunamadı", - "error-board-notAdmin": "Bu işlemi yapmak için pano yöneticisi olmalısın.", - "error-board-notAMember": "Bu işlemi yapmak için panoya üye olmalısın.", - "error-json-malformed": "Girilen metin geçerli bir JSON formatında değil", - "error-json-schema": "Girdiğin JSON metni tüm bilgileri doğru biçimde barındırmıyor", - "error-list-doesNotExist": "Liste bulunamadı", - "error-user-doesNotExist": "Kullanıcı bulunamadı", - "error-user-notAllowSelf": "Kendi kendini davet edemezsin", - "error-user-notCreated": "Bu üye oluşturulmadı", - "error-username-taken": "Kullanıcı adı zaten alınmış", - "error-email-taken": "Bu e-posta adresi daha önceden alınmış", - "export-board": "Panoyu dışarı aktar", - "filter": "Filtre", - "filter-cards": "Kartları Filtrele", - "filter-clear": "Filtreyi temizle", - "filter-no-label": "Etiket yok", - "filter-no-member": "Üye yok", - "filter-no-custom-fields": "Hiç özel alan yok", - "filter-on": "Filtre aktif", - "filter-on-desc": "Bu panodaki kartları filtreliyorsunuz. Fitreyi düzenlemek için tıklayın.", - "filter-to-selection": "Seçime göre filtreleme yap", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Ad Soyad", - "header-logo-title": "Panolar sayfanıza geri dön.", - "hide-system-messages": "Sistem mesajlarını gizle", - "headerBarCreateBoardPopup-title": "Pano Oluşturma", - "home": "Ana Sayfa", - "import": "İçeri aktar", - "import-board": "panoyu içe aktar", - "import-board-c": "Panoyu içe aktar", - "import-board-title-trello": "Trello'dan panoyu içeri aktar", - "import-board-title-wekan": "Wekan'dan panoyu içe aktar", - "import-sandstorm-warning": "İçe aktarılan pano şu anki panonun verilerinin üzerine yazılacak ve var olan veriler silinecek.", - "from-trello": "Trello'dan", - "from-wekan": "Wekan'dan", - "import-board-instruction-trello": "Trello panonuzda 'Menü'ye gidip 'Daha fazlası'na tıklayın, ardından 'Yazdır ve Çıktı Al'ı seçip 'JSON biçiminde çıktı al' diyerek çıkan metni buraya kopyalayın.", - "import-board-instruction-wekan": "Wekan panonuzda önce Menü'yü, ardından \"Panoyu dışa aktar\"ı seçip bilgisayarınıza indirilen dosyanın içindeki metni kopyalayın.", - "import-json-placeholder": "Geçerli JSON verisini buraya yapıştırın", - "import-map-members": "Üyeleri eşleştirme", - "import-members-map": "İçe aktardığın panoda bazı kullanıcılar var. Lütfen bu kullanıcıları Wekan panosundaki kullanıcılarla eşleştirin.", - "import-show-user-mapping": "Üye eşleştirmesini kontrol et", - "import-user-select": "Bu üyenin sistemdeki hangi kullanıcı olduğunu seçin", - "importMapMembersAddPopup-title": "Üye seç", - "info": "Sürüm", - "initials": "İlk Harfleri", - "invalid-date": "Geçersiz tarih", - "invalid-time": "Geçersiz zaman", - "invalid-user": "Geçersiz kullanıcı", - "joined": "katıldı", - "just-invited": "Bu panoya şimdi davet edildin.", - "keyboard-shortcuts": "Klavye kısayolları", - "label-create": "Etiket Oluşturma", - "label-default": "%s etiket (varsayılan)", - "label-delete-pop": "Bu işlem geri alınamaz. Bu etiket tüm kartlardan kaldırılacaktır ve geçmişi yok edecektir.", - "labels": "Etiketler", - "language": "Dil", - "last-admin-desc": "En az bir yönetici olması gerektiğinden rolleri değiştiremezsiniz.", - "leave-board": "Panodan ayrıl", - "leave-board-pop": "__boardTitle__ panosundan ayrılmak istediğinize emin misiniz? Panodaki tüm kartlardan kaldırılacaksınız.", - "leaveBoardPopup-title": "Panodan ayrılmak istediğinize emin misiniz?", - "link-card": "Bu kartın bağlantısı", - "list-archive-cards": "Listedeki tüm kartları Geri Dönüşüm Kutusu'na gönder", - "list-archive-cards-pop": "Bu işlem listedeki tüm kartları kaldıracak. Silinmiş kartları görüntülemek ve geri yüklemek için menüden Geri Dönüşüm Kutusu'na tıklayabilirsiniz.", - "list-move-cards": "Listedeki tüm kartları taşı", - "list-select-cards": "Listedeki tüm kartları seç", - "listActionPopup-title": "Liste İşlemleri", - "swimlaneActionPopup-title": "Kulvar İşlemleri", - "listImportCardPopup-title": "Bir Trello kartını içeri aktar", - "listMorePopup-title": "Daha", - "link-list": "Listeye doğrudan bağlantı", - "list-delete-pop": "Etkinlik akışınızdaki tüm eylemler geri kurtarılamaz şekilde kaldırılacak. Bu işlem geri alınamaz.", - "list-delete-suggest-archive": "Bir listeyi Dönüşüm Kutusuna atarak panodan kaldırabilir, ancak eylemleri koruyarak saklayabilirsiniz. ", - "lists": "Listeler", - "swimlanes": "Kulvarlar", - "log-out": "Oturum Kapat", - "log-in": "Oturum Aç", - "loginPopup-title": "Oturum Aç", - "memberMenuPopup-title": "Üye Ayarları", - "members": "Üyeler", - "menu": "Menü", - "move-selection": "Seçimi taşı", - "moveCardPopup-title": "Kartı taşı", - "moveCardToBottom-title": "Aşağı taşı", - "moveCardToTop-title": "Yukarı taşı", - "moveSelectionPopup-title": "Seçimi taşı", - "multi-selection": "Çoklu seçim", - "multi-selection-on": "Çoklu seçim açık", - "muted": "Sessiz", - "muted-info": "Bu panodaki hiçbir değişiklik hakkında bildirim almayacaksınız", - "my-boards": "Panolarım", - "name": "Adı", - "no-archived-cards": "Dönüşüm Kutusunda hiç kart yok.", - "no-archived-lists": "Dönüşüm Kutusunda hiç liste yok.", - "no-archived-swimlanes": "Dönüşüm Kutusunda hiç kulvar yok.", - "no-results": "Sonuç yok", - "normal": "Normal", - "normal-desc": "Kartları görüntüleyebilir ve düzenleyebilir. Ayarları değiştiremez.", - "not-accepted-yet": "Davet henüz kabul edilmemiş", - "notify-participate": "Oluşturduğunuz veya üye olduğunuz tüm kartlar hakkında bildirim al", - "notify-watch": "Takip ettiğiniz tüm pano, liste ve kartlar hakkında bildirim al", - "optional": "isteğe bağlı", - "or": "veya", - "page-maybe-private": "Bu sayfa gizli olabilir. Oturum açarak görmeyi deneyin.", - "page-not-found": "Sayda bulunamadı.", - "password": "Parola", - "paste-or-dragdrop": "Dosya eklemek için yapıştırabilir, veya (eğer resimse) sürükle bırak yapabilirsiniz", - "participating": "Katılımcılar", - "preview": "Önizleme", - "previewAttachedImagePopup-title": "Önizleme", - "previewClipboardImagePopup-title": "Önizleme", - "private": "Gizli", - "private-desc": "Bu pano gizli. Sadece panoya ekli kişiler görüntüleyebilir ve düzenleyebilir.", - "profile": "Kullanıcı Sayfası", - "public": "Genel", - "public-desc": "Bu pano genel. Bağlantı adresi ile herhangi bir kimseye görünür ve Google gibi arama motorlarında gösterilecektir. Panoyu, sadece eklenen kişiler düzenleyebilir.", - "quick-access-description": "Bu bara kısayol olarak bir pano eklemek için panoyu yıldızlamalısınız", - "remove-cover": "Kapak Resmini Kaldır", - "remove-from-board": "Panodan Kaldır", - "remove-label": "Etiketi Kaldır", - "listDeletePopup-title": "Liste silinsin mi?", - "remove-member": "Üyeyi Çıkar", - "remove-member-from-card": "Karttan Çıkar", - "remove-member-pop": "__boardTitle__ panosundan __name__ (__username__) çıkarılsın mı? Üye, bu panodaki tüm kartlardan çıkarılacak. Panodan çıkarıldığı üyeye bildirilecektir.", - "removeMemberPopup-title": "Üye çıkarılsın mı?", - "rename": "Yeniden adlandır", - "rename-board": "Panonun Adını Değiştir", - "restore": "Geri Getir", - "save": "Kaydet", - "search": "Arama", - "search-cards": "Bu tahta da ki kart başlıkları ve açıklamalarında arama yap", - "search-example": "Aranılacak metin?", - "select-color": "Renk Seç", - "set-wip-limit-value": "Bu listedeki en fazla öğe sayısı için bir sınır belirleyin", - "setWipLimitPopup-title": "Devam Eden İş Sınırı Belirle", - "shortcut-assign-self": "Kendini karta ata", - "shortcut-autocomplete-emoji": "Emojileri otomatik tamamla", - "shortcut-autocomplete-members": "Üye isimlerini otomatik tamamla", - "shortcut-clear-filters": "Tüm filtreleri temizle", - "shortcut-close-dialog": "Diyaloğu kapat", - "shortcut-filter-my-cards": "Kartlarımı filtrele", - "shortcut-show-shortcuts": "Kısayollar listesini getir", - "shortcut-toggle-filterbar": "Filtre kenar çubuğunu aç/kapa", - "shortcut-toggle-sidebar": "Pano kenar çubuğunu aç/kapa", - "show-cards-minimum-count": "Eğer listede şu sayıdan fazla öğe varsa kart sayısını göster: ", - "sidebar-open": "Kenar Çubuğunu Aç", - "sidebar-close": "Kenar Çubuğunu Kapat", - "signupPopup-title": "Bir Hesap Oluştur", - "star-board-title": "Bu panoyu yıldızlamak için tıkla. Yıldızlı panolar pano listesinin en üstünde gösterilir.", - "starred-boards": "Yıldızlı Panolar", - "starred-boards-description": "Yıldızlanmış panolar, pano listesinin en üstünde gösterilir.", - "subscribe": "Abone ol", - "team": "Takım", - "this-board": "bu panoyu", - "this-card": "bu kart", - "spent-time-hours": "Harcanan zaman (saat)", - "overtime-hours": "Aşılan süre (saat)", - "overtime": "Aşılan süre", - "has-overtime-cards": "Süresi aşılmış kartlar", - "has-spenttime-cards": "Zaman geçirilmiş kartlar", - "time": "Zaman", - "title": "Başlık", - "tracking": "Takip", - "tracking-info": "Oluşturduğunuz veya üyesi olduğunuz tüm kartlardaki değişiklikler size bildirim olarak gelecek.", - "type": "Tür", - "unassign-member": "Üyeye atamayı kaldır", - "unsaved-description": "Kaydedilmemiş bir açıklama metnin bulunmakta", - "unwatch": "Takibi bırak", - "upload": "Yükle", - "upload-avatar": "Avatar yükle", - "uploaded-avatar": "Avatar yüklendi", - "username": "Kullanıcı adı", - "view-it": "Görüntüle", - "warn-list-archived": "uyarı: bu kart Dönüşüm Kutusundaki bir listede var", - "watch": "Takip Et", - "watching": "Takip Ediliyor", - "watching-info": "Bu pano hakkındaki tüm değişiklikler hakkında bildirim alacaksınız", - "welcome-board": "Hoş Geldiniz Panosu", - "welcome-swimlane": "Kilometre taşı", - "welcome-list1": "Temel", - "welcome-list2": "Gelişmiş", - "what-to-do": "Ne yapmak istiyorsunuz?", - "wipLimitErrorPopup-title": "Geçersiz Devam Eden İş Sınırı", - "wipLimitErrorPopup-dialog-pt1": "Bu listedeki iş sayısı belirlediğiniz sınırdan daha fazla.", - "wipLimitErrorPopup-dialog-pt2": "Lütfen bazı işleri bu listeden başka listeye taşıyın ya da devam eden iş sınırını yükseltin.", - "admin-panel": "Yönetici Paneli", - "settings": "Ayarlar", - "people": "Kullanıcılar", - "registration": "Kayıt", - "disable-self-registration": "Ziyaretçilere kaydı kapa", - "invite": "Davet", - "invite-people": "Kullanıcı davet et", - "to-boards": "Şu pano(lar)a", - "email-addresses": "E-posta adresleri", - "smtp-host-description": "E-posta gönderimi yapan SMTP sunucu adresi", - "smtp-port-description": "E-posta gönderimi yapan SMTP sunucu portu", - "smtp-tls-description": "SMTP mail sunucusu için TLS kriptolama desteği açılsın", - "smtp-host": "SMTP sunucu adresi", - "smtp-port": "SMTP portu", - "smtp-username": "Kullanıcı adı", - "smtp-password": "Parola", - "smtp-tls": "TLS desteği", - "send-from": "Gönderen", - "send-smtp-test": "Kendinize deneme E-Postası gönderin", - "invitation-code": "Davetiye kodu", - "email-invite-register-subject": "__inviter__ size bir davetiye gönderdi", - "email-invite-register-text": "Sevgili __user__,\n\n__inviter__ sizi beraber çalışabilmek için Wekan'a davet etti.\n\nLütfen aşağıdaki linke tıklayın:\n__url__\n\nDavetiye kodunuz: __icode__\n\nTeşekkürler.", - "email-smtp-test-subject": "Wekan' dan SMTP E-Postası", - "email-smtp-test-text": "E-Posta başarıyla gönderildi", - "error-invitation-code-not-exist": "Davetiye kodu bulunamadı", - "error-notAuthorized": "Bu sayfayı görmek için yetkiniz yok.", - "outgoing-webhooks": "Dışarı giden bağlantılar", - "outgoingWebhooksPopup-title": "Dışarı giden bağlantılar", - "new-outgoing-webhook": "Yeni Dışarı Giden Web Bağlantısı", - "no-name": "(Bilinmeyen)", - "Wekan_version": "Wekan sürümü", - "Node_version": "Node sürümü", - "OS_Arch": "İşletim Sistemi Mimarisi", - "OS_Cpus": "İşletim Sistemi İşlemci Sayısı", - "OS_Freemem": "İşletim Sistemi Kullanılmayan Bellek", - "OS_Loadavg": "İşletim Sistemi Ortalama Yük", - "OS_Platform": "İşletim Sistemi Platformu", - "OS_Release": "İşletim Sistemi Sürümü", - "OS_Totalmem": "İşletim Sistemi Toplam Belleği", - "OS_Type": "İşletim Sistemi Tipi", - "OS_Uptime": "İşletim Sistemi Toplam Açık Kalınan Süre", - "hours": "saat", - "minutes": "dakika", - "seconds": "saniye", - "show-field-on-card": "Bu alanı kartta göster", - "yes": "Evet", - "no": "Hayır", - "accounts": "Hesaplar", - "accounts-allowEmailChange": "E-posta Değiştirmeye İzin Ver", - "accounts-allowUserNameChange": "Kullanıcı adı değiştirmeye izin ver", - "createdAt": "Oluşturulma tarihi", - "verified": "Doğrulanmış", - "active": "Aktif", - "card-received": "Giriş", - "card-received-on": "Giriş zamanı", - "card-end": "Bitiş", - "card-end-on": "Bitiş zamanı", - "editCardReceivedDatePopup-title": "Giriş tarihini değiştir", - "editCardEndDatePopup-title": "Bitiş tarihini değiştir", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json deleted file mode 100644 index b0c88c4a..00000000 --- a/i18n/uk.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Прийняти", - "act-activity-notify": "[Wekan] Сповіщення Діяльності", - "act-addAttachment": "__attachment__ додане до __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "комментар в __card__: __comment__", - "act-createBoard": "__board__ створенна", - "act-createCard": "__card__ карта додана до __list__ листа", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "__card__ заімпортована", - "act-importList": "imported __list__", - "act-joinMember": "__member__ був доданий до __card__", - "act-moveCard": " __card__ була перенесена з __oldList__ до __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": " __card__ відновлена у __board__", - "act-unjoinMember": " __member__ був виделений з __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Дії", - "activities": "Діяльність", - "activity": "Активність", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Додати", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Додати елемент в список", - "add-cover": "Додати обкладинку", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Додати користувача", - "added": "Доданно", - "addMemberPopup-title": "Користувачі", - "admin": "Адмін", - "admin-desc": "Може переглядати і редагувати картки, відаляти учасників та змінювати налаштування для дошки.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "Всі дошки", - "and-n-other-card": "та __count__ інших карток", - "and-n-other-card_plural": "та __count__ інших карток", - "apply": "Прийняти", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "доданно", - "attachment": "Додаток", - "attachment-delete-pop": "Видалення Додатку безповоротне. Тут нема відміні (undo).", - "attachmentDeletePopup-title": "Видалити Додаток?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Назад", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Дошки", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Відміна", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Користувачі", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Користувачі", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json deleted file mode 100644 index ba609c92..00000000 --- a/i18n/vi.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Chấp nhận", - "act-activity-notify": "[Wekan] Thông Báo Hoạt Động", - "act-addAttachment": "đã đính kèm __attachment__ vào __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "đã bình luận trong __card__: __comment__", - "act-createBoard": "đã tạo __board__", - "act-createCard": "đã thêm __card__ vào __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "đã thêm __list__ vào __board__", - "act-addBoardMember": "đã thêm __member__ vào __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "đã nạp bảng __board__", - "act-importCard": "đã nạp thẻ __card__", - "act-importList": "đã nạp danh sách __list__", - "act-joinMember": "đã thêm thành viên __member__ vào __card__", - "act-moveCard": "đã chuyển thẻ __card__ từ __oldList__ sang __list__", - "act-removeBoardMember": "đã xóa thành viên __member__ khỏi __board__", - "act-restoredCard": "đã khôi phục thẻ __card__ vào bảng __board__", - "act-unjoinMember": "đã xóa thành viên __member__ khỏi thẻ __card__", - "act-withBoardTitle": "[Wekan] Bảng __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Hành Động", - "activities": "Hoạt Động", - "activity": "Hoạt Động", - "activity-added": "đã thêm %s vào %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "đã đính kèm %s vào %s", - "activity-created": "đã tạo %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "đã loại bỏ %s khỏi %s", - "activity-imported": "đã nạp %s vào %s từ %s", - "activity-imported-board": "đã nạp %s từ %s", - "activity-joined": "đã tham gia %s", - "activity-moved": "đã di chuyển %s từ %s đến %s", - "activity-on": "trên %s", - "activity-removed": "đã xóa %s từ %s", - "activity-sent": "gửi %s đến %s", - "activity-unjoined": "đã rời khỏi %s", - "activity-checklist-added": "đã thêm checklist vào %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Thêm", - "add-attachment": "Thêm Bản Đính Kèm", - "add-board": "Thêm Bảng", - "add-card": "Thêm Thẻ", - "add-swimlane": "Add Swimlane", - "add-checklist": "Thêm Danh Sách Kiểm Tra", - "add-checklist-item": "Thêm Một Mục Vào Danh Sách Kiểm Tra", - "add-cover": "Thêm Bìa", - "add-label": "Thêm Nhãn", - "add-list": "Thêm Danh Sách", - "add-members": "Thêm Thành Viên", - "added": "Đã Thêm", - "addMemberPopup-title": "Thành Viên", - "admin": "Quản Trị Viên", - "admin-desc": "Có thể xem và chỉnh sửa những thẻ, xóa thành viên và thay đổi cài đặt cho bảng.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "Tất cả các bảng", - "and-n-other-card": "Và __count__ thẻ khác", - "and-n-other-card_plural": "Và __count__ thẻ khác", - "apply": "Ứng Dụng", - "app-is-offline": "Wekan đang tải, vui lòng đợi. Tải lại trang có thể làm mất dữ liệu. Nếu Wekan không thể tải được, Vui lòng kiểm tra lại Wekan server.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Khôi Phục Bảng", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Chỉ định thành viên", - "attached": "đã đính kèm", - "attachment": "Phần đính kèm", - "attachment-delete-pop": "Xóa tệp đính kèm là vĩnh viễn. Không có khôi phục.", - "attachmentDeletePopup-title": "Xóa tệp đính kèm không?", - "attachments": "Tệp Đính Kèm", - "auto-watch": "Tự động xem bảng lúc được tạo ra", - "avatar-too-big": "Hình đại diện quá to (70KB tối đa)", - "back": "Trở Lại", - "board-change-color": "Đổi màu", - "board-nb-stars": "%s sao", - "board-not-found": "Không tìm được bảng", - "board-private-info": "Bảng này sẽ chuyển sang chế độ private.", - "board-public-info": "Bảng này sẽ chuyển sang chế độ public.", - "boardChangeColorPopup-title": "Thay hình nền của bảng", - "boardChangeTitlePopup-title": "Đổi tên bảng", - "boardChangeVisibilityPopup-title": "Đổi cách hiển thị", - "boardChangeWatchPopup-title": "Đổi cách xem", - "boardMenuPopup-title": "Board Menu", - "boards": "Bảng", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Hủy", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "Thẻ này có %s bình luận.", - "card-delete-notice": "Hành động xóa là không thể khôi phục. Bạn sẽ mất hết các hoạt động liên quan đến thẻ này.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Thành Viên", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Thành Viên", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Đổi tên bảng", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json deleted file mode 100644 index 30d1e260..00000000 --- a/i18n/zh-CN.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "接受", - "act-activity-notify": "[Wekan] 活动通知", - "act-addAttachment": "添加附件 __attachment__ 至卡片 __card__", - "act-addChecklist": "添加清单 __checklist__ 到 __card__", - "act-addChecklistItem": "向 __card__ 中的清单 __checklist__ 添加 __checklistItem__", - "act-addComment": "在 __card__ 发布评论: __comment__", - "act-createBoard": "创建看板 __board__", - "act-createCard": "添加卡片 __card__ 至列表 __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "添加列表 __list__ 至看板 __board__", - "act-addBoardMember": "添加成员 __member__ 至看板 __board__", - "act-archivedBoard": "__board__ 已被移入回收站 ", - "act-archivedCard": "__card__ 已被移入回收站", - "act-archivedList": "__list__ 已被移入回收站", - "act-archivedSwimlane": "__swimlane__ 已被移入回收站", - "act-importBoard": "导入看板 __board__", - "act-importCard": "导入卡片 __card__", - "act-importList": "导入列表 __list__", - "act-joinMember": "添加成员 __member__ 至卡片 __card__", - "act-moveCard": "从列表 __oldList__ 移动卡片 __card__ 至列表 __list__", - "act-removeBoardMember": "从看板 __board__ 移除成员 __member__", - "act-restoredCard": "恢复卡片 __card__ 至看板 __board__", - "act-unjoinMember": "从卡片 __card__ 移除成员 __member__", - "act-withBoardTitle": "[Wekan] 看板 __board__", - "act-withCardTitle": "[看板 __board__] 卡片 __card__", - "actions": "操作", - "activities": "活动", - "activity": "活动", - "activity-added": "添加 %s 至 %s", - "activity-archived": "%s 已被移入回收站", - "activity-attached": "添加附件 %s 至 %s", - "activity-created": "创建 %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "排除 %s 从 %s", - "activity-imported": "导入 %s 至 %s 从 %s 中", - "activity-imported-board": "已导入 %s 从 %s 中", - "activity-joined": "已关联 %s", - "activity-moved": "将 %s 从 %s 移动到 %s", - "activity-on": "在 %s", - "activity-removed": "从 %s 中移除 %s", - "activity-sent": "发送 %s 至 %s", - "activity-unjoined": "已解除 %s 关联", - "activity-checklist-added": "已经将清单添加到 %s", - "activity-checklist-item-added": "添加清单项至'%s' 于 %s", - "add": "添加", - "add-attachment": "添加附件", - "add-board": "添加看板", - "add-card": "添加卡片", - "add-swimlane": "添加泳道图", - "add-checklist": "添加待办清单", - "add-checklist-item": "扩充清单", - "add-cover": "添加封面", - "add-label": "添加标签", - "add-list": "添加列表", - "add-members": "添加成员", - "added": "添加", - "addMemberPopup-title": "成员", - "admin": "管理员", - "admin-desc": "可以浏览并编辑卡片,移除成员,并且更改该看板的设置", - "admin-announcement": "通知", - "admin-announcement-active": "激活系统通知", - "admin-announcement-title": "管理员的通知", - "all-boards": "全部看板", - "and-n-other-card": "和其他 __count__ 个卡片", - "and-n-other-card_plural": "和其他 __count__ 个卡片", - "apply": "应用", - "app-is-offline": "Wekan 正在加载,请稍等。刷新页面将导致数据丢失。如果 Wekan 无法加载,请检查 Wekan 服务器是否已经停止。", - "archive": "移入回收站", - "archive-all": "全部移入回收站", - "archive-board": "移动看板到回收站", - "archive-card": "移动卡片到回收站", - "archive-list": "移动列表到回收站", - "archive-swimlane": "移动泳道到回收站", - "archive-selection": "移动选择内容到回收站", - "archiveBoardPopup-title": "移动看板到回收站?", - "archived-items": "回收站", - "archived-boards": "回收站中的看板", - "restore-board": "还原看板", - "no-archived-boards": "回收站中无看板", - "archives": "回收站", - "assign-member": "分配成员", - "attached": "附加", - "attachment": "附件", - "attachment-delete-pop": "删除附件的操作不可逆。", - "attachmentDeletePopup-title": "删除附件?", - "attachments": "附件", - "auto-watch": "自动关注新建的看板", - "avatar-too-big": "头像过大 (上限 70 KB)", - "back": "返回", - "board-change-color": "更改颜色", - "board-nb-stars": "%s 星标", - "board-not-found": "看板不存在", - "board-private-info": "该看板将被设为 私有.", - "board-public-info": "该看板将被设为 公开.", - "boardChangeColorPopup-title": "修改看板背景", - "boardChangeTitlePopup-title": "重命名看板", - "boardChangeVisibilityPopup-title": "更改可视级别", - "boardChangeWatchPopup-title": "更改关注状态", - "boardMenuPopup-title": "看板菜单", - "boards": "看板", - "board-view": "看板视图", - "board-view-swimlanes": "泳道图", - "board-view-lists": "列表", - "bucket-example": "例如 “目标清单”", - "cancel": "取消", - "card-archived": "此卡片已经被移入回收站。", - "card-comments-title": "该卡片有 %s 条评论", - "card-delete-notice": "彻底删除的操作不可恢复,你将会丢失该卡片相关的所有操作记录。", - "card-delete-pop": "所有的活动将从活动摘要中被移除且您将无法重新打开该卡片。此操作无法撤销。", - "card-delete-suggest-archive": "将卡片移入回收站可以从看板中删除卡片,相关活动记录将被保留。", - "card-due": "到期", - "card-due-on": "期限", - "card-spent": "耗时", - "card-edit-attachments": "编辑附件", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "编辑标签", - "card-edit-members": "编辑成员", - "card-labels-title": "更改该卡片上的标签", - "card-members-title": "在该卡片中添加或移除看板成员", - "card-start": "开始", - "card-start-on": "始于", - "cardAttachmentsPopup-title": "附件来源", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "彻底删除卡片?", - "cardDetailsActionsPopup-title": "卡片操作", - "cardLabelsPopup-title": "标签", - "cardMembersPopup-title": "成员", - "cardMorePopup-title": "更多", - "cards": "卡片", - "cards-count": "卡片", - "change": "变更", - "change-avatar": "更改头像", - "change-password": "更改密码", - "change-permissions": "更改权限", - "change-settings": "更改设置", - "changeAvatarPopup-title": "更改头像", - "changeLanguagePopup-title": "更改语言", - "changePasswordPopup-title": "更改密码", - "changePermissionsPopup-title": "更改权限", - "changeSettingsPopup-title": "更改设置", - "checklists": "清单", - "click-to-star": "点此来标记该看板", - "click-to-unstar": "点此来去除该看板的标记", - "clipboard": "剪贴板或者拖放文件", - "close": "关闭", - "close-board": "关闭看板", - "close-board-pop": "在主页中点击顶部的“回收站”按钮可以恢复看板。", - "color-black": "黑色", - "color-blue": "蓝色", - "color-green": "绿色", - "color-lime": "绿黄", - "color-orange": "橙色", - "color-pink": "粉红", - "color-purple": "紫色", - "color-red": "红色", - "color-sky": "天蓝", - "color-yellow": "黄色", - "comment": "评论", - "comment-placeholder": "添加评论", - "comment-only": "仅能评论", - "comment-only-desc": "只能在卡片上评论。", - "computer": "从本机上传", - "confirm-checklist-delete-dialog": "确认要删除清单吗", - "copy-card-link-to-clipboard": "复制卡片链接到剪贴板", - "copyCardPopup-title": "复制卡片", - "copyChecklistToManyCardsPopup-title": "复制清单模板至多个卡片", - "copyChecklistToManyCardsPopup-instructions": "以JSON格式表示目标卡片的标题和描述", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"第一个卡片的标题\", \"description\":\"第一个卡片的描述\"}, {\"title\":\"第二个卡片的标题\",\"description\":\"第二个卡片的描述\"},{\"title\":\"最后一个卡片的标题\",\"description\":\"最后一个卡片的描述\"} ]", - "create": "创建", - "createBoardPopup-title": "创建看板", - "chooseBoardSourcePopup-title": "导入看板", - "createLabelPopup-title": "创建标签", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "当前", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "日期", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "日期", - "decline": "拒绝", - "default-avatar": "默认头像", - "delete": "删除", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "删除标签?", - "description": "描述", - "disambiguateMultiLabelPopup-title": "标签消歧 [?]", - "disambiguateMultiMemberPopup-title": "成员消歧 [?]", - "discard": "放弃", - "done": "完成", - "download": "下载", - "edit": "编辑", - "edit-avatar": "更改头像", - "edit-profile": "编辑资料", - "edit-wip-limit": "编辑最大任务数", - "soft-wip-limit": "软在制品限制", - "editCardStartDatePopup-title": "修改起始日期", - "editCardDueDatePopup-title": "修改截止日期", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "修改耗时", - "editLabelPopup-title": "更改标签", - "editNotificationPopup-title": "编辑通知", - "editProfilePopup-title": "编辑资料", - "email": "邮箱", - "email-enrollAccount-subject": "已为您在 __siteName__ 创建帐号", - "email-enrollAccount-text": "尊敬的 __user__,\n\n点击下面的链接,即刻开始使用这项服务。\n\n__url__\n\n谢谢。", - "email-fail": "邮件发送失败", - "email-fail-text": "尝试发送邮件时出错", - "email-invalid": "邮件地址错误", - "email-invite": "发送邮件邀请", - "email-invite-subject": "__inviter__ 向您发出邀请", - "email-invite-text": "尊敬的 __user__,\n\n__inviter__ 邀请您加入看板 \"__board__\" 参与协作。\n\n请点击下面的链接访问看板:\n\n__url__\n\n谢谢。", - "email-resetPassword-subject": "重置您的 __siteName__ 密码", - "email-resetPassword-text": "尊敬的 __user__,\n\n点击下面的链接,重置您的密码:\n\n__url__\n\n谢谢。", - "email-sent": "邮件已发送", - "email-verifyEmail-subject": "在 __siteName__ 验证您的邮件地址", - "email-verifyEmail-text": "尊敬的 __user__,\n\n点击下面的链接,验证您的邮件地址:\n\n__url__\n\n谢谢。", - "enable-wip-limit": "启用最大任务数限制", - "error-board-doesNotExist": "该看板不存在", - "error-board-notAdmin": "需要成为管理员才能执行此操作", - "error-board-notAMember": "需要成为看板成员才能执行此操作", - "error-json-malformed": "文本不是合法的 JSON", - "error-json-schema": "JSON 数据没有用正确的格式包含合适的信息", - "error-list-doesNotExist": "不存在此列表", - "error-user-doesNotExist": "该用户不存在", - "error-user-notAllowSelf": "无法邀请自己", - "error-user-notCreated": "该用户未能成功创建", - "error-username-taken": "此用户名已存在", - "error-email-taken": "此EMail已存在", - "export-board": "导出看板", - "filter": "过滤", - "filter-cards": "过滤卡片", - "filter-clear": "清空过滤器", - "filter-no-label": "无标签", - "filter-no-member": "无成员", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "过滤器启用", - "filter-on-desc": "你正在过滤该看板上的卡片,点此编辑过滤。", - "filter-to-selection": "要选择的过滤器", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "全称", - "header-logo-title": "返回您的看板页", - "hide-system-messages": "隐藏系统消息", - "headerBarCreateBoardPopup-title": "创建看板", - "home": "首页", - "import": "导入", - "import-board": "导入看板", - "import-board-c": "导入看板", - "import-board-title-trello": "从Trello导入看板", - "import-board-title-wekan": "从Wekan 导入看板", - "import-sandstorm-warning": "导入的面板将删除所有已存在于面板上的数据并替换他们为导入的面板。 ", - "from-trello": "自 Trello", - "from-wekan": "自 Wekan", - "import-board-instruction-trello": "在你的Trello看板中,点击“菜单”,然后选择“更多”,“打印与导出”,“导出为 JSON” 并拷贝结果文本", - "import-board-instruction-wekan": "在你的Wekan面板中点'菜单',然后点‘导出面板’并在已下载的文档复制文本。", - "import-json-placeholder": "粘贴您有效的 JSON 数据至此", - "import-map-members": "映射成员", - "import-members-map": "您导入的看板有一些成员。请将您想导入的成员映射到 Wekan 用户。", - "import-show-user-mapping": "核对成员映射", - "import-user-select": "选择您想将此成员映射到的 Wekan 用户", - "importMapMembersAddPopup-title": "选择Wekan成员", - "info": "版本", - "initials": "缩写", - "invalid-date": "无效日期", - "invalid-time": "非法时间", - "invalid-user": "非法用户", - "joined": "关联", - "just-invited": "您刚刚被邀请加入此看板", - "keyboard-shortcuts": "键盘快捷键", - "label-create": "创建标签", - "label-default": "%s 标签 (默认)", - "label-delete-pop": "此操作不可逆,这将会删除该标签并清除它的历史记录。", - "labels": "标签", - "language": "语言", - "last-admin-desc": "你不能更改角色,因为至少需要一名管理员。", - "leave-board": "离开看板", - "leave-board-pop": "确认要离开 __boardTitle__ 吗?此看板的所有卡片都会将您移除。", - "leaveBoardPopup-title": "离开看板?", - "link-card": "关联至该卡片", - "list-archive-cards": "移动此列表中的所有卡片到回收站", - "list-archive-cards-pop": "此操作会从看板中删除所有此列表包含的卡片。要查看回收站中的卡片并恢复到看板,请点击“菜单” > “回收站”。", - "list-move-cards": "移动列表中的所有卡片", - "list-select-cards": "选择列表中的所有卡片", - "listActionPopup-title": "列表操作", - "swimlaneActionPopup-title": "泳道图操作", - "listImportCardPopup-title": "导入 Trello 卡片", - "listMorePopup-title": "更多", - "link-list": "关联到这个列表", - "list-delete-pop": "所有活动将被从活动动态中删除并且你无法恢复他们,此操作无法撤销。 ", - "list-delete-suggest-archive": "可以将列表移入回收站,看板中将删除列表,但是相关活动记录会被保留。", - "lists": "列表", - "swimlanes": "泳道图", - "log-out": "登出", - "log-in": "登录", - "loginPopup-title": "登录", - "memberMenuPopup-title": "成员设置", - "members": "成员", - "menu": "菜单", - "move-selection": "移动选择", - "moveCardPopup-title": "移动卡片", - "moveCardToBottom-title": "移动至底端", - "moveCardToTop-title": "移动至顶端", - "moveSelectionPopup-title": "移动选择", - "multi-selection": "多选", - "multi-selection-on": "多选启用", - "muted": "静默", - "muted-info": "你将不会收到此看板的任何变更通知", - "my-boards": "我的看板", - "name": "名称", - "no-archived-cards": "回收站中无卡片。", - "no-archived-lists": "回收站中无列表。", - "no-archived-swimlanes": "回收站中无泳道。", - "no-results": "无结果", - "normal": "普通", - "normal-desc": "可以创建以及编辑卡片,无法更改设置。", - "not-accepted-yet": "邀请尚未接受", - "notify-participate": "接收以创建者或成员身份参与的卡片的更新", - "notify-watch": "接收所有关注的面板、列表、及卡片的更新", - "optional": "可选", - "or": "或", - "page-maybe-private": "本页面被设为私有. 您必须 登录以浏览其中内容。", - "page-not-found": "页面不存在。", - "password": "密码", - "paste-or-dragdrop": "从剪贴板粘贴,或者拖放文件到它上面 (仅限于图片)", - "participating": "参与", - "preview": "预览", - "previewAttachedImagePopup-title": "预览", - "previewClipboardImagePopup-title": "预览", - "private": "私有", - "private-desc": "该看板将被设为私有。只有该看板成员才可以进行查看和编辑。", - "profile": "资料", - "public": "公开", - "public-desc": "该看板将被公开。任何人均可通过链接查看,并且将对Google和其他搜索引擎开放。只有添加至该看板的成员才可进行编辑。", - "quick-access-description": "星标看板在导航条中添加快捷方式", - "remove-cover": "移除封面", - "remove-from-board": "从看板中删除", - "remove-label": "移除标签", - "listDeletePopup-title": "删除列表", - "remove-member": "移除成员", - "remove-member-from-card": "从该卡片中移除", - "remove-member-pop": "确定从 __boardTitle__ 中移除 __name__ (__username__) 吗? 该成员将被从该看板的所有卡片中移除,同时他会收到一条提醒。", - "removeMemberPopup-title": "删除成员?", - "rename": "重命名", - "rename-board": "重命名看板", - "restore": "还原", - "save": "保存", - "search": "搜索", - "search-cards": "搜索当前看板上的卡片标题和描述", - "search-example": "搜索", - "select-color": "选择颜色", - "set-wip-limit-value": "设置此列表中的最大任务数", - "setWipLimitPopup-title": "设置最大任务数", - "shortcut-assign-self": "分配当前卡片给自己", - "shortcut-autocomplete-emoji": "表情符号自动补全", - "shortcut-autocomplete-members": "自动补全成员", - "shortcut-clear-filters": "清空全部过滤器", - "shortcut-close-dialog": "关闭对话框", - "shortcut-filter-my-cards": "过滤我的卡片", - "shortcut-show-shortcuts": "显示此快捷键列表", - "shortcut-toggle-filterbar": "切换过滤器边栏", - "shortcut-toggle-sidebar": "切换面板边栏", - "show-cards-minimum-count": "当列表中的卡片多于此阈值时将显示数量", - "sidebar-open": "打开侧栏", - "sidebar-close": "打开侧栏", - "signupPopup-title": "创建账户", - "star-board-title": "点此来标记该看板,它将会出现在您的看板列表顶部。", - "starred-boards": "已标记看板", - "starred-boards-description": "已标记看板将会出现在您的看板列表顶部。", - "subscribe": "订阅", - "team": "团队", - "this-board": "该看板", - "this-card": "该卡片", - "spent-time-hours": "耗时 (小时)", - "overtime-hours": "超时 (小时)", - "overtime": "超时", - "has-overtime-cards": "有超时卡片", - "has-spenttime-cards": "耗时卡", - "time": "时间", - "title": "标题", - "tracking": "跟踪", - "tracking-info": "当任何包含您(作为创建者或成员)的卡片发生变更时,您将得到通知。", - "type": "Type", - "unassign-member": "取消分配成员", - "unsaved-description": "存在未保存的描述", - "unwatch": "取消关注", - "upload": "上传", - "upload-avatar": "上传头像", - "uploaded-avatar": "头像已经上传", - "username": "用户名", - "view-it": "查看", - "warn-list-archived": "警告:此卡片属于回收站中的一个列表", - "watch": "关注", - "watching": "关注", - "watching-info": "当此看板发生变更时会通知你", - "welcome-board": "“欢迎”看板", - "welcome-swimlane": "里程碑 1", - "welcome-list1": "基本", - "welcome-list2": "高阶", - "what-to-do": "要做什么?", - "wipLimitErrorPopup-title": "无效的最大任务数", - "wipLimitErrorPopup-dialog-pt1": "此列表中的任务数量已经超过了设置的最大任务数。", - "wipLimitErrorPopup-dialog-pt2": "请将一些任务移出此列表,或者设置一个更大的最大任务数。", - "admin-panel": "管理面板", - "settings": "设置", - "people": "人员", - "registration": "注册", - "disable-self-registration": "禁止自助注册", - "invite": "邀请", - "invite-people": "邀请人员", - "to-boards": "邀请到看板 (可多选)", - "email-addresses": "电子邮箱地址", - "smtp-host-description": "用于发送邮件的SMTP服务器地址。", - "smtp-port-description": "SMTP服务器端口。", - "smtp-tls-description": "对SMTP服务器启用TLS支持", - "smtp-host": "SMTP服务器", - "smtp-port": "SMTP端口", - "smtp-username": "用户名", - "smtp-password": "密码", - "smtp-tls": "TLS支持", - "send-from": "发件人", - "send-smtp-test": "给自己发送一封测试邮件", - "invitation-code": "邀请码", - "email-invite-register-subject": "__inviter__ 向您发出邀请", - "email-invite-register-text": "亲爱的 __user__,\n\n__inviter__ 邀请您加入 Wekan 进行协作。\n\n请访问下面的链接︰\n__url__\n\n您的的邀请码是︰\n__icode__\n\n非常感谢。", - "email-smtp-test-subject": "从Wekan发送SMTP测试邮件", - "email-smtp-test-text": "你已成功发送邮件", - "error-invitation-code-not-exist": "邀请码不存在", - "error-notAuthorized": "您无权查看此页面。", - "outgoing-webhooks": "外部Web挂钩", - "outgoingWebhooksPopup-title": "外部Web挂钩", - "new-outgoing-webhook": "新建外部Web挂钩", - "no-name": "(未知)", - "Wekan_version": "Wekan版本", - "Node_version": "Node.js版本", - "OS_Arch": "系统架构", - "OS_Cpus": "系统 CPU数量", - "OS_Freemem": "系统可用内存", - "OS_Loadavg": "系统负载均衡", - "OS_Platform": "系统平台", - "OS_Release": "系统发布版本", - "OS_Totalmem": "系统全部内存", - "OS_Type": "系统类型", - "OS_Uptime": "系统运行时间", - "hours": "小时", - "minutes": "分钟", - "seconds": "秒", - "show-field-on-card": "Show this field on card", - "yes": "是", - "no": "否", - "accounts": "账号", - "accounts-allowEmailChange": "允许邮箱变更", - "accounts-allowUserNameChange": "允许变更用户名", - "createdAt": "创建于", - "verified": "已验证", - "active": "活跃", - "card-received": "已接收", - "card-received-on": "接收于", - "card-end": "终止", - "card-end-on": "终止于", - "editCardReceivedDatePopup-title": "修改接收日期", - "editCardEndDatePopup-title": "修改终止日期", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json deleted file mode 100644 index 8d28bc5f..00000000 --- a/i18n/zh-TW.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "接受", - "act-activity-notify": "[Wekan] 活動通知", - "act-addAttachment": "新增附件__attachment__至__card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "評論__card__: __comment__", - "act-createBoard": "完成新增 __board__", - "act-createCard": "將__card__加入__list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "新增__list__至__board__", - "act-addBoardMember": "在__board__中新增成員__member__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "匯入__board__", - "act-importCard": "匯入__card__", - "act-importList": "匯入__list__", - "act-joinMember": "在__card__中新增成員__member__", - "act-moveCard": "將__card__從__oldList__移動至__list__", - "act-removeBoardMember": "從__board__中移除成員__member__", - "act-restoredCard": "將__card__回復至__board__", - "act-unjoinMember": "從__card__中移除成員__member__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "操作", - "activities": "活動", - "activity": "活動", - "activity-added": "新增 %s 至 %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "新增附件 %s 至 %s", - "activity-created": "建立 %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "排除 %s 從 %s", - "activity-imported": "匯入 %s 至 %s 從 %s 中", - "activity-imported-board": "已匯入 %s 從 %s 中", - "activity-joined": "關聯 %s", - "activity-moved": "將 %s 從 %s 移動到 %s", - "activity-on": "在 %s", - "activity-removed": "移除 %s 從 %s 中", - "activity-sent": "寄送 %s 至 %s", - "activity-unjoined": "解除關聯 %s", - "activity-checklist-added": "新增待辦清單至 %s", - "activity-checklist-item-added": "新增待辦清單項目從 %s 到 %s", - "add": "新增", - "add-attachment": "新增附件", - "add-board": "新增看板", - "add-card": "新增卡片", - "add-swimlane": "Add Swimlane", - "add-checklist": "新增待辦清單", - "add-checklist-item": "新增項目", - "add-cover": "新增封面", - "add-label": "新增標籤", - "add-list": "新增清單", - "add-members": "新增成員", - "added": "新增", - "addMemberPopup-title": "成員", - "admin": "管理員", - "admin-desc": "可以瀏覽並編輯卡片,移除成員,並且更改該看板的設定", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "全部看板", - "and-n-other-card": "和其他 __count__ 個卡片", - "and-n-other-card_plural": "和其他 __count__ 個卡片", - "apply": "送出", - "app-is-offline": "請稍候,資料讀取中,重整頁面可能會導致資料遺失。如果一直讀取,請檢查 Wekan 的伺服器是否正確運行。", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "還原看板", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "分配成員", - "attached": "附加", - "attachment": "附件", - "attachment-delete-pop": "刪除附件的操作無法還原。", - "attachmentDeletePopup-title": "刪除附件?", - "attachments": "附件", - "auto-watch": "新增看板時自動加入觀察", - "avatar-too-big": "頭像檔案太大 (最大 70 KB)", - "back": "返回", - "board-change-color": "更改顏色", - "board-nb-stars": "%s 星號標記", - "board-not-found": "看板不存在", - "board-private-info": "該看板將被設為 私有.", - "board-public-info": "該看板將被設為 公開.", - "boardChangeColorPopup-title": "修改看板背景", - "boardChangeTitlePopup-title": "重新命名看板", - "boardChangeVisibilityPopup-title": "更改可視級別", - "boardChangeWatchPopup-title": "更改觀察", - "boardMenuPopup-title": "看板選單", - "boards": "看板", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "清單", - "bucket-example": "例如 “目標清單”", - "cancel": "取消", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "該卡片有 %s 則評論", - "card-delete-notice": "徹底刪除的操作不可復原,你將會遺失該卡片相關的所有操作記錄。", - "card-delete-pop": "所有的動作將從活動動態中被移除且您將無法重新打開該卡片。此操作無法復原。", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "到期", - "card-due-on": "到期", - "card-spent": "Spent Time", - "card-edit-attachments": "編輯附件", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "編輯標籤", - "card-edit-members": "編輯成員", - "card-labels-title": "更改該卡片上的標籤", - "card-members-title": "在該卡片中新增或移除看板成員", - "card-start": "開始", - "card-start-on": "開始", - "cardAttachmentsPopup-title": "附件來源", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "徹底刪除卡片?", - "cardDetailsActionsPopup-title": "卡片動作", - "cardLabelsPopup-title": "標籤", - "cardMembersPopup-title": "成員", - "cardMorePopup-title": "更多", - "cards": "卡片", - "cards-count": "卡片", - "change": "變更", - "change-avatar": "更改大頭貼", - "change-password": "更改密碼", - "change-permissions": "更改許可權", - "change-settings": "更改設定", - "changeAvatarPopup-title": "更改大頭貼", - "changeLanguagePopup-title": "更改語言", - "changePasswordPopup-title": "更改密碼", - "changePermissionsPopup-title": "更改許可權", - "changeSettingsPopup-title": "更改設定", - "checklists": "待辦清單", - "click-to-star": "點此來標記該看板", - "click-to-unstar": "點此來去除該看板的標記", - "clipboard": "剪貼簿貼上或者拖曳檔案", - "close": "關閉", - "close-board": "關閉看板", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "黑色", - "color-blue": "藍色", - "color-green": "綠色", - "color-lime": "綠黃", - "color-orange": "橙色", - "color-pink": "粉紅", - "color-purple": "紫色", - "color-red": "紅色", - "color-sky": "天藍", - "color-yellow": "黃色", - "comment": "留言", - "comment-placeholder": "新增評論", - "comment-only": "只可以發表評論", - "comment-only-desc": "只可以對卡片發表評論", - "computer": "從本機上傳", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "將卡片連結複製到剪貼板", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "建立", - "createBoardPopup-title": "建立看板", - "chooseBoardSourcePopup-title": "匯入看板", - "createLabelPopup-title": "建立標籤", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "目前", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "日期", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "日期", - "decline": "拒絕", - "default-avatar": "預設大頭貼", - "delete": "刪除", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "刪除標籤?", - "description": "描述", - "disambiguateMultiLabelPopup-title": "清除標籤動作歧義", - "disambiguateMultiMemberPopup-title": "清除成員動作歧義", - "discard": "取消", - "done": "完成", - "download": "下載", - "edit": "編輯", - "edit-avatar": "更改大頭貼", - "edit-profile": "編輯資料", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "更改開始日期", - "editCardDueDatePopup-title": "更改到期日期", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "更改標籤", - "editNotificationPopup-title": "更改通知", - "editProfilePopup-title": "編輯資料", - "email": "電子郵件", - "email-enrollAccount-subject": "您在 __siteName__ 的帳號已經建立", - "email-enrollAccount-text": "親愛的 __user__,\n\n點選下面的連結,即刻開始使用這項服務。\n\n__url__\n\n謝謝。", - "email-fail": "郵件寄送失敗", - "email-fail-text": "Error trying to send email", - "email-invalid": "電子郵件地址錯誤", - "email-invite": "寄送郵件邀請", - "email-invite-subject": "__inviter__ 向您發出邀請", - "email-invite-text": "親愛的 __user__,\n\n__inviter__ 邀請您加入看板 \"__board__\" 參與協作。\n\n請點選下面的連結訪問看板:\n\n__url__\n\n謝謝。", - "email-resetPassword-subject": "重設您在 __siteName__ 的密碼", - "email-resetPassword-text": "親愛的 __user__,\n\n點選下面的連結,重置您的密碼:\n\n__url__\n\n謝謝。", - "email-sent": "郵件已寄送", - "email-verifyEmail-subject": "驗證您在 __siteName__ 的電子郵件", - "email-verifyEmail-text": "親愛的 __user__,\n\n點選下面的連結,驗證您的電子郵件地址:\n\n__url__\n\n謝謝。", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "該看板不存在", - "error-board-notAdmin": "需要成為管理員才能執行此操作", - "error-board-notAMember": "需要成為看板成員才能執行此操作", - "error-json-malformed": "不是有效的 JSON", - "error-json-schema": "JSON 資料沒有用正確的格式包含合適的資訊", - "error-list-doesNotExist": "不存在此列表", - "error-user-doesNotExist": "該使用者不存在", - "error-user-notAllowSelf": "不允許對自己執行此操作", - "error-user-notCreated": "該使用者未能成功建立", - "error-username-taken": "這個使用者名稱已被使用", - "error-email-taken": "電子信箱已被使用", - "export-board": "Export board", - "filter": "過濾", - "filter-cards": "過濾卡片", - "filter-clear": "清空過濾條件", - "filter-no-label": "沒有標籤", - "filter-no-member": "沒有成員", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "過濾條件啟用", - "filter-on-desc": "你正在過濾該看板上的卡片,點此編輯過濾條件。", - "filter-to-selection": "要選擇的過濾條件", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "全稱", - "header-logo-title": "返回您的看板頁面", - "hide-system-messages": "隱藏系統訊息", - "headerBarCreateBoardPopup-title": "建立看板", - "home": "首頁", - "import": "匯入", - "import-board": "匯入看板", - "import-board-c": "匯入看板", - "import-board-title-trello": "匯入在 Trello 的看板", - "import-board-title-wekan": "從 Wekan 匯入看板", - "import-sandstorm-warning": "匯入資料將會移除所有現有的看版資料,並取代成此次匯入的看板資料", - "from-trello": "來自 Trello", - "from-wekan": "來自 Wekan", - "import-board-instruction-trello": "在你的Trello看板中,點選“功能表”,然後選擇“更多”,“列印與匯出”,“匯出為 JSON” 並拷貝結果文本", - "import-board-instruction-wekan": "在 Wekan 看板中點選“功能表”,然後選擇“匯出看版”且複製文字到下載的檔案", - "import-json-placeholder": "貼上您有效的 JSON 資料至此", - "import-map-members": "複製成員", - "import-members-map": "您匯入的看板有一些成員。請將您想匯入的成員映射到 Wekan 使用者。", - "import-show-user-mapping": "核對成員映射", - "import-user-select": "選擇您想將此成員映射到的 Wekan 使用者", - "importMapMembersAddPopup-title": "選擇 Wekan 成員", - "info": "版本", - "initials": "縮寫", - "invalid-date": "無效的日期", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "關聯", - "just-invited": "您剛剛被邀請加入此看板", - "keyboard-shortcuts": "鍵盤快速鍵", - "label-create": "建立標籤", - "label-default": "%s 標籤 (預設)", - "label-delete-pop": "此操作無法還原,這將會刪除該標籤並清除它的歷史記錄。", - "labels": "標籤", - "language": "語言", - "last-admin-desc": "你不能更改角色,因為至少需要一名管理員。", - "leave-board": "離開看板", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "關聯至該卡片", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "移動清單中的所有卡片", - "list-select-cards": "選擇清單中的所有卡片", - "listActionPopup-title": "清單操作", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "匯入 Trello 卡片", - "listMorePopup-title": "更多", - "link-list": "連結到這個清單", - "list-delete-pop": "所有的動作將從活動動態中被移除且您將無法再開啟該清單\b。此操作無法復原。", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "清單", - "swimlanes": "Swimlanes", - "log-out": "登出", - "log-in": "登入", - "loginPopup-title": "登入", - "memberMenuPopup-title": "成員更改", - "members": "成員", - "menu": "選單", - "move-selection": "移動被選擇的項目", - "moveCardPopup-title": "移動卡片", - "moveCardToBottom-title": "移至最下面", - "moveCardToTop-title": "移至最上面", - "moveSelectionPopup-title": "移動選取的項目", - "multi-selection": "多選", - "multi-selection-on": "多選啟用", - "muted": "靜音", - "muted-info": "您將不會收到有關這個看板的任何訊息", - "my-boards": "我的看板", - "name": "名稱", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "無結果", - "normal": "普通", - "normal-desc": "可以建立以及編輯卡片,無法更改。", - "not-accepted-yet": "邀請尚未接受", - "notify-participate": "接收與你有關的卡片更新", - "notify-watch": "接收您關注的看板、清單或卡片的更新", - "optional": "選擇性的", - "or": "或", - "page-maybe-private": "本頁面被設為私有. 您必須 登入以瀏覽其中內容。", - "page-not-found": "頁面不存在。", - "password": "密碼", - "paste-or-dragdrop": "從剪貼簿貼上,或者拖曳檔案到它上面 (僅限於圖片)", - "participating": "參與", - "preview": "預覽", - "previewAttachedImagePopup-title": "預覽", - "previewClipboardImagePopup-title": "預覽", - "private": "私有", - "private-desc": "該看板將被設為私有。只有該看板成員才可以進行檢視和編輯。", - "profile": "資料", - "public": "公開", - "public-desc": "該看板將被公開。任何人均可透過連結檢視,並且將對Google和其他搜尋引擎開放。只有加入至該看板的成員才可進行編輯。", - "quick-access-description": "被星號標記的看板在導航列中新增快速啟動方式", - "remove-cover": "移除封面", - "remove-from-board": "從看板中刪除", - "remove-label": "移除標籤", - "listDeletePopup-title": "刪除標籤", - "remove-member": "移除成員", - "remove-member-from-card": "從該卡片中移除", - "remove-member-pop": "確定從 __boardTitle__ 中移除 __name__ (__username__) 嗎? 該成員將被從該看板的所有卡片中移除,同時他會收到一則提醒。", - "removeMemberPopup-title": "刪除成員?", - "rename": "重新命名", - "rename-board": "重新命名看板", - "restore": "還原", - "save": "儲存", - "search": "搜尋", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "選擇顏色", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "分配目前卡片給自己", - "shortcut-autocomplete-emoji": "自動完成表情符號", - "shortcut-autocomplete-members": "自動補齊成員", - "shortcut-clear-filters": "清空全部過濾條件", - "shortcut-close-dialog": "關閉對話方塊", - "shortcut-filter-my-cards": "過濾我的卡片", - "shortcut-show-shortcuts": "顯示此快速鍵清單", - "shortcut-toggle-filterbar": "切換過濾程式邊欄", - "shortcut-toggle-sidebar": "切換面板邊欄", - "show-cards-minimum-count": "顯示卡片數量,當內容超過數量", - "sidebar-open": "開啟側邊欄", - "sidebar-close": "關閉側邊欄", - "signupPopup-title": "建立帳戶", - "star-board-title": "點此標記該看板,它將會出現在您的看板列表上方。", - "starred-boards": "已標記看板", - "starred-boards-description": "已標記看板將會出現在您的看板列表上方。", - "subscribe": "訂閱", - "team": "團隊", - "this-board": "這個看板", - "this-card": "這個卡片", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "時間", - "title": "標題", - "tracking": "追蹤", - "tracking-info": "你將會收到與你有關的卡片的所有變更通知", - "type": "Type", - "unassign-member": "取消分配成員", - "unsaved-description": "未儲存的描述", - "unwatch": "取消觀察", - "upload": "上傳", - "upload-avatar": "上傳大頭貼", - "uploaded-avatar": "大頭貼已經上傳", - "username": "使用者名稱", - "view-it": "檢視", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "觀察", - "watching": "觀察中", - "watching-info": "你將會收到關於這個看板所有的變更通知", - "welcome-board": "歡迎進入看板", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "基本", - "welcome-list2": "進階", - "what-to-do": "要做什麼?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "控制台", - "settings": "設定", - "people": "成員", - "registration": "註冊", - "disable-self-registration": "關閉自我註冊", - "invite": "邀請", - "invite-people": "邀請成員", - "to-boards": "至看板()", - "email-addresses": "電子郵件", - "smtp-host-description": "SMTP 外寄郵件伺服器", - "smtp-port-description": "SMTP 外寄郵件伺服器埠號", - "smtp-tls-description": "對 SMTP 啟動 TLS 支援", - "smtp-host": "SMTP 位置", - "smtp-port": "SMTP 埠號", - "smtp-username": "使用者名稱", - "smtp-password": "密碼", - "smtp-tls": "支援 TLS", - "send-from": "從", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "邀請碼", - "email-invite-register-subject": "__inviter__ 向您發出邀請", - "email-invite-register-text": "親愛的 __user__,\n\n__inviter__ 邀請您加入 Wekan 一同協作\n\n請點擊下列連結:\n__url__\n\n您的邀請碼為:__icode__\n\n謝謝。", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "邀請碼不存在", - "error-notAuthorized": "沒有適合的權限觀看", - "outgoing-webhooks": "設定 Webhooks", - "outgoingWebhooksPopup-title": "設定 Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan 版本", - "Node_version": "Node 版本", - "OS_Arch": "系統架構", - "OS_Cpus": "系統\b CPU 數", - "OS_Freemem": "undefined", - "OS_Loadavg": "系統平均讀取", - "OS_Platform": "系統平臺", - "OS_Release": "系統發佈版本", - "OS_Totalmem": "系統總記憶體", - "OS_Type": "系統類型", - "OS_Uptime": "系統運行時間", - "hours": "小時", - "minutes": "分鐘", - "seconds": "秒", - "show-field-on-card": "Show this field on card", - "yes": "是", - "no": "否", - "accounts": "帳號", - "accounts-allowEmailChange": "准許變更電子信箱", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file -- cgit v1.2.3-1-g7c22 From dda49d2f07f9c50d5d57acfd5c7eee6492f93b33 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 12 Jun 2018 21:13:50 +0300 Subject: - Security Fix: Do not publish all of people collection. Thanks to Adrian Genaid ! --- server/publications/people.js | 28 +++++++++++++++++++++++----- 1 file changed, 23 insertions(+), 5 deletions(-) diff --git a/server/publications/people.js b/server/publications/people.js index f3c2bdfe..7c13bdcc 100644 --- a/server/publications/people.js +++ b/server/publications/people.js @@ -1,7 +1,25 @@ -Meteor.publish('people', (limit) => { +Meteor.publish('people', function(limit) { check(limit, Number); - return Users.find({}, { - limit, - sort: {createdAt: -1}, - }); + + if (!Match.test(this.userId, String)) { + return []; + } + + const user = Users.findOne(this.userId); + if (user && user.isAdmin) { + return Users.find({}, { + limit, + sort: {createdAt: -1}, + fields: { + 'username': 1, + 'profile.fullname': 1, + 'isAdmin': 1, + 'emails': 1, + 'createdAt': 1, + 'loginDisabled': 1, + }, + }); + } else { + return []; + } }); -- cgit v1.2.3-1-g7c22 From aef871833ba58299d165b693f2bd7d2bd3947ef8 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 12 Jun 2018 21:18:38 +0300 Subject: - SECURITY FIX: Do not publish all of people collection. Thanks to Adrian Genaid. --- CHANGELOG.md | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 1957b852..e7df6d60 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,7 +4,12 @@ This release adds the following new features: * [Add Khmer language](https://github.com/wekan/wekan/commit/2156e458690d0dc34a761a48fd7fa3b54af79031). +and fixes the following bugs: + +* [SECURITY FIX: Do not publish all of people collection](https://github.com/wekan/wekan/commit/dda49d2f07f9c50d5d57acfd5c7eee6492f93b33). + Thanks to GitHub user xet7 for contributions. +Thanks to Adrian Genaid for security fix. Thanks to translators. # v1.03 2018-06-08 Wekan release -- cgit v1.2.3-1-g7c22 From fba0a52e4af3c304cffb057651afb593f76860f2 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 12 Jun 2018 21:34:57 +0300 Subject: Update translations. --- i18n/de.i18n.json | 6 +++--- i18n/zh-CN.i18n.json | 60 ++++++++++++++++++++++++++-------------------------- 2 files changed, 33 insertions(+), 33 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 2c0e8baf..fffcd205 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -469,10 +469,10 @@ "card-end-on": "Endet am", "editCardReceivedDatePopup-title": "Empfangsdatum ändern", "editCardEndDatePopup-title": "Enddatum ändern", - "assigned-by": "Zugeteilt von", + "assigned-by": "Zugewiesen von", "requested-by": "Angefordert von", - "board-delete-notice": "Löschen ist dauerhaft. Du verlierst alle Listen, Karten und Aktionen, welche mit diesem Board verbunden sind.", - "delete-board-confirm-popup": "Alle Listen, Karten, Beschriftungen und Akivitäten werden gelöscht, das Board kann nicht wiederhergestellt werden! Es gibt kein Rückgängig.", + "board-delete-notice": "Löschen kann nicht rückgängig gemacht werden. Sie werden alle Listen, Karten und Aktionen, die mit diesem Board verbunden sind, verlieren.", + "delete-board-confirm-popup": "Alle Listen, Karten, Labels und Akivitäten werden gelöscht und Sie können die Inhalte des Boards nicht wiederherstellen! Die Aktion kann nicht rückgängig gemacht werden.", "boardDeletePopup-title": "Board löschen?", "delete-board": "Board löschen" } \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 30d1e260..ad821bef 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -7,7 +7,7 @@ "act-addComment": "在 __card__ 发布评论: __comment__", "act-createBoard": "创建看板 __board__", "act-createCard": "添加卡片 __card__ 至列表 __list__", - "act-createCustomField": "created custom field __customField__", + "act-createCustomField": "创建了自定义字段 __customField__", "act-createList": "添加列表 __list__ 至看板 __board__", "act-addBoardMember": "添加成员 __member__ 至看板 __board__", "act-archivedBoard": "__board__ 已被移入回收站 ", @@ -31,7 +31,7 @@ "activity-archived": "%s 已被移入回收站", "activity-attached": "添加附件 %s 至 %s", "activity-created": "创建 %s", - "activity-customfield-created": "created custom field %s", + "activity-customfield-created": "创建了自定义字段 %s", "activity-excluded": "排除 %s 从 %s", "activity-imported": "导入 %s 至 %s 从 %s 中", "activity-imported-board": "已导入 %s 从 %s 中", @@ -113,7 +113,7 @@ "card-due-on": "期限", "card-spent": "耗时", "card-edit-attachments": "编辑附件", - "card-edit-custom-fields": "Edit custom fields", + "card-edit-custom-fields": "编辑自定义字段", "card-edit-labels": "编辑标签", "card-edit-members": "编辑成员", "card-labels-title": "更改该卡片上的标签", @@ -121,8 +121,8 @@ "card-start": "开始", "card-start-on": "始于", "cardAttachmentsPopup-title": "附件来源", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", + "cardCustomField-datePopup-title": "修改日期", + "cardCustomFieldsPopup-title": "编辑自定义字段", "cardDeletePopup-title": "彻底删除卡片?", "cardDetailsActionsPopup-title": "卡片操作", "cardLabelsPopup-title": "标签", @@ -172,25 +172,25 @@ "createBoardPopup-title": "创建看板", "chooseBoardSourcePopup-title": "导入看板", "createLabelPopup-title": "创建标签", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", + "createCustomField": "创建字段", + "createCustomFieldPopup-title": "创建字段", "current": "当前", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", + "custom-field-delete-pop": "没有撤销,此动作将从所有卡片中移除自定义字段并销毁历史。", + "custom-field-checkbox": "选择框", "custom-field-date": "日期", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", + "custom-field-dropdown": "下拉列表", + "custom-field-dropdown-none": "(无)", + "custom-field-dropdown-options": "列表选项", + "custom-field-dropdown-options-placeholder": "回车可以加入更多选项", + "custom-field-dropdown-unknown": "(未知)", + "custom-field-number": "数字", + "custom-field-text": "文本", + "custom-fields": "自定义字段", "date": "日期", "decline": "拒绝", "default-avatar": "默认头像", "delete": "删除", - "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteCustomFieldPopup-title": "删除自定义字段?", "deleteLabelPopup-title": "删除标签?", "description": "描述", "disambiguateMultiLabelPopup-title": "标签消歧 [?]", @@ -205,7 +205,7 @@ "soft-wip-limit": "软在制品限制", "editCardStartDatePopup-title": "修改起始日期", "editCardDueDatePopup-title": "修改截止日期", - "editCustomFieldPopup-title": "Edit Field", + "editCustomFieldPopup-title": "编辑字段", "editCardSpentTimePopup-title": "修改耗时", "editLabelPopup-title": "更改标签", "editNotificationPopup-title": "编辑通知", @@ -242,12 +242,12 @@ "filter-clear": "清空过滤器", "filter-no-label": "无标签", "filter-no-member": "无成员", - "filter-no-custom-fields": "No Custom Fields", + "filter-no-custom-fields": "无自定义字段", "filter-on": "过滤器启用", "filter-on-desc": "你正在过滤该看板上的卡片,点此编辑过滤。", "filter-to-selection": "要选择的过滤器", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-label": "高级过滤器", + "advanced-filter-description": "高级过滤器可以使用包含如下操作符的字符串进行过滤:== != <= >= && || ( ) 。操作符之间用空格隔开。输入字段名和数值就可以过滤所有自定义字段。例如:Field1 == Value1. 注意如果字段名或数值包含空格,需要用单引号。例如: 'Field 1' == 'Value 1'。支持组合使用多个条件,例如: F1 == V1 || F1 = V2。通常以从左到右的顺序进行判断。可以通过括号修改顺序,例如:F1 == V1 and ( F2 == V2 || F2 == V3 )", "fullname": "全称", "header-logo-title": "返回您的看板页", "hide-system-messages": "隐藏系统消息", @@ -389,7 +389,7 @@ "title": "标题", "tracking": "跟踪", "tracking-info": "当任何包含您(作为创建者或成员)的卡片发生变更时,您将得到通知。", - "type": "Type", + "type": "类型", "unassign-member": "取消分配成员", "unsaved-description": "存在未保存的描述", "unwatch": "取消关注", @@ -454,7 +454,7 @@ "hours": "小时", "minutes": "分钟", "seconds": "秒", - "show-field-on-card": "Show this field on card", + "show-field-on-card": "在卡片上显示此字段", "yes": "是", "no": "否", "accounts": "账号", @@ -469,10 +469,10 @@ "card-end-on": "终止于", "editCardReceivedDatePopup-title": "修改接收日期", "editCardEndDatePopup-title": "修改终止日期", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "assigned-by": "分配人", + "requested-by": "需求人", + "board-delete-notice": "删除时永久操作,将会丢失此看板上的所有列表、卡片和动作。", + "delete-board-confirm-popup": "所有列表、卡片、标签和活动都回被删除,将无法恢复看板内容。不支持撤销。", + "boardDeletePopup-title": "删除看板?", + "delete-board": "删除看板" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From f28889de592f92a115c5cc5f152d6ec87c3a3467 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 12 Jun 2018 21:42:52 +0300 Subject: - Modify card covers/mini-cards so that: 1) Received date is shown unless there is a start date 2) Due Date is shown, unless there is an end date. This begins to address #1668 Thanks to rjevnikar ! --- CHANGELOG.md | 11 ++++++++--- 1 file changed, 8 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index e7df6d60..cfe3e672 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,13 +2,18 @@ This release adds the following new features: -* [Add Khmer language](https://github.com/wekan/wekan/commit/2156e458690d0dc34a761a48fd7fa3b54af79031). +* [Add Khmer language](https://github.com/wekan/wekan/commit/2156e458690d0dc34a761a48fd7fa3b54af79031); +* [Modify card covers/mini-cards so that: 1) received date is shown unless there is a start date + 2) due date is shown, unless there is an end date](https://github.com/wekan/wekan/pull/1685). and fixes the following bugs: -* [SECURITY FIX: Do not publish all of people collection](https://github.com/wekan/wekan/commit/dda49d2f07f9c50d5d57acfd5c7eee6492f93b33). +* [SECURITY FIX: Do not publish all of people collection. This bug has probably been present + since addition of Admin Panel](https://github.com/wekan/wekan/commit/dda49d2f07f9c50d5d57acfd5c7eee6492f93b33); +* [Modify card covers/mini-cards so that: 1) received date is shown unless there is a start date + 2) due date is shown, unless there is an end date](https://github.com/wekan/wekan/pull/1685). -Thanks to GitHub user xet7 for contributions. +Thanks to GitHub users rjevnikar and xet7 for their contributions. Thanks to Adrian Genaid for security fix. Thanks to translators. -- cgit v1.2.3-1-g7c22 From 246267276a5cdcc1439c591cf6b9993f3c9f68e4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 12 Jun 2018 21:46:37 +0300 Subject: Update translations. --- i18n/ar.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/bg.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/br.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/ca.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/cs.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/de.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/el.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/en-GB.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/eo.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/es-AR.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/es.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/eu.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/fa.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/fi.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/fr.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/gl.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/he.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/hu.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/hy.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/id.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/ig.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/it.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/ja.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/km.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/ko.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/lv.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/mn.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/nb.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/nl.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/pl.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/pt-BR.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/pt.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/ro.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/ru.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/sr.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/sv.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/ta.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/th.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/tr.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/uk.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/vi.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/zh-CN.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/zh-TW.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ 43 files changed, 20554 insertions(+) create mode 100644 i18n/ar.i18n.json create mode 100644 i18n/bg.i18n.json create mode 100644 i18n/br.i18n.json create mode 100644 i18n/ca.i18n.json create mode 100644 i18n/cs.i18n.json create mode 100644 i18n/de.i18n.json create mode 100644 i18n/el.i18n.json create mode 100644 i18n/en-GB.i18n.json create mode 100644 i18n/eo.i18n.json create mode 100644 i18n/es-AR.i18n.json create mode 100644 i18n/es.i18n.json create mode 100644 i18n/eu.i18n.json create mode 100644 i18n/fa.i18n.json create mode 100644 i18n/fi.i18n.json create mode 100644 i18n/fr.i18n.json create mode 100644 i18n/gl.i18n.json create mode 100644 i18n/he.i18n.json create mode 100644 i18n/hu.i18n.json create mode 100644 i18n/hy.i18n.json create mode 100644 i18n/id.i18n.json create mode 100644 i18n/ig.i18n.json create mode 100644 i18n/it.i18n.json create mode 100644 i18n/ja.i18n.json create mode 100644 i18n/km.i18n.json create mode 100644 i18n/ko.i18n.json create mode 100644 i18n/lv.i18n.json create mode 100644 i18n/mn.i18n.json create mode 100644 i18n/nb.i18n.json create mode 100644 i18n/nl.i18n.json create mode 100644 i18n/pl.i18n.json create mode 100644 i18n/pt-BR.i18n.json create mode 100644 i18n/pt.i18n.json create mode 100644 i18n/ro.i18n.json create mode 100644 i18n/ru.i18n.json create mode 100644 i18n/sr.i18n.json create mode 100644 i18n/sv.i18n.json create mode 100644 i18n/ta.i18n.json create mode 100644 i18n/th.i18n.json create mode 100644 i18n/tr.i18n.json create mode 100644 i18n/uk.i18n.json create mode 100644 i18n/vi.i18n.json create mode 100644 i18n/zh-CN.i18n.json create mode 100644 i18n/zh-TW.i18n.json diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json new file mode 100644 index 00000000..cf8f7f49 --- /dev/null +++ b/i18n/ar.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "اقبلboard", + "act-activity-notify": "[Wekan] اشعار عن نشاط", + "act-addAttachment": "ربط __attachment__ الى __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "علق على __comment__ : __card__", + "act-createBoard": "احدث __board__", + "act-createCard": "اضاف __card__ الى __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "اضاف __list__ الى __board__", + "act-addBoardMember": "اضاف __member__ الى __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "إستورد __board__", + "act-importCard": "إستورد __card__", + "act-importList": "إستورد __list__", + "act-joinMember": "اضاف __member__ الى __card__", + "act-moveCard": "حوّل __card__ من __oldList__ إلى __list__", + "act-removeBoardMember": "أزال __member__ من __board__", + "act-restoredCard": "أعاد __card__ إلى __board__", + "act-unjoinMember": "أزال __member__ من __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "الإجراءات", + "activities": "الأنشطة", + "activity": "النشاط", + "activity-added": "تمت إضافة %s ل %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "إرفاق %s ل %s", + "activity-created": "أنشأ %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "استبعاد %s عن %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "انضم %s", + "activity-moved": "تم نقل %s من %s إلى %s", + "activity-on": "على %s", + "activity-removed": "حذف %s إلى %s", + "activity-sent": "إرسال %s إلى %s", + "activity-unjoined": "غادر %s", + "activity-checklist-added": "أضاف قائمة تحقق إلى %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "أضف", + "add-attachment": "إضافة مرفق", + "add-board": "إضافة لوحة", + "add-card": "إضافة بطاقة", + "add-swimlane": "Add Swimlane", + "add-checklist": "إضافة قائمة تدقيق", + "add-checklist-item": "إضافة عنصر إلى قائمة التحقق", + "add-cover": "إضافة غلاف", + "add-label": "إضافة ملصق", + "add-list": "إضافة قائمة", + "add-members": "تعيين أعضاء", + "added": "أُضيف", + "addMemberPopup-title": "الأعضاء", + "admin": "المدير", + "admin-desc": "إمكانية مشاهدة و تعديل و حذف أعضاء ، و تعديل إعدادات اللوحة أيضا.", + "admin-announcement": "إعلان", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "كل اللوحات", + "and-n-other-card": "And __count__ other بطاقة", + "and-n-other-card_plural": "And __count__ other بطاقات", + "apply": "طبق", + "app-is-offline": "يتمّ تحميل ويكان، يرجى الانتظار. سيؤدي تحديث الصفحة إلى فقدان البيانات. إذا لم يتم تحميل ويكان، يرجى التحقق من أن خادم ويكان لم يتوقف. ", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "استعادة اللوحة", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "تعيين عضو", + "attached": "أُرفق)", + "attachment": "مرفق", + "attachment-delete-pop": "حذف المرق هو حذف نهائي . لا يمكن التراجع إذا حذف.", + "attachmentDeletePopup-title": "تريد حذف المرفق ?", + "attachments": "المرفقات", + "auto-watch": "مراقبة لوحات تلقائيا عندما يتم إنشاؤها", + "avatar-too-big": "الصورة الرمزية كبيرة جدا (70 كيلوبايت كحد أقصى)", + "back": "رجوع", + "board-change-color": "تغيير اللومr", + "board-nb-stars": "%s نجوم", + "board-not-found": "لوحة مفقودة", + "board-private-info": "سوف تصبح هذه اللوحة خاصة", + "board-public-info": "سوف تصبح هذه اللوحة عامّة.", + "boardChangeColorPopup-title": "تعديل خلفية الشاشة", + "boardChangeTitlePopup-title": "إعادة تسمية اللوحة", + "boardChangeVisibilityPopup-title": "تعديل وضوح الرؤية", + "boardChangeWatchPopup-title": "تغيير المتابعة", + "boardMenuPopup-title": "قائمة اللوحة", + "boards": "لوحات", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "القائمات", + "bucket-example": "مثل « todo list » على سبيل المثال", + "cancel": "إلغاء", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "%s تعليقات لهذه البطاقة", + "card-delete-notice": "هذا حذف أبديّ . سوف تفقد كل الإجراءات المنوطة بهذه البطاقة", + "card-delete-pop": "سيتم إزالة جميع الإجراءات من تبعات النشاط، وأنك لن تكون قادرا على إعادة فتح البطاقة. لا يوجد التراجع.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "مستحق", + "card-due-on": "مستحق في", + "card-spent": "Spent Time", + "card-edit-attachments": "تعديل المرفقات", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "تعديل العلامات", + "card-edit-members": "تعديل الأعضاء", + "card-labels-title": "تعديل علامات البطاقة.", + "card-members-title": "إضافة او حذف أعضاء للبطاقة.", + "card-start": "بداية", + "card-start-on": "يبدأ في", + "cardAttachmentsPopup-title": "إرفاق من", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "حذف البطاقة ?", + "cardDetailsActionsPopup-title": "إجراءات على البطاقة", + "cardLabelsPopup-title": "علامات", + "cardMembersPopup-title": "أعضاء", + "cardMorePopup-title": "المزيد", + "cards": "بطاقات", + "cards-count": "بطاقات", + "change": "Change", + "change-avatar": "تعديل الصورة الشخصية", + "change-password": "تغيير كلمة المرور", + "change-permissions": "تعديل الصلاحيات", + "change-settings": "تغيير الاعدادات", + "changeAvatarPopup-title": "تعديل الصورة الشخصية", + "changeLanguagePopup-title": "تغيير اللغة", + "changePasswordPopup-title": "تغيير كلمة المرور", + "changePermissionsPopup-title": "تعديل الصلاحيات", + "changeSettingsPopup-title": "تغيير الاعدادات", + "checklists": "قوائم التّدقيق", + "click-to-star": "اضغط لإضافة اللوحة للمفضلة.", + "click-to-unstar": "اضغط لحذف اللوحة من المفضلة.", + "clipboard": "Clipboard or drag & drop", + "close": "غلق", + "close-board": "غلق اللوحة", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "تعليق", + "comment-placeholder": "أكتب تعليق", + "comment-only": "التعليق فقط", + "comment-only-desc": "يمكن التعليق على بطاقات فقط.", + "computer": "حاسوب", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "نسخ رابط البطاقة إلى الحافظة", + "copyCardPopup-title": "نسخ البطاقة", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "إنشاء", + "createBoardPopup-title": "إنشاء لوحة", + "chooseBoardSourcePopup-title": "استيراد لوحة", + "createLabelPopup-title": "إنشاء علامة", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "الحالي", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "تاريخ", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "تاريخ", + "decline": "Decline", + "default-avatar": "صورة شخصية افتراضية", + "delete": "حذف", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "حذف العلامة ?", + "description": "وصف", + "disambiguateMultiLabelPopup-title": "تحديد الإجراء على العلامة", + "disambiguateMultiMemberPopup-title": "تحديد الإجراء على العضو", + "discard": "التخلص منها", + "done": "Done", + "download": "تنزيل", + "edit": "تعديل", + "edit-avatar": "تعديل الصورة الشخصية", + "edit-profile": "تعديل الملف الشخصي", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "تغيير تاريخ البدء", + "editCardDueDatePopup-title": "تغيير تاريخ الاستحقاق", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "تعديل العلامة", + "editNotificationPopup-title": "تصحيح الإشعار", + "editProfilePopup-title": "تعديل الملف الشخصي", + "email": "البريد الإلكتروني", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "لا يمكنك دعوة نفسك", + "error-user-notCreated": "This user is not created", + "error-username-taken": "إسم المستخدم مأخوذ مسبقا", + "error-email-taken": "البريد الإلكتروني مأخوذ بالفعل", + "export-board": "Export board", + "filter": "تصفية", + "filter-cards": "تصفية البطاقات", + "filter-clear": "مسح التصفية", + "filter-no-label": "لا يوجد ملصق", + "filter-no-member": "ليس هناك أي عضو", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "التصفية تشتغل", + "filter-on-desc": "أنت بصدد تصفية بطاقات هذه اللوحة. اضغط هنا لتعديل التصفية.", + "filter-to-selection": "تصفية بالتحديد", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "الإسم الكامل", + "header-logo-title": "الرجوع إلى صفحة اللوحات", + "hide-system-messages": "إخفاء رسائل النظام", + "headerBarCreateBoardPopup-title": "إنشاء لوحة", + "home": "الرئيسية", + "import": "Import", + "import-board": "استيراد لوحة", + "import-board-c": "استيراد لوحة", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "استيراد لوحة من ويكان", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "من تريلو", + "from-wekan": "من ويكان", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", + "import-board-instruction-wekan": "في لوحة ويكان الخاصة بك، انتقل إلى 'القائمة'، ثم 'تصدير اللوحة'، ونسخ النص في الملف الذي تم تنزيله.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "رسم خريطة الأعضاء", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "حدّد عضو ويكان", + "info": "الإصدار", + "initials": "أولية", + "invalid-date": "تاريخ غير صالح", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "انضمّ", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "اختصار لوحة المفاتيح", + "label-create": "إنشاء علامة", + "label-default": "%s علامة (افتراضية)", + "label-delete-pop": "لا يوجد تراجع. سيؤدي هذا إلى إزالة هذه العلامة من جميع بطاقات والقضاء على تأريخها", + "labels": "علامات", + "language": "لغة", + "last-admin-desc": "لا يمكن تعديل الأدوار لأن ذلك يتطلب صلاحيات المدير.", + "leave-board": "مغادرة اللوحة", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "مغادرة اللوحة ؟", + "link-card": "ربط هذه البطاقة", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "نقل بطاقات هذه القائمة", + "list-select-cards": "تحديد بطاقات هذه القائمة", + "listActionPopup-title": "قائمة الإجراءات", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "المزيد", + "link-list": "رابط إلى هذه القائمة", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "القائمات", + "swimlanes": "Swimlanes", + "log-out": "تسجيل الخروج", + "log-in": "تسجيل الدخول", + "loginPopup-title": "تسجيل الدخول", + "memberMenuPopup-title": "أفضليات الأعضاء", + "members": "أعضاء", + "menu": "القائمة", + "move-selection": "Move selection", + "moveCardPopup-title": "نقل البطاقة", + "moveCardToBottom-title": "التحرك إلى القاع", + "moveCardToTop-title": "التحرك إلى الأعلى", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "تحديد أكثر من واحدة", + "multi-selection-on": "Multi-Selection is on", + "muted": "مكتوم", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "لوحاتي", + "name": "اسم", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "لا توجد نتائج", + "normal": "عادي", + "normal-desc": "يمكن مشاهدة و تعديل البطاقات. لا يمكن تغيير إعدادات الضبط.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "اختياري", + "or": "or", + "page-maybe-private": "قدتكون هذه الصفحة خاصة . قد تستطيع مشاهدتها ب تسجيل الدخول.", + "page-not-found": "صفحة غير موجودة", + "password": "كلمة المرور", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "المشاركة", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "خاص", + "private-desc": "هذه اللوحة خاصة . لا يسمح إلا للأعضاء .", + "profile": "ملف شخصي", + "public": "عامّ", + "public-desc": "هذه اللوحة عامة: مرئية لكلّ من يحصل على الرابط ، و هي مرئية أيضا في محركات البحث مثل جوجل. التعديل مسموح به للأعضاء فقط.", + "quick-access-description": "أضف لوحة إلى المفضلة لإنشاء اختصار في هذا الشريط.", + "remove-cover": "حذف الغلاف", + "remove-from-board": "حذف من اللوحة", + "remove-label": "إزالة التصنيف", + "listDeletePopup-title": "حذف القائمة ؟", + "remove-member": "حذف العضو", + "remove-member-from-card": "حذف من البطاقة", + "remove-member-pop": "حذف __name__ (__username__) من __boardTitle__ ? سيتم حذف هذا العضو من جميع بطاقة اللوحة مع إرسال إشعار له بذاك.", + "removeMemberPopup-title": "حذف العضو ?", + "rename": "إعادة التسمية", + "rename-board": "إعادة تسمية اللوحة", + "restore": "استعادة", + "save": "حفظ", + "search": "بحث", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "اختيار اللون", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "الإكمال التلقائي للرموز التعبيرية", + "shortcut-autocomplete-members": "الإكمال التلقائي لأسماء الأعضاء", + "shortcut-clear-filters": "مسح التصفيات", + "shortcut-close-dialog": "غلق النافذة", + "shortcut-filter-my-cards": "تصفية بطاقاتي", + "shortcut-show-shortcuts": "عرض قائمة الإختصارات ،تلك", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "إظهار-إخفاء الشريط الجانبي للوحة", + "show-cards-minimum-count": "إظهار عدد البطاقات إذا كانت القائمة تتضمن أكثر من", + "sidebar-open": "فتح الشريط الجانبي", + "sidebar-close": "إغلاق الشريط الجانبي", + "signupPopup-title": "إنشاء حساب", + "star-board-title": "اضغط لإضافة هذه اللوحة إلى المفضلة . سوف يتم إظهارها على رأس بقية اللوحات.", + "starred-boards": "اللوحات المفضلة", + "starred-boards-description": "تعرض اللوحات المفضلة على رأس بقية اللوحات.", + "subscribe": "اشتراك و متابعة", + "team": "فريق", + "this-board": "هذه اللوحة", + "this-card": "هذه البطاقة", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "الوقت", + "title": "عنوان", + "tracking": "تتبع", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "إلغاء تعيين العضو", + "unsaved-description": "لديك وصف غير محفوظ", + "unwatch": "غير مُشاهد", + "upload": "Upload", + "upload-avatar": "رفع صورة شخصية", + "uploaded-avatar": "تم رفع الصورة الشخصية", + "username": "اسم المستخدم", + "view-it": "شاهدها", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "مُشاهد", + "watching": "مشاهدة", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "لوحة التّرحيب", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "المبادئ", + "welcome-list2": "متقدم", + "what-to-do": "ماذا تريد أن تنجز?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "لوحة التحكم", + "settings": "الإعدادات", + "people": "الناس", + "registration": "تسجيل", + "disable-self-registration": "Disable Self-Registration", + "invite": "دعوة", + "invite-people": "الناس المدعوين", + "to-boards": "إلى اللوحات", + "email-addresses": "عناوين البريد الإلكتروني", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "تفعيل دعم TLS من اجل خادم SMTP", + "smtp-host": "مضيف SMTP", + "smtp-port": "منفذ SMTP", + "smtp-username": "اسم المستخدم", + "smtp-password": "كلمة المرور", + "smtp-tls": "دعم التي ال سي", + "send-from": "من", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "رمز الدعوة", + "email-invite-register-subject": "__inviter__ أرسل دعوة لك", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "رمز الدعوة غير موجود", + "error-notAuthorized": "أنتَ لا تملك الصلاحيات لرؤية هذه الصفحة.", + "outgoing-webhooks": "الويبهوك الصادرة", + "outgoingWebhooksPopup-title": "الويبهوك الصادرة", + "new-outgoing-webhook": "ويبهوك جديدة ", + "no-name": "(غير معروف)", + "Wekan_version": "إصدار ويكان", + "Node_version": "إصدار النود", + "OS_Arch": "معمارية نظام التشغيل", + "OS_Cpus": "استهلاك وحدة المعالجة المركزية لنظام التشغيل", + "OS_Freemem": "الذاكرة الحرة لنظام التشغيل", + "OS_Loadavg": "متوسط حمل نظام التشغيل", + "OS_Platform": "منصة نظام التشغيل", + "OS_Release": "إصدار نظام التشغيل", + "OS_Totalmem": "الذاكرة الكلية لنظام التشغيل", + "OS_Type": "نوع نظام التشغيل", + "OS_Uptime": "مدة تشغيل نظام التشغيل", + "hours": "الساعات", + "minutes": "الدقائق", + "seconds": "الثواني", + "show-field-on-card": "Show this field on card", + "yes": "نعم", + "no": "لا", + "accounts": "الحسابات", + "accounts-allowEmailChange": "السماح بتغيير البريد الإلكتروني", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json new file mode 100644 index 00000000..87c914bf --- /dev/null +++ b/i18n/bg.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accept", + "act-activity-notify": "[Wekan] Известия за дейности", + "act-addAttachment": "прикачи __attachment__ към __card__", + "act-addChecklist": "добави списък със задачи __checklist__ към __card__", + "act-addChecklistItem": "добави __checklistItem__ към списък със задачи __checklist__ в __card__", + "act-addComment": "Коментира в __card__: __comment__", + "act-createBoard": "създаде __board__", + "act-createCard": "добави __card__ към __list__", + "act-createCustomField": "създаде собствено поле __customField__", + "act-createList": "добави __list__ към __board__", + "act-addBoardMember": "добави __member__ към __board__", + "act-archivedBoard": "__board__ беше преместен в Кошчето", + "act-archivedCard": "__card__ беше преместена в Кошчето", + "act-archivedList": "__list__ беше преместен в Кошчето", + "act-archivedSwimlane": "__swimlane__ беше преместен в Кошчето", + "act-importBoard": "импортира __board__", + "act-importCard": "импортира __card__", + "act-importList": "импортира __list__", + "act-joinMember": "добави __member__ към __card__", + "act-moveCard": "премести __card__ от __oldList__ в __list__", + "act-removeBoardMember": "премахна __member__ от __board__", + "act-restoredCard": "възстанови __card__ в __board__", + "act-unjoinMember": "премахна __member__ от __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Действия", + "activity": "Дейности", + "activity-added": "добави %s към %s", + "activity-archived": "премести %s в Кошчето", + "activity-attached": "прикачи %s към %s", + "activity-created": "създаде %s", + "activity-customfield-created": "създаде собствено поле %s", + "activity-excluded": "изключи %s от %s", + "activity-imported": "импортира %s в/във %s от %s", + "activity-imported-board": "импортира %s от %s", + "activity-joined": "се присъедини към %s", + "activity-moved": "премести %s от %s в/във %s", + "activity-on": "на %s", + "activity-removed": "премахна %s от %s", + "activity-sent": "изпрати %s до %s", + "activity-unjoined": "вече не е част от %s", + "activity-checklist-added": "добави списък със задачи към %s", + "activity-checklist-item-added": "добави точка към '%s' в/във %s", + "add": "Добави", + "add-attachment": "Добави прикачен файл", + "add-board": "Добави дъска", + "add-card": "Добави карта", + "add-swimlane": "Добави коридор", + "add-checklist": "Добави списък със задачи", + "add-checklist-item": "Добави точка към списъка със задачи", + "add-cover": "Добави корица", + "add-label": "Добави етикет", + "add-list": "Добави списък", + "add-members": "Добави членове", + "added": "Добавено", + "addMemberPopup-title": "Членове", + "admin": "Администратор", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Съобщение", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Съобщение от администратора", + "all-boards": "Всички дъски", + "and-n-other-card": "И __count__ друга карта", + "and-n-other-card_plural": "И __count__ други карти", + "apply": "Приложи", + "app-is-offline": "Wekan зарежда, моля изчакайте! Презареждането на страницата може да доведе до загуба на данни. Ако Wekan не се зареди, моля проверете дали сървъра му работи.", + "archive": "Премести в Кошчето", + "archive-all": "Премести всички в Кошчето", + "archive-board": "Премести Дъската в Кошчето", + "archive-card": "Премести Картата в Кошчето", + "archive-list": "Премести Списъка в Кошчето", + "archive-swimlane": "Премести Коридора в Кошчето", + "archive-selection": "Премести избраните в Кошчето", + "archiveBoardPopup-title": "Сигурни ли сте, че искате да преместите Дъската в Кошчето?", + "archived-items": "Кошче", + "archived-boards": "Дъски в Кошчето", + "restore-board": "Възстанови Дъската", + "no-archived-boards": "Няма Дъски в Кошчето.", + "archives": "Кошче", + "assign-member": "Възложи на член от екипа", + "attached": "прикачен", + "attachment": "Прикаченн файл", + "attachment-delete-pop": "Изтриването на прикачен файл е завинаги. Няма как да бъде възстановен.", + "attachmentDeletePopup-title": "Желаете ли да изтриете прикачения файл?", + "attachments": "Прикачени файлове", + "auto-watch": "Автоматично наблюдаване на дъските, когато са създадени", + "avatar-too-big": "Аватарът е прекалено голям (максимум 70KB)", + "back": "Назад", + "board-change-color": "Промени цвета", + "board-nb-stars": "%s звезди", + "board-not-found": "Дъската не е намерена", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Промени името на Дъската", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Промени наблюдаването", + "boardMenuPopup-title": "Меню на Дъската", + "boards": "Дъски", + "board-view": "Board View", + "board-view-swimlanes": "Коридори", + "board-view-lists": "Списъци", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "Картата е преместена в Кошчето.", + "card-comments-title": "Тази карта има %s коментар.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Готова за", + "card-due-on": "Готова за", + "card-spent": "Изработено време", + "card-edit-attachments": "Промени прикачените файлове", + "card-edit-custom-fields": "Промени собствените полета", + "card-edit-labels": "Промени етикетите", + "card-edit-members": "Промени членовете", + "card-labels-title": "Промени етикетите за картата.", + "card-members-title": "Добави или премахни членове на Дъската от тази карта.", + "card-start": "Начало", + "card-start-on": "Започва на", + "cardAttachmentsPopup-title": "Прикачи от", + "cardCustomField-datePopup-title": "Промени датата", + "cardCustomFieldsPopup-title": "Промени собствените полета", + "cardDeletePopup-title": "Желаете да изтриете картата?", + "cardDetailsActionsPopup-title": "Опции", + "cardLabelsPopup-title": "Етикети", + "cardMembersPopup-title": "Членове", + "cardMorePopup-title": "Още", + "cards": "Карти", + "cards-count": "Карти", + "change": "Промени", + "change-avatar": "Промени аватара", + "change-password": "Промени паролата", + "change-permissions": "Change permissions", + "change-settings": "Промени настройките", + "changeAvatarPopup-title": "Промени аватара", + "changeLanguagePopup-title": "Промени езика", + "changePasswordPopup-title": "Промени паролата", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Промяна на настройките", + "checklists": "Списъци със задачи", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Натиснете, за да премахнете тази дъска от любими.", + "clipboard": "Клипборда или с драг & дроп", + "close": "Затвори", + "close-board": "Затвори Дъската", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "черно", + "color-blue": "синьо", + "color-green": "зелено", + "color-lime": "лайм", + "color-orange": "оранжево", + "color-pink": "розово", + "color-purple": "пурпурно", + "color-red": "червено", + "color-sky": "светло синьо", + "color-yellow": "жълто", + "comment": "Коментирай", + "comment-placeholder": "Напиши коментар", + "comment-only": "Само коментар", + "comment-only-desc": "Може да коментира само в карти.", + "computer": "Компютър", + "confirm-checklist-delete-dialog": "Сигурни ли сте, че искате да изтриете този чеклист?", + "copy-card-link-to-clipboard": "Копирай връзката на картата в клипборда", + "copyCardPopup-title": "Копирай картата", + "copyChecklistToManyCardsPopup-title": "Копирай шаблона за чеклисти в много карти", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Чекбокс", + "custom-field-date": "Дата", + "custom-field-dropdown": "Падащо меню", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Номер", + "custom-field-text": "Текст", + "custom-fields": "Собствени полета", + "date": "Дата", + "decline": "Отказ", + "default-avatar": "Основен аватар", + "delete": "Изтрий", + "deleteCustomFieldPopup-title": "Изтриване на Собственото поле?", + "deleteLabelPopup-title": "Желаете да изтриете етикета?", + "description": "Описание", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Отказ", + "done": "Готово", + "download": "Сваляне", + "edit": "Промени", + "edit-avatar": "Промени аватара", + "edit-profile": "Промяна на профила", + "edit-wip-limit": "Промени WIP лимита", + "soft-wip-limit": "\"Мек\" WIP лимит", + "editCardStartDatePopup-title": "Промени началната дата", + "editCardDueDatePopup-title": "Промени датата за готовност", + "editCustomFieldPopup-title": "Промени Полето", + "editCardSpentTimePopup-title": "Промени изработеното време", + "editLabelPopup-title": "Промяна на Етикета", + "editNotificationPopup-title": "Промени известията", + "editProfilePopup-title": "Промяна на профила", + "email": "Имейл", + "email-enrollAccount-subject": "Ваш профил беше създаден на __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Неуспешно изпращане на имейла", + "email-fail-text": "Възникна грешка при изпращането на имейла", + "email-invalid": "Невалиден имейл", + "email-invite": "Покани чрез имейл", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Имейлът е изпратен", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Включи WIP лимита", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Имейлът е вече зает", + "export-board": "Export board", + "filter": "Филтър", + "filter-cards": "Филтрирай картите", + "filter-clear": "Премахване на филтрите", + "filter-no-label": "без етикет", + "filter-no-member": "без член", + "filter-no-custom-fields": "Няма Собствени полета", + "filter-on": "Има приложени филтри", + "filter-on-desc": "В момента филтрирате картите в тази дъска. Моля, натиснете тук, за да промените филтъра.", + "filter-to-selection": "Филтрирай избраните", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Име", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Скриване на системните съобщения", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Начало", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Избери Wekan член", + "info": "Версия", + "initials": "Инициали", + "invalid-date": "Невалидна дата", + "invalid-time": "Невалиден час", + "invalid-user": "Невалиден потребител", + "joined": "присъедини ", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Създай етикет", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Етикети", + "language": "Език", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Връзка към тази карта", + "list-archive-cards": "Премести всички карти от този списък в Кошчето", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Премести всички карти в този списък", + "list-select-cards": "Избери всички карти в този списък", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Импорт на карта от Trello", + "listMorePopup-title": "Още", + "link-list": "Връзка към този списък", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "Можете да преместите списък в Кошчето, за да го премахнете от Дъската и запазите активността.", + "lists": "Списъци", + "swimlanes": "Коридори", + "log-out": "Изход", + "log-in": "Вход", + "loginPopup-title": "Вход", + "memberMenuPopup-title": "Настройки на профила", + "members": "Членове", + "menu": "Меню", + "move-selection": "Move selection", + "moveCardPopup-title": "Премести картата", + "moveCardToBottom-title": "Премести в края", + "moveCardToTop-title": "Премести в началото", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Множествен избор", + "multi-selection-on": "Множественият избор е приложен", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "Моите дъски", + "name": "Име", + "no-archived-cards": "Няма карти в Кошчето.", + "no-archived-lists": "Няма списъци в Кошчето.", + "no-archived-swimlanes": "Няма коридори в Кошчето.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Получавате информация за всички карти, в които сте отбелязани или сте създали", + "notify-watch": "Получавате информация за всички дъски, списъци и карти, които наблюдавате", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Парола", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Профил", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Желаете да изтриете списъка?", + "remove-member": "Премахни член", + "remove-member-from-card": "Премахни от картата", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Промени името на Дъската", + "restore": "Възстанови", + "save": "Запази", + "search": "Търсене", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Избери цвят", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Въведи WIP лимит", + "shortcut-assign-self": "Добави себе си към тази карта", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Изчистване на всички филтри", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Филтрирай моите карти", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Отвори/затвори сайдбара с филтри", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Покажи бройката на картите, ако списъка съдържа повече от", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Любими дъски", + "starred-boards-description": "Любимите дъски се показват в началото на списъка Ви.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "картата", + "spent-time-hours": "Изработено време (часа)", + "overtime-hours": "Оувъртайм (часа)", + "overtime": "Оувъртайм", + "has-overtime-cards": "Има карти с оувъртайм", + "has-spenttime-cards": "Има карти с изработено време", + "time": "Време", + "title": "Title", + "tracking": "Следене", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Спри наблюдаването", + "upload": "Upload", + "upload-avatar": "Качване на аватар", + "uploaded-avatar": "Качихте аватар", + "username": "Потребителско име", + "view-it": "View it", + "warn-list-archived": "внимание: тази карта е в списък, който е в Кошчето", + "watch": "Наблюдавай", + "watching": "Наблюдава", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Невалиден WIP лимит", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Моля, преместете някои от задачите от този списък или въведете по-висок WIP лимит.", + "admin-panel": "Администраторски панел", + "settings": "Настройки", + "people": "Хора", + "registration": "Регистрация", + "disable-self-registration": "Disable Self-Registration", + "invite": "Покани", + "invite-people": "Покани хора", + "to-boards": "To board(s)", + "email-addresses": "Имейл адреси", + "smtp-host-description": "Адресът на SMTP сървъра, който обслужва Вашите имейли.", + "smtp-port-description": "Портът, който Вашият SMTP сървър използва за изходящи имейли.", + "smtp-tls-description": "Разреши TLS поддръжка за SMTP сървъра", + "smtp-host": "SMTP хост", + "smtp-port": "SMTP порт", + "smtp-username": "Потребителско име", + "smtp-password": "Парола", + "smtp-tls": "TLS поддръжка", + "send-from": "От", + "send-smtp-test": "Изпрати тестов имейл на себе си", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP тестов имейл, изпратен от Wekan", + "email-smtp-test-text": "Успешно изпратихте имейл", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Версия на Wekan", + "Node_version": "Версия на Node", + "OS_Arch": "Архитектура на ОС", + "OS_Cpus": "Брой CPU ядра", + "OS_Freemem": "Свободна памет", + "OS_Loadavg": "ОС средно натоварване", + "OS_Platform": "ОС платформа", + "OS_Release": "ОС Версия", + "OS_Totalmem": "ОС Общо памет", + "OS_Type": "Тип ОС", + "OS_Uptime": "OS Ъптайм", + "hours": "часа", + "minutes": "минути", + "seconds": "секунди", + "show-field-on-card": "Покажи това поле в картата", + "yes": "Да", + "no": "Не", + "accounts": "Профили", + "accounts-allowEmailChange": "Разреши промяна на имейла", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Създаден на", + "verified": "Потвърден", + "active": "Активен", + "card-received": "Получена", + "card-received-on": "Получена на", + "card-end": "Завършена", + "card-end-on": "Завършена на", + "editCardReceivedDatePopup-title": "Промени датата на получаване", + "editCardEndDatePopup-title": "Промени датата на завършване", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json new file mode 100644 index 00000000..3d424578 --- /dev/null +++ b/i18n/br.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Asantiñ", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Oberoù", + "activities": "Oberiantizoù", + "activity": "Oberiantiz", + "activity-added": "%s ouzhpennet da %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "%s liammet ouzh %s", + "activity-created": "%s krouet", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "%s enporzhiet eus %s da %s", + "activity-imported-board": "%s enporzhiet da %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Ouzhpenn", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Ouzphenn ur golo", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Ouzhpenn izili", + "added": "Ouzhpennet", + "addMemberPopup-title": "Izili", + "admin": "Merour", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Kemmañ al liv", + "board-nb-stars": "%s stered", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Diverkañ ar gartenn ?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Izili", + "cardMorePopup-title": "Muioc’h", + "cards": "Kartennoù", + "cards-count": "Kartennoù", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Kemmañ ger-tremen", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Kemmañ ger-tremen", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "du", + "color-blue": "glas", + "color-green": "gwer", + "color-lime": "melen sitroñs", + "color-orange": "orañjez", + "color-pink": "roz", + "color-purple": "mouk", + "color-red": "ruz", + "color-sky": "pers", + "color-yellow": "melen", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Krouiñ", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Diverkañ", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Graet", + "download": "Download", + "edit": "Kemmañ", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Yezh", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "Muioc’h", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Izili", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Ger-tremen", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Ger-tremen", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json new file mode 100644 index 00000000..249056aa --- /dev/null +++ b/i18n/ca.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accepta", + "act-activity-notify": "[Wekan] Notificació d'activitat", + "act-addAttachment": "adjuntat __attachment__ a __card__", + "act-addChecklist": "afegida la checklist _checklist__ a __card__", + "act-addChecklistItem": "afegit __checklistItem__ a la checklist __checklist__ on __card__", + "act-addComment": "comentat a __card__: __comment__", + "act-createBoard": "creat __board__", + "act-createCard": "afegit/da __card__ a __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "afegit/da __list__ a __board__", + "act-addBoardMember": "afegit/da __member__ a __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "__board__ importat", + "act-importCard": "__card__ importat", + "act-importList": "__list__ importat", + "act-joinMember": "afegit/da __member__ a __card__", + "act-moveCard": "mou __card__ de __oldList__ a __list__", + "act-removeBoardMember": "elimina __member__ de __board__", + "act-restoredCard": "recupera __card__ a __board__", + "act-unjoinMember": "elimina __member__ de __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Accions", + "activities": "Activitats", + "activity": "Activitat", + "activity-added": "ha afegit %s a %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "ha adjuntat %s a %s", + "activity-created": "ha creat %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "ha exclòs %s de %s", + "activity-imported": "importat %s dins %s des de %s", + "activity-imported-board": "importat %s des de %s", + "activity-joined": "s'ha unit a %s", + "activity-moved": "ha mogut %s de %s a %s", + "activity-on": "en %s", + "activity-removed": "ha eliminat %s de %s", + "activity-sent": "ha enviat %s %s", + "activity-unjoined": "desassignat %s", + "activity-checklist-added": "Checklist afegida a %s", + "activity-checklist-item-added": "afegida entrada de checklist de '%s' a %s", + "add": "Afegeix", + "add-attachment": "Afegeix adjunt", + "add-board": "Afegeix Tauler", + "add-card": "Afegeix fitxa", + "add-swimlane": "Afegix Carril de Natació", + "add-checklist": "Afegeix checklist", + "add-checklist-item": "Afegeix un ítem", + "add-cover": "Afegeix coberta", + "add-label": "Afegeix etiqueta", + "add-list": "Afegeix llista", + "add-members": "Afegeix membres", + "added": "Afegit", + "addMemberPopup-title": "Membres", + "admin": "Administrador", + "admin-desc": "Pots veure i editar fitxes, eliminar membres, i canviar la configuració del tauler", + "admin-announcement": "Bàndol", + "admin-announcement-active": "Activar bàndol del Sistema", + "admin-announcement-title": "Bàndol de l'administració", + "all-boards": "Tots els taulers", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Aplica", + "app-is-offline": "Wekan s'està carregant, esperau si us plau. Refrescar la pàgina causarà la pérdua de les dades. Si Wekan no carrega, verificau que el servei de Wekan no estigui aturat", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restaura Tauler", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assignar membre", + "attached": "adjuntat", + "attachment": "Adjunt", + "attachment-delete-pop": "L'esborrat d'un arxiu adjunt és permanent. No es pot desfer.", + "attachmentDeletePopup-title": "Esborrar adjunt?", + "attachments": "Adjunts", + "auto-watch": "Automàticament segueix el taulers quan són creats", + "avatar-too-big": "L'avatar es massa gran (70KM max)", + "back": "Enrere", + "board-change-color": "Canvia el color", + "board-nb-stars": "%s estrelles", + "board-not-found": "No s'ha trobat el tauler", + "board-private-info": "Aquest tauler serà privat .", + "board-public-info": "Aquest tauler serà públic .", + "boardChangeColorPopup-title": "Canvia fons", + "boardChangeTitlePopup-title": "Canvia el nom tauler", + "boardChangeVisibilityPopup-title": "Canvia visibilitat", + "boardChangeWatchPopup-title": "Canvia seguiment", + "boardMenuPopup-title": "Menú del tauler", + "boards": "Taulers", + "board-view": "Visió del tauler", + "board-view-swimlanes": "Carrils de Natació", + "board-view-lists": "Llistes", + "bucket-example": "Igual que “Bucket List”, per exemple", + "cancel": "Cancel·la", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "Aquesta fitxa té %s comentaris.", + "card-delete-notice": "L'esborrat és permanent. Perdreu totes les accions associades a aquesta fitxa.", + "card-delete-pop": "Totes les accions s'eliminaran de l'activitat i no podreu tornar a obrir la fitxa. No es pot desfer.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Finalitza", + "card-due-on": "Finalitza a", + "card-spent": "Temps Dedicat", + "card-edit-attachments": "Edita arxius adjunts", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edita etiquetes", + "card-edit-members": "Edita membres", + "card-labels-title": "Canvia les etiquetes de la fitxa", + "card-members-title": "Afegeix o eliminar membres del tauler des de la fitxa.", + "card-start": "Comença", + "card-start-on": "Comença a", + "cardAttachmentsPopup-title": "Adjunta des de", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Esborrar fitxa?", + "cardDetailsActionsPopup-title": "Accions de fitxes", + "cardLabelsPopup-title": "Etiquetes", + "cardMembersPopup-title": "Membres", + "cardMorePopup-title": "Més", + "cards": "Fitxes", + "cards-count": "Fitxes", + "change": "Canvia", + "change-avatar": "Canvia Avatar", + "change-password": "Canvia la clau", + "change-permissions": "Canvia permisos", + "change-settings": "Canvia configuració", + "changeAvatarPopup-title": "Canvia Avatar", + "changeLanguagePopup-title": "Canvia idioma", + "changePasswordPopup-title": "Canvia la contrasenya", + "changePermissionsPopup-title": "Canvia permisos", + "changeSettingsPopup-title": "Canvia configuració", + "checklists": "Checklists", + "click-to-star": "Fes clic per destacar aquest tauler.", + "click-to-unstar": "Fes clic per deixar de destacar aquest tauler.", + "clipboard": "Portaretalls o estirar i amollar", + "close": "Tanca", + "close-board": "Tanca tauler", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "negre", + "color-blue": "blau", + "color-green": "verd", + "color-lime": "llima", + "color-orange": "taronja", + "color-pink": "rosa", + "color-purple": "púrpura", + "color-red": "vermell", + "color-sky": "cel", + "color-yellow": "groc", + "comment": "Comentari", + "comment-placeholder": "Escriu un comentari", + "comment-only": "Només comentaris", + "comment-only-desc": "Només pots fer comentaris a les fitxes", + "computer": "Ordinador", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copia l'enllaç de la ftixa al porta-retalls", + "copyCardPopup-title": "Copia la fitxa", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Títols de fitxa i Descripcions de destí en aquest format JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Títol de la primera fitxa\", \"description\":\"Descripció de la primera fitxa\"}, {\"title\":\"Títol de la segona fitxa\",\"description\":\"Descripció de la segona fitxa\"},{\"title\":\"Títol de l'última fitxa\",\"description\":\"Descripció de l'última fitxa\"} ]", + "create": "Crea", + "createBoardPopup-title": "Crea tauler", + "chooseBoardSourcePopup-title": "Importa Tauler", + "createLabelPopup-title": "Crea etiqueta", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "Actual", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Data", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Data", + "decline": "Declina", + "default-avatar": "Avatar per defecte", + "delete": "Esborra", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Esborra etiqueta", + "description": "Descripció", + "disambiguateMultiLabelPopup-title": "Desfe l'ambigüitat en les etiquetes", + "disambiguateMultiMemberPopup-title": "Desfe l'ambigüitat en els membres", + "discard": "Descarta", + "done": "Fet", + "download": "Descarrega", + "edit": "Edita", + "edit-avatar": "Canvia Avatar", + "edit-profile": "Edita el teu Perfil", + "edit-wip-limit": "Edita el Límit de Treball en Progrès", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Canvia data d'inici", + "editCardDueDatePopup-title": "Canvia data de finalització", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Canvia temps dedicat", + "editLabelPopup-title": "Canvia etiqueta", + "editNotificationPopup-title": "Edita la notificació", + "editProfilePopup-title": "Edita teu Perfil", + "email": "Correu electrònic", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hola __user__,\n\nPer començar a utilitzar el servei, segueix l'enllaç següent.\n\n__url__\n\nGràcies.", + "email-fail": "Error enviant el correu", + "email-fail-text": "Error en intentar enviar e-mail", + "email-invalid": "Adreça de correu invàlida", + "email-invite": "Convida mitjançant correu electrònic", + "email-invite-subject": "__inviter__ t'ha convidat", + "email-invite-text": "Benvolgut __user__,\n\n __inviter__ t'ha convidat a participar al tauler \"__board__\" per col·laborar-hi.\n\nSegueix l'enllaç següent:\n\n __url__\n\n Gràcies.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hola __user__,\n \n per resetejar la teva contrasenya, segueix l'enllaç següent.\n \n __url__\n \n Gràcies.", + "email-sent": "Correu enviat", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hola __user__, \n\n per verificar el teu correu, segueix l'enllaç següent.\n\n __url__\n\n Gràcies.", + "enable-wip-limit": "Activa e Límit de Treball en Progrès", + "error-board-doesNotExist": "Aquest tauler no existeix", + "error-board-notAdmin": "Necessites ser administrador d'aquest tauler per dur a lloc aquest acció", + "error-board-notAMember": "Necessites ser membre d'aquest tauler per dur a terme aquesta acció", + "error-json-malformed": "El text no és JSON vàlid", + "error-json-schema": "La dades JSON no contenen la informació en el format correcte", + "error-list-doesNotExist": "La llista no existeix", + "error-user-doesNotExist": "L'usuari no existeix", + "error-user-notAllowSelf": "No et pots convidar a tu mateix", + "error-user-notCreated": "L'usuari no s'ha creat", + "error-username-taken": "Aquest usuari ja existeix", + "error-email-taken": "L'adreça de correu electrònic ja és en ús", + "export-board": "Exporta tauler", + "filter": "Filtre", + "filter-cards": "Fitxes de filtre", + "filter-clear": "Elimina filtre", + "filter-no-label": "Sense etiqueta", + "filter-no-member": "Sense membres", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filtra per", + "filter-on-desc": "Estau filtrant fitxes en aquest tauler. Feu clic aquí per editar el filtre.", + "filter-to-selection": "Filtra selecció", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Nom complet", + "header-logo-title": "Torna a la teva pàgina de taulers", + "hide-system-messages": "Oculta missatges del sistema", + "headerBarCreateBoardPopup-title": "Crea tauler", + "home": "Inici", + "import": "importa", + "import-board": "Importa tauler", + "import-board-c": "Importa tauler", + "import-board-title-trello": "Importa tauler des de Trello", + "import-board-title-wekan": "I", + "import-sandstorm-warning": "Estau segur que voleu esborrar aquesta checklist?", + "from-trello": "Des de Trello", + "from-wekan": "Des de Wekan", + "import-board-instruction-trello": "En el teu tauler Trello, ves a 'Menú', 'Més'.' Imprimir i Exportar', 'Exportar JSON', i copia el text resultant.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Aferra codi JSON vàlid aquí", + "import-map-members": "Mapeja el membres", + "import-members-map": "El tauler importat conté membres. Assigna els membres que vulguis importar a usuaris Wekan", + "import-show-user-mapping": "Revisa l'assignació de membres", + "import-user-select": "Selecciona l'usuari Wekan que vulguis associar a aquest membre", + "importMapMembersAddPopup-title": "Selecciona un membre de Wekan", + "info": "Versió", + "initials": "Inicials", + "invalid-date": "Data invàlida", + "invalid-time": "Temps Invàlid", + "invalid-user": "Usuari invàlid", + "joined": "s'ha unit", + "just-invited": "Has estat convidat a aquest tauler", + "keyboard-shortcuts": "Dreceres de teclat", + "label-create": "Crea etiqueta", + "label-default": "%s etiqueta (per defecte)", + "label-delete-pop": "No es pot desfer. Això eliminarà aquesta etiqueta de totes les fitxes i destruirà la seva història.", + "labels": "Etiquetes", + "language": "Idioma", + "last-admin-desc": "No podeu canviar rols perquè ha d'haver-hi almenys un administrador.", + "leave-board": "Abandona tauler", + "leave-board-pop": "De debò voleu abandonar __boardTitle__? Se us eliminarà de totes les fitxes d'aquest tauler.", + "leaveBoardPopup-title": "Abandonar Tauler?", + "link-card": "Enllaç a aquesta fitxa", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Mou totes les fitxes d'aquesta llista", + "list-select-cards": "Selecciona totes les fitxes d'aquesta llista", + "listActionPopup-title": "Accions de la llista", + "swimlaneActionPopup-title": "Accions de Carril de Natació", + "listImportCardPopup-title": "importa una fitxa de Trello", + "listMorePopup-title": "Més", + "link-list": "Enllaça a aquesta llista", + "list-delete-pop": "Totes les accions seran esborrades de la llista d'activitats i no serà possible recuperar la llista", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Llistes", + "swimlanes": "Carrils de Natació", + "log-out": "Finalitza la sessió", + "log-in": "Ingresa", + "loginPopup-title": "Inicia sessió", + "memberMenuPopup-title": "Configura membres", + "members": "Membres", + "menu": "Menú", + "move-selection": "Move selection", + "moveCardPopup-title": "Moure fitxa", + "moveCardToBottom-title": "Mou a la part inferior", + "moveCardToTop-title": "Mou a la part superior", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selecció", + "multi-selection-on": "Multi-Selecció està activada", + "muted": "En silenci", + "muted-info": "No seràs notificat dels canvis en aquest tauler", + "my-boards": "Els meus taulers", + "name": "Nom", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Sense resultats", + "normal": "Normal", + "normal-desc": "Podeu veure i editar fitxes. No podeu canviar la configuració.", + "not-accepted-yet": "La invitació no ha esta acceptada encara", + "notify-participate": "Rebre actualitzacions per a cada fitxa de la qual n'ets creador o membre", + "notify-watch": "Rebre actualitzacions per qualsevol tauler, llista o fitxa en observació", + "optional": "opcional", + "or": "o", + "page-maybe-private": "Aquesta pàgina és privada. Per veure-la entra .", + "page-not-found": "Pàgina no trobada.", + "password": "Contrasenya", + "paste-or-dragdrop": "aferra, o estira i amolla la imatge (només imatge)", + "participating": "Participant", + "preview": "Vista prèvia", + "previewAttachedImagePopup-title": "Vista prèvia", + "previewClipboardImagePopup-title": "Vista prèvia", + "private": "Privat", + "private-desc": "Aquest tauler és privat. Només les persones afegides al tauler poden veure´l i editar-lo.", + "profile": "Perfil", + "public": "Públic", + "public-desc": "Aquest tauler és públic. És visible per a qualsevol persona amb l'enllaç i es mostrarà en els motors de cerca com Google. Només persones afegides al tauler poden editar-lo.", + "quick-access-description": "Inicia un tauler per afegir un accés directe en aquest barra", + "remove-cover": "Elimina coberta", + "remove-from-board": "Elimina del tauler", + "remove-label": "Elimina l'etiqueta", + "listDeletePopup-title": "Esborrar la llista?", + "remove-member": "Elimina membre", + "remove-member-from-card": "Elimina de la fitxa", + "remove-member-pop": "Eliminar __name__ (__username__) de __boardTitle__ ? El membre serà eliminat de totes les fitxes d'aquest tauler. Ells rebran una notificació.", + "removeMemberPopup-title": "Vols suprimir el membre?", + "rename": "Canvia el nom", + "rename-board": "Canvia el nom del tauler", + "restore": "Restaura", + "save": "Desa", + "search": "Cerca", + "search-cards": "Cerca títols de fitxa i descripcions en aquest tauler", + "search-example": "Text que cercar?", + "select-color": "Selecciona color", + "set-wip-limit-value": "Limita el màxim nombre de tasques en aquesta llista", + "setWipLimitPopup-title": "Configura el Límit de Treball en Progrès", + "shortcut-assign-self": "Assigna't la ftixa actual", + "shortcut-autocomplete-emoji": "Autocompleta emoji", + "shortcut-autocomplete-members": "Autocompleta membres", + "shortcut-clear-filters": "Elimina tots els filters", + "shortcut-close-dialog": "Tanca el diàleg", + "shortcut-filter-my-cards": "Filtra les meves fitxes", + "shortcut-show-shortcuts": "Mostra aquesta lista d'accessos directes", + "shortcut-toggle-filterbar": "Canvia la barra lateral del tauler", + "shortcut-toggle-sidebar": "Canvia Sidebar del Tauler", + "show-cards-minimum-count": "Mostra contador de fitxes si la llista en conté més de", + "sidebar-open": "Mostra barra lateral", + "sidebar-close": "Amaga barra lateral", + "signupPopup-title": "Crea un compte", + "star-board-title": "Fes clic per destacar aquest tauler. Es mostrarà a la part superior de la llista de taulers.", + "starred-boards": "Taulers destacats", + "starred-boards-description": "Els taulers destacats es mostraran a la part superior de la llista de taulers.", + "subscribe": "Subscriure", + "team": "Equip", + "this-board": "aquest tauler", + "this-card": "aquesta fitxa", + "spent-time-hours": "Temps dedicat (hores)", + "overtime-hours": "Temps de més (hores)", + "overtime": "Temps de més", + "has-overtime-cards": "Té fitxes amb temps de més", + "has-spenttime-cards": "Té fitxes amb temps dedicat", + "time": "Hora", + "title": "Títol", + "tracking": "En seguiment", + "tracking-info": "Seràs notificat per cada canvi a aquelles fitxes de les que n'eres creador o membre", + "type": "Type", + "unassign-member": "Desassignar membre", + "unsaved-description": "Tens una descripció sense desar.", + "unwatch": "Suprimeix observació", + "upload": "Puja", + "upload-avatar": "Actualitza avatar", + "uploaded-avatar": "Avatar actualitzat", + "username": "Nom d'Usuari", + "view-it": "Vist", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Observa", + "watching": "En observació", + "watching-info": "Seràs notificat de cada canvi en aquest tauler", + "welcome-board": "Tauler de benvinguda", + "welcome-swimlane": "Objectiu 1", + "welcome-list1": "Bàsics", + "welcome-list2": "Avançades", + "what-to-do": "Què vols fer?", + "wipLimitErrorPopup-title": "Límit de Treball en Progrès invàlid", + "wipLimitErrorPopup-dialog-pt1": "El nombre de tasques en esta llista és superior al límit de Treball en Progrès que heu definit.", + "wipLimitErrorPopup-dialog-pt2": "Si us plau mogui algunes taques fora d'aquesta llista, o configuri un límit de Treball en Progrès superior.", + "admin-panel": "Tauler d'administració", + "settings": "Configuració", + "people": "Persones", + "registration": "Registre", + "disable-self-registration": "Deshabilita Auto-Registre", + "invite": "Convida", + "invite-people": "Convida a persones", + "to-boards": "Al tauler(s)", + "email-addresses": "Adreça de correu", + "smtp-host-description": "L'adreça del vostre servidor SMTP.", + "smtp-port-description": "El port del vostre servidor SMTP.", + "smtp-tls-description": "Activa suport TLS pel servidor SMTP", + "smtp-host": "Servidor SMTP", + "smtp-port": "Port SMTP", + "smtp-username": "Nom d'Usuari", + "smtp-password": "Contrasenya", + "smtp-tls": "Suport TLS", + "send-from": "De", + "send-smtp-test": "Envia't un correu electrònic de prova", + "invitation-code": "Codi d'invitació", + "email-invite-register-subject": "__inviter__ t'ha convidat", + "email-invite-register-text": " __user__,\n\n __inviter__ us ha convidat a col·laborar a Wekan.\n\n Clicau l'enllaç següent per acceptar l'invitació:\n __url__\n\n El vostre codi d'invitació és: __icode__\n\n Gràcies", + "email-smtp-test-subject": "Correu de Prova SMTP de Wekan", + "email-smtp-test-text": "Has enviat un missatge satisfactòriament", + "error-invitation-code-not-exist": "El codi d'invitació no existeix", + "error-notAuthorized": "No estau autoritzats per veure aquesta pàgina", + "outgoing-webhooks": "Webhooks sortints", + "outgoingWebhooksPopup-title": "Webhooks sortints", + "new-outgoing-webhook": "Nou Webook sortint", + "no-name": "Importa tauler des de Wekan", + "Wekan_version": "Versió Wekan", + "Node_version": "Versió Node", + "OS_Arch": "Arquitectura SO", + "OS_Cpus": "Plataforma SO", + "OS_Freemem": "Memòria lliure", + "OS_Loadavg": "Carrega de SO", + "OS_Platform": "Plataforma de SO", + "OS_Release": "Versió SO", + "OS_Totalmem": "Memòria total", + "OS_Type": "Tipus de SO", + "OS_Uptime": "Temps d'activitat", + "hours": "hores", + "minutes": "minuts", + "seconds": "segons", + "show-field-on-card": "Show this field on card", + "yes": "Si", + "no": "No", + "accounts": "Comptes", + "accounts-allowEmailChange": "Permet modificar correu electrònic", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Creat ", + "verified": "Verificat", + "active": "Actiu", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json new file mode 100644 index 00000000..97e02e06 --- /dev/null +++ b/i18n/cs.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Přijmout", + "act-activity-notify": "[Wekan] Notifikace aktivit", + "act-addAttachment": "přiložen __attachment__ do __card__", + "act-addChecklist": "přidán checklist __checklist__ do __card__", + "act-addChecklistItem": "přidán __checklistItem__ do checklistu __checklist__ v __card__", + "act-addComment": "komentář k __card__: __comment__", + "act-createBoard": "přidání __board__", + "act-createCard": "přidání __card__ do __list__", + "act-createCustomField": "vytvořeno vlastní pole __customField__", + "act-createList": "přidání __list__ do __board__", + "act-addBoardMember": "přidání __member__ do __board__", + "act-archivedBoard": "__board__ bylo přesunuto do koše", + "act-archivedCard": "__card__ bylo přesunuto do koše", + "act-archivedList": "__list__ bylo přesunuto do koše", + "act-archivedSwimlane": "__swimlane__ bylo přesunuto do koše", + "act-importBoard": "import __board__", + "act-importCard": "import __card__", + "act-importList": "import __list__", + "act-joinMember": "přidání __member__ do __card__", + "act-moveCard": "přesun __card__ z __oldList__ do __list__", + "act-removeBoardMember": "odstranění __member__ z __board__", + "act-restoredCard": "obnovení __card__ do __board__", + "act-unjoinMember": "odstranění __member__ z __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Akce", + "activities": "Aktivity", + "activity": "Aktivita", + "activity-added": "%s přidáno k %s", + "activity-archived": "%s bylo přesunuto do koše", + "activity-attached": "přiloženo %s k %s", + "activity-created": "%s vytvořeno", + "activity-customfield-created": "vytvořeno vlastní pole %s", + "activity-excluded": "%s vyjmuto z %s", + "activity-imported": "importován %s do %s z %s", + "activity-imported-board": "importován %s z %s", + "activity-joined": "spojen %s", + "activity-moved": "%s přesunuto z %s do %s", + "activity-on": "na %s", + "activity-removed": "odstraněn %s z %s", + "activity-sent": "%s posláno na %s", + "activity-unjoined": "odpojen %s", + "activity-checklist-added": "přidán checklist do %s", + "activity-checklist-item-added": "přidána položka checklist do '%s' v %s", + "add": "Přidat", + "add-attachment": "Přidat přílohu", + "add-board": "Přidat tablo", + "add-card": "Přidat kartu", + "add-swimlane": "Přidat Swimlane", + "add-checklist": "Přidat zaškrtávací seznam", + "add-checklist-item": "Přidat položku do zaškrtávacího seznamu", + "add-cover": "Přidat obal", + "add-label": "Přidat štítek", + "add-list": "Přidat list", + "add-members": "Přidat členy", + "added": "Přidán", + "addMemberPopup-title": "Členové", + "admin": "Administrátor", + "admin-desc": "Může zobrazovat a upravovat karty, mazat členy a měnit nastavení tabla.", + "admin-announcement": "Oznámení", + "admin-announcement-active": "Aktivní oznámení v celém systému", + "admin-announcement-title": "Oznámení od administrátora", + "all-boards": "Všechna tabla", + "and-n-other-card": "A __count__ další karta(y)", + "and-n-other-card_plural": "A __count__ dalších karet", + "apply": "Použít", + "app-is-offline": "Wekan se načítá, prosím čekejte. Obnovení stránky způsobí ztrátu dat. Pokud se Wekan nenačte, zkontrolujte prosím, jestli se server s Wekanem nezastavil.", + "archive": "Přesunout do koše", + "archive-all": "Přesunout všechno do koše", + "archive-board": "Přesunout tablo do koše", + "archive-card": "Přesunout kartu do koše", + "archive-list": "Přesunout seznam do koše", + "archive-swimlane": "Přesunout swimlane do koše", + "archive-selection": "Přesunout výběr do koše", + "archiveBoardPopup-title": "Chcete přesunout tablo do koše?", + "archived-items": "Koš", + "archived-boards": "Tabla v koši", + "restore-board": "Obnovit tablo", + "no-archived-boards": "Žádná tabla v koši", + "archives": "Koš", + "assign-member": "Přiřadit člena", + "attached": "přiloženo", + "attachment": "Příloha", + "attachment-delete-pop": "Smazání přílohy je trvalé. Nejde vrátit zpět.", + "attachmentDeletePopup-title": "Smazat přílohu?", + "attachments": "Přílohy", + "auto-watch": "Automaticky sleduj tabla když jsou vytvořena", + "avatar-too-big": "Avatar obrázek je příliš velký (70KB max)", + "back": "Zpět", + "board-change-color": "Změnit barvu", + "board-nb-stars": "%s hvězdiček", + "board-not-found": "Tablo nenalezeno", + "board-private-info": "Toto tablo bude soukromé.", + "board-public-info": "Toto tablo bude veřejné.", + "boardChangeColorPopup-title": "Změnit pozadí tabla", + "boardChangeTitlePopup-title": "Přejmenovat tablo", + "boardChangeVisibilityPopup-title": "Upravit viditelnost", + "boardChangeWatchPopup-title": "Změnit sledování", + "boardMenuPopup-title": "Menu tabla", + "boards": "Tabla", + "board-view": "Náhled tabla", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Seznamy", + "bucket-example": "Například \"Než mě odvedou\"", + "cancel": "Zrušit", + "card-archived": "Karta byla přesunuta do koše.", + "card-comments-title": "Tato karta má %s komentářů.", + "card-delete-notice": "Smazání je trvalé. Přijdete o všechny akce asociované s touto kartou.", + "card-delete-pop": "Všechny akce budou odstraněny z kanálu aktivity a nebude možné kartu znovu otevřít. Toto nelze vrátit zpět.", + "card-delete-suggest-archive": "Kartu můžete přesunout do koše a tím ji odstranit z tabla a přitom zachovat aktivity.", + "card-due": "Termín", + "card-due-on": "Do", + "card-spent": "Strávený čas", + "card-edit-attachments": "Upravit přílohy", + "card-edit-custom-fields": "Upravit vlastní pole", + "card-edit-labels": "Upravit štítky", + "card-edit-members": "Upravit členy", + "card-labels-title": "Změnit štítky karty.", + "card-members-title": "Přidat nebo odstranit členy tohoto tabla z karty.", + "card-start": "Start", + "card-start-on": "Začít dne", + "cardAttachmentsPopup-title": "Přiložit formulář", + "cardCustomField-datePopup-title": "Změnit datum", + "cardCustomFieldsPopup-title": "Upravit vlastní pole", + "cardDeletePopup-title": "Smazat kartu?", + "cardDetailsActionsPopup-title": "Akce karty", + "cardLabelsPopup-title": "Štítky", + "cardMembersPopup-title": "Členové", + "cardMorePopup-title": "Více", + "cards": "Karty", + "cards-count": "Karty", + "change": "Změnit", + "change-avatar": "Změnit avatar", + "change-password": "Změnit heslo", + "change-permissions": "Změnit oprávnění", + "change-settings": "Změnit nastavení", + "changeAvatarPopup-title": "Změnit avatar", + "changeLanguagePopup-title": "Změnit jazyk", + "changePasswordPopup-title": "Změnit heslo", + "changePermissionsPopup-title": "Změnit oprávnění", + "changeSettingsPopup-title": "Změnit nastavení", + "checklists": "Checklisty", + "click-to-star": "Kliknutím přidat hvězdičku tomuto tablu.", + "click-to-unstar": "Kliknutím odebrat hvězdičku tomuto tablu.", + "clipboard": "Schránka nebo potáhnout a pustit", + "close": "Zavřít", + "close-board": "Zavřít tablo", + "close-board-pop": "Kliknutím na tlačítko \"Recyklovat\" budete moci obnovit tablo z koše.", + "color-black": "černá", + "color-blue": "modrá", + "color-green": "zelená", + "color-lime": "světlezelená", + "color-orange": "oranžová", + "color-pink": "růžová", + "color-purple": "fialová", + "color-red": "červená", + "color-sky": "nebeská", + "color-yellow": "žlutá", + "comment": "Komentář", + "comment-placeholder": "Text komentáře", + "comment-only": "Pouze komentáře", + "comment-only-desc": "Může přidávat komentáře pouze do karet.", + "computer": "Počítač", + "confirm-checklist-delete-dialog": "Opravdu chcete smazat tento checklist?", + "copy-card-link-to-clipboard": "Kopírovat adresu karty do mezipaměti", + "copyCardPopup-title": "Kopírovat kartu", + "copyChecklistToManyCardsPopup-title": "Kopírovat checklist do více karet", + "copyChecklistToManyCardsPopup-instructions": "Názvy a popisy cílové karty v tomto formátu JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Nadpis první karty\", \"description\":\"Popis druhé karty\"}, {\"title\":\"Nadpis druhé karty\",\"description\":\"Popis druhé karty\"},{\"title\":\"Nadpis poslední kary\",\"description\":\"Popis poslední karty\"} ]", + "create": "Vytvořit", + "createBoardPopup-title": "Vytvořit tablo", + "chooseBoardSourcePopup-title": "Importovat tablo", + "createLabelPopup-title": "Vytvořit štítek", + "createCustomField": "Vytvořit pole", + "createCustomFieldPopup-title": "Vytvořit pole", + "current": "Aktuální", + "custom-field-delete-pop": "Nelze vrátit zpět. Toto odebere toto vlastní pole ze všech karet a zničí jeho historii.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Datum", + "custom-field-dropdown": "Rozbalovací seznam", + "custom-field-dropdown-none": "(prázdné)", + "custom-field-dropdown-options": "Seznam možností", + "custom-field-dropdown-options-placeholder": "Stiskněte enter pro přidání více možností", + "custom-field-dropdown-unknown": "(neznámé)", + "custom-field-number": "Číslo", + "custom-field-text": "Text", + "custom-fields": "Vlastní pole", + "date": "Datum", + "decline": "Zamítnout", + "default-avatar": "Výchozí avatar", + "delete": "Smazat", + "deleteCustomFieldPopup-title": "Smazat vlastní pole", + "deleteLabelPopup-title": "Smazat štítek?", + "description": "Popis", + "disambiguateMultiLabelPopup-title": "Dvojznačný štítek akce", + "disambiguateMultiMemberPopup-title": "Dvojznačná akce člena", + "discard": "Zahodit", + "done": "Hotovo", + "download": "Stáhnout", + "edit": "Upravit", + "edit-avatar": "Změnit avatar", + "edit-profile": "Upravit profil", + "edit-wip-limit": "Upravit WIP Limit", + "soft-wip-limit": "Mírný WIP limit", + "editCardStartDatePopup-title": "Změnit datum startu úkolu", + "editCardDueDatePopup-title": "Změnit datum dokončení úkolu", + "editCustomFieldPopup-title": "Upravit pole", + "editCardSpentTimePopup-title": "Změnit strávený čas", + "editLabelPopup-title": "Změnit štítek", + "editNotificationPopup-title": "Změnit notifikace", + "editProfilePopup-title": "Upravit profil", + "email": "Email", + "email-enrollAccount-subject": "Byl vytvořen účet na __siteName__", + "email-enrollAccount-text": "Ahoj __user__,\n\nMůžeš začít používat službu kliknutím na odkaz níže.\n\n__url__\n\nDěkujeme.", + "email-fail": "Odeslání emailu selhalo", + "email-fail-text": "Chyba při pokusu o odeslání emailu", + "email-invalid": "Neplatný email", + "email-invite": "Pozvat pomocí emailu", + "email-invite-subject": "__inviter__ odeslal pozvánku", + "email-invite-text": "Ahoj __user__,\n\n__inviter__ tě přizval ke spolupráci na tablu \"__board__\".\n\nNásleduj prosím odkaz níže:\n\n__url__\n\nDěkujeme.", + "email-resetPassword-subject": "Změň své heslo na __siteName__", + "email-resetPassword-text": "Ahoj __user__,\n\nPro změnu hesla klikni na odkaz níže.\n\n__url__\n\nDěkujeme.", + "email-sent": "Email byl odeslán", + "email-verifyEmail-subject": "Ověř svou emailovou adresu na", + "email-verifyEmail-text": "Ahoj __user__,\n\nPro ověření emailové adresy klikni na odkaz níže.\n\n__url__\n\nDěkujeme.", + "enable-wip-limit": "Povolit WIP Limit", + "error-board-doesNotExist": "Toto tablo neexistuje", + "error-board-notAdmin": "K provedení změny musíš být administrátor tohoto tabla", + "error-board-notAMember": "K provedení změny musíš být členem tohoto tabla", + "error-json-malformed": "Tvůj text není validní JSON", + "error-json-schema": "Tato JSON data neobsahují správné informace v platném formátu", + "error-list-doesNotExist": "Tento seznam neexistuje", + "error-user-doesNotExist": "Tento uživatel neexistuje", + "error-user-notAllowSelf": "Nemůžeš pozvat sám sebe", + "error-user-notCreated": "Tento uživatel není vytvořen", + "error-username-taken": "Toto uživatelské jméno již existuje", + "error-email-taken": "Tento email byl již použit", + "export-board": "Exportovat tablo", + "filter": "Filtr", + "filter-cards": "Filtrovat karty", + "filter-clear": "Vyčistit filtr", + "filter-no-label": "Žádný štítek", + "filter-no-member": "Žádný člen", + "filter-no-custom-fields": "Žádné vlastní pole", + "filter-on": "Filtr je zapnut", + "filter-on-desc": "Filtrujete karty tohoto tabla. Pro úpravu filtru klikni sem.", + "filter-to-selection": "Filtrovat výběr", + "advanced-filter-label": "Pokročilý filtr", + "advanced-filter-description": "Pokročilý filtr dovoluje zapsat řetězec následujících operátorů: == != <= >= && || () Operátory jsou odděleny mezerou. Můžete filtrovat všechny vlastní pole zadáním jejich názvů nebo hodnot. Například: Pole1 == Hodnota1. Poznámka: Pokud pole nebo hodnoty obsahují mezery, je potřeba je obalit v jednoduchých uvozovkách. Například: 'Pole 1' == 'Hodnota 1'. Můžete také kombinovat více podmínek. Například P1 == H1 || P1 == H2. Obvykle jsou operátory interpretovány zleva doprava. Jejich pořadí můžete měnit pomocí závorek. Například: P1 == H1 && (P2 == H2 || P2 == H3 )", + "fullname": "Celé jméno", + "header-logo-title": "Jit zpět na stránku s tably.", + "hide-system-messages": "Skrýt systémové zprávy", + "headerBarCreateBoardPopup-title": "Vytvořit tablo", + "home": "Domů", + "import": "Import", + "import-board": "Importovat tablo", + "import-board-c": "Importovat tablo", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Importovat tablo z Wekanu", + "import-sandstorm-warning": "Importované tablo spaže všechny existující data v tablu a nahradí je importovaným tablem.", + "from-trello": "Z Trella", + "from-wekan": "Z Wekanu", + "import-board-instruction-trello": "Na svém Trello tablu, otevři 'Menu', pak 'More', 'Print and Export', 'Export JSON', a zkopíruj výsledný text", + "import-board-instruction-wekan": "Ve vašem Wekan tablu jděte do 'Menu', klikněte na 'Exportovat tablo' a zkopírujte text ze staženého souboru.", + "import-json-placeholder": "Sem vlož validní JSON data", + "import-map-members": "Mapovat členy", + "import-members-map": "Toto importované tablo obsahuje několik členů. Namapuj členy z importu na uživatelské účty Wekan.", + "import-show-user-mapping": "Zkontrolovat namapování členů", + "import-user-select": "Vyber uživatele Wekan, kterého chceš použít pro tohoto člena", + "importMapMembersAddPopup-title": "Vybrat Wekan uživatele", + "info": "Verze", + "initials": "Iniciály", + "invalid-date": "Neplatné datum", + "invalid-time": "Neplatný čas", + "invalid-user": "Neplatný uživatel", + "joined": "spojeno", + "just-invited": "Právě jsi byl pozván(a) do tohoto tabla", + "keyboard-shortcuts": "Klávesové zkratky", + "label-create": "Vytvořit štítek", + "label-default": "%s štítek (výchozí)", + "label-delete-pop": "Nelze vrátit zpět. Toto odebere tento štítek ze všech karet a zničí jeho historii.", + "labels": "Štítky", + "language": "Jazyk", + "last-admin-desc": "Nelze změnit role, protože musí existovat alespoň jeden administrátor.", + "leave-board": "Opustit tablo", + "leave-board-pop": "Opravdu chcete opustit tablo __boardTitle__? Odstraníte se tím i ze všech karet v tomto tablu.", + "leaveBoardPopup-title": "Opustit tablo?", + "link-card": "Odkázat na tuto kartu", + "list-archive-cards": "Přesunout všechny karty v tomto seznamu do koše", + "list-archive-cards-pop": "Toto odstraní z tabla všechny karty z tohoto seznamu. Pro zobrazení karet v koši a jejich opětovné obnovení, klikni v \"Menu\" > \"Archivované položky\".", + "list-move-cards": "Přesunout všechny karty v tomto seznamu", + "list-select-cards": "Vybrat všechny karty v tomto seznamu", + "listActionPopup-title": "Vypsat akce", + "swimlaneActionPopup-title": "Akce swimlane", + "listImportCardPopup-title": "Importovat Trello kartu", + "listMorePopup-title": "Více", + "link-list": "Odkaz na tento seznam", + "list-delete-pop": "Všechny akce budou odstraněny z kanálu aktivity a nebude možné kartu obnovit. Toto nelze vrátit zpět.", + "list-delete-suggest-archive": "Kartu můžete přesunout do koše a tím ji odstranit z tabla a přitom zachovat aktivity.", + "lists": "Seznamy", + "swimlanes": "Swimlanes", + "log-out": "Odhlásit", + "log-in": "Přihlásit", + "loginPopup-title": "Přihlásit", + "memberMenuPopup-title": "Nastavení uživatele", + "members": "Členové", + "menu": "Menu", + "move-selection": "Přesunout výběr", + "moveCardPopup-title": "Přesunout kartu", + "moveCardToBottom-title": "Přesunout dolu", + "moveCardToTop-title": "Přesunout nahoru", + "moveSelectionPopup-title": "Přesunout výběr", + "multi-selection": "Multi-výběr", + "multi-selection-on": "Multi-výběr je zapnut", + "muted": "Umlčeno", + "muted-info": "Nikdy nedostanete oznámení o změně v tomto tablu.", + "my-boards": "Moje tabla", + "name": "Jméno", + "no-archived-cards": "Žádné karty v koši", + "no-archived-lists": "Žádné seznamy v koši", + "no-archived-swimlanes": "Žádné swimlane v koši", + "no-results": "Žádné výsledky", + "normal": "Normální", + "normal-desc": "Může zobrazovat a upravovat karty. Nemůže měnit nastavení.", + "not-accepted-yet": "Pozvánka ještě nebyla přijmuta", + "notify-participate": "Dostane aktualizace do všech karet, ve kterých se účastní jako tvůrce nebo člen", + "notify-watch": "Dostane aktualitace to všech tabel, seznamů nebo karet, které sledujete", + "optional": "volitelný", + "or": "nebo", + "page-maybe-private": "Tato stránka může být soukromá. Můžete ji zobrazit po přihlášení.", + "page-not-found": "Stránka nenalezena.", + "password": "Heslo", + "paste-or-dragdrop": "vložit, nebo přetáhnout a pustit soubor obrázku (pouze obrázek)", + "participating": "Zúčastnění", + "preview": "Náhled", + "previewAttachedImagePopup-title": "Náhled", + "previewClipboardImagePopup-title": "Náhled", + "private": "Soukromý", + "private-desc": "Toto tablo je soukromé. Pouze vybraní uživatelé ho mohou zobrazit a upravovat.", + "profile": "Profil", + "public": "Veřejný", + "public-desc": "Toto tablo je veřejné. Je viditelné pro každého, kdo na něj má odkaz a bude zobrazeno ve vyhledávačích jako je Google. Pouze vybraní uživatelé ho mohou upravovat.", + "quick-access-description": "Pro přidání odkazu do této lišty označ tablo hvězdičkou.", + "remove-cover": "Odstranit obal", + "remove-from-board": "Odstranit z tabla", + "remove-label": "Odstranit štítek", + "listDeletePopup-title": "Smazat seznam?", + "remove-member": "Odebrat uživatele", + "remove-member-from-card": "Odstranit z karty", + "remove-member-pop": "Odstranit __name__ (__username__) z __boardTitle__? Uživatel bude odebrán ze všech karet na tomto tablu. Na tuto skutečnost bude upozorněn.", + "removeMemberPopup-title": "Odstranit člena?", + "rename": "Přejmenovat", + "rename-board": "Přejmenovat tablo", + "restore": "Obnovit", + "save": "Uložit", + "search": "Hledat", + "search-cards": "Hledat nadpisy a popisy karet v tomto tablu", + "search-example": "Hledaný text", + "select-color": "Vybrat barvu", + "set-wip-limit-value": "Nastaví limit pro maximální počet úkolů v seznamu.", + "setWipLimitPopup-title": "Nastavit WIP Limit", + "shortcut-assign-self": "Přiřadit sebe k aktuální kartě", + "shortcut-autocomplete-emoji": "Automatické dokončování emoji", + "shortcut-autocomplete-members": "Automatický výběr uživatel", + "shortcut-clear-filters": "Vyčistit všechny filtry", + "shortcut-close-dialog": "Zavřít dialog", + "shortcut-filter-my-cards": "Filtrovat mé karty", + "shortcut-show-shortcuts": "Otevřít tento seznam odkazů", + "shortcut-toggle-filterbar": "Přepnout lištu filtrování", + "shortcut-toggle-sidebar": "Přepnout lištu tabla", + "show-cards-minimum-count": "Zobrazit počet karet pokud seznam obsahuje více než ", + "sidebar-open": "Otevřít boční panel", + "sidebar-close": "Zavřít boční panel", + "signupPopup-title": "Vytvořit účet", + "star-board-title": "Kliknutím přidat tablu hvězdičku. Poté bude zobrazeno navrchu seznamu.", + "starred-boards": "Tabla s hvězdičkou", + "starred-boards-description": "Tabla s hvězdičkou jsou zobrazena navrchu seznamu.", + "subscribe": "Odebírat", + "team": "Tým", + "this-board": "toto tablo", + "this-card": "tuto kartu", + "spent-time-hours": "Strávený čas (hodiny)", + "overtime-hours": "Přesčas (hodiny)", + "overtime": "Přesčas", + "has-overtime-cards": "Obsahuje karty s přesčasy", + "has-spenttime-cards": "Obsahuje karty se stráveným časem", + "time": "Čas", + "title": "Název", + "tracking": "Pozorující", + "tracking-info": "Budete informováni o všech změnách v kartách, u kterých jste tvůrce nebo člen.", + "type": "Typ", + "unassign-member": "Vyřadit člena", + "unsaved-description": "Popis neni uložen.", + "unwatch": "Přestat sledovat", + "upload": "Nahrát", + "upload-avatar": "Nahrát avatar", + "uploaded-avatar": "Avatar nahrán", + "username": "Uživatelské jméno", + "view-it": "Zobrazit", + "warn-list-archived": "varování: tuto kartu obsahuje seznam v koši", + "watch": "Sledovat", + "watching": "Sledující", + "watching-info": "Bude vám oznámena každá změna v tomto tablu", + "welcome-board": "Uvítací tablo", + "welcome-swimlane": "Milník 1", + "welcome-list1": "Základní", + "welcome-list2": "Pokročilé", + "what-to-do": "Co chcete dělat?", + "wipLimitErrorPopup-title": "Neplatný WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "Počet úkolů v tomto seznamu je vyšší než definovaný WIP limit.", + "wipLimitErrorPopup-dialog-pt2": "Přesuňte prosím některé úkoly mimo tento seznam, nebo nastavte vyšší WIP limit.", + "admin-panel": "Administrátorský panel", + "settings": "Nastavení", + "people": "Lidé", + "registration": "Registrace", + "disable-self-registration": "Vypnout svévolnou registraci", + "invite": "Pozvánka", + "invite-people": "Pozvat lidi", + "to-boards": "Do tabel", + "email-addresses": "Emailové adresy", + "smtp-host-description": "Adresa SMTP serveru, který zpracovává vaše emaily.", + "smtp-port-description": "Port, který používá Váš SMTP server pro odchozí emaily.", + "smtp-tls-description": "Zapnout TLS podporu pro SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Uživatelské jméno", + "smtp-password": "Heslo", + "smtp-tls": "podpora TLS", + "send-from": "Od", + "send-smtp-test": "Poslat si zkušební email.", + "invitation-code": "Kód pozvánky", + "email-invite-register-subject": "__inviter__ odeslal pozvánku", + "email-invite-register-text": "Ahoj __user__,\n\n__inviter__ tě přizval ke spolupráci ve Wekanu.\n\nNásleduj prosím odkaz níže:\n\n__url__\n\nKód Tvé pozvánky je: __icode__\n\nDěkujeme.", + "email-smtp-test-subject": "SMTP Testovací email z Wekanu", + "email-smtp-test-text": "Email byl úspěšně odeslán", + "error-invitation-code-not-exist": "Kód pozvánky neexistuje.", + "error-notAuthorized": "Nejste autorizován k prohlížení této stránky.", + "outgoing-webhooks": "Odchozí Webhooky", + "outgoingWebhooksPopup-title": "Odchozí Webhooky", + "new-outgoing-webhook": "Nové odchozí Webhooky", + "no-name": "(Neznámé)", + "Wekan_version": "Wekan verze", + "Node_version": "Node verze", + "OS_Arch": "OS Architektura", + "OS_Cpus": "OS Počet CPU", + "OS_Freemem": "OS Volná paměť", + "OS_Loadavg": "OS Průměrná zátěž systém", + "OS_Platform": "Platforma OS", + "OS_Release": "Verze OS", + "OS_Totalmem": "OS Celková paměť", + "OS_Type": "Typ OS", + "OS_Uptime": "OS Doba běhu systému", + "hours": "hodin", + "minutes": "minut", + "seconds": "sekund", + "show-field-on-card": "Ukázat toto pole na kartě", + "yes": "Ano", + "no": "Ne", + "accounts": "Účty", + "accounts-allowEmailChange": "Povolit změnu Emailu", + "accounts-allowUserNameChange": "Povolit změnu uživatelského jména", + "createdAt": "Vytvořeno v", + "verified": "Ověřen", + "active": "Aktivní", + "card-received": "Přijato", + "card-received-on": "Přijaté v", + "card-end": "Konec", + "card-end-on": "Končí v", + "editCardReceivedDatePopup-title": "Změnit datum přijetí", + "editCardEndDatePopup-title": "Změnit datum konce", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Smazat tablo?", + "delete-board": "Smazat tablo" +} \ No newline at end of file diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json new file mode 100644 index 00000000..fffcd205 --- /dev/null +++ b/i18n/de.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Akzeptieren", + "act-activity-notify": "[Wekan] Aktivitätsbenachrichtigung", + "act-addAttachment": "hat __attachment__ an __card__ angehängt", + "act-addChecklist": "hat die Checkliste __checklist__ zu __card__ hinzugefügt", + "act-addChecklistItem": "hat __checklistItem__ zur Checkliste __checklist__ in __card__ hinzugefügt", + "act-addComment": "hat __card__ kommentiert: __comment__", + "act-createBoard": "hat __board__ erstellt", + "act-createCard": "hat __card__ zu __list__ hinzugefügt", + "act-createCustomField": "benutzerdefiniertes Feld __customField__ angelegt", + "act-createList": "hat __list__ zu __board__ hinzugefügt", + "act-addBoardMember": "hat __member__ zu __board__ hinzugefügt", + "act-archivedBoard": "__board__ in den Papierkorb verschoben", + "act-archivedCard": "__card__ in den Papierkorb verschoben", + "act-archivedList": "__list__ in den Papierkorb verschoben", + "act-archivedSwimlane": "__swimlane__ in den Papierkorb verschoben", + "act-importBoard": "hat __board__ importiert", + "act-importCard": "hat __card__ importiert", + "act-importList": "hat __list__ importiert", + "act-joinMember": "hat __member__ zu __card__ hinzugefügt", + "act-moveCard": "hat __card__ von __oldList__ nach __list__ verschoben", + "act-removeBoardMember": "hat __member__ von __board__ entfernt", + "act-restoredCard": "hat __card__ in __board__ wiederhergestellt", + "act-unjoinMember": "hat __member__ von __card__ entfernt", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Aktionen", + "activities": "Aktivitäten", + "activity": "Aktivität", + "activity-added": "hat %s zu %s hinzugefügt", + "activity-archived": "hat %s in den Papierkorb verschoben", + "activity-attached": "hat %s an %s angehängt", + "activity-created": "hat %s erstellt", + "activity-customfield-created": "hat das benutzerdefinierte Feld %s erstellt", + "activity-excluded": "hat %s von %s ausgeschlossen", + "activity-imported": "hat %s in %s von %s importiert", + "activity-imported-board": "hat %s von %s importiert", + "activity-joined": "ist %s beigetreten", + "activity-moved": "hat %s von %s nach %s verschoben", + "activity-on": "in %s", + "activity-removed": "hat %s von %s entfernt", + "activity-sent": "hat %s an %s gesendet", + "activity-unjoined": "hat %s verlassen", + "activity-checklist-added": "hat eine Checkliste zu %s hinzugefügt", + "activity-checklist-item-added": "hat eine Checklistenposition zu '%s' in %s hinzugefügt", + "add": "Hinzufügen", + "add-attachment": "Datei anhängen", + "add-board": "neues Board", + "add-card": "Karte hinzufügen", + "add-swimlane": "Swimlane hinzufügen", + "add-checklist": "Checkliste hinzufügen", + "add-checklist-item": "Position zu einer Checkliste hinzufügen", + "add-cover": "Cover hinzufügen", + "add-label": "Label hinzufügen", + "add-list": "Liste hinzufügen", + "add-members": "Mitglieder hinzufügen", + "added": "Hinzugefügt", + "addMemberPopup-title": "Mitglieder", + "admin": "Admin", + "admin-desc": "Kann Karten anzeigen und bearbeiten, Mitglieder entfernen und Boardeinstellungen ändern.", + "admin-announcement": "Ankündigung", + "admin-announcement-active": "Aktive systemweite Ankündigungen", + "admin-announcement-title": "Ankündigung des Administrators", + "all-boards": "Alle Boards", + "and-n-other-card": "und eine andere Karte", + "and-n-other-card_plural": "und __count__ andere Karten", + "apply": "Übernehmen", + "app-is-offline": "Wekan lädt gerade, bitte warten Sie. Wenn Sie die Seite neu laden, gehen nicht übertragene Änderungen verloren. Sollte Wekan nicht geladen werden, überprüfen Sie bitte, ob der Server noch läuft.", + "archive": "In den Papierkorb verschieben", + "archive-all": "Alles in den Papierkorb verschieben", + "archive-board": "Board in den Papierkorb verschieben", + "archive-card": "Karte in den Papierkorb verschieben", + "archive-list": "Liste in den Papierkorb verschieben", + "archive-swimlane": "Swimlane in den Papierkorb verschieben", + "archive-selection": "Auswahl in den Papierkorb verschieben", + "archiveBoardPopup-title": "Board in den Papierkorb verschieben?", + "archived-items": "Papierkorb", + "archived-boards": "Boards im Papierkorb", + "restore-board": "Board wiederherstellen", + "no-archived-boards": "Keine Boards im Papierkorb.", + "archives": "Papierkorb", + "assign-member": "Mitglied zuweisen", + "attached": "angehängt", + "attachment": "Anhang", + "attachment-delete-pop": "Das Löschen eines Anhangs kann nicht rückgängig gemacht werden.", + "attachmentDeletePopup-title": "Anhang löschen?", + "attachments": "Anhänge", + "auto-watch": "Neue Boards nach Erstellung automatisch beobachten", + "avatar-too-big": "Das Profilbild ist zu groß (max. 70KB)", + "back": "Zurück", + "board-change-color": "Farbe ändern", + "board-nb-stars": "%s Sterne", + "board-not-found": "Board nicht gefunden", + "board-private-info": "Dieses Board wird privat sein.", + "board-public-info": "Dieses Board wird öffentlich sein.", + "boardChangeColorPopup-title": "Farbe des Boards ändern", + "boardChangeTitlePopup-title": "Board umbenennen", + "boardChangeVisibilityPopup-title": "Sichtbarkeit ändern", + "boardChangeWatchPopup-title": "Beobachtung ändern", + "boardMenuPopup-title": "Boardmenü", + "boards": "Boards", + "board-view": "Boardansicht", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Listen", + "bucket-example": "z.B. \"Löffelliste\"", + "cancel": "Abbrechen", + "card-archived": "Diese Karte wurde in den Papierkorb verschoben", + "card-comments-title": "Diese Karte hat %s Kommentar(e).", + "card-delete-notice": "Löschen kann nicht rückgängig gemacht werden. Alle Aktionen, die dieser Karte zugeordnet sind, werden ebenfalls gelöscht.", + "card-delete-pop": "Alle Aktionen werden aus dem Aktivitätsfeed entfernt und die Karte kann nicht wiedereröffnet werden. Die Aktion kann nicht rückgängig gemacht werden.", + "card-delete-suggest-archive": "Sie können eine Karte in den Papierkorb verschieben, um sie vom Board zu entfernen und die Aktivitäten zu behalten.", + "card-due": "Fällig", + "card-due-on": "Fällig am", + "card-spent": "Aufgewendete Zeit", + "card-edit-attachments": "Anhänge ändern", + "card-edit-custom-fields": "Benutzerdefinierte Felder editieren", + "card-edit-labels": "Labels ändern", + "card-edit-members": "Mitglieder ändern", + "card-labels-title": "Labels für diese Karte ändern.", + "card-members-title": "Der Karte Board-Mitglieder hinzufügen oder entfernen.", + "card-start": "Start", + "card-start-on": "Start am", + "cardAttachmentsPopup-title": "Anhängen von", + "cardCustomField-datePopup-title": "Datum ändern", + "cardCustomFieldsPopup-title": "Benutzerdefinierte Felder editieren", + "cardDeletePopup-title": "Karte löschen?", + "cardDetailsActionsPopup-title": "Kartenaktionen", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Mitglieder", + "cardMorePopup-title": "Mehr", + "cards": "Karten", + "cards-count": "Karten", + "change": "Ändern", + "change-avatar": "Profilbild ändern", + "change-password": "Passwort ändern", + "change-permissions": "Berechtigungen ändern", + "change-settings": "Einstellungen ändern", + "changeAvatarPopup-title": "Profilbild ändern", + "changeLanguagePopup-title": "Sprache ändern", + "changePasswordPopup-title": "Passwort ändern", + "changePermissionsPopup-title": "Berechtigungen ändern", + "changeSettingsPopup-title": "Einstellungen ändern", + "checklists": "Checklisten", + "click-to-star": "Klicken Sie, um das Board mit einem Stern zu markieren.", + "click-to-unstar": "Klicken Sie, um den Stern vom Board zu entfernen.", + "clipboard": "Zwischenablage oder Drag & Drop", + "close": "Schließen", + "close-board": "Board schließen", + "close-board-pop": "Sie können das Board wiederherstellen, indem Sie die Schaltfläche \"Papierkorb\" in der Kopfzeile der Startseite anklicken.", + "color-black": "schwarz", + "color-blue": "blau", + "color-green": "grün", + "color-lime": "hellgrün", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "lila", + "color-red": "rot", + "color-sky": "himmelblau", + "color-yellow": "gelb", + "comment": "Kommentar", + "comment-placeholder": "Kommentar schreiben", + "comment-only": "Nur kommentierbar", + "comment-only-desc": "Kann Karten nur Kommentieren", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Sind Sie sicher, dass Sie die Checkliste löschen möchten?", + "copy-card-link-to-clipboard": "Kopiere Link zur Karte in die Zwischenablage", + "copyCardPopup-title": "Karte kopieren", + "copyChecklistToManyCardsPopup-title": "Checklistenvorlage in mehrere Karten kopieren", + "copyChecklistToManyCardsPopup-instructions": "Titel und Beschreibungen der Zielkarten im folgenden JSON-Format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titel der ersten Karte\", \"description\":\"Beschreibung der ersten Karte\"}, {\"title\":\"Titel der zweiten Karte\",\"description\":\"Beschreibung der zweiten Karte\"},{\"title\":\"Titel der letzten Karte\",\"description\":\"Beschreibung der letzten Karte\"} ]", + "create": "Erstellen", + "createBoardPopup-title": "Board erstellen", + "chooseBoardSourcePopup-title": "Board importieren", + "createLabelPopup-title": "Label erstellen", + "createCustomField": "Feld erstellen", + "createCustomFieldPopup-title": "Feld erstellen", + "current": "aktuell", + "custom-field-delete-pop": "Dies wird das Feld aus allen Karten entfernen und den dazugehörigen Verlauf löschen. Die Aktion kann nicht rückgängig gemacht werden.", + "custom-field-checkbox": "Kontrollkästchen", + "custom-field-date": "Datum", + "custom-field-dropdown": "Dropdownliste", + "custom-field-dropdown-none": "(keiner)", + "custom-field-dropdown-options": "Listenoptionen", + "custom-field-dropdown-options-placeholder": "Drücken Sie die Eingabetaste, um weitere Optionen hinzuzufügen", + "custom-field-dropdown-unknown": "(unbekannt)", + "custom-field-number": "Zahl", + "custom-field-text": "Text", + "custom-fields": "Benutzerdefinierte Felder", + "date": "Datum", + "decline": "Ablehnen", + "default-avatar": "Standard Profilbild", + "delete": "Löschen", + "deleteCustomFieldPopup-title": "Benutzerdefiniertes Feld löschen?", + "deleteLabelPopup-title": "Label löschen?", + "description": "Beschreibung", + "disambiguateMultiLabelPopup-title": "Labels vereinheitlichen", + "disambiguateMultiMemberPopup-title": "Mitglieder vereinheitlichen", + "discard": "Verwerfen", + "done": "Erledigt", + "download": "Herunterladen", + "edit": "Bearbeiten", + "edit-avatar": "Profilbild ändern", + "edit-profile": "Profil ändern", + "edit-wip-limit": "WIP-Limit bearbeiten", + "soft-wip-limit": "Soft WIP-Limit", + "editCardStartDatePopup-title": "Startdatum ändern", + "editCardDueDatePopup-title": "Fälligkeitsdatum ändern", + "editCustomFieldPopup-title": "Feld bearbeiten", + "editCardSpentTimePopup-title": "Aufgewendete Zeit ändern", + "editLabelPopup-title": "Label ändern", + "editNotificationPopup-title": "Benachrichtigung ändern", + "editProfilePopup-title": "Profil ändern", + "email": "E-Mail", + "email-enrollAccount-subject": "Ihr Benutzerkonto auf __siteName__ wurde erstellt", + "email-enrollAccount-text": "Hallo __user__,\n\num den Dienst nutzen zu können, klicken Sie bitte auf folgenden Link:\n\n__url__\n\nDanke.", + "email-fail": "Senden der E-Mail fehlgeschlagen", + "email-fail-text": "Fehler beim Senden des E-Mails", + "email-invalid": "Ungültige E-Mail-Adresse", + "email-invite": "via E-Mail einladen", + "email-invite-subject": "__inviter__ hat Ihnen eine Einladung geschickt", + "email-invite-text": "Hallo __user__,\n\n__inviter__ hat Sie zu dem Board \"__board__\" eingeladen.\n\nBitte klicken Sie auf folgenden Link:\n\n__url__\n\nDanke.", + "email-resetPassword-subject": "Setzten Sie ihr Passwort auf __siteName__ zurück", + "email-resetPassword-text": "Hallo __user__,\n\num ihr Passwort zurückzusetzen, klicken Sie bitte auf folgenden Link:\n\n__url__\n\nDanke.", + "email-sent": "E-Mail gesendet", + "email-verifyEmail-subject": "Bestätigen Sie ihre E-Mail-Adresse auf __siteName__", + "email-verifyEmail-text": "Hallo __user__,\n\num ihre E-Mail-Adresse zu bestätigen, klicken Sie bitte auf folgenden Link:\n\n__url__\n\nDanke.", + "enable-wip-limit": "WIP-Limit einschalten", + "error-board-doesNotExist": "Dieses Board existiert nicht", + "error-board-notAdmin": "Um das zu tun, müssen Sie Administrator dieses Boards sein", + "error-board-notAMember": "Um das zu tun, müssen Sie Mitglied dieses Boards sein", + "error-json-malformed": "Ihre Eingabe ist kein gültiges JSON", + "error-json-schema": "Ihre JSON-Daten enthalten nicht die gewünschten Informationen im richtigen Format", + "error-list-doesNotExist": "Diese Liste existiert nicht", + "error-user-doesNotExist": "Dieser Nutzer existiert nicht", + "error-user-notAllowSelf": "Sie können sich nicht selbst einladen.", + "error-user-notCreated": "Dieser Nutzer ist nicht angelegt", + "error-username-taken": "Dieser Benutzername ist bereits vergeben", + "error-email-taken": "E-Mail wird schon verwendet", + "export-board": "Board exportieren", + "filter": "Filter", + "filter-cards": "Karten filtern", + "filter-clear": "Filter entfernen", + "filter-no-label": "Kein Label", + "filter-no-member": "Kein Mitglied", + "filter-no-custom-fields": "Keine benutzerdefinierten Felder", + "filter-on": "Filter ist aktiv", + "filter-on-desc": "Sie filtern die Karten in diesem Board. Klicken Sie, um den Filter zu bearbeiten.", + "filter-to-selection": "Ergebnisse auswählen", + "advanced-filter-label": "Erweiterter Filter", + "advanced-filter-description": "Der erweiterte Filter erlaubt die Eingabe von Zeichenfolgen, die folgende Operatoren enthalten: == != <= >= && || ( ). Ein Leerzeichen wird als Trennzeichen zwischen den Operatoren verwendet. Sie können nach allen benutzerdefinierten Feldern filtern, indem Sie deren Namen und Werte eingeben. Zum Beispiel: Feld1 == Wert1. Beachten Sie: Wenn Felder oder Werte Leerzeichen enthalten, müssen Sie sie in einfache Anführungszeichen setzen. Zum Beispiel: 'Feld 1' == 'Wert 1'. Sie können außerdem mehrere Bedingungen kombinieren. Zum Beispiel: F1 == W1 || F1 == W2. Normalerweise werden alle Operatoren von links nach rechts interpretiert. Sie können die Reihenfolge ändern, indem Sie Klammern setzen. Zum Beispiel: F1 == W1 && ( F2 == W2 || F2 == W3 )", + "fullname": "Vollständiger Name", + "header-logo-title": "Zurück zur Board Seite.", + "hide-system-messages": "Systemmeldungen ausblenden", + "headerBarCreateBoardPopup-title": "Board erstellen", + "home": "Home", + "import": "Importieren", + "import-board": "Board importieren", + "import-board-c": "Board importieren", + "import-board-title-trello": "Board von Trello importieren", + "import-board-title-wekan": "Board von Wekan importieren", + "import-sandstorm-warning": "Das importierte Board wird alle bereits existierenden Daten löschen und mit den importierten Daten überschreiben.", + "from-trello": "Von Trello", + "from-wekan": "Von Wekan", + "import-board-instruction-trello": "Gehen Sie in ihrem Trello-Board auf 'Menü', dann 'Mehr', 'Drucken und Exportieren', 'JSON-Export' und kopieren Sie den dort angezeigten Text", + "import-board-instruction-wekan": "Gehen Sie in Ihrem Wekan board auf 'Menü', und dann auf 'Board exportieren'. Kopieren Sie anschließend den Text aus der heruntergeladenen Datei.", + "import-json-placeholder": "Fügen Sie die korrekten JSON-Daten hier ein", + "import-map-members": "Mitglieder zuordnen", + "import-members-map": "Das importierte Board hat Mitglieder. Bitte ordnen Sie jene, die importiert werden sollen, vorhandenen Wekan-Nutzern zu", + "import-show-user-mapping": "Mitgliederzuordnung überprüfen", + "import-user-select": "Wählen Sie den Wekan-Nutzer aus, der dieses Mitglied sein soll", + "importMapMembersAddPopup-title": "Wekan-Nutzer auswählen", + "info": "Version", + "initials": "Initialen", + "invalid-date": "Ungültiges Datum", + "invalid-time": "Ungültige Zeitangabe", + "invalid-user": "Ungültiger Benutzer", + "joined": "beigetreten", + "just-invited": "Sie wurden soeben zu diesem Board eingeladen", + "keyboard-shortcuts": "Tastaturkürzel", + "label-create": "Label erstellen", + "label-default": "%s Label (Standard)", + "label-delete-pop": "Aktion kann nicht rückgängig gemacht werden. Das Label wird von allen Karten entfernt und seine Historie gelöscht.", + "labels": "Labels", + "language": "Sprache", + "last-admin-desc": "Sie können keine Rollen ändern, weil es mindestens einen Administrator geben muss.", + "leave-board": "Board verlassen", + "leave-board-pop": "Sind Sie sicher, dass Sie __boardTitle__ verlassen möchten? Sie werden von allen Karten in diesem Board entfernt.", + "leaveBoardPopup-title": "Board verlassen?", + "link-card": "Link zu dieser Karte", + "list-archive-cards": "Alle Karten dieser Liste in den Papierkorb verschieben", + "list-archive-cards-pop": "Alle Karten dieser Liste werden vom Board entfernt. Um Karten im Papierkorb anzuzeigen und wiederherzustellen, klicken Sie auf \"Menü\" > \"Papierkorb\".", + "list-move-cards": "Alle Karten in dieser Liste verschieben", + "list-select-cards": "Alle Karten in dieser Liste auswählen", + "listActionPopup-title": "Listenaktionen", + "swimlaneActionPopup-title": "Swimlaneaktionen", + "listImportCardPopup-title": "Eine Trello-Karte importieren", + "listMorePopup-title": "Mehr", + "link-list": "Link zu dieser Liste", + "list-delete-pop": "Alle Aktionen werden aus dem Verlauf gelöscht und die Liste kann nicht wiederhergestellt werden.", + "list-delete-suggest-archive": "Listen können in den Papierkorb verschoben werden, um sie aus dem Board zu entfernen und die Aktivitäten zu behalten.", + "lists": "Listen", + "swimlanes": "Swimlanes", + "log-out": "Ausloggen", + "log-in": "Einloggen", + "loginPopup-title": "Einloggen", + "memberMenuPopup-title": "Nutzereinstellungen", + "members": "Mitglieder", + "menu": "Menü", + "move-selection": "Auswahl verschieben", + "moveCardPopup-title": "Karte verschieben", + "moveCardToBottom-title": "Ans Ende verschieben", + "moveCardToTop-title": "Zum Anfang verschieben", + "moveSelectionPopup-title": "Auswahl verschieben", + "multi-selection": "Mehrfachauswahl", + "multi-selection-on": "Mehrfachauswahl ist aktiv", + "muted": "Stumm", + "muted-info": "Sie werden nicht über Änderungen auf diesem Board benachrichtigt", + "my-boards": "Meine Boards", + "name": "Name", + "no-archived-cards": "Keine Karten im Papierkorb.", + "no-archived-lists": "Keine Listen im Papierkorb.", + "no-archived-swimlanes": "Keine Swimlanes im Papierkorb.", + "no-results": "Keine Ergebnisse", + "normal": "Normal", + "normal-desc": "Kann Karten anzeigen und bearbeiten, aber keine Einstellungen ändern.", + "not-accepted-yet": "Die Einladung wurde noch nicht angenommen", + "notify-participate": "Benachrichtigungen zu allen Karten erhalten, an denen Sie teilnehmen", + "notify-watch": "Benachrichtigungen über alle Boards, Listen oder Karten erhalten, die Sie beobachten", + "optional": "optional", + "or": "oder", + "page-maybe-private": "Diese Seite könnte privat sein. Vielleicht können Sie sie sehen, wenn Sie sich einloggen.", + "page-not-found": "Seite nicht gefunden.", + "password": "Passwort", + "paste-or-dragdrop": "Einfügen oder Datei mit Drag & Drop ablegen (nur Bilder)", + "participating": "Teilnehmen", + "preview": "Vorschau", + "previewAttachedImagePopup-title": "Vorschau", + "previewClipboardImagePopup-title": "Vorschau", + "private": "Privat", + "private-desc": "Dieses Board ist privat. Nur Nutzer, die zu dem Board gehören, können es anschauen und bearbeiten.", + "profile": "Profil", + "public": "Öffentlich", + "public-desc": "Dieses Board ist öffentlich. Es ist für jeden, der den Link kennt, sichtbar und taucht in Suchmaschinen wie Google auf. Nur Nutzer, die zum Board hinzugefügt wurden, können es bearbeiten.", + "quick-access-description": "Markieren Sie ein Board mit einem Stern, um dieser Leiste eine Verknüpfung hinzuzufügen.", + "remove-cover": "Cover entfernen", + "remove-from-board": "Von Board entfernen", + "remove-label": "Label entfernen", + "listDeletePopup-title": "Liste löschen?", + "remove-member": "Nutzer entfernen", + "remove-member-from-card": "Von Karte entfernen", + "remove-member-pop": "__name__ (__username__) von __boardTitle__ entfernen? Das Mitglied wird von allen Karten auf diesem Board entfernt. Es erhält eine Benachrichtigung.", + "removeMemberPopup-title": "Mitglied entfernen?", + "rename": "Umbenennen", + "rename-board": "Board umbenennen", + "restore": "Wiederherstellen", + "save": "Speichern", + "search": "Suchen", + "search-cards": "Suche nach Kartentiteln und Beschreibungen auf diesem Board", + "search-example": "Suchbegriff", + "select-color": "Farbe auswählen", + "set-wip-limit-value": "Setzen Sie ein Limit für die maximale Anzahl von Aufgaben in dieser Liste", + "setWipLimitPopup-title": "WIP-Limit setzen", + "shortcut-assign-self": "Fügen Sie sich zur aktuellen Karte hinzu", + "shortcut-autocomplete-emoji": "Emojis vervollständigen", + "shortcut-autocomplete-members": "Mitglieder vervollständigen", + "shortcut-clear-filters": "Alle Filter entfernen", + "shortcut-close-dialog": "Dialog schließen", + "shortcut-filter-my-cards": "Meine Karten filtern", + "shortcut-show-shortcuts": "Liste der Tastaturkürzel anzeigen", + "shortcut-toggle-filterbar": "Filter-Seitenleiste ein-/ausblenden", + "shortcut-toggle-sidebar": "Seitenleiste ein-/ausblenden", + "show-cards-minimum-count": "Zeigt die Kartenanzahl an, wenn die Liste mehr enthält als", + "sidebar-open": "Seitenleiste öffnen", + "sidebar-close": "Seitenleiste schließen", + "signupPopup-title": "Benutzerkonto erstellen", + "star-board-title": "Klicken Sie, um das Board mit einem Stern zu markieren. Es erscheint dann oben in ihrer Boardliste.", + "starred-boards": "Markierte Boards", + "starred-boards-description": "Markierte Boards erscheinen oben in ihrer Boardliste.", + "subscribe": "Abonnieren", + "team": "Team", + "this-board": "diesem Board", + "this-card": "diese Karte", + "spent-time-hours": "Aufgewendete Zeit (Stunden)", + "overtime-hours": "Mehrarbeit (Stunden)", + "overtime": "Mehrarbeit", + "has-overtime-cards": "Hat Karten mit Mehrarbeit", + "has-spenttime-cards": "Hat Karten mit aufgewendeten Zeiten", + "time": "Zeit", + "title": "Titel", + "tracking": "Folgen", + "tracking-info": "Sie werden über alle Änderungen an Karten benachrichtigt, an denen Sie als Ersteller oder Mitglied beteiligt sind.", + "type": "Typ", + "unassign-member": "Mitglied entfernen", + "unsaved-description": "Sie haben eine nicht gespeicherte Änderung.", + "unwatch": "Beobachtung entfernen", + "upload": "Upload", + "upload-avatar": "Profilbild hochladen", + "uploaded-avatar": "Profilbild hochgeladen", + "username": "Benutzername", + "view-it": "Ansehen", + "warn-list-archived": "Warnung: Diese Karte befindet sich in einer Liste im Papierkorb!", + "watch": "Beobachten", + "watching": "Beobachten", + "watching-info": "Sie werden über alle Änderungen in diesem Board benachrichtigt", + "welcome-board": "Willkommen-Board", + "welcome-swimlane": "Meilenstein 1", + "welcome-list1": "Grundlagen", + "welcome-list2": "Fortgeschritten", + "what-to-do": "Was wollen Sie tun?", + "wipLimitErrorPopup-title": "Ungültiges WIP-Limit", + "wipLimitErrorPopup-dialog-pt1": "Die Anzahl von Aufgaben in dieser Liste ist größer als das von Ihnen definierte WIP-Limit.", + "wipLimitErrorPopup-dialog-pt2": "Bitte verschieben Sie einige Aufgaben aus dieser Liste oder setzen Sie ein grösseres WIP-Limit.", + "admin-panel": "Administration", + "settings": "Einstellungen", + "people": "Nutzer", + "registration": "Registrierung", + "disable-self-registration": "Selbstregistrierung deaktivieren", + "invite": "Einladen", + "invite-people": "Nutzer einladen", + "to-boards": "In Board(s)", + "email-addresses": "E-Mail Adressen", + "smtp-host-description": "Die Adresse Ihres SMTP-Servers für ausgehende E-Mails.", + "smtp-port-description": "Der Port Ihres SMTP-Servers für ausgehende E-Mails.", + "smtp-tls-description": "Aktiviere TLS Unterstützung für SMTP Server", + "smtp-host": "SMTP-Server", + "smtp-port": "SMTP-Port", + "smtp-username": "Benutzername", + "smtp-password": "Passwort", + "smtp-tls": "TLS Unterstützung", + "send-from": "Absender", + "send-smtp-test": "Test-E-Mail an sich selbst schicken", + "invitation-code": "Einladungscode", + "email-invite-register-subject": "__inviter__ hat Ihnen eine Einladung geschickt", + "email-invite-register-text": "Hallo __user__,\n\n__inviter__ hat Sie für Ihre Zusammenarbeit zu Wekan eingeladen.\n\nBitte klicken Sie auf folgenden Link:\n__url__\n\nIhr Einladungscode lautet: __icode__\n\nDanke.", + "email-smtp-test-subject": "SMTP-Test-E-Mail von Wekan", + "email-smtp-test-text": "Sie haben erfolgreich eine E-Mail versandt", + "error-invitation-code-not-exist": "Ungültiger Einladungscode", + "error-notAuthorized": "Sie sind nicht berechtigt diese Seite zu sehen.", + "outgoing-webhooks": "Ausgehende Webhooks", + "outgoingWebhooksPopup-title": "Ausgehende Webhooks", + "new-outgoing-webhook": "Neuer ausgehender Webhook", + "no-name": "(Unbekannt)", + "Wekan_version": "Wekan-Version", + "Node_version": "Node-Version", + "OS_Arch": "Betriebssystem-Architektur", + "OS_Cpus": "Anzahl Prozessoren", + "OS_Freemem": "Freier Arbeitsspeicher", + "OS_Loadavg": "Mittlere Systembelastung", + "OS_Platform": "Plattform", + "OS_Release": "Version des Betriebssystem", + "OS_Totalmem": "Gesamter Arbeitsspeicher", + "OS_Type": "Typ des Betriebssystems", + "OS_Uptime": "Laufzeit des Systems", + "hours": "Stunden", + "minutes": "Minuten", + "seconds": "Sekunden", + "show-field-on-card": "Zeige dieses Feld auf der Karte", + "yes": "Ja", + "no": "Nein", + "accounts": "Konten", + "accounts-allowEmailChange": "Ändern der E-Mailadresse erlauben", + "accounts-allowUserNameChange": "Ändern des Benutzernamens erlauben", + "createdAt": "Erstellt am", + "verified": "Geprüft", + "active": "Aktiv", + "card-received": "Empfangen", + "card-received-on": "Empfangen am", + "card-end": "Ende", + "card-end-on": "Endet am", + "editCardReceivedDatePopup-title": "Empfangsdatum ändern", + "editCardEndDatePopup-title": "Enddatum ändern", + "assigned-by": "Zugewiesen von", + "requested-by": "Angefordert von", + "board-delete-notice": "Löschen kann nicht rückgängig gemacht werden. Sie werden alle Listen, Karten und Aktionen, die mit diesem Board verbunden sind, verlieren.", + "delete-board-confirm-popup": "Alle Listen, Karten, Labels und Akivitäten werden gelöscht und Sie können die Inhalte des Boards nicht wiederherstellen! Die Aktion kann nicht rückgängig gemacht werden.", + "boardDeletePopup-title": "Board löschen?", + "delete-board": "Board löschen" +} \ No newline at end of file diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json new file mode 100644 index 00000000..f863b23a --- /dev/null +++ b/i18n/el.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accept", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Προσθήκη", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Προσθήκη Κάρτας", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Προσθήκη Ετικέτας", + "add-list": "Προσθήκη Λίστας", + "add-members": "Προσθήκη Μελών", + "added": "Προστέθηκε", + "addMemberPopup-title": "Μέλοι", + "admin": "Διαχειριστής", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Εφαρμογή", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Πίσω", + "board-change-color": "Αλλαγή χρώματος", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Λίστες", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Ακύρωση", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Έως", + "card-due-on": "Έως τις", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Διαγραφή Κάρτας;", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Ετικέτες", + "cardMembersPopup-title": "Μέλοι", + "cardMorePopup-title": "Περισσότερα", + "cards": "Κάρτες", + "cards-count": "Κάρτες", + "change": "Αλλαγή", + "change-avatar": "Change Avatar", + "change-password": "Αλλαγή Κωδικού", + "change-permissions": "Change permissions", + "change-settings": "Αλλαγή Ρυθμίσεων", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Αλλαγή Γλώσσας", + "changePasswordPopup-title": "Αλλαγή Κωδικού", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Αλλαγή Ρυθμίσεων", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Κλείσιμο", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "μαύρο", + "color-blue": "μπλε", + "color-green": "πράσινο", + "color-lime": "λάιμ", + "color-orange": "πορτοκαλί", + "color-pink": "ροζ", + "color-purple": "μωβ", + "color-red": "κόκκινο", + "color-sky": "ουρανός", + "color-yellow": "κίτρινο", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Υπολογιστής", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Δημιουργία", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Ημερομηνία", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Ημερομηνία", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Διαγραφή", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Απόρριψη", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Το κείμενο δεν είναι έγκυρο JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Φίλτρο", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "Κανένα μέλος", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Πλήρες Όνομα", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Εισαγωγή", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "Από το Trello", + "from-wekan": "Από το Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Έκδοση", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Ετικέτες", + "language": "Γλώσσα", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "Περισσότερα", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Λίστες", + "swimlanes": "Swimlanes", + "log-out": "Αποσύνδεση", + "log-in": "Σύνδεση", + "loginPopup-title": "Σύνδεση", + "memberMenuPopup-title": "Member Settings", + "members": "Μέλοι", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Όνομα", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Κανένα αποτέλεσμα", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "ή", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Η σελίδα δεν βρέθηκε.", + "password": "Κωδικός", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Διαγραφή Λίστας;", + "remove-member": "Αφαίρεση Μέλους", + "remove-member-from-card": "Αφαίρεση από την Κάρτα", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Αφαίρεση Μέλους;", + "rename": "Μετανομασία", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Αποθήκευση", + "search": "Αναζήτηση", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Επιλέξτε Χρώμα", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Δημιουργία Λογαριασμού", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Ομάδα", + "this-board": "this board", + "this-card": "αυτή η κάρτα", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Ώρα", + "title": "Τίτλος", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Όνομα Χρήστη", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Ρυθμίσεις", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Διευθύνσεις", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Όνομα Χρήστη", + "smtp-password": "Κωδικός", + "smtp-tls": "TLS υποστήριξη", + "send-from": "Από", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Κωδικός Πρόσκλησης", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Ο κωδικός πρόσκλησης δεν υπάρχει", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Άγνωστο)", + "Wekan_version": "Wekan έκδοση", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "ώρες", + "minutes": "λεπτά", + "seconds": "δευτερόλεπτα", + "show-field-on-card": "Show this field on card", + "yes": "Ναι", + "no": "Όχι", + "accounts": "Λογαριασμοί", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json new file mode 100644 index 00000000..44140081 --- /dev/null +++ b/i18n/en-GB.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accept", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached _ attachment _ to _ card _", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Add", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Members", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change colour", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Members", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaboration.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve its activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Members", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Colour", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in a list in the Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any changes in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaboration.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorised to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json new file mode 100644 index 00000000..df268772 --- /dev/null +++ b/i18n/eo.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Akcepti", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "Kreiis __board__", + "act-createCard": "Aldonis __card__ al __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "Aldonis __card__ al __board__", + "act-addBoardMember": "Aldonis __member__ al __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "Aldonis __member__ al __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Akcioj", + "activities": "Aktivaĵoj", + "activity": "Aktivaĵo", + "activity-added": "Aldonis %s al %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "Kreiis %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "Sendis %s al %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Aldoni", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Aldoni membrojn", + "added": "Aldonita", + "addMemberPopup-title": "Membroj", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apliki", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Reen", + "board-change-color": "Ŝanĝi koloron", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Listoj", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Redakti etikedojn", + "card-edit-members": "Redakti membrojn", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Komenco", + "card-start-on": "Komencas je la", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Etikedoj", + "cardMembersPopup-title": "Membroj", + "cardMorePopup-title": "Pli", + "cards": "Kartoj", + "cards-count": "Kartoj", + "change": "Ŝanĝi", + "change-avatar": "Change Avatar", + "change-password": "Ŝangi pasvorton", + "change-permissions": "Change permissions", + "change-settings": "Ŝanĝi agordojn", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Ŝanĝi lingvon", + "changePasswordPopup-title": "Ŝangi pasvorton", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Ŝanĝi agordojn", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Fermi", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "nigra", + "color-blue": "blua", + "color-green": "verda", + "color-lime": "lime", + "color-orange": "oranĝa", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "ruĝa", + "color-sky": "sky", + "color-yellow": "flava", + "comment": "Komento", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Komputilo", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Krei", + "createBoardPopup-title": "Krei tavolon", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Dato", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Dato", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Farite", + "download": "Elŝuti", + "edit": "Redakti", + "edit-avatar": "Change Avatar", + "edit-profile": "Redakti profilon", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Redakti komencdaton", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Ŝanĝi etikedon", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Redakti profilon", + "email": "Retpoŝtadreso", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Malsukcesis sendi retpoŝton", + "email-fail-text": "Error trying to send email", + "email-invalid": "Nevalida retpoŝtadreso", + "email-invite": "Inviti per retpoŝto", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Sendis retpoŝton", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Via teksto estas nevalida JSON", + "error-json-schema": "Via JSON ne enhavas la ĝustajn informojn en ĝusta formato", + "error-list-doesNotExist": "Tio listo ne ekzistas", + "error-user-doesNotExist": "Tio uzanto ne ekzistas", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "Uzanto ne kreita", + "error-username-taken": "Uzantnomo jam prenita", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "Nenia etikedo", + "filter-no-member": "Nenia membro", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Krei tavolon", + "home": "Hejmo", + "import": "Importi", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Etikedoj", + "language": "Lingvo", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Ligi al ĉitiu karto", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Movu ĉiujn kartojn en tiu listo.", + "list-select-cards": "Elektu ĉiujn kartojn en tiu listo.", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "Pli", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Listoj", + "swimlanes": "Swimlanes", + "log-out": "Elsaluti", + "log-in": "Ensaluti", + "loginPopup-title": "Ensaluti", + "memberMenuPopup-title": "Membraj agordoj", + "members": "Membroj", + "menu": "Menuo", + "move-selection": "Movi elekton", + "moveCardPopup-title": "Movi karton", + "moveCardToBottom-title": "Movi suben", + "moveCardToTop-title": "Movi supren", + "moveSelectionPopup-title": "Movi elekton", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Nomo", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Neniaj rezultoj", + "normal": "Normala", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "aŭ", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Netrovita paĝo.", + "password": "Pasvorto", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Privata", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profilo", + "public": "Publika", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Forigi membron", + "remove-member-from-card": "Forigi de karto", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Renomi", + "rename-board": "Rename Board", + "restore": "Forigi", + "save": "Savi", + "search": "Serĉi", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Teamo", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Tempo", + "title": "Titolo", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Alŝuti", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Uzantnomo", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Rigardi", + "watching": "Rigardante", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "Kion vi volas fari?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Uzantnomo", + "smtp-password": "Pasvorto", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json new file mode 100644 index 00000000..5262568f --- /dev/null +++ b/i18n/es-AR.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Aceptar", + "act-activity-notify": "[Wekan] Notificación de Actividad", + "act-addAttachment": "adjunto __attachment__ a __card__", + "act-addChecklist": "lista de ítems __checklist__ agregada a __card__", + "act-addChecklistItem": " __checklistItem__ agregada a lista de ítems __checklist__ en __card__", + "act-addComment": "comentado en __card__: __comment__", + "act-createBoard": "__board__ creado", + "act-createCard": "agregada __card__ a __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "agregada __list__ a __board__", + "act-addBoardMember": "agregado __member__ a __board__", + "act-archivedBoard": "__board__ movido a Papelera de Reciclaje", + "act-archivedCard": "__card__ movido a Papelera de Reciclaje", + "act-archivedList": "__list__ movido a Papelera de Reciclaje", + "act-archivedSwimlane": "__swimlane__ movido a Papelera de Reciclaje", + "act-importBoard": "__board__ importado", + "act-importCard": "__card__ importada", + "act-importList": "__list__ importada", + "act-joinMember": "__member__ agregado a __card__", + "act-moveCard": "__card__ movida de __oldList__ a __list__", + "act-removeBoardMember": "__member__ removido de __board__", + "act-restoredCard": "__card__ restaurada a __board__", + "act-unjoinMember": "__member__ removido de __card__", + "act-withBoardTitle": "__board__ [Wekan]", + "act-withCardTitle": "__card__ [__board__] ", + "actions": "Acciones", + "activities": "Actividades", + "activity": "Actividad", + "activity-added": "agregadas %s a %s", + "activity-archived": "%s movido a Papelera de Reciclaje", + "activity-attached": "adjuntadas %s a %s", + "activity-created": "creadas %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluidas %s de %s", + "activity-imported": "importadas %s en %s de %s", + "activity-imported-board": "importadas %s de %s", + "activity-joined": "unidas %s", + "activity-moved": "movidas %s de %s a %s", + "activity-on": "en %s", + "activity-removed": "eliminadas %s de %s", + "activity-sent": "enviadas %s a %s", + "activity-unjoined": "separadas %s", + "activity-checklist-added": "agregada lista de tareas a %s", + "activity-checklist-item-added": "agregado item de lista de tareas a '%s' en %s", + "add": "Agregar", + "add-attachment": "Agregar Adjunto", + "add-board": "Agregar Tablero", + "add-card": "Agregar Tarjeta", + "add-swimlane": "Agregar Calle", + "add-checklist": "Agregar Lista de Tareas", + "add-checklist-item": "Agregar ítem a lista de tareas", + "add-cover": "Agregar Portadas", + "add-label": "Agregar Etiqueta", + "add-list": "Agregar Lista", + "add-members": "Agregar Miembros", + "added": "Agregadas", + "addMemberPopup-title": "Miembros", + "admin": "Administrador", + "admin-desc": "Puede ver y editar tarjetas, eliminar miembros, y cambiar opciones para el tablero.", + "admin-announcement": "Anuncio", + "admin-announcement-active": "Anuncio del Sistema Activo", + "admin-announcement-title": "Anuncio del Administrador", + "all-boards": "Todos los tableros", + "and-n-other-card": "Y __count__ otra tarjeta", + "and-n-other-card_plural": "Y __count__ otras tarjetas", + "apply": "Aplicar", + "app-is-offline": "Wekan está cargándose, por favor espere. Refrescar la página va a causar pérdida de datos. Si Wekan no se carga, por favor revise que el servidor de Wekan no se haya detenido.", + "archive": "Mover a Papelera de Reciclaje", + "archive-all": "Mover Todo a la Papelera de Reciclaje", + "archive-board": "Mover Tablero a la Papelera de Reciclaje", + "archive-card": "Mover Tarjeta a la Papelera de Reciclaje", + "archive-list": "Mover Lista a la Papelera de Reciclaje", + "archive-swimlane": "Mover Calle a la Papelera de Reciclaje", + "archive-selection": "Mover selección a la Papelera de Reciclaje", + "archiveBoardPopup-title": "¿Mover Tablero a la Papelera de Reciclaje?", + "archived-items": "Papelera de Reciclaje", + "archived-boards": "Tableros en la Papelera de Reciclaje", + "restore-board": "Restaurar Tablero", + "no-archived-boards": "No hay tableros en la Papelera de Reciclaje", + "archives": "Papelera de Reciclaje", + "assign-member": "Asignar miembro", + "attached": "adjunto(s)", + "attachment": "Adjunto", + "attachment-delete-pop": "Borrar un adjunto es permanente. No hay deshacer.", + "attachmentDeletePopup-title": "¿Borrar Adjunto?", + "attachments": "Adjuntos", + "auto-watch": "Seguir tableros automáticamente al crearlos", + "avatar-too-big": "El avatar es muy grande (70KB max)", + "back": "Atrás", + "board-change-color": "Cambiar color", + "board-nb-stars": "%s estrellas", + "board-not-found": "Tablero no encontrado", + "board-private-info": "Este tablero va a ser privado.", + "board-public-info": "Este tablero va a ser público.", + "boardChangeColorPopup-title": "Cambiar Fondo del Tablero", + "boardChangeTitlePopup-title": "Renombrar Tablero", + "boardChangeVisibilityPopup-title": "Cambiar Visibilidad", + "boardChangeWatchPopup-title": "Alternar Seguimiento", + "boardMenuPopup-title": "Menú del Tablero", + "boards": "Tableros", + "board-view": "Vista de Tablero", + "board-view-swimlanes": "Calles", + "board-view-lists": "Listas", + "bucket-example": "Como \"Lista de Contenedores\" por ejemplo", + "cancel": "Cancelar", + "card-archived": "Esta tarjeta es movida a la Papelera de Reciclaje", + "card-comments-title": "Esta tarjeta tiene %s comentario.", + "card-delete-notice": "Borrar es permanente. Perderás todas las acciones asociadas con esta tarjeta.", + "card-delete-pop": "Todas las acciones van a ser eliminadas del agregador de actividad y no podrás re-abrir la tarjeta. No hay deshacer.", + "card-delete-suggest-archive": "Tu puedes mover una tarjeta a la Papelera de Reciclaje para removerla del tablero y preservar la actividad.", + "card-due": "Vence", + "card-due-on": "Vence en", + "card-spent": "Tiempo Empleado", + "card-edit-attachments": "Editar adjuntos", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Editar etiquetas", + "card-edit-members": "Editar miembros", + "card-labels-title": "Cambiar las etiquetas de la tarjeta.", + "card-members-title": "Agregar o eliminar de la tarjeta miembros del tablero.", + "card-start": "Empieza", + "card-start-on": "Empieza el", + "cardAttachmentsPopup-title": "Adjuntar De", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "¿Borrar Tarjeta?", + "cardDetailsActionsPopup-title": "Acciones de la Tarjeta", + "cardLabelsPopup-title": "Etiquetas", + "cardMembersPopup-title": "Miembros", + "cardMorePopup-title": "Mas", + "cards": "Tarjetas", + "cards-count": "Tarjetas", + "change": "Cambiar", + "change-avatar": "Cambiar Avatar", + "change-password": "Cambiar Contraseña", + "change-permissions": "Cambiar permisos", + "change-settings": "Cambiar Opciones", + "changeAvatarPopup-title": "Cambiar Avatar", + "changeLanguagePopup-title": "Cambiar Lenguaje", + "changePasswordPopup-title": "Cambiar Contraseña", + "changePermissionsPopup-title": "Cambiar Permisos", + "changeSettingsPopup-title": "Cambiar Opciones", + "checklists": "Listas de ítems", + "click-to-star": "Clickeá para darle una estrella a este tablero.", + "click-to-unstar": "Clickeá para sacarle la estrella al tablero.", + "clipboard": "Portapapeles o arrastrar y soltar", + "close": "Cerrar", + "close-board": "Cerrar Tablero", + "close-board-pop": "Podrás restaurar el tablero apretando el botón \"Papelera de Reciclaje\" del encabezado en inicio.", + "color-black": "negro", + "color-blue": "azul", + "color-green": "verde", + "color-lime": "lima", + "color-orange": "naranja", + "color-pink": "rosa", + "color-purple": "púrpura", + "color-red": "rojo", + "color-sky": "cielo", + "color-yellow": "amarillo", + "comment": "Comentario", + "comment-placeholder": "Comentar", + "comment-only": "Comentar solamente", + "comment-only-desc": "Puede comentar en tarjetas solamente.", + "computer": "Computadora", + "confirm-checklist-delete-dialog": "¿Estás segur@ que querés borrar la lista de ítems?", + "copy-card-link-to-clipboard": "Copiar enlace a tarjeta en el portapapeles", + "copyCardPopup-title": "Copiar Tarjeta", + "copyChecklistToManyCardsPopup-title": "Copiar Plantilla Checklist a Muchas Tarjetas", + "copyChecklistToManyCardsPopup-instructions": "Títulos y Descripciones de la Tarjeta Destino en este formato JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Título de primera tarjeta\", \"description\":\"Descripción de primera tarjeta\"}, {\"title\":\"Título de segunda tarjeta\",\"description\":\"Descripción de segunda tarjeta\"},{\"title\":\"Título de última tarjeta\",\"description\":\"Descripción de última tarjeta\"} ]", + "create": "Crear", + "createBoardPopup-title": "Crear Tablero", + "chooseBoardSourcePopup-title": "Importar tablero", + "createLabelPopup-title": "Crear Etiqueta", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "actual", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Fecha", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Fecha", + "decline": "Rechazar", + "default-avatar": "Avatar por defecto", + "delete": "Borrar", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "¿Borrar Etiqueta?", + "description": "Descripción", + "disambiguateMultiLabelPopup-title": "Desambiguación de Acción de Etiqueta", + "disambiguateMultiMemberPopup-title": "Desambiguación de Acción de Miembro", + "discard": "Descartar", + "done": "Hecho", + "download": "Descargar", + "edit": "Editar", + "edit-avatar": "Cambiar Avatar", + "edit-profile": "Editar Perfil", + "edit-wip-limit": "Editar Lìmite de TEP", + "soft-wip-limit": "Límite TEP suave", + "editCardStartDatePopup-title": "Cambiar fecha de inicio", + "editCardDueDatePopup-title": "Cambiar fecha de vencimiento", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Cambiar tiempo empleado", + "editLabelPopup-title": "Cambiar Etiqueta", + "editNotificationPopup-title": "Editar Notificación", + "editProfilePopup-title": "Editar Perfil", + "email": "Email", + "email-enrollAccount-subject": "Una cuenta creada para vos en __siteName__", + "email-enrollAccount-text": "Hola __user__,\n\nPara empezar a usar el servicio, simplemente clickeá en el enlace de abajo.\n\n__url__\n\nGracias.", + "email-fail": "Fallo envío de email", + "email-fail-text": "Error intentando enviar email", + "email-invalid": "Email inválido", + "email-invite": "Invitar vía Email", + "email-invite-subject": "__inviter__ te envió una invitación", + "email-invite-text": "Querido __user__,\n\n__inviter__ te invita a unirte al tablero \"__board__\" para colaborar.\n\nPor favor sigue el enlace de abajo:\n\n__url__\n\nGracias.", + "email-resetPassword-subject": "Restaurá tu contraseña en __siteName__", + "email-resetPassword-text": "Hola __user__,\n\nPara restaurar tu contraseña, simplemente clickeá el enlace de abajo.\n\n__url__\n\nGracias.", + "email-sent": "Email enviado", + "email-verifyEmail-subject": "Verificá tu dirección de email en __siteName__", + "email-verifyEmail-text": "Hola __user__,\n\nPara verificar tu cuenta de email, simplemente clickeá el enlace de abajo.\n\n__url__\n\nGracias.", + "enable-wip-limit": "Activar Límite TEP", + "error-board-doesNotExist": "Este tablero no existe", + "error-board-notAdmin": "Necesitás ser administrador de este tablero para hacer eso", + "error-board-notAMember": "Necesitás ser miembro de este tablero para hacer eso", + "error-json-malformed": "Tu texto no es JSON válido", + "error-json-schema": "Tus datos JSON no incluyen la información correcta en el formato adecuado", + "error-list-doesNotExist": "Esta lista no existe", + "error-user-doesNotExist": "Este usuario no existe", + "error-user-notAllowSelf": "No podés invitarte a vos mismo", + "error-user-notCreated": " El usuario no se creó", + "error-username-taken": "El nombre de usuario ya existe", + "error-email-taken": "El email ya existe", + "export-board": "Exportar tablero", + "filter": "Filtrar", + "filter-cards": "Filtrar Tarjetas", + "filter-clear": "Sacar filtro", + "filter-no-label": "Sin etiqueta", + "filter-no-member": "No es miembro", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "El filtro está activado", + "filter-on-desc": "Estás filtrando cartas en este tablero. Clickeá acá para editar el filtro.", + "filter-to-selection": "Filtrar en la selección", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Nombre Completo", + "header-logo-title": "Retroceder a tu página de tableros.", + "hide-system-messages": "Esconder mensajes del sistema", + "headerBarCreateBoardPopup-title": "Crear Tablero", + "home": "Inicio", + "import": "Importar", + "import-board": "importar tablero", + "import-board-c": "Importar tablero", + "import-board-title-trello": "Importar tablero de Trello", + "import-board-title-wekan": "Importar tablero de Wekan", + "import-sandstorm-warning": "El tablero importado va a borrar todos los datos existentes en el tablero y reemplazarlos con los del tablero en cuestión.", + "from-trello": "De Trello", + "from-wekan": "De Wekan", + "import-board-instruction-trello": "En tu tablero de Trello, ve a 'Menú', luego a 'Más', 'Imprimir y Exportar', 'Exportar JSON', y copia el texto resultante.", + "import-board-instruction-wekan": "En tu tablero Wekan, ve a 'Menú', luego a 'Exportar tablero', y copia el texto en el archivo descargado.", + "import-json-placeholder": "Pegá tus datos JSON válidos acá", + "import-map-members": "Mapear Miembros", + "import-members-map": "Tu tablero importado tiene algunos miembros. Por favor mapeá los miembros que quieras importar/convertir a usuarios de Wekan.", + "import-show-user-mapping": "Revisar mapeo de miembros", + "import-user-select": "Elegí el usuario de Wekan que querés usar como éste miembro", + "importMapMembersAddPopup-title": "Elegí el miembro de Wekan.", + "info": "Versión", + "initials": "Iniciales", + "invalid-date": "Fecha inválida", + "invalid-time": "Tiempo inválido", + "invalid-user": "Usuario inválido", + "joined": "unido", + "just-invited": "Fuiste invitado a este tablero", + "keyboard-shortcuts": "Atajos de teclado", + "label-create": "Crear Etiqueta", + "label-default": "%s etiqueta (por defecto)", + "label-delete-pop": "No hay deshacer. Esto va a eliminar esta etiqueta de todas las tarjetas y destruir su historia.", + "labels": "Etiquetas", + "language": "Lenguaje", + "last-admin-desc": "No podés cambiar roles porque tiene que haber al menos un administrador.", + "leave-board": "Dejar Tablero", + "leave-board-pop": "¿Estás seguro que querés dejar __boardTitle__? Vas a salir de todas las tarjetas en este tablero.", + "leaveBoardPopup-title": "¿Dejar Tablero?", + "link-card": "Enlace a esta tarjeta", + "list-archive-cards": "Mover todas las tarjetas en esta lista a la Papelera de Reciclaje", + "list-archive-cards-pop": "Esto va a remover las tarjetas en esta lista del tablero. Para ver tarjetas en la Papelera de Reciclaje y traerlas de vuelta al tablero, clickeá \"Menú\" > \"Papelera de Reciclaje\".", + "list-move-cards": "Mueve todas las tarjetas en esta lista", + "list-select-cards": "Selecciona todas las tarjetas en esta lista", + "listActionPopup-title": "Listar Acciones", + "swimlaneActionPopup-title": "Acciones de la Calle", + "listImportCardPopup-title": "Importar una tarjeta Trello", + "listMorePopup-title": "Mas", + "link-list": "Enlace a esta lista", + "list-delete-pop": "Todas las acciones van a ser eliminadas del agregador de actividad y no podás recuperar la lista. No se puede deshacer.", + "list-delete-suggest-archive": "Podés mover la lista a la Papelera de Reciclaje para remvoerla del tablero y preservar la actividad.", + "lists": "Listas", + "swimlanes": "Calles", + "log-out": "Salir", + "log-in": "Entrar", + "loginPopup-title": "Entrar", + "memberMenuPopup-title": "Opciones de Miembros", + "members": "Miembros", + "menu": "Menú", + "move-selection": "Mover selección", + "moveCardPopup-title": "Mover Tarjeta", + "moveCardToBottom-title": "Mover al Final", + "moveCardToTop-title": "Mover al Tope", + "moveSelectionPopup-title": "Mover selección", + "multi-selection": "Multi-Selección", + "multi-selection-on": "Multi-selección está activo", + "muted": "Silenciado", + "muted-info": "No serás notificado de ningún cambio en este tablero", + "my-boards": "Mis Tableros", + "name": "Nombre", + "no-archived-cards": "No hay tarjetas en la Papelera de Reciclaje", + "no-archived-lists": "No hay listas en la Papelera de Reciclaje", + "no-archived-swimlanes": "No hay calles en la Papelera de Reciclaje", + "no-results": "No hay resultados", + "normal": "Normal", + "normal-desc": "Puede ver y editar tarjetas. No puede cambiar opciones.", + "not-accepted-yet": "Invitación no aceptada todavía", + "notify-participate": "Recibí actualizaciones en cualquier tarjeta que participés como creador o miembro", + "notify-watch": "Recibí actualizaciones en cualquier tablero, lista, o tarjeta que estés siguiendo", + "optional": "opcional", + "or": "o", + "page-maybe-private": "Esta página puede ser privada. Vos podrás verla entrando.", + "page-not-found": "Página no encontrada.", + "password": "Contraseña", + "paste-or-dragdrop": "pegar, arrastrar y soltar el archivo de imagen a esto (imagen sola)", + "participating": "Participando", + "preview": "Previsualización", + "previewAttachedImagePopup-title": "Previsualización", + "previewClipboardImagePopup-title": "Previsualización", + "private": "Privado", + "private-desc": "Este tablero es privado. Solo personas agregadas a este tablero pueden verlo y editarlo.", + "profile": "Perfil", + "public": "Público", + "public-desc": "Este tablero es público. Es visible para cualquiera con un enlace y se va a mostrar en los motores de búsqueda como Google. Solo personas agregadas a este tablero pueden editarlo.", + "quick-access-description": "Dale una estrella al tablero para agregar un acceso directo en esta barra.", + "remove-cover": "Remover Portada", + "remove-from-board": "Remover del Tablero", + "remove-label": "Remover Etiqueta", + "listDeletePopup-title": "¿Borrar Lista?", + "remove-member": "Remover Miembro", + "remove-member-from-card": "Remover de Tarjeta", + "remove-member-pop": "¿Remover __name__ (__username__) de __boardTitle__? Los miembros va a ser removido de todas las tarjetas en este tablero. Serán notificados.", + "removeMemberPopup-title": "¿Remover Miembro?", + "rename": "Renombrar", + "rename-board": "Renombrar Tablero", + "restore": "Restaurar", + "save": "Grabar", + "search": "Buscar", + "search-cards": "Buscar en títulos y descripciones de tarjeta en este tablero", + "search-example": "¿Texto a buscar?", + "select-color": "Seleccionar Color", + "set-wip-limit-value": "Fijar un límite para el número máximo de tareas en esta lista", + "setWipLimitPopup-title": "Establecer Límite TEP", + "shortcut-assign-self": "Asignarte a vos mismo en la tarjeta actual", + "shortcut-autocomplete-emoji": "Autocompletar emonji", + "shortcut-autocomplete-members": "Autocompletar miembros", + "shortcut-clear-filters": "Limpiar todos los filtros", + "shortcut-close-dialog": "Cerrar Diálogo", + "shortcut-filter-my-cards": "Filtrar mis tarjetas", + "shortcut-show-shortcuts": "Traer esta lista de atajos", + "shortcut-toggle-filterbar": "Activar/Desactivar Barra Lateral de Filtros", + "shortcut-toggle-sidebar": "Activar/Desactivar Barra Lateral de Tableros", + "show-cards-minimum-count": "Mostrar cuenta de tarjetas si la lista contiene más que", + "sidebar-open": "Abrir Barra Lateral", + "sidebar-close": "Cerrar Barra Lateral", + "signupPopup-title": "Crear Cuenta", + "star-board-title": "Clickear para darle una estrella a este tablero. Se mostrará arriba en el tope de tu lista de tableros.", + "starred-boards": "Tableros con estrellas", + "starred-boards-description": "Tableros con estrellas se muestran en el tope de tu lista de tableros.", + "subscribe": "Suscribirse", + "team": "Equipo", + "this-board": "este tablero", + "this-card": "esta tarjeta", + "spent-time-hours": "Tiempo empleado (horas)", + "overtime-hours": "Sobretiempo (horas)", + "overtime": "Sobretiempo", + "has-overtime-cards": "Tiene tarjetas con sobretiempo", + "has-spenttime-cards": "Ha gastado tarjetas de tiempo", + "time": "Hora", + "title": "Título", + "tracking": "Seguimiento", + "tracking-info": "Serás notificado de cualquier cambio a aquellas tarjetas en las que seas creador o miembro.", + "type": "Type", + "unassign-member": "Desasignar miembro", + "unsaved-description": "Tienes una descripción sin guardar.", + "unwatch": "Dejar de seguir", + "upload": "Cargar", + "upload-avatar": "Cargar un avatar", + "uploaded-avatar": "Cargado un avatar", + "username": "Nombre de usuario", + "view-it": "Verlo", + "warn-list-archived": "cuidado; esta tarjeta está en la Papelera de Reciclaje", + "watch": "Seguir", + "watching": "Siguiendo", + "watching-info": "Serás notificado de cualquier cambio en este tablero", + "welcome-board": "Tablero de Bienvenida", + "welcome-swimlane": "Hito 1", + "welcome-list1": "Básicos", + "welcome-list2": "Avanzado", + "what-to-do": "¿Qué querés hacer?", + "wipLimitErrorPopup-title": "Límite TEP Inválido", + "wipLimitErrorPopup-dialog-pt1": " El número de tareas en esta lista es mayor que el límite TEP que definiste.", + "wipLimitErrorPopup-dialog-pt2": "Por favor mové algunas tareas fuera de esta lista, o seleccioná un límite TEP más alto.", + "admin-panel": "Panel de Administración", + "settings": "Opciones", + "people": "Gente", + "registration": "Registro", + "disable-self-registration": "Desactivar auto-registro", + "invite": "Invitar", + "invite-people": "Invitar Gente", + "to-boards": "A tarjeta(s)", + "email-addresses": "Dirección de Email", + "smtp-host-description": "La dirección del servidor SMTP que maneja tus emails", + "smtp-port-description": "El puerto que tu servidor SMTP usa para correos salientes", + "smtp-tls-description": "Activar soporte TLS para el servidor SMTP", + "smtp-host": "Servidor SMTP", + "smtp-port": "Puerto SMTP", + "smtp-username": "Usuario", + "smtp-password": "Contraseña", + "smtp-tls": "Soporte TLS", + "send-from": "De", + "send-smtp-test": "Enviarse un email de prueba", + "invitation-code": "Código de Invitación", + "email-invite-register-subject": "__inviter__ te envió una invitación", + "email-invite-register-text": "Querido __user__,\n\n__inviter__ te invita a Wekan para colaborar.\n\nPor favor sigue el enlace de abajo:\n__url__\n\nI tu código de invitación es: __icode__\n\nGracias.", + "email-smtp-test-subject": "Email de Prueba SMTP de Wekan", + "email-smtp-test-text": "Enviaste el correo correctamente", + "error-invitation-code-not-exist": "El código de invitación no existe", + "error-notAuthorized": "No estás autorizado para ver esta página.", + "outgoing-webhooks": "Ganchos Web Salientes", + "outgoingWebhooksPopup-title": "Ganchos Web Salientes", + "new-outgoing-webhook": "Nuevo Gancho Web", + "no-name": "(desconocido)", + "Wekan_version": "Versión de Wekan", + "Node_version": "Versión de Node", + "OS_Arch": "Arch del SO", + "OS_Cpus": "Cantidad de CPU del SO", + "OS_Freemem": "Memoria Libre del SO", + "OS_Loadavg": "Carga Promedio del SO", + "OS_Platform": "Plataforma del SO", + "OS_Release": "Revisión del SO", + "OS_Totalmem": "Memoria Total del SO", + "OS_Type": "Tipo de SO", + "OS_Uptime": "Tiempo encendido del SO", + "hours": "horas", + "minutes": "minutos", + "seconds": "segundos", + "show-field-on-card": "Show this field on card", + "yes": "Si", + "no": "No", + "accounts": "Cuentas", + "accounts-allowEmailChange": "Permitir Cambio de Email", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Creado en", + "verified": "Verificado", + "active": "Activo", + "card-received": "Recibido", + "card-received-on": "Recibido en", + "card-end": "Termino", + "card-end-on": "Termina en", + "editCardReceivedDatePopup-title": "Cambiar fecha de recepción", + "editCardEndDatePopup-title": "Cambiar fecha de término", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json new file mode 100644 index 00000000..755094bb --- /dev/null +++ b/i18n/es.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Aceptar", + "act-activity-notify": "[Wekan] Notificación de actividad", + "act-addAttachment": "ha adjuntado __attachment__ a __card__", + "act-addChecklist": "ha añadido la lista de verificación __checklist__ a __card__", + "act-addChecklistItem": "ha añadido __checklistItem__ a la lista de verificación __checklist__ en __card__", + "act-addComment": "ha comentado en __card__: __comment__", + "act-createBoard": "ha creado __board__", + "act-createCard": "ha añadido __card__ a __list__", + "act-createCustomField": "creado el campo personalizado __customField__", + "act-createList": "ha añadido __list__ a __board__", + "act-addBoardMember": "ha añadido a __member__ a __board__", + "act-archivedBoard": "__board__ se ha enviado a la papelera de reciclaje", + "act-archivedCard": "__card__ se ha enviado a la papelera de reciclaje", + "act-archivedList": "__list__ se ha enviado a la papelera de reciclaje", + "act-archivedSwimlane": "__swimlane__ se ha enviado a la papelera de reciclaje", + "act-importBoard": "ha importado __board__", + "act-importCard": "ha importado __card__", + "act-importList": "ha importado __list__", + "act-joinMember": "ha añadido a __member__ a __card__", + "act-moveCard": "ha movido __card__ desde __oldList__ a __list__", + "act-removeBoardMember": "ha desvinculado a __member__ de __board__", + "act-restoredCard": "ha restaurado __card__ en __board__", + "act-unjoinMember": "ha desvinculado a __member__ de __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Acciones", + "activities": "Actividades", + "activity": "Actividad", + "activity-added": "ha añadido %s a %s", + "activity-archived": "%s se ha enviado a la papelera de reciclaje", + "activity-attached": "ha adjuntado %s a %s", + "activity-created": "ha creado %s", + "activity-customfield-created": "creado el campo personalizado %s", + "activity-excluded": "ha excluido %s de %s", + "activity-imported": "ha importado %s a %s desde %s", + "activity-imported-board": "ha importado %s desde %s", + "activity-joined": "se ha unido a %s", + "activity-moved": "ha movido %s de %s a %s", + "activity-on": "en %s", + "activity-removed": "ha eliminado %s de %s", + "activity-sent": "ha enviado %s a %s", + "activity-unjoined": "se ha desvinculado de %s", + "activity-checklist-added": "ha añadido una lista de verificación a %s", + "activity-checklist-item-added": "ha añadido el elemento de la lista de verificación a '%s' en %s", + "add": "Añadir", + "add-attachment": "Añadir adjunto", + "add-board": "Añadir tablero", + "add-card": "Añadir una tarjeta", + "add-swimlane": "Añadir un carril de flujo", + "add-checklist": "Añadir una lista de verificación", + "add-checklist-item": "Añadir un elemento a la lista de verificación", + "add-cover": "Añadir portada", + "add-label": "Añadir una etiqueta", + "add-list": "Añadir una lista", + "add-members": "Añadir miembros", + "added": "Añadida el", + "addMemberPopup-title": "Miembros", + "admin": "Administrador", + "admin-desc": "Puedes ver y editar tarjetas, eliminar miembros, y cambiar los ajustes del tablero", + "admin-announcement": "Aviso", + "admin-announcement-active": "Activar el aviso para todo el sistema", + "admin-announcement-title": "Aviso del administrador", + "all-boards": "Tableros", + "and-n-other-card": "y __count__ tarjeta más", + "and-n-other-card_plural": "y otras __count__ tarjetas", + "apply": "Aplicar", + "app-is-offline": "Wekan se está cargando, por favor espere. Actualizar la página provocará la pérdida de datos. Si Wekan no se carga, por favor verifique que el servidor de Wekan no está detenido.", + "archive": "Enviar a la papelera de reciclaje", + "archive-all": "Enviar todo a la papelera de reciclaje", + "archive-board": "Enviar el tablero a la papelera de reciclaje", + "archive-card": "Enviar la tarjeta a la papelera de reciclaje", + "archive-list": "Enviar la lista a la papelera de reciclaje", + "archive-swimlane": "Enviar el carril de flujo a la papelera de reciclaje", + "archive-selection": "Enviar la selección a la papelera de reciclaje", + "archiveBoardPopup-title": "Enviar el tablero a la papelera de reciclaje", + "archived-items": "Papelera de reciclaje", + "archived-boards": "Tableros en la papelera de reciclaje", + "restore-board": "Restaurar el tablero", + "no-archived-boards": "No hay tableros en la papelera de reciclaje", + "archives": "Papelera de reciclaje", + "assign-member": "Asignar miembros", + "attached": "adjuntado", + "attachment": "Adjunto", + "attachment-delete-pop": "La eliminación de un fichero adjunto es permanente. Esta acción no puede deshacerse.", + "attachmentDeletePopup-title": "¿Eliminar el adjunto?", + "attachments": "Adjuntos", + "auto-watch": "Suscribirse automáticamente a los tableros cuando son creados", + "avatar-too-big": "El avatar es muy grande (70KB máx.)", + "back": "Atrás", + "board-change-color": "Cambiar el color", + "board-nb-stars": "%s destacados", + "board-not-found": "Tablero no encontrado", + "board-private-info": "Este tablero será privado.", + "board-public-info": "Este tablero será público.", + "boardChangeColorPopup-title": "Cambiar el fondo del tablero", + "boardChangeTitlePopup-title": "Renombrar el tablero", + "boardChangeVisibilityPopup-title": "Cambiar visibilidad", + "boardChangeWatchPopup-title": "Cambiar vigilancia", + "boardMenuPopup-title": "Menú del tablero", + "boards": "Tableros", + "board-view": "Vista del tablero", + "board-view-swimlanes": "Carriles", + "board-view-lists": "Listas", + "bucket-example": "Como “Cosas por hacer” por ejemplo", + "cancel": "Cancelar", + "card-archived": "Esta tarjeta se ha enviado a la papelera de reciclaje.", + "card-comments-title": "Esta tarjeta tiene %s comentarios.", + "card-delete-notice": "la eliminación es permanente. Perderás todas las acciones asociadas a esta tarjeta.", + "card-delete-pop": "Se eliminarán todas las acciones del historial de actividades y no se podrá volver a abrir la tarjeta. Esta acción no puede deshacerse.", + "card-delete-suggest-archive": "Puedes enviar una tarjeta a la papelera de reciclaje para eliminarla del tablero y conservar la actividad.", + "card-due": "Vence", + "card-due-on": "Vence el", + "card-spent": "Tiempo consumido", + "card-edit-attachments": "Editar los adjuntos", + "card-edit-custom-fields": "Editar los campos personalizados", + "card-edit-labels": "Editar las etiquetas", + "card-edit-members": "Editar los miembros", + "card-labels-title": "Cambia las etiquetas de la tarjeta", + "card-members-title": "Añadir o eliminar miembros del tablero desde la tarjeta.", + "card-start": "Comienza", + "card-start-on": "Comienza el", + "cardAttachmentsPopup-title": "Adjuntar desde", + "cardCustomField-datePopup-title": "Cambiar la fecha", + "cardCustomFieldsPopup-title": "Editar los campos personalizados", + "cardDeletePopup-title": "¿Eliminar la tarjeta?", + "cardDetailsActionsPopup-title": "Acciones de la tarjeta", + "cardLabelsPopup-title": "Etiquetas", + "cardMembersPopup-title": "Miembros", + "cardMorePopup-title": "Más", + "cards": "Tarjetas", + "cards-count": "Tarjetas", + "change": "Cambiar", + "change-avatar": "Cambiar el avatar", + "change-password": "Cambiar la contraseña", + "change-permissions": "Cambiar los permisos", + "change-settings": "Cambiar las preferencias", + "changeAvatarPopup-title": "Cambiar el avatar", + "changeLanguagePopup-title": "Cambiar el idioma", + "changePasswordPopup-title": "Cambiar la contraseña", + "changePermissionsPopup-title": "Cambiar los permisos", + "changeSettingsPopup-title": "Cambiar las preferencias", + "checklists": "Lista de verificación", + "click-to-star": "Haz clic para destacar este tablero.", + "click-to-unstar": "Haz clic para dejar de destacar este tablero.", + "clipboard": "el portapapeles o con arrastrar y soltar", + "close": "Cerrar", + "close-board": "Cerrar el tablero", + "close-board-pop": "Podrás restaurar el tablero haciendo clic en el botón \"Papelera de reciclaje\" en la cabecera.", + "color-black": "negra", + "color-blue": "azul", + "color-green": "verde", + "color-lime": "lima", + "color-orange": "naranja", + "color-pink": "rosa", + "color-purple": "violeta", + "color-red": "roja", + "color-sky": "celeste", + "color-yellow": "amarilla", + "comment": "Comentar", + "comment-placeholder": "Escribir comentario", + "comment-only": "Sólo comentarios", + "comment-only-desc": "Solo puedes comentar en las tarjetas.", + "computer": "el ordenador", + "confirm-checklist-delete-dialog": "¿Seguro que desea eliminar la lista de verificación?", + "copy-card-link-to-clipboard": "Copiar el enlace de la tarjeta al portapapeles", + "copyCardPopup-title": "Copiar la tarjeta", + "copyChecklistToManyCardsPopup-title": "Copiar la plantilla de la lista de verificación en varias tarjetas", + "copyChecklistToManyCardsPopup-instructions": "Títulos y descripciones de las tarjetas de destino en formato JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Título de la primera tarjeta\", \"description\":\"Descripción de la primera tarjeta\"}, {\"title\":\"Título de la segunda tarjeta\",\"description\":\"Descripción de la segunda tarjeta\"},{\"title\":\"Título de la última tarjeta\",\"description\":\"Descripción de la última tarjeta\"} ]", + "create": "Crear", + "createBoardPopup-title": "Crear tablero", + "chooseBoardSourcePopup-title": "Importar un tablero", + "createLabelPopup-title": "Crear etiqueta", + "createCustomField": "Crear un campo", + "createCustomFieldPopup-title": "Crear un campo", + "current": "actual", + "custom-field-delete-pop": "Se eliminará este campo personalizado de todas las tarjetas y se destruirá su historial. Esta acción no puede deshacerse.", + "custom-field-checkbox": "Casilla de verificación", + "custom-field-date": "Fecha", + "custom-field-dropdown": "Lista desplegable", + "custom-field-dropdown-none": "(nada)", + "custom-field-dropdown-options": "Opciones de la lista", + "custom-field-dropdown-options-placeholder": "Pulsa Intro para añadir más opciones", + "custom-field-dropdown-unknown": "(desconocido)", + "custom-field-number": "Número", + "custom-field-text": "Texto", + "custom-fields": "Campos personalizados", + "date": "Fecha", + "decline": "Declinar", + "default-avatar": "Avatar por defecto", + "delete": "Eliminar", + "deleteCustomFieldPopup-title": "¿Borrar el campo personalizado?", + "deleteLabelPopup-title": "¿Eliminar la etiqueta?", + "description": "Descripción", + "disambiguateMultiLabelPopup-title": "Desambiguar la acción de etiqueta", + "disambiguateMultiMemberPopup-title": "Desambiguar la acción de miembro", + "discard": "Descartarla", + "done": "Hecho", + "download": "Descargar", + "edit": "Editar", + "edit-avatar": "Cambiar el avatar", + "edit-profile": "Editar el perfil", + "edit-wip-limit": "Cambiar el límite del trabajo en proceso", + "soft-wip-limit": "Límite del trabajo en proceso flexible", + "editCardStartDatePopup-title": "Cambiar la fecha de comienzo", + "editCardDueDatePopup-title": "Cambiar la fecha de vencimiento", + "editCustomFieldPopup-title": "Editar el campo", + "editCardSpentTimePopup-title": "Cambiar el tiempo consumido", + "editLabelPopup-title": "Cambiar la etiqueta", + "editNotificationPopup-title": "Editar las notificaciones", + "editProfilePopup-title": "Editar el perfil", + "email": "Correo electrónico", + "email-enrollAccount-subject": "Cuenta creada en __siteName__", + "email-enrollAccount-text": "Hola __user__,\n\nPara empezar a utilizar el servicio, simplemente haz clic en el siguiente enlace.\n\n__url__\n\nGracias.", + "email-fail": "Error al enviar el correo", + "email-fail-text": "Error al intentar enviar el correo", + "email-invalid": "Correo no válido", + "email-invite": "Invitar vía correo electrónico", + "email-invite-subject": "__inviter__ ha enviado una invitación", + "email-invite-text": "Estimado __user__,\n\n__inviter__ te invita a unirte al tablero '__board__' para colaborar.\n\nPor favor, haz clic en el siguiente enlace:\n\n__url__\n\nGracias.", + "email-resetPassword-subject": "Restablecer tu contraseña en __siteName__", + "email-resetPassword-text": "Hola __user__,\n\nPara restablecer tu contraseña, haz clic en el siguiente enlace.\n\n__url__\n\nGracias.", + "email-sent": "Correo enviado", + "email-verifyEmail-subject": "Verifica tu dirección de correo en __siteName__", + "email-verifyEmail-text": "Hola __user__,\n\nPara verificar tu cuenta de correo electrónico, haz clic en el siguiente enlace.\n\n__url__\n\nGracias.", + "enable-wip-limit": "Activar el límite del trabajo en proceso", + "error-board-doesNotExist": "El tablero no existe", + "error-board-notAdmin": "Es necesario ser administrador de este tablero para hacer eso", + "error-board-notAMember": "Es necesario ser miembro de este tablero para hacer eso", + "error-json-malformed": "El texto no es un JSON válido", + "error-json-schema": "Sus datos JSON no incluyen la información apropiada en el formato correcto", + "error-list-doesNotExist": "La lista no existe", + "error-user-doesNotExist": "El usuario no existe", + "error-user-notAllowSelf": "No puedes invitarte a ti mismo", + "error-user-notCreated": "El usuario no ha sido creado", + "error-username-taken": "Este nombre de usuario ya está en uso", + "error-email-taken": "Esta dirección de correo ya está en uso", + "export-board": "Exportar el tablero", + "filter": "Filtrar", + "filter-cards": "Filtrar tarjetas", + "filter-clear": "Limpiar el filtro", + "filter-no-label": "Sin etiqueta", + "filter-no-member": "Sin miembro", + "filter-no-custom-fields": "Sin campos personalizados", + "filter-on": "Filtrado activado", + "filter-on-desc": "Estás filtrando tarjetas en este tablero. Haz clic aquí para editar el filtro.", + "filter-to-selection": "Filtrar la selección", + "advanced-filter-label": "Filtrado avanzado", + "advanced-filter-description": "El filtrado avanzado permite escribir una cadena que contiene los siguientes operadores: == != <= >= && || ( ) Se utiliza un espacio como separador entre los operadores. Se pueden filtrar todos los campos personalizados escribiendo sus nombres y valores. Por ejemplo: Campo1 == Valor1. Nota: Si los campos o valores contienen espacios, debe encapsularlos entre comillas simples. Por ejemplo: 'Campo 1' == 'Valor 1'. También puedes combinar múltiples condiciones. Por ejemplo: C1 == V1 || C1 = V2. Normalmente todos los operadores se interpretan de izquierda a derecha. Puede cambiar el orden colocando corchetes. Por ejemplo: C1 == V1 y ( C2 == V2 || C2 == V3 )", + "fullname": "Nombre completo", + "header-logo-title": "Volver a tu página de tableros", + "hide-system-messages": "Ocultar las notificaciones de actividad", + "headerBarCreateBoardPopup-title": "Crear tablero", + "home": "Inicio", + "import": "Importar", + "import-board": "importar un tablero", + "import-board-c": "Importar un tablero", + "import-board-title-trello": "Importar un tablero desde Trello", + "import-board-title-wekan": "Importar un tablero desde Wekan", + "import-sandstorm-warning": "El tablero importado eliminará todos los datos existentes en este tablero y los reemplazará con los datos del tablero importado.", + "from-trello": "Desde Trello", + "from-wekan": "Desde Wekan", + "import-board-instruction-trello": "En tu tablero de Trello, ve a 'Menú', luego 'Más' > 'Imprimir y exportar' > 'Exportar JSON', y copia el texto resultante.", + "import-board-instruction-wekan": "En tu tablero de Wekan, ve a 'Menú del tablero', luego 'Exportar el tablero', y copia aquí el texto del fichero descargado.", + "import-json-placeholder": "Pega tus datos JSON válidos aquí", + "import-map-members": "Mapa de miembros", + "import-members-map": "El tablero importado tiene algunos miembros. Por favor mapea los miembros que deseas importar a los usuarios de Wekan", + "import-show-user-mapping": "Revisión de la asignación de miembros", + "import-user-select": "Escoge el usuario de Wekan que deseas utilizar como miembro", + "importMapMembersAddPopup-title": "Selecciona un miembro de Wekan", + "info": "Versión", + "initials": "Iniciales", + "invalid-date": "Fecha no válida", + "invalid-time": "Tiempo no válido", + "invalid-user": "Usuario no válido", + "joined": "se ha unido", + "just-invited": "Has sido invitado a este tablero", + "keyboard-shortcuts": "Atajos de teclado", + "label-create": "Crear una etiqueta", + "label-default": "etiqueta %s (por defecto)", + "label-delete-pop": "Se eliminará esta etiqueta de todas las tarjetas y se destruirá su historial. Esta acción no puede deshacerse.", + "labels": "Etiquetas", + "language": "Cambiar el idioma", + "last-admin-desc": "No puedes cambiar roles porque debe haber al menos un administrador.", + "leave-board": "Abandonar el tablero", + "leave-board-pop": "¿Seguro que quieres abandonar __boardTitle__? Serás desvinculado de todas las tarjetas en este tablero.", + "leaveBoardPopup-title": "¿Abandonar el tablero?", + "link-card": "Enlazar a esta tarjeta", + "list-archive-cards": "Enviar todas las tarjetas de esta lista a la papelera de reciclaje", + "list-archive-cards-pop": "Esto eliminará todas las tarjetas de esta lista del tablero. Para ver las tarjetas en la papelera de reciclaje y devolverlas al tablero, haga clic en \"Menú\" > \"Papelera de reciclaje\".", + "list-move-cards": "Mover todas las tarjetas de esta lista", + "list-select-cards": "Seleccionar todas las tarjetas de esta lista", + "listActionPopup-title": "Acciones de la lista", + "swimlaneActionPopup-title": "Acciones del carril de flujo", + "listImportCardPopup-title": "Importar una tarjeta de Trello", + "listMorePopup-title": "Más", + "link-list": "Enlazar a esta lista", + "list-delete-pop": "Todas las acciones serán eliminadas del historial de actividades y no se podrá recuperar la lista. Esta acción no puede deshacerse.", + "list-delete-suggest-archive": "Puedes enviar una lista a la papelera de reciclaje para eliminarla del tablero y conservar la actividad.", + "lists": "Listas", + "swimlanes": "Carriles", + "log-out": "Finalizar la sesión", + "log-in": "Iniciar sesión", + "loginPopup-title": "Iniciar sesión", + "memberMenuPopup-title": "Mis preferencias", + "members": "Miembros", + "menu": "Menú", + "move-selection": "Mover la selección", + "moveCardPopup-title": "Mover la tarjeta", + "moveCardToBottom-title": "Mover al final", + "moveCardToTop-title": "Mover al principio", + "moveSelectionPopup-title": "Mover la selección", + "multi-selection": "Selección múltiple", + "multi-selection-on": "Selección múltiple activada", + "muted": "Silenciado", + "muted-info": "No serás notificado de ningún cambio en este tablero", + "my-boards": "Mis tableros", + "name": "Nombre", + "no-archived-cards": "No hay tarjetas en la papelera de reciclaje", + "no-archived-lists": "No hay listas en la papelera de reciclaje", + "no-archived-swimlanes": "No hay carriles de flujo en la papelera de reciclaje", + "no-results": "Sin resultados", + "normal": "Normal", + "normal-desc": "Puedes ver y editar tarjetas. No puedes cambiar la configuración.", + "not-accepted-yet": "La invitación no ha sido aceptada aún", + "notify-participate": "Recibir actualizaciones de cualquier tarjeta en la que participas como creador o miembro", + "notify-watch": "Recibir actuaizaciones de cualquier tablero, lista o tarjeta que estés vigilando", + "optional": "opcional", + "or": "o", + "page-maybe-private": "Esta página puede ser privada. Es posible que puedas verla al iniciar sesión.", + "page-not-found": "Página no encontrada.", + "password": "Contraseña", + "paste-or-dragdrop": "pegar o arrastrar y soltar un fichero de imagen (sólo imagen)", + "participating": "Participando", + "preview": "Previsualizar", + "previewAttachedImagePopup-title": "Previsualizar", + "previewClipboardImagePopup-title": "Previsualizar", + "private": "Privado", + "private-desc": "Este tablero es privado. Sólo las personas añadidas al tablero pueden verlo y editarlo.", + "profile": "Perfil", + "public": "Público", + "public-desc": "Este tablero es público. Es visible para cualquiera a través del enlace, y se mostrará en los buscadores como Google. Sólo las personas añadidas al tablero pueden editarlo.", + "quick-access-description": "Destaca un tablero para añadir un acceso directo en esta barra.", + "remove-cover": "Eliminar portada", + "remove-from-board": "Desvincular del tablero", + "remove-label": "Eliminar la etiqueta", + "listDeletePopup-title": "¿Eliminar la lista?", + "remove-member": "Eliminar miembro", + "remove-member-from-card": "Eliminar de la tarjeta", + "remove-member-pop": "¿Eliminar __name__ (__username__) de __boardTitle__? El miembro será eliminado de todas las tarjetas de este tablero. En ellas se mostrará una notificación.", + "removeMemberPopup-title": "¿Eliminar miembro?", + "rename": "Renombrar", + "rename-board": "Renombrar el tablero", + "restore": "Restaurar", + "save": "Añadir", + "search": "Buscar", + "search-cards": "Buscar entre los títulos y las descripciones de las tarjetas en este tablero.", + "search-example": "¿Texto a buscar?", + "select-color": "Selecciona un color", + "set-wip-limit-value": "Fija un límite para el número máximo de tareas en esta lista.", + "setWipLimitPopup-title": "Fijar el límite del trabajo en proceso", + "shortcut-assign-self": "Asignarte a ti mismo a la tarjeta actual", + "shortcut-autocomplete-emoji": "Autocompletar emoji", + "shortcut-autocomplete-members": "Autocompletar miembros", + "shortcut-clear-filters": "Limpiar todos los filtros", + "shortcut-close-dialog": "Cerrar el cuadro de diálogo", + "shortcut-filter-my-cards": "Filtrar mis tarjetas", + "shortcut-show-shortcuts": "Mostrar esta lista de atajos", + "shortcut-toggle-filterbar": "Conmutar la barra lateral del filtro", + "shortcut-toggle-sidebar": "Conmutar la barra lateral del tablero", + "show-cards-minimum-count": "Mostrar recuento de tarjetas si la lista contiene más de", + "sidebar-open": "Abrir la barra lateral", + "sidebar-close": "Cerrar la barra lateral", + "signupPopup-title": "Crear una cuenta", + "star-board-title": "Haz clic para destacar este tablero. Se mostrará en la parte superior de tu lista de tableros.", + "starred-boards": "Tableros destacados", + "starred-boards-description": "Los tableros destacados se mostrarán en la parte superior de tu lista de tableros.", + "subscribe": "Suscribirse", + "team": "Equipo", + "this-board": "este tablero", + "this-card": "esta tarjeta", + "spent-time-hours": "Tiempo consumido (horas)", + "overtime-hours": "Tiempo excesivo (horas)", + "overtime": "Tiempo excesivo", + "has-overtime-cards": "Hay tarjetas con el tiempo excedido", + "has-spenttime-cards": "Se ha excedido el tiempo de las tarjetas", + "time": "Hora", + "title": "Título", + "tracking": "Siguiendo", + "tracking-info": "Serás notificado de cualquier cambio en las tarjetas en las que participas como creador o miembro.", + "type": "Tipo", + "unassign-member": "Desvincular al miembro", + "unsaved-description": "Tienes una descripción por añadir.", + "unwatch": "Dejar de vigilar", + "upload": "Cargar", + "upload-avatar": "Cargar un avatar", + "uploaded-avatar": "Avatar cargado", + "username": "Nombre de usuario", + "view-it": "Verla", + "warn-list-archived": "advertencia: esta tarjeta está en una lista en la papelera de reciclaje", + "watch": "Vigilar", + "watching": "Vigilando", + "watching-info": "Serás notificado de cualquier cambio en este tablero", + "welcome-board": "Tablero de bienvenida", + "welcome-swimlane": "Hito 1", + "welcome-list1": "Básicos", + "welcome-list2": "Avanzados", + "what-to-do": "¿Qué deseas hacer?", + "wipLimitErrorPopup-title": "El límite del trabajo en proceso no es válido.", + "wipLimitErrorPopup-dialog-pt1": "El número de tareas en esta lista es mayor que el límite del trabajo en proceso que has definido.", + "wipLimitErrorPopup-dialog-pt2": "Por favor, mueve algunas tareas fuera de esta lista, o fija un límite del trabajo en proceso más alto.", + "admin-panel": "Panel del administrador", + "settings": "Ajustes", + "people": "Personas", + "registration": "Registro", + "disable-self-registration": "Deshabilitar autoregistro", + "invite": "Invitar", + "invite-people": "Invitar a personas", + "to-boards": "A el(los) tablero(s)", + "email-addresses": "Direcciones de correo electrónico", + "smtp-host-description": "Dirección del servidor SMTP para gestionar tus correos", + "smtp-port-description": "Puerto usado por el servidor SMTP para mandar correos", + "smtp-tls-description": "Habilitar el soporte TLS para el servidor SMTP", + "smtp-host": "Servidor SMTP", + "smtp-port": "Puerto SMTP", + "smtp-username": "Nombre de usuario", + "smtp-password": "Contraseña", + "smtp-tls": "Soporte TLS", + "send-from": "Desde", + "send-smtp-test": "Enviarte un correo de prueba a ti mismo", + "invitation-code": "Código de Invitación", + "email-invite-register-subject": "__inviter__ te ha enviado una invitación", + "email-invite-register-text": "Estimado __user__,\n\n__inviter__ te invita a unirte a Wekan para colaborar.\n\nPor favor, haz clic en el siguiente enlace:\n__url__\n\nTu código de invitación es: __icode__\n\nGracias.", + "email-smtp-test-subject": "Prueba de correo SMTP desde Wekan", + "email-smtp-test-text": "El correo se ha enviado correctamente", + "error-invitation-code-not-exist": "El código de invitación no existe", + "error-notAuthorized": "No estás autorizado a ver esta página.", + "outgoing-webhooks": "Webhooks salientes", + "outgoingWebhooksPopup-title": "Webhooks salientes", + "new-outgoing-webhook": "Nuevo webhook saliente", + "no-name": "(Desconocido)", + "Wekan_version": "Versión de Wekan", + "Node_version": "Versión de Node", + "OS_Arch": "Arquitectura del sistema", + "OS_Cpus": "Número de CPUs del sistema", + "OS_Freemem": "Memoria libre del sistema", + "OS_Loadavg": "Carga media del sistema", + "OS_Platform": "Plataforma del sistema", + "OS_Release": "Publicación del sistema", + "OS_Totalmem": "Memoria Total del sistema", + "OS_Type": "Tipo de sistema", + "OS_Uptime": "Tiempo activo del sistema", + "hours": "horas", + "minutes": "minutos", + "seconds": "segundos", + "show-field-on-card": "Mostrar este campo en la tarjeta", + "yes": "Sí", + "no": "No", + "accounts": "Cuentas", + "accounts-allowEmailChange": "Permitir cambiar el correo electrónico", + "accounts-allowUserNameChange": "Permitir el cambio del nombre de usuario", + "createdAt": "Creado en", + "verified": "Verificado", + "active": "Activo", + "card-received": "Recibido", + "card-received-on": "Recibido el", + "card-end": "Finalizado", + "card-end-on": "Finalizado el", + "editCardReceivedDatePopup-title": "Cambiar la fecha de recepción", + "editCardEndDatePopup-title": "Cambiar la fecha de finalización", + "assigned-by": "Asignado por", + "requested-by": "Solicitado por", + "board-delete-notice": "Se eliminarán todas las listas, tarjetas y acciones asociadas a este tablero. Esta acción no puede deshacerse.", + "delete-board-confirm-popup": "Se eliminarán todas las listas, tarjetas, etiquetas y actividades, y no podrás recuperar los contenidos del tablero. Esta acción no puede deshacerse.", + "boardDeletePopup-title": "¿Borrar el tablero?", + "delete-board": "Borrar el tablero" +} \ No newline at end of file diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json new file mode 100644 index 00000000..51de292b --- /dev/null +++ b/i18n/eu.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Onartu", + "act-activity-notify": "[Wekan] Jarduera-jakinarazpena", + "act-addAttachment": "__attachment__ __card__ txartelera erantsita", + "act-addChecklist": "gehituta checklist __checklist__ __card__ -ri", + "act-addChecklistItem": "gehituta __checklistItem__ checklist __checklist__ on __card__ -ri", + "act-addComment": "__card__ txartelean iruzkina: __comment__", + "act-createBoard": "__board__ sortuta", + "act-createCard": "__card__ __list__ zerrrendara gehituta", + "act-createCustomField": "created custom field __customField__", + "act-createList": "__list__ __board__ arbelera gehituta", + "act-addBoardMember": "__member__ __board__ arbelera gehituta", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "__board__ inportatuta", + "act-importCard": "__card__ inportatuta", + "act-importList": "__list__ inportatuta", + "act-joinMember": "__member__ __card__ txartelera gehituta", + "act-moveCard": "__card__ __oldList__ zerrendartik __list__ zerrendara eraman da", + "act-removeBoardMember": "__member__ __board__ arbeletik kendu da", + "act-restoredCard": "__card__ __board__ arbelean berrezarri da", + "act-unjoinMember": "__member__ __card__ txarteletik kendu da", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Ekintzak", + "activities": "Jarduerak", + "activity": "Jarduera", + "activity-added": "%s %s(e)ra gehituta", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "%s %s(e)ra erantsita", + "activity-created": "%s sortuta", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "%s %s(e)tik kanpo utzita", + "activity-imported": "%s inportatuta %s(e)ra %s(e)tik", + "activity-imported-board": "%s inportatuta %s(e)tik", + "activity-joined": "%s(e)ra elkartuta", + "activity-moved": "%s %s(e)tik %s(e)ra eramanda", + "activity-on": "%s", + "activity-removed": "%s %s(e)tik kenduta", + "activity-sent": "%s %s(e)ri bidalita", + "activity-unjoined": "%s utzita", + "activity-checklist-added": "egiaztaketa zerrenda %s(e)ra gehituta", + "activity-checklist-item-added": "egiaztaketa zerrendako elementuak '%s'(e)ra gehituta %s(e)n", + "add": "Gehitu", + "add-attachment": "Gehitu eranskina", + "add-board": "Gehitu arbela", + "add-card": "Gehitu txartela", + "add-swimlane": "Add Swimlane", + "add-checklist": "Gehitu egiaztaketa zerrenda", + "add-checklist-item": "Gehitu elementu bat egiaztaketa zerrendara", + "add-cover": "Gehitu azala", + "add-label": "Gehitu etiketa", + "add-list": "Gehitu zerrenda", + "add-members": "Gehitu kideak", + "added": "Gehituta", + "addMemberPopup-title": "Kideak", + "admin": "Kudeatzailea", + "admin-desc": "Txartelak ikusi eta editatu ditzake, kideak kendu, eta arbelaren ezarpenak aldatu.", + "admin-announcement": "Jakinarazpena", + "admin-announcement-active": "Gaitu Sistema-eremuko Jakinarazpena", + "admin-announcement-title": "Administrariaren jakinarazpena", + "all-boards": "Arbel guztiak", + "and-n-other-card": "Eta beste txartel __count__", + "and-n-other-card_plural": "Eta beste __count__ txartel", + "apply": "Aplikatu", + "app-is-offline": "Wekan kargatzen ari da, itxaron mesedez. Orria freskatzeak datuen galera ekarriko luke. Wekan kargatzen ez bada, egiaztatu Wekan zerbitzaria gelditu ez dela.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Berreskuratu arbela", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Esleitu kidea", + "attached": "erantsita", + "attachment": "Eranskina", + "attachment-delete-pop": "Eranskina ezabatzea behin betikoa da. Ez dago desegiterik.", + "attachmentDeletePopup-title": "Ezabatu eranskina?", + "attachments": "Eranskinak", + "auto-watch": "Automatikoki jarraitu arbelak hauek sortzean", + "avatar-too-big": "Avatarra handiegia da (Gehienez 70Kb)", + "back": "Atzera", + "board-change-color": "Aldatu kolorea", + "board-nb-stars": "%s izar", + "board-not-found": "Ez da arbela aurkitu", + "board-private-info": "Arbel hau pribatua izango da.", + "board-public-info": "Arbel hau publikoa izango da.", + "boardChangeColorPopup-title": "Aldatu arbelaren atzealdea", + "boardChangeTitlePopup-title": "Aldatu izena arbelari", + "boardChangeVisibilityPopup-title": "Aldatu ikusgaitasuna", + "boardChangeWatchPopup-title": "Aldatu ikuskatzea", + "boardMenuPopup-title": "Arbelaren menua", + "boards": "Arbelak", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Zerrendak", + "bucket-example": "Esaterako \"Pertz zerrenda\"", + "cancel": "Utzi", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "Txartel honek iruzkin %s dauka.", + "card-delete-notice": "Ezabaketa behin betiko da. Txartel honi lotutako ekintza guztiak galduko dituzu.", + "card-delete-pop": "Ekintza guztiak ekintza jariotik kenduko dira eta ezin izango duzu txartela berrireki. Ez dago desegiterik.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Epemuga", + "card-due-on": "Epemuga", + "card-spent": "Erabilitako denbora", + "card-edit-attachments": "Editatu eranskinak", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Editatu etiketak", + "card-edit-members": "Editatu kideak", + "card-labels-title": "Aldatu txartelaren etiketak", + "card-members-title": "Gehitu edo kendu arbeleko kideak txarteletik.", + "card-start": "Hasiera", + "card-start-on": "Hasiera", + "cardAttachmentsPopup-title": "Erantsi hemendik", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Ezabatu txartela?", + "cardDetailsActionsPopup-title": "Txartel-ekintzak", + "cardLabelsPopup-title": "Etiketak", + "cardMembersPopup-title": "Kideak", + "cardMorePopup-title": "Gehiago", + "cards": "Txartelak", + "cards-count": "Txartelak", + "change": "Aldatu", + "change-avatar": "Aldatu avatarra", + "change-password": "Aldatu pasahitza", + "change-permissions": "Aldatu baimenak", + "change-settings": "Aldatu ezarpenak", + "changeAvatarPopup-title": "Aldatu avatarra", + "changeLanguagePopup-title": "Aldatu hizkuntza", + "changePasswordPopup-title": "Aldatu pasahitza", + "changePermissionsPopup-title": "Aldatu baimenak", + "changeSettingsPopup-title": "Aldatu ezarpenak", + "checklists": "Egiaztaketa zerrenda", + "click-to-star": "Egin klik arbel honi izarra jartzeko", + "click-to-unstar": "Egin klik arbel honi izarra kentzeko", + "clipboard": "Kopiatu eta itsatsi edo arrastatu eta jaregin", + "close": "Itxi", + "close-board": "Itxi arbela", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "beltza", + "color-blue": "urdina", + "color-green": "berdea", + "color-lime": "lima", + "color-orange": "laranja", + "color-pink": "larrosa", + "color-purple": "purpura", + "color-red": "gorria", + "color-sky": "zerua", + "color-yellow": "horia", + "comment": "Iruzkina", + "comment-placeholder": "Idatzi iruzkin bat", + "comment-only": "Iruzkinak besterik ez", + "comment-only-desc": "Iruzkinak txarteletan soilik egin ditzake", + "computer": "Ordenagailua", + "confirm-checklist-delete-dialog": "Ziur zaude kontrol-zerrenda ezabatu nahi duzula", + "copy-card-link-to-clipboard": "Kopiatu txartela arbelera", + "copyCardPopup-title": "Kopiatu txartela", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Sortu", + "createBoardPopup-title": "Sortu arbela", + "chooseBoardSourcePopup-title": "Inportatu arbela", + "createLabelPopup-title": "Sortu etiketa", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "unekoa", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Data", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Data", + "decline": "Ukatu", + "default-avatar": "Lehenetsitako avatarra", + "delete": "Ezabatu", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Ezabatu etiketa?", + "description": "Deskripzioa", + "disambiguateMultiLabelPopup-title": "Argitu etiketaren ekintza", + "disambiguateMultiMemberPopup-title": "Argitu kidearen ekintza", + "discard": "Baztertu", + "done": "Egina", + "download": "Deskargatu", + "edit": "Editatu", + "edit-avatar": "Aldatu avatarra", + "edit-profile": "Editatu profila", + "edit-wip-limit": "WIP muga editatu", + "soft-wip-limit": "WIP muga malgua", + "editCardStartDatePopup-title": "Aldatu hasiera data", + "editCardDueDatePopup-title": "Aldatu epemuga data", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Aldatu erabilitako denbora", + "editLabelPopup-title": "Aldatu etiketa", + "editNotificationPopup-title": "Editatu jakinarazpena", + "editProfilePopup-title": "Editatu profila", + "email": "e-posta", + "email-enrollAccount-subject": "Kontu bat sortu zaizu __siteName__ gunean", + "email-enrollAccount-text": "Kaixo __user__,\n\nZerbitzua erabiltzen hasteko, egin klik beheko loturan.\n\n__url__\n\nEskerrik asko.", + "email-fail": "E-posta bidalketak huts egin du", + "email-fail-text": "Arazoa mezua bidaltzen saiatzen", + "email-invalid": "Baliogabeko e-posta", + "email-invite": "Gonbidatu e-posta bidez", + "email-invite-subject": "__inviter__ erabiltzaileak gonbidapen bat bidali dizu", + "email-invite-text": "Kaixo __user__,\n\n__inviter__ erabiltzaileak \"__board__\" arbelera elkartzera gonbidatzen zaitu elkar-lanean aritzeko.\n\nJarraitu mesedez lotura hau:\n\n__url__\n\nEskerrik asko.", + "email-resetPassword-subject": "Leheneratu zure __siteName__ guneko pasahitza", + "email-resetPassword-text": "Kaixo __user__,\n\nZure pasahitza berrezartzeko, egin klik beheko loturan.\n\n__url__\n\nEskerrik asko.", + "email-sent": "E-posta bidali da", + "email-verifyEmail-subject": "Egiaztatu __siteName__ guneko zure e-posta helbidea.", + "email-verifyEmail-text": "Kaixo __user__,\n\nZure e-posta kontua egiaztatzeko, egin klik beheko loturan.\n\n__url__\n\nEskerrik asko.", + "enable-wip-limit": "WIP muga gaitu", + "error-board-doesNotExist": "Arbel hau ez da existitzen", + "error-board-notAdmin": "Arbel honetako kudeatzailea izan behar zara hori egin ahal izateko", + "error-board-notAMember": "Arbel honetako kidea izan behar zara hori egin ahal izateko", + "error-json-malformed": "Zure testua ez da baliozko JSON", + "error-json-schema": "Zure JSON datuek ez dute formatu zuzenaren informazio egokia", + "error-list-doesNotExist": "Zerrenda hau ez da existitzen", + "error-user-doesNotExist": "Erabiltzaile hau ez da existitzen", + "error-user-notAllowSelf": "Ezin duzu zure burua gonbidatu", + "error-user-notCreated": "Erabiltzaile hau sortu gabe dago", + "error-username-taken": "Erabiltzaile-izen hori hartuta dago", + "error-email-taken": "E-mail hori hartuta dago", + "export-board": "Esportatu arbela", + "filter": "Iragazi", + "filter-cards": "Iragazi txartelak", + "filter-clear": "Garbitu iragazkia", + "filter-no-label": "Etiketarik ez", + "filter-no-member": "Kiderik ez", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Iragazkia gaituta dago", + "filter-on-desc": "Arbel honetako txartela iragazten ari zara. Egin klik hemen iragazkia editatzeko.", + "filter-to-selection": "Iragazketa aukerara", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Izen abizenak", + "header-logo-title": "Itzuli zure arbelen orrira.", + "hide-system-messages": "Ezkutatu sistemako mezuak", + "headerBarCreateBoardPopup-title": "Sortu arbela", + "home": "Hasiera", + "import": "Inportatu", + "import-board": "inportatu arbela", + "import-board-c": "Inportatu arbela", + "import-board-title-trello": "Inportatu arbela Trellotik", + "import-board-title-wekan": "Inportatu arbela Wekanetik", + "import-sandstorm-warning": "Inportatutako arbelak oraingo arbeleko informazio guztia ezabatuko du eta inportatutako arbeleko informazioarekin ordeztu.", + "from-trello": "Trellotik", + "from-wekan": "Wekanetik", + "import-board-instruction-trello": "Zure Trello arbelean, aukeratu 'Menu\", 'More', 'Print and Export', 'Export JSON', eta kopiatu jasotako testua hemen.", + "import-board-instruction-wekan": "Zure Wekan arbelean, aukeratu 'Menua' - 'Esportatu arbela', eta kopiatu testua deskargatutako fitxategian.", + "import-json-placeholder": "Isatsi baliozko JSON datuak hemen", + "import-map-members": "Kideen mapa", + "import-members-map": "Inportatu duzun arbela kide batzuk ditu, mesedez lotu inportatu nahi dituzun kideak Wekan erabiltzaileekin", + "import-show-user-mapping": "Berrikusi kideen mapa", + "import-user-select": "Hautatu kide hau bezala erabili nahi duzun Wekan erabiltzailea", + "importMapMembersAddPopup-title": "Aukeratu Wekan kidea", + "info": "Bertsioa", + "initials": "Inizialak", + "invalid-date": "Baliogabeko data", + "invalid-time": "Baliogabeko denbora", + "invalid-user": "Baliogabeko erabiltzailea", + "joined": "elkartu da", + "just-invited": "Arbel honetara gonbidatu berri zaituzte", + "keyboard-shortcuts": "Teklatu laster-bideak", + "label-create": "Sortu etiketa", + "label-default": "%s etiketa (lehenetsia)", + "label-delete-pop": "Ez dago desegiterik. Honek etiketa hau kenduko du txartel guztietatik eta bere historiala suntsitu.", + "labels": "Etiketak", + "language": "Hizkuntza", + "last-admin-desc": "Ezin duzu rola aldatu gutxienez kudeatzaile bat behar delako.", + "leave-board": "Utzi arbela", + "leave-board-pop": "Ziur zaude __boardTitle__ utzi nahi duzula? Arbel honetako txartel guztietatik ezabatua izango zara.", + "leaveBoardPopup-title": "Arbela utzi?", + "link-card": "Lotura txartel honetara", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Lekuz aldatu zerrendako txartel guztiak", + "list-select-cards": "Aukeratu zerrenda honetako txartel guztiak", + "listActionPopup-title": "Zerrendaren ekintzak", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Inportatu Trello txartel bat", + "listMorePopup-title": "Gehiago", + "link-list": "Lotura zerrenda honetara", + "list-delete-pop": "Ekintza guztiak ekintza jariotik kenduko dira eta ezin izango duzu zerrenda berreskuratu. Ez dago desegiterik.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Zerrendak", + "swimlanes": "Swimlanes", + "log-out": "Itxi saioa", + "log-in": "Hasi saioa", + "loginPopup-title": "Hasi saioa", + "memberMenuPopup-title": "Kidearen ezarpenak", + "members": "Kideak", + "menu": "Menua", + "move-selection": "Lekuz aldatu hautaketa", + "moveCardPopup-title": "Lekuz aldatu txartela", + "moveCardToBottom-title": "Eraman behera", + "moveCardToTop-title": "Eraman gora", + "moveSelectionPopup-title": "Lekuz aldatu hautaketa", + "multi-selection": "Hautaketa anitza", + "multi-selection-on": "Hautaketa anitza gaituta dago", + "muted": "Mututua", + "muted-info": "Ez zaizkizu jakinaraziko arbel honi egindako aldaketak", + "my-boards": "Nire arbelak", + "name": "Izena", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Emaitzarik ez", + "normal": "Arrunta", + "normal-desc": "Txartelak ikusi eta editatu ditzake. Ezin ditu ezarpenak aldatu.", + "not-accepted-yet": "Gonbidapena ez da oraindik onartu", + "notify-participate": "Jaso sortzaile edo kide zaren txartelen jakinarazpenak", + "notify-watch": "Jaso ikuskatzen dituzun arbel, zerrenda edo txartelen jakinarazpenak", + "optional": "aukerazkoa", + "or": "edo", + "page-maybe-private": "Orri hau pribatua izan daiteke. Agian saioa hasi eta gero ikusi ahal izango duzu.", + "page-not-found": "Ez da orria aurkitu.", + "password": "Pasahitza", + "paste-or-dragdrop": "itsasteko, edo irudi fitxategia arrastatu eta jaregiteko (irudia besterik ez)", + "participating": "Parte-hartzen", + "preview": "Aurreikusi", + "previewAttachedImagePopup-title": "Aurreikusi", + "previewClipboardImagePopup-title": "Aurreikusi", + "private": "Pribatua", + "private-desc": "Arbel hau pribatua da. Arbelera gehitutako jendeak besterik ezin du ikusi eta editatu.", + "profile": "Profila", + "public": "Publikoa", + "public-desc": "Arbel hau publikoa da lotura duen edonorentzat ikusgai dago eta Google bezalako bilatzaileetan agertuko da. Arbelera gehitutako kideek besterik ezin dute editatu.", + "quick-access-description": "Jarri izarra arbel bati barra honetan lasterbide bat sortzeko", + "remove-cover": "Kendu azala", + "remove-from-board": "Kendu arbeletik", + "remove-label": "Kendu etiketa", + "listDeletePopup-title": "Ezabatu zerrenda?", + "remove-member": "Kendu kidea", + "remove-member-from-card": "Kendu txarteletik", + "remove-member-pop": "Kendu __name__ (__username__) __boardTitle__ arbeletik? Kidea arbel honetako txartel guztietatik kenduko da. Jakinarazpenak bidaliko dira.", + "removeMemberPopup-title": "Kendu kidea?", + "rename": "Aldatu izena", + "rename-board": "Aldatu izena arbelari", + "restore": "Berrezarri", + "save": "Gorde", + "search": "Bilatu", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Aukeratu kolorea", + "set-wip-limit-value": "Zerrenda honetako atazen muga maximoa ezarri", + "setWipLimitPopup-title": "WIP muga ezarri", + "shortcut-assign-self": "Esleitu zure burua txartel honetara", + "shortcut-autocomplete-emoji": "Automatikoki osatu emojia", + "shortcut-autocomplete-members": "Automatikoki osatu kideak", + "shortcut-clear-filters": "Garbitu iragazki guztiak", + "shortcut-close-dialog": "Itxi elkarrizketa-koadroa", + "shortcut-filter-my-cards": "Iragazi nire txartelak", + "shortcut-show-shortcuts": "Erakutsi lasterbideen zerrenda hau", + "shortcut-toggle-filterbar": "Txandakatu iragazkiaren albo-barra", + "shortcut-toggle-sidebar": "Txandakatu arbelaren albo-barra", + "show-cards-minimum-count": "Erakutsi txartel kopurua hau baino handiagoa denean:", + "sidebar-open": "Ireki albo-barra", + "sidebar-close": "Itxi albo-barra", + "signupPopup-title": "Sortu kontu bat", + "star-board-title": "Egin klik arbel honi izarra jartzeko, zure arbelen zerrendaren goialdean agertuko da", + "starred-boards": "Izardun arbelak", + "starred-boards-description": "Izardun arbelak zure arbelen zerrendaren goialdean agertuko dira", + "subscribe": "Harpidetu", + "team": "Taldea", + "this-board": "arbel hau", + "this-card": "txartel hau", + "spent-time-hours": "Erabilitako denbora (orduak)", + "overtime-hours": "Luzapena (orduak)", + "overtime": "Luzapena", + "has-overtime-cards": "Luzapen txartelak ditu", + "has-spenttime-cards": "Erabilitako denbora txartelak ditu", + "time": "Ordua", + "title": "Izenburua", + "tracking": "Jarraitzen", + "tracking-info": "Sortzaile edo kide gisa parte-hartzen duzun txartelei egindako aldaketak jakinaraziko zaizkizu.", + "type": "Type", + "unassign-member": "Kendu kidea", + "unsaved-description": "Gorde gabeko deskripzio bat duzu", + "unwatch": "Utzi ikuskatzeari", + "upload": "Igo", + "upload-avatar": "Igo avatar bat", + "uploaded-avatar": "Avatar bat igo da", + "username": "Erabiltzaile-izena", + "view-it": "Ikusi", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Ikuskatu", + "watching": "Ikuskatzen", + "watching-info": "Arbel honi egindako aldaketak jakinaraziko zaizkizu", + "welcome-board": "Ongi etorri arbela", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Oinarrizkoa", + "welcome-list2": "Aurreratua", + "what-to-do": "Zer egin nahi duzu?", + "wipLimitErrorPopup-title": "Baliogabeko WIP muga", + "wipLimitErrorPopup-dialog-pt1": "Zerrenda honetako atazen muga, WIP-en ezarritakoa baina handiagoa da", + "wipLimitErrorPopup-dialog-pt2": "Mugitu zenbait ataza zerrenda honetatik, edo WIP muga handiagoa ezarri.", + "admin-panel": "Kudeaketa panela", + "settings": "Ezarpenak", + "people": "Jendea", + "registration": "Izen-ematea", + "disable-self-registration": "Desgaitu nork bere burua erregistratzea", + "invite": "Gonbidatu", + "invite-people": "Gonbidatu jendea", + "to-boards": "Arbele(ta)ra", + "email-addresses": "E-posta helbideak", + "smtp-host-description": "Zure e-posta mezuez arduratzen den SMTP zerbitzariaren helbidea", + "smtp-port-description": "Zure SMTP zerbitzariak bidalitako e-posta mezuentzat erabiltzen duen kaia.", + "smtp-tls-description": "Gaitu TLS euskarria SMTP zerbitzariarentzat", + "smtp-host": "SMTP ostalaria", + "smtp-port": "SMTP kaia", + "smtp-username": "Erabiltzaile-izena", + "smtp-password": "Pasahitza", + "smtp-tls": "TLS euskarria", + "send-from": "Nork", + "send-smtp-test": "Bidali posta elektroniko mezu bat zure buruari", + "invitation-code": "Gonbidapen kodea", + "email-invite-register-subject": "__inviter__ erabiltzaileak gonbidapen bat bidali dizu", + "email-invite-register-text": "Kaixo __user__,\n\n__inviter__ erabiltzaileak Wekanera gonbidatu zaitu elkar-lanean aritzeko.\n\nJarraitu mesedez lotura hau:\n__url__\n\nZure gonbidapen kodea hau da: __icode__\n\nEskerrik asko.", + "email-smtp-test-subject": "Wekan-etik bidalitako test-mezua", + "email-smtp-test-text": "Arrakastaz bidali duzu posta elektroniko mezua", + "error-invitation-code-not-exist": "Gonbidapen kodea ez da existitzen", + "error-notAuthorized": "Ez duzu orri hau ikusteko baimenik.", + "outgoing-webhooks": "Irteerako Webhook-ak", + "outgoingWebhooksPopup-title": "Irteerako Webhook-ak", + "new-outgoing-webhook": "Irteera-webhook berria", + "no-name": "(Ezezaguna)", + "Wekan_version": "Wekan bertsioa", + "Node_version": "Nodo bertsioa", + "OS_Arch": "SE Arkitektura", + "OS_Cpus": "SE PUZ kopurua", + "OS_Freemem": "SE Memoria librea", + "OS_Loadavg": "SE batez besteko karga", + "OS_Platform": "SE plataforma", + "OS_Release": "SE kaleratzea", + "OS_Totalmem": "SE memoria guztira", + "OS_Type": "SE mota", + "OS_Uptime": "SE denbora abiatuta", + "hours": "ordu", + "minutes": "minutu", + "seconds": "segundo", + "show-field-on-card": "Show this field on card", + "yes": "Bai", + "no": "Ez", + "accounts": "Kontuak", + "accounts-allowEmailChange": "Baimendu e-mail aldaketa", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Noiz sortua", + "verified": "Egiaztatuta", + "active": "Gaituta", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json new file mode 100644 index 00000000..69cb80d2 --- /dev/null +++ b/i18n/fa.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "پذیرش", + "act-activity-notify": "[wekan] اطلاع فعالیت", + "act-addAttachment": "پیوست __attachment__ به __card__", + "act-addChecklist": "سیاهه __checklist__ به __card__ افزوده شد", + "act-addChecklistItem": "__checklistItem__ به سیاهه __checklist__ در __card__ افزوده شد", + "act-addComment": "درج نظر برای __card__: __comment__", + "act-createBoard": "__board__ ایجاد شد", + "act-createCard": "__card__ به __list__ اضافه شد", + "act-createCustomField": "فیلد __customField__ ایجاد شد", + "act-createList": "__list__ به __board__ اضافه شد", + "act-addBoardMember": "__member__ به __board__ اضافه شد", + "act-archivedBoard": "__board__ به سطل زباله ریخته شد", + "act-archivedCard": "__card__ به سطل زباله منتقل شد", + "act-archivedList": "__list__ به سطل زباله منتقل شد", + "act-archivedSwimlane": "__swimlane__ به سطل زباله منتقل شد", + "act-importBoard": "__board__ وارد شده", + "act-importCard": "__card__ وارد شده", + "act-importList": "__list__ وارد شده", + "act-joinMember": "__member__ به __card__اضافه شد", + "act-moveCard": "انتقال __card__ از __oldList__ به __list__", + "act-removeBoardMember": "__member__ از __board__ پاک شد", + "act-restoredCard": "__card__ به __board__ بازآوری شد", + "act-unjoinMember": "__member__ از __card__ پاک شد", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "اعمال", + "activities": "فعالیت ها", + "activity": "فعالیت", + "activity-added": "%s به %s اضافه شد", + "activity-archived": "%s به سطل زباله منتقل شد", + "activity-attached": "%s به %s پیوست شد", + "activity-created": "%s ایجاد شد", + "activity-customfield-created": "%s فیلدشخصی ایجاد شد", + "activity-excluded": "%s از %s مستثنی گردید", + "activity-imported": "%s از %s وارد %s شد", + "activity-imported-board": "%s از %s وارد شد", + "activity-joined": "اتصال به %s", + "activity-moved": "%s از %s به %s منتقل شد", + "activity-on": "%s", + "activity-removed": "%s از %s حذف شد", + "activity-sent": "ارسال %s به %s", + "activity-unjoined": "قطع اتصال %s", + "activity-checklist-added": "سیاهه به %s اضافه شد", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "افزودن", + "add-attachment": "افزودن ضمیمه", + "add-board": "افزودن برد", + "add-card": "افزودن کارت", + "add-swimlane": "Add Swimlane", + "add-checklist": "افزودن چک لیست", + "add-checklist-item": "افزودن مورد به سیاهه", + "add-cover": "جلد کردن", + "add-label": "افزودن لیبل", + "add-list": "افزودن لیست", + "add-members": "افزودن اعضا", + "added": "اضافه گردید", + "addMemberPopup-title": "اعضا", + "admin": "مدیر", + "admin-desc": "امکان دیدن و ویرایش کارتها،پاک کردن کاربران و تغییر تنظیمات برای تخته", + "admin-announcement": "اعلان", + "admin-announcement-active": "اعلان سراسری فعال", + "admin-announcement-title": "اعلان از سوی مدیر", + "all-boards": "تمام تخته‌ها", + "and-n-other-card": "و __count__ کارت دیگر", + "and-n-other-card_plural": "و __count__ کارت دیگر", + "apply": "اعمال", + "app-is-offline": "Wekan در حال بارگذاری است. لطفا صبر کنید. نوسازی صفحه، منجر به از دست رفتن داده‌ها می‌شود. اگر Wekan بارگذاری نشد، لطفا بررسی کنید که سرور Wekan متوقف نشده باشد.", + "archive": "ریختن به سطل زباله", + "archive-all": "ریختن همه به سطل زباله", + "archive-board": "ریختن تخته به سطل زباله", + "archive-card": "ریختن کارت به سطل زباله", + "archive-list": "ریختن لیست به سطل زباله", + "archive-swimlane": "ریختن مسیرشنا به سطل زباله", + "archive-selection": "انتخاب شده ها را به سطل زباله بریز", + "archiveBoardPopup-title": "آیا تخته به سطل زباله ریخته شود؟", + "archived-items": "سطل زباله", + "archived-boards": "تخته هایی که به زباله ریخته شده است", + "restore-board": "بازیابی تخته", + "no-archived-boards": "هیچ تخته ای در سطل زباله وجود ندارد", + "archives": "سطل زباله", + "assign-member": "تعیین عضو", + "attached": "ضمیمه شده", + "attachment": "ضمیمه", + "attachment-delete-pop": "حذف پیوست دایمی و بی بازگشت خواهد بود.", + "attachmentDeletePopup-title": "آیا می خواهید ضمیمه را حذف کنید؟", + "attachments": "ضمائم", + "auto-watch": "اضافه شدن خودکار دیده بانی تخته زمانی که ایجاد می شوند", + "avatar-too-big": "تصویر کاربر بسیار بزرگ است ـ حداکثر۷۰ کیلوبایت ـ", + "back": "بازگشت", + "board-change-color": "تغییر رنگ", + "board-nb-stars": "%s ستاره", + "board-not-found": "تخته مورد نظر پیدا نشد", + "board-private-info": "این تخته خصوصی خواهد بود.", + "board-public-info": "این تخته عمومی خواهد بود.", + "boardChangeColorPopup-title": "تغییر پس زمینه تخته", + "boardChangeTitlePopup-title": "تغییر نام تخته", + "boardChangeVisibilityPopup-title": "تغییر وضعیت نمایش", + "boardChangeWatchPopup-title": "تغییر دیده بانی", + "boardMenuPopup-title": "منوی تخته", + "boards": "تخته‌ها", + "board-view": "نمایش تخته", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "فهرست‌ها", + "bucket-example": "برای مثال چیزی شبیه \"لیست سبدها\"", + "cancel": "انصراف", + "card-archived": "این کارت به سطل زباله ریخته شده است", + "card-comments-title": "این کارت دارای %s نظر است.", + "card-delete-notice": "حذف دائمی. تمامی موارد مرتبط با این کارت از بین خواهند رفت.", + "card-delete-pop": "همه اقدامات از این پردازه (خوراک) حذف خواهد شد و امکان بازگرداندن کارت وجود نخواهد داشت.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "ناشی از", + "card-due-on": "مقتضی بر", + "card-spent": "زمان صرف شده", + "card-edit-attachments": "ویرایش ضمائم", + "card-edit-custom-fields": "ویرایش فیلدهای شخصی", + "card-edit-labels": "ویرایش برچسب", + "card-edit-members": "ویرایش اعضا", + "card-labels-title": "تغییر برچسب کارت", + "card-members-title": "افزودن یا حذف اعضا از کارت.", + "card-start": "شروع", + "card-start-on": "شروع از", + "cardAttachmentsPopup-title": "ضمیمه از", + "cardCustomField-datePopup-title": "تغییر تاریخ", + "cardCustomFieldsPopup-title": "ویرایش فیلدهای شخصی", + "cardDeletePopup-title": "آیا می خواهید کارت را حذف کنید؟", + "cardDetailsActionsPopup-title": "اعمال کارت", + "cardLabelsPopup-title": "برچسب ها", + "cardMembersPopup-title": "اعضا", + "cardMorePopup-title": "بیشتر", + "cards": "کارت‌ها", + "cards-count": "کارت‌ها", + "change": "تغییر", + "change-avatar": "تغییر تصویر", + "change-password": "تغییر کلمه عبور", + "change-permissions": "تغییر دسترسی‌ها", + "change-settings": "تغییر تنظیمات", + "changeAvatarPopup-title": "تغییر تصویر", + "changeLanguagePopup-title": "تغییر زبان", + "changePasswordPopup-title": "تغییر کلمه عبور", + "changePermissionsPopup-title": "تغییر دسترسی‌ها", + "changeSettingsPopup-title": "تغییر تنظیمات", + "checklists": "سیاهه‌ها", + "click-to-star": "با کلیک کردن ستاره بدهید", + "click-to-unstar": "با کلیک کردن ستاره را کم کنید", + "clipboard": "ذخیره در حافظه ویا بردار-رهاکن", + "close": "بستن", + "close-board": "بستن برد", + "close-board-pop": "شما با کلیک روی دکمه \"سطل زباله\" در قسمت خانه می توانید تخته را بازیابی کنید.", + "color-black": "مشکی", + "color-blue": "آبی", + "color-green": "سبز", + "color-lime": "لیمویی", + "color-orange": "نارنجی", + "color-pink": "صورتی", + "color-purple": "بنفش", + "color-red": "قرمز", + "color-sky": "آبی آسمانی", + "color-yellow": "زرد", + "comment": "نظر", + "comment-placeholder": "درج نظر", + "comment-only": "فقط نظر", + "comment-only-desc": "فقط می‌تواند روی کارت‌ها نظر دهد.", + "computer": "رایانه", + "confirm-checklist-delete-dialog": "مطمئنید که می‌خواهید سیاهه را حذف کنید؟", + "copy-card-link-to-clipboard": "درج پیوند کارت در حافظه", + "copyCardPopup-title": "کپی کارت", + "copyChecklistToManyCardsPopup-title": "کپی قالب کارت به کارت‌های متعدد", + "copyChecklistToManyCardsPopup-instructions": "عنوان و توضیحات کارت مقصد در این قالب JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "ایجاد", + "createBoardPopup-title": "ایجاد تخته", + "chooseBoardSourcePopup-title": "بارگذاری تخته", + "createLabelPopup-title": "ایجاد برچسب", + "createCustomField": "ایجاد فیلد", + "createCustomFieldPopup-title": "ایجاد فیلد", + "current": "جاری", + "custom-field-delete-pop": "این اقدام فیلدشخصی را بهمراه تمامی تاریخچه آن از کارت ها پاک می کند و برگشت پذیر نمی باشد", + "custom-field-checkbox": "جعبه انتخابی", + "custom-field-date": "تاریخ", + "custom-field-dropdown": "لیست افتادنی", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "لیست امکانات", + "custom-field-dropdown-options-placeholder": "کلید Enter را جهت افزودن امکانات بیشتر فشار دهید", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "عدد", + "custom-field-text": "متن", + "custom-fields": "فیلدهای شخصی", + "date": "تاریخ", + "decline": "رد", + "default-avatar": "تصویر پیش فرض", + "delete": "حذف", + "deleteCustomFieldPopup-title": "آیا فیلدشخصی پاک شود؟", + "deleteLabelPopup-title": "آیا می خواهید برچسب را حذف کنید؟", + "description": "توضیحات", + "disambiguateMultiLabelPopup-title": "عمل ابهام زدایی از برچسب", + "disambiguateMultiMemberPopup-title": "عمل ابهام زدایی از کاربر", + "discard": "لغو", + "done": "انجام شده", + "download": "دریافت", + "edit": "ویرایش", + "edit-avatar": "تغییر تصویر", + "edit-profile": "ویرایش پروفایل", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "تغییر تاریخ آغاز", + "editCardDueDatePopup-title": "تغییر تاریخ بدلیل", + "editCustomFieldPopup-title": "ویرایش فیلد", + "editCardSpentTimePopup-title": "تغییر زمان صرف شده", + "editLabelPopup-title": "تغیر برچسب", + "editNotificationPopup-title": "اصلاح اعلان", + "editProfilePopup-title": "ویرایش پروفایل", + "email": "پست الکترونیک", + "email-enrollAccount-subject": "یک حساب کاربری برای شما در __siteName__ ایجاد شد", + "email-enrollAccount-text": "سلام __user__ \nبرای شروع به استفاده از این سرویس برروی آدرس زیر کلیک کنید.\n__url__\nبا تشکر.", + "email-fail": "عدم موفقیت در فرستادن رایانامه", + "email-fail-text": "خطا در تلاش برای فرستادن رایانامه", + "email-invalid": "رایانامه نادرست", + "email-invite": "دعوت از طریق رایانامه", + "email-invite-subject": "__inviter__ برای شما دعوت نامه ارسال کرده است", + "email-invite-text": "__User__ عزیز\n __inviter__ شما را به عضویت تخته \"__board__\" برای همکاری دعوت کرده است.\nلطفا لینک زیر را دنبال کنید، باتشکر:\n__url__", + "email-resetPassword-subject": "تنظیم مجدد کلمه عبور در __siteName__", + "email-resetPassword-text": "سلام __user__\nجهت تنظیم مجدد کلمه عبور آدرس زیر را دنبال نمایید، باتشکر:\n__url__", + "email-sent": "نامه الکترونیکی فرستاده شد", + "email-verifyEmail-subject": "تایید آدرس الکترونیکی شما در __siteName__", + "email-verifyEmail-text": "سلام __user__\nبه منظور تایید آدرس الکترونیکی حساب خود، آدرس زیر را دنبال نمایید، باتشکر:\n__url__.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "تخته مورد نظر وجود ندارد", + "error-board-notAdmin": "شما جهت انجام آن باید مدیر تخته باشید", + "error-board-notAMember": "شما انجام آن ،اید عضو این تخته باشید.", + "error-json-malformed": "متن درغالب صحیح Json نمی باشد.", + "error-json-schema": "داده های Json شما، شامل اطلاعات صحیح در غالب درستی نمی باشد.", + "error-list-doesNotExist": "این لیست موجود نیست", + "error-user-doesNotExist": "این کاربر وجود ندارد", + "error-user-notAllowSelf": "عدم امکان دعوت خود", + "error-user-notCreated": "این کاربر ایجاد نشده است", + "error-username-taken": "این نام کاربری استفاده شده است", + "error-email-taken": "رایانامه توسط گیرنده دریافت شده است", + "export-board": "انتقال به بیرون تخته", + "filter": "صافی ـFilterـ", + "filter-cards": "صافی ـFilterـ کارت‌ها", + "filter-clear": "حذف صافی ـFilterـ", + "filter-no-label": "بدون برچسب", + "filter-no-member": "بدون عضو", + "filter-no-custom-fields": "هیچ فیلدشخصی ای وجود ندارد", + "filter-on": "صافی ـFilterـ فعال است", + "filter-on-desc": "شما صافی ـFilterـ برای کارتهای تخته را روشن کرده اید. جهت ویرایش کلیک نمایید.", + "filter-to-selection": "صافی ـFilterـ برای موارد انتخابی", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "نام و نام خانوادگی", + "header-logo-title": "بازگشت به صفحه تخته.", + "hide-system-messages": "عدم نمایش پیامهای سیستمی", + "headerBarCreateBoardPopup-title": "ایجاد تخته", + "home": "خانه", + "import": "وارد کردن", + "import-board": "وارد کردن تخته", + "import-board-c": "وارد کردن تخته", + "import-board-title-trello": "وارد کردن تخته از Trello", + "import-board-title-wekan": "وارد کردن تخته از Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "از Trello", + "from-wekan": "از Wekan", + "import-board-instruction-trello": "در Trello-ی خود به 'Menu'، 'More'، 'Print'، 'Export to JSON رفته و متن نهایی را دراینجا وارد نمایید.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "اطلاعات Json معتبر خود را اینجا وارد کنید.", + "import-map-members": "نگاشت اعضا", + "import-members-map": "تعدادی عضو در تخته وارد شده می باشد. لطفا کاربرانی که باید وارد نرم افزار بشوند را مشخص کنید.", + "import-show-user-mapping": "بررسی نقشه کاربران", + "import-user-select": "کاربری از نرم افزار را که می خواهید بعنوان این عضو جایگزین شود را انتخاب کنید.", + "importMapMembersAddPopup-title": "انتخاب کاربر Wekan", + "info": "نسخه", + "initials": "تخصیصات اولیه", + "invalid-date": "تاریخ نامعتبر", + "invalid-time": "زمان نامعتبر", + "invalid-user": "کاربر نامعتیر", + "joined": "متصل", + "just-invited": "هم اکنون، شما به این تخته دعوت شده اید.", + "keyboard-shortcuts": "میانبر کلیدها", + "label-create": "ایجاد برچسب", + "label-default": "%s برچسب(پیش فرض)", + "label-delete-pop": "این اقدام، برچسب را از همه کارت‌ها پاک خواهد کرد و تاریخچه آن را نیز از بین می‌برد.", + "labels": "برچسب ها", + "language": "زبان", + "last-admin-desc": "شما نمی توانید نقش ـroleـ را تغییر دهید چراکه باید حداقل یک مدیری وجود داشته باشد.", + "leave-board": "خروج از تخته", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "ارجاع به این کارت", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "انتقال تمام کارت های این لیست", + "list-select-cards": "انتخاب تمام کارت های این لیست", + "listActionPopup-title": "لیست اقدامات", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "وارد کردن کارت Trello", + "listMorePopup-title": "بیشتر", + "link-list": "پیوند به این فهرست", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "لیست ها", + "swimlanes": "Swimlanes", + "log-out": "خروج", + "log-in": "ورود", + "loginPopup-title": "ورود", + "memberMenuPopup-title": "تنظیمات اعضا", + "members": "اعضا", + "menu": "منو", + "move-selection": "حرکت مورد انتخابی", + "moveCardPopup-title": "حرکت کارت", + "moveCardToBottom-title": "انتقال به پایین", + "moveCardToTop-title": "انتقال به بالا", + "moveSelectionPopup-title": "حرکت مورد انتخابی", + "multi-selection": "امکان چند انتخابی", + "multi-selection-on": "حالت چند انتخابی روشن است", + "muted": "بی صدا", + "muted-info": "شما هیچگاه از تغییرات این تخته مطلع نخواهید شد", + "my-boards": "تخته‌های من", + "name": "نام", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "بدون نتیجه", + "normal": "عادی", + "normal-desc": "امکان نمایش و تنظیم کارت بدون امکان تغییر تنظیمات", + "not-accepted-yet": "دعوت نامه هنوز پذیرفته نشده است", + "notify-participate": "اطلاع رسانی از هرگونه تغییر در کارتهایی که ایجاد کرده اید ویا عضو آن هستید", + "notify-watch": "اطلاع رسانی از هرگونه تغییر در تخته، لیست یا کارتهایی که از آنها دیده بانی میکنید", + "optional": "انتخابی", + "or": "یا", + "page-maybe-private": "این صفحه ممکن است خصوصی باشد. شما باورود می‌توانید آن را ببینید.", + "page-not-found": "صفحه پیدا نشد.", + "password": "کلمه عبور", + "paste-or-dragdrop": "جهت چسباندن، یا برداشتن-رهاسازی فایل تصویر به آن (تصویر)", + "participating": "شرکت کنندگان", + "preview": "پیش‌نمایش", + "previewAttachedImagePopup-title": "پیش‌نمایش", + "previewClipboardImagePopup-title": "پیش‌نمایش", + "private": "خصوصی", + "private-desc": "این تخته خصوصی است. فقط تنها افراد اضافه شده به آن می توانند مشاهده و ویرایش کنند.", + "profile": "حساب کاربری", + "public": "عمومی", + "public-desc": "این تخته عمومی است. برای هر کسی با آدرس ویا جستجو درموتورها مانند گوگل قابل مشاهده است . فقط افرادی که به آن اضافه شده اند امکان ویرایش دارند.", + "quick-access-description": "جهت افزودن یک تخته به اینجا،آنرا ستاره دار نمایید.", + "remove-cover": "حذف کاور", + "remove-from-board": "حذف از تخته", + "remove-label": "حذف برچسب", + "listDeletePopup-title": "حذف فهرست؟", + "remove-member": "حذف عضو", + "remove-member-from-card": "حذف از کارت", + "remove-member-pop": "آیا __name__ (__username__) را از __boardTitle__ حذف می کنید? کاربر از تمام کارت ها در این تخته حذف خواهد شد و آنها ازین اقدام مطلع خواهند شد.", + "removeMemberPopup-title": "آیا می خواهید کاربر را حذف کنید؟", + "rename": "تغیر نام", + "rename-board": "تغییر نام تخته", + "restore": "بازیابی", + "save": "ذخیره", + "search": "جستجو", + "search-cards": "جستجو در میان عناوین و توضیحات در این تخته", + "search-example": "متن مورد جستجو؟", + "select-color": "انتخاب رنگ", + "set-wip-limit-value": "تعیین بیشینه تعداد وظایف در این فهرست", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "اختصاص خود به کارت فعلی", + "shortcut-autocomplete-emoji": "تکمیل خودکار شکلکها", + "shortcut-autocomplete-members": "تکمیل خودکار کاربرها", + "shortcut-clear-filters": "حذف تمامی صافی ـfilterـ", + "shortcut-close-dialog": "بستن محاوره", + "shortcut-filter-my-cards": "کارت های من", + "shortcut-show-shortcuts": "بالا آوردن میانبر این لیست", + "shortcut-toggle-filterbar": "ضامن نوار جداکننده صافی ـfilterـ", + "shortcut-toggle-sidebar": "ضامن نوار جداکننده تخته", + "show-cards-minimum-count": "نمایش تعداد کارتها اگر لیست شامل بیشتراز", + "sidebar-open": "بازکردن جداکننده", + "sidebar-close": "بستن جداکننده", + "signupPopup-title": "ایجاد یک کاربر", + "star-board-title": "برای ستاره دادن، کلیک کنید.این در بالای لیست تخته های شما نمایش داده خواهد شد.", + "starred-boards": "تخته های ستاره دار", + "starred-boards-description": "تخته های ستاره دار در بالای لیست تخته ها نمایش داده می شود.", + "subscribe": "عضوشدن", + "team": "تیم", + "this-board": "این تخته", + "this-card": "این کارت", + "spent-time-hours": "زمان صرف شده (ساعت)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "زمان", + "title": "عنوان", + "tracking": "پیگردی", + "tracking-info": "شما از هرگونه تغییر در کارتهایی که بعنوان ایجاد کننده ویا عضو آن هستید، آگاه خواهید شد", + "type": "Type", + "unassign-member": "عدم انتصاب کاربر", + "unsaved-description": "شما توضیحات ذخیره نشده دارید.", + "unwatch": "عدم دیده بانی", + "upload": "ارسال", + "upload-avatar": "ارسال تصویر", + "uploaded-avatar": "تصویر ارسال شد", + "username": "نام کاربری", + "view-it": "مشاهده", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "دیده بانی", + "watching": "درحال دیده بانی", + "watching-info": "شما از هر تغییری دراین تخته آگاه خواهید شد", + "welcome-board": "به این تخته خوش آمدید", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "پایه ای ها", + "welcome-list2": "پیشرفته", + "what-to-do": "چه کاری می خواهید انجام دهید؟", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "پیشخوان مدیریتی", + "settings": "تنظمات", + "people": "افراد", + "registration": "ثبت نام", + "disable-self-registration": "‌غیرفعال‌سازی خودثبت‌نامی", + "invite": "دعوت", + "invite-people": "دعوت از افراد", + "to-boards": "به تخته(ها)", + "email-addresses": "نشانی رایانامه", + "smtp-host-description": "آدرس سرور SMTP ای که پست الکترونیکی شما برروی آن است", + "smtp-port-description": "شماره درگاه ـPortـ ای که سرور SMTP شما جهت ارسال از آن استفاده می کند", + "smtp-tls-description": "پشتیبانی از TLS برای سرور SMTP", + "smtp-host": "آدرس سرور SMTP", + "smtp-port": "شماره درگاه ـPortـ سرور SMTP", + "smtp-username": "نام کاربری", + "smtp-password": "کلمه عبور", + "smtp-tls": "پشتیبانی از SMTP", + "send-from": "از", + "send-smtp-test": "فرستادن رایانامه آزمایشی به خود", + "invitation-code": "کد دعوت نامه", + "email-invite-register-subject": "__inviter__ برای شما دعوت نامه ارسال کرده است", + "email-invite-register-text": "__User__ عزیز \nکاربر __inviter__ شما را به عضویت در Wekan برای همکاری دعوت کرده است.\nلطفا لینک زیر را دنبال کنید،\n __url__\nکد دعوت شما __icode__ می باشد.\n باتشکر", + "email-smtp-test-subject": "رایانامه SMTP آزمایشی از Wekan", + "email-smtp-test-text": "با موفقیت، یک رایانامه را فرستادید", + "error-invitation-code-not-exist": "چنین کد دعوتی یافت نشد", + "error-notAuthorized": "شما مجاز به دیدن این صفحه نیستید.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(ناشناخته)", + "Wekan_version": "نسخه Wekan", + "Node_version": "نسخه Node ", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "ساعت", + "minutes": "دقیقه", + "seconds": "ثانیه", + "show-field-on-card": "Show this field on card", + "yes": "بله", + "no": "خیر", + "accounts": "حساب‌ها", + "accounts-allowEmailChange": "اجازه تغییر رایانامه", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "ساخته شده در", + "verified": "معتبر", + "active": "فعال", + "card-received": "رسیده", + "card-received-on": "رسیده در", + "card-end": "پایان", + "card-end-on": "پایان در", + "editCardReceivedDatePopup-title": "تغییر تاریخ رسید", + "editCardEndDatePopup-title": "تغییر تاریخ پایان", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json new file mode 100644 index 00000000..d8db9f14 --- /dev/null +++ b/i18n/fi.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Hyväksy", + "act-activity-notify": "[Wekan] Toimintailmoitus", + "act-addAttachment": "liitetty __attachment__ kortille __card__", + "act-addChecklist": "lisätty tarkistuslista __checklist__ kortille __card__", + "act-addChecklistItem": "lisätty kohta __checklistItem__ tarkistuslistaan __checklist__ kortilla __card__", + "act-addComment": "kommentoitu __card__: __comment__", + "act-createBoard": "luotu __board__", + "act-createCard": "lisätty __card__ listalle __list__", + "act-createCustomField": "luotu mukautettu kenttä __customField__", + "act-createList": "lisätty __list__ taululle __board__", + "act-addBoardMember": "lisätty __member__ taululle __board__", + "act-archivedBoard": "__board__ siirretty roskakoriin", + "act-archivedCard": "__card__ siirretty roskakoriin", + "act-archivedList": "__list__ siirretty roskakoriin", + "act-archivedSwimlane": "__swimlane__ siirretty roskakoriin", + "act-importBoard": "tuotu __board__", + "act-importCard": "tuotu __card__", + "act-importList": "tuotu __list__", + "act-joinMember": "lisätty __member__ kortille __card__", + "act-moveCard": "siirretty __card__ listalta __oldList__ listalle __list__", + "act-removeBoardMember": "poistettu __member__ taululta __board__", + "act-restoredCard": "palautettu __card__ taululle __board__", + "act-unjoinMember": "poistettu __member__ kortilta __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Toimet", + "activities": "Toimet", + "activity": "Toiminta", + "activity-added": "lisätty %s kohteeseen %s", + "activity-archived": "%s siirretty roskakoriin", + "activity-attached": "liitetty %s kohteeseen %s", + "activity-created": "luotu %s", + "activity-customfield-created": "luotu mukautettu kenttä %s", + "activity-excluded": "poistettu %s kohteesta %s", + "activity-imported": "tuotu %s kohteeseen %s lähteestä %s", + "activity-imported-board": "tuotu %s lähteestä %s", + "activity-joined": "liitytty kohteeseen %s", + "activity-moved": "siirretty %s kohteesta %s kohteeseen %s", + "activity-on": "kohteessa %s", + "activity-removed": "poistettu %s kohteesta %s", + "activity-sent": "lähetetty %s kohteeseen %s", + "activity-unjoined": "peruttu %s liittyminen", + "activity-checklist-added": "lisätty tarkistuslista kortille %s", + "activity-checklist-item-added": "lisäsi kohdan tarkistuslistaan '%s' kortilla %s", + "add": "Lisää", + "add-attachment": "Lisää liite", + "add-board": "Lisää taulu", + "add-card": "Lisää kortti", + "add-swimlane": "Lisää Swimlane", + "add-checklist": "Lisää tarkistuslista", + "add-checklist-item": "Lisää kohta tarkistuslistaan", + "add-cover": "Lisää kansi", + "add-label": "Lisää tunniste", + "add-list": "Lisää lista", + "add-members": "Lisää jäseniä", + "added": "Lisätty", + "addMemberPopup-title": "Jäsenet", + "admin": "Ylläpitäjä", + "admin-desc": "Voi nähfä ja muokata kortteja, poistaa jäseniä, ja muuttaa taulun asetuksia.", + "admin-announcement": "Ilmoitus", + "admin-announcement-active": "Aktiivinen järjestelmänlaajuinen ilmoitus", + "admin-announcement-title": "Ilmoitus ylläpitäjältä", + "all-boards": "Kaikki taulut", + "and-n-other-card": "Ja __count__ muu kortti", + "and-n-other-card_plural": "Ja __count__ muuta korttia", + "apply": "Käytä", + "app-is-offline": "Wekan latautuu, odota. Sivun uudelleenlataus aiheuttaa tietojen menettämisen. Jos Wekan ei lataudu, tarkista että Wekan palvelin ei ole pysähtynyt.", + "archive": "Siirrä roskakoriin", + "archive-all": "Siirrä kaikki roskakoriin", + "archive-board": "Siirrä taulu roskakoriin", + "archive-card": "Siirrä kortti roskakoriin", + "archive-list": "Siirrä lista roskakoriin", + "archive-swimlane": "Siirrä Swimlane roskakoriin", + "archive-selection": "Siirrä valinta roskakoriin", + "archiveBoardPopup-title": "Siirrä taulu roskakoriin?", + "archived-items": "Roskakori", + "archived-boards": "Taulut roskakorissa", + "restore-board": "Palauta taulu", + "no-archived-boards": "Ei tauluja roskakorissa", + "archives": "Roskakori", + "assign-member": "Valitse jäsen", + "attached": "liitetty", + "attachment": "Liitetiedosto", + "attachment-delete-pop": "Liitetiedoston poistaminen on lopullista. Tätä ei pysty peruuttamaan.", + "attachmentDeletePopup-title": "Poista liitetiedosto?", + "attachments": "Liitetiedostot", + "auto-watch": "Automaattisesti seuraa tauluja kun ne on luotu", + "avatar-too-big": "Profiilikuva on liian suuri (70KB maksimi)", + "back": "Takaisin", + "board-change-color": "Muokkaa väriä", + "board-nb-stars": "%s tähteä", + "board-not-found": "Taulua ei löytynyt", + "board-private-info": "Tämä taulu tulee olemaan yksityinen.", + "board-public-info": "Tämä taulu tulee olemaan julkinen.", + "boardChangeColorPopup-title": "Muokkaa taulun taustaa", + "boardChangeTitlePopup-title": "Nimeä taulu uudelleen", + "boardChangeVisibilityPopup-title": "Muokkaa näkyvyyttä", + "boardChangeWatchPopup-title": "Muokkaa seuraamista", + "boardMenuPopup-title": "Taulu valikko", + "boards": "Taulut", + "board-view": "Taulu näkymä", + "board-view-swimlanes": "Swimlanet", + "board-view-lists": "Listat", + "bucket-example": "Kuten “Laatikko lista” esimerkiksi", + "cancel": "Peruuta", + "card-archived": "Tämä kortti on siirretty roskakoriin.", + "card-comments-title": "Tässä kortissa on %s kommenttia.", + "card-delete-notice": "Poistaminen on lopullista. Menetät kaikki toimet jotka on liitetty tähän korttiin.", + "card-delete-pop": "Kaikki toimet poistetaan toimintasyötteestä ja et tule pystymään uudelleenavaamaan korttia. Tätä ei voi peruuttaa.", + "card-delete-suggest-archive": "Voit siirtää kortin roskakoriin poistaaksesi sen taululta ja säilyttääksesi toimintalokin.", + "card-due": "Erääntyy", + "card-due-on": "Erääntyy", + "card-spent": "Käytetty aika", + "card-edit-attachments": "Muokkaa liitetiedostoja", + "card-edit-custom-fields": "Muokkaa mukautettuja kenttiä", + "card-edit-labels": "Muokkaa tunnisteita", + "card-edit-members": "Muokkaa jäseniä", + "card-labels-title": "Muokkaa kortin tunnisteita.", + "card-members-title": "Lisää tai poista taulun jäseniä tältä kortilta.", + "card-start": "Alkaa", + "card-start-on": "Alkaa", + "cardAttachmentsPopup-title": "Liitä mistä", + "cardCustomField-datePopup-title": "Muokkaa päivää", + "cardCustomFieldsPopup-title": "Muokkaa mukautettuja kenttiä", + "cardDeletePopup-title": "Poista kortti?", + "cardDetailsActionsPopup-title": "Kortti toimet", + "cardLabelsPopup-title": "Tunnisteet", + "cardMembersPopup-title": "Jäsenet", + "cardMorePopup-title": "Lisää", + "cards": "Kortit", + "cards-count": "korttia", + "change": "Muokkaa", + "change-avatar": "Muokkaa profiilikuvaa", + "change-password": "Vaihda salasana", + "change-permissions": "Muokkaa oikeuksia", + "change-settings": "Muokkaa asetuksia", + "changeAvatarPopup-title": "Muokkaa profiilikuvaa", + "changeLanguagePopup-title": "Vaihda kieltä", + "changePasswordPopup-title": "Vaihda salasana", + "changePermissionsPopup-title": "Muokkaa oikeuksia", + "changeSettingsPopup-title": "Muokkaa asetuksia", + "checklists": "Tarkistuslistat", + "click-to-star": "Klikkaa merkataksesi tämä taulu tähdellä.", + "click-to-unstar": "Klikkaa poistaaksesi tähtimerkintä taululta.", + "clipboard": "Leikepöytä tai raahaa ja pudota", + "close": "Sulje", + "close-board": "Sulje taulu", + "close-board-pop": "Voit palauttaa taulun klikkaamalla “Roskakori” painiketta taululistan yläpalkista.", + "color-black": "musta", + "color-blue": "sininen", + "color-green": "vihreä", + "color-lime": "lime", + "color-orange": "oranssi", + "color-pink": "vaaleanpunainen", + "color-purple": "violetti", + "color-red": "punainen", + "color-sky": "taivas", + "color-yellow": "keltainen", + "comment": "Kommentti", + "comment-placeholder": "Kirjoita kommentti", + "comment-only": "Vain kommentointi", + "comment-only-desc": "Voi vain kommentoida kortteja", + "computer": "Tietokone", + "confirm-checklist-delete-dialog": "Haluatko varmasti poistaa tarkistuslistan", + "copy-card-link-to-clipboard": "Kopioi kortin linkki leikepöydälle", + "copyCardPopup-title": "Kopioi kortti", + "copyChecklistToManyCardsPopup-title": "Kopioi tarkistuslistan malli monille korteille", + "copyChecklistToManyCardsPopup-instructions": "Kohde korttien otsikot ja kuvaukset JSON muodossa", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Ensimmäisen kortin otsikko\", \"description\":\"Ensimmäisen kortin kuvaus\"}, {\"title\":\"Toisen kortin otsikko\",\"description\":\"Toisen kortin kuvaus\"},{\"title\":\"Viimeisen kortin otsikko\",\"description\":\"Viimeisen kortin kuvaus\"} ]", + "create": "Luo", + "createBoardPopup-title": "Luo taulu", + "chooseBoardSourcePopup-title": "Tuo taulu", + "createLabelPopup-title": "Luo tunniste", + "createCustomField": "Luo kenttä", + "createCustomFieldPopup-title": "Luo kenttä", + "current": "nykyinen", + "custom-field-delete-pop": "Tätä ei voi peruuttaa. Tämä poistaa tämän mukautetun kentän kaikista korteista ja poistaa sen historian.", + "custom-field-checkbox": "Valintaruutu", + "custom-field-date": "Päivämäärä", + "custom-field-dropdown": "Pudotusvalikko", + "custom-field-dropdown-none": "(ei mitään)", + "custom-field-dropdown-options": "Luettelon vaihtoehdot", + "custom-field-dropdown-options-placeholder": "Paina Enter lisätäksesi lisää vaihtoehtoja", + "custom-field-dropdown-unknown": "(tuntematon)", + "custom-field-number": "Numero", + "custom-field-text": "Teksti", + "custom-fields": "Mukautetut kentät", + "date": "Päivämäärä", + "decline": "Kieltäydy", + "default-avatar": "Oletus profiilikuva", + "delete": "Poista", + "deleteCustomFieldPopup-title": "Poista mukautettu kenttä?", + "deleteLabelPopup-title": "Poista tunniste?", + "description": "Kuvaus", + "disambiguateMultiLabelPopup-title": "Yksikäsitteistä tunniste toiminta", + "disambiguateMultiMemberPopup-title": "Yksikäsitteistä jäsen toiminta", + "discard": "Hylkää", + "done": "Valmis", + "download": "Lataa", + "edit": "Muokkaa", + "edit-avatar": "Muokkaa profiilikuvaa", + "edit-profile": "Muokkaa profiilia", + "edit-wip-limit": "Muokkaa WIP-rajaa", + "soft-wip-limit": "Pehmeä WIP raja", + "editCardStartDatePopup-title": "Muokkaa aloituspäivää", + "editCardDueDatePopup-title": "Muokkaa eräpäivää", + "editCustomFieldPopup-title": "Muokkaa kenttää", + "editCardSpentTimePopup-title": "Muuta käytettyä aikaa", + "editLabelPopup-title": "Muokkaa tunnistetta", + "editNotificationPopup-title": "Muokkaa ilmoituksia", + "editProfilePopup-title": "Muokkaa profiilia", + "email": "Sähköposti", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hei __user__,\n\nAlkaaksesi käyttämään palvelua, klikkaa allaolevaa linkkiä.\n\n__url__\n\nKiitos.", + "email-fail": "Sähköpostin lähettäminen epäonnistui", + "email-fail-text": "Virhe yrittäessä lähettää sähköpostia", + "email-invalid": "Virheellinen sähköposti", + "email-invite": "Kutsu sähköpostilla", + "email-invite-subject": "__inviter__ lähetti sinulle kutsun", + "email-invite-text": "Hyvä __user__,\n\n__inviter__ kutsuu sinut liittymään taululle \"__board__\" yhteistyötä varten.\n\nOle hyvä ja seuraa allaolevaa linkkiä:\n\n__url__\n\nKiitos.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hei __user__,\n\nNollataksesi salasanasi, klikkaa allaolevaa linkkiä.\n\n__url__\n\nKiitos.", + "email-sent": "Sähköposti lähetetty", + "email-verifyEmail-subject": "Varmista sähköpostiosoitteesi osoitteessa __url__", + "email-verifyEmail-text": "Hei __user__,\n\nvahvistaaksesi sähköpostiosoitteesi, klikkaa allaolevaa linkkiä.\n\n__url__\n\nKiitos.", + "enable-wip-limit": "Ota käyttöön WIP-raja", + "error-board-doesNotExist": "Tämä taulu ei ole olemassa", + "error-board-notAdmin": "Tehdäksesi tämän sinun täytyy olla tämän taulun ylläpitäjä", + "error-board-notAMember": "Tehdäksesi tämän sinun täytyy olla tämän taulun jäsen", + "error-json-malformed": "Tekstisi ei ole kelvollisessa JSON muodossa", + "error-json-schema": "JSON tietosi ei sisällä oikeaa tietoa oikeassa muodossa", + "error-list-doesNotExist": "Tätä listaa ei ole olemassa", + "error-user-doesNotExist": "Tätä käyttäjää ei ole olemassa", + "error-user-notAllowSelf": "Et voi kutsua itseäsi", + "error-user-notCreated": "Tätä käyttäjää ei ole luotu", + "error-username-taken": "Tämä käyttäjätunnus on jo käytössä", + "error-email-taken": "Sähköpostiosoite on jo käytössä", + "export-board": "Vie taulu", + "filter": "Suodata", + "filter-cards": "Suodata kortit", + "filter-clear": "Poista suodatin", + "filter-no-label": "Ei tunnistetta", + "filter-no-member": "Ei jäseniä", + "filter-no-custom-fields": "Ei mukautettuja kenttiä", + "filter-on": "Suodatus on päällä", + "filter-on-desc": "Suodatat kortteja tällä taululla. Klikkaa tästä muokataksesi suodatinta.", + "filter-to-selection": "Suodata valintaan", + "advanced-filter-label": "Edistynyt suodatin", + "advanced-filter-description": "Edistynyt suodatin mahdollistaa merkkijonon, joka sisältää seuraavat operaattorit: ==! = <=> = && || () Operaattorien välissä käytetään välilyöntiä. Voit suodattaa kaikki mukautetut kentät kirjoittamalla niiden nimet ja arvot. Esimerkiksi: Field1 == Value1. Huomaa: Jos kentillä tai arvoilla on välilyöntejä, sinun on sijoitettava ne yksittäisiin lainausmerkkeihin. Esimerkki: 'Kenttä 1' == 'Arvo 1'. Voit myös yhdistää useita ehtoja. Esimerkiksi: F1 == V1 || F1 = V2. Yleensä kaikki operaattorit tulkitaan vasemmalta oikealle. Voit muuttaa järjestystä asettamalla sulkuja. Esimerkiksi: F1 == V1 ja (F2 == V2 || F2 == V3)", + "fullname": "Koko nimi", + "header-logo-title": "Palaa taulut sivullesi.", + "hide-system-messages": "Piilota järjestelmäviestit", + "headerBarCreateBoardPopup-title": "Luo taulu", + "home": "Koti", + "import": "Tuo", + "import-board": "tuo taulu", + "import-board-c": "Tuo taulu", + "import-board-title-trello": "Tuo taulu Trellosta", + "import-board-title-wekan": "Tuo taulu Wekanista", + "import-sandstorm-warning": "Tuotu taulu poistaa kaikki olemassaolevan taulun tiedot ja korvaa ne tuodulla taululla.", + "from-trello": "Trellosta", + "from-wekan": "Wekanista", + "import-board-instruction-trello": "Trello taulullasi, mene 'Menu', sitten 'More', 'Print and Export', 'Export JSON', ja kopioi tuloksena saamasi teksti", + "import-board-instruction-wekan": "Wekan taulullasi, mene 'Valikko', sitten 'Vie taulu', ja kopioi teksti ladatusta tiedostosta.", + "import-json-placeholder": "Liitä kelvollinen JSON tietosi tähän", + "import-map-members": "Vastaavat jäsenet", + "import-members-map": "Tuomallasi taululla on muutamia jäseniä. Ole hyvä ja valitse tuomiasi jäseniä vastaavat Wekan käyttäjät", + "import-show-user-mapping": "Tarkasta vastaavat jäsenet", + "import-user-select": "Valitse Wekan käyttäjä jota haluat käyttää tänä käyttäjänä", + "importMapMembersAddPopup-title": "Valitse Wekan käyttäjä", + "info": "Versio", + "initials": "Nimikirjaimet", + "invalid-date": "Virheellinen päivämäärä", + "invalid-time": "Virheellinen aika", + "invalid-user": "Virheellinen käyttäjä", + "joined": "liittyi", + "just-invited": "Sinut on juuri kutsuttu tälle taululle", + "keyboard-shortcuts": "Pikanäppäimet", + "label-create": "Luo tunniste", + "label-default": "%s tunniste (oletus)", + "label-delete-pop": "Tätä ei voi peruuttaa. Tämä poistaa tämän tunnisteen kaikista korteista ja tuhoaa sen historian.", + "labels": "Tunnisteet", + "language": "Kieli", + "last-admin-desc": "Et voi vaihtaa rooleja koska täytyy olla olemassa ainakin yksi ylläpitäjä.", + "leave-board": "Jää pois taululta", + "leave-board-pop": "Haluatko varmasti poistua taululta __boardTitle__? Sinut poistetaan kaikista tämän taulun korteista.", + "leaveBoardPopup-title": "Jää pois taululta ?", + "link-card": "Linkki tähän korttiin", + "list-archive-cards": "Siirrä kaikki tämän listan kortit roskakoriin", + "list-archive-cards-pop": "Tämä poistaa kaikki tämän listan kortit taululta. Nähdäksesi roskakorissa olevat kortit ja tuodaksesi ne takaisin taululle, klikkaa “Valikko” > “Roskakori”.", + "list-move-cards": "Siirrä kaikki kortit tässä listassa", + "list-select-cards": "Valitse kaikki kortit tässä listassa", + "listActionPopup-title": "Listaa toimet", + "swimlaneActionPopup-title": "Swimlane toimet", + "listImportCardPopup-title": "Tuo Trello kortti", + "listMorePopup-title": "Lisää", + "link-list": "Linkki tähän listaan", + "list-delete-pop": "Kaikki toimet poistetaan toimintasyötteestä ja listan poistaminen on lopullista. Tätä ei pysty peruuttamaan.", + "list-delete-suggest-archive": "Voit siirtää listan roskakoriin poistaaksesi sen taululta ja säilyttääksesi toimintalokin.", + "lists": "Listat", + "swimlanes": "Swimlanet", + "log-out": "Kirjaudu ulos", + "log-in": "Kirjaudu sisään", + "loginPopup-title": "Kirjaudu sisään", + "memberMenuPopup-title": "Jäsen asetukset", + "members": "Jäsenet", + "menu": "Valikko", + "move-selection": "Siirrä valinta", + "moveCardPopup-title": "Siirrä kortti", + "moveCardToBottom-title": "Siirrä alimmaiseksi", + "moveCardToTop-title": "Siirrä ylimmäiseksi", + "moveSelectionPopup-title": "Siirrä valinta", + "multi-selection": "Monivalinta", + "multi-selection-on": "Monivalinta on päällä", + "muted": "Vaimennettu", + "muted-info": "Et saa koskaan ilmoituksia tämän taulun muutoksista", + "my-boards": "Tauluni", + "name": "Nimi", + "no-archived-cards": "Ei kortteja roskakorissa.", + "no-archived-lists": "Ei listoja roskakorissa.", + "no-archived-swimlanes": "Ei Swimlaneja roskakorissa.", + "no-results": "Ei tuloksia", + "normal": "Normaali", + "normal-desc": "Voi nähdä ja muokata kortteja. Ei voi muokata asetuksia.", + "not-accepted-yet": "Kutsua ei ole hyväksytty vielä", + "notify-participate": "Vastaanota päivityksiä kaikilta korteilta jotka olet tehnyt tai joihin osallistut.", + "notify-watch": "Vastaanota päivityksiä kaikilta tauluilta, listoilta tai korteilta joita seuraat.", + "optional": "valinnainen", + "or": "tai", + "page-maybe-private": "Tämä sivu voi olla yksityinen. Voit ehkä pystyä näkemään sen kirjautumalla sisään.", + "page-not-found": "Sivua ei löytynyt.", + "password": "Salasana", + "paste-or-dragdrop": "liittääksesi, tai vedä & pudota kuvatiedosto siihen (vain kuva)", + "participating": "Osallistutaan", + "preview": "Esikatsele", + "previewAttachedImagePopup-title": "Esikatsele", + "previewClipboardImagePopup-title": "Esikatsele", + "private": "Yksityinen", + "private-desc": "Tämä taulu on yksityinen. Vain taululle lisätyt henkilöt voivat nähdä ja muokata sitä.", + "profile": "Profiili", + "public": "Julkinen", + "public-desc": "Tämä taulu on julkinen. Se näkyy kenelle tahansa jolla on linkki ja näkyy myös hakukoneissa kuten Google. Vain taululle lisätyt henkilöt voivat muokata sitä.", + "quick-access-description": "Merkkaa taulu tähdellä lisätäksesi pikavalinta tähän palkkiin.", + "remove-cover": "Poista kansi", + "remove-from-board": "Poista taululta", + "remove-label": "Poista tunniste", + "listDeletePopup-title": "Poista lista ?", + "remove-member": "Poista jäsen", + "remove-member-from-card": "Poista kortilta", + "remove-member-pop": "Poista __name__ (__username__) taululta __boardTitle__? Jäsen poistetaan kaikilta taulun korteilta. Heille lähetetään ilmoitus.", + "removeMemberPopup-title": "Poista jäsen?", + "rename": "Nimeä uudelleen", + "rename-board": "Nimeä taulu uudelleen", + "restore": "Palauta", + "save": "Tallenna", + "search": "Etsi", + "search-cards": "Etsi korttien otsikoista ja kuvauksista tällä taululla", + "search-example": "Teksti jota etsitään?", + "select-color": "Valitse väri", + "set-wip-limit-value": "Aseta tämän listan tehtävien enimmäismäärä", + "setWipLimitPopup-title": "Aseta WIP-raja", + "shortcut-assign-self": "Valitse itsesi nykyiselle kortille", + "shortcut-autocomplete-emoji": "Automaattinen täydennys emojille", + "shortcut-autocomplete-members": "Automaattinen täydennys jäsenille", + "shortcut-clear-filters": "Poista kaikki suodattimet", + "shortcut-close-dialog": "Sulje valintaikkuna", + "shortcut-filter-my-cards": "Suodata korttini", + "shortcut-show-shortcuts": "Tuo esiin tämä pikavalinta lista", + "shortcut-toggle-filterbar": "Muokkaa suodatus sivupalkin näkyvyyttä", + "shortcut-toggle-sidebar": "Muokkaa taulu sivupalkin näkyvyyttä", + "show-cards-minimum-count": "Näytä korttien lukumäärä jos lista sisältää enemmän kuin", + "sidebar-open": "Avaa sivupalkki", + "sidebar-close": "Sulje sivupalkki", + "signupPopup-title": "Luo tili", + "star-board-title": "Klikkaa merkataksesi taulu tähdellä. Se tulee näkymään ylimpänä taululistallasi.", + "starred-boards": "Tähdellä merkatut taulut", + "starred-boards-description": "Tähdellä merkatut taulut näkyvät ylimpänä taululistallasi.", + "subscribe": "Tilaa", + "team": "Tiimi", + "this-board": "tämä taulu", + "this-card": "tämä kortti", + "spent-time-hours": "Käytetty aika (tuntia)", + "overtime-hours": "Ylityö (tuntia)", + "overtime": "Ylityö", + "has-overtime-cards": "Sisältää ylityö kortteja", + "has-spenttime-cards": "Sisältää käytetty aika kortteja", + "time": "Aika", + "title": "Otsikko", + "tracking": "Ilmoitukset", + "tracking-info": "Sinulle ilmoitetaan muutoksista korteissa joihin olet osallistunut luojana tai jäsenenä.", + "type": "Tyyppi", + "unassign-member": "Peru jäsenvalinta", + "unsaved-description": "Sinulla on tallentamaton kuvaus.", + "unwatch": "Lopeta seuraaminen", + "upload": "Lähetä", + "upload-avatar": "Lähetä profiilikuva", + "uploaded-avatar": "Profiilikuva lähetetty", + "username": "Käyttäjätunnus", + "view-it": "Näytä se", + "warn-list-archived": "varoitus: tämä kortti on roskakorissa olevassa listassa", + "watch": "Seuraa", + "watching": "Seurataan", + "watching-info": "Sinulle ilmoitetaan tämän taulun muutoksista", + "welcome-board": "Tervetuloa taulu", + "welcome-swimlane": "Merkkipaalu 1", + "welcome-list1": "Perusasiat", + "welcome-list2": "Edistynyt", + "what-to-do": "Mitä haluat tehdä?", + "wipLimitErrorPopup-title": "Virheellinen WIP-raja", + "wipLimitErrorPopup-dialog-pt1": "Tässä listassa olevien tehtävien määrä on korkeampi kuin asettamasi WIP-raja.", + "wipLimitErrorPopup-dialog-pt2": "Siirrä joitain tehtäviä pois tästä listasta tai määritä korkeampi WIP-raja.", + "admin-panel": "Hallintapaneeli", + "settings": "Asetukset", + "people": "Ihmiset", + "registration": "Rekisteröinti", + "disable-self-registration": "Poista käytöstä itse-rekisteröityminen", + "invite": "Kutsu", + "invite-people": "Kutsu ihmisiä", + "to-boards": "Taulu(i)lle", + "email-addresses": "Sähköpostiosoite", + "smtp-host-description": "SMTP palvelimen osoite jolla sähköpostit lähetetään.", + "smtp-port-description": "Portti jota STMP palvelimesi käyttää lähteville sähköposteille.", + "smtp-tls-description": "Ota käyttöön TLS tuki SMTP palvelimelle", + "smtp-host": "SMTP isäntä", + "smtp-port": "SMTP portti", + "smtp-username": "Käyttäjätunnus", + "smtp-password": "Salasana", + "smtp-tls": "TLS tuki", + "send-from": "Lähettäjä", + "send-smtp-test": "Lähetä testi sähköposti itsellesi", + "invitation-code": "Kutsukoodi", + "email-invite-register-subject": "__inviter__ lähetti sinulle kutsun", + "email-invite-register-text": "Hei __user__,\n\n__inviter__ kutsuu sinut mukaan Wekan ohjelman käyttöön.\n\nOle hyvä ja seuraa allaolevaa linkkiä:\n__url__\n\nJa kutsukoodisi on: __icode__\n\nKiitos.", + "email-smtp-test-subject": "SMTP testi sähköposti Wekanista", + "email-smtp-test-text": "Olet onnistuneesti lähettänyt sähköpostin", + "error-invitation-code-not-exist": "Kutsukoodi ei ole olemassa", + "error-notAuthorized": "Sinulla ei ole oikeutta tarkastella tätä sivua.", + "outgoing-webhooks": "Lähtevät Webkoukut", + "outgoingWebhooksPopup-title": "Lähtevät Webkoukut", + "new-outgoing-webhook": "Uusi lähtevä Webkoukku", + "no-name": "(Tuntematon)", + "Wekan_version": "Wekan versio", + "Node_version": "Node versio", + "OS_Arch": "Käyttöjärjestelmän arkkitehtuuri", + "OS_Cpus": "Käyttöjärjestelmän CPU määrä", + "OS_Freemem": "Käyttöjärjestelmän vapaa muisti", + "OS_Loadavg": "Käyttöjärjestelmän kuorman keskiarvo", + "OS_Platform": "Käyttöjärjestelmäalusta", + "OS_Release": "Käyttöjärjestelmän julkaisu", + "OS_Totalmem": "Käyttöjärjestelmän muistin kokonaismäärä", + "OS_Type": "Käyttöjärjestelmän tyyppi", + "OS_Uptime": "Käyttöjärjestelmä ollut käynnissä", + "hours": "tuntia", + "minutes": "minuuttia", + "seconds": "sekuntia", + "show-field-on-card": "Näytä tämä kenttä kortilla", + "yes": "Kyllä", + "no": "Ei", + "accounts": "Tilit", + "accounts-allowEmailChange": "Salli sähköpostiosoitteen muuttaminen", + "accounts-allowUserNameChange": "Salli käyttäjätunnuksen muuttaminen", + "createdAt": "Luotu", + "verified": "Varmistettu", + "active": "Aktiivinen", + "card-received": "Vastaanotettu", + "card-received-on": "Vastaanotettu", + "card-end": "Loppuu", + "card-end-on": "Loppuu", + "editCardReceivedDatePopup-title": "Vaihda vastaanottamispäivää", + "editCardEndDatePopup-title": "Vaihda loppumispäivää", + "assigned-by": "Tehtävänantaja", + "requested-by": "Pyytäjä", + "board-delete-notice": "Poistaminen on lopullista. Menetät kaikki listat, kortit ja toimet tällä taululla.", + "delete-board-confirm-popup": "Kaikki listat, kortit, tunnisteet ja toimet poistetaan ja et pysty palauttamaan taulun sisältöä. Tätä ei voi peruuttaa.", + "boardDeletePopup-title": "Poista taulu?", + "delete-board": "Poista taulu" +} \ No newline at end of file diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json new file mode 100644 index 00000000..258eeed4 --- /dev/null +++ b/i18n/fr.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accepter", + "act-activity-notify": "[Wekan] Notification d'activité", + "act-addAttachment": "a joint __attachment__ à __card__", + "act-addChecklist": "a ajouté la checklist __checklist__ à __card__", + "act-addChecklistItem": "a ajouté l'élément __checklistItem__ à la checklist __checklist__ de __card__", + "act-addComment": "a commenté __card__ : __comment__", + "act-createBoard": "a créé __board__", + "act-createCard": "a ajouté __card__ à __list__", + "act-createCustomField": "a créé le champ personnalisé __customField__", + "act-createList": "a ajouté __list__ à __board__", + "act-addBoardMember": "a ajouté __member__ à __board__", + "act-archivedBoard": "__board__ a été déplacé vers la corbeille", + "act-archivedCard": "__card__ a été déplacée vers la corbeille", + "act-archivedList": "__list__ a été déplacée vers la corbeille", + "act-archivedSwimlane": "__swimlane__ a été déplacé vers la corbeille", + "act-importBoard": "a importé __board__", + "act-importCard": "a importé __card__", + "act-importList": "a importé __list__", + "act-joinMember": "a ajouté __member__ à __card__", + "act-moveCard": "a déplacé __card__ de __oldList__ à __list__", + "act-removeBoardMember": "a retiré __member__ de __board__", + "act-restoredCard": "a restauré __card__ dans __board__", + "act-unjoinMember": "a retiré __member__ de __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activités", + "activity": "Activité", + "activity-added": "a ajouté %s à %s", + "activity-archived": "%s a été déplacé vers la corbeille", + "activity-attached": "a attaché %s à %s", + "activity-created": "a créé %s", + "activity-customfield-created": "a créé le champ personnalisé %s", + "activity-excluded": "a exclu %s de %s", + "activity-imported": "a importé %s vers %s depuis %s", + "activity-imported-board": "a importé %s depuis %s", + "activity-joined": "a rejoint %s", + "activity-moved": "a déplacé %s de %s vers %s", + "activity-on": "sur %s", + "activity-removed": "a supprimé %s de %s", + "activity-sent": "a envoyé %s vers %s", + "activity-unjoined": "a quitté %s", + "activity-checklist-added": "a ajouté une checklist à %s", + "activity-checklist-item-added": "a ajouté un élément à la checklist '%s' dans %s", + "add": "Ajouter", + "add-attachment": "Ajouter une pièce jointe", + "add-board": "Ajouter un tableau", + "add-card": "Ajouter une carte", + "add-swimlane": "Ajouter un couloir", + "add-checklist": "Ajouter une checklist", + "add-checklist-item": "Ajouter un élément à la checklist", + "add-cover": "Ajouter la couverture", + "add-label": "Ajouter une étiquette", + "add-list": "Ajouter une liste", + "add-members": "Assigner des membres", + "added": "Ajouté le", + "addMemberPopup-title": "Membres", + "admin": "Admin", + "admin-desc": "Peut voir et éditer les cartes, supprimer des membres et changer les paramètres du tableau.", + "admin-announcement": "Annonce", + "admin-announcement-active": "Annonce destinée à tous", + "admin-announcement-title": "Annonce de l'administrateur", + "all-boards": "Tous les tableaux", + "and-n-other-card": "Et __count__ autre carte", + "and-n-other-card_plural": "Et __count__ autres cartes", + "apply": "Appliquer", + "app-is-offline": "Chargement en cours, veuillez patienter. Vous risquez de perdre des données si vous rechargez la page. Si le chargement échoue, veuillez vérifier l'état du serveur Wekan.", + "archive": "Déplacer vers la corbeille", + "archive-all": "Tout déplacer vers la corbeille", + "archive-board": "Déplacer le tableau vers la corbeille", + "archive-card": "Déplacer la carte vers la corbeille", + "archive-list": "Déplacer la liste vers la corbeille", + "archive-swimlane": "Déplacer le couloir vers la corbeille", + "archive-selection": "Déplacer la sélection vers la corbeille", + "archiveBoardPopup-title": "Déplacer le tableau vers la corbeille ?", + "archived-items": "Corbeille", + "archived-boards": "Tableaux dans la corbeille", + "restore-board": "Restaurer le tableau", + "no-archived-boards": "Aucun tableau dans la corbeille.", + "archives": "Corbeille", + "assign-member": "Affecter un membre", + "attached": "joint", + "attachment": "Pièce jointe", + "attachment-delete-pop": "La suppression d'une pièce jointe est définitive. Elle ne peut être annulée.", + "attachmentDeletePopup-title": "Supprimer la pièce jointe ?", + "attachments": "Pièces jointes", + "auto-watch": "Surveiller automatiquement les tableaux quand ils sont créés", + "avatar-too-big": "La taille du fichier de l'avatar est trop importante (70 ko au maximum)", + "back": "Retour", + "board-change-color": "Changer la couleur", + "board-nb-stars": "%s étoiles", + "board-not-found": "Tableau non trouvé", + "board-private-info": "Ce tableau sera privé", + "board-public-info": "Ce tableau sera public.", + "boardChangeColorPopup-title": "Change la couleur de fond du tableau", + "boardChangeTitlePopup-title": "Renommer le tableau", + "boardChangeVisibilityPopup-title": "Changer la visibilité", + "boardChangeWatchPopup-title": "Modifier le suivi", + "boardMenuPopup-title": "Menu du tableau", + "boards": "Tableaux", + "board-view": "Vue du tableau", + "board-view-swimlanes": "Couloirs", + "board-view-lists": "Listes", + "bucket-example": "Comme « todo list » par exemple", + "cancel": "Annuler", + "card-archived": "Cette carte est déplacée vers la corbeille.", + "card-comments-title": "Cette carte a %s commentaires.", + "card-delete-notice": "La suppression est permanente. Vous perdrez toutes les actions associées à cette carte.", + "card-delete-pop": "Toutes les actions vont être supprimées du suivi d'activités et vous ne pourrez plus utiliser cette carte. Cette action est irréversible.", + "card-delete-suggest-archive": "Vous pouvez déplacer une carte vers la corbeille afin de l'enlever du tableau tout en préservant l'activité.", + "card-due": "À échéance", + "card-due-on": "Échéance le", + "card-spent": "Temps passé", + "card-edit-attachments": "Modifier les pièces jointes", + "card-edit-custom-fields": "Éditer les champs personnalisés", + "card-edit-labels": "Modifier les étiquettes", + "card-edit-members": "Modifier les membres", + "card-labels-title": "Modifier les étiquettes de la carte.", + "card-members-title": "Ajouter ou supprimer des membres à la carte.", + "card-start": "Début", + "card-start-on": "Commence le", + "cardAttachmentsPopup-title": "Joindre depuis", + "cardCustomField-datePopup-title": "Changer la date", + "cardCustomFieldsPopup-title": "Éditer les champs personnalisés", + "cardDeletePopup-title": "Supprimer la carte ?", + "cardDetailsActionsPopup-title": "Actions sur la carte", + "cardLabelsPopup-title": "Étiquettes", + "cardMembersPopup-title": "Membres", + "cardMorePopup-title": "Plus", + "cards": "Cartes", + "cards-count": "Cartes", + "change": "Modifier", + "change-avatar": "Modifier l'avatar", + "change-password": "Modifier le mot de passe", + "change-permissions": "Modifier les permissions", + "change-settings": "Modifier les paramètres", + "changeAvatarPopup-title": "Modifier l'avatar", + "changeLanguagePopup-title": "Modifier la langue", + "changePasswordPopup-title": "Modifier le mot de passe", + "changePermissionsPopup-title": "Modifier les permissions", + "changeSettingsPopup-title": "Modifier les paramètres", + "checklists": "Checklists", + "click-to-star": "Cliquez pour ajouter ce tableau aux favoris.", + "click-to-unstar": "Cliquez pour retirer ce tableau des favoris.", + "clipboard": "Presse-papier ou glisser-déposer", + "close": "Fermer", + "close-board": "Fermer le tableau", + "close-board-pop": "Vous pourrez restaurer le tableau en cliquant le bouton « Corbeille » en entête.", + "color-black": "noir", + "color-blue": "bleu", + "color-green": "vert", + "color-lime": "citron vert", + "color-orange": "orange", + "color-pink": "rose", + "color-purple": "violet", + "color-red": "rouge", + "color-sky": "ciel", + "color-yellow": "jaune", + "comment": "Commenter", + "comment-placeholder": "Écrire un commentaire", + "comment-only": "Commentaire uniquement", + "comment-only-desc": "Ne peut que commenter des cartes.", + "computer": "Ordinateur", + "confirm-checklist-delete-dialog": "Êtes-vous sûr de vouloir supprimer la checklist", + "copy-card-link-to-clipboard": "Copier le lien vers la carte dans le presse-papier", + "copyCardPopup-title": "Copier la carte", + "copyChecklistToManyCardsPopup-title": "Copier le modèle de checklist vers plusieurs cartes", + "copyChecklistToManyCardsPopup-instructions": "Titres et descriptions des cartes de destination dans ce format JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titre de la première carte\", \"description\":\"Description de la première carte\"}, {\"title\":\"Titre de la seconde carte\",\"description\":\"Description de la seconde carte\"},{\"title\":\"Titre de la dernière carte\",\"description\":\"Description de la dernière carte\"} ]", + "create": "Créer", + "createBoardPopup-title": "Créer un tableau", + "chooseBoardSourcePopup-title": "Importer un tableau", + "createLabelPopup-title": "Créer une étiquette", + "createCustomField": "Créer un champ personnalisé", + "createCustomFieldPopup-title": "Créer un champ personnalisé", + "current": "actuel", + "custom-field-delete-pop": "Cette action n'est pas réversible. Elle supprimera ce champ personnalisé de toutes les cartes et détruira son historique.", + "custom-field-checkbox": "Case à cocher", + "custom-field-date": "Date", + "custom-field-dropdown": "Liste de choix", + "custom-field-dropdown-none": "(aucun)", + "custom-field-dropdown-options": "Options de liste", + "custom-field-dropdown-options-placeholder": "Appuyez sur Entrée pour ajouter d'autres options", + "custom-field-dropdown-unknown": "(inconnu)", + "custom-field-number": "Nombre", + "custom-field-text": "Texte", + "custom-fields": "Champs personnalisés", + "date": "Date", + "decline": "Refuser", + "default-avatar": "Avatar par défaut", + "delete": "Supprimer", + "deleteCustomFieldPopup-title": "Supprimer le champ personnalisé ?", + "deleteLabelPopup-title": "Supprimer l'étiquette ?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Préciser l'action sur l'étiquette", + "disambiguateMultiMemberPopup-title": "Préciser l'action sur le membre", + "discard": "Mettre à la corbeille", + "done": "Fait", + "download": "Télécharger", + "edit": "Modifier", + "edit-avatar": "Modifier l'avatar", + "edit-profile": "Modifier le profil", + "edit-wip-limit": "Éditer la limite WIP", + "soft-wip-limit": "Limite WIP douce", + "editCardStartDatePopup-title": "Modifier la date de début", + "editCardDueDatePopup-title": "Modifier la date d'échéance", + "editCustomFieldPopup-title": "Éditer le champ personnalisé", + "editCardSpentTimePopup-title": "Changer le temps passé", + "editLabelPopup-title": "Modifier l'étiquette", + "editNotificationPopup-title": "Modifier la notification", + "editProfilePopup-title": "Modifier le profil", + "email": "Email", + "email-enrollAccount-subject": "Un compte a été créé pour vous sur __siteName__", + "email-enrollAccount-text": "Bonjour __user__,\n\nPour commencer à utiliser ce service, il suffit de cliquer sur le lien ci-dessous.\n\n__url__\n\nMerci.", + "email-fail": "Échec de l'envoi du courriel.", + "email-fail-text": "Une erreur est survenue en tentant d'envoyer l'email", + "email-invalid": "Adresse email incorrecte.", + "email-invite": "Inviter par email", + "email-invite-subject": "__inviter__ vous a envoyé une invitation", + "email-invite-text": "Cher __user__,\n\n__inviter__ vous invite à rejoindre le tableau \"__board__\" pour collaborer.\n\nVeuillez suivre le lien ci-dessous :\n\n__url__\n\nMerci.", + "email-resetPassword-subject": "Réinitialiser votre mot de passe sur __siteName__", + "email-resetPassword-text": "Bonjour __user__,\n\nPour réinitialiser votre mot de passe, cliquez sur le lien ci-dessous.\n\n__url__\n\nMerci.", + "email-sent": "Courriel envoyé", + "email-verifyEmail-subject": "Vérifier votre adresse de courriel sur __siteName__", + "email-verifyEmail-text": "Bonjour __user__,\n\nPour vérifier votre compte courriel, il suffit de cliquer sur le lien ci-dessous.\n\n__url__\n\nMerci.", + "enable-wip-limit": "Activer la limite WIP", + "error-board-doesNotExist": "Ce tableau n'existe pas", + "error-board-notAdmin": "Vous devez être administrateur de ce tableau pour faire cela", + "error-board-notAMember": "Vous devez être membre de ce tableau pour faire cela", + "error-json-malformed": "Votre texte JSON n'est pas valide", + "error-json-schema": "Vos données JSON ne contiennent pas l'information appropriée dans un format correct", + "error-list-doesNotExist": "Cette liste n'existe pas", + "error-user-doesNotExist": "Cet utilisateur n'existe pas", + "error-user-notAllowSelf": "Vous ne pouvez pas vous inviter vous-même", + "error-user-notCreated": "Cet utilisateur n'a pas encore été créé", + "error-username-taken": "Ce nom d'utilisateur est déjà utilisé", + "error-email-taken": "Cette adresse mail est déjà utilisée", + "export-board": "Exporter le tableau", + "filter": "Filtrer", + "filter-cards": "Filtrer les cartes", + "filter-clear": "Supprimer les filtres", + "filter-no-label": "Aucune étiquette", + "filter-no-member": "Aucun membre", + "filter-no-custom-fields": "Pas de champs personnalisés", + "filter-on": "Le filtre est actif", + "filter-on-desc": "Vous êtes en train de filtrer les cartes sur ce tableau. Cliquez ici pour modifier les filtres.", + "filter-to-selection": "Filtre vers la sélection", + "advanced-filter-label": "Filtre avancé", + "advanced-filter-description": "Le filtre avancé permet d'écrire une chaîne contenant les opérateur suivants : == != <= >= && || ( ). Les opérateurs doivent être séparés par des espaces. Vous pouvez filtrer tous les champs personnalisés en saisissant leur nom et leur valeur. Par exemple : champ1 == valeur1. Note : si des champs ou valeurs contiennent des espaces, vous devez les mettre entre apostrophes. Par exemple : 'champ 1' = 'valeur 1'. Il est également possible de combiner plusieurs conditions. Par exemple : f1 == v1 || f2 == v2. Normalement, tous les opérateurs sont interprétés de gauche à droite. Vous pouvez changer l'ordre à l'aide de parenthèses. Par exemple : f1 == v1 and (f2 == v2 || f2 == v3).", + "fullname": "Nom complet", + "header-logo-title": "Retourner à la page des tableaux", + "hide-system-messages": "Masquer les messages système", + "headerBarCreateBoardPopup-title": "Créer un tableau", + "home": "Accueil", + "import": "Importer", + "import-board": "importer un tableau", + "import-board-c": "Importer un tableau", + "import-board-title-trello": "Importer le tableau depuis Trello", + "import-board-title-wekan": "Importer un tableau depuis Wekan", + "import-sandstorm-warning": "Le tableau importé supprimera toutes les données du tableau et les remplacera avec celles du tableau importé.", + "from-trello": "Depuis Trello", + "from-wekan": "Depuis Wekan", + "import-board-instruction-trello": "Dans votre tableau Trello, allez sur 'Menu', puis sur 'Plus', 'Imprimer et exporter', 'Exporter en JSON' et copiez le texte du résultat", + "import-board-instruction-wekan": "Dans votre tableau Wekan, allez dans 'Menu', puis 'Exporter un tableau', et copier le texte du fichier téléchargé.", + "import-json-placeholder": "Collez ici les données JSON valides", + "import-map-members": "Faire correspondre aux membres", + "import-members-map": "Le tableau que vous venez d'importer contient des membres. Veuillez associer les membres que vous souhaitez importer à des utilisateurs de Wekan.", + "import-show-user-mapping": "Contrôler l'association des membres", + "import-user-select": "Sélectionnez l'utilisateur Wekan que vous voulez associer à ce membre", + "importMapMembersAddPopup-title": "Sélectionner le membre Wekan", + "info": "Version", + "initials": "Initiales", + "invalid-date": "Date invalide", + "invalid-time": "Temps invalide", + "invalid-user": "Utilisateur invalide", + "joined": "a rejoint", + "just-invited": "Vous venez d'être invité à ce tableau", + "keyboard-shortcuts": "Raccourcis clavier", + "label-create": "Créer une étiquette", + "label-default": "étiquette %s (défaut)", + "label-delete-pop": "Cette action est irréversible. Elle supprimera cette étiquette de toutes les cartes ainsi que l'historique associé.", + "labels": "Étiquettes", + "language": "Langue", + "last-admin-desc": "Vous ne pouvez pas changer les rôles car il doit y avoir au moins un administrateur.", + "leave-board": "Quitter le tableau", + "leave-board-pop": "Êtes-vous sur de vouloir quitter __boardTitle__ ? Vous ne serez plus associé aux cartes de ce tableau.", + "leaveBoardPopup-title": "Quitter le tableau", + "link-card": "Lier à cette carte", + "list-archive-cards": "Déplacer toutes les cartes de la liste vers la corbeille", + "list-archive-cards-pop": "Cela supprimera du tableau toutes les cartes de cette liste. Pour voir les cartes dans la corbeille et les renvoyer vers le tableau, cliquez sur « Menu » puis « Corbeille ».", + "list-move-cards": "Déplacer toutes les cartes de cette liste", + "list-select-cards": "Sélectionner toutes les cartes de cette liste", + "listActionPopup-title": "Actions sur la liste", + "swimlaneActionPopup-title": "Actions du couloir", + "listImportCardPopup-title": "Importer une carte Trello", + "listMorePopup-title": "Plus", + "link-list": "Lien vers cette liste", + "list-delete-pop": "Toutes les actions seront supprimées du fil d'activité et il ne sera plus possible de les récupérer. Cette action ne peut pas être annulée.", + "list-delete-suggest-archive": "Vous pouvez déplacer une liste vers la corbeille pour l'enlever du tableau tout en conservant son activité.", + "lists": "Listes", + "swimlanes": "Couloirs", + "log-out": "Déconnexion", + "log-in": "Connexion", + "loginPopup-title": "Connexion", + "memberMenuPopup-title": "Préférence de membre", + "members": "Membres", + "menu": "Menu", + "move-selection": "Déplacer la sélection", + "moveCardPopup-title": "Déplacer la carte", + "moveCardToBottom-title": "Déplacer tout en bas", + "moveCardToTop-title": "Déplacer tout en haut", + "moveSelectionPopup-title": "Déplacer la sélection", + "multi-selection": "Sélection multiple", + "multi-selection-on": "Multi-Selection active", + "muted": "Silencieux", + "muted-info": "Vous ne serez jamais averti des modifications effectuées dans ce tableau", + "my-boards": "Mes tableaux", + "name": "Nom", + "no-archived-cards": "Aucune carte dans la corbeille.", + "no-archived-lists": "Aucune liste dans la corbeille.", + "no-archived-swimlanes": "Aucun couloir dans la corbeille.", + "no-results": "Pas de résultats", + "normal": "Normal", + "normal-desc": "Peut voir et modifier les cartes. Ne peut pas changer les paramètres.", + "not-accepted-yet": "L'invitation n'a pas encore été acceptée", + "notify-participate": "Recevoir les mises à jour de toutes les cartes auxquelles vous participez en tant que créateur ou que membre ", + "notify-watch": "Recevoir les mises à jour de tous les tableaux, listes ou cartes que vous suivez", + "optional": "optionnel", + "or": "ou", + "page-maybe-private": "Cette page est peut-être privée. Vous pourrez peut-être la voir en vous connectant.", + "page-not-found": "Page non trouvée", + "password": "Mot de passe", + "paste-or-dragdrop": "pour coller, ou glissez-déposez une image ici (seulement une image)", + "participating": "Participant", + "preview": "Prévisualiser", + "previewAttachedImagePopup-title": "Prévisualiser", + "previewClipboardImagePopup-title": "Prévisualiser", + "private": "Privé", + "private-desc": "Ce tableau est privé. Seuls les membres peuvent y accéder et le modifier.", + "profile": "Profil", + "public": "Public", + "public-desc": "Ce tableau est public. Il est accessible par toutes les personnes disposant du lien et apparaîtra dans les résultats des moteurs de recherche tels que Google. Seuls les membres peuvent le modifier.", + "quick-access-description": "Ajouter un tableau à vos favoris pour créer un raccourci dans cette barre.", + "remove-cover": "Enlever la page de présentation", + "remove-from-board": "Retirer du tableau", + "remove-label": "Retirer l'étiquette", + "listDeletePopup-title": "Supprimer la liste ?", + "remove-member": "Supprimer le membre", + "remove-member-from-card": "Supprimer de la carte", + "remove-member-pop": "Supprimer __name__ (__username__) de __boardTitle__ ? Ce membre sera supprimé de toutes les cartes du tableau et recevra une notification.", + "removeMemberPopup-title": "Supprimer le membre ?", + "rename": "Renommer", + "rename-board": "Renommer le tableau", + "restore": "Restaurer", + "save": "Enregistrer", + "search": "Chercher", + "search-cards": "Rechercher parmi les titres et descriptions des cartes de ce tableau", + "search-example": "Texte à rechercher ?", + "select-color": "Sélectionner une couleur", + "set-wip-limit-value": "Définit une limite maximale au nombre de cartes de cette liste", + "setWipLimitPopup-title": "Définir la limite WIP", + "shortcut-assign-self": "Affecter cette carte à vous-même", + "shortcut-autocomplete-emoji": "Auto-complétion des emoji", + "shortcut-autocomplete-members": "Auto-complétion des membres", + "shortcut-clear-filters": "Retirer tous les filtres", + "shortcut-close-dialog": "Fermer la boîte de dialogue", + "shortcut-filter-my-cards": "Filtrer mes cartes", + "shortcut-show-shortcuts": "Afficher cette liste de raccourcis", + "shortcut-toggle-filterbar": "Afficher/Cacher la barre latérale des filtres", + "shortcut-toggle-sidebar": "Afficher/Cacher la barre latérale du tableau", + "show-cards-minimum-count": "Afficher le nombre de cartes si la liste en contient plus de ", + "sidebar-open": "Ouvrir le panneau", + "sidebar-close": "Fermer le panneau", + "signupPopup-title": "Créer un compte", + "star-board-title": "Cliquer pour ajouter ce tableau aux favoris. Il sera affiché en tête de votre liste de tableaux.", + "starred-boards": "Tableaux favoris", + "starred-boards-description": "Les tableaux favoris s'affichent en tête de votre liste de tableaux.", + "subscribe": "Suivre", + "team": "Équipe", + "this-board": "ce tableau", + "this-card": "cette carte", + "spent-time-hours": "Temps passé (heures)", + "overtime-hours": "Temps supplémentaire (heures)", + "overtime": "Temps supplémentaire", + "has-overtime-cards": "A des cartes avec du temps supplémentaire", + "has-spenttime-cards": "A des cartes avec du temps passé", + "time": "Temps", + "title": "Titre", + "tracking": "Suivi", + "tracking-info": "Vous serez notifié de toute modification concernant les cartes pour lesquelles vous êtes impliqué en tant que créateur ou membre.", + "type": "Type", + "unassign-member": "Retirer le membre", + "unsaved-description": "Vous avez une description non sauvegardée", + "unwatch": "Arrêter de suivre", + "upload": "Télécharger", + "upload-avatar": "Télécharger un avatar", + "uploaded-avatar": "Avatar téléchargé", + "username": "Nom d'utilisateur", + "view-it": "Le voir", + "warn-list-archived": "Attention : cette carte est dans une liste se trouvant dans la corbeille", + "watch": "Suivre", + "watching": "Suivi", + "watching-info": "Vous serez notifié de toute modification dans ce tableau", + "welcome-board": "Tableau de bienvenue", + "welcome-swimlane": "Jalon 1", + "welcome-list1": "Basiques", + "welcome-list2": "Avancés", + "what-to-do": "Que voulez-vous faire ?", + "wipLimitErrorPopup-title": "Limite WIP invalide", + "wipLimitErrorPopup-dialog-pt1": "Le nombre de cartes de cette liste est supérieur à la limite WIP que vous avez définie.", + "wipLimitErrorPopup-dialog-pt2": "Veuillez enlever des cartes de cette liste, ou définir une limite WIP plus importante.", + "admin-panel": "Panneau d'administration", + "settings": "Paramètres", + "people": "Personne", + "registration": "Inscription", + "disable-self-registration": "Désactiver l'inscription", + "invite": "Inviter", + "invite-people": "Inviter une personne", + "to-boards": "Au(x) tableau(x)", + "email-addresses": "Adresses email", + "smtp-host-description": "L'adresse du serveur SMTP qui gère vos mails.", + "smtp-port-description": "Le port des mails sortants du serveur SMTP.", + "smtp-tls-description": "Activer la gestion de TLS sur le serveur SMTP", + "smtp-host": "Hôte SMTP", + "smtp-port": "Port SMTP", + "smtp-username": "Nom d'utilisateur", + "smtp-password": "Mot de passe", + "smtp-tls": "Prise en charge de TLS", + "send-from": "De", + "send-smtp-test": "Envoyer un mail de test à vous-même", + "invitation-code": "Code d'invitation", + "email-invite-register-subject": "__inviter__ vous a envoyé une invitation", + "email-invite-register-text": "Cher __user__,\n\n__inviter__ vous invite à le rejoindre sur Wekan pour collaborer.\n\nVeuillez suivre le lien ci-dessous :\n__url__\n\nVotre code d'invitation est : __icode__\n\nMerci.", + "email-smtp-test-subject": "Email de test SMTP de Wekan", + "email-smtp-test-text": "Vous avez envoyé un mail avec succès", + "error-invitation-code-not-exist": "Ce code d'invitation n'existe pas.", + "error-notAuthorized": "Vous n'êtes pas autorisé à accéder à cette page.", + "outgoing-webhooks": "Webhooks sortants", + "outgoingWebhooksPopup-title": "Webhooks sortants", + "new-outgoing-webhook": "Nouveau webhook sortant", + "no-name": "(Inconnu)", + "Wekan_version": "Version de Wekan", + "Node_version": "Version de Node", + "OS_Arch": "OS Architecture", + "OS_Cpus": "OS Nombre CPU", + "OS_Freemem": "OS Mémoire libre", + "OS_Loadavg": "OS Charge moyenne", + "OS_Platform": "OS Plate-forme", + "OS_Release": "OS Version", + "OS_Totalmem": "OS Mémoire totale", + "OS_Type": "OS Type", + "OS_Uptime": "OS Durée de fonctionnement", + "hours": "heures", + "minutes": "minutes", + "seconds": "secondes", + "show-field-on-card": "Afficher ce champ sur la carte", + "yes": "Oui", + "no": "Non", + "accounts": "Comptes", + "accounts-allowEmailChange": "Autoriser le changement d'adresse mail", + "accounts-allowUserNameChange": "Permettre la modification de l'identifiant", + "createdAt": "Créé le", + "verified": "Vérifié", + "active": "Actif", + "card-received": "Reçue", + "card-received-on": "Reçue le", + "card-end": "Fin", + "card-end-on": "Se termine le", + "editCardReceivedDatePopup-title": "Changer la date de réception", + "editCardEndDatePopup-title": "Changer la date de fin", + "assigned-by": "Assigné par", + "requested-by": "Demandé par", + "board-delete-notice": "La suppression est définitive. Vous perdrez toutes vos listes, cartes et actions associées à ce tableau.", + "delete-board-confirm-popup": "Toutes les listes, cartes, étiquettes et activités seront supprimées et vous ne pourrez pas retrouver le contenu du tableau. Il n'y a pas d'annulation possible.", + "boardDeletePopup-title": "Supprimer le tableau ?", + "delete-board": "Supprimer le tableau" +} \ No newline at end of file diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json new file mode 100644 index 00000000..702e9e0c --- /dev/null +++ b/i18n/gl.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Aceptar", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Accións", + "activities": "Actividades", + "activity": "Actividade", + "activity-added": "engadiuse %s a %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Engadir", + "add-attachment": "Engadir anexo", + "add-board": "Engadir taboleiro", + "add-card": "Engadir tarxeta", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Engadir etiqueta", + "add-list": "Engadir lista", + "add-members": "Engadir membros", + "added": "Added", + "addMemberPopup-title": "Membros", + "admin": "Admin", + "admin-desc": "Pode ver e editar tarxetas, retirar membros e cambiar a configuración do taboleiro.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "Todos os taboleiros", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restaurar taboleiro", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Anexo", + "attachment-delete-pop": "A eliminación de anexos é permanente. Non se pode desfacer.", + "attachmentDeletePopup-title": "Eliminar anexo?", + "attachments": "Anexos", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Cambiar cor", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Taboleiros", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Listas", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancelar", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Editar anexos", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Editar etiquetas", + "card-edit-members": "Editar membros", + "card-labels-title": "Cambiar as etiquetas da tarxeta.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Etiquetas", + "cardMembersPopup-title": "Membros", + "cardMorePopup-title": "Máis", + "cards": "Tarxetas", + "cards-count": "Tarxetas", + "change": "Cambiar", + "change-avatar": "Cambiar o avatar", + "change-password": "Cambiar o contrasinal", + "change-permissions": "Cambiar os permisos", + "change-settings": "Cambiar a configuración", + "changeAvatarPopup-title": "Cambiar o avatar", + "changeLanguagePopup-title": "Cambiar de idioma", + "changePasswordPopup-title": "Cambiar o contrasinal", + "changePermissionsPopup-title": "Cambiar os permisos", + "changeSettingsPopup-title": "Cambiar a configuración", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "negro", + "color-blue": "azul", + "color-green": "verde", + "color-lime": "lime", + "color-orange": "laranxa", + "color-pink": "rosa", + "color-purple": "purple", + "color-red": "vermello", + "color-sky": "celeste", + "color-yellow": "amarelo", + "comment": "Comentario", + "comment-placeholder": "Escribir un comentario", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computador", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Crear", + "createBoardPopup-title": "Crear taboleiro", + "chooseBoardSourcePopup-title": "Importar taboleiro", + "createLabelPopup-title": "Crear etiqueta", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "actual", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Data", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Data", + "decline": "Rexeitar", + "default-avatar": "Avatar predeterminado", + "delete": "Eliminar", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Eliminar a etiqueta?", + "description": "Descrición", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Desbotar", + "done": "Feito", + "download": "Descargar", + "edit": "Editar", + "edit-avatar": "Cambiar de avatar", + "edit-profile": "Editar o perfil", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Cambiar a data de inicio", + "editCardDueDatePopup-title": "Cambiar a data límite", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Cambiar a etiqueta", + "editNotificationPopup-title": "Editar a notificación", + "editProfilePopup-title": "Editar o perfil", + "email": "Correo electrónico", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "Esta lista non existe", + "error-user-doesNotExist": "Este usuario non existe", + "error-user-notAllowSelf": "Non é posíbel convidarse a un mesmo", + "error-user-notCreated": "Este usuario non está creado", + "error-username-taken": "Este nome de usuario xa está collido", + "error-email-taken": "Email has already been taken", + "export-board": "Exportar taboleiro", + "filter": "Filtro", + "filter-cards": "Filtrar tarxetas", + "filter-clear": "Limpar filtro", + "filter-no-label": "Non hai etiquetas", + "filter-no-member": "Non hai membros", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "O filtro está activado", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Nome completo", + "header-logo-title": "Retornar á páxina dos seus taboleiros.", + "hide-system-messages": "Agochar as mensaxes do sistema", + "headerBarCreateBoardPopup-title": "Crear taboleiro", + "home": "Inicio", + "import": "Importar", + "import-board": "importar taboleiro", + "import-board-c": "Importar taboleiro", + "import-board-title-trello": "Importar taboleiro de Trello", + "import-board-title-wekan": "Importar taboleiro de Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "De Trello", + "from-wekan": "De Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Iniciais", + "invalid-date": "A data é incorrecta", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Crear etiqueta", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Etiquetas", + "language": "Idioma", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Saír do taboleiro", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "Máis", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Listas", + "swimlanes": "Swimlanes", + "log-out": "Pechar a sesión", + "log-in": "Acceder", + "loginPopup-title": "Acceder", + "memberMenuPopup-title": "Member Settings", + "members": "Membros", + "menu": "Menú", + "move-selection": "Mover selección", + "moveCardPopup-title": "Mover tarxeta", + "moveCardToBottom-title": "Mover abaixo de todo", + "moveCardToTop-title": "Mover arriba de todo", + "moveSelectionPopup-title": "Mover selección", + "multi-selection": "Selección múltipla", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Nome", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Non hai resultados", + "normal": "Normal", + "normal-desc": "Pode ver e editar tarxetas. Non pode cambiar a configuración.", + "not-accepted-yet": "O convite aínda non foi aceptado", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "opcional", + "or": "ou", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Non se atopou a páxina.", + "password": "Contrasinal", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Perfil", + "public": "Público", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribir", + "team": "Equipo", + "this-board": "este taboleiro", + "this-card": "esta tarxeta", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Hora", + "title": "Título", + "tracking": "Seguimento", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Enviar", + "upload-avatar": "Enviar un avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Nome de usuario", + "view-it": "Velo", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Vixiar", + "watching": "Vixiando", + "watching-info": "Recibirá unha notificación sobre calquera cambio que se produza neste taboleiro", + "welcome-board": "Taboleiro de benvida", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Fundamentos", + "welcome-list2": "Avanzado", + "what-to-do": "Que desexa facer?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Panel de administración", + "settings": "Configuración", + "people": "Persoas", + "registration": "Rexistro", + "disable-self-registration": "Desactivar o auto-rexistro", + "invite": "Convidar", + "invite-people": "Convidar persoas", + "to-boards": "Ao(s) taboleiro(s)", + "email-addresses": "Enderezos de correo", + "smtp-host-description": "O enderezo do servidor de SMTP que xestiona os seu correo electrónico.", + "smtp-port-description": "O porto que o servidor de SMTP emprega para o correo saínte.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "Servidor de SMTP", + "smtp-port": "Porto de SMTP", + "smtp-username": "Nome de usuario", + "smtp-password": "Contrasinal", + "smtp-tls": "TLS support", + "send-from": "De", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json new file mode 100644 index 00000000..f1b30f73 --- /dev/null +++ b/i18n/he.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "אישור", + "act-activity-notify": "[Wekan] הודעת פעילות", + "act-addAttachment": " __attachment__ צורף לכרטיס __card__", + "act-addChecklist": "רשימת משימות __checklist__ נוספה ל __card__", + "act-addChecklistItem": " __checklistItem__ נוסף לרשימת משימות __checklist__ בכרטיס __card__", + "act-addComment": "התקבלה תגובה על הכרטיס __card__:‏ __comment__", + "act-createBoard": "הלוח __board__ נוצר", + "act-createCard": "הכרטיס __card__ התווסף לרשימה __list__", + "act-createCustomField": "נוצר שדה בהתאמה אישית __customField__", + "act-createList": "הרשימה __list__ התווספה ללוח __board__", + "act-addBoardMember": "המשתמש __member__ נוסף ללוח __board__", + "act-archivedBoard": "__board__ הועבר לסל המחזור", + "act-archivedCard": "__card__ הועבר לסל המחזור", + "act-archivedList": "__list__ הועבר לסל המחזור", + "act-archivedSwimlane": "__swimlane__ הועבר לסל המחזור", + "act-importBoard": "הלוח __board__ יובא", + "act-importCard": "הכרטיס __card__ יובא", + "act-importList": "הרשימה __list__ יובאה", + "act-joinMember": "המשתמש __member__ נוסף לכרטיס __card__", + "act-moveCard": "הכרטיס __card__ הועבר מהרשימה __oldList__ לרשימה __list__", + "act-removeBoardMember": "המשתמש __member__ הוסר מהלוח __board__", + "act-restoredCard": "הכרטיס __card__ שוחזר ללוח __board__", + "act-unjoinMember": "המשתמש __member__ הוסר מהכרטיס __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "פעולות", + "activities": "פעילויות", + "activity": "פעילות", + "activity-added": "%s נוסף ל%s", + "activity-archived": "%s הועבר לסל המחזור", + "activity-attached": "%s צורף ל%s", + "activity-created": "%s נוצר", + "activity-customfield-created": "נוצר שדה בהתאמה אישית %s", + "activity-excluded": "%s לא נכלל ב%s", + "activity-imported": "%s ייובא מ%s אל %s", + "activity-imported-board": "%s ייובא מ%s", + "activity-joined": "הצטרפות אל %s", + "activity-moved": "%s עבר מ%s ל%s", + "activity-on": "ב%s", + "activity-removed": "%s הוסר מ%s", + "activity-sent": "%s נשלח ל%s", + "activity-unjoined": "בטל צירוף %s", + "activity-checklist-added": "נוספה רשימת משימות אל %s", + "activity-checklist-item-added": "נוסף פריט רשימת משימות אל ‚%s‘ תחת %s", + "add": "הוספה", + "add-attachment": "הוספת קובץ מצורף", + "add-board": "הוספת לוח", + "add-card": "הוספת כרטיס", + "add-swimlane": "הוספת מסלול", + "add-checklist": "הוספת רשימת מטלות", + "add-checklist-item": "הוספת פריט לרשימת משימות", + "add-cover": "הוספת כיסוי", + "add-label": "הוספת תווית", + "add-list": "הוספת רשימה", + "add-members": "הוספת חברים", + "added": "התווסף", + "addMemberPopup-title": "חברים", + "admin": "מנהל", + "admin-desc": "יש הרשאות לצפייה ולעריכת כרטיסים, להסרת חברים ולשינוי הגדרות לוח.", + "admin-announcement": "הכרזה", + "admin-announcement-active": "הכרזת מערכת פעילה", + "admin-announcement-title": "הכרזה ממנהל המערכת", + "all-boards": "כל הלוחות", + "and-n-other-card": "וכרטיס אחר", + "and-n-other-card_plural": "ו־__count__ כרטיסים אחרים", + "apply": "החלה", + "app-is-offline": "Wekan בטעינה, נא להמתין. רענון העמוד עשוי להוביל לאובדן מידע. אם הטעינה של Wekan נעצרה, נא לבדוק ששרת ה־Wekan לא נעצר.", + "archive": "העברה לסל המחזור", + "archive-all": "להעביר הכול לסל המחזור", + "archive-board": "העברת הלוח לסל המחזור", + "archive-card": "העברת הכרטיס לסל המחזור", + "archive-list": "העברת הרשימה לסל המחזור", + "archive-swimlane": "העברת מסלול לסל המחזור", + "archive-selection": "העברת הבחירה לסל המחזור", + "archiveBoardPopup-title": "להעביר את הלוח לסל המחזור?", + "archived-items": "סל מחזור", + "archived-boards": "לוחות בסל המחזור", + "restore-board": "שחזור לוח", + "no-archived-boards": "אין לוחות בסל המחזור", + "archives": "סל מחזור", + "assign-member": "הקצאת חבר", + "attached": "מצורף", + "attachment": "קובץ מצורף", + "attachment-delete-pop": "מחיקת קובץ מצורף הנה סופית. אין דרך חזרה.", + "attachmentDeletePopup-title": "למחוק קובץ מצורף?", + "attachments": "קבצים מצורפים", + "auto-watch": "הוספת לוחות למעקב כשהם נוצרים", + "avatar-too-big": "תמונת המשתמש גדולה מדי (70 ק״ב לכל היותר)", + "back": "חזרה", + "board-change-color": "שינוי צבע", + "board-nb-stars": "%s כוכבים", + "board-not-found": "לוח לא נמצא", + "board-private-info": "לוח זה יהיה פרטי.", + "board-public-info": "לוח זה יהיה ציבורי.", + "boardChangeColorPopup-title": "שינוי רקע ללוח", + "boardChangeTitlePopup-title": "שינוי שם הלוח", + "boardChangeVisibilityPopup-title": "שינוי מצב הצגה", + "boardChangeWatchPopup-title": "שינוי הגדרת המעקב", + "boardMenuPopup-title": "תפריט לוח", + "boards": "לוחות", + "board-view": "תצוגת לוח", + "board-view-swimlanes": "מסלולים", + "board-view-lists": "רשימות", + "bucket-example": "כמו למשל „רשימת המשימות“", + "cancel": "ביטול", + "card-archived": "כרטיס זה הועבר לסל המחזור", + "card-comments-title": "לכרטיס זה %s תגובות.", + "card-delete-notice": "מחיקה היא סופית. כל הפעולות המשויכות לכרטיס זה תלכנה לאיוד.", + "card-delete-pop": "כל הפעולות יוסרו מלוח הפעילות ולא תהיה אפשרות לפתוח מחדש את הכרטיס. אין דרך חזרה.", + "card-delete-suggest-archive": "ניתן להעביר כרטיס לסל המחזור כדי להסיר אותו מהלוח ולשמר את הפעילות.", + "card-due": "תאריך יעד", + "card-due-on": "תאריך יעד", + "card-spent": "זמן שהושקע", + "card-edit-attachments": "עריכת קבצים מצורפים", + "card-edit-custom-fields": "עריכת שדות בהתאמה אישית", + "card-edit-labels": "עריכת תוויות", + "card-edit-members": "עריכת חברים", + "card-labels-title": "שינוי תוויות לכרטיס.", + "card-members-title": "הוספה או הסרה של חברי הלוח מהכרטיס.", + "card-start": "התחלה", + "card-start-on": "מתחיל ב־", + "cardAttachmentsPopup-title": "לצרף מ־", + "cardCustomField-datePopup-title": "החלפת תאריך", + "cardCustomFieldsPopup-title": "עריכת שדות בהתאמה אישית", + "cardDeletePopup-title": "למחוק כרטיס?", + "cardDetailsActionsPopup-title": "פעולות על הכרטיס", + "cardLabelsPopup-title": "תוויות", + "cardMembersPopup-title": "חברים", + "cardMorePopup-title": "עוד", + "cards": "כרטיסים", + "cards-count": "כרטיסים", + "change": "שינוי", + "change-avatar": "החלפת תמונת משתמש", + "change-password": "החלפת ססמה", + "change-permissions": "שינוי הרשאות", + "change-settings": "שינוי הגדרות", + "changeAvatarPopup-title": "שינוי תמונת משתמש", + "changeLanguagePopup-title": "החלפת שפה", + "changePasswordPopup-title": "החלפת ססמה", + "changePermissionsPopup-title": "שינוי הרשאות", + "changeSettingsPopup-title": "שינוי הגדרות", + "checklists": "רשימות", + "click-to-star": "יש ללחוץ להוספת הלוח למועדפים.", + "click-to-unstar": "יש ללחוץ להסרת הלוח מהמועדפים.", + "clipboard": "לוח גזירים או גרירה ושחרור", + "close": "סגירה", + "close-board": "סגירת לוח", + "close-board-pop": "תהיה לך אפשרות להסיר את הלוח על ידי לחיצה על הכפתור „סל מחזור” מכותרת הבית.", + "color-black": "שחור", + "color-blue": "כחול", + "color-green": "ירוק", + "color-lime": "ליים", + "color-orange": "כתום", + "color-pink": "ורוד", + "color-purple": "סגול", + "color-red": "אדום", + "color-sky": "תכלת", + "color-yellow": "צהוב", + "comment": "לפרסם", + "comment-placeholder": "כתיבת הערה", + "comment-only": "הערה בלבד", + "comment-only-desc": "ניתן להעיר על כרטיסים בלבד.", + "computer": "מחשב", + "confirm-checklist-delete-dialog": "האם אתה בטוח שברצונך למחוק את רשימת המשימות", + "copy-card-link-to-clipboard": "העתקת קישור הכרטיס ללוח הגזירים", + "copyCardPopup-title": "העתק כרטיס", + "copyChecklistToManyCardsPopup-title": "העתקת תבנית רשימת מטלות למגוון כרטיסים", + "copyChecklistToManyCardsPopup-instructions": "כותרות ותיאורים של כרטיסי יעד בתצורת JSON זו", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"כותרת כרטיס ראשון\", \"description\":\"תיאור כרטיס ראשון\"}, {\"title\":\"כותרת כרטיס שני\",\"description\":\"תיאור כרטיס שני\"},{\"title\":\"כותרת כרטיס אחרון\",\"description\":\"תיאור כרטיס אחרון\"} ]", + "create": "יצירה", + "createBoardPopup-title": "יצירת לוח", + "chooseBoardSourcePopup-title": "ייבוא לוח", + "createLabelPopup-title": "יצירת תווית", + "createCustomField": "יצירת שדה", + "createCustomFieldPopup-title": "יצירת שדה", + "current": "נוכחי", + "custom-field-delete-pop": "אין אפשרות לבטל את הפעולה. הפעולה תסיר את השדה שהותאם אישית מכל הכרטיסים ותשמיד את ההיסטוריה שלו.", + "custom-field-checkbox": "תיבת סימון", + "custom-field-date": "תאריך", + "custom-field-dropdown": "רשימה נגללת", + "custom-field-dropdown-none": "(ללא)", + "custom-field-dropdown-options": "אפשרויות רשימה", + "custom-field-dropdown-options-placeholder": "יש ללחוץ על enter כדי להוסיף עוד אפשרויות", + "custom-field-dropdown-unknown": "(לא ידוע)", + "custom-field-number": "מספר", + "custom-field-text": "טקסט", + "custom-fields": "שדות מותאמים אישית", + "date": "תאריך", + "decline": "סירוב", + "default-avatar": "תמונת משתמש כבררת מחדל", + "delete": "מחיקה", + "deleteCustomFieldPopup-title": "למחוק שדה מותאם אישית?", + "deleteLabelPopup-title": "למחוק תווית?", + "description": "תיאור", + "disambiguateMultiLabelPopup-title": "הבהרת פעולת תווית", + "disambiguateMultiMemberPopup-title": "הבהרת פעולת חבר", + "discard": "התעלמות", + "done": "בוצע", + "download": "הורדה", + "edit": "עריכה", + "edit-avatar": "החלפת תמונת משתמש", + "edit-profile": "עריכת פרופיל", + "edit-wip-limit": "עריכת מגבלת „בעבודה”", + "soft-wip-limit": "מגבלת „בעבודה” רכה", + "editCardStartDatePopup-title": "שינוי מועד התחלה", + "editCardDueDatePopup-title": "שינוי מועד סיום", + "editCustomFieldPopup-title": "עריכת שדה", + "editCardSpentTimePopup-title": "שינוי הזמן שהושקע", + "editLabelPopup-title": "שינוי תווית", + "editNotificationPopup-title": "שינוי דיווח", + "editProfilePopup-title": "עריכת פרופיל", + "email": "דוא״ל", + "email-enrollAccount-subject": "נוצר עבורך חשבון באתר __siteName__", + "email-enrollAccount-text": "__user__ שלום,\n\nכדי להתחיל להשתמש בשירות, יש ללחוץ על הקישור המופיע להלן.\n\n__url__\n\nתודה.", + "email-fail": "שליחת ההודעה בדוא״ל נכשלה", + "email-fail-text": "שגיאה בעת ניסיון לשליחת הודעת דוא״ל", + "email-invalid": "כתובת דוא״ל לא חוקית", + "email-invite": "הזמנה באמצעות דוא״ל", + "email-invite-subject": "נשלחה אליך הזמנה מאת __inviter__", + "email-invite-text": "__user__ שלום,\n\nהוזמנת על ידי __inviter__ להצטרף ללוח „__board__“ להמשך שיתוף הפעולה.\n\nנא ללחוץ על הקישור המופיע להלן:\n\n__url__\n\nתודה.", + "email-resetPassword-subject": "ניתן לאפס את ססמתך לאתר __siteName__", + "email-resetPassword-text": "__user__ שלום,\n\nכדי לאפס את ססמתך, יש ללחוץ על הקישור המופיע להלן.\n\n__url__\n\nתודה.", + "email-sent": "הודעת הדוא״ל נשלחה", + "email-verifyEmail-subject": "אימות כתובת הדוא״ל שלך באתר __siteName__", + "email-verifyEmail-text": "__user__ שלום,\n\nלאימות כתובת הדוא״ל המשויכת לחשבונך, עליך פשוט ללחוץ על הקישור המופיע להלן.\n\n__url__\n\nתודה.", + "enable-wip-limit": "הפעלת מגבלת „בעבודה”", + "error-board-doesNotExist": "לוח זה אינו קיים", + "error-board-notAdmin": "צריכות להיות לך הרשאות ניהול על לוח זה כדי לעשות זאת", + "error-board-notAMember": "עליך לקבל חברות בלוח זה כדי לעשות זאת", + "error-json-malformed": "הטקסט שלך אינו JSON תקין", + "error-json-schema": "נתוני ה־JSON שלך לא כוללים את המידע הנכון בתבנית הנכונה", + "error-list-doesNotExist": "רשימה זו לא קיימת", + "error-user-doesNotExist": "משתמש זה לא קיים", + "error-user-notAllowSelf": "אינך יכול להזמין את עצמך", + "error-user-notCreated": "משתמש זה לא נוצר", + "error-username-taken": "המשתמש כבר קיים במערכת", + "error-email-taken": "כתובת הדוא\"ל כבר נמצאת בשימוש", + "export-board": "ייצוא לוח", + "filter": "מסנן", + "filter-cards": "סינון כרטיסים", + "filter-clear": "ניקוי המסנן", + "filter-no-label": "אין תווית", + "filter-no-member": "אין חבר כזה", + "filter-no-custom-fields": "אין שדות מותאמים אישית", + "filter-on": "המסנן פועל", + "filter-on-desc": "מסנן כרטיסים פעיל בלוח זה. יש ללחוץ כאן לעריכת המסנן.", + "filter-to-selection": "סינון לבחירה", + "advanced-filter-label": "מסנן מתקדם", + "advanced-filter-description": "המסנן המתקדם מאפשר לך לכתוב מחרוזת שמכילה את הפעולות הבאות: == != <= >= && || ( ) רווח מכהן כמפריד בין הפעולות. ניתן לסנן את כל השדות המותאמים אישית על ידי הקלדת שמם והערך שלהם. למשל: שדה1 == ערך1. לתשומת לבך: אם שדות או ערכים מכילים רווח, יש לעטוף אותם במירכא מכל צד. למשל: 'שדה 1' == 'ערך 1'. ניתן גם לשלב מגוון תנאים. למשל: F1 == V1 || F1 = V2. על פי רוב כל הפעולות מפוענחות משמאל לימין. ניתן לשנות את הסדר על ידי הצבת סוגריים. למשל: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "שם מלא", + "header-logo-title": "חזרה לדף הלוחות שלך.", + "hide-system-messages": "הסתרת הודעות מערכת", + "headerBarCreateBoardPopup-title": "יצירת לוח", + "home": "בית", + "import": "יבוא", + "import-board": "ייבוא לוח", + "import-board-c": "יבוא לוח", + "import-board-title-trello": "ייבוא לוח מטרלו", + "import-board-title-wekan": "ייבוא לוח מ־Wekan", + "import-sandstorm-warning": "הלוח שייובא ימחק את כל הנתונים הקיימים בלוח ויחליף אותם בלוח שייובא.", + "from-trello": "מ־Trello", + "from-wekan": "מ־Wekan", + "import-board-instruction-trello": "בלוח הטרלו שלך, עליך ללחוץ על ‚תפריט‘, ואז על ‚עוד‘, ‚הדפסה וייצוא‘, ‚יצוא JSON‘ ולהעתיק את הטקסט שנוצר.", + "import-board-instruction-wekan": "בלוח ה־Wekan, יש לגשת אל ‚תפריט‘, לאחר מכן ‚יצוא לוח‘ ולהעתיק את הטקסט בקובץ שהתקבל.", + "import-json-placeholder": "יש להדביק את נתוני ה־JSON התקינים לכאן", + "import-map-members": "מיפוי חברים", + "import-members-map": "הלוחות המיובאים שלך מכילים חברים. נא למפות את החברים שברצונך לייבא למשתמשי Wekan", + "import-show-user-mapping": "סקירת מיפוי חברים", + "import-user-select": "נא לבחור את המשתמש ב־Wekan בו ברצונך להשתמש עבור חבר זה", + "importMapMembersAddPopup-title": "בחירת משתמש Wekan", + "info": "גרסא", + "initials": "ראשי תיבות", + "invalid-date": "תאריך שגוי", + "invalid-time": "זמן שגוי", + "invalid-user": "משתמש שגוי", + "joined": "הצטרף", + "just-invited": "הוזמנת ללוח זה", + "keyboard-shortcuts": "קיצורי מקלדת", + "label-create": "יצירת תווית", + "label-default": "תווית בצבע %s (בררת מחדל)", + "label-delete-pop": "אין דרך חזרה. התווית תוסר מכל הכרטיסים וההיסטוריה תימחק.", + "labels": "תוויות", + "language": "שפה", + "last-admin-desc": "אין אפשרות לשנות תפקידים כיוון שחייב להיות מנהל אחד לפחות.", + "leave-board": "עזיבת הלוח", + "leave-board-pop": "לעזוב את __boardTitle__? שמך יוסר מכל הכרטיסים שבלוח זה.", + "leaveBoardPopup-title": "לעזוב לוח ?", + "link-card": "קישור לכרטיס זה", + "list-archive-cards": "להעביר את כל הכרטיסים לסל המחזור", + "list-archive-cards-pop": "פעולה זו תסיר את כל הכרטיסים שברשימה זו מהלוח. כדי לצפות בכרטיסים בסל המחזור ולהשיב אותם ללוח ניתן ללחוץ על „תפריט” > „סל מחזור”.", + "list-move-cards": "העברת כל הכרטיסים שברשימה זו", + "list-select-cards": "בחירת כל הכרטיסים שברשימה זו", + "listActionPopup-title": "פעולות רשימה", + "swimlaneActionPopup-title": "פעולות על מסלול", + "listImportCardPopup-title": "יבוא כרטיס מ־Trello", + "listMorePopup-title": "עוד", + "link-list": "קישור לרשימה זו", + "list-delete-pop": "כל הפעולות תוסרנה מרצף הפעילות ולא תהיה לך אפשרות לשחזר את הרשימה. אין ביטול.", + "list-delete-suggest-archive": "ניתן להעביר רשימה לסל מחזור כדי להסיר אותה מהלוח ולשמר את הפעילות.", + "lists": "רשימות", + "swimlanes": "מסלולים", + "log-out": "יציאה", + "log-in": "כניסה", + "loginPopup-title": "כניסה", + "memberMenuPopup-title": "הגדרות חברות", + "members": "חברים", + "menu": "תפריט", + "move-selection": "העברת הבחירה", + "moveCardPopup-title": "העברת כרטיס", + "moveCardToBottom-title": "העברת כרטיס לתחתית הרשימה", + "moveCardToTop-title": "העברת כרטיס לראש הרשימה ", + "moveSelectionPopup-title": "העברת בחירה", + "multi-selection": "בחירה מרובה", + "multi-selection-on": "בחירה מרובה פועלת", + "muted": "מושתק", + "muted-info": "מעתה לא תתקבלנה אצלך התרעות על שינויים בלוח זה", + "my-boards": "הלוחות שלי", + "name": "שם", + "no-archived-cards": "אין כרטיסים בסל המחזור.", + "no-archived-lists": "אין רשימות בסל המחזור.", + "no-archived-swimlanes": "אין מסלולים בסל המחזור.", + "no-results": "אין תוצאות", + "normal": "רגיל", + "normal-desc": "הרשאה לצפות ולערוך כרטיסים. לא ניתן לשנות הגדרות.", + "not-accepted-yet": "ההזמנה לא אושרה עדיין", + "notify-participate": "קבלת עדכונים על כרטיסים בהם יש לך מעורבות הן בתהליך היצירה והן כחבר", + "notify-watch": "קבלת עדכונים על כל לוח, רשימה או כרטיס שסימנת למעקב", + "optional": "רשות", + "or": "או", + "page-maybe-private": "יתכן שדף זה פרטי. ניתן לצפות בו על ידי כניסה למערכת", + "page-not-found": "דף לא נמצא.", + "password": "ססמה", + "paste-or-dragdrop": "כדי להדביק או לגרור ולשחרר קובץ תמונה אליו (תמונות בלבד)", + "participating": "משתתפים", + "preview": "תצוגה מקדימה", + "previewAttachedImagePopup-title": "תצוגה מקדימה", + "previewClipboardImagePopup-title": "תצוגה מקדימה", + "private": "פרטי", + "private-desc": "לוח זה פרטי. רק אנשים שנוספו ללוח יכולים לצפות ולערוך אותו.", + "profile": "פרופיל", + "public": "ציבורי", + "public-desc": "לוח זה ציבורי. כל מי שמחזיק בקישור יכול לצפות בלוח והוא יופיע בתוצאות מנועי חיפוש כגון גוגל. רק אנשים שנוספו ללוח יכולים לערוך אותו.", + "quick-access-description": "לחיצה על הכוכב תוסיף קיצור דרך ללוח בשורה זו.", + "remove-cover": "הסרת כיסוי", + "remove-from-board": "הסרה מהלוח", + "remove-label": "הסרת תווית", + "listDeletePopup-title": "למחוק את הרשימה?", + "remove-member": "הסרת חבר", + "remove-member-from-card": "הסרה מהכרטיס", + "remove-member-pop": "להסיר את __name__ (__username__) מ__boardTitle__? התהליך יגרום להסרת החבר מכל הכרטיסים בלוח זה. תישלח הודעה אל החבר.", + "removeMemberPopup-title": "להסיר חבר?", + "rename": "שינוי שם", + "rename-board": "שינוי שם ללוח", + "restore": "שחזור", + "save": "שמירה", + "search": "חיפוש", + "search-cards": "חיפוש אחר כותרות ותיאורים של כרטיסים בלוח זה", + "search-example": "טקסט לחיפוש ?", + "select-color": "בחירת צבע", + "set-wip-limit-value": "הגדרת מגבלה למספר המרבי של משימות ברשימה זו", + "setWipLimitPopup-title": "הגדרת מגבלת „בעבודה”", + "shortcut-assign-self": "להקצות אותי לכרטיס הנוכחי", + "shortcut-autocomplete-emoji": "השלמה אוטומטית לאימוג׳י", + "shortcut-autocomplete-members": "השלמה אוטומטית של חברים", + "shortcut-clear-filters": "ביטול כל המסננים", + "shortcut-close-dialog": "סגירת החלון", + "shortcut-filter-my-cards": "סינון הכרטיסים שלי", + "shortcut-show-shortcuts": "העלאת רשימת קיצורים זו", + "shortcut-toggle-filterbar": "הצגה או הסתרה של סרגל צד הסינון", + "shortcut-toggle-sidebar": "הצגה או הסתרה של סרגל צד הלוח", + "show-cards-minimum-count": "הצגת ספירת כרטיסים אם רשימה מכילה למעלה מ־", + "sidebar-open": "פתיחת סרגל צד", + "sidebar-close": "סגירת סרגל צד", + "signupPopup-title": "יצירת חשבון", + "star-board-title": "ניתן ללחוץ כדי לסמן בכוכב. הלוח יופיע בראש רשימת הלוחות שלך.", + "starred-boards": "לוחות שסומנו בכוכב", + "starred-boards-description": "לוחות מסומנים בכוכב מופיעים בראש רשימת הלוחות שלך.", + "subscribe": "הרשמה", + "team": "צוות", + "this-board": "לוח זה", + "this-card": "כרטיס זה", + "spent-time-hours": "זמן שהושקע (שעות)", + "overtime-hours": "שעות נוספות", + "overtime": "שעות נוספות", + "has-overtime-cards": "יש כרטיסי שעות נוספות", + "has-spenttime-cards": "ניצל את כרטיסי הזמן שהושקע", + "time": "זמן", + "title": "כותרת", + "tracking": "מעקב", + "tracking-info": "על כל שינוי בכרטיסים בהם הייתה לך מעורבות ברמת היצירה או כחברות תגיע אליך הודעה.", + "type": "סוג", + "unassign-member": "ביטול הקצאת חבר", + "unsaved-description": "יש לך תיאור לא שמור.", + "unwatch": "ביטול מעקב", + "upload": "העלאה", + "upload-avatar": "העלאת תמונת משתמש", + "uploaded-avatar": "הועלתה תמונה משתמש", + "username": "שם משתמש", + "view-it": "הצגה", + "warn-list-archived": "אזהרה: כרטיס זה נמצא ברשימה בסל המחזור", + "watch": "לעקוב", + "watching": "במעקב", + "watching-info": "מעתה יגיעו אליך דיווחים על כל שינוי בלוח זה", + "welcome-board": "לוח קבלת פנים", + "welcome-swimlane": "ציון דרך 1", + "welcome-list1": "יסודות", + "welcome-list2": "מתקדם", + "what-to-do": "מה ברצונך לעשות?", + "wipLimitErrorPopup-title": "מגבלת „בעבודה” שגויה", + "wipLimitErrorPopup-dialog-pt1": "מספר המשימות ברשימה זו גדולה ממגבלת הפריטים „בעבודה” שהגדרת.", + "wipLimitErrorPopup-dialog-pt2": "נא להוציא חלק מהמשימות מרשימה זו או להגדיר מגבלת „בעבודה” גדולה יותר.", + "admin-panel": "חלונית ניהול המערכת", + "settings": "הגדרות", + "people": "אנשים", + "registration": "הרשמה", + "disable-self-registration": "השבתת הרשמה עצמית", + "invite": "הזמנה", + "invite-people": "הזמנת אנשים", + "to-boards": "ללוח/ות", + "email-addresses": "כתובות דוא״ל", + "smtp-host-description": "כתובת שרת ה־SMTP שמטפל בהודעות הדוא״ל שלך.", + "smtp-port-description": "מספר הפתחה בה שרת ה־SMTP שלך משתמש לדוא״ל יוצא.", + "smtp-tls-description": "הפעל תמיכה ב־TLS עבור שרת ה־SMTP", + "smtp-host": "כתובת ה־SMTP", + "smtp-port": "פתחת ה־SMTP", + "smtp-username": "שם משתמש", + "smtp-password": "ססמה", + "smtp-tls": "תמיכה ב־TLS", + "send-from": "מאת", + "send-smtp-test": "שליחת דוא״ל בדיקה לעצמך", + "invitation-code": "קוד הזמנה", + "email-invite-register-subject": "נשלחה אליך הזמנה מאת __inviter__", + "email-invite-register-text": "__user__ יקר,\n\nקיבלת הזמנה מאת __inviter__ לשתף פעולה ב־Wekan.\n\nנא ללחוץ על הקישור:\n__url__\n\nקוד ההזמנה שלך הוא: __icode__\n\nתודה.", + "email-smtp-test-subject": "הודעת בדיקה דרך SMTP מאת Wekan", + "email-smtp-test-text": "שלחת הודעת דוא״ל בהצלחה", + "error-invitation-code-not-exist": "קוד ההזמנה אינו קיים", + "error-notAuthorized": "אין לך הרשאה לצפות בעמוד זה.", + "outgoing-webhooks": "קרסי רשת יוצאים", + "outgoingWebhooksPopup-title": "קרסי רשת יוצאים", + "new-outgoing-webhook": "קרסי רשת יוצאים חדשים", + "no-name": "(לא ידוע)", + "Wekan_version": "גרסת Wekan", + "Node_version": "גרסת Node", + "OS_Arch": "ארכיטקטורת מערכת הפעלה", + "OS_Cpus": "מספר מעבדים", + "OS_Freemem": "זיכרון (RAM) פנוי", + "OS_Loadavg": "עומס ממוצע ", + "OS_Platform": "מערכת הפעלה", + "OS_Release": "גרסת מערכת הפעלה", + "OS_Totalmem": "סך הכל זיכרון (RAM)", + "OS_Type": "סוג מערכת ההפעלה", + "OS_Uptime": "זמן שעבר מאז האתחול האחרון", + "hours": "שעות", + "minutes": "דקות", + "seconds": "שניות", + "show-field-on-card": "הצגת שדה זה בכרטיס", + "yes": "כן", + "no": "לא", + "accounts": "חשבונות", + "accounts-allowEmailChange": "אפשר שינוי דוא\"ל", + "accounts-allowUserNameChange": "לאפשר שינוי שם משתמש", + "createdAt": "נוצר ב", + "verified": "עבר אימות", + "active": "פעיל", + "card-received": "התקבל", + "card-received-on": "התקבל במועד", + "card-end": "סיום", + "card-end-on": "מועד הסיום", + "editCardReceivedDatePopup-title": "החלפת מועד הקבלה", + "editCardEndDatePopup-title": "החלפת מועד הסיום", + "assigned-by": "הוקצה על ידי", + "requested-by": "התבקש על ידי", + "board-delete-notice": "מחיקה היא לצמיתות. כל הרשימות, הכרטיבים והפעולות שקשורים בלוח הזה ילכו לאיבוד.", + "delete-board-confirm-popup": "כל הרשימות, הכרטיסים, התווית והפעולות יימחקו ולא תהיה לך דרך לשחזר את תכני הלוח. אין אפשרות לבטל.", + "boardDeletePopup-title": "למחוק את הלוח?", + "delete-board": "מחיקת לוח" +} \ No newline at end of file diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json new file mode 100644 index 00000000..0dfb11f0 --- /dev/null +++ b/i18n/hu.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Elfogadás", + "act-activity-notify": "[Wekan] Tevékenység értesítés", + "act-addAttachment": "__attachment__ mellékletet csatolt a kártyához: __card__", + "act-addChecklist": "__checklist__ ellenőrzőlistát adott hozzá a kártyához: __card__", + "act-addChecklistItem": "__checklistItem__ elemet adott hozzá a(z) __checklist__ ellenőrzőlistához ezen a kártyán: __card__", + "act-addComment": "hozzászólt a(z) __card__ kártyán: __comment__", + "act-createBoard": "létrehozta a táblát: __board__", + "act-createCard": "__card__ kártyát adott hozzá a listához: __list__", + "act-createCustomField": "létrehozta a(z) __customField__ egyéni listát", + "act-createList": "__list__ listát adott hozzá a táblához: __board__", + "act-addBoardMember": "__member__ tagot hozzáadta a táblához: __board__", + "act-archivedBoard": "A(z) __board__ tábla áthelyezve a lomtárba", + "act-archivedCard": "A(z) __card__ kártya áthelyezve a lomtárba", + "act-archivedList": "A(z) __list__ lista áthelyezve a lomtárba", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "importálta a táblát: __board__", + "act-importCard": "importálta a kártyát: __card__", + "act-importList": "importálta a listát: __list__", + "act-joinMember": "__member__ tagot hozzáadta a kártyához: __card__", + "act-moveCard": "áthelyezte a(z) __card__ kártyát: __oldList__ → __list__", + "act-removeBoardMember": "eltávolította __member__ tagot a tábláról: __board__", + "act-restoredCard": "visszaállította a(z) __card__ kártyát ide: __board__", + "act-unjoinMember": "eltávolította __member__ tagot a kártyáról: __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Műveletek", + "activities": "Tevékenységek", + "activity": "Tevékenység", + "activity-added": "%s hozzáadva ehhez: %s", + "activity-archived": "%s áthelyezve a lomtárba", + "activity-attached": "%s mellékletet csatolt a kártyához: %s", + "activity-created": "%s létrehozva", + "activity-customfield-created": "létrehozta a(z) %s egyéni mezőt", + "activity-excluded": "%s kizárva innen: %s", + "activity-imported": "%s importálva ebbe: %s, innen: %s", + "activity-imported-board": "%s importálva innen: %s", + "activity-joined": "%s csatlakozott", + "activity-moved": "%s áthelyezve: %s → %s", + "activity-on": "ekkor: %s", + "activity-removed": "%s eltávolítva innen: %s", + "activity-sent": "%s elküldve ide: %s", + "activity-unjoined": "%s kilépett a csoportból", + "activity-checklist-added": "ellenőrzőlista hozzáadva ehhez: %s", + "activity-checklist-item-added": "ellenőrzőlista elem hozzáadva ehhez: „%s”, ebben: %s", + "add": "Hozzáadás", + "add-attachment": "Melléklet hozzáadása", + "add-board": "Tábla hozzáadása", + "add-card": "Kártya hozzáadása", + "add-swimlane": "Add Swimlane", + "add-checklist": "Ellenőrzőlista hozzáadása", + "add-checklist-item": "Elem hozzáadása az ellenőrzőlistához", + "add-cover": "Borító hozzáadása", + "add-label": "Címke hozzáadása", + "add-list": "Lista hozzáadása", + "add-members": "Tagok hozzáadása", + "added": "Hozzáadva", + "addMemberPopup-title": "Tagok", + "admin": "Adminisztrátor", + "admin-desc": "Megtekintheti és szerkesztheti a kártyákat, eltávolíthat tagokat, valamint megváltoztathatja a tábla beállításait.", + "admin-announcement": "Bejelentés", + "admin-announcement-active": "Bekapcsolt rendszerszintű bejelentés", + "admin-announcement-title": "Bejelentés az adminisztrátortól", + "all-boards": "Összes tábla", + "and-n-other-card": "És __count__ egyéb kártya", + "and-n-other-card_plural": "És __count__ egyéb kártya", + "apply": "Alkalmaz", + "app-is-offline": "A Wekan betöltés alatt van, kérem várjon. Az oldal újratöltése adatvesztést okoz. Ha a Wekan nem töltődik be, akkor ellenőrizze, hogy a Wekan kiszolgáló nem állt-e le.", + "archive": "Lomtárba", + "archive-all": "Összes lomtárba helyezése", + "archive-board": "Tábla lomtárba helyezése", + "archive-card": "Kártya lomtárba helyezése", + "archive-list": "Lista lomtárba helyezése", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Kijelölés lomtárba helyezése", + "archiveBoardPopup-title": "Lomtárba helyezi a táblát?", + "archived-items": "Lomtár", + "archived-boards": "Lomtárban lévő táblák", + "restore-board": "Tábla visszaállítása", + "no-archived-boards": "Nincs tábla a lomtárban.", + "archives": "Lomtár", + "assign-member": "Tag hozzárendelése", + "attached": "csatolva", + "attachment": "Melléklet", + "attachment-delete-pop": "A melléklet törlése végeleges. Nincs visszaállítás.", + "attachmentDeletePopup-title": "Törli a mellékletet?", + "attachments": "Mellékletek", + "auto-watch": "Táblák automatikus megtekintése, amikor létrejönnek", + "avatar-too-big": "Az avatár túl nagy (legfeljebb 70 KB)", + "back": "Vissza", + "board-change-color": "Szín megváltoztatása", + "board-nb-stars": "%s csillag", + "board-not-found": "A tábla nem található", + "board-private-info": "Ez a tábla legyen személyes.", + "board-public-info": "Ez a tábla legyen nyilvános.", + "boardChangeColorPopup-title": "Tábla hátterének megváltoztatása", + "boardChangeTitlePopup-title": "Tábla átnevezése", + "boardChangeVisibilityPopup-title": "Láthatóság megváltoztatása", + "boardChangeWatchPopup-title": "Megfigyelés megváltoztatása", + "boardMenuPopup-title": "Tábla menü", + "boards": "Táblák", + "board-view": "Tábla nézet", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Listák", + "bucket-example": "Mint például „Bakancslista”", + "cancel": "Mégse", + "card-archived": "Ez a kártya a lomtárba került.", + "card-comments-title": "Ez a kártya %s hozzászólást tartalmaz.", + "card-delete-notice": "A törlés végleges. Az összes műveletet elveszíti, amely ehhez a kártyához tartozik.", + "card-delete-pop": "Az összes művelet el lesz távolítva a tevékenységlistából, és nem lesz képes többé újra megnyitni a kártyát. Nincs visszaállítási lehetőség.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Esedékes", + "card-due-on": "Esedékes ekkor", + "card-spent": "Eltöltött idő", + "card-edit-attachments": "Mellékletek szerkesztése", + "card-edit-custom-fields": "Egyéni mezők szerkesztése", + "card-edit-labels": "Címkék szerkesztése", + "card-edit-members": "Tagok szerkesztése", + "card-labels-title": "A kártya címkéinek megváltoztatása.", + "card-members-title": "A tábla tagjainak hozzáadása vagy eltávolítása a kártyáról.", + "card-start": "Kezdés", + "card-start-on": "Kezdés ekkor", + "cardAttachmentsPopup-title": "Innen csatolva", + "cardCustomField-datePopup-title": "Dátum megváltoztatása", + "cardCustomFieldsPopup-title": "Egyéni mezők szerkesztése", + "cardDeletePopup-title": "Törli a kártyát?", + "cardDetailsActionsPopup-title": "Kártyaműveletek", + "cardLabelsPopup-title": "Címkék", + "cardMembersPopup-title": "Tagok", + "cardMorePopup-title": "Több", + "cards": "Kártyák", + "cards-count": "Kártyák", + "change": "Változtatás", + "change-avatar": "Avatár megváltoztatása", + "change-password": "Jelszó megváltoztatása", + "change-permissions": "Jogosultságok megváltoztatása", + "change-settings": "Beállítások megváltoztatása", + "changeAvatarPopup-title": "Avatár megváltoztatása", + "changeLanguagePopup-title": "Nyelv megváltoztatása", + "changePasswordPopup-title": "Jelszó megváltoztatása", + "changePermissionsPopup-title": "Jogosultságok megváltoztatása", + "changeSettingsPopup-title": "Beállítások megváltoztatása", + "checklists": "Ellenőrzőlisták", + "click-to-star": "Kattintson a tábla csillagozásához.", + "click-to-unstar": "Kattintson a tábla csillagának eltávolításához.", + "clipboard": "Vágólap vagy fogd és vidd", + "close": "Bezárás", + "close-board": "Tábla bezárása", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "fekete", + "color-blue": "kék", + "color-green": "zöld", + "color-lime": "citrus", + "color-orange": "narancssárga", + "color-pink": "rózsaszín", + "color-purple": "lila", + "color-red": "piros", + "color-sky": "égszínkék", + "color-yellow": "sárga", + "comment": "Megjegyzés", + "comment-placeholder": "Megjegyzés írása", + "comment-only": "Csak megjegyzés", + "comment-only-desc": "Csak megjegyzést írhat a kártyákhoz.", + "computer": "Számítógép", + "confirm-checklist-delete-dialog": "Biztosan törölni szeretné az ellenőrzőlistát?", + "copy-card-link-to-clipboard": "Kártya hivatkozásának másolása a vágólapra", + "copyCardPopup-title": "Kártya másolása", + "copyChecklistToManyCardsPopup-title": "Ellenőrzőlista sablon másolása több kártyára", + "copyChecklistToManyCardsPopup-instructions": "A célkártyák címe és a leírások ebben a JSON formátumban", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Első kártya címe\", \"description\":\"Első kártya leírása\"}, {\"title\":\"Második kártya címe\",\"description\":\"Második kártya leírása\"},{\"title\":\"Utolsó kártya címe\",\"description\":\"Utolsó kártya leírása\"} ]", + "create": "Létrehozás", + "createBoardPopup-title": "Tábla létrehozása", + "chooseBoardSourcePopup-title": "Tábla importálása", + "createLabelPopup-title": "Címke létrehozása", + "createCustomField": "Mező létrehozása", + "createCustomFieldPopup-title": "Mező létrehozása", + "current": "jelenlegi", + "custom-field-delete-pop": "Nincs visszavonás. Ez el fogja távolítani az egyéni mezőt az összes kártyáról, és megsemmisíti az előzményeit.", + "custom-field-checkbox": "Jelölőnégyzet", + "custom-field-date": "Dátum", + "custom-field-dropdown": "Legördülő lista", + "custom-field-dropdown-none": "(nincs)", + "custom-field-dropdown-options": "Lista lehetőségei", + "custom-field-dropdown-options-placeholder": "Nyomja meg az Enter billentyűt több lehetőség hozzáadásához", + "custom-field-dropdown-unknown": "(ismeretlen)", + "custom-field-number": "Szám", + "custom-field-text": "Szöveg", + "custom-fields": "Egyéni mezők", + "date": "Dátum", + "decline": "Elutasítás", + "default-avatar": "Alapértelmezett avatár", + "delete": "Törlés", + "deleteCustomFieldPopup-title": "Törli az egyéni mezőt?", + "deleteLabelPopup-title": "Törli a címkét?", + "description": "Leírás", + "disambiguateMultiLabelPopup-title": "Címkeművelet egyértelműsítése", + "disambiguateMultiMemberPopup-title": "Tagművelet egyértelműsítése", + "discard": "Eldobás", + "done": "Kész", + "download": "Letöltés", + "edit": "Szerkesztés", + "edit-avatar": "Avatár megváltoztatása", + "edit-profile": "Profil szerkesztése", + "edit-wip-limit": "WIP korlát szerkesztése", + "soft-wip-limit": "Gyenge WIP korlát", + "editCardStartDatePopup-title": "Kezdődátum megváltoztatása", + "editCardDueDatePopup-title": "Esedékesség dátumának megváltoztatása", + "editCustomFieldPopup-title": "Mező szerkesztése", + "editCardSpentTimePopup-title": "Eltöltött idő megváltoztatása", + "editLabelPopup-title": "Címke megváltoztatása", + "editNotificationPopup-title": "Értesítés szerkesztése", + "editProfilePopup-title": "Profil szerkesztése", + "email": "E-mail", + "email-enrollAccount-subject": "Létrejött a profilja a következő oldalon: __siteName__", + "email-enrollAccount-text": "Kedves __user__!\n\nA szolgáltatás használatának megkezdéséhez egyszerűen kattintson a lenti hivatkozásra.\n\n__url__\n\nKöszönjük.", + "email-fail": "Az e-mail küldése nem sikerült", + "email-fail-text": "Hiba az e-mail küldésének kísérlete közben", + "email-invalid": "Érvénytelen e-mail", + "email-invite": "Meghívás e-mailben", + "email-invite-subject": "__inviter__ egy meghívást küldött Önnek", + "email-invite-text": "Kedves __user__!\n\n__inviter__ meghívta Önt, hogy csatlakozzon a(z) „__board__” táblán történő együttműködéshez.\n\nKattintson az alábbi hivatkozásra:\n\n__url__\n\nKöszönjük.", + "email-resetPassword-subject": "Jelszó visszaállítása ezen az oldalon: __siteName__", + "email-resetPassword-text": "Kedves __user__!\n\nA jelszava visszaállításához egyszerűen kattintson a lenti hivatkozásra.\n\n__url__\n\nKöszönjük.", + "email-sent": "E-mail elküldve", + "email-verifyEmail-subject": "Igazolja vissza az e-mail címét a következő oldalon: __siteName__", + "email-verifyEmail-text": "Kedves __user__!\n\nAz e-mail fiókjának visszaigazolásához egyszerűen kattintson a lenti hivatkozásra.\n\n__url__\n\nKöszönjük.", + "enable-wip-limit": "WIP korlát engedélyezése", + "error-board-doesNotExist": "Ez a tábla nem létezik", + "error-board-notAdmin": "A tábla adminisztrátorának kell lennie, hogy ezt megtehesse", + "error-board-notAMember": "A tábla tagjának kell lennie, hogy ezt megtehesse", + "error-json-malformed": "A szöveg nem érvényes JSON", + "error-json-schema": "A JSON adatok nem a helyes formátumban tartalmazzák a megfelelő információkat", + "error-list-doesNotExist": "Ez a lista nem létezik", + "error-user-doesNotExist": "Ez a felhasználó nem létezik", + "error-user-notAllowSelf": "Nem hívhatja meg saját magát", + "error-user-notCreated": "Ez a felhasználó nincs létrehozva", + "error-username-taken": "Ez a felhasználónév már foglalt", + "error-email-taken": "Az e-mail már foglalt", + "export-board": "Tábla exportálása", + "filter": "Szűrő", + "filter-cards": "Kártyák szűrése", + "filter-clear": "Szűrő törlése", + "filter-no-label": "Nincs címke", + "filter-no-member": "Nincs tag", + "filter-no-custom-fields": "Nincsenek egyéni mezők", + "filter-on": "Szűrő bekapcsolva", + "filter-on-desc": "A kártyaszűrés be van kapcsolva ezen a táblán. Kattintson ide a szűrő szerkesztéséhez.", + "filter-to-selection": "Szűrés a kijelöléshez", + "advanced-filter-label": "Speciális szűrő", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Teljes név", + "header-logo-title": "Vissza a táblák oldalára.", + "hide-system-messages": "Rendszerüzenetek elrejtése", + "headerBarCreateBoardPopup-title": "Tábla létrehozása", + "home": "Kezdőlap", + "import": "Importálás", + "import-board": "tábla importálása", + "import-board-c": "Tábla importálása", + "import-board-title-trello": "Tábla importálása a Trello oldalról", + "import-board-title-wekan": "Tábla importálása a Wekan oldalról", + "import-sandstorm-warning": "Az importált tábla törölni fogja a táblán lévő összes meglévő adatot, és kicseréli az importált táblával.", + "from-trello": "A Trello oldalról", + "from-wekan": "A Wekan oldalról", + "import-board-instruction-trello": "A Trello tábláján menjen a „Menü”, majd a „Több”, „Nyomtatás és exportálás”, „JSON exportálása” menüpontokra, és másolja ki az eredményül kapott szöveget.", + "import-board-instruction-wekan": "A Wekan tábláján menjen a „Menü”, majd a „Tábla exportálás” menüpontra, és másolja ki a letöltött fájlban lévő szöveget.", + "import-json-placeholder": "Illessze be ide az érvényes JSON adatokat", + "import-map-members": "Tagok leképezése", + "import-members-map": "Az importált táblának van néhány tagja. Képezze le a tagokat, akiket importálni szeretne a Wekan felhasználókba.", + "import-show-user-mapping": "Tagok leképezésének vizsgálata", + "import-user-select": "Válassza ki a Wekan felhasználót, akit ezen tagként használni szeretne", + "importMapMembersAddPopup-title": "Wekan tag kiválasztása", + "info": "Verzió", + "initials": "Kezdőbetűk", + "invalid-date": "Érvénytelen dátum", + "invalid-time": "Érvénytelen idő", + "invalid-user": "Érvénytelen felhasználó", + "joined": "csatlakozott", + "just-invited": "Éppen most hívták meg erre a táblára", + "keyboard-shortcuts": "Gyorsbillentyűk", + "label-create": "Címke létrehozása", + "label-default": "%s címke (alapértelmezett)", + "label-delete-pop": "Nincs visszavonás. Ez el fogja távolítani ezt a címkét az összes kártyáról, és törli az előzményeit.", + "labels": "Címkék", + "language": "Nyelv", + "last-admin-desc": "Nem változtathatja meg a szerepeket, mert legalább egy adminisztrátora szükség van.", + "leave-board": "Tábla elhagyása", + "leave-board-pop": "Biztosan el szeretné hagyni ezt a táblát: __boardTitle__? El lesz távolítva a táblán lévő összes kártyáról.", + "leaveBoardPopup-title": "Elhagyja a táblát?", + "link-card": "Összekapcsolás ezzel a kártyával", + "list-archive-cards": "Az összes kártya lomtárba helyezése ezen a listán.", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "A listán lévő összes kártya áthelyezése", + "list-select-cards": "A listán lévő összes kártya kiválasztása", + "listActionPopup-title": "Műveletek felsorolása", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Trello kártya importálása", + "listMorePopup-title": "Több", + "link-list": "Összekapcsolás ezzel a listával", + "list-delete-pop": "Az összes művelet el lesz távolítva a tevékenységlistából, és nem lesz lehetősége visszaállítani a listát. Nincs visszavonás.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Listák", + "swimlanes": "Swimlanes", + "log-out": "Kijelentkezés", + "log-in": "Bejelentkezés", + "loginPopup-title": "Bejelentkezés", + "memberMenuPopup-title": "Tagok beállításai", + "members": "Tagok", + "menu": "Menü", + "move-selection": "Kijelölés áthelyezése", + "moveCardPopup-title": "Kártya áthelyezése", + "moveCardToBottom-title": "Áthelyezés az aljára", + "moveCardToTop-title": "Áthelyezés a tetejére", + "moveSelectionPopup-title": "Kijelölés áthelyezése", + "multi-selection": "Többszörös kijelölés", + "multi-selection-on": "Többszörös kijelölés bekapcsolva", + "muted": "Némítva", + "muted-info": "Soha sem lesz értesítve a táblán lévő semmilyen változásról.", + "my-boards": "Saját tábláim", + "name": "Név", + "no-archived-cards": "Nincs kártya a lomtárban.", + "no-archived-lists": "Nincs lista a lomtárban.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Nincs találat", + "normal": "Normál", + "normal-desc": "Megtekintheti és szerkesztheti a kártyákat. Nem változtathatja meg a beállításokat.", + "not-accepted-yet": "A meghívás még nincs elfogadva", + "notify-participate": "Frissítések fogadása bármely kártyánál, amelynél létrehozóként vagy tagként vesz részt", + "notify-watch": "Frissítések fogadása bármely táblánál, listánál vagy kártyánál, amelyet megtekint", + "optional": "opcionális", + "or": "vagy", + "page-maybe-private": "Ez az oldal személyes lehet. Esetleg megtekintheti, ha bejelentkezik.", + "page-not-found": "Az oldal nem található.", + "password": "Jelszó", + "paste-or-dragdrop": "illessze be, vagy fogd és vidd módon húzza ide a képfájlt (csak képeket)", + "participating": "Részvétel", + "preview": "Előnézet", + "previewAttachedImagePopup-title": "Előnézet", + "previewClipboardImagePopup-title": "Előnézet", + "private": "Személyes", + "private-desc": "Ez a tábla személyes. Csak a táblához hozzáadott emberek tekinthetik meg és szerkeszthetik.", + "profile": "Profil", + "public": "Nyilvános", + "public-desc": "Ez a tábla nyilvános. A hivatkozás birtokában bárki számára látható, és megjelenik az olyan keresőmotorokban, mint például a Google. Csak a táblához hozzáadott emberek szerkeszthetik.", + "quick-access-description": "Csillagozzon meg egy táblát egy gyors hivatkozás hozzáadásához ebbe a sávba.", + "remove-cover": "Borító eltávolítása", + "remove-from-board": "Eltávolítás a tábláról", + "remove-label": "Címke eltávolítása", + "listDeletePopup-title": "Törli a listát?", + "remove-member": "Tag eltávolítása", + "remove-member-from-card": "Eltávolítás a kártyáról", + "remove-member-pop": "Eltávolítja __name__ (__username__) felhasználót a tábláról: __boardTitle__? A tag el lesz távolítva a táblán lévő összes kártyáról. Értesítést fog kapni erről.", + "removeMemberPopup-title": "Eltávolítja a tagot?", + "rename": "Átnevezés", + "rename-board": "Tábla átnevezése", + "restore": "Visszaállítás", + "save": "Mentés", + "search": "Keresés", + "search-cards": "Keresés a táblán lévő kártyák címében illetve leírásában", + "search-example": "keresőkifejezés", + "select-color": "Szín kiválasztása", + "set-wip-limit-value": "Korlát beállítása a listán lévő feladatok legnagyobb számához", + "setWipLimitPopup-title": "WIP korlát beállítása", + "shortcut-assign-self": "Önmaga hozzárendelése a jelenlegi kártyához", + "shortcut-autocomplete-emoji": "Emodzsi automatikus kiegészítése", + "shortcut-autocomplete-members": "Tagok automatikus kiegészítése", + "shortcut-clear-filters": "Összes szűrő törlése", + "shortcut-close-dialog": "Párbeszédablak bezárása", + "shortcut-filter-my-cards": "Kártyáim szűrése", + "shortcut-show-shortcuts": "A hivatkozási lista előre hozása", + "shortcut-toggle-filterbar": "Szűrő oldalsáv ki- és bekapcsolása", + "shortcut-toggle-sidebar": "Tábla oldalsáv ki- és bekapcsolása", + "show-cards-minimum-count": "Kártyaszámok megjelenítése, ha a lista többet tartalmaz mint", + "sidebar-open": "Oldalsáv megnyitása", + "sidebar-close": "Oldalsáv bezárása", + "signupPopup-title": "Fiók létrehozása", + "star-board-title": "Kattintson a tábla csillagozásához. Meg fog jelenni a táblalistája tetején.", + "starred-boards": "Csillagozott táblák", + "starred-boards-description": "A csillagozott táblák megjelennek a táblalistája tetején.", + "subscribe": "Feliratkozás", + "team": "Csapat", + "this-board": "ez a tábla", + "this-card": "ez a kártya", + "spent-time-hours": "Eltöltött idő (óra)", + "overtime-hours": "Túlóra (óra)", + "overtime": "Túlóra", + "has-overtime-cards": "Van túlórás kártyája", + "has-spenttime-cards": "Has spent time cards", + "time": "Idő", + "title": "Cím", + "tracking": "Követés", + "tracking-info": "Értesítve lesz az összes olyan kártya változásáról, amelyen létrehozóként vagy tagként vesz részt.", + "type": "Típus", + "unassign-member": "Tag hozzárendelésének megszüntetése", + "unsaved-description": "Van egy mentetlen leírása.", + "unwatch": "Megfigyelés megszüntetése", + "upload": "Feltöltés", + "upload-avatar": "Egy avatár feltöltése", + "uploaded-avatar": "Egy avatár feltöltve", + "username": "Felhasználónév", + "view-it": "Megtekintés", + "warn-list-archived": "figyelem: ez a kártya egy lomtárban lévő listán van", + "watch": "Megfigyelés", + "watching": "Megfigyelés", + "watching-info": "Értesítve lesz a táblán lévő összes változásról", + "welcome-board": "Üdvözlő tábla", + "welcome-swimlane": "1. mérföldkő", + "welcome-list1": "Alapok", + "welcome-list2": "Speciális", + "what-to-do": "Mit szeretne tenni?", + "wipLimitErrorPopup-title": "Érvénytelen WIP korlát", + "wipLimitErrorPopup-dialog-pt1": "A listán lévő feladatok száma magasabb a meghatározott WIP korlátnál.", + "wipLimitErrorPopup-dialog-pt2": "Helyezzen át néhány feladatot a listáról, vagy állítson be magasabb WIP korlátot.", + "admin-panel": "Adminisztrációs panel", + "settings": "Beállítások", + "people": "Emberek", + "registration": "Regisztráció", + "disable-self-registration": "Önregisztráció letiltása", + "invite": "Meghívás", + "invite-people": "Emberek meghívása", + "to-boards": "Táblákhoz", + "email-addresses": "E-mail címek", + "smtp-host-description": "Az SMTP kiszolgáló címe, amely az e-maileket kezeli.", + "smtp-port-description": "Az SMTP kiszolgáló által használt port a kimenő e-mailekhez.", + "smtp-tls-description": "TLS támogatás engedélyezése az SMTP kiszolgálónál", + "smtp-host": "SMTP kiszolgáló", + "smtp-port": "SMTP port", + "smtp-username": "Felhasználónév", + "smtp-password": "Jelszó", + "smtp-tls": "TLS támogatás", + "send-from": "Feladó", + "send-smtp-test": "Teszt e-mail küldése magamnak", + "invitation-code": "Meghívási kód", + "email-invite-register-subject": "__inviter__ egy meghívás küldött Önnek", + "email-invite-register-text": "Kedves __user__!\n\n__inviter__ meghívta Önt közreműködésre a Wekan oldalra.\n\nKövesse a lenti hivatkozást:\n__url__\n\nÉs a meghívási kódja: __icode__\n\nKöszönjük.", + "email-smtp-test-subject": "SMTP teszt e-mail a Wekantól", + "email-smtp-test-text": "Sikeresen elküldött egy e-mailt", + "error-invitation-code-not-exist": "A meghívási kód nem létezik", + "error-notAuthorized": "Nincs jogosultsága az oldal megtekintéséhez.", + "outgoing-webhooks": "Kimenő webhurkok", + "outgoingWebhooksPopup-title": "Kimenő webhurkok", + "new-outgoing-webhook": "Új kimenő webhurok", + "no-name": "(Ismeretlen)", + "Wekan_version": "Wekan verzió", + "Node_version": "Node verzió", + "OS_Arch": "Operációs rendszer architektúrája", + "OS_Cpus": "Operációs rendszer CPU száma", + "OS_Freemem": "Operációs rendszer szabad memóriája", + "OS_Loadavg": "Operációs rendszer átlagos terhelése", + "OS_Platform": "Operációs rendszer platformja", + "OS_Release": "Operációs rendszer kiadása", + "OS_Totalmem": "Operációs rendszer összes memóriája", + "OS_Type": "Operációs rendszer típusa", + "OS_Uptime": "Operációs rendszer üzemideje", + "hours": "óra", + "minutes": "perc", + "seconds": "másodperc", + "show-field-on-card": "A mező megjelenítése a kártyán", + "yes": "Igen", + "no": "Nem", + "accounts": "Fiókok", + "accounts-allowEmailChange": "E-mail megváltoztatásának engedélyezése", + "accounts-allowUserNameChange": "Felhasználónév megváltoztatásának engedélyezése", + "createdAt": "Létrehozva", + "verified": "Ellenőrizve", + "active": "Aktív", + "card-received": "Érkezett", + "card-received-on": "Ekkor érkezett", + "card-end": "Befejezés", + "card-end-on": "Befejeződik ekkor", + "editCardReceivedDatePopup-title": "Érkezési dátum megváltoztatása", + "editCardEndDatePopup-title": "Befejezési dátum megváltoztatása", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json new file mode 100644 index 00000000..03cb71da --- /dev/null +++ b/i18n/hy.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Ընդունել", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "ավելացրել է __checklistItem__ __checklist__ on __card__-ին", + "act-addComment": "մեկնաբանել է __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Add", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Members", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Members", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Members", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json new file mode 100644 index 00000000..95da897f --- /dev/null +++ b/i18n/id.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Terima", + "act-activity-notify": "[Wekan] Pemberitahuan Kegiatan", + "act-addAttachment": "Lampirkan__attachment__ke__kartu__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "Dikomentari di__kartu__:__comment__", + "act-createBoard": "Panel__dibuat__", + "act-createCard": "Kartu__dilampirkan__ke__Daftar", + "act-createCustomField": "created custom field __customField__", + "act-createList": "Daftar__ditambahkan__ke__Panel", + "act-addBoardMember": "Partisipan__ditambahkan__ke__Kartu", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "Panel__diimpor", + "act-importCard": "Kartu__diimpor__", + "act-importList": "Daftar__diimpor__", + "act-joinMember": "Partisipan__ditambahkan__ke__kartu", + "act-moveCard": "Pindahkan__kartu__dari__daftarlama__ke__daftar", + "act-removeBoardMember": "Hapus__partisipan__dari__panel", + "act-restoredCard": "Kembalikan__kartu__ke__panel", + "act-unjoinMember": "hapus__partisipan__dari__kartu__", + "act-withBoardTitle": "Panel__[Wekan}__", + "act-withCardTitle": "__kartu__[__Panel__]", + "actions": "Daftar Tindakan", + "activities": "Daftar Kegiatan", + "activity": "Kegiatan", + "activity-added": "ditambahkan %s ke %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "dilampirkan %s ke %s", + "activity-created": "dibuat %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "tidak termasuk %s dari %s", + "activity-imported": "diimpor %s kedalam %s dari %s", + "activity-imported-board": "diimpor %s dari %s", + "activity-joined": "bergabung %s", + "activity-moved": "dipindahkan %s dari %s ke %s", + "activity-on": "pada %s", + "activity-removed": "dihapus %s dari %s", + "activity-sent": "terkirim %s ke %s", + "activity-unjoined": "tidak bergabung %s", + "activity-checklist-added": "daftar periksa ditambahkan ke %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Tambah", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Tambahkan hal ke daftar periksa", + "add-cover": "Tambahkan Sampul", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Tambahkan Anggota", + "added": "Ditambahkan", + "addMemberPopup-title": "Daftar Anggota", + "admin": "Admin", + "admin-desc": "Bisa tampilkan dan sunting kartu, menghapus partisipan, dan merubah setting panel", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "Semua Panel", + "and-n-other-card": "Dan__menghitung__kartu lain", + "and-n-other-card_plural": "Dan__menghitung__kartu lain", + "apply": "Terapkan", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Tugaskan anggota", + "attached": "terlampir", + "attachment": "Lampiran", + "attachment-delete-pop": "Menghapus lampiran bersifat permanen. Tidak bisa dipulihkan.", + "attachmentDeletePopup-title": "Hapus Lampiran?", + "attachments": "Daftar Lampiran", + "auto-watch": "Otomatis diawasi saat membuat Panel", + "avatar-too-big": "Berkas avatar terlalu besar (70KB maks)", + "back": "Kembali", + "board-change-color": "Ubah warna", + "board-nb-stars": "%s bintang", + "board-not-found": "Panel tidak ditemukan", + "board-private-info": "Panel ini akan jadi Pribadi", + "board-public-info": "Panel ini akan jadi Publik= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Nama Lengkap", + "header-logo-title": "Kembali ke laman panel anda", + "hide-system-messages": "Sembunyikan pesan-pesan sistem", + "headerBarCreateBoardPopup-title": "Buat Panel", + "home": "Beranda", + "import": "Impor", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Impor panel dari Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "Di panel Trello anda, ke 'Menu', terus 'More', 'Print and Export','Export JSON', dan salin hasilnya", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Tempelkan data JSON yang sah disini", + "import-map-members": "Petakan partisipan", + "import-members-map": "Panel yang anda impor punya partisipan. Silahkan petakan anggota yang anda ingin impor ke user [Wekan]", + "import-show-user-mapping": "Review pemetaan partisipan", + "import-user-select": "Pilih nama pengguna yang Anda mau gunakan sebagai anggota ini", + "importMapMembersAddPopup-title": "Pilih anggota Wekan", + "info": "Versi", + "initials": "Inisial", + "invalid-date": "Tanggal tidak sah", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "bergabung", + "just-invited": "Anda baru diundang di panel ini", + "keyboard-shortcuts": "Pintasan kibor", + "label-create": "Buat Label", + "label-default": "label %s (default)", + "label-delete-pop": "Ini tidak bisa dikembalikan, akan menghapus label ini dari semua kartu dan menghapus semua riwayatnya", + "labels": "Daftar Label", + "language": "Bahasa", + "last-admin-desc": "Anda tidak dapat mengubah aturan karena harus ada minimal seorang Admin.", + "leave-board": "Tingalkan Panel", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link ke kartu ini", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Pindah semua kartu ke daftar ini", + "list-select-cards": "Pilih semua kartu di daftar ini", + "listActionPopup-title": "Daftar Tindakan", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Impor dari Kartu Trello", + "listMorePopup-title": "Lainnya", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Daftar", + "swimlanes": "Swimlanes", + "log-out": "Keluar", + "log-in": "Masuk", + "loginPopup-title": "Masuk", + "memberMenuPopup-title": "Setelan Anggota", + "members": "Daftar Anggota", + "menu": "Menu", + "move-selection": "Pindahkan yang dipilih", + "moveCardPopup-title": "Pindahkan kartu", + "moveCardToBottom-title": "Pindahkan ke bawah", + "moveCardToTop-title": "Pindahkan ke atas", + "moveSelectionPopup-title": "Pindahkan yang dipilih", + "multi-selection": "Multi Pilihan", + "multi-selection-on": "Multi Pilihan aktif", + "muted": "Pemberitahuan tidak aktif", + "muted-info": "Anda tidak akan pernah dinotifikasi semua perubahan di panel ini", + "my-boards": "Panel saya", + "name": "Nama", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Tidak ada hasil", + "normal": "Normal", + "normal-desc": "Bisa tampilkan dan edit kartu. Tidak bisa ubah setting", + "not-accepted-yet": "Undangan belum diterima", + "notify-participate": "Terima update ke semua kartu dimana anda menjadi creator atau partisipan", + "notify-watch": "Terima update dari semua panel, daftar atau kartu yang anda amati", + "optional": "opsi", + "or": "atau", + "page-maybe-private": "Halaman ini hanya untuk kalangan terbatas. Anda dapat melihatnya dengan masuk ke dalam sistem.", + "page-not-found": "Halaman tidak ditemukan.", + "password": "Kata Sandi", + "paste-or-dragdrop": "untuk menempelkan, atau drag& drop gambar pada ini (hanya gambar)", + "participating": "Berpartisipasi", + "preview": "Pratinjau", + "previewAttachedImagePopup-title": "Pratinjau", + "previewClipboardImagePopup-title": "Pratinjau", + "private": "Terbatas", + "private-desc": "Panel ini Pribadi. Hanya orang yang ditambahkan ke panel ini yang bisa melihat dan menyuntingnya", + "profile": "Profil", + "public": "Umum", + "public-desc": "Panel ini publik. Akan terlihat oleh siapapun dengan link terkait dan muncul di mesin pencari seperti Google. Hanya orang yang ditambahkan di panel yang bisa sunting", + "quick-access-description": "Beri bintang panel untuk menambah shortcut di papan ini", + "remove-cover": "Hapus Sampul", + "remove-from-board": "Hapus dari panel", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Hapus Anggota", + "remove-member-from-card": "Hapus dari Kartu", + "remove-member-pop": "Hapus__nama__(__username__) dari __boardTitle__? Partisipan akan dihapus dari semua kartu di panel ini. Mereka akan diberi tahu", + "removeMemberPopup-title": "Hapus Anggota?", + "rename": "Ganti Nama", + "rename-board": "Ubah nama Panel", + "restore": "Pulihkan", + "save": "Simpan", + "search": "Cari", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Masukkan diri anda sendiri ke kartu ini", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete partisipan", + "shortcut-clear-filters": "Bersihkan semua saringan", + "shortcut-close-dialog": "Tutup Dialog", + "shortcut-filter-my-cards": "Filter kartu saya", + "shortcut-show-shortcuts": "Angkat naik shortcut daftar ini", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Tampilkan jumlah kartu jika daftar punya lebih dari ", + "sidebar-open": "Buka Sidebar", + "sidebar-close": "Tutup Sidebar", + "signupPopup-title": "Buat Akun", + "star-board-title": "Klik untuk beri bintang panel ini. Akan muncul paling atas dari daftar panel", + "starred-boards": "Panel dengan bintang", + "starred-boards-description": "Panel berbintang muncul paling atas dari daftar panel anda", + "subscribe": "Langganan", + "team": "Tim", + "this-board": "Panel ini", + "this-card": "Kartu ini", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Waktu", + "title": "Judul", + "tracking": "Pelacakan", + "tracking-info": "Anda akan dinotifikasi semua perubahan di kartu tersebut diaman anda terlibat sebagai creator atau partisipan", + "type": "Type", + "unassign-member": "Tidak sertakan partisipan", + "unsaved-description": "Anda memiliki deskripsi yang belum disimpan.", + "unwatch": "Tidak mengamati", + "upload": "Unggah", + "upload-avatar": "Unggah avatar", + "uploaded-avatar": "Avatar diunggah", + "username": "Nama Pengguna", + "view-it": "Lihat", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Amati", + "watching": "Mengamati", + "watching-info": "Anda akan diberitahu semua perubahan di panel ini", + "welcome-board": "Panel Selamat Datang", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Tingkat dasar", + "welcome-list2": "Tingkat lanjut", + "what-to-do": "Apa yang mau Anda lakukan?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Panel Admin", + "settings": "Setelan", + "people": "Orang-orang", + "registration": "Registrasi", + "disable-self-registration": "Nonaktifkan Swa Registrasi", + "invite": "Undang", + "invite-people": "Undang Orang-orang", + "to-boards": "ke panel", + "email-addresses": "Alamat surel", + "smtp-host-description": "Alamat server SMTP yang menangani surel Anda.", + "smtp-port-description": "Port server SMTP yang Anda gunakan untuk mengirim surel.", + "smtp-tls-description": "Aktifkan dukungan TLS untuk server SMTP", + "smtp-host": "Host SMTP", + "smtp-port": "Port SMTP", + "smtp-username": "Nama Pengguna", + "smtp-password": "Kata Sandi", + "smtp-tls": "Dukungan TLS", + "send-from": "Dari", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Kode Undangan", + "email-invite-register-subject": "__inviter__ mengirim undangan ke Anda", + "email-invite-register-text": "Halo __user__,\n\n__inviter__ mengundang Anda untuk berkolaborasi menggunakan Wekan.\n\nMohon ikuti tautan berikut:\n__url__\n\nDan kode undangan Anda adalah: __icode__\n\nTerima kasih.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Kode undangan tidak ada", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json new file mode 100644 index 00000000..9569f9e1 --- /dev/null +++ b/i18n/ig.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Kwere", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "na %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Tinye", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Tinye ndị otu ọhụrụ", + "added": "Etinyere ", + "addMemberPopup-title": "Ndị otu", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Bido", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Aha", + "cardMembersPopup-title": "Ndị otu", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Gbanwe", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Họrọ asụsụ ọzọ", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Aha", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Ndị otu", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Banye aha ọzọ", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "Hụ ya", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Hụ", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "Ndị mmadụ", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "elekere", + "minutes": "nkeji", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Ee", + "no": "Mba", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Ekere na", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json new file mode 100644 index 00000000..f6ede789 --- /dev/null +++ b/i18n/it.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accetta", + "act-activity-notify": "[Wekan] Notifiche attività", + "act-addAttachment": "ha allegato __attachment__ a __card__", + "act-addChecklist": "aggiunta checklist __checklist__ a __card__", + "act-addChecklistItem": "aggiunto __checklistItem__ alla checklist __checklist__ di __card__", + "act-addComment": "ha commentato su __card__: __comment__", + "act-createBoard": "ha creato __board__", + "act-createCard": "ha aggiunto __card__ a __list__", + "act-createCustomField": "campo personalizzato __customField__ creato", + "act-createList": "ha aggiunto __list__ a __board__", + "act-addBoardMember": "ha aggiunto __member__ a __board__", + "act-archivedBoard": "__board__ spostata nel cestino", + "act-archivedCard": "__card__ spostata nel cestino", + "act-archivedList": "__list__ spostata nel cestino", + "act-archivedSwimlane": "__swimlane__ spostata nel cestino", + "act-importBoard": "ha importato __board__", + "act-importCard": "ha importato __card__", + "act-importList": "ha importato __list__", + "act-joinMember": "ha aggiunto __member__ a __card__", + "act-moveCard": "ha spostato __card__ da __oldList__ a __list__", + "act-removeBoardMember": "ha rimosso __member__ a __board__", + "act-restoredCard": "ha ripristinato __card__ su __board__", + "act-unjoinMember": "ha rimosso __member__ da __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Azioni", + "activities": "Attività", + "activity": "Attività", + "activity-added": "ha aggiunto %s a %s", + "activity-archived": "%s spostato nel cestino", + "activity-attached": "allegato %s a %s", + "activity-created": "creato %s", + "activity-customfield-created": "Campo personalizzato creato", + "activity-excluded": "escluso %s da %s", + "activity-imported": "importato %s in %s da %s", + "activity-imported-board": "importato %s da %s", + "activity-joined": "si è unito a %s", + "activity-moved": "spostato %s da %s a %s", + "activity-on": "su %s", + "activity-removed": "rimosso %s da %s", + "activity-sent": "inviato %s a %s", + "activity-unjoined": "ha abbandonato %s", + "activity-checklist-added": "aggiunta checklist a %s", + "activity-checklist-item-added": "Aggiunto l'elemento checklist a '%s' in %s", + "add": "Aggiungere", + "add-attachment": "Aggiungi Allegato", + "add-board": "Aggiungi Bacheca", + "add-card": "Aggiungi Scheda", + "add-swimlane": "Aggiungi Corsia", + "add-checklist": "Aggiungi Checklist", + "add-checklist-item": "Aggiungi un elemento alla checklist", + "add-cover": "Aggiungi copertina", + "add-label": "Aggiungi Etichetta", + "add-list": "Aggiungi Lista", + "add-members": "Aggiungi membri", + "added": "Aggiunto", + "addMemberPopup-title": "Membri", + "admin": "Amministratore", + "admin-desc": "Può vedere e modificare schede, rimuovere membri e modificare le impostazioni della bacheca.", + "admin-announcement": "Annunci", + "admin-announcement-active": "Attiva annunci di sistema", + "admin-announcement-title": "Annunci dall'Amministratore", + "all-boards": "Tutte le bacheche", + "and-n-other-card": "E __count__ altra scheda", + "and-n-other-card_plural": "E __count__ altre schede", + "apply": "Applica", + "app-is-offline": "Wekan è in caricamento, attendi per favore. Ricaricare la pagina causerà una perdita di dati. Se Wekan non si carica, controlla per favore che non ci siano problemi al server.", + "archive": "Sposta nel cestino", + "archive-all": "Sposta tutto nel cestino", + "archive-board": "Sposta la bacheca nel cestino", + "archive-card": "Sposta la scheda nel cestino", + "archive-list": "Sposta la lista nel cestino", + "archive-swimlane": "Sposta la corsia nel cestino", + "archive-selection": "Sposta la selezione nel cestino", + "archiveBoardPopup-title": "Sposta la bacheca nel cestino", + "archived-items": "Cestino", + "archived-boards": "Bacheche cestinate", + "restore-board": "Ripristina Bacheca", + "no-archived-boards": "Nessuna bacheca nel cestino", + "archives": "Cestino", + "assign-member": "Aggiungi membro", + "attached": "allegato", + "attachment": "Allegato", + "attachment-delete-pop": "L'eliminazione di un allegato è permanente. Non è possibile annullare.", + "attachmentDeletePopup-title": "Eliminare l'allegato?", + "attachments": "Allegati", + "auto-watch": "Segui automaticamente le bacheche quando vengono create.", + "avatar-too-big": "L'avatar è troppo grande (70KB max)", + "back": "Indietro", + "board-change-color": "Cambia colore", + "board-nb-stars": "%s stelle", + "board-not-found": "Bacheca non trovata", + "board-private-info": "Questa bacheca sarà privata.", + "board-public-info": "Questa bacheca sarà pubblica.", + "boardChangeColorPopup-title": "Cambia sfondo della bacheca", + "boardChangeTitlePopup-title": "Rinomina bacheca", + "boardChangeVisibilityPopup-title": "Cambia visibilità", + "boardChangeWatchPopup-title": "Cambia faccia", + "boardMenuPopup-title": "Menu bacheca", + "boards": "Bacheche", + "board-view": "Visualizza bacheca", + "board-view-swimlanes": "Corsie", + "board-view-lists": "Liste", + "bucket-example": "Per esempio come \"una lista di cose da fare\"", + "cancel": "Cancella", + "card-archived": "Questa scheda è stata spostata nel cestino.", + "card-comments-title": "Questa scheda ha %s commenti.", + "card-delete-notice": "L'eliminazione è permanente. Tutte le azioni associate a questa scheda andranno perse.", + "card-delete-pop": "Tutte le azioni saranno rimosse dal flusso attività e non sarai in grado di riaprire la scheda. Non potrai tornare indietro.", + "card-delete-suggest-archive": "Puoi cestinare una scheda per rimuoverla dalla bacheca e preservare la sua attività.", + "card-due": "Scadenza", + "card-due-on": "Scade", + "card-spent": "Tempo trascorso", + "card-edit-attachments": "Modifica allegati", + "card-edit-custom-fields": "Modifica campo personalizzato", + "card-edit-labels": "Modifica etichette", + "card-edit-members": "Modifica membri", + "card-labels-title": "Cambia le etichette per questa scheda.", + "card-members-title": "Aggiungi o rimuovi membri della bacheca da questa scheda", + "card-start": "Inizio", + "card-start-on": "Inizia", + "cardAttachmentsPopup-title": "Allega da", + "cardCustomField-datePopup-title": "Cambia data", + "cardCustomFieldsPopup-title": "Modifica campo personalizzato", + "cardDeletePopup-title": "Elimina scheda?", + "cardDetailsActionsPopup-title": "Azioni scheda", + "cardLabelsPopup-title": "Etichette", + "cardMembersPopup-title": "Membri", + "cardMorePopup-title": "Altro", + "cards": "Schede", + "cards-count": "Schede", + "change": "Cambia", + "change-avatar": "Cambia avatar", + "change-password": "Cambia password", + "change-permissions": "Cambia permessi", + "change-settings": "Cambia impostazioni", + "changeAvatarPopup-title": "Cambia avatar", + "changeLanguagePopup-title": "Cambia lingua", + "changePasswordPopup-title": "Cambia password", + "changePermissionsPopup-title": "Cambia permessi", + "changeSettingsPopup-title": "Cambia impostazioni", + "checklists": "Checklist", + "click-to-star": "Clicca per stellare questa bacheca", + "click-to-unstar": "Clicca per togliere la stella da questa bacheca", + "clipboard": "Clipboard o drag & drop", + "close": "Chiudi", + "close-board": "Chiudi bacheca", + "close-board-pop": "Sarai in grado di ripristinare la bacheca cliccando il tasto \"Cestino\" dall'intestazione della pagina principale.", + "color-black": "nero", + "color-blue": "blu", + "color-green": "verde", + "color-lime": "lime", + "color-orange": "arancione", + "color-pink": "rosa", + "color-purple": "viola", + "color-red": "rosso", + "color-sky": "azzurro", + "color-yellow": "giallo", + "comment": "Commento", + "comment-placeholder": "Scrivi Commento", + "comment-only": "Solo commenti", + "comment-only-desc": "Puoi commentare solo le schede.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Sei sicuro di voler cancellare questa checklist?", + "copy-card-link-to-clipboard": "Copia link della scheda sulla clipboard", + "copyCardPopup-title": "Copia Scheda", + "copyChecklistToManyCardsPopup-title": "Copia template checklist su più schede", + "copyChecklistToManyCardsPopup-instructions": "Titolo e la descrizione della scheda di destinazione in questo formato JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titolo prima scheda\", \"description\":\"Descrizione prima scheda\"}, {\"title\":\"Titolo seconda scheda\",\"description\":\"Descrizione seconda scheda\"},{\"title\":\"Titolo ultima scheda\",\"description\":\"Descrizione ultima scheda\"} ]", + "create": "Crea", + "createBoardPopup-title": "Crea bacheca", + "chooseBoardSourcePopup-title": "Importa bacheca", + "createLabelPopup-title": "Crea etichetta", + "createCustomField": "Crea campo", + "createCustomFieldPopup-title": "Crea campo", + "current": "corrente", + "custom-field-delete-pop": "Non potrai tornare indietro. Questa azione rimuoverà questo campo personalizzato da tutte le schede ed eliminerà ogni sua traccia.", + "custom-field-checkbox": "Casella di scelta", + "custom-field-date": "Data", + "custom-field-dropdown": "Lista a discesa", + "custom-field-dropdown-none": "(nessun)", + "custom-field-dropdown-options": "Lista opzioni", + "custom-field-dropdown-options-placeholder": "Premi invio per aggiungere altre opzioni", + "custom-field-dropdown-unknown": "(sconosciuto)", + "custom-field-number": "Numero", + "custom-field-text": "Testo", + "custom-fields": "Campi personalizzati", + "date": "Data", + "decline": "Declina", + "default-avatar": "Avatar predefinito", + "delete": "Elimina", + "deleteCustomFieldPopup-title": "Elimina il campo personalizzato?", + "deleteLabelPopup-title": "Eliminare etichetta?", + "description": "Descrizione", + "disambiguateMultiLabelPopup-title": "Disambiguare l'azione Etichetta", + "disambiguateMultiMemberPopup-title": "Disambiguare l'azione Membro", + "discard": "Scarta", + "done": "Fatto", + "download": "Download", + "edit": "Modifica", + "edit-avatar": "Cambia avatar", + "edit-profile": "Modifica profilo", + "edit-wip-limit": "Modifica limite di work in progress", + "soft-wip-limit": "Limite Work in progress soft", + "editCardStartDatePopup-title": "Cambia data di inizio", + "editCardDueDatePopup-title": "Cambia data di scadenza", + "editCustomFieldPopup-title": "Modifica campo", + "editCardSpentTimePopup-title": "Cambia tempo trascorso", + "editLabelPopup-title": "Cambia etichetta", + "editNotificationPopup-title": "Modifica notifiche", + "editProfilePopup-title": "Modifica profilo", + "email": "Email", + "email-enrollAccount-subject": "Creato un account per te su __siteName__", + "email-enrollAccount-text": "Ciao __user__,\n\nPer iniziare ad usare il servizio, clicca sul link seguente:\n\n__url__\n\nGrazie.", + "email-fail": "Invio email fallito", + "email-fail-text": "Errore nel tentativo di invio email", + "email-invalid": "Email non valida", + "email-invite": "Invita via email", + "email-invite-subject": "__inviter__ ti ha inviato un invito", + "email-invite-text": "Caro __user__,\n\n__inviter__ ti ha invitato ad unirti alla bacheca \"__board__\" per le collaborazioni.\n\nPer favore clicca sul link seguente:\n\n__url__\n\nGrazie.", + "email-resetPassword-subject": "Ripristina la tua password su on __siteName__", + "email-resetPassword-text": "Ciao __user__,\n\nPer ripristinare la tua password, clicca sul link seguente:\n\n__url__\n\nGrazie.", + "email-sent": "Email inviata", + "email-verifyEmail-subject": "Verifica il tuo indirizzo email su on __siteName__", + "email-verifyEmail-text": "Ciao __user__,\n\nPer verificare il tuo account email, clicca sul link seguente:\n\n__url__\n\nGrazie.", + "enable-wip-limit": "Abilita limite di work in progress", + "error-board-doesNotExist": "Questa bacheca non esiste", + "error-board-notAdmin": "Devi essere admin di questa bacheca per poterlo fare", + "error-board-notAMember": "Devi essere un membro di questa bacheca per poterlo fare", + "error-json-malformed": "Il tuo testo non è un JSON valido", + "error-json-schema": "Il tuo file JSON non contiene le giuste informazioni nel formato corretto", + "error-list-doesNotExist": "Questa lista non esiste", + "error-user-doesNotExist": "Questo utente non esiste", + "error-user-notAllowSelf": "Non puoi invitare te stesso", + "error-user-notCreated": "L'utente non è stato creato", + "error-username-taken": "Questo username è già utilizzato", + "error-email-taken": "L'email è già stata presa", + "export-board": "Esporta bacheca", + "filter": "Filtra", + "filter-cards": "Filtra schede", + "filter-clear": "Pulisci filtri", + "filter-no-label": "Nessuna etichetta", + "filter-no-member": "Nessun membro", + "filter-no-custom-fields": "Nessun campo personalizzato", + "filter-on": "Il filtro è attivo", + "filter-on-desc": "Stai filtrando le schede su questa bacheca. Clicca qui per modificare il filtro,", + "filter-to-selection": "Seleziona", + "advanced-filter-label": "Filtro avanzato", + "advanced-filter-description": "Il filtro avanzato consente di scrivere una stringa contenente i seguenti operatori: == != <= >= && || ( ). Lo spazio è usato come separatore tra gli operatori. E' possibile filtrare per tutti i campi personalizzati, digitando i loro nomi e valori. Ad esempio: Campo1 == Valore1. Nota: Se i campi o i valori contengono spazi, devi racchiuderli dentro le virgolette singole. Ad esempio: 'Campo 1' == 'Valore 1'. E' possibile combinare condizioni multiple. Ad esempio: F1 == V1 || F1 = V2. Normalmente tutti gli operatori sono interpretati da sinistra a destra. Puoi modificare l'ordine utilizzando le parentesi. Ad Esempio: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Nome completo", + "header-logo-title": "Torna alla tua bacheca.", + "hide-system-messages": "Nascondi i messaggi di sistema", + "headerBarCreateBoardPopup-title": "Crea bacheca", + "home": "Home", + "import": "Importa", + "import-board": "Importa bacheca", + "import-board-c": "Importa bacheca", + "import-board-title-trello": "Importa una bacheca da Trello", + "import-board-title-wekan": "Importa bacheca da Wekan", + "import-sandstorm-warning": "La bacheca importata cancellerà tutti i dati esistenti su questa bacheca e li rimpiazzerà con quelli della bacheca importata.", + "from-trello": "Da Trello", + "from-wekan": "Da Wekan", + "import-board-instruction-trello": "Nella tua bacheca Trello vai a 'Menu', poi 'Altro', 'Stampa ed esporta', 'Esporta JSON', e copia il testo che compare.", + "import-board-instruction-wekan": "Nella tua bacheca Wekan, vai su 'Menu', poi 'Esporta bacheca', e copia il testo nel file scaricato.", + "import-json-placeholder": "Incolla un JSON valido qui", + "import-map-members": "Mappatura dei membri", + "import-members-map": "La bacheca che hai importato ha alcuni membri. Per favore scegli i membri che vuoi vengano importati negli utenti di Wekan", + "import-show-user-mapping": "Rivedi la mappatura dei membri", + "import-user-select": "Scegli l'utente Wekan che vuoi utilizzare come questo membro", + "importMapMembersAddPopup-title": "Seleziona i membri di Wekan", + "info": "Versione", + "initials": "Iniziali", + "invalid-date": "Data non valida", + "invalid-time": "Tempo non valido", + "invalid-user": "User non valido", + "joined": "si è unito a", + "just-invited": "Sei stato appena invitato a questa bacheca", + "keyboard-shortcuts": "Scorciatoie da tastiera", + "label-create": "Crea etichetta", + "label-default": "%s etichetta (default)", + "label-delete-pop": "Non potrai tornare indietro. Procedendo, rimuoverai questa etichetta da tutte le schede e distruggerai la sua cronologia.", + "labels": "Etichette", + "language": "Lingua", + "last-admin-desc": "Non puoi cambiare i ruoli perché deve esserci almeno un admin.", + "leave-board": "Abbandona bacheca", + "leave-board-pop": "Sei sicuro di voler abbandonare __boardTitle__? Sarai rimosso da tutte le schede in questa bacheca.", + "leaveBoardPopup-title": "Abbandona Bacheca?", + "link-card": "Link a questa scheda", + "list-archive-cards": "Cestina tutte le schede in questa lista", + "list-archive-cards-pop": "Questo rimuoverà dalla bacheca tutte le schede in questa lista. Per vedere le schede cestinate e portarle indietro alla bacheca, clicca “Menu” > “Elementi cestinati”", + "list-move-cards": "Sposta tutte le schede in questa lista", + "list-select-cards": "Selezione tutte le schede in questa lista", + "listActionPopup-title": "Azioni disponibili", + "swimlaneActionPopup-title": "Azioni corsia", + "listImportCardPopup-title": "Importa una scheda di Trello", + "listMorePopup-title": "Altro", + "link-list": "Link a questa lista", + "list-delete-pop": "Tutte le azioni saranno rimosse dal flusso attività e non sarai in grado di recuperare la lista. Non potrai tornare indietro.", + "list-delete-suggest-archive": "Puoi cestinare una scheda per rimuoverla dalla bacheca e preservare la sua attività.", + "lists": "Liste", + "swimlanes": "Corsie", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Impostazioni membri", + "members": "Membri", + "menu": "Menu", + "move-selection": "Sposta selezione", + "moveCardPopup-title": "Sposta scheda", + "moveCardToBottom-title": "Sposta in fondo", + "moveCardToTop-title": "Sposta in alto", + "moveSelectionPopup-title": "Sposta selezione", + "multi-selection": "Multi-Selezione", + "multi-selection-on": "Multi-Selezione attiva", + "muted": "Silenziato", + "muted-info": "Non sarai mai notificato delle modifiche in questa bacheca", + "my-boards": "Le mie bacheche", + "name": "Nome", + "no-archived-cards": "Nessuna scheda nel cestino", + "no-archived-lists": "Nessuna lista nel cestino", + "no-archived-swimlanes": "Nessuna corsia nel cestino", + "no-results": "Nessun risultato", + "normal": "Normale", + "normal-desc": "Può visionare e modificare le schede. Non può cambiare le impostazioni.", + "not-accepted-yet": "Invitato non ancora accettato", + "notify-participate": "Ricevi aggiornamenti per qualsiasi scheda a cui partecipi come creatore o membro", + "notify-watch": "Ricevi aggiornamenti per tutte le bacheche, liste o schede che stai seguendo", + "optional": "opzionale", + "or": "o", + "page-maybe-private": "Questa pagina potrebbe essere privata. Potresti essere in grado di vederla facendo il log-in.", + "page-not-found": "Pagina non trovata.", + "password": "Password", + "paste-or-dragdrop": "per incollare, oppure trascina & rilascia il file immagine (solo immagini)", + "participating": "Partecipando", + "preview": "Anteprima", + "previewAttachedImagePopup-title": "Anteprima", + "previewClipboardImagePopup-title": "Anteprima", + "private": "Privata", + "private-desc": "Questa bacheca è privata. Solo le persone aggiunte alla bacheca possono vederla e modificarla.", + "profile": "Profilo", + "public": "Pubblica", + "public-desc": "Questa bacheca è pubblica. È visibile a chiunque abbia il link e sarà mostrata dai motori di ricerca come Google. Solo le persone aggiunte alla bacheca possono modificarla.", + "quick-access-description": "Stella una bacheca per aggiungere una scorciatoia in questa barra.", + "remove-cover": "Rimuovi cover", + "remove-from-board": "Rimuovi dalla bacheca", + "remove-label": "Rimuovi Etichetta", + "listDeletePopup-title": "Eliminare Lista?", + "remove-member": "Rimuovi utente", + "remove-member-from-card": "Rimuovi dalla scheda", + "remove-member-pop": "Rimuovere __name__ (__username__) da __boardTitle__? L'utente sarà rimosso da tutte le schede in questa bacheca. Riceveranno una notifica.", + "removeMemberPopup-title": "Rimuovere membro?", + "rename": "Rinomina", + "rename-board": "Rinomina bacheca", + "restore": "Ripristina", + "save": "Salva", + "search": "Cerca", + "search-cards": "Ricerca per titolo e descrizione scheda su questa bacheca", + "search-example": "Testo da ricercare?", + "select-color": "Seleziona Colore", + "set-wip-limit-value": "Seleziona un limite per il massimo numero di attività in questa lista", + "setWipLimitPopup-title": "Imposta limite di work in progress", + "shortcut-assign-self": "Aggiungi te stesso alla scheda corrente", + "shortcut-autocomplete-emoji": "Autocompletamento emoji", + "shortcut-autocomplete-members": "Autocompletamento membri", + "shortcut-clear-filters": "Pulisci tutti i filtri", + "shortcut-close-dialog": "Chiudi finestra di dialogo", + "shortcut-filter-my-cards": "Filtra le mie schede", + "shortcut-show-shortcuts": "Apri questa lista di scorciatoie", + "shortcut-toggle-filterbar": "Apri/chiudi la barra laterale dei filtri", + "shortcut-toggle-sidebar": "Apri/chiudi la barra laterale della bacheca", + "show-cards-minimum-count": "Mostra il contatore delle schede se la lista ne contiene più di", + "sidebar-open": "Apri Sidebar", + "sidebar-close": "Chiudi Sidebar", + "signupPopup-title": "Crea un account", + "star-board-title": "Clicca per stellare questa bacheca. Sarà mostrata all'inizio della tua lista bacheche.", + "starred-boards": "Bacheche stellate", + "starred-boards-description": "Le bacheche stellate vengono mostrato all'inizio della tua lista bacheche.", + "subscribe": "Sottoscrivi", + "team": "Team", + "this-board": "questa bacheca", + "this-card": "questa scheda", + "spent-time-hours": "Tempo trascorso (ore)", + "overtime-hours": "Overtime (ore)", + "overtime": "Overtime", + "has-overtime-cards": "Ci sono scheda scadute", + "has-spenttime-cards": "Ci sono scheda con tempo impiegato", + "time": "Ora", + "title": "Titolo", + "tracking": "Monitoraggio", + "tracking-info": "Sarai notificato per tutte le modifiche alle schede delle quali sei creatore o membro.", + "type": "Tipo", + "unassign-member": "Rimuovi membro", + "unsaved-description": "Hai una descrizione non salvata", + "unwatch": "Non seguire", + "upload": "Upload", + "upload-avatar": "Carica un avatar", + "uploaded-avatar": "Avatar caricato", + "username": "Username", + "view-it": "Vedi", + "warn-list-archived": "attenzione: questa scheda è in una lista cestinata", + "watch": "Segui", + "watching": "Stai seguendo", + "watching-info": "Sarai notificato per tutte le modifiche in questa bacheca", + "welcome-board": "Bacheca di benvenuto", + "welcome-swimlane": "Pietra miliare 1", + "welcome-list1": "Basi", + "welcome-list2": "Avanzate", + "what-to-do": "Cosa vuoi fare?", + "wipLimitErrorPopup-title": "Limite work in progress non valido. ", + "wipLimitErrorPopup-dialog-pt1": "Il numero di compiti in questa lista è maggiore del limite di work in progress che hai definito in precedenza. ", + "wipLimitErrorPopup-dialog-pt2": "Per favore, sposta alcuni dei compiti fuori da questa lista, oppure imposta un limite di work in progress più alto. ", + "admin-panel": "Pannello dell'Amministratore", + "settings": "Impostazioni", + "people": "Persone", + "registration": "Registrazione", + "disable-self-registration": "Disabilita Auto-registrazione", + "invite": "Invita", + "invite-people": "Invita persone", + "to-boards": "Alla(e) bacheche(a)", + "email-addresses": "Indirizzi email", + "smtp-host-description": "L'indirizzo del server SMTP che gestisce le tue email.", + "smtp-port-description": "La porta che il tuo server SMTP utilizza per le email in uscita.", + "smtp-tls-description": "Abilita supporto TLS per server SMTP", + "smtp-host": "SMTP Host", + "smtp-port": "Porta SMTP", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "Supporto TLS", + "send-from": "Da", + "send-smtp-test": "Invia un'email di test a te stesso", + "invitation-code": "Codice d'invito", + "email-invite-register-subject": "__inviter__ ti ha inviato un invito", + "email-invite-register-text": "Gentile __user__,\n\n__inviter__ ti ha invitato su Wekan per collaborare.\n\nPer favore segui il link qui sotto:\n__url__\n\nIl tuo codice d'invito è: __icode__\n\nGrazie.", + "email-smtp-test-subject": "Test invio email SMTP per Wekan", + "email-smtp-test-text": "Hai inviato un'email con successo", + "error-invitation-code-not-exist": "Il codice d'invito non esiste", + "error-notAuthorized": "Non sei autorizzato ad accedere a questa pagina.", + "outgoing-webhooks": "Server esterni", + "outgoingWebhooksPopup-title": "Server esterni", + "new-outgoing-webhook": "Nuovo webhook in uscita", + "no-name": "(Sconosciuto)", + "Wekan_version": "Versione di Wekan", + "Node_version": "Versione di Node", + "OS_Arch": "Architettura del sistema operativo", + "OS_Cpus": "Conteggio della CPU del sistema operativo", + "OS_Freemem": "Memoria libera del sistema operativo ", + "OS_Loadavg": "Carico medio del sistema operativo ", + "OS_Platform": "Piattaforma del sistema operativo", + "OS_Release": "Versione di rilascio del sistema operativo", + "OS_Totalmem": "Memoria totale del sistema operativo ", + "OS_Type": "Tipo di sistema operativo ", + "OS_Uptime": "Tempo di attività del sistema operativo. ", + "hours": "ore", + "minutes": "minuti", + "seconds": "secondi", + "show-field-on-card": "Visualizza questo campo sulla scheda", + "yes": "Sì", + "no": "No", + "accounts": "Profili", + "accounts-allowEmailChange": "Permetti modifica dell'email", + "accounts-allowUserNameChange": "Consenti la modifica del nome utente", + "createdAt": "creato alle", + "verified": "Verificato", + "active": "Attivo", + "card-received": "Ricevuta", + "card-received-on": "Ricevuta il", + "card-end": "Fine", + "card-end-on": "Termina il", + "editCardReceivedDatePopup-title": "Cambia data ricezione", + "editCardEndDatePopup-title": "Cambia data finale", + "assigned-by": "Assegnato da", + "requested-by": "Richiesto da", + "board-delete-notice": "L'eliminazione è permanente. Tutte le azioni, liste e schede associate a questa bacheca andranno perse.", + "delete-board-confirm-popup": "Tutte le liste, schede, etichette e azioni saranno rimosse e non sarai più in grado di recuperare il contenuto della bacheca. L'azione non è annullabile.", + "boardDeletePopup-title": "Eliminare la bacheca?", + "delete-board": "Elimina bacheca" +} \ No newline at end of file diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json new file mode 100644 index 00000000..7f9a3c40 --- /dev/null +++ b/i18n/ja.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "受け入れ", + "act-activity-notify": "[Wekan] アクティビティ通知", + "act-addAttachment": "__card__ に __attachment__ を添付しました", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "__card__: __comment__ をコメントしました", + "act-createBoard": "__board__ を作成しました", + "act-createCard": "__list__ に __card__ を追加しました", + "act-createCustomField": "created custom field __customField__", + "act-createList": "__board__ に __list__ を追加しました", + "act-addBoardMember": "__board__ に __member__ を追加しました", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "__board__ をインポートしました", + "act-importCard": "__card__ をインポートしました", + "act-importList": "__list__ をインポートしました", + "act-joinMember": "__card__ に __member__ を追加しました", + "act-moveCard": "__card__ を __oldList__ から __list__ に 移動しました", + "act-removeBoardMember": "__board__ から __member__ を削除しました", + "act-restoredCard": "__card__ を __board__ にリストアしました", + "act-unjoinMember": "__card__ から __member__ を削除しました", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "操作", + "activities": "アクティビティ", + "activity": "アクティビティ", + "activity-added": "%s を %s に追加しました", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "%s を %s に添付しました", + "activity-created": "%s を作成しました", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "%s を %s から除外しました", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "%s にジョインしました", + "activity-moved": "%s を %s から %s に移動しました", + "activity-on": "%s", + "activity-removed": "%s を %s から削除しました", + "activity-sent": "%s を %s に送りました", + "activity-unjoined": "%s への参加を止めました", + "activity-checklist-added": "%s にチェックリストを追加しました", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "追加", + "add-attachment": "添付ファイルを追加", + "add-board": "ボードを追加", + "add-card": "カードを追加", + "add-swimlane": "Add Swimlane", + "add-checklist": "チェックリストを追加", + "add-checklist-item": "チェックリストに項目を追加", + "add-cover": "カバーの追加", + "add-label": "ラベルを追加", + "add-list": "リストを追加", + "add-members": "メンバーの追加", + "added": "追加しました", + "addMemberPopup-title": "メンバー", + "admin": "管理", + "admin-desc": "カードの閲覧と編集、メンバーの削除、ボードの設定変更が可能", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "全てのボード", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "適用", + "app-is-offline": "現在オフラインです。ページを更新すると保存していないデータは失われます。", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "ボードをリストア", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "メンバーの割当", + "attached": "添付されました", + "attachment": "添付ファイル", + "attachment-delete-pop": "添付ファイルの削除をすると取り消しできません。", + "attachmentDeletePopup-title": "添付ファイルを削除しますか?", + "attachments": "添付ファイル", + "auto-watch": "作成されたボードを自動的にウォッチする", + "avatar-too-big": "アバターが大きすぎます(最大70KB)", + "back": "戻る", + "board-change-color": "色の変更", + "board-nb-stars": "%s stars", + "board-not-found": "ボードが見つかりません", + "board-private-info": "ボードは 非公開 になります。", + "board-public-info": "ボードは公開されます。", + "boardChangeColorPopup-title": "ボードの背景を変更", + "boardChangeTitlePopup-title": "ボード名の変更", + "boardChangeVisibilityPopup-title": "公開範囲の変更", + "boardChangeWatchPopup-title": "ウォッチの変更", + "boardMenuPopup-title": "ボードメニュー", + "boards": "ボード", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "リスト", + "bucket-example": "Like “Bucket List” for example", + "cancel": "キャンセル", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "%s 件のコメントがあります。", + "card-delete-notice": "削除は取り消しできません。このカードに関係するすべてのアクションがなくなります。", + "card-delete-pop": "すべての内容がアクティビティから削除されます。この削除は元に戻すことができません。", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "期限", + "card-due-on": "期限日", + "card-spent": "Spent Time", + "card-edit-attachments": "添付ファイルの編集", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "ラベルの編集", + "card-edit-members": "メンバーの編集", + "card-labels-title": "カードのラベルを変更する", + "card-members-title": "カードからボードメンバーを追加・削除する", + "card-start": "開始", + "card-start-on": "開始日", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "カードを削除しますか?", + "cardDetailsActionsPopup-title": "カード操作", + "cardLabelsPopup-title": "ラベル", + "cardMembersPopup-title": "メンバー", + "cardMorePopup-title": "さらに見る", + "cards": "カード", + "cards-count": "カード", + "change": "変更", + "change-avatar": "アバターの変更", + "change-password": "パスワードの変更", + "change-permissions": "権限の変更", + "change-settings": "設定の変更", + "changeAvatarPopup-title": "アバターの変更", + "changeLanguagePopup-title": "言語の変更", + "changePasswordPopup-title": "パスワードの変更", + "changePermissionsPopup-title": "パーミッションの変更", + "changeSettingsPopup-title": "設定の変更", + "checklists": "チェックリスト", + "click-to-star": "ボードにスターをつける", + "click-to-unstar": "ボードからスターを外す", + "clipboard": "クリップボードもしくはドラッグ&ドロップ", + "close": "閉じる", + "close-board": "ボードを閉じる", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "黒", + "color-blue": "青", + "color-green": "緑", + "color-lime": "ライム", + "color-orange": "オレンジ", + "color-pink": "ピンク", + "color-purple": "紫", + "color-red": "赤", + "color-sky": "空", + "color-yellow": "黄", + "comment": "コメント", + "comment-placeholder": "コメントを書く", + "comment-only": "コメントのみ", + "comment-only-desc": "カードにのみコメント可能", + "computer": "コンピューター", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "カードへのリンクをクリップボードにコピー", + "copyCardPopup-title": "カードをコピー", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "作成", + "createBoardPopup-title": "ボードの作成", + "chooseBoardSourcePopup-title": "ボードをインポート", + "createLabelPopup-title": "ラベルの作成", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "現在", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "日付", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "日付", + "decline": "拒否", + "default-avatar": "デフォルトのアバター", + "delete": "削除", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "ラベルを削除しますか?", + "description": "詳細", + "disambiguateMultiLabelPopup-title": "不正なラベル操作", + "disambiguateMultiMemberPopup-title": "不正なメンバー操作", + "discard": "捨てる", + "done": "完了", + "download": "ダウンロード", + "edit": "編集", + "edit-avatar": "アバターの変更", + "edit-profile": "プロフィールの編集", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "開始日の変更", + "editCardDueDatePopup-title": "期限の変更", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "ラベルの変更", + "editNotificationPopup-title": "通知の変更", + "editProfilePopup-title": "プロフィールの編集", + "email": "メールアドレス", + "email-enrollAccount-subject": "__siteName__であなたのアカウントが作成されました", + "email-enrollAccount-text": "こんにちは、__user__さん。\n\nサービスを開始するには、以下をクリックしてください。\n\n__url__\n\nよろしくお願いします。", + "email-fail": "メールの送信に失敗しました", + "email-fail-text": "Error trying to send email", + "email-invalid": "無効なメールアドレス", + "email-invite": "メールで招待", + "email-invite-subject": "__inviter__があなたを招待しています", + "email-invite-text": "__user__さんへ。\n\n__inviter__さんがあなたをボード\"__board__\"へ招待しています。\n\n以下のリンクをクリックしてください。\n\n__url__\n\nよろしくお願いします。", + "email-resetPassword-subject": "あなたの __siteName__ のパスワードをリセットする", + "email-resetPassword-text": "こんにちは、__user__さん。\n\nパスワードをリセットするには、以下のリンクをクリックしてください。\n\n__url__\n\nよろしくお願いします。", + "email-sent": "メールを送信しました", + "email-verifyEmail-subject": "あなたの __siteName__ のメールアドレスを確認する", + "email-verifyEmail-text": "こんにちは、__user__さん。\n\nメールアドレスを認証するために、以下のリンクをクリックしてください。\n\n__url__\n\nよろしくお願いします。", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "ボードがありません", + "error-board-notAdmin": "操作にはボードの管理者権限が必要です", + "error-board-notAMember": "操作にはボードメンバーである必要があります", + "error-json-malformed": "このテキストは、有効なJSON形式ではありません", + "error-json-schema": "JSONデータが不正な値を含んでいます", + "error-list-doesNotExist": "このリストは存在しません", + "error-user-doesNotExist": "ユーザーが存在しません", + "error-user-notAllowSelf": "自分を招待することはできません。", + "error-user-notCreated": "ユーザーが作成されていません", + "error-username-taken": "このユーザ名は既に使用されています", + "error-email-taken": "メールは既に受け取られています", + "export-board": "ボードのエクスポート", + "filter": "フィルター", + "filter-cards": "カードをフィルターする", + "filter-clear": "フィルターの解除", + "filter-no-label": "ラベルなし", + "filter-no-member": "メンバーなし", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "フィルター有効", + "filter-on-desc": "このボードのカードをフィルターしています。フィルターを編集するにはこちらをクリックしてください。", + "filter-to-selection": "フィルターした項目を全選択", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "フルネーム", + "header-logo-title": "自分のボードページに戻る。", + "hide-system-messages": "システムメッセージを隠す", + "headerBarCreateBoardPopup-title": "ボードの作成", + "home": "ホーム", + "import": "インポート", + "import-board": "ボードをインポート", + "import-board-c": "ボードをインポート", + "import-board-title-trello": "Trelloからボードをインポート", + "import-board-title-wekan": "Wekanからボードをインポート", + "import-sandstorm-warning": "ボードのインポートは、既存ボードのすべてのデータを置き換えます。", + "from-trello": "Trelloから", + "from-wekan": "Wekanから", + "import-board-instruction-trello": "Trelloボードの、 'Menu' → 'More' → 'Print and Export' → 'Export JSON'を選択し、テキストをコピーしてください。", + "import-board-instruction-wekan": "Wekanボードの、'Menu' → 'Export board'を選択し、ダウンロードされたファイルからテキストをコピーしてください。", + "import-json-placeholder": "JSONデータをここに貼り付けする", + "import-map-members": "メンバーを紐付け", + "import-members-map": "インポートしたボードにはメンバーが含まれます。これらのメンバーをWekanのメンバーに紐付けしてください。", + "import-show-user-mapping": "メンバー紐付けの確認", + "import-user-select": "メンバーとして利用したいWekanユーザーを選択", + "importMapMembersAddPopup-title": "Wekanメンバーを選択", + "info": "バージョン", + "initials": "初期状態", + "invalid-date": "無効な日付", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "参加しました", + "just-invited": "このボードのメンバーに招待されています", + "keyboard-shortcuts": "キーボード・ショートカット", + "label-create": "ラベルの作成", + "label-default": "%s ラベル(デフォルト)", + "label-delete-pop": "この操作は取り消しできません。このラベルはすべてのカードから外され履歴からも見えなくなります。", + "labels": "ラベル", + "language": "言語", + "last-admin-desc": "最低でも1人以上の管理者が必要なためロールを変更できません。", + "leave-board": "ボードから退出する", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "ボードから退出しますか?", + "link-card": "このカードへのリンク", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "リストの全カードを移動する", + "list-select-cards": "リストの全カードを選択", + "listActionPopup-title": "操作一覧", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Trelloのカードをインポート", + "listMorePopup-title": "さらに見る", + "link-list": "このリストへのリンク", + "list-delete-pop": "すべての内容がアクティビティから削除されます。この削除は元に戻すことができません。", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "リスト", + "swimlanes": "Swimlanes", + "log-out": "ログアウト", + "log-in": "ログイン", + "loginPopup-title": "ログイン", + "memberMenuPopup-title": "メンバー設定", + "members": "メンバー", + "menu": "メニュー", + "move-selection": "選択したものを移動", + "moveCardPopup-title": "カードの移動", + "moveCardToBottom-title": "最下部に移動", + "moveCardToTop-title": "先頭に移動", + "moveSelectionPopup-title": "選択箇所に移動", + "multi-selection": "複数選択", + "multi-selection-on": "複数選択有効", + "muted": "ミュート", + "muted-info": "このボードの変更は通知されません", + "my-boards": "自分のボード", + "name": "名前", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "該当するものはありません", + "normal": "通常", + "normal-desc": "カードの閲覧と編集が可能。設定変更不可。", + "not-accepted-yet": "招待はアクセプトされていません", + "notify-participate": "作成した、またはメンバーとなったカードの更新情報を受け取る", + "notify-watch": "ウォッチしているすべてのボード、リスト、カードの更新情報を受け取る", + "optional": "任意", + "or": "or", + "page-maybe-private": "このページはプライベートです。ログインして見てください。", + "page-not-found": "ページが見つかりません。", + "password": "パスワード", + "paste-or-dragdrop": "貼り付けか、ドラッグアンドロップで画像を添付 (画像のみ)", + "participating": "参加", + "preview": "プレビュー", + "previewAttachedImagePopup-title": "プレビュー", + "previewClipboardImagePopup-title": "プレビュー", + "private": "プライベート", + "private-desc": "このボードはプライベートです。ボードメンバーのみが閲覧・編集可能です。", + "profile": "プロフィール", + "public": "公開", + "public-desc": "このボードはパブリックです。リンクを知っていれば誰でもアクセス可能でGoogleのような検索エンジンの結果に表示されます。このボードに追加されている人だけがカード追加が可能です。", + "quick-access-description": "ボードにスターをつけると、ここににショートカットができます。", + "remove-cover": "カバーの削除", + "remove-from-board": "ボードから外す", + "remove-label": "ラベルの削除", + "listDeletePopup-title": "リストを削除しますか?", + "remove-member": "メンバーを外す", + "remove-member-from-card": "カードから外す", + "remove-member-pop": "__boardTitle__ から __name__ (__username__) を外しますか?メンバーはこのボードのすべてのカードから外れ、通知を受けます。", + "removeMemberPopup-title": "メンバーを外しますか?", + "rename": "名前変更", + "rename-board": "ボード名の変更", + "restore": "復元", + "save": "保存", + "search": "検索", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "色を選択", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "自分をこのカードに割り当てる", + "shortcut-autocomplete-emoji": "絵文字の補完", + "shortcut-autocomplete-members": "メンバーの補完", + "shortcut-clear-filters": "すべてのフィルターを解除する", + "shortcut-close-dialog": "ダイアログを閉じる", + "shortcut-filter-my-cards": "カードをフィルター", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "フィルターサイドバーの切り替え", + "shortcut-toggle-sidebar": "ボードサイドバーの切り替え", + "show-cards-minimum-count": "以下より多い場合、リストにカード数を表示", + "sidebar-open": "サイドバーを開く", + "sidebar-close": "サイドバーを閉じる", + "signupPopup-title": "アカウント作成", + "star-board-title": "ボードにスターをつけると自分のボード一覧のトップに表示されます。", + "starred-boards": "スターのついたボード", + "starred-boards-description": "スターのついたボードはボードリストの先頭に表示されます。", + "subscribe": "購読", + "team": "チーム", + "this-board": "このボード", + "this-card": "このカード", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "時間", + "title": "タイトル", + "tracking": "トラッキング", + "tracking-info": "これらのカードへの変更が通知されるようになります。", + "type": "Type", + "unassign-member": "未登録のメンバー", + "unsaved-description": "未保存の変更があります。", + "unwatch": "アンウォッチ", + "upload": "アップロード", + "upload-avatar": "アバターのアップロード", + "uploaded-avatar": "アップロードされたアバター", + "username": "ユーザー名", + "view-it": "見る", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "ウォッチ", + "watching": "ウォッチしています", + "watching-info": "このボードの変更が通知されます", + "welcome-board": "ウェルカムボード", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "基本", + "welcome-list2": "高度", + "what-to-do": "何をしたいですか?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "管理パネル", + "settings": "設定", + "people": "メンバー", + "registration": "登録", + "disable-self-registration": "自己登録を無効化", + "invite": "招待", + "invite-people": "メンバーを招待", + "to-boards": "ボードへ移動", + "email-addresses": "Emailアドレス", + "smtp-host-description": "Emailを処理するSMTPサーバーのアドレス", + "smtp-port-description": "SMTPサーバーがEmail送信に使用するポート", + "smtp-tls-description": "SMTPサーバのTLSサポートを有効化", + "smtp-host": "SMTPホスト", + "smtp-port": "SMTPポート", + "smtp-username": "ユーザー名", + "smtp-password": "パスワード", + "smtp-tls": "TLSサポート", + "send-from": "送信元", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "招待コード", + "email-invite-register-subject": "__inviter__さんがあなたを招待しています", + "email-invite-register-text": " __user__ さん\n\n__inviter__ があなたをWekanに招待しました。\n\n以下のリンクをクリックしてください。\n__url__\n\nあなたの招待コードは、 __icode__ です。\n\nよろしくお願いします。", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "招待コードが存在しません", + "error-notAuthorized": "このページを参照する権限がありません。", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekanバージョン", + "Node_version": "Nodeバージョン", + "OS_Arch": "OSアーキテクチャ", + "OS_Cpus": "OS CPU数", + "OS_Freemem": "OSフリーメモリ", + "OS_Loadavg": "OSロードアベレージ", + "OS_Platform": "OSプラットフォーム", + "OS_Release": "OSリリース", + "OS_Totalmem": "OSトータルメモリ", + "OS_Type": "OS種類", + "OS_Uptime": "OSアップタイム", + "hours": "時", + "minutes": "分", + "seconds": "秒", + "show-field-on-card": "Show this field on card", + "yes": "はい", + "no": "いいえ", + "accounts": "アカウント", + "accounts-allowEmailChange": "メールアドレスの変更を許可", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json new file mode 100644 index 00000000..b9550ff6 --- /dev/null +++ b/i18n/km.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "យល់ព្រម", + "act-activity-notify": "[Wekan] សកម្មភាពជូនដំណឹង", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Add", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Members", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Members", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Members", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "បិទផ្ទាំង", + "shortcut-filter-my-cards": "តម្រងកាតរបស់ខ្ញុំ", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "បង្កើតគណនីមួយ", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "កាតនេះ", + "spent-time-hours": "ចំណាយពេល (ម៉ោង)", + "overtime-hours": "លើសពេល (ម៉ោង)", + "overtime": "លើសពេល", + "has-overtime-cards": "មានកាតលើសពេល", + "has-spenttime-cards": "មានកាតដែលបានចំណាយពេល", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json new file mode 100644 index 00000000..edf978a7 --- /dev/null +++ b/i18n/ko.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "확인", + "act-activity-notify": "[Wekan] 활동 알림", + "act-addAttachment": "__attachment__를 __card__에 첨부", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "__card__에 내용 추가 : __comment__", + "act-createBoard": "__board__ 생성", + "act-createCard": "__list__에 __card__ 추가", + "act-createCustomField": "created custom field __customField__", + "act-createList": "__board__에 __list__ 추가", + "act-addBoardMember": "__board__에 __member__ 추가", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "가져온 __board__", + "act-importCard": "가져온 __card__", + "act-importList": "가져온 __list__", + "act-joinMember": "__card__에 __member__ 추가", + "act-moveCard": "__card__을 __oldList__에서 __list__로 이동", + "act-removeBoardMember": "__board__에서 __member__를 삭제", + "act-restoredCard": "__card__를 __board__에 복원했습니다.", + "act-unjoinMember": "__card__에서 __member__를 삭제", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "동작", + "activities": "활동 내역", + "activity": "활동 상태", + "activity-added": "%s를 %s에 추가함", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "%s를 %s에 첨부함", + "activity-created": "%s 생성됨", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "%s를 %s에서 제외함", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "%s에 참여", + "activity-moved": "%s를 %s에서 %s로 옮김", + "activity-on": "%s에", + "activity-removed": "%s를 %s에서 삭제함", + "activity-sent": "%s를 %s로 보냄", + "activity-unjoined": "%s에서 멤버 해제", + "activity-checklist-added": "%s에 체크리스트를 추가함", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "추가", + "add-attachment": "첨부파일 추가", + "add-board": "보드 추가", + "add-card": "카드 추가", + "add-swimlane": "Add Swimlane", + "add-checklist": "체크리스트 추가", + "add-checklist-item": "체크리스트에 항목 추가", + "add-cover": "커버 추가", + "add-label": "라벨 추가", + "add-list": "리스트 추가", + "add-members": "멤버 추가", + "added": "추가됨", + "addMemberPopup-title": "멤버", + "admin": "관리자", + "admin-desc": "카드를 보거나 수정하고, 멤버를 삭제하고, 보드에 대한 설정을 수정할 수 있습니다.", + "admin-announcement": "Announcement", + "admin-announcement-active": "시스템에 공지사항을 표시합니다", + "admin-announcement-title": "관리자 공지사항 메시지", + "all-boards": "전체 보드", + "and-n-other-card": "__count__ 개의 다른 카드", + "and-n-other-card_plural": "__count__ 개의 다른 카드들", + "apply": "적용", + "app-is-offline": "Wekan 로딩 중 입니다. 잠시 기다려주세요. 페이지를 새로고침 하시면 데이터가 손실될 수 있습니다. Wekan 을 불러오는데 실패한다면 서버가 중지되지 않았는지 확인 바랍니다.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "보드 복구", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "멤버 지정", + "attached": "첨부됨", + "attachment": "첨부 파일", + "attachment-delete-pop": "영구 첨부파일을 삭제합니다. 되돌릴 수 없습니다.", + "attachmentDeletePopup-title": "첨부 파일을 삭제합니까?", + "attachments": "첨부 파일", + "auto-watch": "생성한 보드를 자동으로 감시합니다.", + "avatar-too-big": "아바타 파일이 너무 큽니다. (최대 70KB)", + "back": "뒤로", + "board-change-color": "보드 색 변경", + "board-nb-stars": "%s개의 별", + "board-not-found": "보드를 찾을 수 없습니다", + "board-private-info": "이 보드는 비공개입니다.", + "board-public-info": "이 보드는 공개로 설정됩니다", + "boardChangeColorPopup-title": "보드 배경 변경", + "boardChangeTitlePopup-title": "보드 이름 바꾸기", + "boardChangeVisibilityPopup-title": "표시 여부 변경", + "boardChangeWatchPopup-title": "감시상태 변경", + "boardMenuPopup-title": "보드 메뉴", + "boards": "보드", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "목록들", + "bucket-example": "예: “프로젝트 이름“ 입력", + "cancel": "취소", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "이 카드에 %s 코멘트가 있습니다.", + "card-delete-notice": "영구 삭제입니다. 이 카드와 관련된 모든 작업들을 잃게됩니다.", + "card-delete-pop": "모든 작업이 활동 내역에서 제거되며 카드를 다시 열 수 없습니다. 복구가 안되니 주의하시기 바랍니다.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "종료일", + "card-due-on": "종료일", + "card-spent": "Spent Time", + "card-edit-attachments": "첨부 파일 수정", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "라벨 수정", + "card-edit-members": "멤버 수정", + "card-labels-title": "카드의 라벨 변경.", + "card-members-title": "카드에서 보드의 멤버를 추가하거나 삭제합니다.", + "card-start": "시작일", + "card-start-on": "시작일", + "cardAttachmentsPopup-title": "첨부 파일", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "카드를 삭제합니까?", + "cardDetailsActionsPopup-title": "카드 액션", + "cardLabelsPopup-title": "라벨", + "cardMembersPopup-title": "멤버", + "cardMorePopup-title": "더보기", + "cards": "카드", + "cards-count": "카드", + "change": "변경", + "change-avatar": "아바타 변경", + "change-password": "암호 변경", + "change-permissions": "권한 변경", + "change-settings": "설정 변경", + "changeAvatarPopup-title": "아바타 변경", + "changeLanguagePopup-title": "언어 변경", + "changePasswordPopup-title": "암호 변경", + "changePermissionsPopup-title": "권한 변경", + "changeSettingsPopup-title": "설정 변경", + "checklists": "체크리스트", + "click-to-star": "보드에 별 추가.", + "click-to-unstar": "보드에 별 삭제.", + "clipboard": "클립보드 또는 드래그 앤 드롭", + "close": "닫기", + "close-board": "보드 닫기", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "블랙", + "color-blue": "블루", + "color-green": "그린", + "color-lime": "라임", + "color-orange": "오렌지", + "color-pink": "핑크", + "color-purple": "퍼플", + "color-red": "레드", + "color-sky": "스카이", + "color-yellow": "옐로우", + "comment": "댓글", + "comment-placeholder": "댓글 입력", + "comment-only": "댓글만 입력 가능", + "comment-only-desc": "카드에 댓글만 달수 있습니다.", + "computer": "내 컴퓨터", + "confirm-checklist-delete-dialog": "정말 이 체크리스트를 삭제할까요?", + "copy-card-link-to-clipboard": "클립보드에 카드의 링크가 복사되었습니다.", + "copyCardPopup-title": "카드 복사", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "생성", + "createBoardPopup-title": "보드 생성", + "chooseBoardSourcePopup-title": "보드 가져오기", + "createLabelPopup-title": "라벨 생성", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "경향", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "날짜", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "날짜", + "decline": "쇠퇴", + "default-avatar": "기본 아바타", + "delete": "삭제", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "라벨을 삭제합니까?", + "description": "설명", + "disambiguateMultiLabelPopup-title": "라벨 액션의 모호성 제거", + "disambiguateMultiMemberPopup-title": "멤버 액션의 모호성 제거", + "discard": "포기", + "done": "완료", + "download": "다운로드", + "edit": "수정", + "edit-avatar": "아바타 변경", + "edit-profile": "프로필 변경", + "edit-wip-limit": "WIP 제한 변경", + "soft-wip-limit": "원만한 WIP 제한", + "editCardStartDatePopup-title": "시작일 변경", + "editCardDueDatePopup-title": "종료일 변경", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "라벨 변경", + "editNotificationPopup-title": "알림 수정", + "editProfilePopup-title": "프로필 변경", + "email": "이메일", + "email-enrollAccount-subject": "__siteName__에 계정 생성이 완료되었습니다.", + "email-enrollAccount-text": "안녕하세요. __user__님,\n\n시작하려면 아래링크를 클릭해 주세요.\n\n__url__\n\n감사합니다.", + "email-fail": "이메일 전송 실패", + "email-fail-text": "Error trying to send email", + "email-invalid": "잘못된 이메일 주소", + "email-invite": "이메일로 초대", + "email-invite-subject": "__inviter__님이 당신을 초대하였습니다.", + "email-invite-text": "__user__님,\n\n__inviter__님이 협업을 위해 \"__board__\"보드에 가입하도록 초대하셨습니다.\n\n아래 링크를 클릭해주십시오.\n\n__url__\n\n감사합니다.", + "email-resetPassword-subject": "패스워드 초기화: __siteName__", + "email-resetPassword-text": "안녕하세요 __user__님,\n\n비밀번호를 재설정하려면 아래 링크를 클릭하십시오.\n\n__url__\n\n감사합니다.", + "email-sent": "이메일 전송", + "email-verifyEmail-subject": "이메일 인증: __siteName__", + "email-verifyEmail-text": "안녕하세요. __user__님,\n\n당신의 계정과 이메일을 활성하려면 아래 링크를 클릭하십시오.\n\n__url__\n\n감사합니다.", + "enable-wip-limit": "WIP 제한 활성화", + "error-board-doesNotExist": "보드가 없습니다.", + "error-board-notAdmin": "이 작업은 보드의 관리자만 실행할 수 있습니다.", + "error-board-notAMember": "이 작업은 보드의 멤버만 실행할 수 있습니다.", + "error-json-malformed": "텍스트가 JSON 형식에 유효하지 않습니다.", + "error-json-schema": "JSON 데이터에 정보가 올바른 형식으로 포함되어 있지 않습니다.", + "error-list-doesNotExist": "목록이 없습니다.", + "error-user-doesNotExist": "멤버의 정보가 없습니다.", + "error-user-notAllowSelf": "자기 자신을 초대할 수 없습니다.", + "error-user-notCreated": "유저가 생성되지 않았습니다.", + "error-username-taken": "중복된 아이디 입니다.", + "error-email-taken": "Email has already been taken", + "export-board": "보드 내보내기", + "filter": "필터", + "filter-cards": "카드 필터", + "filter-clear": "필터 초기화", + "filter-no-label": "라벨 없음", + "filter-no-member": "멤버 없음", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "필터 사용", + "filter-on-desc": "보드에서 카드를 필터링합니다. 여기를 클릭하여 필터를 수정합니다.", + "filter-to-selection": "선택 항목으로 필터링", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "실명", + "header-logo-title": "보드 페이지로 돌아가기.", + "hide-system-messages": "시스템 메시지 숨기기", + "headerBarCreateBoardPopup-title": "보드 생성", + "home": "홈", + "import": "가져오기", + "import-board": "보드 가져오기", + "import-board-c": "보드 가져오기", + "import-board-title-trello": "Trello에서 보드 가져오기", + "import-board-title-wekan": "Wekan에서 보드 가져오기", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "Trello 게시판에서 'Menu' -> 'More' -> 'Print and Export', 'Export JSON' 선택하여 텍스트 결과값 복사", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "유효한 JSON 데이터를 여기에 붙여 넣으십시오.", + "import-map-members": "보드 멤버들", + "import-members-map": "가져온 보드에는 멤버가 있습니다. 원하는 멤버를 Wekan 멤버로 매핑하세요.", + "import-show-user-mapping": "멤버 매핑 미리보기", + "import-user-select": "이 멤버로 사용하려는 Wekan 유저를 선택하십시오.", + "importMapMembersAddPopup-title": "Wekan 멤버 선택", + "info": "Version", + "initials": "이니셜", + "invalid-date": "적절하지 않은 날짜", + "invalid-time": "적절하지 않은 시각", + "invalid-user": "적절하지 않은 사용자", + "joined": "참가함", + "just-invited": "보드에 방금 초대되었습니다.", + "keyboard-shortcuts": "키보드 단축키", + "label-create": "라벨 생성", + "label-default": "%s 라벨 (기본)", + "label-delete-pop": "되돌릴 수 없습니다. 모든 카드에서 라벨을 제거하고, 이력을 제거합니다.", + "labels": "라벨", + "language": "언어", + "last-admin-desc": "적어도 하나의 관리자가 필요하기에 이 역할을 변경할 수 없습니다.", + "leave-board": "보드 멤버에서 나가기", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "카드에대한 링크", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "목록에 있는 모든 카드를 이동", + "list-select-cards": "목록에 있는 모든 카드를 선택", + "listActionPopup-title": "동작 목록", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Trello 카드 가져 오기", + "listMorePopup-title": "더보기", + "link-list": "이 리스트에 링크", + "list-delete-pop": "모든 작업이 활동내역에서 제거되며 리스트를 복구 할 수 없습니다. 실행 취소는 불가능 합니다.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "목록들", + "swimlanes": "Swimlanes", + "log-out": "로그아웃", + "log-in": "로그인", + "loginPopup-title": "로그인", + "memberMenuPopup-title": "멤버 설정", + "members": "멤버", + "menu": "메뉴", + "move-selection": "선택 항목 이동", + "moveCardPopup-title": "카드 이동", + "moveCardToBottom-title": "최하단으로 이동", + "moveCardToTop-title": "최상단으로 이동", + "moveSelectionPopup-title": "선택 항목 이동", + "multi-selection": "다중 선택", + "multi-selection-on": "다중 선택 사용", + "muted": "알림 해제", + "muted-info": "보드의 변경된 사항들의 알림을 받지 않습니다.", + "my-boards": "내 보드", + "name": "이름", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "결과 값 없음", + "normal": "표준", + "normal-desc": "카드를 보거나 수정할 수 있습니다. 설정값은 변경할 수 없습니다.", + "not-accepted-yet": "초대장이 수락되지 않았습니다.", + "notify-participate": "보드 생성자 또는 멤버로 참여하는 모든 카드에 대한 변경사항 알림 받음", + "notify-watch": "감시중인 보드, 목록 또는 카드에 대한 변경사항 알림 받음", + "optional": "옵션", + "or": "또는", + "page-maybe-private": "이 페이지를 비공개일 수 있습니다. 이것을 보고 싶으면 로그인을 하십시오.", + "page-not-found": "페이지를 찾지 못 했습니다", + "password": "암호", + "paste-or-dragdrop": "이미지 파일을 붙여 넣거나 드래그 앤 드롭 (이미지 전용)", + "participating": "참여", + "preview": "미리보기", + "previewAttachedImagePopup-title": "미리보기", + "previewClipboardImagePopup-title": "미리보기", + "private": "비공개", + "private-desc": "비공개된 보드입니다. 오직 보드에 추가된 사람들만 보고 수정할 수 있습니다", + "profile": "프로파일", + "public": "공개", + "public-desc": "공개된 보드입니다. 링크를 가진 모든 사람과 구글과 같은 검색 엔진에서 찾아서 볼수 있습니다. 보드에 추가된 사람들만 수정이 가능합니다.", + "quick-access-description": "여기에 바로 가기를 추가하려면 보드에 별 표시를 체크하세요.", + "remove-cover": "커버 제거", + "remove-from-board": "보드에서 제거", + "remove-label": "라벨 제거", + "listDeletePopup-title": "리스트를 삭제합니까?", + "remove-member": "멤버 제거", + "remove-member-from-card": "카드에서 제거", + "remove-member-pop": "__boardTitle__에서 __name__(__username__) 을 제거합니까? 이 보드의 모든 카드에서 제거됩니다. 해당 내용을 __name__(__username__) 은(는) 알림으로 받게됩니다.", + "removeMemberPopup-title": "멤버를 제거합니까?", + "rename": "새이름", + "rename-board": "보드 이름 바꾸기", + "restore": "복구", + "save": "저장", + "search": "검색", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "색 선택", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "현재 카드에 자신을 지정하세요.", + "shortcut-autocomplete-emoji": "이모티콘 자동완성", + "shortcut-autocomplete-members": "멤버 자동완성", + "shortcut-clear-filters": "모든 필터 초기화", + "shortcut-close-dialog": "대화 상자 닫기", + "shortcut-filter-my-cards": "내 카드 필터링", + "shortcut-show-shortcuts": "바로가기 목록을 가져오십시오.", + "shortcut-toggle-filterbar": "토글 필터 사이드바", + "shortcut-toggle-sidebar": "보드 사이드바 토글", + "show-cards-minimum-count": "목록에 카드 수량 표시(입력된 수량 넘을 경우 표시)", + "sidebar-open": "사이드바 열기", + "sidebar-close": "사이드바 닫기", + "signupPopup-title": "계정 생성", + "star-board-title": "보드에 별 표시를 클릭합니다. 보드 목록에서 최상위로 둘 수 있습니다.", + "starred-boards": "별표된 보드", + "starred-boards-description": "별 표시된 보드들은 보드 목록의 최상단에서 보입니다.", + "subscribe": "구독", + "team": "팀", + "this-board": "보드", + "this-card": "카드", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "시간", + "title": "제목", + "tracking": "추적", + "tracking-info": "보드 생성자 또는 멤버로 참여하는 모든 카드에 대한 변경사항 알림 받음", + "type": "Type", + "unassign-member": "멤버 할당 해제", + "unsaved-description": "저장되지 않은 설명이 있습니다.", + "unwatch": "감시 해제", + "upload": "업로드", + "upload-avatar": "아바타 업로드", + "uploaded-avatar": "업로드한 아바타", + "username": "아이디", + "view-it": "보기", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "감시", + "watching": "감시 중", + "watching-info": "\"이 보드의 변경사항을 알림으로 받습니다.", + "welcome-board": "보드예제", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "신규", + "welcome-list2": "진행", + "what-to-do": "무엇을 하고 싶으신가요?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "관리자 패널", + "settings": "설정", + "people": "사람", + "registration": "회원가입", + "disable-self-registration": "일반 유저의 회원 가입 막기", + "invite": "초대", + "invite-people": "사람 초대", + "to-boards": "보드로 부터", + "email-addresses": "이메일 주소", + "smtp-host-description": "이메일을 처리하는 SMTP 서버의 주소입니다.", + "smtp-port-description": "SMTP 서버가 보내는 전자 메일에 사용하는 포트입니다.", + "smtp-tls-description": "SMTP 서버에 TLS 지원 사용", + "smtp-host": "SMTP 호스트", + "smtp-port": "SMTP 포트", + "smtp-username": "사용자 이름", + "smtp-password": "암호", + "smtp-tls": "TLS 지원", + "send-from": "보낸 사람", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "초대 코드", + "email-invite-register-subject": "\"__inviter__ 님이 당신에게 초대장을 보냈습니다.", + "email-invite-register-text": "\"__user__ 님, \n\n__inviter__ 님이 Wekan 보드에 협업을 위하여 당신을 초대합니다.\n\n아래 링크를 클릭해주세요 : \n__url__\n\n그리고 초대 코드는 __icode__ 입니다.\n\n감사합니다.", + "email-smtp-test-subject": "SMTP 테스트 이메일이 발송되었습니다.", + "email-smtp-test-text": "테스트 메일을 성공적으로 발송하였습니다.", + "error-invitation-code-not-exist": "초대 코드가 존재하지 않습니다.", + "error-notAuthorized": "이 페이지를 볼 수있는 권한이 없습니다.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json new file mode 100644 index 00000000..128e847a --- /dev/null +++ b/i18n/lv.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Piekrist", + "act-activity-notify": "[Wekan] Aktivitātes paziņojums", + "act-addAttachment": "pievienots __attachment__ to __card__", + "act-addChecklist": "pievienots checklist __checklist__ to __card__", + "act-addChecklistItem": "pievienots __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "komentēja __card__: __comment__", + "act-createBoard": "izveidoja __board__", + "act-createCard": "pievienoja __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "pievienoja __list__ to __board__", + "act-addBoardMember": "pievienoja __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "importēja __board__", + "act-importCard": "importēja __card__", + "act-importList": "importēja __list__", + "act-joinMember": "pievienoja __member__ to __card__", + "act-moveCard": "pārvietoja __card__ from __oldList__ to __list__", + "act-removeBoardMember": "noņēma __member__ from __board__", + "act-restoredCard": "atjaunoja __card__ to __board__", + "act-unjoinMember": "noņēma __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Darbības", + "activities": "Aktivitātes", + "activity": "Aktivitāte", + "activity-added": "pievienoja %s pie %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "pievienoja %s pie %s", + "activity-created": "izveidoja%s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "izslēdza%s no%s", + "activity-imported": "importēja %s iekšā%s no%s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Add", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Members", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Members", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Members", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json new file mode 100644 index 00000000..794f9ce8 --- /dev/null +++ b/i18n/mn.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Зөвшөөрөх", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "_attachment__ хавсралтыг __card__-д хавсаргав", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Нэмэх", + "add-attachment": "Хавсралт нэмэх", + "add-board": "Самбар нэмэх", + "add-card": "Карт нэмэх", + "add-swimlane": "Add Swimlane", + "add-checklist": "Чеклист нэмэх", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Шошго нэмэх", + "add-list": "Жагсаалт нэмэх", + "add-members": "Гишүүд нэмэх", + "added": "Нэмсэн", + "addMemberPopup-title": "Гишүүд", + "admin": "Админ", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "Бүх самбарууд", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Гишүүд", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Аватар өөрчлөх", + "change-password": "Нууц үг солих", + "change-permissions": "Change permissions", + "change-settings": "Тохиргоо өөрчлөх", + "changeAvatarPopup-title": "Аватар өөрчлөх", + "changeLanguagePopup-title": "Хэл солих", + "changePasswordPopup-title": "Нууц үг солих", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Тохиргоо өөрчлөх", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Үүсгэх", + "createBoardPopup-title": "Самбар үүсгэх", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Шошго үүсгэх", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Аватар өөрчлөх", + "edit-profile": "Бүртгэл засварлах", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Мэдэгдэл тохируулах", + "editProfilePopup-title": "Бүртгэл засварлах", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Самбар үүсгэх", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Шошго үүсгэх", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Гарах", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Гишүүний тохиргоо", + "members": "Гишүүд", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "Миний самбарууд", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Хэрэглэгч үүсгэх", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json new file mode 100644 index 00000000..205db808 --- /dev/null +++ b/i18n/nb.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Godta", + "act-activity-notify": "[Wekan] Aktivitetsvarsel", + "act-addAttachment": "la ved __attachment__ til __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "kommenterte til __card__: __comment__", + "act-createBoard": "opprettet __board__", + "act-createCard": "la __card__ til __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "la __list__ til __board__", + "act-addBoardMember": "la __member__ til __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "importerte __board__", + "act-importCard": "importerte __card__", + "act-importList": "importerte __list__", + "act-joinMember": "la __member__ til __card__", + "act-moveCard": "flyttet __card__ fra __oldList__ til __list__", + "act-removeBoardMember": "fjernet __member__ fra __board__", + "act-restoredCard": "gjenopprettet __card__ til __board__", + "act-unjoinMember": "fjernet __member__ fra __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Aktiviteter", + "activity": "Aktivitet", + "activity-added": "la %s til %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "la %s til %s", + "activity-created": "opprettet %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "ekskluderte %s fra %s", + "activity-imported": "importerte %s til %s fra %s", + "activity-imported-board": "importerte %s fra %s", + "activity-joined": "ble med %s", + "activity-moved": "flyttet %s fra %s til %s", + "activity-on": "på %s", + "activity-removed": "fjernet %s fra %s", + "activity-sent": "sendte %s til %s", + "activity-unjoined": "forlot %s", + "activity-checklist-added": "la til sjekkliste til %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Legg til", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Nytt punkt på sjekklisten", + "add-cover": "Nytt omslag", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Legg til medlemmer", + "added": "Lagt til", + "addMemberPopup-title": "Medlemmer", + "admin": "Admin", + "admin-desc": "Kan se og redigere kort, fjerne medlemmer, og endre innstillingene for tavlen.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "Alle tavler", + "and-n-other-card": "Og __count__ andre kort", + "and-n-other-card_plural": "Og __count__ andre kort", + "apply": "Lagre", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Tildel medlem", + "attached": "la ved", + "attachment": "Vedlegg", + "attachment-delete-pop": "Sletting av vedlegg er permanent og kan ikke angres", + "attachmentDeletePopup-title": "Slette vedlegg?", + "attachments": "Vedlegg", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Tilbake", + "board-change-color": "Endre farge", + "board-nb-stars": "%s stjerner", + "board-not-found": "Kunne ikke finne tavlen", + "board-private-info": "Denne tavlen vil være privat.", + "board-public-info": "Denne tavlen vil være offentlig.", + "boardChangeColorPopup-title": "Ende tavlens bakgrunnsfarge", + "boardChangeTitlePopup-title": "Endre navn på tavlen", + "boardChangeVisibilityPopup-title": "Endre synlighet", + "boardChangeWatchPopup-title": "Endre overvåkning", + "boardMenuPopup-title": "Tavlemeny", + "boards": "Tavler", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Som \"Bucket List\" for eksempel", + "cancel": "Avbryt", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "Dette kortet har %s kommentar.", + "card-delete-notice": "Sletting er permanent. Du vil miste alle hendelser knyttet til dette kortet.", + "card-delete-pop": "Alle handlinger vil fjernes fra feeden for aktiviteter og du vil ikke kunne åpne kortet på nytt. Det er ingen mulighet å angre.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Frist", + "card-due-on": "Frist til", + "card-spent": "Spent Time", + "card-edit-attachments": "Rediger vedlegg", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Rediger etiketter", + "card-edit-members": "Endre medlemmer", + "card-labels-title": "Endre etiketter for kortet.", + "card-members-title": "Legg til eller fjern tavle-medlemmer fra dette kortet.", + "card-start": "Start", + "card-start-on": "Starter på", + "cardAttachmentsPopup-title": "Legg ved fra", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Slett kort?", + "cardDetailsActionsPopup-title": "Kort-handlinger", + "cardLabelsPopup-title": "Etiketter", + "cardMembersPopup-title": "Medlemmer", + "cardMorePopup-title": "Mer", + "cards": "Kort", + "cards-count": "Kort", + "change": "Endre", + "change-avatar": "Endre avatar", + "change-password": "Endre passord", + "change-permissions": "Endre rettigheter", + "change-settings": "Endre innstillinger", + "changeAvatarPopup-title": "Endre Avatar", + "changeLanguagePopup-title": "Endre språk", + "changePasswordPopup-title": "Endre passord", + "changePermissionsPopup-title": "Endre tillatelser", + "changeSettingsPopup-title": "Endre innstillinger", + "checklists": "Sjekklister", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Endre avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Etiketter", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "Mer", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Medlemmer", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Endre navn på tavlen", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json new file mode 100644 index 00000000..4515d1c2 --- /dev/null +++ b/i18n/nl.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accepteren", + "act-activity-notify": "[Wekan] Activiteit Notificatie", + "act-addAttachment": "__attachment__ als bijlage toegevoegd aan __card__", + "act-addChecklist": "__checklist__ toegevoegd aan __card__", + "act-addChecklistItem": "__checklistItem__ aan checklist toegevoegd aan __checklist__ op __card__", + "act-addComment": "gereageerd op __card__:__comment__", + "act-createBoard": "aangemaakte __bord__", + "act-createCard": "toegevoegd __kaart__ aan __lijst__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "toegevoegd __lijst__ aan __bord__", + "act-addBoardMember": "__member__ aan __board__ toegevoegd", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": " __board__ geïmporteerd", + "act-importCard": "__card__ geïmporteerd", + "act-importList": "__list__ geïmporteerd", + "act-joinMember": "__member__ aan __card__ toegevoegd", + "act-moveCard": "verplaatst __card__ van __oldList__ naar __list__", + "act-removeBoardMember": "verwijderd __member__ van __board__", + "act-restoredCard": "hersteld __card__ naar __board__", + "act-unjoinMember": "verwijderd __member__ van __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Acties", + "activities": "Activiteiten", + "activity": "Activiteit", + "activity-added": "%s toegevoegd aan %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "%s bijgevoegd aan %s", + "activity-created": "%s aangemaakt", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "%s uitgesloten van %s", + "activity-imported": "%s geimporteerd in %s van %s", + "activity-imported-board": "%s geimporteerd van %s", + "activity-joined": "%s toegetreden", + "activity-moved": "%s verplaatst van %s naar %s", + "activity-on": "bij %s", + "activity-removed": "%s verwijderd van %s", + "activity-sent": "%s gestuurd naar %s", + "activity-unjoined": "uit %s gegaan", + "activity-checklist-added": "checklist toegevoegd aan %s", + "activity-checklist-item-added": "checklist punt toegevoegd aan '%s' in '%s'", + "add": "Toevoegen", + "add-attachment": "Voeg Bijlage Toe", + "add-board": "Voeg Bord Toe", + "add-card": "Voeg Kaart Toe", + "add-swimlane": "Swimlane Toevoegen", + "add-checklist": "Voeg Checklist Toe", + "add-checklist-item": "Voeg item toe aan checklist", + "add-cover": "Voeg Cover Toe", + "add-label": "Voeg Label Toe", + "add-list": "Voeg Lijst Toe", + "add-members": "Voeg Leden Toe", + "added": "Toegevoegd", + "addMemberPopup-title": "Leden", + "admin": "Administrator", + "admin-desc": "Kan kaarten bekijken en wijzigen, leden verwijderen, en instellingen voor het bord aanpassen.", + "admin-announcement": "Melding", + "admin-announcement-active": "Systeem melding", + "admin-announcement-title": "Melding van de administrator", + "all-boards": "Alle borden", + "and-n-other-card": "En nog __count__ ander", + "and-n-other-card_plural": "En __count__ andere kaarten", + "apply": "Aanmelden", + "app-is-offline": "Wekan is aan het laden, wacht alstublieft. Het verversen van de pagina zorgt voor verlies van gegevens. Als Wekan niet laadt, check of de Wekan server is gestopt.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Herstel Bord", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Wijs lid aan", + "attached": "bijgevoegd", + "attachment": "Bijlage", + "attachment-delete-pop": "Een bijlage verwijderen is permanent. Er is geen herstelmogelijkheid.", + "attachmentDeletePopup-title": "Verwijder Bijlage?", + "attachments": "Bijlagen", + "auto-watch": "Automatisch borden bekijken wanneer deze aangemaakt worden", + "avatar-too-big": "De bestandsgrootte van je avatar is te groot (70KB max)", + "back": "Terug", + "board-change-color": "Verander kleur", + "board-nb-stars": "%s sterren", + "board-not-found": "Bord is niet gevonden", + "board-private-info": "Dit bord is nu privé.", + "board-public-info": "Dit bord is nu openbaar.", + "boardChangeColorPopup-title": "Verander achtergrond van bord", + "boardChangeTitlePopup-title": "Hernoem bord", + "boardChangeVisibilityPopup-title": "Verander zichtbaarheid", + "boardChangeWatchPopup-title": "Verander naar 'Watch'", + "boardMenuPopup-title": "Bord menu", + "boards": "Borden", + "board-view": "Bord overzicht", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lijsten", + "bucket-example": "Zoals \"Bucket List\" bijvoorbeeld", + "cancel": "Annuleren", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "Deze kaart heeft %s reactie.", + "card-delete-notice": "Verwijdering is permanent. Als je dit doet, verlies je alle informatie die op deze kaart is opgeslagen.", + "card-delete-pop": "Alle acties worden verwijderd van de activiteiten feed, en er zal geen mogelijkheid zijn om de kaart opnieuw te openen. Deze actie kan je niet ongedaan maken.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Deadline: ", + "card-due-on": "Deadline: ", + "card-spent": "gespendeerde tijd", + "card-edit-attachments": "Wijzig bijlagen", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Wijzig labels", + "card-edit-members": "Wijzig leden", + "card-labels-title": "Wijzig de labels vam de kaart.", + "card-members-title": "Voeg of verwijder leden van het bord toe aan de kaart.", + "card-start": "Begin", + "card-start-on": "Begint op", + "cardAttachmentsPopup-title": "Voeg bestand toe vanuit", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Kaart verwijderen?", + "cardDetailsActionsPopup-title": "Kaart actie ondernemen", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Leden", + "cardMorePopup-title": "Meer", + "cards": "Kaarten", + "cards-count": "Kaarten", + "change": "Wijzig", + "change-avatar": "Wijzig avatar", + "change-password": "Wijzig wachtwoord", + "change-permissions": "Wijzig permissies", + "change-settings": "Wijzig instellingen", + "changeAvatarPopup-title": "Wijzig avatar", + "changeLanguagePopup-title": "Verander van taal", + "changePasswordPopup-title": "Wijzig wachtwoord", + "changePermissionsPopup-title": "Wijzig permissies", + "changeSettingsPopup-title": "Wijzig instellingen", + "checklists": "Checklists", + "click-to-star": "Klik om het bord als favoriet in te stellen", + "click-to-unstar": "Klik om het bord uit favorieten weg te halen", + "clipboard": "Vanuit clipboard of sleep het bestand hierheen", + "close": "Sluiten", + "close-board": "Sluit bord", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "zwart", + "color-blue": "blauw", + "color-green": "groen", + "color-lime": "Felgroen", + "color-orange": "Oranje", + "color-pink": "Roze", + "color-purple": "Paars", + "color-red": "Rood", + "color-sky": "Lucht", + "color-yellow": "Geel", + "comment": "Reageer", + "comment-placeholder": "Schrijf reactie", + "comment-only": "Alleen reageren", + "comment-only-desc": "Kan alleen op kaarten reageren.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Weet u zeker dat u de checklist wilt verwijderen", + "copy-card-link-to-clipboard": "Kopieer kaart link naar klembord", + "copyCardPopup-title": "Kopieer kaart", + "copyChecklistToManyCardsPopup-title": "Checklist sjabloon kopiëren naar meerdere kaarten", + "copyChecklistToManyCardsPopup-instructions": "Doel kaart titels en omschrijvingen in dit JSON formaat", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titel eerste kaart\", \"description\":\"Omschrijving eerste kaart\"}, {\"title\":\"Titel tweede kaart\",\"description\":\"Omschrijving tweede kaart\"},{\"title\":\"Titel laatste kaart\",\"description\":\"Omschrijving laatste kaart\"} ]", + "create": "Aanmaken", + "createBoardPopup-title": "Bord aanmaken", + "chooseBoardSourcePopup-title": "Importeer bord", + "createLabelPopup-title": "Label aanmaken", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "Huidige", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Datum", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Datum", + "decline": "Weigeren", + "default-avatar": "Standaard avatar", + "delete": "Verwijderen", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Verwijder label?", + "description": "Beschrijving", + "disambiguateMultiLabelPopup-title": "Disambigueer Label Actie", + "disambiguateMultiMemberPopup-title": "Disambigueer Lid Actie", + "discard": "Weggooien", + "done": "Klaar", + "download": "Download", + "edit": "Wijzig", + "edit-avatar": "Wijzig avatar", + "edit-profile": "Wijzig profiel", + "edit-wip-limit": "Verander WIP limiet", + "soft-wip-limit": "Zachte WIP limiet", + "editCardStartDatePopup-title": "Wijzig start datum", + "editCardDueDatePopup-title": "Wijzig deadline", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Verander gespendeerde tijd", + "editLabelPopup-title": "Wijzig label", + "editNotificationPopup-title": "Wijzig notificatie", + "editProfilePopup-title": "Wijzig profiel", + "email": "E-mail", + "email-enrollAccount-subject": "Er is een account voor je aangemaakt op __siteName__", + "email-enrollAccount-text": "Hallo __user__,\n\nOm gebruik te maken van de online dienst, kan je op de volgende link klikken.\n\n__url__\n\nBedankt.", + "email-fail": "E-mail verzenden is mislukt", + "email-fail-text": "Fout tijdens het verzenden van de email", + "email-invalid": "Ongeldige e-mail", + "email-invite": "Nodig uit via e-mail", + "email-invite-subject": "__inviter__ heeft je een uitnodiging gestuurd", + "email-invite-text": "Beste __user__,\n\n__inviter__ heeft je uitgenodigd om voor een samenwerking deel te nemen aan het bord \"__board__\".\n\nKlik op de link hieronder:\n\n__url__\n\nBedankt.", + "email-resetPassword-subject": "Reset je wachtwoord op __siteName__", + "email-resetPassword-text": "Hallo __user__,\n\nKlik op de link hier beneden om je wachtwoord te resetten.\n\n__url__\n\nBedankt.", + "email-sent": "E-mail is verzonden", + "email-verifyEmail-subject": "Verifieer je e-mailadres op __siteName__", + "email-verifyEmail-text": "Hallo __user__,\n\nOm je e-mail te verifiëren vragen we je om op de link hieronder te drukken.\n\n__url__\n\nBedankt.", + "enable-wip-limit": "Activeer WIP limiet", + "error-board-doesNotExist": "Dit bord bestaat niet.", + "error-board-notAdmin": "Je moet een administrator zijn van dit bord om dat te doen.", + "error-board-notAMember": "Je moet een lid zijn van dit bord om dat te doen.", + "error-json-malformed": "JSON format klopt niet", + "error-json-schema": "De JSON data bevat niet de juiste informatie in de juiste format", + "error-list-doesNotExist": "Deze lijst bestaat niet", + "error-user-doesNotExist": "Deze gebruiker bestaat niet", + "error-user-notAllowSelf": "Je kan jezelf niet uitnodigen", + "error-user-notCreated": "Deze gebruiker is niet aangemaakt", + "error-username-taken": "Deze gebruikersnaam is al bezet", + "error-email-taken": "Deze e-mail is al eerder gebruikt", + "export-board": "Exporteer bord", + "filter": "Filter", + "filter-cards": "Filter kaarten", + "filter-clear": "Reset filter", + "filter-no-label": "Geen label", + "filter-no-member": "Geen lid", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter staat aan", + "filter-on-desc": "Je bent nu kaarten aan het filteren op dit bord. Klik hier om het filter te wijzigen.", + "filter-to-selection": "Filter zoals selectie", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Volledige naam", + "header-logo-title": "Ga terug naar jouw borden pagina.", + "hide-system-messages": "Verberg systeemberichten", + "headerBarCreateBoardPopup-title": "Bord aanmaken", + "home": "Voorpagina", + "import": "Importeer", + "import-board": "Importeer bord", + "import-board-c": "Importeer bord", + "import-board-title-trello": "Importeer bord van Trello", + "import-board-title-wekan": "Importeer bord van Wekan", + "import-sandstorm-warning": "Het geïmporteerde bord verwijdert alle data op het huidige bord, om het daarna te vervangen.", + "from-trello": "Van Trello", + "from-wekan": "Van Wekan", + "import-board-instruction-trello": "Op jouw Trello bord, ga naar 'Menu', dan naar 'Meer', 'Print en Exporteer', 'Exporteer JSON', en kopieer de tekst.", + "import-board-instruction-wekan": "In jouw Wekan bord, ga naar 'Menu', dan 'Exporteer bord', en kopieer de tekst in het gedownloade bestand.", + "import-json-placeholder": "Plak geldige JSON data hier", + "import-map-members": "Breng leden in kaart", + "import-members-map": "Jouw geïmporteerde borden heeft een paar leden. Selecteer de leden die je wilt importeren naar Wekan gebruikers. ", + "import-show-user-mapping": "Breng leden overzicht tevoorschijn", + "import-user-select": "Kies de Wekan gebruiker uit die je hier als lid wilt hebben", + "importMapMembersAddPopup-title": "Selecteer een Wekan lid", + "info": "Versie", + "initials": "Initialen", + "invalid-date": "Ongeldige datum", + "invalid-time": "Ongeldige tijd", + "invalid-user": "Ongeldige gebruiker", + "joined": "doet nu mee met", + "just-invited": "Je bent zojuist uitgenodigd om mee toen doen met dit bord", + "keyboard-shortcuts": "Toetsenbord snelkoppelingen", + "label-create": "Label aanmaken", + "label-default": "%s label (standaard)", + "label-delete-pop": "Je kan het niet ongedaan maken. Deze actie zal de label van alle kaarten verwijderen, en de feed.", + "labels": "Labels", + "language": "Taal", + "last-admin-desc": "Je kan de permissies niet veranderen omdat er maar een administrator is.", + "leave-board": "Verlaat bord", + "leave-board-pop": "Weet u zeker dat u __boardTitle__ wilt verlaten? U wordt verwijderd van alle kaarten binnen dit bord", + "leaveBoardPopup-title": "Bord verlaten?", + "link-card": "Link naar deze kaart", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Verplaats alle kaarten in deze lijst", + "list-select-cards": "Selecteer alle kaarten in deze lijst", + "listActionPopup-title": "Lijst acties", + "swimlaneActionPopup-title": "Swimlane handelingen", + "listImportCardPopup-title": "Importeer een Trello kaart", + "listMorePopup-title": "Meer", + "link-list": "Link naar deze lijst", + "list-delete-pop": "Alle acties zullen verwijderd worden van de activiteiten feed, en je zult deze niet meer kunnen herstellen. Je kan deze actie niet ongedaan maken.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lijsten", + "swimlanes": "Swimlanes", + "log-out": "Uitloggen", + "log-in": "Inloggen", + "loginPopup-title": "Inloggen", + "memberMenuPopup-title": "Instellingen van leden", + "members": "Leden", + "menu": "Menu", + "move-selection": "Verplaats selectie", + "moveCardPopup-title": "Verplaats kaart", + "moveCardToBottom-title": "Verplaats naar beneden", + "moveCardToTop-title": "Verplaats naar boven", + "moveSelectionPopup-title": "Verplaats selectie", + "multi-selection": "Multi-selectie", + "multi-selection-on": "Multi-selectie staat aan", + "muted": "Stil", + "muted-info": "Je zal nooit meer geïnformeerd worden bij veranderingen in dit bord.", + "my-boards": "Mijn Borden", + "name": "Naam", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Geen resultaten", + "normal": "Normaal", + "normal-desc": "Kan de kaarten zien en wijzigen. Kan de instellingen niet wijzigen.", + "not-accepted-yet": "Uitnodiging niet geaccepteerd", + "notify-participate": "Ontvang updates van elke kaart die je hebt gemaakt of lid van bent", + "notify-watch": "Ontvang updates van elke bord, lijst of kaart die je bekijkt.", + "optional": "optioneel", + "or": "of", + "page-maybe-private": "Deze pagina is privé. Je kan het bekijken door in te loggen.", + "page-not-found": "Pagina niet gevonden.", + "password": "Wachtwoord", + "paste-or-dragdrop": "Om te plakken, of slepen & neer te laten (alleen afbeeldingen)", + "participating": "Deelnemen", + "preview": "Voorbeeld", + "previewAttachedImagePopup-title": "Voorbeeld", + "previewClipboardImagePopup-title": "Voorbeeld", + "private": "Privé", + "private-desc": "Dit bord is privé. Alleen mensen die toegevoegd zijn aan het bord kunnen het bekijken en wijzigen.", + "profile": "Profiel", + "public": "Publiek", + "public-desc": "Dit bord is publiek. Het is zichtbaar voor iedereen met de link en zal tevoorschijn komen op zoekmachines zoals Google. Alleen mensen die toegevoegd zijn kunnen het bord wijzigen.", + "quick-access-description": "Maak een bord favoriet om een snelkoppeling toe te voegen aan deze balk.", + "remove-cover": "Verwijder Cover", + "remove-from-board": "Verwijder van bord", + "remove-label": "Verwijder label", + "listDeletePopup-title": "Verwijder lijst?", + "remove-member": "Verwijder lid", + "remove-member-from-card": "Verwijder van kaart", + "remove-member-pop": "Verwijder __name__ (__username__) van __boardTitle__? Het lid zal verwijderd worden van alle kaarten op dit bord, en zal een notificatie ontvangen.", + "removeMemberPopup-title": "Verwijder lid?", + "rename": "Hernoem", + "rename-board": "Hernoem bord", + "restore": "Herstel", + "save": "Opslaan", + "search": "Zoek", + "search-cards": "Zoeken in kaart titels en omschrijvingen op dit bord", + "search-example": "Tekst om naar te zoeken?", + "select-color": "Selecteer kleur", + "set-wip-limit-value": "Zet een limiet voor het maximaal aantal taken in deze lijst", + "setWipLimitPopup-title": "Zet een WIP limiet", + "shortcut-assign-self": "Wijs jezelf toe aan huidige kaart", + "shortcut-autocomplete-emoji": "Emojis automatisch aanvullen", + "shortcut-autocomplete-members": "Leden automatisch aanvullen", + "shortcut-clear-filters": "Alle filters vrijmaken", + "shortcut-close-dialog": "Sluit dialoog", + "shortcut-filter-my-cards": "Filter mijn kaarten", + "shortcut-show-shortcuts": "Haal lijst met snelkoppelingen tevoorschijn", + "shortcut-toggle-filterbar": "Schakel Filter Zijbalk", + "shortcut-toggle-sidebar": "Schakel Bord Zijbalk", + "show-cards-minimum-count": "Laat het aantal kaarten zien wanneer de lijst meer kaarten heeft dan", + "sidebar-open": "Open Zijbalk", + "sidebar-close": "Sluit Zijbalk", + "signupPopup-title": "Maak een account aan", + "star-board-title": "Klik om het bord toe te voegen aan favorieten, waarna hij aan de bovenbalk tevoorschijn komt.", + "starred-boards": "Favoriete Borden", + "starred-boards-description": "Favoriete borden komen tevoorschijn aan de bovenbalk.", + "subscribe": "Abonneer", + "team": "Team", + "this-board": "dit bord", + "this-card": "deze kaart", + "spent-time-hours": "Gespendeerde tijd (in uren)", + "overtime-hours": "Overwerk (in uren)", + "overtime": "Overwerk", + "has-overtime-cards": "Heeft kaarten met overwerk", + "has-spenttime-cards": "Heeft tijd besteed aan kaarten", + "time": "Tijd", + "title": "Titel", + "tracking": "Volgen", + "tracking-info": "Je wordt op de hoogte gesteld als er veranderingen zijn aan de kaarten waar je lid of maker van bent.", + "type": "Type", + "unassign-member": "Lid ontkennen", + "unsaved-description": "Je hebt een niet opgeslagen beschrijving.", + "unwatch": "Niet bekijken", + "upload": "Upload", + "upload-avatar": "Upload een avatar", + "uploaded-avatar": "Avatar is geüpload", + "username": "Gebruikersnaam", + "view-it": "Bekijk het", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Bekijk", + "watching": "Bekijken", + "watching-info": "Je zal op de hoogte worden gesteld als er een verandering gebeurt op dit bord.", + "welcome-board": "Welkom Bord", + "welcome-swimlane": "Mijlpaal 1", + "welcome-list1": "Basis", + "welcome-list2": "Geadvanceerd", + "what-to-do": "Wat wil je doen?", + "wipLimitErrorPopup-title": "Ongeldige WIP limiet", + "wipLimitErrorPopup-dialog-pt1": "Het aantal taken in deze lijst is groter dan de gedefinieerde WIP limiet ", + "wipLimitErrorPopup-dialog-pt2": "Verwijder een aantal taken uit deze lijst, of zet de WIP limiet hoger", + "admin-panel": "Administrator paneel", + "settings": "Instellingen", + "people": "Mensen", + "registration": "Registratie", + "disable-self-registration": "Schakel zelf-registratie uit", + "invite": "Uitnodigen", + "invite-people": "Nodig mensen uit", + "to-boards": "Voor bord(en)", + "email-addresses": "E-mailadressen", + "smtp-host-description": "Het adres van de SMTP server die e-mails zal versturen.", + "smtp-port-description": "De poort van de SMTP server wordt gebruikt voor uitgaande e-mails.", + "smtp-tls-description": "Gebruik TLS ondersteuning voor SMTP server.", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Poort", + "smtp-username": "Gebruikersnaam", + "smtp-password": "Wachtwoord", + "smtp-tls": "TLS ondersteuning", + "send-from": "Van", + "send-smtp-test": "Verzend een email naar uzelf", + "invitation-code": "Uitnodigings code", + "email-invite-register-subject": "__inviter__ heeft je een uitnodiging gestuurd", + "email-invite-register-text": "Beste __user__,\n\n__inviter__ heeft je uitgenodigd voor Wekan om samen te werken.\n\nKlik op de volgende link:\n__url__\n\nEn je uitnodigingscode is __icode__\n\nBedankt.", + "email-smtp-test-subject": "SMTP Test email van Wekan", + "email-smtp-test-text": "U heeft met succes een email verzonden", + "error-invitation-code-not-exist": "Uitnodigings code bestaat niet", + "error-notAuthorized": "Je bent niet toegestaan om deze pagina te bekijken.", + "outgoing-webhooks": "Uitgaande Webhooks", + "outgoingWebhooksPopup-title": "Uitgaande Webhooks", + "new-outgoing-webhook": "Nieuwe webhook", + "no-name": "(Onbekend)", + "Wekan_version": "Wekan versie", + "Node_version": "Node versie", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Vrij Geheugen", + "OS_Loadavg": "OS Gemiddelde Lading", + "OS_Platform": "OS Platform", + "OS_Release": "OS Versie", + "OS_Totalmem": "OS Totaal Geheugen", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "uren", + "minutes": "minuten", + "seconds": "seconden", + "show-field-on-card": "Show this field on card", + "yes": "Ja", + "no": "Nee", + "accounts": "Accounts", + "accounts-allowEmailChange": "Sta E-mailadres wijzigingen toe", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Gemaakt op", + "verified": "Geverifieerd", + "active": "Actief", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json new file mode 100644 index 00000000..5ac7e2f9 --- /dev/null +++ b/i18n/pl.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Akceptuj", + "act-activity-notify": "[Wekan] Powiadomienia - aktywności", + "act-addAttachment": "załączono __attachement__ do __karty__", + "act-addChecklist": "dodano listę zadań __checklist__ to __card__", + "act-addChecklistItem": "dodano __checklistItem__ do listy zadań __checklist__ na karcie __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Akcje", + "activities": "Aktywności", + "activity": "Aktywność", + "activity-added": "dodano %s z %s", + "activity-archived": "%s przeniesiono do Kosza", + "activity-attached": "załączono %s z %s", + "activity-created": "utworzono %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "wyłączono %s z %s", + "activity-imported": "zaimportowano %s to %s z %s", + "activity-imported-board": "zaimportowano %s z %s", + "activity-joined": "dołączono %s", + "activity-moved": "przeniesiono % z %s to %s", + "activity-on": "w %s", + "activity-removed": "usunięto %s z %s", + "activity-sent": "wysłano %s z %s", + "activity-unjoined": "odłączono %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Dodaj", + "add-attachment": "Dodaj załącznik", + "add-board": "Dodaj tablicę", + "add-card": "Dodaj kartę", + "add-swimlane": "Add Swimlane", + "add-checklist": "Dodaj listę kontrolną", + "add-checklist-item": "Dodaj element do listy kontrolnej", + "add-cover": "Dodaj okładkę", + "add-label": "Dodaj etykietę", + "add-list": "Dodaj listę", + "add-members": "Dodaj członków", + "added": "Dodano", + "addMemberPopup-title": "Członkowie", + "admin": "Admin", + "admin-desc": "Może widzieć i edytować karty, usuwać członków oraz zmieniać ustawienia tablicy.", + "admin-announcement": "Ogłoszenie", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Ogłoszenie od Administratora", + "all-boards": "Wszystkie tablice", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Zastosuj", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Przenieś do Kosza", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Przywróć tablicę", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Dodaj członka", + "attached": "załączono", + "attachment": "Załącznik", + "attachment-delete-pop": "Usunięcie załącznika jest nieodwracalne.", + "attachmentDeletePopup-title": "Usunąć załącznik?", + "attachments": "Załączniki", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "Awatar jest za duży (maksymalnie 70Kb)", + "back": "Wstecz", + "board-change-color": "Zmień kolor", + "board-nb-stars": "%s odznaczeń", + "board-not-found": "Nie znaleziono tablicy", + "board-private-info": "Ta tablica będzie prywatna.", + "board-public-info": "Ta tablica będzie publiczna.", + "boardChangeColorPopup-title": "Zmień tło tablicy", + "boardChangeTitlePopup-title": "Zmień nazwę tablicy", + "boardChangeVisibilityPopup-title": "Zmień widoczność", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Menu tablicy", + "boards": "Tablice", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Listy", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Anuluj", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "Ta karta ma %s komentarzy.", + "card-delete-notice": "Usunięcie jest trwałe. Stracisz wszystkie akcje powiązane z tą kartą.", + "card-delete-pop": "Wszystkie akcje będą usunięte z widoku aktywności, nie można będzie ponownie otworzyć karty. Usunięcie jest nieodwracalne.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edytuj załączniki", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edytuj etykiety", + "card-edit-members": "Edytuj członków", + "card-labels-title": "Zmień etykiety karty", + "card-members-title": "Dodaj lub usuń członków tablicy z karty.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Załącz z", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Usunąć kartę?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Etykiety", + "cardMembersPopup-title": "Członkowie", + "cardMorePopup-title": "Więcej", + "cards": "Karty", + "cards-count": "Karty", + "change": "Zmień", + "change-avatar": "Zmień Avatar", + "change-password": "Zmień hasło", + "change-permissions": "Zmień uprawnienia", + "change-settings": "Zmień ustawienia", + "changeAvatarPopup-title": "Zmień Avatar", + "changeLanguagePopup-title": "Zmień język", + "changePasswordPopup-title": "Zmień hasło", + "changePermissionsPopup-title": "Zmień uprawnienia", + "changeSettingsPopup-title": "Zmień ustawienia", + "checklists": "Checklists", + "click-to-star": "Kliknij by odznaczyć tę tablicę.", + "click-to-unstar": "Kliknij by usunąć odznaczenie tej tablicy.", + "clipboard": "Schowek lub przeciągnij & upuść", + "close": "Zamknij", + "close-board": "Zamknij tablicę", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "czarny", + "color-blue": "niebieski", + "color-green": "zielony", + "color-lime": "limonkowy", + "color-orange": "pomarańczowy", + "color-pink": "różowy", + "color-purple": "fioletowy", + "color-red": "czerwony", + "color-sky": "błękitny", + "color-yellow": "żółty", + "comment": "Komentarz", + "comment-placeholder": "Dodaj komentarz", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Komputer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Skopiuj kartę", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Utwórz", + "createBoardPopup-title": "Utwórz tablicę", + "chooseBoardSourcePopup-title": "Import tablicy", + "createLabelPopup-title": "Utwórz etykietę", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "obecny", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Data", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Data", + "decline": "Odrzuć", + "default-avatar": "Domyślny avatar", + "delete": "Usuń", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Usunąć etykietę?", + "description": "Opis", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Odrzuć", + "done": "Zrobiono", + "download": "Pobierz", + "edit": "Edytuj", + "edit-avatar": "Zmień Avatar", + "edit-profile": "Edytuj profil", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Zmień etykietę", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edytuj profil", + "email": "Email", + "email-enrollAccount-subject": "Konto zostało utworzone na __siteName__", + "email-enrollAccount-text": "Witaj __user__,\nAby zacząć korzystać z serwisu, kliknij w link poniżej.\n__url__\nDzięki.", + "email-fail": "Wysyłanie emaila nie powiodło się.", + "email-fail-text": "Error trying to send email", + "email-invalid": "Nieprawidłowy email", + "email-invite": "Zaproś przez email", + "email-invite-subject": "__inviter__ wysłał Ci zaproszenie", + "email-invite-text": "Drogi __user__,\n__inviter__ zaprosił Cię do współpracy w tablicy \"__board__\".\nZobacz więcej:\n__url__\nDzięki.", + "email-resetPassword-subject": "Zresetuj swoje hasło na __siteName__", + "email-resetPassword-text": "Witaj __user__,\nAby zresetować hasło, kliknij w link poniżej.\n__url__\nDzięki.", + "email-sent": "Email wysłany", + "email-verifyEmail-subject": "Zweryfikuj swój adres email na __siteName__", + "email-verifyEmail-text": "Witaj __user__,\nAby zweryfikować adres email, kliknij w link poniżej.\n__url__\nDzięki.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "Ta tablica nie istnieje", + "error-board-notAdmin": "Musisz być administratorem tej tablicy żeby to zrobić", + "error-board-notAMember": "Musisz być członkiem tej tablicy żeby to zrobić", + "error-json-malformed": "Twój tekst nie jest poprawnym JSONem", + "error-json-schema": "Twój JSON nie zawiera prawidłowych informacji w poprawnym formacie", + "error-list-doesNotExist": "Ta lista nie isnieje", + "error-user-doesNotExist": "Ten użytkownik nie istnieje", + "error-user-notAllowSelf": "Nie możesz zaprosić samego siebie", + "error-user-notCreated": "Ten użytkownik nie został stworzony", + "error-username-taken": "Ta nazwa jest już zajęta", + "error-email-taken": "Email has already been taken", + "export-board": "Eksportuj tablicę", + "filter": "Filtr", + "filter-cards": "Odfiltruj karty", + "filter-clear": "Usuń filter", + "filter-no-label": "Brak etykiety", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filtr jest włączony", + "filter-on-desc": "Filtrujesz karty na tej tablicy. Kliknij tutaj by edytować filtr.", + "filter-to-selection": "Odfiltruj zaznaczenie", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Wróć do swojej strony z tablicami.", + "hide-system-messages": "Ukryj wiadomości systemowe", + "headerBarCreateBoardPopup-title": "Utwórz tablicę", + "home": "Strona główna", + "import": "Importu", + "import-board": "importuj tablice", + "import-board-c": "Import tablicy", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Importuj tablice z Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "Z Trello", + "from-wekan": "Z Wekan", + "import-board-instruction-trello": "W twojej tablicy na Trello, idź do 'Menu', następnie 'More', 'Print and Export', 'Export JSON' i skopiuj wynik", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Wklej twój JSON tutaj", + "import-map-members": "Map members", + "import-members-map": "Twoje zaimportowane tablice mają kilku członków. Proszę wybierz członków których chcesz zaimportować do Wekan", + "import-show-user-mapping": "Przejrzyj wybranych członków", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Wersja", + "initials": "Initials", + "invalid-date": "Błędna data", + "invalid-time": "Błędny czas", + "invalid-user": "Zła nazwa użytkownika", + "joined": "dołączył", + "just-invited": "Właśnie zostałeś zaproszony do tej tablicy", + "keyboard-shortcuts": "Skróty klawiaturowe", + "label-create": "Utwórz etykietę", + "label-default": "%s etykieta (domyślna)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Etykiety", + "language": "Język", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Opuść tablicę", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link do tej karty", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Przenieś wszystkie karty z tej listy", + "list-select-cards": "Zaznacz wszystkie karty z tej listy", + "listActionPopup-title": "Lista akcji", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Zaimportuj kartę z Trello", + "listMorePopup-title": "Więcej", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Listy", + "swimlanes": "Swimlanes", + "log-out": "Wyloguj", + "log-in": "Zaloguj", + "loginPopup-title": "Zaloguj", + "memberMenuPopup-title": "Member Settings", + "members": "Członkowie", + "menu": "Menu", + "move-selection": "Przenieś zaznaczone", + "moveCardPopup-title": "Przenieś kartę", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Przenieś zaznaczone", + "multi-selection": "Wielokrotne zaznaczenie", + "multi-selection-on": "Wielokrotne zaznaczenie jest włączone", + "muted": "Wyciszona", + "muted-info": "Nie zostaniesz powiadomiony o zmianach w tablicy", + "my-boards": "Moje tablice", + "name": "Nazwa", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Brak wyników", + "normal": "Normal", + "normal-desc": "Może widzieć i edytować karty. Nie może zmieniać ustawiań.", + "not-accepted-yet": "Zaproszenie jeszcze nie zaakceptowane", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "opcjonalny", + "or": "lub", + "page-maybe-private": "Ta strona może być prywatna. Możliwe, że możesz ją zobaczyć po zalogowaniu.", + "page-not-found": "Strona nie znaleziona.", + "password": "Hasło", + "paste-or-dragdrop": "wklej lub przeciągnij & upuść obrazek", + "participating": "Participating", + "preview": "Podgląd", + "previewAttachedImagePopup-title": "Podgląd", + "previewClipboardImagePopup-title": "Podgląd", + "private": "Prywatny", + "private-desc": "Ta tablica jest prywatna. Tylko osoby dodane do tej tablicy mogą ją zobaczyć i edytować.", + "profile": "Profil", + "public": "Publiczny", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Odznacz tablicę aby dodać skrót na tym pasku.", + "remove-cover": "Usuń okładkę", + "remove-from-board": "Usuń z tablicy", + "remove-label": "Usuń etykietę", + "listDeletePopup-title": "Usunąć listę?", + "remove-member": "Usuń członka", + "remove-member-from-card": "Usuń z karty", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Usunąć członka?", + "rename": "Zmień nazwę", + "rename-board": "Zmień nazwę tablicy", + "restore": "Przywróć", + "save": "Zapisz", + "search": "Wyszukaj", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Wybierz kolor", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Przypisz siebie do obecnej karty", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Usuń wszystkie filtry", + "shortcut-close-dialog": "Zamknij okno", + "shortcut-filter-my-cards": "Filtruj moje karty", + "shortcut-show-shortcuts": "Przypnij do listy skrótów", + "shortcut-toggle-filterbar": "Przełącz boczny pasek filtru", + "shortcut-toggle-sidebar": "Przełącz boczny pasek tablicy", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Utwórz konto", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Odznaczone tablice", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Zapisz się", + "team": "Zespół", + "this-board": "ta tablica", + "this-card": "ta karta", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Tytuł", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Nieprzypisany członek", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Wyślij", + "upload-avatar": "Wyślij avatar", + "uploaded-avatar": "Wysłany avatar", + "username": "Nazwa użytkownika", + "view-it": "Zobacz", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Obserwuj", + "watching": "Obserwujesz", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Podstawy", + "welcome-list2": "Zaawansowane", + "what-to-do": "Co chcesz zrobić?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Panel administracyjny", + "settings": "Ustawienia", + "people": "Osoby", + "registration": "Rejestracja", + "disable-self-registration": "Disable Self-Registration", + "invite": "Zaproś", + "invite-people": "Zaproś osoby", + "to-boards": "To board(s)", + "email-addresses": "Adres e-mail", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "Serwer SMTP", + "smtp-port": "Port SMTP", + "smtp-username": "Nazwa użytkownika", + "smtp-password": "Hasło", + "smtp-tls": "TLS support", + "send-from": "Od", + "send-smtp-test": "Wyślij wiadomość testową do siebie", + "invitation-code": "Kod z zaproszenia", + "email-invite-register-subject": "__inviter__ wysłał Ci zaproszenie", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(nieznany)", + "Wekan_version": "Wersja Wekan", + "Node_version": "Wersja Node", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "godzin", + "minutes": "minut", + "seconds": "sekund", + "show-field-on-card": "Show this field on card", + "yes": "Tak", + "no": "Nie", + "accounts": "Konto", + "accounts-allowEmailChange": "Zezwól na zmianę adresu email", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Stworzono o", + "verified": "Zweryfikowane", + "active": "Aktywny", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json new file mode 100644 index 00000000..86fd65e0 --- /dev/null +++ b/i18n/pt-BR.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Aceitar", + "act-activity-notify": "[Wekan] Notificação de Atividade", + "act-addAttachment": "anexo __attachment__ de __card__", + "act-addChecklist": "added checklist __checklist__ no __card__", + "act-addChecklistItem": "adicionado __checklistitem__ para a lista de checagem __checklist__ em __card__", + "act-addComment": "comentou em __card__: __comment__", + "act-createBoard": "criou __board__", + "act-createCard": "__card__ adicionado à __list__", + "act-createCustomField": "criado campo customizado __customField__", + "act-createList": "__list__ adicionada à __board__", + "act-addBoardMember": "__member__ adicionado à __board__", + "act-archivedBoard": "__board__ movido para a lixeira", + "act-archivedCard": "__card__ movido para a lixeira", + "act-archivedList": "__list__ movido para a lixeira", + "act-archivedSwimlane": "__swimlane__ movido para a lixeira", + "act-importBoard": "__board__ importado", + "act-importCard": "__card__ importado", + "act-importList": "__list__ importada", + "act-joinMember": "__member__ adicionado à __card__", + "act-moveCard": "__card__ movido de __oldList__ para __list__", + "act-removeBoardMember": "__member__ removido de __board__", + "act-restoredCard": "__card__ restaurado para __board__", + "act-unjoinMember": "__member__ removido de __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Ações", + "activities": "Atividades", + "activity": "Atividade", + "activity-added": "adicionou %s a %s", + "activity-archived": "%s movido para a lixeira", + "activity-attached": "anexou %s a %s", + "activity-created": "criou %s", + "activity-customfield-created": "criado campo customizado %s", + "activity-excluded": "excluiu %s de %s", + "activity-imported": "importado %s em %s de %s", + "activity-imported-board": "importado %s de %s", + "activity-joined": "juntou-se a %s", + "activity-moved": "moveu %s de %s para %s", + "activity-on": "em %s", + "activity-removed": "removeu %s de %s", + "activity-sent": "enviou %s de %s", + "activity-unjoined": "saiu de %s", + "activity-checklist-added": "Adicionado lista de verificação a %s", + "activity-checklist-item-added": "adicionado o item de checklist para '%s' em %s", + "add": "Novo", + "add-attachment": "Adicionar Anexos", + "add-board": "Adicionar Quadro", + "add-card": "Adicionar Cartão", + "add-swimlane": "Adicionar Swimlane", + "add-checklist": "Adicionar Checklist", + "add-checklist-item": "Adicionar um item à lista de verificação", + "add-cover": "Adicionar Capa", + "add-label": "Adicionar Etiqueta", + "add-list": "Adicionar Lista", + "add-members": "Adicionar Membros", + "added": "Criado", + "addMemberPopup-title": "Membros", + "admin": "Administrador", + "admin-desc": "Pode ver e editar cartões, remover membros e alterar configurações do quadro.", + "admin-announcement": "Anúncio", + "admin-announcement-active": "Anúncio ativo em todo o sistema", + "admin-announcement-title": "Anúncio do Administrador", + "all-boards": "Todos os quadros", + "and-n-other-card": "E __count__ outro cartão", + "and-n-other-card_plural": "E __count__ outros cartões", + "apply": "Aplicar", + "app-is-offline": "O Wekan está carregando, por favor espere. Recarregar a página irá causar perda de dado. Se o Wekan não carregar por favor verifique se o servidor Wekan não está parado.", + "archive": "Mover para a lixeira", + "archive-all": "Mover tudo para a lixeira", + "archive-board": "Mover quadro para a lixeira", + "archive-card": "Mover cartão para a lixeira", + "archive-list": "Mover lista para a lixeira", + "archive-swimlane": "Mover Swimlane para a lixeira", + "archive-selection": "Mover seleção para a lixeira", + "archiveBoardPopup-title": "Mover o quadro para a lixeira?", + "archived-items": "Lixeira", + "archived-boards": "Quadros na lixeira", + "restore-board": "Restaurar Quadro", + "no-archived-boards": "Não há quadros na lixeira", + "archives": "Lixeira", + "assign-member": "Atribuir Membro", + "attached": "anexado", + "attachment": "Anexo", + "attachment-delete-pop": "Excluir um anexo é permanente. Não será possível recuperá-lo.", + "attachmentDeletePopup-title": "Excluir Anexo?", + "attachments": "Anexos", + "auto-watch": "Veja automaticamente os boards que são criados", + "avatar-too-big": "O avatar é muito grande (70KB max)", + "back": "Voltar", + "board-change-color": "Alterar cor", + "board-nb-stars": "%s estrelas", + "board-not-found": "Quadro não encontrado", + "board-private-info": "Este quadro será privado.", + "board-public-info": "Este quadro será público.", + "boardChangeColorPopup-title": "Alterar Tela de Fundo", + "boardChangeTitlePopup-title": "Renomear Quadro", + "boardChangeVisibilityPopup-title": "Alterar Visibilidade", + "boardChangeWatchPopup-title": "Alterar observação", + "boardMenuPopup-title": "Menu do Quadro", + "boards": "Quadros", + "board-view": "Visão de quadro", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Listas", + "bucket-example": "\"Bucket List\", por exemplo", + "cancel": "Cancelar", + "card-archived": "Este cartão foi movido para a lixeira", + "card-comments-title": "Este cartão possui %s comentários.", + "card-delete-notice": "A exclusão será permanente. Você perderá todas as ações associadas a este cartão.", + "card-delete-pop": "Todas as ações serão removidas da lista de Atividades e vocês não poderá re-abrir o cartão. Não há como desfazer.", + "card-delete-suggest-archive": "Você pode mover um cartão para fora da lixeira e movê-lo para o quadro e preservar a atividade.", + "card-due": "Data fim", + "card-due-on": "Finaliza em", + "card-spent": "Tempo Gasto", + "card-edit-attachments": "Editar anexos", + "card-edit-custom-fields": "Editar campos customizados", + "card-edit-labels": "Editar etiquetas", + "card-edit-members": "Editar membros", + "card-labels-title": "Alterar etiquetas do cartão.", + "card-members-title": "Acrescentar ou remover membros do quadro deste cartão.", + "card-start": "Data início", + "card-start-on": "Começa em", + "cardAttachmentsPopup-title": "Anexar a partir de", + "cardCustomField-datePopup-title": "Mudar data", + "cardCustomFieldsPopup-title": "Editar campos customizados", + "cardDeletePopup-title": "Excluir Cartão?", + "cardDetailsActionsPopup-title": "Ações do cartão", + "cardLabelsPopup-title": "Etiquetas", + "cardMembersPopup-title": "Membros", + "cardMorePopup-title": "Mais", + "cards": "Cartões", + "cards-count": "Cartões", + "change": "Alterar", + "change-avatar": "Alterar Avatar", + "change-password": "Alterar Senha", + "change-permissions": "Alterar permissões", + "change-settings": "Altera configurações", + "changeAvatarPopup-title": "Alterar Avatar", + "changeLanguagePopup-title": "Alterar Idioma", + "changePasswordPopup-title": "Alterar Senha", + "changePermissionsPopup-title": "Alterar Permissões", + "changeSettingsPopup-title": "Altera configurações", + "checklists": "Checklists", + "click-to-star": "Marcar quadro como favorito.", + "click-to-unstar": "Remover quadro dos favoritos.", + "clipboard": "Área de Transferência ou arraste e solte", + "close": "Fechar", + "close-board": "Fechar Quadro", + "close-board-pop": "Você poderá restaurar o quadro clicando no botão lixeira no cabeçalho da página inicial", + "color-black": "preto", + "color-blue": "azul", + "color-green": "verde", + "color-lime": "verde limão", + "color-orange": "laranja", + "color-pink": "cor-de-rosa", + "color-purple": "roxo", + "color-red": "vermelho", + "color-sky": "céu", + "color-yellow": "amarelo", + "comment": "Comentário", + "comment-placeholder": "Escrever Comentário", + "comment-only": "Somente comentários", + "comment-only-desc": "Pode comentar apenas em cartões.", + "computer": "Computador", + "confirm-checklist-delete-dialog": "Tem a certeza de que pretende eliminar lista de verificação", + "copy-card-link-to-clipboard": "Copiar link do cartão para a área de transferência", + "copyCardPopup-title": "Copiar o cartão", + "copyChecklistToManyCardsPopup-title": "Copiar modelo de checklist para vários cartões", + "copyChecklistToManyCardsPopup-instructions": "Títulos e descrições do cartão de destino neste formato JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Título do primeiro cartão\", \"description\":\"Descrição do primeiro cartão\"}, {\"title\":\"Título do segundo cartão\",\"description\":\"Descrição do segundo cartão\"},{\"title\":\"Título do último cartão\",\"description\":\"Descrição do último cartão\"} ]", + "create": "Criar", + "createBoardPopup-title": "Criar Quadro", + "chooseBoardSourcePopup-title": "Importar quadro", + "createLabelPopup-title": "Criar Etiqueta", + "createCustomField": "Criar campo", + "createCustomFieldPopup-title": "Criar campo", + "current": "atual", + "custom-field-delete-pop": "Não existe desfazer. Isso irá remover o campo customizado de todos os cartões e destruir seu histórico", + "custom-field-checkbox": "Caixa de seleção", + "custom-field-date": "Data", + "custom-field-dropdown": "Lista suspensa", + "custom-field-dropdown-none": "(nada)", + "custom-field-dropdown-options": "Lista de opções", + "custom-field-dropdown-options-placeholder": "Pressione enter para adicionar mais opções", + "custom-field-dropdown-unknown": "(desconhecido)", + "custom-field-number": "Número", + "custom-field-text": "Texto", + "custom-fields": "Campos customizados", + "date": "Data", + "decline": "Rejeitar", + "default-avatar": "Avatar padrão", + "delete": "Excluir", + "deleteCustomFieldPopup-title": "Deletar campo customizado?", + "deleteLabelPopup-title": "Excluir Etiqueta?", + "description": "Descrição", + "disambiguateMultiLabelPopup-title": "Desambiguar ações de etiquetas", + "disambiguateMultiMemberPopup-title": "Desambiguar ações de membros", + "discard": "Descartar", + "done": "Feito", + "download": "Baixar", + "edit": "Editar", + "edit-avatar": "Alterar Avatar", + "edit-profile": "Editar Perfil", + "edit-wip-limit": "Editar Limite WIP", + "soft-wip-limit": "Limite de WIP", + "editCardStartDatePopup-title": "Altera data de início", + "editCardDueDatePopup-title": "Altera data fim", + "editCustomFieldPopup-title": "Editar campo", + "editCardSpentTimePopup-title": "Editar tempo gasto", + "editLabelPopup-title": "Alterar Etiqueta", + "editNotificationPopup-title": "Editar Notificações", + "editProfilePopup-title": "Editar Perfil", + "email": "E-mail", + "email-enrollAccount-subject": "Uma conta foi criada para você em __siteName__", + "email-enrollAccount-text": "Olá __user__\npara iniciar utilizando o serviço basta clicar no link abaixo.\n__url__\nMuito Obrigado.", + "email-fail": "Falhou ao enviar email", + "email-fail-text": "Erro ao tentar enviar e-mail", + "email-invalid": "Email inválido", + "email-invite": "Convite via Email", + "email-invite-subject": "__inviter__ lhe enviou um convite", + "email-invite-text": "Caro __user__\n__inviter__ lhe convidou para ingressar no quadro \"__board__\" como colaborador.\nPor favor prossiga através do link abaixo:\n__url__\nMuito obrigado.", + "email-resetPassword-subject": "Redefina sua senha em __siteName__", + "email-resetPassword-text": "Olá __user__\nPara redefinir sua senha, por favor clique no link abaixo.\n__url__\nMuito obrigado.", + "email-sent": "Email enviado", + "email-verifyEmail-subject": "Verifique seu endereço de email em __siteName__", + "email-verifyEmail-text": "Olá __user__\nPara verificar sua conta de email, clique no link abaixo.\n__url__\nObrigado.", + "enable-wip-limit": "Ativar Limite WIP", + "error-board-doesNotExist": "Este quadro não existe", + "error-board-notAdmin": "Você precisa ser administrador desse quadro para fazer isto", + "error-board-notAMember": "Você precisa ser um membro desse quadro para fazer isto", + "error-json-malformed": "Seu texto não é um JSON válido", + "error-json-schema": "Seu JSON não inclui as informações no formato correto", + "error-list-doesNotExist": "Esta lista não existe", + "error-user-doesNotExist": "Este usuário não existe", + "error-user-notAllowSelf": "Você não pode convidar a si mesmo", + "error-user-notCreated": "Este usuário não foi criado", + "error-username-taken": "Esse username já existe", + "error-email-taken": "E-mail já está em uso", + "export-board": "Exportar quadro", + "filter": "Filtrar", + "filter-cards": "Filtrar Cartões", + "filter-clear": "Limpar filtro", + "filter-no-label": "Sem labels", + "filter-no-member": "Sem membros", + "filter-no-custom-fields": "Não há campos customizados", + "filter-on": "Filtro está ativo", + "filter-on-desc": "Você está filtrando cartões neste quadro. Clique aqui para editar o filtro.", + "filter-to-selection": "Filtrar esta seleção", + "advanced-filter-label": "Filtro avançado", + "advanced-filter-description": "Um Filtro Avançado permite escrever uma string contendo os seguintes operadores: == != <= >= && || () Um espaço é utilizado como separador entre os operadores. Você pode filtrar todos os campos customizados digitando seus nomes e valores. Por exemplo: campo1 == valor1. Nota: se campos ou valores contém espaços, você precisa encapsular eles em aspas simples. Por exemplo: 'campo 1' == 'valor 1'. Você também pode combinar múltiplas condições. Por exemplo: F1 == V1 || F1 == V2. Normalmente todos os operadores são interpretados da esquerda para a direita. Você pode mudar a ordem ao incluir parênteses. Por exemplo: F1 == V1 e (F2 == V2 || F2 == V3)", + "fullname": "Nome Completo", + "header-logo-title": "Voltar para a lista de quadros.", + "hide-system-messages": "Esconde mensagens de sistema", + "headerBarCreateBoardPopup-title": "Criar Quadro", + "home": "Início", + "import": "Importar", + "import-board": "importar quadro", + "import-board-c": "Importar quadro", + "import-board-title-trello": "Importar board do Trello", + "import-board-title-wekan": "Importar quadro do Wekan", + "import-sandstorm-warning": "O quadro importado irá excluir todos os dados existentes no quadro e irá sobrescrever com o quadro importado.", + "from-trello": "Do Trello", + "from-wekan": "Do Wekan", + "import-board-instruction-trello": "No seu quadro do Trello, vá em 'Menu', depois em 'Mais', 'Imprimir e Exportar', 'Exportar JSON', então copie o texto emitido", + "import-board-instruction-wekan": "Em seu quadro Wekan, vá para 'Menu', em seguida 'Exportar quadro', e copie o texto no arquivo baixado.", + "import-json-placeholder": "Cole seus dados JSON válidos aqui", + "import-map-members": "Mapear membros", + "import-members-map": "O seu quadro importado tem alguns membros. Por favor determine os membros que você deseja importar para os usuários Wekan", + "import-show-user-mapping": "Revisar mapeamento dos membros", + "import-user-select": "Selecione o usuário Wekan que você gostaria de usar como este membro", + "importMapMembersAddPopup-title": "Seleciona um membro", + "info": "Versão", + "initials": "Iniciais", + "invalid-date": "Data inválida", + "invalid-time": "Hora inválida", + "invalid-user": "Usuário inválido", + "joined": "juntou-se", + "just-invited": "Você já foi convidado para este quadro", + "keyboard-shortcuts": "Atalhos do teclado", + "label-create": "Criar Etiqueta", + "label-default": "%s etiqueta (padrão)", + "label-delete-pop": "Não será possível recuperá-la. A etiqueta será removida de todos os cartões e seu histórico será destruído.", + "labels": "Etiquetas", + "language": "Idioma", + "last-admin-desc": "Você não pode alterar funções porque deve existir pelo menos um administrador.", + "leave-board": "Sair do Quadro", + "leave-board-pop": "Tem a certeza de que pretende sair de __boardTitle__? Você será removido de todos os cartões neste quadro.", + "leaveBoardPopup-title": "Sair do Quadro ?", + "link-card": "Vincular a este cartão", + "list-archive-cards": "Mover todos os cartões nesta lista para a lixeira", + "list-archive-cards-pop": "Isso irá remover todos os cartões nesta lista do quadro. Para visualizar cartões na lixeira e trazê-los de volta ao quadro, clique em \"Menu\" > \"Lixeira\".", + "list-move-cards": "Mover todos os cartões desta lista", + "list-select-cards": "Selecionar todos os cartões nesta lista", + "listActionPopup-title": "Listar Ações", + "swimlaneActionPopup-title": "Ações de Swimlane", + "listImportCardPopup-title": "Importe um cartão do Trello", + "listMorePopup-title": "Mais", + "link-list": "Vincular a esta lista", + "list-delete-pop": "Todas as ações serão removidas da lista de atividades e você não poderá recuperar a lista. Não há como desfazer.", + "list-delete-suggest-archive": "Você pode mover a lista para a lixeira para removê-la do quadro e preservar a atividade.", + "lists": "Listas", + "swimlanes": "Swimlanes", + "log-out": "Sair", + "log-in": "Entrar", + "loginPopup-title": "Entrar", + "memberMenuPopup-title": "Configuração de Membros", + "members": "Membros", + "menu": "Menu", + "move-selection": "Mover seleção", + "moveCardPopup-title": "Mover Cartão", + "moveCardToBottom-title": "Mover para o final", + "moveCardToTop-title": "Mover para o topo", + "moveSelectionPopup-title": "Mover seleção", + "multi-selection": "Multi-Seleção", + "multi-selection-on": "Multi-seleção está ativo", + "muted": "Silenciar", + "muted-info": "Você nunca receberá qualquer notificação desse board", + "my-boards": "Meus Quadros", + "name": "Nome", + "no-archived-cards": "Não há cartões na lixeira", + "no-archived-lists": "Não há listas na lixeira", + "no-archived-swimlanes": "Não há swimlanes na lixeira", + "no-results": "Nenhum resultado.", + "normal": "Normal", + "normal-desc": "Pode ver e editar cartões. Não pode alterar configurações.", + "not-accepted-yet": "Convite ainda não aceito", + "notify-participate": "Receber atualizações de qualquer card que você criar ou participar como membro", + "notify-watch": "Receber atualizações de qualquer board, lista ou cards que você estiver observando", + "optional": "opcional", + "or": "ou", + "page-maybe-private": "Esta página pode ser privada. Você poderá vê-la se estiver logado.", + "page-not-found": "Página não encontrada.", + "password": "Senha", + "paste-or-dragdrop": "para colar, ou arraste e solte o arquivo da imagem para ca (somente imagens)", + "participating": "Participando", + "preview": "Previsualizar", + "previewAttachedImagePopup-title": "Previsualizar", + "previewClipboardImagePopup-title": "Previsualizar", + "private": "Privado", + "private-desc": "Este quadro é privado. Apenas seus membros podem acessar e editá-lo.", + "profile": "Perfil", + "public": "Público", + "public-desc": "Este quadro é público. Ele é visível a qualquer pessoa com o link e será exibido em mecanismos de busca como o Google. Apenas seus membros podem editá-lo.", + "quick-access-description": "Clique na estrela para adicionar um atalho nesta barra.", + "remove-cover": "Remover Capa", + "remove-from-board": "Remover do Quadro", + "remove-label": "Remover Etiqueta", + "listDeletePopup-title": "Excluir Lista ?", + "remove-member": "Remover Membro", + "remove-member-from-card": "Remover do Cartão", + "remove-member-pop": "Remover __name__ (__username__) de __boardTitle__? O membro será removido de todos os cartões neste quadro e será notificado.", + "removeMemberPopup-title": "Remover Membro?", + "rename": "Renomear", + "rename-board": "Renomear Quadro", + "restore": "Restaurar", + "save": "Salvar", + "search": "Buscar", + "search-cards": "Pesquisa em títulos e descrições de cartões neste quadro", + "search-example": "Texto para procurar", + "select-color": "Selecionar Cor", + "set-wip-limit-value": "Defina um limite máximo para o número de tarefas nesta lista", + "setWipLimitPopup-title": "Definir Limite WIP", + "shortcut-assign-self": "Atribuir a si o cartão atual", + "shortcut-autocomplete-emoji": "Autocompletar emoji", + "shortcut-autocomplete-members": "Preenchimento automático de membros", + "shortcut-clear-filters": "Limpar todos filtros", + "shortcut-close-dialog": "Fechar dialogo", + "shortcut-filter-my-cards": "Filtrar meus cartões", + "shortcut-show-shortcuts": "Mostrar lista de atalhos", + "shortcut-toggle-filterbar": "Alternar barra de filtro", + "shortcut-toggle-sidebar": "Fechar barra lateral.", + "show-cards-minimum-count": "Mostrar contador de cards se a lista tiver mais de", + "sidebar-open": "Abrir barra lateral", + "sidebar-close": "Fechar barra lateral", + "signupPopup-title": "Criar uma Conta", + "star-board-title": "Clique para marcar este quadro como favorito. Ele aparecerá no topo na lista dos seus quadros.", + "starred-boards": "Quadros Favoritos", + "starred-boards-description": "Quadros favoritos aparecem no topo da lista dos seus quadros.", + "subscribe": "Acompanhar", + "team": "Equipe", + "this-board": "este quadro", + "this-card": "este cartão", + "spent-time-hours": "Tempo gasto (Horas)", + "overtime-hours": "Tempo extras (Horas)", + "overtime": "Tempo extras", + "has-overtime-cards": "Tem cartões de horas extras", + "has-spenttime-cards": "Gastou cartões de tempo", + "time": "Tempo", + "title": "Título", + "tracking": "Tracking", + "tracking-info": "Você será notificado se houver qualquer alteração em cards em que você é o criador ou membro", + "type": "Tipo", + "unassign-member": "Membro não associado", + "unsaved-description": "Você possui uma descrição não salva", + "unwatch": "Deixar de observar", + "upload": "Upload", + "upload-avatar": "Carregar um avatar", + "uploaded-avatar": "Avatar carregado", + "username": "Nome de usuário", + "view-it": "Visualizar", + "warn-list-archived": "Aviso: este cartão está em uma lista na lixeira", + "watch": "Observar", + "watching": "Observando", + "watching-info": "Você será notificado em qualquer alteração desse board", + "welcome-board": "Board de Boas Vindas", + "welcome-swimlane": "Marco 1", + "welcome-list1": "Básico", + "welcome-list2": "Avançado", + "what-to-do": "O que você gostaria de fazer?", + "wipLimitErrorPopup-title": "Limite WIP Inválido", + "wipLimitErrorPopup-dialog-pt1": "O número de tarefas nesta lista excede o limite WIP definido.", + "wipLimitErrorPopup-dialog-pt2": "Por favor, mova algumas tarefas para fora desta lista, ou defina um limite WIP mais elevado.", + "admin-panel": "Painel Administrativo", + "settings": "Configurações", + "people": "Pessoas", + "registration": "Registro", + "disable-self-registration": "Desabilitar Cadastrar-se", + "invite": "Convite", + "invite-people": "Convide Pessoas", + "to-boards": "Para o/os quadro(s)", + "email-addresses": "Endereço de Email", + "smtp-host-description": "O endereço do servidor SMTP que envia seus emails.", + "smtp-port-description": "A porta que o servidor SMTP usa para enviar os emails.", + "smtp-tls-description": "Habilitar suporte TLS para servidor SMTP", + "smtp-host": "Servidor SMTP", + "smtp-port": "Porta SMTP", + "smtp-username": "Nome de usuário", + "smtp-password": "Senha", + "smtp-tls": "Suporte TLS", + "send-from": "De", + "send-smtp-test": "Enviar um email de teste para você mesmo", + "invitation-code": "Código do Convite", + "email-invite-register-subject": "__inviter__ lhe enviou um convite", + "email-invite-register-text": "Caro __user__,\n\n__inviter__ convidou você para colaborar no Wekan.\n\nPor favor, vá no link abaixo:\n__url__\n\nE seu código de convite é: __icode__\n\nObrigado.", + "email-smtp-test-subject": "Email Teste SMTP de Wekan", + "email-smtp-test-text": "Você enviou um email com sucesso", + "error-invitation-code-not-exist": "O código do convite não existe", + "error-notAuthorized": "Você não está autorizado à ver esta página.", + "outgoing-webhooks": "Webhook de saída", + "outgoingWebhooksPopup-title": "Webhook de saída", + "new-outgoing-webhook": "Novo Webhook de saída", + "no-name": "(Desconhecido)", + "Wekan_version": "Versão do Wekan", + "Node_version": "Versão do Node", + "OS_Arch": "Arquitetura do SO", + "OS_Cpus": "Quantidade de CPUS do SO", + "OS_Freemem": "Memória Disponível do SO", + "OS_Loadavg": "Carga Média do SO", + "OS_Platform": "Plataforma do SO", + "OS_Release": "Versão do SO", + "OS_Totalmem": "Memória Total do SO", + "OS_Type": "Tipo do SO", + "OS_Uptime": "Disponibilidade do SO", + "hours": "horas", + "minutes": "minutos", + "seconds": "segundos", + "show-field-on-card": "Mostrar este campo no cartão", + "yes": "Sim", + "no": "Não", + "accounts": "Contas", + "accounts-allowEmailChange": "Permitir Mudança de Email", + "accounts-allowUserNameChange": "Permitir alteração de nome de usuário", + "createdAt": "Criado em", + "verified": "Verificado", + "active": "Ativo", + "card-received": "Recebido", + "card-received-on": "Recebido em", + "card-end": "Fim", + "card-end-on": "Termina em", + "editCardReceivedDatePopup-title": "Modificar data de recebimento", + "editCardEndDatePopup-title": "Mudar data de fim", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json new file mode 100644 index 00000000..06b5ba2d --- /dev/null +++ b/i18n/pt.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Aceitar", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "Criado %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Adicionar", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Membros", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Renomear Quadro", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Etiquetas", + "cardMembersPopup-title": "Membros", + "cardMorePopup-title": "Mais", + "cards": "Cartões", + "cards-count": "Cartões", + "change": "Alterar", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comentário", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computador", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Etiquetas", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "Mais", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Membros", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Nome", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Nenhum resultado", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remover Membro?", + "rename": "Renomear", + "rename-board": "Renomear Quadro", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "Não", + "accounts": "Contas", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verificado", + "active": "Ativo", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json new file mode 100644 index 00000000..dd4d2b58 --- /dev/null +++ b/i18n/ro.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accept", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Add", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Members", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Ataşament", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Ataşamente", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Înapoi", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Liste", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Members", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Închide", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Iniţiale", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Liste", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Members", + "menu": "Meniu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Nume", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Parolă", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Privat", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profil", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Salvează", + "search": "Caută", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Titlu", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "Ce ai vrea sa faci?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Parolă", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json new file mode 100644 index 00000000..ca9d3673 --- /dev/null +++ b/i18n/ru.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Принять", + "act-activity-notify": "[Wekan] Уведомление о действиях участников", + "act-addAttachment": "вложено __attachment__ в __card__", + "act-addChecklist": "добавил контрольный список __checklist__ в __card__", + "act-addChecklistItem": "добавил __checklistItem__ в контрольный список __checklist__ в __card__", + "act-addComment": "прокомментировал __card__: __comment__", + "act-createBoard": "создал __board__", + "act-createCard": "добавил __card__ в __list__", + "act-createCustomField": "Расширенный фильтр позволяет написать строку, содержащую следующие операторы: ==! = <=> = && || () Пространство используется как разделитель между Операторами. Вы можете фильтровать все пользовательские поля, введя их имена и значения. Например: Field1 == Value1. Примечание. Если поля или значения содержат пробелы, вам необходимо инкапсулировать их в одинарные кавычки. Например: «Поле 1» == «Значение 1». Также вы можете комбинировать несколько условий. Например: F1 == V1 || F1 = V2. Обычно все операторы интерпретируются слева направо. Вы можете изменить порядок, разместив скобки. Например: F1 == V1 и (F2 == V2 || F2 == V3)", + "act-createList": "добавил __list__ для __board__", + "act-addBoardMember": "добавил __member__ в __board__", + "act-archivedBoard": "Доска __board__ перемещена в Корзину", + "act-archivedCard": "Карточка __card__ перемещена в Корзину", + "act-archivedList": "Список __list__ перемещён в Корзину", + "act-archivedSwimlane": "Дорожка __swimlane__ перемещена в Корзину", + "act-importBoard": "__board__ импортирована", + "act-importCard": "__card__ импортирована", + "act-importList": "__list__ импортирован", + "act-joinMember": "добавил __member__ в __card__", + "act-moveCard": "__card__ перемещена из __oldList__ в __list__", + "act-removeBoardMember": "__member__ удален из __board__", + "act-restoredCard": "__card__ востановлена в __board__", + "act-unjoinMember": "__member__ удален из __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Действия", + "activities": "История действий", + "activity": "Действия участников", + "activity-added": "добавил %s на %s", + "activity-archived": "%s перемещено в Корзину", + "activity-attached": "прикрепил %s к %s", + "activity-created": "создал %s", + "activity-customfield-created": "создать настраиваемое поле", + "activity-excluded": "исключил %s из %s", + "activity-imported": "импортировал %s в %s из %s", + "activity-imported-board": "импортировал %s из %s", + "activity-joined": "присоединился к %s", + "activity-moved": "переместил %s из %s в %s", + "activity-on": "%s", + "activity-removed": "удалил %s из %s", + "activity-sent": "отправил %s в %s", + "activity-unjoined": "вышел из %s", + "activity-checklist-added": "добавил контрольный список в %s", + "activity-checklist-item-added": "добавил пункт контрольного списка в '%s' в карточке %s", + "add": "Создать", + "add-attachment": "Добавить вложение", + "add-board": "Добавить доску", + "add-card": "Добавить карту", + "add-swimlane": "Добавить дорожку", + "add-checklist": "Добавить контрольный список", + "add-checklist-item": "Добавить пункт в контрольный список", + "add-cover": "Прикрепить", + "add-label": "Добавить метку", + "add-list": "Добавить простой список", + "add-members": "Добавить участника", + "added": "Добавлено", + "addMemberPopup-title": "Участники", + "admin": "Администратор", + "admin-desc": "Может просматривать и редактировать карточки, удалять участников и управлять настройками доски.", + "admin-announcement": "Объявление", + "admin-announcement-active": "Действующее общесистемное объявление", + "admin-announcement-title": "Объявление от Администратора", + "all-boards": "Все доски", + "and-n-other-card": "И __count__ другая карточка", + "and-n-other-card_plural": "И __count__ другие карточки", + "apply": "Применить", + "app-is-offline": "Wekan загружается, пожалуйста подождите. Обновление страницы может привести к потере данных. Если Wekan не загрузился, пожалуйста проверьте что связь с сервером доступна.", + "archive": "Переместить в Корзину", + "archive-all": "Переместить всё в Корзину", + "archive-board": "Переместить Доску в Корзину", + "archive-card": "Переместить Карточку в Корзину", + "archive-list": "Переместить Список в Корзину", + "archive-swimlane": "Переместить Дорожку в Корзину", + "archive-selection": "Переместить выбранное в Корзину", + "archiveBoardPopup-title": "Переместить Доску в Корзину?", + "archived-items": "Корзина", + "archived-boards": "Доски находящиеся в Корзине", + "restore-board": "Востановить доску", + "no-archived-boards": "В Корзине нет никаких Досок", + "archives": "Корзина", + "assign-member": "Назначить участника", + "attached": "прикреплено", + "attachment": "Вложение", + "attachment-delete-pop": "Если удалить вложение, его нельзя будет восстановить.", + "attachmentDeletePopup-title": "Удалить вложение?", + "attachments": "Вложения", + "auto-watch": "Автоматически следить за созданными досками", + "avatar-too-big": "Аватар слишком большой (максимум 70КБ)", + "back": "Назад", + "board-change-color": "Изменить цвет", + "board-nb-stars": "%s избранное", + "board-not-found": "Доска не найдена", + "board-private-info": "Это доска будет частной.", + "board-public-info": "Эта доска будет доступной всем.", + "boardChangeColorPopup-title": "Изменить фон доски", + "boardChangeTitlePopup-title": "Переименовать доску", + "boardChangeVisibilityPopup-title": "Изменить настройки видимости", + "boardChangeWatchPopup-title": "Изменить Отслеживание", + "boardMenuPopup-title": "Меню доски", + "boards": "Доски", + "board-view": "Вид доски", + "board-view-swimlanes": "Дорожки", + "board-view-lists": "Списки", + "bucket-example": "Например “Список дел”", + "cancel": "Отмена", + "card-archived": "Эта карточка перемещена в Корзину", + "card-comments-title": "Комментарии (%s)", + "card-delete-notice": "Это действие невозможно будет отменить. Все изменения, которые вы вносили в карточку будут потеряны.", + "card-delete-pop": "Все действия будут удалены из ленты активности участников и вы не сможете заново открыть карточку. Действие необратимо", + "card-delete-suggest-archive": "Вы можете переместить карточку в Корзину, чтобы удалить ее с доски и сохранить активность .", + "card-due": "Выполнить к", + "card-due-on": "Выполнить до", + "card-spent": "Затраченное время", + "card-edit-attachments": "Изменить вложения", + "card-edit-custom-fields": "Редактировать настраиваемые поля", + "card-edit-labels": "Изменить метку", + "card-edit-members": "Изменить участников", + "card-labels-title": "Изменить метки для этой карточки.", + "card-members-title": "Добавить или удалить с карточки участников доски.", + "card-start": "Дата начала", + "card-start-on": "Начнётся с", + "cardAttachmentsPopup-title": "Прикрепить из", + "cardCustomField-datePopup-title": "Изменить дату", + "cardCustomFieldsPopup-title": "редактировать настраиваемые поля", + "cardDeletePopup-title": "Удалить карточку?", + "cardDetailsActionsPopup-title": "Действия в карточке", + "cardLabelsPopup-title": "Метки", + "cardMembersPopup-title": "Участники", + "cardMorePopup-title": "Поделиться", + "cards": "Карточки", + "cards-count": "Карточки", + "change": "Изменить", + "change-avatar": "Изменить аватар", + "change-password": "Изменить пароль", + "change-permissions": "Изменить права доступа", + "change-settings": "Изменить настройки", + "changeAvatarPopup-title": "Изменить аватар", + "changeLanguagePopup-title": "Сменить язык", + "changePasswordPopup-title": "Изменить пароль", + "changePermissionsPopup-title": "Изменить настройки доступа", + "changeSettingsPopup-title": "Изменить Настройки", + "checklists": "Контрольные списки", + "click-to-star": "Добавить в «Избранное»", + "click-to-unstar": "Удалить из «Избранного»", + "clipboard": "Буфер обмена или drag & drop", + "close": "Закрыть", + "close-board": "Закрыть доску", + "close-board-pop": "Вы можете восстановить доску, нажав “Корзина” в заголовке.", + "color-black": "черный", + "color-blue": "синий", + "color-green": "зеленый", + "color-lime": "лимоновый", + "color-orange": "оранжевый", + "color-pink": "розовый", + "color-purple": "фиолетовый", + "color-red": "красный", + "color-sky": "голубой", + "color-yellow": "желтый", + "comment": "Добавить комментарий", + "comment-placeholder": "Написать комментарий", + "comment-only": "Только комментирование", + "comment-only-desc": "Может комментировать только карточки.", + "computer": "Загрузить с компьютера", + "confirm-checklist-delete-dialog": "Вы уверены, что хотите удалить контрольный список?", + "copy-card-link-to-clipboard": "Копировать ссылку на карточку в буфер обмена", + "copyCardPopup-title": "Копировать карточку", + "copyChecklistToManyCardsPopup-title": "Копировать шаблон контрольного списка в несколько карточек", + "copyChecklistToManyCardsPopup-instructions": "Названия и описания целевых карт в формате JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Создать", + "createBoardPopup-title": "Создать доску", + "chooseBoardSourcePopup-title": "Импортировать доску", + "createLabelPopup-title": "Создать метку", + "createCustomField": "Создать поле", + "createCustomFieldPopup-title": "Создать поле", + "current": "текущий", + "custom-field-delete-pop": "Отменить нельзя. Это удалит настраиваемое поле со всех карт и уничтожит его историю.", + "custom-field-checkbox": "Галочка", + "custom-field-date": "Дата", + "custom-field-dropdown": "Выпадающий список", + "custom-field-dropdown-none": "(нет)", + "custom-field-dropdown-options": "Параметры списка", + "custom-field-dropdown-options-placeholder": "Нажмите «Ввод», чтобы добавить дополнительные параметры.", + "custom-field-dropdown-unknown": "(неизвестно)", + "custom-field-number": "Номер", + "custom-field-text": "Текст", + "custom-fields": "Настраиваемые поля", + "date": "Дата", + "decline": "Отклонить", + "default-avatar": "Аватар по умолчанию", + "delete": "Удалить", + "deleteCustomFieldPopup-title": "Удалить настраиваемые поля?", + "deleteLabelPopup-title": "Удалить метку?", + "description": "Описание", + "disambiguateMultiLabelPopup-title": "Разрешить конфликт меток", + "disambiguateMultiMemberPopup-title": "Разрешить конфликт участников", + "discard": "Отказать", + "done": "Готово", + "download": "Скачать", + "edit": "Редактировать", + "edit-avatar": "Изменить аватар", + "edit-profile": "Изменить профиль", + "edit-wip-limit": " Изменить лимит на кол-во задач", + "soft-wip-limit": "Мягкий лимит на кол-во задач", + "editCardStartDatePopup-title": "Изменить дату начала", + "editCardDueDatePopup-title": "Изменить дату выполнения", + "editCustomFieldPopup-title": "Редактировать поле", + "editCardSpentTimePopup-title": "Изменить затраченное время", + "editLabelPopup-title": "Изменить метки", + "editNotificationPopup-title": "Редактировать уведомления", + "editProfilePopup-title": "Редактировать профиль", + "email": "Эл.почта", + "email-enrollAccount-subject": "Аккаунт создан для вас здесь __url__", + "email-enrollAccount-text": "Привет __user__,\n\nДля того, чтобы начать использовать сервис, просто нажми на ссылку ниже.\n\n__url__\n\nСпасибо.", + "email-fail": "Отправка письма на EMail не удалась", + "email-fail-text": "Ошибка при попытке отправить письмо", + "email-invalid": "Неверный адрес электронной почти", + "email-invite": "Пригласить по электронной почте", + "email-invite-subject": "__inviter__ прислал вам приглашение", + "email-invite-text": "Дорогой __user__,\n\n__inviter__ пригласил вас присоединиться к доске \"__board__\" для сотрудничества.\n\nПожалуйста проследуйте по ссылке ниже:\n\n__url__\n\nСпасибо.", + "email-resetPassword-subject": "Перейдите по ссылке, чтобы сбросить пароль __url__", + "email-resetPassword-text": "Привет __user__,\n\nДля сброса пароля перейдите по ссылке ниже.\n\n__url__\n\nThanks.", + "email-sent": "Письмо отправлено", + "email-verifyEmail-subject": "Подтвердите вашу эл.почту перейдя по ссылке __url__", + "email-verifyEmail-text": "Привет __user__,\n\nДля подтверждения вашей электронной почты перейдите по ссылке ниже.\n\n__url__\n\nСпасибо.", + "enable-wip-limit": "Включить лимит на кол-во задач", + "error-board-doesNotExist": "Доска не найдена", + "error-board-notAdmin": "Вы должны обладать правами администратора этой доски, чтобы сделать это", + "error-board-notAMember": "Вы должны быть участником доски, чтобы сделать это", + "error-json-malformed": "Ваше текст не является правильным JSON", + "error-json-schema": "Содержимое вашего JSON не содержит информацию в корректном формате", + "error-list-doesNotExist": "Список не найден", + "error-user-doesNotExist": "Пользователь не найден", + "error-user-notAllowSelf": "Вы не можете пригласить себя", + "error-user-notCreated": "Пользователь не создан", + "error-username-taken": "Это имя пользователя уже занято", + "error-email-taken": "Этот адрес уже занят", + "export-board": "Экспортировать доску", + "filter": "Фильтр", + "filter-cards": "Фильтр карточек", + "filter-clear": "Очистить фильтр", + "filter-no-label": "Нет метки", + "filter-no-member": "Нет участников", + "filter-no-custom-fields": "Нет настраиваемых полей", + "filter-on": "Включен фильтр", + "filter-on-desc": "Показываются карточки, соответствующие настройкам фильтра. Нажмите для редактирования.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Расширенный фильтр", + "advanced-filter-description": "Расширенный фильтр позволяет написать строку, содержащую следующие операторы: ==! = <=> = && || () Пространство используется как разделитель между Операторами. Вы можете фильтровать все пользовательские поля, введя их имена и значения. Например: Field1 == Value1. Примечание: Если поля или значения содержат пробелы, вам необходимо 'брать' их в одинарные кавычки. Например: 'Поле 1' == 'Значение 1'. Также вы можете комбинировать несколько условий. Например: F1 == V1 || F1 = V2. Обычно все операторы интерпретируются слева направо. Вы можете изменить порядок, разместив скобки. Например: F1 == V1 и (F2 == V2 || F2 == V3)", + "fullname": "Полное имя", + "header-logo-title": "Вернуться к доскам.", + "hide-system-messages": "Скрыть системные сообщения", + "headerBarCreateBoardPopup-title": "Создать доску", + "home": "Главная", + "import": "Импорт", + "import-board": "импортировать доску", + "import-board-c": "Импортировать доску", + "import-board-title-trello": "Импортировать доску из Trello", + "import-board-title-wekan": "Импортировать доску из Wekan", + "import-sandstorm-warning": "Импортированная доска удалит все существующие данные на текущей доске и заменит её импортированной доской.", + "from-trello": "Из Trello", + "from-wekan": "Из Wekan", + "import-board-instruction-trello": "На вашей Trello доске нажмите “Menu” - “More” - “Print and export - “Export JSON” и скопируйте полученный текст", + "import-board-instruction-wekan": "На вашей Wekan доске, перейдите в “Меню”, далее “Экспортировать доску” и скопируйте текст из скачаного файла", + "import-json-placeholder": "Вставьте JSON сюда", + "import-map-members": "Составить карту участников", + "import-members-map": "Вы импортировали доску с участниками. Пожалуйста, составьте карту участников, которых вы хотите импортировать в качестве пользователей Wekan", + "import-show-user-mapping": "Проверить карту участников", + "import-user-select": "Выберите пользователя Wekan, которого вы хотите использовать в качестве участника", + "importMapMembersAddPopup-title": "Выбрать участника Wekan", + "info": "Версия", + "initials": "Инициалы", + "invalid-date": "Неверная дата", + "invalid-time": "Некорректное время", + "invalid-user": "Неверный пользователь", + "joined": "вступил", + "just-invited": "Вас только что пригласили на эту доску", + "keyboard-shortcuts": "Сочетания клавиш", + "label-create": "Создать метку", + "label-default": "%sметка (по умолчанию)", + "label-delete-pop": "Это действие невозможно будет отменить. Эта метка будут удалена во всех карточках. Также будет удалена вся история этой метки.", + "labels": "Метки", + "language": "Язык", + "last-admin-desc": "Вы не можете изменять роли, для этого требуются права администратора.", + "leave-board": "Покинуть доску", + "leave-board-pop": "Вы уверенны, что хотите покинуть __boardTitle__? Вы будете удалены из всех карточек на этой доске.", + "leaveBoardPopup-title": "Покинуть доску?", + "link-card": "Доступна по ссылке", + "list-archive-cards": "Переместить все карточки в этом списке в Корзину", + "list-archive-cards-pop": "Это действие переместит все карточки в Корзину и они перестанут быть видимым на доске. Для просмотра карточек в Корзине и их восстановления нажмите “Меню” > “Корзина”.", + "list-move-cards": "Переместить все карточки в этом списке", + "list-select-cards": "Выбрать все карточки в этом списке", + "listActionPopup-title": "Список действий", + "swimlaneActionPopup-title": "Действия с дорожкой", + "listImportCardPopup-title": "Импортировать Trello карточку", + "listMorePopup-title": "Поделиться", + "link-list": "Ссылка на список", + "list-delete-pop": "Все действия будут удалены из ленты активности участников и вы не сможете восстановить список. Данное действие необратимо.", + "list-delete-suggest-archive": "Вы можете переместить карточку в Корзину, чтобы удалить ее с доски и сохранить активность .", + "lists": "Списки", + "swimlanes": "Дорожки", + "log-out": "Выйти", + "log-in": "Войти", + "loginPopup-title": "Войти", + "memberMenuPopup-title": "Настройки участника", + "members": "Участники", + "menu": "Меню", + "move-selection": "Переместить выделение", + "moveCardPopup-title": "Переместить карточку", + "moveCardToBottom-title": "Переместить вниз", + "moveCardToTop-title": "Переместить вверх", + "moveSelectionPopup-title": "Переместить выделение", + "multi-selection": "Выбрать несколько", + "multi-selection-on": "Выбрать несколько из", + "muted": "Заглушен", + "muted-info": "Вы НИКОГДА не будете уведомлены ни о каких изменениях в этой доске.", + "my-boards": "Мои доски", + "name": "Имя", + "no-archived-cards": "В Корзине нет никаких Карточек", + "no-archived-lists": "В Корзине нет никаких Списков", + "no-archived-swimlanes": "В Корзине нет никаких Дорожек", + "no-results": "Ничего не найдено", + "normal": "Обычный", + "normal-desc": "Может редактировать карточки. Не может управлять настройками.", + "not-accepted-yet": "Приглашение еще не принято", + "notify-participate": "Получать обновления по любым карточкам, которые вы создавали или участником которых являетесь.", + "notify-watch": "Получать обновления по любым доскам, спискам и карточкам, на которые вы подписаны как наблюдатель.", + "optional": "не обязательно", + "or": "или", + "page-maybe-private": "Возможно, эта страница скрыта от незарегистрированных пользователей. Попробуйте войти на сайт.", + "page-not-found": "Страница не найдена.", + "password": "Пароль", + "paste-or-dragdrop": "вставьте, или перетащите файл с изображением сюда (только графический файл)", + "participating": "Участвую", + "preview": "Предпросмотр", + "previewAttachedImagePopup-title": "Предпросмотр", + "previewClipboardImagePopup-title": "Предпросмотр", + "private": "Закрытая", + "private-desc": "Эта доска с ограниченным доступом. Только участники могут работать с ней.", + "profile": "Профиль", + "public": "Открытая", + "public-desc": "Эта доска может быть видна всем у кого есть ссылка. Также может быть проиндексирована поисковыми системами. Вносить изменения могут только участники.", + "quick-access-description": "Нажмите на звезду, что добавить ярлык доски на панель.", + "remove-cover": "Открепить", + "remove-from-board": "Удалить с доски", + "remove-label": "Удалить метку", + "listDeletePopup-title": "Удалить список?", + "remove-member": "Удалить участника", + "remove-member-from-card": "Удалить из карточки", + "remove-member-pop": "Удалить участника __name__ (__username__) из доски __boardTitle__? Участник будет удален из всех карточек на этой доске. Также он получит уведомление о совершаемом действии.", + "removeMemberPopup-title": "Удалить участника?", + "rename": "Переименовать", + "rename-board": "Переименовать доску", + "restore": "Восстановить", + "save": "Сохранить", + "search": "Поиск", + "search-cards": "Искать в названиях и описаниях карточек на этой доске", + "search-example": "Искать текст?", + "select-color": "Выбрать цвет", + "set-wip-limit-value": "Устанавливает ограничение на максимальное количество задач в этом списке", + "setWipLimitPopup-title": "Задать лимит на кол-во задач", + "shortcut-assign-self": "Связать себя с текущей карточкой", + "shortcut-autocomplete-emoji": "Автозаполнение emoji", + "shortcut-autocomplete-members": "Автозаполнение участников", + "shortcut-clear-filters": "Сбросить все фильтры", + "shortcut-close-dialog": "Закрыть диалог", + "shortcut-filter-my-cards": "Показать мои карточки", + "shortcut-show-shortcuts": "Поднять список ярлыков", + "shortcut-toggle-filterbar": "Переместить фильтр на бововую панель", + "shortcut-toggle-sidebar": "Переместить доску на боковую панель", + "show-cards-minimum-count": "Показывать количество карточек если их больше", + "sidebar-open": "Открыть Панель", + "sidebar-close": "Скрыть Панель", + "signupPopup-title": "Создать учетную запись", + "star-board-title": "Добавить в «Избранное». Эта доска будет всегда на виду.", + "starred-boards": "Добавленные в «Избранное»", + "starred-boards-description": "Избранные доски будут всегда вверху списка.", + "subscribe": "Подписаться", + "team": "Участники", + "this-board": "эту доску", + "this-card": "текущая карточка", + "spent-time-hours": "Затраченное время (в часах)", + "overtime-hours": "Переработка (в часах)", + "overtime": "Переработка", + "has-overtime-cards": "Имеются карточки с переработкой", + "has-spenttime-cards": "Имеются карточки с учетом затраченного времени", + "time": "Время", + "title": "Название", + "tracking": "Отслеживание", + "tracking-info": "Вы будете уведомлены о любых изменениях в тех карточках, в которых вы являетесь создателем или участником.", + "type": "Тип", + "unassign-member": "Отменить назначение участника", + "unsaved-description": "У вас есть несохраненное описание.", + "unwatch": "Перестать следить", + "upload": "Загрузить", + "upload-avatar": "Загрузить аватар", + "uploaded-avatar": "Загруженный аватар", + "username": "Имя пользователя", + "view-it": "Просмотреть", + "warn-list-archived": "Внимание: Данная карточка находится в списке, который перемещен в Корзину", + "watch": "Следить", + "watching": "Отслеживается", + "watching-info": "Вы будете уведомлены об любых изменениях в этой доске.", + "welcome-board": "Приветственная Доска", + "welcome-swimlane": "Этап 1", + "welcome-list1": "Основы", + "welcome-list2": "Расширенно", + "what-to-do": "Что вы хотите сделать?", + "wipLimitErrorPopup-title": "Некорректный лимит на кол-во задач", + "wipLimitErrorPopup-dialog-pt1": "Количество задач в этом списке превышает установленный вами лимит", + "wipLimitErrorPopup-dialog-pt2": "Пожалуйста, перенесите некоторые задачи из этого списка или увеличьте лимит на кол-во задач", + "admin-panel": "Административная Панель", + "settings": "Настройки", + "people": "Люди", + "registration": "Регистрация", + "disable-self-registration": "Отключить самостоятельную регистрацию", + "invite": "Пригласить", + "invite-people": "Пригласить людей", + "to-boards": "В Доску(и)", + "email-addresses": "Email адрес", + "smtp-host-description": "Адрес SMTP сервера, который отправляет ваши электронные письма.", + "smtp-port-description": "Порт который SMTP-сервер использует для исходящих сообщений.", + "smtp-tls-description": "Включить поддержку TLS для SMTP сервера", + "smtp-host": "SMTP Хост", + "smtp-port": "SMTP Порт", + "smtp-username": "Имя пользователя", + "smtp-password": "Пароль", + "smtp-tls": "поддержка TLS", + "send-from": "От", + "send-smtp-test": "Отправьте тестовое письмо себе", + "invitation-code": "Код приглашения", + "email-invite-register-subject": "__inviter__ прислал вам приглашение", + "email-invite-register-text": "Уважаемый __user__,\n\n__inviter__ приглашает вас в Wekan для сотрудничества.\n\nПожалуйста, проследуйте по ссылке:\n__url__\n\nВаш код приглашения: __icode__\n\nСпасибо.", + "email-smtp-test-subject": "SMTP Тестовое письмо от Wekan", + "email-smtp-test-text": "Вы успешно отправили письмо", + "error-invitation-code-not-exist": "Код приглашения не существует", + "error-notAuthorized": "У вас нет доступа на просмотр этой страницы.", + "outgoing-webhooks": "Исходящие Веб-хуки", + "outgoingWebhooksPopup-title": "Исходящие Веб-хуки", + "new-outgoing-webhook": "Новый исходящий Веб-хук", + "no-name": "(Неизвестный)", + "Wekan_version": "Версия Wekan", + "Node_version": "Версия NodeJS", + "OS_Arch": "Архитектура", + "OS_Cpus": "Количество процессоров", + "OS_Freemem": "Свободная память", + "OS_Loadavg": "Средняя загрузка", + "OS_Platform": "Платформа", + "OS_Release": "Релиз", + "OS_Totalmem": "Общая память", + "OS_Type": "Тип ОС", + "OS_Uptime": "Время работы", + "hours": "часы", + "minutes": "минуты", + "seconds": "секунды", + "show-field-on-card": "Показать это поле на карте", + "yes": "Да", + "no": "Нет", + "accounts": "Учетные записи", + "accounts-allowEmailChange": "Разрешить изменение электронной почты", + "accounts-allowUserNameChange": "Разрешить изменение имени пользователя", + "createdAt": "Создано на", + "verified": "Проверено", + "active": "Действующий", + "card-received": "Получено", + "card-received-on": "Получено с", + "card-end": "Дата окончания", + "card-end-on": "Завершится до", + "editCardReceivedDatePopup-title": "Изменить дату получения", + "editCardEndDatePopup-title": "Изменить дату завершения", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json new file mode 100644 index 00000000..fa939432 --- /dev/null +++ b/i18n/sr.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Prihvati", + "act-activity-notify": "[Wekan] Obaveštenje o aktivnostima", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Akcije", + "activities": "Aktivnosti", + "activity": "Aktivnost", + "activity-added": "dodao %s u %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "prikačio %s u %s", + "activity-created": "kreirao %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "izuzmi %s iz %s", + "activity-imported": "uvezao %s u %s iz %s", + "activity-imported-board": "uvezao %s iz %s", + "activity-joined": "spojio %s", + "activity-moved": "premestio %s iz %s u %s", + "activity-on": "na %s", + "activity-removed": "uklonio %s iz %s", + "activity-sent": "poslao %s %s-u", + "activity-unjoined": "rastavio %s", + "activity-checklist-added": "lista je dodata u %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Dodaj", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Dodaj novu stavku u listu", + "add-cover": "Dodaj zaglavlje", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Dodaj Članove", + "added": "Dodao", + "addMemberPopup-title": "Članovi", + "admin": "Administrator", + "admin-desc": "Može da pregleda i menja kartice, uklanja članove i menja podešavanja table", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "Sve table", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Primeni", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Dodeli člana", + "attached": "Prikačeno", + "attachment": "Prikačeni dokument", + "attachment-delete-pop": "Brisanje prikačenog dokumenta je trajno. Ne postoji vraćanje obrisanog.", + "attachmentDeletePopup-title": "Obrisati prikačeni dokument ?", + "attachments": "Prikačeni dokumenti", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Nazad", + "board-change-color": "Promeni boju", + "board-nb-stars": "%s zvezdice", + "board-not-found": "Tabla nije pronađena", + "board-private-info": "Ova tabla će biti privatna.", + "board-public-info": "Ova tabla će biti javna.", + "boardChangeColorPopup-title": "Promeni pozadinu table", + "boardChangeTitlePopup-title": "Preimenuj tablu", + "boardChangeVisibilityPopup-title": "Promeni Vidljivost", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Meni table", + "boards": "Table", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Na primer \"Lista zadataka\"", + "cancel": "Otkaži", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "Ova kartica ima %s komentar.", + "card-delete-notice": "Brisanje je trajno. Izgubićeš sve akcije povezane sa ovom karticom.", + "card-delete-pop": "Sve akcije će biti uklonjene sa liste aktivnosti i kartica neće moći biti ponovo otvorena. Nema vraćanja unazad.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Krajnji datum", + "card-due-on": "Završava se", + "card-spent": "Spent Time", + "card-edit-attachments": "Uredi priloge", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Uredi natpise", + "card-edit-members": "Uredi članove", + "card-labels-title": "Promeni natpis na kartici.", + "card-members-title": "Dodaj ili ukloni članove table sa kartice.", + "card-start": "Početak", + "card-start-on": "Počinje", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Članovi", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Izmeni podešavanja", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Izmeni podešavanja", + "checklists": "Liste", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Datum", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Datum", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Izmeni početni datum", + "editCardDueDatePopup-title": "Izmeni krajnji datum", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Izmeni notifikaciju", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "Korisničko ime je već zauzeto", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "Nema oznake", + "filter-no-member": "Nema člana", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Sakrij sistemske poruke", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Uvezi tablu iz Trella", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Mapiraj članove", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Izaberi člana Wekan-a", + "info": "Version", + "initials": "Initials", + "invalid-date": "Neispravan datum", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Članovi", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Premesti na dno", + "moveCardToTop-title": "Premesti na vrh", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Utišano", + "muted-info": "Nećete biti obavešteni o promenama u ovoj tabli", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Nema rezultata", + "normal": "Normalno", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Budite obavešteni o novim događajima u tablama, listama ili karticama koje pratite.", + "optional": "opciono", + "or": "ili", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Stranica nije pronađena.", + "password": "Lozinka", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Učestvujem", + "preview": "Prikaz", + "previewAttachedImagePopup-title": "Prikaz", + "previewClipboardImagePopup-title": "Prikaz", + "private": "Privatno", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profil", + "public": "Javno", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Ukloni iz table", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Ukloni člana", + "remove-member-from-card": "Ukloni iz kartice", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Ukloni člana ?", + "rename": "Preimenuj", + "rename-board": "Preimenuj tablu", + "restore": "Oporavi", + "save": "Snimi", + "search": "Pretraga", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Pridruži sebe trenutnoj kartici", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Sam popuni članove", + "shortcut-clear-filters": "Očisti sve filtere", + "shortcut-close-dialog": "Zatvori dijalog", + "shortcut-filter-my-cards": "Filtriraj kartice", + "shortcut-show-shortcuts": "Prikaži ovu listu prečica", + "shortcut-toggle-filterbar": "Uključi ili isključi bočni meni filtera", + "shortcut-toggle-sidebar": "Uključi ili isključi bočni meni table", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Kreiraj nalog", + "star-board-title": "Klikni da označiš zvezdicom ovu tablu. Pokazaće se na vrhu tvoje liste tabli.", + "starred-boards": "Table sa zvezdicom", + "starred-boards-description": "Table sa zvezdicom se pokazuju na vrhu liste tabli.", + "subscribe": "Pretplati se", + "team": "Tim", + "this-board": "ova tabla", + "this-card": "ova kartica", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Vreme", + "title": "Naslov", + "tracking": "Praćenje", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "Imaš nesnimljen opis.", + "unwatch": "Ne posmatraj", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Korisničko ime", + "view-it": "Pregledaj je", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Posmatraj", + "watching": "Posmatranje", + "watching-info": "Bićete obavešteni o promenama u ovoj tabli", + "welcome-board": "Tabla dobrodošlice", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Osnove", + "welcome-list2": "Napredno", + "what-to-do": "Šta želiš da uradiš ?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Korisničko ime", + "smtp-password": "Lozinka", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json new file mode 100644 index 00000000..99a39773 --- /dev/null +++ b/i18n/sv.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Acceptera", + "act-activity-notify": "[Wekan] Aktivitetsavisering", + "act-addAttachment": "bifogade __attachment__ to __card__", + "act-addChecklist": "lade till checklist __checklist__ till __card__", + "act-addChecklistItem": "lade till __checklistItem__ till checklistan __checklist__ on __card__", + "act-addComment": "kommenterade __card__: __comment__", + "act-createBoard": "skapade __board__", + "act-createCard": "lade till __card__ to __list__", + "act-createCustomField": "skapa anpassat fält __customField__", + "act-createList": "lade till __list__ to __board__", + "act-addBoardMember": "lade till __member__ to __board__", + "act-archivedBoard": "__board__ flyttad till papperskorgen", + "act-archivedCard": "__card__ flyttad till papperskorgen", + "act-archivedList": "__list__ flyttad till papperskorgen", + "act-archivedSwimlane": "__swimlane__ flyttad till papperskorgen", + "act-importBoard": "importerade __board__", + "act-importCard": "importerade __card__", + "act-importList": "importerade __list__", + "act-joinMember": "lade __member__ till __card__", + "act-moveCard": "flyttade __card__ från __oldList__ till __list__", + "act-removeBoardMember": "tog bort __member__ från __board__", + "act-restoredCard": "återställde __card__ to __board__", + "act-unjoinMember": "tog bort __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Åtgärder", + "activities": "Aktiviteter", + "activity": "Aktivitet", + "activity-added": "Lade %s till %s", + "activity-archived": "%s flyttad till papperskorgen", + "activity-attached": "bifogade %s to %s", + "activity-created": "skapade %s", + "activity-customfield-created": "skapa anpassat fält %s", + "activity-excluded": "exkluderade %s från %s", + "activity-imported": "importerade %s till %s från %s", + "activity-imported-board": "importerade %s från %s", + "activity-joined": "anslöt sig till %s", + "activity-moved": "tog bort %s från %s till %s", + "activity-on": "på %s", + "activity-removed": "tog bort %s från %s", + "activity-sent": "skickade %s till %s", + "activity-unjoined": "gick ur %s", + "activity-checklist-added": "lade kontrollista till %s", + "activity-checklist-item-added": "lade checklista objekt till '%s' i %s", + "add": "Lägg till", + "add-attachment": "Lägg till bilaga", + "add-board": "Lägg till anslagstavla", + "add-card": "Lägg till kort", + "add-swimlane": "Lägg till simbana", + "add-checklist": "Lägg till checklista", + "add-checklist-item": "Lägg till ett objekt till kontrollista", + "add-cover": "Lägg till omslag", + "add-label": "Lägg till etikett", + "add-list": "Lägg till lista", + "add-members": "Lägg till medlemmar", + "added": "Lade till", + "addMemberPopup-title": "Medlemmar", + "admin": "Adminstratör", + "admin-desc": "Kan visa och redigera kort, ta bort medlemmar och ändra inställningarna för anslagstavlan.", + "admin-announcement": "Meddelande", + "admin-announcement-active": "Aktivt system-brett meddelande", + "admin-announcement-title": "Meddelande från administratör", + "all-boards": "Alla anslagstavlor", + "and-n-other-card": "Och __count__ annat kort", + "and-n-other-card_plural": "Och __count__ andra kort", + "apply": "Tillämpa", + "app-is-offline": "Wekan laddar, vänta. Uppdatering av sidan kommer att leda till förlust av data. Om Wekan inte laddas, kontrollera att Wekan-servern inte har stoppats.", + "archive": "Flytta till papperskorgen", + "archive-all": "Flytta alla till papperskorgen", + "archive-board": "Flytta anslagstavla till papperskorgen", + "archive-card": "Flytta kort till papperskorgen", + "archive-list": "Flytta lista till papperskorgen", + "archive-swimlane": "Flytta simbana till papperskorgen", + "archive-selection": "Flytta val till papperskorgen", + "archiveBoardPopup-title": "Flytta anslagstavla till papperskorgen?", + "archived-items": "Papperskorgen", + "archived-boards": "Anslagstavlor i papperskorgen", + "restore-board": "Återställ anslagstavla", + "no-archived-boards": "Inga anslagstavlor i papperskorgen", + "archives": "Papperskorgen", + "assign-member": "Tilldela medlem", + "attached": "bifogad", + "attachment": "Bilaga", + "attachment-delete-pop": "Ta bort en bilaga är permanent. Det går inte att ångra.", + "attachmentDeletePopup-title": "Ta bort bilaga?", + "attachments": "Bilagor", + "auto-watch": "Bevaka automatiskt anslagstavlor när de skapas", + "avatar-too-big": "Avatar är för stor (70KB max)", + "back": "Tillbaka", + "board-change-color": "Ändra färg", + "board-nb-stars": "%s stjärnor", + "board-not-found": "Anslagstavla hittades inte", + "board-private-info": "Denna anslagstavla kommer att vara privat.", + "board-public-info": "Denna anslagstavla kommer att vara officiell.", + "boardChangeColorPopup-title": "Ändra bakgrund på anslagstavla", + "boardChangeTitlePopup-title": "Byt namn på anslagstavla", + "boardChangeVisibilityPopup-title": "Ändra synlighet", + "boardChangeWatchPopup-title": "Ändra bevaka", + "boardMenuPopup-title": "Anslagstavla meny", + "boards": "Anslagstavlor", + "board-view": "Board View", + "board-view-swimlanes": "Simbanor", + "board-view-lists": "Listor", + "bucket-example": "Gilla \"att-göra-innan-jag-dör-lista\" till exempel", + "cancel": "Avbryt", + "card-archived": "Detta kort flyttas till papperskorgen.", + "card-comments-title": "Detta kort har %s kommentar.", + "card-delete-notice": "Ta bort är permanent. Du kommer att förlora alla åtgärder i samband med detta kort.", + "card-delete-pop": "Alla åtgärder kommer att tas bort från aktivitetsflöde och du kommer inte att kunna öppna kortet igen. Det går inte att ångra.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Förfaller", + "card-due-on": "Förfaller på", + "card-spent": "Spenderad tid", + "card-edit-attachments": "Redigera bilaga", + "card-edit-custom-fields": "Redigera anpassade fält", + "card-edit-labels": "Redigera etiketter", + "card-edit-members": "Redigera medlemmar", + "card-labels-title": "Ändra etiketter för kortet.", + "card-members-title": "Lägg till eller ta bort medlemmar av anslagstavlan från kortet.", + "card-start": "Börja", + "card-start-on": "Börja med", + "cardAttachmentsPopup-title": "Bifoga från", + "cardCustomField-datePopup-title": "Ändra datum", + "cardCustomFieldsPopup-title": "Redigera anpassade fält", + "cardDeletePopup-title": "Ta bort kort?", + "cardDetailsActionsPopup-title": "Kortåtgärder", + "cardLabelsPopup-title": "Etiketter", + "cardMembersPopup-title": "Medlemmar", + "cardMorePopup-title": "Mera", + "cards": "Kort", + "cards-count": "Kort", + "change": "Ändra", + "change-avatar": "Ändra avatar", + "change-password": "Ändra lösenord", + "change-permissions": "Ändra behörigheter", + "change-settings": "Ändra inställningar", + "changeAvatarPopup-title": "Ändra avatar", + "changeLanguagePopup-title": "Ändra språk", + "changePasswordPopup-title": "Ändra lösenord", + "changePermissionsPopup-title": "Ändra behörigheter", + "changeSettingsPopup-title": "Ändra inställningar", + "checklists": "Kontrollistor", + "click-to-star": "Klicka för att stjärnmärka denna anslagstavla.", + "click-to-unstar": "Klicka för att ta bort stjärnmärkningen från denna anslagstavla.", + "clipboard": "Urklipp eller dra och släpp", + "close": "Stäng", + "close-board": "Stäng anslagstavla", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "svart", + "color-blue": "blå", + "color-green": "grön", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "rosa", + "color-purple": "lila", + "color-red": "röd", + "color-sky": "himmel", + "color-yellow": "gul", + "comment": "Kommentera", + "comment-placeholder": "Skriv kommentar", + "comment-only": "Kommentera endast", + "comment-only-desc": "Kan endast kommentera kort.", + "computer": "Dator", + "confirm-checklist-delete-dialog": "Är du säker på att du vill ta bort checklista", + "copy-card-link-to-clipboard": "Kopiera kortlänk till urklipp", + "copyCardPopup-title": "Kopiera kort", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destinationskorttitlar och beskrivningar i detta JSON-format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Skapa", + "createBoardPopup-title": "Skapa anslagstavla", + "chooseBoardSourcePopup-title": "Importera anslagstavla", + "createLabelPopup-title": "Skapa etikett", + "createCustomField": "Skapa fält", + "createCustomFieldPopup-title": "Skapa fält", + "current": "aktuell", + "custom-field-delete-pop": "Det går inte att ångra. Detta tar bort det här anpassade fältet från alla kort och förstör dess historia.", + "custom-field-checkbox": "Kryssruta", + "custom-field-date": "Datum", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(inga)", + "custom-field-dropdown-options": "Listalternativ", + "custom-field-dropdown-options-placeholder": "Tryck på enter för att lägga till fler alternativ", + "custom-field-dropdown-unknown": "(okänd)", + "custom-field-number": "Nummer", + "custom-field-text": "Text", + "custom-fields": "Anpassade fält", + "date": "Datum", + "decline": "Nedgång", + "default-avatar": "Standard avatar", + "delete": "Ta bort", + "deleteCustomFieldPopup-title": "Ta bort anpassade fält?", + "deleteLabelPopup-title": "Ta bort etikett?", + "description": "Beskrivning", + "disambiguateMultiLabelPopup-title": "Otvetydig etikettåtgärd", + "disambiguateMultiMemberPopup-title": "Otvetydig medlemsåtgärd", + "discard": "Kassera", + "done": "Färdig", + "download": "Hämta", + "edit": "Redigera", + "edit-avatar": "Ändra avatar", + "edit-profile": "Redigera profil", + "edit-wip-limit": "Redigera WIP-gränsen", + "soft-wip-limit": "Mjuk WIP-gräns", + "editCardStartDatePopup-title": "Ändra startdatum", + "editCardDueDatePopup-title": "Ändra förfallodatum", + "editCustomFieldPopup-title": "Redigera fält", + "editCardSpentTimePopup-title": "Ändra spenderad tid", + "editLabelPopup-title": "Ändra etikett", + "editNotificationPopup-title": "Redigera avisering", + "editProfilePopup-title": "Redigera profil", + "email": "E-post", + "email-enrollAccount-subject": "Ett konto skapas för dig på __siteName__", + "email-enrollAccount-text": "Hej __user__,\n\nFör att börja använda tjänsten, klicka på länken nedan.\n\n__url__\n\nTack.", + "email-fail": "Sändning av e-post misslyckades", + "email-fail-text": "Ett fel vid försök att skicka e-post", + "email-invalid": "Ogiltig e-post", + "email-invite": "Bjud in via e-post", + "email-invite-subject": "__inviter__ skickade dig en inbjudan", + "email-invite-text": "Bästa __user__,\n\n__inviter__ inbjuder dig till anslagstavlan \"__board__\" för samarbete.\n\nFölj länken nedan:\n\n__url__\n\nTack.", + "email-resetPassword-subject": "Återställa lösenordet för __siteName__", + "email-resetPassword-text": "Hej __user__,\n\nFör att återställa ditt lösenord, klicka på länken nedan.\n\n__url__\n\nTack.", + "email-sent": "E-post skickad", + "email-verifyEmail-subject": "Verifiera din e-post adress på __siteName__", + "email-verifyEmail-text": "Hej __user__,\n\nFör att verifiera din konto e-post, klicka på länken nedan.\n\n__url__\n\nTack.", + "enable-wip-limit": "Aktivera WIP-gräns", + "error-board-doesNotExist": "Denna anslagstavla finns inte", + "error-board-notAdmin": "Du måste vara administratör för denna anslagstavla för att göra det", + "error-board-notAMember": "Du måste vara medlem i denna anslagstavla för att göra det", + "error-json-malformed": "Din text är inte giltigt JSON", + "error-json-schema": "Din JSON data inkluderar inte korrekt information i rätt format", + "error-list-doesNotExist": "Denna lista finns inte", + "error-user-doesNotExist": "Denna användare finns inte", + "error-user-notAllowSelf": "Du kan inte bjuda in dig själv", + "error-user-notCreated": "Den här användaren har inte skapats", + "error-username-taken": "Detta användarnamn är redan taget", + "error-email-taken": "E-post har redan tagits", + "export-board": "Exportera anslagstavla", + "filter": "Filtrera", + "filter-cards": "Filtrera kort", + "filter-clear": "Rensa filter", + "filter-no-label": "Ingen etikett", + "filter-no-member": "Ingen medlem", + "filter-no-custom-fields": "Inga anpassade fält", + "filter-on": "Filter är på", + "filter-on-desc": "Du filtrerar kort på denna anslagstavla. Klicka här för att redigera filter.", + "filter-to-selection": "Filter till val", + "advanced-filter-label": "Avancerat filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Namn", + "header-logo-title": "Gå tillbaka till din anslagstavlor-sida.", + "hide-system-messages": "Göm systemmeddelanden", + "headerBarCreateBoardPopup-title": "Skapa anslagstavla", + "home": "Hem", + "import": "Importera", + "import-board": "importera anslagstavla", + "import-board-c": "Importera anslagstavla", + "import-board-title-trello": "Importera anslagstavla från Trello", + "import-board-title-wekan": "Importera anslagstavla från Wekan", + "import-sandstorm-warning": "Importerad anslagstavla raderar all befintlig data på anslagstavla och ersätter den med importerat anslagstavla.", + "from-trello": "Från Trello", + "from-wekan": "Från Wekan", + "import-board-instruction-trello": "I din Trello-anslagstavla, gå till 'Meny', sedan 'Mera', 'Skriv ut och exportera', 'Exportera JSON' och kopiera den resulterande text.", + "import-board-instruction-wekan": "I din Wekan-anslagstavla, gå till \"Meny\", sedan \"Exportera anslagstavla\" och kopiera texten i den hämtade filen.", + "import-json-placeholder": "Klistra in giltigt JSON data här", + "import-map-members": "Kartlägg medlemmar", + "import-members-map": "Din importerade anslagstavla har några medlemmar. Kartlägg medlemmarna som du vill importera till Wekan-användare", + "import-show-user-mapping": "Granska medlemskartläggning", + "import-user-select": "Välj Wekan-användare du vill använda som denna medlem", + "importMapMembersAddPopup-title": "Välj Wekan member", + "info": "Version", + "initials": "Initialer ", + "invalid-date": "Ogiltigt datum", + "invalid-time": "Ogiltig tid", + "invalid-user": "Ogiltig användare", + "joined": "gick med", + "just-invited": "Du blev nyss inbjuden till denna anslagstavla", + "keyboard-shortcuts": "Tangentbordsgenvägar", + "label-create": "Skapa etikett", + "label-default": "%s etikett (standard)", + "label-delete-pop": "Det finns ingen ångra. Detta tar bort denna etikett från alla kort och förstöra dess historik.", + "labels": "Etiketter", + "language": "Språk", + "last-admin-desc": "Du kan inte ändra roller för det måste finnas minst en administratör.", + "leave-board": "Lämna anslagstavla", + "leave-board-pop": "Är du säker på att du vill lämna __boardTitle__? Du kommer att tas bort från alla kort på den här anslagstavlan.", + "leaveBoardPopup-title": "Lämna anslagstavla ?", + "link-card": "Länka till detta kort", + "list-archive-cards": "Flytta alla kort i den här listan till papperskorgen", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Flytta alla kort i denna lista", + "list-select-cards": "Välj alla kort i denna lista", + "listActionPopup-title": "Liståtgärder", + "swimlaneActionPopup-title": "Simbana-åtgärder", + "listImportCardPopup-title": "Importera ett Trello kort", + "listMorePopup-title": "Mera", + "link-list": "Länk till den här listan", + "list-delete-pop": "Alla åtgärder kommer att tas bort från aktivitetsmatningen och du kommer inte att kunna återställa listan. Det går inte att ångra.", + "list-delete-suggest-archive": "Du kan flytta en lista till papperskorgen för att ta bort den från brädet och bevara aktiviteten.", + "lists": "Listor", + "swimlanes": "Simbanor ", + "log-out": "Logga ut", + "log-in": "Logga in", + "loginPopup-title": "Logga in", + "memberMenuPopup-title": "Användarinställningar", + "members": "Medlemmar", + "menu": "Meny", + "move-selection": "Flytta vald", + "moveCardPopup-title": "Flytta kort", + "moveCardToBottom-title": "Flytta längst ner", + "moveCardToTop-title": "Flytta högst upp", + "moveSelectionPopup-title": "Flytta vald", + "multi-selection": "Flerval", + "multi-selection-on": "Flerval är på", + "muted": "Tystad", + "muted-info": "Du kommer aldrig att meddelas om eventuella ändringar i denna anslagstavla", + "my-boards": "Mina anslagstavlor", + "name": "Namn", + "no-archived-cards": "Inga kort i papperskorgen.", + "no-archived-lists": "Inga listor i papperskorgen.", + "no-archived-swimlanes": "Inga simbanor i papperskorgen.", + "no-results": "Inga reslutat", + "normal": "Normal", + "normal-desc": "Kan se och redigera kort. Kan inte ändra inställningar.", + "not-accepted-yet": "Inbjudan inte ännu accepterad", + "notify-participate": "Få uppdateringar till alla kort du deltar i som skapare eller medlem", + "notify-watch": "Få uppdateringar till alla anslagstavlor, listor, eller kort du bevakar", + "optional": "valfri", + "or": "eller", + "page-maybe-private": "Denna sida kan vara privat. Du kanske kan se den genom att logga in.", + "page-not-found": "Sidan hittades inte.", + "password": "Lösenord", + "paste-or-dragdrop": "klistra in eller dra och släpp bildfil till den (endast bilder)", + "participating": "Deltagande", + "preview": "Förhandsvisning", + "previewAttachedImagePopup-title": "Förhandsvisning", + "previewClipboardImagePopup-title": "Förhandsvisning", + "private": "Privat", + "private-desc": "Denna anslagstavla är privat. Endast personer tillagda till anslagstavlan kan se och redigera den.", + "profile": "Profil", + "public": "Officiell", + "public-desc": "Denna anslagstavla är offentlig. Den är synligt för alla med länken och kommer att dyka upp i sökmotorer som Google. Endast personer tillagda till anslagstavlan kan redigera.", + "quick-access-description": "Stjärnmärk en anslagstavla för att lägga till en genväg i detta fält.", + "remove-cover": "Ta bort omslag", + "remove-from-board": "Ta bort från anslagstavla", + "remove-label": "Ta bort etikett", + "listDeletePopup-title": "Ta bort lista", + "remove-member": "Ta bort medlem", + "remove-member-from-card": "Ta bort från kort", + "remove-member-pop": "Ta bort __name__ (__username__) från __boardTitle__? Medlemmen kommer att bli borttagen från alla kort i denna anslagstavla. De kommer att få en avisering.", + "removeMemberPopup-title": "Ta bort medlem?", + "rename": "Byt namn", + "rename-board": "Byt namn på anslagstavla", + "restore": "Återställ", + "save": "Spara", + "search": "Sök", + "search-cards": "Sök från korttitlar och beskrivningar på det här brädet", + "search-example": "Text att söka efter?", + "select-color": "Välj färg", + "set-wip-limit-value": "Ange en gräns för det maximala antalet uppgifter i den här listan", + "setWipLimitPopup-title": "Ställ in WIP-gräns", + "shortcut-assign-self": "Tilldela dig nuvarande kort", + "shortcut-autocomplete-emoji": "Komplettera automatiskt emoji", + "shortcut-autocomplete-members": "Komplettera automatiskt medlemmar", + "shortcut-clear-filters": "Rensa alla filter", + "shortcut-close-dialog": "Stäng dialog", + "shortcut-filter-my-cards": "Filtrera mina kort", + "shortcut-show-shortcuts": "Ta fram denna genvägslista", + "shortcut-toggle-filterbar": "Växla filtrets sidofält", + "shortcut-toggle-sidebar": "Växla anslagstavlans sidofält", + "show-cards-minimum-count": "Visa kortantal om listan innehåller mer än", + "sidebar-open": "Stäng sidofält", + "sidebar-close": "Stäng sidofält", + "signupPopup-title": "Skapa ett konto", + "star-board-title": "Klicka för att stjärnmärka denna anslagstavla. Den kommer att visas högst upp på din lista över anslagstavlor.", + "starred-boards": "Stjärnmärkta anslagstavlor", + "starred-boards-description": "Stjärnmärkta anslagstavlor visas högst upp på din lista över anslagstavlor.", + "subscribe": "Prenumenera", + "team": "Grupp", + "this-board": "denna anslagstavla", + "this-card": "detta kort", + "spent-time-hours": "Spenderad tid (timmar)", + "overtime-hours": "Övertid (timmar)", + "overtime": "Övertid", + "has-overtime-cards": "Har övertidskort", + "has-spenttime-cards": "Har spenderat tidkort", + "time": "Tid", + "title": "Titel", + "tracking": "Spårning", + "tracking-info": "Du kommer att meddelas om eventuella ändringar av dessa kort du deltar i som skapare eller medlem.", + "type": "Skriv", + "unassign-member": "Ta bort tilldelad medlem", + "unsaved-description": "Du har en osparad beskrivning.", + "unwatch": "Avbevaka", + "upload": "Ladda upp", + "upload-avatar": "Ladda upp en avatar", + "uploaded-avatar": "Laddade upp en avatar", + "username": "Änvandarnamn", + "view-it": "Visa det", + "warn-list-archived": "varning: det här kortet finns i en lista i papperskorgen", + "watch": "Bevaka", + "watching": "Bevakar", + "watching-info": "Du kommer att meddelas om alla ändringar på denna anslagstavla", + "welcome-board": "Välkomstanslagstavla", + "welcome-swimlane": "Milstolpe 1", + "welcome-list1": "Grunderna", + "welcome-list2": "Avancerad", + "what-to-do": "Vad vill du göra?", + "wipLimitErrorPopup-title": "Ogiltig WIP-gräns", + "wipLimitErrorPopup-dialog-pt1": "Antalet uppgifter i den här listan är högre än WIP-gränsen du har definierat.", + "wipLimitErrorPopup-dialog-pt2": "Flytta några uppgifter ur listan, eller ställ in en högre WIP-gräns.", + "admin-panel": "Administratörspanel ", + "settings": "Inställningar", + "people": "Personer", + "registration": "Registrering", + "disable-self-registration": "Avaktiverar självregistrering", + "invite": "Bjud in", + "invite-people": "Bjud in personer", + "to-boards": "Till anslagstavl(a/or)", + "email-addresses": "E-post adresser", + "smtp-host-description": "Adressen till SMTP-servern som hanterar din e-post.", + "smtp-port-description": "Porten SMTP-servern använder för utgående e-post.", + "smtp-tls-description": "Aktivera TLS-stöd för SMTP-server", + "smtp-host": "SMTP-värd", + "smtp-port": "SMTP-port", + "smtp-username": "Användarnamn", + "smtp-password": "Lösenord", + "smtp-tls": "TLS-stöd", + "send-from": "Från", + "send-smtp-test": "Skicka ett prov e-postmeddelande till dig själv", + "invitation-code": "Inbjudningskod", + "email-invite-register-subject": "__inviter__ skickade dig en inbjudan", + "email-invite-register-text": "Bästa __user__,\n\n__inviter__ inbjuder dig till Wekan för samarbeten.\n\nVänligen följ länken nedan:\n__url__\n\nOch din inbjudningskod är: __icode__\n\nTack.", + "email-smtp-test-subject": "SMTP-prov e-post från Wekan", + "email-smtp-test-text": "Du har skickat ett e-postmeddelande", + "error-invitation-code-not-exist": "Inbjudningskod finns inte", + "error-notAuthorized": "Du är inte behörig att se den här sidan.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Okänd)", + "Wekan_version": "Wekan version", + "Node_version": "Nodversion", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU-räkning", + "OS_Freemem": "OS ledigt minne", + "OS_Loadavg": "OS belastningsgenomsnitt", + "OS_Platform": "OS plattforme", + "OS_Release": "OS utgåva", + "OS_Totalmem": "OS totalt minne", + "OS_Type": "OS Typ", + "OS_Uptime": "OS drifttid", + "hours": "timmar", + "minutes": "minuter", + "seconds": "sekunder", + "show-field-on-card": "Visa detta fält på kort", + "yes": "Ja", + "no": "Nej", + "accounts": "Konton", + "accounts-allowEmailChange": "Tillåt e-poständring", + "accounts-allowUserNameChange": "Tillåt användarnamnändring", + "createdAt": "Skapad vid", + "verified": "Verifierad", + "active": "Aktiv", + "card-received": "Mottagen", + "card-received-on": "Mottagen den", + "card-end": "Slut", + "card-end-on": "Slutar den", + "editCardReceivedDatePopup-title": "Ändra mottagningsdatum", + "editCardEndDatePopup-title": "Ändra slutdatum", + "assigned-by": "Tilldelad av", + "requested-by": "Efterfrågad av", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Ta bort anslagstavla?", + "delete-board": "Ta bort anslagstavla" +} \ No newline at end of file diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json new file mode 100644 index 00000000..317f2e3b --- /dev/null +++ b/i18n/ta.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accept", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Add", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Members", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Members", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Members", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json new file mode 100644 index 00000000..e383b3d8 --- /dev/null +++ b/i18n/th.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "ยอมรับ", + "act-activity-notify": "[Wekan] แจ้งกิจกรรม", + "act-addAttachment": "แนบไฟล์ __attachment__ ไปยัง __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "ออกความเห็นที่ __card__: __comment__", + "act-createBoard": "สร้าง __board__", + "act-createCard": "เพิ่ม __card__ ไปยัง __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "เพิ่ม __list__ ไปยัง __board__", + "act-addBoardMember": "เพิ่ม __member__ ไปยัง __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "นำเข้า __board__", + "act-importCard": "นำเข้า __card__", + "act-importList": "นำเข้า __list__", + "act-joinMember": "เพิ่ม __member__ ไปยัง __card__", + "act-moveCard": "ย้าย __card__ จาก __oldList__ ไป __list__", + "act-removeBoardMember": "ลบ __member__ จาก __board__", + "act-restoredCard": "กู้คืน __card__ ไปยัง __board__", + "act-unjoinMember": "ลบ __member__ จาก __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "ปฎิบัติการ", + "activities": "กิจกรรม", + "activity": "กิจกรรม", + "activity-added": "เพิ่ม %s ไปยัง %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "แนบ %s ไปยัง %s", + "activity-created": "สร้าง %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "ยกเว้น %s จาก %s", + "activity-imported": "ถูกนำเข้า %s ไปยัง %s จาก %s", + "activity-imported-board": "นำเข้า %s จาก %s", + "activity-joined": "เข้าร่วม %s", + "activity-moved": "ย้าย %s จาก %s ถึง %s", + "activity-on": "บน %s", + "activity-removed": "ลบ %s จาด %s", + "activity-sent": "ส่ง %s ถึง %s", + "activity-unjoined": "ยกเลิกเข้าร่วม %s", + "activity-checklist-added": "รายการถูกเพิ่มไป %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "เพิ่ม", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "เพิ่มรายการตรวจสอบ", + "add-cover": "เพิ่มหน้าปก", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "เพิ่มสมาชิก", + "added": "เพิ่ม", + "addMemberPopup-title": "สมาชิก", + "admin": "ผู้ดูแลระบบ", + "admin-desc": "สามารถดูและแก้ไขการ์ด ลบสมาชิก และเปลี่ยนการตั้งค่าบอร์ดได้", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "บอร์ดทั้งหมด", + "and-n-other-card": "และการ์ดอื่น __count__", + "and-n-other-card_plural": "และการ์ดอื่น ๆ __count__", + "apply": "นำมาใช้", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "กำหนดสมาชิก", + "attached": "แนบมาด้วย", + "attachment": "สิ่งที่แนบมา", + "attachment-delete-pop": "ลบสิ่งที่แนบมาถาวร ไม่สามารถเลิกทำได้", + "attachmentDeletePopup-title": "ลบสิ่งที่แนบมาหรือไม่", + "attachments": "สิ่งที่แนบมา", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "ย้อนกลับ", + "board-change-color": "เปลี่ยนสี", + "board-nb-stars": "ติดดาว %s", + "board-not-found": "ไม่มีบอร์ด", + "board-private-info": "บอร์ดนี้จะเป็น ส่วนตัว.", + "board-public-info": "บอร์ดนี้จะเป็น สาธารณะ.", + "boardChangeColorPopup-title": "เปลี่ยนสีพื้นหลังบอร์ด", + "boardChangeTitlePopup-title": "เปลี่ยนชื่อบอร์ด", + "boardChangeVisibilityPopup-title": "เปลี่ยนการเข้าถึง", + "boardChangeWatchPopup-title": "เปลี่ยนการเฝ้าดู", + "boardMenuPopup-title": "เมนูบอร์ด", + "boards": "บอร์ด", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "รายการ", + "bucket-example": "ตัวอย่างเช่น “ระบบที่ต้องทำ”", + "cancel": "ยกเลิก", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "การ์ดนี้มี %s ความเห็น.", + "card-delete-notice": "เป็นการลบถาวร คุณจะสูญเสียข้อมูลที่เกี่ยวข้องกับการ์ดนี้ทั้งหมด", + "card-delete-pop": "การดำเนินการทั้งหมดจะถูกลบจาก feed กิจกรรมและคุณไม่สามารถเปิดได้อีกครั้งหรือยกเลิกการทำ", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "ครบกำหนด", + "card-due-on": "ครบกำหนดเมื่อ", + "card-spent": "Spent Time", + "card-edit-attachments": "แก้ไขสิ่งที่แนบมา", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "แก้ไขป้ายกำกับ", + "card-edit-members": "แก้ไขสมาชิก", + "card-labels-title": "เปลี่ยนป้ายกำกับของการ์ด", + "card-members-title": "เพิ่มหรือลบสมาชิกของบอร์ดจากการ์ด", + "card-start": "เริ่ม", + "card-start-on": "เริ่มเมื่อ", + "cardAttachmentsPopup-title": "แนบจาก", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "ลบการ์ดนี้หรือไม่", + "cardDetailsActionsPopup-title": "การดำเนินการการ์ด", + "cardLabelsPopup-title": "ป้ายกำกับ", + "cardMembersPopup-title": "สมาชิก", + "cardMorePopup-title": "เพิ่มเติม", + "cards": "การ์ด", + "cards-count": "การ์ด", + "change": "เปลี่ยน", + "change-avatar": "เปลี่ยนภาพ", + "change-password": "เปลี่ยนรหัสผ่าน", + "change-permissions": "เปลี่ยนสิทธิ์", + "change-settings": "เปลี่ยนการตั้งค่า", + "changeAvatarPopup-title": "เปลี่ยนภาพ", + "changeLanguagePopup-title": "เปลี่ยนภาษา", + "changePasswordPopup-title": "เปลี่ยนรหัสผ่าน", + "changePermissionsPopup-title": "เปลี่ยนสิทธิ์", + "changeSettingsPopup-title": "เปลี่ยนการตั้งค่า", + "checklists": "รายการตรวจสอบ", + "click-to-star": "คลิกดาวบอร์ดนี้", + "click-to-unstar": "คลิกยกเลิกดาวบอร์ดนี้", + "clipboard": "Clipboard หรือลากและวาง", + "close": "ปิด", + "close-board": "ปิดบอร์ด", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "ดำ", + "color-blue": "น้ำเงิน", + "color-green": "เขียว", + "color-lime": "เหลืองมะนาว", + "color-orange": "ส้ม", + "color-pink": "ชมพู", + "color-purple": "ม่วง", + "color-red": "แดง", + "color-sky": "ฟ้า", + "color-yellow": "เหลือง", + "comment": "คอมเม็นต์", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "คอมพิวเตอร์", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "สร้าง", + "createBoardPopup-title": "สร้างบอร์ด", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "สร้างป้ายกำกับ", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "ปัจจุบัน", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "วันที่", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "วันที่", + "decline": "ปฎิเสธ", + "default-avatar": "ภาพเริ่มต้น", + "delete": "ลบ", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "ลบป้ายกำกับนี้หรือไม่", + "description": "คำอธิบาย", + "disambiguateMultiLabelPopup-title": "การดำเนินการกำกับป้ายชัดเจน", + "disambiguateMultiMemberPopup-title": "การดำเนินการสมาชิกชัดเจน", + "discard": "ทิ้ง", + "done": "เสร็จสิ้น", + "download": "ดาวน์โหลด", + "edit": "แก้ไข", + "edit-avatar": "เปลี่ยนภาพ", + "edit-profile": "แก้ไขโปรไฟล์", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "เปลี่ยนวันเริ่มต้น", + "editCardDueDatePopup-title": "เปลี่ยนวันครบกำหนด", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "เปลี่ยนป้ายกำกับ", + "editNotificationPopup-title": "แก้ไขการแจ้งเตือน", + "editProfilePopup-title": "แก้ไขโปรไฟล์", + "email": "อีเมล์", + "email-enrollAccount-subject": "บัญชีคุณถูกสร้างใน __siteName__", + "email-enrollAccount-text": "สวัสดี __user__,\n\nเริ่มใช้บริการง่าย ๆ , ด้วยการคลิกลิงค์ด้านล่าง.\n\n__url__\n\n ขอบคุณค่ะ", + "email-fail": "การส่งอีเมล์ล้มเหลว", + "email-fail-text": "Error trying to send email", + "email-invalid": "อีเมล์ไม่ถูกต้อง", + "email-invite": "เชิญผ่านทางอีเมล์", + "email-invite-subject": "__inviter__ ส่งคำเชิญให้คุณ", + "email-invite-text": "สวัสดี __user__,\n\n__inviter__ ขอเชิญคุณเข้าร่วม \"__board__\" เพื่อขอความร่วมมือ \n\n โปรดคลิกตามลิงค์ข้างล่างนี้ \n\n__url__\n\n ขอบคุณ", + "email-resetPassword-subject": "ตั้งรหัสผ่่านใหม่ของคุณบน __siteName__", + "email-resetPassword-text": "สวัสดี __user__,\n\nในการรีเซ็ตรหัสผ่านของคุณ, คลิกตามลิงค์ด้านล่าง \n\n__url__\n\nขอบคุณค่ะ", + "email-sent": "ส่งอีเมล์", + "email-verifyEmail-subject": "ยืนยันที่อยู่อีเม์ของคุณบน __siteName__", + "email-verifyEmail-text": "สวัสดี __user__,\n\nตรวจสอบบัญชีอีเมล์ของคุณ ง่าย ๆ ตามลิงค์ด้านล่าง \n\n__url__\n\n ขอบคุณค่ะ", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "บอร์ดนี้ไม่มีอยู่แล้ว", + "error-board-notAdmin": "คุณจะต้องเป็นผู้ดูแลระบบถึงจะทำสิ่งเหล่านี้ได้", + "error-board-notAMember": "คุณต้องเป็นสมาชิกของบอร์ดนี้ถึงจะทำได้", + "error-json-malformed": "ข้อความของคุณไม่ใช่ JSON", + "error-json-schema": "รูปแบบข้้้อมูล JSON ของคุณไม่ถูกต้อง", + "error-list-doesNotExist": "รายการนี้ไม่มีอยู่", + "error-user-doesNotExist": "ผู้ใช้นี้ไม่มีอยู่", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "ผู้ใช้รายนี้ไม่ได้สร้าง", + "error-username-taken": "ชื่อนี้ถูกใช้งานแล้ว", + "error-email-taken": "Email has already been taken", + "export-board": "ส่งออกกระดาน", + "filter": "กรอง", + "filter-cards": "กรองการ์ด", + "filter-clear": "ล้างตัวกรอง", + "filter-no-label": "ไม่มีฉลาก", + "filter-no-member": "ไม่มีสมาชิก", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "กรองบน", + "filter-on-desc": "คุณกำลังกรองการ์ดในบอร์ดนี้ คลิกที่นี่เพื่อแก้ไขตัวกรอง", + "filter-to-selection": "กรองตัวเลือก", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "ชื่อ นามสกุล", + "header-logo-title": "ย้อนกลับไปที่หน้าบอร์ดของคุณ", + "hide-system-messages": "ซ่อนข้อความของระบบ", + "headerBarCreateBoardPopup-title": "สร้างบอร์ด", + "home": "หน้าหลัก", + "import": "นำเข้า", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "นำเข้าบอร์ดจาก Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "ใน Trello ของคุณให้ไปที่ 'Menu' และไปที่ More -> Print and Export -> Export JSON และคัดลอกข้อความจากนั้น", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "วางข้อมูล JSON ที่ถูกต้องของคุณที่นี่", + "import-map-members": "แผนที่สมาชิก", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review การทำแผนที่สมาชิก", + "import-user-select": "เลือกผู้ใช้ Wekan ที่คุณต้องการใช้เป็นเหมือนสมาชิกนี้", + "importMapMembersAddPopup-title": "เลือกสมาชิก", + "info": "Version", + "initials": "ชื่อย่อ", + "invalid-date": "วันที่ไม่ถูกต้อง", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "เข้าร่วม", + "just-invited": "คุณพึ่งได้รับเชิญบอร์ดนี้", + "keyboard-shortcuts": "แป้นพิมพ์ลัด", + "label-create": "สร้างป้ายกำกับ", + "label-default": "ป้าย %s (ค่าเริ่มต้น)", + "label-delete-pop": "ไม่มีการยกเลิกการทำนี้ ลบป้ายกำกับนี้จากทุกการ์ดและล้างประวัติทิ้ง", + "labels": "ป้ายกำกับ", + "language": "ภาษา", + "last-admin-desc": "คุณไม่สามารถเปลี่ยนบทบาทเพราะต้องมีผู้ดูแลระบบหนึ่งคนเป็นอย่างน้อย", + "leave-board": "ทิ้งบอร์ด", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "เชื่อมโยงไปยังการ์ดใบนี้", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "ย้ายการ์ดทั้งหมดในรายการนี้", + "list-select-cards": "เลือกการ์ดทั้งหมดในรายการนี้", + "listActionPopup-title": "รายการการดำเนิน", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "นำเข้าการ์ด Trello", + "listMorePopup-title": "เพิ่มเติม", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "รายการ", + "swimlanes": "Swimlanes", + "log-out": "ออกจากระบบ", + "log-in": "เข้าสู่ระบบ", + "loginPopup-title": "เข้าสู่ระบบ", + "memberMenuPopup-title": "การตั้งค่า", + "members": "สมาชิก", + "menu": "เมนู", + "move-selection": "ย้ายตัวเลือก", + "moveCardPopup-title": "ย้ายการ์ด", + "moveCardToBottom-title": "ย้ายไปล่าง", + "moveCardToTop-title": "ย้ายไปบน", + "moveSelectionPopup-title": "เลือกย้าย", + "multi-selection": "เลือกหลายรายการ", + "multi-selection-on": "เลือกหลายรายการเมื่อ", + "muted": "ไม่ออกเสียง", + "muted-info": "คุณจะไม่ได้รับแจ้งการเปลี่ยนแปลงใด ๆ ในบอร์ดนี้", + "my-boards": "บอร์ดของฉัน", + "name": "ชื่อ", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "ไม่มีข้อมูล", + "normal": "ธรรมดา", + "normal-desc": "สามารถดูและแก้ไขการ์ดได้ แต่ไม่สามารถเปลี่ยนการตั้งค่าได้", + "not-accepted-yet": "ยังไม่ยอมรับคำเชิญ", + "notify-participate": "ได้รับการแจ้งปรับปรุงการ์ดอื่น ๆ ที่คุณมีส่วนร่วมในฐานะผู้สร้างหรือสมาชิก", + "notify-watch": "ได้รับการแจ้งปรับปรุงบอร์ด รายการหรือการ์ดที่คุณเฝ้าติดตาม", + "optional": "ไม่จำเป็น", + "or": "หรือ", + "page-maybe-private": "หน้านี้อาจจะเป็นส่วนตัว. คุณอาจจะสามารถดูจาก logging in.", + "page-not-found": "ไม่พบหน้า", + "password": "รหัสผ่าน", + "paste-or-dragdrop": "วาง หรือลากและวาง ไฟล์ภาพ(ภาพเท่านั้น)", + "participating": "Participating", + "preview": "ภาพตัวอย่าง", + "previewAttachedImagePopup-title": "ตัวอย่าง", + "previewClipboardImagePopup-title": "ตัวอย่าง", + "private": "ส่วนตัว", + "private-desc": "บอร์ดนี้เป็นส่วนตัว. คนที่ถูกเพิ่มเข้าในบอร์ดเท่านั้นที่สามารถดูและแก้ไขได้", + "profile": "โปรไฟล์", + "public": "สาธารณะ", + "public-desc": "บอร์ดนี้เป็นสาธารณะ. ทุกคนสามารถเข้าถึงได้ผ่าน url นี้ แต่สามารถแก้ไขได้เฉพาะผู้ที่ถูกเพิ่มเข้าไปในการ์ดเท่านั้น", + "quick-access-description": "เพิ่มไว้ในนี้เพื่อเป็นทางลัด", + "remove-cover": "ลบหน้าปก", + "remove-from-board": "ลบจากบอร์ด", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "ลบสมาชิก", + "remove-member-from-card": "ลบจากการ์ด", + "remove-member-pop": "ลบ __name__ (__username__) จาก __boardTitle__ หรือไม่ สมาชิกจะถูกลบออกจากการ์ดทั้งหมดบนบอร์ดนี้ และพวกเขาจะได้รับการแจ้งเตือน", + "removeMemberPopup-title": "ลบสมาชิกหรือไม่", + "rename": "ตั้งชื่อใหม่", + "rename-board": "ตั้งชื่อบอร์ดใหม่", + "restore": "กู้คืน", + "save": "บันทึก", + "search": "ค้นหา", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "กำหนดตัวเองให้การ์ดนี้", + "shortcut-autocomplete-emoji": "เติม emoji อัตโนมัติ", + "shortcut-autocomplete-members": "เติมสมาชิกอัตโนมัติ", + "shortcut-clear-filters": "ล้างตัวกรองทั้งหมด", + "shortcut-close-dialog": "ปิดหน้าต่าง", + "shortcut-filter-my-cards": "กรองการ์ดฉัน", + "shortcut-show-shortcuts": "นำรายการทางลัดนี้ขึ้น", + "shortcut-toggle-filterbar": "สลับแถบกรองสไลด์ด้้านข้าง", + "shortcut-toggle-sidebar": "สลับโชว์แถบด้านข้าง", + "show-cards-minimum-count": "แสดงจำนวนของการ์ดถ้ารายการมีมากกว่า(เลื่อนกำหนดตัวเลข)", + "sidebar-open": "เปิดแถบเลื่อน", + "sidebar-close": "ปิดแถบเลื่อน", + "signupPopup-title": "สร้างบัญชี", + "star-board-title": "คลิกติดดาวบอร์ดนี้ มันจะแสดงอยู่บนสุดของรายการบอร์ดของคุณ", + "starred-boards": "ติดดาวบอร์ด", + "starred-boards-description": "ติดดาวบอร์ดและแสดงไว้บนสุดของรายการบอร์ด", + "subscribe": "บอกรับสมาชิก", + "team": "ทีม", + "this-board": "บอร์ดนี้", + "this-card": "การ์ดนี้", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "เวลา", + "title": "หัวข้อ", + "tracking": "ติดตาม", + "tracking-info": "คุณจะได้รับแจ้งการเปลี่ยนแปลงใด ๆ กับการ์ดที่คุณมีส่วนร่วมในฐานะผู้สร้างหรือสมาชิก", + "type": "Type", + "unassign-member": "ยกเลิกสมาชิก", + "unsaved-description": "คุณมีคำอธิบายที่ไม่ได้บันทึก", + "unwatch": "เลิกเฝ้าดู", + "upload": "อัพโหลด", + "upload-avatar": "อัพโหลดรูปภาพ", + "uploaded-avatar": "ภาพอัพโหลดแล้ว", + "username": "ชื่อผู้ใช้งาน", + "view-it": "ดู", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "เฝ้าดู", + "watching": "เฝ้าดู", + "watching-info": "คุณจะได้รับแจ้งหากมีการเปลี่ยนแปลงใด ๆ ในบอร์ดนี้", + "welcome-board": "ยินดีต้อนรับสู่บอร์ด", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "พื้นฐาน", + "welcome-list2": "ก้าวหน้า", + "what-to-do": "ต้องการทำอะไร", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "ชื่อผู้ใช้งาน", + "smtp-password": "รหัสผ่าน", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ ส่งคำเชิญให้คุณ", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json new file mode 100644 index 00000000..29d8006d --- /dev/null +++ b/i18n/tr.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Kabul Et", + "act-activity-notify": "[Wekan] Etkinlik Bildirimi", + "act-addAttachment": "__card__ kartına __attachment__ dosyasını ekledi", + "act-addChecklist": "__card__ kartında __checklist__ yapılacak listesini ekledi", + "act-addChecklistItem": "__checklistItem__ öğesini __card__ kartındaki __checklist__ yapılacak listesine ekledi", + "act-addComment": "__card__ kartına bir yorum bıraktı: __comment__", + "act-createBoard": "__board__ panosunu oluşturdu", + "act-createCard": "__card__ kartını ___list__ listesine ekledi", + "act-createCustomField": "__customField__ adlı özel alan yaratıldı", + "act-createList": "__list__ listesini __board__ panosuna ekledi", + "act-addBoardMember": "__member__ kullanıcısını __board__ panosuna ekledi", + "act-archivedBoard": "__board__ Geri Dönüşüm Kutusu'na taşındı", + "act-archivedCard": "__card__ Geri Dönüşüm Kutusu'na taşındı", + "act-archivedList": "__list__ Geri Dönüşüm Kutusu'na taşındı", + "act-archivedSwimlane": "__swimlane__ Geri Dönüşüm Kutusu'na taşındı", + "act-importBoard": "__board__ panosunu içe aktardı", + "act-importCard": "__card__ kartını içe aktardı", + "act-importList": "__list__ listesini içe aktardı", + "act-joinMember": "__member__ kullanıcısnı __card__ kartına ekledi", + "act-moveCard": "__card__ kartını __oldList__ listesinden __list__ listesine taşıdı", + "act-removeBoardMember": "__board__ panosundan __member__ kullanıcısını çıkarttı", + "act-restoredCard": "__card__ kartını __board__ panosuna geri getirdi", + "act-unjoinMember": "__member__ kullanıcısnı __card__ kartından çıkarttı", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "İşlemler", + "activities": "Etkinlikler", + "activity": "Etkinlik", + "activity-added": "%s içine %s ekledi", + "activity-archived": "%s Geri Dönüşüm Kutusu'na taşındı", + "activity-attached": "%s içine %s ekledi", + "activity-created": "%s öğesini oluşturdu", + "activity-customfield-created": "%s adlı özel alan yaratıldı", + "activity-excluded": "%s içinden %s çıkarttı", + "activity-imported": "%s kaynağından %s öğesini %s öğesinin içine taşıdı ", + "activity-imported-board": "%s i %s içinden aktardı", + "activity-joined": "şuna katıldı: %s", + "activity-moved": "%s i %s içinden %s içine taşıdı", + "activity-on": "%s", + "activity-removed": "%s i %s ten kaldırdı", + "activity-sent": "%s i %s e gönderdi", + "activity-unjoined": "%s içinden ayrıldı", + "activity-checklist-added": "%s içine yapılacak listesi ekledi", + "activity-checklist-item-added": "%s içinde %s yapılacak listesine öğe ekledi", + "add": "Ekle", + "add-attachment": "Ek Ekle", + "add-board": "Pano Ekle", + "add-card": "Kart Ekle", + "add-swimlane": "Kulvar Ekle", + "add-checklist": "Yapılacak Listesi Ekle", + "add-checklist-item": "Yapılacak listesine yeni bir öğe ekle", + "add-cover": "Kapak resmi ekle", + "add-label": "Etiket Ekle", + "add-list": "Liste Ekle", + "add-members": "Üye ekle", + "added": "Eklendi", + "addMemberPopup-title": "Üyeler", + "admin": "Yönetici", + "admin-desc": "Kartları görüntüleyebilir ve düzenleyebilir, üyeleri çıkarabilir ve pano ayarlarını değiştirebilir.", + "admin-announcement": "Duyuru", + "admin-announcement-active": "Tüm Sistemde Etkin Duyuru", + "admin-announcement-title": "Yöneticiden Duyuru", + "all-boards": "Tüm panolar", + "and-n-other-card": "Ve __count__ diğer kart", + "and-n-other-card_plural": "Ve __count__ diğer kart", + "apply": "Uygula", + "app-is-offline": "Wekan yükleniyor, lütfen bekleyin. Sayfayı yenilemek veri kaybına sebep olabilir. Eğer Wekan yüklenmezse, lütfen Wekan sunucusunun çalıştığından emin olun.", + "archive": "Geri Dönüşüm Kutusu'na taşı", + "archive-all": "Tümünü Geri Dönüşüm Kutusu'na taşı", + "archive-board": "Panoyu Geri Dönüşüm Kutusu'na taşı", + "archive-card": "Kartı Geri Dönüşüm Kutusu'na taşı", + "archive-list": "Listeyi Geri Dönüşüm Kutusu'na taşı", + "archive-swimlane": "Kulvarı Geri Dönüşüm Kutusu'na taşı", + "archive-selection": "Seçimi Geri Dönüşüm Kutusu'na taşı", + "archiveBoardPopup-title": "Panoyu Geri Dönüşüm Kutusu'na taşı", + "archived-items": "Geri Dönüşüm Kutusu", + "archived-boards": "Geri Dönüşüm Kutusu'ndaki panolar", + "restore-board": "Panoyu Geri Getir", + "no-archived-boards": "Geri Dönüşüm Kutusu'nda pano yok.", + "archives": "Geri Dönüşüm Kutusu", + "assign-member": "Üye ata", + "attached": "dosya(sı) eklendi", + "attachment": "Ek Dosya", + "attachment-delete-pop": "Ek silme işlemi kalıcıdır ve geri alınamaz.", + "attachmentDeletePopup-title": "Ek Silinsin mi?", + "attachments": "Ekler", + "auto-watch": "Oluşan yeni panoları kendiliğinden izlemeye al", + "avatar-too-big": "Avatar boyutu çok büyük (En fazla 70KB olabilir)", + "back": "Geri", + "board-change-color": "Renk değiştir", + "board-nb-stars": "%s yıldız", + "board-not-found": "Pano bulunamadı", + "board-private-info": "Bu pano gizli olacak.", + "board-public-info": "Bu pano genele açılacaktır.", + "boardChangeColorPopup-title": "Pano arkaplan rengini değiştir", + "boardChangeTitlePopup-title": "Panonun Adını Değiştir", + "boardChangeVisibilityPopup-title": "Görünebilirliği Değiştir", + "boardChangeWatchPopup-title": "İzleme Durumunu Değiştir", + "boardMenuPopup-title": "Pano menüsü", + "boards": "Panolar", + "board-view": "Pano Görünümü", + "board-view-swimlanes": "Kulvarlar", + "board-view-lists": "Listeler", + "bucket-example": "Örn: \"Marketten Alacaklarım\"", + "cancel": "İptal", + "card-archived": "Bu kart Geri Dönüşüm Kutusu'na taşındı", + "card-comments-title": "Bu kartta %s yorum var.", + "card-delete-notice": "Silme işlemi kalıcıdır. Bu kartla ilişkili tüm eylemleri kaybedersiniz.", + "card-delete-pop": "Son hareketler alanındaki tüm veriler silinecek, ayrıca bu kartı yeniden açamayacaksın. Bu işlemin geri dönüşü yok.", + "card-delete-suggest-archive": "Kartları Geri Dönüşüm Kutusu'na taşıyarak panodan kaldırabilir ve içindeki aktiviteleri saklayabilirsiniz.", + "card-due": "Bitiş", + "card-due-on": "Bitiş tarihi:", + "card-spent": "Harcanan Zaman", + "card-edit-attachments": "Ek dosyasını düzenle", + "card-edit-custom-fields": "Özel alanları düzenle", + "card-edit-labels": "Etiketleri düzenle", + "card-edit-members": "Üyeleri düzenle", + "card-labels-title": "Bu kart için etiketleri düzenle", + "card-members-title": "Karta pano içindeki üyeleri ekler veya çıkartır.", + "card-start": "Başlama", + "card-start-on": "Başlama tarihi:", + "cardAttachmentsPopup-title": "Eklenme", + "cardCustomField-datePopup-title": "Tarihi değiştir", + "cardCustomFieldsPopup-title": "Özel alanları düzenle", + "cardDeletePopup-title": "Kart Silinsin mi?", + "cardDetailsActionsPopup-title": "Kart işlemleri", + "cardLabelsPopup-title": "Etiketler", + "cardMembersPopup-title": "Üyeler", + "cardMorePopup-title": "Daha", + "cards": "Kartlar", + "cards-count": "Kartlar", + "change": "Değiştir", + "change-avatar": "Avatar Değiştir", + "change-password": "Parola Değiştir", + "change-permissions": "İzinleri değiştir", + "change-settings": "Ayarları değiştir", + "changeAvatarPopup-title": "Avatar Değiştir", + "changeLanguagePopup-title": "Dil Değiştir", + "changePasswordPopup-title": "Parola Değiştir", + "changePermissionsPopup-title": "Yetkileri Değiştirme", + "changeSettingsPopup-title": "Ayarları değiştir", + "checklists": "Yapılacak Listeleri", + "click-to-star": "Bu panoyu yıldızlamak için tıkla.", + "click-to-unstar": "Bu panunun yıldızını kaldırmak için tıkla.", + "clipboard": "Yapıştır veya sürükleyip bırak", + "close": "Kapat", + "close-board": "Panoyu kapat", + "close-board-pop": "Silinen panoyu geri getirmek için menüden \"Geri Dönüşüm Kutusu\"'na tıklayabilirsiniz.", + "color-black": "siyah", + "color-blue": "mavi", + "color-green": "yeşil", + "color-lime": "misket limonu", + "color-orange": "turuncu", + "color-pink": "pembe", + "color-purple": "mor", + "color-red": "kırmızı", + "color-sky": "açık mavi", + "color-yellow": "sarı", + "comment": "Yorum", + "comment-placeholder": "Yorum Yaz", + "comment-only": "Sadece yorum", + "comment-only-desc": "Sadece kartlara yorum yazabilir.", + "computer": "Bilgisayar", + "confirm-checklist-delete-dialog": "Yapılacak listesini silmek istediğinize emin misiniz", + "copy-card-link-to-clipboard": "Kartın linkini kopyala", + "copyCardPopup-title": "Kartı Kopyala", + "copyChecklistToManyCardsPopup-title": "Yapılacaklar Listesi şemasını birden çok karta kopyala", + "copyChecklistToManyCardsPopup-instructions": "Hedef Kart Başlıkları ve Açıklamaları bu JSON formatında", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"İlk kart başlığı\", \"description\":\"İlk kart açıklaması\"}, {\"title\":\"İkinci kart başlığı\",\"description\":\"İkinci kart açıklaması\"},{\"title\":\"Son kart başlığı\",\"description\":\"Son kart açıklaması\"} ]", + "create": "Oluştur", + "createBoardPopup-title": "Pano Oluşturma", + "chooseBoardSourcePopup-title": "Panoyu içe aktar", + "createLabelPopup-title": "Etiket Oluşturma", + "createCustomField": "Alanı yarat", + "createCustomFieldPopup-title": "Alanı yarat", + "current": "mevcut", + "custom-field-delete-pop": "Bunun geri dönüşü yoktur. Bu özel alan tüm kartlardan kaldırılıp tarihçesi yokedilecektir.", + "custom-field-checkbox": "İşaret kutusu", + "custom-field-date": "Tarih", + "custom-field-dropdown": "Açılır liste", + "custom-field-dropdown-none": "(hiçbiri)", + "custom-field-dropdown-options": "Liste seçenekleri", + "custom-field-dropdown-options-placeholder": "Başka seçenekler eklemek için giriş tuşuna basınız", + "custom-field-dropdown-unknown": "(bilinmeyen)", + "custom-field-number": "Sayı", + "custom-field-text": "Metin", + "custom-fields": "Özel alanlar", + "date": "Tarih", + "decline": "Reddet", + "default-avatar": "Varsayılan avatar", + "delete": "Sil", + "deleteCustomFieldPopup-title": "Özel alan silinsin mi?", + "deleteLabelPopup-title": "Etiket Silinsin mi?", + "description": "Açıklama", + "disambiguateMultiLabelPopup-title": "Etiket işlemini izah et", + "disambiguateMultiMemberPopup-title": "Üye işlemini izah et", + "discard": "At", + "done": "Tamam", + "download": "İndir", + "edit": "Düzenle", + "edit-avatar": "Avatar Değiştir", + "edit-profile": "Profili Düzenle", + "edit-wip-limit": "Devam Eden İş Sınırını Düzenle", + "soft-wip-limit": "Zayıf Devam Eden İş Sınırı", + "editCardStartDatePopup-title": "Başlangıç tarihini değiştir", + "editCardDueDatePopup-title": "Bitiş tarihini değiştir", + "editCustomFieldPopup-title": "Alanı düzenle", + "editCardSpentTimePopup-title": "Harcanan zamanı değiştir", + "editLabelPopup-title": "Etiket Değiştir", + "editNotificationPopup-title": "Bildirimi değiştir", + "editProfilePopup-title": "Profili Düzenle", + "email": "E-posta", + "email-enrollAccount-subject": "Hesabınız __siteName__ üzerinde oluşturuldu", + "email-enrollAccount-text": "Merhaba __user__,\n\nBu servisi kullanmaya başlamak için aşağıdaki linke tıklamalısın:\n\n__url__\n\nTeşekkürler.", + "email-fail": "E-posta gönderimi başarısız", + "email-fail-text": "E-Posta gönderilme çalışırken hata oluştu", + "email-invalid": "Geçersiz e-posta", + "email-invite": "E-posta ile davet et", + "email-invite-subject": "__inviter__ size bir davetiye gönderdi", + "email-invite-text": "Sevgili __user__,\n\n__inviter__ seni birlikte çalışmak için \"__board__\" panosuna davet ediyor.\n\nLütfen aşağıdaki linke tıkla:\n\n__url__\n\nTeşekkürler.", + "email-resetPassword-subject": "__siteName__ üzerinde parolanı sıfırla", + "email-resetPassword-text": "Merhaba __user__,\n\nParolanı sıfırlaman için aşağıdaki linke tıklaman yeterli.\n\n__url__\n\nTeşekkürler.", + "email-sent": "E-posta gönderildi", + "email-verifyEmail-subject": "__siteName__ üzerindeki e-posta adresini doğrulama", + "email-verifyEmail-text": "Merhaba __user__,\n\nHesap e-posta adresini doğrulamak için aşağıdaki linke tıklaman yeterli.\n\n__url__\n\nTeşekkürler.", + "enable-wip-limit": "Devam Eden İş Sınırını Aç", + "error-board-doesNotExist": "Pano bulunamadı", + "error-board-notAdmin": "Bu işlemi yapmak için pano yöneticisi olmalısın.", + "error-board-notAMember": "Bu işlemi yapmak için panoya üye olmalısın.", + "error-json-malformed": "Girilen metin geçerli bir JSON formatında değil", + "error-json-schema": "Girdiğin JSON metni tüm bilgileri doğru biçimde barındırmıyor", + "error-list-doesNotExist": "Liste bulunamadı", + "error-user-doesNotExist": "Kullanıcı bulunamadı", + "error-user-notAllowSelf": "Kendi kendini davet edemezsin", + "error-user-notCreated": "Bu üye oluşturulmadı", + "error-username-taken": "Kullanıcı adı zaten alınmış", + "error-email-taken": "Bu e-posta adresi daha önceden alınmış", + "export-board": "Panoyu dışarı aktar", + "filter": "Filtre", + "filter-cards": "Kartları Filtrele", + "filter-clear": "Filtreyi temizle", + "filter-no-label": "Etiket yok", + "filter-no-member": "Üye yok", + "filter-no-custom-fields": "Hiç özel alan yok", + "filter-on": "Filtre aktif", + "filter-on-desc": "Bu panodaki kartları filtreliyorsunuz. Fitreyi düzenlemek için tıklayın.", + "filter-to-selection": "Seçime göre filtreleme yap", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Ad Soyad", + "header-logo-title": "Panolar sayfanıza geri dön.", + "hide-system-messages": "Sistem mesajlarını gizle", + "headerBarCreateBoardPopup-title": "Pano Oluşturma", + "home": "Ana Sayfa", + "import": "İçeri aktar", + "import-board": "panoyu içe aktar", + "import-board-c": "Panoyu içe aktar", + "import-board-title-trello": "Trello'dan panoyu içeri aktar", + "import-board-title-wekan": "Wekan'dan panoyu içe aktar", + "import-sandstorm-warning": "İçe aktarılan pano şu anki panonun verilerinin üzerine yazılacak ve var olan veriler silinecek.", + "from-trello": "Trello'dan", + "from-wekan": "Wekan'dan", + "import-board-instruction-trello": "Trello panonuzda 'Menü'ye gidip 'Daha fazlası'na tıklayın, ardından 'Yazdır ve Çıktı Al'ı seçip 'JSON biçiminde çıktı al' diyerek çıkan metni buraya kopyalayın.", + "import-board-instruction-wekan": "Wekan panonuzda önce Menü'yü, ardından \"Panoyu dışa aktar\"ı seçip bilgisayarınıza indirilen dosyanın içindeki metni kopyalayın.", + "import-json-placeholder": "Geçerli JSON verisini buraya yapıştırın", + "import-map-members": "Üyeleri eşleştirme", + "import-members-map": "İçe aktardığın panoda bazı kullanıcılar var. Lütfen bu kullanıcıları Wekan panosundaki kullanıcılarla eşleştirin.", + "import-show-user-mapping": "Üye eşleştirmesini kontrol et", + "import-user-select": "Bu üyenin sistemdeki hangi kullanıcı olduğunu seçin", + "importMapMembersAddPopup-title": "Üye seç", + "info": "Sürüm", + "initials": "İlk Harfleri", + "invalid-date": "Geçersiz tarih", + "invalid-time": "Geçersiz zaman", + "invalid-user": "Geçersiz kullanıcı", + "joined": "katıldı", + "just-invited": "Bu panoya şimdi davet edildin.", + "keyboard-shortcuts": "Klavye kısayolları", + "label-create": "Etiket Oluşturma", + "label-default": "%s etiket (varsayılan)", + "label-delete-pop": "Bu işlem geri alınamaz. Bu etiket tüm kartlardan kaldırılacaktır ve geçmişi yok edecektir.", + "labels": "Etiketler", + "language": "Dil", + "last-admin-desc": "En az bir yönetici olması gerektiğinden rolleri değiştiremezsiniz.", + "leave-board": "Panodan ayrıl", + "leave-board-pop": "__boardTitle__ panosundan ayrılmak istediğinize emin misiniz? Panodaki tüm kartlardan kaldırılacaksınız.", + "leaveBoardPopup-title": "Panodan ayrılmak istediğinize emin misiniz?", + "link-card": "Bu kartın bağlantısı", + "list-archive-cards": "Listedeki tüm kartları Geri Dönüşüm Kutusu'na gönder", + "list-archive-cards-pop": "Bu işlem listedeki tüm kartları kaldıracak. Silinmiş kartları görüntülemek ve geri yüklemek için menüden Geri Dönüşüm Kutusu'na tıklayabilirsiniz.", + "list-move-cards": "Listedeki tüm kartları taşı", + "list-select-cards": "Listedeki tüm kartları seç", + "listActionPopup-title": "Liste İşlemleri", + "swimlaneActionPopup-title": "Kulvar İşlemleri", + "listImportCardPopup-title": "Bir Trello kartını içeri aktar", + "listMorePopup-title": "Daha", + "link-list": "Listeye doğrudan bağlantı", + "list-delete-pop": "Etkinlik akışınızdaki tüm eylemler geri kurtarılamaz şekilde kaldırılacak. Bu işlem geri alınamaz.", + "list-delete-suggest-archive": "Bir listeyi Dönüşüm Kutusuna atarak panodan kaldırabilir, ancak eylemleri koruyarak saklayabilirsiniz. ", + "lists": "Listeler", + "swimlanes": "Kulvarlar", + "log-out": "Oturum Kapat", + "log-in": "Oturum Aç", + "loginPopup-title": "Oturum Aç", + "memberMenuPopup-title": "Üye Ayarları", + "members": "Üyeler", + "menu": "Menü", + "move-selection": "Seçimi taşı", + "moveCardPopup-title": "Kartı taşı", + "moveCardToBottom-title": "Aşağı taşı", + "moveCardToTop-title": "Yukarı taşı", + "moveSelectionPopup-title": "Seçimi taşı", + "multi-selection": "Çoklu seçim", + "multi-selection-on": "Çoklu seçim açık", + "muted": "Sessiz", + "muted-info": "Bu panodaki hiçbir değişiklik hakkında bildirim almayacaksınız", + "my-boards": "Panolarım", + "name": "Adı", + "no-archived-cards": "Dönüşüm Kutusunda hiç kart yok.", + "no-archived-lists": "Dönüşüm Kutusunda hiç liste yok.", + "no-archived-swimlanes": "Dönüşüm Kutusunda hiç kulvar yok.", + "no-results": "Sonuç yok", + "normal": "Normal", + "normal-desc": "Kartları görüntüleyebilir ve düzenleyebilir. Ayarları değiştiremez.", + "not-accepted-yet": "Davet henüz kabul edilmemiş", + "notify-participate": "Oluşturduğunuz veya üye olduğunuz tüm kartlar hakkında bildirim al", + "notify-watch": "Takip ettiğiniz tüm pano, liste ve kartlar hakkında bildirim al", + "optional": "isteğe bağlı", + "or": "veya", + "page-maybe-private": "Bu sayfa gizli olabilir. Oturum açarak görmeyi deneyin.", + "page-not-found": "Sayda bulunamadı.", + "password": "Parola", + "paste-or-dragdrop": "Dosya eklemek için yapıştırabilir, veya (eğer resimse) sürükle bırak yapabilirsiniz", + "participating": "Katılımcılar", + "preview": "Önizleme", + "previewAttachedImagePopup-title": "Önizleme", + "previewClipboardImagePopup-title": "Önizleme", + "private": "Gizli", + "private-desc": "Bu pano gizli. Sadece panoya ekli kişiler görüntüleyebilir ve düzenleyebilir.", + "profile": "Kullanıcı Sayfası", + "public": "Genel", + "public-desc": "Bu pano genel. Bağlantı adresi ile herhangi bir kimseye görünür ve Google gibi arama motorlarında gösterilecektir. Panoyu, sadece eklenen kişiler düzenleyebilir.", + "quick-access-description": "Bu bara kısayol olarak bir pano eklemek için panoyu yıldızlamalısınız", + "remove-cover": "Kapak Resmini Kaldır", + "remove-from-board": "Panodan Kaldır", + "remove-label": "Etiketi Kaldır", + "listDeletePopup-title": "Liste silinsin mi?", + "remove-member": "Üyeyi Çıkar", + "remove-member-from-card": "Karttan Çıkar", + "remove-member-pop": "__boardTitle__ panosundan __name__ (__username__) çıkarılsın mı? Üye, bu panodaki tüm kartlardan çıkarılacak. Panodan çıkarıldığı üyeye bildirilecektir.", + "removeMemberPopup-title": "Üye çıkarılsın mı?", + "rename": "Yeniden adlandır", + "rename-board": "Panonun Adını Değiştir", + "restore": "Geri Getir", + "save": "Kaydet", + "search": "Arama", + "search-cards": "Bu tahta da ki kart başlıkları ve açıklamalarında arama yap", + "search-example": "Aranılacak metin?", + "select-color": "Renk Seç", + "set-wip-limit-value": "Bu listedeki en fazla öğe sayısı için bir sınır belirleyin", + "setWipLimitPopup-title": "Devam Eden İş Sınırı Belirle", + "shortcut-assign-self": "Kendini karta ata", + "shortcut-autocomplete-emoji": "Emojileri otomatik tamamla", + "shortcut-autocomplete-members": "Üye isimlerini otomatik tamamla", + "shortcut-clear-filters": "Tüm filtreleri temizle", + "shortcut-close-dialog": "Diyaloğu kapat", + "shortcut-filter-my-cards": "Kartlarımı filtrele", + "shortcut-show-shortcuts": "Kısayollar listesini getir", + "shortcut-toggle-filterbar": "Filtre kenar çubuğunu aç/kapa", + "shortcut-toggle-sidebar": "Pano kenar çubuğunu aç/kapa", + "show-cards-minimum-count": "Eğer listede şu sayıdan fazla öğe varsa kart sayısını göster: ", + "sidebar-open": "Kenar Çubuğunu Aç", + "sidebar-close": "Kenar Çubuğunu Kapat", + "signupPopup-title": "Bir Hesap Oluştur", + "star-board-title": "Bu panoyu yıldızlamak için tıkla. Yıldızlı panolar pano listesinin en üstünde gösterilir.", + "starred-boards": "Yıldızlı Panolar", + "starred-boards-description": "Yıldızlanmış panolar, pano listesinin en üstünde gösterilir.", + "subscribe": "Abone ol", + "team": "Takım", + "this-board": "bu panoyu", + "this-card": "bu kart", + "spent-time-hours": "Harcanan zaman (saat)", + "overtime-hours": "Aşılan süre (saat)", + "overtime": "Aşılan süre", + "has-overtime-cards": "Süresi aşılmış kartlar", + "has-spenttime-cards": "Zaman geçirilmiş kartlar", + "time": "Zaman", + "title": "Başlık", + "tracking": "Takip", + "tracking-info": "Oluşturduğunuz veya üyesi olduğunuz tüm kartlardaki değişiklikler size bildirim olarak gelecek.", + "type": "Tür", + "unassign-member": "Üyeye atamayı kaldır", + "unsaved-description": "Kaydedilmemiş bir açıklama metnin bulunmakta", + "unwatch": "Takibi bırak", + "upload": "Yükle", + "upload-avatar": "Avatar yükle", + "uploaded-avatar": "Avatar yüklendi", + "username": "Kullanıcı adı", + "view-it": "Görüntüle", + "warn-list-archived": "uyarı: bu kart Dönüşüm Kutusundaki bir listede var", + "watch": "Takip Et", + "watching": "Takip Ediliyor", + "watching-info": "Bu pano hakkındaki tüm değişiklikler hakkında bildirim alacaksınız", + "welcome-board": "Hoş Geldiniz Panosu", + "welcome-swimlane": "Kilometre taşı", + "welcome-list1": "Temel", + "welcome-list2": "Gelişmiş", + "what-to-do": "Ne yapmak istiyorsunuz?", + "wipLimitErrorPopup-title": "Geçersiz Devam Eden İş Sınırı", + "wipLimitErrorPopup-dialog-pt1": "Bu listedeki iş sayısı belirlediğiniz sınırdan daha fazla.", + "wipLimitErrorPopup-dialog-pt2": "Lütfen bazı işleri bu listeden başka listeye taşıyın ya da devam eden iş sınırını yükseltin.", + "admin-panel": "Yönetici Paneli", + "settings": "Ayarlar", + "people": "Kullanıcılar", + "registration": "Kayıt", + "disable-self-registration": "Ziyaretçilere kaydı kapa", + "invite": "Davet", + "invite-people": "Kullanıcı davet et", + "to-boards": "Şu pano(lar)a", + "email-addresses": "E-posta adresleri", + "smtp-host-description": "E-posta gönderimi yapan SMTP sunucu adresi", + "smtp-port-description": "E-posta gönderimi yapan SMTP sunucu portu", + "smtp-tls-description": "SMTP mail sunucusu için TLS kriptolama desteği açılsın", + "smtp-host": "SMTP sunucu adresi", + "smtp-port": "SMTP portu", + "smtp-username": "Kullanıcı adı", + "smtp-password": "Parola", + "smtp-tls": "TLS desteği", + "send-from": "Gönderen", + "send-smtp-test": "Kendinize deneme E-Postası gönderin", + "invitation-code": "Davetiye kodu", + "email-invite-register-subject": "__inviter__ size bir davetiye gönderdi", + "email-invite-register-text": "Sevgili __user__,\n\n__inviter__ sizi beraber çalışabilmek için Wekan'a davet etti.\n\nLütfen aşağıdaki linke tıklayın:\n__url__\n\nDavetiye kodunuz: __icode__\n\nTeşekkürler.", + "email-smtp-test-subject": "Wekan' dan SMTP E-Postası", + "email-smtp-test-text": "E-Posta başarıyla gönderildi", + "error-invitation-code-not-exist": "Davetiye kodu bulunamadı", + "error-notAuthorized": "Bu sayfayı görmek için yetkiniz yok.", + "outgoing-webhooks": "Dışarı giden bağlantılar", + "outgoingWebhooksPopup-title": "Dışarı giden bağlantılar", + "new-outgoing-webhook": "Yeni Dışarı Giden Web Bağlantısı", + "no-name": "(Bilinmeyen)", + "Wekan_version": "Wekan sürümü", + "Node_version": "Node sürümü", + "OS_Arch": "İşletim Sistemi Mimarisi", + "OS_Cpus": "İşletim Sistemi İşlemci Sayısı", + "OS_Freemem": "İşletim Sistemi Kullanılmayan Bellek", + "OS_Loadavg": "İşletim Sistemi Ortalama Yük", + "OS_Platform": "İşletim Sistemi Platformu", + "OS_Release": "İşletim Sistemi Sürümü", + "OS_Totalmem": "İşletim Sistemi Toplam Belleği", + "OS_Type": "İşletim Sistemi Tipi", + "OS_Uptime": "İşletim Sistemi Toplam Açık Kalınan Süre", + "hours": "saat", + "minutes": "dakika", + "seconds": "saniye", + "show-field-on-card": "Bu alanı kartta göster", + "yes": "Evet", + "no": "Hayır", + "accounts": "Hesaplar", + "accounts-allowEmailChange": "E-posta Değiştirmeye İzin Ver", + "accounts-allowUserNameChange": "Kullanıcı adı değiştirmeye izin ver", + "createdAt": "Oluşturulma tarihi", + "verified": "Doğrulanmış", + "active": "Aktif", + "card-received": "Giriş", + "card-received-on": "Giriş zamanı", + "card-end": "Bitiş", + "card-end-on": "Bitiş zamanı", + "editCardReceivedDatePopup-title": "Giriş tarihini değiştir", + "editCardEndDatePopup-title": "Bitiş tarihini değiştir", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json new file mode 100644 index 00000000..b0c88c4a --- /dev/null +++ b/i18n/uk.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Прийняти", + "act-activity-notify": "[Wekan] Сповіщення Діяльності", + "act-addAttachment": "__attachment__ додане до __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "комментар в __card__: __comment__", + "act-createBoard": "__board__ створенна", + "act-createCard": "__card__ карта додана до __list__ листа", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "__card__ заімпортована", + "act-importList": "imported __list__", + "act-joinMember": "__member__ був доданий до __card__", + "act-moveCard": " __card__ була перенесена з __oldList__ до __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": " __card__ відновлена у __board__", + "act-unjoinMember": " __member__ був виделений з __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Дії", + "activities": "Діяльність", + "activity": "Активність", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Додати", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Додати елемент в список", + "add-cover": "Додати обкладинку", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Додати користувача", + "added": "Доданно", + "addMemberPopup-title": "Користувачі", + "admin": "Адмін", + "admin-desc": "Може переглядати і редагувати картки, відаляти учасників та змінювати налаштування для дошки.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "Всі дошки", + "and-n-other-card": "та __count__ інших карток", + "and-n-other-card_plural": "та __count__ інших карток", + "apply": "Прийняти", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "доданно", + "attachment": "Додаток", + "attachment-delete-pop": "Видалення Додатку безповоротне. Тут нема відміні (undo).", + "attachmentDeletePopup-title": "Видалити Додаток?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Назад", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Дошки", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Відміна", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Користувачі", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Користувачі", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json new file mode 100644 index 00000000..ba609c92 --- /dev/null +++ b/i18n/vi.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Chấp nhận", + "act-activity-notify": "[Wekan] Thông Báo Hoạt Động", + "act-addAttachment": "đã đính kèm __attachment__ vào __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "đã bình luận trong __card__: __comment__", + "act-createBoard": "đã tạo __board__", + "act-createCard": "đã thêm __card__ vào __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "đã thêm __list__ vào __board__", + "act-addBoardMember": "đã thêm __member__ vào __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "đã nạp bảng __board__", + "act-importCard": "đã nạp thẻ __card__", + "act-importList": "đã nạp danh sách __list__", + "act-joinMember": "đã thêm thành viên __member__ vào __card__", + "act-moveCard": "đã chuyển thẻ __card__ từ __oldList__ sang __list__", + "act-removeBoardMember": "đã xóa thành viên __member__ khỏi __board__", + "act-restoredCard": "đã khôi phục thẻ __card__ vào bảng __board__", + "act-unjoinMember": "đã xóa thành viên __member__ khỏi thẻ __card__", + "act-withBoardTitle": "[Wekan] Bảng __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Hành Động", + "activities": "Hoạt Động", + "activity": "Hoạt Động", + "activity-added": "đã thêm %s vào %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "đã đính kèm %s vào %s", + "activity-created": "đã tạo %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "đã loại bỏ %s khỏi %s", + "activity-imported": "đã nạp %s vào %s từ %s", + "activity-imported-board": "đã nạp %s từ %s", + "activity-joined": "đã tham gia %s", + "activity-moved": "đã di chuyển %s từ %s đến %s", + "activity-on": "trên %s", + "activity-removed": "đã xóa %s từ %s", + "activity-sent": "gửi %s đến %s", + "activity-unjoined": "đã rời khỏi %s", + "activity-checklist-added": "đã thêm checklist vào %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Thêm", + "add-attachment": "Thêm Bản Đính Kèm", + "add-board": "Thêm Bảng", + "add-card": "Thêm Thẻ", + "add-swimlane": "Add Swimlane", + "add-checklist": "Thêm Danh Sách Kiểm Tra", + "add-checklist-item": "Thêm Một Mục Vào Danh Sách Kiểm Tra", + "add-cover": "Thêm Bìa", + "add-label": "Thêm Nhãn", + "add-list": "Thêm Danh Sách", + "add-members": "Thêm Thành Viên", + "added": "Đã Thêm", + "addMemberPopup-title": "Thành Viên", + "admin": "Quản Trị Viên", + "admin-desc": "Có thể xem và chỉnh sửa những thẻ, xóa thành viên và thay đổi cài đặt cho bảng.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "Tất cả các bảng", + "and-n-other-card": "Và __count__ thẻ khác", + "and-n-other-card_plural": "Và __count__ thẻ khác", + "apply": "Ứng Dụng", + "app-is-offline": "Wekan đang tải, vui lòng đợi. Tải lại trang có thể làm mất dữ liệu. Nếu Wekan không thể tải được, Vui lòng kiểm tra lại Wekan server.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Khôi Phục Bảng", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Chỉ định thành viên", + "attached": "đã đính kèm", + "attachment": "Phần đính kèm", + "attachment-delete-pop": "Xóa tệp đính kèm là vĩnh viễn. Không có khôi phục.", + "attachmentDeletePopup-title": "Xóa tệp đính kèm không?", + "attachments": "Tệp Đính Kèm", + "auto-watch": "Tự động xem bảng lúc được tạo ra", + "avatar-too-big": "Hình đại diện quá to (70KB tối đa)", + "back": "Trở Lại", + "board-change-color": "Đổi màu", + "board-nb-stars": "%s sao", + "board-not-found": "Không tìm được bảng", + "board-private-info": "Bảng này sẽ chuyển sang chế độ private.", + "board-public-info": "Bảng này sẽ chuyển sang chế độ public.", + "boardChangeColorPopup-title": "Thay hình nền của bảng", + "boardChangeTitlePopup-title": "Đổi tên bảng", + "boardChangeVisibilityPopup-title": "Đổi cách hiển thị", + "boardChangeWatchPopup-title": "Đổi cách xem", + "boardMenuPopup-title": "Board Menu", + "boards": "Bảng", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Hủy", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "Thẻ này có %s bình luận.", + "card-delete-notice": "Hành động xóa là không thể khôi phục. Bạn sẽ mất hết các hoạt động liên quan đến thẻ này.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Thành Viên", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Thành Viên", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Đổi tên bảng", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json new file mode 100644 index 00000000..ad821bef --- /dev/null +++ b/i18n/zh-CN.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "接受", + "act-activity-notify": "[Wekan] 活动通知", + "act-addAttachment": "添加附件 __attachment__ 至卡片 __card__", + "act-addChecklist": "添加清单 __checklist__ 到 __card__", + "act-addChecklistItem": "向 __card__ 中的清单 __checklist__ 添加 __checklistItem__", + "act-addComment": "在 __card__ 发布评论: __comment__", + "act-createBoard": "创建看板 __board__", + "act-createCard": "添加卡片 __card__ 至列表 __list__", + "act-createCustomField": "创建了自定义字段 __customField__", + "act-createList": "添加列表 __list__ 至看板 __board__", + "act-addBoardMember": "添加成员 __member__ 至看板 __board__", + "act-archivedBoard": "__board__ 已被移入回收站 ", + "act-archivedCard": "__card__ 已被移入回收站", + "act-archivedList": "__list__ 已被移入回收站", + "act-archivedSwimlane": "__swimlane__ 已被移入回收站", + "act-importBoard": "导入看板 __board__", + "act-importCard": "导入卡片 __card__", + "act-importList": "导入列表 __list__", + "act-joinMember": "添加成员 __member__ 至卡片 __card__", + "act-moveCard": "从列表 __oldList__ 移动卡片 __card__ 至列表 __list__", + "act-removeBoardMember": "从看板 __board__ 移除成员 __member__", + "act-restoredCard": "恢复卡片 __card__ 至看板 __board__", + "act-unjoinMember": "从卡片 __card__ 移除成员 __member__", + "act-withBoardTitle": "[Wekan] 看板 __board__", + "act-withCardTitle": "[看板 __board__] 卡片 __card__", + "actions": "操作", + "activities": "活动", + "activity": "活动", + "activity-added": "添加 %s 至 %s", + "activity-archived": "%s 已被移入回收站", + "activity-attached": "添加附件 %s 至 %s", + "activity-created": "创建 %s", + "activity-customfield-created": "创建了自定义字段 %s", + "activity-excluded": "排除 %s 从 %s", + "activity-imported": "导入 %s 至 %s 从 %s 中", + "activity-imported-board": "已导入 %s 从 %s 中", + "activity-joined": "已关联 %s", + "activity-moved": "将 %s 从 %s 移动到 %s", + "activity-on": "在 %s", + "activity-removed": "从 %s 中移除 %s", + "activity-sent": "发送 %s 至 %s", + "activity-unjoined": "已解除 %s 关联", + "activity-checklist-added": "已经将清单添加到 %s", + "activity-checklist-item-added": "添加清单项至'%s' 于 %s", + "add": "添加", + "add-attachment": "添加附件", + "add-board": "添加看板", + "add-card": "添加卡片", + "add-swimlane": "添加泳道图", + "add-checklist": "添加待办清单", + "add-checklist-item": "扩充清单", + "add-cover": "添加封面", + "add-label": "添加标签", + "add-list": "添加列表", + "add-members": "添加成员", + "added": "添加", + "addMemberPopup-title": "成员", + "admin": "管理员", + "admin-desc": "可以浏览并编辑卡片,移除成员,并且更改该看板的设置", + "admin-announcement": "通知", + "admin-announcement-active": "激活系统通知", + "admin-announcement-title": "管理员的通知", + "all-boards": "全部看板", + "and-n-other-card": "和其他 __count__ 个卡片", + "and-n-other-card_plural": "和其他 __count__ 个卡片", + "apply": "应用", + "app-is-offline": "Wekan 正在加载,请稍等。刷新页面将导致数据丢失。如果 Wekan 无法加载,请检查 Wekan 服务器是否已经停止。", + "archive": "移入回收站", + "archive-all": "全部移入回收站", + "archive-board": "移动看板到回收站", + "archive-card": "移动卡片到回收站", + "archive-list": "移动列表到回收站", + "archive-swimlane": "移动泳道到回收站", + "archive-selection": "移动选择内容到回收站", + "archiveBoardPopup-title": "移动看板到回收站?", + "archived-items": "回收站", + "archived-boards": "回收站中的看板", + "restore-board": "还原看板", + "no-archived-boards": "回收站中无看板", + "archives": "回收站", + "assign-member": "分配成员", + "attached": "附加", + "attachment": "附件", + "attachment-delete-pop": "删除附件的操作不可逆。", + "attachmentDeletePopup-title": "删除附件?", + "attachments": "附件", + "auto-watch": "自动关注新建的看板", + "avatar-too-big": "头像过大 (上限 70 KB)", + "back": "返回", + "board-change-color": "更改颜色", + "board-nb-stars": "%s 星标", + "board-not-found": "看板不存在", + "board-private-info": "该看板将被设为 私有.", + "board-public-info": "该看板将被设为 公开.", + "boardChangeColorPopup-title": "修改看板背景", + "boardChangeTitlePopup-title": "重命名看板", + "boardChangeVisibilityPopup-title": "更改可视级别", + "boardChangeWatchPopup-title": "更改关注状态", + "boardMenuPopup-title": "看板菜单", + "boards": "看板", + "board-view": "看板视图", + "board-view-swimlanes": "泳道图", + "board-view-lists": "列表", + "bucket-example": "例如 “目标清单”", + "cancel": "取消", + "card-archived": "此卡片已经被移入回收站。", + "card-comments-title": "该卡片有 %s 条评论", + "card-delete-notice": "彻底删除的操作不可恢复,你将会丢失该卡片相关的所有操作记录。", + "card-delete-pop": "所有的活动将从活动摘要中被移除且您将无法重新打开该卡片。此操作无法撤销。", + "card-delete-suggest-archive": "将卡片移入回收站可以从看板中删除卡片,相关活动记录将被保留。", + "card-due": "到期", + "card-due-on": "期限", + "card-spent": "耗时", + "card-edit-attachments": "编辑附件", + "card-edit-custom-fields": "编辑自定义字段", + "card-edit-labels": "编辑标签", + "card-edit-members": "编辑成员", + "card-labels-title": "更改该卡片上的标签", + "card-members-title": "在该卡片中添加或移除看板成员", + "card-start": "开始", + "card-start-on": "始于", + "cardAttachmentsPopup-title": "附件来源", + "cardCustomField-datePopup-title": "修改日期", + "cardCustomFieldsPopup-title": "编辑自定义字段", + "cardDeletePopup-title": "彻底删除卡片?", + "cardDetailsActionsPopup-title": "卡片操作", + "cardLabelsPopup-title": "标签", + "cardMembersPopup-title": "成员", + "cardMorePopup-title": "更多", + "cards": "卡片", + "cards-count": "卡片", + "change": "变更", + "change-avatar": "更改头像", + "change-password": "更改密码", + "change-permissions": "更改权限", + "change-settings": "更改设置", + "changeAvatarPopup-title": "更改头像", + "changeLanguagePopup-title": "更改语言", + "changePasswordPopup-title": "更改密码", + "changePermissionsPopup-title": "更改权限", + "changeSettingsPopup-title": "更改设置", + "checklists": "清单", + "click-to-star": "点此来标记该看板", + "click-to-unstar": "点此来去除该看板的标记", + "clipboard": "剪贴板或者拖放文件", + "close": "关闭", + "close-board": "关闭看板", + "close-board-pop": "在主页中点击顶部的“回收站”按钮可以恢复看板。", + "color-black": "黑色", + "color-blue": "蓝色", + "color-green": "绿色", + "color-lime": "绿黄", + "color-orange": "橙色", + "color-pink": "粉红", + "color-purple": "紫色", + "color-red": "红色", + "color-sky": "天蓝", + "color-yellow": "黄色", + "comment": "评论", + "comment-placeholder": "添加评论", + "comment-only": "仅能评论", + "comment-only-desc": "只能在卡片上评论。", + "computer": "从本机上传", + "confirm-checklist-delete-dialog": "确认要删除清单吗", + "copy-card-link-to-clipboard": "复制卡片链接到剪贴板", + "copyCardPopup-title": "复制卡片", + "copyChecklistToManyCardsPopup-title": "复制清单模板至多个卡片", + "copyChecklistToManyCardsPopup-instructions": "以JSON格式表示目标卡片的标题和描述", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"第一个卡片的标题\", \"description\":\"第一个卡片的描述\"}, {\"title\":\"第二个卡片的标题\",\"description\":\"第二个卡片的描述\"},{\"title\":\"最后一个卡片的标题\",\"description\":\"最后一个卡片的描述\"} ]", + "create": "创建", + "createBoardPopup-title": "创建看板", + "chooseBoardSourcePopup-title": "导入看板", + "createLabelPopup-title": "创建标签", + "createCustomField": "创建字段", + "createCustomFieldPopup-title": "创建字段", + "current": "当前", + "custom-field-delete-pop": "没有撤销,此动作将从所有卡片中移除自定义字段并销毁历史。", + "custom-field-checkbox": "选择框", + "custom-field-date": "日期", + "custom-field-dropdown": "下拉列表", + "custom-field-dropdown-none": "(无)", + "custom-field-dropdown-options": "列表选项", + "custom-field-dropdown-options-placeholder": "回车可以加入更多选项", + "custom-field-dropdown-unknown": "(未知)", + "custom-field-number": "数字", + "custom-field-text": "文本", + "custom-fields": "自定义字段", + "date": "日期", + "decline": "拒绝", + "default-avatar": "默认头像", + "delete": "删除", + "deleteCustomFieldPopup-title": "删除自定义字段?", + "deleteLabelPopup-title": "删除标签?", + "description": "描述", + "disambiguateMultiLabelPopup-title": "标签消歧 [?]", + "disambiguateMultiMemberPopup-title": "成员消歧 [?]", + "discard": "放弃", + "done": "完成", + "download": "下载", + "edit": "编辑", + "edit-avatar": "更改头像", + "edit-profile": "编辑资料", + "edit-wip-limit": "编辑最大任务数", + "soft-wip-limit": "软在制品限制", + "editCardStartDatePopup-title": "修改起始日期", + "editCardDueDatePopup-title": "修改截止日期", + "editCustomFieldPopup-title": "编辑字段", + "editCardSpentTimePopup-title": "修改耗时", + "editLabelPopup-title": "更改标签", + "editNotificationPopup-title": "编辑通知", + "editProfilePopup-title": "编辑资料", + "email": "邮箱", + "email-enrollAccount-subject": "已为您在 __siteName__ 创建帐号", + "email-enrollAccount-text": "尊敬的 __user__,\n\n点击下面的链接,即刻开始使用这项服务。\n\n__url__\n\n谢谢。", + "email-fail": "邮件发送失败", + "email-fail-text": "尝试发送邮件时出错", + "email-invalid": "邮件地址错误", + "email-invite": "发送邮件邀请", + "email-invite-subject": "__inviter__ 向您发出邀请", + "email-invite-text": "尊敬的 __user__,\n\n__inviter__ 邀请您加入看板 \"__board__\" 参与协作。\n\n请点击下面的链接访问看板:\n\n__url__\n\n谢谢。", + "email-resetPassword-subject": "重置您的 __siteName__ 密码", + "email-resetPassword-text": "尊敬的 __user__,\n\n点击下面的链接,重置您的密码:\n\n__url__\n\n谢谢。", + "email-sent": "邮件已发送", + "email-verifyEmail-subject": "在 __siteName__ 验证您的邮件地址", + "email-verifyEmail-text": "尊敬的 __user__,\n\n点击下面的链接,验证您的邮件地址:\n\n__url__\n\n谢谢。", + "enable-wip-limit": "启用最大任务数限制", + "error-board-doesNotExist": "该看板不存在", + "error-board-notAdmin": "需要成为管理员才能执行此操作", + "error-board-notAMember": "需要成为看板成员才能执行此操作", + "error-json-malformed": "文本不是合法的 JSON", + "error-json-schema": "JSON 数据没有用正确的格式包含合适的信息", + "error-list-doesNotExist": "不存在此列表", + "error-user-doesNotExist": "该用户不存在", + "error-user-notAllowSelf": "无法邀请自己", + "error-user-notCreated": "该用户未能成功创建", + "error-username-taken": "此用户名已存在", + "error-email-taken": "此EMail已存在", + "export-board": "导出看板", + "filter": "过滤", + "filter-cards": "过滤卡片", + "filter-clear": "清空过滤器", + "filter-no-label": "无标签", + "filter-no-member": "无成员", + "filter-no-custom-fields": "无自定义字段", + "filter-on": "过滤器启用", + "filter-on-desc": "你正在过滤该看板上的卡片,点此编辑过滤。", + "filter-to-selection": "要选择的过滤器", + "advanced-filter-label": "高级过滤器", + "advanced-filter-description": "高级过滤器可以使用包含如下操作符的字符串进行过滤:== != <= >= && || ( ) 。操作符之间用空格隔开。输入字段名和数值就可以过滤所有自定义字段。例如:Field1 == Value1. 注意如果字段名或数值包含空格,需要用单引号。例如: 'Field 1' == 'Value 1'。支持组合使用多个条件,例如: F1 == V1 || F1 = V2。通常以从左到右的顺序进行判断。可以通过括号修改顺序,例如:F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "全称", + "header-logo-title": "返回您的看板页", + "hide-system-messages": "隐藏系统消息", + "headerBarCreateBoardPopup-title": "创建看板", + "home": "首页", + "import": "导入", + "import-board": "导入看板", + "import-board-c": "导入看板", + "import-board-title-trello": "从Trello导入看板", + "import-board-title-wekan": "从Wekan 导入看板", + "import-sandstorm-warning": "导入的面板将删除所有已存在于面板上的数据并替换他们为导入的面板。 ", + "from-trello": "自 Trello", + "from-wekan": "自 Wekan", + "import-board-instruction-trello": "在你的Trello看板中,点击“菜单”,然后选择“更多”,“打印与导出”,“导出为 JSON” 并拷贝结果文本", + "import-board-instruction-wekan": "在你的Wekan面板中点'菜单',然后点‘导出面板’并在已下载的文档复制文本。", + "import-json-placeholder": "粘贴您有效的 JSON 数据至此", + "import-map-members": "映射成员", + "import-members-map": "您导入的看板有一些成员。请将您想导入的成员映射到 Wekan 用户。", + "import-show-user-mapping": "核对成员映射", + "import-user-select": "选择您想将此成员映射到的 Wekan 用户", + "importMapMembersAddPopup-title": "选择Wekan成员", + "info": "版本", + "initials": "缩写", + "invalid-date": "无效日期", + "invalid-time": "非法时间", + "invalid-user": "非法用户", + "joined": "关联", + "just-invited": "您刚刚被邀请加入此看板", + "keyboard-shortcuts": "键盘快捷键", + "label-create": "创建标签", + "label-default": "%s 标签 (默认)", + "label-delete-pop": "此操作不可逆,这将会删除该标签并清除它的历史记录。", + "labels": "标签", + "language": "语言", + "last-admin-desc": "你不能更改角色,因为至少需要一名管理员。", + "leave-board": "离开看板", + "leave-board-pop": "确认要离开 __boardTitle__ 吗?此看板的所有卡片都会将您移除。", + "leaveBoardPopup-title": "离开看板?", + "link-card": "关联至该卡片", + "list-archive-cards": "移动此列表中的所有卡片到回收站", + "list-archive-cards-pop": "此操作会从看板中删除所有此列表包含的卡片。要查看回收站中的卡片并恢复到看板,请点击“菜单” > “回收站”。", + "list-move-cards": "移动列表中的所有卡片", + "list-select-cards": "选择列表中的所有卡片", + "listActionPopup-title": "列表操作", + "swimlaneActionPopup-title": "泳道图操作", + "listImportCardPopup-title": "导入 Trello 卡片", + "listMorePopup-title": "更多", + "link-list": "关联到这个列表", + "list-delete-pop": "所有活动将被从活动动态中删除并且你无法恢复他们,此操作无法撤销。 ", + "list-delete-suggest-archive": "可以将列表移入回收站,看板中将删除列表,但是相关活动记录会被保留。", + "lists": "列表", + "swimlanes": "泳道图", + "log-out": "登出", + "log-in": "登录", + "loginPopup-title": "登录", + "memberMenuPopup-title": "成员设置", + "members": "成员", + "menu": "菜单", + "move-selection": "移动选择", + "moveCardPopup-title": "移动卡片", + "moveCardToBottom-title": "移动至底端", + "moveCardToTop-title": "移动至顶端", + "moveSelectionPopup-title": "移动选择", + "multi-selection": "多选", + "multi-selection-on": "多选启用", + "muted": "静默", + "muted-info": "你将不会收到此看板的任何变更通知", + "my-boards": "我的看板", + "name": "名称", + "no-archived-cards": "回收站中无卡片。", + "no-archived-lists": "回收站中无列表。", + "no-archived-swimlanes": "回收站中无泳道。", + "no-results": "无结果", + "normal": "普通", + "normal-desc": "可以创建以及编辑卡片,无法更改设置。", + "not-accepted-yet": "邀请尚未接受", + "notify-participate": "接收以创建者或成员身份参与的卡片的更新", + "notify-watch": "接收所有关注的面板、列表、及卡片的更新", + "optional": "可选", + "or": "或", + "page-maybe-private": "本页面被设为私有. 您必须 登录以浏览其中内容。", + "page-not-found": "页面不存在。", + "password": "密码", + "paste-or-dragdrop": "从剪贴板粘贴,或者拖放文件到它上面 (仅限于图片)", + "participating": "参与", + "preview": "预览", + "previewAttachedImagePopup-title": "预览", + "previewClipboardImagePopup-title": "预览", + "private": "私有", + "private-desc": "该看板将被设为私有。只有该看板成员才可以进行查看和编辑。", + "profile": "资料", + "public": "公开", + "public-desc": "该看板将被公开。任何人均可通过链接查看,并且将对Google和其他搜索引擎开放。只有添加至该看板的成员才可进行编辑。", + "quick-access-description": "星标看板在导航条中添加快捷方式", + "remove-cover": "移除封面", + "remove-from-board": "从看板中删除", + "remove-label": "移除标签", + "listDeletePopup-title": "删除列表", + "remove-member": "移除成员", + "remove-member-from-card": "从该卡片中移除", + "remove-member-pop": "确定从 __boardTitle__ 中移除 __name__ (__username__) 吗? 该成员将被从该看板的所有卡片中移除,同时他会收到一条提醒。", + "removeMemberPopup-title": "删除成员?", + "rename": "重命名", + "rename-board": "重命名看板", + "restore": "还原", + "save": "保存", + "search": "搜索", + "search-cards": "搜索当前看板上的卡片标题和描述", + "search-example": "搜索", + "select-color": "选择颜色", + "set-wip-limit-value": "设置此列表中的最大任务数", + "setWipLimitPopup-title": "设置最大任务数", + "shortcut-assign-self": "分配当前卡片给自己", + "shortcut-autocomplete-emoji": "表情符号自动补全", + "shortcut-autocomplete-members": "自动补全成员", + "shortcut-clear-filters": "清空全部过滤器", + "shortcut-close-dialog": "关闭对话框", + "shortcut-filter-my-cards": "过滤我的卡片", + "shortcut-show-shortcuts": "显示此快捷键列表", + "shortcut-toggle-filterbar": "切换过滤器边栏", + "shortcut-toggle-sidebar": "切换面板边栏", + "show-cards-minimum-count": "当列表中的卡片多于此阈值时将显示数量", + "sidebar-open": "打开侧栏", + "sidebar-close": "打开侧栏", + "signupPopup-title": "创建账户", + "star-board-title": "点此来标记该看板,它将会出现在您的看板列表顶部。", + "starred-boards": "已标记看板", + "starred-boards-description": "已标记看板将会出现在您的看板列表顶部。", + "subscribe": "订阅", + "team": "团队", + "this-board": "该看板", + "this-card": "该卡片", + "spent-time-hours": "耗时 (小时)", + "overtime-hours": "超时 (小时)", + "overtime": "超时", + "has-overtime-cards": "有超时卡片", + "has-spenttime-cards": "耗时卡", + "time": "时间", + "title": "标题", + "tracking": "跟踪", + "tracking-info": "当任何包含您(作为创建者或成员)的卡片发生变更时,您将得到通知。", + "type": "类型", + "unassign-member": "取消分配成员", + "unsaved-description": "存在未保存的描述", + "unwatch": "取消关注", + "upload": "上传", + "upload-avatar": "上传头像", + "uploaded-avatar": "头像已经上传", + "username": "用户名", + "view-it": "查看", + "warn-list-archived": "警告:此卡片属于回收站中的一个列表", + "watch": "关注", + "watching": "关注", + "watching-info": "当此看板发生变更时会通知你", + "welcome-board": "“欢迎”看板", + "welcome-swimlane": "里程碑 1", + "welcome-list1": "基本", + "welcome-list2": "高阶", + "what-to-do": "要做什么?", + "wipLimitErrorPopup-title": "无效的最大任务数", + "wipLimitErrorPopup-dialog-pt1": "此列表中的任务数量已经超过了设置的最大任务数。", + "wipLimitErrorPopup-dialog-pt2": "请将一些任务移出此列表,或者设置一个更大的最大任务数。", + "admin-panel": "管理面板", + "settings": "设置", + "people": "人员", + "registration": "注册", + "disable-self-registration": "禁止自助注册", + "invite": "邀请", + "invite-people": "邀请人员", + "to-boards": "邀请到看板 (可多选)", + "email-addresses": "电子邮箱地址", + "smtp-host-description": "用于发送邮件的SMTP服务器地址。", + "smtp-port-description": "SMTP服务器端口。", + "smtp-tls-description": "对SMTP服务器启用TLS支持", + "smtp-host": "SMTP服务器", + "smtp-port": "SMTP端口", + "smtp-username": "用户名", + "smtp-password": "密码", + "smtp-tls": "TLS支持", + "send-from": "发件人", + "send-smtp-test": "给自己发送一封测试邮件", + "invitation-code": "邀请码", + "email-invite-register-subject": "__inviter__ 向您发出邀请", + "email-invite-register-text": "亲爱的 __user__,\n\n__inviter__ 邀请您加入 Wekan 进行协作。\n\n请访问下面的链接︰\n__url__\n\n您的的邀请码是︰\n__icode__\n\n非常感谢。", + "email-smtp-test-subject": "从Wekan发送SMTP测试邮件", + "email-smtp-test-text": "你已成功发送邮件", + "error-invitation-code-not-exist": "邀请码不存在", + "error-notAuthorized": "您无权查看此页面。", + "outgoing-webhooks": "外部Web挂钩", + "outgoingWebhooksPopup-title": "外部Web挂钩", + "new-outgoing-webhook": "新建外部Web挂钩", + "no-name": "(未知)", + "Wekan_version": "Wekan版本", + "Node_version": "Node.js版本", + "OS_Arch": "系统架构", + "OS_Cpus": "系统 CPU数量", + "OS_Freemem": "系统可用内存", + "OS_Loadavg": "系统负载均衡", + "OS_Platform": "系统平台", + "OS_Release": "系统发布版本", + "OS_Totalmem": "系统全部内存", + "OS_Type": "系统类型", + "OS_Uptime": "系统运行时间", + "hours": "小时", + "minutes": "分钟", + "seconds": "秒", + "show-field-on-card": "在卡片上显示此字段", + "yes": "是", + "no": "否", + "accounts": "账号", + "accounts-allowEmailChange": "允许邮箱变更", + "accounts-allowUserNameChange": "允许变更用户名", + "createdAt": "创建于", + "verified": "已验证", + "active": "活跃", + "card-received": "已接收", + "card-received-on": "接收于", + "card-end": "终止", + "card-end-on": "终止于", + "editCardReceivedDatePopup-title": "修改接收日期", + "editCardEndDatePopup-title": "修改终止日期", + "assigned-by": "分配人", + "requested-by": "需求人", + "board-delete-notice": "删除时永久操作,将会丢失此看板上的所有列表、卡片和动作。", + "delete-board-confirm-popup": "所有列表、卡片、标签和活动都回被删除,将无法恢复看板内容。不支持撤销。", + "boardDeletePopup-title": "删除看板?", + "delete-board": "删除看板" +} \ No newline at end of file diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json new file mode 100644 index 00000000..8d28bc5f --- /dev/null +++ b/i18n/zh-TW.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "接受", + "act-activity-notify": "[Wekan] 活動通知", + "act-addAttachment": "新增附件__attachment__至__card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "評論__card__: __comment__", + "act-createBoard": "完成新增 __board__", + "act-createCard": "將__card__加入__list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "新增__list__至__board__", + "act-addBoardMember": "在__board__中新增成員__member__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "匯入__board__", + "act-importCard": "匯入__card__", + "act-importList": "匯入__list__", + "act-joinMember": "在__card__中新增成員__member__", + "act-moveCard": "將__card__從__oldList__移動至__list__", + "act-removeBoardMember": "從__board__中移除成員__member__", + "act-restoredCard": "將__card__回復至__board__", + "act-unjoinMember": "從__card__中移除成員__member__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "操作", + "activities": "活動", + "activity": "活動", + "activity-added": "新增 %s 至 %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "新增附件 %s 至 %s", + "activity-created": "建立 %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "排除 %s 從 %s", + "activity-imported": "匯入 %s 至 %s 從 %s 中", + "activity-imported-board": "已匯入 %s 從 %s 中", + "activity-joined": "關聯 %s", + "activity-moved": "將 %s 從 %s 移動到 %s", + "activity-on": "在 %s", + "activity-removed": "移除 %s 從 %s 中", + "activity-sent": "寄送 %s 至 %s", + "activity-unjoined": "解除關聯 %s", + "activity-checklist-added": "新增待辦清單至 %s", + "activity-checklist-item-added": "新增待辦清單項目從 %s 到 %s", + "add": "新增", + "add-attachment": "新增附件", + "add-board": "新增看板", + "add-card": "新增卡片", + "add-swimlane": "Add Swimlane", + "add-checklist": "新增待辦清單", + "add-checklist-item": "新增項目", + "add-cover": "新增封面", + "add-label": "新增標籤", + "add-list": "新增清單", + "add-members": "新增成員", + "added": "新增", + "addMemberPopup-title": "成員", + "admin": "管理員", + "admin-desc": "可以瀏覽並編輯卡片,移除成員,並且更改該看板的設定", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "全部看板", + "and-n-other-card": "和其他 __count__ 個卡片", + "and-n-other-card_plural": "和其他 __count__ 個卡片", + "apply": "送出", + "app-is-offline": "請稍候,資料讀取中,重整頁面可能會導致資料遺失。如果一直讀取,請檢查 Wekan 的伺服器是否正確運行。", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "還原看板", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "分配成員", + "attached": "附加", + "attachment": "附件", + "attachment-delete-pop": "刪除附件的操作無法還原。", + "attachmentDeletePopup-title": "刪除附件?", + "attachments": "附件", + "auto-watch": "新增看板時自動加入觀察", + "avatar-too-big": "頭像檔案太大 (最大 70 KB)", + "back": "返回", + "board-change-color": "更改顏色", + "board-nb-stars": "%s 星號標記", + "board-not-found": "看板不存在", + "board-private-info": "該看板將被設為 私有.", + "board-public-info": "該看板將被設為 公開.", + "boardChangeColorPopup-title": "修改看板背景", + "boardChangeTitlePopup-title": "重新命名看板", + "boardChangeVisibilityPopup-title": "更改可視級別", + "boardChangeWatchPopup-title": "更改觀察", + "boardMenuPopup-title": "看板選單", + "boards": "看板", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "清單", + "bucket-example": "例如 “目標清單”", + "cancel": "取消", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "該卡片有 %s 則評論", + "card-delete-notice": "徹底刪除的操作不可復原,你將會遺失該卡片相關的所有操作記錄。", + "card-delete-pop": "所有的動作將從活動動態中被移除且您將無法重新打開該卡片。此操作無法復原。", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "到期", + "card-due-on": "到期", + "card-spent": "Spent Time", + "card-edit-attachments": "編輯附件", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "編輯標籤", + "card-edit-members": "編輯成員", + "card-labels-title": "更改該卡片上的標籤", + "card-members-title": "在該卡片中新增或移除看板成員", + "card-start": "開始", + "card-start-on": "開始", + "cardAttachmentsPopup-title": "附件來源", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "徹底刪除卡片?", + "cardDetailsActionsPopup-title": "卡片動作", + "cardLabelsPopup-title": "標籤", + "cardMembersPopup-title": "成員", + "cardMorePopup-title": "更多", + "cards": "卡片", + "cards-count": "卡片", + "change": "變更", + "change-avatar": "更改大頭貼", + "change-password": "更改密碼", + "change-permissions": "更改許可權", + "change-settings": "更改設定", + "changeAvatarPopup-title": "更改大頭貼", + "changeLanguagePopup-title": "更改語言", + "changePasswordPopup-title": "更改密碼", + "changePermissionsPopup-title": "更改許可權", + "changeSettingsPopup-title": "更改設定", + "checklists": "待辦清單", + "click-to-star": "點此來標記該看板", + "click-to-unstar": "點此來去除該看板的標記", + "clipboard": "剪貼簿貼上或者拖曳檔案", + "close": "關閉", + "close-board": "關閉看板", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "黑色", + "color-blue": "藍色", + "color-green": "綠色", + "color-lime": "綠黃", + "color-orange": "橙色", + "color-pink": "粉紅", + "color-purple": "紫色", + "color-red": "紅色", + "color-sky": "天藍", + "color-yellow": "黃色", + "comment": "留言", + "comment-placeholder": "新增評論", + "comment-only": "只可以發表評論", + "comment-only-desc": "只可以對卡片發表評論", + "computer": "從本機上傳", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "將卡片連結複製到剪貼板", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "建立", + "createBoardPopup-title": "建立看板", + "chooseBoardSourcePopup-title": "匯入看板", + "createLabelPopup-title": "建立標籤", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "目前", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "日期", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "日期", + "decline": "拒絕", + "default-avatar": "預設大頭貼", + "delete": "刪除", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "刪除標籤?", + "description": "描述", + "disambiguateMultiLabelPopup-title": "清除標籤動作歧義", + "disambiguateMultiMemberPopup-title": "清除成員動作歧義", + "discard": "取消", + "done": "完成", + "download": "下載", + "edit": "編輯", + "edit-avatar": "更改大頭貼", + "edit-profile": "編輯資料", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "更改開始日期", + "editCardDueDatePopup-title": "更改到期日期", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "更改標籤", + "editNotificationPopup-title": "更改通知", + "editProfilePopup-title": "編輯資料", + "email": "電子郵件", + "email-enrollAccount-subject": "您在 __siteName__ 的帳號已經建立", + "email-enrollAccount-text": "親愛的 __user__,\n\n點選下面的連結,即刻開始使用這項服務。\n\n__url__\n\n謝謝。", + "email-fail": "郵件寄送失敗", + "email-fail-text": "Error trying to send email", + "email-invalid": "電子郵件地址錯誤", + "email-invite": "寄送郵件邀請", + "email-invite-subject": "__inviter__ 向您發出邀請", + "email-invite-text": "親愛的 __user__,\n\n__inviter__ 邀請您加入看板 \"__board__\" 參與協作。\n\n請點選下面的連結訪問看板:\n\n__url__\n\n謝謝。", + "email-resetPassword-subject": "重設您在 __siteName__ 的密碼", + "email-resetPassword-text": "親愛的 __user__,\n\n點選下面的連結,重置您的密碼:\n\n__url__\n\n謝謝。", + "email-sent": "郵件已寄送", + "email-verifyEmail-subject": "驗證您在 __siteName__ 的電子郵件", + "email-verifyEmail-text": "親愛的 __user__,\n\n點選下面的連結,驗證您的電子郵件地址:\n\n__url__\n\n謝謝。", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "該看板不存在", + "error-board-notAdmin": "需要成為管理員才能執行此操作", + "error-board-notAMember": "需要成為看板成員才能執行此操作", + "error-json-malformed": "不是有效的 JSON", + "error-json-schema": "JSON 資料沒有用正確的格式包含合適的資訊", + "error-list-doesNotExist": "不存在此列表", + "error-user-doesNotExist": "該使用者不存在", + "error-user-notAllowSelf": "不允許對自己執行此操作", + "error-user-notCreated": "該使用者未能成功建立", + "error-username-taken": "這個使用者名稱已被使用", + "error-email-taken": "電子信箱已被使用", + "export-board": "Export board", + "filter": "過濾", + "filter-cards": "過濾卡片", + "filter-clear": "清空過濾條件", + "filter-no-label": "沒有標籤", + "filter-no-member": "沒有成員", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "過濾條件啟用", + "filter-on-desc": "你正在過濾該看板上的卡片,點此編輯過濾條件。", + "filter-to-selection": "要選擇的過濾條件", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "全稱", + "header-logo-title": "返回您的看板頁面", + "hide-system-messages": "隱藏系統訊息", + "headerBarCreateBoardPopup-title": "建立看板", + "home": "首頁", + "import": "匯入", + "import-board": "匯入看板", + "import-board-c": "匯入看板", + "import-board-title-trello": "匯入在 Trello 的看板", + "import-board-title-wekan": "從 Wekan 匯入看板", + "import-sandstorm-warning": "匯入資料將會移除所有現有的看版資料,並取代成此次匯入的看板資料", + "from-trello": "來自 Trello", + "from-wekan": "來自 Wekan", + "import-board-instruction-trello": "在你的Trello看板中,點選“功能表”,然後選擇“更多”,“列印與匯出”,“匯出為 JSON” 並拷貝結果文本", + "import-board-instruction-wekan": "在 Wekan 看板中點選“功能表”,然後選擇“匯出看版”且複製文字到下載的檔案", + "import-json-placeholder": "貼上您有效的 JSON 資料至此", + "import-map-members": "複製成員", + "import-members-map": "您匯入的看板有一些成員。請將您想匯入的成員映射到 Wekan 使用者。", + "import-show-user-mapping": "核對成員映射", + "import-user-select": "選擇您想將此成員映射到的 Wekan 使用者", + "importMapMembersAddPopup-title": "選擇 Wekan 成員", + "info": "版本", + "initials": "縮寫", + "invalid-date": "無效的日期", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "關聯", + "just-invited": "您剛剛被邀請加入此看板", + "keyboard-shortcuts": "鍵盤快速鍵", + "label-create": "建立標籤", + "label-default": "%s 標籤 (預設)", + "label-delete-pop": "此操作無法還原,這將會刪除該標籤並清除它的歷史記錄。", + "labels": "標籤", + "language": "語言", + "last-admin-desc": "你不能更改角色,因為至少需要一名管理員。", + "leave-board": "離開看板", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "關聯至該卡片", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "移動清單中的所有卡片", + "list-select-cards": "選擇清單中的所有卡片", + "listActionPopup-title": "清單操作", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "匯入 Trello 卡片", + "listMorePopup-title": "更多", + "link-list": "連結到這個清單", + "list-delete-pop": "所有的動作將從活動動態中被移除且您將無法再開啟該清單\b。此操作無法復原。", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "清單", + "swimlanes": "Swimlanes", + "log-out": "登出", + "log-in": "登入", + "loginPopup-title": "登入", + "memberMenuPopup-title": "成員更改", + "members": "成員", + "menu": "選單", + "move-selection": "移動被選擇的項目", + "moveCardPopup-title": "移動卡片", + "moveCardToBottom-title": "移至最下面", + "moveCardToTop-title": "移至最上面", + "moveSelectionPopup-title": "移動選取的項目", + "multi-selection": "多選", + "multi-selection-on": "多選啟用", + "muted": "靜音", + "muted-info": "您將不會收到有關這個看板的任何訊息", + "my-boards": "我的看板", + "name": "名稱", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "無結果", + "normal": "普通", + "normal-desc": "可以建立以及編輯卡片,無法更改。", + "not-accepted-yet": "邀請尚未接受", + "notify-participate": "接收與你有關的卡片更新", + "notify-watch": "接收您關注的看板、清單或卡片的更新", + "optional": "選擇性的", + "or": "或", + "page-maybe-private": "本頁面被設為私有. 您必須 登入以瀏覽其中內容。", + "page-not-found": "頁面不存在。", + "password": "密碼", + "paste-or-dragdrop": "從剪貼簿貼上,或者拖曳檔案到它上面 (僅限於圖片)", + "participating": "參與", + "preview": "預覽", + "previewAttachedImagePopup-title": "預覽", + "previewClipboardImagePopup-title": "預覽", + "private": "私有", + "private-desc": "該看板將被設為私有。只有該看板成員才可以進行檢視和編輯。", + "profile": "資料", + "public": "公開", + "public-desc": "該看板將被公開。任何人均可透過連結檢視,並且將對Google和其他搜尋引擎開放。只有加入至該看板的成員才可進行編輯。", + "quick-access-description": "被星號標記的看板在導航列中新增快速啟動方式", + "remove-cover": "移除封面", + "remove-from-board": "從看板中刪除", + "remove-label": "移除標籤", + "listDeletePopup-title": "刪除標籤", + "remove-member": "移除成員", + "remove-member-from-card": "從該卡片中移除", + "remove-member-pop": "確定從 __boardTitle__ 中移除 __name__ (__username__) 嗎? 該成員將被從該看板的所有卡片中移除,同時他會收到一則提醒。", + "removeMemberPopup-title": "刪除成員?", + "rename": "重新命名", + "rename-board": "重新命名看板", + "restore": "還原", + "save": "儲存", + "search": "搜尋", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "選擇顏色", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "分配目前卡片給自己", + "shortcut-autocomplete-emoji": "自動完成表情符號", + "shortcut-autocomplete-members": "自動補齊成員", + "shortcut-clear-filters": "清空全部過濾條件", + "shortcut-close-dialog": "關閉對話方塊", + "shortcut-filter-my-cards": "過濾我的卡片", + "shortcut-show-shortcuts": "顯示此快速鍵清單", + "shortcut-toggle-filterbar": "切換過濾程式邊欄", + "shortcut-toggle-sidebar": "切換面板邊欄", + "show-cards-minimum-count": "顯示卡片數量,當內容超過數量", + "sidebar-open": "開啟側邊欄", + "sidebar-close": "關閉側邊欄", + "signupPopup-title": "建立帳戶", + "star-board-title": "點此標記該看板,它將會出現在您的看板列表上方。", + "starred-boards": "已標記看板", + "starred-boards-description": "已標記看板將會出現在您的看板列表上方。", + "subscribe": "訂閱", + "team": "團隊", + "this-board": "這個看板", + "this-card": "這個卡片", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "時間", + "title": "標題", + "tracking": "追蹤", + "tracking-info": "你將會收到與你有關的卡片的所有變更通知", + "type": "Type", + "unassign-member": "取消分配成員", + "unsaved-description": "未儲存的描述", + "unwatch": "取消觀察", + "upload": "上傳", + "upload-avatar": "上傳大頭貼", + "uploaded-avatar": "大頭貼已經上傳", + "username": "使用者名稱", + "view-it": "檢視", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "觀察", + "watching": "觀察中", + "watching-info": "你將會收到關於這個看板所有的變更通知", + "welcome-board": "歡迎進入看板", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "基本", + "welcome-list2": "進階", + "what-to-do": "要做什麼?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "控制台", + "settings": "設定", + "people": "成員", + "registration": "註冊", + "disable-self-registration": "關閉自我註冊", + "invite": "邀請", + "invite-people": "邀請成員", + "to-boards": "至看板()", + "email-addresses": "電子郵件", + "smtp-host-description": "SMTP 外寄郵件伺服器", + "smtp-port-description": "SMTP 外寄郵件伺服器埠號", + "smtp-tls-description": "對 SMTP 啟動 TLS 支援", + "smtp-host": "SMTP 位置", + "smtp-port": "SMTP 埠號", + "smtp-username": "使用者名稱", + "smtp-password": "密碼", + "smtp-tls": "支援 TLS", + "send-from": "從", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "邀請碼", + "email-invite-register-subject": "__inviter__ 向您發出邀請", + "email-invite-register-text": "親愛的 __user__,\n\n__inviter__ 邀請您加入 Wekan 一同協作\n\n請點擊下列連結:\n__url__\n\n您的邀請碼為:__icode__\n\n謝謝。", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "邀請碼不存在", + "error-notAuthorized": "沒有適合的權限觀看", + "outgoing-webhooks": "設定 Webhooks", + "outgoingWebhooksPopup-title": "設定 Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan 版本", + "Node_version": "Node 版本", + "OS_Arch": "系統架構", + "OS_Cpus": "系統\b CPU 數", + "OS_Freemem": "undefined", + "OS_Loadavg": "系統平均讀取", + "OS_Platform": "系統平臺", + "OS_Release": "系統發佈版本", + "OS_Totalmem": "系統總記憶體", + "OS_Type": "系統類型", + "OS_Uptime": "系統運行時間", + "hours": "小時", + "minutes": "分鐘", + "seconds": "秒", + "show-field-on-card": "Show this field on card", + "yes": "是", + "no": "否", + "accounts": "帳號", + "accounts-allowEmailChange": "准許變更電子信箱", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 38af71d9c933744ba1c5bf97179d3a033f321907 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 12 Jun 2018 21:48:02 +0300 Subject: - Change label text colour to black for specific label colours for better visibility Thanks to rjevnikar ! --- CHANGELOG.md | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index cfe3e672..2249e9a5 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,7 +4,9 @@ This release adds the following new features: * [Add Khmer language](https://github.com/wekan/wekan/commit/2156e458690d0dc34a761a48fd7fa3b54af79031); * [Modify card covers/mini-cards so that: 1) received date is shown unless there is a start date - 2) due date is shown, unless there is an end date](https://github.com/wekan/wekan/pull/1685). + 2) due date is shown, unless there is an end date](https://github.com/wekan/wekan/pull/1685); +* [Change label text colour to black for specific label colours for better + visibility](https://github.com/wekan/wekan/pull/1689). and fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 193ff20c23c5b9b8e432448fad99bd1a063e2e0f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 12 Jun 2018 22:11:43 +0300 Subject: Add SECURITY.md --- SECURITY.md | 129 ++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 129 insertions(+) create mode 100644 SECURITY.md diff --git a/SECURITY.md b/SECURITY.md new file mode 100644 index 00000000..4e73c281 --- /dev/null +++ b/SECURITY.md @@ -0,0 +1,129 @@ +Security is very important to us. If discover any issue regarding security, please disclose +the information responsibly by sending an email to security (at) wekan.team and not by +creating a GitHub issue. We will respond swiftly to fix verifiable security issues. + +We thank you with a place at our hall of fame page, that is +at https://wekan.github.io/hall-of-fame . Others have just posted public GitHub issue, +so they are not at that hall-of-fame page. + +## How should reports be formatted? + +``` +Name: %name +Twitter: %twitter +Bug type: %bugtype +Domain: %domain +Severity: %severity +URL: %url +PoC: %poc +CVSS (optional): %cvss +CWSS (optional): %cwss +``` + +## Who can participate in the program + +Anyone who reports a unique security issue in scope and does not disclose it to +a third party before we have patched and updated may be upon their approval +added to the Wekan Hall of Fame. + +## Which domains are in scope? + +No any public domains, because all those are donated to Wekan Open Source project, +and we don't have any permissions to do security scans on those donated servers. + +Please don't perform research that could impact other users. Secondly, please keep +the reports short and succinct. If we fail to understand the logics of your bug, we will tell you. + +You can [Install Wekan](https://github.com/wekan/wekan/releases) to your own computer +and scan it's vulnerabilities there. + +## About Wekan versions + +There is only 2 versions of Wekan: Standalone Wekan, and Sandstorm Wekan. + +### Standalone Wekan Security + +Standalone Wekan includes all non-Sandstorm platforms. Some Standalone Wekan platforms +like Snap and Docker have their own specific sandboxing etc features. + +Standalone Wekan by default does not load any files from Internet, like fonts, CSS, etc. +This also means all Standalone Wekan functionality works in offline local networks. +Wekan is used by companies that have [thousands of users](https://github.com/wekan/wekan/wiki/AWS) and at healthcare. + +Wekan uses xss package for input fields like cards, as you can see from +[package.json](https://github.com/wekan/wekan/blob/devel/package.json). Other used versions can be seen from +[Meteor versions file](https://github.com/wekan/wekan/blob/devel/.meteor/versions). +Forms can include markdown links, html, image tags etc like you see at https://wekan.github.io . +It's possible to add attachments to cards, and markdown/html links to files. + +Wekan attachments are not accessible without logging in. Import from Trello works by copying +Trello export JSON to Wekan Trello import page, and in Trello JSON file there is direct links to all publicly +accessible Trello attachment files, that Standalone Wekan downloads directly to Wekan MongoDB database in +[CollectionFS](https://github.com/wekan/wekan/pull/875) format. When Wekan board is exported in +Wekan JSON format, all board attachments are included in Wekan JSON file as base64 encoded text. +That Wekan JSON format file can be imported to Sandstorm Wekan with all the attachments, when we get +latest Wekan version working on Sandstorm, only couple of bugs are left before that. In Sandstorm it's not +possible yet to import from Trello with attachments, because Wekan does not implement Sandstorm-compatible +access to outside of Wekan grain. + +Standalone Wekan only has password auth currently, there is work in progress to add +[oauth2](https://github.com/wekan/wekan/pull/1578), [Openid](https://github.com/wekan/wekan/issues/538), +[LDAP](https://github.com/wekan/wekan/issues/119) etc. If you need more login security for Standalone Wekan now, +it's possible add additional [Google Auth proxybouncer](https://github.com/wekan/wekan/wiki/Let's-Encrypt-and-Google-Auth) in front of password auth, and then use Google Authenticator for Google Auth. Standalone Wekan does have [brute force protection with eluck:accounts-lockout and browser-policy clickjacking protection](https://github.com/wekan/wekan/blob/devel/CHANGELOG.md#v080-2018-04-04-wekan-release). You can also optionally use some [WAF](https://en.wikipedia.org/wiki/Web_application_firewall) +like for example [AWS WAF](https://aws.amazon.com/waf/). + +[All Wekan Platforms](https://github.com/wekan/wekan/wiki/Platforms) + +### Sandstorm Wekan Security + +On Sandstorm platform using environment variable Standalone Wekan features like Admin Panel etc are +turned off, because Sandstorm platform provides SSO for all apps running on Sandstorm. + +[Sandstorm](https://sandstorm.io) is separate Open Source platform that has been +[security audited](https://sandstorm.io/news/2017-03-02-security-review) and found bugs fixed. +Sandstorm also has passwordless login, LDAP, SAML, Google etc auth options already. +At Sandstorm code is read-only and signed by app maintainers, only grain content can be modified. +Wekan at Sandstorm runs in sandboxed grain, it does not have access elsewhere without user-visible +PowerBox request or opening randomly-generated API key URL. +Also read [Sandstorm Security Practices](https://docs.sandstorm.io/en/latest/using/security-practices/) and +[Sandstorm Security non-events](https://docs.sandstorm.io/en/latest/using/security-non-events/). +For Sandstorm specific security issues you can contact [kentonv](https://github.com/kentonv) by email. + +## What Wekan bugs are eligible? + +Any typical web security bugs. If any of the previously mentioned is somehow problematic and +a security issue, we'd like to know about it, and also how to fix it: + +- Cross-site Scripting +- Open redirect +- Cross-site request forgery +- File inclusion +- Authentication bypass +- Server-side code execution + +## What Wekan bugs are NOT eligible? + +Typical already known or "no impact" bugs such as: + +- Brute force password guessign. Currently there is + [brute force protection with eluck:accounts-lockout](https://github.com/wekan/wekan/blob/devel/CHANGELOG.md#v080-2018-04-04-wekan-release). +- Security issues related to that Wekan uses Meteor 1.6.0.1 related packages, and upgrading to newer + Meteor 1.6.1 is complicated process that requires lots of changes to many dependency packages. + Upgrading [has been tried many times, spending a lot of time](https://github.com/meteor/meteor/issues/9609) + but there still is issues. Helping with package upgrades is very welcome. +- [Wekan API old tokens not replaced correctly](https://github.com/wekan/wekan/issues/1437) +- Missing Cookie flags on non-session cookies or 3rd party cookies +- Logout CSRF +- Social engineering +- Denial of service +- SSL BEAST/CRIME/etc. Wekan does not have SSL built-in, it uses Caddy/Nginx/Apache etc at front. + Integrated Caddy support is updated often. +- Email spoofing, SPF, DMARC & DKIM. Wekan does not include email server. + +Wekan is Open Source with MIT license, and free to use also for commercial use. +We welcome all fixes to improve security by email to security (at) wekan.team . + +## Bonus Points + +If your Responsible Security Disclosure includes code for fixing security issue, +you get bonus points, as seen on [Hall of Fame](https://wekan.github.io/hall-of-fame). -- cgit v1.2.3-1-g7c22 From a98ae8dc710c333288d81b9fcc35d2c22e4c16fd Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 12 Jun 2018 22:20:17 +0300 Subject: v1.04 --- CHANGELOG.md | 4 ++-- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 2249e9a5..c183aaed 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.04 2018-06-12 Wekan release This release adds the following new features: @@ -16,7 +16,7 @@ and fixes the following bugs: 2) due date is shown, unless there is an end date](https://github.com/wekan/wekan/pull/1685). Thanks to GitHub users rjevnikar and xet7 for their contributions. -Thanks to Adrian Genaid for security fix. +Thanks to Adrian Genaid for security fix, he's now added to [Hall of Fame](https://wekan.github.io/hall-of-fame/). Thanks to translators. # v1.03 2018-06-08 Wekan release diff --git a/package.json b/package.json index 4221686b..1e1db802 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.03.0", + "version": "1.04.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 81b4fe93..7953f0f9 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 88, + appVersion = 89, # Increment this for every release. - appMarketingVersion = (defaultText = "1.03.0~2018-06-08"), + appMarketingVersion = (defaultText = "1.04.0~2018-06-12"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 848d8ac95d810bfedf1150c79341861e4a8157ce Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 13 Jun 2018 00:34:51 +0300 Subject: Removed duplicate text. --- CHANGELOG.md | 2 -- 1 file changed, 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index c183aaed..31410bf2 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,8 +3,6 @@ This release adds the following new features: * [Add Khmer language](https://github.com/wekan/wekan/commit/2156e458690d0dc34a761a48fd7fa3b54af79031); -* [Modify card covers/mini-cards so that: 1) received date is shown unless there is a start date - 2) due date is shown, unless there is an end date](https://github.com/wekan/wekan/pull/1685); * [Change label text colour to black for specific label colours for better visibility](https://github.com/wekan/wekan/pull/1689). -- cgit v1.2.3-1-g7c22 From 67454d0491ca17e61eb50034ecb5d03c85dd5abe Mon Sep 17 00:00:00 2001 From: RJevnikar <12701645+rjevnikar@users.noreply.github.com> Date: Wed, 13 Jun 2018 22:18:00 +0000 Subject: Fix data colour changes on cards. Addressing both #1685 and #1693 --- client/components/cards/cardDate.js | 20 +- i18n/ar.i18n.json | 478 ------------------------------------ i18n/bg.i18n.json | 478 ------------------------------------ i18n/br.i18n.json | 478 ------------------------------------ i18n/ca.i18n.json | 478 ------------------------------------ i18n/cs.i18n.json | 478 ------------------------------------ i18n/de.i18n.json | 478 ------------------------------------ i18n/el.i18n.json | 478 ------------------------------------ i18n/en-GB.i18n.json | 478 ------------------------------------ i18n/eo.i18n.json | 478 ------------------------------------ i18n/es-AR.i18n.json | 478 ------------------------------------ i18n/es.i18n.json | 478 ------------------------------------ i18n/eu.i18n.json | 478 ------------------------------------ i18n/fa.i18n.json | 478 ------------------------------------ i18n/fi.i18n.json | 478 ------------------------------------ i18n/fr.i18n.json | 478 ------------------------------------ i18n/gl.i18n.json | 478 ------------------------------------ i18n/he.i18n.json | 478 ------------------------------------ i18n/hu.i18n.json | 478 ------------------------------------ i18n/hy.i18n.json | 478 ------------------------------------ i18n/id.i18n.json | 478 ------------------------------------ i18n/ig.i18n.json | 478 ------------------------------------ i18n/it.i18n.json | 478 ------------------------------------ i18n/ja.i18n.json | 478 ------------------------------------ i18n/km.i18n.json | 478 ------------------------------------ i18n/ko.i18n.json | 478 ------------------------------------ i18n/lv.i18n.json | 478 ------------------------------------ i18n/mn.i18n.json | 478 ------------------------------------ i18n/nb.i18n.json | 478 ------------------------------------ i18n/nl.i18n.json | 478 ------------------------------------ i18n/pl.i18n.json | 478 ------------------------------------ i18n/pt-BR.i18n.json | 478 ------------------------------------ i18n/pt.i18n.json | 478 ------------------------------------ i18n/ro.i18n.json | 478 ------------------------------------ i18n/ru.i18n.json | 478 ------------------------------------ i18n/sr.i18n.json | 478 ------------------------------------ i18n/sv.i18n.json | 478 ------------------------------------ i18n/ta.i18n.json | 478 ------------------------------------ i18n/th.i18n.json | 478 ------------------------------------ i18n/tr.i18n.json | 478 ------------------------------------ i18n/uk.i18n.json | 478 ------------------------------------ i18n/vi.i18n.json | 478 ------------------------------------ i18n/zh-CN.i18n.json | 478 ------------------------------------ i18n/zh-TW.i18n.json | 478 ------------------------------------ 44 files changed, 12 insertions(+), 20562 deletions(-) delete mode 100644 i18n/ar.i18n.json delete mode 100644 i18n/bg.i18n.json delete mode 100644 i18n/br.i18n.json delete mode 100644 i18n/ca.i18n.json delete mode 100644 i18n/cs.i18n.json delete mode 100644 i18n/de.i18n.json delete mode 100644 i18n/el.i18n.json delete mode 100644 i18n/en-GB.i18n.json delete mode 100644 i18n/eo.i18n.json delete mode 100644 i18n/es-AR.i18n.json delete mode 100644 i18n/es.i18n.json delete mode 100644 i18n/eu.i18n.json delete mode 100644 i18n/fa.i18n.json delete mode 100644 i18n/fi.i18n.json delete mode 100644 i18n/fr.i18n.json delete mode 100644 i18n/gl.i18n.json delete mode 100644 i18n/he.i18n.json delete mode 100644 i18n/hu.i18n.json delete mode 100644 i18n/hy.i18n.json delete mode 100644 i18n/id.i18n.json delete mode 100644 i18n/ig.i18n.json delete mode 100644 i18n/it.i18n.json delete mode 100644 i18n/ja.i18n.json delete mode 100644 i18n/km.i18n.json delete mode 100644 i18n/ko.i18n.json delete mode 100644 i18n/lv.i18n.json delete mode 100644 i18n/mn.i18n.json delete mode 100644 i18n/nb.i18n.json delete mode 100644 i18n/nl.i18n.json delete mode 100644 i18n/pl.i18n.json delete mode 100644 i18n/pt-BR.i18n.json delete mode 100644 i18n/pt.i18n.json delete mode 100644 i18n/ro.i18n.json delete mode 100644 i18n/ru.i18n.json delete mode 100644 i18n/sr.i18n.json delete mode 100644 i18n/sv.i18n.json delete mode 100644 i18n/ta.i18n.json delete mode 100644 i18n/th.i18n.json delete mode 100644 i18n/tr.i18n.json delete mode 100644 i18n/uk.i18n.json delete mode 100644 i18n/vi.i18n.json delete mode 100644 i18n/zh-CN.i18n.json delete mode 100644 i18n/zh-TW.i18n.json diff --git a/client/components/cards/cardDate.js b/client/components/cards/cardDate.js index e95c3a23..83cc1424 100644 --- a/client/components/cards/cardDate.js +++ b/client/components/cards/cardDate.js @@ -279,14 +279,18 @@ class CardDueDate extends CardDate { classes() { let classes = 'due-date' + ' '; - if ((this.now.get().diff(this.date.get(), 'days') >= 2) && + // if endAt exists & is < dueAt, dueAt doesn't need to be flagged + if ((this.data().endAt != 0) && + (this.data().endAt != null) && + (this.data().endAt != '') && + (this.data().endAt != undefined) && (this.date.get().isBefore(this.data().endAt))) + classes += 'current'; + else if (this.now.get().diff(this.date.get(), 'days') >= 2) classes += 'long-overdue'; - else if ((this.now.get().diff(this.date.get(), 'minute') >= 0) && - (this.date.get().isBefore(this.data().endAt))) + else if (this.now.get().diff(this.date.get(), 'minute') >= 0) classes += 'due'; - else if ((this.now.get().diff(this.date.get(), 'days') >= -1) && - (this.date.get().isBefore(this.data().endAt))) + else if (this.now.get().diff(this.date.get(), 'days') >= -1) classes += 'almost-due'; return classes; } @@ -316,10 +320,10 @@ class CardEndDate extends CardDate { let classes = 'end-date' + ' '; if (this.data.dueAt.diff(this.date.get(), 'days') >= 2) classes += 'long-overdue'; - else if (this.data.dueAt.diff(this.date.get(), 'days') >= 0) + else if (this.data.dueAt.diff(this.date.get(), 'days') > 0) classes += 'due'; - else if (this.data.dueAt.diff(this.date.get(), 'days') >= -2) - classes += 'almost-due'; + else if (this.data.dueAt.diff(this.date.get(), 'days') <= 0) + classes += 'current'; return classes; } diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json deleted file mode 100644 index cf8f7f49..00000000 --- a/i18n/ar.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "اقبلboard", - "act-activity-notify": "[Wekan] اشعار عن نشاط", - "act-addAttachment": "ربط __attachment__ الى __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "علق على __comment__ : __card__", - "act-createBoard": "احدث __board__", - "act-createCard": "اضاف __card__ الى __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "اضاف __list__ الى __board__", - "act-addBoardMember": "اضاف __member__ الى __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "إستورد __board__", - "act-importCard": "إستورد __card__", - "act-importList": "إستورد __list__", - "act-joinMember": "اضاف __member__ الى __card__", - "act-moveCard": "حوّل __card__ من __oldList__ إلى __list__", - "act-removeBoardMember": "أزال __member__ من __board__", - "act-restoredCard": "أعاد __card__ إلى __board__", - "act-unjoinMember": "أزال __member__ من __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "الإجراءات", - "activities": "الأنشطة", - "activity": "النشاط", - "activity-added": "تمت إضافة %s ل %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "إرفاق %s ل %s", - "activity-created": "أنشأ %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "استبعاد %s عن %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "انضم %s", - "activity-moved": "تم نقل %s من %s إلى %s", - "activity-on": "على %s", - "activity-removed": "حذف %s إلى %s", - "activity-sent": "إرسال %s إلى %s", - "activity-unjoined": "غادر %s", - "activity-checklist-added": "أضاف قائمة تحقق إلى %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "أضف", - "add-attachment": "إضافة مرفق", - "add-board": "إضافة لوحة", - "add-card": "إضافة بطاقة", - "add-swimlane": "Add Swimlane", - "add-checklist": "إضافة قائمة تدقيق", - "add-checklist-item": "إضافة عنصر إلى قائمة التحقق", - "add-cover": "إضافة غلاف", - "add-label": "إضافة ملصق", - "add-list": "إضافة قائمة", - "add-members": "تعيين أعضاء", - "added": "أُضيف", - "addMemberPopup-title": "الأعضاء", - "admin": "المدير", - "admin-desc": "إمكانية مشاهدة و تعديل و حذف أعضاء ، و تعديل إعدادات اللوحة أيضا.", - "admin-announcement": "إعلان", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "كل اللوحات", - "and-n-other-card": "And __count__ other بطاقة", - "and-n-other-card_plural": "And __count__ other بطاقات", - "apply": "طبق", - "app-is-offline": "يتمّ تحميل ويكان، يرجى الانتظار. سيؤدي تحديث الصفحة إلى فقدان البيانات. إذا لم يتم تحميل ويكان، يرجى التحقق من أن خادم ويكان لم يتوقف. ", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "استعادة اللوحة", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "تعيين عضو", - "attached": "أُرفق)", - "attachment": "مرفق", - "attachment-delete-pop": "حذف المرق هو حذف نهائي . لا يمكن التراجع إذا حذف.", - "attachmentDeletePopup-title": "تريد حذف المرفق ?", - "attachments": "المرفقات", - "auto-watch": "مراقبة لوحات تلقائيا عندما يتم إنشاؤها", - "avatar-too-big": "الصورة الرمزية كبيرة جدا (70 كيلوبايت كحد أقصى)", - "back": "رجوع", - "board-change-color": "تغيير اللومr", - "board-nb-stars": "%s نجوم", - "board-not-found": "لوحة مفقودة", - "board-private-info": "سوف تصبح هذه اللوحة خاصة", - "board-public-info": "سوف تصبح هذه اللوحة عامّة.", - "boardChangeColorPopup-title": "تعديل خلفية الشاشة", - "boardChangeTitlePopup-title": "إعادة تسمية اللوحة", - "boardChangeVisibilityPopup-title": "تعديل وضوح الرؤية", - "boardChangeWatchPopup-title": "تغيير المتابعة", - "boardMenuPopup-title": "قائمة اللوحة", - "boards": "لوحات", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "القائمات", - "bucket-example": "مثل « todo list » على سبيل المثال", - "cancel": "إلغاء", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "%s تعليقات لهذه البطاقة", - "card-delete-notice": "هذا حذف أبديّ . سوف تفقد كل الإجراءات المنوطة بهذه البطاقة", - "card-delete-pop": "سيتم إزالة جميع الإجراءات من تبعات النشاط، وأنك لن تكون قادرا على إعادة فتح البطاقة. لا يوجد التراجع.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "مستحق", - "card-due-on": "مستحق في", - "card-spent": "Spent Time", - "card-edit-attachments": "تعديل المرفقات", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "تعديل العلامات", - "card-edit-members": "تعديل الأعضاء", - "card-labels-title": "تعديل علامات البطاقة.", - "card-members-title": "إضافة او حذف أعضاء للبطاقة.", - "card-start": "بداية", - "card-start-on": "يبدأ في", - "cardAttachmentsPopup-title": "إرفاق من", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "حذف البطاقة ?", - "cardDetailsActionsPopup-title": "إجراءات على البطاقة", - "cardLabelsPopup-title": "علامات", - "cardMembersPopup-title": "أعضاء", - "cardMorePopup-title": "المزيد", - "cards": "بطاقات", - "cards-count": "بطاقات", - "change": "Change", - "change-avatar": "تعديل الصورة الشخصية", - "change-password": "تغيير كلمة المرور", - "change-permissions": "تعديل الصلاحيات", - "change-settings": "تغيير الاعدادات", - "changeAvatarPopup-title": "تعديل الصورة الشخصية", - "changeLanguagePopup-title": "تغيير اللغة", - "changePasswordPopup-title": "تغيير كلمة المرور", - "changePermissionsPopup-title": "تعديل الصلاحيات", - "changeSettingsPopup-title": "تغيير الاعدادات", - "checklists": "قوائم التّدقيق", - "click-to-star": "اضغط لإضافة اللوحة للمفضلة.", - "click-to-unstar": "اضغط لحذف اللوحة من المفضلة.", - "clipboard": "Clipboard or drag & drop", - "close": "غلق", - "close-board": "غلق اللوحة", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "تعليق", - "comment-placeholder": "أكتب تعليق", - "comment-only": "التعليق فقط", - "comment-only-desc": "يمكن التعليق على بطاقات فقط.", - "computer": "حاسوب", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "نسخ رابط البطاقة إلى الحافظة", - "copyCardPopup-title": "نسخ البطاقة", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "إنشاء", - "createBoardPopup-title": "إنشاء لوحة", - "chooseBoardSourcePopup-title": "استيراد لوحة", - "createLabelPopup-title": "إنشاء علامة", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "الحالي", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "تاريخ", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "تاريخ", - "decline": "Decline", - "default-avatar": "صورة شخصية افتراضية", - "delete": "حذف", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "حذف العلامة ?", - "description": "وصف", - "disambiguateMultiLabelPopup-title": "تحديد الإجراء على العلامة", - "disambiguateMultiMemberPopup-title": "تحديد الإجراء على العضو", - "discard": "التخلص منها", - "done": "Done", - "download": "تنزيل", - "edit": "تعديل", - "edit-avatar": "تعديل الصورة الشخصية", - "edit-profile": "تعديل الملف الشخصي", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "تغيير تاريخ البدء", - "editCardDueDatePopup-title": "تغيير تاريخ الاستحقاق", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "تعديل العلامة", - "editNotificationPopup-title": "تصحيح الإشعار", - "editProfilePopup-title": "تعديل الملف الشخصي", - "email": "البريد الإلكتروني", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "لا يمكنك دعوة نفسك", - "error-user-notCreated": "This user is not created", - "error-username-taken": "إسم المستخدم مأخوذ مسبقا", - "error-email-taken": "البريد الإلكتروني مأخوذ بالفعل", - "export-board": "Export board", - "filter": "تصفية", - "filter-cards": "تصفية البطاقات", - "filter-clear": "مسح التصفية", - "filter-no-label": "لا يوجد ملصق", - "filter-no-member": "ليس هناك أي عضو", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "التصفية تشتغل", - "filter-on-desc": "أنت بصدد تصفية بطاقات هذه اللوحة. اضغط هنا لتعديل التصفية.", - "filter-to-selection": "تصفية بالتحديد", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "الإسم الكامل", - "header-logo-title": "الرجوع إلى صفحة اللوحات", - "hide-system-messages": "إخفاء رسائل النظام", - "headerBarCreateBoardPopup-title": "إنشاء لوحة", - "home": "الرئيسية", - "import": "Import", - "import-board": "استيراد لوحة", - "import-board-c": "استيراد لوحة", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "استيراد لوحة من ويكان", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "من تريلو", - "from-wekan": "من ويكان", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", - "import-board-instruction-wekan": "في لوحة ويكان الخاصة بك، انتقل إلى 'القائمة'، ثم 'تصدير اللوحة'، ونسخ النص في الملف الذي تم تنزيله.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "رسم خريطة الأعضاء", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "حدّد عضو ويكان", - "info": "الإصدار", - "initials": "أولية", - "invalid-date": "تاريخ غير صالح", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "انضمّ", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "اختصار لوحة المفاتيح", - "label-create": "إنشاء علامة", - "label-default": "%s علامة (افتراضية)", - "label-delete-pop": "لا يوجد تراجع. سيؤدي هذا إلى إزالة هذه العلامة من جميع بطاقات والقضاء على تأريخها", - "labels": "علامات", - "language": "لغة", - "last-admin-desc": "لا يمكن تعديل الأدوار لأن ذلك يتطلب صلاحيات المدير.", - "leave-board": "مغادرة اللوحة", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "مغادرة اللوحة ؟", - "link-card": "ربط هذه البطاقة", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "نقل بطاقات هذه القائمة", - "list-select-cards": "تحديد بطاقات هذه القائمة", - "listActionPopup-title": "قائمة الإجراءات", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "المزيد", - "link-list": "رابط إلى هذه القائمة", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "القائمات", - "swimlanes": "Swimlanes", - "log-out": "تسجيل الخروج", - "log-in": "تسجيل الدخول", - "loginPopup-title": "تسجيل الدخول", - "memberMenuPopup-title": "أفضليات الأعضاء", - "members": "أعضاء", - "menu": "القائمة", - "move-selection": "Move selection", - "moveCardPopup-title": "نقل البطاقة", - "moveCardToBottom-title": "التحرك إلى القاع", - "moveCardToTop-title": "التحرك إلى الأعلى", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "تحديد أكثر من واحدة", - "multi-selection-on": "Multi-Selection is on", - "muted": "مكتوم", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "لوحاتي", - "name": "اسم", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "لا توجد نتائج", - "normal": "عادي", - "normal-desc": "يمكن مشاهدة و تعديل البطاقات. لا يمكن تغيير إعدادات الضبط.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "اختياري", - "or": "or", - "page-maybe-private": "قدتكون هذه الصفحة خاصة . قد تستطيع مشاهدتها ب تسجيل الدخول.", - "page-not-found": "صفحة غير موجودة", - "password": "كلمة المرور", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "المشاركة", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "خاص", - "private-desc": "هذه اللوحة خاصة . لا يسمح إلا للأعضاء .", - "profile": "ملف شخصي", - "public": "عامّ", - "public-desc": "هذه اللوحة عامة: مرئية لكلّ من يحصل على الرابط ، و هي مرئية أيضا في محركات البحث مثل جوجل. التعديل مسموح به للأعضاء فقط.", - "quick-access-description": "أضف لوحة إلى المفضلة لإنشاء اختصار في هذا الشريط.", - "remove-cover": "حذف الغلاف", - "remove-from-board": "حذف من اللوحة", - "remove-label": "إزالة التصنيف", - "listDeletePopup-title": "حذف القائمة ؟", - "remove-member": "حذف العضو", - "remove-member-from-card": "حذف من البطاقة", - "remove-member-pop": "حذف __name__ (__username__) من __boardTitle__ ? سيتم حذف هذا العضو من جميع بطاقة اللوحة مع إرسال إشعار له بذاك.", - "removeMemberPopup-title": "حذف العضو ?", - "rename": "إعادة التسمية", - "rename-board": "إعادة تسمية اللوحة", - "restore": "استعادة", - "save": "حفظ", - "search": "بحث", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "اختيار اللون", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "الإكمال التلقائي للرموز التعبيرية", - "shortcut-autocomplete-members": "الإكمال التلقائي لأسماء الأعضاء", - "shortcut-clear-filters": "مسح التصفيات", - "shortcut-close-dialog": "غلق النافذة", - "shortcut-filter-my-cards": "تصفية بطاقاتي", - "shortcut-show-shortcuts": "عرض قائمة الإختصارات ،تلك", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "إظهار-إخفاء الشريط الجانبي للوحة", - "show-cards-minimum-count": "إظهار عدد البطاقات إذا كانت القائمة تتضمن أكثر من", - "sidebar-open": "فتح الشريط الجانبي", - "sidebar-close": "إغلاق الشريط الجانبي", - "signupPopup-title": "إنشاء حساب", - "star-board-title": "اضغط لإضافة هذه اللوحة إلى المفضلة . سوف يتم إظهارها على رأس بقية اللوحات.", - "starred-boards": "اللوحات المفضلة", - "starred-boards-description": "تعرض اللوحات المفضلة على رأس بقية اللوحات.", - "subscribe": "اشتراك و متابعة", - "team": "فريق", - "this-board": "هذه اللوحة", - "this-card": "هذه البطاقة", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "الوقت", - "title": "عنوان", - "tracking": "تتبع", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "إلغاء تعيين العضو", - "unsaved-description": "لديك وصف غير محفوظ", - "unwatch": "غير مُشاهد", - "upload": "Upload", - "upload-avatar": "رفع صورة شخصية", - "uploaded-avatar": "تم رفع الصورة الشخصية", - "username": "اسم المستخدم", - "view-it": "شاهدها", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "مُشاهد", - "watching": "مشاهدة", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "لوحة التّرحيب", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "المبادئ", - "welcome-list2": "متقدم", - "what-to-do": "ماذا تريد أن تنجز?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "لوحة التحكم", - "settings": "الإعدادات", - "people": "الناس", - "registration": "تسجيل", - "disable-self-registration": "Disable Self-Registration", - "invite": "دعوة", - "invite-people": "الناس المدعوين", - "to-boards": "إلى اللوحات", - "email-addresses": "عناوين البريد الإلكتروني", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "تفعيل دعم TLS من اجل خادم SMTP", - "smtp-host": "مضيف SMTP", - "smtp-port": "منفذ SMTP", - "smtp-username": "اسم المستخدم", - "smtp-password": "كلمة المرور", - "smtp-tls": "دعم التي ال سي", - "send-from": "من", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "رمز الدعوة", - "email-invite-register-subject": "__inviter__ أرسل دعوة لك", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "رمز الدعوة غير موجود", - "error-notAuthorized": "أنتَ لا تملك الصلاحيات لرؤية هذه الصفحة.", - "outgoing-webhooks": "الويبهوك الصادرة", - "outgoingWebhooksPopup-title": "الويبهوك الصادرة", - "new-outgoing-webhook": "ويبهوك جديدة ", - "no-name": "(غير معروف)", - "Wekan_version": "إصدار ويكان", - "Node_version": "إصدار النود", - "OS_Arch": "معمارية نظام التشغيل", - "OS_Cpus": "استهلاك وحدة المعالجة المركزية لنظام التشغيل", - "OS_Freemem": "الذاكرة الحرة لنظام التشغيل", - "OS_Loadavg": "متوسط حمل نظام التشغيل", - "OS_Platform": "منصة نظام التشغيل", - "OS_Release": "إصدار نظام التشغيل", - "OS_Totalmem": "الذاكرة الكلية لنظام التشغيل", - "OS_Type": "نوع نظام التشغيل", - "OS_Uptime": "مدة تشغيل نظام التشغيل", - "hours": "الساعات", - "minutes": "الدقائق", - "seconds": "الثواني", - "show-field-on-card": "Show this field on card", - "yes": "نعم", - "no": "لا", - "accounts": "الحسابات", - "accounts-allowEmailChange": "السماح بتغيير البريد الإلكتروني", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json deleted file mode 100644 index 87c914bf..00000000 --- a/i18n/bg.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Accept", - "act-activity-notify": "[Wekan] Известия за дейности", - "act-addAttachment": "прикачи __attachment__ към __card__", - "act-addChecklist": "добави списък със задачи __checklist__ към __card__", - "act-addChecklistItem": "добави __checklistItem__ към списък със задачи __checklist__ в __card__", - "act-addComment": "Коментира в __card__: __comment__", - "act-createBoard": "създаде __board__", - "act-createCard": "добави __card__ към __list__", - "act-createCustomField": "създаде собствено поле __customField__", - "act-createList": "добави __list__ към __board__", - "act-addBoardMember": "добави __member__ към __board__", - "act-archivedBoard": "__board__ беше преместен в Кошчето", - "act-archivedCard": "__card__ беше преместена в Кошчето", - "act-archivedList": "__list__ беше преместен в Кошчето", - "act-archivedSwimlane": "__swimlane__ беше преместен в Кошчето", - "act-importBoard": "импортира __board__", - "act-importCard": "импортира __card__", - "act-importList": "импортира __list__", - "act-joinMember": "добави __member__ към __card__", - "act-moveCard": "премести __card__ от __oldList__ в __list__", - "act-removeBoardMember": "премахна __member__ от __board__", - "act-restoredCard": "възстанови __card__ в __board__", - "act-unjoinMember": "премахна __member__ от __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Действия", - "activity": "Дейности", - "activity-added": "добави %s към %s", - "activity-archived": "премести %s в Кошчето", - "activity-attached": "прикачи %s към %s", - "activity-created": "създаде %s", - "activity-customfield-created": "създаде собствено поле %s", - "activity-excluded": "изключи %s от %s", - "activity-imported": "импортира %s в/във %s от %s", - "activity-imported-board": "импортира %s от %s", - "activity-joined": "се присъедини към %s", - "activity-moved": "премести %s от %s в/във %s", - "activity-on": "на %s", - "activity-removed": "премахна %s от %s", - "activity-sent": "изпрати %s до %s", - "activity-unjoined": "вече не е част от %s", - "activity-checklist-added": "добави списък със задачи към %s", - "activity-checklist-item-added": "добави точка към '%s' в/във %s", - "add": "Добави", - "add-attachment": "Добави прикачен файл", - "add-board": "Добави дъска", - "add-card": "Добави карта", - "add-swimlane": "Добави коридор", - "add-checklist": "Добави списък със задачи", - "add-checklist-item": "Добави точка към списъка със задачи", - "add-cover": "Добави корица", - "add-label": "Добави етикет", - "add-list": "Добави списък", - "add-members": "Добави членове", - "added": "Добавено", - "addMemberPopup-title": "Членове", - "admin": "Администратор", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Съобщение", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Съобщение от администратора", - "all-boards": "Всички дъски", - "and-n-other-card": "И __count__ друга карта", - "and-n-other-card_plural": "И __count__ други карти", - "apply": "Приложи", - "app-is-offline": "Wekan зарежда, моля изчакайте! Презареждането на страницата може да доведе до загуба на данни. Ако Wekan не се зареди, моля проверете дали сървъра му работи.", - "archive": "Премести в Кошчето", - "archive-all": "Премести всички в Кошчето", - "archive-board": "Премести Дъската в Кошчето", - "archive-card": "Премести Картата в Кошчето", - "archive-list": "Премести Списъка в Кошчето", - "archive-swimlane": "Премести Коридора в Кошчето", - "archive-selection": "Премести избраните в Кошчето", - "archiveBoardPopup-title": "Сигурни ли сте, че искате да преместите Дъската в Кошчето?", - "archived-items": "Кошче", - "archived-boards": "Дъски в Кошчето", - "restore-board": "Възстанови Дъската", - "no-archived-boards": "Няма Дъски в Кошчето.", - "archives": "Кошче", - "assign-member": "Възложи на член от екипа", - "attached": "прикачен", - "attachment": "Прикаченн файл", - "attachment-delete-pop": "Изтриването на прикачен файл е завинаги. Няма как да бъде възстановен.", - "attachmentDeletePopup-title": "Желаете ли да изтриете прикачения файл?", - "attachments": "Прикачени файлове", - "auto-watch": "Автоматично наблюдаване на дъските, когато са създадени", - "avatar-too-big": "Аватарът е прекалено голям (максимум 70KB)", - "back": "Назад", - "board-change-color": "Промени цвета", - "board-nb-stars": "%s звезди", - "board-not-found": "Дъската не е намерена", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Промени името на Дъската", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Промени наблюдаването", - "boardMenuPopup-title": "Меню на Дъската", - "boards": "Дъски", - "board-view": "Board View", - "board-view-swimlanes": "Коридори", - "board-view-lists": "Списъци", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "Картата е преместена в Кошчето.", - "card-comments-title": "Тази карта има %s коментар.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Готова за", - "card-due-on": "Готова за", - "card-spent": "Изработено време", - "card-edit-attachments": "Промени прикачените файлове", - "card-edit-custom-fields": "Промени собствените полета", - "card-edit-labels": "Промени етикетите", - "card-edit-members": "Промени членовете", - "card-labels-title": "Промени етикетите за картата.", - "card-members-title": "Добави или премахни членове на Дъската от тази карта.", - "card-start": "Начало", - "card-start-on": "Започва на", - "cardAttachmentsPopup-title": "Прикачи от", - "cardCustomField-datePopup-title": "Промени датата", - "cardCustomFieldsPopup-title": "Промени собствените полета", - "cardDeletePopup-title": "Желаете да изтриете картата?", - "cardDetailsActionsPopup-title": "Опции", - "cardLabelsPopup-title": "Етикети", - "cardMembersPopup-title": "Членове", - "cardMorePopup-title": "Още", - "cards": "Карти", - "cards-count": "Карти", - "change": "Промени", - "change-avatar": "Промени аватара", - "change-password": "Промени паролата", - "change-permissions": "Change permissions", - "change-settings": "Промени настройките", - "changeAvatarPopup-title": "Промени аватара", - "changeLanguagePopup-title": "Промени езика", - "changePasswordPopup-title": "Промени паролата", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Промяна на настройките", - "checklists": "Списъци със задачи", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Натиснете, за да премахнете тази дъска от любими.", - "clipboard": "Клипборда или с драг & дроп", - "close": "Затвори", - "close-board": "Затвори Дъската", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "черно", - "color-blue": "синьо", - "color-green": "зелено", - "color-lime": "лайм", - "color-orange": "оранжево", - "color-pink": "розово", - "color-purple": "пурпурно", - "color-red": "червено", - "color-sky": "светло синьо", - "color-yellow": "жълто", - "comment": "Коментирай", - "comment-placeholder": "Напиши коментар", - "comment-only": "Само коментар", - "comment-only-desc": "Може да коментира само в карти.", - "computer": "Компютър", - "confirm-checklist-delete-dialog": "Сигурни ли сте, че искате да изтриете този чеклист?", - "copy-card-link-to-clipboard": "Копирай връзката на картата в клипборда", - "copyCardPopup-title": "Копирай картата", - "copyChecklistToManyCardsPopup-title": "Копирай шаблона за чеклисти в много карти", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Чекбокс", - "custom-field-date": "Дата", - "custom-field-dropdown": "Падащо меню", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Номер", - "custom-field-text": "Текст", - "custom-fields": "Собствени полета", - "date": "Дата", - "decline": "Отказ", - "default-avatar": "Основен аватар", - "delete": "Изтрий", - "deleteCustomFieldPopup-title": "Изтриване на Собственото поле?", - "deleteLabelPopup-title": "Желаете да изтриете етикета?", - "description": "Описание", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Отказ", - "done": "Готово", - "download": "Сваляне", - "edit": "Промени", - "edit-avatar": "Промени аватара", - "edit-profile": "Промяна на профила", - "edit-wip-limit": "Промени WIP лимита", - "soft-wip-limit": "\"Мек\" WIP лимит", - "editCardStartDatePopup-title": "Промени началната дата", - "editCardDueDatePopup-title": "Промени датата за готовност", - "editCustomFieldPopup-title": "Промени Полето", - "editCardSpentTimePopup-title": "Промени изработеното време", - "editLabelPopup-title": "Промяна на Етикета", - "editNotificationPopup-title": "Промени известията", - "editProfilePopup-title": "Промяна на профила", - "email": "Имейл", - "email-enrollAccount-subject": "Ваш профил беше създаден на __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Неуспешно изпращане на имейла", - "email-fail-text": "Възникна грешка при изпращането на имейла", - "email-invalid": "Невалиден имейл", - "email-invite": "Покани чрез имейл", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Имейлът е изпратен", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Включи WIP лимита", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Имейлът е вече зает", - "export-board": "Export board", - "filter": "Филтър", - "filter-cards": "Филтрирай картите", - "filter-clear": "Премахване на филтрите", - "filter-no-label": "без етикет", - "filter-no-member": "без член", - "filter-no-custom-fields": "Няма Собствени полета", - "filter-on": "Има приложени филтри", - "filter-on-desc": "В момента филтрирате картите в тази дъска. Моля, натиснете тук, за да промените филтъра.", - "filter-to-selection": "Филтрирай избраните", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Име", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Скриване на системните съобщения", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Начало", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Избери Wekan член", - "info": "Версия", - "initials": "Инициали", - "invalid-date": "Невалидна дата", - "invalid-time": "Невалиден час", - "invalid-user": "Невалиден потребител", - "joined": "присъедини ", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Създай етикет", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Етикети", - "language": "Език", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Връзка към тази карта", - "list-archive-cards": "Премести всички карти от този списък в Кошчето", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Премести всички карти в този списък", - "list-select-cards": "Избери всички карти в този списък", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Импорт на карта от Trello", - "listMorePopup-title": "Още", - "link-list": "Връзка към този списък", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "Можете да преместите списък в Кошчето, за да го премахнете от Дъската и запазите активността.", - "lists": "Списъци", - "swimlanes": "Коридори", - "log-out": "Изход", - "log-in": "Вход", - "loginPopup-title": "Вход", - "memberMenuPopup-title": "Настройки на профила", - "members": "Членове", - "menu": "Меню", - "move-selection": "Move selection", - "moveCardPopup-title": "Премести картата", - "moveCardToBottom-title": "Премести в края", - "moveCardToTop-title": "Премести в началото", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Множествен избор", - "multi-selection-on": "Множественият избор е приложен", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "Моите дъски", - "name": "Име", - "no-archived-cards": "Няма карти в Кошчето.", - "no-archived-lists": "Няма списъци в Кошчето.", - "no-archived-swimlanes": "Няма коридори в Кошчето.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Получавате информация за всички карти, в които сте отбелязани или сте създали", - "notify-watch": "Получавате информация за всички дъски, списъци и карти, които наблюдавате", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Парола", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Профил", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Желаете да изтриете списъка?", - "remove-member": "Премахни член", - "remove-member-from-card": "Премахни от картата", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Промени името на Дъската", - "restore": "Възстанови", - "save": "Запази", - "search": "Търсене", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Избери цвят", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Въведи WIP лимит", - "shortcut-assign-self": "Добави себе си към тази карта", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Изчистване на всички филтри", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Филтрирай моите карти", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Отвори/затвори сайдбара с филтри", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Покажи бройката на картите, ако списъка съдържа повече от", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Любими дъски", - "starred-boards-description": "Любимите дъски се показват в началото на списъка Ви.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "картата", - "spent-time-hours": "Изработено време (часа)", - "overtime-hours": "Оувъртайм (часа)", - "overtime": "Оувъртайм", - "has-overtime-cards": "Има карти с оувъртайм", - "has-spenttime-cards": "Има карти с изработено време", - "time": "Време", - "title": "Title", - "tracking": "Следене", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Спри наблюдаването", - "upload": "Upload", - "upload-avatar": "Качване на аватар", - "uploaded-avatar": "Качихте аватар", - "username": "Потребителско име", - "view-it": "View it", - "warn-list-archived": "внимание: тази карта е в списък, който е в Кошчето", - "watch": "Наблюдавай", - "watching": "Наблюдава", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Невалиден WIP лимит", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Моля, преместете някои от задачите от този списък или въведете по-висок WIP лимит.", - "admin-panel": "Администраторски панел", - "settings": "Настройки", - "people": "Хора", - "registration": "Регистрация", - "disable-self-registration": "Disable Self-Registration", - "invite": "Покани", - "invite-people": "Покани хора", - "to-boards": "To board(s)", - "email-addresses": "Имейл адреси", - "smtp-host-description": "Адресът на SMTP сървъра, който обслужва Вашите имейли.", - "smtp-port-description": "Портът, който Вашият SMTP сървър използва за изходящи имейли.", - "smtp-tls-description": "Разреши TLS поддръжка за SMTP сървъра", - "smtp-host": "SMTP хост", - "smtp-port": "SMTP порт", - "smtp-username": "Потребителско име", - "smtp-password": "Парола", - "smtp-tls": "TLS поддръжка", - "send-from": "От", - "send-smtp-test": "Изпрати тестов имейл на себе си", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP тестов имейл, изпратен от Wekan", - "email-smtp-test-text": "Успешно изпратихте имейл", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Версия на Wekan", - "Node_version": "Версия на Node", - "OS_Arch": "Архитектура на ОС", - "OS_Cpus": "Брой CPU ядра", - "OS_Freemem": "Свободна памет", - "OS_Loadavg": "ОС средно натоварване", - "OS_Platform": "ОС платформа", - "OS_Release": "ОС Версия", - "OS_Totalmem": "ОС Общо памет", - "OS_Type": "Тип ОС", - "OS_Uptime": "OS Ъптайм", - "hours": "часа", - "minutes": "минути", - "seconds": "секунди", - "show-field-on-card": "Покажи това поле в картата", - "yes": "Да", - "no": "Не", - "accounts": "Профили", - "accounts-allowEmailChange": "Разреши промяна на имейла", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Създаден на", - "verified": "Потвърден", - "active": "Активен", - "card-received": "Получена", - "card-received-on": "Получена на", - "card-end": "Завършена", - "card-end-on": "Завършена на", - "editCardReceivedDatePopup-title": "Промени датата на получаване", - "editCardEndDatePopup-title": "Промени датата на завършване", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json deleted file mode 100644 index 3d424578..00000000 --- a/i18n/br.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Asantiñ", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Oberoù", - "activities": "Oberiantizoù", - "activity": "Oberiantiz", - "activity-added": "%s ouzhpennet da %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "%s liammet ouzh %s", - "activity-created": "%s krouet", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "%s enporzhiet eus %s da %s", - "activity-imported-board": "%s enporzhiet da %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Ouzhpenn", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Ouzphenn ur golo", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Ouzhpenn izili", - "added": "Ouzhpennet", - "addMemberPopup-title": "Izili", - "admin": "Merour", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Kemmañ al liv", - "board-nb-stars": "%s stered", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Diverkañ ar gartenn ?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Izili", - "cardMorePopup-title": "Muioc’h", - "cards": "Kartennoù", - "cards-count": "Kartennoù", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Kemmañ ger-tremen", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Kemmañ ger-tremen", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "du", - "color-blue": "glas", - "color-green": "gwer", - "color-lime": "melen sitroñs", - "color-orange": "orañjez", - "color-pink": "roz", - "color-purple": "mouk", - "color-red": "ruz", - "color-sky": "pers", - "color-yellow": "melen", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Krouiñ", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Diverkañ", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Graet", - "download": "Download", - "edit": "Kemmañ", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Yezh", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "Muioc’h", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Izili", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Ger-tremen", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Ger-tremen", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json deleted file mode 100644 index 249056aa..00000000 --- a/i18n/ca.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Accepta", - "act-activity-notify": "[Wekan] Notificació d'activitat", - "act-addAttachment": "adjuntat __attachment__ a __card__", - "act-addChecklist": "afegida la checklist _checklist__ a __card__", - "act-addChecklistItem": "afegit __checklistItem__ a la checklist __checklist__ on __card__", - "act-addComment": "comentat a __card__: __comment__", - "act-createBoard": "creat __board__", - "act-createCard": "afegit/da __card__ a __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "afegit/da __list__ a __board__", - "act-addBoardMember": "afegit/da __member__ a __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "__board__ importat", - "act-importCard": "__card__ importat", - "act-importList": "__list__ importat", - "act-joinMember": "afegit/da __member__ a __card__", - "act-moveCard": "mou __card__ de __oldList__ a __list__", - "act-removeBoardMember": "elimina __member__ de __board__", - "act-restoredCard": "recupera __card__ a __board__", - "act-unjoinMember": "elimina __member__ de __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Accions", - "activities": "Activitats", - "activity": "Activitat", - "activity-added": "ha afegit %s a %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "ha adjuntat %s a %s", - "activity-created": "ha creat %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "ha exclòs %s de %s", - "activity-imported": "importat %s dins %s des de %s", - "activity-imported-board": "importat %s des de %s", - "activity-joined": "s'ha unit a %s", - "activity-moved": "ha mogut %s de %s a %s", - "activity-on": "en %s", - "activity-removed": "ha eliminat %s de %s", - "activity-sent": "ha enviat %s %s", - "activity-unjoined": "desassignat %s", - "activity-checklist-added": "Checklist afegida a %s", - "activity-checklist-item-added": "afegida entrada de checklist de '%s' a %s", - "add": "Afegeix", - "add-attachment": "Afegeix adjunt", - "add-board": "Afegeix Tauler", - "add-card": "Afegeix fitxa", - "add-swimlane": "Afegix Carril de Natació", - "add-checklist": "Afegeix checklist", - "add-checklist-item": "Afegeix un ítem", - "add-cover": "Afegeix coberta", - "add-label": "Afegeix etiqueta", - "add-list": "Afegeix llista", - "add-members": "Afegeix membres", - "added": "Afegit", - "addMemberPopup-title": "Membres", - "admin": "Administrador", - "admin-desc": "Pots veure i editar fitxes, eliminar membres, i canviar la configuració del tauler", - "admin-announcement": "Bàndol", - "admin-announcement-active": "Activar bàndol del Sistema", - "admin-announcement-title": "Bàndol de l'administració", - "all-boards": "Tots els taulers", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Aplica", - "app-is-offline": "Wekan s'està carregant, esperau si us plau. Refrescar la pàgina causarà la pérdua de les dades. Si Wekan no carrega, verificau que el servei de Wekan no estigui aturat", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restaura Tauler", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assignar membre", - "attached": "adjuntat", - "attachment": "Adjunt", - "attachment-delete-pop": "L'esborrat d'un arxiu adjunt és permanent. No es pot desfer.", - "attachmentDeletePopup-title": "Esborrar adjunt?", - "attachments": "Adjunts", - "auto-watch": "Automàticament segueix el taulers quan són creats", - "avatar-too-big": "L'avatar es massa gran (70KM max)", - "back": "Enrere", - "board-change-color": "Canvia el color", - "board-nb-stars": "%s estrelles", - "board-not-found": "No s'ha trobat el tauler", - "board-private-info": "Aquest tauler serà privat .", - "board-public-info": "Aquest tauler serà públic .", - "boardChangeColorPopup-title": "Canvia fons", - "boardChangeTitlePopup-title": "Canvia el nom tauler", - "boardChangeVisibilityPopup-title": "Canvia visibilitat", - "boardChangeWatchPopup-title": "Canvia seguiment", - "boardMenuPopup-title": "Menú del tauler", - "boards": "Taulers", - "board-view": "Visió del tauler", - "board-view-swimlanes": "Carrils de Natació", - "board-view-lists": "Llistes", - "bucket-example": "Igual que “Bucket List”, per exemple", - "cancel": "Cancel·la", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "Aquesta fitxa té %s comentaris.", - "card-delete-notice": "L'esborrat és permanent. Perdreu totes les accions associades a aquesta fitxa.", - "card-delete-pop": "Totes les accions s'eliminaran de l'activitat i no podreu tornar a obrir la fitxa. No es pot desfer.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Finalitza", - "card-due-on": "Finalitza a", - "card-spent": "Temps Dedicat", - "card-edit-attachments": "Edita arxius adjunts", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edita etiquetes", - "card-edit-members": "Edita membres", - "card-labels-title": "Canvia les etiquetes de la fitxa", - "card-members-title": "Afegeix o eliminar membres del tauler des de la fitxa.", - "card-start": "Comença", - "card-start-on": "Comença a", - "cardAttachmentsPopup-title": "Adjunta des de", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Esborrar fitxa?", - "cardDetailsActionsPopup-title": "Accions de fitxes", - "cardLabelsPopup-title": "Etiquetes", - "cardMembersPopup-title": "Membres", - "cardMorePopup-title": "Més", - "cards": "Fitxes", - "cards-count": "Fitxes", - "change": "Canvia", - "change-avatar": "Canvia Avatar", - "change-password": "Canvia la clau", - "change-permissions": "Canvia permisos", - "change-settings": "Canvia configuració", - "changeAvatarPopup-title": "Canvia Avatar", - "changeLanguagePopup-title": "Canvia idioma", - "changePasswordPopup-title": "Canvia la contrasenya", - "changePermissionsPopup-title": "Canvia permisos", - "changeSettingsPopup-title": "Canvia configuració", - "checklists": "Checklists", - "click-to-star": "Fes clic per destacar aquest tauler.", - "click-to-unstar": "Fes clic per deixar de destacar aquest tauler.", - "clipboard": "Portaretalls o estirar i amollar", - "close": "Tanca", - "close-board": "Tanca tauler", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "negre", - "color-blue": "blau", - "color-green": "verd", - "color-lime": "llima", - "color-orange": "taronja", - "color-pink": "rosa", - "color-purple": "púrpura", - "color-red": "vermell", - "color-sky": "cel", - "color-yellow": "groc", - "comment": "Comentari", - "comment-placeholder": "Escriu un comentari", - "comment-only": "Només comentaris", - "comment-only-desc": "Només pots fer comentaris a les fitxes", - "computer": "Ordinador", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copia l'enllaç de la ftixa al porta-retalls", - "copyCardPopup-title": "Copia la fitxa", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Títols de fitxa i Descripcions de destí en aquest format JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Títol de la primera fitxa\", \"description\":\"Descripció de la primera fitxa\"}, {\"title\":\"Títol de la segona fitxa\",\"description\":\"Descripció de la segona fitxa\"},{\"title\":\"Títol de l'última fitxa\",\"description\":\"Descripció de l'última fitxa\"} ]", - "create": "Crea", - "createBoardPopup-title": "Crea tauler", - "chooseBoardSourcePopup-title": "Importa Tauler", - "createLabelPopup-title": "Crea etiqueta", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "Actual", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Data", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Data", - "decline": "Declina", - "default-avatar": "Avatar per defecte", - "delete": "Esborra", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Esborra etiqueta", - "description": "Descripció", - "disambiguateMultiLabelPopup-title": "Desfe l'ambigüitat en les etiquetes", - "disambiguateMultiMemberPopup-title": "Desfe l'ambigüitat en els membres", - "discard": "Descarta", - "done": "Fet", - "download": "Descarrega", - "edit": "Edita", - "edit-avatar": "Canvia Avatar", - "edit-profile": "Edita el teu Perfil", - "edit-wip-limit": "Edita el Límit de Treball en Progrès", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Canvia data d'inici", - "editCardDueDatePopup-title": "Canvia data de finalització", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Canvia temps dedicat", - "editLabelPopup-title": "Canvia etiqueta", - "editNotificationPopup-title": "Edita la notificació", - "editProfilePopup-title": "Edita teu Perfil", - "email": "Correu electrònic", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hola __user__,\n\nPer començar a utilitzar el servei, segueix l'enllaç següent.\n\n__url__\n\nGràcies.", - "email-fail": "Error enviant el correu", - "email-fail-text": "Error en intentar enviar e-mail", - "email-invalid": "Adreça de correu invàlida", - "email-invite": "Convida mitjançant correu electrònic", - "email-invite-subject": "__inviter__ t'ha convidat", - "email-invite-text": "Benvolgut __user__,\n\n __inviter__ t'ha convidat a participar al tauler \"__board__\" per col·laborar-hi.\n\nSegueix l'enllaç següent:\n\n __url__\n\n Gràcies.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hola __user__,\n \n per resetejar la teva contrasenya, segueix l'enllaç següent.\n \n __url__\n \n Gràcies.", - "email-sent": "Correu enviat", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hola __user__, \n\n per verificar el teu correu, segueix l'enllaç següent.\n\n __url__\n\n Gràcies.", - "enable-wip-limit": "Activa e Límit de Treball en Progrès", - "error-board-doesNotExist": "Aquest tauler no existeix", - "error-board-notAdmin": "Necessites ser administrador d'aquest tauler per dur a lloc aquest acció", - "error-board-notAMember": "Necessites ser membre d'aquest tauler per dur a terme aquesta acció", - "error-json-malformed": "El text no és JSON vàlid", - "error-json-schema": "La dades JSON no contenen la informació en el format correcte", - "error-list-doesNotExist": "La llista no existeix", - "error-user-doesNotExist": "L'usuari no existeix", - "error-user-notAllowSelf": "No et pots convidar a tu mateix", - "error-user-notCreated": "L'usuari no s'ha creat", - "error-username-taken": "Aquest usuari ja existeix", - "error-email-taken": "L'adreça de correu electrònic ja és en ús", - "export-board": "Exporta tauler", - "filter": "Filtre", - "filter-cards": "Fitxes de filtre", - "filter-clear": "Elimina filtre", - "filter-no-label": "Sense etiqueta", - "filter-no-member": "Sense membres", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filtra per", - "filter-on-desc": "Estau filtrant fitxes en aquest tauler. Feu clic aquí per editar el filtre.", - "filter-to-selection": "Filtra selecció", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Nom complet", - "header-logo-title": "Torna a la teva pàgina de taulers", - "hide-system-messages": "Oculta missatges del sistema", - "headerBarCreateBoardPopup-title": "Crea tauler", - "home": "Inici", - "import": "importa", - "import-board": "Importa tauler", - "import-board-c": "Importa tauler", - "import-board-title-trello": "Importa tauler des de Trello", - "import-board-title-wekan": "I", - "import-sandstorm-warning": "Estau segur que voleu esborrar aquesta checklist?", - "from-trello": "Des de Trello", - "from-wekan": "Des de Wekan", - "import-board-instruction-trello": "En el teu tauler Trello, ves a 'Menú', 'Més'.' Imprimir i Exportar', 'Exportar JSON', i copia el text resultant.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Aferra codi JSON vàlid aquí", - "import-map-members": "Mapeja el membres", - "import-members-map": "El tauler importat conté membres. Assigna els membres que vulguis importar a usuaris Wekan", - "import-show-user-mapping": "Revisa l'assignació de membres", - "import-user-select": "Selecciona l'usuari Wekan que vulguis associar a aquest membre", - "importMapMembersAddPopup-title": "Selecciona un membre de Wekan", - "info": "Versió", - "initials": "Inicials", - "invalid-date": "Data invàlida", - "invalid-time": "Temps Invàlid", - "invalid-user": "Usuari invàlid", - "joined": "s'ha unit", - "just-invited": "Has estat convidat a aquest tauler", - "keyboard-shortcuts": "Dreceres de teclat", - "label-create": "Crea etiqueta", - "label-default": "%s etiqueta (per defecte)", - "label-delete-pop": "No es pot desfer. Això eliminarà aquesta etiqueta de totes les fitxes i destruirà la seva història.", - "labels": "Etiquetes", - "language": "Idioma", - "last-admin-desc": "No podeu canviar rols perquè ha d'haver-hi almenys un administrador.", - "leave-board": "Abandona tauler", - "leave-board-pop": "De debò voleu abandonar __boardTitle__? Se us eliminarà de totes les fitxes d'aquest tauler.", - "leaveBoardPopup-title": "Abandonar Tauler?", - "link-card": "Enllaç a aquesta fitxa", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Mou totes les fitxes d'aquesta llista", - "list-select-cards": "Selecciona totes les fitxes d'aquesta llista", - "listActionPopup-title": "Accions de la llista", - "swimlaneActionPopup-title": "Accions de Carril de Natació", - "listImportCardPopup-title": "importa una fitxa de Trello", - "listMorePopup-title": "Més", - "link-list": "Enllaça a aquesta llista", - "list-delete-pop": "Totes les accions seran esborrades de la llista d'activitats i no serà possible recuperar la llista", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Llistes", - "swimlanes": "Carrils de Natació", - "log-out": "Finalitza la sessió", - "log-in": "Ingresa", - "loginPopup-title": "Inicia sessió", - "memberMenuPopup-title": "Configura membres", - "members": "Membres", - "menu": "Menú", - "move-selection": "Move selection", - "moveCardPopup-title": "Moure fitxa", - "moveCardToBottom-title": "Mou a la part inferior", - "moveCardToTop-title": "Mou a la part superior", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selecció", - "multi-selection-on": "Multi-Selecció està activada", - "muted": "En silenci", - "muted-info": "No seràs notificat dels canvis en aquest tauler", - "my-boards": "Els meus taulers", - "name": "Nom", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Sense resultats", - "normal": "Normal", - "normal-desc": "Podeu veure i editar fitxes. No podeu canviar la configuració.", - "not-accepted-yet": "La invitació no ha esta acceptada encara", - "notify-participate": "Rebre actualitzacions per a cada fitxa de la qual n'ets creador o membre", - "notify-watch": "Rebre actualitzacions per qualsevol tauler, llista o fitxa en observació", - "optional": "opcional", - "or": "o", - "page-maybe-private": "Aquesta pàgina és privada. Per veure-la entra .", - "page-not-found": "Pàgina no trobada.", - "password": "Contrasenya", - "paste-or-dragdrop": "aferra, o estira i amolla la imatge (només imatge)", - "participating": "Participant", - "preview": "Vista prèvia", - "previewAttachedImagePopup-title": "Vista prèvia", - "previewClipboardImagePopup-title": "Vista prèvia", - "private": "Privat", - "private-desc": "Aquest tauler és privat. Només les persones afegides al tauler poden veure´l i editar-lo.", - "profile": "Perfil", - "public": "Públic", - "public-desc": "Aquest tauler és públic. És visible per a qualsevol persona amb l'enllaç i es mostrarà en els motors de cerca com Google. Només persones afegides al tauler poden editar-lo.", - "quick-access-description": "Inicia un tauler per afegir un accés directe en aquest barra", - "remove-cover": "Elimina coberta", - "remove-from-board": "Elimina del tauler", - "remove-label": "Elimina l'etiqueta", - "listDeletePopup-title": "Esborrar la llista?", - "remove-member": "Elimina membre", - "remove-member-from-card": "Elimina de la fitxa", - "remove-member-pop": "Eliminar __name__ (__username__) de __boardTitle__ ? El membre serà eliminat de totes les fitxes d'aquest tauler. Ells rebran una notificació.", - "removeMemberPopup-title": "Vols suprimir el membre?", - "rename": "Canvia el nom", - "rename-board": "Canvia el nom del tauler", - "restore": "Restaura", - "save": "Desa", - "search": "Cerca", - "search-cards": "Cerca títols de fitxa i descripcions en aquest tauler", - "search-example": "Text que cercar?", - "select-color": "Selecciona color", - "set-wip-limit-value": "Limita el màxim nombre de tasques en aquesta llista", - "setWipLimitPopup-title": "Configura el Límit de Treball en Progrès", - "shortcut-assign-self": "Assigna't la ftixa actual", - "shortcut-autocomplete-emoji": "Autocompleta emoji", - "shortcut-autocomplete-members": "Autocompleta membres", - "shortcut-clear-filters": "Elimina tots els filters", - "shortcut-close-dialog": "Tanca el diàleg", - "shortcut-filter-my-cards": "Filtra les meves fitxes", - "shortcut-show-shortcuts": "Mostra aquesta lista d'accessos directes", - "shortcut-toggle-filterbar": "Canvia la barra lateral del tauler", - "shortcut-toggle-sidebar": "Canvia Sidebar del Tauler", - "show-cards-minimum-count": "Mostra contador de fitxes si la llista en conté més de", - "sidebar-open": "Mostra barra lateral", - "sidebar-close": "Amaga barra lateral", - "signupPopup-title": "Crea un compte", - "star-board-title": "Fes clic per destacar aquest tauler. Es mostrarà a la part superior de la llista de taulers.", - "starred-boards": "Taulers destacats", - "starred-boards-description": "Els taulers destacats es mostraran a la part superior de la llista de taulers.", - "subscribe": "Subscriure", - "team": "Equip", - "this-board": "aquest tauler", - "this-card": "aquesta fitxa", - "spent-time-hours": "Temps dedicat (hores)", - "overtime-hours": "Temps de més (hores)", - "overtime": "Temps de més", - "has-overtime-cards": "Té fitxes amb temps de més", - "has-spenttime-cards": "Té fitxes amb temps dedicat", - "time": "Hora", - "title": "Títol", - "tracking": "En seguiment", - "tracking-info": "Seràs notificat per cada canvi a aquelles fitxes de les que n'eres creador o membre", - "type": "Type", - "unassign-member": "Desassignar membre", - "unsaved-description": "Tens una descripció sense desar.", - "unwatch": "Suprimeix observació", - "upload": "Puja", - "upload-avatar": "Actualitza avatar", - "uploaded-avatar": "Avatar actualitzat", - "username": "Nom d'Usuari", - "view-it": "Vist", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Observa", - "watching": "En observació", - "watching-info": "Seràs notificat de cada canvi en aquest tauler", - "welcome-board": "Tauler de benvinguda", - "welcome-swimlane": "Objectiu 1", - "welcome-list1": "Bàsics", - "welcome-list2": "Avançades", - "what-to-do": "Què vols fer?", - "wipLimitErrorPopup-title": "Límit de Treball en Progrès invàlid", - "wipLimitErrorPopup-dialog-pt1": "El nombre de tasques en esta llista és superior al límit de Treball en Progrès que heu definit.", - "wipLimitErrorPopup-dialog-pt2": "Si us plau mogui algunes taques fora d'aquesta llista, o configuri un límit de Treball en Progrès superior.", - "admin-panel": "Tauler d'administració", - "settings": "Configuració", - "people": "Persones", - "registration": "Registre", - "disable-self-registration": "Deshabilita Auto-Registre", - "invite": "Convida", - "invite-people": "Convida a persones", - "to-boards": "Al tauler(s)", - "email-addresses": "Adreça de correu", - "smtp-host-description": "L'adreça del vostre servidor SMTP.", - "smtp-port-description": "El port del vostre servidor SMTP.", - "smtp-tls-description": "Activa suport TLS pel servidor SMTP", - "smtp-host": "Servidor SMTP", - "smtp-port": "Port SMTP", - "smtp-username": "Nom d'Usuari", - "smtp-password": "Contrasenya", - "smtp-tls": "Suport TLS", - "send-from": "De", - "send-smtp-test": "Envia't un correu electrònic de prova", - "invitation-code": "Codi d'invitació", - "email-invite-register-subject": "__inviter__ t'ha convidat", - "email-invite-register-text": " __user__,\n\n __inviter__ us ha convidat a col·laborar a Wekan.\n\n Clicau l'enllaç següent per acceptar l'invitació:\n __url__\n\n El vostre codi d'invitació és: __icode__\n\n Gràcies", - "email-smtp-test-subject": "Correu de Prova SMTP de Wekan", - "email-smtp-test-text": "Has enviat un missatge satisfactòriament", - "error-invitation-code-not-exist": "El codi d'invitació no existeix", - "error-notAuthorized": "No estau autoritzats per veure aquesta pàgina", - "outgoing-webhooks": "Webhooks sortints", - "outgoingWebhooksPopup-title": "Webhooks sortints", - "new-outgoing-webhook": "Nou Webook sortint", - "no-name": "Importa tauler des de Wekan", - "Wekan_version": "Versió Wekan", - "Node_version": "Versió Node", - "OS_Arch": "Arquitectura SO", - "OS_Cpus": "Plataforma SO", - "OS_Freemem": "Memòria lliure", - "OS_Loadavg": "Carrega de SO", - "OS_Platform": "Plataforma de SO", - "OS_Release": "Versió SO", - "OS_Totalmem": "Memòria total", - "OS_Type": "Tipus de SO", - "OS_Uptime": "Temps d'activitat", - "hours": "hores", - "minutes": "minuts", - "seconds": "segons", - "show-field-on-card": "Show this field on card", - "yes": "Si", - "no": "No", - "accounts": "Comptes", - "accounts-allowEmailChange": "Permet modificar correu electrònic", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Creat ", - "verified": "Verificat", - "active": "Actiu", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json deleted file mode 100644 index 97e02e06..00000000 --- a/i18n/cs.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Přijmout", - "act-activity-notify": "[Wekan] Notifikace aktivit", - "act-addAttachment": "přiložen __attachment__ do __card__", - "act-addChecklist": "přidán checklist __checklist__ do __card__", - "act-addChecklistItem": "přidán __checklistItem__ do checklistu __checklist__ v __card__", - "act-addComment": "komentář k __card__: __comment__", - "act-createBoard": "přidání __board__", - "act-createCard": "přidání __card__ do __list__", - "act-createCustomField": "vytvořeno vlastní pole __customField__", - "act-createList": "přidání __list__ do __board__", - "act-addBoardMember": "přidání __member__ do __board__", - "act-archivedBoard": "__board__ bylo přesunuto do koše", - "act-archivedCard": "__card__ bylo přesunuto do koše", - "act-archivedList": "__list__ bylo přesunuto do koše", - "act-archivedSwimlane": "__swimlane__ bylo přesunuto do koše", - "act-importBoard": "import __board__", - "act-importCard": "import __card__", - "act-importList": "import __list__", - "act-joinMember": "přidání __member__ do __card__", - "act-moveCard": "přesun __card__ z __oldList__ do __list__", - "act-removeBoardMember": "odstranění __member__ z __board__", - "act-restoredCard": "obnovení __card__ do __board__", - "act-unjoinMember": "odstranění __member__ z __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Akce", - "activities": "Aktivity", - "activity": "Aktivita", - "activity-added": "%s přidáno k %s", - "activity-archived": "%s bylo přesunuto do koše", - "activity-attached": "přiloženo %s k %s", - "activity-created": "%s vytvořeno", - "activity-customfield-created": "vytvořeno vlastní pole %s", - "activity-excluded": "%s vyjmuto z %s", - "activity-imported": "importován %s do %s z %s", - "activity-imported-board": "importován %s z %s", - "activity-joined": "spojen %s", - "activity-moved": "%s přesunuto z %s do %s", - "activity-on": "na %s", - "activity-removed": "odstraněn %s z %s", - "activity-sent": "%s posláno na %s", - "activity-unjoined": "odpojen %s", - "activity-checklist-added": "přidán checklist do %s", - "activity-checklist-item-added": "přidána položka checklist do '%s' v %s", - "add": "Přidat", - "add-attachment": "Přidat přílohu", - "add-board": "Přidat tablo", - "add-card": "Přidat kartu", - "add-swimlane": "Přidat Swimlane", - "add-checklist": "Přidat zaškrtávací seznam", - "add-checklist-item": "Přidat položku do zaškrtávacího seznamu", - "add-cover": "Přidat obal", - "add-label": "Přidat štítek", - "add-list": "Přidat list", - "add-members": "Přidat členy", - "added": "Přidán", - "addMemberPopup-title": "Členové", - "admin": "Administrátor", - "admin-desc": "Může zobrazovat a upravovat karty, mazat členy a měnit nastavení tabla.", - "admin-announcement": "Oznámení", - "admin-announcement-active": "Aktivní oznámení v celém systému", - "admin-announcement-title": "Oznámení od administrátora", - "all-boards": "Všechna tabla", - "and-n-other-card": "A __count__ další karta(y)", - "and-n-other-card_plural": "A __count__ dalších karet", - "apply": "Použít", - "app-is-offline": "Wekan se načítá, prosím čekejte. Obnovení stránky způsobí ztrátu dat. Pokud se Wekan nenačte, zkontrolujte prosím, jestli se server s Wekanem nezastavil.", - "archive": "Přesunout do koše", - "archive-all": "Přesunout všechno do koše", - "archive-board": "Přesunout tablo do koše", - "archive-card": "Přesunout kartu do koše", - "archive-list": "Přesunout seznam do koše", - "archive-swimlane": "Přesunout swimlane do koše", - "archive-selection": "Přesunout výběr do koše", - "archiveBoardPopup-title": "Chcete přesunout tablo do koše?", - "archived-items": "Koš", - "archived-boards": "Tabla v koši", - "restore-board": "Obnovit tablo", - "no-archived-boards": "Žádná tabla v koši", - "archives": "Koš", - "assign-member": "Přiřadit člena", - "attached": "přiloženo", - "attachment": "Příloha", - "attachment-delete-pop": "Smazání přílohy je trvalé. Nejde vrátit zpět.", - "attachmentDeletePopup-title": "Smazat přílohu?", - "attachments": "Přílohy", - "auto-watch": "Automaticky sleduj tabla když jsou vytvořena", - "avatar-too-big": "Avatar obrázek je příliš velký (70KB max)", - "back": "Zpět", - "board-change-color": "Změnit barvu", - "board-nb-stars": "%s hvězdiček", - "board-not-found": "Tablo nenalezeno", - "board-private-info": "Toto tablo bude soukromé.", - "board-public-info": "Toto tablo bude veřejné.", - "boardChangeColorPopup-title": "Změnit pozadí tabla", - "boardChangeTitlePopup-title": "Přejmenovat tablo", - "boardChangeVisibilityPopup-title": "Upravit viditelnost", - "boardChangeWatchPopup-title": "Změnit sledování", - "boardMenuPopup-title": "Menu tabla", - "boards": "Tabla", - "board-view": "Náhled tabla", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Seznamy", - "bucket-example": "Například \"Než mě odvedou\"", - "cancel": "Zrušit", - "card-archived": "Karta byla přesunuta do koše.", - "card-comments-title": "Tato karta má %s komentářů.", - "card-delete-notice": "Smazání je trvalé. Přijdete o všechny akce asociované s touto kartou.", - "card-delete-pop": "Všechny akce budou odstraněny z kanálu aktivity a nebude možné kartu znovu otevřít. Toto nelze vrátit zpět.", - "card-delete-suggest-archive": "Kartu můžete přesunout do koše a tím ji odstranit z tabla a přitom zachovat aktivity.", - "card-due": "Termín", - "card-due-on": "Do", - "card-spent": "Strávený čas", - "card-edit-attachments": "Upravit přílohy", - "card-edit-custom-fields": "Upravit vlastní pole", - "card-edit-labels": "Upravit štítky", - "card-edit-members": "Upravit členy", - "card-labels-title": "Změnit štítky karty.", - "card-members-title": "Přidat nebo odstranit členy tohoto tabla z karty.", - "card-start": "Start", - "card-start-on": "Začít dne", - "cardAttachmentsPopup-title": "Přiložit formulář", - "cardCustomField-datePopup-title": "Změnit datum", - "cardCustomFieldsPopup-title": "Upravit vlastní pole", - "cardDeletePopup-title": "Smazat kartu?", - "cardDetailsActionsPopup-title": "Akce karty", - "cardLabelsPopup-title": "Štítky", - "cardMembersPopup-title": "Členové", - "cardMorePopup-title": "Více", - "cards": "Karty", - "cards-count": "Karty", - "change": "Změnit", - "change-avatar": "Změnit avatar", - "change-password": "Změnit heslo", - "change-permissions": "Změnit oprávnění", - "change-settings": "Změnit nastavení", - "changeAvatarPopup-title": "Změnit avatar", - "changeLanguagePopup-title": "Změnit jazyk", - "changePasswordPopup-title": "Změnit heslo", - "changePermissionsPopup-title": "Změnit oprávnění", - "changeSettingsPopup-title": "Změnit nastavení", - "checklists": "Checklisty", - "click-to-star": "Kliknutím přidat hvězdičku tomuto tablu.", - "click-to-unstar": "Kliknutím odebrat hvězdičku tomuto tablu.", - "clipboard": "Schránka nebo potáhnout a pustit", - "close": "Zavřít", - "close-board": "Zavřít tablo", - "close-board-pop": "Kliknutím na tlačítko \"Recyklovat\" budete moci obnovit tablo z koše.", - "color-black": "černá", - "color-blue": "modrá", - "color-green": "zelená", - "color-lime": "světlezelená", - "color-orange": "oranžová", - "color-pink": "růžová", - "color-purple": "fialová", - "color-red": "červená", - "color-sky": "nebeská", - "color-yellow": "žlutá", - "comment": "Komentář", - "comment-placeholder": "Text komentáře", - "comment-only": "Pouze komentáře", - "comment-only-desc": "Může přidávat komentáře pouze do karet.", - "computer": "Počítač", - "confirm-checklist-delete-dialog": "Opravdu chcete smazat tento checklist?", - "copy-card-link-to-clipboard": "Kopírovat adresu karty do mezipaměti", - "copyCardPopup-title": "Kopírovat kartu", - "copyChecklistToManyCardsPopup-title": "Kopírovat checklist do více karet", - "copyChecklistToManyCardsPopup-instructions": "Názvy a popisy cílové karty v tomto formátu JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Nadpis první karty\", \"description\":\"Popis druhé karty\"}, {\"title\":\"Nadpis druhé karty\",\"description\":\"Popis druhé karty\"},{\"title\":\"Nadpis poslední kary\",\"description\":\"Popis poslední karty\"} ]", - "create": "Vytvořit", - "createBoardPopup-title": "Vytvořit tablo", - "chooseBoardSourcePopup-title": "Importovat tablo", - "createLabelPopup-title": "Vytvořit štítek", - "createCustomField": "Vytvořit pole", - "createCustomFieldPopup-title": "Vytvořit pole", - "current": "Aktuální", - "custom-field-delete-pop": "Nelze vrátit zpět. Toto odebere toto vlastní pole ze všech karet a zničí jeho historii.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Datum", - "custom-field-dropdown": "Rozbalovací seznam", - "custom-field-dropdown-none": "(prázdné)", - "custom-field-dropdown-options": "Seznam možností", - "custom-field-dropdown-options-placeholder": "Stiskněte enter pro přidání více možností", - "custom-field-dropdown-unknown": "(neznámé)", - "custom-field-number": "Číslo", - "custom-field-text": "Text", - "custom-fields": "Vlastní pole", - "date": "Datum", - "decline": "Zamítnout", - "default-avatar": "Výchozí avatar", - "delete": "Smazat", - "deleteCustomFieldPopup-title": "Smazat vlastní pole", - "deleteLabelPopup-title": "Smazat štítek?", - "description": "Popis", - "disambiguateMultiLabelPopup-title": "Dvojznačný štítek akce", - "disambiguateMultiMemberPopup-title": "Dvojznačná akce člena", - "discard": "Zahodit", - "done": "Hotovo", - "download": "Stáhnout", - "edit": "Upravit", - "edit-avatar": "Změnit avatar", - "edit-profile": "Upravit profil", - "edit-wip-limit": "Upravit WIP Limit", - "soft-wip-limit": "Mírný WIP limit", - "editCardStartDatePopup-title": "Změnit datum startu úkolu", - "editCardDueDatePopup-title": "Změnit datum dokončení úkolu", - "editCustomFieldPopup-title": "Upravit pole", - "editCardSpentTimePopup-title": "Změnit strávený čas", - "editLabelPopup-title": "Změnit štítek", - "editNotificationPopup-title": "Změnit notifikace", - "editProfilePopup-title": "Upravit profil", - "email": "Email", - "email-enrollAccount-subject": "Byl vytvořen účet na __siteName__", - "email-enrollAccount-text": "Ahoj __user__,\n\nMůžeš začít používat službu kliknutím na odkaz níže.\n\n__url__\n\nDěkujeme.", - "email-fail": "Odeslání emailu selhalo", - "email-fail-text": "Chyba při pokusu o odeslání emailu", - "email-invalid": "Neplatný email", - "email-invite": "Pozvat pomocí emailu", - "email-invite-subject": "__inviter__ odeslal pozvánku", - "email-invite-text": "Ahoj __user__,\n\n__inviter__ tě přizval ke spolupráci na tablu \"__board__\".\n\nNásleduj prosím odkaz níže:\n\n__url__\n\nDěkujeme.", - "email-resetPassword-subject": "Změň své heslo na __siteName__", - "email-resetPassword-text": "Ahoj __user__,\n\nPro změnu hesla klikni na odkaz níže.\n\n__url__\n\nDěkujeme.", - "email-sent": "Email byl odeslán", - "email-verifyEmail-subject": "Ověř svou emailovou adresu na", - "email-verifyEmail-text": "Ahoj __user__,\n\nPro ověření emailové adresy klikni na odkaz níže.\n\n__url__\n\nDěkujeme.", - "enable-wip-limit": "Povolit WIP Limit", - "error-board-doesNotExist": "Toto tablo neexistuje", - "error-board-notAdmin": "K provedení změny musíš být administrátor tohoto tabla", - "error-board-notAMember": "K provedení změny musíš být členem tohoto tabla", - "error-json-malformed": "Tvůj text není validní JSON", - "error-json-schema": "Tato JSON data neobsahují správné informace v platném formátu", - "error-list-doesNotExist": "Tento seznam neexistuje", - "error-user-doesNotExist": "Tento uživatel neexistuje", - "error-user-notAllowSelf": "Nemůžeš pozvat sám sebe", - "error-user-notCreated": "Tento uživatel není vytvořen", - "error-username-taken": "Toto uživatelské jméno již existuje", - "error-email-taken": "Tento email byl již použit", - "export-board": "Exportovat tablo", - "filter": "Filtr", - "filter-cards": "Filtrovat karty", - "filter-clear": "Vyčistit filtr", - "filter-no-label": "Žádný štítek", - "filter-no-member": "Žádný člen", - "filter-no-custom-fields": "Žádné vlastní pole", - "filter-on": "Filtr je zapnut", - "filter-on-desc": "Filtrujete karty tohoto tabla. Pro úpravu filtru klikni sem.", - "filter-to-selection": "Filtrovat výběr", - "advanced-filter-label": "Pokročilý filtr", - "advanced-filter-description": "Pokročilý filtr dovoluje zapsat řetězec následujících operátorů: == != <= >= && || () Operátory jsou odděleny mezerou. Můžete filtrovat všechny vlastní pole zadáním jejich názvů nebo hodnot. Například: Pole1 == Hodnota1. Poznámka: Pokud pole nebo hodnoty obsahují mezery, je potřeba je obalit v jednoduchých uvozovkách. Například: 'Pole 1' == 'Hodnota 1'. Můžete také kombinovat více podmínek. Například P1 == H1 || P1 == H2. Obvykle jsou operátory interpretovány zleva doprava. Jejich pořadí můžete měnit pomocí závorek. Například: P1 == H1 && (P2 == H2 || P2 == H3 )", - "fullname": "Celé jméno", - "header-logo-title": "Jit zpět na stránku s tably.", - "hide-system-messages": "Skrýt systémové zprávy", - "headerBarCreateBoardPopup-title": "Vytvořit tablo", - "home": "Domů", - "import": "Import", - "import-board": "Importovat tablo", - "import-board-c": "Importovat tablo", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Importovat tablo z Wekanu", - "import-sandstorm-warning": "Importované tablo spaže všechny existující data v tablu a nahradí je importovaným tablem.", - "from-trello": "Z Trella", - "from-wekan": "Z Wekanu", - "import-board-instruction-trello": "Na svém Trello tablu, otevři 'Menu', pak 'More', 'Print and Export', 'Export JSON', a zkopíruj výsledný text", - "import-board-instruction-wekan": "Ve vašem Wekan tablu jděte do 'Menu', klikněte na 'Exportovat tablo' a zkopírujte text ze staženého souboru.", - "import-json-placeholder": "Sem vlož validní JSON data", - "import-map-members": "Mapovat členy", - "import-members-map": "Toto importované tablo obsahuje několik členů. Namapuj členy z importu na uživatelské účty Wekan.", - "import-show-user-mapping": "Zkontrolovat namapování členů", - "import-user-select": "Vyber uživatele Wekan, kterého chceš použít pro tohoto člena", - "importMapMembersAddPopup-title": "Vybrat Wekan uživatele", - "info": "Verze", - "initials": "Iniciály", - "invalid-date": "Neplatné datum", - "invalid-time": "Neplatný čas", - "invalid-user": "Neplatný uživatel", - "joined": "spojeno", - "just-invited": "Právě jsi byl pozván(a) do tohoto tabla", - "keyboard-shortcuts": "Klávesové zkratky", - "label-create": "Vytvořit štítek", - "label-default": "%s štítek (výchozí)", - "label-delete-pop": "Nelze vrátit zpět. Toto odebere tento štítek ze všech karet a zničí jeho historii.", - "labels": "Štítky", - "language": "Jazyk", - "last-admin-desc": "Nelze změnit role, protože musí existovat alespoň jeden administrátor.", - "leave-board": "Opustit tablo", - "leave-board-pop": "Opravdu chcete opustit tablo __boardTitle__? Odstraníte se tím i ze všech karet v tomto tablu.", - "leaveBoardPopup-title": "Opustit tablo?", - "link-card": "Odkázat na tuto kartu", - "list-archive-cards": "Přesunout všechny karty v tomto seznamu do koše", - "list-archive-cards-pop": "Toto odstraní z tabla všechny karty z tohoto seznamu. Pro zobrazení karet v koši a jejich opětovné obnovení, klikni v \"Menu\" > \"Archivované položky\".", - "list-move-cards": "Přesunout všechny karty v tomto seznamu", - "list-select-cards": "Vybrat všechny karty v tomto seznamu", - "listActionPopup-title": "Vypsat akce", - "swimlaneActionPopup-title": "Akce swimlane", - "listImportCardPopup-title": "Importovat Trello kartu", - "listMorePopup-title": "Více", - "link-list": "Odkaz na tento seznam", - "list-delete-pop": "Všechny akce budou odstraněny z kanálu aktivity a nebude možné kartu obnovit. Toto nelze vrátit zpět.", - "list-delete-suggest-archive": "Kartu můžete přesunout do koše a tím ji odstranit z tabla a přitom zachovat aktivity.", - "lists": "Seznamy", - "swimlanes": "Swimlanes", - "log-out": "Odhlásit", - "log-in": "Přihlásit", - "loginPopup-title": "Přihlásit", - "memberMenuPopup-title": "Nastavení uživatele", - "members": "Členové", - "menu": "Menu", - "move-selection": "Přesunout výběr", - "moveCardPopup-title": "Přesunout kartu", - "moveCardToBottom-title": "Přesunout dolu", - "moveCardToTop-title": "Přesunout nahoru", - "moveSelectionPopup-title": "Přesunout výběr", - "multi-selection": "Multi-výběr", - "multi-selection-on": "Multi-výběr je zapnut", - "muted": "Umlčeno", - "muted-info": "Nikdy nedostanete oznámení o změně v tomto tablu.", - "my-boards": "Moje tabla", - "name": "Jméno", - "no-archived-cards": "Žádné karty v koši", - "no-archived-lists": "Žádné seznamy v koši", - "no-archived-swimlanes": "Žádné swimlane v koši", - "no-results": "Žádné výsledky", - "normal": "Normální", - "normal-desc": "Může zobrazovat a upravovat karty. Nemůže měnit nastavení.", - "not-accepted-yet": "Pozvánka ještě nebyla přijmuta", - "notify-participate": "Dostane aktualizace do všech karet, ve kterých se účastní jako tvůrce nebo člen", - "notify-watch": "Dostane aktualitace to všech tabel, seznamů nebo karet, které sledujete", - "optional": "volitelný", - "or": "nebo", - "page-maybe-private": "Tato stránka může být soukromá. Můžete ji zobrazit po přihlášení.", - "page-not-found": "Stránka nenalezena.", - "password": "Heslo", - "paste-or-dragdrop": "vložit, nebo přetáhnout a pustit soubor obrázku (pouze obrázek)", - "participating": "Zúčastnění", - "preview": "Náhled", - "previewAttachedImagePopup-title": "Náhled", - "previewClipboardImagePopup-title": "Náhled", - "private": "Soukromý", - "private-desc": "Toto tablo je soukromé. Pouze vybraní uživatelé ho mohou zobrazit a upravovat.", - "profile": "Profil", - "public": "Veřejný", - "public-desc": "Toto tablo je veřejné. Je viditelné pro každého, kdo na něj má odkaz a bude zobrazeno ve vyhledávačích jako je Google. Pouze vybraní uživatelé ho mohou upravovat.", - "quick-access-description": "Pro přidání odkazu do této lišty označ tablo hvězdičkou.", - "remove-cover": "Odstranit obal", - "remove-from-board": "Odstranit z tabla", - "remove-label": "Odstranit štítek", - "listDeletePopup-title": "Smazat seznam?", - "remove-member": "Odebrat uživatele", - "remove-member-from-card": "Odstranit z karty", - "remove-member-pop": "Odstranit __name__ (__username__) z __boardTitle__? Uživatel bude odebrán ze všech karet na tomto tablu. Na tuto skutečnost bude upozorněn.", - "removeMemberPopup-title": "Odstranit člena?", - "rename": "Přejmenovat", - "rename-board": "Přejmenovat tablo", - "restore": "Obnovit", - "save": "Uložit", - "search": "Hledat", - "search-cards": "Hledat nadpisy a popisy karet v tomto tablu", - "search-example": "Hledaný text", - "select-color": "Vybrat barvu", - "set-wip-limit-value": "Nastaví limit pro maximální počet úkolů v seznamu.", - "setWipLimitPopup-title": "Nastavit WIP Limit", - "shortcut-assign-self": "Přiřadit sebe k aktuální kartě", - "shortcut-autocomplete-emoji": "Automatické dokončování emoji", - "shortcut-autocomplete-members": "Automatický výběr uživatel", - "shortcut-clear-filters": "Vyčistit všechny filtry", - "shortcut-close-dialog": "Zavřít dialog", - "shortcut-filter-my-cards": "Filtrovat mé karty", - "shortcut-show-shortcuts": "Otevřít tento seznam odkazů", - "shortcut-toggle-filterbar": "Přepnout lištu filtrování", - "shortcut-toggle-sidebar": "Přepnout lištu tabla", - "show-cards-minimum-count": "Zobrazit počet karet pokud seznam obsahuje více než ", - "sidebar-open": "Otevřít boční panel", - "sidebar-close": "Zavřít boční panel", - "signupPopup-title": "Vytvořit účet", - "star-board-title": "Kliknutím přidat tablu hvězdičku. Poté bude zobrazeno navrchu seznamu.", - "starred-boards": "Tabla s hvězdičkou", - "starred-boards-description": "Tabla s hvězdičkou jsou zobrazena navrchu seznamu.", - "subscribe": "Odebírat", - "team": "Tým", - "this-board": "toto tablo", - "this-card": "tuto kartu", - "spent-time-hours": "Strávený čas (hodiny)", - "overtime-hours": "Přesčas (hodiny)", - "overtime": "Přesčas", - "has-overtime-cards": "Obsahuje karty s přesčasy", - "has-spenttime-cards": "Obsahuje karty se stráveným časem", - "time": "Čas", - "title": "Název", - "tracking": "Pozorující", - "tracking-info": "Budete informováni o všech změnách v kartách, u kterých jste tvůrce nebo člen.", - "type": "Typ", - "unassign-member": "Vyřadit člena", - "unsaved-description": "Popis neni uložen.", - "unwatch": "Přestat sledovat", - "upload": "Nahrát", - "upload-avatar": "Nahrát avatar", - "uploaded-avatar": "Avatar nahrán", - "username": "Uživatelské jméno", - "view-it": "Zobrazit", - "warn-list-archived": "varování: tuto kartu obsahuje seznam v koši", - "watch": "Sledovat", - "watching": "Sledující", - "watching-info": "Bude vám oznámena každá změna v tomto tablu", - "welcome-board": "Uvítací tablo", - "welcome-swimlane": "Milník 1", - "welcome-list1": "Základní", - "welcome-list2": "Pokročilé", - "what-to-do": "Co chcete dělat?", - "wipLimitErrorPopup-title": "Neplatný WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "Počet úkolů v tomto seznamu je vyšší než definovaný WIP limit.", - "wipLimitErrorPopup-dialog-pt2": "Přesuňte prosím některé úkoly mimo tento seznam, nebo nastavte vyšší WIP limit.", - "admin-panel": "Administrátorský panel", - "settings": "Nastavení", - "people": "Lidé", - "registration": "Registrace", - "disable-self-registration": "Vypnout svévolnou registraci", - "invite": "Pozvánka", - "invite-people": "Pozvat lidi", - "to-boards": "Do tabel", - "email-addresses": "Emailové adresy", - "smtp-host-description": "Adresa SMTP serveru, který zpracovává vaše emaily.", - "smtp-port-description": "Port, který používá Váš SMTP server pro odchozí emaily.", - "smtp-tls-description": "Zapnout TLS podporu pro SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Uživatelské jméno", - "smtp-password": "Heslo", - "smtp-tls": "podpora TLS", - "send-from": "Od", - "send-smtp-test": "Poslat si zkušební email.", - "invitation-code": "Kód pozvánky", - "email-invite-register-subject": "__inviter__ odeslal pozvánku", - "email-invite-register-text": "Ahoj __user__,\n\n__inviter__ tě přizval ke spolupráci ve Wekanu.\n\nNásleduj prosím odkaz níže:\n\n__url__\n\nKód Tvé pozvánky je: __icode__\n\nDěkujeme.", - "email-smtp-test-subject": "SMTP Testovací email z Wekanu", - "email-smtp-test-text": "Email byl úspěšně odeslán", - "error-invitation-code-not-exist": "Kód pozvánky neexistuje.", - "error-notAuthorized": "Nejste autorizován k prohlížení této stránky.", - "outgoing-webhooks": "Odchozí Webhooky", - "outgoingWebhooksPopup-title": "Odchozí Webhooky", - "new-outgoing-webhook": "Nové odchozí Webhooky", - "no-name": "(Neznámé)", - "Wekan_version": "Wekan verze", - "Node_version": "Node verze", - "OS_Arch": "OS Architektura", - "OS_Cpus": "OS Počet CPU", - "OS_Freemem": "OS Volná paměť", - "OS_Loadavg": "OS Průměrná zátěž systém", - "OS_Platform": "Platforma OS", - "OS_Release": "Verze OS", - "OS_Totalmem": "OS Celková paměť", - "OS_Type": "Typ OS", - "OS_Uptime": "OS Doba běhu systému", - "hours": "hodin", - "minutes": "minut", - "seconds": "sekund", - "show-field-on-card": "Ukázat toto pole na kartě", - "yes": "Ano", - "no": "Ne", - "accounts": "Účty", - "accounts-allowEmailChange": "Povolit změnu Emailu", - "accounts-allowUserNameChange": "Povolit změnu uživatelského jména", - "createdAt": "Vytvořeno v", - "verified": "Ověřen", - "active": "Aktivní", - "card-received": "Přijato", - "card-received-on": "Přijaté v", - "card-end": "Konec", - "card-end-on": "Končí v", - "editCardReceivedDatePopup-title": "Změnit datum přijetí", - "editCardEndDatePopup-title": "Změnit datum konce", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Smazat tablo?", - "delete-board": "Smazat tablo" -} \ No newline at end of file diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json deleted file mode 100644 index fffcd205..00000000 --- a/i18n/de.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Akzeptieren", - "act-activity-notify": "[Wekan] Aktivitätsbenachrichtigung", - "act-addAttachment": "hat __attachment__ an __card__ angehängt", - "act-addChecklist": "hat die Checkliste __checklist__ zu __card__ hinzugefügt", - "act-addChecklistItem": "hat __checklistItem__ zur Checkliste __checklist__ in __card__ hinzugefügt", - "act-addComment": "hat __card__ kommentiert: __comment__", - "act-createBoard": "hat __board__ erstellt", - "act-createCard": "hat __card__ zu __list__ hinzugefügt", - "act-createCustomField": "benutzerdefiniertes Feld __customField__ angelegt", - "act-createList": "hat __list__ zu __board__ hinzugefügt", - "act-addBoardMember": "hat __member__ zu __board__ hinzugefügt", - "act-archivedBoard": "__board__ in den Papierkorb verschoben", - "act-archivedCard": "__card__ in den Papierkorb verschoben", - "act-archivedList": "__list__ in den Papierkorb verschoben", - "act-archivedSwimlane": "__swimlane__ in den Papierkorb verschoben", - "act-importBoard": "hat __board__ importiert", - "act-importCard": "hat __card__ importiert", - "act-importList": "hat __list__ importiert", - "act-joinMember": "hat __member__ zu __card__ hinzugefügt", - "act-moveCard": "hat __card__ von __oldList__ nach __list__ verschoben", - "act-removeBoardMember": "hat __member__ von __board__ entfernt", - "act-restoredCard": "hat __card__ in __board__ wiederhergestellt", - "act-unjoinMember": "hat __member__ von __card__ entfernt", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Aktionen", - "activities": "Aktivitäten", - "activity": "Aktivität", - "activity-added": "hat %s zu %s hinzugefügt", - "activity-archived": "hat %s in den Papierkorb verschoben", - "activity-attached": "hat %s an %s angehängt", - "activity-created": "hat %s erstellt", - "activity-customfield-created": "hat das benutzerdefinierte Feld %s erstellt", - "activity-excluded": "hat %s von %s ausgeschlossen", - "activity-imported": "hat %s in %s von %s importiert", - "activity-imported-board": "hat %s von %s importiert", - "activity-joined": "ist %s beigetreten", - "activity-moved": "hat %s von %s nach %s verschoben", - "activity-on": "in %s", - "activity-removed": "hat %s von %s entfernt", - "activity-sent": "hat %s an %s gesendet", - "activity-unjoined": "hat %s verlassen", - "activity-checklist-added": "hat eine Checkliste zu %s hinzugefügt", - "activity-checklist-item-added": "hat eine Checklistenposition zu '%s' in %s hinzugefügt", - "add": "Hinzufügen", - "add-attachment": "Datei anhängen", - "add-board": "neues Board", - "add-card": "Karte hinzufügen", - "add-swimlane": "Swimlane hinzufügen", - "add-checklist": "Checkliste hinzufügen", - "add-checklist-item": "Position zu einer Checkliste hinzufügen", - "add-cover": "Cover hinzufügen", - "add-label": "Label hinzufügen", - "add-list": "Liste hinzufügen", - "add-members": "Mitglieder hinzufügen", - "added": "Hinzugefügt", - "addMemberPopup-title": "Mitglieder", - "admin": "Admin", - "admin-desc": "Kann Karten anzeigen und bearbeiten, Mitglieder entfernen und Boardeinstellungen ändern.", - "admin-announcement": "Ankündigung", - "admin-announcement-active": "Aktive systemweite Ankündigungen", - "admin-announcement-title": "Ankündigung des Administrators", - "all-boards": "Alle Boards", - "and-n-other-card": "und eine andere Karte", - "and-n-other-card_plural": "und __count__ andere Karten", - "apply": "Übernehmen", - "app-is-offline": "Wekan lädt gerade, bitte warten Sie. Wenn Sie die Seite neu laden, gehen nicht übertragene Änderungen verloren. Sollte Wekan nicht geladen werden, überprüfen Sie bitte, ob der Server noch läuft.", - "archive": "In den Papierkorb verschieben", - "archive-all": "Alles in den Papierkorb verschieben", - "archive-board": "Board in den Papierkorb verschieben", - "archive-card": "Karte in den Papierkorb verschieben", - "archive-list": "Liste in den Papierkorb verschieben", - "archive-swimlane": "Swimlane in den Papierkorb verschieben", - "archive-selection": "Auswahl in den Papierkorb verschieben", - "archiveBoardPopup-title": "Board in den Papierkorb verschieben?", - "archived-items": "Papierkorb", - "archived-boards": "Boards im Papierkorb", - "restore-board": "Board wiederherstellen", - "no-archived-boards": "Keine Boards im Papierkorb.", - "archives": "Papierkorb", - "assign-member": "Mitglied zuweisen", - "attached": "angehängt", - "attachment": "Anhang", - "attachment-delete-pop": "Das Löschen eines Anhangs kann nicht rückgängig gemacht werden.", - "attachmentDeletePopup-title": "Anhang löschen?", - "attachments": "Anhänge", - "auto-watch": "Neue Boards nach Erstellung automatisch beobachten", - "avatar-too-big": "Das Profilbild ist zu groß (max. 70KB)", - "back": "Zurück", - "board-change-color": "Farbe ändern", - "board-nb-stars": "%s Sterne", - "board-not-found": "Board nicht gefunden", - "board-private-info": "Dieses Board wird privat sein.", - "board-public-info": "Dieses Board wird öffentlich sein.", - "boardChangeColorPopup-title": "Farbe des Boards ändern", - "boardChangeTitlePopup-title": "Board umbenennen", - "boardChangeVisibilityPopup-title": "Sichtbarkeit ändern", - "boardChangeWatchPopup-title": "Beobachtung ändern", - "boardMenuPopup-title": "Boardmenü", - "boards": "Boards", - "board-view": "Boardansicht", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Listen", - "bucket-example": "z.B. \"Löffelliste\"", - "cancel": "Abbrechen", - "card-archived": "Diese Karte wurde in den Papierkorb verschoben", - "card-comments-title": "Diese Karte hat %s Kommentar(e).", - "card-delete-notice": "Löschen kann nicht rückgängig gemacht werden. Alle Aktionen, die dieser Karte zugeordnet sind, werden ebenfalls gelöscht.", - "card-delete-pop": "Alle Aktionen werden aus dem Aktivitätsfeed entfernt und die Karte kann nicht wiedereröffnet werden. Die Aktion kann nicht rückgängig gemacht werden.", - "card-delete-suggest-archive": "Sie können eine Karte in den Papierkorb verschieben, um sie vom Board zu entfernen und die Aktivitäten zu behalten.", - "card-due": "Fällig", - "card-due-on": "Fällig am", - "card-spent": "Aufgewendete Zeit", - "card-edit-attachments": "Anhänge ändern", - "card-edit-custom-fields": "Benutzerdefinierte Felder editieren", - "card-edit-labels": "Labels ändern", - "card-edit-members": "Mitglieder ändern", - "card-labels-title": "Labels für diese Karte ändern.", - "card-members-title": "Der Karte Board-Mitglieder hinzufügen oder entfernen.", - "card-start": "Start", - "card-start-on": "Start am", - "cardAttachmentsPopup-title": "Anhängen von", - "cardCustomField-datePopup-title": "Datum ändern", - "cardCustomFieldsPopup-title": "Benutzerdefinierte Felder editieren", - "cardDeletePopup-title": "Karte löschen?", - "cardDetailsActionsPopup-title": "Kartenaktionen", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Mitglieder", - "cardMorePopup-title": "Mehr", - "cards": "Karten", - "cards-count": "Karten", - "change": "Ändern", - "change-avatar": "Profilbild ändern", - "change-password": "Passwort ändern", - "change-permissions": "Berechtigungen ändern", - "change-settings": "Einstellungen ändern", - "changeAvatarPopup-title": "Profilbild ändern", - "changeLanguagePopup-title": "Sprache ändern", - "changePasswordPopup-title": "Passwort ändern", - "changePermissionsPopup-title": "Berechtigungen ändern", - "changeSettingsPopup-title": "Einstellungen ändern", - "checklists": "Checklisten", - "click-to-star": "Klicken Sie, um das Board mit einem Stern zu markieren.", - "click-to-unstar": "Klicken Sie, um den Stern vom Board zu entfernen.", - "clipboard": "Zwischenablage oder Drag & Drop", - "close": "Schließen", - "close-board": "Board schließen", - "close-board-pop": "Sie können das Board wiederherstellen, indem Sie die Schaltfläche \"Papierkorb\" in der Kopfzeile der Startseite anklicken.", - "color-black": "schwarz", - "color-blue": "blau", - "color-green": "grün", - "color-lime": "hellgrün", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "lila", - "color-red": "rot", - "color-sky": "himmelblau", - "color-yellow": "gelb", - "comment": "Kommentar", - "comment-placeholder": "Kommentar schreiben", - "comment-only": "Nur kommentierbar", - "comment-only-desc": "Kann Karten nur Kommentieren", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Sind Sie sicher, dass Sie die Checkliste löschen möchten?", - "copy-card-link-to-clipboard": "Kopiere Link zur Karte in die Zwischenablage", - "copyCardPopup-title": "Karte kopieren", - "copyChecklistToManyCardsPopup-title": "Checklistenvorlage in mehrere Karten kopieren", - "copyChecklistToManyCardsPopup-instructions": "Titel und Beschreibungen der Zielkarten im folgenden JSON-Format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titel der ersten Karte\", \"description\":\"Beschreibung der ersten Karte\"}, {\"title\":\"Titel der zweiten Karte\",\"description\":\"Beschreibung der zweiten Karte\"},{\"title\":\"Titel der letzten Karte\",\"description\":\"Beschreibung der letzten Karte\"} ]", - "create": "Erstellen", - "createBoardPopup-title": "Board erstellen", - "chooseBoardSourcePopup-title": "Board importieren", - "createLabelPopup-title": "Label erstellen", - "createCustomField": "Feld erstellen", - "createCustomFieldPopup-title": "Feld erstellen", - "current": "aktuell", - "custom-field-delete-pop": "Dies wird das Feld aus allen Karten entfernen und den dazugehörigen Verlauf löschen. Die Aktion kann nicht rückgängig gemacht werden.", - "custom-field-checkbox": "Kontrollkästchen", - "custom-field-date": "Datum", - "custom-field-dropdown": "Dropdownliste", - "custom-field-dropdown-none": "(keiner)", - "custom-field-dropdown-options": "Listenoptionen", - "custom-field-dropdown-options-placeholder": "Drücken Sie die Eingabetaste, um weitere Optionen hinzuzufügen", - "custom-field-dropdown-unknown": "(unbekannt)", - "custom-field-number": "Zahl", - "custom-field-text": "Text", - "custom-fields": "Benutzerdefinierte Felder", - "date": "Datum", - "decline": "Ablehnen", - "default-avatar": "Standard Profilbild", - "delete": "Löschen", - "deleteCustomFieldPopup-title": "Benutzerdefiniertes Feld löschen?", - "deleteLabelPopup-title": "Label löschen?", - "description": "Beschreibung", - "disambiguateMultiLabelPopup-title": "Labels vereinheitlichen", - "disambiguateMultiMemberPopup-title": "Mitglieder vereinheitlichen", - "discard": "Verwerfen", - "done": "Erledigt", - "download": "Herunterladen", - "edit": "Bearbeiten", - "edit-avatar": "Profilbild ändern", - "edit-profile": "Profil ändern", - "edit-wip-limit": "WIP-Limit bearbeiten", - "soft-wip-limit": "Soft WIP-Limit", - "editCardStartDatePopup-title": "Startdatum ändern", - "editCardDueDatePopup-title": "Fälligkeitsdatum ändern", - "editCustomFieldPopup-title": "Feld bearbeiten", - "editCardSpentTimePopup-title": "Aufgewendete Zeit ändern", - "editLabelPopup-title": "Label ändern", - "editNotificationPopup-title": "Benachrichtigung ändern", - "editProfilePopup-title": "Profil ändern", - "email": "E-Mail", - "email-enrollAccount-subject": "Ihr Benutzerkonto auf __siteName__ wurde erstellt", - "email-enrollAccount-text": "Hallo __user__,\n\num den Dienst nutzen zu können, klicken Sie bitte auf folgenden Link:\n\n__url__\n\nDanke.", - "email-fail": "Senden der E-Mail fehlgeschlagen", - "email-fail-text": "Fehler beim Senden des E-Mails", - "email-invalid": "Ungültige E-Mail-Adresse", - "email-invite": "via E-Mail einladen", - "email-invite-subject": "__inviter__ hat Ihnen eine Einladung geschickt", - "email-invite-text": "Hallo __user__,\n\n__inviter__ hat Sie zu dem Board \"__board__\" eingeladen.\n\nBitte klicken Sie auf folgenden Link:\n\n__url__\n\nDanke.", - "email-resetPassword-subject": "Setzten Sie ihr Passwort auf __siteName__ zurück", - "email-resetPassword-text": "Hallo __user__,\n\num ihr Passwort zurückzusetzen, klicken Sie bitte auf folgenden Link:\n\n__url__\n\nDanke.", - "email-sent": "E-Mail gesendet", - "email-verifyEmail-subject": "Bestätigen Sie ihre E-Mail-Adresse auf __siteName__", - "email-verifyEmail-text": "Hallo __user__,\n\num ihre E-Mail-Adresse zu bestätigen, klicken Sie bitte auf folgenden Link:\n\n__url__\n\nDanke.", - "enable-wip-limit": "WIP-Limit einschalten", - "error-board-doesNotExist": "Dieses Board existiert nicht", - "error-board-notAdmin": "Um das zu tun, müssen Sie Administrator dieses Boards sein", - "error-board-notAMember": "Um das zu tun, müssen Sie Mitglied dieses Boards sein", - "error-json-malformed": "Ihre Eingabe ist kein gültiges JSON", - "error-json-schema": "Ihre JSON-Daten enthalten nicht die gewünschten Informationen im richtigen Format", - "error-list-doesNotExist": "Diese Liste existiert nicht", - "error-user-doesNotExist": "Dieser Nutzer existiert nicht", - "error-user-notAllowSelf": "Sie können sich nicht selbst einladen.", - "error-user-notCreated": "Dieser Nutzer ist nicht angelegt", - "error-username-taken": "Dieser Benutzername ist bereits vergeben", - "error-email-taken": "E-Mail wird schon verwendet", - "export-board": "Board exportieren", - "filter": "Filter", - "filter-cards": "Karten filtern", - "filter-clear": "Filter entfernen", - "filter-no-label": "Kein Label", - "filter-no-member": "Kein Mitglied", - "filter-no-custom-fields": "Keine benutzerdefinierten Felder", - "filter-on": "Filter ist aktiv", - "filter-on-desc": "Sie filtern die Karten in diesem Board. Klicken Sie, um den Filter zu bearbeiten.", - "filter-to-selection": "Ergebnisse auswählen", - "advanced-filter-label": "Erweiterter Filter", - "advanced-filter-description": "Der erweiterte Filter erlaubt die Eingabe von Zeichenfolgen, die folgende Operatoren enthalten: == != <= >= && || ( ). Ein Leerzeichen wird als Trennzeichen zwischen den Operatoren verwendet. Sie können nach allen benutzerdefinierten Feldern filtern, indem Sie deren Namen und Werte eingeben. Zum Beispiel: Feld1 == Wert1. Beachten Sie: Wenn Felder oder Werte Leerzeichen enthalten, müssen Sie sie in einfache Anführungszeichen setzen. Zum Beispiel: 'Feld 1' == 'Wert 1'. Sie können außerdem mehrere Bedingungen kombinieren. Zum Beispiel: F1 == W1 || F1 == W2. Normalerweise werden alle Operatoren von links nach rechts interpretiert. Sie können die Reihenfolge ändern, indem Sie Klammern setzen. Zum Beispiel: F1 == W1 && ( F2 == W2 || F2 == W3 )", - "fullname": "Vollständiger Name", - "header-logo-title": "Zurück zur Board Seite.", - "hide-system-messages": "Systemmeldungen ausblenden", - "headerBarCreateBoardPopup-title": "Board erstellen", - "home": "Home", - "import": "Importieren", - "import-board": "Board importieren", - "import-board-c": "Board importieren", - "import-board-title-trello": "Board von Trello importieren", - "import-board-title-wekan": "Board von Wekan importieren", - "import-sandstorm-warning": "Das importierte Board wird alle bereits existierenden Daten löschen und mit den importierten Daten überschreiben.", - "from-trello": "Von Trello", - "from-wekan": "Von Wekan", - "import-board-instruction-trello": "Gehen Sie in ihrem Trello-Board auf 'Menü', dann 'Mehr', 'Drucken und Exportieren', 'JSON-Export' und kopieren Sie den dort angezeigten Text", - "import-board-instruction-wekan": "Gehen Sie in Ihrem Wekan board auf 'Menü', und dann auf 'Board exportieren'. Kopieren Sie anschließend den Text aus der heruntergeladenen Datei.", - "import-json-placeholder": "Fügen Sie die korrekten JSON-Daten hier ein", - "import-map-members": "Mitglieder zuordnen", - "import-members-map": "Das importierte Board hat Mitglieder. Bitte ordnen Sie jene, die importiert werden sollen, vorhandenen Wekan-Nutzern zu", - "import-show-user-mapping": "Mitgliederzuordnung überprüfen", - "import-user-select": "Wählen Sie den Wekan-Nutzer aus, der dieses Mitglied sein soll", - "importMapMembersAddPopup-title": "Wekan-Nutzer auswählen", - "info": "Version", - "initials": "Initialen", - "invalid-date": "Ungültiges Datum", - "invalid-time": "Ungültige Zeitangabe", - "invalid-user": "Ungültiger Benutzer", - "joined": "beigetreten", - "just-invited": "Sie wurden soeben zu diesem Board eingeladen", - "keyboard-shortcuts": "Tastaturkürzel", - "label-create": "Label erstellen", - "label-default": "%s Label (Standard)", - "label-delete-pop": "Aktion kann nicht rückgängig gemacht werden. Das Label wird von allen Karten entfernt und seine Historie gelöscht.", - "labels": "Labels", - "language": "Sprache", - "last-admin-desc": "Sie können keine Rollen ändern, weil es mindestens einen Administrator geben muss.", - "leave-board": "Board verlassen", - "leave-board-pop": "Sind Sie sicher, dass Sie __boardTitle__ verlassen möchten? Sie werden von allen Karten in diesem Board entfernt.", - "leaveBoardPopup-title": "Board verlassen?", - "link-card": "Link zu dieser Karte", - "list-archive-cards": "Alle Karten dieser Liste in den Papierkorb verschieben", - "list-archive-cards-pop": "Alle Karten dieser Liste werden vom Board entfernt. Um Karten im Papierkorb anzuzeigen und wiederherzustellen, klicken Sie auf \"Menü\" > \"Papierkorb\".", - "list-move-cards": "Alle Karten in dieser Liste verschieben", - "list-select-cards": "Alle Karten in dieser Liste auswählen", - "listActionPopup-title": "Listenaktionen", - "swimlaneActionPopup-title": "Swimlaneaktionen", - "listImportCardPopup-title": "Eine Trello-Karte importieren", - "listMorePopup-title": "Mehr", - "link-list": "Link zu dieser Liste", - "list-delete-pop": "Alle Aktionen werden aus dem Verlauf gelöscht und die Liste kann nicht wiederhergestellt werden.", - "list-delete-suggest-archive": "Listen können in den Papierkorb verschoben werden, um sie aus dem Board zu entfernen und die Aktivitäten zu behalten.", - "lists": "Listen", - "swimlanes": "Swimlanes", - "log-out": "Ausloggen", - "log-in": "Einloggen", - "loginPopup-title": "Einloggen", - "memberMenuPopup-title": "Nutzereinstellungen", - "members": "Mitglieder", - "menu": "Menü", - "move-selection": "Auswahl verschieben", - "moveCardPopup-title": "Karte verschieben", - "moveCardToBottom-title": "Ans Ende verschieben", - "moveCardToTop-title": "Zum Anfang verschieben", - "moveSelectionPopup-title": "Auswahl verschieben", - "multi-selection": "Mehrfachauswahl", - "multi-selection-on": "Mehrfachauswahl ist aktiv", - "muted": "Stumm", - "muted-info": "Sie werden nicht über Änderungen auf diesem Board benachrichtigt", - "my-boards": "Meine Boards", - "name": "Name", - "no-archived-cards": "Keine Karten im Papierkorb.", - "no-archived-lists": "Keine Listen im Papierkorb.", - "no-archived-swimlanes": "Keine Swimlanes im Papierkorb.", - "no-results": "Keine Ergebnisse", - "normal": "Normal", - "normal-desc": "Kann Karten anzeigen und bearbeiten, aber keine Einstellungen ändern.", - "not-accepted-yet": "Die Einladung wurde noch nicht angenommen", - "notify-participate": "Benachrichtigungen zu allen Karten erhalten, an denen Sie teilnehmen", - "notify-watch": "Benachrichtigungen über alle Boards, Listen oder Karten erhalten, die Sie beobachten", - "optional": "optional", - "or": "oder", - "page-maybe-private": "Diese Seite könnte privat sein. Vielleicht können Sie sie sehen, wenn Sie sich einloggen.", - "page-not-found": "Seite nicht gefunden.", - "password": "Passwort", - "paste-or-dragdrop": "Einfügen oder Datei mit Drag & Drop ablegen (nur Bilder)", - "participating": "Teilnehmen", - "preview": "Vorschau", - "previewAttachedImagePopup-title": "Vorschau", - "previewClipboardImagePopup-title": "Vorschau", - "private": "Privat", - "private-desc": "Dieses Board ist privat. Nur Nutzer, die zu dem Board gehören, können es anschauen und bearbeiten.", - "profile": "Profil", - "public": "Öffentlich", - "public-desc": "Dieses Board ist öffentlich. Es ist für jeden, der den Link kennt, sichtbar und taucht in Suchmaschinen wie Google auf. Nur Nutzer, die zum Board hinzugefügt wurden, können es bearbeiten.", - "quick-access-description": "Markieren Sie ein Board mit einem Stern, um dieser Leiste eine Verknüpfung hinzuzufügen.", - "remove-cover": "Cover entfernen", - "remove-from-board": "Von Board entfernen", - "remove-label": "Label entfernen", - "listDeletePopup-title": "Liste löschen?", - "remove-member": "Nutzer entfernen", - "remove-member-from-card": "Von Karte entfernen", - "remove-member-pop": "__name__ (__username__) von __boardTitle__ entfernen? Das Mitglied wird von allen Karten auf diesem Board entfernt. Es erhält eine Benachrichtigung.", - "removeMemberPopup-title": "Mitglied entfernen?", - "rename": "Umbenennen", - "rename-board": "Board umbenennen", - "restore": "Wiederherstellen", - "save": "Speichern", - "search": "Suchen", - "search-cards": "Suche nach Kartentiteln und Beschreibungen auf diesem Board", - "search-example": "Suchbegriff", - "select-color": "Farbe auswählen", - "set-wip-limit-value": "Setzen Sie ein Limit für die maximale Anzahl von Aufgaben in dieser Liste", - "setWipLimitPopup-title": "WIP-Limit setzen", - "shortcut-assign-self": "Fügen Sie sich zur aktuellen Karte hinzu", - "shortcut-autocomplete-emoji": "Emojis vervollständigen", - "shortcut-autocomplete-members": "Mitglieder vervollständigen", - "shortcut-clear-filters": "Alle Filter entfernen", - "shortcut-close-dialog": "Dialog schließen", - "shortcut-filter-my-cards": "Meine Karten filtern", - "shortcut-show-shortcuts": "Liste der Tastaturkürzel anzeigen", - "shortcut-toggle-filterbar": "Filter-Seitenleiste ein-/ausblenden", - "shortcut-toggle-sidebar": "Seitenleiste ein-/ausblenden", - "show-cards-minimum-count": "Zeigt die Kartenanzahl an, wenn die Liste mehr enthält als", - "sidebar-open": "Seitenleiste öffnen", - "sidebar-close": "Seitenleiste schließen", - "signupPopup-title": "Benutzerkonto erstellen", - "star-board-title": "Klicken Sie, um das Board mit einem Stern zu markieren. Es erscheint dann oben in ihrer Boardliste.", - "starred-boards": "Markierte Boards", - "starred-boards-description": "Markierte Boards erscheinen oben in ihrer Boardliste.", - "subscribe": "Abonnieren", - "team": "Team", - "this-board": "diesem Board", - "this-card": "diese Karte", - "spent-time-hours": "Aufgewendete Zeit (Stunden)", - "overtime-hours": "Mehrarbeit (Stunden)", - "overtime": "Mehrarbeit", - "has-overtime-cards": "Hat Karten mit Mehrarbeit", - "has-spenttime-cards": "Hat Karten mit aufgewendeten Zeiten", - "time": "Zeit", - "title": "Titel", - "tracking": "Folgen", - "tracking-info": "Sie werden über alle Änderungen an Karten benachrichtigt, an denen Sie als Ersteller oder Mitglied beteiligt sind.", - "type": "Typ", - "unassign-member": "Mitglied entfernen", - "unsaved-description": "Sie haben eine nicht gespeicherte Änderung.", - "unwatch": "Beobachtung entfernen", - "upload": "Upload", - "upload-avatar": "Profilbild hochladen", - "uploaded-avatar": "Profilbild hochgeladen", - "username": "Benutzername", - "view-it": "Ansehen", - "warn-list-archived": "Warnung: Diese Karte befindet sich in einer Liste im Papierkorb!", - "watch": "Beobachten", - "watching": "Beobachten", - "watching-info": "Sie werden über alle Änderungen in diesem Board benachrichtigt", - "welcome-board": "Willkommen-Board", - "welcome-swimlane": "Meilenstein 1", - "welcome-list1": "Grundlagen", - "welcome-list2": "Fortgeschritten", - "what-to-do": "Was wollen Sie tun?", - "wipLimitErrorPopup-title": "Ungültiges WIP-Limit", - "wipLimitErrorPopup-dialog-pt1": "Die Anzahl von Aufgaben in dieser Liste ist größer als das von Ihnen definierte WIP-Limit.", - "wipLimitErrorPopup-dialog-pt2": "Bitte verschieben Sie einige Aufgaben aus dieser Liste oder setzen Sie ein grösseres WIP-Limit.", - "admin-panel": "Administration", - "settings": "Einstellungen", - "people": "Nutzer", - "registration": "Registrierung", - "disable-self-registration": "Selbstregistrierung deaktivieren", - "invite": "Einladen", - "invite-people": "Nutzer einladen", - "to-boards": "In Board(s)", - "email-addresses": "E-Mail Adressen", - "smtp-host-description": "Die Adresse Ihres SMTP-Servers für ausgehende E-Mails.", - "smtp-port-description": "Der Port Ihres SMTP-Servers für ausgehende E-Mails.", - "smtp-tls-description": "Aktiviere TLS Unterstützung für SMTP Server", - "smtp-host": "SMTP-Server", - "smtp-port": "SMTP-Port", - "smtp-username": "Benutzername", - "smtp-password": "Passwort", - "smtp-tls": "TLS Unterstützung", - "send-from": "Absender", - "send-smtp-test": "Test-E-Mail an sich selbst schicken", - "invitation-code": "Einladungscode", - "email-invite-register-subject": "__inviter__ hat Ihnen eine Einladung geschickt", - "email-invite-register-text": "Hallo __user__,\n\n__inviter__ hat Sie für Ihre Zusammenarbeit zu Wekan eingeladen.\n\nBitte klicken Sie auf folgenden Link:\n__url__\n\nIhr Einladungscode lautet: __icode__\n\nDanke.", - "email-smtp-test-subject": "SMTP-Test-E-Mail von Wekan", - "email-smtp-test-text": "Sie haben erfolgreich eine E-Mail versandt", - "error-invitation-code-not-exist": "Ungültiger Einladungscode", - "error-notAuthorized": "Sie sind nicht berechtigt diese Seite zu sehen.", - "outgoing-webhooks": "Ausgehende Webhooks", - "outgoingWebhooksPopup-title": "Ausgehende Webhooks", - "new-outgoing-webhook": "Neuer ausgehender Webhook", - "no-name": "(Unbekannt)", - "Wekan_version": "Wekan-Version", - "Node_version": "Node-Version", - "OS_Arch": "Betriebssystem-Architektur", - "OS_Cpus": "Anzahl Prozessoren", - "OS_Freemem": "Freier Arbeitsspeicher", - "OS_Loadavg": "Mittlere Systembelastung", - "OS_Platform": "Plattform", - "OS_Release": "Version des Betriebssystem", - "OS_Totalmem": "Gesamter Arbeitsspeicher", - "OS_Type": "Typ des Betriebssystems", - "OS_Uptime": "Laufzeit des Systems", - "hours": "Stunden", - "minutes": "Minuten", - "seconds": "Sekunden", - "show-field-on-card": "Zeige dieses Feld auf der Karte", - "yes": "Ja", - "no": "Nein", - "accounts": "Konten", - "accounts-allowEmailChange": "Ändern der E-Mailadresse erlauben", - "accounts-allowUserNameChange": "Ändern des Benutzernamens erlauben", - "createdAt": "Erstellt am", - "verified": "Geprüft", - "active": "Aktiv", - "card-received": "Empfangen", - "card-received-on": "Empfangen am", - "card-end": "Ende", - "card-end-on": "Endet am", - "editCardReceivedDatePopup-title": "Empfangsdatum ändern", - "editCardEndDatePopup-title": "Enddatum ändern", - "assigned-by": "Zugewiesen von", - "requested-by": "Angefordert von", - "board-delete-notice": "Löschen kann nicht rückgängig gemacht werden. Sie werden alle Listen, Karten und Aktionen, die mit diesem Board verbunden sind, verlieren.", - "delete-board-confirm-popup": "Alle Listen, Karten, Labels und Akivitäten werden gelöscht und Sie können die Inhalte des Boards nicht wiederherstellen! Die Aktion kann nicht rückgängig gemacht werden.", - "boardDeletePopup-title": "Board löschen?", - "delete-board": "Board löschen" -} \ No newline at end of file diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json deleted file mode 100644 index f863b23a..00000000 --- a/i18n/el.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Accept", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Προσθήκη", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Προσθήκη Κάρτας", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Προσθήκη Ετικέτας", - "add-list": "Προσθήκη Λίστας", - "add-members": "Προσθήκη Μελών", - "added": "Προστέθηκε", - "addMemberPopup-title": "Μέλοι", - "admin": "Διαχειριστής", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Εφαρμογή", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Πίσω", - "board-change-color": "Αλλαγή χρώματος", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Λίστες", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Ακύρωση", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Έως", - "card-due-on": "Έως τις", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Διαγραφή Κάρτας;", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Ετικέτες", - "cardMembersPopup-title": "Μέλοι", - "cardMorePopup-title": "Περισσότερα", - "cards": "Κάρτες", - "cards-count": "Κάρτες", - "change": "Αλλαγή", - "change-avatar": "Change Avatar", - "change-password": "Αλλαγή Κωδικού", - "change-permissions": "Change permissions", - "change-settings": "Αλλαγή Ρυθμίσεων", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Αλλαγή Γλώσσας", - "changePasswordPopup-title": "Αλλαγή Κωδικού", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Αλλαγή Ρυθμίσεων", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Κλείσιμο", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "μαύρο", - "color-blue": "μπλε", - "color-green": "πράσινο", - "color-lime": "λάιμ", - "color-orange": "πορτοκαλί", - "color-pink": "ροζ", - "color-purple": "μωβ", - "color-red": "κόκκινο", - "color-sky": "ουρανός", - "color-yellow": "κίτρινο", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Υπολογιστής", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Δημιουργία", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Ημερομηνία", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Ημερομηνία", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Διαγραφή", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Απόρριψη", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Το κείμενο δεν είναι έγκυρο JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Φίλτρο", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "Κανένα μέλος", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Πλήρες Όνομα", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Εισαγωγή", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "Από το Trello", - "from-wekan": "Από το Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Έκδοση", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Ετικέτες", - "language": "Γλώσσα", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "Περισσότερα", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Λίστες", - "swimlanes": "Swimlanes", - "log-out": "Αποσύνδεση", - "log-in": "Σύνδεση", - "loginPopup-title": "Σύνδεση", - "memberMenuPopup-title": "Member Settings", - "members": "Μέλοι", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Όνομα", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Κανένα αποτέλεσμα", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "ή", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Η σελίδα δεν βρέθηκε.", - "password": "Κωδικός", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Διαγραφή Λίστας;", - "remove-member": "Αφαίρεση Μέλους", - "remove-member-from-card": "Αφαίρεση από την Κάρτα", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Αφαίρεση Μέλους;", - "rename": "Μετανομασία", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Αποθήκευση", - "search": "Αναζήτηση", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Επιλέξτε Χρώμα", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Δημιουργία Λογαριασμού", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Ομάδα", - "this-board": "this board", - "this-card": "αυτή η κάρτα", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Ώρα", - "title": "Τίτλος", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Όνομα Χρήστη", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Ρυθμίσεις", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Διευθύνσεις", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Όνομα Χρήστη", - "smtp-password": "Κωδικός", - "smtp-tls": "TLS υποστήριξη", - "send-from": "Από", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Κωδικός Πρόσκλησης", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Ο κωδικός πρόσκλησης δεν υπάρχει", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Άγνωστο)", - "Wekan_version": "Wekan έκδοση", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "ώρες", - "minutes": "λεπτά", - "seconds": "δευτερόλεπτα", - "show-field-on-card": "Show this field on card", - "yes": "Ναι", - "no": "Όχι", - "accounts": "Λογαριασμοί", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json deleted file mode 100644 index 44140081..00000000 --- a/i18n/en-GB.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Accept", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached _ attachment _ to _ card _", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Add", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", - "addMemberPopup-title": "Members", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change colour", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Members", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaboration.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve its activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Members", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Colour", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in a list in the Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any changes in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaboration.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorised to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json deleted file mode 100644 index df268772..00000000 --- a/i18n/eo.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Akcepti", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "Kreiis __board__", - "act-createCard": "Aldonis __card__ al __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "Aldonis __card__ al __board__", - "act-addBoardMember": "Aldonis __member__ al __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "Aldonis __member__ al __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Akcioj", - "activities": "Aktivaĵoj", - "activity": "Aktivaĵo", - "activity-added": "Aldonis %s al %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "Kreiis %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "Sendis %s al %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Aldoni", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Aldoni membrojn", - "added": "Aldonita", - "addMemberPopup-title": "Membroj", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apliki", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Reen", - "board-change-color": "Ŝanĝi koloron", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Listoj", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Redakti etikedojn", - "card-edit-members": "Redakti membrojn", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Komenco", - "card-start-on": "Komencas je la", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Etikedoj", - "cardMembersPopup-title": "Membroj", - "cardMorePopup-title": "Pli", - "cards": "Kartoj", - "cards-count": "Kartoj", - "change": "Ŝanĝi", - "change-avatar": "Change Avatar", - "change-password": "Ŝangi pasvorton", - "change-permissions": "Change permissions", - "change-settings": "Ŝanĝi agordojn", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Ŝanĝi lingvon", - "changePasswordPopup-title": "Ŝangi pasvorton", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Ŝanĝi agordojn", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Fermi", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "nigra", - "color-blue": "blua", - "color-green": "verda", - "color-lime": "lime", - "color-orange": "oranĝa", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "ruĝa", - "color-sky": "sky", - "color-yellow": "flava", - "comment": "Komento", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Komputilo", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Krei", - "createBoardPopup-title": "Krei tavolon", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Dato", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Dato", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Farite", - "download": "Elŝuti", - "edit": "Redakti", - "edit-avatar": "Change Avatar", - "edit-profile": "Redakti profilon", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Redakti komencdaton", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Ŝanĝi etikedon", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Redakti profilon", - "email": "Retpoŝtadreso", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Malsukcesis sendi retpoŝton", - "email-fail-text": "Error trying to send email", - "email-invalid": "Nevalida retpoŝtadreso", - "email-invite": "Inviti per retpoŝto", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Sendis retpoŝton", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Via teksto estas nevalida JSON", - "error-json-schema": "Via JSON ne enhavas la ĝustajn informojn en ĝusta formato", - "error-list-doesNotExist": "Tio listo ne ekzistas", - "error-user-doesNotExist": "Tio uzanto ne ekzistas", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "Uzanto ne kreita", - "error-username-taken": "Uzantnomo jam prenita", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "Nenia etikedo", - "filter-no-member": "Nenia membro", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Krei tavolon", - "home": "Hejmo", - "import": "Importi", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Etikedoj", - "language": "Lingvo", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Ligi al ĉitiu karto", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Movu ĉiujn kartojn en tiu listo.", - "list-select-cards": "Elektu ĉiujn kartojn en tiu listo.", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "Pli", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Listoj", - "swimlanes": "Swimlanes", - "log-out": "Elsaluti", - "log-in": "Ensaluti", - "loginPopup-title": "Ensaluti", - "memberMenuPopup-title": "Membraj agordoj", - "members": "Membroj", - "menu": "Menuo", - "move-selection": "Movi elekton", - "moveCardPopup-title": "Movi karton", - "moveCardToBottom-title": "Movi suben", - "moveCardToTop-title": "Movi supren", - "moveSelectionPopup-title": "Movi elekton", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Nomo", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Neniaj rezultoj", - "normal": "Normala", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "aŭ", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Netrovita paĝo.", - "password": "Pasvorto", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Privata", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profilo", - "public": "Publika", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Forigi membron", - "remove-member-from-card": "Forigi de karto", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Renomi", - "rename-board": "Rename Board", - "restore": "Forigi", - "save": "Savi", - "search": "Serĉi", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Teamo", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Tempo", - "title": "Titolo", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Alŝuti", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Uzantnomo", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Rigardi", - "watching": "Rigardante", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "Kion vi volas fari?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Uzantnomo", - "smtp-password": "Pasvorto", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json deleted file mode 100644 index 5262568f..00000000 --- a/i18n/es-AR.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Aceptar", - "act-activity-notify": "[Wekan] Notificación de Actividad", - "act-addAttachment": "adjunto __attachment__ a __card__", - "act-addChecklist": "lista de ítems __checklist__ agregada a __card__", - "act-addChecklistItem": " __checklistItem__ agregada a lista de ítems __checklist__ en __card__", - "act-addComment": "comentado en __card__: __comment__", - "act-createBoard": "__board__ creado", - "act-createCard": "agregada __card__ a __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "agregada __list__ a __board__", - "act-addBoardMember": "agregado __member__ a __board__", - "act-archivedBoard": "__board__ movido a Papelera de Reciclaje", - "act-archivedCard": "__card__ movido a Papelera de Reciclaje", - "act-archivedList": "__list__ movido a Papelera de Reciclaje", - "act-archivedSwimlane": "__swimlane__ movido a Papelera de Reciclaje", - "act-importBoard": "__board__ importado", - "act-importCard": "__card__ importada", - "act-importList": "__list__ importada", - "act-joinMember": "__member__ agregado a __card__", - "act-moveCard": "__card__ movida de __oldList__ a __list__", - "act-removeBoardMember": "__member__ removido de __board__", - "act-restoredCard": "__card__ restaurada a __board__", - "act-unjoinMember": "__member__ removido de __card__", - "act-withBoardTitle": "__board__ [Wekan]", - "act-withCardTitle": "__card__ [__board__] ", - "actions": "Acciones", - "activities": "Actividades", - "activity": "Actividad", - "activity-added": "agregadas %s a %s", - "activity-archived": "%s movido a Papelera de Reciclaje", - "activity-attached": "adjuntadas %s a %s", - "activity-created": "creadas %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluidas %s de %s", - "activity-imported": "importadas %s en %s de %s", - "activity-imported-board": "importadas %s de %s", - "activity-joined": "unidas %s", - "activity-moved": "movidas %s de %s a %s", - "activity-on": "en %s", - "activity-removed": "eliminadas %s de %s", - "activity-sent": "enviadas %s a %s", - "activity-unjoined": "separadas %s", - "activity-checklist-added": "agregada lista de tareas a %s", - "activity-checklist-item-added": "agregado item de lista de tareas a '%s' en %s", - "add": "Agregar", - "add-attachment": "Agregar Adjunto", - "add-board": "Agregar Tablero", - "add-card": "Agregar Tarjeta", - "add-swimlane": "Agregar Calle", - "add-checklist": "Agregar Lista de Tareas", - "add-checklist-item": "Agregar ítem a lista de tareas", - "add-cover": "Agregar Portadas", - "add-label": "Agregar Etiqueta", - "add-list": "Agregar Lista", - "add-members": "Agregar Miembros", - "added": "Agregadas", - "addMemberPopup-title": "Miembros", - "admin": "Administrador", - "admin-desc": "Puede ver y editar tarjetas, eliminar miembros, y cambiar opciones para el tablero.", - "admin-announcement": "Anuncio", - "admin-announcement-active": "Anuncio del Sistema Activo", - "admin-announcement-title": "Anuncio del Administrador", - "all-boards": "Todos los tableros", - "and-n-other-card": "Y __count__ otra tarjeta", - "and-n-other-card_plural": "Y __count__ otras tarjetas", - "apply": "Aplicar", - "app-is-offline": "Wekan está cargándose, por favor espere. Refrescar la página va a causar pérdida de datos. Si Wekan no se carga, por favor revise que el servidor de Wekan no se haya detenido.", - "archive": "Mover a Papelera de Reciclaje", - "archive-all": "Mover Todo a la Papelera de Reciclaje", - "archive-board": "Mover Tablero a la Papelera de Reciclaje", - "archive-card": "Mover Tarjeta a la Papelera de Reciclaje", - "archive-list": "Mover Lista a la Papelera de Reciclaje", - "archive-swimlane": "Mover Calle a la Papelera de Reciclaje", - "archive-selection": "Mover selección a la Papelera de Reciclaje", - "archiveBoardPopup-title": "¿Mover Tablero a la Papelera de Reciclaje?", - "archived-items": "Papelera de Reciclaje", - "archived-boards": "Tableros en la Papelera de Reciclaje", - "restore-board": "Restaurar Tablero", - "no-archived-boards": "No hay tableros en la Papelera de Reciclaje", - "archives": "Papelera de Reciclaje", - "assign-member": "Asignar miembro", - "attached": "adjunto(s)", - "attachment": "Adjunto", - "attachment-delete-pop": "Borrar un adjunto es permanente. No hay deshacer.", - "attachmentDeletePopup-title": "¿Borrar Adjunto?", - "attachments": "Adjuntos", - "auto-watch": "Seguir tableros automáticamente al crearlos", - "avatar-too-big": "El avatar es muy grande (70KB max)", - "back": "Atrás", - "board-change-color": "Cambiar color", - "board-nb-stars": "%s estrellas", - "board-not-found": "Tablero no encontrado", - "board-private-info": "Este tablero va a ser privado.", - "board-public-info": "Este tablero va a ser público.", - "boardChangeColorPopup-title": "Cambiar Fondo del Tablero", - "boardChangeTitlePopup-title": "Renombrar Tablero", - "boardChangeVisibilityPopup-title": "Cambiar Visibilidad", - "boardChangeWatchPopup-title": "Alternar Seguimiento", - "boardMenuPopup-title": "Menú del Tablero", - "boards": "Tableros", - "board-view": "Vista de Tablero", - "board-view-swimlanes": "Calles", - "board-view-lists": "Listas", - "bucket-example": "Como \"Lista de Contenedores\" por ejemplo", - "cancel": "Cancelar", - "card-archived": "Esta tarjeta es movida a la Papelera de Reciclaje", - "card-comments-title": "Esta tarjeta tiene %s comentario.", - "card-delete-notice": "Borrar es permanente. Perderás todas las acciones asociadas con esta tarjeta.", - "card-delete-pop": "Todas las acciones van a ser eliminadas del agregador de actividad y no podrás re-abrir la tarjeta. No hay deshacer.", - "card-delete-suggest-archive": "Tu puedes mover una tarjeta a la Papelera de Reciclaje para removerla del tablero y preservar la actividad.", - "card-due": "Vence", - "card-due-on": "Vence en", - "card-spent": "Tiempo Empleado", - "card-edit-attachments": "Editar adjuntos", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Editar etiquetas", - "card-edit-members": "Editar miembros", - "card-labels-title": "Cambiar las etiquetas de la tarjeta.", - "card-members-title": "Agregar o eliminar de la tarjeta miembros del tablero.", - "card-start": "Empieza", - "card-start-on": "Empieza el", - "cardAttachmentsPopup-title": "Adjuntar De", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "¿Borrar Tarjeta?", - "cardDetailsActionsPopup-title": "Acciones de la Tarjeta", - "cardLabelsPopup-title": "Etiquetas", - "cardMembersPopup-title": "Miembros", - "cardMorePopup-title": "Mas", - "cards": "Tarjetas", - "cards-count": "Tarjetas", - "change": "Cambiar", - "change-avatar": "Cambiar Avatar", - "change-password": "Cambiar Contraseña", - "change-permissions": "Cambiar permisos", - "change-settings": "Cambiar Opciones", - "changeAvatarPopup-title": "Cambiar Avatar", - "changeLanguagePopup-title": "Cambiar Lenguaje", - "changePasswordPopup-title": "Cambiar Contraseña", - "changePermissionsPopup-title": "Cambiar Permisos", - "changeSettingsPopup-title": "Cambiar Opciones", - "checklists": "Listas de ítems", - "click-to-star": "Clickeá para darle una estrella a este tablero.", - "click-to-unstar": "Clickeá para sacarle la estrella al tablero.", - "clipboard": "Portapapeles o arrastrar y soltar", - "close": "Cerrar", - "close-board": "Cerrar Tablero", - "close-board-pop": "Podrás restaurar el tablero apretando el botón \"Papelera de Reciclaje\" del encabezado en inicio.", - "color-black": "negro", - "color-blue": "azul", - "color-green": "verde", - "color-lime": "lima", - "color-orange": "naranja", - "color-pink": "rosa", - "color-purple": "púrpura", - "color-red": "rojo", - "color-sky": "cielo", - "color-yellow": "amarillo", - "comment": "Comentario", - "comment-placeholder": "Comentar", - "comment-only": "Comentar solamente", - "comment-only-desc": "Puede comentar en tarjetas solamente.", - "computer": "Computadora", - "confirm-checklist-delete-dialog": "¿Estás segur@ que querés borrar la lista de ítems?", - "copy-card-link-to-clipboard": "Copiar enlace a tarjeta en el portapapeles", - "copyCardPopup-title": "Copiar Tarjeta", - "copyChecklistToManyCardsPopup-title": "Copiar Plantilla Checklist a Muchas Tarjetas", - "copyChecklistToManyCardsPopup-instructions": "Títulos y Descripciones de la Tarjeta Destino en este formato JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Título de primera tarjeta\", \"description\":\"Descripción de primera tarjeta\"}, {\"title\":\"Título de segunda tarjeta\",\"description\":\"Descripción de segunda tarjeta\"},{\"title\":\"Título de última tarjeta\",\"description\":\"Descripción de última tarjeta\"} ]", - "create": "Crear", - "createBoardPopup-title": "Crear Tablero", - "chooseBoardSourcePopup-title": "Importar tablero", - "createLabelPopup-title": "Crear Etiqueta", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "actual", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Fecha", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Fecha", - "decline": "Rechazar", - "default-avatar": "Avatar por defecto", - "delete": "Borrar", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "¿Borrar Etiqueta?", - "description": "Descripción", - "disambiguateMultiLabelPopup-title": "Desambiguación de Acción de Etiqueta", - "disambiguateMultiMemberPopup-title": "Desambiguación de Acción de Miembro", - "discard": "Descartar", - "done": "Hecho", - "download": "Descargar", - "edit": "Editar", - "edit-avatar": "Cambiar Avatar", - "edit-profile": "Editar Perfil", - "edit-wip-limit": "Editar Lìmite de TEP", - "soft-wip-limit": "Límite TEP suave", - "editCardStartDatePopup-title": "Cambiar fecha de inicio", - "editCardDueDatePopup-title": "Cambiar fecha de vencimiento", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Cambiar tiempo empleado", - "editLabelPopup-title": "Cambiar Etiqueta", - "editNotificationPopup-title": "Editar Notificación", - "editProfilePopup-title": "Editar Perfil", - "email": "Email", - "email-enrollAccount-subject": "Una cuenta creada para vos en __siteName__", - "email-enrollAccount-text": "Hola __user__,\n\nPara empezar a usar el servicio, simplemente clickeá en el enlace de abajo.\n\n__url__\n\nGracias.", - "email-fail": "Fallo envío de email", - "email-fail-text": "Error intentando enviar email", - "email-invalid": "Email inválido", - "email-invite": "Invitar vía Email", - "email-invite-subject": "__inviter__ te envió una invitación", - "email-invite-text": "Querido __user__,\n\n__inviter__ te invita a unirte al tablero \"__board__\" para colaborar.\n\nPor favor sigue el enlace de abajo:\n\n__url__\n\nGracias.", - "email-resetPassword-subject": "Restaurá tu contraseña en __siteName__", - "email-resetPassword-text": "Hola __user__,\n\nPara restaurar tu contraseña, simplemente clickeá el enlace de abajo.\n\n__url__\n\nGracias.", - "email-sent": "Email enviado", - "email-verifyEmail-subject": "Verificá tu dirección de email en __siteName__", - "email-verifyEmail-text": "Hola __user__,\n\nPara verificar tu cuenta de email, simplemente clickeá el enlace de abajo.\n\n__url__\n\nGracias.", - "enable-wip-limit": "Activar Límite TEP", - "error-board-doesNotExist": "Este tablero no existe", - "error-board-notAdmin": "Necesitás ser administrador de este tablero para hacer eso", - "error-board-notAMember": "Necesitás ser miembro de este tablero para hacer eso", - "error-json-malformed": "Tu texto no es JSON válido", - "error-json-schema": "Tus datos JSON no incluyen la información correcta en el formato adecuado", - "error-list-doesNotExist": "Esta lista no existe", - "error-user-doesNotExist": "Este usuario no existe", - "error-user-notAllowSelf": "No podés invitarte a vos mismo", - "error-user-notCreated": " El usuario no se creó", - "error-username-taken": "El nombre de usuario ya existe", - "error-email-taken": "El email ya existe", - "export-board": "Exportar tablero", - "filter": "Filtrar", - "filter-cards": "Filtrar Tarjetas", - "filter-clear": "Sacar filtro", - "filter-no-label": "Sin etiqueta", - "filter-no-member": "No es miembro", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "El filtro está activado", - "filter-on-desc": "Estás filtrando cartas en este tablero. Clickeá acá para editar el filtro.", - "filter-to-selection": "Filtrar en la selección", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Nombre Completo", - "header-logo-title": "Retroceder a tu página de tableros.", - "hide-system-messages": "Esconder mensajes del sistema", - "headerBarCreateBoardPopup-title": "Crear Tablero", - "home": "Inicio", - "import": "Importar", - "import-board": "importar tablero", - "import-board-c": "Importar tablero", - "import-board-title-trello": "Importar tablero de Trello", - "import-board-title-wekan": "Importar tablero de Wekan", - "import-sandstorm-warning": "El tablero importado va a borrar todos los datos existentes en el tablero y reemplazarlos con los del tablero en cuestión.", - "from-trello": "De Trello", - "from-wekan": "De Wekan", - "import-board-instruction-trello": "En tu tablero de Trello, ve a 'Menú', luego a 'Más', 'Imprimir y Exportar', 'Exportar JSON', y copia el texto resultante.", - "import-board-instruction-wekan": "En tu tablero Wekan, ve a 'Menú', luego a 'Exportar tablero', y copia el texto en el archivo descargado.", - "import-json-placeholder": "Pegá tus datos JSON válidos acá", - "import-map-members": "Mapear Miembros", - "import-members-map": "Tu tablero importado tiene algunos miembros. Por favor mapeá los miembros que quieras importar/convertir a usuarios de Wekan.", - "import-show-user-mapping": "Revisar mapeo de miembros", - "import-user-select": "Elegí el usuario de Wekan que querés usar como éste miembro", - "importMapMembersAddPopup-title": "Elegí el miembro de Wekan.", - "info": "Versión", - "initials": "Iniciales", - "invalid-date": "Fecha inválida", - "invalid-time": "Tiempo inválido", - "invalid-user": "Usuario inválido", - "joined": "unido", - "just-invited": "Fuiste invitado a este tablero", - "keyboard-shortcuts": "Atajos de teclado", - "label-create": "Crear Etiqueta", - "label-default": "%s etiqueta (por defecto)", - "label-delete-pop": "No hay deshacer. Esto va a eliminar esta etiqueta de todas las tarjetas y destruir su historia.", - "labels": "Etiquetas", - "language": "Lenguaje", - "last-admin-desc": "No podés cambiar roles porque tiene que haber al menos un administrador.", - "leave-board": "Dejar Tablero", - "leave-board-pop": "¿Estás seguro que querés dejar __boardTitle__? Vas a salir de todas las tarjetas en este tablero.", - "leaveBoardPopup-title": "¿Dejar Tablero?", - "link-card": "Enlace a esta tarjeta", - "list-archive-cards": "Mover todas las tarjetas en esta lista a la Papelera de Reciclaje", - "list-archive-cards-pop": "Esto va a remover las tarjetas en esta lista del tablero. Para ver tarjetas en la Papelera de Reciclaje y traerlas de vuelta al tablero, clickeá \"Menú\" > \"Papelera de Reciclaje\".", - "list-move-cards": "Mueve todas las tarjetas en esta lista", - "list-select-cards": "Selecciona todas las tarjetas en esta lista", - "listActionPopup-title": "Listar Acciones", - "swimlaneActionPopup-title": "Acciones de la Calle", - "listImportCardPopup-title": "Importar una tarjeta Trello", - "listMorePopup-title": "Mas", - "link-list": "Enlace a esta lista", - "list-delete-pop": "Todas las acciones van a ser eliminadas del agregador de actividad y no podás recuperar la lista. No se puede deshacer.", - "list-delete-suggest-archive": "Podés mover la lista a la Papelera de Reciclaje para remvoerla del tablero y preservar la actividad.", - "lists": "Listas", - "swimlanes": "Calles", - "log-out": "Salir", - "log-in": "Entrar", - "loginPopup-title": "Entrar", - "memberMenuPopup-title": "Opciones de Miembros", - "members": "Miembros", - "menu": "Menú", - "move-selection": "Mover selección", - "moveCardPopup-title": "Mover Tarjeta", - "moveCardToBottom-title": "Mover al Final", - "moveCardToTop-title": "Mover al Tope", - "moveSelectionPopup-title": "Mover selección", - "multi-selection": "Multi-Selección", - "multi-selection-on": "Multi-selección está activo", - "muted": "Silenciado", - "muted-info": "No serás notificado de ningún cambio en este tablero", - "my-boards": "Mis Tableros", - "name": "Nombre", - "no-archived-cards": "No hay tarjetas en la Papelera de Reciclaje", - "no-archived-lists": "No hay listas en la Papelera de Reciclaje", - "no-archived-swimlanes": "No hay calles en la Papelera de Reciclaje", - "no-results": "No hay resultados", - "normal": "Normal", - "normal-desc": "Puede ver y editar tarjetas. No puede cambiar opciones.", - "not-accepted-yet": "Invitación no aceptada todavía", - "notify-participate": "Recibí actualizaciones en cualquier tarjeta que participés como creador o miembro", - "notify-watch": "Recibí actualizaciones en cualquier tablero, lista, o tarjeta que estés siguiendo", - "optional": "opcional", - "or": "o", - "page-maybe-private": "Esta página puede ser privada. Vos podrás verla entrando.", - "page-not-found": "Página no encontrada.", - "password": "Contraseña", - "paste-or-dragdrop": "pegar, arrastrar y soltar el archivo de imagen a esto (imagen sola)", - "participating": "Participando", - "preview": "Previsualización", - "previewAttachedImagePopup-title": "Previsualización", - "previewClipboardImagePopup-title": "Previsualización", - "private": "Privado", - "private-desc": "Este tablero es privado. Solo personas agregadas a este tablero pueden verlo y editarlo.", - "profile": "Perfil", - "public": "Público", - "public-desc": "Este tablero es público. Es visible para cualquiera con un enlace y se va a mostrar en los motores de búsqueda como Google. Solo personas agregadas a este tablero pueden editarlo.", - "quick-access-description": "Dale una estrella al tablero para agregar un acceso directo en esta barra.", - "remove-cover": "Remover Portada", - "remove-from-board": "Remover del Tablero", - "remove-label": "Remover Etiqueta", - "listDeletePopup-title": "¿Borrar Lista?", - "remove-member": "Remover Miembro", - "remove-member-from-card": "Remover de Tarjeta", - "remove-member-pop": "¿Remover __name__ (__username__) de __boardTitle__? Los miembros va a ser removido de todas las tarjetas en este tablero. Serán notificados.", - "removeMemberPopup-title": "¿Remover Miembro?", - "rename": "Renombrar", - "rename-board": "Renombrar Tablero", - "restore": "Restaurar", - "save": "Grabar", - "search": "Buscar", - "search-cards": "Buscar en títulos y descripciones de tarjeta en este tablero", - "search-example": "¿Texto a buscar?", - "select-color": "Seleccionar Color", - "set-wip-limit-value": "Fijar un límite para el número máximo de tareas en esta lista", - "setWipLimitPopup-title": "Establecer Límite TEP", - "shortcut-assign-self": "Asignarte a vos mismo en la tarjeta actual", - "shortcut-autocomplete-emoji": "Autocompletar emonji", - "shortcut-autocomplete-members": "Autocompletar miembros", - "shortcut-clear-filters": "Limpiar todos los filtros", - "shortcut-close-dialog": "Cerrar Diálogo", - "shortcut-filter-my-cards": "Filtrar mis tarjetas", - "shortcut-show-shortcuts": "Traer esta lista de atajos", - "shortcut-toggle-filterbar": "Activar/Desactivar Barra Lateral de Filtros", - "shortcut-toggle-sidebar": "Activar/Desactivar Barra Lateral de Tableros", - "show-cards-minimum-count": "Mostrar cuenta de tarjetas si la lista contiene más que", - "sidebar-open": "Abrir Barra Lateral", - "sidebar-close": "Cerrar Barra Lateral", - "signupPopup-title": "Crear Cuenta", - "star-board-title": "Clickear para darle una estrella a este tablero. Se mostrará arriba en el tope de tu lista de tableros.", - "starred-boards": "Tableros con estrellas", - "starred-boards-description": "Tableros con estrellas se muestran en el tope de tu lista de tableros.", - "subscribe": "Suscribirse", - "team": "Equipo", - "this-board": "este tablero", - "this-card": "esta tarjeta", - "spent-time-hours": "Tiempo empleado (horas)", - "overtime-hours": "Sobretiempo (horas)", - "overtime": "Sobretiempo", - "has-overtime-cards": "Tiene tarjetas con sobretiempo", - "has-spenttime-cards": "Ha gastado tarjetas de tiempo", - "time": "Hora", - "title": "Título", - "tracking": "Seguimiento", - "tracking-info": "Serás notificado de cualquier cambio a aquellas tarjetas en las que seas creador o miembro.", - "type": "Type", - "unassign-member": "Desasignar miembro", - "unsaved-description": "Tienes una descripción sin guardar.", - "unwatch": "Dejar de seguir", - "upload": "Cargar", - "upload-avatar": "Cargar un avatar", - "uploaded-avatar": "Cargado un avatar", - "username": "Nombre de usuario", - "view-it": "Verlo", - "warn-list-archived": "cuidado; esta tarjeta está en la Papelera de Reciclaje", - "watch": "Seguir", - "watching": "Siguiendo", - "watching-info": "Serás notificado de cualquier cambio en este tablero", - "welcome-board": "Tablero de Bienvenida", - "welcome-swimlane": "Hito 1", - "welcome-list1": "Básicos", - "welcome-list2": "Avanzado", - "what-to-do": "¿Qué querés hacer?", - "wipLimitErrorPopup-title": "Límite TEP Inválido", - "wipLimitErrorPopup-dialog-pt1": " El número de tareas en esta lista es mayor que el límite TEP que definiste.", - "wipLimitErrorPopup-dialog-pt2": "Por favor mové algunas tareas fuera de esta lista, o seleccioná un límite TEP más alto.", - "admin-panel": "Panel de Administración", - "settings": "Opciones", - "people": "Gente", - "registration": "Registro", - "disable-self-registration": "Desactivar auto-registro", - "invite": "Invitar", - "invite-people": "Invitar Gente", - "to-boards": "A tarjeta(s)", - "email-addresses": "Dirección de Email", - "smtp-host-description": "La dirección del servidor SMTP que maneja tus emails", - "smtp-port-description": "El puerto que tu servidor SMTP usa para correos salientes", - "smtp-tls-description": "Activar soporte TLS para el servidor SMTP", - "smtp-host": "Servidor SMTP", - "smtp-port": "Puerto SMTP", - "smtp-username": "Usuario", - "smtp-password": "Contraseña", - "smtp-tls": "Soporte TLS", - "send-from": "De", - "send-smtp-test": "Enviarse un email de prueba", - "invitation-code": "Código de Invitación", - "email-invite-register-subject": "__inviter__ te envió una invitación", - "email-invite-register-text": "Querido __user__,\n\n__inviter__ te invita a Wekan para colaborar.\n\nPor favor sigue el enlace de abajo:\n__url__\n\nI tu código de invitación es: __icode__\n\nGracias.", - "email-smtp-test-subject": "Email de Prueba SMTP de Wekan", - "email-smtp-test-text": "Enviaste el correo correctamente", - "error-invitation-code-not-exist": "El código de invitación no existe", - "error-notAuthorized": "No estás autorizado para ver esta página.", - "outgoing-webhooks": "Ganchos Web Salientes", - "outgoingWebhooksPopup-title": "Ganchos Web Salientes", - "new-outgoing-webhook": "Nuevo Gancho Web", - "no-name": "(desconocido)", - "Wekan_version": "Versión de Wekan", - "Node_version": "Versión de Node", - "OS_Arch": "Arch del SO", - "OS_Cpus": "Cantidad de CPU del SO", - "OS_Freemem": "Memoria Libre del SO", - "OS_Loadavg": "Carga Promedio del SO", - "OS_Platform": "Plataforma del SO", - "OS_Release": "Revisión del SO", - "OS_Totalmem": "Memoria Total del SO", - "OS_Type": "Tipo de SO", - "OS_Uptime": "Tiempo encendido del SO", - "hours": "horas", - "minutes": "minutos", - "seconds": "segundos", - "show-field-on-card": "Show this field on card", - "yes": "Si", - "no": "No", - "accounts": "Cuentas", - "accounts-allowEmailChange": "Permitir Cambio de Email", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Creado en", - "verified": "Verificado", - "active": "Activo", - "card-received": "Recibido", - "card-received-on": "Recibido en", - "card-end": "Termino", - "card-end-on": "Termina en", - "editCardReceivedDatePopup-title": "Cambiar fecha de recepción", - "editCardEndDatePopup-title": "Cambiar fecha de término", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json deleted file mode 100644 index 755094bb..00000000 --- a/i18n/es.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Aceptar", - "act-activity-notify": "[Wekan] Notificación de actividad", - "act-addAttachment": "ha adjuntado __attachment__ a __card__", - "act-addChecklist": "ha añadido la lista de verificación __checklist__ a __card__", - "act-addChecklistItem": "ha añadido __checklistItem__ a la lista de verificación __checklist__ en __card__", - "act-addComment": "ha comentado en __card__: __comment__", - "act-createBoard": "ha creado __board__", - "act-createCard": "ha añadido __card__ a __list__", - "act-createCustomField": "creado el campo personalizado __customField__", - "act-createList": "ha añadido __list__ a __board__", - "act-addBoardMember": "ha añadido a __member__ a __board__", - "act-archivedBoard": "__board__ se ha enviado a la papelera de reciclaje", - "act-archivedCard": "__card__ se ha enviado a la papelera de reciclaje", - "act-archivedList": "__list__ se ha enviado a la papelera de reciclaje", - "act-archivedSwimlane": "__swimlane__ se ha enviado a la papelera de reciclaje", - "act-importBoard": "ha importado __board__", - "act-importCard": "ha importado __card__", - "act-importList": "ha importado __list__", - "act-joinMember": "ha añadido a __member__ a __card__", - "act-moveCard": "ha movido __card__ desde __oldList__ a __list__", - "act-removeBoardMember": "ha desvinculado a __member__ de __board__", - "act-restoredCard": "ha restaurado __card__ en __board__", - "act-unjoinMember": "ha desvinculado a __member__ de __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Acciones", - "activities": "Actividades", - "activity": "Actividad", - "activity-added": "ha añadido %s a %s", - "activity-archived": "%s se ha enviado a la papelera de reciclaje", - "activity-attached": "ha adjuntado %s a %s", - "activity-created": "ha creado %s", - "activity-customfield-created": "creado el campo personalizado %s", - "activity-excluded": "ha excluido %s de %s", - "activity-imported": "ha importado %s a %s desde %s", - "activity-imported-board": "ha importado %s desde %s", - "activity-joined": "se ha unido a %s", - "activity-moved": "ha movido %s de %s a %s", - "activity-on": "en %s", - "activity-removed": "ha eliminado %s de %s", - "activity-sent": "ha enviado %s a %s", - "activity-unjoined": "se ha desvinculado de %s", - "activity-checklist-added": "ha añadido una lista de verificación a %s", - "activity-checklist-item-added": "ha añadido el elemento de la lista de verificación a '%s' en %s", - "add": "Añadir", - "add-attachment": "Añadir adjunto", - "add-board": "Añadir tablero", - "add-card": "Añadir una tarjeta", - "add-swimlane": "Añadir un carril de flujo", - "add-checklist": "Añadir una lista de verificación", - "add-checklist-item": "Añadir un elemento a la lista de verificación", - "add-cover": "Añadir portada", - "add-label": "Añadir una etiqueta", - "add-list": "Añadir una lista", - "add-members": "Añadir miembros", - "added": "Añadida el", - "addMemberPopup-title": "Miembros", - "admin": "Administrador", - "admin-desc": "Puedes ver y editar tarjetas, eliminar miembros, y cambiar los ajustes del tablero", - "admin-announcement": "Aviso", - "admin-announcement-active": "Activar el aviso para todo el sistema", - "admin-announcement-title": "Aviso del administrador", - "all-boards": "Tableros", - "and-n-other-card": "y __count__ tarjeta más", - "and-n-other-card_plural": "y otras __count__ tarjetas", - "apply": "Aplicar", - "app-is-offline": "Wekan se está cargando, por favor espere. Actualizar la página provocará la pérdida de datos. Si Wekan no se carga, por favor verifique que el servidor de Wekan no está detenido.", - "archive": "Enviar a la papelera de reciclaje", - "archive-all": "Enviar todo a la papelera de reciclaje", - "archive-board": "Enviar el tablero a la papelera de reciclaje", - "archive-card": "Enviar la tarjeta a la papelera de reciclaje", - "archive-list": "Enviar la lista a la papelera de reciclaje", - "archive-swimlane": "Enviar el carril de flujo a la papelera de reciclaje", - "archive-selection": "Enviar la selección a la papelera de reciclaje", - "archiveBoardPopup-title": "Enviar el tablero a la papelera de reciclaje", - "archived-items": "Papelera de reciclaje", - "archived-boards": "Tableros en la papelera de reciclaje", - "restore-board": "Restaurar el tablero", - "no-archived-boards": "No hay tableros en la papelera de reciclaje", - "archives": "Papelera de reciclaje", - "assign-member": "Asignar miembros", - "attached": "adjuntado", - "attachment": "Adjunto", - "attachment-delete-pop": "La eliminación de un fichero adjunto es permanente. Esta acción no puede deshacerse.", - "attachmentDeletePopup-title": "¿Eliminar el adjunto?", - "attachments": "Adjuntos", - "auto-watch": "Suscribirse automáticamente a los tableros cuando son creados", - "avatar-too-big": "El avatar es muy grande (70KB máx.)", - "back": "Atrás", - "board-change-color": "Cambiar el color", - "board-nb-stars": "%s destacados", - "board-not-found": "Tablero no encontrado", - "board-private-info": "Este tablero será privado.", - "board-public-info": "Este tablero será público.", - "boardChangeColorPopup-title": "Cambiar el fondo del tablero", - "boardChangeTitlePopup-title": "Renombrar el tablero", - "boardChangeVisibilityPopup-title": "Cambiar visibilidad", - "boardChangeWatchPopup-title": "Cambiar vigilancia", - "boardMenuPopup-title": "Menú del tablero", - "boards": "Tableros", - "board-view": "Vista del tablero", - "board-view-swimlanes": "Carriles", - "board-view-lists": "Listas", - "bucket-example": "Como “Cosas por hacer” por ejemplo", - "cancel": "Cancelar", - "card-archived": "Esta tarjeta se ha enviado a la papelera de reciclaje.", - "card-comments-title": "Esta tarjeta tiene %s comentarios.", - "card-delete-notice": "la eliminación es permanente. Perderás todas las acciones asociadas a esta tarjeta.", - "card-delete-pop": "Se eliminarán todas las acciones del historial de actividades y no se podrá volver a abrir la tarjeta. Esta acción no puede deshacerse.", - "card-delete-suggest-archive": "Puedes enviar una tarjeta a la papelera de reciclaje para eliminarla del tablero y conservar la actividad.", - "card-due": "Vence", - "card-due-on": "Vence el", - "card-spent": "Tiempo consumido", - "card-edit-attachments": "Editar los adjuntos", - "card-edit-custom-fields": "Editar los campos personalizados", - "card-edit-labels": "Editar las etiquetas", - "card-edit-members": "Editar los miembros", - "card-labels-title": "Cambia las etiquetas de la tarjeta", - "card-members-title": "Añadir o eliminar miembros del tablero desde la tarjeta.", - "card-start": "Comienza", - "card-start-on": "Comienza el", - "cardAttachmentsPopup-title": "Adjuntar desde", - "cardCustomField-datePopup-title": "Cambiar la fecha", - "cardCustomFieldsPopup-title": "Editar los campos personalizados", - "cardDeletePopup-title": "¿Eliminar la tarjeta?", - "cardDetailsActionsPopup-title": "Acciones de la tarjeta", - "cardLabelsPopup-title": "Etiquetas", - "cardMembersPopup-title": "Miembros", - "cardMorePopup-title": "Más", - "cards": "Tarjetas", - "cards-count": "Tarjetas", - "change": "Cambiar", - "change-avatar": "Cambiar el avatar", - "change-password": "Cambiar la contraseña", - "change-permissions": "Cambiar los permisos", - "change-settings": "Cambiar las preferencias", - "changeAvatarPopup-title": "Cambiar el avatar", - "changeLanguagePopup-title": "Cambiar el idioma", - "changePasswordPopup-title": "Cambiar la contraseña", - "changePermissionsPopup-title": "Cambiar los permisos", - "changeSettingsPopup-title": "Cambiar las preferencias", - "checklists": "Lista de verificación", - "click-to-star": "Haz clic para destacar este tablero.", - "click-to-unstar": "Haz clic para dejar de destacar este tablero.", - "clipboard": "el portapapeles o con arrastrar y soltar", - "close": "Cerrar", - "close-board": "Cerrar el tablero", - "close-board-pop": "Podrás restaurar el tablero haciendo clic en el botón \"Papelera de reciclaje\" en la cabecera.", - "color-black": "negra", - "color-blue": "azul", - "color-green": "verde", - "color-lime": "lima", - "color-orange": "naranja", - "color-pink": "rosa", - "color-purple": "violeta", - "color-red": "roja", - "color-sky": "celeste", - "color-yellow": "amarilla", - "comment": "Comentar", - "comment-placeholder": "Escribir comentario", - "comment-only": "Sólo comentarios", - "comment-only-desc": "Solo puedes comentar en las tarjetas.", - "computer": "el ordenador", - "confirm-checklist-delete-dialog": "¿Seguro que desea eliminar la lista de verificación?", - "copy-card-link-to-clipboard": "Copiar el enlace de la tarjeta al portapapeles", - "copyCardPopup-title": "Copiar la tarjeta", - "copyChecklistToManyCardsPopup-title": "Copiar la plantilla de la lista de verificación en varias tarjetas", - "copyChecklistToManyCardsPopup-instructions": "Títulos y descripciones de las tarjetas de destino en formato JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Título de la primera tarjeta\", \"description\":\"Descripción de la primera tarjeta\"}, {\"title\":\"Título de la segunda tarjeta\",\"description\":\"Descripción de la segunda tarjeta\"},{\"title\":\"Título de la última tarjeta\",\"description\":\"Descripción de la última tarjeta\"} ]", - "create": "Crear", - "createBoardPopup-title": "Crear tablero", - "chooseBoardSourcePopup-title": "Importar un tablero", - "createLabelPopup-title": "Crear etiqueta", - "createCustomField": "Crear un campo", - "createCustomFieldPopup-title": "Crear un campo", - "current": "actual", - "custom-field-delete-pop": "Se eliminará este campo personalizado de todas las tarjetas y se destruirá su historial. Esta acción no puede deshacerse.", - "custom-field-checkbox": "Casilla de verificación", - "custom-field-date": "Fecha", - "custom-field-dropdown": "Lista desplegable", - "custom-field-dropdown-none": "(nada)", - "custom-field-dropdown-options": "Opciones de la lista", - "custom-field-dropdown-options-placeholder": "Pulsa Intro para añadir más opciones", - "custom-field-dropdown-unknown": "(desconocido)", - "custom-field-number": "Número", - "custom-field-text": "Texto", - "custom-fields": "Campos personalizados", - "date": "Fecha", - "decline": "Declinar", - "default-avatar": "Avatar por defecto", - "delete": "Eliminar", - "deleteCustomFieldPopup-title": "¿Borrar el campo personalizado?", - "deleteLabelPopup-title": "¿Eliminar la etiqueta?", - "description": "Descripción", - "disambiguateMultiLabelPopup-title": "Desambiguar la acción de etiqueta", - "disambiguateMultiMemberPopup-title": "Desambiguar la acción de miembro", - "discard": "Descartarla", - "done": "Hecho", - "download": "Descargar", - "edit": "Editar", - "edit-avatar": "Cambiar el avatar", - "edit-profile": "Editar el perfil", - "edit-wip-limit": "Cambiar el límite del trabajo en proceso", - "soft-wip-limit": "Límite del trabajo en proceso flexible", - "editCardStartDatePopup-title": "Cambiar la fecha de comienzo", - "editCardDueDatePopup-title": "Cambiar la fecha de vencimiento", - "editCustomFieldPopup-title": "Editar el campo", - "editCardSpentTimePopup-title": "Cambiar el tiempo consumido", - "editLabelPopup-title": "Cambiar la etiqueta", - "editNotificationPopup-title": "Editar las notificaciones", - "editProfilePopup-title": "Editar el perfil", - "email": "Correo electrónico", - "email-enrollAccount-subject": "Cuenta creada en __siteName__", - "email-enrollAccount-text": "Hola __user__,\n\nPara empezar a utilizar el servicio, simplemente haz clic en el siguiente enlace.\n\n__url__\n\nGracias.", - "email-fail": "Error al enviar el correo", - "email-fail-text": "Error al intentar enviar el correo", - "email-invalid": "Correo no válido", - "email-invite": "Invitar vía correo electrónico", - "email-invite-subject": "__inviter__ ha enviado una invitación", - "email-invite-text": "Estimado __user__,\n\n__inviter__ te invita a unirte al tablero '__board__' para colaborar.\n\nPor favor, haz clic en el siguiente enlace:\n\n__url__\n\nGracias.", - "email-resetPassword-subject": "Restablecer tu contraseña en __siteName__", - "email-resetPassword-text": "Hola __user__,\n\nPara restablecer tu contraseña, haz clic en el siguiente enlace.\n\n__url__\n\nGracias.", - "email-sent": "Correo enviado", - "email-verifyEmail-subject": "Verifica tu dirección de correo en __siteName__", - "email-verifyEmail-text": "Hola __user__,\n\nPara verificar tu cuenta de correo electrónico, haz clic en el siguiente enlace.\n\n__url__\n\nGracias.", - "enable-wip-limit": "Activar el límite del trabajo en proceso", - "error-board-doesNotExist": "El tablero no existe", - "error-board-notAdmin": "Es necesario ser administrador de este tablero para hacer eso", - "error-board-notAMember": "Es necesario ser miembro de este tablero para hacer eso", - "error-json-malformed": "El texto no es un JSON válido", - "error-json-schema": "Sus datos JSON no incluyen la información apropiada en el formato correcto", - "error-list-doesNotExist": "La lista no existe", - "error-user-doesNotExist": "El usuario no existe", - "error-user-notAllowSelf": "No puedes invitarte a ti mismo", - "error-user-notCreated": "El usuario no ha sido creado", - "error-username-taken": "Este nombre de usuario ya está en uso", - "error-email-taken": "Esta dirección de correo ya está en uso", - "export-board": "Exportar el tablero", - "filter": "Filtrar", - "filter-cards": "Filtrar tarjetas", - "filter-clear": "Limpiar el filtro", - "filter-no-label": "Sin etiqueta", - "filter-no-member": "Sin miembro", - "filter-no-custom-fields": "Sin campos personalizados", - "filter-on": "Filtrado activado", - "filter-on-desc": "Estás filtrando tarjetas en este tablero. Haz clic aquí para editar el filtro.", - "filter-to-selection": "Filtrar la selección", - "advanced-filter-label": "Filtrado avanzado", - "advanced-filter-description": "El filtrado avanzado permite escribir una cadena que contiene los siguientes operadores: == != <= >= && || ( ) Se utiliza un espacio como separador entre los operadores. Se pueden filtrar todos los campos personalizados escribiendo sus nombres y valores. Por ejemplo: Campo1 == Valor1. Nota: Si los campos o valores contienen espacios, debe encapsularlos entre comillas simples. Por ejemplo: 'Campo 1' == 'Valor 1'. También puedes combinar múltiples condiciones. Por ejemplo: C1 == V1 || C1 = V2. Normalmente todos los operadores se interpretan de izquierda a derecha. Puede cambiar el orden colocando corchetes. Por ejemplo: C1 == V1 y ( C2 == V2 || C2 == V3 )", - "fullname": "Nombre completo", - "header-logo-title": "Volver a tu página de tableros", - "hide-system-messages": "Ocultar las notificaciones de actividad", - "headerBarCreateBoardPopup-title": "Crear tablero", - "home": "Inicio", - "import": "Importar", - "import-board": "importar un tablero", - "import-board-c": "Importar un tablero", - "import-board-title-trello": "Importar un tablero desde Trello", - "import-board-title-wekan": "Importar un tablero desde Wekan", - "import-sandstorm-warning": "El tablero importado eliminará todos los datos existentes en este tablero y los reemplazará con los datos del tablero importado.", - "from-trello": "Desde Trello", - "from-wekan": "Desde Wekan", - "import-board-instruction-trello": "En tu tablero de Trello, ve a 'Menú', luego 'Más' > 'Imprimir y exportar' > 'Exportar JSON', y copia el texto resultante.", - "import-board-instruction-wekan": "En tu tablero de Wekan, ve a 'Menú del tablero', luego 'Exportar el tablero', y copia aquí el texto del fichero descargado.", - "import-json-placeholder": "Pega tus datos JSON válidos aquí", - "import-map-members": "Mapa de miembros", - "import-members-map": "El tablero importado tiene algunos miembros. Por favor mapea los miembros que deseas importar a los usuarios de Wekan", - "import-show-user-mapping": "Revisión de la asignación de miembros", - "import-user-select": "Escoge el usuario de Wekan que deseas utilizar como miembro", - "importMapMembersAddPopup-title": "Selecciona un miembro de Wekan", - "info": "Versión", - "initials": "Iniciales", - "invalid-date": "Fecha no válida", - "invalid-time": "Tiempo no válido", - "invalid-user": "Usuario no válido", - "joined": "se ha unido", - "just-invited": "Has sido invitado a este tablero", - "keyboard-shortcuts": "Atajos de teclado", - "label-create": "Crear una etiqueta", - "label-default": "etiqueta %s (por defecto)", - "label-delete-pop": "Se eliminará esta etiqueta de todas las tarjetas y se destruirá su historial. Esta acción no puede deshacerse.", - "labels": "Etiquetas", - "language": "Cambiar el idioma", - "last-admin-desc": "No puedes cambiar roles porque debe haber al menos un administrador.", - "leave-board": "Abandonar el tablero", - "leave-board-pop": "¿Seguro que quieres abandonar __boardTitle__? Serás desvinculado de todas las tarjetas en este tablero.", - "leaveBoardPopup-title": "¿Abandonar el tablero?", - "link-card": "Enlazar a esta tarjeta", - "list-archive-cards": "Enviar todas las tarjetas de esta lista a la papelera de reciclaje", - "list-archive-cards-pop": "Esto eliminará todas las tarjetas de esta lista del tablero. Para ver las tarjetas en la papelera de reciclaje y devolverlas al tablero, haga clic en \"Menú\" > \"Papelera de reciclaje\".", - "list-move-cards": "Mover todas las tarjetas de esta lista", - "list-select-cards": "Seleccionar todas las tarjetas de esta lista", - "listActionPopup-title": "Acciones de la lista", - "swimlaneActionPopup-title": "Acciones del carril de flujo", - "listImportCardPopup-title": "Importar una tarjeta de Trello", - "listMorePopup-title": "Más", - "link-list": "Enlazar a esta lista", - "list-delete-pop": "Todas las acciones serán eliminadas del historial de actividades y no se podrá recuperar la lista. Esta acción no puede deshacerse.", - "list-delete-suggest-archive": "Puedes enviar una lista a la papelera de reciclaje para eliminarla del tablero y conservar la actividad.", - "lists": "Listas", - "swimlanes": "Carriles", - "log-out": "Finalizar la sesión", - "log-in": "Iniciar sesión", - "loginPopup-title": "Iniciar sesión", - "memberMenuPopup-title": "Mis preferencias", - "members": "Miembros", - "menu": "Menú", - "move-selection": "Mover la selección", - "moveCardPopup-title": "Mover la tarjeta", - "moveCardToBottom-title": "Mover al final", - "moveCardToTop-title": "Mover al principio", - "moveSelectionPopup-title": "Mover la selección", - "multi-selection": "Selección múltiple", - "multi-selection-on": "Selección múltiple activada", - "muted": "Silenciado", - "muted-info": "No serás notificado de ningún cambio en este tablero", - "my-boards": "Mis tableros", - "name": "Nombre", - "no-archived-cards": "No hay tarjetas en la papelera de reciclaje", - "no-archived-lists": "No hay listas en la papelera de reciclaje", - "no-archived-swimlanes": "No hay carriles de flujo en la papelera de reciclaje", - "no-results": "Sin resultados", - "normal": "Normal", - "normal-desc": "Puedes ver y editar tarjetas. No puedes cambiar la configuración.", - "not-accepted-yet": "La invitación no ha sido aceptada aún", - "notify-participate": "Recibir actualizaciones de cualquier tarjeta en la que participas como creador o miembro", - "notify-watch": "Recibir actuaizaciones de cualquier tablero, lista o tarjeta que estés vigilando", - "optional": "opcional", - "or": "o", - "page-maybe-private": "Esta página puede ser privada. Es posible que puedas verla al iniciar sesión.", - "page-not-found": "Página no encontrada.", - "password": "Contraseña", - "paste-or-dragdrop": "pegar o arrastrar y soltar un fichero de imagen (sólo imagen)", - "participating": "Participando", - "preview": "Previsualizar", - "previewAttachedImagePopup-title": "Previsualizar", - "previewClipboardImagePopup-title": "Previsualizar", - "private": "Privado", - "private-desc": "Este tablero es privado. Sólo las personas añadidas al tablero pueden verlo y editarlo.", - "profile": "Perfil", - "public": "Público", - "public-desc": "Este tablero es público. Es visible para cualquiera a través del enlace, y se mostrará en los buscadores como Google. Sólo las personas añadidas al tablero pueden editarlo.", - "quick-access-description": "Destaca un tablero para añadir un acceso directo en esta barra.", - "remove-cover": "Eliminar portada", - "remove-from-board": "Desvincular del tablero", - "remove-label": "Eliminar la etiqueta", - "listDeletePopup-title": "¿Eliminar la lista?", - "remove-member": "Eliminar miembro", - "remove-member-from-card": "Eliminar de la tarjeta", - "remove-member-pop": "¿Eliminar __name__ (__username__) de __boardTitle__? El miembro será eliminado de todas las tarjetas de este tablero. En ellas se mostrará una notificación.", - "removeMemberPopup-title": "¿Eliminar miembro?", - "rename": "Renombrar", - "rename-board": "Renombrar el tablero", - "restore": "Restaurar", - "save": "Añadir", - "search": "Buscar", - "search-cards": "Buscar entre los títulos y las descripciones de las tarjetas en este tablero.", - "search-example": "¿Texto a buscar?", - "select-color": "Selecciona un color", - "set-wip-limit-value": "Fija un límite para el número máximo de tareas en esta lista.", - "setWipLimitPopup-title": "Fijar el límite del trabajo en proceso", - "shortcut-assign-self": "Asignarte a ti mismo a la tarjeta actual", - "shortcut-autocomplete-emoji": "Autocompletar emoji", - "shortcut-autocomplete-members": "Autocompletar miembros", - "shortcut-clear-filters": "Limpiar todos los filtros", - "shortcut-close-dialog": "Cerrar el cuadro de diálogo", - "shortcut-filter-my-cards": "Filtrar mis tarjetas", - "shortcut-show-shortcuts": "Mostrar esta lista de atajos", - "shortcut-toggle-filterbar": "Conmutar la barra lateral del filtro", - "shortcut-toggle-sidebar": "Conmutar la barra lateral del tablero", - "show-cards-minimum-count": "Mostrar recuento de tarjetas si la lista contiene más de", - "sidebar-open": "Abrir la barra lateral", - "sidebar-close": "Cerrar la barra lateral", - "signupPopup-title": "Crear una cuenta", - "star-board-title": "Haz clic para destacar este tablero. Se mostrará en la parte superior de tu lista de tableros.", - "starred-boards": "Tableros destacados", - "starred-boards-description": "Los tableros destacados se mostrarán en la parte superior de tu lista de tableros.", - "subscribe": "Suscribirse", - "team": "Equipo", - "this-board": "este tablero", - "this-card": "esta tarjeta", - "spent-time-hours": "Tiempo consumido (horas)", - "overtime-hours": "Tiempo excesivo (horas)", - "overtime": "Tiempo excesivo", - "has-overtime-cards": "Hay tarjetas con el tiempo excedido", - "has-spenttime-cards": "Se ha excedido el tiempo de las tarjetas", - "time": "Hora", - "title": "Título", - "tracking": "Siguiendo", - "tracking-info": "Serás notificado de cualquier cambio en las tarjetas en las que participas como creador o miembro.", - "type": "Tipo", - "unassign-member": "Desvincular al miembro", - "unsaved-description": "Tienes una descripción por añadir.", - "unwatch": "Dejar de vigilar", - "upload": "Cargar", - "upload-avatar": "Cargar un avatar", - "uploaded-avatar": "Avatar cargado", - "username": "Nombre de usuario", - "view-it": "Verla", - "warn-list-archived": "advertencia: esta tarjeta está en una lista en la papelera de reciclaje", - "watch": "Vigilar", - "watching": "Vigilando", - "watching-info": "Serás notificado de cualquier cambio en este tablero", - "welcome-board": "Tablero de bienvenida", - "welcome-swimlane": "Hito 1", - "welcome-list1": "Básicos", - "welcome-list2": "Avanzados", - "what-to-do": "¿Qué deseas hacer?", - "wipLimitErrorPopup-title": "El límite del trabajo en proceso no es válido.", - "wipLimitErrorPopup-dialog-pt1": "El número de tareas en esta lista es mayor que el límite del trabajo en proceso que has definido.", - "wipLimitErrorPopup-dialog-pt2": "Por favor, mueve algunas tareas fuera de esta lista, o fija un límite del trabajo en proceso más alto.", - "admin-panel": "Panel del administrador", - "settings": "Ajustes", - "people": "Personas", - "registration": "Registro", - "disable-self-registration": "Deshabilitar autoregistro", - "invite": "Invitar", - "invite-people": "Invitar a personas", - "to-boards": "A el(los) tablero(s)", - "email-addresses": "Direcciones de correo electrónico", - "smtp-host-description": "Dirección del servidor SMTP para gestionar tus correos", - "smtp-port-description": "Puerto usado por el servidor SMTP para mandar correos", - "smtp-tls-description": "Habilitar el soporte TLS para el servidor SMTP", - "smtp-host": "Servidor SMTP", - "smtp-port": "Puerto SMTP", - "smtp-username": "Nombre de usuario", - "smtp-password": "Contraseña", - "smtp-tls": "Soporte TLS", - "send-from": "Desde", - "send-smtp-test": "Enviarte un correo de prueba a ti mismo", - "invitation-code": "Código de Invitación", - "email-invite-register-subject": "__inviter__ te ha enviado una invitación", - "email-invite-register-text": "Estimado __user__,\n\n__inviter__ te invita a unirte a Wekan para colaborar.\n\nPor favor, haz clic en el siguiente enlace:\n__url__\n\nTu código de invitación es: __icode__\n\nGracias.", - "email-smtp-test-subject": "Prueba de correo SMTP desde Wekan", - "email-smtp-test-text": "El correo se ha enviado correctamente", - "error-invitation-code-not-exist": "El código de invitación no existe", - "error-notAuthorized": "No estás autorizado a ver esta página.", - "outgoing-webhooks": "Webhooks salientes", - "outgoingWebhooksPopup-title": "Webhooks salientes", - "new-outgoing-webhook": "Nuevo webhook saliente", - "no-name": "(Desconocido)", - "Wekan_version": "Versión de Wekan", - "Node_version": "Versión de Node", - "OS_Arch": "Arquitectura del sistema", - "OS_Cpus": "Número de CPUs del sistema", - "OS_Freemem": "Memoria libre del sistema", - "OS_Loadavg": "Carga media del sistema", - "OS_Platform": "Plataforma del sistema", - "OS_Release": "Publicación del sistema", - "OS_Totalmem": "Memoria Total del sistema", - "OS_Type": "Tipo de sistema", - "OS_Uptime": "Tiempo activo del sistema", - "hours": "horas", - "minutes": "minutos", - "seconds": "segundos", - "show-field-on-card": "Mostrar este campo en la tarjeta", - "yes": "Sí", - "no": "No", - "accounts": "Cuentas", - "accounts-allowEmailChange": "Permitir cambiar el correo electrónico", - "accounts-allowUserNameChange": "Permitir el cambio del nombre de usuario", - "createdAt": "Creado en", - "verified": "Verificado", - "active": "Activo", - "card-received": "Recibido", - "card-received-on": "Recibido el", - "card-end": "Finalizado", - "card-end-on": "Finalizado el", - "editCardReceivedDatePopup-title": "Cambiar la fecha de recepción", - "editCardEndDatePopup-title": "Cambiar la fecha de finalización", - "assigned-by": "Asignado por", - "requested-by": "Solicitado por", - "board-delete-notice": "Se eliminarán todas las listas, tarjetas y acciones asociadas a este tablero. Esta acción no puede deshacerse.", - "delete-board-confirm-popup": "Se eliminarán todas las listas, tarjetas, etiquetas y actividades, y no podrás recuperar los contenidos del tablero. Esta acción no puede deshacerse.", - "boardDeletePopup-title": "¿Borrar el tablero?", - "delete-board": "Borrar el tablero" -} \ No newline at end of file diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json deleted file mode 100644 index 51de292b..00000000 --- a/i18n/eu.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Onartu", - "act-activity-notify": "[Wekan] Jarduera-jakinarazpena", - "act-addAttachment": "__attachment__ __card__ txartelera erantsita", - "act-addChecklist": "gehituta checklist __checklist__ __card__ -ri", - "act-addChecklistItem": "gehituta __checklistItem__ checklist __checklist__ on __card__ -ri", - "act-addComment": "__card__ txartelean iruzkina: __comment__", - "act-createBoard": "__board__ sortuta", - "act-createCard": "__card__ __list__ zerrrendara gehituta", - "act-createCustomField": "created custom field __customField__", - "act-createList": "__list__ __board__ arbelera gehituta", - "act-addBoardMember": "__member__ __board__ arbelera gehituta", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "__board__ inportatuta", - "act-importCard": "__card__ inportatuta", - "act-importList": "__list__ inportatuta", - "act-joinMember": "__member__ __card__ txartelera gehituta", - "act-moveCard": "__card__ __oldList__ zerrendartik __list__ zerrendara eraman da", - "act-removeBoardMember": "__member__ __board__ arbeletik kendu da", - "act-restoredCard": "__card__ __board__ arbelean berrezarri da", - "act-unjoinMember": "__member__ __card__ txarteletik kendu da", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Ekintzak", - "activities": "Jarduerak", - "activity": "Jarduera", - "activity-added": "%s %s(e)ra gehituta", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "%s %s(e)ra erantsita", - "activity-created": "%s sortuta", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "%s %s(e)tik kanpo utzita", - "activity-imported": "%s inportatuta %s(e)ra %s(e)tik", - "activity-imported-board": "%s inportatuta %s(e)tik", - "activity-joined": "%s(e)ra elkartuta", - "activity-moved": "%s %s(e)tik %s(e)ra eramanda", - "activity-on": "%s", - "activity-removed": "%s %s(e)tik kenduta", - "activity-sent": "%s %s(e)ri bidalita", - "activity-unjoined": "%s utzita", - "activity-checklist-added": "egiaztaketa zerrenda %s(e)ra gehituta", - "activity-checklist-item-added": "egiaztaketa zerrendako elementuak '%s'(e)ra gehituta %s(e)n", - "add": "Gehitu", - "add-attachment": "Gehitu eranskina", - "add-board": "Gehitu arbela", - "add-card": "Gehitu txartela", - "add-swimlane": "Add Swimlane", - "add-checklist": "Gehitu egiaztaketa zerrenda", - "add-checklist-item": "Gehitu elementu bat egiaztaketa zerrendara", - "add-cover": "Gehitu azala", - "add-label": "Gehitu etiketa", - "add-list": "Gehitu zerrenda", - "add-members": "Gehitu kideak", - "added": "Gehituta", - "addMemberPopup-title": "Kideak", - "admin": "Kudeatzailea", - "admin-desc": "Txartelak ikusi eta editatu ditzake, kideak kendu, eta arbelaren ezarpenak aldatu.", - "admin-announcement": "Jakinarazpena", - "admin-announcement-active": "Gaitu Sistema-eremuko Jakinarazpena", - "admin-announcement-title": "Administrariaren jakinarazpena", - "all-boards": "Arbel guztiak", - "and-n-other-card": "Eta beste txartel __count__", - "and-n-other-card_plural": "Eta beste __count__ txartel", - "apply": "Aplikatu", - "app-is-offline": "Wekan kargatzen ari da, itxaron mesedez. Orria freskatzeak datuen galera ekarriko luke. Wekan kargatzen ez bada, egiaztatu Wekan zerbitzaria gelditu ez dela.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Berreskuratu arbela", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Esleitu kidea", - "attached": "erantsita", - "attachment": "Eranskina", - "attachment-delete-pop": "Eranskina ezabatzea behin betikoa da. Ez dago desegiterik.", - "attachmentDeletePopup-title": "Ezabatu eranskina?", - "attachments": "Eranskinak", - "auto-watch": "Automatikoki jarraitu arbelak hauek sortzean", - "avatar-too-big": "Avatarra handiegia da (Gehienez 70Kb)", - "back": "Atzera", - "board-change-color": "Aldatu kolorea", - "board-nb-stars": "%s izar", - "board-not-found": "Ez da arbela aurkitu", - "board-private-info": "Arbel hau pribatua izango da.", - "board-public-info": "Arbel hau publikoa izango da.", - "boardChangeColorPopup-title": "Aldatu arbelaren atzealdea", - "boardChangeTitlePopup-title": "Aldatu izena arbelari", - "boardChangeVisibilityPopup-title": "Aldatu ikusgaitasuna", - "boardChangeWatchPopup-title": "Aldatu ikuskatzea", - "boardMenuPopup-title": "Arbelaren menua", - "boards": "Arbelak", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Zerrendak", - "bucket-example": "Esaterako \"Pertz zerrenda\"", - "cancel": "Utzi", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "Txartel honek iruzkin %s dauka.", - "card-delete-notice": "Ezabaketa behin betiko da. Txartel honi lotutako ekintza guztiak galduko dituzu.", - "card-delete-pop": "Ekintza guztiak ekintza jariotik kenduko dira eta ezin izango duzu txartela berrireki. Ez dago desegiterik.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Epemuga", - "card-due-on": "Epemuga", - "card-spent": "Erabilitako denbora", - "card-edit-attachments": "Editatu eranskinak", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Editatu etiketak", - "card-edit-members": "Editatu kideak", - "card-labels-title": "Aldatu txartelaren etiketak", - "card-members-title": "Gehitu edo kendu arbeleko kideak txarteletik.", - "card-start": "Hasiera", - "card-start-on": "Hasiera", - "cardAttachmentsPopup-title": "Erantsi hemendik", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Ezabatu txartela?", - "cardDetailsActionsPopup-title": "Txartel-ekintzak", - "cardLabelsPopup-title": "Etiketak", - "cardMembersPopup-title": "Kideak", - "cardMorePopup-title": "Gehiago", - "cards": "Txartelak", - "cards-count": "Txartelak", - "change": "Aldatu", - "change-avatar": "Aldatu avatarra", - "change-password": "Aldatu pasahitza", - "change-permissions": "Aldatu baimenak", - "change-settings": "Aldatu ezarpenak", - "changeAvatarPopup-title": "Aldatu avatarra", - "changeLanguagePopup-title": "Aldatu hizkuntza", - "changePasswordPopup-title": "Aldatu pasahitza", - "changePermissionsPopup-title": "Aldatu baimenak", - "changeSettingsPopup-title": "Aldatu ezarpenak", - "checklists": "Egiaztaketa zerrenda", - "click-to-star": "Egin klik arbel honi izarra jartzeko", - "click-to-unstar": "Egin klik arbel honi izarra kentzeko", - "clipboard": "Kopiatu eta itsatsi edo arrastatu eta jaregin", - "close": "Itxi", - "close-board": "Itxi arbela", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "beltza", - "color-blue": "urdina", - "color-green": "berdea", - "color-lime": "lima", - "color-orange": "laranja", - "color-pink": "larrosa", - "color-purple": "purpura", - "color-red": "gorria", - "color-sky": "zerua", - "color-yellow": "horia", - "comment": "Iruzkina", - "comment-placeholder": "Idatzi iruzkin bat", - "comment-only": "Iruzkinak besterik ez", - "comment-only-desc": "Iruzkinak txarteletan soilik egin ditzake", - "computer": "Ordenagailua", - "confirm-checklist-delete-dialog": "Ziur zaude kontrol-zerrenda ezabatu nahi duzula", - "copy-card-link-to-clipboard": "Kopiatu txartela arbelera", - "copyCardPopup-title": "Kopiatu txartela", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Sortu", - "createBoardPopup-title": "Sortu arbela", - "chooseBoardSourcePopup-title": "Inportatu arbela", - "createLabelPopup-title": "Sortu etiketa", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "unekoa", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Data", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Data", - "decline": "Ukatu", - "default-avatar": "Lehenetsitako avatarra", - "delete": "Ezabatu", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Ezabatu etiketa?", - "description": "Deskripzioa", - "disambiguateMultiLabelPopup-title": "Argitu etiketaren ekintza", - "disambiguateMultiMemberPopup-title": "Argitu kidearen ekintza", - "discard": "Baztertu", - "done": "Egina", - "download": "Deskargatu", - "edit": "Editatu", - "edit-avatar": "Aldatu avatarra", - "edit-profile": "Editatu profila", - "edit-wip-limit": "WIP muga editatu", - "soft-wip-limit": "WIP muga malgua", - "editCardStartDatePopup-title": "Aldatu hasiera data", - "editCardDueDatePopup-title": "Aldatu epemuga data", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Aldatu erabilitako denbora", - "editLabelPopup-title": "Aldatu etiketa", - "editNotificationPopup-title": "Editatu jakinarazpena", - "editProfilePopup-title": "Editatu profila", - "email": "e-posta", - "email-enrollAccount-subject": "Kontu bat sortu zaizu __siteName__ gunean", - "email-enrollAccount-text": "Kaixo __user__,\n\nZerbitzua erabiltzen hasteko, egin klik beheko loturan.\n\n__url__\n\nEskerrik asko.", - "email-fail": "E-posta bidalketak huts egin du", - "email-fail-text": "Arazoa mezua bidaltzen saiatzen", - "email-invalid": "Baliogabeko e-posta", - "email-invite": "Gonbidatu e-posta bidez", - "email-invite-subject": "__inviter__ erabiltzaileak gonbidapen bat bidali dizu", - "email-invite-text": "Kaixo __user__,\n\n__inviter__ erabiltzaileak \"__board__\" arbelera elkartzera gonbidatzen zaitu elkar-lanean aritzeko.\n\nJarraitu mesedez lotura hau:\n\n__url__\n\nEskerrik asko.", - "email-resetPassword-subject": "Leheneratu zure __siteName__ guneko pasahitza", - "email-resetPassword-text": "Kaixo __user__,\n\nZure pasahitza berrezartzeko, egin klik beheko loturan.\n\n__url__\n\nEskerrik asko.", - "email-sent": "E-posta bidali da", - "email-verifyEmail-subject": "Egiaztatu __siteName__ guneko zure e-posta helbidea.", - "email-verifyEmail-text": "Kaixo __user__,\n\nZure e-posta kontua egiaztatzeko, egin klik beheko loturan.\n\n__url__\n\nEskerrik asko.", - "enable-wip-limit": "WIP muga gaitu", - "error-board-doesNotExist": "Arbel hau ez da existitzen", - "error-board-notAdmin": "Arbel honetako kudeatzailea izan behar zara hori egin ahal izateko", - "error-board-notAMember": "Arbel honetako kidea izan behar zara hori egin ahal izateko", - "error-json-malformed": "Zure testua ez da baliozko JSON", - "error-json-schema": "Zure JSON datuek ez dute formatu zuzenaren informazio egokia", - "error-list-doesNotExist": "Zerrenda hau ez da existitzen", - "error-user-doesNotExist": "Erabiltzaile hau ez da existitzen", - "error-user-notAllowSelf": "Ezin duzu zure burua gonbidatu", - "error-user-notCreated": "Erabiltzaile hau sortu gabe dago", - "error-username-taken": "Erabiltzaile-izen hori hartuta dago", - "error-email-taken": "E-mail hori hartuta dago", - "export-board": "Esportatu arbela", - "filter": "Iragazi", - "filter-cards": "Iragazi txartelak", - "filter-clear": "Garbitu iragazkia", - "filter-no-label": "Etiketarik ez", - "filter-no-member": "Kiderik ez", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Iragazkia gaituta dago", - "filter-on-desc": "Arbel honetako txartela iragazten ari zara. Egin klik hemen iragazkia editatzeko.", - "filter-to-selection": "Iragazketa aukerara", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Izen abizenak", - "header-logo-title": "Itzuli zure arbelen orrira.", - "hide-system-messages": "Ezkutatu sistemako mezuak", - "headerBarCreateBoardPopup-title": "Sortu arbela", - "home": "Hasiera", - "import": "Inportatu", - "import-board": "inportatu arbela", - "import-board-c": "Inportatu arbela", - "import-board-title-trello": "Inportatu arbela Trellotik", - "import-board-title-wekan": "Inportatu arbela Wekanetik", - "import-sandstorm-warning": "Inportatutako arbelak oraingo arbeleko informazio guztia ezabatuko du eta inportatutako arbeleko informazioarekin ordeztu.", - "from-trello": "Trellotik", - "from-wekan": "Wekanetik", - "import-board-instruction-trello": "Zure Trello arbelean, aukeratu 'Menu\", 'More', 'Print and Export', 'Export JSON', eta kopiatu jasotako testua hemen.", - "import-board-instruction-wekan": "Zure Wekan arbelean, aukeratu 'Menua' - 'Esportatu arbela', eta kopiatu testua deskargatutako fitxategian.", - "import-json-placeholder": "Isatsi baliozko JSON datuak hemen", - "import-map-members": "Kideen mapa", - "import-members-map": "Inportatu duzun arbela kide batzuk ditu, mesedez lotu inportatu nahi dituzun kideak Wekan erabiltzaileekin", - "import-show-user-mapping": "Berrikusi kideen mapa", - "import-user-select": "Hautatu kide hau bezala erabili nahi duzun Wekan erabiltzailea", - "importMapMembersAddPopup-title": "Aukeratu Wekan kidea", - "info": "Bertsioa", - "initials": "Inizialak", - "invalid-date": "Baliogabeko data", - "invalid-time": "Baliogabeko denbora", - "invalid-user": "Baliogabeko erabiltzailea", - "joined": "elkartu da", - "just-invited": "Arbel honetara gonbidatu berri zaituzte", - "keyboard-shortcuts": "Teklatu laster-bideak", - "label-create": "Sortu etiketa", - "label-default": "%s etiketa (lehenetsia)", - "label-delete-pop": "Ez dago desegiterik. Honek etiketa hau kenduko du txartel guztietatik eta bere historiala suntsitu.", - "labels": "Etiketak", - "language": "Hizkuntza", - "last-admin-desc": "Ezin duzu rola aldatu gutxienez kudeatzaile bat behar delako.", - "leave-board": "Utzi arbela", - "leave-board-pop": "Ziur zaude __boardTitle__ utzi nahi duzula? Arbel honetako txartel guztietatik ezabatua izango zara.", - "leaveBoardPopup-title": "Arbela utzi?", - "link-card": "Lotura txartel honetara", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Lekuz aldatu zerrendako txartel guztiak", - "list-select-cards": "Aukeratu zerrenda honetako txartel guztiak", - "listActionPopup-title": "Zerrendaren ekintzak", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Inportatu Trello txartel bat", - "listMorePopup-title": "Gehiago", - "link-list": "Lotura zerrenda honetara", - "list-delete-pop": "Ekintza guztiak ekintza jariotik kenduko dira eta ezin izango duzu zerrenda berreskuratu. Ez dago desegiterik.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Zerrendak", - "swimlanes": "Swimlanes", - "log-out": "Itxi saioa", - "log-in": "Hasi saioa", - "loginPopup-title": "Hasi saioa", - "memberMenuPopup-title": "Kidearen ezarpenak", - "members": "Kideak", - "menu": "Menua", - "move-selection": "Lekuz aldatu hautaketa", - "moveCardPopup-title": "Lekuz aldatu txartela", - "moveCardToBottom-title": "Eraman behera", - "moveCardToTop-title": "Eraman gora", - "moveSelectionPopup-title": "Lekuz aldatu hautaketa", - "multi-selection": "Hautaketa anitza", - "multi-selection-on": "Hautaketa anitza gaituta dago", - "muted": "Mututua", - "muted-info": "Ez zaizkizu jakinaraziko arbel honi egindako aldaketak", - "my-boards": "Nire arbelak", - "name": "Izena", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Emaitzarik ez", - "normal": "Arrunta", - "normal-desc": "Txartelak ikusi eta editatu ditzake. Ezin ditu ezarpenak aldatu.", - "not-accepted-yet": "Gonbidapena ez da oraindik onartu", - "notify-participate": "Jaso sortzaile edo kide zaren txartelen jakinarazpenak", - "notify-watch": "Jaso ikuskatzen dituzun arbel, zerrenda edo txartelen jakinarazpenak", - "optional": "aukerazkoa", - "or": "edo", - "page-maybe-private": "Orri hau pribatua izan daiteke. Agian saioa hasi eta gero ikusi ahal izango duzu.", - "page-not-found": "Ez da orria aurkitu.", - "password": "Pasahitza", - "paste-or-dragdrop": "itsasteko, edo irudi fitxategia arrastatu eta jaregiteko (irudia besterik ez)", - "participating": "Parte-hartzen", - "preview": "Aurreikusi", - "previewAttachedImagePopup-title": "Aurreikusi", - "previewClipboardImagePopup-title": "Aurreikusi", - "private": "Pribatua", - "private-desc": "Arbel hau pribatua da. Arbelera gehitutako jendeak besterik ezin du ikusi eta editatu.", - "profile": "Profila", - "public": "Publikoa", - "public-desc": "Arbel hau publikoa da lotura duen edonorentzat ikusgai dago eta Google bezalako bilatzaileetan agertuko da. Arbelera gehitutako kideek besterik ezin dute editatu.", - "quick-access-description": "Jarri izarra arbel bati barra honetan lasterbide bat sortzeko", - "remove-cover": "Kendu azala", - "remove-from-board": "Kendu arbeletik", - "remove-label": "Kendu etiketa", - "listDeletePopup-title": "Ezabatu zerrenda?", - "remove-member": "Kendu kidea", - "remove-member-from-card": "Kendu txarteletik", - "remove-member-pop": "Kendu __name__ (__username__) __boardTitle__ arbeletik? Kidea arbel honetako txartel guztietatik kenduko da. Jakinarazpenak bidaliko dira.", - "removeMemberPopup-title": "Kendu kidea?", - "rename": "Aldatu izena", - "rename-board": "Aldatu izena arbelari", - "restore": "Berrezarri", - "save": "Gorde", - "search": "Bilatu", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Aukeratu kolorea", - "set-wip-limit-value": "Zerrenda honetako atazen muga maximoa ezarri", - "setWipLimitPopup-title": "WIP muga ezarri", - "shortcut-assign-self": "Esleitu zure burua txartel honetara", - "shortcut-autocomplete-emoji": "Automatikoki osatu emojia", - "shortcut-autocomplete-members": "Automatikoki osatu kideak", - "shortcut-clear-filters": "Garbitu iragazki guztiak", - "shortcut-close-dialog": "Itxi elkarrizketa-koadroa", - "shortcut-filter-my-cards": "Iragazi nire txartelak", - "shortcut-show-shortcuts": "Erakutsi lasterbideen zerrenda hau", - "shortcut-toggle-filterbar": "Txandakatu iragazkiaren albo-barra", - "shortcut-toggle-sidebar": "Txandakatu arbelaren albo-barra", - "show-cards-minimum-count": "Erakutsi txartel kopurua hau baino handiagoa denean:", - "sidebar-open": "Ireki albo-barra", - "sidebar-close": "Itxi albo-barra", - "signupPopup-title": "Sortu kontu bat", - "star-board-title": "Egin klik arbel honi izarra jartzeko, zure arbelen zerrendaren goialdean agertuko da", - "starred-boards": "Izardun arbelak", - "starred-boards-description": "Izardun arbelak zure arbelen zerrendaren goialdean agertuko dira", - "subscribe": "Harpidetu", - "team": "Taldea", - "this-board": "arbel hau", - "this-card": "txartel hau", - "spent-time-hours": "Erabilitako denbora (orduak)", - "overtime-hours": "Luzapena (orduak)", - "overtime": "Luzapena", - "has-overtime-cards": "Luzapen txartelak ditu", - "has-spenttime-cards": "Erabilitako denbora txartelak ditu", - "time": "Ordua", - "title": "Izenburua", - "tracking": "Jarraitzen", - "tracking-info": "Sortzaile edo kide gisa parte-hartzen duzun txartelei egindako aldaketak jakinaraziko zaizkizu.", - "type": "Type", - "unassign-member": "Kendu kidea", - "unsaved-description": "Gorde gabeko deskripzio bat duzu", - "unwatch": "Utzi ikuskatzeari", - "upload": "Igo", - "upload-avatar": "Igo avatar bat", - "uploaded-avatar": "Avatar bat igo da", - "username": "Erabiltzaile-izena", - "view-it": "Ikusi", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Ikuskatu", - "watching": "Ikuskatzen", - "watching-info": "Arbel honi egindako aldaketak jakinaraziko zaizkizu", - "welcome-board": "Ongi etorri arbela", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Oinarrizkoa", - "welcome-list2": "Aurreratua", - "what-to-do": "Zer egin nahi duzu?", - "wipLimitErrorPopup-title": "Baliogabeko WIP muga", - "wipLimitErrorPopup-dialog-pt1": "Zerrenda honetako atazen muga, WIP-en ezarritakoa baina handiagoa da", - "wipLimitErrorPopup-dialog-pt2": "Mugitu zenbait ataza zerrenda honetatik, edo WIP muga handiagoa ezarri.", - "admin-panel": "Kudeaketa panela", - "settings": "Ezarpenak", - "people": "Jendea", - "registration": "Izen-ematea", - "disable-self-registration": "Desgaitu nork bere burua erregistratzea", - "invite": "Gonbidatu", - "invite-people": "Gonbidatu jendea", - "to-boards": "Arbele(ta)ra", - "email-addresses": "E-posta helbideak", - "smtp-host-description": "Zure e-posta mezuez arduratzen den SMTP zerbitzariaren helbidea", - "smtp-port-description": "Zure SMTP zerbitzariak bidalitako e-posta mezuentzat erabiltzen duen kaia.", - "smtp-tls-description": "Gaitu TLS euskarria SMTP zerbitzariarentzat", - "smtp-host": "SMTP ostalaria", - "smtp-port": "SMTP kaia", - "smtp-username": "Erabiltzaile-izena", - "smtp-password": "Pasahitza", - "smtp-tls": "TLS euskarria", - "send-from": "Nork", - "send-smtp-test": "Bidali posta elektroniko mezu bat zure buruari", - "invitation-code": "Gonbidapen kodea", - "email-invite-register-subject": "__inviter__ erabiltzaileak gonbidapen bat bidali dizu", - "email-invite-register-text": "Kaixo __user__,\n\n__inviter__ erabiltzaileak Wekanera gonbidatu zaitu elkar-lanean aritzeko.\n\nJarraitu mesedez lotura hau:\n__url__\n\nZure gonbidapen kodea hau da: __icode__\n\nEskerrik asko.", - "email-smtp-test-subject": "Wekan-etik bidalitako test-mezua", - "email-smtp-test-text": "Arrakastaz bidali duzu posta elektroniko mezua", - "error-invitation-code-not-exist": "Gonbidapen kodea ez da existitzen", - "error-notAuthorized": "Ez duzu orri hau ikusteko baimenik.", - "outgoing-webhooks": "Irteerako Webhook-ak", - "outgoingWebhooksPopup-title": "Irteerako Webhook-ak", - "new-outgoing-webhook": "Irteera-webhook berria", - "no-name": "(Ezezaguna)", - "Wekan_version": "Wekan bertsioa", - "Node_version": "Nodo bertsioa", - "OS_Arch": "SE Arkitektura", - "OS_Cpus": "SE PUZ kopurua", - "OS_Freemem": "SE Memoria librea", - "OS_Loadavg": "SE batez besteko karga", - "OS_Platform": "SE plataforma", - "OS_Release": "SE kaleratzea", - "OS_Totalmem": "SE memoria guztira", - "OS_Type": "SE mota", - "OS_Uptime": "SE denbora abiatuta", - "hours": "ordu", - "minutes": "minutu", - "seconds": "segundo", - "show-field-on-card": "Show this field on card", - "yes": "Bai", - "no": "Ez", - "accounts": "Kontuak", - "accounts-allowEmailChange": "Baimendu e-mail aldaketa", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Noiz sortua", - "verified": "Egiaztatuta", - "active": "Gaituta", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json deleted file mode 100644 index 69cb80d2..00000000 --- a/i18n/fa.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "پذیرش", - "act-activity-notify": "[wekan] اطلاع فعالیت", - "act-addAttachment": "پیوست __attachment__ به __card__", - "act-addChecklist": "سیاهه __checklist__ به __card__ افزوده شد", - "act-addChecklistItem": "__checklistItem__ به سیاهه __checklist__ در __card__ افزوده شد", - "act-addComment": "درج نظر برای __card__: __comment__", - "act-createBoard": "__board__ ایجاد شد", - "act-createCard": "__card__ به __list__ اضافه شد", - "act-createCustomField": "فیلد __customField__ ایجاد شد", - "act-createList": "__list__ به __board__ اضافه شد", - "act-addBoardMember": "__member__ به __board__ اضافه شد", - "act-archivedBoard": "__board__ به سطل زباله ریخته شد", - "act-archivedCard": "__card__ به سطل زباله منتقل شد", - "act-archivedList": "__list__ به سطل زباله منتقل شد", - "act-archivedSwimlane": "__swimlane__ به سطل زباله منتقل شد", - "act-importBoard": "__board__ وارد شده", - "act-importCard": "__card__ وارد شده", - "act-importList": "__list__ وارد شده", - "act-joinMember": "__member__ به __card__اضافه شد", - "act-moveCard": "انتقال __card__ از __oldList__ به __list__", - "act-removeBoardMember": "__member__ از __board__ پاک شد", - "act-restoredCard": "__card__ به __board__ بازآوری شد", - "act-unjoinMember": "__member__ از __card__ پاک شد", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "اعمال", - "activities": "فعالیت ها", - "activity": "فعالیت", - "activity-added": "%s به %s اضافه شد", - "activity-archived": "%s به سطل زباله منتقل شد", - "activity-attached": "%s به %s پیوست شد", - "activity-created": "%s ایجاد شد", - "activity-customfield-created": "%s فیلدشخصی ایجاد شد", - "activity-excluded": "%s از %s مستثنی گردید", - "activity-imported": "%s از %s وارد %s شد", - "activity-imported-board": "%s از %s وارد شد", - "activity-joined": "اتصال به %s", - "activity-moved": "%s از %s به %s منتقل شد", - "activity-on": "%s", - "activity-removed": "%s از %s حذف شد", - "activity-sent": "ارسال %s به %s", - "activity-unjoined": "قطع اتصال %s", - "activity-checklist-added": "سیاهه به %s اضافه شد", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "افزودن", - "add-attachment": "افزودن ضمیمه", - "add-board": "افزودن برد", - "add-card": "افزودن کارت", - "add-swimlane": "Add Swimlane", - "add-checklist": "افزودن چک لیست", - "add-checklist-item": "افزودن مورد به سیاهه", - "add-cover": "جلد کردن", - "add-label": "افزودن لیبل", - "add-list": "افزودن لیست", - "add-members": "افزودن اعضا", - "added": "اضافه گردید", - "addMemberPopup-title": "اعضا", - "admin": "مدیر", - "admin-desc": "امکان دیدن و ویرایش کارتها،پاک کردن کاربران و تغییر تنظیمات برای تخته", - "admin-announcement": "اعلان", - "admin-announcement-active": "اعلان سراسری فعال", - "admin-announcement-title": "اعلان از سوی مدیر", - "all-boards": "تمام تخته‌ها", - "and-n-other-card": "و __count__ کارت دیگر", - "and-n-other-card_plural": "و __count__ کارت دیگر", - "apply": "اعمال", - "app-is-offline": "Wekan در حال بارگذاری است. لطفا صبر کنید. نوسازی صفحه، منجر به از دست رفتن داده‌ها می‌شود. اگر Wekan بارگذاری نشد، لطفا بررسی کنید که سرور Wekan متوقف نشده باشد.", - "archive": "ریختن به سطل زباله", - "archive-all": "ریختن همه به سطل زباله", - "archive-board": "ریختن تخته به سطل زباله", - "archive-card": "ریختن کارت به سطل زباله", - "archive-list": "ریختن لیست به سطل زباله", - "archive-swimlane": "ریختن مسیرشنا به سطل زباله", - "archive-selection": "انتخاب شده ها را به سطل زباله بریز", - "archiveBoardPopup-title": "آیا تخته به سطل زباله ریخته شود؟", - "archived-items": "سطل زباله", - "archived-boards": "تخته هایی که به زباله ریخته شده است", - "restore-board": "بازیابی تخته", - "no-archived-boards": "هیچ تخته ای در سطل زباله وجود ندارد", - "archives": "سطل زباله", - "assign-member": "تعیین عضو", - "attached": "ضمیمه شده", - "attachment": "ضمیمه", - "attachment-delete-pop": "حذف پیوست دایمی و بی بازگشت خواهد بود.", - "attachmentDeletePopup-title": "آیا می خواهید ضمیمه را حذف کنید؟", - "attachments": "ضمائم", - "auto-watch": "اضافه شدن خودکار دیده بانی تخته زمانی که ایجاد می شوند", - "avatar-too-big": "تصویر کاربر بسیار بزرگ است ـ حداکثر۷۰ کیلوبایت ـ", - "back": "بازگشت", - "board-change-color": "تغییر رنگ", - "board-nb-stars": "%s ستاره", - "board-not-found": "تخته مورد نظر پیدا نشد", - "board-private-info": "این تخته خصوصی خواهد بود.", - "board-public-info": "این تخته عمومی خواهد بود.", - "boardChangeColorPopup-title": "تغییر پس زمینه تخته", - "boardChangeTitlePopup-title": "تغییر نام تخته", - "boardChangeVisibilityPopup-title": "تغییر وضعیت نمایش", - "boardChangeWatchPopup-title": "تغییر دیده بانی", - "boardMenuPopup-title": "منوی تخته", - "boards": "تخته‌ها", - "board-view": "نمایش تخته", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "فهرست‌ها", - "bucket-example": "برای مثال چیزی شبیه \"لیست سبدها\"", - "cancel": "انصراف", - "card-archived": "این کارت به سطل زباله ریخته شده است", - "card-comments-title": "این کارت دارای %s نظر است.", - "card-delete-notice": "حذف دائمی. تمامی موارد مرتبط با این کارت از بین خواهند رفت.", - "card-delete-pop": "همه اقدامات از این پردازه (خوراک) حذف خواهد شد و امکان بازگرداندن کارت وجود نخواهد داشت.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "ناشی از", - "card-due-on": "مقتضی بر", - "card-spent": "زمان صرف شده", - "card-edit-attachments": "ویرایش ضمائم", - "card-edit-custom-fields": "ویرایش فیلدهای شخصی", - "card-edit-labels": "ویرایش برچسب", - "card-edit-members": "ویرایش اعضا", - "card-labels-title": "تغییر برچسب کارت", - "card-members-title": "افزودن یا حذف اعضا از کارت.", - "card-start": "شروع", - "card-start-on": "شروع از", - "cardAttachmentsPopup-title": "ضمیمه از", - "cardCustomField-datePopup-title": "تغییر تاریخ", - "cardCustomFieldsPopup-title": "ویرایش فیلدهای شخصی", - "cardDeletePopup-title": "آیا می خواهید کارت را حذف کنید؟", - "cardDetailsActionsPopup-title": "اعمال کارت", - "cardLabelsPopup-title": "برچسب ها", - "cardMembersPopup-title": "اعضا", - "cardMorePopup-title": "بیشتر", - "cards": "کارت‌ها", - "cards-count": "کارت‌ها", - "change": "تغییر", - "change-avatar": "تغییر تصویر", - "change-password": "تغییر کلمه عبور", - "change-permissions": "تغییر دسترسی‌ها", - "change-settings": "تغییر تنظیمات", - "changeAvatarPopup-title": "تغییر تصویر", - "changeLanguagePopup-title": "تغییر زبان", - "changePasswordPopup-title": "تغییر کلمه عبور", - "changePermissionsPopup-title": "تغییر دسترسی‌ها", - "changeSettingsPopup-title": "تغییر تنظیمات", - "checklists": "سیاهه‌ها", - "click-to-star": "با کلیک کردن ستاره بدهید", - "click-to-unstar": "با کلیک کردن ستاره را کم کنید", - "clipboard": "ذخیره در حافظه ویا بردار-رهاکن", - "close": "بستن", - "close-board": "بستن برد", - "close-board-pop": "شما با کلیک روی دکمه \"سطل زباله\" در قسمت خانه می توانید تخته را بازیابی کنید.", - "color-black": "مشکی", - "color-blue": "آبی", - "color-green": "سبز", - "color-lime": "لیمویی", - "color-orange": "نارنجی", - "color-pink": "صورتی", - "color-purple": "بنفش", - "color-red": "قرمز", - "color-sky": "آبی آسمانی", - "color-yellow": "زرد", - "comment": "نظر", - "comment-placeholder": "درج نظر", - "comment-only": "فقط نظر", - "comment-only-desc": "فقط می‌تواند روی کارت‌ها نظر دهد.", - "computer": "رایانه", - "confirm-checklist-delete-dialog": "مطمئنید که می‌خواهید سیاهه را حذف کنید؟", - "copy-card-link-to-clipboard": "درج پیوند کارت در حافظه", - "copyCardPopup-title": "کپی کارت", - "copyChecklistToManyCardsPopup-title": "کپی قالب کارت به کارت‌های متعدد", - "copyChecklistToManyCardsPopup-instructions": "عنوان و توضیحات کارت مقصد در این قالب JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "ایجاد", - "createBoardPopup-title": "ایجاد تخته", - "chooseBoardSourcePopup-title": "بارگذاری تخته", - "createLabelPopup-title": "ایجاد برچسب", - "createCustomField": "ایجاد فیلد", - "createCustomFieldPopup-title": "ایجاد فیلد", - "current": "جاری", - "custom-field-delete-pop": "این اقدام فیلدشخصی را بهمراه تمامی تاریخچه آن از کارت ها پاک می کند و برگشت پذیر نمی باشد", - "custom-field-checkbox": "جعبه انتخابی", - "custom-field-date": "تاریخ", - "custom-field-dropdown": "لیست افتادنی", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "لیست امکانات", - "custom-field-dropdown-options-placeholder": "کلید Enter را جهت افزودن امکانات بیشتر فشار دهید", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "عدد", - "custom-field-text": "متن", - "custom-fields": "فیلدهای شخصی", - "date": "تاریخ", - "decline": "رد", - "default-avatar": "تصویر پیش فرض", - "delete": "حذف", - "deleteCustomFieldPopup-title": "آیا فیلدشخصی پاک شود؟", - "deleteLabelPopup-title": "آیا می خواهید برچسب را حذف کنید؟", - "description": "توضیحات", - "disambiguateMultiLabelPopup-title": "عمل ابهام زدایی از برچسب", - "disambiguateMultiMemberPopup-title": "عمل ابهام زدایی از کاربر", - "discard": "لغو", - "done": "انجام شده", - "download": "دریافت", - "edit": "ویرایش", - "edit-avatar": "تغییر تصویر", - "edit-profile": "ویرایش پروفایل", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "تغییر تاریخ آغاز", - "editCardDueDatePopup-title": "تغییر تاریخ بدلیل", - "editCustomFieldPopup-title": "ویرایش فیلد", - "editCardSpentTimePopup-title": "تغییر زمان صرف شده", - "editLabelPopup-title": "تغیر برچسب", - "editNotificationPopup-title": "اصلاح اعلان", - "editProfilePopup-title": "ویرایش پروفایل", - "email": "پست الکترونیک", - "email-enrollAccount-subject": "یک حساب کاربری برای شما در __siteName__ ایجاد شد", - "email-enrollAccount-text": "سلام __user__ \nبرای شروع به استفاده از این سرویس برروی آدرس زیر کلیک کنید.\n__url__\nبا تشکر.", - "email-fail": "عدم موفقیت در فرستادن رایانامه", - "email-fail-text": "خطا در تلاش برای فرستادن رایانامه", - "email-invalid": "رایانامه نادرست", - "email-invite": "دعوت از طریق رایانامه", - "email-invite-subject": "__inviter__ برای شما دعوت نامه ارسال کرده است", - "email-invite-text": "__User__ عزیز\n __inviter__ شما را به عضویت تخته \"__board__\" برای همکاری دعوت کرده است.\nلطفا لینک زیر را دنبال کنید، باتشکر:\n__url__", - "email-resetPassword-subject": "تنظیم مجدد کلمه عبور در __siteName__", - "email-resetPassword-text": "سلام __user__\nجهت تنظیم مجدد کلمه عبور آدرس زیر را دنبال نمایید، باتشکر:\n__url__", - "email-sent": "نامه الکترونیکی فرستاده شد", - "email-verifyEmail-subject": "تایید آدرس الکترونیکی شما در __siteName__", - "email-verifyEmail-text": "سلام __user__\nبه منظور تایید آدرس الکترونیکی حساب خود، آدرس زیر را دنبال نمایید، باتشکر:\n__url__.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "تخته مورد نظر وجود ندارد", - "error-board-notAdmin": "شما جهت انجام آن باید مدیر تخته باشید", - "error-board-notAMember": "شما انجام آن ،اید عضو این تخته باشید.", - "error-json-malformed": "متن درغالب صحیح Json نمی باشد.", - "error-json-schema": "داده های Json شما، شامل اطلاعات صحیح در غالب درستی نمی باشد.", - "error-list-doesNotExist": "این لیست موجود نیست", - "error-user-doesNotExist": "این کاربر وجود ندارد", - "error-user-notAllowSelf": "عدم امکان دعوت خود", - "error-user-notCreated": "این کاربر ایجاد نشده است", - "error-username-taken": "این نام کاربری استفاده شده است", - "error-email-taken": "رایانامه توسط گیرنده دریافت شده است", - "export-board": "انتقال به بیرون تخته", - "filter": "صافی ـFilterـ", - "filter-cards": "صافی ـFilterـ کارت‌ها", - "filter-clear": "حذف صافی ـFilterـ", - "filter-no-label": "بدون برچسب", - "filter-no-member": "بدون عضو", - "filter-no-custom-fields": "هیچ فیلدشخصی ای وجود ندارد", - "filter-on": "صافی ـFilterـ فعال است", - "filter-on-desc": "شما صافی ـFilterـ برای کارتهای تخته را روشن کرده اید. جهت ویرایش کلیک نمایید.", - "filter-to-selection": "صافی ـFilterـ برای موارد انتخابی", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "نام و نام خانوادگی", - "header-logo-title": "بازگشت به صفحه تخته.", - "hide-system-messages": "عدم نمایش پیامهای سیستمی", - "headerBarCreateBoardPopup-title": "ایجاد تخته", - "home": "خانه", - "import": "وارد کردن", - "import-board": "وارد کردن تخته", - "import-board-c": "وارد کردن تخته", - "import-board-title-trello": "وارد کردن تخته از Trello", - "import-board-title-wekan": "وارد کردن تخته از Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "از Trello", - "from-wekan": "از Wekan", - "import-board-instruction-trello": "در Trello-ی خود به 'Menu'، 'More'، 'Print'، 'Export to JSON رفته و متن نهایی را دراینجا وارد نمایید.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "اطلاعات Json معتبر خود را اینجا وارد کنید.", - "import-map-members": "نگاشت اعضا", - "import-members-map": "تعدادی عضو در تخته وارد شده می باشد. لطفا کاربرانی که باید وارد نرم افزار بشوند را مشخص کنید.", - "import-show-user-mapping": "بررسی نقشه کاربران", - "import-user-select": "کاربری از نرم افزار را که می خواهید بعنوان این عضو جایگزین شود را انتخاب کنید.", - "importMapMembersAddPopup-title": "انتخاب کاربر Wekan", - "info": "نسخه", - "initials": "تخصیصات اولیه", - "invalid-date": "تاریخ نامعتبر", - "invalid-time": "زمان نامعتبر", - "invalid-user": "کاربر نامعتیر", - "joined": "متصل", - "just-invited": "هم اکنون، شما به این تخته دعوت شده اید.", - "keyboard-shortcuts": "میانبر کلیدها", - "label-create": "ایجاد برچسب", - "label-default": "%s برچسب(پیش فرض)", - "label-delete-pop": "این اقدام، برچسب را از همه کارت‌ها پاک خواهد کرد و تاریخچه آن را نیز از بین می‌برد.", - "labels": "برچسب ها", - "language": "زبان", - "last-admin-desc": "شما نمی توانید نقش ـroleـ را تغییر دهید چراکه باید حداقل یک مدیری وجود داشته باشد.", - "leave-board": "خروج از تخته", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "ارجاع به این کارت", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "انتقال تمام کارت های این لیست", - "list-select-cards": "انتخاب تمام کارت های این لیست", - "listActionPopup-title": "لیست اقدامات", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "وارد کردن کارت Trello", - "listMorePopup-title": "بیشتر", - "link-list": "پیوند به این فهرست", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "لیست ها", - "swimlanes": "Swimlanes", - "log-out": "خروج", - "log-in": "ورود", - "loginPopup-title": "ورود", - "memberMenuPopup-title": "تنظیمات اعضا", - "members": "اعضا", - "menu": "منو", - "move-selection": "حرکت مورد انتخابی", - "moveCardPopup-title": "حرکت کارت", - "moveCardToBottom-title": "انتقال به پایین", - "moveCardToTop-title": "انتقال به بالا", - "moveSelectionPopup-title": "حرکت مورد انتخابی", - "multi-selection": "امکان چند انتخابی", - "multi-selection-on": "حالت چند انتخابی روشن است", - "muted": "بی صدا", - "muted-info": "شما هیچگاه از تغییرات این تخته مطلع نخواهید شد", - "my-boards": "تخته‌های من", - "name": "نام", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "بدون نتیجه", - "normal": "عادی", - "normal-desc": "امکان نمایش و تنظیم کارت بدون امکان تغییر تنظیمات", - "not-accepted-yet": "دعوت نامه هنوز پذیرفته نشده است", - "notify-participate": "اطلاع رسانی از هرگونه تغییر در کارتهایی که ایجاد کرده اید ویا عضو آن هستید", - "notify-watch": "اطلاع رسانی از هرگونه تغییر در تخته، لیست یا کارتهایی که از آنها دیده بانی میکنید", - "optional": "انتخابی", - "or": "یا", - "page-maybe-private": "این صفحه ممکن است خصوصی باشد. شما باورود می‌توانید آن را ببینید.", - "page-not-found": "صفحه پیدا نشد.", - "password": "کلمه عبور", - "paste-or-dragdrop": "جهت چسباندن، یا برداشتن-رهاسازی فایل تصویر به آن (تصویر)", - "participating": "شرکت کنندگان", - "preview": "پیش‌نمایش", - "previewAttachedImagePopup-title": "پیش‌نمایش", - "previewClipboardImagePopup-title": "پیش‌نمایش", - "private": "خصوصی", - "private-desc": "این تخته خصوصی است. فقط تنها افراد اضافه شده به آن می توانند مشاهده و ویرایش کنند.", - "profile": "حساب کاربری", - "public": "عمومی", - "public-desc": "این تخته عمومی است. برای هر کسی با آدرس ویا جستجو درموتورها مانند گوگل قابل مشاهده است . فقط افرادی که به آن اضافه شده اند امکان ویرایش دارند.", - "quick-access-description": "جهت افزودن یک تخته به اینجا،آنرا ستاره دار نمایید.", - "remove-cover": "حذف کاور", - "remove-from-board": "حذف از تخته", - "remove-label": "حذف برچسب", - "listDeletePopup-title": "حذف فهرست؟", - "remove-member": "حذف عضو", - "remove-member-from-card": "حذف از کارت", - "remove-member-pop": "آیا __name__ (__username__) را از __boardTitle__ حذف می کنید? کاربر از تمام کارت ها در این تخته حذف خواهد شد و آنها ازین اقدام مطلع خواهند شد.", - "removeMemberPopup-title": "آیا می خواهید کاربر را حذف کنید؟", - "rename": "تغیر نام", - "rename-board": "تغییر نام تخته", - "restore": "بازیابی", - "save": "ذخیره", - "search": "جستجو", - "search-cards": "جستجو در میان عناوین و توضیحات در این تخته", - "search-example": "متن مورد جستجو؟", - "select-color": "انتخاب رنگ", - "set-wip-limit-value": "تعیین بیشینه تعداد وظایف در این فهرست", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "اختصاص خود به کارت فعلی", - "shortcut-autocomplete-emoji": "تکمیل خودکار شکلکها", - "shortcut-autocomplete-members": "تکمیل خودکار کاربرها", - "shortcut-clear-filters": "حذف تمامی صافی ـfilterـ", - "shortcut-close-dialog": "بستن محاوره", - "shortcut-filter-my-cards": "کارت های من", - "shortcut-show-shortcuts": "بالا آوردن میانبر این لیست", - "shortcut-toggle-filterbar": "ضامن نوار جداکننده صافی ـfilterـ", - "shortcut-toggle-sidebar": "ضامن نوار جداکننده تخته", - "show-cards-minimum-count": "نمایش تعداد کارتها اگر لیست شامل بیشتراز", - "sidebar-open": "بازکردن جداکننده", - "sidebar-close": "بستن جداکننده", - "signupPopup-title": "ایجاد یک کاربر", - "star-board-title": "برای ستاره دادن، کلیک کنید.این در بالای لیست تخته های شما نمایش داده خواهد شد.", - "starred-boards": "تخته های ستاره دار", - "starred-boards-description": "تخته های ستاره دار در بالای لیست تخته ها نمایش داده می شود.", - "subscribe": "عضوشدن", - "team": "تیم", - "this-board": "این تخته", - "this-card": "این کارت", - "spent-time-hours": "زمان صرف شده (ساعت)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "زمان", - "title": "عنوان", - "tracking": "پیگردی", - "tracking-info": "شما از هرگونه تغییر در کارتهایی که بعنوان ایجاد کننده ویا عضو آن هستید، آگاه خواهید شد", - "type": "Type", - "unassign-member": "عدم انتصاب کاربر", - "unsaved-description": "شما توضیحات ذخیره نشده دارید.", - "unwatch": "عدم دیده بانی", - "upload": "ارسال", - "upload-avatar": "ارسال تصویر", - "uploaded-avatar": "تصویر ارسال شد", - "username": "نام کاربری", - "view-it": "مشاهده", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "دیده بانی", - "watching": "درحال دیده بانی", - "watching-info": "شما از هر تغییری دراین تخته آگاه خواهید شد", - "welcome-board": "به این تخته خوش آمدید", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "پایه ای ها", - "welcome-list2": "پیشرفته", - "what-to-do": "چه کاری می خواهید انجام دهید؟", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "پیشخوان مدیریتی", - "settings": "تنظمات", - "people": "افراد", - "registration": "ثبت نام", - "disable-self-registration": "‌غیرفعال‌سازی خودثبت‌نامی", - "invite": "دعوت", - "invite-people": "دعوت از افراد", - "to-boards": "به تخته(ها)", - "email-addresses": "نشانی رایانامه", - "smtp-host-description": "آدرس سرور SMTP ای که پست الکترونیکی شما برروی آن است", - "smtp-port-description": "شماره درگاه ـPortـ ای که سرور SMTP شما جهت ارسال از آن استفاده می کند", - "smtp-tls-description": "پشتیبانی از TLS برای سرور SMTP", - "smtp-host": "آدرس سرور SMTP", - "smtp-port": "شماره درگاه ـPortـ سرور SMTP", - "smtp-username": "نام کاربری", - "smtp-password": "کلمه عبور", - "smtp-tls": "پشتیبانی از SMTP", - "send-from": "از", - "send-smtp-test": "فرستادن رایانامه آزمایشی به خود", - "invitation-code": "کد دعوت نامه", - "email-invite-register-subject": "__inviter__ برای شما دعوت نامه ارسال کرده است", - "email-invite-register-text": "__User__ عزیز \nکاربر __inviter__ شما را به عضویت در Wekan برای همکاری دعوت کرده است.\nلطفا لینک زیر را دنبال کنید،\n __url__\nکد دعوت شما __icode__ می باشد.\n باتشکر", - "email-smtp-test-subject": "رایانامه SMTP آزمایشی از Wekan", - "email-smtp-test-text": "با موفقیت، یک رایانامه را فرستادید", - "error-invitation-code-not-exist": "چنین کد دعوتی یافت نشد", - "error-notAuthorized": "شما مجاز به دیدن این صفحه نیستید.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(ناشناخته)", - "Wekan_version": "نسخه Wekan", - "Node_version": "نسخه Node ", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "ساعت", - "minutes": "دقیقه", - "seconds": "ثانیه", - "show-field-on-card": "Show this field on card", - "yes": "بله", - "no": "خیر", - "accounts": "حساب‌ها", - "accounts-allowEmailChange": "اجازه تغییر رایانامه", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "ساخته شده در", - "verified": "معتبر", - "active": "فعال", - "card-received": "رسیده", - "card-received-on": "رسیده در", - "card-end": "پایان", - "card-end-on": "پایان در", - "editCardReceivedDatePopup-title": "تغییر تاریخ رسید", - "editCardEndDatePopup-title": "تغییر تاریخ پایان", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json deleted file mode 100644 index d8db9f14..00000000 --- a/i18n/fi.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Hyväksy", - "act-activity-notify": "[Wekan] Toimintailmoitus", - "act-addAttachment": "liitetty __attachment__ kortille __card__", - "act-addChecklist": "lisätty tarkistuslista __checklist__ kortille __card__", - "act-addChecklistItem": "lisätty kohta __checklistItem__ tarkistuslistaan __checklist__ kortilla __card__", - "act-addComment": "kommentoitu __card__: __comment__", - "act-createBoard": "luotu __board__", - "act-createCard": "lisätty __card__ listalle __list__", - "act-createCustomField": "luotu mukautettu kenttä __customField__", - "act-createList": "lisätty __list__ taululle __board__", - "act-addBoardMember": "lisätty __member__ taululle __board__", - "act-archivedBoard": "__board__ siirretty roskakoriin", - "act-archivedCard": "__card__ siirretty roskakoriin", - "act-archivedList": "__list__ siirretty roskakoriin", - "act-archivedSwimlane": "__swimlane__ siirretty roskakoriin", - "act-importBoard": "tuotu __board__", - "act-importCard": "tuotu __card__", - "act-importList": "tuotu __list__", - "act-joinMember": "lisätty __member__ kortille __card__", - "act-moveCard": "siirretty __card__ listalta __oldList__ listalle __list__", - "act-removeBoardMember": "poistettu __member__ taululta __board__", - "act-restoredCard": "palautettu __card__ taululle __board__", - "act-unjoinMember": "poistettu __member__ kortilta __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Toimet", - "activities": "Toimet", - "activity": "Toiminta", - "activity-added": "lisätty %s kohteeseen %s", - "activity-archived": "%s siirretty roskakoriin", - "activity-attached": "liitetty %s kohteeseen %s", - "activity-created": "luotu %s", - "activity-customfield-created": "luotu mukautettu kenttä %s", - "activity-excluded": "poistettu %s kohteesta %s", - "activity-imported": "tuotu %s kohteeseen %s lähteestä %s", - "activity-imported-board": "tuotu %s lähteestä %s", - "activity-joined": "liitytty kohteeseen %s", - "activity-moved": "siirretty %s kohteesta %s kohteeseen %s", - "activity-on": "kohteessa %s", - "activity-removed": "poistettu %s kohteesta %s", - "activity-sent": "lähetetty %s kohteeseen %s", - "activity-unjoined": "peruttu %s liittyminen", - "activity-checklist-added": "lisätty tarkistuslista kortille %s", - "activity-checklist-item-added": "lisäsi kohdan tarkistuslistaan '%s' kortilla %s", - "add": "Lisää", - "add-attachment": "Lisää liite", - "add-board": "Lisää taulu", - "add-card": "Lisää kortti", - "add-swimlane": "Lisää Swimlane", - "add-checklist": "Lisää tarkistuslista", - "add-checklist-item": "Lisää kohta tarkistuslistaan", - "add-cover": "Lisää kansi", - "add-label": "Lisää tunniste", - "add-list": "Lisää lista", - "add-members": "Lisää jäseniä", - "added": "Lisätty", - "addMemberPopup-title": "Jäsenet", - "admin": "Ylläpitäjä", - "admin-desc": "Voi nähfä ja muokata kortteja, poistaa jäseniä, ja muuttaa taulun asetuksia.", - "admin-announcement": "Ilmoitus", - "admin-announcement-active": "Aktiivinen järjestelmänlaajuinen ilmoitus", - "admin-announcement-title": "Ilmoitus ylläpitäjältä", - "all-boards": "Kaikki taulut", - "and-n-other-card": "Ja __count__ muu kortti", - "and-n-other-card_plural": "Ja __count__ muuta korttia", - "apply": "Käytä", - "app-is-offline": "Wekan latautuu, odota. Sivun uudelleenlataus aiheuttaa tietojen menettämisen. Jos Wekan ei lataudu, tarkista että Wekan palvelin ei ole pysähtynyt.", - "archive": "Siirrä roskakoriin", - "archive-all": "Siirrä kaikki roskakoriin", - "archive-board": "Siirrä taulu roskakoriin", - "archive-card": "Siirrä kortti roskakoriin", - "archive-list": "Siirrä lista roskakoriin", - "archive-swimlane": "Siirrä Swimlane roskakoriin", - "archive-selection": "Siirrä valinta roskakoriin", - "archiveBoardPopup-title": "Siirrä taulu roskakoriin?", - "archived-items": "Roskakori", - "archived-boards": "Taulut roskakorissa", - "restore-board": "Palauta taulu", - "no-archived-boards": "Ei tauluja roskakorissa", - "archives": "Roskakori", - "assign-member": "Valitse jäsen", - "attached": "liitetty", - "attachment": "Liitetiedosto", - "attachment-delete-pop": "Liitetiedoston poistaminen on lopullista. Tätä ei pysty peruuttamaan.", - "attachmentDeletePopup-title": "Poista liitetiedosto?", - "attachments": "Liitetiedostot", - "auto-watch": "Automaattisesti seuraa tauluja kun ne on luotu", - "avatar-too-big": "Profiilikuva on liian suuri (70KB maksimi)", - "back": "Takaisin", - "board-change-color": "Muokkaa väriä", - "board-nb-stars": "%s tähteä", - "board-not-found": "Taulua ei löytynyt", - "board-private-info": "Tämä taulu tulee olemaan yksityinen.", - "board-public-info": "Tämä taulu tulee olemaan julkinen.", - "boardChangeColorPopup-title": "Muokkaa taulun taustaa", - "boardChangeTitlePopup-title": "Nimeä taulu uudelleen", - "boardChangeVisibilityPopup-title": "Muokkaa näkyvyyttä", - "boardChangeWatchPopup-title": "Muokkaa seuraamista", - "boardMenuPopup-title": "Taulu valikko", - "boards": "Taulut", - "board-view": "Taulu näkymä", - "board-view-swimlanes": "Swimlanet", - "board-view-lists": "Listat", - "bucket-example": "Kuten “Laatikko lista” esimerkiksi", - "cancel": "Peruuta", - "card-archived": "Tämä kortti on siirretty roskakoriin.", - "card-comments-title": "Tässä kortissa on %s kommenttia.", - "card-delete-notice": "Poistaminen on lopullista. Menetät kaikki toimet jotka on liitetty tähän korttiin.", - "card-delete-pop": "Kaikki toimet poistetaan toimintasyötteestä ja et tule pystymään uudelleenavaamaan korttia. Tätä ei voi peruuttaa.", - "card-delete-suggest-archive": "Voit siirtää kortin roskakoriin poistaaksesi sen taululta ja säilyttääksesi toimintalokin.", - "card-due": "Erääntyy", - "card-due-on": "Erääntyy", - "card-spent": "Käytetty aika", - "card-edit-attachments": "Muokkaa liitetiedostoja", - "card-edit-custom-fields": "Muokkaa mukautettuja kenttiä", - "card-edit-labels": "Muokkaa tunnisteita", - "card-edit-members": "Muokkaa jäseniä", - "card-labels-title": "Muokkaa kortin tunnisteita.", - "card-members-title": "Lisää tai poista taulun jäseniä tältä kortilta.", - "card-start": "Alkaa", - "card-start-on": "Alkaa", - "cardAttachmentsPopup-title": "Liitä mistä", - "cardCustomField-datePopup-title": "Muokkaa päivää", - "cardCustomFieldsPopup-title": "Muokkaa mukautettuja kenttiä", - "cardDeletePopup-title": "Poista kortti?", - "cardDetailsActionsPopup-title": "Kortti toimet", - "cardLabelsPopup-title": "Tunnisteet", - "cardMembersPopup-title": "Jäsenet", - "cardMorePopup-title": "Lisää", - "cards": "Kortit", - "cards-count": "korttia", - "change": "Muokkaa", - "change-avatar": "Muokkaa profiilikuvaa", - "change-password": "Vaihda salasana", - "change-permissions": "Muokkaa oikeuksia", - "change-settings": "Muokkaa asetuksia", - "changeAvatarPopup-title": "Muokkaa profiilikuvaa", - "changeLanguagePopup-title": "Vaihda kieltä", - "changePasswordPopup-title": "Vaihda salasana", - "changePermissionsPopup-title": "Muokkaa oikeuksia", - "changeSettingsPopup-title": "Muokkaa asetuksia", - "checklists": "Tarkistuslistat", - "click-to-star": "Klikkaa merkataksesi tämä taulu tähdellä.", - "click-to-unstar": "Klikkaa poistaaksesi tähtimerkintä taululta.", - "clipboard": "Leikepöytä tai raahaa ja pudota", - "close": "Sulje", - "close-board": "Sulje taulu", - "close-board-pop": "Voit palauttaa taulun klikkaamalla “Roskakori” painiketta taululistan yläpalkista.", - "color-black": "musta", - "color-blue": "sininen", - "color-green": "vihreä", - "color-lime": "lime", - "color-orange": "oranssi", - "color-pink": "vaaleanpunainen", - "color-purple": "violetti", - "color-red": "punainen", - "color-sky": "taivas", - "color-yellow": "keltainen", - "comment": "Kommentti", - "comment-placeholder": "Kirjoita kommentti", - "comment-only": "Vain kommentointi", - "comment-only-desc": "Voi vain kommentoida kortteja", - "computer": "Tietokone", - "confirm-checklist-delete-dialog": "Haluatko varmasti poistaa tarkistuslistan", - "copy-card-link-to-clipboard": "Kopioi kortin linkki leikepöydälle", - "copyCardPopup-title": "Kopioi kortti", - "copyChecklistToManyCardsPopup-title": "Kopioi tarkistuslistan malli monille korteille", - "copyChecklistToManyCardsPopup-instructions": "Kohde korttien otsikot ja kuvaukset JSON muodossa", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Ensimmäisen kortin otsikko\", \"description\":\"Ensimmäisen kortin kuvaus\"}, {\"title\":\"Toisen kortin otsikko\",\"description\":\"Toisen kortin kuvaus\"},{\"title\":\"Viimeisen kortin otsikko\",\"description\":\"Viimeisen kortin kuvaus\"} ]", - "create": "Luo", - "createBoardPopup-title": "Luo taulu", - "chooseBoardSourcePopup-title": "Tuo taulu", - "createLabelPopup-title": "Luo tunniste", - "createCustomField": "Luo kenttä", - "createCustomFieldPopup-title": "Luo kenttä", - "current": "nykyinen", - "custom-field-delete-pop": "Tätä ei voi peruuttaa. Tämä poistaa tämän mukautetun kentän kaikista korteista ja poistaa sen historian.", - "custom-field-checkbox": "Valintaruutu", - "custom-field-date": "Päivämäärä", - "custom-field-dropdown": "Pudotusvalikko", - "custom-field-dropdown-none": "(ei mitään)", - "custom-field-dropdown-options": "Luettelon vaihtoehdot", - "custom-field-dropdown-options-placeholder": "Paina Enter lisätäksesi lisää vaihtoehtoja", - "custom-field-dropdown-unknown": "(tuntematon)", - "custom-field-number": "Numero", - "custom-field-text": "Teksti", - "custom-fields": "Mukautetut kentät", - "date": "Päivämäärä", - "decline": "Kieltäydy", - "default-avatar": "Oletus profiilikuva", - "delete": "Poista", - "deleteCustomFieldPopup-title": "Poista mukautettu kenttä?", - "deleteLabelPopup-title": "Poista tunniste?", - "description": "Kuvaus", - "disambiguateMultiLabelPopup-title": "Yksikäsitteistä tunniste toiminta", - "disambiguateMultiMemberPopup-title": "Yksikäsitteistä jäsen toiminta", - "discard": "Hylkää", - "done": "Valmis", - "download": "Lataa", - "edit": "Muokkaa", - "edit-avatar": "Muokkaa profiilikuvaa", - "edit-profile": "Muokkaa profiilia", - "edit-wip-limit": "Muokkaa WIP-rajaa", - "soft-wip-limit": "Pehmeä WIP raja", - "editCardStartDatePopup-title": "Muokkaa aloituspäivää", - "editCardDueDatePopup-title": "Muokkaa eräpäivää", - "editCustomFieldPopup-title": "Muokkaa kenttää", - "editCardSpentTimePopup-title": "Muuta käytettyä aikaa", - "editLabelPopup-title": "Muokkaa tunnistetta", - "editNotificationPopup-title": "Muokkaa ilmoituksia", - "editProfilePopup-title": "Muokkaa profiilia", - "email": "Sähköposti", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hei __user__,\n\nAlkaaksesi käyttämään palvelua, klikkaa allaolevaa linkkiä.\n\n__url__\n\nKiitos.", - "email-fail": "Sähköpostin lähettäminen epäonnistui", - "email-fail-text": "Virhe yrittäessä lähettää sähköpostia", - "email-invalid": "Virheellinen sähköposti", - "email-invite": "Kutsu sähköpostilla", - "email-invite-subject": "__inviter__ lähetti sinulle kutsun", - "email-invite-text": "Hyvä __user__,\n\n__inviter__ kutsuu sinut liittymään taululle \"__board__\" yhteistyötä varten.\n\nOle hyvä ja seuraa allaolevaa linkkiä:\n\n__url__\n\nKiitos.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hei __user__,\n\nNollataksesi salasanasi, klikkaa allaolevaa linkkiä.\n\n__url__\n\nKiitos.", - "email-sent": "Sähköposti lähetetty", - "email-verifyEmail-subject": "Varmista sähköpostiosoitteesi osoitteessa __url__", - "email-verifyEmail-text": "Hei __user__,\n\nvahvistaaksesi sähköpostiosoitteesi, klikkaa allaolevaa linkkiä.\n\n__url__\n\nKiitos.", - "enable-wip-limit": "Ota käyttöön WIP-raja", - "error-board-doesNotExist": "Tämä taulu ei ole olemassa", - "error-board-notAdmin": "Tehdäksesi tämän sinun täytyy olla tämän taulun ylläpitäjä", - "error-board-notAMember": "Tehdäksesi tämän sinun täytyy olla tämän taulun jäsen", - "error-json-malformed": "Tekstisi ei ole kelvollisessa JSON muodossa", - "error-json-schema": "JSON tietosi ei sisällä oikeaa tietoa oikeassa muodossa", - "error-list-doesNotExist": "Tätä listaa ei ole olemassa", - "error-user-doesNotExist": "Tätä käyttäjää ei ole olemassa", - "error-user-notAllowSelf": "Et voi kutsua itseäsi", - "error-user-notCreated": "Tätä käyttäjää ei ole luotu", - "error-username-taken": "Tämä käyttäjätunnus on jo käytössä", - "error-email-taken": "Sähköpostiosoite on jo käytössä", - "export-board": "Vie taulu", - "filter": "Suodata", - "filter-cards": "Suodata kortit", - "filter-clear": "Poista suodatin", - "filter-no-label": "Ei tunnistetta", - "filter-no-member": "Ei jäseniä", - "filter-no-custom-fields": "Ei mukautettuja kenttiä", - "filter-on": "Suodatus on päällä", - "filter-on-desc": "Suodatat kortteja tällä taululla. Klikkaa tästä muokataksesi suodatinta.", - "filter-to-selection": "Suodata valintaan", - "advanced-filter-label": "Edistynyt suodatin", - "advanced-filter-description": "Edistynyt suodatin mahdollistaa merkkijonon, joka sisältää seuraavat operaattorit: ==! = <=> = && || () Operaattorien välissä käytetään välilyöntiä. Voit suodattaa kaikki mukautetut kentät kirjoittamalla niiden nimet ja arvot. Esimerkiksi: Field1 == Value1. Huomaa: Jos kentillä tai arvoilla on välilyöntejä, sinun on sijoitettava ne yksittäisiin lainausmerkkeihin. Esimerkki: 'Kenttä 1' == 'Arvo 1'. Voit myös yhdistää useita ehtoja. Esimerkiksi: F1 == V1 || F1 = V2. Yleensä kaikki operaattorit tulkitaan vasemmalta oikealle. Voit muuttaa järjestystä asettamalla sulkuja. Esimerkiksi: F1 == V1 ja (F2 == V2 || F2 == V3)", - "fullname": "Koko nimi", - "header-logo-title": "Palaa taulut sivullesi.", - "hide-system-messages": "Piilota järjestelmäviestit", - "headerBarCreateBoardPopup-title": "Luo taulu", - "home": "Koti", - "import": "Tuo", - "import-board": "tuo taulu", - "import-board-c": "Tuo taulu", - "import-board-title-trello": "Tuo taulu Trellosta", - "import-board-title-wekan": "Tuo taulu Wekanista", - "import-sandstorm-warning": "Tuotu taulu poistaa kaikki olemassaolevan taulun tiedot ja korvaa ne tuodulla taululla.", - "from-trello": "Trellosta", - "from-wekan": "Wekanista", - "import-board-instruction-trello": "Trello taulullasi, mene 'Menu', sitten 'More', 'Print and Export', 'Export JSON', ja kopioi tuloksena saamasi teksti", - "import-board-instruction-wekan": "Wekan taulullasi, mene 'Valikko', sitten 'Vie taulu', ja kopioi teksti ladatusta tiedostosta.", - "import-json-placeholder": "Liitä kelvollinen JSON tietosi tähän", - "import-map-members": "Vastaavat jäsenet", - "import-members-map": "Tuomallasi taululla on muutamia jäseniä. Ole hyvä ja valitse tuomiasi jäseniä vastaavat Wekan käyttäjät", - "import-show-user-mapping": "Tarkasta vastaavat jäsenet", - "import-user-select": "Valitse Wekan käyttäjä jota haluat käyttää tänä käyttäjänä", - "importMapMembersAddPopup-title": "Valitse Wekan käyttäjä", - "info": "Versio", - "initials": "Nimikirjaimet", - "invalid-date": "Virheellinen päivämäärä", - "invalid-time": "Virheellinen aika", - "invalid-user": "Virheellinen käyttäjä", - "joined": "liittyi", - "just-invited": "Sinut on juuri kutsuttu tälle taululle", - "keyboard-shortcuts": "Pikanäppäimet", - "label-create": "Luo tunniste", - "label-default": "%s tunniste (oletus)", - "label-delete-pop": "Tätä ei voi peruuttaa. Tämä poistaa tämän tunnisteen kaikista korteista ja tuhoaa sen historian.", - "labels": "Tunnisteet", - "language": "Kieli", - "last-admin-desc": "Et voi vaihtaa rooleja koska täytyy olla olemassa ainakin yksi ylläpitäjä.", - "leave-board": "Jää pois taululta", - "leave-board-pop": "Haluatko varmasti poistua taululta __boardTitle__? Sinut poistetaan kaikista tämän taulun korteista.", - "leaveBoardPopup-title": "Jää pois taululta ?", - "link-card": "Linkki tähän korttiin", - "list-archive-cards": "Siirrä kaikki tämän listan kortit roskakoriin", - "list-archive-cards-pop": "Tämä poistaa kaikki tämän listan kortit taululta. Nähdäksesi roskakorissa olevat kortit ja tuodaksesi ne takaisin taululle, klikkaa “Valikko” > “Roskakori”.", - "list-move-cards": "Siirrä kaikki kortit tässä listassa", - "list-select-cards": "Valitse kaikki kortit tässä listassa", - "listActionPopup-title": "Listaa toimet", - "swimlaneActionPopup-title": "Swimlane toimet", - "listImportCardPopup-title": "Tuo Trello kortti", - "listMorePopup-title": "Lisää", - "link-list": "Linkki tähän listaan", - "list-delete-pop": "Kaikki toimet poistetaan toimintasyötteestä ja listan poistaminen on lopullista. Tätä ei pysty peruuttamaan.", - "list-delete-suggest-archive": "Voit siirtää listan roskakoriin poistaaksesi sen taululta ja säilyttääksesi toimintalokin.", - "lists": "Listat", - "swimlanes": "Swimlanet", - "log-out": "Kirjaudu ulos", - "log-in": "Kirjaudu sisään", - "loginPopup-title": "Kirjaudu sisään", - "memberMenuPopup-title": "Jäsen asetukset", - "members": "Jäsenet", - "menu": "Valikko", - "move-selection": "Siirrä valinta", - "moveCardPopup-title": "Siirrä kortti", - "moveCardToBottom-title": "Siirrä alimmaiseksi", - "moveCardToTop-title": "Siirrä ylimmäiseksi", - "moveSelectionPopup-title": "Siirrä valinta", - "multi-selection": "Monivalinta", - "multi-selection-on": "Monivalinta on päällä", - "muted": "Vaimennettu", - "muted-info": "Et saa koskaan ilmoituksia tämän taulun muutoksista", - "my-boards": "Tauluni", - "name": "Nimi", - "no-archived-cards": "Ei kortteja roskakorissa.", - "no-archived-lists": "Ei listoja roskakorissa.", - "no-archived-swimlanes": "Ei Swimlaneja roskakorissa.", - "no-results": "Ei tuloksia", - "normal": "Normaali", - "normal-desc": "Voi nähdä ja muokata kortteja. Ei voi muokata asetuksia.", - "not-accepted-yet": "Kutsua ei ole hyväksytty vielä", - "notify-participate": "Vastaanota päivityksiä kaikilta korteilta jotka olet tehnyt tai joihin osallistut.", - "notify-watch": "Vastaanota päivityksiä kaikilta tauluilta, listoilta tai korteilta joita seuraat.", - "optional": "valinnainen", - "or": "tai", - "page-maybe-private": "Tämä sivu voi olla yksityinen. Voit ehkä pystyä näkemään sen kirjautumalla sisään.", - "page-not-found": "Sivua ei löytynyt.", - "password": "Salasana", - "paste-or-dragdrop": "liittääksesi, tai vedä & pudota kuvatiedosto siihen (vain kuva)", - "participating": "Osallistutaan", - "preview": "Esikatsele", - "previewAttachedImagePopup-title": "Esikatsele", - "previewClipboardImagePopup-title": "Esikatsele", - "private": "Yksityinen", - "private-desc": "Tämä taulu on yksityinen. Vain taululle lisätyt henkilöt voivat nähdä ja muokata sitä.", - "profile": "Profiili", - "public": "Julkinen", - "public-desc": "Tämä taulu on julkinen. Se näkyy kenelle tahansa jolla on linkki ja näkyy myös hakukoneissa kuten Google. Vain taululle lisätyt henkilöt voivat muokata sitä.", - "quick-access-description": "Merkkaa taulu tähdellä lisätäksesi pikavalinta tähän palkkiin.", - "remove-cover": "Poista kansi", - "remove-from-board": "Poista taululta", - "remove-label": "Poista tunniste", - "listDeletePopup-title": "Poista lista ?", - "remove-member": "Poista jäsen", - "remove-member-from-card": "Poista kortilta", - "remove-member-pop": "Poista __name__ (__username__) taululta __boardTitle__? Jäsen poistetaan kaikilta taulun korteilta. Heille lähetetään ilmoitus.", - "removeMemberPopup-title": "Poista jäsen?", - "rename": "Nimeä uudelleen", - "rename-board": "Nimeä taulu uudelleen", - "restore": "Palauta", - "save": "Tallenna", - "search": "Etsi", - "search-cards": "Etsi korttien otsikoista ja kuvauksista tällä taululla", - "search-example": "Teksti jota etsitään?", - "select-color": "Valitse väri", - "set-wip-limit-value": "Aseta tämän listan tehtävien enimmäismäärä", - "setWipLimitPopup-title": "Aseta WIP-raja", - "shortcut-assign-self": "Valitse itsesi nykyiselle kortille", - "shortcut-autocomplete-emoji": "Automaattinen täydennys emojille", - "shortcut-autocomplete-members": "Automaattinen täydennys jäsenille", - "shortcut-clear-filters": "Poista kaikki suodattimet", - "shortcut-close-dialog": "Sulje valintaikkuna", - "shortcut-filter-my-cards": "Suodata korttini", - "shortcut-show-shortcuts": "Tuo esiin tämä pikavalinta lista", - "shortcut-toggle-filterbar": "Muokkaa suodatus sivupalkin näkyvyyttä", - "shortcut-toggle-sidebar": "Muokkaa taulu sivupalkin näkyvyyttä", - "show-cards-minimum-count": "Näytä korttien lukumäärä jos lista sisältää enemmän kuin", - "sidebar-open": "Avaa sivupalkki", - "sidebar-close": "Sulje sivupalkki", - "signupPopup-title": "Luo tili", - "star-board-title": "Klikkaa merkataksesi taulu tähdellä. Se tulee näkymään ylimpänä taululistallasi.", - "starred-boards": "Tähdellä merkatut taulut", - "starred-boards-description": "Tähdellä merkatut taulut näkyvät ylimpänä taululistallasi.", - "subscribe": "Tilaa", - "team": "Tiimi", - "this-board": "tämä taulu", - "this-card": "tämä kortti", - "spent-time-hours": "Käytetty aika (tuntia)", - "overtime-hours": "Ylityö (tuntia)", - "overtime": "Ylityö", - "has-overtime-cards": "Sisältää ylityö kortteja", - "has-spenttime-cards": "Sisältää käytetty aika kortteja", - "time": "Aika", - "title": "Otsikko", - "tracking": "Ilmoitukset", - "tracking-info": "Sinulle ilmoitetaan muutoksista korteissa joihin olet osallistunut luojana tai jäsenenä.", - "type": "Tyyppi", - "unassign-member": "Peru jäsenvalinta", - "unsaved-description": "Sinulla on tallentamaton kuvaus.", - "unwatch": "Lopeta seuraaminen", - "upload": "Lähetä", - "upload-avatar": "Lähetä profiilikuva", - "uploaded-avatar": "Profiilikuva lähetetty", - "username": "Käyttäjätunnus", - "view-it": "Näytä se", - "warn-list-archived": "varoitus: tämä kortti on roskakorissa olevassa listassa", - "watch": "Seuraa", - "watching": "Seurataan", - "watching-info": "Sinulle ilmoitetaan tämän taulun muutoksista", - "welcome-board": "Tervetuloa taulu", - "welcome-swimlane": "Merkkipaalu 1", - "welcome-list1": "Perusasiat", - "welcome-list2": "Edistynyt", - "what-to-do": "Mitä haluat tehdä?", - "wipLimitErrorPopup-title": "Virheellinen WIP-raja", - "wipLimitErrorPopup-dialog-pt1": "Tässä listassa olevien tehtävien määrä on korkeampi kuin asettamasi WIP-raja.", - "wipLimitErrorPopup-dialog-pt2": "Siirrä joitain tehtäviä pois tästä listasta tai määritä korkeampi WIP-raja.", - "admin-panel": "Hallintapaneeli", - "settings": "Asetukset", - "people": "Ihmiset", - "registration": "Rekisteröinti", - "disable-self-registration": "Poista käytöstä itse-rekisteröityminen", - "invite": "Kutsu", - "invite-people": "Kutsu ihmisiä", - "to-boards": "Taulu(i)lle", - "email-addresses": "Sähköpostiosoite", - "smtp-host-description": "SMTP palvelimen osoite jolla sähköpostit lähetetään.", - "smtp-port-description": "Portti jota STMP palvelimesi käyttää lähteville sähköposteille.", - "smtp-tls-description": "Ota käyttöön TLS tuki SMTP palvelimelle", - "smtp-host": "SMTP isäntä", - "smtp-port": "SMTP portti", - "smtp-username": "Käyttäjätunnus", - "smtp-password": "Salasana", - "smtp-tls": "TLS tuki", - "send-from": "Lähettäjä", - "send-smtp-test": "Lähetä testi sähköposti itsellesi", - "invitation-code": "Kutsukoodi", - "email-invite-register-subject": "__inviter__ lähetti sinulle kutsun", - "email-invite-register-text": "Hei __user__,\n\n__inviter__ kutsuu sinut mukaan Wekan ohjelman käyttöön.\n\nOle hyvä ja seuraa allaolevaa linkkiä:\n__url__\n\nJa kutsukoodisi on: __icode__\n\nKiitos.", - "email-smtp-test-subject": "SMTP testi sähköposti Wekanista", - "email-smtp-test-text": "Olet onnistuneesti lähettänyt sähköpostin", - "error-invitation-code-not-exist": "Kutsukoodi ei ole olemassa", - "error-notAuthorized": "Sinulla ei ole oikeutta tarkastella tätä sivua.", - "outgoing-webhooks": "Lähtevät Webkoukut", - "outgoingWebhooksPopup-title": "Lähtevät Webkoukut", - "new-outgoing-webhook": "Uusi lähtevä Webkoukku", - "no-name": "(Tuntematon)", - "Wekan_version": "Wekan versio", - "Node_version": "Node versio", - "OS_Arch": "Käyttöjärjestelmän arkkitehtuuri", - "OS_Cpus": "Käyttöjärjestelmän CPU määrä", - "OS_Freemem": "Käyttöjärjestelmän vapaa muisti", - "OS_Loadavg": "Käyttöjärjestelmän kuorman keskiarvo", - "OS_Platform": "Käyttöjärjestelmäalusta", - "OS_Release": "Käyttöjärjestelmän julkaisu", - "OS_Totalmem": "Käyttöjärjestelmän muistin kokonaismäärä", - "OS_Type": "Käyttöjärjestelmän tyyppi", - "OS_Uptime": "Käyttöjärjestelmä ollut käynnissä", - "hours": "tuntia", - "minutes": "minuuttia", - "seconds": "sekuntia", - "show-field-on-card": "Näytä tämä kenttä kortilla", - "yes": "Kyllä", - "no": "Ei", - "accounts": "Tilit", - "accounts-allowEmailChange": "Salli sähköpostiosoitteen muuttaminen", - "accounts-allowUserNameChange": "Salli käyttäjätunnuksen muuttaminen", - "createdAt": "Luotu", - "verified": "Varmistettu", - "active": "Aktiivinen", - "card-received": "Vastaanotettu", - "card-received-on": "Vastaanotettu", - "card-end": "Loppuu", - "card-end-on": "Loppuu", - "editCardReceivedDatePopup-title": "Vaihda vastaanottamispäivää", - "editCardEndDatePopup-title": "Vaihda loppumispäivää", - "assigned-by": "Tehtävänantaja", - "requested-by": "Pyytäjä", - "board-delete-notice": "Poistaminen on lopullista. Menetät kaikki listat, kortit ja toimet tällä taululla.", - "delete-board-confirm-popup": "Kaikki listat, kortit, tunnisteet ja toimet poistetaan ja et pysty palauttamaan taulun sisältöä. Tätä ei voi peruuttaa.", - "boardDeletePopup-title": "Poista taulu?", - "delete-board": "Poista taulu" -} \ No newline at end of file diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json deleted file mode 100644 index 258eeed4..00000000 --- a/i18n/fr.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Accepter", - "act-activity-notify": "[Wekan] Notification d'activité", - "act-addAttachment": "a joint __attachment__ à __card__", - "act-addChecklist": "a ajouté la checklist __checklist__ à __card__", - "act-addChecklistItem": "a ajouté l'élément __checklistItem__ à la checklist __checklist__ de __card__", - "act-addComment": "a commenté __card__ : __comment__", - "act-createBoard": "a créé __board__", - "act-createCard": "a ajouté __card__ à __list__", - "act-createCustomField": "a créé le champ personnalisé __customField__", - "act-createList": "a ajouté __list__ à __board__", - "act-addBoardMember": "a ajouté __member__ à __board__", - "act-archivedBoard": "__board__ a été déplacé vers la corbeille", - "act-archivedCard": "__card__ a été déplacée vers la corbeille", - "act-archivedList": "__list__ a été déplacée vers la corbeille", - "act-archivedSwimlane": "__swimlane__ a été déplacé vers la corbeille", - "act-importBoard": "a importé __board__", - "act-importCard": "a importé __card__", - "act-importList": "a importé __list__", - "act-joinMember": "a ajouté __member__ à __card__", - "act-moveCard": "a déplacé __card__ de __oldList__ à __list__", - "act-removeBoardMember": "a retiré __member__ de __board__", - "act-restoredCard": "a restauré __card__ dans __board__", - "act-unjoinMember": "a retiré __member__ de __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activités", - "activity": "Activité", - "activity-added": "a ajouté %s à %s", - "activity-archived": "%s a été déplacé vers la corbeille", - "activity-attached": "a attaché %s à %s", - "activity-created": "a créé %s", - "activity-customfield-created": "a créé le champ personnalisé %s", - "activity-excluded": "a exclu %s de %s", - "activity-imported": "a importé %s vers %s depuis %s", - "activity-imported-board": "a importé %s depuis %s", - "activity-joined": "a rejoint %s", - "activity-moved": "a déplacé %s de %s vers %s", - "activity-on": "sur %s", - "activity-removed": "a supprimé %s de %s", - "activity-sent": "a envoyé %s vers %s", - "activity-unjoined": "a quitté %s", - "activity-checklist-added": "a ajouté une checklist à %s", - "activity-checklist-item-added": "a ajouté un élément à la checklist '%s' dans %s", - "add": "Ajouter", - "add-attachment": "Ajouter une pièce jointe", - "add-board": "Ajouter un tableau", - "add-card": "Ajouter une carte", - "add-swimlane": "Ajouter un couloir", - "add-checklist": "Ajouter une checklist", - "add-checklist-item": "Ajouter un élément à la checklist", - "add-cover": "Ajouter la couverture", - "add-label": "Ajouter une étiquette", - "add-list": "Ajouter une liste", - "add-members": "Assigner des membres", - "added": "Ajouté le", - "addMemberPopup-title": "Membres", - "admin": "Admin", - "admin-desc": "Peut voir et éditer les cartes, supprimer des membres et changer les paramètres du tableau.", - "admin-announcement": "Annonce", - "admin-announcement-active": "Annonce destinée à tous", - "admin-announcement-title": "Annonce de l'administrateur", - "all-boards": "Tous les tableaux", - "and-n-other-card": "Et __count__ autre carte", - "and-n-other-card_plural": "Et __count__ autres cartes", - "apply": "Appliquer", - "app-is-offline": "Chargement en cours, veuillez patienter. Vous risquez de perdre des données si vous rechargez la page. Si le chargement échoue, veuillez vérifier l'état du serveur Wekan.", - "archive": "Déplacer vers la corbeille", - "archive-all": "Tout déplacer vers la corbeille", - "archive-board": "Déplacer le tableau vers la corbeille", - "archive-card": "Déplacer la carte vers la corbeille", - "archive-list": "Déplacer la liste vers la corbeille", - "archive-swimlane": "Déplacer le couloir vers la corbeille", - "archive-selection": "Déplacer la sélection vers la corbeille", - "archiveBoardPopup-title": "Déplacer le tableau vers la corbeille ?", - "archived-items": "Corbeille", - "archived-boards": "Tableaux dans la corbeille", - "restore-board": "Restaurer le tableau", - "no-archived-boards": "Aucun tableau dans la corbeille.", - "archives": "Corbeille", - "assign-member": "Affecter un membre", - "attached": "joint", - "attachment": "Pièce jointe", - "attachment-delete-pop": "La suppression d'une pièce jointe est définitive. Elle ne peut être annulée.", - "attachmentDeletePopup-title": "Supprimer la pièce jointe ?", - "attachments": "Pièces jointes", - "auto-watch": "Surveiller automatiquement les tableaux quand ils sont créés", - "avatar-too-big": "La taille du fichier de l'avatar est trop importante (70 ko au maximum)", - "back": "Retour", - "board-change-color": "Changer la couleur", - "board-nb-stars": "%s étoiles", - "board-not-found": "Tableau non trouvé", - "board-private-info": "Ce tableau sera privé", - "board-public-info": "Ce tableau sera public.", - "boardChangeColorPopup-title": "Change la couleur de fond du tableau", - "boardChangeTitlePopup-title": "Renommer le tableau", - "boardChangeVisibilityPopup-title": "Changer la visibilité", - "boardChangeWatchPopup-title": "Modifier le suivi", - "boardMenuPopup-title": "Menu du tableau", - "boards": "Tableaux", - "board-view": "Vue du tableau", - "board-view-swimlanes": "Couloirs", - "board-view-lists": "Listes", - "bucket-example": "Comme « todo list » par exemple", - "cancel": "Annuler", - "card-archived": "Cette carte est déplacée vers la corbeille.", - "card-comments-title": "Cette carte a %s commentaires.", - "card-delete-notice": "La suppression est permanente. Vous perdrez toutes les actions associées à cette carte.", - "card-delete-pop": "Toutes les actions vont être supprimées du suivi d'activités et vous ne pourrez plus utiliser cette carte. Cette action est irréversible.", - "card-delete-suggest-archive": "Vous pouvez déplacer une carte vers la corbeille afin de l'enlever du tableau tout en préservant l'activité.", - "card-due": "À échéance", - "card-due-on": "Échéance le", - "card-spent": "Temps passé", - "card-edit-attachments": "Modifier les pièces jointes", - "card-edit-custom-fields": "Éditer les champs personnalisés", - "card-edit-labels": "Modifier les étiquettes", - "card-edit-members": "Modifier les membres", - "card-labels-title": "Modifier les étiquettes de la carte.", - "card-members-title": "Ajouter ou supprimer des membres à la carte.", - "card-start": "Début", - "card-start-on": "Commence le", - "cardAttachmentsPopup-title": "Joindre depuis", - "cardCustomField-datePopup-title": "Changer la date", - "cardCustomFieldsPopup-title": "Éditer les champs personnalisés", - "cardDeletePopup-title": "Supprimer la carte ?", - "cardDetailsActionsPopup-title": "Actions sur la carte", - "cardLabelsPopup-title": "Étiquettes", - "cardMembersPopup-title": "Membres", - "cardMorePopup-title": "Plus", - "cards": "Cartes", - "cards-count": "Cartes", - "change": "Modifier", - "change-avatar": "Modifier l'avatar", - "change-password": "Modifier le mot de passe", - "change-permissions": "Modifier les permissions", - "change-settings": "Modifier les paramètres", - "changeAvatarPopup-title": "Modifier l'avatar", - "changeLanguagePopup-title": "Modifier la langue", - "changePasswordPopup-title": "Modifier le mot de passe", - "changePermissionsPopup-title": "Modifier les permissions", - "changeSettingsPopup-title": "Modifier les paramètres", - "checklists": "Checklists", - "click-to-star": "Cliquez pour ajouter ce tableau aux favoris.", - "click-to-unstar": "Cliquez pour retirer ce tableau des favoris.", - "clipboard": "Presse-papier ou glisser-déposer", - "close": "Fermer", - "close-board": "Fermer le tableau", - "close-board-pop": "Vous pourrez restaurer le tableau en cliquant le bouton « Corbeille » en entête.", - "color-black": "noir", - "color-blue": "bleu", - "color-green": "vert", - "color-lime": "citron vert", - "color-orange": "orange", - "color-pink": "rose", - "color-purple": "violet", - "color-red": "rouge", - "color-sky": "ciel", - "color-yellow": "jaune", - "comment": "Commenter", - "comment-placeholder": "Écrire un commentaire", - "comment-only": "Commentaire uniquement", - "comment-only-desc": "Ne peut que commenter des cartes.", - "computer": "Ordinateur", - "confirm-checklist-delete-dialog": "Êtes-vous sûr de vouloir supprimer la checklist", - "copy-card-link-to-clipboard": "Copier le lien vers la carte dans le presse-papier", - "copyCardPopup-title": "Copier la carte", - "copyChecklistToManyCardsPopup-title": "Copier le modèle de checklist vers plusieurs cartes", - "copyChecklistToManyCardsPopup-instructions": "Titres et descriptions des cartes de destination dans ce format JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titre de la première carte\", \"description\":\"Description de la première carte\"}, {\"title\":\"Titre de la seconde carte\",\"description\":\"Description de la seconde carte\"},{\"title\":\"Titre de la dernière carte\",\"description\":\"Description de la dernière carte\"} ]", - "create": "Créer", - "createBoardPopup-title": "Créer un tableau", - "chooseBoardSourcePopup-title": "Importer un tableau", - "createLabelPopup-title": "Créer une étiquette", - "createCustomField": "Créer un champ personnalisé", - "createCustomFieldPopup-title": "Créer un champ personnalisé", - "current": "actuel", - "custom-field-delete-pop": "Cette action n'est pas réversible. Elle supprimera ce champ personnalisé de toutes les cartes et détruira son historique.", - "custom-field-checkbox": "Case à cocher", - "custom-field-date": "Date", - "custom-field-dropdown": "Liste de choix", - "custom-field-dropdown-none": "(aucun)", - "custom-field-dropdown-options": "Options de liste", - "custom-field-dropdown-options-placeholder": "Appuyez sur Entrée pour ajouter d'autres options", - "custom-field-dropdown-unknown": "(inconnu)", - "custom-field-number": "Nombre", - "custom-field-text": "Texte", - "custom-fields": "Champs personnalisés", - "date": "Date", - "decline": "Refuser", - "default-avatar": "Avatar par défaut", - "delete": "Supprimer", - "deleteCustomFieldPopup-title": "Supprimer le champ personnalisé ?", - "deleteLabelPopup-title": "Supprimer l'étiquette ?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Préciser l'action sur l'étiquette", - "disambiguateMultiMemberPopup-title": "Préciser l'action sur le membre", - "discard": "Mettre à la corbeille", - "done": "Fait", - "download": "Télécharger", - "edit": "Modifier", - "edit-avatar": "Modifier l'avatar", - "edit-profile": "Modifier le profil", - "edit-wip-limit": "Éditer la limite WIP", - "soft-wip-limit": "Limite WIP douce", - "editCardStartDatePopup-title": "Modifier la date de début", - "editCardDueDatePopup-title": "Modifier la date d'échéance", - "editCustomFieldPopup-title": "Éditer le champ personnalisé", - "editCardSpentTimePopup-title": "Changer le temps passé", - "editLabelPopup-title": "Modifier l'étiquette", - "editNotificationPopup-title": "Modifier la notification", - "editProfilePopup-title": "Modifier le profil", - "email": "Email", - "email-enrollAccount-subject": "Un compte a été créé pour vous sur __siteName__", - "email-enrollAccount-text": "Bonjour __user__,\n\nPour commencer à utiliser ce service, il suffit de cliquer sur le lien ci-dessous.\n\n__url__\n\nMerci.", - "email-fail": "Échec de l'envoi du courriel.", - "email-fail-text": "Une erreur est survenue en tentant d'envoyer l'email", - "email-invalid": "Adresse email incorrecte.", - "email-invite": "Inviter par email", - "email-invite-subject": "__inviter__ vous a envoyé une invitation", - "email-invite-text": "Cher __user__,\n\n__inviter__ vous invite à rejoindre le tableau \"__board__\" pour collaborer.\n\nVeuillez suivre le lien ci-dessous :\n\n__url__\n\nMerci.", - "email-resetPassword-subject": "Réinitialiser votre mot de passe sur __siteName__", - "email-resetPassword-text": "Bonjour __user__,\n\nPour réinitialiser votre mot de passe, cliquez sur le lien ci-dessous.\n\n__url__\n\nMerci.", - "email-sent": "Courriel envoyé", - "email-verifyEmail-subject": "Vérifier votre adresse de courriel sur __siteName__", - "email-verifyEmail-text": "Bonjour __user__,\n\nPour vérifier votre compte courriel, il suffit de cliquer sur le lien ci-dessous.\n\n__url__\n\nMerci.", - "enable-wip-limit": "Activer la limite WIP", - "error-board-doesNotExist": "Ce tableau n'existe pas", - "error-board-notAdmin": "Vous devez être administrateur de ce tableau pour faire cela", - "error-board-notAMember": "Vous devez être membre de ce tableau pour faire cela", - "error-json-malformed": "Votre texte JSON n'est pas valide", - "error-json-schema": "Vos données JSON ne contiennent pas l'information appropriée dans un format correct", - "error-list-doesNotExist": "Cette liste n'existe pas", - "error-user-doesNotExist": "Cet utilisateur n'existe pas", - "error-user-notAllowSelf": "Vous ne pouvez pas vous inviter vous-même", - "error-user-notCreated": "Cet utilisateur n'a pas encore été créé", - "error-username-taken": "Ce nom d'utilisateur est déjà utilisé", - "error-email-taken": "Cette adresse mail est déjà utilisée", - "export-board": "Exporter le tableau", - "filter": "Filtrer", - "filter-cards": "Filtrer les cartes", - "filter-clear": "Supprimer les filtres", - "filter-no-label": "Aucune étiquette", - "filter-no-member": "Aucun membre", - "filter-no-custom-fields": "Pas de champs personnalisés", - "filter-on": "Le filtre est actif", - "filter-on-desc": "Vous êtes en train de filtrer les cartes sur ce tableau. Cliquez ici pour modifier les filtres.", - "filter-to-selection": "Filtre vers la sélection", - "advanced-filter-label": "Filtre avancé", - "advanced-filter-description": "Le filtre avancé permet d'écrire une chaîne contenant les opérateur suivants : == != <= >= && || ( ). Les opérateurs doivent être séparés par des espaces. Vous pouvez filtrer tous les champs personnalisés en saisissant leur nom et leur valeur. Par exemple : champ1 == valeur1. Note : si des champs ou valeurs contiennent des espaces, vous devez les mettre entre apostrophes. Par exemple : 'champ 1' = 'valeur 1'. Il est également possible de combiner plusieurs conditions. Par exemple : f1 == v1 || f2 == v2. Normalement, tous les opérateurs sont interprétés de gauche à droite. Vous pouvez changer l'ordre à l'aide de parenthèses. Par exemple : f1 == v1 and (f2 == v2 || f2 == v3).", - "fullname": "Nom complet", - "header-logo-title": "Retourner à la page des tableaux", - "hide-system-messages": "Masquer les messages système", - "headerBarCreateBoardPopup-title": "Créer un tableau", - "home": "Accueil", - "import": "Importer", - "import-board": "importer un tableau", - "import-board-c": "Importer un tableau", - "import-board-title-trello": "Importer le tableau depuis Trello", - "import-board-title-wekan": "Importer un tableau depuis Wekan", - "import-sandstorm-warning": "Le tableau importé supprimera toutes les données du tableau et les remplacera avec celles du tableau importé.", - "from-trello": "Depuis Trello", - "from-wekan": "Depuis Wekan", - "import-board-instruction-trello": "Dans votre tableau Trello, allez sur 'Menu', puis sur 'Plus', 'Imprimer et exporter', 'Exporter en JSON' et copiez le texte du résultat", - "import-board-instruction-wekan": "Dans votre tableau Wekan, allez dans 'Menu', puis 'Exporter un tableau', et copier le texte du fichier téléchargé.", - "import-json-placeholder": "Collez ici les données JSON valides", - "import-map-members": "Faire correspondre aux membres", - "import-members-map": "Le tableau que vous venez d'importer contient des membres. Veuillez associer les membres que vous souhaitez importer à des utilisateurs de Wekan.", - "import-show-user-mapping": "Contrôler l'association des membres", - "import-user-select": "Sélectionnez l'utilisateur Wekan que vous voulez associer à ce membre", - "importMapMembersAddPopup-title": "Sélectionner le membre Wekan", - "info": "Version", - "initials": "Initiales", - "invalid-date": "Date invalide", - "invalid-time": "Temps invalide", - "invalid-user": "Utilisateur invalide", - "joined": "a rejoint", - "just-invited": "Vous venez d'être invité à ce tableau", - "keyboard-shortcuts": "Raccourcis clavier", - "label-create": "Créer une étiquette", - "label-default": "étiquette %s (défaut)", - "label-delete-pop": "Cette action est irréversible. Elle supprimera cette étiquette de toutes les cartes ainsi que l'historique associé.", - "labels": "Étiquettes", - "language": "Langue", - "last-admin-desc": "Vous ne pouvez pas changer les rôles car il doit y avoir au moins un administrateur.", - "leave-board": "Quitter le tableau", - "leave-board-pop": "Êtes-vous sur de vouloir quitter __boardTitle__ ? Vous ne serez plus associé aux cartes de ce tableau.", - "leaveBoardPopup-title": "Quitter le tableau", - "link-card": "Lier à cette carte", - "list-archive-cards": "Déplacer toutes les cartes de la liste vers la corbeille", - "list-archive-cards-pop": "Cela supprimera du tableau toutes les cartes de cette liste. Pour voir les cartes dans la corbeille et les renvoyer vers le tableau, cliquez sur « Menu » puis « Corbeille ».", - "list-move-cards": "Déplacer toutes les cartes de cette liste", - "list-select-cards": "Sélectionner toutes les cartes de cette liste", - "listActionPopup-title": "Actions sur la liste", - "swimlaneActionPopup-title": "Actions du couloir", - "listImportCardPopup-title": "Importer une carte Trello", - "listMorePopup-title": "Plus", - "link-list": "Lien vers cette liste", - "list-delete-pop": "Toutes les actions seront supprimées du fil d'activité et il ne sera plus possible de les récupérer. Cette action ne peut pas être annulée.", - "list-delete-suggest-archive": "Vous pouvez déplacer une liste vers la corbeille pour l'enlever du tableau tout en conservant son activité.", - "lists": "Listes", - "swimlanes": "Couloirs", - "log-out": "Déconnexion", - "log-in": "Connexion", - "loginPopup-title": "Connexion", - "memberMenuPopup-title": "Préférence de membre", - "members": "Membres", - "menu": "Menu", - "move-selection": "Déplacer la sélection", - "moveCardPopup-title": "Déplacer la carte", - "moveCardToBottom-title": "Déplacer tout en bas", - "moveCardToTop-title": "Déplacer tout en haut", - "moveSelectionPopup-title": "Déplacer la sélection", - "multi-selection": "Sélection multiple", - "multi-selection-on": "Multi-Selection active", - "muted": "Silencieux", - "muted-info": "Vous ne serez jamais averti des modifications effectuées dans ce tableau", - "my-boards": "Mes tableaux", - "name": "Nom", - "no-archived-cards": "Aucune carte dans la corbeille.", - "no-archived-lists": "Aucune liste dans la corbeille.", - "no-archived-swimlanes": "Aucun couloir dans la corbeille.", - "no-results": "Pas de résultats", - "normal": "Normal", - "normal-desc": "Peut voir et modifier les cartes. Ne peut pas changer les paramètres.", - "not-accepted-yet": "L'invitation n'a pas encore été acceptée", - "notify-participate": "Recevoir les mises à jour de toutes les cartes auxquelles vous participez en tant que créateur ou que membre ", - "notify-watch": "Recevoir les mises à jour de tous les tableaux, listes ou cartes que vous suivez", - "optional": "optionnel", - "or": "ou", - "page-maybe-private": "Cette page est peut-être privée. Vous pourrez peut-être la voir en vous connectant.", - "page-not-found": "Page non trouvée", - "password": "Mot de passe", - "paste-or-dragdrop": "pour coller, ou glissez-déposez une image ici (seulement une image)", - "participating": "Participant", - "preview": "Prévisualiser", - "previewAttachedImagePopup-title": "Prévisualiser", - "previewClipboardImagePopup-title": "Prévisualiser", - "private": "Privé", - "private-desc": "Ce tableau est privé. Seuls les membres peuvent y accéder et le modifier.", - "profile": "Profil", - "public": "Public", - "public-desc": "Ce tableau est public. Il est accessible par toutes les personnes disposant du lien et apparaîtra dans les résultats des moteurs de recherche tels que Google. Seuls les membres peuvent le modifier.", - "quick-access-description": "Ajouter un tableau à vos favoris pour créer un raccourci dans cette barre.", - "remove-cover": "Enlever la page de présentation", - "remove-from-board": "Retirer du tableau", - "remove-label": "Retirer l'étiquette", - "listDeletePopup-title": "Supprimer la liste ?", - "remove-member": "Supprimer le membre", - "remove-member-from-card": "Supprimer de la carte", - "remove-member-pop": "Supprimer __name__ (__username__) de __boardTitle__ ? Ce membre sera supprimé de toutes les cartes du tableau et recevra une notification.", - "removeMemberPopup-title": "Supprimer le membre ?", - "rename": "Renommer", - "rename-board": "Renommer le tableau", - "restore": "Restaurer", - "save": "Enregistrer", - "search": "Chercher", - "search-cards": "Rechercher parmi les titres et descriptions des cartes de ce tableau", - "search-example": "Texte à rechercher ?", - "select-color": "Sélectionner une couleur", - "set-wip-limit-value": "Définit une limite maximale au nombre de cartes de cette liste", - "setWipLimitPopup-title": "Définir la limite WIP", - "shortcut-assign-self": "Affecter cette carte à vous-même", - "shortcut-autocomplete-emoji": "Auto-complétion des emoji", - "shortcut-autocomplete-members": "Auto-complétion des membres", - "shortcut-clear-filters": "Retirer tous les filtres", - "shortcut-close-dialog": "Fermer la boîte de dialogue", - "shortcut-filter-my-cards": "Filtrer mes cartes", - "shortcut-show-shortcuts": "Afficher cette liste de raccourcis", - "shortcut-toggle-filterbar": "Afficher/Cacher la barre latérale des filtres", - "shortcut-toggle-sidebar": "Afficher/Cacher la barre latérale du tableau", - "show-cards-minimum-count": "Afficher le nombre de cartes si la liste en contient plus de ", - "sidebar-open": "Ouvrir le panneau", - "sidebar-close": "Fermer le panneau", - "signupPopup-title": "Créer un compte", - "star-board-title": "Cliquer pour ajouter ce tableau aux favoris. Il sera affiché en tête de votre liste de tableaux.", - "starred-boards": "Tableaux favoris", - "starred-boards-description": "Les tableaux favoris s'affichent en tête de votre liste de tableaux.", - "subscribe": "Suivre", - "team": "Équipe", - "this-board": "ce tableau", - "this-card": "cette carte", - "spent-time-hours": "Temps passé (heures)", - "overtime-hours": "Temps supplémentaire (heures)", - "overtime": "Temps supplémentaire", - "has-overtime-cards": "A des cartes avec du temps supplémentaire", - "has-spenttime-cards": "A des cartes avec du temps passé", - "time": "Temps", - "title": "Titre", - "tracking": "Suivi", - "tracking-info": "Vous serez notifié de toute modification concernant les cartes pour lesquelles vous êtes impliqué en tant que créateur ou membre.", - "type": "Type", - "unassign-member": "Retirer le membre", - "unsaved-description": "Vous avez une description non sauvegardée", - "unwatch": "Arrêter de suivre", - "upload": "Télécharger", - "upload-avatar": "Télécharger un avatar", - "uploaded-avatar": "Avatar téléchargé", - "username": "Nom d'utilisateur", - "view-it": "Le voir", - "warn-list-archived": "Attention : cette carte est dans une liste se trouvant dans la corbeille", - "watch": "Suivre", - "watching": "Suivi", - "watching-info": "Vous serez notifié de toute modification dans ce tableau", - "welcome-board": "Tableau de bienvenue", - "welcome-swimlane": "Jalon 1", - "welcome-list1": "Basiques", - "welcome-list2": "Avancés", - "what-to-do": "Que voulez-vous faire ?", - "wipLimitErrorPopup-title": "Limite WIP invalide", - "wipLimitErrorPopup-dialog-pt1": "Le nombre de cartes de cette liste est supérieur à la limite WIP que vous avez définie.", - "wipLimitErrorPopup-dialog-pt2": "Veuillez enlever des cartes de cette liste, ou définir une limite WIP plus importante.", - "admin-panel": "Panneau d'administration", - "settings": "Paramètres", - "people": "Personne", - "registration": "Inscription", - "disable-self-registration": "Désactiver l'inscription", - "invite": "Inviter", - "invite-people": "Inviter une personne", - "to-boards": "Au(x) tableau(x)", - "email-addresses": "Adresses email", - "smtp-host-description": "L'adresse du serveur SMTP qui gère vos mails.", - "smtp-port-description": "Le port des mails sortants du serveur SMTP.", - "smtp-tls-description": "Activer la gestion de TLS sur le serveur SMTP", - "smtp-host": "Hôte SMTP", - "smtp-port": "Port SMTP", - "smtp-username": "Nom d'utilisateur", - "smtp-password": "Mot de passe", - "smtp-tls": "Prise en charge de TLS", - "send-from": "De", - "send-smtp-test": "Envoyer un mail de test à vous-même", - "invitation-code": "Code d'invitation", - "email-invite-register-subject": "__inviter__ vous a envoyé une invitation", - "email-invite-register-text": "Cher __user__,\n\n__inviter__ vous invite à le rejoindre sur Wekan pour collaborer.\n\nVeuillez suivre le lien ci-dessous :\n__url__\n\nVotre code d'invitation est : __icode__\n\nMerci.", - "email-smtp-test-subject": "Email de test SMTP de Wekan", - "email-smtp-test-text": "Vous avez envoyé un mail avec succès", - "error-invitation-code-not-exist": "Ce code d'invitation n'existe pas.", - "error-notAuthorized": "Vous n'êtes pas autorisé à accéder à cette page.", - "outgoing-webhooks": "Webhooks sortants", - "outgoingWebhooksPopup-title": "Webhooks sortants", - "new-outgoing-webhook": "Nouveau webhook sortant", - "no-name": "(Inconnu)", - "Wekan_version": "Version de Wekan", - "Node_version": "Version de Node", - "OS_Arch": "OS Architecture", - "OS_Cpus": "OS Nombre CPU", - "OS_Freemem": "OS Mémoire libre", - "OS_Loadavg": "OS Charge moyenne", - "OS_Platform": "OS Plate-forme", - "OS_Release": "OS Version", - "OS_Totalmem": "OS Mémoire totale", - "OS_Type": "OS Type", - "OS_Uptime": "OS Durée de fonctionnement", - "hours": "heures", - "minutes": "minutes", - "seconds": "secondes", - "show-field-on-card": "Afficher ce champ sur la carte", - "yes": "Oui", - "no": "Non", - "accounts": "Comptes", - "accounts-allowEmailChange": "Autoriser le changement d'adresse mail", - "accounts-allowUserNameChange": "Permettre la modification de l'identifiant", - "createdAt": "Créé le", - "verified": "Vérifié", - "active": "Actif", - "card-received": "Reçue", - "card-received-on": "Reçue le", - "card-end": "Fin", - "card-end-on": "Se termine le", - "editCardReceivedDatePopup-title": "Changer la date de réception", - "editCardEndDatePopup-title": "Changer la date de fin", - "assigned-by": "Assigné par", - "requested-by": "Demandé par", - "board-delete-notice": "La suppression est définitive. Vous perdrez toutes vos listes, cartes et actions associées à ce tableau.", - "delete-board-confirm-popup": "Toutes les listes, cartes, étiquettes et activités seront supprimées et vous ne pourrez pas retrouver le contenu du tableau. Il n'y a pas d'annulation possible.", - "boardDeletePopup-title": "Supprimer le tableau ?", - "delete-board": "Supprimer le tableau" -} \ No newline at end of file diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json deleted file mode 100644 index 702e9e0c..00000000 --- a/i18n/gl.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Aceptar", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Accións", - "activities": "Actividades", - "activity": "Actividade", - "activity-added": "engadiuse %s a %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Engadir", - "add-attachment": "Engadir anexo", - "add-board": "Engadir taboleiro", - "add-card": "Engadir tarxeta", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Engadir etiqueta", - "add-list": "Engadir lista", - "add-members": "Engadir membros", - "added": "Added", - "addMemberPopup-title": "Membros", - "admin": "Admin", - "admin-desc": "Pode ver e editar tarxetas, retirar membros e cambiar a configuración do taboleiro.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "Todos os taboleiros", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restaurar taboleiro", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Anexo", - "attachment-delete-pop": "A eliminación de anexos é permanente. Non se pode desfacer.", - "attachmentDeletePopup-title": "Eliminar anexo?", - "attachments": "Anexos", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Cambiar cor", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Taboleiros", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Listas", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancelar", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Editar anexos", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Editar etiquetas", - "card-edit-members": "Editar membros", - "card-labels-title": "Cambiar as etiquetas da tarxeta.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Etiquetas", - "cardMembersPopup-title": "Membros", - "cardMorePopup-title": "Máis", - "cards": "Tarxetas", - "cards-count": "Tarxetas", - "change": "Cambiar", - "change-avatar": "Cambiar o avatar", - "change-password": "Cambiar o contrasinal", - "change-permissions": "Cambiar os permisos", - "change-settings": "Cambiar a configuración", - "changeAvatarPopup-title": "Cambiar o avatar", - "changeLanguagePopup-title": "Cambiar de idioma", - "changePasswordPopup-title": "Cambiar o contrasinal", - "changePermissionsPopup-title": "Cambiar os permisos", - "changeSettingsPopup-title": "Cambiar a configuración", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "negro", - "color-blue": "azul", - "color-green": "verde", - "color-lime": "lime", - "color-orange": "laranxa", - "color-pink": "rosa", - "color-purple": "purple", - "color-red": "vermello", - "color-sky": "celeste", - "color-yellow": "amarelo", - "comment": "Comentario", - "comment-placeholder": "Escribir un comentario", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computador", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Crear", - "createBoardPopup-title": "Crear taboleiro", - "chooseBoardSourcePopup-title": "Importar taboleiro", - "createLabelPopup-title": "Crear etiqueta", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "actual", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Data", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Data", - "decline": "Rexeitar", - "default-avatar": "Avatar predeterminado", - "delete": "Eliminar", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Eliminar a etiqueta?", - "description": "Descrición", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Desbotar", - "done": "Feito", - "download": "Descargar", - "edit": "Editar", - "edit-avatar": "Cambiar de avatar", - "edit-profile": "Editar o perfil", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Cambiar a data de inicio", - "editCardDueDatePopup-title": "Cambiar a data límite", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Cambiar a etiqueta", - "editNotificationPopup-title": "Editar a notificación", - "editProfilePopup-title": "Editar o perfil", - "email": "Correo electrónico", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "Esta lista non existe", - "error-user-doesNotExist": "Este usuario non existe", - "error-user-notAllowSelf": "Non é posíbel convidarse a un mesmo", - "error-user-notCreated": "Este usuario non está creado", - "error-username-taken": "Este nome de usuario xa está collido", - "error-email-taken": "Email has already been taken", - "export-board": "Exportar taboleiro", - "filter": "Filtro", - "filter-cards": "Filtrar tarxetas", - "filter-clear": "Limpar filtro", - "filter-no-label": "Non hai etiquetas", - "filter-no-member": "Non hai membros", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "O filtro está activado", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Nome completo", - "header-logo-title": "Retornar á páxina dos seus taboleiros.", - "hide-system-messages": "Agochar as mensaxes do sistema", - "headerBarCreateBoardPopup-title": "Crear taboleiro", - "home": "Inicio", - "import": "Importar", - "import-board": "importar taboleiro", - "import-board-c": "Importar taboleiro", - "import-board-title-trello": "Importar taboleiro de Trello", - "import-board-title-wekan": "Importar taboleiro de Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "De Trello", - "from-wekan": "De Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Iniciais", - "invalid-date": "A data é incorrecta", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Crear etiqueta", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Etiquetas", - "language": "Idioma", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Saír do taboleiro", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "Máis", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Listas", - "swimlanes": "Swimlanes", - "log-out": "Pechar a sesión", - "log-in": "Acceder", - "loginPopup-title": "Acceder", - "memberMenuPopup-title": "Member Settings", - "members": "Membros", - "menu": "Menú", - "move-selection": "Mover selección", - "moveCardPopup-title": "Mover tarxeta", - "moveCardToBottom-title": "Mover abaixo de todo", - "moveCardToTop-title": "Mover arriba de todo", - "moveSelectionPopup-title": "Mover selección", - "multi-selection": "Selección múltipla", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Nome", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Non hai resultados", - "normal": "Normal", - "normal-desc": "Pode ver e editar tarxetas. Non pode cambiar a configuración.", - "not-accepted-yet": "O convite aínda non foi aceptado", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "opcional", - "or": "ou", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Non se atopou a páxina.", - "password": "Contrasinal", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Perfil", - "public": "Público", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribir", - "team": "Equipo", - "this-board": "este taboleiro", - "this-card": "esta tarxeta", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Hora", - "title": "Título", - "tracking": "Seguimento", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Enviar", - "upload-avatar": "Enviar un avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Nome de usuario", - "view-it": "Velo", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Vixiar", - "watching": "Vixiando", - "watching-info": "Recibirá unha notificación sobre calquera cambio que se produza neste taboleiro", - "welcome-board": "Taboleiro de benvida", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Fundamentos", - "welcome-list2": "Avanzado", - "what-to-do": "Que desexa facer?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Panel de administración", - "settings": "Configuración", - "people": "Persoas", - "registration": "Rexistro", - "disable-self-registration": "Desactivar o auto-rexistro", - "invite": "Convidar", - "invite-people": "Convidar persoas", - "to-boards": "Ao(s) taboleiro(s)", - "email-addresses": "Enderezos de correo", - "smtp-host-description": "O enderezo do servidor de SMTP que xestiona os seu correo electrónico.", - "smtp-port-description": "O porto que o servidor de SMTP emprega para o correo saínte.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "Servidor de SMTP", - "smtp-port": "Porto de SMTP", - "smtp-username": "Nome de usuario", - "smtp-password": "Contrasinal", - "smtp-tls": "TLS support", - "send-from": "De", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json deleted file mode 100644 index f1b30f73..00000000 --- a/i18n/he.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "אישור", - "act-activity-notify": "[Wekan] הודעת פעילות", - "act-addAttachment": " __attachment__ צורף לכרטיס __card__", - "act-addChecklist": "רשימת משימות __checklist__ נוספה ל __card__", - "act-addChecklistItem": " __checklistItem__ נוסף לרשימת משימות __checklist__ בכרטיס __card__", - "act-addComment": "התקבלה תגובה על הכרטיס __card__:‏ __comment__", - "act-createBoard": "הלוח __board__ נוצר", - "act-createCard": "הכרטיס __card__ התווסף לרשימה __list__", - "act-createCustomField": "נוצר שדה בהתאמה אישית __customField__", - "act-createList": "הרשימה __list__ התווספה ללוח __board__", - "act-addBoardMember": "המשתמש __member__ נוסף ללוח __board__", - "act-archivedBoard": "__board__ הועבר לסל המחזור", - "act-archivedCard": "__card__ הועבר לסל המחזור", - "act-archivedList": "__list__ הועבר לסל המחזור", - "act-archivedSwimlane": "__swimlane__ הועבר לסל המחזור", - "act-importBoard": "הלוח __board__ יובא", - "act-importCard": "הכרטיס __card__ יובא", - "act-importList": "הרשימה __list__ יובאה", - "act-joinMember": "המשתמש __member__ נוסף לכרטיס __card__", - "act-moveCard": "הכרטיס __card__ הועבר מהרשימה __oldList__ לרשימה __list__", - "act-removeBoardMember": "המשתמש __member__ הוסר מהלוח __board__", - "act-restoredCard": "הכרטיס __card__ שוחזר ללוח __board__", - "act-unjoinMember": "המשתמש __member__ הוסר מהכרטיס __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "פעולות", - "activities": "פעילויות", - "activity": "פעילות", - "activity-added": "%s נוסף ל%s", - "activity-archived": "%s הועבר לסל המחזור", - "activity-attached": "%s צורף ל%s", - "activity-created": "%s נוצר", - "activity-customfield-created": "נוצר שדה בהתאמה אישית %s", - "activity-excluded": "%s לא נכלל ב%s", - "activity-imported": "%s ייובא מ%s אל %s", - "activity-imported-board": "%s ייובא מ%s", - "activity-joined": "הצטרפות אל %s", - "activity-moved": "%s עבר מ%s ל%s", - "activity-on": "ב%s", - "activity-removed": "%s הוסר מ%s", - "activity-sent": "%s נשלח ל%s", - "activity-unjoined": "בטל צירוף %s", - "activity-checklist-added": "נוספה רשימת משימות אל %s", - "activity-checklist-item-added": "נוסף פריט רשימת משימות אל ‚%s‘ תחת %s", - "add": "הוספה", - "add-attachment": "הוספת קובץ מצורף", - "add-board": "הוספת לוח", - "add-card": "הוספת כרטיס", - "add-swimlane": "הוספת מסלול", - "add-checklist": "הוספת רשימת מטלות", - "add-checklist-item": "הוספת פריט לרשימת משימות", - "add-cover": "הוספת כיסוי", - "add-label": "הוספת תווית", - "add-list": "הוספת רשימה", - "add-members": "הוספת חברים", - "added": "התווסף", - "addMemberPopup-title": "חברים", - "admin": "מנהל", - "admin-desc": "יש הרשאות לצפייה ולעריכת כרטיסים, להסרת חברים ולשינוי הגדרות לוח.", - "admin-announcement": "הכרזה", - "admin-announcement-active": "הכרזת מערכת פעילה", - "admin-announcement-title": "הכרזה ממנהל המערכת", - "all-boards": "כל הלוחות", - "and-n-other-card": "וכרטיס אחר", - "and-n-other-card_plural": "ו־__count__ כרטיסים אחרים", - "apply": "החלה", - "app-is-offline": "Wekan בטעינה, נא להמתין. רענון העמוד עשוי להוביל לאובדן מידע. אם הטעינה של Wekan נעצרה, נא לבדוק ששרת ה־Wekan לא נעצר.", - "archive": "העברה לסל המחזור", - "archive-all": "להעביר הכול לסל המחזור", - "archive-board": "העברת הלוח לסל המחזור", - "archive-card": "העברת הכרטיס לסל המחזור", - "archive-list": "העברת הרשימה לסל המחזור", - "archive-swimlane": "העברת מסלול לסל המחזור", - "archive-selection": "העברת הבחירה לסל המחזור", - "archiveBoardPopup-title": "להעביר את הלוח לסל המחזור?", - "archived-items": "סל מחזור", - "archived-boards": "לוחות בסל המחזור", - "restore-board": "שחזור לוח", - "no-archived-boards": "אין לוחות בסל המחזור", - "archives": "סל מחזור", - "assign-member": "הקצאת חבר", - "attached": "מצורף", - "attachment": "קובץ מצורף", - "attachment-delete-pop": "מחיקת קובץ מצורף הנה סופית. אין דרך חזרה.", - "attachmentDeletePopup-title": "למחוק קובץ מצורף?", - "attachments": "קבצים מצורפים", - "auto-watch": "הוספת לוחות למעקב כשהם נוצרים", - "avatar-too-big": "תמונת המשתמש גדולה מדי (70 ק״ב לכל היותר)", - "back": "חזרה", - "board-change-color": "שינוי צבע", - "board-nb-stars": "%s כוכבים", - "board-not-found": "לוח לא נמצא", - "board-private-info": "לוח זה יהיה פרטי.", - "board-public-info": "לוח זה יהיה ציבורי.", - "boardChangeColorPopup-title": "שינוי רקע ללוח", - "boardChangeTitlePopup-title": "שינוי שם הלוח", - "boardChangeVisibilityPopup-title": "שינוי מצב הצגה", - "boardChangeWatchPopup-title": "שינוי הגדרת המעקב", - "boardMenuPopup-title": "תפריט לוח", - "boards": "לוחות", - "board-view": "תצוגת לוח", - "board-view-swimlanes": "מסלולים", - "board-view-lists": "רשימות", - "bucket-example": "כמו למשל „רשימת המשימות“", - "cancel": "ביטול", - "card-archived": "כרטיס זה הועבר לסל המחזור", - "card-comments-title": "לכרטיס זה %s תגובות.", - "card-delete-notice": "מחיקה היא סופית. כל הפעולות המשויכות לכרטיס זה תלכנה לאיוד.", - "card-delete-pop": "כל הפעולות יוסרו מלוח הפעילות ולא תהיה אפשרות לפתוח מחדש את הכרטיס. אין דרך חזרה.", - "card-delete-suggest-archive": "ניתן להעביר כרטיס לסל המחזור כדי להסיר אותו מהלוח ולשמר את הפעילות.", - "card-due": "תאריך יעד", - "card-due-on": "תאריך יעד", - "card-spent": "זמן שהושקע", - "card-edit-attachments": "עריכת קבצים מצורפים", - "card-edit-custom-fields": "עריכת שדות בהתאמה אישית", - "card-edit-labels": "עריכת תוויות", - "card-edit-members": "עריכת חברים", - "card-labels-title": "שינוי תוויות לכרטיס.", - "card-members-title": "הוספה או הסרה של חברי הלוח מהכרטיס.", - "card-start": "התחלה", - "card-start-on": "מתחיל ב־", - "cardAttachmentsPopup-title": "לצרף מ־", - "cardCustomField-datePopup-title": "החלפת תאריך", - "cardCustomFieldsPopup-title": "עריכת שדות בהתאמה אישית", - "cardDeletePopup-title": "למחוק כרטיס?", - "cardDetailsActionsPopup-title": "פעולות על הכרטיס", - "cardLabelsPopup-title": "תוויות", - "cardMembersPopup-title": "חברים", - "cardMorePopup-title": "עוד", - "cards": "כרטיסים", - "cards-count": "כרטיסים", - "change": "שינוי", - "change-avatar": "החלפת תמונת משתמש", - "change-password": "החלפת ססמה", - "change-permissions": "שינוי הרשאות", - "change-settings": "שינוי הגדרות", - "changeAvatarPopup-title": "שינוי תמונת משתמש", - "changeLanguagePopup-title": "החלפת שפה", - "changePasswordPopup-title": "החלפת ססמה", - "changePermissionsPopup-title": "שינוי הרשאות", - "changeSettingsPopup-title": "שינוי הגדרות", - "checklists": "רשימות", - "click-to-star": "יש ללחוץ להוספת הלוח למועדפים.", - "click-to-unstar": "יש ללחוץ להסרת הלוח מהמועדפים.", - "clipboard": "לוח גזירים או גרירה ושחרור", - "close": "סגירה", - "close-board": "סגירת לוח", - "close-board-pop": "תהיה לך אפשרות להסיר את הלוח על ידי לחיצה על הכפתור „סל מחזור” מכותרת הבית.", - "color-black": "שחור", - "color-blue": "כחול", - "color-green": "ירוק", - "color-lime": "ליים", - "color-orange": "כתום", - "color-pink": "ורוד", - "color-purple": "סגול", - "color-red": "אדום", - "color-sky": "תכלת", - "color-yellow": "צהוב", - "comment": "לפרסם", - "comment-placeholder": "כתיבת הערה", - "comment-only": "הערה בלבד", - "comment-only-desc": "ניתן להעיר על כרטיסים בלבד.", - "computer": "מחשב", - "confirm-checklist-delete-dialog": "האם אתה בטוח שברצונך למחוק את רשימת המשימות", - "copy-card-link-to-clipboard": "העתקת קישור הכרטיס ללוח הגזירים", - "copyCardPopup-title": "העתק כרטיס", - "copyChecklistToManyCardsPopup-title": "העתקת תבנית רשימת מטלות למגוון כרטיסים", - "copyChecklistToManyCardsPopup-instructions": "כותרות ותיאורים של כרטיסי יעד בתצורת JSON זו", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"כותרת כרטיס ראשון\", \"description\":\"תיאור כרטיס ראשון\"}, {\"title\":\"כותרת כרטיס שני\",\"description\":\"תיאור כרטיס שני\"},{\"title\":\"כותרת כרטיס אחרון\",\"description\":\"תיאור כרטיס אחרון\"} ]", - "create": "יצירה", - "createBoardPopup-title": "יצירת לוח", - "chooseBoardSourcePopup-title": "ייבוא לוח", - "createLabelPopup-title": "יצירת תווית", - "createCustomField": "יצירת שדה", - "createCustomFieldPopup-title": "יצירת שדה", - "current": "נוכחי", - "custom-field-delete-pop": "אין אפשרות לבטל את הפעולה. הפעולה תסיר את השדה שהותאם אישית מכל הכרטיסים ותשמיד את ההיסטוריה שלו.", - "custom-field-checkbox": "תיבת סימון", - "custom-field-date": "תאריך", - "custom-field-dropdown": "רשימה נגללת", - "custom-field-dropdown-none": "(ללא)", - "custom-field-dropdown-options": "אפשרויות רשימה", - "custom-field-dropdown-options-placeholder": "יש ללחוץ על enter כדי להוסיף עוד אפשרויות", - "custom-field-dropdown-unknown": "(לא ידוע)", - "custom-field-number": "מספר", - "custom-field-text": "טקסט", - "custom-fields": "שדות מותאמים אישית", - "date": "תאריך", - "decline": "סירוב", - "default-avatar": "תמונת משתמש כבררת מחדל", - "delete": "מחיקה", - "deleteCustomFieldPopup-title": "למחוק שדה מותאם אישית?", - "deleteLabelPopup-title": "למחוק תווית?", - "description": "תיאור", - "disambiguateMultiLabelPopup-title": "הבהרת פעולת תווית", - "disambiguateMultiMemberPopup-title": "הבהרת פעולת חבר", - "discard": "התעלמות", - "done": "בוצע", - "download": "הורדה", - "edit": "עריכה", - "edit-avatar": "החלפת תמונת משתמש", - "edit-profile": "עריכת פרופיל", - "edit-wip-limit": "עריכת מגבלת „בעבודה”", - "soft-wip-limit": "מגבלת „בעבודה” רכה", - "editCardStartDatePopup-title": "שינוי מועד התחלה", - "editCardDueDatePopup-title": "שינוי מועד סיום", - "editCustomFieldPopup-title": "עריכת שדה", - "editCardSpentTimePopup-title": "שינוי הזמן שהושקע", - "editLabelPopup-title": "שינוי תווית", - "editNotificationPopup-title": "שינוי דיווח", - "editProfilePopup-title": "עריכת פרופיל", - "email": "דוא״ל", - "email-enrollAccount-subject": "נוצר עבורך חשבון באתר __siteName__", - "email-enrollAccount-text": "__user__ שלום,\n\nכדי להתחיל להשתמש בשירות, יש ללחוץ על הקישור המופיע להלן.\n\n__url__\n\nתודה.", - "email-fail": "שליחת ההודעה בדוא״ל נכשלה", - "email-fail-text": "שגיאה בעת ניסיון לשליחת הודעת דוא״ל", - "email-invalid": "כתובת דוא״ל לא חוקית", - "email-invite": "הזמנה באמצעות דוא״ל", - "email-invite-subject": "נשלחה אליך הזמנה מאת __inviter__", - "email-invite-text": "__user__ שלום,\n\nהוזמנת על ידי __inviter__ להצטרף ללוח „__board__“ להמשך שיתוף הפעולה.\n\nנא ללחוץ על הקישור המופיע להלן:\n\n__url__\n\nתודה.", - "email-resetPassword-subject": "ניתן לאפס את ססמתך לאתר __siteName__", - "email-resetPassword-text": "__user__ שלום,\n\nכדי לאפס את ססמתך, יש ללחוץ על הקישור המופיע להלן.\n\n__url__\n\nתודה.", - "email-sent": "הודעת הדוא״ל נשלחה", - "email-verifyEmail-subject": "אימות כתובת הדוא״ל שלך באתר __siteName__", - "email-verifyEmail-text": "__user__ שלום,\n\nלאימות כתובת הדוא״ל המשויכת לחשבונך, עליך פשוט ללחוץ על הקישור המופיע להלן.\n\n__url__\n\nתודה.", - "enable-wip-limit": "הפעלת מגבלת „בעבודה”", - "error-board-doesNotExist": "לוח זה אינו קיים", - "error-board-notAdmin": "צריכות להיות לך הרשאות ניהול על לוח זה כדי לעשות זאת", - "error-board-notAMember": "עליך לקבל חברות בלוח זה כדי לעשות זאת", - "error-json-malformed": "הטקסט שלך אינו JSON תקין", - "error-json-schema": "נתוני ה־JSON שלך לא כוללים את המידע הנכון בתבנית הנכונה", - "error-list-doesNotExist": "רשימה זו לא קיימת", - "error-user-doesNotExist": "משתמש זה לא קיים", - "error-user-notAllowSelf": "אינך יכול להזמין את עצמך", - "error-user-notCreated": "משתמש זה לא נוצר", - "error-username-taken": "המשתמש כבר קיים במערכת", - "error-email-taken": "כתובת הדוא\"ל כבר נמצאת בשימוש", - "export-board": "ייצוא לוח", - "filter": "מסנן", - "filter-cards": "סינון כרטיסים", - "filter-clear": "ניקוי המסנן", - "filter-no-label": "אין תווית", - "filter-no-member": "אין חבר כזה", - "filter-no-custom-fields": "אין שדות מותאמים אישית", - "filter-on": "המסנן פועל", - "filter-on-desc": "מסנן כרטיסים פעיל בלוח זה. יש ללחוץ כאן לעריכת המסנן.", - "filter-to-selection": "סינון לבחירה", - "advanced-filter-label": "מסנן מתקדם", - "advanced-filter-description": "המסנן המתקדם מאפשר לך לכתוב מחרוזת שמכילה את הפעולות הבאות: == != <= >= && || ( ) רווח מכהן כמפריד בין הפעולות. ניתן לסנן את כל השדות המותאמים אישית על ידי הקלדת שמם והערך שלהם. למשל: שדה1 == ערך1. לתשומת לבך: אם שדות או ערכים מכילים רווח, יש לעטוף אותם במירכא מכל צד. למשל: 'שדה 1' == 'ערך 1'. ניתן גם לשלב מגוון תנאים. למשל: F1 == V1 || F1 = V2. על פי רוב כל הפעולות מפוענחות משמאל לימין. ניתן לשנות את הסדר על ידי הצבת סוגריים. למשל: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "שם מלא", - "header-logo-title": "חזרה לדף הלוחות שלך.", - "hide-system-messages": "הסתרת הודעות מערכת", - "headerBarCreateBoardPopup-title": "יצירת לוח", - "home": "בית", - "import": "יבוא", - "import-board": "ייבוא לוח", - "import-board-c": "יבוא לוח", - "import-board-title-trello": "ייבוא לוח מטרלו", - "import-board-title-wekan": "ייבוא לוח מ־Wekan", - "import-sandstorm-warning": "הלוח שייובא ימחק את כל הנתונים הקיימים בלוח ויחליף אותם בלוח שייובא.", - "from-trello": "מ־Trello", - "from-wekan": "מ־Wekan", - "import-board-instruction-trello": "בלוח הטרלו שלך, עליך ללחוץ על ‚תפריט‘, ואז על ‚עוד‘, ‚הדפסה וייצוא‘, ‚יצוא JSON‘ ולהעתיק את הטקסט שנוצר.", - "import-board-instruction-wekan": "בלוח ה־Wekan, יש לגשת אל ‚תפריט‘, לאחר מכן ‚יצוא לוח‘ ולהעתיק את הטקסט בקובץ שהתקבל.", - "import-json-placeholder": "יש להדביק את נתוני ה־JSON התקינים לכאן", - "import-map-members": "מיפוי חברים", - "import-members-map": "הלוחות המיובאים שלך מכילים חברים. נא למפות את החברים שברצונך לייבא למשתמשי Wekan", - "import-show-user-mapping": "סקירת מיפוי חברים", - "import-user-select": "נא לבחור את המשתמש ב־Wekan בו ברצונך להשתמש עבור חבר זה", - "importMapMembersAddPopup-title": "בחירת משתמש Wekan", - "info": "גרסא", - "initials": "ראשי תיבות", - "invalid-date": "תאריך שגוי", - "invalid-time": "זמן שגוי", - "invalid-user": "משתמש שגוי", - "joined": "הצטרף", - "just-invited": "הוזמנת ללוח זה", - "keyboard-shortcuts": "קיצורי מקלדת", - "label-create": "יצירת תווית", - "label-default": "תווית בצבע %s (בררת מחדל)", - "label-delete-pop": "אין דרך חזרה. התווית תוסר מכל הכרטיסים וההיסטוריה תימחק.", - "labels": "תוויות", - "language": "שפה", - "last-admin-desc": "אין אפשרות לשנות תפקידים כיוון שחייב להיות מנהל אחד לפחות.", - "leave-board": "עזיבת הלוח", - "leave-board-pop": "לעזוב את __boardTitle__? שמך יוסר מכל הכרטיסים שבלוח זה.", - "leaveBoardPopup-title": "לעזוב לוח ?", - "link-card": "קישור לכרטיס זה", - "list-archive-cards": "להעביר את כל הכרטיסים לסל המחזור", - "list-archive-cards-pop": "פעולה זו תסיר את כל הכרטיסים שברשימה זו מהלוח. כדי לצפות בכרטיסים בסל המחזור ולהשיב אותם ללוח ניתן ללחוץ על „תפריט” > „סל מחזור”.", - "list-move-cards": "העברת כל הכרטיסים שברשימה זו", - "list-select-cards": "בחירת כל הכרטיסים שברשימה זו", - "listActionPopup-title": "פעולות רשימה", - "swimlaneActionPopup-title": "פעולות על מסלול", - "listImportCardPopup-title": "יבוא כרטיס מ־Trello", - "listMorePopup-title": "עוד", - "link-list": "קישור לרשימה זו", - "list-delete-pop": "כל הפעולות תוסרנה מרצף הפעילות ולא תהיה לך אפשרות לשחזר את הרשימה. אין ביטול.", - "list-delete-suggest-archive": "ניתן להעביר רשימה לסל מחזור כדי להסיר אותה מהלוח ולשמר את הפעילות.", - "lists": "רשימות", - "swimlanes": "מסלולים", - "log-out": "יציאה", - "log-in": "כניסה", - "loginPopup-title": "כניסה", - "memberMenuPopup-title": "הגדרות חברות", - "members": "חברים", - "menu": "תפריט", - "move-selection": "העברת הבחירה", - "moveCardPopup-title": "העברת כרטיס", - "moveCardToBottom-title": "העברת כרטיס לתחתית הרשימה", - "moveCardToTop-title": "העברת כרטיס לראש הרשימה ", - "moveSelectionPopup-title": "העברת בחירה", - "multi-selection": "בחירה מרובה", - "multi-selection-on": "בחירה מרובה פועלת", - "muted": "מושתק", - "muted-info": "מעתה לא תתקבלנה אצלך התרעות על שינויים בלוח זה", - "my-boards": "הלוחות שלי", - "name": "שם", - "no-archived-cards": "אין כרטיסים בסל המחזור.", - "no-archived-lists": "אין רשימות בסל המחזור.", - "no-archived-swimlanes": "אין מסלולים בסל המחזור.", - "no-results": "אין תוצאות", - "normal": "רגיל", - "normal-desc": "הרשאה לצפות ולערוך כרטיסים. לא ניתן לשנות הגדרות.", - "not-accepted-yet": "ההזמנה לא אושרה עדיין", - "notify-participate": "קבלת עדכונים על כרטיסים בהם יש לך מעורבות הן בתהליך היצירה והן כחבר", - "notify-watch": "קבלת עדכונים על כל לוח, רשימה או כרטיס שסימנת למעקב", - "optional": "רשות", - "or": "או", - "page-maybe-private": "יתכן שדף זה פרטי. ניתן לצפות בו על ידי כניסה למערכת", - "page-not-found": "דף לא נמצא.", - "password": "ססמה", - "paste-or-dragdrop": "כדי להדביק או לגרור ולשחרר קובץ תמונה אליו (תמונות בלבד)", - "participating": "משתתפים", - "preview": "תצוגה מקדימה", - "previewAttachedImagePopup-title": "תצוגה מקדימה", - "previewClipboardImagePopup-title": "תצוגה מקדימה", - "private": "פרטי", - "private-desc": "לוח זה פרטי. רק אנשים שנוספו ללוח יכולים לצפות ולערוך אותו.", - "profile": "פרופיל", - "public": "ציבורי", - "public-desc": "לוח זה ציבורי. כל מי שמחזיק בקישור יכול לצפות בלוח והוא יופיע בתוצאות מנועי חיפוש כגון גוגל. רק אנשים שנוספו ללוח יכולים לערוך אותו.", - "quick-access-description": "לחיצה על הכוכב תוסיף קיצור דרך ללוח בשורה זו.", - "remove-cover": "הסרת כיסוי", - "remove-from-board": "הסרה מהלוח", - "remove-label": "הסרת תווית", - "listDeletePopup-title": "למחוק את הרשימה?", - "remove-member": "הסרת חבר", - "remove-member-from-card": "הסרה מהכרטיס", - "remove-member-pop": "להסיר את __name__ (__username__) מ__boardTitle__? התהליך יגרום להסרת החבר מכל הכרטיסים בלוח זה. תישלח הודעה אל החבר.", - "removeMemberPopup-title": "להסיר חבר?", - "rename": "שינוי שם", - "rename-board": "שינוי שם ללוח", - "restore": "שחזור", - "save": "שמירה", - "search": "חיפוש", - "search-cards": "חיפוש אחר כותרות ותיאורים של כרטיסים בלוח זה", - "search-example": "טקסט לחיפוש ?", - "select-color": "בחירת צבע", - "set-wip-limit-value": "הגדרת מגבלה למספר המרבי של משימות ברשימה זו", - "setWipLimitPopup-title": "הגדרת מגבלת „בעבודה”", - "shortcut-assign-self": "להקצות אותי לכרטיס הנוכחי", - "shortcut-autocomplete-emoji": "השלמה אוטומטית לאימוג׳י", - "shortcut-autocomplete-members": "השלמה אוטומטית של חברים", - "shortcut-clear-filters": "ביטול כל המסננים", - "shortcut-close-dialog": "סגירת החלון", - "shortcut-filter-my-cards": "סינון הכרטיסים שלי", - "shortcut-show-shortcuts": "העלאת רשימת קיצורים זו", - "shortcut-toggle-filterbar": "הצגה או הסתרה של סרגל צד הסינון", - "shortcut-toggle-sidebar": "הצגה או הסתרה של סרגל צד הלוח", - "show-cards-minimum-count": "הצגת ספירת כרטיסים אם רשימה מכילה למעלה מ־", - "sidebar-open": "פתיחת סרגל צד", - "sidebar-close": "סגירת סרגל צד", - "signupPopup-title": "יצירת חשבון", - "star-board-title": "ניתן ללחוץ כדי לסמן בכוכב. הלוח יופיע בראש רשימת הלוחות שלך.", - "starred-boards": "לוחות שסומנו בכוכב", - "starred-boards-description": "לוחות מסומנים בכוכב מופיעים בראש רשימת הלוחות שלך.", - "subscribe": "הרשמה", - "team": "צוות", - "this-board": "לוח זה", - "this-card": "כרטיס זה", - "spent-time-hours": "זמן שהושקע (שעות)", - "overtime-hours": "שעות נוספות", - "overtime": "שעות נוספות", - "has-overtime-cards": "יש כרטיסי שעות נוספות", - "has-spenttime-cards": "ניצל את כרטיסי הזמן שהושקע", - "time": "זמן", - "title": "כותרת", - "tracking": "מעקב", - "tracking-info": "על כל שינוי בכרטיסים בהם הייתה לך מעורבות ברמת היצירה או כחברות תגיע אליך הודעה.", - "type": "סוג", - "unassign-member": "ביטול הקצאת חבר", - "unsaved-description": "יש לך תיאור לא שמור.", - "unwatch": "ביטול מעקב", - "upload": "העלאה", - "upload-avatar": "העלאת תמונת משתמש", - "uploaded-avatar": "הועלתה תמונה משתמש", - "username": "שם משתמש", - "view-it": "הצגה", - "warn-list-archived": "אזהרה: כרטיס זה נמצא ברשימה בסל המחזור", - "watch": "לעקוב", - "watching": "במעקב", - "watching-info": "מעתה יגיעו אליך דיווחים על כל שינוי בלוח זה", - "welcome-board": "לוח קבלת פנים", - "welcome-swimlane": "ציון דרך 1", - "welcome-list1": "יסודות", - "welcome-list2": "מתקדם", - "what-to-do": "מה ברצונך לעשות?", - "wipLimitErrorPopup-title": "מגבלת „בעבודה” שגויה", - "wipLimitErrorPopup-dialog-pt1": "מספר המשימות ברשימה זו גדולה ממגבלת הפריטים „בעבודה” שהגדרת.", - "wipLimitErrorPopup-dialog-pt2": "נא להוציא חלק מהמשימות מרשימה זו או להגדיר מגבלת „בעבודה” גדולה יותר.", - "admin-panel": "חלונית ניהול המערכת", - "settings": "הגדרות", - "people": "אנשים", - "registration": "הרשמה", - "disable-self-registration": "השבתת הרשמה עצמית", - "invite": "הזמנה", - "invite-people": "הזמנת אנשים", - "to-boards": "ללוח/ות", - "email-addresses": "כתובות דוא״ל", - "smtp-host-description": "כתובת שרת ה־SMTP שמטפל בהודעות הדוא״ל שלך.", - "smtp-port-description": "מספר הפתחה בה שרת ה־SMTP שלך משתמש לדוא״ל יוצא.", - "smtp-tls-description": "הפעל תמיכה ב־TLS עבור שרת ה־SMTP", - "smtp-host": "כתובת ה־SMTP", - "smtp-port": "פתחת ה־SMTP", - "smtp-username": "שם משתמש", - "smtp-password": "ססמה", - "smtp-tls": "תמיכה ב־TLS", - "send-from": "מאת", - "send-smtp-test": "שליחת דוא״ל בדיקה לעצמך", - "invitation-code": "קוד הזמנה", - "email-invite-register-subject": "נשלחה אליך הזמנה מאת __inviter__", - "email-invite-register-text": "__user__ יקר,\n\nקיבלת הזמנה מאת __inviter__ לשתף פעולה ב־Wekan.\n\nנא ללחוץ על הקישור:\n__url__\n\nקוד ההזמנה שלך הוא: __icode__\n\nתודה.", - "email-smtp-test-subject": "הודעת בדיקה דרך SMTP מאת Wekan", - "email-smtp-test-text": "שלחת הודעת דוא״ל בהצלחה", - "error-invitation-code-not-exist": "קוד ההזמנה אינו קיים", - "error-notAuthorized": "אין לך הרשאה לצפות בעמוד זה.", - "outgoing-webhooks": "קרסי רשת יוצאים", - "outgoingWebhooksPopup-title": "קרסי רשת יוצאים", - "new-outgoing-webhook": "קרסי רשת יוצאים חדשים", - "no-name": "(לא ידוע)", - "Wekan_version": "גרסת Wekan", - "Node_version": "גרסת Node", - "OS_Arch": "ארכיטקטורת מערכת הפעלה", - "OS_Cpus": "מספר מעבדים", - "OS_Freemem": "זיכרון (RAM) פנוי", - "OS_Loadavg": "עומס ממוצע ", - "OS_Platform": "מערכת הפעלה", - "OS_Release": "גרסת מערכת הפעלה", - "OS_Totalmem": "סך הכל זיכרון (RAM)", - "OS_Type": "סוג מערכת ההפעלה", - "OS_Uptime": "זמן שעבר מאז האתחול האחרון", - "hours": "שעות", - "minutes": "דקות", - "seconds": "שניות", - "show-field-on-card": "הצגת שדה זה בכרטיס", - "yes": "כן", - "no": "לא", - "accounts": "חשבונות", - "accounts-allowEmailChange": "אפשר שינוי דוא\"ל", - "accounts-allowUserNameChange": "לאפשר שינוי שם משתמש", - "createdAt": "נוצר ב", - "verified": "עבר אימות", - "active": "פעיל", - "card-received": "התקבל", - "card-received-on": "התקבל במועד", - "card-end": "סיום", - "card-end-on": "מועד הסיום", - "editCardReceivedDatePopup-title": "החלפת מועד הקבלה", - "editCardEndDatePopup-title": "החלפת מועד הסיום", - "assigned-by": "הוקצה על ידי", - "requested-by": "התבקש על ידי", - "board-delete-notice": "מחיקה היא לצמיתות. כל הרשימות, הכרטיבים והפעולות שקשורים בלוח הזה ילכו לאיבוד.", - "delete-board-confirm-popup": "כל הרשימות, הכרטיסים, התווית והפעולות יימחקו ולא תהיה לך דרך לשחזר את תכני הלוח. אין אפשרות לבטל.", - "boardDeletePopup-title": "למחוק את הלוח?", - "delete-board": "מחיקת לוח" -} \ No newline at end of file diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json deleted file mode 100644 index 0dfb11f0..00000000 --- a/i18n/hu.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Elfogadás", - "act-activity-notify": "[Wekan] Tevékenység értesítés", - "act-addAttachment": "__attachment__ mellékletet csatolt a kártyához: __card__", - "act-addChecklist": "__checklist__ ellenőrzőlistát adott hozzá a kártyához: __card__", - "act-addChecklistItem": "__checklistItem__ elemet adott hozzá a(z) __checklist__ ellenőrzőlistához ezen a kártyán: __card__", - "act-addComment": "hozzászólt a(z) __card__ kártyán: __comment__", - "act-createBoard": "létrehozta a táblát: __board__", - "act-createCard": "__card__ kártyát adott hozzá a listához: __list__", - "act-createCustomField": "létrehozta a(z) __customField__ egyéni listát", - "act-createList": "__list__ listát adott hozzá a táblához: __board__", - "act-addBoardMember": "__member__ tagot hozzáadta a táblához: __board__", - "act-archivedBoard": "A(z) __board__ tábla áthelyezve a lomtárba", - "act-archivedCard": "A(z) __card__ kártya áthelyezve a lomtárba", - "act-archivedList": "A(z) __list__ lista áthelyezve a lomtárba", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "importálta a táblát: __board__", - "act-importCard": "importálta a kártyát: __card__", - "act-importList": "importálta a listát: __list__", - "act-joinMember": "__member__ tagot hozzáadta a kártyához: __card__", - "act-moveCard": "áthelyezte a(z) __card__ kártyát: __oldList__ → __list__", - "act-removeBoardMember": "eltávolította __member__ tagot a tábláról: __board__", - "act-restoredCard": "visszaállította a(z) __card__ kártyát ide: __board__", - "act-unjoinMember": "eltávolította __member__ tagot a kártyáról: __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Műveletek", - "activities": "Tevékenységek", - "activity": "Tevékenység", - "activity-added": "%s hozzáadva ehhez: %s", - "activity-archived": "%s áthelyezve a lomtárba", - "activity-attached": "%s mellékletet csatolt a kártyához: %s", - "activity-created": "%s létrehozva", - "activity-customfield-created": "létrehozta a(z) %s egyéni mezőt", - "activity-excluded": "%s kizárva innen: %s", - "activity-imported": "%s importálva ebbe: %s, innen: %s", - "activity-imported-board": "%s importálva innen: %s", - "activity-joined": "%s csatlakozott", - "activity-moved": "%s áthelyezve: %s → %s", - "activity-on": "ekkor: %s", - "activity-removed": "%s eltávolítva innen: %s", - "activity-sent": "%s elküldve ide: %s", - "activity-unjoined": "%s kilépett a csoportból", - "activity-checklist-added": "ellenőrzőlista hozzáadva ehhez: %s", - "activity-checklist-item-added": "ellenőrzőlista elem hozzáadva ehhez: „%s”, ebben: %s", - "add": "Hozzáadás", - "add-attachment": "Melléklet hozzáadása", - "add-board": "Tábla hozzáadása", - "add-card": "Kártya hozzáadása", - "add-swimlane": "Add Swimlane", - "add-checklist": "Ellenőrzőlista hozzáadása", - "add-checklist-item": "Elem hozzáadása az ellenőrzőlistához", - "add-cover": "Borító hozzáadása", - "add-label": "Címke hozzáadása", - "add-list": "Lista hozzáadása", - "add-members": "Tagok hozzáadása", - "added": "Hozzáadva", - "addMemberPopup-title": "Tagok", - "admin": "Adminisztrátor", - "admin-desc": "Megtekintheti és szerkesztheti a kártyákat, eltávolíthat tagokat, valamint megváltoztathatja a tábla beállításait.", - "admin-announcement": "Bejelentés", - "admin-announcement-active": "Bekapcsolt rendszerszintű bejelentés", - "admin-announcement-title": "Bejelentés az adminisztrátortól", - "all-boards": "Összes tábla", - "and-n-other-card": "És __count__ egyéb kártya", - "and-n-other-card_plural": "És __count__ egyéb kártya", - "apply": "Alkalmaz", - "app-is-offline": "A Wekan betöltés alatt van, kérem várjon. Az oldal újratöltése adatvesztést okoz. Ha a Wekan nem töltődik be, akkor ellenőrizze, hogy a Wekan kiszolgáló nem állt-e le.", - "archive": "Lomtárba", - "archive-all": "Összes lomtárba helyezése", - "archive-board": "Tábla lomtárba helyezése", - "archive-card": "Kártya lomtárba helyezése", - "archive-list": "Lista lomtárba helyezése", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Kijelölés lomtárba helyezése", - "archiveBoardPopup-title": "Lomtárba helyezi a táblát?", - "archived-items": "Lomtár", - "archived-boards": "Lomtárban lévő táblák", - "restore-board": "Tábla visszaállítása", - "no-archived-boards": "Nincs tábla a lomtárban.", - "archives": "Lomtár", - "assign-member": "Tag hozzárendelése", - "attached": "csatolva", - "attachment": "Melléklet", - "attachment-delete-pop": "A melléklet törlése végeleges. Nincs visszaállítás.", - "attachmentDeletePopup-title": "Törli a mellékletet?", - "attachments": "Mellékletek", - "auto-watch": "Táblák automatikus megtekintése, amikor létrejönnek", - "avatar-too-big": "Az avatár túl nagy (legfeljebb 70 KB)", - "back": "Vissza", - "board-change-color": "Szín megváltoztatása", - "board-nb-stars": "%s csillag", - "board-not-found": "A tábla nem található", - "board-private-info": "Ez a tábla legyen személyes.", - "board-public-info": "Ez a tábla legyen nyilvános.", - "boardChangeColorPopup-title": "Tábla hátterének megváltoztatása", - "boardChangeTitlePopup-title": "Tábla átnevezése", - "boardChangeVisibilityPopup-title": "Láthatóság megváltoztatása", - "boardChangeWatchPopup-title": "Megfigyelés megváltoztatása", - "boardMenuPopup-title": "Tábla menü", - "boards": "Táblák", - "board-view": "Tábla nézet", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Listák", - "bucket-example": "Mint például „Bakancslista”", - "cancel": "Mégse", - "card-archived": "Ez a kártya a lomtárba került.", - "card-comments-title": "Ez a kártya %s hozzászólást tartalmaz.", - "card-delete-notice": "A törlés végleges. Az összes műveletet elveszíti, amely ehhez a kártyához tartozik.", - "card-delete-pop": "Az összes művelet el lesz távolítva a tevékenységlistából, és nem lesz képes többé újra megnyitni a kártyát. Nincs visszaállítási lehetőség.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Esedékes", - "card-due-on": "Esedékes ekkor", - "card-spent": "Eltöltött idő", - "card-edit-attachments": "Mellékletek szerkesztése", - "card-edit-custom-fields": "Egyéni mezők szerkesztése", - "card-edit-labels": "Címkék szerkesztése", - "card-edit-members": "Tagok szerkesztése", - "card-labels-title": "A kártya címkéinek megváltoztatása.", - "card-members-title": "A tábla tagjainak hozzáadása vagy eltávolítása a kártyáról.", - "card-start": "Kezdés", - "card-start-on": "Kezdés ekkor", - "cardAttachmentsPopup-title": "Innen csatolva", - "cardCustomField-datePopup-title": "Dátum megváltoztatása", - "cardCustomFieldsPopup-title": "Egyéni mezők szerkesztése", - "cardDeletePopup-title": "Törli a kártyát?", - "cardDetailsActionsPopup-title": "Kártyaműveletek", - "cardLabelsPopup-title": "Címkék", - "cardMembersPopup-title": "Tagok", - "cardMorePopup-title": "Több", - "cards": "Kártyák", - "cards-count": "Kártyák", - "change": "Változtatás", - "change-avatar": "Avatár megváltoztatása", - "change-password": "Jelszó megváltoztatása", - "change-permissions": "Jogosultságok megváltoztatása", - "change-settings": "Beállítások megváltoztatása", - "changeAvatarPopup-title": "Avatár megváltoztatása", - "changeLanguagePopup-title": "Nyelv megváltoztatása", - "changePasswordPopup-title": "Jelszó megváltoztatása", - "changePermissionsPopup-title": "Jogosultságok megváltoztatása", - "changeSettingsPopup-title": "Beállítások megváltoztatása", - "checklists": "Ellenőrzőlisták", - "click-to-star": "Kattintson a tábla csillagozásához.", - "click-to-unstar": "Kattintson a tábla csillagának eltávolításához.", - "clipboard": "Vágólap vagy fogd és vidd", - "close": "Bezárás", - "close-board": "Tábla bezárása", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "fekete", - "color-blue": "kék", - "color-green": "zöld", - "color-lime": "citrus", - "color-orange": "narancssárga", - "color-pink": "rózsaszín", - "color-purple": "lila", - "color-red": "piros", - "color-sky": "égszínkék", - "color-yellow": "sárga", - "comment": "Megjegyzés", - "comment-placeholder": "Megjegyzés írása", - "comment-only": "Csak megjegyzés", - "comment-only-desc": "Csak megjegyzést írhat a kártyákhoz.", - "computer": "Számítógép", - "confirm-checklist-delete-dialog": "Biztosan törölni szeretné az ellenőrzőlistát?", - "copy-card-link-to-clipboard": "Kártya hivatkozásának másolása a vágólapra", - "copyCardPopup-title": "Kártya másolása", - "copyChecklistToManyCardsPopup-title": "Ellenőrzőlista sablon másolása több kártyára", - "copyChecklistToManyCardsPopup-instructions": "A célkártyák címe és a leírások ebben a JSON formátumban", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Első kártya címe\", \"description\":\"Első kártya leírása\"}, {\"title\":\"Második kártya címe\",\"description\":\"Második kártya leírása\"},{\"title\":\"Utolsó kártya címe\",\"description\":\"Utolsó kártya leírása\"} ]", - "create": "Létrehozás", - "createBoardPopup-title": "Tábla létrehozása", - "chooseBoardSourcePopup-title": "Tábla importálása", - "createLabelPopup-title": "Címke létrehozása", - "createCustomField": "Mező létrehozása", - "createCustomFieldPopup-title": "Mező létrehozása", - "current": "jelenlegi", - "custom-field-delete-pop": "Nincs visszavonás. Ez el fogja távolítani az egyéni mezőt az összes kártyáról, és megsemmisíti az előzményeit.", - "custom-field-checkbox": "Jelölőnégyzet", - "custom-field-date": "Dátum", - "custom-field-dropdown": "Legördülő lista", - "custom-field-dropdown-none": "(nincs)", - "custom-field-dropdown-options": "Lista lehetőségei", - "custom-field-dropdown-options-placeholder": "Nyomja meg az Enter billentyűt több lehetőség hozzáadásához", - "custom-field-dropdown-unknown": "(ismeretlen)", - "custom-field-number": "Szám", - "custom-field-text": "Szöveg", - "custom-fields": "Egyéni mezők", - "date": "Dátum", - "decline": "Elutasítás", - "default-avatar": "Alapértelmezett avatár", - "delete": "Törlés", - "deleteCustomFieldPopup-title": "Törli az egyéni mezőt?", - "deleteLabelPopup-title": "Törli a címkét?", - "description": "Leírás", - "disambiguateMultiLabelPopup-title": "Címkeművelet egyértelműsítése", - "disambiguateMultiMemberPopup-title": "Tagművelet egyértelműsítése", - "discard": "Eldobás", - "done": "Kész", - "download": "Letöltés", - "edit": "Szerkesztés", - "edit-avatar": "Avatár megváltoztatása", - "edit-profile": "Profil szerkesztése", - "edit-wip-limit": "WIP korlát szerkesztése", - "soft-wip-limit": "Gyenge WIP korlát", - "editCardStartDatePopup-title": "Kezdődátum megváltoztatása", - "editCardDueDatePopup-title": "Esedékesség dátumának megváltoztatása", - "editCustomFieldPopup-title": "Mező szerkesztése", - "editCardSpentTimePopup-title": "Eltöltött idő megváltoztatása", - "editLabelPopup-title": "Címke megváltoztatása", - "editNotificationPopup-title": "Értesítés szerkesztése", - "editProfilePopup-title": "Profil szerkesztése", - "email": "E-mail", - "email-enrollAccount-subject": "Létrejött a profilja a következő oldalon: __siteName__", - "email-enrollAccount-text": "Kedves __user__!\n\nA szolgáltatás használatának megkezdéséhez egyszerűen kattintson a lenti hivatkozásra.\n\n__url__\n\nKöszönjük.", - "email-fail": "Az e-mail küldése nem sikerült", - "email-fail-text": "Hiba az e-mail küldésének kísérlete közben", - "email-invalid": "Érvénytelen e-mail", - "email-invite": "Meghívás e-mailben", - "email-invite-subject": "__inviter__ egy meghívást küldött Önnek", - "email-invite-text": "Kedves __user__!\n\n__inviter__ meghívta Önt, hogy csatlakozzon a(z) „__board__” táblán történő együttműködéshez.\n\nKattintson az alábbi hivatkozásra:\n\n__url__\n\nKöszönjük.", - "email-resetPassword-subject": "Jelszó visszaállítása ezen az oldalon: __siteName__", - "email-resetPassword-text": "Kedves __user__!\n\nA jelszava visszaállításához egyszerűen kattintson a lenti hivatkozásra.\n\n__url__\n\nKöszönjük.", - "email-sent": "E-mail elküldve", - "email-verifyEmail-subject": "Igazolja vissza az e-mail címét a következő oldalon: __siteName__", - "email-verifyEmail-text": "Kedves __user__!\n\nAz e-mail fiókjának visszaigazolásához egyszerűen kattintson a lenti hivatkozásra.\n\n__url__\n\nKöszönjük.", - "enable-wip-limit": "WIP korlát engedélyezése", - "error-board-doesNotExist": "Ez a tábla nem létezik", - "error-board-notAdmin": "A tábla adminisztrátorának kell lennie, hogy ezt megtehesse", - "error-board-notAMember": "A tábla tagjának kell lennie, hogy ezt megtehesse", - "error-json-malformed": "A szöveg nem érvényes JSON", - "error-json-schema": "A JSON adatok nem a helyes formátumban tartalmazzák a megfelelő információkat", - "error-list-doesNotExist": "Ez a lista nem létezik", - "error-user-doesNotExist": "Ez a felhasználó nem létezik", - "error-user-notAllowSelf": "Nem hívhatja meg saját magát", - "error-user-notCreated": "Ez a felhasználó nincs létrehozva", - "error-username-taken": "Ez a felhasználónév már foglalt", - "error-email-taken": "Az e-mail már foglalt", - "export-board": "Tábla exportálása", - "filter": "Szűrő", - "filter-cards": "Kártyák szűrése", - "filter-clear": "Szűrő törlése", - "filter-no-label": "Nincs címke", - "filter-no-member": "Nincs tag", - "filter-no-custom-fields": "Nincsenek egyéni mezők", - "filter-on": "Szűrő bekapcsolva", - "filter-on-desc": "A kártyaszűrés be van kapcsolva ezen a táblán. Kattintson ide a szűrő szerkesztéséhez.", - "filter-to-selection": "Szűrés a kijelöléshez", - "advanced-filter-label": "Speciális szűrő", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Teljes név", - "header-logo-title": "Vissza a táblák oldalára.", - "hide-system-messages": "Rendszerüzenetek elrejtése", - "headerBarCreateBoardPopup-title": "Tábla létrehozása", - "home": "Kezdőlap", - "import": "Importálás", - "import-board": "tábla importálása", - "import-board-c": "Tábla importálása", - "import-board-title-trello": "Tábla importálása a Trello oldalról", - "import-board-title-wekan": "Tábla importálása a Wekan oldalról", - "import-sandstorm-warning": "Az importált tábla törölni fogja a táblán lévő összes meglévő adatot, és kicseréli az importált táblával.", - "from-trello": "A Trello oldalról", - "from-wekan": "A Wekan oldalról", - "import-board-instruction-trello": "A Trello tábláján menjen a „Menü”, majd a „Több”, „Nyomtatás és exportálás”, „JSON exportálása” menüpontokra, és másolja ki az eredményül kapott szöveget.", - "import-board-instruction-wekan": "A Wekan tábláján menjen a „Menü”, majd a „Tábla exportálás” menüpontra, és másolja ki a letöltött fájlban lévő szöveget.", - "import-json-placeholder": "Illessze be ide az érvényes JSON adatokat", - "import-map-members": "Tagok leképezése", - "import-members-map": "Az importált táblának van néhány tagja. Képezze le a tagokat, akiket importálni szeretne a Wekan felhasználókba.", - "import-show-user-mapping": "Tagok leképezésének vizsgálata", - "import-user-select": "Válassza ki a Wekan felhasználót, akit ezen tagként használni szeretne", - "importMapMembersAddPopup-title": "Wekan tag kiválasztása", - "info": "Verzió", - "initials": "Kezdőbetűk", - "invalid-date": "Érvénytelen dátum", - "invalid-time": "Érvénytelen idő", - "invalid-user": "Érvénytelen felhasználó", - "joined": "csatlakozott", - "just-invited": "Éppen most hívták meg erre a táblára", - "keyboard-shortcuts": "Gyorsbillentyűk", - "label-create": "Címke létrehozása", - "label-default": "%s címke (alapértelmezett)", - "label-delete-pop": "Nincs visszavonás. Ez el fogja távolítani ezt a címkét az összes kártyáról, és törli az előzményeit.", - "labels": "Címkék", - "language": "Nyelv", - "last-admin-desc": "Nem változtathatja meg a szerepeket, mert legalább egy adminisztrátora szükség van.", - "leave-board": "Tábla elhagyása", - "leave-board-pop": "Biztosan el szeretné hagyni ezt a táblát: __boardTitle__? El lesz távolítva a táblán lévő összes kártyáról.", - "leaveBoardPopup-title": "Elhagyja a táblát?", - "link-card": "Összekapcsolás ezzel a kártyával", - "list-archive-cards": "Az összes kártya lomtárba helyezése ezen a listán.", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "A listán lévő összes kártya áthelyezése", - "list-select-cards": "A listán lévő összes kártya kiválasztása", - "listActionPopup-title": "Műveletek felsorolása", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Trello kártya importálása", - "listMorePopup-title": "Több", - "link-list": "Összekapcsolás ezzel a listával", - "list-delete-pop": "Az összes művelet el lesz távolítva a tevékenységlistából, és nem lesz lehetősége visszaállítani a listát. Nincs visszavonás.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Listák", - "swimlanes": "Swimlanes", - "log-out": "Kijelentkezés", - "log-in": "Bejelentkezés", - "loginPopup-title": "Bejelentkezés", - "memberMenuPopup-title": "Tagok beállításai", - "members": "Tagok", - "menu": "Menü", - "move-selection": "Kijelölés áthelyezése", - "moveCardPopup-title": "Kártya áthelyezése", - "moveCardToBottom-title": "Áthelyezés az aljára", - "moveCardToTop-title": "Áthelyezés a tetejére", - "moveSelectionPopup-title": "Kijelölés áthelyezése", - "multi-selection": "Többszörös kijelölés", - "multi-selection-on": "Többszörös kijelölés bekapcsolva", - "muted": "Némítva", - "muted-info": "Soha sem lesz értesítve a táblán lévő semmilyen változásról.", - "my-boards": "Saját tábláim", - "name": "Név", - "no-archived-cards": "Nincs kártya a lomtárban.", - "no-archived-lists": "Nincs lista a lomtárban.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Nincs találat", - "normal": "Normál", - "normal-desc": "Megtekintheti és szerkesztheti a kártyákat. Nem változtathatja meg a beállításokat.", - "not-accepted-yet": "A meghívás még nincs elfogadva", - "notify-participate": "Frissítések fogadása bármely kártyánál, amelynél létrehozóként vagy tagként vesz részt", - "notify-watch": "Frissítések fogadása bármely táblánál, listánál vagy kártyánál, amelyet megtekint", - "optional": "opcionális", - "or": "vagy", - "page-maybe-private": "Ez az oldal személyes lehet. Esetleg megtekintheti, ha bejelentkezik.", - "page-not-found": "Az oldal nem található.", - "password": "Jelszó", - "paste-or-dragdrop": "illessze be, vagy fogd és vidd módon húzza ide a képfájlt (csak képeket)", - "participating": "Részvétel", - "preview": "Előnézet", - "previewAttachedImagePopup-title": "Előnézet", - "previewClipboardImagePopup-title": "Előnézet", - "private": "Személyes", - "private-desc": "Ez a tábla személyes. Csak a táblához hozzáadott emberek tekinthetik meg és szerkeszthetik.", - "profile": "Profil", - "public": "Nyilvános", - "public-desc": "Ez a tábla nyilvános. A hivatkozás birtokában bárki számára látható, és megjelenik az olyan keresőmotorokban, mint például a Google. Csak a táblához hozzáadott emberek szerkeszthetik.", - "quick-access-description": "Csillagozzon meg egy táblát egy gyors hivatkozás hozzáadásához ebbe a sávba.", - "remove-cover": "Borító eltávolítása", - "remove-from-board": "Eltávolítás a tábláról", - "remove-label": "Címke eltávolítása", - "listDeletePopup-title": "Törli a listát?", - "remove-member": "Tag eltávolítása", - "remove-member-from-card": "Eltávolítás a kártyáról", - "remove-member-pop": "Eltávolítja __name__ (__username__) felhasználót a tábláról: __boardTitle__? A tag el lesz távolítva a táblán lévő összes kártyáról. Értesítést fog kapni erről.", - "removeMemberPopup-title": "Eltávolítja a tagot?", - "rename": "Átnevezés", - "rename-board": "Tábla átnevezése", - "restore": "Visszaállítás", - "save": "Mentés", - "search": "Keresés", - "search-cards": "Keresés a táblán lévő kártyák címében illetve leírásában", - "search-example": "keresőkifejezés", - "select-color": "Szín kiválasztása", - "set-wip-limit-value": "Korlát beállítása a listán lévő feladatok legnagyobb számához", - "setWipLimitPopup-title": "WIP korlát beállítása", - "shortcut-assign-self": "Önmaga hozzárendelése a jelenlegi kártyához", - "shortcut-autocomplete-emoji": "Emodzsi automatikus kiegészítése", - "shortcut-autocomplete-members": "Tagok automatikus kiegészítése", - "shortcut-clear-filters": "Összes szűrő törlése", - "shortcut-close-dialog": "Párbeszédablak bezárása", - "shortcut-filter-my-cards": "Kártyáim szűrése", - "shortcut-show-shortcuts": "A hivatkozási lista előre hozása", - "shortcut-toggle-filterbar": "Szűrő oldalsáv ki- és bekapcsolása", - "shortcut-toggle-sidebar": "Tábla oldalsáv ki- és bekapcsolása", - "show-cards-minimum-count": "Kártyaszámok megjelenítése, ha a lista többet tartalmaz mint", - "sidebar-open": "Oldalsáv megnyitása", - "sidebar-close": "Oldalsáv bezárása", - "signupPopup-title": "Fiók létrehozása", - "star-board-title": "Kattintson a tábla csillagozásához. Meg fog jelenni a táblalistája tetején.", - "starred-boards": "Csillagozott táblák", - "starred-boards-description": "A csillagozott táblák megjelennek a táblalistája tetején.", - "subscribe": "Feliratkozás", - "team": "Csapat", - "this-board": "ez a tábla", - "this-card": "ez a kártya", - "spent-time-hours": "Eltöltött idő (óra)", - "overtime-hours": "Túlóra (óra)", - "overtime": "Túlóra", - "has-overtime-cards": "Van túlórás kártyája", - "has-spenttime-cards": "Has spent time cards", - "time": "Idő", - "title": "Cím", - "tracking": "Követés", - "tracking-info": "Értesítve lesz az összes olyan kártya változásáról, amelyen létrehozóként vagy tagként vesz részt.", - "type": "Típus", - "unassign-member": "Tag hozzárendelésének megszüntetése", - "unsaved-description": "Van egy mentetlen leírása.", - "unwatch": "Megfigyelés megszüntetése", - "upload": "Feltöltés", - "upload-avatar": "Egy avatár feltöltése", - "uploaded-avatar": "Egy avatár feltöltve", - "username": "Felhasználónév", - "view-it": "Megtekintés", - "warn-list-archived": "figyelem: ez a kártya egy lomtárban lévő listán van", - "watch": "Megfigyelés", - "watching": "Megfigyelés", - "watching-info": "Értesítve lesz a táblán lévő összes változásról", - "welcome-board": "Üdvözlő tábla", - "welcome-swimlane": "1. mérföldkő", - "welcome-list1": "Alapok", - "welcome-list2": "Speciális", - "what-to-do": "Mit szeretne tenni?", - "wipLimitErrorPopup-title": "Érvénytelen WIP korlát", - "wipLimitErrorPopup-dialog-pt1": "A listán lévő feladatok száma magasabb a meghatározott WIP korlátnál.", - "wipLimitErrorPopup-dialog-pt2": "Helyezzen át néhány feladatot a listáról, vagy állítson be magasabb WIP korlátot.", - "admin-panel": "Adminisztrációs panel", - "settings": "Beállítások", - "people": "Emberek", - "registration": "Regisztráció", - "disable-self-registration": "Önregisztráció letiltása", - "invite": "Meghívás", - "invite-people": "Emberek meghívása", - "to-boards": "Táblákhoz", - "email-addresses": "E-mail címek", - "smtp-host-description": "Az SMTP kiszolgáló címe, amely az e-maileket kezeli.", - "smtp-port-description": "Az SMTP kiszolgáló által használt port a kimenő e-mailekhez.", - "smtp-tls-description": "TLS támogatás engedélyezése az SMTP kiszolgálónál", - "smtp-host": "SMTP kiszolgáló", - "smtp-port": "SMTP port", - "smtp-username": "Felhasználónév", - "smtp-password": "Jelszó", - "smtp-tls": "TLS támogatás", - "send-from": "Feladó", - "send-smtp-test": "Teszt e-mail küldése magamnak", - "invitation-code": "Meghívási kód", - "email-invite-register-subject": "__inviter__ egy meghívás küldött Önnek", - "email-invite-register-text": "Kedves __user__!\n\n__inviter__ meghívta Önt közreműködésre a Wekan oldalra.\n\nKövesse a lenti hivatkozást:\n__url__\n\nÉs a meghívási kódja: __icode__\n\nKöszönjük.", - "email-smtp-test-subject": "SMTP teszt e-mail a Wekantól", - "email-smtp-test-text": "Sikeresen elküldött egy e-mailt", - "error-invitation-code-not-exist": "A meghívási kód nem létezik", - "error-notAuthorized": "Nincs jogosultsága az oldal megtekintéséhez.", - "outgoing-webhooks": "Kimenő webhurkok", - "outgoingWebhooksPopup-title": "Kimenő webhurkok", - "new-outgoing-webhook": "Új kimenő webhurok", - "no-name": "(Ismeretlen)", - "Wekan_version": "Wekan verzió", - "Node_version": "Node verzió", - "OS_Arch": "Operációs rendszer architektúrája", - "OS_Cpus": "Operációs rendszer CPU száma", - "OS_Freemem": "Operációs rendszer szabad memóriája", - "OS_Loadavg": "Operációs rendszer átlagos terhelése", - "OS_Platform": "Operációs rendszer platformja", - "OS_Release": "Operációs rendszer kiadása", - "OS_Totalmem": "Operációs rendszer összes memóriája", - "OS_Type": "Operációs rendszer típusa", - "OS_Uptime": "Operációs rendszer üzemideje", - "hours": "óra", - "minutes": "perc", - "seconds": "másodperc", - "show-field-on-card": "A mező megjelenítése a kártyán", - "yes": "Igen", - "no": "Nem", - "accounts": "Fiókok", - "accounts-allowEmailChange": "E-mail megváltoztatásának engedélyezése", - "accounts-allowUserNameChange": "Felhasználónév megváltoztatásának engedélyezése", - "createdAt": "Létrehozva", - "verified": "Ellenőrizve", - "active": "Aktív", - "card-received": "Érkezett", - "card-received-on": "Ekkor érkezett", - "card-end": "Befejezés", - "card-end-on": "Befejeződik ekkor", - "editCardReceivedDatePopup-title": "Érkezési dátum megváltoztatása", - "editCardEndDatePopup-title": "Befejezési dátum megváltoztatása", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json deleted file mode 100644 index 03cb71da..00000000 --- a/i18n/hy.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Ընդունել", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "ավելացրել է __checklistItem__ __checklist__ on __card__-ին", - "act-addComment": "մեկնաբանել է __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Add", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", - "addMemberPopup-title": "Members", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Members", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Members", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json deleted file mode 100644 index 95da897f..00000000 --- a/i18n/id.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Terima", - "act-activity-notify": "[Wekan] Pemberitahuan Kegiatan", - "act-addAttachment": "Lampirkan__attachment__ke__kartu__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "Dikomentari di__kartu__:__comment__", - "act-createBoard": "Panel__dibuat__", - "act-createCard": "Kartu__dilampirkan__ke__Daftar", - "act-createCustomField": "created custom field __customField__", - "act-createList": "Daftar__ditambahkan__ke__Panel", - "act-addBoardMember": "Partisipan__ditambahkan__ke__Kartu", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "Panel__diimpor", - "act-importCard": "Kartu__diimpor__", - "act-importList": "Daftar__diimpor__", - "act-joinMember": "Partisipan__ditambahkan__ke__kartu", - "act-moveCard": "Pindahkan__kartu__dari__daftarlama__ke__daftar", - "act-removeBoardMember": "Hapus__partisipan__dari__panel", - "act-restoredCard": "Kembalikan__kartu__ke__panel", - "act-unjoinMember": "hapus__partisipan__dari__kartu__", - "act-withBoardTitle": "Panel__[Wekan}__", - "act-withCardTitle": "__kartu__[__Panel__]", - "actions": "Daftar Tindakan", - "activities": "Daftar Kegiatan", - "activity": "Kegiatan", - "activity-added": "ditambahkan %s ke %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "dilampirkan %s ke %s", - "activity-created": "dibuat %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "tidak termasuk %s dari %s", - "activity-imported": "diimpor %s kedalam %s dari %s", - "activity-imported-board": "diimpor %s dari %s", - "activity-joined": "bergabung %s", - "activity-moved": "dipindahkan %s dari %s ke %s", - "activity-on": "pada %s", - "activity-removed": "dihapus %s dari %s", - "activity-sent": "terkirim %s ke %s", - "activity-unjoined": "tidak bergabung %s", - "activity-checklist-added": "daftar periksa ditambahkan ke %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Tambah", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Tambahkan hal ke daftar periksa", - "add-cover": "Tambahkan Sampul", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Tambahkan Anggota", - "added": "Ditambahkan", - "addMemberPopup-title": "Daftar Anggota", - "admin": "Admin", - "admin-desc": "Bisa tampilkan dan sunting kartu, menghapus partisipan, dan merubah setting panel", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "Semua Panel", - "and-n-other-card": "Dan__menghitung__kartu lain", - "and-n-other-card_plural": "Dan__menghitung__kartu lain", - "apply": "Terapkan", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Tugaskan anggota", - "attached": "terlampir", - "attachment": "Lampiran", - "attachment-delete-pop": "Menghapus lampiran bersifat permanen. Tidak bisa dipulihkan.", - "attachmentDeletePopup-title": "Hapus Lampiran?", - "attachments": "Daftar Lampiran", - "auto-watch": "Otomatis diawasi saat membuat Panel", - "avatar-too-big": "Berkas avatar terlalu besar (70KB maks)", - "back": "Kembali", - "board-change-color": "Ubah warna", - "board-nb-stars": "%s bintang", - "board-not-found": "Panel tidak ditemukan", - "board-private-info": "Panel ini akan jadi Pribadi", - "board-public-info": "Panel ini akan jadi Publik= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Nama Lengkap", - "header-logo-title": "Kembali ke laman panel anda", - "hide-system-messages": "Sembunyikan pesan-pesan sistem", - "headerBarCreateBoardPopup-title": "Buat Panel", - "home": "Beranda", - "import": "Impor", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Impor panel dari Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "Di panel Trello anda, ke 'Menu', terus 'More', 'Print and Export','Export JSON', dan salin hasilnya", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Tempelkan data JSON yang sah disini", - "import-map-members": "Petakan partisipan", - "import-members-map": "Panel yang anda impor punya partisipan. Silahkan petakan anggota yang anda ingin impor ke user [Wekan]", - "import-show-user-mapping": "Review pemetaan partisipan", - "import-user-select": "Pilih nama pengguna yang Anda mau gunakan sebagai anggota ini", - "importMapMembersAddPopup-title": "Pilih anggota Wekan", - "info": "Versi", - "initials": "Inisial", - "invalid-date": "Tanggal tidak sah", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "bergabung", - "just-invited": "Anda baru diundang di panel ini", - "keyboard-shortcuts": "Pintasan kibor", - "label-create": "Buat Label", - "label-default": "label %s (default)", - "label-delete-pop": "Ini tidak bisa dikembalikan, akan menghapus label ini dari semua kartu dan menghapus semua riwayatnya", - "labels": "Daftar Label", - "language": "Bahasa", - "last-admin-desc": "Anda tidak dapat mengubah aturan karena harus ada minimal seorang Admin.", - "leave-board": "Tingalkan Panel", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link ke kartu ini", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Pindah semua kartu ke daftar ini", - "list-select-cards": "Pilih semua kartu di daftar ini", - "listActionPopup-title": "Daftar Tindakan", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Impor dari Kartu Trello", - "listMorePopup-title": "Lainnya", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Daftar", - "swimlanes": "Swimlanes", - "log-out": "Keluar", - "log-in": "Masuk", - "loginPopup-title": "Masuk", - "memberMenuPopup-title": "Setelan Anggota", - "members": "Daftar Anggota", - "menu": "Menu", - "move-selection": "Pindahkan yang dipilih", - "moveCardPopup-title": "Pindahkan kartu", - "moveCardToBottom-title": "Pindahkan ke bawah", - "moveCardToTop-title": "Pindahkan ke atas", - "moveSelectionPopup-title": "Pindahkan yang dipilih", - "multi-selection": "Multi Pilihan", - "multi-selection-on": "Multi Pilihan aktif", - "muted": "Pemberitahuan tidak aktif", - "muted-info": "Anda tidak akan pernah dinotifikasi semua perubahan di panel ini", - "my-boards": "Panel saya", - "name": "Nama", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Tidak ada hasil", - "normal": "Normal", - "normal-desc": "Bisa tampilkan dan edit kartu. Tidak bisa ubah setting", - "not-accepted-yet": "Undangan belum diterima", - "notify-participate": "Terima update ke semua kartu dimana anda menjadi creator atau partisipan", - "notify-watch": "Terima update dari semua panel, daftar atau kartu yang anda amati", - "optional": "opsi", - "or": "atau", - "page-maybe-private": "Halaman ini hanya untuk kalangan terbatas. Anda dapat melihatnya dengan masuk ke dalam sistem.", - "page-not-found": "Halaman tidak ditemukan.", - "password": "Kata Sandi", - "paste-or-dragdrop": "untuk menempelkan, atau drag& drop gambar pada ini (hanya gambar)", - "participating": "Berpartisipasi", - "preview": "Pratinjau", - "previewAttachedImagePopup-title": "Pratinjau", - "previewClipboardImagePopup-title": "Pratinjau", - "private": "Terbatas", - "private-desc": "Panel ini Pribadi. Hanya orang yang ditambahkan ke panel ini yang bisa melihat dan menyuntingnya", - "profile": "Profil", - "public": "Umum", - "public-desc": "Panel ini publik. Akan terlihat oleh siapapun dengan link terkait dan muncul di mesin pencari seperti Google. Hanya orang yang ditambahkan di panel yang bisa sunting", - "quick-access-description": "Beri bintang panel untuk menambah shortcut di papan ini", - "remove-cover": "Hapus Sampul", - "remove-from-board": "Hapus dari panel", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Hapus Anggota", - "remove-member-from-card": "Hapus dari Kartu", - "remove-member-pop": "Hapus__nama__(__username__) dari __boardTitle__? Partisipan akan dihapus dari semua kartu di panel ini. Mereka akan diberi tahu", - "removeMemberPopup-title": "Hapus Anggota?", - "rename": "Ganti Nama", - "rename-board": "Ubah nama Panel", - "restore": "Pulihkan", - "save": "Simpan", - "search": "Cari", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Masukkan diri anda sendiri ke kartu ini", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete partisipan", - "shortcut-clear-filters": "Bersihkan semua saringan", - "shortcut-close-dialog": "Tutup Dialog", - "shortcut-filter-my-cards": "Filter kartu saya", - "shortcut-show-shortcuts": "Angkat naik shortcut daftar ini", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Tampilkan jumlah kartu jika daftar punya lebih dari ", - "sidebar-open": "Buka Sidebar", - "sidebar-close": "Tutup Sidebar", - "signupPopup-title": "Buat Akun", - "star-board-title": "Klik untuk beri bintang panel ini. Akan muncul paling atas dari daftar panel", - "starred-boards": "Panel dengan bintang", - "starred-boards-description": "Panel berbintang muncul paling atas dari daftar panel anda", - "subscribe": "Langganan", - "team": "Tim", - "this-board": "Panel ini", - "this-card": "Kartu ini", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Waktu", - "title": "Judul", - "tracking": "Pelacakan", - "tracking-info": "Anda akan dinotifikasi semua perubahan di kartu tersebut diaman anda terlibat sebagai creator atau partisipan", - "type": "Type", - "unassign-member": "Tidak sertakan partisipan", - "unsaved-description": "Anda memiliki deskripsi yang belum disimpan.", - "unwatch": "Tidak mengamati", - "upload": "Unggah", - "upload-avatar": "Unggah avatar", - "uploaded-avatar": "Avatar diunggah", - "username": "Nama Pengguna", - "view-it": "Lihat", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Amati", - "watching": "Mengamati", - "watching-info": "Anda akan diberitahu semua perubahan di panel ini", - "welcome-board": "Panel Selamat Datang", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Tingkat dasar", - "welcome-list2": "Tingkat lanjut", - "what-to-do": "Apa yang mau Anda lakukan?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Panel Admin", - "settings": "Setelan", - "people": "Orang-orang", - "registration": "Registrasi", - "disable-self-registration": "Nonaktifkan Swa Registrasi", - "invite": "Undang", - "invite-people": "Undang Orang-orang", - "to-boards": "ke panel", - "email-addresses": "Alamat surel", - "smtp-host-description": "Alamat server SMTP yang menangani surel Anda.", - "smtp-port-description": "Port server SMTP yang Anda gunakan untuk mengirim surel.", - "smtp-tls-description": "Aktifkan dukungan TLS untuk server SMTP", - "smtp-host": "Host SMTP", - "smtp-port": "Port SMTP", - "smtp-username": "Nama Pengguna", - "smtp-password": "Kata Sandi", - "smtp-tls": "Dukungan TLS", - "send-from": "Dari", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Kode Undangan", - "email-invite-register-subject": "__inviter__ mengirim undangan ke Anda", - "email-invite-register-text": "Halo __user__,\n\n__inviter__ mengundang Anda untuk berkolaborasi menggunakan Wekan.\n\nMohon ikuti tautan berikut:\n__url__\n\nDan kode undangan Anda adalah: __icode__\n\nTerima kasih.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Kode undangan tidak ada", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json deleted file mode 100644 index 9569f9e1..00000000 --- a/i18n/ig.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Kwere", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "na %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Tinye", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Tinye ndị otu ọhụrụ", - "added": "Etinyere ", - "addMemberPopup-title": "Ndị otu", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Bido", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Aha", - "cardMembersPopup-title": "Ndị otu", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Gbanwe", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Họrọ asụsụ ọzọ", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Aha", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Ndị otu", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Banye aha ọzọ", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "Hụ ya", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Hụ", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "Ndị mmadụ", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "elekere", - "minutes": "nkeji", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Ee", - "no": "Mba", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Ekere na", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json deleted file mode 100644 index f6ede789..00000000 --- a/i18n/it.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Accetta", - "act-activity-notify": "[Wekan] Notifiche attività", - "act-addAttachment": "ha allegato __attachment__ a __card__", - "act-addChecklist": "aggiunta checklist __checklist__ a __card__", - "act-addChecklistItem": "aggiunto __checklistItem__ alla checklist __checklist__ di __card__", - "act-addComment": "ha commentato su __card__: __comment__", - "act-createBoard": "ha creato __board__", - "act-createCard": "ha aggiunto __card__ a __list__", - "act-createCustomField": "campo personalizzato __customField__ creato", - "act-createList": "ha aggiunto __list__ a __board__", - "act-addBoardMember": "ha aggiunto __member__ a __board__", - "act-archivedBoard": "__board__ spostata nel cestino", - "act-archivedCard": "__card__ spostata nel cestino", - "act-archivedList": "__list__ spostata nel cestino", - "act-archivedSwimlane": "__swimlane__ spostata nel cestino", - "act-importBoard": "ha importato __board__", - "act-importCard": "ha importato __card__", - "act-importList": "ha importato __list__", - "act-joinMember": "ha aggiunto __member__ a __card__", - "act-moveCard": "ha spostato __card__ da __oldList__ a __list__", - "act-removeBoardMember": "ha rimosso __member__ a __board__", - "act-restoredCard": "ha ripristinato __card__ su __board__", - "act-unjoinMember": "ha rimosso __member__ da __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Azioni", - "activities": "Attività", - "activity": "Attività", - "activity-added": "ha aggiunto %s a %s", - "activity-archived": "%s spostato nel cestino", - "activity-attached": "allegato %s a %s", - "activity-created": "creato %s", - "activity-customfield-created": "Campo personalizzato creato", - "activity-excluded": "escluso %s da %s", - "activity-imported": "importato %s in %s da %s", - "activity-imported-board": "importato %s da %s", - "activity-joined": "si è unito a %s", - "activity-moved": "spostato %s da %s a %s", - "activity-on": "su %s", - "activity-removed": "rimosso %s da %s", - "activity-sent": "inviato %s a %s", - "activity-unjoined": "ha abbandonato %s", - "activity-checklist-added": "aggiunta checklist a %s", - "activity-checklist-item-added": "Aggiunto l'elemento checklist a '%s' in %s", - "add": "Aggiungere", - "add-attachment": "Aggiungi Allegato", - "add-board": "Aggiungi Bacheca", - "add-card": "Aggiungi Scheda", - "add-swimlane": "Aggiungi Corsia", - "add-checklist": "Aggiungi Checklist", - "add-checklist-item": "Aggiungi un elemento alla checklist", - "add-cover": "Aggiungi copertina", - "add-label": "Aggiungi Etichetta", - "add-list": "Aggiungi Lista", - "add-members": "Aggiungi membri", - "added": "Aggiunto", - "addMemberPopup-title": "Membri", - "admin": "Amministratore", - "admin-desc": "Può vedere e modificare schede, rimuovere membri e modificare le impostazioni della bacheca.", - "admin-announcement": "Annunci", - "admin-announcement-active": "Attiva annunci di sistema", - "admin-announcement-title": "Annunci dall'Amministratore", - "all-boards": "Tutte le bacheche", - "and-n-other-card": "E __count__ altra scheda", - "and-n-other-card_plural": "E __count__ altre schede", - "apply": "Applica", - "app-is-offline": "Wekan è in caricamento, attendi per favore. Ricaricare la pagina causerà una perdita di dati. Se Wekan non si carica, controlla per favore che non ci siano problemi al server.", - "archive": "Sposta nel cestino", - "archive-all": "Sposta tutto nel cestino", - "archive-board": "Sposta la bacheca nel cestino", - "archive-card": "Sposta la scheda nel cestino", - "archive-list": "Sposta la lista nel cestino", - "archive-swimlane": "Sposta la corsia nel cestino", - "archive-selection": "Sposta la selezione nel cestino", - "archiveBoardPopup-title": "Sposta la bacheca nel cestino", - "archived-items": "Cestino", - "archived-boards": "Bacheche cestinate", - "restore-board": "Ripristina Bacheca", - "no-archived-boards": "Nessuna bacheca nel cestino", - "archives": "Cestino", - "assign-member": "Aggiungi membro", - "attached": "allegato", - "attachment": "Allegato", - "attachment-delete-pop": "L'eliminazione di un allegato è permanente. Non è possibile annullare.", - "attachmentDeletePopup-title": "Eliminare l'allegato?", - "attachments": "Allegati", - "auto-watch": "Segui automaticamente le bacheche quando vengono create.", - "avatar-too-big": "L'avatar è troppo grande (70KB max)", - "back": "Indietro", - "board-change-color": "Cambia colore", - "board-nb-stars": "%s stelle", - "board-not-found": "Bacheca non trovata", - "board-private-info": "Questa bacheca sarà privata.", - "board-public-info": "Questa bacheca sarà pubblica.", - "boardChangeColorPopup-title": "Cambia sfondo della bacheca", - "boardChangeTitlePopup-title": "Rinomina bacheca", - "boardChangeVisibilityPopup-title": "Cambia visibilità", - "boardChangeWatchPopup-title": "Cambia faccia", - "boardMenuPopup-title": "Menu bacheca", - "boards": "Bacheche", - "board-view": "Visualizza bacheca", - "board-view-swimlanes": "Corsie", - "board-view-lists": "Liste", - "bucket-example": "Per esempio come \"una lista di cose da fare\"", - "cancel": "Cancella", - "card-archived": "Questa scheda è stata spostata nel cestino.", - "card-comments-title": "Questa scheda ha %s commenti.", - "card-delete-notice": "L'eliminazione è permanente. Tutte le azioni associate a questa scheda andranno perse.", - "card-delete-pop": "Tutte le azioni saranno rimosse dal flusso attività e non sarai in grado di riaprire la scheda. Non potrai tornare indietro.", - "card-delete-suggest-archive": "Puoi cestinare una scheda per rimuoverla dalla bacheca e preservare la sua attività.", - "card-due": "Scadenza", - "card-due-on": "Scade", - "card-spent": "Tempo trascorso", - "card-edit-attachments": "Modifica allegati", - "card-edit-custom-fields": "Modifica campo personalizzato", - "card-edit-labels": "Modifica etichette", - "card-edit-members": "Modifica membri", - "card-labels-title": "Cambia le etichette per questa scheda.", - "card-members-title": "Aggiungi o rimuovi membri della bacheca da questa scheda", - "card-start": "Inizio", - "card-start-on": "Inizia", - "cardAttachmentsPopup-title": "Allega da", - "cardCustomField-datePopup-title": "Cambia data", - "cardCustomFieldsPopup-title": "Modifica campo personalizzato", - "cardDeletePopup-title": "Elimina scheda?", - "cardDetailsActionsPopup-title": "Azioni scheda", - "cardLabelsPopup-title": "Etichette", - "cardMembersPopup-title": "Membri", - "cardMorePopup-title": "Altro", - "cards": "Schede", - "cards-count": "Schede", - "change": "Cambia", - "change-avatar": "Cambia avatar", - "change-password": "Cambia password", - "change-permissions": "Cambia permessi", - "change-settings": "Cambia impostazioni", - "changeAvatarPopup-title": "Cambia avatar", - "changeLanguagePopup-title": "Cambia lingua", - "changePasswordPopup-title": "Cambia password", - "changePermissionsPopup-title": "Cambia permessi", - "changeSettingsPopup-title": "Cambia impostazioni", - "checklists": "Checklist", - "click-to-star": "Clicca per stellare questa bacheca", - "click-to-unstar": "Clicca per togliere la stella da questa bacheca", - "clipboard": "Clipboard o drag & drop", - "close": "Chiudi", - "close-board": "Chiudi bacheca", - "close-board-pop": "Sarai in grado di ripristinare la bacheca cliccando il tasto \"Cestino\" dall'intestazione della pagina principale.", - "color-black": "nero", - "color-blue": "blu", - "color-green": "verde", - "color-lime": "lime", - "color-orange": "arancione", - "color-pink": "rosa", - "color-purple": "viola", - "color-red": "rosso", - "color-sky": "azzurro", - "color-yellow": "giallo", - "comment": "Commento", - "comment-placeholder": "Scrivi Commento", - "comment-only": "Solo commenti", - "comment-only-desc": "Puoi commentare solo le schede.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Sei sicuro di voler cancellare questa checklist?", - "copy-card-link-to-clipboard": "Copia link della scheda sulla clipboard", - "copyCardPopup-title": "Copia Scheda", - "copyChecklistToManyCardsPopup-title": "Copia template checklist su più schede", - "copyChecklistToManyCardsPopup-instructions": "Titolo e la descrizione della scheda di destinazione in questo formato JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titolo prima scheda\", \"description\":\"Descrizione prima scheda\"}, {\"title\":\"Titolo seconda scheda\",\"description\":\"Descrizione seconda scheda\"},{\"title\":\"Titolo ultima scheda\",\"description\":\"Descrizione ultima scheda\"} ]", - "create": "Crea", - "createBoardPopup-title": "Crea bacheca", - "chooseBoardSourcePopup-title": "Importa bacheca", - "createLabelPopup-title": "Crea etichetta", - "createCustomField": "Crea campo", - "createCustomFieldPopup-title": "Crea campo", - "current": "corrente", - "custom-field-delete-pop": "Non potrai tornare indietro. Questa azione rimuoverà questo campo personalizzato da tutte le schede ed eliminerà ogni sua traccia.", - "custom-field-checkbox": "Casella di scelta", - "custom-field-date": "Data", - "custom-field-dropdown": "Lista a discesa", - "custom-field-dropdown-none": "(nessun)", - "custom-field-dropdown-options": "Lista opzioni", - "custom-field-dropdown-options-placeholder": "Premi invio per aggiungere altre opzioni", - "custom-field-dropdown-unknown": "(sconosciuto)", - "custom-field-number": "Numero", - "custom-field-text": "Testo", - "custom-fields": "Campi personalizzati", - "date": "Data", - "decline": "Declina", - "default-avatar": "Avatar predefinito", - "delete": "Elimina", - "deleteCustomFieldPopup-title": "Elimina il campo personalizzato?", - "deleteLabelPopup-title": "Eliminare etichetta?", - "description": "Descrizione", - "disambiguateMultiLabelPopup-title": "Disambiguare l'azione Etichetta", - "disambiguateMultiMemberPopup-title": "Disambiguare l'azione Membro", - "discard": "Scarta", - "done": "Fatto", - "download": "Download", - "edit": "Modifica", - "edit-avatar": "Cambia avatar", - "edit-profile": "Modifica profilo", - "edit-wip-limit": "Modifica limite di work in progress", - "soft-wip-limit": "Limite Work in progress soft", - "editCardStartDatePopup-title": "Cambia data di inizio", - "editCardDueDatePopup-title": "Cambia data di scadenza", - "editCustomFieldPopup-title": "Modifica campo", - "editCardSpentTimePopup-title": "Cambia tempo trascorso", - "editLabelPopup-title": "Cambia etichetta", - "editNotificationPopup-title": "Modifica notifiche", - "editProfilePopup-title": "Modifica profilo", - "email": "Email", - "email-enrollAccount-subject": "Creato un account per te su __siteName__", - "email-enrollAccount-text": "Ciao __user__,\n\nPer iniziare ad usare il servizio, clicca sul link seguente:\n\n__url__\n\nGrazie.", - "email-fail": "Invio email fallito", - "email-fail-text": "Errore nel tentativo di invio email", - "email-invalid": "Email non valida", - "email-invite": "Invita via email", - "email-invite-subject": "__inviter__ ti ha inviato un invito", - "email-invite-text": "Caro __user__,\n\n__inviter__ ti ha invitato ad unirti alla bacheca \"__board__\" per le collaborazioni.\n\nPer favore clicca sul link seguente:\n\n__url__\n\nGrazie.", - "email-resetPassword-subject": "Ripristina la tua password su on __siteName__", - "email-resetPassword-text": "Ciao __user__,\n\nPer ripristinare la tua password, clicca sul link seguente:\n\n__url__\n\nGrazie.", - "email-sent": "Email inviata", - "email-verifyEmail-subject": "Verifica il tuo indirizzo email su on __siteName__", - "email-verifyEmail-text": "Ciao __user__,\n\nPer verificare il tuo account email, clicca sul link seguente:\n\n__url__\n\nGrazie.", - "enable-wip-limit": "Abilita limite di work in progress", - "error-board-doesNotExist": "Questa bacheca non esiste", - "error-board-notAdmin": "Devi essere admin di questa bacheca per poterlo fare", - "error-board-notAMember": "Devi essere un membro di questa bacheca per poterlo fare", - "error-json-malformed": "Il tuo testo non è un JSON valido", - "error-json-schema": "Il tuo file JSON non contiene le giuste informazioni nel formato corretto", - "error-list-doesNotExist": "Questa lista non esiste", - "error-user-doesNotExist": "Questo utente non esiste", - "error-user-notAllowSelf": "Non puoi invitare te stesso", - "error-user-notCreated": "L'utente non è stato creato", - "error-username-taken": "Questo username è già utilizzato", - "error-email-taken": "L'email è già stata presa", - "export-board": "Esporta bacheca", - "filter": "Filtra", - "filter-cards": "Filtra schede", - "filter-clear": "Pulisci filtri", - "filter-no-label": "Nessuna etichetta", - "filter-no-member": "Nessun membro", - "filter-no-custom-fields": "Nessun campo personalizzato", - "filter-on": "Il filtro è attivo", - "filter-on-desc": "Stai filtrando le schede su questa bacheca. Clicca qui per modificare il filtro,", - "filter-to-selection": "Seleziona", - "advanced-filter-label": "Filtro avanzato", - "advanced-filter-description": "Il filtro avanzato consente di scrivere una stringa contenente i seguenti operatori: == != <= >= && || ( ). Lo spazio è usato come separatore tra gli operatori. E' possibile filtrare per tutti i campi personalizzati, digitando i loro nomi e valori. Ad esempio: Campo1 == Valore1. Nota: Se i campi o i valori contengono spazi, devi racchiuderli dentro le virgolette singole. Ad esempio: 'Campo 1' == 'Valore 1'. E' possibile combinare condizioni multiple. Ad esempio: F1 == V1 || F1 = V2. Normalmente tutti gli operatori sono interpretati da sinistra a destra. Puoi modificare l'ordine utilizzando le parentesi. Ad Esempio: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Nome completo", - "header-logo-title": "Torna alla tua bacheca.", - "hide-system-messages": "Nascondi i messaggi di sistema", - "headerBarCreateBoardPopup-title": "Crea bacheca", - "home": "Home", - "import": "Importa", - "import-board": "Importa bacheca", - "import-board-c": "Importa bacheca", - "import-board-title-trello": "Importa una bacheca da Trello", - "import-board-title-wekan": "Importa bacheca da Wekan", - "import-sandstorm-warning": "La bacheca importata cancellerà tutti i dati esistenti su questa bacheca e li rimpiazzerà con quelli della bacheca importata.", - "from-trello": "Da Trello", - "from-wekan": "Da Wekan", - "import-board-instruction-trello": "Nella tua bacheca Trello vai a 'Menu', poi 'Altro', 'Stampa ed esporta', 'Esporta JSON', e copia il testo che compare.", - "import-board-instruction-wekan": "Nella tua bacheca Wekan, vai su 'Menu', poi 'Esporta bacheca', e copia il testo nel file scaricato.", - "import-json-placeholder": "Incolla un JSON valido qui", - "import-map-members": "Mappatura dei membri", - "import-members-map": "La bacheca che hai importato ha alcuni membri. Per favore scegli i membri che vuoi vengano importati negli utenti di Wekan", - "import-show-user-mapping": "Rivedi la mappatura dei membri", - "import-user-select": "Scegli l'utente Wekan che vuoi utilizzare come questo membro", - "importMapMembersAddPopup-title": "Seleziona i membri di Wekan", - "info": "Versione", - "initials": "Iniziali", - "invalid-date": "Data non valida", - "invalid-time": "Tempo non valido", - "invalid-user": "User non valido", - "joined": "si è unito a", - "just-invited": "Sei stato appena invitato a questa bacheca", - "keyboard-shortcuts": "Scorciatoie da tastiera", - "label-create": "Crea etichetta", - "label-default": "%s etichetta (default)", - "label-delete-pop": "Non potrai tornare indietro. Procedendo, rimuoverai questa etichetta da tutte le schede e distruggerai la sua cronologia.", - "labels": "Etichette", - "language": "Lingua", - "last-admin-desc": "Non puoi cambiare i ruoli perché deve esserci almeno un admin.", - "leave-board": "Abbandona bacheca", - "leave-board-pop": "Sei sicuro di voler abbandonare __boardTitle__? Sarai rimosso da tutte le schede in questa bacheca.", - "leaveBoardPopup-title": "Abbandona Bacheca?", - "link-card": "Link a questa scheda", - "list-archive-cards": "Cestina tutte le schede in questa lista", - "list-archive-cards-pop": "Questo rimuoverà dalla bacheca tutte le schede in questa lista. Per vedere le schede cestinate e portarle indietro alla bacheca, clicca “Menu” > “Elementi cestinati”", - "list-move-cards": "Sposta tutte le schede in questa lista", - "list-select-cards": "Selezione tutte le schede in questa lista", - "listActionPopup-title": "Azioni disponibili", - "swimlaneActionPopup-title": "Azioni corsia", - "listImportCardPopup-title": "Importa una scheda di Trello", - "listMorePopup-title": "Altro", - "link-list": "Link a questa lista", - "list-delete-pop": "Tutte le azioni saranno rimosse dal flusso attività e non sarai in grado di recuperare la lista. Non potrai tornare indietro.", - "list-delete-suggest-archive": "Puoi cestinare una scheda per rimuoverla dalla bacheca e preservare la sua attività.", - "lists": "Liste", - "swimlanes": "Corsie", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Impostazioni membri", - "members": "Membri", - "menu": "Menu", - "move-selection": "Sposta selezione", - "moveCardPopup-title": "Sposta scheda", - "moveCardToBottom-title": "Sposta in fondo", - "moveCardToTop-title": "Sposta in alto", - "moveSelectionPopup-title": "Sposta selezione", - "multi-selection": "Multi-Selezione", - "multi-selection-on": "Multi-Selezione attiva", - "muted": "Silenziato", - "muted-info": "Non sarai mai notificato delle modifiche in questa bacheca", - "my-boards": "Le mie bacheche", - "name": "Nome", - "no-archived-cards": "Nessuna scheda nel cestino", - "no-archived-lists": "Nessuna lista nel cestino", - "no-archived-swimlanes": "Nessuna corsia nel cestino", - "no-results": "Nessun risultato", - "normal": "Normale", - "normal-desc": "Può visionare e modificare le schede. Non può cambiare le impostazioni.", - "not-accepted-yet": "Invitato non ancora accettato", - "notify-participate": "Ricevi aggiornamenti per qualsiasi scheda a cui partecipi come creatore o membro", - "notify-watch": "Ricevi aggiornamenti per tutte le bacheche, liste o schede che stai seguendo", - "optional": "opzionale", - "or": "o", - "page-maybe-private": "Questa pagina potrebbe essere privata. Potresti essere in grado di vederla facendo il log-in.", - "page-not-found": "Pagina non trovata.", - "password": "Password", - "paste-or-dragdrop": "per incollare, oppure trascina & rilascia il file immagine (solo immagini)", - "participating": "Partecipando", - "preview": "Anteprima", - "previewAttachedImagePopup-title": "Anteprima", - "previewClipboardImagePopup-title": "Anteprima", - "private": "Privata", - "private-desc": "Questa bacheca è privata. Solo le persone aggiunte alla bacheca possono vederla e modificarla.", - "profile": "Profilo", - "public": "Pubblica", - "public-desc": "Questa bacheca è pubblica. È visibile a chiunque abbia il link e sarà mostrata dai motori di ricerca come Google. Solo le persone aggiunte alla bacheca possono modificarla.", - "quick-access-description": "Stella una bacheca per aggiungere una scorciatoia in questa barra.", - "remove-cover": "Rimuovi cover", - "remove-from-board": "Rimuovi dalla bacheca", - "remove-label": "Rimuovi Etichetta", - "listDeletePopup-title": "Eliminare Lista?", - "remove-member": "Rimuovi utente", - "remove-member-from-card": "Rimuovi dalla scheda", - "remove-member-pop": "Rimuovere __name__ (__username__) da __boardTitle__? L'utente sarà rimosso da tutte le schede in questa bacheca. Riceveranno una notifica.", - "removeMemberPopup-title": "Rimuovere membro?", - "rename": "Rinomina", - "rename-board": "Rinomina bacheca", - "restore": "Ripristina", - "save": "Salva", - "search": "Cerca", - "search-cards": "Ricerca per titolo e descrizione scheda su questa bacheca", - "search-example": "Testo da ricercare?", - "select-color": "Seleziona Colore", - "set-wip-limit-value": "Seleziona un limite per il massimo numero di attività in questa lista", - "setWipLimitPopup-title": "Imposta limite di work in progress", - "shortcut-assign-self": "Aggiungi te stesso alla scheda corrente", - "shortcut-autocomplete-emoji": "Autocompletamento emoji", - "shortcut-autocomplete-members": "Autocompletamento membri", - "shortcut-clear-filters": "Pulisci tutti i filtri", - "shortcut-close-dialog": "Chiudi finestra di dialogo", - "shortcut-filter-my-cards": "Filtra le mie schede", - "shortcut-show-shortcuts": "Apri questa lista di scorciatoie", - "shortcut-toggle-filterbar": "Apri/chiudi la barra laterale dei filtri", - "shortcut-toggle-sidebar": "Apri/chiudi la barra laterale della bacheca", - "show-cards-minimum-count": "Mostra il contatore delle schede se la lista ne contiene più di", - "sidebar-open": "Apri Sidebar", - "sidebar-close": "Chiudi Sidebar", - "signupPopup-title": "Crea un account", - "star-board-title": "Clicca per stellare questa bacheca. Sarà mostrata all'inizio della tua lista bacheche.", - "starred-boards": "Bacheche stellate", - "starred-boards-description": "Le bacheche stellate vengono mostrato all'inizio della tua lista bacheche.", - "subscribe": "Sottoscrivi", - "team": "Team", - "this-board": "questa bacheca", - "this-card": "questa scheda", - "spent-time-hours": "Tempo trascorso (ore)", - "overtime-hours": "Overtime (ore)", - "overtime": "Overtime", - "has-overtime-cards": "Ci sono scheda scadute", - "has-spenttime-cards": "Ci sono scheda con tempo impiegato", - "time": "Ora", - "title": "Titolo", - "tracking": "Monitoraggio", - "tracking-info": "Sarai notificato per tutte le modifiche alle schede delle quali sei creatore o membro.", - "type": "Tipo", - "unassign-member": "Rimuovi membro", - "unsaved-description": "Hai una descrizione non salvata", - "unwatch": "Non seguire", - "upload": "Upload", - "upload-avatar": "Carica un avatar", - "uploaded-avatar": "Avatar caricato", - "username": "Username", - "view-it": "Vedi", - "warn-list-archived": "attenzione: questa scheda è in una lista cestinata", - "watch": "Segui", - "watching": "Stai seguendo", - "watching-info": "Sarai notificato per tutte le modifiche in questa bacheca", - "welcome-board": "Bacheca di benvenuto", - "welcome-swimlane": "Pietra miliare 1", - "welcome-list1": "Basi", - "welcome-list2": "Avanzate", - "what-to-do": "Cosa vuoi fare?", - "wipLimitErrorPopup-title": "Limite work in progress non valido. ", - "wipLimitErrorPopup-dialog-pt1": "Il numero di compiti in questa lista è maggiore del limite di work in progress che hai definito in precedenza. ", - "wipLimitErrorPopup-dialog-pt2": "Per favore, sposta alcuni dei compiti fuori da questa lista, oppure imposta un limite di work in progress più alto. ", - "admin-panel": "Pannello dell'Amministratore", - "settings": "Impostazioni", - "people": "Persone", - "registration": "Registrazione", - "disable-self-registration": "Disabilita Auto-registrazione", - "invite": "Invita", - "invite-people": "Invita persone", - "to-boards": "Alla(e) bacheche(a)", - "email-addresses": "Indirizzi email", - "smtp-host-description": "L'indirizzo del server SMTP che gestisce le tue email.", - "smtp-port-description": "La porta che il tuo server SMTP utilizza per le email in uscita.", - "smtp-tls-description": "Abilita supporto TLS per server SMTP", - "smtp-host": "SMTP Host", - "smtp-port": "Porta SMTP", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "Supporto TLS", - "send-from": "Da", - "send-smtp-test": "Invia un'email di test a te stesso", - "invitation-code": "Codice d'invito", - "email-invite-register-subject": "__inviter__ ti ha inviato un invito", - "email-invite-register-text": "Gentile __user__,\n\n__inviter__ ti ha invitato su Wekan per collaborare.\n\nPer favore segui il link qui sotto:\n__url__\n\nIl tuo codice d'invito è: __icode__\n\nGrazie.", - "email-smtp-test-subject": "Test invio email SMTP per Wekan", - "email-smtp-test-text": "Hai inviato un'email con successo", - "error-invitation-code-not-exist": "Il codice d'invito non esiste", - "error-notAuthorized": "Non sei autorizzato ad accedere a questa pagina.", - "outgoing-webhooks": "Server esterni", - "outgoingWebhooksPopup-title": "Server esterni", - "new-outgoing-webhook": "Nuovo webhook in uscita", - "no-name": "(Sconosciuto)", - "Wekan_version": "Versione di Wekan", - "Node_version": "Versione di Node", - "OS_Arch": "Architettura del sistema operativo", - "OS_Cpus": "Conteggio della CPU del sistema operativo", - "OS_Freemem": "Memoria libera del sistema operativo ", - "OS_Loadavg": "Carico medio del sistema operativo ", - "OS_Platform": "Piattaforma del sistema operativo", - "OS_Release": "Versione di rilascio del sistema operativo", - "OS_Totalmem": "Memoria totale del sistema operativo ", - "OS_Type": "Tipo di sistema operativo ", - "OS_Uptime": "Tempo di attività del sistema operativo. ", - "hours": "ore", - "minutes": "minuti", - "seconds": "secondi", - "show-field-on-card": "Visualizza questo campo sulla scheda", - "yes": "Sì", - "no": "No", - "accounts": "Profili", - "accounts-allowEmailChange": "Permetti modifica dell'email", - "accounts-allowUserNameChange": "Consenti la modifica del nome utente", - "createdAt": "creato alle", - "verified": "Verificato", - "active": "Attivo", - "card-received": "Ricevuta", - "card-received-on": "Ricevuta il", - "card-end": "Fine", - "card-end-on": "Termina il", - "editCardReceivedDatePopup-title": "Cambia data ricezione", - "editCardEndDatePopup-title": "Cambia data finale", - "assigned-by": "Assegnato da", - "requested-by": "Richiesto da", - "board-delete-notice": "L'eliminazione è permanente. Tutte le azioni, liste e schede associate a questa bacheca andranno perse.", - "delete-board-confirm-popup": "Tutte le liste, schede, etichette e azioni saranno rimosse e non sarai più in grado di recuperare il contenuto della bacheca. L'azione non è annullabile.", - "boardDeletePopup-title": "Eliminare la bacheca?", - "delete-board": "Elimina bacheca" -} \ No newline at end of file diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json deleted file mode 100644 index 7f9a3c40..00000000 --- a/i18n/ja.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "受け入れ", - "act-activity-notify": "[Wekan] アクティビティ通知", - "act-addAttachment": "__card__ に __attachment__ を添付しました", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "__card__: __comment__ をコメントしました", - "act-createBoard": "__board__ を作成しました", - "act-createCard": "__list__ に __card__ を追加しました", - "act-createCustomField": "created custom field __customField__", - "act-createList": "__board__ に __list__ を追加しました", - "act-addBoardMember": "__board__ に __member__ を追加しました", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "__board__ をインポートしました", - "act-importCard": "__card__ をインポートしました", - "act-importList": "__list__ をインポートしました", - "act-joinMember": "__card__ に __member__ を追加しました", - "act-moveCard": "__card__ を __oldList__ から __list__ に 移動しました", - "act-removeBoardMember": "__board__ から __member__ を削除しました", - "act-restoredCard": "__card__ を __board__ にリストアしました", - "act-unjoinMember": "__card__ から __member__ を削除しました", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "操作", - "activities": "アクティビティ", - "activity": "アクティビティ", - "activity-added": "%s を %s に追加しました", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "%s を %s に添付しました", - "activity-created": "%s を作成しました", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "%s を %s から除外しました", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "%s にジョインしました", - "activity-moved": "%s を %s から %s に移動しました", - "activity-on": "%s", - "activity-removed": "%s を %s から削除しました", - "activity-sent": "%s を %s に送りました", - "activity-unjoined": "%s への参加を止めました", - "activity-checklist-added": "%s にチェックリストを追加しました", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "追加", - "add-attachment": "添付ファイルを追加", - "add-board": "ボードを追加", - "add-card": "カードを追加", - "add-swimlane": "Add Swimlane", - "add-checklist": "チェックリストを追加", - "add-checklist-item": "チェックリストに項目を追加", - "add-cover": "カバーの追加", - "add-label": "ラベルを追加", - "add-list": "リストを追加", - "add-members": "メンバーの追加", - "added": "追加しました", - "addMemberPopup-title": "メンバー", - "admin": "管理", - "admin-desc": "カードの閲覧と編集、メンバーの削除、ボードの設定変更が可能", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "全てのボード", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "適用", - "app-is-offline": "現在オフラインです。ページを更新すると保存していないデータは失われます。", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "ボードをリストア", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "メンバーの割当", - "attached": "添付されました", - "attachment": "添付ファイル", - "attachment-delete-pop": "添付ファイルの削除をすると取り消しできません。", - "attachmentDeletePopup-title": "添付ファイルを削除しますか?", - "attachments": "添付ファイル", - "auto-watch": "作成されたボードを自動的にウォッチする", - "avatar-too-big": "アバターが大きすぎます(最大70KB)", - "back": "戻る", - "board-change-color": "色の変更", - "board-nb-stars": "%s stars", - "board-not-found": "ボードが見つかりません", - "board-private-info": "ボードは 非公開 になります。", - "board-public-info": "ボードは公開されます。", - "boardChangeColorPopup-title": "ボードの背景を変更", - "boardChangeTitlePopup-title": "ボード名の変更", - "boardChangeVisibilityPopup-title": "公開範囲の変更", - "boardChangeWatchPopup-title": "ウォッチの変更", - "boardMenuPopup-title": "ボードメニュー", - "boards": "ボード", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "リスト", - "bucket-example": "Like “Bucket List” for example", - "cancel": "キャンセル", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "%s 件のコメントがあります。", - "card-delete-notice": "削除は取り消しできません。このカードに関係するすべてのアクションがなくなります。", - "card-delete-pop": "すべての内容がアクティビティから削除されます。この削除は元に戻すことができません。", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "期限", - "card-due-on": "期限日", - "card-spent": "Spent Time", - "card-edit-attachments": "添付ファイルの編集", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "ラベルの編集", - "card-edit-members": "メンバーの編集", - "card-labels-title": "カードのラベルを変更する", - "card-members-title": "カードからボードメンバーを追加・削除する", - "card-start": "開始", - "card-start-on": "開始日", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "カードを削除しますか?", - "cardDetailsActionsPopup-title": "カード操作", - "cardLabelsPopup-title": "ラベル", - "cardMembersPopup-title": "メンバー", - "cardMorePopup-title": "さらに見る", - "cards": "カード", - "cards-count": "カード", - "change": "変更", - "change-avatar": "アバターの変更", - "change-password": "パスワードの変更", - "change-permissions": "権限の変更", - "change-settings": "設定の変更", - "changeAvatarPopup-title": "アバターの変更", - "changeLanguagePopup-title": "言語の変更", - "changePasswordPopup-title": "パスワードの変更", - "changePermissionsPopup-title": "パーミッションの変更", - "changeSettingsPopup-title": "設定の変更", - "checklists": "チェックリスト", - "click-to-star": "ボードにスターをつける", - "click-to-unstar": "ボードからスターを外す", - "clipboard": "クリップボードもしくはドラッグ&ドロップ", - "close": "閉じる", - "close-board": "ボードを閉じる", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "黒", - "color-blue": "青", - "color-green": "緑", - "color-lime": "ライム", - "color-orange": "オレンジ", - "color-pink": "ピンク", - "color-purple": "紫", - "color-red": "赤", - "color-sky": "空", - "color-yellow": "黄", - "comment": "コメント", - "comment-placeholder": "コメントを書く", - "comment-only": "コメントのみ", - "comment-only-desc": "カードにのみコメント可能", - "computer": "コンピューター", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "カードへのリンクをクリップボードにコピー", - "copyCardPopup-title": "カードをコピー", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "作成", - "createBoardPopup-title": "ボードの作成", - "chooseBoardSourcePopup-title": "ボードをインポート", - "createLabelPopup-title": "ラベルの作成", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "現在", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "日付", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "日付", - "decline": "拒否", - "default-avatar": "デフォルトのアバター", - "delete": "削除", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "ラベルを削除しますか?", - "description": "詳細", - "disambiguateMultiLabelPopup-title": "不正なラベル操作", - "disambiguateMultiMemberPopup-title": "不正なメンバー操作", - "discard": "捨てる", - "done": "完了", - "download": "ダウンロード", - "edit": "編集", - "edit-avatar": "アバターの変更", - "edit-profile": "プロフィールの編集", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "開始日の変更", - "editCardDueDatePopup-title": "期限の変更", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "ラベルの変更", - "editNotificationPopup-title": "通知の変更", - "editProfilePopup-title": "プロフィールの編集", - "email": "メールアドレス", - "email-enrollAccount-subject": "__siteName__であなたのアカウントが作成されました", - "email-enrollAccount-text": "こんにちは、__user__さん。\n\nサービスを開始するには、以下をクリックしてください。\n\n__url__\n\nよろしくお願いします。", - "email-fail": "メールの送信に失敗しました", - "email-fail-text": "Error trying to send email", - "email-invalid": "無効なメールアドレス", - "email-invite": "メールで招待", - "email-invite-subject": "__inviter__があなたを招待しています", - "email-invite-text": "__user__さんへ。\n\n__inviter__さんがあなたをボード\"__board__\"へ招待しています。\n\n以下のリンクをクリックしてください。\n\n__url__\n\nよろしくお願いします。", - "email-resetPassword-subject": "あなたの __siteName__ のパスワードをリセットする", - "email-resetPassword-text": "こんにちは、__user__さん。\n\nパスワードをリセットするには、以下のリンクをクリックしてください。\n\n__url__\n\nよろしくお願いします。", - "email-sent": "メールを送信しました", - "email-verifyEmail-subject": "あなたの __siteName__ のメールアドレスを確認する", - "email-verifyEmail-text": "こんにちは、__user__さん。\n\nメールアドレスを認証するために、以下のリンクをクリックしてください。\n\n__url__\n\nよろしくお願いします。", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "ボードがありません", - "error-board-notAdmin": "操作にはボードの管理者権限が必要です", - "error-board-notAMember": "操作にはボードメンバーである必要があります", - "error-json-malformed": "このテキストは、有効なJSON形式ではありません", - "error-json-schema": "JSONデータが不正な値を含んでいます", - "error-list-doesNotExist": "このリストは存在しません", - "error-user-doesNotExist": "ユーザーが存在しません", - "error-user-notAllowSelf": "自分を招待することはできません。", - "error-user-notCreated": "ユーザーが作成されていません", - "error-username-taken": "このユーザ名は既に使用されています", - "error-email-taken": "メールは既に受け取られています", - "export-board": "ボードのエクスポート", - "filter": "フィルター", - "filter-cards": "カードをフィルターする", - "filter-clear": "フィルターの解除", - "filter-no-label": "ラベルなし", - "filter-no-member": "メンバーなし", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "フィルター有効", - "filter-on-desc": "このボードのカードをフィルターしています。フィルターを編集するにはこちらをクリックしてください。", - "filter-to-selection": "フィルターした項目を全選択", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "フルネーム", - "header-logo-title": "自分のボードページに戻る。", - "hide-system-messages": "システムメッセージを隠す", - "headerBarCreateBoardPopup-title": "ボードの作成", - "home": "ホーム", - "import": "インポート", - "import-board": "ボードをインポート", - "import-board-c": "ボードをインポート", - "import-board-title-trello": "Trelloからボードをインポート", - "import-board-title-wekan": "Wekanからボードをインポート", - "import-sandstorm-warning": "ボードのインポートは、既存ボードのすべてのデータを置き換えます。", - "from-trello": "Trelloから", - "from-wekan": "Wekanから", - "import-board-instruction-trello": "Trelloボードの、 'Menu' → 'More' → 'Print and Export' → 'Export JSON'を選択し、テキストをコピーしてください。", - "import-board-instruction-wekan": "Wekanボードの、'Menu' → 'Export board'を選択し、ダウンロードされたファイルからテキストをコピーしてください。", - "import-json-placeholder": "JSONデータをここに貼り付けする", - "import-map-members": "メンバーを紐付け", - "import-members-map": "インポートしたボードにはメンバーが含まれます。これらのメンバーをWekanのメンバーに紐付けしてください。", - "import-show-user-mapping": "メンバー紐付けの確認", - "import-user-select": "メンバーとして利用したいWekanユーザーを選択", - "importMapMembersAddPopup-title": "Wekanメンバーを選択", - "info": "バージョン", - "initials": "初期状態", - "invalid-date": "無効な日付", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "参加しました", - "just-invited": "このボードのメンバーに招待されています", - "keyboard-shortcuts": "キーボード・ショートカット", - "label-create": "ラベルの作成", - "label-default": "%s ラベル(デフォルト)", - "label-delete-pop": "この操作は取り消しできません。このラベルはすべてのカードから外され履歴からも見えなくなります。", - "labels": "ラベル", - "language": "言語", - "last-admin-desc": "最低でも1人以上の管理者が必要なためロールを変更できません。", - "leave-board": "ボードから退出する", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "ボードから退出しますか?", - "link-card": "このカードへのリンク", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "リストの全カードを移動する", - "list-select-cards": "リストの全カードを選択", - "listActionPopup-title": "操作一覧", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Trelloのカードをインポート", - "listMorePopup-title": "さらに見る", - "link-list": "このリストへのリンク", - "list-delete-pop": "すべての内容がアクティビティから削除されます。この削除は元に戻すことができません。", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "リスト", - "swimlanes": "Swimlanes", - "log-out": "ログアウト", - "log-in": "ログイン", - "loginPopup-title": "ログイン", - "memberMenuPopup-title": "メンバー設定", - "members": "メンバー", - "menu": "メニュー", - "move-selection": "選択したものを移動", - "moveCardPopup-title": "カードの移動", - "moveCardToBottom-title": "最下部に移動", - "moveCardToTop-title": "先頭に移動", - "moveSelectionPopup-title": "選択箇所に移動", - "multi-selection": "複数選択", - "multi-selection-on": "複数選択有効", - "muted": "ミュート", - "muted-info": "このボードの変更は通知されません", - "my-boards": "自分のボード", - "name": "名前", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "該当するものはありません", - "normal": "通常", - "normal-desc": "カードの閲覧と編集が可能。設定変更不可。", - "not-accepted-yet": "招待はアクセプトされていません", - "notify-participate": "作成した、またはメンバーとなったカードの更新情報を受け取る", - "notify-watch": "ウォッチしているすべてのボード、リスト、カードの更新情報を受け取る", - "optional": "任意", - "or": "or", - "page-maybe-private": "このページはプライベートです。ログインして見てください。", - "page-not-found": "ページが見つかりません。", - "password": "パスワード", - "paste-or-dragdrop": "貼り付けか、ドラッグアンドロップで画像を添付 (画像のみ)", - "participating": "参加", - "preview": "プレビュー", - "previewAttachedImagePopup-title": "プレビュー", - "previewClipboardImagePopup-title": "プレビュー", - "private": "プライベート", - "private-desc": "このボードはプライベートです。ボードメンバーのみが閲覧・編集可能です。", - "profile": "プロフィール", - "public": "公開", - "public-desc": "このボードはパブリックです。リンクを知っていれば誰でもアクセス可能でGoogleのような検索エンジンの結果に表示されます。このボードに追加されている人だけがカード追加が可能です。", - "quick-access-description": "ボードにスターをつけると、ここににショートカットができます。", - "remove-cover": "カバーの削除", - "remove-from-board": "ボードから外す", - "remove-label": "ラベルの削除", - "listDeletePopup-title": "リストを削除しますか?", - "remove-member": "メンバーを外す", - "remove-member-from-card": "カードから外す", - "remove-member-pop": "__boardTitle__ から __name__ (__username__) を外しますか?メンバーはこのボードのすべてのカードから外れ、通知を受けます。", - "removeMemberPopup-title": "メンバーを外しますか?", - "rename": "名前変更", - "rename-board": "ボード名の変更", - "restore": "復元", - "save": "保存", - "search": "検索", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "色を選択", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "自分をこのカードに割り当てる", - "shortcut-autocomplete-emoji": "絵文字の補完", - "shortcut-autocomplete-members": "メンバーの補完", - "shortcut-clear-filters": "すべてのフィルターを解除する", - "shortcut-close-dialog": "ダイアログを閉じる", - "shortcut-filter-my-cards": "カードをフィルター", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "フィルターサイドバーの切り替え", - "shortcut-toggle-sidebar": "ボードサイドバーの切り替え", - "show-cards-minimum-count": "以下より多い場合、リストにカード数を表示", - "sidebar-open": "サイドバーを開く", - "sidebar-close": "サイドバーを閉じる", - "signupPopup-title": "アカウント作成", - "star-board-title": "ボードにスターをつけると自分のボード一覧のトップに表示されます。", - "starred-boards": "スターのついたボード", - "starred-boards-description": "スターのついたボードはボードリストの先頭に表示されます。", - "subscribe": "購読", - "team": "チーム", - "this-board": "このボード", - "this-card": "このカード", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "時間", - "title": "タイトル", - "tracking": "トラッキング", - "tracking-info": "これらのカードへの変更が通知されるようになります。", - "type": "Type", - "unassign-member": "未登録のメンバー", - "unsaved-description": "未保存の変更があります。", - "unwatch": "アンウォッチ", - "upload": "アップロード", - "upload-avatar": "アバターのアップロード", - "uploaded-avatar": "アップロードされたアバター", - "username": "ユーザー名", - "view-it": "見る", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "ウォッチ", - "watching": "ウォッチしています", - "watching-info": "このボードの変更が通知されます", - "welcome-board": "ウェルカムボード", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "基本", - "welcome-list2": "高度", - "what-to-do": "何をしたいですか?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "管理パネル", - "settings": "設定", - "people": "メンバー", - "registration": "登録", - "disable-self-registration": "自己登録を無効化", - "invite": "招待", - "invite-people": "メンバーを招待", - "to-boards": "ボードへ移動", - "email-addresses": "Emailアドレス", - "smtp-host-description": "Emailを処理するSMTPサーバーのアドレス", - "smtp-port-description": "SMTPサーバーがEmail送信に使用するポート", - "smtp-tls-description": "SMTPサーバのTLSサポートを有効化", - "smtp-host": "SMTPホスト", - "smtp-port": "SMTPポート", - "smtp-username": "ユーザー名", - "smtp-password": "パスワード", - "smtp-tls": "TLSサポート", - "send-from": "送信元", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "招待コード", - "email-invite-register-subject": "__inviter__さんがあなたを招待しています", - "email-invite-register-text": " __user__ さん\n\n__inviter__ があなたをWekanに招待しました。\n\n以下のリンクをクリックしてください。\n__url__\n\nあなたの招待コードは、 __icode__ です。\n\nよろしくお願いします。", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "招待コードが存在しません", - "error-notAuthorized": "このページを参照する権限がありません。", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekanバージョン", - "Node_version": "Nodeバージョン", - "OS_Arch": "OSアーキテクチャ", - "OS_Cpus": "OS CPU数", - "OS_Freemem": "OSフリーメモリ", - "OS_Loadavg": "OSロードアベレージ", - "OS_Platform": "OSプラットフォーム", - "OS_Release": "OSリリース", - "OS_Totalmem": "OSトータルメモリ", - "OS_Type": "OS種類", - "OS_Uptime": "OSアップタイム", - "hours": "時", - "minutes": "分", - "seconds": "秒", - "show-field-on-card": "Show this field on card", - "yes": "はい", - "no": "いいえ", - "accounts": "アカウント", - "accounts-allowEmailChange": "メールアドレスの変更を許可", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json deleted file mode 100644 index b9550ff6..00000000 --- a/i18n/km.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "យល់ព្រម", - "act-activity-notify": "[Wekan] សកម្មភាពជូនដំណឹង", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Add", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", - "addMemberPopup-title": "Members", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Members", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Members", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "បិទផ្ទាំង", - "shortcut-filter-my-cards": "តម្រងកាតរបស់ខ្ញុំ", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "បង្កើតគណនីមួយ", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "កាតនេះ", - "spent-time-hours": "ចំណាយពេល (ម៉ោង)", - "overtime-hours": "លើសពេល (ម៉ោង)", - "overtime": "លើសពេល", - "has-overtime-cards": "មានកាតលើសពេល", - "has-spenttime-cards": "មានកាតដែលបានចំណាយពេល", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json deleted file mode 100644 index edf978a7..00000000 --- a/i18n/ko.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "확인", - "act-activity-notify": "[Wekan] 활동 알림", - "act-addAttachment": "__attachment__를 __card__에 첨부", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "__card__에 내용 추가 : __comment__", - "act-createBoard": "__board__ 생성", - "act-createCard": "__list__에 __card__ 추가", - "act-createCustomField": "created custom field __customField__", - "act-createList": "__board__에 __list__ 추가", - "act-addBoardMember": "__board__에 __member__ 추가", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "가져온 __board__", - "act-importCard": "가져온 __card__", - "act-importList": "가져온 __list__", - "act-joinMember": "__card__에 __member__ 추가", - "act-moveCard": "__card__을 __oldList__에서 __list__로 이동", - "act-removeBoardMember": "__board__에서 __member__를 삭제", - "act-restoredCard": "__card__를 __board__에 복원했습니다.", - "act-unjoinMember": "__card__에서 __member__를 삭제", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "동작", - "activities": "활동 내역", - "activity": "활동 상태", - "activity-added": "%s를 %s에 추가함", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "%s를 %s에 첨부함", - "activity-created": "%s 생성됨", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "%s를 %s에서 제외함", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "%s에 참여", - "activity-moved": "%s를 %s에서 %s로 옮김", - "activity-on": "%s에", - "activity-removed": "%s를 %s에서 삭제함", - "activity-sent": "%s를 %s로 보냄", - "activity-unjoined": "%s에서 멤버 해제", - "activity-checklist-added": "%s에 체크리스트를 추가함", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "추가", - "add-attachment": "첨부파일 추가", - "add-board": "보드 추가", - "add-card": "카드 추가", - "add-swimlane": "Add Swimlane", - "add-checklist": "체크리스트 추가", - "add-checklist-item": "체크리스트에 항목 추가", - "add-cover": "커버 추가", - "add-label": "라벨 추가", - "add-list": "리스트 추가", - "add-members": "멤버 추가", - "added": "추가됨", - "addMemberPopup-title": "멤버", - "admin": "관리자", - "admin-desc": "카드를 보거나 수정하고, 멤버를 삭제하고, 보드에 대한 설정을 수정할 수 있습니다.", - "admin-announcement": "Announcement", - "admin-announcement-active": "시스템에 공지사항을 표시합니다", - "admin-announcement-title": "관리자 공지사항 메시지", - "all-boards": "전체 보드", - "and-n-other-card": "__count__ 개의 다른 카드", - "and-n-other-card_plural": "__count__ 개의 다른 카드들", - "apply": "적용", - "app-is-offline": "Wekan 로딩 중 입니다. 잠시 기다려주세요. 페이지를 새로고침 하시면 데이터가 손실될 수 있습니다. Wekan 을 불러오는데 실패한다면 서버가 중지되지 않았는지 확인 바랍니다.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "보드 복구", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "멤버 지정", - "attached": "첨부됨", - "attachment": "첨부 파일", - "attachment-delete-pop": "영구 첨부파일을 삭제합니다. 되돌릴 수 없습니다.", - "attachmentDeletePopup-title": "첨부 파일을 삭제합니까?", - "attachments": "첨부 파일", - "auto-watch": "생성한 보드를 자동으로 감시합니다.", - "avatar-too-big": "아바타 파일이 너무 큽니다. (최대 70KB)", - "back": "뒤로", - "board-change-color": "보드 색 변경", - "board-nb-stars": "%s개의 별", - "board-not-found": "보드를 찾을 수 없습니다", - "board-private-info": "이 보드는 비공개입니다.", - "board-public-info": "이 보드는 공개로 설정됩니다", - "boardChangeColorPopup-title": "보드 배경 변경", - "boardChangeTitlePopup-title": "보드 이름 바꾸기", - "boardChangeVisibilityPopup-title": "표시 여부 변경", - "boardChangeWatchPopup-title": "감시상태 변경", - "boardMenuPopup-title": "보드 메뉴", - "boards": "보드", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "목록들", - "bucket-example": "예: “프로젝트 이름“ 입력", - "cancel": "취소", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "이 카드에 %s 코멘트가 있습니다.", - "card-delete-notice": "영구 삭제입니다. 이 카드와 관련된 모든 작업들을 잃게됩니다.", - "card-delete-pop": "모든 작업이 활동 내역에서 제거되며 카드를 다시 열 수 없습니다. 복구가 안되니 주의하시기 바랍니다.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "종료일", - "card-due-on": "종료일", - "card-spent": "Spent Time", - "card-edit-attachments": "첨부 파일 수정", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "라벨 수정", - "card-edit-members": "멤버 수정", - "card-labels-title": "카드의 라벨 변경.", - "card-members-title": "카드에서 보드의 멤버를 추가하거나 삭제합니다.", - "card-start": "시작일", - "card-start-on": "시작일", - "cardAttachmentsPopup-title": "첨부 파일", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "카드를 삭제합니까?", - "cardDetailsActionsPopup-title": "카드 액션", - "cardLabelsPopup-title": "라벨", - "cardMembersPopup-title": "멤버", - "cardMorePopup-title": "더보기", - "cards": "카드", - "cards-count": "카드", - "change": "변경", - "change-avatar": "아바타 변경", - "change-password": "암호 변경", - "change-permissions": "권한 변경", - "change-settings": "설정 변경", - "changeAvatarPopup-title": "아바타 변경", - "changeLanguagePopup-title": "언어 변경", - "changePasswordPopup-title": "암호 변경", - "changePermissionsPopup-title": "권한 변경", - "changeSettingsPopup-title": "설정 변경", - "checklists": "체크리스트", - "click-to-star": "보드에 별 추가.", - "click-to-unstar": "보드에 별 삭제.", - "clipboard": "클립보드 또는 드래그 앤 드롭", - "close": "닫기", - "close-board": "보드 닫기", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "블랙", - "color-blue": "블루", - "color-green": "그린", - "color-lime": "라임", - "color-orange": "오렌지", - "color-pink": "핑크", - "color-purple": "퍼플", - "color-red": "레드", - "color-sky": "스카이", - "color-yellow": "옐로우", - "comment": "댓글", - "comment-placeholder": "댓글 입력", - "comment-only": "댓글만 입력 가능", - "comment-only-desc": "카드에 댓글만 달수 있습니다.", - "computer": "내 컴퓨터", - "confirm-checklist-delete-dialog": "정말 이 체크리스트를 삭제할까요?", - "copy-card-link-to-clipboard": "클립보드에 카드의 링크가 복사되었습니다.", - "copyCardPopup-title": "카드 복사", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "생성", - "createBoardPopup-title": "보드 생성", - "chooseBoardSourcePopup-title": "보드 가져오기", - "createLabelPopup-title": "라벨 생성", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "경향", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "날짜", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "날짜", - "decline": "쇠퇴", - "default-avatar": "기본 아바타", - "delete": "삭제", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "라벨을 삭제합니까?", - "description": "설명", - "disambiguateMultiLabelPopup-title": "라벨 액션의 모호성 제거", - "disambiguateMultiMemberPopup-title": "멤버 액션의 모호성 제거", - "discard": "포기", - "done": "완료", - "download": "다운로드", - "edit": "수정", - "edit-avatar": "아바타 변경", - "edit-profile": "프로필 변경", - "edit-wip-limit": "WIP 제한 변경", - "soft-wip-limit": "원만한 WIP 제한", - "editCardStartDatePopup-title": "시작일 변경", - "editCardDueDatePopup-title": "종료일 변경", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "라벨 변경", - "editNotificationPopup-title": "알림 수정", - "editProfilePopup-title": "프로필 변경", - "email": "이메일", - "email-enrollAccount-subject": "__siteName__에 계정 생성이 완료되었습니다.", - "email-enrollAccount-text": "안녕하세요. __user__님,\n\n시작하려면 아래링크를 클릭해 주세요.\n\n__url__\n\n감사합니다.", - "email-fail": "이메일 전송 실패", - "email-fail-text": "Error trying to send email", - "email-invalid": "잘못된 이메일 주소", - "email-invite": "이메일로 초대", - "email-invite-subject": "__inviter__님이 당신을 초대하였습니다.", - "email-invite-text": "__user__님,\n\n__inviter__님이 협업을 위해 \"__board__\"보드에 가입하도록 초대하셨습니다.\n\n아래 링크를 클릭해주십시오.\n\n__url__\n\n감사합니다.", - "email-resetPassword-subject": "패스워드 초기화: __siteName__", - "email-resetPassword-text": "안녕하세요 __user__님,\n\n비밀번호를 재설정하려면 아래 링크를 클릭하십시오.\n\n__url__\n\n감사합니다.", - "email-sent": "이메일 전송", - "email-verifyEmail-subject": "이메일 인증: __siteName__", - "email-verifyEmail-text": "안녕하세요. __user__님,\n\n당신의 계정과 이메일을 활성하려면 아래 링크를 클릭하십시오.\n\n__url__\n\n감사합니다.", - "enable-wip-limit": "WIP 제한 활성화", - "error-board-doesNotExist": "보드가 없습니다.", - "error-board-notAdmin": "이 작업은 보드의 관리자만 실행할 수 있습니다.", - "error-board-notAMember": "이 작업은 보드의 멤버만 실행할 수 있습니다.", - "error-json-malformed": "텍스트가 JSON 형식에 유효하지 않습니다.", - "error-json-schema": "JSON 데이터에 정보가 올바른 형식으로 포함되어 있지 않습니다.", - "error-list-doesNotExist": "목록이 없습니다.", - "error-user-doesNotExist": "멤버의 정보가 없습니다.", - "error-user-notAllowSelf": "자기 자신을 초대할 수 없습니다.", - "error-user-notCreated": "유저가 생성되지 않았습니다.", - "error-username-taken": "중복된 아이디 입니다.", - "error-email-taken": "Email has already been taken", - "export-board": "보드 내보내기", - "filter": "필터", - "filter-cards": "카드 필터", - "filter-clear": "필터 초기화", - "filter-no-label": "라벨 없음", - "filter-no-member": "멤버 없음", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "필터 사용", - "filter-on-desc": "보드에서 카드를 필터링합니다. 여기를 클릭하여 필터를 수정합니다.", - "filter-to-selection": "선택 항목으로 필터링", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "실명", - "header-logo-title": "보드 페이지로 돌아가기.", - "hide-system-messages": "시스템 메시지 숨기기", - "headerBarCreateBoardPopup-title": "보드 생성", - "home": "홈", - "import": "가져오기", - "import-board": "보드 가져오기", - "import-board-c": "보드 가져오기", - "import-board-title-trello": "Trello에서 보드 가져오기", - "import-board-title-wekan": "Wekan에서 보드 가져오기", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "Trello 게시판에서 'Menu' -> 'More' -> 'Print and Export', 'Export JSON' 선택하여 텍스트 결과값 복사", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "유효한 JSON 데이터를 여기에 붙여 넣으십시오.", - "import-map-members": "보드 멤버들", - "import-members-map": "가져온 보드에는 멤버가 있습니다. 원하는 멤버를 Wekan 멤버로 매핑하세요.", - "import-show-user-mapping": "멤버 매핑 미리보기", - "import-user-select": "이 멤버로 사용하려는 Wekan 유저를 선택하십시오.", - "importMapMembersAddPopup-title": "Wekan 멤버 선택", - "info": "Version", - "initials": "이니셜", - "invalid-date": "적절하지 않은 날짜", - "invalid-time": "적절하지 않은 시각", - "invalid-user": "적절하지 않은 사용자", - "joined": "참가함", - "just-invited": "보드에 방금 초대되었습니다.", - "keyboard-shortcuts": "키보드 단축키", - "label-create": "라벨 생성", - "label-default": "%s 라벨 (기본)", - "label-delete-pop": "되돌릴 수 없습니다. 모든 카드에서 라벨을 제거하고, 이력을 제거합니다.", - "labels": "라벨", - "language": "언어", - "last-admin-desc": "적어도 하나의 관리자가 필요하기에 이 역할을 변경할 수 없습니다.", - "leave-board": "보드 멤버에서 나가기", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "카드에대한 링크", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "목록에 있는 모든 카드를 이동", - "list-select-cards": "목록에 있는 모든 카드를 선택", - "listActionPopup-title": "동작 목록", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Trello 카드 가져 오기", - "listMorePopup-title": "더보기", - "link-list": "이 리스트에 링크", - "list-delete-pop": "모든 작업이 활동내역에서 제거되며 리스트를 복구 할 수 없습니다. 실행 취소는 불가능 합니다.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "목록들", - "swimlanes": "Swimlanes", - "log-out": "로그아웃", - "log-in": "로그인", - "loginPopup-title": "로그인", - "memberMenuPopup-title": "멤버 설정", - "members": "멤버", - "menu": "메뉴", - "move-selection": "선택 항목 이동", - "moveCardPopup-title": "카드 이동", - "moveCardToBottom-title": "최하단으로 이동", - "moveCardToTop-title": "최상단으로 이동", - "moveSelectionPopup-title": "선택 항목 이동", - "multi-selection": "다중 선택", - "multi-selection-on": "다중 선택 사용", - "muted": "알림 해제", - "muted-info": "보드의 변경된 사항들의 알림을 받지 않습니다.", - "my-boards": "내 보드", - "name": "이름", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "결과 값 없음", - "normal": "표준", - "normal-desc": "카드를 보거나 수정할 수 있습니다. 설정값은 변경할 수 없습니다.", - "not-accepted-yet": "초대장이 수락되지 않았습니다.", - "notify-participate": "보드 생성자 또는 멤버로 참여하는 모든 카드에 대한 변경사항 알림 받음", - "notify-watch": "감시중인 보드, 목록 또는 카드에 대한 변경사항 알림 받음", - "optional": "옵션", - "or": "또는", - "page-maybe-private": "이 페이지를 비공개일 수 있습니다. 이것을 보고 싶으면 로그인을 하십시오.", - "page-not-found": "페이지를 찾지 못 했습니다", - "password": "암호", - "paste-or-dragdrop": "이미지 파일을 붙여 넣거나 드래그 앤 드롭 (이미지 전용)", - "participating": "참여", - "preview": "미리보기", - "previewAttachedImagePopup-title": "미리보기", - "previewClipboardImagePopup-title": "미리보기", - "private": "비공개", - "private-desc": "비공개된 보드입니다. 오직 보드에 추가된 사람들만 보고 수정할 수 있습니다", - "profile": "프로파일", - "public": "공개", - "public-desc": "공개된 보드입니다. 링크를 가진 모든 사람과 구글과 같은 검색 엔진에서 찾아서 볼수 있습니다. 보드에 추가된 사람들만 수정이 가능합니다.", - "quick-access-description": "여기에 바로 가기를 추가하려면 보드에 별 표시를 체크하세요.", - "remove-cover": "커버 제거", - "remove-from-board": "보드에서 제거", - "remove-label": "라벨 제거", - "listDeletePopup-title": "리스트를 삭제합니까?", - "remove-member": "멤버 제거", - "remove-member-from-card": "카드에서 제거", - "remove-member-pop": "__boardTitle__에서 __name__(__username__) 을 제거합니까? 이 보드의 모든 카드에서 제거됩니다. 해당 내용을 __name__(__username__) 은(는) 알림으로 받게됩니다.", - "removeMemberPopup-title": "멤버를 제거합니까?", - "rename": "새이름", - "rename-board": "보드 이름 바꾸기", - "restore": "복구", - "save": "저장", - "search": "검색", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "색 선택", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "현재 카드에 자신을 지정하세요.", - "shortcut-autocomplete-emoji": "이모티콘 자동완성", - "shortcut-autocomplete-members": "멤버 자동완성", - "shortcut-clear-filters": "모든 필터 초기화", - "shortcut-close-dialog": "대화 상자 닫기", - "shortcut-filter-my-cards": "내 카드 필터링", - "shortcut-show-shortcuts": "바로가기 목록을 가져오십시오.", - "shortcut-toggle-filterbar": "토글 필터 사이드바", - "shortcut-toggle-sidebar": "보드 사이드바 토글", - "show-cards-minimum-count": "목록에 카드 수량 표시(입력된 수량 넘을 경우 표시)", - "sidebar-open": "사이드바 열기", - "sidebar-close": "사이드바 닫기", - "signupPopup-title": "계정 생성", - "star-board-title": "보드에 별 표시를 클릭합니다. 보드 목록에서 최상위로 둘 수 있습니다.", - "starred-boards": "별표된 보드", - "starred-boards-description": "별 표시된 보드들은 보드 목록의 최상단에서 보입니다.", - "subscribe": "구독", - "team": "팀", - "this-board": "보드", - "this-card": "카드", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "시간", - "title": "제목", - "tracking": "추적", - "tracking-info": "보드 생성자 또는 멤버로 참여하는 모든 카드에 대한 변경사항 알림 받음", - "type": "Type", - "unassign-member": "멤버 할당 해제", - "unsaved-description": "저장되지 않은 설명이 있습니다.", - "unwatch": "감시 해제", - "upload": "업로드", - "upload-avatar": "아바타 업로드", - "uploaded-avatar": "업로드한 아바타", - "username": "아이디", - "view-it": "보기", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "감시", - "watching": "감시 중", - "watching-info": "\"이 보드의 변경사항을 알림으로 받습니다.", - "welcome-board": "보드예제", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "신규", - "welcome-list2": "진행", - "what-to-do": "무엇을 하고 싶으신가요?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "관리자 패널", - "settings": "설정", - "people": "사람", - "registration": "회원가입", - "disable-self-registration": "일반 유저의 회원 가입 막기", - "invite": "초대", - "invite-people": "사람 초대", - "to-boards": "보드로 부터", - "email-addresses": "이메일 주소", - "smtp-host-description": "이메일을 처리하는 SMTP 서버의 주소입니다.", - "smtp-port-description": "SMTP 서버가 보내는 전자 메일에 사용하는 포트입니다.", - "smtp-tls-description": "SMTP 서버에 TLS 지원 사용", - "smtp-host": "SMTP 호스트", - "smtp-port": "SMTP 포트", - "smtp-username": "사용자 이름", - "smtp-password": "암호", - "smtp-tls": "TLS 지원", - "send-from": "보낸 사람", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "초대 코드", - "email-invite-register-subject": "\"__inviter__ 님이 당신에게 초대장을 보냈습니다.", - "email-invite-register-text": "\"__user__ 님, \n\n__inviter__ 님이 Wekan 보드에 협업을 위하여 당신을 초대합니다.\n\n아래 링크를 클릭해주세요 : \n__url__\n\n그리고 초대 코드는 __icode__ 입니다.\n\n감사합니다.", - "email-smtp-test-subject": "SMTP 테스트 이메일이 발송되었습니다.", - "email-smtp-test-text": "테스트 메일을 성공적으로 발송하였습니다.", - "error-invitation-code-not-exist": "초대 코드가 존재하지 않습니다.", - "error-notAuthorized": "이 페이지를 볼 수있는 권한이 없습니다.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json deleted file mode 100644 index 128e847a..00000000 --- a/i18n/lv.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Piekrist", - "act-activity-notify": "[Wekan] Aktivitātes paziņojums", - "act-addAttachment": "pievienots __attachment__ to __card__", - "act-addChecklist": "pievienots checklist __checklist__ to __card__", - "act-addChecklistItem": "pievienots __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "komentēja __card__: __comment__", - "act-createBoard": "izveidoja __board__", - "act-createCard": "pievienoja __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "pievienoja __list__ to __board__", - "act-addBoardMember": "pievienoja __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "importēja __board__", - "act-importCard": "importēja __card__", - "act-importList": "importēja __list__", - "act-joinMember": "pievienoja __member__ to __card__", - "act-moveCard": "pārvietoja __card__ from __oldList__ to __list__", - "act-removeBoardMember": "noņēma __member__ from __board__", - "act-restoredCard": "atjaunoja __card__ to __board__", - "act-unjoinMember": "noņēma __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Darbības", - "activities": "Aktivitātes", - "activity": "Aktivitāte", - "activity-added": "pievienoja %s pie %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "pievienoja %s pie %s", - "activity-created": "izveidoja%s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "izslēdza%s no%s", - "activity-imported": "importēja %s iekšā%s no%s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Add", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", - "addMemberPopup-title": "Members", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Members", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Members", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json deleted file mode 100644 index 794f9ce8..00000000 --- a/i18n/mn.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Зөвшөөрөх", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "_attachment__ хавсралтыг __card__-д хавсаргав", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Нэмэх", - "add-attachment": "Хавсралт нэмэх", - "add-board": "Самбар нэмэх", - "add-card": "Карт нэмэх", - "add-swimlane": "Add Swimlane", - "add-checklist": "Чеклист нэмэх", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Шошго нэмэх", - "add-list": "Жагсаалт нэмэх", - "add-members": "Гишүүд нэмэх", - "added": "Нэмсэн", - "addMemberPopup-title": "Гишүүд", - "admin": "Админ", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "Бүх самбарууд", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Гишүүд", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Аватар өөрчлөх", - "change-password": "Нууц үг солих", - "change-permissions": "Change permissions", - "change-settings": "Тохиргоо өөрчлөх", - "changeAvatarPopup-title": "Аватар өөрчлөх", - "changeLanguagePopup-title": "Хэл солих", - "changePasswordPopup-title": "Нууц үг солих", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Тохиргоо өөрчлөх", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Үүсгэх", - "createBoardPopup-title": "Самбар үүсгэх", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Шошго үүсгэх", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Аватар өөрчлөх", - "edit-profile": "Бүртгэл засварлах", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Мэдэгдэл тохируулах", - "editProfilePopup-title": "Бүртгэл засварлах", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Самбар үүсгэх", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Шошго үүсгэх", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Гарах", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Гишүүний тохиргоо", - "members": "Гишүүд", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "Миний самбарууд", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Хэрэглэгч үүсгэх", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json deleted file mode 100644 index 205db808..00000000 --- a/i18n/nb.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Godta", - "act-activity-notify": "[Wekan] Aktivitetsvarsel", - "act-addAttachment": "la ved __attachment__ til __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "kommenterte til __card__: __comment__", - "act-createBoard": "opprettet __board__", - "act-createCard": "la __card__ til __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "la __list__ til __board__", - "act-addBoardMember": "la __member__ til __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "importerte __board__", - "act-importCard": "importerte __card__", - "act-importList": "importerte __list__", - "act-joinMember": "la __member__ til __card__", - "act-moveCard": "flyttet __card__ fra __oldList__ til __list__", - "act-removeBoardMember": "fjernet __member__ fra __board__", - "act-restoredCard": "gjenopprettet __card__ til __board__", - "act-unjoinMember": "fjernet __member__ fra __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Aktiviteter", - "activity": "Aktivitet", - "activity-added": "la %s til %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "la %s til %s", - "activity-created": "opprettet %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "ekskluderte %s fra %s", - "activity-imported": "importerte %s til %s fra %s", - "activity-imported-board": "importerte %s fra %s", - "activity-joined": "ble med %s", - "activity-moved": "flyttet %s fra %s til %s", - "activity-on": "på %s", - "activity-removed": "fjernet %s fra %s", - "activity-sent": "sendte %s til %s", - "activity-unjoined": "forlot %s", - "activity-checklist-added": "la til sjekkliste til %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Legg til", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Nytt punkt på sjekklisten", - "add-cover": "Nytt omslag", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Legg til medlemmer", - "added": "Lagt til", - "addMemberPopup-title": "Medlemmer", - "admin": "Admin", - "admin-desc": "Kan se og redigere kort, fjerne medlemmer, og endre innstillingene for tavlen.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "Alle tavler", - "and-n-other-card": "Og __count__ andre kort", - "and-n-other-card_plural": "Og __count__ andre kort", - "apply": "Lagre", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Tildel medlem", - "attached": "la ved", - "attachment": "Vedlegg", - "attachment-delete-pop": "Sletting av vedlegg er permanent og kan ikke angres", - "attachmentDeletePopup-title": "Slette vedlegg?", - "attachments": "Vedlegg", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Tilbake", - "board-change-color": "Endre farge", - "board-nb-stars": "%s stjerner", - "board-not-found": "Kunne ikke finne tavlen", - "board-private-info": "Denne tavlen vil være privat.", - "board-public-info": "Denne tavlen vil være offentlig.", - "boardChangeColorPopup-title": "Ende tavlens bakgrunnsfarge", - "boardChangeTitlePopup-title": "Endre navn på tavlen", - "boardChangeVisibilityPopup-title": "Endre synlighet", - "boardChangeWatchPopup-title": "Endre overvåkning", - "boardMenuPopup-title": "Tavlemeny", - "boards": "Tavler", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Som \"Bucket List\" for eksempel", - "cancel": "Avbryt", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "Dette kortet har %s kommentar.", - "card-delete-notice": "Sletting er permanent. Du vil miste alle hendelser knyttet til dette kortet.", - "card-delete-pop": "Alle handlinger vil fjernes fra feeden for aktiviteter og du vil ikke kunne åpne kortet på nytt. Det er ingen mulighet å angre.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Frist", - "card-due-on": "Frist til", - "card-spent": "Spent Time", - "card-edit-attachments": "Rediger vedlegg", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Rediger etiketter", - "card-edit-members": "Endre medlemmer", - "card-labels-title": "Endre etiketter for kortet.", - "card-members-title": "Legg til eller fjern tavle-medlemmer fra dette kortet.", - "card-start": "Start", - "card-start-on": "Starter på", - "cardAttachmentsPopup-title": "Legg ved fra", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Slett kort?", - "cardDetailsActionsPopup-title": "Kort-handlinger", - "cardLabelsPopup-title": "Etiketter", - "cardMembersPopup-title": "Medlemmer", - "cardMorePopup-title": "Mer", - "cards": "Kort", - "cards-count": "Kort", - "change": "Endre", - "change-avatar": "Endre avatar", - "change-password": "Endre passord", - "change-permissions": "Endre rettigheter", - "change-settings": "Endre innstillinger", - "changeAvatarPopup-title": "Endre Avatar", - "changeLanguagePopup-title": "Endre språk", - "changePasswordPopup-title": "Endre passord", - "changePermissionsPopup-title": "Endre tillatelser", - "changeSettingsPopup-title": "Endre innstillinger", - "checklists": "Sjekklister", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Endre avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Etiketter", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "Mer", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Medlemmer", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Endre navn på tavlen", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json deleted file mode 100644 index 4515d1c2..00000000 --- a/i18n/nl.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Accepteren", - "act-activity-notify": "[Wekan] Activiteit Notificatie", - "act-addAttachment": "__attachment__ als bijlage toegevoegd aan __card__", - "act-addChecklist": "__checklist__ toegevoegd aan __card__", - "act-addChecklistItem": "__checklistItem__ aan checklist toegevoegd aan __checklist__ op __card__", - "act-addComment": "gereageerd op __card__:__comment__", - "act-createBoard": "aangemaakte __bord__", - "act-createCard": "toegevoegd __kaart__ aan __lijst__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "toegevoegd __lijst__ aan __bord__", - "act-addBoardMember": "__member__ aan __board__ toegevoegd", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": " __board__ geïmporteerd", - "act-importCard": "__card__ geïmporteerd", - "act-importList": "__list__ geïmporteerd", - "act-joinMember": "__member__ aan __card__ toegevoegd", - "act-moveCard": "verplaatst __card__ van __oldList__ naar __list__", - "act-removeBoardMember": "verwijderd __member__ van __board__", - "act-restoredCard": "hersteld __card__ naar __board__", - "act-unjoinMember": "verwijderd __member__ van __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Acties", - "activities": "Activiteiten", - "activity": "Activiteit", - "activity-added": "%s toegevoegd aan %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "%s bijgevoegd aan %s", - "activity-created": "%s aangemaakt", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "%s uitgesloten van %s", - "activity-imported": "%s geimporteerd in %s van %s", - "activity-imported-board": "%s geimporteerd van %s", - "activity-joined": "%s toegetreden", - "activity-moved": "%s verplaatst van %s naar %s", - "activity-on": "bij %s", - "activity-removed": "%s verwijderd van %s", - "activity-sent": "%s gestuurd naar %s", - "activity-unjoined": "uit %s gegaan", - "activity-checklist-added": "checklist toegevoegd aan %s", - "activity-checklist-item-added": "checklist punt toegevoegd aan '%s' in '%s'", - "add": "Toevoegen", - "add-attachment": "Voeg Bijlage Toe", - "add-board": "Voeg Bord Toe", - "add-card": "Voeg Kaart Toe", - "add-swimlane": "Swimlane Toevoegen", - "add-checklist": "Voeg Checklist Toe", - "add-checklist-item": "Voeg item toe aan checklist", - "add-cover": "Voeg Cover Toe", - "add-label": "Voeg Label Toe", - "add-list": "Voeg Lijst Toe", - "add-members": "Voeg Leden Toe", - "added": "Toegevoegd", - "addMemberPopup-title": "Leden", - "admin": "Administrator", - "admin-desc": "Kan kaarten bekijken en wijzigen, leden verwijderen, en instellingen voor het bord aanpassen.", - "admin-announcement": "Melding", - "admin-announcement-active": "Systeem melding", - "admin-announcement-title": "Melding van de administrator", - "all-boards": "Alle borden", - "and-n-other-card": "En nog __count__ ander", - "and-n-other-card_plural": "En __count__ andere kaarten", - "apply": "Aanmelden", - "app-is-offline": "Wekan is aan het laden, wacht alstublieft. Het verversen van de pagina zorgt voor verlies van gegevens. Als Wekan niet laadt, check of de Wekan server is gestopt.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Herstel Bord", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Wijs lid aan", - "attached": "bijgevoegd", - "attachment": "Bijlage", - "attachment-delete-pop": "Een bijlage verwijderen is permanent. Er is geen herstelmogelijkheid.", - "attachmentDeletePopup-title": "Verwijder Bijlage?", - "attachments": "Bijlagen", - "auto-watch": "Automatisch borden bekijken wanneer deze aangemaakt worden", - "avatar-too-big": "De bestandsgrootte van je avatar is te groot (70KB max)", - "back": "Terug", - "board-change-color": "Verander kleur", - "board-nb-stars": "%s sterren", - "board-not-found": "Bord is niet gevonden", - "board-private-info": "Dit bord is nu privé.", - "board-public-info": "Dit bord is nu openbaar.", - "boardChangeColorPopup-title": "Verander achtergrond van bord", - "boardChangeTitlePopup-title": "Hernoem bord", - "boardChangeVisibilityPopup-title": "Verander zichtbaarheid", - "boardChangeWatchPopup-title": "Verander naar 'Watch'", - "boardMenuPopup-title": "Bord menu", - "boards": "Borden", - "board-view": "Bord overzicht", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lijsten", - "bucket-example": "Zoals \"Bucket List\" bijvoorbeeld", - "cancel": "Annuleren", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "Deze kaart heeft %s reactie.", - "card-delete-notice": "Verwijdering is permanent. Als je dit doet, verlies je alle informatie die op deze kaart is opgeslagen.", - "card-delete-pop": "Alle acties worden verwijderd van de activiteiten feed, en er zal geen mogelijkheid zijn om de kaart opnieuw te openen. Deze actie kan je niet ongedaan maken.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Deadline: ", - "card-due-on": "Deadline: ", - "card-spent": "gespendeerde tijd", - "card-edit-attachments": "Wijzig bijlagen", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Wijzig labels", - "card-edit-members": "Wijzig leden", - "card-labels-title": "Wijzig de labels vam de kaart.", - "card-members-title": "Voeg of verwijder leden van het bord toe aan de kaart.", - "card-start": "Begin", - "card-start-on": "Begint op", - "cardAttachmentsPopup-title": "Voeg bestand toe vanuit", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Kaart verwijderen?", - "cardDetailsActionsPopup-title": "Kaart actie ondernemen", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Leden", - "cardMorePopup-title": "Meer", - "cards": "Kaarten", - "cards-count": "Kaarten", - "change": "Wijzig", - "change-avatar": "Wijzig avatar", - "change-password": "Wijzig wachtwoord", - "change-permissions": "Wijzig permissies", - "change-settings": "Wijzig instellingen", - "changeAvatarPopup-title": "Wijzig avatar", - "changeLanguagePopup-title": "Verander van taal", - "changePasswordPopup-title": "Wijzig wachtwoord", - "changePermissionsPopup-title": "Wijzig permissies", - "changeSettingsPopup-title": "Wijzig instellingen", - "checklists": "Checklists", - "click-to-star": "Klik om het bord als favoriet in te stellen", - "click-to-unstar": "Klik om het bord uit favorieten weg te halen", - "clipboard": "Vanuit clipboard of sleep het bestand hierheen", - "close": "Sluiten", - "close-board": "Sluit bord", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "zwart", - "color-blue": "blauw", - "color-green": "groen", - "color-lime": "Felgroen", - "color-orange": "Oranje", - "color-pink": "Roze", - "color-purple": "Paars", - "color-red": "Rood", - "color-sky": "Lucht", - "color-yellow": "Geel", - "comment": "Reageer", - "comment-placeholder": "Schrijf reactie", - "comment-only": "Alleen reageren", - "comment-only-desc": "Kan alleen op kaarten reageren.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Weet u zeker dat u de checklist wilt verwijderen", - "copy-card-link-to-clipboard": "Kopieer kaart link naar klembord", - "copyCardPopup-title": "Kopieer kaart", - "copyChecklistToManyCardsPopup-title": "Checklist sjabloon kopiëren naar meerdere kaarten", - "copyChecklistToManyCardsPopup-instructions": "Doel kaart titels en omschrijvingen in dit JSON formaat", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titel eerste kaart\", \"description\":\"Omschrijving eerste kaart\"}, {\"title\":\"Titel tweede kaart\",\"description\":\"Omschrijving tweede kaart\"},{\"title\":\"Titel laatste kaart\",\"description\":\"Omschrijving laatste kaart\"} ]", - "create": "Aanmaken", - "createBoardPopup-title": "Bord aanmaken", - "chooseBoardSourcePopup-title": "Importeer bord", - "createLabelPopup-title": "Label aanmaken", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "Huidige", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Datum", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Datum", - "decline": "Weigeren", - "default-avatar": "Standaard avatar", - "delete": "Verwijderen", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Verwijder label?", - "description": "Beschrijving", - "disambiguateMultiLabelPopup-title": "Disambigueer Label Actie", - "disambiguateMultiMemberPopup-title": "Disambigueer Lid Actie", - "discard": "Weggooien", - "done": "Klaar", - "download": "Download", - "edit": "Wijzig", - "edit-avatar": "Wijzig avatar", - "edit-profile": "Wijzig profiel", - "edit-wip-limit": "Verander WIP limiet", - "soft-wip-limit": "Zachte WIP limiet", - "editCardStartDatePopup-title": "Wijzig start datum", - "editCardDueDatePopup-title": "Wijzig deadline", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Verander gespendeerde tijd", - "editLabelPopup-title": "Wijzig label", - "editNotificationPopup-title": "Wijzig notificatie", - "editProfilePopup-title": "Wijzig profiel", - "email": "E-mail", - "email-enrollAccount-subject": "Er is een account voor je aangemaakt op __siteName__", - "email-enrollAccount-text": "Hallo __user__,\n\nOm gebruik te maken van de online dienst, kan je op de volgende link klikken.\n\n__url__\n\nBedankt.", - "email-fail": "E-mail verzenden is mislukt", - "email-fail-text": "Fout tijdens het verzenden van de email", - "email-invalid": "Ongeldige e-mail", - "email-invite": "Nodig uit via e-mail", - "email-invite-subject": "__inviter__ heeft je een uitnodiging gestuurd", - "email-invite-text": "Beste __user__,\n\n__inviter__ heeft je uitgenodigd om voor een samenwerking deel te nemen aan het bord \"__board__\".\n\nKlik op de link hieronder:\n\n__url__\n\nBedankt.", - "email-resetPassword-subject": "Reset je wachtwoord op __siteName__", - "email-resetPassword-text": "Hallo __user__,\n\nKlik op de link hier beneden om je wachtwoord te resetten.\n\n__url__\n\nBedankt.", - "email-sent": "E-mail is verzonden", - "email-verifyEmail-subject": "Verifieer je e-mailadres op __siteName__", - "email-verifyEmail-text": "Hallo __user__,\n\nOm je e-mail te verifiëren vragen we je om op de link hieronder te drukken.\n\n__url__\n\nBedankt.", - "enable-wip-limit": "Activeer WIP limiet", - "error-board-doesNotExist": "Dit bord bestaat niet.", - "error-board-notAdmin": "Je moet een administrator zijn van dit bord om dat te doen.", - "error-board-notAMember": "Je moet een lid zijn van dit bord om dat te doen.", - "error-json-malformed": "JSON format klopt niet", - "error-json-schema": "De JSON data bevat niet de juiste informatie in de juiste format", - "error-list-doesNotExist": "Deze lijst bestaat niet", - "error-user-doesNotExist": "Deze gebruiker bestaat niet", - "error-user-notAllowSelf": "Je kan jezelf niet uitnodigen", - "error-user-notCreated": "Deze gebruiker is niet aangemaakt", - "error-username-taken": "Deze gebruikersnaam is al bezet", - "error-email-taken": "Deze e-mail is al eerder gebruikt", - "export-board": "Exporteer bord", - "filter": "Filter", - "filter-cards": "Filter kaarten", - "filter-clear": "Reset filter", - "filter-no-label": "Geen label", - "filter-no-member": "Geen lid", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter staat aan", - "filter-on-desc": "Je bent nu kaarten aan het filteren op dit bord. Klik hier om het filter te wijzigen.", - "filter-to-selection": "Filter zoals selectie", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Volledige naam", - "header-logo-title": "Ga terug naar jouw borden pagina.", - "hide-system-messages": "Verberg systeemberichten", - "headerBarCreateBoardPopup-title": "Bord aanmaken", - "home": "Voorpagina", - "import": "Importeer", - "import-board": "Importeer bord", - "import-board-c": "Importeer bord", - "import-board-title-trello": "Importeer bord van Trello", - "import-board-title-wekan": "Importeer bord van Wekan", - "import-sandstorm-warning": "Het geïmporteerde bord verwijdert alle data op het huidige bord, om het daarna te vervangen.", - "from-trello": "Van Trello", - "from-wekan": "Van Wekan", - "import-board-instruction-trello": "Op jouw Trello bord, ga naar 'Menu', dan naar 'Meer', 'Print en Exporteer', 'Exporteer JSON', en kopieer de tekst.", - "import-board-instruction-wekan": "In jouw Wekan bord, ga naar 'Menu', dan 'Exporteer bord', en kopieer de tekst in het gedownloade bestand.", - "import-json-placeholder": "Plak geldige JSON data hier", - "import-map-members": "Breng leden in kaart", - "import-members-map": "Jouw geïmporteerde borden heeft een paar leden. Selecteer de leden die je wilt importeren naar Wekan gebruikers. ", - "import-show-user-mapping": "Breng leden overzicht tevoorschijn", - "import-user-select": "Kies de Wekan gebruiker uit die je hier als lid wilt hebben", - "importMapMembersAddPopup-title": "Selecteer een Wekan lid", - "info": "Versie", - "initials": "Initialen", - "invalid-date": "Ongeldige datum", - "invalid-time": "Ongeldige tijd", - "invalid-user": "Ongeldige gebruiker", - "joined": "doet nu mee met", - "just-invited": "Je bent zojuist uitgenodigd om mee toen doen met dit bord", - "keyboard-shortcuts": "Toetsenbord snelkoppelingen", - "label-create": "Label aanmaken", - "label-default": "%s label (standaard)", - "label-delete-pop": "Je kan het niet ongedaan maken. Deze actie zal de label van alle kaarten verwijderen, en de feed.", - "labels": "Labels", - "language": "Taal", - "last-admin-desc": "Je kan de permissies niet veranderen omdat er maar een administrator is.", - "leave-board": "Verlaat bord", - "leave-board-pop": "Weet u zeker dat u __boardTitle__ wilt verlaten? U wordt verwijderd van alle kaarten binnen dit bord", - "leaveBoardPopup-title": "Bord verlaten?", - "link-card": "Link naar deze kaart", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Verplaats alle kaarten in deze lijst", - "list-select-cards": "Selecteer alle kaarten in deze lijst", - "listActionPopup-title": "Lijst acties", - "swimlaneActionPopup-title": "Swimlane handelingen", - "listImportCardPopup-title": "Importeer een Trello kaart", - "listMorePopup-title": "Meer", - "link-list": "Link naar deze lijst", - "list-delete-pop": "Alle acties zullen verwijderd worden van de activiteiten feed, en je zult deze niet meer kunnen herstellen. Je kan deze actie niet ongedaan maken.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lijsten", - "swimlanes": "Swimlanes", - "log-out": "Uitloggen", - "log-in": "Inloggen", - "loginPopup-title": "Inloggen", - "memberMenuPopup-title": "Instellingen van leden", - "members": "Leden", - "menu": "Menu", - "move-selection": "Verplaats selectie", - "moveCardPopup-title": "Verplaats kaart", - "moveCardToBottom-title": "Verplaats naar beneden", - "moveCardToTop-title": "Verplaats naar boven", - "moveSelectionPopup-title": "Verplaats selectie", - "multi-selection": "Multi-selectie", - "multi-selection-on": "Multi-selectie staat aan", - "muted": "Stil", - "muted-info": "Je zal nooit meer geïnformeerd worden bij veranderingen in dit bord.", - "my-boards": "Mijn Borden", - "name": "Naam", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Geen resultaten", - "normal": "Normaal", - "normal-desc": "Kan de kaarten zien en wijzigen. Kan de instellingen niet wijzigen.", - "not-accepted-yet": "Uitnodiging niet geaccepteerd", - "notify-participate": "Ontvang updates van elke kaart die je hebt gemaakt of lid van bent", - "notify-watch": "Ontvang updates van elke bord, lijst of kaart die je bekijkt.", - "optional": "optioneel", - "or": "of", - "page-maybe-private": "Deze pagina is privé. Je kan het bekijken door in te loggen.", - "page-not-found": "Pagina niet gevonden.", - "password": "Wachtwoord", - "paste-or-dragdrop": "Om te plakken, of slepen & neer te laten (alleen afbeeldingen)", - "participating": "Deelnemen", - "preview": "Voorbeeld", - "previewAttachedImagePopup-title": "Voorbeeld", - "previewClipboardImagePopup-title": "Voorbeeld", - "private": "Privé", - "private-desc": "Dit bord is privé. Alleen mensen die toegevoegd zijn aan het bord kunnen het bekijken en wijzigen.", - "profile": "Profiel", - "public": "Publiek", - "public-desc": "Dit bord is publiek. Het is zichtbaar voor iedereen met de link en zal tevoorschijn komen op zoekmachines zoals Google. Alleen mensen die toegevoegd zijn kunnen het bord wijzigen.", - "quick-access-description": "Maak een bord favoriet om een snelkoppeling toe te voegen aan deze balk.", - "remove-cover": "Verwijder Cover", - "remove-from-board": "Verwijder van bord", - "remove-label": "Verwijder label", - "listDeletePopup-title": "Verwijder lijst?", - "remove-member": "Verwijder lid", - "remove-member-from-card": "Verwijder van kaart", - "remove-member-pop": "Verwijder __name__ (__username__) van __boardTitle__? Het lid zal verwijderd worden van alle kaarten op dit bord, en zal een notificatie ontvangen.", - "removeMemberPopup-title": "Verwijder lid?", - "rename": "Hernoem", - "rename-board": "Hernoem bord", - "restore": "Herstel", - "save": "Opslaan", - "search": "Zoek", - "search-cards": "Zoeken in kaart titels en omschrijvingen op dit bord", - "search-example": "Tekst om naar te zoeken?", - "select-color": "Selecteer kleur", - "set-wip-limit-value": "Zet een limiet voor het maximaal aantal taken in deze lijst", - "setWipLimitPopup-title": "Zet een WIP limiet", - "shortcut-assign-self": "Wijs jezelf toe aan huidige kaart", - "shortcut-autocomplete-emoji": "Emojis automatisch aanvullen", - "shortcut-autocomplete-members": "Leden automatisch aanvullen", - "shortcut-clear-filters": "Alle filters vrijmaken", - "shortcut-close-dialog": "Sluit dialoog", - "shortcut-filter-my-cards": "Filter mijn kaarten", - "shortcut-show-shortcuts": "Haal lijst met snelkoppelingen tevoorschijn", - "shortcut-toggle-filterbar": "Schakel Filter Zijbalk", - "shortcut-toggle-sidebar": "Schakel Bord Zijbalk", - "show-cards-minimum-count": "Laat het aantal kaarten zien wanneer de lijst meer kaarten heeft dan", - "sidebar-open": "Open Zijbalk", - "sidebar-close": "Sluit Zijbalk", - "signupPopup-title": "Maak een account aan", - "star-board-title": "Klik om het bord toe te voegen aan favorieten, waarna hij aan de bovenbalk tevoorschijn komt.", - "starred-boards": "Favoriete Borden", - "starred-boards-description": "Favoriete borden komen tevoorschijn aan de bovenbalk.", - "subscribe": "Abonneer", - "team": "Team", - "this-board": "dit bord", - "this-card": "deze kaart", - "spent-time-hours": "Gespendeerde tijd (in uren)", - "overtime-hours": "Overwerk (in uren)", - "overtime": "Overwerk", - "has-overtime-cards": "Heeft kaarten met overwerk", - "has-spenttime-cards": "Heeft tijd besteed aan kaarten", - "time": "Tijd", - "title": "Titel", - "tracking": "Volgen", - "tracking-info": "Je wordt op de hoogte gesteld als er veranderingen zijn aan de kaarten waar je lid of maker van bent.", - "type": "Type", - "unassign-member": "Lid ontkennen", - "unsaved-description": "Je hebt een niet opgeslagen beschrijving.", - "unwatch": "Niet bekijken", - "upload": "Upload", - "upload-avatar": "Upload een avatar", - "uploaded-avatar": "Avatar is geüpload", - "username": "Gebruikersnaam", - "view-it": "Bekijk het", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Bekijk", - "watching": "Bekijken", - "watching-info": "Je zal op de hoogte worden gesteld als er een verandering gebeurt op dit bord.", - "welcome-board": "Welkom Bord", - "welcome-swimlane": "Mijlpaal 1", - "welcome-list1": "Basis", - "welcome-list2": "Geadvanceerd", - "what-to-do": "Wat wil je doen?", - "wipLimitErrorPopup-title": "Ongeldige WIP limiet", - "wipLimitErrorPopup-dialog-pt1": "Het aantal taken in deze lijst is groter dan de gedefinieerde WIP limiet ", - "wipLimitErrorPopup-dialog-pt2": "Verwijder een aantal taken uit deze lijst, of zet de WIP limiet hoger", - "admin-panel": "Administrator paneel", - "settings": "Instellingen", - "people": "Mensen", - "registration": "Registratie", - "disable-self-registration": "Schakel zelf-registratie uit", - "invite": "Uitnodigen", - "invite-people": "Nodig mensen uit", - "to-boards": "Voor bord(en)", - "email-addresses": "E-mailadressen", - "smtp-host-description": "Het adres van de SMTP server die e-mails zal versturen.", - "smtp-port-description": "De poort van de SMTP server wordt gebruikt voor uitgaande e-mails.", - "smtp-tls-description": "Gebruik TLS ondersteuning voor SMTP server.", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Poort", - "smtp-username": "Gebruikersnaam", - "smtp-password": "Wachtwoord", - "smtp-tls": "TLS ondersteuning", - "send-from": "Van", - "send-smtp-test": "Verzend een email naar uzelf", - "invitation-code": "Uitnodigings code", - "email-invite-register-subject": "__inviter__ heeft je een uitnodiging gestuurd", - "email-invite-register-text": "Beste __user__,\n\n__inviter__ heeft je uitgenodigd voor Wekan om samen te werken.\n\nKlik op de volgende link:\n__url__\n\nEn je uitnodigingscode is __icode__\n\nBedankt.", - "email-smtp-test-subject": "SMTP Test email van Wekan", - "email-smtp-test-text": "U heeft met succes een email verzonden", - "error-invitation-code-not-exist": "Uitnodigings code bestaat niet", - "error-notAuthorized": "Je bent niet toegestaan om deze pagina te bekijken.", - "outgoing-webhooks": "Uitgaande Webhooks", - "outgoingWebhooksPopup-title": "Uitgaande Webhooks", - "new-outgoing-webhook": "Nieuwe webhook", - "no-name": "(Onbekend)", - "Wekan_version": "Wekan versie", - "Node_version": "Node versie", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Vrij Geheugen", - "OS_Loadavg": "OS Gemiddelde Lading", - "OS_Platform": "OS Platform", - "OS_Release": "OS Versie", - "OS_Totalmem": "OS Totaal Geheugen", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "uren", - "minutes": "minuten", - "seconds": "seconden", - "show-field-on-card": "Show this field on card", - "yes": "Ja", - "no": "Nee", - "accounts": "Accounts", - "accounts-allowEmailChange": "Sta E-mailadres wijzigingen toe", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Gemaakt op", - "verified": "Geverifieerd", - "active": "Actief", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json deleted file mode 100644 index 5ac7e2f9..00000000 --- a/i18n/pl.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Akceptuj", - "act-activity-notify": "[Wekan] Powiadomienia - aktywności", - "act-addAttachment": "załączono __attachement__ do __karty__", - "act-addChecklist": "dodano listę zadań __checklist__ to __card__", - "act-addChecklistItem": "dodano __checklistItem__ do listy zadań __checklist__ na karcie __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Akcje", - "activities": "Aktywności", - "activity": "Aktywność", - "activity-added": "dodano %s z %s", - "activity-archived": "%s przeniesiono do Kosza", - "activity-attached": "załączono %s z %s", - "activity-created": "utworzono %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "wyłączono %s z %s", - "activity-imported": "zaimportowano %s to %s z %s", - "activity-imported-board": "zaimportowano %s z %s", - "activity-joined": "dołączono %s", - "activity-moved": "przeniesiono % z %s to %s", - "activity-on": "w %s", - "activity-removed": "usunięto %s z %s", - "activity-sent": "wysłano %s z %s", - "activity-unjoined": "odłączono %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Dodaj", - "add-attachment": "Dodaj załącznik", - "add-board": "Dodaj tablicę", - "add-card": "Dodaj kartę", - "add-swimlane": "Add Swimlane", - "add-checklist": "Dodaj listę kontrolną", - "add-checklist-item": "Dodaj element do listy kontrolnej", - "add-cover": "Dodaj okładkę", - "add-label": "Dodaj etykietę", - "add-list": "Dodaj listę", - "add-members": "Dodaj członków", - "added": "Dodano", - "addMemberPopup-title": "Członkowie", - "admin": "Admin", - "admin-desc": "Może widzieć i edytować karty, usuwać członków oraz zmieniać ustawienia tablicy.", - "admin-announcement": "Ogłoszenie", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Ogłoszenie od Administratora", - "all-boards": "Wszystkie tablice", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Zastosuj", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Przenieś do Kosza", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Przywróć tablicę", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Dodaj członka", - "attached": "załączono", - "attachment": "Załącznik", - "attachment-delete-pop": "Usunięcie załącznika jest nieodwracalne.", - "attachmentDeletePopup-title": "Usunąć załącznik?", - "attachments": "Załączniki", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "Awatar jest za duży (maksymalnie 70Kb)", - "back": "Wstecz", - "board-change-color": "Zmień kolor", - "board-nb-stars": "%s odznaczeń", - "board-not-found": "Nie znaleziono tablicy", - "board-private-info": "Ta tablica będzie prywatna.", - "board-public-info": "Ta tablica będzie publiczna.", - "boardChangeColorPopup-title": "Zmień tło tablicy", - "boardChangeTitlePopup-title": "Zmień nazwę tablicy", - "boardChangeVisibilityPopup-title": "Zmień widoczność", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Menu tablicy", - "boards": "Tablice", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Listy", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Anuluj", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "Ta karta ma %s komentarzy.", - "card-delete-notice": "Usunięcie jest trwałe. Stracisz wszystkie akcje powiązane z tą kartą.", - "card-delete-pop": "Wszystkie akcje będą usunięte z widoku aktywności, nie można będzie ponownie otworzyć karty. Usunięcie jest nieodwracalne.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edytuj załączniki", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edytuj etykiety", - "card-edit-members": "Edytuj członków", - "card-labels-title": "Zmień etykiety karty", - "card-members-title": "Dodaj lub usuń członków tablicy z karty.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Załącz z", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Usunąć kartę?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Etykiety", - "cardMembersPopup-title": "Członkowie", - "cardMorePopup-title": "Więcej", - "cards": "Karty", - "cards-count": "Karty", - "change": "Zmień", - "change-avatar": "Zmień Avatar", - "change-password": "Zmień hasło", - "change-permissions": "Zmień uprawnienia", - "change-settings": "Zmień ustawienia", - "changeAvatarPopup-title": "Zmień Avatar", - "changeLanguagePopup-title": "Zmień język", - "changePasswordPopup-title": "Zmień hasło", - "changePermissionsPopup-title": "Zmień uprawnienia", - "changeSettingsPopup-title": "Zmień ustawienia", - "checklists": "Checklists", - "click-to-star": "Kliknij by odznaczyć tę tablicę.", - "click-to-unstar": "Kliknij by usunąć odznaczenie tej tablicy.", - "clipboard": "Schowek lub przeciągnij & upuść", - "close": "Zamknij", - "close-board": "Zamknij tablicę", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "czarny", - "color-blue": "niebieski", - "color-green": "zielony", - "color-lime": "limonkowy", - "color-orange": "pomarańczowy", - "color-pink": "różowy", - "color-purple": "fioletowy", - "color-red": "czerwony", - "color-sky": "błękitny", - "color-yellow": "żółty", - "comment": "Komentarz", - "comment-placeholder": "Dodaj komentarz", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Komputer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Skopiuj kartę", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Utwórz", - "createBoardPopup-title": "Utwórz tablicę", - "chooseBoardSourcePopup-title": "Import tablicy", - "createLabelPopup-title": "Utwórz etykietę", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "obecny", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Data", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Data", - "decline": "Odrzuć", - "default-avatar": "Domyślny avatar", - "delete": "Usuń", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Usunąć etykietę?", - "description": "Opis", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Odrzuć", - "done": "Zrobiono", - "download": "Pobierz", - "edit": "Edytuj", - "edit-avatar": "Zmień Avatar", - "edit-profile": "Edytuj profil", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Zmień etykietę", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edytuj profil", - "email": "Email", - "email-enrollAccount-subject": "Konto zostało utworzone na __siteName__", - "email-enrollAccount-text": "Witaj __user__,\nAby zacząć korzystać z serwisu, kliknij w link poniżej.\n__url__\nDzięki.", - "email-fail": "Wysyłanie emaila nie powiodło się.", - "email-fail-text": "Error trying to send email", - "email-invalid": "Nieprawidłowy email", - "email-invite": "Zaproś przez email", - "email-invite-subject": "__inviter__ wysłał Ci zaproszenie", - "email-invite-text": "Drogi __user__,\n__inviter__ zaprosił Cię do współpracy w tablicy \"__board__\".\nZobacz więcej:\n__url__\nDzięki.", - "email-resetPassword-subject": "Zresetuj swoje hasło na __siteName__", - "email-resetPassword-text": "Witaj __user__,\nAby zresetować hasło, kliknij w link poniżej.\n__url__\nDzięki.", - "email-sent": "Email wysłany", - "email-verifyEmail-subject": "Zweryfikuj swój adres email na __siteName__", - "email-verifyEmail-text": "Witaj __user__,\nAby zweryfikować adres email, kliknij w link poniżej.\n__url__\nDzięki.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "Ta tablica nie istnieje", - "error-board-notAdmin": "Musisz być administratorem tej tablicy żeby to zrobić", - "error-board-notAMember": "Musisz być członkiem tej tablicy żeby to zrobić", - "error-json-malformed": "Twój tekst nie jest poprawnym JSONem", - "error-json-schema": "Twój JSON nie zawiera prawidłowych informacji w poprawnym formacie", - "error-list-doesNotExist": "Ta lista nie isnieje", - "error-user-doesNotExist": "Ten użytkownik nie istnieje", - "error-user-notAllowSelf": "Nie możesz zaprosić samego siebie", - "error-user-notCreated": "Ten użytkownik nie został stworzony", - "error-username-taken": "Ta nazwa jest już zajęta", - "error-email-taken": "Email has already been taken", - "export-board": "Eksportuj tablicę", - "filter": "Filtr", - "filter-cards": "Odfiltruj karty", - "filter-clear": "Usuń filter", - "filter-no-label": "Brak etykiety", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filtr jest włączony", - "filter-on-desc": "Filtrujesz karty na tej tablicy. Kliknij tutaj by edytować filtr.", - "filter-to-selection": "Odfiltruj zaznaczenie", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Wróć do swojej strony z tablicami.", - "hide-system-messages": "Ukryj wiadomości systemowe", - "headerBarCreateBoardPopup-title": "Utwórz tablicę", - "home": "Strona główna", - "import": "Importu", - "import-board": "importuj tablice", - "import-board-c": "Import tablicy", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Importuj tablice z Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "Z Trello", - "from-wekan": "Z Wekan", - "import-board-instruction-trello": "W twojej tablicy na Trello, idź do 'Menu', następnie 'More', 'Print and Export', 'Export JSON' i skopiuj wynik", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Wklej twój JSON tutaj", - "import-map-members": "Map members", - "import-members-map": "Twoje zaimportowane tablice mają kilku członków. Proszę wybierz członków których chcesz zaimportować do Wekan", - "import-show-user-mapping": "Przejrzyj wybranych członków", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Wersja", - "initials": "Initials", - "invalid-date": "Błędna data", - "invalid-time": "Błędny czas", - "invalid-user": "Zła nazwa użytkownika", - "joined": "dołączył", - "just-invited": "Właśnie zostałeś zaproszony do tej tablicy", - "keyboard-shortcuts": "Skróty klawiaturowe", - "label-create": "Utwórz etykietę", - "label-default": "%s etykieta (domyślna)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Etykiety", - "language": "Język", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Opuść tablicę", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link do tej karty", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Przenieś wszystkie karty z tej listy", - "list-select-cards": "Zaznacz wszystkie karty z tej listy", - "listActionPopup-title": "Lista akcji", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Zaimportuj kartę z Trello", - "listMorePopup-title": "Więcej", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Listy", - "swimlanes": "Swimlanes", - "log-out": "Wyloguj", - "log-in": "Zaloguj", - "loginPopup-title": "Zaloguj", - "memberMenuPopup-title": "Member Settings", - "members": "Członkowie", - "menu": "Menu", - "move-selection": "Przenieś zaznaczone", - "moveCardPopup-title": "Przenieś kartę", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Przenieś zaznaczone", - "multi-selection": "Wielokrotne zaznaczenie", - "multi-selection-on": "Wielokrotne zaznaczenie jest włączone", - "muted": "Wyciszona", - "muted-info": "Nie zostaniesz powiadomiony o zmianach w tablicy", - "my-boards": "Moje tablice", - "name": "Nazwa", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Brak wyników", - "normal": "Normal", - "normal-desc": "Może widzieć i edytować karty. Nie może zmieniać ustawiań.", - "not-accepted-yet": "Zaproszenie jeszcze nie zaakceptowane", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "opcjonalny", - "or": "lub", - "page-maybe-private": "Ta strona może być prywatna. Możliwe, że możesz ją zobaczyć po zalogowaniu.", - "page-not-found": "Strona nie znaleziona.", - "password": "Hasło", - "paste-or-dragdrop": "wklej lub przeciągnij & upuść obrazek", - "participating": "Participating", - "preview": "Podgląd", - "previewAttachedImagePopup-title": "Podgląd", - "previewClipboardImagePopup-title": "Podgląd", - "private": "Prywatny", - "private-desc": "Ta tablica jest prywatna. Tylko osoby dodane do tej tablicy mogą ją zobaczyć i edytować.", - "profile": "Profil", - "public": "Publiczny", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Odznacz tablicę aby dodać skrót na tym pasku.", - "remove-cover": "Usuń okładkę", - "remove-from-board": "Usuń z tablicy", - "remove-label": "Usuń etykietę", - "listDeletePopup-title": "Usunąć listę?", - "remove-member": "Usuń członka", - "remove-member-from-card": "Usuń z karty", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Usunąć członka?", - "rename": "Zmień nazwę", - "rename-board": "Zmień nazwę tablicy", - "restore": "Przywróć", - "save": "Zapisz", - "search": "Wyszukaj", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Wybierz kolor", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Przypisz siebie do obecnej karty", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Usuń wszystkie filtry", - "shortcut-close-dialog": "Zamknij okno", - "shortcut-filter-my-cards": "Filtruj moje karty", - "shortcut-show-shortcuts": "Przypnij do listy skrótów", - "shortcut-toggle-filterbar": "Przełącz boczny pasek filtru", - "shortcut-toggle-sidebar": "Przełącz boczny pasek tablicy", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Utwórz konto", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Odznaczone tablice", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Zapisz się", - "team": "Zespół", - "this-board": "ta tablica", - "this-card": "ta karta", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Tytuł", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Nieprzypisany członek", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Wyślij", - "upload-avatar": "Wyślij avatar", - "uploaded-avatar": "Wysłany avatar", - "username": "Nazwa użytkownika", - "view-it": "Zobacz", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Obserwuj", - "watching": "Obserwujesz", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Podstawy", - "welcome-list2": "Zaawansowane", - "what-to-do": "Co chcesz zrobić?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Panel administracyjny", - "settings": "Ustawienia", - "people": "Osoby", - "registration": "Rejestracja", - "disable-self-registration": "Disable Self-Registration", - "invite": "Zaproś", - "invite-people": "Zaproś osoby", - "to-boards": "To board(s)", - "email-addresses": "Adres e-mail", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "Serwer SMTP", - "smtp-port": "Port SMTP", - "smtp-username": "Nazwa użytkownika", - "smtp-password": "Hasło", - "smtp-tls": "TLS support", - "send-from": "Od", - "send-smtp-test": "Wyślij wiadomość testową do siebie", - "invitation-code": "Kod z zaproszenia", - "email-invite-register-subject": "__inviter__ wysłał Ci zaproszenie", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(nieznany)", - "Wekan_version": "Wersja Wekan", - "Node_version": "Wersja Node", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "godzin", - "minutes": "minut", - "seconds": "sekund", - "show-field-on-card": "Show this field on card", - "yes": "Tak", - "no": "Nie", - "accounts": "Konto", - "accounts-allowEmailChange": "Zezwól na zmianę adresu email", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Stworzono o", - "verified": "Zweryfikowane", - "active": "Aktywny", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json deleted file mode 100644 index 86fd65e0..00000000 --- a/i18n/pt-BR.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Aceitar", - "act-activity-notify": "[Wekan] Notificação de Atividade", - "act-addAttachment": "anexo __attachment__ de __card__", - "act-addChecklist": "added checklist __checklist__ no __card__", - "act-addChecklistItem": "adicionado __checklistitem__ para a lista de checagem __checklist__ em __card__", - "act-addComment": "comentou em __card__: __comment__", - "act-createBoard": "criou __board__", - "act-createCard": "__card__ adicionado à __list__", - "act-createCustomField": "criado campo customizado __customField__", - "act-createList": "__list__ adicionada à __board__", - "act-addBoardMember": "__member__ adicionado à __board__", - "act-archivedBoard": "__board__ movido para a lixeira", - "act-archivedCard": "__card__ movido para a lixeira", - "act-archivedList": "__list__ movido para a lixeira", - "act-archivedSwimlane": "__swimlane__ movido para a lixeira", - "act-importBoard": "__board__ importado", - "act-importCard": "__card__ importado", - "act-importList": "__list__ importada", - "act-joinMember": "__member__ adicionado à __card__", - "act-moveCard": "__card__ movido de __oldList__ para __list__", - "act-removeBoardMember": "__member__ removido de __board__", - "act-restoredCard": "__card__ restaurado para __board__", - "act-unjoinMember": "__member__ removido de __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Ações", - "activities": "Atividades", - "activity": "Atividade", - "activity-added": "adicionou %s a %s", - "activity-archived": "%s movido para a lixeira", - "activity-attached": "anexou %s a %s", - "activity-created": "criou %s", - "activity-customfield-created": "criado campo customizado %s", - "activity-excluded": "excluiu %s de %s", - "activity-imported": "importado %s em %s de %s", - "activity-imported-board": "importado %s de %s", - "activity-joined": "juntou-se a %s", - "activity-moved": "moveu %s de %s para %s", - "activity-on": "em %s", - "activity-removed": "removeu %s de %s", - "activity-sent": "enviou %s de %s", - "activity-unjoined": "saiu de %s", - "activity-checklist-added": "Adicionado lista de verificação a %s", - "activity-checklist-item-added": "adicionado o item de checklist para '%s' em %s", - "add": "Novo", - "add-attachment": "Adicionar Anexos", - "add-board": "Adicionar Quadro", - "add-card": "Adicionar Cartão", - "add-swimlane": "Adicionar Swimlane", - "add-checklist": "Adicionar Checklist", - "add-checklist-item": "Adicionar um item à lista de verificação", - "add-cover": "Adicionar Capa", - "add-label": "Adicionar Etiqueta", - "add-list": "Adicionar Lista", - "add-members": "Adicionar Membros", - "added": "Criado", - "addMemberPopup-title": "Membros", - "admin": "Administrador", - "admin-desc": "Pode ver e editar cartões, remover membros e alterar configurações do quadro.", - "admin-announcement": "Anúncio", - "admin-announcement-active": "Anúncio ativo em todo o sistema", - "admin-announcement-title": "Anúncio do Administrador", - "all-boards": "Todos os quadros", - "and-n-other-card": "E __count__ outro cartão", - "and-n-other-card_plural": "E __count__ outros cartões", - "apply": "Aplicar", - "app-is-offline": "O Wekan está carregando, por favor espere. Recarregar a página irá causar perda de dado. Se o Wekan não carregar por favor verifique se o servidor Wekan não está parado.", - "archive": "Mover para a lixeira", - "archive-all": "Mover tudo para a lixeira", - "archive-board": "Mover quadro para a lixeira", - "archive-card": "Mover cartão para a lixeira", - "archive-list": "Mover lista para a lixeira", - "archive-swimlane": "Mover Swimlane para a lixeira", - "archive-selection": "Mover seleção para a lixeira", - "archiveBoardPopup-title": "Mover o quadro para a lixeira?", - "archived-items": "Lixeira", - "archived-boards": "Quadros na lixeira", - "restore-board": "Restaurar Quadro", - "no-archived-boards": "Não há quadros na lixeira", - "archives": "Lixeira", - "assign-member": "Atribuir Membro", - "attached": "anexado", - "attachment": "Anexo", - "attachment-delete-pop": "Excluir um anexo é permanente. Não será possível recuperá-lo.", - "attachmentDeletePopup-title": "Excluir Anexo?", - "attachments": "Anexos", - "auto-watch": "Veja automaticamente os boards que são criados", - "avatar-too-big": "O avatar é muito grande (70KB max)", - "back": "Voltar", - "board-change-color": "Alterar cor", - "board-nb-stars": "%s estrelas", - "board-not-found": "Quadro não encontrado", - "board-private-info": "Este quadro será privado.", - "board-public-info": "Este quadro será público.", - "boardChangeColorPopup-title": "Alterar Tela de Fundo", - "boardChangeTitlePopup-title": "Renomear Quadro", - "boardChangeVisibilityPopup-title": "Alterar Visibilidade", - "boardChangeWatchPopup-title": "Alterar observação", - "boardMenuPopup-title": "Menu do Quadro", - "boards": "Quadros", - "board-view": "Visão de quadro", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Listas", - "bucket-example": "\"Bucket List\", por exemplo", - "cancel": "Cancelar", - "card-archived": "Este cartão foi movido para a lixeira", - "card-comments-title": "Este cartão possui %s comentários.", - "card-delete-notice": "A exclusão será permanente. Você perderá todas as ações associadas a este cartão.", - "card-delete-pop": "Todas as ações serão removidas da lista de Atividades e vocês não poderá re-abrir o cartão. Não há como desfazer.", - "card-delete-suggest-archive": "Você pode mover um cartão para fora da lixeira e movê-lo para o quadro e preservar a atividade.", - "card-due": "Data fim", - "card-due-on": "Finaliza em", - "card-spent": "Tempo Gasto", - "card-edit-attachments": "Editar anexos", - "card-edit-custom-fields": "Editar campos customizados", - "card-edit-labels": "Editar etiquetas", - "card-edit-members": "Editar membros", - "card-labels-title": "Alterar etiquetas do cartão.", - "card-members-title": "Acrescentar ou remover membros do quadro deste cartão.", - "card-start": "Data início", - "card-start-on": "Começa em", - "cardAttachmentsPopup-title": "Anexar a partir de", - "cardCustomField-datePopup-title": "Mudar data", - "cardCustomFieldsPopup-title": "Editar campos customizados", - "cardDeletePopup-title": "Excluir Cartão?", - "cardDetailsActionsPopup-title": "Ações do cartão", - "cardLabelsPopup-title": "Etiquetas", - "cardMembersPopup-title": "Membros", - "cardMorePopup-title": "Mais", - "cards": "Cartões", - "cards-count": "Cartões", - "change": "Alterar", - "change-avatar": "Alterar Avatar", - "change-password": "Alterar Senha", - "change-permissions": "Alterar permissões", - "change-settings": "Altera configurações", - "changeAvatarPopup-title": "Alterar Avatar", - "changeLanguagePopup-title": "Alterar Idioma", - "changePasswordPopup-title": "Alterar Senha", - "changePermissionsPopup-title": "Alterar Permissões", - "changeSettingsPopup-title": "Altera configurações", - "checklists": "Checklists", - "click-to-star": "Marcar quadro como favorito.", - "click-to-unstar": "Remover quadro dos favoritos.", - "clipboard": "Área de Transferência ou arraste e solte", - "close": "Fechar", - "close-board": "Fechar Quadro", - "close-board-pop": "Você poderá restaurar o quadro clicando no botão lixeira no cabeçalho da página inicial", - "color-black": "preto", - "color-blue": "azul", - "color-green": "verde", - "color-lime": "verde limão", - "color-orange": "laranja", - "color-pink": "cor-de-rosa", - "color-purple": "roxo", - "color-red": "vermelho", - "color-sky": "céu", - "color-yellow": "amarelo", - "comment": "Comentário", - "comment-placeholder": "Escrever Comentário", - "comment-only": "Somente comentários", - "comment-only-desc": "Pode comentar apenas em cartões.", - "computer": "Computador", - "confirm-checklist-delete-dialog": "Tem a certeza de que pretende eliminar lista de verificação", - "copy-card-link-to-clipboard": "Copiar link do cartão para a área de transferência", - "copyCardPopup-title": "Copiar o cartão", - "copyChecklistToManyCardsPopup-title": "Copiar modelo de checklist para vários cartões", - "copyChecklistToManyCardsPopup-instructions": "Títulos e descrições do cartão de destino neste formato JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Título do primeiro cartão\", \"description\":\"Descrição do primeiro cartão\"}, {\"title\":\"Título do segundo cartão\",\"description\":\"Descrição do segundo cartão\"},{\"title\":\"Título do último cartão\",\"description\":\"Descrição do último cartão\"} ]", - "create": "Criar", - "createBoardPopup-title": "Criar Quadro", - "chooseBoardSourcePopup-title": "Importar quadro", - "createLabelPopup-title": "Criar Etiqueta", - "createCustomField": "Criar campo", - "createCustomFieldPopup-title": "Criar campo", - "current": "atual", - "custom-field-delete-pop": "Não existe desfazer. Isso irá remover o campo customizado de todos os cartões e destruir seu histórico", - "custom-field-checkbox": "Caixa de seleção", - "custom-field-date": "Data", - "custom-field-dropdown": "Lista suspensa", - "custom-field-dropdown-none": "(nada)", - "custom-field-dropdown-options": "Lista de opções", - "custom-field-dropdown-options-placeholder": "Pressione enter para adicionar mais opções", - "custom-field-dropdown-unknown": "(desconhecido)", - "custom-field-number": "Número", - "custom-field-text": "Texto", - "custom-fields": "Campos customizados", - "date": "Data", - "decline": "Rejeitar", - "default-avatar": "Avatar padrão", - "delete": "Excluir", - "deleteCustomFieldPopup-title": "Deletar campo customizado?", - "deleteLabelPopup-title": "Excluir Etiqueta?", - "description": "Descrição", - "disambiguateMultiLabelPopup-title": "Desambiguar ações de etiquetas", - "disambiguateMultiMemberPopup-title": "Desambiguar ações de membros", - "discard": "Descartar", - "done": "Feito", - "download": "Baixar", - "edit": "Editar", - "edit-avatar": "Alterar Avatar", - "edit-profile": "Editar Perfil", - "edit-wip-limit": "Editar Limite WIP", - "soft-wip-limit": "Limite de WIP", - "editCardStartDatePopup-title": "Altera data de início", - "editCardDueDatePopup-title": "Altera data fim", - "editCustomFieldPopup-title": "Editar campo", - "editCardSpentTimePopup-title": "Editar tempo gasto", - "editLabelPopup-title": "Alterar Etiqueta", - "editNotificationPopup-title": "Editar Notificações", - "editProfilePopup-title": "Editar Perfil", - "email": "E-mail", - "email-enrollAccount-subject": "Uma conta foi criada para você em __siteName__", - "email-enrollAccount-text": "Olá __user__\npara iniciar utilizando o serviço basta clicar no link abaixo.\n__url__\nMuito Obrigado.", - "email-fail": "Falhou ao enviar email", - "email-fail-text": "Erro ao tentar enviar e-mail", - "email-invalid": "Email inválido", - "email-invite": "Convite via Email", - "email-invite-subject": "__inviter__ lhe enviou um convite", - "email-invite-text": "Caro __user__\n__inviter__ lhe convidou para ingressar no quadro \"__board__\" como colaborador.\nPor favor prossiga através do link abaixo:\n__url__\nMuito obrigado.", - "email-resetPassword-subject": "Redefina sua senha em __siteName__", - "email-resetPassword-text": "Olá __user__\nPara redefinir sua senha, por favor clique no link abaixo.\n__url__\nMuito obrigado.", - "email-sent": "Email enviado", - "email-verifyEmail-subject": "Verifique seu endereço de email em __siteName__", - "email-verifyEmail-text": "Olá __user__\nPara verificar sua conta de email, clique no link abaixo.\n__url__\nObrigado.", - "enable-wip-limit": "Ativar Limite WIP", - "error-board-doesNotExist": "Este quadro não existe", - "error-board-notAdmin": "Você precisa ser administrador desse quadro para fazer isto", - "error-board-notAMember": "Você precisa ser um membro desse quadro para fazer isto", - "error-json-malformed": "Seu texto não é um JSON válido", - "error-json-schema": "Seu JSON não inclui as informações no formato correto", - "error-list-doesNotExist": "Esta lista não existe", - "error-user-doesNotExist": "Este usuário não existe", - "error-user-notAllowSelf": "Você não pode convidar a si mesmo", - "error-user-notCreated": "Este usuário não foi criado", - "error-username-taken": "Esse username já existe", - "error-email-taken": "E-mail já está em uso", - "export-board": "Exportar quadro", - "filter": "Filtrar", - "filter-cards": "Filtrar Cartões", - "filter-clear": "Limpar filtro", - "filter-no-label": "Sem labels", - "filter-no-member": "Sem membros", - "filter-no-custom-fields": "Não há campos customizados", - "filter-on": "Filtro está ativo", - "filter-on-desc": "Você está filtrando cartões neste quadro. Clique aqui para editar o filtro.", - "filter-to-selection": "Filtrar esta seleção", - "advanced-filter-label": "Filtro avançado", - "advanced-filter-description": "Um Filtro Avançado permite escrever uma string contendo os seguintes operadores: == != <= >= && || () Um espaço é utilizado como separador entre os operadores. Você pode filtrar todos os campos customizados digitando seus nomes e valores. Por exemplo: campo1 == valor1. Nota: se campos ou valores contém espaços, você precisa encapsular eles em aspas simples. Por exemplo: 'campo 1' == 'valor 1'. Você também pode combinar múltiplas condições. Por exemplo: F1 == V1 || F1 == V2. Normalmente todos os operadores são interpretados da esquerda para a direita. Você pode mudar a ordem ao incluir parênteses. Por exemplo: F1 == V1 e (F2 == V2 || F2 == V3)", - "fullname": "Nome Completo", - "header-logo-title": "Voltar para a lista de quadros.", - "hide-system-messages": "Esconde mensagens de sistema", - "headerBarCreateBoardPopup-title": "Criar Quadro", - "home": "Início", - "import": "Importar", - "import-board": "importar quadro", - "import-board-c": "Importar quadro", - "import-board-title-trello": "Importar board do Trello", - "import-board-title-wekan": "Importar quadro do Wekan", - "import-sandstorm-warning": "O quadro importado irá excluir todos os dados existentes no quadro e irá sobrescrever com o quadro importado.", - "from-trello": "Do Trello", - "from-wekan": "Do Wekan", - "import-board-instruction-trello": "No seu quadro do Trello, vá em 'Menu', depois em 'Mais', 'Imprimir e Exportar', 'Exportar JSON', então copie o texto emitido", - "import-board-instruction-wekan": "Em seu quadro Wekan, vá para 'Menu', em seguida 'Exportar quadro', e copie o texto no arquivo baixado.", - "import-json-placeholder": "Cole seus dados JSON válidos aqui", - "import-map-members": "Mapear membros", - "import-members-map": "O seu quadro importado tem alguns membros. Por favor determine os membros que você deseja importar para os usuários Wekan", - "import-show-user-mapping": "Revisar mapeamento dos membros", - "import-user-select": "Selecione o usuário Wekan que você gostaria de usar como este membro", - "importMapMembersAddPopup-title": "Seleciona um membro", - "info": "Versão", - "initials": "Iniciais", - "invalid-date": "Data inválida", - "invalid-time": "Hora inválida", - "invalid-user": "Usuário inválido", - "joined": "juntou-se", - "just-invited": "Você já foi convidado para este quadro", - "keyboard-shortcuts": "Atalhos do teclado", - "label-create": "Criar Etiqueta", - "label-default": "%s etiqueta (padrão)", - "label-delete-pop": "Não será possível recuperá-la. A etiqueta será removida de todos os cartões e seu histórico será destruído.", - "labels": "Etiquetas", - "language": "Idioma", - "last-admin-desc": "Você não pode alterar funções porque deve existir pelo menos um administrador.", - "leave-board": "Sair do Quadro", - "leave-board-pop": "Tem a certeza de que pretende sair de __boardTitle__? Você será removido de todos os cartões neste quadro.", - "leaveBoardPopup-title": "Sair do Quadro ?", - "link-card": "Vincular a este cartão", - "list-archive-cards": "Mover todos os cartões nesta lista para a lixeira", - "list-archive-cards-pop": "Isso irá remover todos os cartões nesta lista do quadro. Para visualizar cartões na lixeira e trazê-los de volta ao quadro, clique em \"Menu\" > \"Lixeira\".", - "list-move-cards": "Mover todos os cartões desta lista", - "list-select-cards": "Selecionar todos os cartões nesta lista", - "listActionPopup-title": "Listar Ações", - "swimlaneActionPopup-title": "Ações de Swimlane", - "listImportCardPopup-title": "Importe um cartão do Trello", - "listMorePopup-title": "Mais", - "link-list": "Vincular a esta lista", - "list-delete-pop": "Todas as ações serão removidas da lista de atividades e você não poderá recuperar a lista. Não há como desfazer.", - "list-delete-suggest-archive": "Você pode mover a lista para a lixeira para removê-la do quadro e preservar a atividade.", - "lists": "Listas", - "swimlanes": "Swimlanes", - "log-out": "Sair", - "log-in": "Entrar", - "loginPopup-title": "Entrar", - "memberMenuPopup-title": "Configuração de Membros", - "members": "Membros", - "menu": "Menu", - "move-selection": "Mover seleção", - "moveCardPopup-title": "Mover Cartão", - "moveCardToBottom-title": "Mover para o final", - "moveCardToTop-title": "Mover para o topo", - "moveSelectionPopup-title": "Mover seleção", - "multi-selection": "Multi-Seleção", - "multi-selection-on": "Multi-seleção está ativo", - "muted": "Silenciar", - "muted-info": "Você nunca receberá qualquer notificação desse board", - "my-boards": "Meus Quadros", - "name": "Nome", - "no-archived-cards": "Não há cartões na lixeira", - "no-archived-lists": "Não há listas na lixeira", - "no-archived-swimlanes": "Não há swimlanes na lixeira", - "no-results": "Nenhum resultado.", - "normal": "Normal", - "normal-desc": "Pode ver e editar cartões. Não pode alterar configurações.", - "not-accepted-yet": "Convite ainda não aceito", - "notify-participate": "Receber atualizações de qualquer card que você criar ou participar como membro", - "notify-watch": "Receber atualizações de qualquer board, lista ou cards que você estiver observando", - "optional": "opcional", - "or": "ou", - "page-maybe-private": "Esta página pode ser privada. Você poderá vê-la se estiver logado.", - "page-not-found": "Página não encontrada.", - "password": "Senha", - "paste-or-dragdrop": "para colar, ou arraste e solte o arquivo da imagem para ca (somente imagens)", - "participating": "Participando", - "preview": "Previsualizar", - "previewAttachedImagePopup-title": "Previsualizar", - "previewClipboardImagePopup-title": "Previsualizar", - "private": "Privado", - "private-desc": "Este quadro é privado. Apenas seus membros podem acessar e editá-lo.", - "profile": "Perfil", - "public": "Público", - "public-desc": "Este quadro é público. Ele é visível a qualquer pessoa com o link e será exibido em mecanismos de busca como o Google. Apenas seus membros podem editá-lo.", - "quick-access-description": "Clique na estrela para adicionar um atalho nesta barra.", - "remove-cover": "Remover Capa", - "remove-from-board": "Remover do Quadro", - "remove-label": "Remover Etiqueta", - "listDeletePopup-title": "Excluir Lista ?", - "remove-member": "Remover Membro", - "remove-member-from-card": "Remover do Cartão", - "remove-member-pop": "Remover __name__ (__username__) de __boardTitle__? O membro será removido de todos os cartões neste quadro e será notificado.", - "removeMemberPopup-title": "Remover Membro?", - "rename": "Renomear", - "rename-board": "Renomear Quadro", - "restore": "Restaurar", - "save": "Salvar", - "search": "Buscar", - "search-cards": "Pesquisa em títulos e descrições de cartões neste quadro", - "search-example": "Texto para procurar", - "select-color": "Selecionar Cor", - "set-wip-limit-value": "Defina um limite máximo para o número de tarefas nesta lista", - "setWipLimitPopup-title": "Definir Limite WIP", - "shortcut-assign-self": "Atribuir a si o cartão atual", - "shortcut-autocomplete-emoji": "Autocompletar emoji", - "shortcut-autocomplete-members": "Preenchimento automático de membros", - "shortcut-clear-filters": "Limpar todos filtros", - "shortcut-close-dialog": "Fechar dialogo", - "shortcut-filter-my-cards": "Filtrar meus cartões", - "shortcut-show-shortcuts": "Mostrar lista de atalhos", - "shortcut-toggle-filterbar": "Alternar barra de filtro", - "shortcut-toggle-sidebar": "Fechar barra lateral.", - "show-cards-minimum-count": "Mostrar contador de cards se a lista tiver mais de", - "sidebar-open": "Abrir barra lateral", - "sidebar-close": "Fechar barra lateral", - "signupPopup-title": "Criar uma Conta", - "star-board-title": "Clique para marcar este quadro como favorito. Ele aparecerá no topo na lista dos seus quadros.", - "starred-boards": "Quadros Favoritos", - "starred-boards-description": "Quadros favoritos aparecem no topo da lista dos seus quadros.", - "subscribe": "Acompanhar", - "team": "Equipe", - "this-board": "este quadro", - "this-card": "este cartão", - "spent-time-hours": "Tempo gasto (Horas)", - "overtime-hours": "Tempo extras (Horas)", - "overtime": "Tempo extras", - "has-overtime-cards": "Tem cartões de horas extras", - "has-spenttime-cards": "Gastou cartões de tempo", - "time": "Tempo", - "title": "Título", - "tracking": "Tracking", - "tracking-info": "Você será notificado se houver qualquer alteração em cards em que você é o criador ou membro", - "type": "Tipo", - "unassign-member": "Membro não associado", - "unsaved-description": "Você possui uma descrição não salva", - "unwatch": "Deixar de observar", - "upload": "Upload", - "upload-avatar": "Carregar um avatar", - "uploaded-avatar": "Avatar carregado", - "username": "Nome de usuário", - "view-it": "Visualizar", - "warn-list-archived": "Aviso: este cartão está em uma lista na lixeira", - "watch": "Observar", - "watching": "Observando", - "watching-info": "Você será notificado em qualquer alteração desse board", - "welcome-board": "Board de Boas Vindas", - "welcome-swimlane": "Marco 1", - "welcome-list1": "Básico", - "welcome-list2": "Avançado", - "what-to-do": "O que você gostaria de fazer?", - "wipLimitErrorPopup-title": "Limite WIP Inválido", - "wipLimitErrorPopup-dialog-pt1": "O número de tarefas nesta lista excede o limite WIP definido.", - "wipLimitErrorPopup-dialog-pt2": "Por favor, mova algumas tarefas para fora desta lista, ou defina um limite WIP mais elevado.", - "admin-panel": "Painel Administrativo", - "settings": "Configurações", - "people": "Pessoas", - "registration": "Registro", - "disable-self-registration": "Desabilitar Cadastrar-se", - "invite": "Convite", - "invite-people": "Convide Pessoas", - "to-boards": "Para o/os quadro(s)", - "email-addresses": "Endereço de Email", - "smtp-host-description": "O endereço do servidor SMTP que envia seus emails.", - "smtp-port-description": "A porta que o servidor SMTP usa para enviar os emails.", - "smtp-tls-description": "Habilitar suporte TLS para servidor SMTP", - "smtp-host": "Servidor SMTP", - "smtp-port": "Porta SMTP", - "smtp-username": "Nome de usuário", - "smtp-password": "Senha", - "smtp-tls": "Suporte TLS", - "send-from": "De", - "send-smtp-test": "Enviar um email de teste para você mesmo", - "invitation-code": "Código do Convite", - "email-invite-register-subject": "__inviter__ lhe enviou um convite", - "email-invite-register-text": "Caro __user__,\n\n__inviter__ convidou você para colaborar no Wekan.\n\nPor favor, vá no link abaixo:\n__url__\n\nE seu código de convite é: __icode__\n\nObrigado.", - "email-smtp-test-subject": "Email Teste SMTP de Wekan", - "email-smtp-test-text": "Você enviou um email com sucesso", - "error-invitation-code-not-exist": "O código do convite não existe", - "error-notAuthorized": "Você não está autorizado à ver esta página.", - "outgoing-webhooks": "Webhook de saída", - "outgoingWebhooksPopup-title": "Webhook de saída", - "new-outgoing-webhook": "Novo Webhook de saída", - "no-name": "(Desconhecido)", - "Wekan_version": "Versão do Wekan", - "Node_version": "Versão do Node", - "OS_Arch": "Arquitetura do SO", - "OS_Cpus": "Quantidade de CPUS do SO", - "OS_Freemem": "Memória Disponível do SO", - "OS_Loadavg": "Carga Média do SO", - "OS_Platform": "Plataforma do SO", - "OS_Release": "Versão do SO", - "OS_Totalmem": "Memória Total do SO", - "OS_Type": "Tipo do SO", - "OS_Uptime": "Disponibilidade do SO", - "hours": "horas", - "minutes": "minutos", - "seconds": "segundos", - "show-field-on-card": "Mostrar este campo no cartão", - "yes": "Sim", - "no": "Não", - "accounts": "Contas", - "accounts-allowEmailChange": "Permitir Mudança de Email", - "accounts-allowUserNameChange": "Permitir alteração de nome de usuário", - "createdAt": "Criado em", - "verified": "Verificado", - "active": "Ativo", - "card-received": "Recebido", - "card-received-on": "Recebido em", - "card-end": "Fim", - "card-end-on": "Termina em", - "editCardReceivedDatePopup-title": "Modificar data de recebimento", - "editCardEndDatePopup-title": "Mudar data de fim", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json deleted file mode 100644 index 06b5ba2d..00000000 --- a/i18n/pt.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Aceitar", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "Criado %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Adicionar", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", - "addMemberPopup-title": "Membros", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Renomear Quadro", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Etiquetas", - "cardMembersPopup-title": "Membros", - "cardMorePopup-title": "Mais", - "cards": "Cartões", - "cards-count": "Cartões", - "change": "Alterar", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comentário", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computador", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Etiquetas", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "Mais", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Membros", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Nome", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Nenhum resultado", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remover Membro?", - "rename": "Renomear", - "rename-board": "Renomear Quadro", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "Não", - "accounts": "Contas", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verificado", - "active": "Ativo", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json deleted file mode 100644 index dd4d2b58..00000000 --- a/i18n/ro.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Accept", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Add", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", - "addMemberPopup-title": "Members", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Ataşament", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Ataşamente", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Înapoi", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Liste", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Members", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Închide", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Iniţiale", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Liste", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Members", - "menu": "Meniu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Nume", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Parolă", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Privat", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profil", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Salvează", - "search": "Caută", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Titlu", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "Ce ai vrea sa faci?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Parolă", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json deleted file mode 100644 index ca9d3673..00000000 --- a/i18n/ru.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Принять", - "act-activity-notify": "[Wekan] Уведомление о действиях участников", - "act-addAttachment": "вложено __attachment__ в __card__", - "act-addChecklist": "добавил контрольный список __checklist__ в __card__", - "act-addChecklistItem": "добавил __checklistItem__ в контрольный список __checklist__ в __card__", - "act-addComment": "прокомментировал __card__: __comment__", - "act-createBoard": "создал __board__", - "act-createCard": "добавил __card__ в __list__", - "act-createCustomField": "Расширенный фильтр позволяет написать строку, содержащую следующие операторы: ==! = <=> = && || () Пространство используется как разделитель между Операторами. Вы можете фильтровать все пользовательские поля, введя их имена и значения. Например: Field1 == Value1. Примечание. Если поля или значения содержат пробелы, вам необходимо инкапсулировать их в одинарные кавычки. Например: «Поле 1» == «Значение 1». Также вы можете комбинировать несколько условий. Например: F1 == V1 || F1 = V2. Обычно все операторы интерпретируются слева направо. Вы можете изменить порядок, разместив скобки. Например: F1 == V1 и (F2 == V2 || F2 == V3)", - "act-createList": "добавил __list__ для __board__", - "act-addBoardMember": "добавил __member__ в __board__", - "act-archivedBoard": "Доска __board__ перемещена в Корзину", - "act-archivedCard": "Карточка __card__ перемещена в Корзину", - "act-archivedList": "Список __list__ перемещён в Корзину", - "act-archivedSwimlane": "Дорожка __swimlane__ перемещена в Корзину", - "act-importBoard": "__board__ импортирована", - "act-importCard": "__card__ импортирована", - "act-importList": "__list__ импортирован", - "act-joinMember": "добавил __member__ в __card__", - "act-moveCard": "__card__ перемещена из __oldList__ в __list__", - "act-removeBoardMember": "__member__ удален из __board__", - "act-restoredCard": "__card__ востановлена в __board__", - "act-unjoinMember": "__member__ удален из __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Действия", - "activities": "История действий", - "activity": "Действия участников", - "activity-added": "добавил %s на %s", - "activity-archived": "%s перемещено в Корзину", - "activity-attached": "прикрепил %s к %s", - "activity-created": "создал %s", - "activity-customfield-created": "создать настраиваемое поле", - "activity-excluded": "исключил %s из %s", - "activity-imported": "импортировал %s в %s из %s", - "activity-imported-board": "импортировал %s из %s", - "activity-joined": "присоединился к %s", - "activity-moved": "переместил %s из %s в %s", - "activity-on": "%s", - "activity-removed": "удалил %s из %s", - "activity-sent": "отправил %s в %s", - "activity-unjoined": "вышел из %s", - "activity-checklist-added": "добавил контрольный список в %s", - "activity-checklist-item-added": "добавил пункт контрольного списка в '%s' в карточке %s", - "add": "Создать", - "add-attachment": "Добавить вложение", - "add-board": "Добавить доску", - "add-card": "Добавить карту", - "add-swimlane": "Добавить дорожку", - "add-checklist": "Добавить контрольный список", - "add-checklist-item": "Добавить пункт в контрольный список", - "add-cover": "Прикрепить", - "add-label": "Добавить метку", - "add-list": "Добавить простой список", - "add-members": "Добавить участника", - "added": "Добавлено", - "addMemberPopup-title": "Участники", - "admin": "Администратор", - "admin-desc": "Может просматривать и редактировать карточки, удалять участников и управлять настройками доски.", - "admin-announcement": "Объявление", - "admin-announcement-active": "Действующее общесистемное объявление", - "admin-announcement-title": "Объявление от Администратора", - "all-boards": "Все доски", - "and-n-other-card": "И __count__ другая карточка", - "and-n-other-card_plural": "И __count__ другие карточки", - "apply": "Применить", - "app-is-offline": "Wekan загружается, пожалуйста подождите. Обновление страницы может привести к потере данных. Если Wekan не загрузился, пожалуйста проверьте что связь с сервером доступна.", - "archive": "Переместить в Корзину", - "archive-all": "Переместить всё в Корзину", - "archive-board": "Переместить Доску в Корзину", - "archive-card": "Переместить Карточку в Корзину", - "archive-list": "Переместить Список в Корзину", - "archive-swimlane": "Переместить Дорожку в Корзину", - "archive-selection": "Переместить выбранное в Корзину", - "archiveBoardPopup-title": "Переместить Доску в Корзину?", - "archived-items": "Корзина", - "archived-boards": "Доски находящиеся в Корзине", - "restore-board": "Востановить доску", - "no-archived-boards": "В Корзине нет никаких Досок", - "archives": "Корзина", - "assign-member": "Назначить участника", - "attached": "прикреплено", - "attachment": "Вложение", - "attachment-delete-pop": "Если удалить вложение, его нельзя будет восстановить.", - "attachmentDeletePopup-title": "Удалить вложение?", - "attachments": "Вложения", - "auto-watch": "Автоматически следить за созданными досками", - "avatar-too-big": "Аватар слишком большой (максимум 70КБ)", - "back": "Назад", - "board-change-color": "Изменить цвет", - "board-nb-stars": "%s избранное", - "board-not-found": "Доска не найдена", - "board-private-info": "Это доска будет частной.", - "board-public-info": "Эта доска будет доступной всем.", - "boardChangeColorPopup-title": "Изменить фон доски", - "boardChangeTitlePopup-title": "Переименовать доску", - "boardChangeVisibilityPopup-title": "Изменить настройки видимости", - "boardChangeWatchPopup-title": "Изменить Отслеживание", - "boardMenuPopup-title": "Меню доски", - "boards": "Доски", - "board-view": "Вид доски", - "board-view-swimlanes": "Дорожки", - "board-view-lists": "Списки", - "bucket-example": "Например “Список дел”", - "cancel": "Отмена", - "card-archived": "Эта карточка перемещена в Корзину", - "card-comments-title": "Комментарии (%s)", - "card-delete-notice": "Это действие невозможно будет отменить. Все изменения, которые вы вносили в карточку будут потеряны.", - "card-delete-pop": "Все действия будут удалены из ленты активности участников и вы не сможете заново открыть карточку. Действие необратимо", - "card-delete-suggest-archive": "Вы можете переместить карточку в Корзину, чтобы удалить ее с доски и сохранить активность .", - "card-due": "Выполнить к", - "card-due-on": "Выполнить до", - "card-spent": "Затраченное время", - "card-edit-attachments": "Изменить вложения", - "card-edit-custom-fields": "Редактировать настраиваемые поля", - "card-edit-labels": "Изменить метку", - "card-edit-members": "Изменить участников", - "card-labels-title": "Изменить метки для этой карточки.", - "card-members-title": "Добавить или удалить с карточки участников доски.", - "card-start": "Дата начала", - "card-start-on": "Начнётся с", - "cardAttachmentsPopup-title": "Прикрепить из", - "cardCustomField-datePopup-title": "Изменить дату", - "cardCustomFieldsPopup-title": "редактировать настраиваемые поля", - "cardDeletePopup-title": "Удалить карточку?", - "cardDetailsActionsPopup-title": "Действия в карточке", - "cardLabelsPopup-title": "Метки", - "cardMembersPopup-title": "Участники", - "cardMorePopup-title": "Поделиться", - "cards": "Карточки", - "cards-count": "Карточки", - "change": "Изменить", - "change-avatar": "Изменить аватар", - "change-password": "Изменить пароль", - "change-permissions": "Изменить права доступа", - "change-settings": "Изменить настройки", - "changeAvatarPopup-title": "Изменить аватар", - "changeLanguagePopup-title": "Сменить язык", - "changePasswordPopup-title": "Изменить пароль", - "changePermissionsPopup-title": "Изменить настройки доступа", - "changeSettingsPopup-title": "Изменить Настройки", - "checklists": "Контрольные списки", - "click-to-star": "Добавить в «Избранное»", - "click-to-unstar": "Удалить из «Избранного»", - "clipboard": "Буфер обмена или drag & drop", - "close": "Закрыть", - "close-board": "Закрыть доску", - "close-board-pop": "Вы можете восстановить доску, нажав “Корзина” в заголовке.", - "color-black": "черный", - "color-blue": "синий", - "color-green": "зеленый", - "color-lime": "лимоновый", - "color-orange": "оранжевый", - "color-pink": "розовый", - "color-purple": "фиолетовый", - "color-red": "красный", - "color-sky": "голубой", - "color-yellow": "желтый", - "comment": "Добавить комментарий", - "comment-placeholder": "Написать комментарий", - "comment-only": "Только комментирование", - "comment-only-desc": "Может комментировать только карточки.", - "computer": "Загрузить с компьютера", - "confirm-checklist-delete-dialog": "Вы уверены, что хотите удалить контрольный список?", - "copy-card-link-to-clipboard": "Копировать ссылку на карточку в буфер обмена", - "copyCardPopup-title": "Копировать карточку", - "copyChecklistToManyCardsPopup-title": "Копировать шаблон контрольного списка в несколько карточек", - "copyChecklistToManyCardsPopup-instructions": "Названия и описания целевых карт в формате JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Создать", - "createBoardPopup-title": "Создать доску", - "chooseBoardSourcePopup-title": "Импортировать доску", - "createLabelPopup-title": "Создать метку", - "createCustomField": "Создать поле", - "createCustomFieldPopup-title": "Создать поле", - "current": "текущий", - "custom-field-delete-pop": "Отменить нельзя. Это удалит настраиваемое поле со всех карт и уничтожит его историю.", - "custom-field-checkbox": "Галочка", - "custom-field-date": "Дата", - "custom-field-dropdown": "Выпадающий список", - "custom-field-dropdown-none": "(нет)", - "custom-field-dropdown-options": "Параметры списка", - "custom-field-dropdown-options-placeholder": "Нажмите «Ввод», чтобы добавить дополнительные параметры.", - "custom-field-dropdown-unknown": "(неизвестно)", - "custom-field-number": "Номер", - "custom-field-text": "Текст", - "custom-fields": "Настраиваемые поля", - "date": "Дата", - "decline": "Отклонить", - "default-avatar": "Аватар по умолчанию", - "delete": "Удалить", - "deleteCustomFieldPopup-title": "Удалить настраиваемые поля?", - "deleteLabelPopup-title": "Удалить метку?", - "description": "Описание", - "disambiguateMultiLabelPopup-title": "Разрешить конфликт меток", - "disambiguateMultiMemberPopup-title": "Разрешить конфликт участников", - "discard": "Отказать", - "done": "Готово", - "download": "Скачать", - "edit": "Редактировать", - "edit-avatar": "Изменить аватар", - "edit-profile": "Изменить профиль", - "edit-wip-limit": " Изменить лимит на кол-во задач", - "soft-wip-limit": "Мягкий лимит на кол-во задач", - "editCardStartDatePopup-title": "Изменить дату начала", - "editCardDueDatePopup-title": "Изменить дату выполнения", - "editCustomFieldPopup-title": "Редактировать поле", - "editCardSpentTimePopup-title": "Изменить затраченное время", - "editLabelPopup-title": "Изменить метки", - "editNotificationPopup-title": "Редактировать уведомления", - "editProfilePopup-title": "Редактировать профиль", - "email": "Эл.почта", - "email-enrollAccount-subject": "Аккаунт создан для вас здесь __url__", - "email-enrollAccount-text": "Привет __user__,\n\nДля того, чтобы начать использовать сервис, просто нажми на ссылку ниже.\n\n__url__\n\nСпасибо.", - "email-fail": "Отправка письма на EMail не удалась", - "email-fail-text": "Ошибка при попытке отправить письмо", - "email-invalid": "Неверный адрес электронной почти", - "email-invite": "Пригласить по электронной почте", - "email-invite-subject": "__inviter__ прислал вам приглашение", - "email-invite-text": "Дорогой __user__,\n\n__inviter__ пригласил вас присоединиться к доске \"__board__\" для сотрудничества.\n\nПожалуйста проследуйте по ссылке ниже:\n\n__url__\n\nСпасибо.", - "email-resetPassword-subject": "Перейдите по ссылке, чтобы сбросить пароль __url__", - "email-resetPassword-text": "Привет __user__,\n\nДля сброса пароля перейдите по ссылке ниже.\n\n__url__\n\nThanks.", - "email-sent": "Письмо отправлено", - "email-verifyEmail-subject": "Подтвердите вашу эл.почту перейдя по ссылке __url__", - "email-verifyEmail-text": "Привет __user__,\n\nДля подтверждения вашей электронной почты перейдите по ссылке ниже.\n\n__url__\n\nСпасибо.", - "enable-wip-limit": "Включить лимит на кол-во задач", - "error-board-doesNotExist": "Доска не найдена", - "error-board-notAdmin": "Вы должны обладать правами администратора этой доски, чтобы сделать это", - "error-board-notAMember": "Вы должны быть участником доски, чтобы сделать это", - "error-json-malformed": "Ваше текст не является правильным JSON", - "error-json-schema": "Содержимое вашего JSON не содержит информацию в корректном формате", - "error-list-doesNotExist": "Список не найден", - "error-user-doesNotExist": "Пользователь не найден", - "error-user-notAllowSelf": "Вы не можете пригласить себя", - "error-user-notCreated": "Пользователь не создан", - "error-username-taken": "Это имя пользователя уже занято", - "error-email-taken": "Этот адрес уже занят", - "export-board": "Экспортировать доску", - "filter": "Фильтр", - "filter-cards": "Фильтр карточек", - "filter-clear": "Очистить фильтр", - "filter-no-label": "Нет метки", - "filter-no-member": "Нет участников", - "filter-no-custom-fields": "Нет настраиваемых полей", - "filter-on": "Включен фильтр", - "filter-on-desc": "Показываются карточки, соответствующие настройкам фильтра. Нажмите для редактирования.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Расширенный фильтр", - "advanced-filter-description": "Расширенный фильтр позволяет написать строку, содержащую следующие операторы: ==! = <=> = && || () Пространство используется как разделитель между Операторами. Вы можете фильтровать все пользовательские поля, введя их имена и значения. Например: Field1 == Value1. Примечание: Если поля или значения содержат пробелы, вам необходимо 'брать' их в одинарные кавычки. Например: 'Поле 1' == 'Значение 1'. Также вы можете комбинировать несколько условий. Например: F1 == V1 || F1 = V2. Обычно все операторы интерпретируются слева направо. Вы можете изменить порядок, разместив скобки. Например: F1 == V1 и (F2 == V2 || F2 == V3)", - "fullname": "Полное имя", - "header-logo-title": "Вернуться к доскам.", - "hide-system-messages": "Скрыть системные сообщения", - "headerBarCreateBoardPopup-title": "Создать доску", - "home": "Главная", - "import": "Импорт", - "import-board": "импортировать доску", - "import-board-c": "Импортировать доску", - "import-board-title-trello": "Импортировать доску из Trello", - "import-board-title-wekan": "Импортировать доску из Wekan", - "import-sandstorm-warning": "Импортированная доска удалит все существующие данные на текущей доске и заменит её импортированной доской.", - "from-trello": "Из Trello", - "from-wekan": "Из Wekan", - "import-board-instruction-trello": "На вашей Trello доске нажмите “Menu” - “More” - “Print and export - “Export JSON” и скопируйте полученный текст", - "import-board-instruction-wekan": "На вашей Wekan доске, перейдите в “Меню”, далее “Экспортировать доску” и скопируйте текст из скачаного файла", - "import-json-placeholder": "Вставьте JSON сюда", - "import-map-members": "Составить карту участников", - "import-members-map": "Вы импортировали доску с участниками. Пожалуйста, составьте карту участников, которых вы хотите импортировать в качестве пользователей Wekan", - "import-show-user-mapping": "Проверить карту участников", - "import-user-select": "Выберите пользователя Wekan, которого вы хотите использовать в качестве участника", - "importMapMembersAddPopup-title": "Выбрать участника Wekan", - "info": "Версия", - "initials": "Инициалы", - "invalid-date": "Неверная дата", - "invalid-time": "Некорректное время", - "invalid-user": "Неверный пользователь", - "joined": "вступил", - "just-invited": "Вас только что пригласили на эту доску", - "keyboard-shortcuts": "Сочетания клавиш", - "label-create": "Создать метку", - "label-default": "%sметка (по умолчанию)", - "label-delete-pop": "Это действие невозможно будет отменить. Эта метка будут удалена во всех карточках. Также будет удалена вся история этой метки.", - "labels": "Метки", - "language": "Язык", - "last-admin-desc": "Вы не можете изменять роли, для этого требуются права администратора.", - "leave-board": "Покинуть доску", - "leave-board-pop": "Вы уверенны, что хотите покинуть __boardTitle__? Вы будете удалены из всех карточек на этой доске.", - "leaveBoardPopup-title": "Покинуть доску?", - "link-card": "Доступна по ссылке", - "list-archive-cards": "Переместить все карточки в этом списке в Корзину", - "list-archive-cards-pop": "Это действие переместит все карточки в Корзину и они перестанут быть видимым на доске. Для просмотра карточек в Корзине и их восстановления нажмите “Меню” > “Корзина”.", - "list-move-cards": "Переместить все карточки в этом списке", - "list-select-cards": "Выбрать все карточки в этом списке", - "listActionPopup-title": "Список действий", - "swimlaneActionPopup-title": "Действия с дорожкой", - "listImportCardPopup-title": "Импортировать Trello карточку", - "listMorePopup-title": "Поделиться", - "link-list": "Ссылка на список", - "list-delete-pop": "Все действия будут удалены из ленты активности участников и вы не сможете восстановить список. Данное действие необратимо.", - "list-delete-suggest-archive": "Вы можете переместить карточку в Корзину, чтобы удалить ее с доски и сохранить активность .", - "lists": "Списки", - "swimlanes": "Дорожки", - "log-out": "Выйти", - "log-in": "Войти", - "loginPopup-title": "Войти", - "memberMenuPopup-title": "Настройки участника", - "members": "Участники", - "menu": "Меню", - "move-selection": "Переместить выделение", - "moveCardPopup-title": "Переместить карточку", - "moveCardToBottom-title": "Переместить вниз", - "moveCardToTop-title": "Переместить вверх", - "moveSelectionPopup-title": "Переместить выделение", - "multi-selection": "Выбрать несколько", - "multi-selection-on": "Выбрать несколько из", - "muted": "Заглушен", - "muted-info": "Вы НИКОГДА не будете уведомлены ни о каких изменениях в этой доске.", - "my-boards": "Мои доски", - "name": "Имя", - "no-archived-cards": "В Корзине нет никаких Карточек", - "no-archived-lists": "В Корзине нет никаких Списков", - "no-archived-swimlanes": "В Корзине нет никаких Дорожек", - "no-results": "Ничего не найдено", - "normal": "Обычный", - "normal-desc": "Может редактировать карточки. Не может управлять настройками.", - "not-accepted-yet": "Приглашение еще не принято", - "notify-participate": "Получать обновления по любым карточкам, которые вы создавали или участником которых являетесь.", - "notify-watch": "Получать обновления по любым доскам, спискам и карточкам, на которые вы подписаны как наблюдатель.", - "optional": "не обязательно", - "or": "или", - "page-maybe-private": "Возможно, эта страница скрыта от незарегистрированных пользователей. Попробуйте войти на сайт.", - "page-not-found": "Страница не найдена.", - "password": "Пароль", - "paste-or-dragdrop": "вставьте, или перетащите файл с изображением сюда (только графический файл)", - "participating": "Участвую", - "preview": "Предпросмотр", - "previewAttachedImagePopup-title": "Предпросмотр", - "previewClipboardImagePopup-title": "Предпросмотр", - "private": "Закрытая", - "private-desc": "Эта доска с ограниченным доступом. Только участники могут работать с ней.", - "profile": "Профиль", - "public": "Открытая", - "public-desc": "Эта доска может быть видна всем у кого есть ссылка. Также может быть проиндексирована поисковыми системами. Вносить изменения могут только участники.", - "quick-access-description": "Нажмите на звезду, что добавить ярлык доски на панель.", - "remove-cover": "Открепить", - "remove-from-board": "Удалить с доски", - "remove-label": "Удалить метку", - "listDeletePopup-title": "Удалить список?", - "remove-member": "Удалить участника", - "remove-member-from-card": "Удалить из карточки", - "remove-member-pop": "Удалить участника __name__ (__username__) из доски __boardTitle__? Участник будет удален из всех карточек на этой доске. Также он получит уведомление о совершаемом действии.", - "removeMemberPopup-title": "Удалить участника?", - "rename": "Переименовать", - "rename-board": "Переименовать доску", - "restore": "Восстановить", - "save": "Сохранить", - "search": "Поиск", - "search-cards": "Искать в названиях и описаниях карточек на этой доске", - "search-example": "Искать текст?", - "select-color": "Выбрать цвет", - "set-wip-limit-value": "Устанавливает ограничение на максимальное количество задач в этом списке", - "setWipLimitPopup-title": "Задать лимит на кол-во задач", - "shortcut-assign-self": "Связать себя с текущей карточкой", - "shortcut-autocomplete-emoji": "Автозаполнение emoji", - "shortcut-autocomplete-members": "Автозаполнение участников", - "shortcut-clear-filters": "Сбросить все фильтры", - "shortcut-close-dialog": "Закрыть диалог", - "shortcut-filter-my-cards": "Показать мои карточки", - "shortcut-show-shortcuts": "Поднять список ярлыков", - "shortcut-toggle-filterbar": "Переместить фильтр на бововую панель", - "shortcut-toggle-sidebar": "Переместить доску на боковую панель", - "show-cards-minimum-count": "Показывать количество карточек если их больше", - "sidebar-open": "Открыть Панель", - "sidebar-close": "Скрыть Панель", - "signupPopup-title": "Создать учетную запись", - "star-board-title": "Добавить в «Избранное». Эта доска будет всегда на виду.", - "starred-boards": "Добавленные в «Избранное»", - "starred-boards-description": "Избранные доски будут всегда вверху списка.", - "subscribe": "Подписаться", - "team": "Участники", - "this-board": "эту доску", - "this-card": "текущая карточка", - "spent-time-hours": "Затраченное время (в часах)", - "overtime-hours": "Переработка (в часах)", - "overtime": "Переработка", - "has-overtime-cards": "Имеются карточки с переработкой", - "has-spenttime-cards": "Имеются карточки с учетом затраченного времени", - "time": "Время", - "title": "Название", - "tracking": "Отслеживание", - "tracking-info": "Вы будете уведомлены о любых изменениях в тех карточках, в которых вы являетесь создателем или участником.", - "type": "Тип", - "unassign-member": "Отменить назначение участника", - "unsaved-description": "У вас есть несохраненное описание.", - "unwatch": "Перестать следить", - "upload": "Загрузить", - "upload-avatar": "Загрузить аватар", - "uploaded-avatar": "Загруженный аватар", - "username": "Имя пользователя", - "view-it": "Просмотреть", - "warn-list-archived": "Внимание: Данная карточка находится в списке, который перемещен в Корзину", - "watch": "Следить", - "watching": "Отслеживается", - "watching-info": "Вы будете уведомлены об любых изменениях в этой доске.", - "welcome-board": "Приветственная Доска", - "welcome-swimlane": "Этап 1", - "welcome-list1": "Основы", - "welcome-list2": "Расширенно", - "what-to-do": "Что вы хотите сделать?", - "wipLimitErrorPopup-title": "Некорректный лимит на кол-во задач", - "wipLimitErrorPopup-dialog-pt1": "Количество задач в этом списке превышает установленный вами лимит", - "wipLimitErrorPopup-dialog-pt2": "Пожалуйста, перенесите некоторые задачи из этого списка или увеличьте лимит на кол-во задач", - "admin-panel": "Административная Панель", - "settings": "Настройки", - "people": "Люди", - "registration": "Регистрация", - "disable-self-registration": "Отключить самостоятельную регистрацию", - "invite": "Пригласить", - "invite-people": "Пригласить людей", - "to-boards": "В Доску(и)", - "email-addresses": "Email адрес", - "smtp-host-description": "Адрес SMTP сервера, который отправляет ваши электронные письма.", - "smtp-port-description": "Порт который SMTP-сервер использует для исходящих сообщений.", - "smtp-tls-description": "Включить поддержку TLS для SMTP сервера", - "smtp-host": "SMTP Хост", - "smtp-port": "SMTP Порт", - "smtp-username": "Имя пользователя", - "smtp-password": "Пароль", - "smtp-tls": "поддержка TLS", - "send-from": "От", - "send-smtp-test": "Отправьте тестовое письмо себе", - "invitation-code": "Код приглашения", - "email-invite-register-subject": "__inviter__ прислал вам приглашение", - "email-invite-register-text": "Уважаемый __user__,\n\n__inviter__ приглашает вас в Wekan для сотрудничества.\n\nПожалуйста, проследуйте по ссылке:\n__url__\n\nВаш код приглашения: __icode__\n\nСпасибо.", - "email-smtp-test-subject": "SMTP Тестовое письмо от Wekan", - "email-smtp-test-text": "Вы успешно отправили письмо", - "error-invitation-code-not-exist": "Код приглашения не существует", - "error-notAuthorized": "У вас нет доступа на просмотр этой страницы.", - "outgoing-webhooks": "Исходящие Веб-хуки", - "outgoingWebhooksPopup-title": "Исходящие Веб-хуки", - "new-outgoing-webhook": "Новый исходящий Веб-хук", - "no-name": "(Неизвестный)", - "Wekan_version": "Версия Wekan", - "Node_version": "Версия NodeJS", - "OS_Arch": "Архитектура", - "OS_Cpus": "Количество процессоров", - "OS_Freemem": "Свободная память", - "OS_Loadavg": "Средняя загрузка", - "OS_Platform": "Платформа", - "OS_Release": "Релиз", - "OS_Totalmem": "Общая память", - "OS_Type": "Тип ОС", - "OS_Uptime": "Время работы", - "hours": "часы", - "minutes": "минуты", - "seconds": "секунды", - "show-field-on-card": "Показать это поле на карте", - "yes": "Да", - "no": "Нет", - "accounts": "Учетные записи", - "accounts-allowEmailChange": "Разрешить изменение электронной почты", - "accounts-allowUserNameChange": "Разрешить изменение имени пользователя", - "createdAt": "Создано на", - "verified": "Проверено", - "active": "Действующий", - "card-received": "Получено", - "card-received-on": "Получено с", - "card-end": "Дата окончания", - "card-end-on": "Завершится до", - "editCardReceivedDatePopup-title": "Изменить дату получения", - "editCardEndDatePopup-title": "Изменить дату завершения", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json deleted file mode 100644 index fa939432..00000000 --- a/i18n/sr.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Prihvati", - "act-activity-notify": "[Wekan] Obaveštenje o aktivnostima", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Akcije", - "activities": "Aktivnosti", - "activity": "Aktivnost", - "activity-added": "dodao %s u %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "prikačio %s u %s", - "activity-created": "kreirao %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "izuzmi %s iz %s", - "activity-imported": "uvezao %s u %s iz %s", - "activity-imported-board": "uvezao %s iz %s", - "activity-joined": "spojio %s", - "activity-moved": "premestio %s iz %s u %s", - "activity-on": "na %s", - "activity-removed": "uklonio %s iz %s", - "activity-sent": "poslao %s %s-u", - "activity-unjoined": "rastavio %s", - "activity-checklist-added": "lista je dodata u %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Dodaj", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Dodaj novu stavku u listu", - "add-cover": "Dodaj zaglavlje", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Dodaj Članove", - "added": "Dodao", - "addMemberPopup-title": "Članovi", - "admin": "Administrator", - "admin-desc": "Može da pregleda i menja kartice, uklanja članove i menja podešavanja table", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "Sve table", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Primeni", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Dodeli člana", - "attached": "Prikačeno", - "attachment": "Prikačeni dokument", - "attachment-delete-pop": "Brisanje prikačenog dokumenta je trajno. Ne postoji vraćanje obrisanog.", - "attachmentDeletePopup-title": "Obrisati prikačeni dokument ?", - "attachments": "Prikačeni dokumenti", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Nazad", - "board-change-color": "Promeni boju", - "board-nb-stars": "%s zvezdice", - "board-not-found": "Tabla nije pronađena", - "board-private-info": "Ova tabla će biti privatna.", - "board-public-info": "Ova tabla će biti javna.", - "boardChangeColorPopup-title": "Promeni pozadinu table", - "boardChangeTitlePopup-title": "Preimenuj tablu", - "boardChangeVisibilityPopup-title": "Promeni Vidljivost", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Meni table", - "boards": "Table", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Na primer \"Lista zadataka\"", - "cancel": "Otkaži", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "Ova kartica ima %s komentar.", - "card-delete-notice": "Brisanje je trajno. Izgubićeš sve akcije povezane sa ovom karticom.", - "card-delete-pop": "Sve akcije će biti uklonjene sa liste aktivnosti i kartica neće moći biti ponovo otvorena. Nema vraćanja unazad.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Krajnji datum", - "card-due-on": "Završava se", - "card-spent": "Spent Time", - "card-edit-attachments": "Uredi priloge", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Uredi natpise", - "card-edit-members": "Uredi članove", - "card-labels-title": "Promeni natpis na kartici.", - "card-members-title": "Dodaj ili ukloni članove table sa kartice.", - "card-start": "Početak", - "card-start-on": "Počinje", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Članovi", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Izmeni podešavanja", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Izmeni podešavanja", - "checklists": "Liste", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Datum", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Datum", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Izmeni početni datum", - "editCardDueDatePopup-title": "Izmeni krajnji datum", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Izmeni notifikaciju", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "Korisničko ime je već zauzeto", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "Nema oznake", - "filter-no-member": "Nema člana", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Sakrij sistemske poruke", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Uvezi tablu iz Trella", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Mapiraj članove", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Izaberi člana Wekan-a", - "info": "Version", - "initials": "Initials", - "invalid-date": "Neispravan datum", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Članovi", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Premesti na dno", - "moveCardToTop-title": "Premesti na vrh", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Utišano", - "muted-info": "Nećete biti obavešteni o promenama u ovoj tabli", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Nema rezultata", - "normal": "Normalno", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Budite obavešteni o novim događajima u tablama, listama ili karticama koje pratite.", - "optional": "opciono", - "or": "ili", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Stranica nije pronađena.", - "password": "Lozinka", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Učestvujem", - "preview": "Prikaz", - "previewAttachedImagePopup-title": "Prikaz", - "previewClipboardImagePopup-title": "Prikaz", - "private": "Privatno", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profil", - "public": "Javno", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Ukloni iz table", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Ukloni člana", - "remove-member-from-card": "Ukloni iz kartice", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Ukloni člana ?", - "rename": "Preimenuj", - "rename-board": "Preimenuj tablu", - "restore": "Oporavi", - "save": "Snimi", - "search": "Pretraga", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Pridruži sebe trenutnoj kartici", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Sam popuni članove", - "shortcut-clear-filters": "Očisti sve filtere", - "shortcut-close-dialog": "Zatvori dijalog", - "shortcut-filter-my-cards": "Filtriraj kartice", - "shortcut-show-shortcuts": "Prikaži ovu listu prečica", - "shortcut-toggle-filterbar": "Uključi ili isključi bočni meni filtera", - "shortcut-toggle-sidebar": "Uključi ili isključi bočni meni table", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Kreiraj nalog", - "star-board-title": "Klikni da označiš zvezdicom ovu tablu. Pokazaće se na vrhu tvoje liste tabli.", - "starred-boards": "Table sa zvezdicom", - "starred-boards-description": "Table sa zvezdicom se pokazuju na vrhu liste tabli.", - "subscribe": "Pretplati se", - "team": "Tim", - "this-board": "ova tabla", - "this-card": "ova kartica", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Vreme", - "title": "Naslov", - "tracking": "Praćenje", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "Imaš nesnimljen opis.", - "unwatch": "Ne posmatraj", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Korisničko ime", - "view-it": "Pregledaj je", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Posmatraj", - "watching": "Posmatranje", - "watching-info": "Bićete obavešteni o promenama u ovoj tabli", - "welcome-board": "Tabla dobrodošlice", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Osnove", - "welcome-list2": "Napredno", - "what-to-do": "Šta želiš da uradiš ?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Korisničko ime", - "smtp-password": "Lozinka", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json deleted file mode 100644 index 99a39773..00000000 --- a/i18n/sv.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Acceptera", - "act-activity-notify": "[Wekan] Aktivitetsavisering", - "act-addAttachment": "bifogade __attachment__ to __card__", - "act-addChecklist": "lade till checklist __checklist__ till __card__", - "act-addChecklistItem": "lade till __checklistItem__ till checklistan __checklist__ on __card__", - "act-addComment": "kommenterade __card__: __comment__", - "act-createBoard": "skapade __board__", - "act-createCard": "lade till __card__ to __list__", - "act-createCustomField": "skapa anpassat fält __customField__", - "act-createList": "lade till __list__ to __board__", - "act-addBoardMember": "lade till __member__ to __board__", - "act-archivedBoard": "__board__ flyttad till papperskorgen", - "act-archivedCard": "__card__ flyttad till papperskorgen", - "act-archivedList": "__list__ flyttad till papperskorgen", - "act-archivedSwimlane": "__swimlane__ flyttad till papperskorgen", - "act-importBoard": "importerade __board__", - "act-importCard": "importerade __card__", - "act-importList": "importerade __list__", - "act-joinMember": "lade __member__ till __card__", - "act-moveCard": "flyttade __card__ från __oldList__ till __list__", - "act-removeBoardMember": "tog bort __member__ från __board__", - "act-restoredCard": "återställde __card__ to __board__", - "act-unjoinMember": "tog bort __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Åtgärder", - "activities": "Aktiviteter", - "activity": "Aktivitet", - "activity-added": "Lade %s till %s", - "activity-archived": "%s flyttad till papperskorgen", - "activity-attached": "bifogade %s to %s", - "activity-created": "skapade %s", - "activity-customfield-created": "skapa anpassat fält %s", - "activity-excluded": "exkluderade %s från %s", - "activity-imported": "importerade %s till %s från %s", - "activity-imported-board": "importerade %s från %s", - "activity-joined": "anslöt sig till %s", - "activity-moved": "tog bort %s från %s till %s", - "activity-on": "på %s", - "activity-removed": "tog bort %s från %s", - "activity-sent": "skickade %s till %s", - "activity-unjoined": "gick ur %s", - "activity-checklist-added": "lade kontrollista till %s", - "activity-checklist-item-added": "lade checklista objekt till '%s' i %s", - "add": "Lägg till", - "add-attachment": "Lägg till bilaga", - "add-board": "Lägg till anslagstavla", - "add-card": "Lägg till kort", - "add-swimlane": "Lägg till simbana", - "add-checklist": "Lägg till checklista", - "add-checklist-item": "Lägg till ett objekt till kontrollista", - "add-cover": "Lägg till omslag", - "add-label": "Lägg till etikett", - "add-list": "Lägg till lista", - "add-members": "Lägg till medlemmar", - "added": "Lade till", - "addMemberPopup-title": "Medlemmar", - "admin": "Adminstratör", - "admin-desc": "Kan visa och redigera kort, ta bort medlemmar och ändra inställningarna för anslagstavlan.", - "admin-announcement": "Meddelande", - "admin-announcement-active": "Aktivt system-brett meddelande", - "admin-announcement-title": "Meddelande från administratör", - "all-boards": "Alla anslagstavlor", - "and-n-other-card": "Och __count__ annat kort", - "and-n-other-card_plural": "Och __count__ andra kort", - "apply": "Tillämpa", - "app-is-offline": "Wekan laddar, vänta. Uppdatering av sidan kommer att leda till förlust av data. Om Wekan inte laddas, kontrollera att Wekan-servern inte har stoppats.", - "archive": "Flytta till papperskorgen", - "archive-all": "Flytta alla till papperskorgen", - "archive-board": "Flytta anslagstavla till papperskorgen", - "archive-card": "Flytta kort till papperskorgen", - "archive-list": "Flytta lista till papperskorgen", - "archive-swimlane": "Flytta simbana till papperskorgen", - "archive-selection": "Flytta val till papperskorgen", - "archiveBoardPopup-title": "Flytta anslagstavla till papperskorgen?", - "archived-items": "Papperskorgen", - "archived-boards": "Anslagstavlor i papperskorgen", - "restore-board": "Återställ anslagstavla", - "no-archived-boards": "Inga anslagstavlor i papperskorgen", - "archives": "Papperskorgen", - "assign-member": "Tilldela medlem", - "attached": "bifogad", - "attachment": "Bilaga", - "attachment-delete-pop": "Ta bort en bilaga är permanent. Det går inte att ångra.", - "attachmentDeletePopup-title": "Ta bort bilaga?", - "attachments": "Bilagor", - "auto-watch": "Bevaka automatiskt anslagstavlor när de skapas", - "avatar-too-big": "Avatar är för stor (70KB max)", - "back": "Tillbaka", - "board-change-color": "Ändra färg", - "board-nb-stars": "%s stjärnor", - "board-not-found": "Anslagstavla hittades inte", - "board-private-info": "Denna anslagstavla kommer att vara privat.", - "board-public-info": "Denna anslagstavla kommer att vara officiell.", - "boardChangeColorPopup-title": "Ändra bakgrund på anslagstavla", - "boardChangeTitlePopup-title": "Byt namn på anslagstavla", - "boardChangeVisibilityPopup-title": "Ändra synlighet", - "boardChangeWatchPopup-title": "Ändra bevaka", - "boardMenuPopup-title": "Anslagstavla meny", - "boards": "Anslagstavlor", - "board-view": "Board View", - "board-view-swimlanes": "Simbanor", - "board-view-lists": "Listor", - "bucket-example": "Gilla \"att-göra-innan-jag-dör-lista\" till exempel", - "cancel": "Avbryt", - "card-archived": "Detta kort flyttas till papperskorgen.", - "card-comments-title": "Detta kort har %s kommentar.", - "card-delete-notice": "Ta bort är permanent. Du kommer att förlora alla åtgärder i samband med detta kort.", - "card-delete-pop": "Alla åtgärder kommer att tas bort från aktivitetsflöde och du kommer inte att kunna öppna kortet igen. Det går inte att ångra.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Förfaller", - "card-due-on": "Förfaller på", - "card-spent": "Spenderad tid", - "card-edit-attachments": "Redigera bilaga", - "card-edit-custom-fields": "Redigera anpassade fält", - "card-edit-labels": "Redigera etiketter", - "card-edit-members": "Redigera medlemmar", - "card-labels-title": "Ändra etiketter för kortet.", - "card-members-title": "Lägg till eller ta bort medlemmar av anslagstavlan från kortet.", - "card-start": "Börja", - "card-start-on": "Börja med", - "cardAttachmentsPopup-title": "Bifoga från", - "cardCustomField-datePopup-title": "Ändra datum", - "cardCustomFieldsPopup-title": "Redigera anpassade fält", - "cardDeletePopup-title": "Ta bort kort?", - "cardDetailsActionsPopup-title": "Kortåtgärder", - "cardLabelsPopup-title": "Etiketter", - "cardMembersPopup-title": "Medlemmar", - "cardMorePopup-title": "Mera", - "cards": "Kort", - "cards-count": "Kort", - "change": "Ändra", - "change-avatar": "Ändra avatar", - "change-password": "Ändra lösenord", - "change-permissions": "Ändra behörigheter", - "change-settings": "Ändra inställningar", - "changeAvatarPopup-title": "Ändra avatar", - "changeLanguagePopup-title": "Ändra språk", - "changePasswordPopup-title": "Ändra lösenord", - "changePermissionsPopup-title": "Ändra behörigheter", - "changeSettingsPopup-title": "Ändra inställningar", - "checklists": "Kontrollistor", - "click-to-star": "Klicka för att stjärnmärka denna anslagstavla.", - "click-to-unstar": "Klicka för att ta bort stjärnmärkningen från denna anslagstavla.", - "clipboard": "Urklipp eller dra och släpp", - "close": "Stäng", - "close-board": "Stäng anslagstavla", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "svart", - "color-blue": "blå", - "color-green": "grön", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "rosa", - "color-purple": "lila", - "color-red": "röd", - "color-sky": "himmel", - "color-yellow": "gul", - "comment": "Kommentera", - "comment-placeholder": "Skriv kommentar", - "comment-only": "Kommentera endast", - "comment-only-desc": "Kan endast kommentera kort.", - "computer": "Dator", - "confirm-checklist-delete-dialog": "Är du säker på att du vill ta bort checklista", - "copy-card-link-to-clipboard": "Kopiera kortlänk till urklipp", - "copyCardPopup-title": "Kopiera kort", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destinationskorttitlar och beskrivningar i detta JSON-format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Skapa", - "createBoardPopup-title": "Skapa anslagstavla", - "chooseBoardSourcePopup-title": "Importera anslagstavla", - "createLabelPopup-title": "Skapa etikett", - "createCustomField": "Skapa fält", - "createCustomFieldPopup-title": "Skapa fält", - "current": "aktuell", - "custom-field-delete-pop": "Det går inte att ångra. Detta tar bort det här anpassade fältet från alla kort och förstör dess historia.", - "custom-field-checkbox": "Kryssruta", - "custom-field-date": "Datum", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(inga)", - "custom-field-dropdown-options": "Listalternativ", - "custom-field-dropdown-options-placeholder": "Tryck på enter för att lägga till fler alternativ", - "custom-field-dropdown-unknown": "(okänd)", - "custom-field-number": "Nummer", - "custom-field-text": "Text", - "custom-fields": "Anpassade fält", - "date": "Datum", - "decline": "Nedgång", - "default-avatar": "Standard avatar", - "delete": "Ta bort", - "deleteCustomFieldPopup-title": "Ta bort anpassade fält?", - "deleteLabelPopup-title": "Ta bort etikett?", - "description": "Beskrivning", - "disambiguateMultiLabelPopup-title": "Otvetydig etikettåtgärd", - "disambiguateMultiMemberPopup-title": "Otvetydig medlemsåtgärd", - "discard": "Kassera", - "done": "Färdig", - "download": "Hämta", - "edit": "Redigera", - "edit-avatar": "Ändra avatar", - "edit-profile": "Redigera profil", - "edit-wip-limit": "Redigera WIP-gränsen", - "soft-wip-limit": "Mjuk WIP-gräns", - "editCardStartDatePopup-title": "Ändra startdatum", - "editCardDueDatePopup-title": "Ändra förfallodatum", - "editCustomFieldPopup-title": "Redigera fält", - "editCardSpentTimePopup-title": "Ändra spenderad tid", - "editLabelPopup-title": "Ändra etikett", - "editNotificationPopup-title": "Redigera avisering", - "editProfilePopup-title": "Redigera profil", - "email": "E-post", - "email-enrollAccount-subject": "Ett konto skapas för dig på __siteName__", - "email-enrollAccount-text": "Hej __user__,\n\nFör att börja använda tjänsten, klicka på länken nedan.\n\n__url__\n\nTack.", - "email-fail": "Sändning av e-post misslyckades", - "email-fail-text": "Ett fel vid försök att skicka e-post", - "email-invalid": "Ogiltig e-post", - "email-invite": "Bjud in via e-post", - "email-invite-subject": "__inviter__ skickade dig en inbjudan", - "email-invite-text": "Bästa __user__,\n\n__inviter__ inbjuder dig till anslagstavlan \"__board__\" för samarbete.\n\nFölj länken nedan:\n\n__url__\n\nTack.", - "email-resetPassword-subject": "Återställa lösenordet för __siteName__", - "email-resetPassword-text": "Hej __user__,\n\nFör att återställa ditt lösenord, klicka på länken nedan.\n\n__url__\n\nTack.", - "email-sent": "E-post skickad", - "email-verifyEmail-subject": "Verifiera din e-post adress på __siteName__", - "email-verifyEmail-text": "Hej __user__,\n\nFör att verifiera din konto e-post, klicka på länken nedan.\n\n__url__\n\nTack.", - "enable-wip-limit": "Aktivera WIP-gräns", - "error-board-doesNotExist": "Denna anslagstavla finns inte", - "error-board-notAdmin": "Du måste vara administratör för denna anslagstavla för att göra det", - "error-board-notAMember": "Du måste vara medlem i denna anslagstavla för att göra det", - "error-json-malformed": "Din text är inte giltigt JSON", - "error-json-schema": "Din JSON data inkluderar inte korrekt information i rätt format", - "error-list-doesNotExist": "Denna lista finns inte", - "error-user-doesNotExist": "Denna användare finns inte", - "error-user-notAllowSelf": "Du kan inte bjuda in dig själv", - "error-user-notCreated": "Den här användaren har inte skapats", - "error-username-taken": "Detta användarnamn är redan taget", - "error-email-taken": "E-post har redan tagits", - "export-board": "Exportera anslagstavla", - "filter": "Filtrera", - "filter-cards": "Filtrera kort", - "filter-clear": "Rensa filter", - "filter-no-label": "Ingen etikett", - "filter-no-member": "Ingen medlem", - "filter-no-custom-fields": "Inga anpassade fält", - "filter-on": "Filter är på", - "filter-on-desc": "Du filtrerar kort på denna anslagstavla. Klicka här för att redigera filter.", - "filter-to-selection": "Filter till val", - "advanced-filter-label": "Avancerat filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Namn", - "header-logo-title": "Gå tillbaka till din anslagstavlor-sida.", - "hide-system-messages": "Göm systemmeddelanden", - "headerBarCreateBoardPopup-title": "Skapa anslagstavla", - "home": "Hem", - "import": "Importera", - "import-board": "importera anslagstavla", - "import-board-c": "Importera anslagstavla", - "import-board-title-trello": "Importera anslagstavla från Trello", - "import-board-title-wekan": "Importera anslagstavla från Wekan", - "import-sandstorm-warning": "Importerad anslagstavla raderar all befintlig data på anslagstavla och ersätter den med importerat anslagstavla.", - "from-trello": "Från Trello", - "from-wekan": "Från Wekan", - "import-board-instruction-trello": "I din Trello-anslagstavla, gå till 'Meny', sedan 'Mera', 'Skriv ut och exportera', 'Exportera JSON' och kopiera den resulterande text.", - "import-board-instruction-wekan": "I din Wekan-anslagstavla, gå till \"Meny\", sedan \"Exportera anslagstavla\" och kopiera texten i den hämtade filen.", - "import-json-placeholder": "Klistra in giltigt JSON data här", - "import-map-members": "Kartlägg medlemmar", - "import-members-map": "Din importerade anslagstavla har några medlemmar. Kartlägg medlemmarna som du vill importera till Wekan-användare", - "import-show-user-mapping": "Granska medlemskartläggning", - "import-user-select": "Välj Wekan-användare du vill använda som denna medlem", - "importMapMembersAddPopup-title": "Välj Wekan member", - "info": "Version", - "initials": "Initialer ", - "invalid-date": "Ogiltigt datum", - "invalid-time": "Ogiltig tid", - "invalid-user": "Ogiltig användare", - "joined": "gick med", - "just-invited": "Du blev nyss inbjuden till denna anslagstavla", - "keyboard-shortcuts": "Tangentbordsgenvägar", - "label-create": "Skapa etikett", - "label-default": "%s etikett (standard)", - "label-delete-pop": "Det finns ingen ångra. Detta tar bort denna etikett från alla kort och förstöra dess historik.", - "labels": "Etiketter", - "language": "Språk", - "last-admin-desc": "Du kan inte ändra roller för det måste finnas minst en administratör.", - "leave-board": "Lämna anslagstavla", - "leave-board-pop": "Är du säker på att du vill lämna __boardTitle__? Du kommer att tas bort från alla kort på den här anslagstavlan.", - "leaveBoardPopup-title": "Lämna anslagstavla ?", - "link-card": "Länka till detta kort", - "list-archive-cards": "Flytta alla kort i den här listan till papperskorgen", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Flytta alla kort i denna lista", - "list-select-cards": "Välj alla kort i denna lista", - "listActionPopup-title": "Liståtgärder", - "swimlaneActionPopup-title": "Simbana-åtgärder", - "listImportCardPopup-title": "Importera ett Trello kort", - "listMorePopup-title": "Mera", - "link-list": "Länk till den här listan", - "list-delete-pop": "Alla åtgärder kommer att tas bort från aktivitetsmatningen och du kommer inte att kunna återställa listan. Det går inte att ångra.", - "list-delete-suggest-archive": "Du kan flytta en lista till papperskorgen för att ta bort den från brädet och bevara aktiviteten.", - "lists": "Listor", - "swimlanes": "Simbanor ", - "log-out": "Logga ut", - "log-in": "Logga in", - "loginPopup-title": "Logga in", - "memberMenuPopup-title": "Användarinställningar", - "members": "Medlemmar", - "menu": "Meny", - "move-selection": "Flytta vald", - "moveCardPopup-title": "Flytta kort", - "moveCardToBottom-title": "Flytta längst ner", - "moveCardToTop-title": "Flytta högst upp", - "moveSelectionPopup-title": "Flytta vald", - "multi-selection": "Flerval", - "multi-selection-on": "Flerval är på", - "muted": "Tystad", - "muted-info": "Du kommer aldrig att meddelas om eventuella ändringar i denna anslagstavla", - "my-boards": "Mina anslagstavlor", - "name": "Namn", - "no-archived-cards": "Inga kort i papperskorgen.", - "no-archived-lists": "Inga listor i papperskorgen.", - "no-archived-swimlanes": "Inga simbanor i papperskorgen.", - "no-results": "Inga reslutat", - "normal": "Normal", - "normal-desc": "Kan se och redigera kort. Kan inte ändra inställningar.", - "not-accepted-yet": "Inbjudan inte ännu accepterad", - "notify-participate": "Få uppdateringar till alla kort du deltar i som skapare eller medlem", - "notify-watch": "Få uppdateringar till alla anslagstavlor, listor, eller kort du bevakar", - "optional": "valfri", - "or": "eller", - "page-maybe-private": "Denna sida kan vara privat. Du kanske kan se den genom att logga in.", - "page-not-found": "Sidan hittades inte.", - "password": "Lösenord", - "paste-or-dragdrop": "klistra in eller dra och släpp bildfil till den (endast bilder)", - "participating": "Deltagande", - "preview": "Förhandsvisning", - "previewAttachedImagePopup-title": "Förhandsvisning", - "previewClipboardImagePopup-title": "Förhandsvisning", - "private": "Privat", - "private-desc": "Denna anslagstavla är privat. Endast personer tillagda till anslagstavlan kan se och redigera den.", - "profile": "Profil", - "public": "Officiell", - "public-desc": "Denna anslagstavla är offentlig. Den är synligt för alla med länken och kommer att dyka upp i sökmotorer som Google. Endast personer tillagda till anslagstavlan kan redigera.", - "quick-access-description": "Stjärnmärk en anslagstavla för att lägga till en genväg i detta fält.", - "remove-cover": "Ta bort omslag", - "remove-from-board": "Ta bort från anslagstavla", - "remove-label": "Ta bort etikett", - "listDeletePopup-title": "Ta bort lista", - "remove-member": "Ta bort medlem", - "remove-member-from-card": "Ta bort från kort", - "remove-member-pop": "Ta bort __name__ (__username__) från __boardTitle__? Medlemmen kommer att bli borttagen från alla kort i denna anslagstavla. De kommer att få en avisering.", - "removeMemberPopup-title": "Ta bort medlem?", - "rename": "Byt namn", - "rename-board": "Byt namn på anslagstavla", - "restore": "Återställ", - "save": "Spara", - "search": "Sök", - "search-cards": "Sök från korttitlar och beskrivningar på det här brädet", - "search-example": "Text att söka efter?", - "select-color": "Välj färg", - "set-wip-limit-value": "Ange en gräns för det maximala antalet uppgifter i den här listan", - "setWipLimitPopup-title": "Ställ in WIP-gräns", - "shortcut-assign-self": "Tilldela dig nuvarande kort", - "shortcut-autocomplete-emoji": "Komplettera automatiskt emoji", - "shortcut-autocomplete-members": "Komplettera automatiskt medlemmar", - "shortcut-clear-filters": "Rensa alla filter", - "shortcut-close-dialog": "Stäng dialog", - "shortcut-filter-my-cards": "Filtrera mina kort", - "shortcut-show-shortcuts": "Ta fram denna genvägslista", - "shortcut-toggle-filterbar": "Växla filtrets sidofält", - "shortcut-toggle-sidebar": "Växla anslagstavlans sidofält", - "show-cards-minimum-count": "Visa kortantal om listan innehåller mer än", - "sidebar-open": "Stäng sidofält", - "sidebar-close": "Stäng sidofält", - "signupPopup-title": "Skapa ett konto", - "star-board-title": "Klicka för att stjärnmärka denna anslagstavla. Den kommer att visas högst upp på din lista över anslagstavlor.", - "starred-boards": "Stjärnmärkta anslagstavlor", - "starred-boards-description": "Stjärnmärkta anslagstavlor visas högst upp på din lista över anslagstavlor.", - "subscribe": "Prenumenera", - "team": "Grupp", - "this-board": "denna anslagstavla", - "this-card": "detta kort", - "spent-time-hours": "Spenderad tid (timmar)", - "overtime-hours": "Övertid (timmar)", - "overtime": "Övertid", - "has-overtime-cards": "Har övertidskort", - "has-spenttime-cards": "Har spenderat tidkort", - "time": "Tid", - "title": "Titel", - "tracking": "Spårning", - "tracking-info": "Du kommer att meddelas om eventuella ändringar av dessa kort du deltar i som skapare eller medlem.", - "type": "Skriv", - "unassign-member": "Ta bort tilldelad medlem", - "unsaved-description": "Du har en osparad beskrivning.", - "unwatch": "Avbevaka", - "upload": "Ladda upp", - "upload-avatar": "Ladda upp en avatar", - "uploaded-avatar": "Laddade upp en avatar", - "username": "Änvandarnamn", - "view-it": "Visa det", - "warn-list-archived": "varning: det här kortet finns i en lista i papperskorgen", - "watch": "Bevaka", - "watching": "Bevakar", - "watching-info": "Du kommer att meddelas om alla ändringar på denna anslagstavla", - "welcome-board": "Välkomstanslagstavla", - "welcome-swimlane": "Milstolpe 1", - "welcome-list1": "Grunderna", - "welcome-list2": "Avancerad", - "what-to-do": "Vad vill du göra?", - "wipLimitErrorPopup-title": "Ogiltig WIP-gräns", - "wipLimitErrorPopup-dialog-pt1": "Antalet uppgifter i den här listan är högre än WIP-gränsen du har definierat.", - "wipLimitErrorPopup-dialog-pt2": "Flytta några uppgifter ur listan, eller ställ in en högre WIP-gräns.", - "admin-panel": "Administratörspanel ", - "settings": "Inställningar", - "people": "Personer", - "registration": "Registrering", - "disable-self-registration": "Avaktiverar självregistrering", - "invite": "Bjud in", - "invite-people": "Bjud in personer", - "to-boards": "Till anslagstavl(a/or)", - "email-addresses": "E-post adresser", - "smtp-host-description": "Adressen till SMTP-servern som hanterar din e-post.", - "smtp-port-description": "Porten SMTP-servern använder för utgående e-post.", - "smtp-tls-description": "Aktivera TLS-stöd för SMTP-server", - "smtp-host": "SMTP-värd", - "smtp-port": "SMTP-port", - "smtp-username": "Användarnamn", - "smtp-password": "Lösenord", - "smtp-tls": "TLS-stöd", - "send-from": "Från", - "send-smtp-test": "Skicka ett prov e-postmeddelande till dig själv", - "invitation-code": "Inbjudningskod", - "email-invite-register-subject": "__inviter__ skickade dig en inbjudan", - "email-invite-register-text": "Bästa __user__,\n\n__inviter__ inbjuder dig till Wekan för samarbeten.\n\nVänligen följ länken nedan:\n__url__\n\nOch din inbjudningskod är: __icode__\n\nTack.", - "email-smtp-test-subject": "SMTP-prov e-post från Wekan", - "email-smtp-test-text": "Du har skickat ett e-postmeddelande", - "error-invitation-code-not-exist": "Inbjudningskod finns inte", - "error-notAuthorized": "Du är inte behörig att se den här sidan.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Okänd)", - "Wekan_version": "Wekan version", - "Node_version": "Nodversion", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU-räkning", - "OS_Freemem": "OS ledigt minne", - "OS_Loadavg": "OS belastningsgenomsnitt", - "OS_Platform": "OS plattforme", - "OS_Release": "OS utgåva", - "OS_Totalmem": "OS totalt minne", - "OS_Type": "OS Typ", - "OS_Uptime": "OS drifttid", - "hours": "timmar", - "minutes": "minuter", - "seconds": "sekunder", - "show-field-on-card": "Visa detta fält på kort", - "yes": "Ja", - "no": "Nej", - "accounts": "Konton", - "accounts-allowEmailChange": "Tillåt e-poständring", - "accounts-allowUserNameChange": "Tillåt användarnamnändring", - "createdAt": "Skapad vid", - "verified": "Verifierad", - "active": "Aktiv", - "card-received": "Mottagen", - "card-received-on": "Mottagen den", - "card-end": "Slut", - "card-end-on": "Slutar den", - "editCardReceivedDatePopup-title": "Ändra mottagningsdatum", - "editCardEndDatePopup-title": "Ändra slutdatum", - "assigned-by": "Tilldelad av", - "requested-by": "Efterfrågad av", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Ta bort anslagstavla?", - "delete-board": "Ta bort anslagstavla" -} \ No newline at end of file diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json deleted file mode 100644 index 317f2e3b..00000000 --- a/i18n/ta.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Accept", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Add", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", - "addMemberPopup-title": "Members", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Members", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Members", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json deleted file mode 100644 index e383b3d8..00000000 --- a/i18n/th.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "ยอมรับ", - "act-activity-notify": "[Wekan] แจ้งกิจกรรม", - "act-addAttachment": "แนบไฟล์ __attachment__ ไปยัง __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "ออกความเห็นที่ __card__: __comment__", - "act-createBoard": "สร้าง __board__", - "act-createCard": "เพิ่ม __card__ ไปยัง __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "เพิ่ม __list__ ไปยัง __board__", - "act-addBoardMember": "เพิ่ม __member__ ไปยัง __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "นำเข้า __board__", - "act-importCard": "นำเข้า __card__", - "act-importList": "นำเข้า __list__", - "act-joinMember": "เพิ่ม __member__ ไปยัง __card__", - "act-moveCard": "ย้าย __card__ จาก __oldList__ ไป __list__", - "act-removeBoardMember": "ลบ __member__ จาก __board__", - "act-restoredCard": "กู้คืน __card__ ไปยัง __board__", - "act-unjoinMember": "ลบ __member__ จาก __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "ปฎิบัติการ", - "activities": "กิจกรรม", - "activity": "กิจกรรม", - "activity-added": "เพิ่ม %s ไปยัง %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "แนบ %s ไปยัง %s", - "activity-created": "สร้าง %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "ยกเว้น %s จาก %s", - "activity-imported": "ถูกนำเข้า %s ไปยัง %s จาก %s", - "activity-imported-board": "นำเข้า %s จาก %s", - "activity-joined": "เข้าร่วม %s", - "activity-moved": "ย้าย %s จาก %s ถึง %s", - "activity-on": "บน %s", - "activity-removed": "ลบ %s จาด %s", - "activity-sent": "ส่ง %s ถึง %s", - "activity-unjoined": "ยกเลิกเข้าร่วม %s", - "activity-checklist-added": "รายการถูกเพิ่มไป %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "เพิ่ม", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "เพิ่มรายการตรวจสอบ", - "add-cover": "เพิ่มหน้าปก", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "เพิ่มสมาชิก", - "added": "เพิ่ม", - "addMemberPopup-title": "สมาชิก", - "admin": "ผู้ดูแลระบบ", - "admin-desc": "สามารถดูและแก้ไขการ์ด ลบสมาชิก และเปลี่ยนการตั้งค่าบอร์ดได้", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "บอร์ดทั้งหมด", - "and-n-other-card": "และการ์ดอื่น __count__", - "and-n-other-card_plural": "และการ์ดอื่น ๆ __count__", - "apply": "นำมาใช้", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "กำหนดสมาชิก", - "attached": "แนบมาด้วย", - "attachment": "สิ่งที่แนบมา", - "attachment-delete-pop": "ลบสิ่งที่แนบมาถาวร ไม่สามารถเลิกทำได้", - "attachmentDeletePopup-title": "ลบสิ่งที่แนบมาหรือไม่", - "attachments": "สิ่งที่แนบมา", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "ย้อนกลับ", - "board-change-color": "เปลี่ยนสี", - "board-nb-stars": "ติดดาว %s", - "board-not-found": "ไม่มีบอร์ด", - "board-private-info": "บอร์ดนี้จะเป็น ส่วนตัว.", - "board-public-info": "บอร์ดนี้จะเป็น สาธารณะ.", - "boardChangeColorPopup-title": "เปลี่ยนสีพื้นหลังบอร์ด", - "boardChangeTitlePopup-title": "เปลี่ยนชื่อบอร์ด", - "boardChangeVisibilityPopup-title": "เปลี่ยนการเข้าถึง", - "boardChangeWatchPopup-title": "เปลี่ยนการเฝ้าดู", - "boardMenuPopup-title": "เมนูบอร์ด", - "boards": "บอร์ด", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "รายการ", - "bucket-example": "ตัวอย่างเช่น “ระบบที่ต้องทำ”", - "cancel": "ยกเลิก", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "การ์ดนี้มี %s ความเห็น.", - "card-delete-notice": "เป็นการลบถาวร คุณจะสูญเสียข้อมูลที่เกี่ยวข้องกับการ์ดนี้ทั้งหมด", - "card-delete-pop": "การดำเนินการทั้งหมดจะถูกลบจาก feed กิจกรรมและคุณไม่สามารถเปิดได้อีกครั้งหรือยกเลิกการทำ", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "ครบกำหนด", - "card-due-on": "ครบกำหนดเมื่อ", - "card-spent": "Spent Time", - "card-edit-attachments": "แก้ไขสิ่งที่แนบมา", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "แก้ไขป้ายกำกับ", - "card-edit-members": "แก้ไขสมาชิก", - "card-labels-title": "เปลี่ยนป้ายกำกับของการ์ด", - "card-members-title": "เพิ่มหรือลบสมาชิกของบอร์ดจากการ์ด", - "card-start": "เริ่ม", - "card-start-on": "เริ่มเมื่อ", - "cardAttachmentsPopup-title": "แนบจาก", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "ลบการ์ดนี้หรือไม่", - "cardDetailsActionsPopup-title": "การดำเนินการการ์ด", - "cardLabelsPopup-title": "ป้ายกำกับ", - "cardMembersPopup-title": "สมาชิก", - "cardMorePopup-title": "เพิ่มเติม", - "cards": "การ์ด", - "cards-count": "การ์ด", - "change": "เปลี่ยน", - "change-avatar": "เปลี่ยนภาพ", - "change-password": "เปลี่ยนรหัสผ่าน", - "change-permissions": "เปลี่ยนสิทธิ์", - "change-settings": "เปลี่ยนการตั้งค่า", - "changeAvatarPopup-title": "เปลี่ยนภาพ", - "changeLanguagePopup-title": "เปลี่ยนภาษา", - "changePasswordPopup-title": "เปลี่ยนรหัสผ่าน", - "changePermissionsPopup-title": "เปลี่ยนสิทธิ์", - "changeSettingsPopup-title": "เปลี่ยนการตั้งค่า", - "checklists": "รายการตรวจสอบ", - "click-to-star": "คลิกดาวบอร์ดนี้", - "click-to-unstar": "คลิกยกเลิกดาวบอร์ดนี้", - "clipboard": "Clipboard หรือลากและวาง", - "close": "ปิด", - "close-board": "ปิดบอร์ด", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "ดำ", - "color-blue": "น้ำเงิน", - "color-green": "เขียว", - "color-lime": "เหลืองมะนาว", - "color-orange": "ส้ม", - "color-pink": "ชมพู", - "color-purple": "ม่วง", - "color-red": "แดง", - "color-sky": "ฟ้า", - "color-yellow": "เหลือง", - "comment": "คอมเม็นต์", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "คอมพิวเตอร์", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "สร้าง", - "createBoardPopup-title": "สร้างบอร์ด", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "สร้างป้ายกำกับ", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "ปัจจุบัน", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "วันที่", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "วันที่", - "decline": "ปฎิเสธ", - "default-avatar": "ภาพเริ่มต้น", - "delete": "ลบ", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "ลบป้ายกำกับนี้หรือไม่", - "description": "คำอธิบาย", - "disambiguateMultiLabelPopup-title": "การดำเนินการกำกับป้ายชัดเจน", - "disambiguateMultiMemberPopup-title": "การดำเนินการสมาชิกชัดเจน", - "discard": "ทิ้ง", - "done": "เสร็จสิ้น", - "download": "ดาวน์โหลด", - "edit": "แก้ไข", - "edit-avatar": "เปลี่ยนภาพ", - "edit-profile": "แก้ไขโปรไฟล์", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "เปลี่ยนวันเริ่มต้น", - "editCardDueDatePopup-title": "เปลี่ยนวันครบกำหนด", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "เปลี่ยนป้ายกำกับ", - "editNotificationPopup-title": "แก้ไขการแจ้งเตือน", - "editProfilePopup-title": "แก้ไขโปรไฟล์", - "email": "อีเมล์", - "email-enrollAccount-subject": "บัญชีคุณถูกสร้างใน __siteName__", - "email-enrollAccount-text": "สวัสดี __user__,\n\nเริ่มใช้บริการง่าย ๆ , ด้วยการคลิกลิงค์ด้านล่าง.\n\n__url__\n\n ขอบคุณค่ะ", - "email-fail": "การส่งอีเมล์ล้มเหลว", - "email-fail-text": "Error trying to send email", - "email-invalid": "อีเมล์ไม่ถูกต้อง", - "email-invite": "เชิญผ่านทางอีเมล์", - "email-invite-subject": "__inviter__ ส่งคำเชิญให้คุณ", - "email-invite-text": "สวัสดี __user__,\n\n__inviter__ ขอเชิญคุณเข้าร่วม \"__board__\" เพื่อขอความร่วมมือ \n\n โปรดคลิกตามลิงค์ข้างล่างนี้ \n\n__url__\n\n ขอบคุณ", - "email-resetPassword-subject": "ตั้งรหัสผ่่านใหม่ของคุณบน __siteName__", - "email-resetPassword-text": "สวัสดี __user__,\n\nในการรีเซ็ตรหัสผ่านของคุณ, คลิกตามลิงค์ด้านล่าง \n\n__url__\n\nขอบคุณค่ะ", - "email-sent": "ส่งอีเมล์", - "email-verifyEmail-subject": "ยืนยันที่อยู่อีเม์ของคุณบน __siteName__", - "email-verifyEmail-text": "สวัสดี __user__,\n\nตรวจสอบบัญชีอีเมล์ของคุณ ง่าย ๆ ตามลิงค์ด้านล่าง \n\n__url__\n\n ขอบคุณค่ะ", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "บอร์ดนี้ไม่มีอยู่แล้ว", - "error-board-notAdmin": "คุณจะต้องเป็นผู้ดูแลระบบถึงจะทำสิ่งเหล่านี้ได้", - "error-board-notAMember": "คุณต้องเป็นสมาชิกของบอร์ดนี้ถึงจะทำได้", - "error-json-malformed": "ข้อความของคุณไม่ใช่ JSON", - "error-json-schema": "รูปแบบข้้้อมูล JSON ของคุณไม่ถูกต้อง", - "error-list-doesNotExist": "รายการนี้ไม่มีอยู่", - "error-user-doesNotExist": "ผู้ใช้นี้ไม่มีอยู่", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "ผู้ใช้รายนี้ไม่ได้สร้าง", - "error-username-taken": "ชื่อนี้ถูกใช้งานแล้ว", - "error-email-taken": "Email has already been taken", - "export-board": "ส่งออกกระดาน", - "filter": "กรอง", - "filter-cards": "กรองการ์ด", - "filter-clear": "ล้างตัวกรอง", - "filter-no-label": "ไม่มีฉลาก", - "filter-no-member": "ไม่มีสมาชิก", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "กรองบน", - "filter-on-desc": "คุณกำลังกรองการ์ดในบอร์ดนี้ คลิกที่นี่เพื่อแก้ไขตัวกรอง", - "filter-to-selection": "กรองตัวเลือก", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "ชื่อ นามสกุล", - "header-logo-title": "ย้อนกลับไปที่หน้าบอร์ดของคุณ", - "hide-system-messages": "ซ่อนข้อความของระบบ", - "headerBarCreateBoardPopup-title": "สร้างบอร์ด", - "home": "หน้าหลัก", - "import": "นำเข้า", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "นำเข้าบอร์ดจาก Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "ใน Trello ของคุณให้ไปที่ 'Menu' และไปที่ More -> Print and Export -> Export JSON และคัดลอกข้อความจากนั้น", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "วางข้อมูล JSON ที่ถูกต้องของคุณที่นี่", - "import-map-members": "แผนที่สมาชิก", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review การทำแผนที่สมาชิก", - "import-user-select": "เลือกผู้ใช้ Wekan ที่คุณต้องการใช้เป็นเหมือนสมาชิกนี้", - "importMapMembersAddPopup-title": "เลือกสมาชิก", - "info": "Version", - "initials": "ชื่อย่อ", - "invalid-date": "วันที่ไม่ถูกต้อง", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "เข้าร่วม", - "just-invited": "คุณพึ่งได้รับเชิญบอร์ดนี้", - "keyboard-shortcuts": "แป้นพิมพ์ลัด", - "label-create": "สร้างป้ายกำกับ", - "label-default": "ป้าย %s (ค่าเริ่มต้น)", - "label-delete-pop": "ไม่มีการยกเลิกการทำนี้ ลบป้ายกำกับนี้จากทุกการ์ดและล้างประวัติทิ้ง", - "labels": "ป้ายกำกับ", - "language": "ภาษา", - "last-admin-desc": "คุณไม่สามารถเปลี่ยนบทบาทเพราะต้องมีผู้ดูแลระบบหนึ่งคนเป็นอย่างน้อย", - "leave-board": "ทิ้งบอร์ด", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "เชื่อมโยงไปยังการ์ดใบนี้", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "ย้ายการ์ดทั้งหมดในรายการนี้", - "list-select-cards": "เลือกการ์ดทั้งหมดในรายการนี้", - "listActionPopup-title": "รายการการดำเนิน", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "นำเข้าการ์ด Trello", - "listMorePopup-title": "เพิ่มเติม", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "รายการ", - "swimlanes": "Swimlanes", - "log-out": "ออกจากระบบ", - "log-in": "เข้าสู่ระบบ", - "loginPopup-title": "เข้าสู่ระบบ", - "memberMenuPopup-title": "การตั้งค่า", - "members": "สมาชิก", - "menu": "เมนู", - "move-selection": "ย้ายตัวเลือก", - "moveCardPopup-title": "ย้ายการ์ด", - "moveCardToBottom-title": "ย้ายไปล่าง", - "moveCardToTop-title": "ย้ายไปบน", - "moveSelectionPopup-title": "เลือกย้าย", - "multi-selection": "เลือกหลายรายการ", - "multi-selection-on": "เลือกหลายรายการเมื่อ", - "muted": "ไม่ออกเสียง", - "muted-info": "คุณจะไม่ได้รับแจ้งการเปลี่ยนแปลงใด ๆ ในบอร์ดนี้", - "my-boards": "บอร์ดของฉัน", - "name": "ชื่อ", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "ไม่มีข้อมูล", - "normal": "ธรรมดา", - "normal-desc": "สามารถดูและแก้ไขการ์ดได้ แต่ไม่สามารถเปลี่ยนการตั้งค่าได้", - "not-accepted-yet": "ยังไม่ยอมรับคำเชิญ", - "notify-participate": "ได้รับการแจ้งปรับปรุงการ์ดอื่น ๆ ที่คุณมีส่วนร่วมในฐานะผู้สร้างหรือสมาชิก", - "notify-watch": "ได้รับการแจ้งปรับปรุงบอร์ด รายการหรือการ์ดที่คุณเฝ้าติดตาม", - "optional": "ไม่จำเป็น", - "or": "หรือ", - "page-maybe-private": "หน้านี้อาจจะเป็นส่วนตัว. คุณอาจจะสามารถดูจาก logging in.", - "page-not-found": "ไม่พบหน้า", - "password": "รหัสผ่าน", - "paste-or-dragdrop": "วาง หรือลากและวาง ไฟล์ภาพ(ภาพเท่านั้น)", - "participating": "Participating", - "preview": "ภาพตัวอย่าง", - "previewAttachedImagePopup-title": "ตัวอย่าง", - "previewClipboardImagePopup-title": "ตัวอย่าง", - "private": "ส่วนตัว", - "private-desc": "บอร์ดนี้เป็นส่วนตัว. คนที่ถูกเพิ่มเข้าในบอร์ดเท่านั้นที่สามารถดูและแก้ไขได้", - "profile": "โปรไฟล์", - "public": "สาธารณะ", - "public-desc": "บอร์ดนี้เป็นสาธารณะ. ทุกคนสามารถเข้าถึงได้ผ่าน url นี้ แต่สามารถแก้ไขได้เฉพาะผู้ที่ถูกเพิ่มเข้าไปในการ์ดเท่านั้น", - "quick-access-description": "เพิ่มไว้ในนี้เพื่อเป็นทางลัด", - "remove-cover": "ลบหน้าปก", - "remove-from-board": "ลบจากบอร์ด", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "ลบสมาชิก", - "remove-member-from-card": "ลบจากการ์ด", - "remove-member-pop": "ลบ __name__ (__username__) จาก __boardTitle__ หรือไม่ สมาชิกจะถูกลบออกจากการ์ดทั้งหมดบนบอร์ดนี้ และพวกเขาจะได้รับการแจ้งเตือน", - "removeMemberPopup-title": "ลบสมาชิกหรือไม่", - "rename": "ตั้งชื่อใหม่", - "rename-board": "ตั้งชื่อบอร์ดใหม่", - "restore": "กู้คืน", - "save": "บันทึก", - "search": "ค้นหา", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "กำหนดตัวเองให้การ์ดนี้", - "shortcut-autocomplete-emoji": "เติม emoji อัตโนมัติ", - "shortcut-autocomplete-members": "เติมสมาชิกอัตโนมัติ", - "shortcut-clear-filters": "ล้างตัวกรองทั้งหมด", - "shortcut-close-dialog": "ปิดหน้าต่าง", - "shortcut-filter-my-cards": "กรองการ์ดฉัน", - "shortcut-show-shortcuts": "นำรายการทางลัดนี้ขึ้น", - "shortcut-toggle-filterbar": "สลับแถบกรองสไลด์ด้้านข้าง", - "shortcut-toggle-sidebar": "สลับโชว์แถบด้านข้าง", - "show-cards-minimum-count": "แสดงจำนวนของการ์ดถ้ารายการมีมากกว่า(เลื่อนกำหนดตัวเลข)", - "sidebar-open": "เปิดแถบเลื่อน", - "sidebar-close": "ปิดแถบเลื่อน", - "signupPopup-title": "สร้างบัญชี", - "star-board-title": "คลิกติดดาวบอร์ดนี้ มันจะแสดงอยู่บนสุดของรายการบอร์ดของคุณ", - "starred-boards": "ติดดาวบอร์ด", - "starred-boards-description": "ติดดาวบอร์ดและแสดงไว้บนสุดของรายการบอร์ด", - "subscribe": "บอกรับสมาชิก", - "team": "ทีม", - "this-board": "บอร์ดนี้", - "this-card": "การ์ดนี้", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "เวลา", - "title": "หัวข้อ", - "tracking": "ติดตาม", - "tracking-info": "คุณจะได้รับแจ้งการเปลี่ยนแปลงใด ๆ กับการ์ดที่คุณมีส่วนร่วมในฐานะผู้สร้างหรือสมาชิก", - "type": "Type", - "unassign-member": "ยกเลิกสมาชิก", - "unsaved-description": "คุณมีคำอธิบายที่ไม่ได้บันทึก", - "unwatch": "เลิกเฝ้าดู", - "upload": "อัพโหลด", - "upload-avatar": "อัพโหลดรูปภาพ", - "uploaded-avatar": "ภาพอัพโหลดแล้ว", - "username": "ชื่อผู้ใช้งาน", - "view-it": "ดู", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "เฝ้าดู", - "watching": "เฝ้าดู", - "watching-info": "คุณจะได้รับแจ้งหากมีการเปลี่ยนแปลงใด ๆ ในบอร์ดนี้", - "welcome-board": "ยินดีต้อนรับสู่บอร์ด", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "พื้นฐาน", - "welcome-list2": "ก้าวหน้า", - "what-to-do": "ต้องการทำอะไร", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "ชื่อผู้ใช้งาน", - "smtp-password": "รหัสผ่าน", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ ส่งคำเชิญให้คุณ", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json deleted file mode 100644 index 29d8006d..00000000 --- a/i18n/tr.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Kabul Et", - "act-activity-notify": "[Wekan] Etkinlik Bildirimi", - "act-addAttachment": "__card__ kartına __attachment__ dosyasını ekledi", - "act-addChecklist": "__card__ kartında __checklist__ yapılacak listesini ekledi", - "act-addChecklistItem": "__checklistItem__ öğesini __card__ kartındaki __checklist__ yapılacak listesine ekledi", - "act-addComment": "__card__ kartına bir yorum bıraktı: __comment__", - "act-createBoard": "__board__ panosunu oluşturdu", - "act-createCard": "__card__ kartını ___list__ listesine ekledi", - "act-createCustomField": "__customField__ adlı özel alan yaratıldı", - "act-createList": "__list__ listesini __board__ panosuna ekledi", - "act-addBoardMember": "__member__ kullanıcısını __board__ panosuna ekledi", - "act-archivedBoard": "__board__ Geri Dönüşüm Kutusu'na taşındı", - "act-archivedCard": "__card__ Geri Dönüşüm Kutusu'na taşındı", - "act-archivedList": "__list__ Geri Dönüşüm Kutusu'na taşındı", - "act-archivedSwimlane": "__swimlane__ Geri Dönüşüm Kutusu'na taşındı", - "act-importBoard": "__board__ panosunu içe aktardı", - "act-importCard": "__card__ kartını içe aktardı", - "act-importList": "__list__ listesini içe aktardı", - "act-joinMember": "__member__ kullanıcısnı __card__ kartına ekledi", - "act-moveCard": "__card__ kartını __oldList__ listesinden __list__ listesine taşıdı", - "act-removeBoardMember": "__board__ panosundan __member__ kullanıcısını çıkarttı", - "act-restoredCard": "__card__ kartını __board__ panosuna geri getirdi", - "act-unjoinMember": "__member__ kullanıcısnı __card__ kartından çıkarttı", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "İşlemler", - "activities": "Etkinlikler", - "activity": "Etkinlik", - "activity-added": "%s içine %s ekledi", - "activity-archived": "%s Geri Dönüşüm Kutusu'na taşındı", - "activity-attached": "%s içine %s ekledi", - "activity-created": "%s öğesini oluşturdu", - "activity-customfield-created": "%s adlı özel alan yaratıldı", - "activity-excluded": "%s içinden %s çıkarttı", - "activity-imported": "%s kaynağından %s öğesini %s öğesinin içine taşıdı ", - "activity-imported-board": "%s i %s içinden aktardı", - "activity-joined": "şuna katıldı: %s", - "activity-moved": "%s i %s içinden %s içine taşıdı", - "activity-on": "%s", - "activity-removed": "%s i %s ten kaldırdı", - "activity-sent": "%s i %s e gönderdi", - "activity-unjoined": "%s içinden ayrıldı", - "activity-checklist-added": "%s içine yapılacak listesi ekledi", - "activity-checklist-item-added": "%s içinde %s yapılacak listesine öğe ekledi", - "add": "Ekle", - "add-attachment": "Ek Ekle", - "add-board": "Pano Ekle", - "add-card": "Kart Ekle", - "add-swimlane": "Kulvar Ekle", - "add-checklist": "Yapılacak Listesi Ekle", - "add-checklist-item": "Yapılacak listesine yeni bir öğe ekle", - "add-cover": "Kapak resmi ekle", - "add-label": "Etiket Ekle", - "add-list": "Liste Ekle", - "add-members": "Üye ekle", - "added": "Eklendi", - "addMemberPopup-title": "Üyeler", - "admin": "Yönetici", - "admin-desc": "Kartları görüntüleyebilir ve düzenleyebilir, üyeleri çıkarabilir ve pano ayarlarını değiştirebilir.", - "admin-announcement": "Duyuru", - "admin-announcement-active": "Tüm Sistemde Etkin Duyuru", - "admin-announcement-title": "Yöneticiden Duyuru", - "all-boards": "Tüm panolar", - "and-n-other-card": "Ve __count__ diğer kart", - "and-n-other-card_plural": "Ve __count__ diğer kart", - "apply": "Uygula", - "app-is-offline": "Wekan yükleniyor, lütfen bekleyin. Sayfayı yenilemek veri kaybına sebep olabilir. Eğer Wekan yüklenmezse, lütfen Wekan sunucusunun çalıştığından emin olun.", - "archive": "Geri Dönüşüm Kutusu'na taşı", - "archive-all": "Tümünü Geri Dönüşüm Kutusu'na taşı", - "archive-board": "Panoyu Geri Dönüşüm Kutusu'na taşı", - "archive-card": "Kartı Geri Dönüşüm Kutusu'na taşı", - "archive-list": "Listeyi Geri Dönüşüm Kutusu'na taşı", - "archive-swimlane": "Kulvarı Geri Dönüşüm Kutusu'na taşı", - "archive-selection": "Seçimi Geri Dönüşüm Kutusu'na taşı", - "archiveBoardPopup-title": "Panoyu Geri Dönüşüm Kutusu'na taşı", - "archived-items": "Geri Dönüşüm Kutusu", - "archived-boards": "Geri Dönüşüm Kutusu'ndaki panolar", - "restore-board": "Panoyu Geri Getir", - "no-archived-boards": "Geri Dönüşüm Kutusu'nda pano yok.", - "archives": "Geri Dönüşüm Kutusu", - "assign-member": "Üye ata", - "attached": "dosya(sı) eklendi", - "attachment": "Ek Dosya", - "attachment-delete-pop": "Ek silme işlemi kalıcıdır ve geri alınamaz.", - "attachmentDeletePopup-title": "Ek Silinsin mi?", - "attachments": "Ekler", - "auto-watch": "Oluşan yeni panoları kendiliğinden izlemeye al", - "avatar-too-big": "Avatar boyutu çok büyük (En fazla 70KB olabilir)", - "back": "Geri", - "board-change-color": "Renk değiştir", - "board-nb-stars": "%s yıldız", - "board-not-found": "Pano bulunamadı", - "board-private-info": "Bu pano gizli olacak.", - "board-public-info": "Bu pano genele açılacaktır.", - "boardChangeColorPopup-title": "Pano arkaplan rengini değiştir", - "boardChangeTitlePopup-title": "Panonun Adını Değiştir", - "boardChangeVisibilityPopup-title": "Görünebilirliği Değiştir", - "boardChangeWatchPopup-title": "İzleme Durumunu Değiştir", - "boardMenuPopup-title": "Pano menüsü", - "boards": "Panolar", - "board-view": "Pano Görünümü", - "board-view-swimlanes": "Kulvarlar", - "board-view-lists": "Listeler", - "bucket-example": "Örn: \"Marketten Alacaklarım\"", - "cancel": "İptal", - "card-archived": "Bu kart Geri Dönüşüm Kutusu'na taşındı", - "card-comments-title": "Bu kartta %s yorum var.", - "card-delete-notice": "Silme işlemi kalıcıdır. Bu kartla ilişkili tüm eylemleri kaybedersiniz.", - "card-delete-pop": "Son hareketler alanındaki tüm veriler silinecek, ayrıca bu kartı yeniden açamayacaksın. Bu işlemin geri dönüşü yok.", - "card-delete-suggest-archive": "Kartları Geri Dönüşüm Kutusu'na taşıyarak panodan kaldırabilir ve içindeki aktiviteleri saklayabilirsiniz.", - "card-due": "Bitiş", - "card-due-on": "Bitiş tarihi:", - "card-spent": "Harcanan Zaman", - "card-edit-attachments": "Ek dosyasını düzenle", - "card-edit-custom-fields": "Özel alanları düzenle", - "card-edit-labels": "Etiketleri düzenle", - "card-edit-members": "Üyeleri düzenle", - "card-labels-title": "Bu kart için etiketleri düzenle", - "card-members-title": "Karta pano içindeki üyeleri ekler veya çıkartır.", - "card-start": "Başlama", - "card-start-on": "Başlama tarihi:", - "cardAttachmentsPopup-title": "Eklenme", - "cardCustomField-datePopup-title": "Tarihi değiştir", - "cardCustomFieldsPopup-title": "Özel alanları düzenle", - "cardDeletePopup-title": "Kart Silinsin mi?", - "cardDetailsActionsPopup-title": "Kart işlemleri", - "cardLabelsPopup-title": "Etiketler", - "cardMembersPopup-title": "Üyeler", - "cardMorePopup-title": "Daha", - "cards": "Kartlar", - "cards-count": "Kartlar", - "change": "Değiştir", - "change-avatar": "Avatar Değiştir", - "change-password": "Parola Değiştir", - "change-permissions": "İzinleri değiştir", - "change-settings": "Ayarları değiştir", - "changeAvatarPopup-title": "Avatar Değiştir", - "changeLanguagePopup-title": "Dil Değiştir", - "changePasswordPopup-title": "Parola Değiştir", - "changePermissionsPopup-title": "Yetkileri Değiştirme", - "changeSettingsPopup-title": "Ayarları değiştir", - "checklists": "Yapılacak Listeleri", - "click-to-star": "Bu panoyu yıldızlamak için tıkla.", - "click-to-unstar": "Bu panunun yıldızını kaldırmak için tıkla.", - "clipboard": "Yapıştır veya sürükleyip bırak", - "close": "Kapat", - "close-board": "Panoyu kapat", - "close-board-pop": "Silinen panoyu geri getirmek için menüden \"Geri Dönüşüm Kutusu\"'na tıklayabilirsiniz.", - "color-black": "siyah", - "color-blue": "mavi", - "color-green": "yeşil", - "color-lime": "misket limonu", - "color-orange": "turuncu", - "color-pink": "pembe", - "color-purple": "mor", - "color-red": "kırmızı", - "color-sky": "açık mavi", - "color-yellow": "sarı", - "comment": "Yorum", - "comment-placeholder": "Yorum Yaz", - "comment-only": "Sadece yorum", - "comment-only-desc": "Sadece kartlara yorum yazabilir.", - "computer": "Bilgisayar", - "confirm-checklist-delete-dialog": "Yapılacak listesini silmek istediğinize emin misiniz", - "copy-card-link-to-clipboard": "Kartın linkini kopyala", - "copyCardPopup-title": "Kartı Kopyala", - "copyChecklistToManyCardsPopup-title": "Yapılacaklar Listesi şemasını birden çok karta kopyala", - "copyChecklistToManyCardsPopup-instructions": "Hedef Kart Başlıkları ve Açıklamaları bu JSON formatında", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"İlk kart başlığı\", \"description\":\"İlk kart açıklaması\"}, {\"title\":\"İkinci kart başlığı\",\"description\":\"İkinci kart açıklaması\"},{\"title\":\"Son kart başlığı\",\"description\":\"Son kart açıklaması\"} ]", - "create": "Oluştur", - "createBoardPopup-title": "Pano Oluşturma", - "chooseBoardSourcePopup-title": "Panoyu içe aktar", - "createLabelPopup-title": "Etiket Oluşturma", - "createCustomField": "Alanı yarat", - "createCustomFieldPopup-title": "Alanı yarat", - "current": "mevcut", - "custom-field-delete-pop": "Bunun geri dönüşü yoktur. Bu özel alan tüm kartlardan kaldırılıp tarihçesi yokedilecektir.", - "custom-field-checkbox": "İşaret kutusu", - "custom-field-date": "Tarih", - "custom-field-dropdown": "Açılır liste", - "custom-field-dropdown-none": "(hiçbiri)", - "custom-field-dropdown-options": "Liste seçenekleri", - "custom-field-dropdown-options-placeholder": "Başka seçenekler eklemek için giriş tuşuna basınız", - "custom-field-dropdown-unknown": "(bilinmeyen)", - "custom-field-number": "Sayı", - "custom-field-text": "Metin", - "custom-fields": "Özel alanlar", - "date": "Tarih", - "decline": "Reddet", - "default-avatar": "Varsayılan avatar", - "delete": "Sil", - "deleteCustomFieldPopup-title": "Özel alan silinsin mi?", - "deleteLabelPopup-title": "Etiket Silinsin mi?", - "description": "Açıklama", - "disambiguateMultiLabelPopup-title": "Etiket işlemini izah et", - "disambiguateMultiMemberPopup-title": "Üye işlemini izah et", - "discard": "At", - "done": "Tamam", - "download": "İndir", - "edit": "Düzenle", - "edit-avatar": "Avatar Değiştir", - "edit-profile": "Profili Düzenle", - "edit-wip-limit": "Devam Eden İş Sınırını Düzenle", - "soft-wip-limit": "Zayıf Devam Eden İş Sınırı", - "editCardStartDatePopup-title": "Başlangıç tarihini değiştir", - "editCardDueDatePopup-title": "Bitiş tarihini değiştir", - "editCustomFieldPopup-title": "Alanı düzenle", - "editCardSpentTimePopup-title": "Harcanan zamanı değiştir", - "editLabelPopup-title": "Etiket Değiştir", - "editNotificationPopup-title": "Bildirimi değiştir", - "editProfilePopup-title": "Profili Düzenle", - "email": "E-posta", - "email-enrollAccount-subject": "Hesabınız __siteName__ üzerinde oluşturuldu", - "email-enrollAccount-text": "Merhaba __user__,\n\nBu servisi kullanmaya başlamak için aşağıdaki linke tıklamalısın:\n\n__url__\n\nTeşekkürler.", - "email-fail": "E-posta gönderimi başarısız", - "email-fail-text": "E-Posta gönderilme çalışırken hata oluştu", - "email-invalid": "Geçersiz e-posta", - "email-invite": "E-posta ile davet et", - "email-invite-subject": "__inviter__ size bir davetiye gönderdi", - "email-invite-text": "Sevgili __user__,\n\n__inviter__ seni birlikte çalışmak için \"__board__\" panosuna davet ediyor.\n\nLütfen aşağıdaki linke tıkla:\n\n__url__\n\nTeşekkürler.", - "email-resetPassword-subject": "__siteName__ üzerinde parolanı sıfırla", - "email-resetPassword-text": "Merhaba __user__,\n\nParolanı sıfırlaman için aşağıdaki linke tıklaman yeterli.\n\n__url__\n\nTeşekkürler.", - "email-sent": "E-posta gönderildi", - "email-verifyEmail-subject": "__siteName__ üzerindeki e-posta adresini doğrulama", - "email-verifyEmail-text": "Merhaba __user__,\n\nHesap e-posta adresini doğrulamak için aşağıdaki linke tıklaman yeterli.\n\n__url__\n\nTeşekkürler.", - "enable-wip-limit": "Devam Eden İş Sınırını Aç", - "error-board-doesNotExist": "Pano bulunamadı", - "error-board-notAdmin": "Bu işlemi yapmak için pano yöneticisi olmalısın.", - "error-board-notAMember": "Bu işlemi yapmak için panoya üye olmalısın.", - "error-json-malformed": "Girilen metin geçerli bir JSON formatında değil", - "error-json-schema": "Girdiğin JSON metni tüm bilgileri doğru biçimde barındırmıyor", - "error-list-doesNotExist": "Liste bulunamadı", - "error-user-doesNotExist": "Kullanıcı bulunamadı", - "error-user-notAllowSelf": "Kendi kendini davet edemezsin", - "error-user-notCreated": "Bu üye oluşturulmadı", - "error-username-taken": "Kullanıcı adı zaten alınmış", - "error-email-taken": "Bu e-posta adresi daha önceden alınmış", - "export-board": "Panoyu dışarı aktar", - "filter": "Filtre", - "filter-cards": "Kartları Filtrele", - "filter-clear": "Filtreyi temizle", - "filter-no-label": "Etiket yok", - "filter-no-member": "Üye yok", - "filter-no-custom-fields": "Hiç özel alan yok", - "filter-on": "Filtre aktif", - "filter-on-desc": "Bu panodaki kartları filtreliyorsunuz. Fitreyi düzenlemek için tıklayın.", - "filter-to-selection": "Seçime göre filtreleme yap", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Ad Soyad", - "header-logo-title": "Panolar sayfanıza geri dön.", - "hide-system-messages": "Sistem mesajlarını gizle", - "headerBarCreateBoardPopup-title": "Pano Oluşturma", - "home": "Ana Sayfa", - "import": "İçeri aktar", - "import-board": "panoyu içe aktar", - "import-board-c": "Panoyu içe aktar", - "import-board-title-trello": "Trello'dan panoyu içeri aktar", - "import-board-title-wekan": "Wekan'dan panoyu içe aktar", - "import-sandstorm-warning": "İçe aktarılan pano şu anki panonun verilerinin üzerine yazılacak ve var olan veriler silinecek.", - "from-trello": "Trello'dan", - "from-wekan": "Wekan'dan", - "import-board-instruction-trello": "Trello panonuzda 'Menü'ye gidip 'Daha fazlası'na tıklayın, ardından 'Yazdır ve Çıktı Al'ı seçip 'JSON biçiminde çıktı al' diyerek çıkan metni buraya kopyalayın.", - "import-board-instruction-wekan": "Wekan panonuzda önce Menü'yü, ardından \"Panoyu dışa aktar\"ı seçip bilgisayarınıza indirilen dosyanın içindeki metni kopyalayın.", - "import-json-placeholder": "Geçerli JSON verisini buraya yapıştırın", - "import-map-members": "Üyeleri eşleştirme", - "import-members-map": "İçe aktardığın panoda bazı kullanıcılar var. Lütfen bu kullanıcıları Wekan panosundaki kullanıcılarla eşleştirin.", - "import-show-user-mapping": "Üye eşleştirmesini kontrol et", - "import-user-select": "Bu üyenin sistemdeki hangi kullanıcı olduğunu seçin", - "importMapMembersAddPopup-title": "Üye seç", - "info": "Sürüm", - "initials": "İlk Harfleri", - "invalid-date": "Geçersiz tarih", - "invalid-time": "Geçersiz zaman", - "invalid-user": "Geçersiz kullanıcı", - "joined": "katıldı", - "just-invited": "Bu panoya şimdi davet edildin.", - "keyboard-shortcuts": "Klavye kısayolları", - "label-create": "Etiket Oluşturma", - "label-default": "%s etiket (varsayılan)", - "label-delete-pop": "Bu işlem geri alınamaz. Bu etiket tüm kartlardan kaldırılacaktır ve geçmişi yok edecektir.", - "labels": "Etiketler", - "language": "Dil", - "last-admin-desc": "En az bir yönetici olması gerektiğinden rolleri değiştiremezsiniz.", - "leave-board": "Panodan ayrıl", - "leave-board-pop": "__boardTitle__ panosundan ayrılmak istediğinize emin misiniz? Panodaki tüm kartlardan kaldırılacaksınız.", - "leaveBoardPopup-title": "Panodan ayrılmak istediğinize emin misiniz?", - "link-card": "Bu kartın bağlantısı", - "list-archive-cards": "Listedeki tüm kartları Geri Dönüşüm Kutusu'na gönder", - "list-archive-cards-pop": "Bu işlem listedeki tüm kartları kaldıracak. Silinmiş kartları görüntülemek ve geri yüklemek için menüden Geri Dönüşüm Kutusu'na tıklayabilirsiniz.", - "list-move-cards": "Listedeki tüm kartları taşı", - "list-select-cards": "Listedeki tüm kartları seç", - "listActionPopup-title": "Liste İşlemleri", - "swimlaneActionPopup-title": "Kulvar İşlemleri", - "listImportCardPopup-title": "Bir Trello kartını içeri aktar", - "listMorePopup-title": "Daha", - "link-list": "Listeye doğrudan bağlantı", - "list-delete-pop": "Etkinlik akışınızdaki tüm eylemler geri kurtarılamaz şekilde kaldırılacak. Bu işlem geri alınamaz.", - "list-delete-suggest-archive": "Bir listeyi Dönüşüm Kutusuna atarak panodan kaldırabilir, ancak eylemleri koruyarak saklayabilirsiniz. ", - "lists": "Listeler", - "swimlanes": "Kulvarlar", - "log-out": "Oturum Kapat", - "log-in": "Oturum Aç", - "loginPopup-title": "Oturum Aç", - "memberMenuPopup-title": "Üye Ayarları", - "members": "Üyeler", - "menu": "Menü", - "move-selection": "Seçimi taşı", - "moveCardPopup-title": "Kartı taşı", - "moveCardToBottom-title": "Aşağı taşı", - "moveCardToTop-title": "Yukarı taşı", - "moveSelectionPopup-title": "Seçimi taşı", - "multi-selection": "Çoklu seçim", - "multi-selection-on": "Çoklu seçim açık", - "muted": "Sessiz", - "muted-info": "Bu panodaki hiçbir değişiklik hakkında bildirim almayacaksınız", - "my-boards": "Panolarım", - "name": "Adı", - "no-archived-cards": "Dönüşüm Kutusunda hiç kart yok.", - "no-archived-lists": "Dönüşüm Kutusunda hiç liste yok.", - "no-archived-swimlanes": "Dönüşüm Kutusunda hiç kulvar yok.", - "no-results": "Sonuç yok", - "normal": "Normal", - "normal-desc": "Kartları görüntüleyebilir ve düzenleyebilir. Ayarları değiştiremez.", - "not-accepted-yet": "Davet henüz kabul edilmemiş", - "notify-participate": "Oluşturduğunuz veya üye olduğunuz tüm kartlar hakkında bildirim al", - "notify-watch": "Takip ettiğiniz tüm pano, liste ve kartlar hakkında bildirim al", - "optional": "isteğe bağlı", - "or": "veya", - "page-maybe-private": "Bu sayfa gizli olabilir. Oturum açarak görmeyi deneyin.", - "page-not-found": "Sayda bulunamadı.", - "password": "Parola", - "paste-or-dragdrop": "Dosya eklemek için yapıştırabilir, veya (eğer resimse) sürükle bırak yapabilirsiniz", - "participating": "Katılımcılar", - "preview": "Önizleme", - "previewAttachedImagePopup-title": "Önizleme", - "previewClipboardImagePopup-title": "Önizleme", - "private": "Gizli", - "private-desc": "Bu pano gizli. Sadece panoya ekli kişiler görüntüleyebilir ve düzenleyebilir.", - "profile": "Kullanıcı Sayfası", - "public": "Genel", - "public-desc": "Bu pano genel. Bağlantı adresi ile herhangi bir kimseye görünür ve Google gibi arama motorlarında gösterilecektir. Panoyu, sadece eklenen kişiler düzenleyebilir.", - "quick-access-description": "Bu bara kısayol olarak bir pano eklemek için panoyu yıldızlamalısınız", - "remove-cover": "Kapak Resmini Kaldır", - "remove-from-board": "Panodan Kaldır", - "remove-label": "Etiketi Kaldır", - "listDeletePopup-title": "Liste silinsin mi?", - "remove-member": "Üyeyi Çıkar", - "remove-member-from-card": "Karttan Çıkar", - "remove-member-pop": "__boardTitle__ panosundan __name__ (__username__) çıkarılsın mı? Üye, bu panodaki tüm kartlardan çıkarılacak. Panodan çıkarıldığı üyeye bildirilecektir.", - "removeMemberPopup-title": "Üye çıkarılsın mı?", - "rename": "Yeniden adlandır", - "rename-board": "Panonun Adını Değiştir", - "restore": "Geri Getir", - "save": "Kaydet", - "search": "Arama", - "search-cards": "Bu tahta da ki kart başlıkları ve açıklamalarında arama yap", - "search-example": "Aranılacak metin?", - "select-color": "Renk Seç", - "set-wip-limit-value": "Bu listedeki en fazla öğe sayısı için bir sınır belirleyin", - "setWipLimitPopup-title": "Devam Eden İş Sınırı Belirle", - "shortcut-assign-self": "Kendini karta ata", - "shortcut-autocomplete-emoji": "Emojileri otomatik tamamla", - "shortcut-autocomplete-members": "Üye isimlerini otomatik tamamla", - "shortcut-clear-filters": "Tüm filtreleri temizle", - "shortcut-close-dialog": "Diyaloğu kapat", - "shortcut-filter-my-cards": "Kartlarımı filtrele", - "shortcut-show-shortcuts": "Kısayollar listesini getir", - "shortcut-toggle-filterbar": "Filtre kenar çubuğunu aç/kapa", - "shortcut-toggle-sidebar": "Pano kenar çubuğunu aç/kapa", - "show-cards-minimum-count": "Eğer listede şu sayıdan fazla öğe varsa kart sayısını göster: ", - "sidebar-open": "Kenar Çubuğunu Aç", - "sidebar-close": "Kenar Çubuğunu Kapat", - "signupPopup-title": "Bir Hesap Oluştur", - "star-board-title": "Bu panoyu yıldızlamak için tıkla. Yıldızlı panolar pano listesinin en üstünde gösterilir.", - "starred-boards": "Yıldızlı Panolar", - "starred-boards-description": "Yıldızlanmış panolar, pano listesinin en üstünde gösterilir.", - "subscribe": "Abone ol", - "team": "Takım", - "this-board": "bu panoyu", - "this-card": "bu kart", - "spent-time-hours": "Harcanan zaman (saat)", - "overtime-hours": "Aşılan süre (saat)", - "overtime": "Aşılan süre", - "has-overtime-cards": "Süresi aşılmış kartlar", - "has-spenttime-cards": "Zaman geçirilmiş kartlar", - "time": "Zaman", - "title": "Başlık", - "tracking": "Takip", - "tracking-info": "Oluşturduğunuz veya üyesi olduğunuz tüm kartlardaki değişiklikler size bildirim olarak gelecek.", - "type": "Tür", - "unassign-member": "Üyeye atamayı kaldır", - "unsaved-description": "Kaydedilmemiş bir açıklama metnin bulunmakta", - "unwatch": "Takibi bırak", - "upload": "Yükle", - "upload-avatar": "Avatar yükle", - "uploaded-avatar": "Avatar yüklendi", - "username": "Kullanıcı adı", - "view-it": "Görüntüle", - "warn-list-archived": "uyarı: bu kart Dönüşüm Kutusundaki bir listede var", - "watch": "Takip Et", - "watching": "Takip Ediliyor", - "watching-info": "Bu pano hakkındaki tüm değişiklikler hakkında bildirim alacaksınız", - "welcome-board": "Hoş Geldiniz Panosu", - "welcome-swimlane": "Kilometre taşı", - "welcome-list1": "Temel", - "welcome-list2": "Gelişmiş", - "what-to-do": "Ne yapmak istiyorsunuz?", - "wipLimitErrorPopup-title": "Geçersiz Devam Eden İş Sınırı", - "wipLimitErrorPopup-dialog-pt1": "Bu listedeki iş sayısı belirlediğiniz sınırdan daha fazla.", - "wipLimitErrorPopup-dialog-pt2": "Lütfen bazı işleri bu listeden başka listeye taşıyın ya da devam eden iş sınırını yükseltin.", - "admin-panel": "Yönetici Paneli", - "settings": "Ayarlar", - "people": "Kullanıcılar", - "registration": "Kayıt", - "disable-self-registration": "Ziyaretçilere kaydı kapa", - "invite": "Davet", - "invite-people": "Kullanıcı davet et", - "to-boards": "Şu pano(lar)a", - "email-addresses": "E-posta adresleri", - "smtp-host-description": "E-posta gönderimi yapan SMTP sunucu adresi", - "smtp-port-description": "E-posta gönderimi yapan SMTP sunucu portu", - "smtp-tls-description": "SMTP mail sunucusu için TLS kriptolama desteği açılsın", - "smtp-host": "SMTP sunucu adresi", - "smtp-port": "SMTP portu", - "smtp-username": "Kullanıcı adı", - "smtp-password": "Parola", - "smtp-tls": "TLS desteği", - "send-from": "Gönderen", - "send-smtp-test": "Kendinize deneme E-Postası gönderin", - "invitation-code": "Davetiye kodu", - "email-invite-register-subject": "__inviter__ size bir davetiye gönderdi", - "email-invite-register-text": "Sevgili __user__,\n\n__inviter__ sizi beraber çalışabilmek için Wekan'a davet etti.\n\nLütfen aşağıdaki linke tıklayın:\n__url__\n\nDavetiye kodunuz: __icode__\n\nTeşekkürler.", - "email-smtp-test-subject": "Wekan' dan SMTP E-Postası", - "email-smtp-test-text": "E-Posta başarıyla gönderildi", - "error-invitation-code-not-exist": "Davetiye kodu bulunamadı", - "error-notAuthorized": "Bu sayfayı görmek için yetkiniz yok.", - "outgoing-webhooks": "Dışarı giden bağlantılar", - "outgoingWebhooksPopup-title": "Dışarı giden bağlantılar", - "new-outgoing-webhook": "Yeni Dışarı Giden Web Bağlantısı", - "no-name": "(Bilinmeyen)", - "Wekan_version": "Wekan sürümü", - "Node_version": "Node sürümü", - "OS_Arch": "İşletim Sistemi Mimarisi", - "OS_Cpus": "İşletim Sistemi İşlemci Sayısı", - "OS_Freemem": "İşletim Sistemi Kullanılmayan Bellek", - "OS_Loadavg": "İşletim Sistemi Ortalama Yük", - "OS_Platform": "İşletim Sistemi Platformu", - "OS_Release": "İşletim Sistemi Sürümü", - "OS_Totalmem": "İşletim Sistemi Toplam Belleği", - "OS_Type": "İşletim Sistemi Tipi", - "OS_Uptime": "İşletim Sistemi Toplam Açık Kalınan Süre", - "hours": "saat", - "minutes": "dakika", - "seconds": "saniye", - "show-field-on-card": "Bu alanı kartta göster", - "yes": "Evet", - "no": "Hayır", - "accounts": "Hesaplar", - "accounts-allowEmailChange": "E-posta Değiştirmeye İzin Ver", - "accounts-allowUserNameChange": "Kullanıcı adı değiştirmeye izin ver", - "createdAt": "Oluşturulma tarihi", - "verified": "Doğrulanmış", - "active": "Aktif", - "card-received": "Giriş", - "card-received-on": "Giriş zamanı", - "card-end": "Bitiş", - "card-end-on": "Bitiş zamanı", - "editCardReceivedDatePopup-title": "Giriş tarihini değiştir", - "editCardEndDatePopup-title": "Bitiş tarihini değiştir", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json deleted file mode 100644 index b0c88c4a..00000000 --- a/i18n/uk.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Прийняти", - "act-activity-notify": "[Wekan] Сповіщення Діяльності", - "act-addAttachment": "__attachment__ додане до __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "комментар в __card__: __comment__", - "act-createBoard": "__board__ створенна", - "act-createCard": "__card__ карта додана до __list__ листа", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "__card__ заімпортована", - "act-importList": "imported __list__", - "act-joinMember": "__member__ був доданий до __card__", - "act-moveCard": " __card__ була перенесена з __oldList__ до __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": " __card__ відновлена у __board__", - "act-unjoinMember": " __member__ був виделений з __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Дії", - "activities": "Діяльність", - "activity": "Активність", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Додати", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Додати елемент в список", - "add-cover": "Додати обкладинку", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Додати користувача", - "added": "Доданно", - "addMemberPopup-title": "Користувачі", - "admin": "Адмін", - "admin-desc": "Може переглядати і редагувати картки, відаляти учасників та змінювати налаштування для дошки.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "Всі дошки", - "and-n-other-card": "та __count__ інших карток", - "and-n-other-card_plural": "та __count__ інших карток", - "apply": "Прийняти", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "доданно", - "attachment": "Додаток", - "attachment-delete-pop": "Видалення Додатку безповоротне. Тут нема відміні (undo).", - "attachmentDeletePopup-title": "Видалити Додаток?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Назад", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Дошки", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Відміна", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Користувачі", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Користувачі", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json deleted file mode 100644 index ba609c92..00000000 --- a/i18n/vi.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Chấp nhận", - "act-activity-notify": "[Wekan] Thông Báo Hoạt Động", - "act-addAttachment": "đã đính kèm __attachment__ vào __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "đã bình luận trong __card__: __comment__", - "act-createBoard": "đã tạo __board__", - "act-createCard": "đã thêm __card__ vào __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "đã thêm __list__ vào __board__", - "act-addBoardMember": "đã thêm __member__ vào __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "đã nạp bảng __board__", - "act-importCard": "đã nạp thẻ __card__", - "act-importList": "đã nạp danh sách __list__", - "act-joinMember": "đã thêm thành viên __member__ vào __card__", - "act-moveCard": "đã chuyển thẻ __card__ từ __oldList__ sang __list__", - "act-removeBoardMember": "đã xóa thành viên __member__ khỏi __board__", - "act-restoredCard": "đã khôi phục thẻ __card__ vào bảng __board__", - "act-unjoinMember": "đã xóa thành viên __member__ khỏi thẻ __card__", - "act-withBoardTitle": "[Wekan] Bảng __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Hành Động", - "activities": "Hoạt Động", - "activity": "Hoạt Động", - "activity-added": "đã thêm %s vào %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "đã đính kèm %s vào %s", - "activity-created": "đã tạo %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "đã loại bỏ %s khỏi %s", - "activity-imported": "đã nạp %s vào %s từ %s", - "activity-imported-board": "đã nạp %s từ %s", - "activity-joined": "đã tham gia %s", - "activity-moved": "đã di chuyển %s từ %s đến %s", - "activity-on": "trên %s", - "activity-removed": "đã xóa %s từ %s", - "activity-sent": "gửi %s đến %s", - "activity-unjoined": "đã rời khỏi %s", - "activity-checklist-added": "đã thêm checklist vào %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Thêm", - "add-attachment": "Thêm Bản Đính Kèm", - "add-board": "Thêm Bảng", - "add-card": "Thêm Thẻ", - "add-swimlane": "Add Swimlane", - "add-checklist": "Thêm Danh Sách Kiểm Tra", - "add-checklist-item": "Thêm Một Mục Vào Danh Sách Kiểm Tra", - "add-cover": "Thêm Bìa", - "add-label": "Thêm Nhãn", - "add-list": "Thêm Danh Sách", - "add-members": "Thêm Thành Viên", - "added": "Đã Thêm", - "addMemberPopup-title": "Thành Viên", - "admin": "Quản Trị Viên", - "admin-desc": "Có thể xem và chỉnh sửa những thẻ, xóa thành viên và thay đổi cài đặt cho bảng.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "Tất cả các bảng", - "and-n-other-card": "Và __count__ thẻ khác", - "and-n-other-card_plural": "Và __count__ thẻ khác", - "apply": "Ứng Dụng", - "app-is-offline": "Wekan đang tải, vui lòng đợi. Tải lại trang có thể làm mất dữ liệu. Nếu Wekan không thể tải được, Vui lòng kiểm tra lại Wekan server.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Khôi Phục Bảng", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Chỉ định thành viên", - "attached": "đã đính kèm", - "attachment": "Phần đính kèm", - "attachment-delete-pop": "Xóa tệp đính kèm là vĩnh viễn. Không có khôi phục.", - "attachmentDeletePopup-title": "Xóa tệp đính kèm không?", - "attachments": "Tệp Đính Kèm", - "auto-watch": "Tự động xem bảng lúc được tạo ra", - "avatar-too-big": "Hình đại diện quá to (70KB tối đa)", - "back": "Trở Lại", - "board-change-color": "Đổi màu", - "board-nb-stars": "%s sao", - "board-not-found": "Không tìm được bảng", - "board-private-info": "Bảng này sẽ chuyển sang chế độ private.", - "board-public-info": "Bảng này sẽ chuyển sang chế độ public.", - "boardChangeColorPopup-title": "Thay hình nền của bảng", - "boardChangeTitlePopup-title": "Đổi tên bảng", - "boardChangeVisibilityPopup-title": "Đổi cách hiển thị", - "boardChangeWatchPopup-title": "Đổi cách xem", - "boardMenuPopup-title": "Board Menu", - "boards": "Bảng", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Hủy", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "Thẻ này có %s bình luận.", - "card-delete-notice": "Hành động xóa là không thể khôi phục. Bạn sẽ mất hết các hoạt động liên quan đến thẻ này.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Thành Viên", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Thành Viên", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Đổi tên bảng", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json deleted file mode 100644 index ad821bef..00000000 --- a/i18n/zh-CN.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "接受", - "act-activity-notify": "[Wekan] 活动通知", - "act-addAttachment": "添加附件 __attachment__ 至卡片 __card__", - "act-addChecklist": "添加清单 __checklist__ 到 __card__", - "act-addChecklistItem": "向 __card__ 中的清单 __checklist__ 添加 __checklistItem__", - "act-addComment": "在 __card__ 发布评论: __comment__", - "act-createBoard": "创建看板 __board__", - "act-createCard": "添加卡片 __card__ 至列表 __list__", - "act-createCustomField": "创建了自定义字段 __customField__", - "act-createList": "添加列表 __list__ 至看板 __board__", - "act-addBoardMember": "添加成员 __member__ 至看板 __board__", - "act-archivedBoard": "__board__ 已被移入回收站 ", - "act-archivedCard": "__card__ 已被移入回收站", - "act-archivedList": "__list__ 已被移入回收站", - "act-archivedSwimlane": "__swimlane__ 已被移入回收站", - "act-importBoard": "导入看板 __board__", - "act-importCard": "导入卡片 __card__", - "act-importList": "导入列表 __list__", - "act-joinMember": "添加成员 __member__ 至卡片 __card__", - "act-moveCard": "从列表 __oldList__ 移动卡片 __card__ 至列表 __list__", - "act-removeBoardMember": "从看板 __board__ 移除成员 __member__", - "act-restoredCard": "恢复卡片 __card__ 至看板 __board__", - "act-unjoinMember": "从卡片 __card__ 移除成员 __member__", - "act-withBoardTitle": "[Wekan] 看板 __board__", - "act-withCardTitle": "[看板 __board__] 卡片 __card__", - "actions": "操作", - "activities": "活动", - "activity": "活动", - "activity-added": "添加 %s 至 %s", - "activity-archived": "%s 已被移入回收站", - "activity-attached": "添加附件 %s 至 %s", - "activity-created": "创建 %s", - "activity-customfield-created": "创建了自定义字段 %s", - "activity-excluded": "排除 %s 从 %s", - "activity-imported": "导入 %s 至 %s 从 %s 中", - "activity-imported-board": "已导入 %s 从 %s 中", - "activity-joined": "已关联 %s", - "activity-moved": "将 %s 从 %s 移动到 %s", - "activity-on": "在 %s", - "activity-removed": "从 %s 中移除 %s", - "activity-sent": "发送 %s 至 %s", - "activity-unjoined": "已解除 %s 关联", - "activity-checklist-added": "已经将清单添加到 %s", - "activity-checklist-item-added": "添加清单项至'%s' 于 %s", - "add": "添加", - "add-attachment": "添加附件", - "add-board": "添加看板", - "add-card": "添加卡片", - "add-swimlane": "添加泳道图", - "add-checklist": "添加待办清单", - "add-checklist-item": "扩充清单", - "add-cover": "添加封面", - "add-label": "添加标签", - "add-list": "添加列表", - "add-members": "添加成员", - "added": "添加", - "addMemberPopup-title": "成员", - "admin": "管理员", - "admin-desc": "可以浏览并编辑卡片,移除成员,并且更改该看板的设置", - "admin-announcement": "通知", - "admin-announcement-active": "激活系统通知", - "admin-announcement-title": "管理员的通知", - "all-boards": "全部看板", - "and-n-other-card": "和其他 __count__ 个卡片", - "and-n-other-card_plural": "和其他 __count__ 个卡片", - "apply": "应用", - "app-is-offline": "Wekan 正在加载,请稍等。刷新页面将导致数据丢失。如果 Wekan 无法加载,请检查 Wekan 服务器是否已经停止。", - "archive": "移入回收站", - "archive-all": "全部移入回收站", - "archive-board": "移动看板到回收站", - "archive-card": "移动卡片到回收站", - "archive-list": "移动列表到回收站", - "archive-swimlane": "移动泳道到回收站", - "archive-selection": "移动选择内容到回收站", - "archiveBoardPopup-title": "移动看板到回收站?", - "archived-items": "回收站", - "archived-boards": "回收站中的看板", - "restore-board": "还原看板", - "no-archived-boards": "回收站中无看板", - "archives": "回收站", - "assign-member": "分配成员", - "attached": "附加", - "attachment": "附件", - "attachment-delete-pop": "删除附件的操作不可逆。", - "attachmentDeletePopup-title": "删除附件?", - "attachments": "附件", - "auto-watch": "自动关注新建的看板", - "avatar-too-big": "头像过大 (上限 70 KB)", - "back": "返回", - "board-change-color": "更改颜色", - "board-nb-stars": "%s 星标", - "board-not-found": "看板不存在", - "board-private-info": "该看板将被设为 私有.", - "board-public-info": "该看板将被设为 公开.", - "boardChangeColorPopup-title": "修改看板背景", - "boardChangeTitlePopup-title": "重命名看板", - "boardChangeVisibilityPopup-title": "更改可视级别", - "boardChangeWatchPopup-title": "更改关注状态", - "boardMenuPopup-title": "看板菜单", - "boards": "看板", - "board-view": "看板视图", - "board-view-swimlanes": "泳道图", - "board-view-lists": "列表", - "bucket-example": "例如 “目标清单”", - "cancel": "取消", - "card-archived": "此卡片已经被移入回收站。", - "card-comments-title": "该卡片有 %s 条评论", - "card-delete-notice": "彻底删除的操作不可恢复,你将会丢失该卡片相关的所有操作记录。", - "card-delete-pop": "所有的活动将从活动摘要中被移除且您将无法重新打开该卡片。此操作无法撤销。", - "card-delete-suggest-archive": "将卡片移入回收站可以从看板中删除卡片,相关活动记录将被保留。", - "card-due": "到期", - "card-due-on": "期限", - "card-spent": "耗时", - "card-edit-attachments": "编辑附件", - "card-edit-custom-fields": "编辑自定义字段", - "card-edit-labels": "编辑标签", - "card-edit-members": "编辑成员", - "card-labels-title": "更改该卡片上的标签", - "card-members-title": "在该卡片中添加或移除看板成员", - "card-start": "开始", - "card-start-on": "始于", - "cardAttachmentsPopup-title": "附件来源", - "cardCustomField-datePopup-title": "修改日期", - "cardCustomFieldsPopup-title": "编辑自定义字段", - "cardDeletePopup-title": "彻底删除卡片?", - "cardDetailsActionsPopup-title": "卡片操作", - "cardLabelsPopup-title": "标签", - "cardMembersPopup-title": "成员", - "cardMorePopup-title": "更多", - "cards": "卡片", - "cards-count": "卡片", - "change": "变更", - "change-avatar": "更改头像", - "change-password": "更改密码", - "change-permissions": "更改权限", - "change-settings": "更改设置", - "changeAvatarPopup-title": "更改头像", - "changeLanguagePopup-title": "更改语言", - "changePasswordPopup-title": "更改密码", - "changePermissionsPopup-title": "更改权限", - "changeSettingsPopup-title": "更改设置", - "checklists": "清单", - "click-to-star": "点此来标记该看板", - "click-to-unstar": "点此来去除该看板的标记", - "clipboard": "剪贴板或者拖放文件", - "close": "关闭", - "close-board": "关闭看板", - "close-board-pop": "在主页中点击顶部的“回收站”按钮可以恢复看板。", - "color-black": "黑色", - "color-blue": "蓝色", - "color-green": "绿色", - "color-lime": "绿黄", - "color-orange": "橙色", - "color-pink": "粉红", - "color-purple": "紫色", - "color-red": "红色", - "color-sky": "天蓝", - "color-yellow": "黄色", - "comment": "评论", - "comment-placeholder": "添加评论", - "comment-only": "仅能评论", - "comment-only-desc": "只能在卡片上评论。", - "computer": "从本机上传", - "confirm-checklist-delete-dialog": "确认要删除清单吗", - "copy-card-link-to-clipboard": "复制卡片链接到剪贴板", - "copyCardPopup-title": "复制卡片", - "copyChecklistToManyCardsPopup-title": "复制清单模板至多个卡片", - "copyChecklistToManyCardsPopup-instructions": "以JSON格式表示目标卡片的标题和描述", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"第一个卡片的标题\", \"description\":\"第一个卡片的描述\"}, {\"title\":\"第二个卡片的标题\",\"description\":\"第二个卡片的描述\"},{\"title\":\"最后一个卡片的标题\",\"description\":\"最后一个卡片的描述\"} ]", - "create": "创建", - "createBoardPopup-title": "创建看板", - "chooseBoardSourcePopup-title": "导入看板", - "createLabelPopup-title": "创建标签", - "createCustomField": "创建字段", - "createCustomFieldPopup-title": "创建字段", - "current": "当前", - "custom-field-delete-pop": "没有撤销,此动作将从所有卡片中移除自定义字段并销毁历史。", - "custom-field-checkbox": "选择框", - "custom-field-date": "日期", - "custom-field-dropdown": "下拉列表", - "custom-field-dropdown-none": "(无)", - "custom-field-dropdown-options": "列表选项", - "custom-field-dropdown-options-placeholder": "回车可以加入更多选项", - "custom-field-dropdown-unknown": "(未知)", - "custom-field-number": "数字", - "custom-field-text": "文本", - "custom-fields": "自定义字段", - "date": "日期", - "decline": "拒绝", - "default-avatar": "默认头像", - "delete": "删除", - "deleteCustomFieldPopup-title": "删除自定义字段?", - "deleteLabelPopup-title": "删除标签?", - "description": "描述", - "disambiguateMultiLabelPopup-title": "标签消歧 [?]", - "disambiguateMultiMemberPopup-title": "成员消歧 [?]", - "discard": "放弃", - "done": "完成", - "download": "下载", - "edit": "编辑", - "edit-avatar": "更改头像", - "edit-profile": "编辑资料", - "edit-wip-limit": "编辑最大任务数", - "soft-wip-limit": "软在制品限制", - "editCardStartDatePopup-title": "修改起始日期", - "editCardDueDatePopup-title": "修改截止日期", - "editCustomFieldPopup-title": "编辑字段", - "editCardSpentTimePopup-title": "修改耗时", - "editLabelPopup-title": "更改标签", - "editNotificationPopup-title": "编辑通知", - "editProfilePopup-title": "编辑资料", - "email": "邮箱", - "email-enrollAccount-subject": "已为您在 __siteName__ 创建帐号", - "email-enrollAccount-text": "尊敬的 __user__,\n\n点击下面的链接,即刻开始使用这项服务。\n\n__url__\n\n谢谢。", - "email-fail": "邮件发送失败", - "email-fail-text": "尝试发送邮件时出错", - "email-invalid": "邮件地址错误", - "email-invite": "发送邮件邀请", - "email-invite-subject": "__inviter__ 向您发出邀请", - "email-invite-text": "尊敬的 __user__,\n\n__inviter__ 邀请您加入看板 \"__board__\" 参与协作。\n\n请点击下面的链接访问看板:\n\n__url__\n\n谢谢。", - "email-resetPassword-subject": "重置您的 __siteName__ 密码", - "email-resetPassword-text": "尊敬的 __user__,\n\n点击下面的链接,重置您的密码:\n\n__url__\n\n谢谢。", - "email-sent": "邮件已发送", - "email-verifyEmail-subject": "在 __siteName__ 验证您的邮件地址", - "email-verifyEmail-text": "尊敬的 __user__,\n\n点击下面的链接,验证您的邮件地址:\n\n__url__\n\n谢谢。", - "enable-wip-limit": "启用最大任务数限制", - "error-board-doesNotExist": "该看板不存在", - "error-board-notAdmin": "需要成为管理员才能执行此操作", - "error-board-notAMember": "需要成为看板成员才能执行此操作", - "error-json-malformed": "文本不是合法的 JSON", - "error-json-schema": "JSON 数据没有用正确的格式包含合适的信息", - "error-list-doesNotExist": "不存在此列表", - "error-user-doesNotExist": "该用户不存在", - "error-user-notAllowSelf": "无法邀请自己", - "error-user-notCreated": "该用户未能成功创建", - "error-username-taken": "此用户名已存在", - "error-email-taken": "此EMail已存在", - "export-board": "导出看板", - "filter": "过滤", - "filter-cards": "过滤卡片", - "filter-clear": "清空过滤器", - "filter-no-label": "无标签", - "filter-no-member": "无成员", - "filter-no-custom-fields": "无自定义字段", - "filter-on": "过滤器启用", - "filter-on-desc": "你正在过滤该看板上的卡片,点此编辑过滤。", - "filter-to-selection": "要选择的过滤器", - "advanced-filter-label": "高级过滤器", - "advanced-filter-description": "高级过滤器可以使用包含如下操作符的字符串进行过滤:== != <= >= && || ( ) 。操作符之间用空格隔开。输入字段名和数值就可以过滤所有自定义字段。例如:Field1 == Value1. 注意如果字段名或数值包含空格,需要用单引号。例如: 'Field 1' == 'Value 1'。支持组合使用多个条件,例如: F1 == V1 || F1 = V2。通常以从左到右的顺序进行判断。可以通过括号修改顺序,例如:F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "全称", - "header-logo-title": "返回您的看板页", - "hide-system-messages": "隐藏系统消息", - "headerBarCreateBoardPopup-title": "创建看板", - "home": "首页", - "import": "导入", - "import-board": "导入看板", - "import-board-c": "导入看板", - "import-board-title-trello": "从Trello导入看板", - "import-board-title-wekan": "从Wekan 导入看板", - "import-sandstorm-warning": "导入的面板将删除所有已存在于面板上的数据并替换他们为导入的面板。 ", - "from-trello": "自 Trello", - "from-wekan": "自 Wekan", - "import-board-instruction-trello": "在你的Trello看板中,点击“菜单”,然后选择“更多”,“打印与导出”,“导出为 JSON” 并拷贝结果文本", - "import-board-instruction-wekan": "在你的Wekan面板中点'菜单',然后点‘导出面板’并在已下载的文档复制文本。", - "import-json-placeholder": "粘贴您有效的 JSON 数据至此", - "import-map-members": "映射成员", - "import-members-map": "您导入的看板有一些成员。请将您想导入的成员映射到 Wekan 用户。", - "import-show-user-mapping": "核对成员映射", - "import-user-select": "选择您想将此成员映射到的 Wekan 用户", - "importMapMembersAddPopup-title": "选择Wekan成员", - "info": "版本", - "initials": "缩写", - "invalid-date": "无效日期", - "invalid-time": "非法时间", - "invalid-user": "非法用户", - "joined": "关联", - "just-invited": "您刚刚被邀请加入此看板", - "keyboard-shortcuts": "键盘快捷键", - "label-create": "创建标签", - "label-default": "%s 标签 (默认)", - "label-delete-pop": "此操作不可逆,这将会删除该标签并清除它的历史记录。", - "labels": "标签", - "language": "语言", - "last-admin-desc": "你不能更改角色,因为至少需要一名管理员。", - "leave-board": "离开看板", - "leave-board-pop": "确认要离开 __boardTitle__ 吗?此看板的所有卡片都会将您移除。", - "leaveBoardPopup-title": "离开看板?", - "link-card": "关联至该卡片", - "list-archive-cards": "移动此列表中的所有卡片到回收站", - "list-archive-cards-pop": "此操作会从看板中删除所有此列表包含的卡片。要查看回收站中的卡片并恢复到看板,请点击“菜单” > “回收站”。", - "list-move-cards": "移动列表中的所有卡片", - "list-select-cards": "选择列表中的所有卡片", - "listActionPopup-title": "列表操作", - "swimlaneActionPopup-title": "泳道图操作", - "listImportCardPopup-title": "导入 Trello 卡片", - "listMorePopup-title": "更多", - "link-list": "关联到这个列表", - "list-delete-pop": "所有活动将被从活动动态中删除并且你无法恢复他们,此操作无法撤销。 ", - "list-delete-suggest-archive": "可以将列表移入回收站,看板中将删除列表,但是相关活动记录会被保留。", - "lists": "列表", - "swimlanes": "泳道图", - "log-out": "登出", - "log-in": "登录", - "loginPopup-title": "登录", - "memberMenuPopup-title": "成员设置", - "members": "成员", - "menu": "菜单", - "move-selection": "移动选择", - "moveCardPopup-title": "移动卡片", - "moveCardToBottom-title": "移动至底端", - "moveCardToTop-title": "移动至顶端", - "moveSelectionPopup-title": "移动选择", - "multi-selection": "多选", - "multi-selection-on": "多选启用", - "muted": "静默", - "muted-info": "你将不会收到此看板的任何变更通知", - "my-boards": "我的看板", - "name": "名称", - "no-archived-cards": "回收站中无卡片。", - "no-archived-lists": "回收站中无列表。", - "no-archived-swimlanes": "回收站中无泳道。", - "no-results": "无结果", - "normal": "普通", - "normal-desc": "可以创建以及编辑卡片,无法更改设置。", - "not-accepted-yet": "邀请尚未接受", - "notify-participate": "接收以创建者或成员身份参与的卡片的更新", - "notify-watch": "接收所有关注的面板、列表、及卡片的更新", - "optional": "可选", - "or": "或", - "page-maybe-private": "本页面被设为私有. 您必须 登录以浏览其中内容。", - "page-not-found": "页面不存在。", - "password": "密码", - "paste-or-dragdrop": "从剪贴板粘贴,或者拖放文件到它上面 (仅限于图片)", - "participating": "参与", - "preview": "预览", - "previewAttachedImagePopup-title": "预览", - "previewClipboardImagePopup-title": "预览", - "private": "私有", - "private-desc": "该看板将被设为私有。只有该看板成员才可以进行查看和编辑。", - "profile": "资料", - "public": "公开", - "public-desc": "该看板将被公开。任何人均可通过链接查看,并且将对Google和其他搜索引擎开放。只有添加至该看板的成员才可进行编辑。", - "quick-access-description": "星标看板在导航条中添加快捷方式", - "remove-cover": "移除封面", - "remove-from-board": "从看板中删除", - "remove-label": "移除标签", - "listDeletePopup-title": "删除列表", - "remove-member": "移除成员", - "remove-member-from-card": "从该卡片中移除", - "remove-member-pop": "确定从 __boardTitle__ 中移除 __name__ (__username__) 吗? 该成员将被从该看板的所有卡片中移除,同时他会收到一条提醒。", - "removeMemberPopup-title": "删除成员?", - "rename": "重命名", - "rename-board": "重命名看板", - "restore": "还原", - "save": "保存", - "search": "搜索", - "search-cards": "搜索当前看板上的卡片标题和描述", - "search-example": "搜索", - "select-color": "选择颜色", - "set-wip-limit-value": "设置此列表中的最大任务数", - "setWipLimitPopup-title": "设置最大任务数", - "shortcut-assign-self": "分配当前卡片给自己", - "shortcut-autocomplete-emoji": "表情符号自动补全", - "shortcut-autocomplete-members": "自动补全成员", - "shortcut-clear-filters": "清空全部过滤器", - "shortcut-close-dialog": "关闭对话框", - "shortcut-filter-my-cards": "过滤我的卡片", - "shortcut-show-shortcuts": "显示此快捷键列表", - "shortcut-toggle-filterbar": "切换过滤器边栏", - "shortcut-toggle-sidebar": "切换面板边栏", - "show-cards-minimum-count": "当列表中的卡片多于此阈值时将显示数量", - "sidebar-open": "打开侧栏", - "sidebar-close": "打开侧栏", - "signupPopup-title": "创建账户", - "star-board-title": "点此来标记该看板,它将会出现在您的看板列表顶部。", - "starred-boards": "已标记看板", - "starred-boards-description": "已标记看板将会出现在您的看板列表顶部。", - "subscribe": "订阅", - "team": "团队", - "this-board": "该看板", - "this-card": "该卡片", - "spent-time-hours": "耗时 (小时)", - "overtime-hours": "超时 (小时)", - "overtime": "超时", - "has-overtime-cards": "有超时卡片", - "has-spenttime-cards": "耗时卡", - "time": "时间", - "title": "标题", - "tracking": "跟踪", - "tracking-info": "当任何包含您(作为创建者或成员)的卡片发生变更时,您将得到通知。", - "type": "类型", - "unassign-member": "取消分配成员", - "unsaved-description": "存在未保存的描述", - "unwatch": "取消关注", - "upload": "上传", - "upload-avatar": "上传头像", - "uploaded-avatar": "头像已经上传", - "username": "用户名", - "view-it": "查看", - "warn-list-archived": "警告:此卡片属于回收站中的一个列表", - "watch": "关注", - "watching": "关注", - "watching-info": "当此看板发生变更时会通知你", - "welcome-board": "“欢迎”看板", - "welcome-swimlane": "里程碑 1", - "welcome-list1": "基本", - "welcome-list2": "高阶", - "what-to-do": "要做什么?", - "wipLimitErrorPopup-title": "无效的最大任务数", - "wipLimitErrorPopup-dialog-pt1": "此列表中的任务数量已经超过了设置的最大任务数。", - "wipLimitErrorPopup-dialog-pt2": "请将一些任务移出此列表,或者设置一个更大的最大任务数。", - "admin-panel": "管理面板", - "settings": "设置", - "people": "人员", - "registration": "注册", - "disable-self-registration": "禁止自助注册", - "invite": "邀请", - "invite-people": "邀请人员", - "to-boards": "邀请到看板 (可多选)", - "email-addresses": "电子邮箱地址", - "smtp-host-description": "用于发送邮件的SMTP服务器地址。", - "smtp-port-description": "SMTP服务器端口。", - "smtp-tls-description": "对SMTP服务器启用TLS支持", - "smtp-host": "SMTP服务器", - "smtp-port": "SMTP端口", - "smtp-username": "用户名", - "smtp-password": "密码", - "smtp-tls": "TLS支持", - "send-from": "发件人", - "send-smtp-test": "给自己发送一封测试邮件", - "invitation-code": "邀请码", - "email-invite-register-subject": "__inviter__ 向您发出邀请", - "email-invite-register-text": "亲爱的 __user__,\n\n__inviter__ 邀请您加入 Wekan 进行协作。\n\n请访问下面的链接︰\n__url__\n\n您的的邀请码是︰\n__icode__\n\n非常感谢。", - "email-smtp-test-subject": "从Wekan发送SMTP测试邮件", - "email-smtp-test-text": "你已成功发送邮件", - "error-invitation-code-not-exist": "邀请码不存在", - "error-notAuthorized": "您无权查看此页面。", - "outgoing-webhooks": "外部Web挂钩", - "outgoingWebhooksPopup-title": "外部Web挂钩", - "new-outgoing-webhook": "新建外部Web挂钩", - "no-name": "(未知)", - "Wekan_version": "Wekan版本", - "Node_version": "Node.js版本", - "OS_Arch": "系统架构", - "OS_Cpus": "系统 CPU数量", - "OS_Freemem": "系统可用内存", - "OS_Loadavg": "系统负载均衡", - "OS_Platform": "系统平台", - "OS_Release": "系统发布版本", - "OS_Totalmem": "系统全部内存", - "OS_Type": "系统类型", - "OS_Uptime": "系统运行时间", - "hours": "小时", - "minutes": "分钟", - "seconds": "秒", - "show-field-on-card": "在卡片上显示此字段", - "yes": "是", - "no": "否", - "accounts": "账号", - "accounts-allowEmailChange": "允许邮箱变更", - "accounts-allowUserNameChange": "允许变更用户名", - "createdAt": "创建于", - "verified": "已验证", - "active": "活跃", - "card-received": "已接收", - "card-received-on": "接收于", - "card-end": "终止", - "card-end-on": "终止于", - "editCardReceivedDatePopup-title": "修改接收日期", - "editCardEndDatePopup-title": "修改终止日期", - "assigned-by": "分配人", - "requested-by": "需求人", - "board-delete-notice": "删除时永久操作,将会丢失此看板上的所有列表、卡片和动作。", - "delete-board-confirm-popup": "所有列表、卡片、标签和活动都回被删除,将无法恢复看板内容。不支持撤销。", - "boardDeletePopup-title": "删除看板?", - "delete-board": "删除看板" -} \ No newline at end of file diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json deleted file mode 100644 index 8d28bc5f..00000000 --- a/i18n/zh-TW.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "接受", - "act-activity-notify": "[Wekan] 活動通知", - "act-addAttachment": "新增附件__attachment__至__card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "評論__card__: __comment__", - "act-createBoard": "完成新增 __board__", - "act-createCard": "將__card__加入__list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "新增__list__至__board__", - "act-addBoardMember": "在__board__中新增成員__member__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "匯入__board__", - "act-importCard": "匯入__card__", - "act-importList": "匯入__list__", - "act-joinMember": "在__card__中新增成員__member__", - "act-moveCard": "將__card__從__oldList__移動至__list__", - "act-removeBoardMember": "從__board__中移除成員__member__", - "act-restoredCard": "將__card__回復至__board__", - "act-unjoinMember": "從__card__中移除成員__member__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "操作", - "activities": "活動", - "activity": "活動", - "activity-added": "新增 %s 至 %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "新增附件 %s 至 %s", - "activity-created": "建立 %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "排除 %s 從 %s", - "activity-imported": "匯入 %s 至 %s 從 %s 中", - "activity-imported-board": "已匯入 %s 從 %s 中", - "activity-joined": "關聯 %s", - "activity-moved": "將 %s 從 %s 移動到 %s", - "activity-on": "在 %s", - "activity-removed": "移除 %s 從 %s 中", - "activity-sent": "寄送 %s 至 %s", - "activity-unjoined": "解除關聯 %s", - "activity-checklist-added": "新增待辦清單至 %s", - "activity-checklist-item-added": "新增待辦清單項目從 %s 到 %s", - "add": "新增", - "add-attachment": "新增附件", - "add-board": "新增看板", - "add-card": "新增卡片", - "add-swimlane": "Add Swimlane", - "add-checklist": "新增待辦清單", - "add-checklist-item": "新增項目", - "add-cover": "新增封面", - "add-label": "新增標籤", - "add-list": "新增清單", - "add-members": "新增成員", - "added": "新增", - "addMemberPopup-title": "成員", - "admin": "管理員", - "admin-desc": "可以瀏覽並編輯卡片,移除成員,並且更改該看板的設定", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "全部看板", - "and-n-other-card": "和其他 __count__ 個卡片", - "and-n-other-card_plural": "和其他 __count__ 個卡片", - "apply": "送出", - "app-is-offline": "請稍候,資料讀取中,重整頁面可能會導致資料遺失。如果一直讀取,請檢查 Wekan 的伺服器是否正確運行。", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "還原看板", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "分配成員", - "attached": "附加", - "attachment": "附件", - "attachment-delete-pop": "刪除附件的操作無法還原。", - "attachmentDeletePopup-title": "刪除附件?", - "attachments": "附件", - "auto-watch": "新增看板時自動加入觀察", - "avatar-too-big": "頭像檔案太大 (最大 70 KB)", - "back": "返回", - "board-change-color": "更改顏色", - "board-nb-stars": "%s 星號標記", - "board-not-found": "看板不存在", - "board-private-info": "該看板將被設為 私有.", - "board-public-info": "該看板將被設為 公開.", - "boardChangeColorPopup-title": "修改看板背景", - "boardChangeTitlePopup-title": "重新命名看板", - "boardChangeVisibilityPopup-title": "更改可視級別", - "boardChangeWatchPopup-title": "更改觀察", - "boardMenuPopup-title": "看板選單", - "boards": "看板", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "清單", - "bucket-example": "例如 “目標清單”", - "cancel": "取消", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "該卡片有 %s 則評論", - "card-delete-notice": "徹底刪除的操作不可復原,你將會遺失該卡片相關的所有操作記錄。", - "card-delete-pop": "所有的動作將從活動動態中被移除且您將無法重新打開該卡片。此操作無法復原。", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "到期", - "card-due-on": "到期", - "card-spent": "Spent Time", - "card-edit-attachments": "編輯附件", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "編輯標籤", - "card-edit-members": "編輯成員", - "card-labels-title": "更改該卡片上的標籤", - "card-members-title": "在該卡片中新增或移除看板成員", - "card-start": "開始", - "card-start-on": "開始", - "cardAttachmentsPopup-title": "附件來源", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "徹底刪除卡片?", - "cardDetailsActionsPopup-title": "卡片動作", - "cardLabelsPopup-title": "標籤", - "cardMembersPopup-title": "成員", - "cardMorePopup-title": "更多", - "cards": "卡片", - "cards-count": "卡片", - "change": "變更", - "change-avatar": "更改大頭貼", - "change-password": "更改密碼", - "change-permissions": "更改許可權", - "change-settings": "更改設定", - "changeAvatarPopup-title": "更改大頭貼", - "changeLanguagePopup-title": "更改語言", - "changePasswordPopup-title": "更改密碼", - "changePermissionsPopup-title": "更改許可權", - "changeSettingsPopup-title": "更改設定", - "checklists": "待辦清單", - "click-to-star": "點此來標記該看板", - "click-to-unstar": "點此來去除該看板的標記", - "clipboard": "剪貼簿貼上或者拖曳檔案", - "close": "關閉", - "close-board": "關閉看板", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "黑色", - "color-blue": "藍色", - "color-green": "綠色", - "color-lime": "綠黃", - "color-orange": "橙色", - "color-pink": "粉紅", - "color-purple": "紫色", - "color-red": "紅色", - "color-sky": "天藍", - "color-yellow": "黃色", - "comment": "留言", - "comment-placeholder": "新增評論", - "comment-only": "只可以發表評論", - "comment-only-desc": "只可以對卡片發表評論", - "computer": "從本機上傳", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "將卡片連結複製到剪貼板", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "建立", - "createBoardPopup-title": "建立看板", - "chooseBoardSourcePopup-title": "匯入看板", - "createLabelPopup-title": "建立標籤", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "目前", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "日期", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "日期", - "decline": "拒絕", - "default-avatar": "預設大頭貼", - "delete": "刪除", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "刪除標籤?", - "description": "描述", - "disambiguateMultiLabelPopup-title": "清除標籤動作歧義", - "disambiguateMultiMemberPopup-title": "清除成員動作歧義", - "discard": "取消", - "done": "完成", - "download": "下載", - "edit": "編輯", - "edit-avatar": "更改大頭貼", - "edit-profile": "編輯資料", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "更改開始日期", - "editCardDueDatePopup-title": "更改到期日期", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "更改標籤", - "editNotificationPopup-title": "更改通知", - "editProfilePopup-title": "編輯資料", - "email": "電子郵件", - "email-enrollAccount-subject": "您在 __siteName__ 的帳號已經建立", - "email-enrollAccount-text": "親愛的 __user__,\n\n點選下面的連結,即刻開始使用這項服務。\n\n__url__\n\n謝謝。", - "email-fail": "郵件寄送失敗", - "email-fail-text": "Error trying to send email", - "email-invalid": "電子郵件地址錯誤", - "email-invite": "寄送郵件邀請", - "email-invite-subject": "__inviter__ 向您發出邀請", - "email-invite-text": "親愛的 __user__,\n\n__inviter__ 邀請您加入看板 \"__board__\" 參與協作。\n\n請點選下面的連結訪問看板:\n\n__url__\n\n謝謝。", - "email-resetPassword-subject": "重設您在 __siteName__ 的密碼", - "email-resetPassword-text": "親愛的 __user__,\n\n點選下面的連結,重置您的密碼:\n\n__url__\n\n謝謝。", - "email-sent": "郵件已寄送", - "email-verifyEmail-subject": "驗證您在 __siteName__ 的電子郵件", - "email-verifyEmail-text": "親愛的 __user__,\n\n點選下面的連結,驗證您的電子郵件地址:\n\n__url__\n\n謝謝。", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "該看板不存在", - "error-board-notAdmin": "需要成為管理員才能執行此操作", - "error-board-notAMember": "需要成為看板成員才能執行此操作", - "error-json-malformed": "不是有效的 JSON", - "error-json-schema": "JSON 資料沒有用正確的格式包含合適的資訊", - "error-list-doesNotExist": "不存在此列表", - "error-user-doesNotExist": "該使用者不存在", - "error-user-notAllowSelf": "不允許對自己執行此操作", - "error-user-notCreated": "該使用者未能成功建立", - "error-username-taken": "這個使用者名稱已被使用", - "error-email-taken": "電子信箱已被使用", - "export-board": "Export board", - "filter": "過濾", - "filter-cards": "過濾卡片", - "filter-clear": "清空過濾條件", - "filter-no-label": "沒有標籤", - "filter-no-member": "沒有成員", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "過濾條件啟用", - "filter-on-desc": "你正在過濾該看板上的卡片,點此編輯過濾條件。", - "filter-to-selection": "要選擇的過濾條件", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "全稱", - "header-logo-title": "返回您的看板頁面", - "hide-system-messages": "隱藏系統訊息", - "headerBarCreateBoardPopup-title": "建立看板", - "home": "首頁", - "import": "匯入", - "import-board": "匯入看板", - "import-board-c": "匯入看板", - "import-board-title-trello": "匯入在 Trello 的看板", - "import-board-title-wekan": "從 Wekan 匯入看板", - "import-sandstorm-warning": "匯入資料將會移除所有現有的看版資料,並取代成此次匯入的看板資料", - "from-trello": "來自 Trello", - "from-wekan": "來自 Wekan", - "import-board-instruction-trello": "在你的Trello看板中,點選“功能表”,然後選擇“更多”,“列印與匯出”,“匯出為 JSON” 並拷貝結果文本", - "import-board-instruction-wekan": "在 Wekan 看板中點選“功能表”,然後選擇“匯出看版”且複製文字到下載的檔案", - "import-json-placeholder": "貼上您有效的 JSON 資料至此", - "import-map-members": "複製成員", - "import-members-map": "您匯入的看板有一些成員。請將您想匯入的成員映射到 Wekan 使用者。", - "import-show-user-mapping": "核對成員映射", - "import-user-select": "選擇您想將此成員映射到的 Wekan 使用者", - "importMapMembersAddPopup-title": "選擇 Wekan 成員", - "info": "版本", - "initials": "縮寫", - "invalid-date": "無效的日期", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "關聯", - "just-invited": "您剛剛被邀請加入此看板", - "keyboard-shortcuts": "鍵盤快速鍵", - "label-create": "建立標籤", - "label-default": "%s 標籤 (預設)", - "label-delete-pop": "此操作無法還原,這將會刪除該標籤並清除它的歷史記錄。", - "labels": "標籤", - "language": "語言", - "last-admin-desc": "你不能更改角色,因為至少需要一名管理員。", - "leave-board": "離開看板", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "關聯至該卡片", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "移動清單中的所有卡片", - "list-select-cards": "選擇清單中的所有卡片", - "listActionPopup-title": "清單操作", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "匯入 Trello 卡片", - "listMorePopup-title": "更多", - "link-list": "連結到這個清單", - "list-delete-pop": "所有的動作將從活動動態中被移除且您將無法再開啟該清單\b。此操作無法復原。", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "清單", - "swimlanes": "Swimlanes", - "log-out": "登出", - "log-in": "登入", - "loginPopup-title": "登入", - "memberMenuPopup-title": "成員更改", - "members": "成員", - "menu": "選單", - "move-selection": "移動被選擇的項目", - "moveCardPopup-title": "移動卡片", - "moveCardToBottom-title": "移至最下面", - "moveCardToTop-title": "移至最上面", - "moveSelectionPopup-title": "移動選取的項目", - "multi-selection": "多選", - "multi-selection-on": "多選啟用", - "muted": "靜音", - "muted-info": "您將不會收到有關這個看板的任何訊息", - "my-boards": "我的看板", - "name": "名稱", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "無結果", - "normal": "普通", - "normal-desc": "可以建立以及編輯卡片,無法更改。", - "not-accepted-yet": "邀請尚未接受", - "notify-participate": "接收與你有關的卡片更新", - "notify-watch": "接收您關注的看板、清單或卡片的更新", - "optional": "選擇性的", - "or": "或", - "page-maybe-private": "本頁面被設為私有. 您必須 登入以瀏覽其中內容。", - "page-not-found": "頁面不存在。", - "password": "密碼", - "paste-or-dragdrop": "從剪貼簿貼上,或者拖曳檔案到它上面 (僅限於圖片)", - "participating": "參與", - "preview": "預覽", - "previewAttachedImagePopup-title": "預覽", - "previewClipboardImagePopup-title": "預覽", - "private": "私有", - "private-desc": "該看板將被設為私有。只有該看板成員才可以進行檢視和編輯。", - "profile": "資料", - "public": "公開", - "public-desc": "該看板將被公開。任何人均可透過連結檢視,並且將對Google和其他搜尋引擎開放。只有加入至該看板的成員才可進行編輯。", - "quick-access-description": "被星號標記的看板在導航列中新增快速啟動方式", - "remove-cover": "移除封面", - "remove-from-board": "從看板中刪除", - "remove-label": "移除標籤", - "listDeletePopup-title": "刪除標籤", - "remove-member": "移除成員", - "remove-member-from-card": "從該卡片中移除", - "remove-member-pop": "確定從 __boardTitle__ 中移除 __name__ (__username__) 嗎? 該成員將被從該看板的所有卡片中移除,同時他會收到一則提醒。", - "removeMemberPopup-title": "刪除成員?", - "rename": "重新命名", - "rename-board": "重新命名看板", - "restore": "還原", - "save": "儲存", - "search": "搜尋", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "選擇顏色", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "分配目前卡片給自己", - "shortcut-autocomplete-emoji": "自動完成表情符號", - "shortcut-autocomplete-members": "自動補齊成員", - "shortcut-clear-filters": "清空全部過濾條件", - "shortcut-close-dialog": "關閉對話方塊", - "shortcut-filter-my-cards": "過濾我的卡片", - "shortcut-show-shortcuts": "顯示此快速鍵清單", - "shortcut-toggle-filterbar": "切換過濾程式邊欄", - "shortcut-toggle-sidebar": "切換面板邊欄", - "show-cards-minimum-count": "顯示卡片數量,當內容超過數量", - "sidebar-open": "開啟側邊欄", - "sidebar-close": "關閉側邊欄", - "signupPopup-title": "建立帳戶", - "star-board-title": "點此標記該看板,它將會出現在您的看板列表上方。", - "starred-boards": "已標記看板", - "starred-boards-description": "已標記看板將會出現在您的看板列表上方。", - "subscribe": "訂閱", - "team": "團隊", - "this-board": "這個看板", - "this-card": "這個卡片", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "時間", - "title": "標題", - "tracking": "追蹤", - "tracking-info": "你將會收到與你有關的卡片的所有變更通知", - "type": "Type", - "unassign-member": "取消分配成員", - "unsaved-description": "未儲存的描述", - "unwatch": "取消觀察", - "upload": "上傳", - "upload-avatar": "上傳大頭貼", - "uploaded-avatar": "大頭貼已經上傳", - "username": "使用者名稱", - "view-it": "檢視", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "觀察", - "watching": "觀察中", - "watching-info": "你將會收到關於這個看板所有的變更通知", - "welcome-board": "歡迎進入看板", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "基本", - "welcome-list2": "進階", - "what-to-do": "要做什麼?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "控制台", - "settings": "設定", - "people": "成員", - "registration": "註冊", - "disable-self-registration": "關閉自我註冊", - "invite": "邀請", - "invite-people": "邀請成員", - "to-boards": "至看板()", - "email-addresses": "電子郵件", - "smtp-host-description": "SMTP 外寄郵件伺服器", - "smtp-port-description": "SMTP 外寄郵件伺服器埠號", - "smtp-tls-description": "對 SMTP 啟動 TLS 支援", - "smtp-host": "SMTP 位置", - "smtp-port": "SMTP 埠號", - "smtp-username": "使用者名稱", - "smtp-password": "密碼", - "smtp-tls": "支援 TLS", - "send-from": "從", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "邀請碼", - "email-invite-register-subject": "__inviter__ 向您發出邀請", - "email-invite-register-text": "親愛的 __user__,\n\n__inviter__ 邀請您加入 Wekan 一同協作\n\n請點擊下列連結:\n__url__\n\n您的邀請碼為:__icode__\n\n謝謝。", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "邀請碼不存在", - "error-notAuthorized": "沒有適合的權限觀看", - "outgoing-webhooks": "設定 Webhooks", - "outgoingWebhooksPopup-title": "設定 Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan 版本", - "Node_version": "Node 版本", - "OS_Arch": "系統架構", - "OS_Cpus": "系統\b CPU 數", - "OS_Freemem": "undefined", - "OS_Loadavg": "系統平均讀取", - "OS_Platform": "系統平臺", - "OS_Release": "系統發佈版本", - "OS_Totalmem": "系統總記憶體", - "OS_Type": "系統類型", - "OS_Uptime": "系統運行時間", - "hours": "小時", - "minutes": "分鐘", - "seconds": "秒", - "show-field-on-card": "Show this field on card", - "yes": "是", - "no": "否", - "accounts": "帳號", - "accounts-allowEmailChange": "准許變更電子信箱", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file -- cgit v1.2.3-1-g7c22 From edd2e9db3ca070c87c47a14a3458184ceb5edb34 Mon Sep 17 00:00:00 2001 From: RJevnikar <12701645+rjevnikar@users.noreply.github.com> Date: Wed, 13 Jun 2018 22:26:45 +0000 Subject: Fix lint errors --- client/components/cards/cardDate.js | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/client/components/cards/cardDate.js b/client/components/cards/cardDate.js index 83cc1424..c3e0524d 100644 --- a/client/components/cards/cardDate.js +++ b/client/components/cards/cardDate.js @@ -279,11 +279,11 @@ class CardDueDate extends CardDate { classes() { let classes = 'due-date' + ' '; - // if endAt exists & is < dueAt, dueAt doesn't need to be flagged - if ((this.data().endAt != 0) && - (this.data().endAt != null) && - (this.data().endAt != '') && - (this.data().endAt != undefined) && + // if endAt exists & is < dueAt, dueAt doesn't need to be flagged + if ((this.data().endAt !== 0) && + (this.data().endAt !== null) && + (this.data().endAt !== '') && + (this.data().endAt !== undefined) && (this.date.get().isBefore(this.data().endAt))) classes += 'current'; else if (this.now.get().diff(this.date.get(), 'days') >= 2) -- cgit v1.2.3-1-g7c22 From 8ec60879dc1666e9129c5f690da06c2931135fc5 Mon Sep 17 00:00:00 2001 From: Ignatz Date: Thu, 14 Jun 2018 10:55:53 +0200 Subject: hotfix public board --- client/components/boards/boardBody.js | 2 ++ 1 file changed, 2 insertions(+) diff --git a/client/components/boards/boardBody.js b/client/components/boards/boardBody.js index 456bf9b3..dfe7b8d2 100644 --- a/client/components/boards/boardBody.js +++ b/client/components/boards/boardBody.js @@ -88,11 +88,13 @@ BlazeComponent.extendComponent({ isViewSwimlanes() { const currentUser = Meteor.user(); + if (!currentUser) return false; return (currentUser.profile.boardView === 'board-view-swimlanes'); }, isViewLists() { const currentUser = Meteor.user(); + if (!currentUser) return true; return (currentUser.profile.boardView === 'board-view-lists'); }, -- cgit v1.2.3-1-g7c22 From 259614b647c72773675541d3de8d0ff73006c299 Mon Sep 17 00:00:00 2001 From: Ignatz Date: Thu, 14 Jun 2018 11:58:37 +0200 Subject: trying to fix display Issue with dropdown custom fields --- client/components/cards/minicard.jade | 2 +- models/cards.js | 20 +++++++++++++++++--- 2 files changed, 18 insertions(+), 4 deletions(-) diff --git a/client/components/cards/minicard.jade b/client/components/cards/minicard.jade index b44021a6..e63a185b 100644 --- a/client/components/cards/minicard.jade +++ b/client/components/cards/minicard.jade @@ -37,7 +37,7 @@ template(name="minicard") .minicard-custom-field-item = definition.name .minicard-custom-field-item - = value + = trueValue if members .minicard-members.js-minicard-members diff --git a/models/cards.js b/models/cards.js index 9236fcaa..484e442a 100644 --- a/models/cards.js +++ b/models/cards.js @@ -230,12 +230,26 @@ Cards.helpers({ // match right definition to each field if (!this.customFields) return []; return this.customFields.map((customField) => { + var definition = definitions.find((definition) => { + return definition._id === customField._id; + }); + //search for "True Value" which is for DropDowns other then the Value (which is the id) + var trueValue = customField.value; + if (definition.settings.dropdownItems.length > 0) + { + for (var i = 0; i < definition.settings.dropdownItems.length;i++) + { + if (definition.settings.dropdownItems[i]._id == customField.value) + { + trueValue = definition.settings.dropdownItems[i].name; + } + } + } return { _id: customField._id, value: customField.value, - definition: definitions.find((definition) => { - return definition._id === customField._id; - }), + trueValue, + definition, }; }); -- cgit v1.2.3-1-g7c22 From 571f55f904a9d37dec5895472439dbeadc5b82b2 Mon Sep 17 00:00:00 2001 From: Ignatz Date: Thu, 14 Jun 2018 12:41:16 +0200 Subject: fixing search for dropdown fields, and error on loading board --- client/lib/filter.js | 206 +++++++++++++++++++++++++++------------------------ models/cards.js | 10 +-- 2 files changed, 116 insertions(+), 100 deletions(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index fa139cfe..db353ee6 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -145,6 +145,22 @@ class AdvancedFilter { return found._id; } + _fieldValueToId(field, value) + { + const found = CustomFields.findOne({ 'name': field }); + if (found.settings.dropdownItems && found.settings.dropdownItems.length > 0) + { + for (let i = 0; i < found.settings.dropdownItems.length; i++) + { + if (found.settings.dropdownItems[i].name === value) + { + return found.settings.dropdownItems[i]._id; + } + } + } + return value; + } + _arrayToSelector(commands) { try { //let changed = false; @@ -163,27 +179,27 @@ class AdvancedFilter { if (commands[i].cmd) { switch (commands[i].cmd) { case '(': - { - level++; - if (start === -1) start = i; - continue; - } + { + level++; + if (start === -1) start = i; + continue; + } case ')': - { - level--; - commands.splice(i, 1); - i--; - continue; - } - default: - { - if (level > 0) { - subcommands.push(commands[i]); + { + level--; commands.splice(i, 1); i--; continue; } - } + default: + { + if (level > 0) { + subcommands.push(commands[i]); + commands.splice(i, 1); + i--; + continue; + } + } } } } @@ -205,86 +221,86 @@ class AdvancedFilter { case '=': case '==': case '===': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': str }; - commands.splice(i - 1, 1); - commands.splice(i, 1); + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': this._fieldValueToId(str) }; + commands.splice(i - 1, 1); + commands.splice(i, 1); //changed = true; - i--; - break; - } + i--; + break; + } case '!=': case '!==': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $not: str } }; - commands.splice(i - 1, 1); - commands.splice(i, 1); + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $not: this._fieldValueToId(str) } }; + commands.splice(i - 1, 1); + commands.splice(i, 1); //changed = true; - i--; - break; - } + i--; + break; + } case '>': case 'gt': case 'Gt': case 'GT': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $gt: str } }; - commands.splice(i - 1, 1); - commands.splice(i, 1); + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $gt: str } }; + commands.splice(i - 1, 1); + commands.splice(i, 1); //changed = true; - i--; - break; - } + i--; + break; + } case '>=': case '>==': case 'gte': case 'Gte': case 'GTE': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $gte: str } }; - commands.splice(i - 1, 1); - commands.splice(i, 1); + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $gte: str } }; + commands.splice(i - 1, 1); + commands.splice(i, 1); //changed = true; - i--; - break; - } + i--; + break; + } case '<': case 'lt': case 'Lt': case 'LT': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $lt: str } }; - commands.splice(i - 1, 1); - commands.splice(i, 1); + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $lt: str } }; + commands.splice(i - 1, 1); + commands.splice(i, 1); //changed = true; - i--; - break; - } + i--; + break; + } case '<=': case '<==': case 'lte': case 'Lte': case 'LTE': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $lte: str } }; - commands.splice(i - 1, 1); - commands.splice(i, 1); + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $lte: str } }; + commands.splice(i - 1, 1); + commands.splice(i, 1); //changed = true; - i--; - break; - } + i--; + break; + } } } @@ -300,44 +316,44 @@ class AdvancedFilter { case 'OR': case '|': case '||': - { - const op1 = commands[i - 1]; - const op2 = commands[i + 1]; - commands[i] = { $or: [op1, op2] }; - commands.splice(i - 1, 1); - commands.splice(i, 1); + { + const op1 = commands[i - 1]; + const op2 = commands[i + 1]; + commands[i] = { $or: [op1, op2] }; + commands.splice(i - 1, 1); + commands.splice(i, 1); //changed = true; - i--; - break; - } + i--; + break; + } case 'and': case 'And': case 'AND': case '&': case '&&': - { - const op1 = commands[i - 1]; - const op2 = commands[i + 1]; - commands[i] = { $and: [op1, op2] }; - commands.splice(i - 1, 1); - commands.splice(i, 1); + { + const op1 = commands[i - 1]; + const op2 = commands[i + 1]; + commands[i] = { $and: [op1, op2] }; + commands.splice(i - 1, 1); + commands.splice(i, 1); //changed = true; - i--; - break; - } + i--; + break; + } case 'not': case 'Not': case 'NOT': case '!': - { - const op1 = commands[i + 1]; - commands[i] = { $not: op1 }; - commands.splice(i + 1, 1); + { + const op1 = commands[i + 1]; + commands[i] = { $not: op1 }; + commands.splice(i + 1, 1); //changed = true; - i--; - break; - } + i--; + break; + } } } diff --git a/models/cards.js b/models/cards.js index 484e442a..00ec14c2 100644 --- a/models/cards.js +++ b/models/cards.js @@ -230,16 +230,16 @@ Cards.helpers({ // match right definition to each field if (!this.customFields) return []; return this.customFields.map((customField) => { - var definition = definitions.find((definition) => { + const definition = definitions.find((definition) => { return definition._id === customField._id; }); //search for "True Value" which is for DropDowns other then the Value (which is the id) - var trueValue = customField.value; - if (definition.settings.dropdownItems.length > 0) + let trueValue = customField.value; + if (definition.settings.dropdownItems && definition.settings.dropdownItems.length > 0) { - for (var i = 0; i < definition.settings.dropdownItems.length;i++) + for (let i = 0; i < definition.settings.dropdownItems.length; i++) { - if (definition.settings.dropdownItems[i]._id == customField.value) + if (definition.settings.dropdownItems[i]._id === customField.value) { trueValue = definition.settings.dropdownItems[i].name; } -- cgit v1.2.3-1-g7c22 From 558539e21ba377ae979221e50eb6587132208c8d Mon Sep 17 00:00:00 2001 From: Ignatz Date: Thu, 14 Jun 2018 12:49:59 +0200 Subject: trying to fix integer search --- client/lib/filter.js | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index db353ee6..1ea67f4b 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -224,7 +224,7 @@ class AdvancedFilter { { const field = commands[i - 1].cmd; const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': this._fieldValueToId(str) }; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': {$in: [this._fieldValueToId(str), parseInt(str, 10)]} }; commands.splice(i - 1, 1); commands.splice(i, 1); //changed = true; @@ -236,7 +236,7 @@ class AdvancedFilter { { const field = commands[i - 1].cmd; const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $not: this._fieldValueToId(str) } }; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $not: {$in: [this._fieldValueToId(str), parseInt(str, 10)]} } }; commands.splice(i - 1, 1); commands.splice(i, 1); //changed = true; @@ -250,7 +250,7 @@ class AdvancedFilter { { const field = commands[i - 1].cmd; const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $gt: str } }; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $gt: parseInt(str, 10) } }; commands.splice(i - 1, 1); commands.splice(i, 1); //changed = true; @@ -265,7 +265,7 @@ class AdvancedFilter { { const field = commands[i - 1].cmd; const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $gte: str } }; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $gte: parseInt(str, 10) } }; commands.splice(i - 1, 1); commands.splice(i, 1); //changed = true; @@ -279,7 +279,7 @@ class AdvancedFilter { { const field = commands[i - 1].cmd; const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $lt: str } }; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $lt: parseInt(str, 10) } }; commands.splice(i - 1, 1); commands.splice(i, 1); //changed = true; @@ -294,7 +294,7 @@ class AdvancedFilter { { const field = commands[i - 1].cmd; const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $lte: str } }; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $lte: parseInt(str, 10) } }; commands.splice(i - 1, 1); commands.splice(i, 1); //changed = true; -- cgit v1.2.3-1-g7c22 From 6a154ee9b0a7a6b3239813404538a5a9934228e4 Mon Sep 17 00:00:00 2001 From: Ignatz Date: Thu, 14 Jun 2018 12:56:29 +0200 Subject: correcting error in advanced filter --- client/lib/filter.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index 1ea67f4b..ea1811de 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -224,7 +224,7 @@ class AdvancedFilter { { const field = commands[i - 1].cmd; const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': {$in: [this._fieldValueToId(str), parseInt(str, 10)]} }; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': {$in: [this._fieldValueToId(field, str), parseInt(str, 10)]} }; commands.splice(i - 1, 1); commands.splice(i, 1); //changed = true; @@ -236,7 +236,7 @@ class AdvancedFilter { { const field = commands[i - 1].cmd; const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $not: {$in: [this._fieldValueToId(str), parseInt(str, 10)]} } }; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $not: {$in: [this._fieldValueToId(field, str), parseInt(str, 10)]} } }; commands.splice(i - 1, 1); commands.splice(i, 1); //changed = true; -- cgit v1.2.3-1-g7c22 From c5f0e87dd09c68e5327a601af881c78ff723c8df Mon Sep 17 00:00:00 2001 From: Ignatz Date: Thu, 14 Jun 2018 14:10:30 +0200 Subject: fix for not able to remove "Show on Card" --- client/components/sidebar/sidebarCustomFields.jade | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/client/components/sidebar/sidebarCustomFields.jade b/client/components/sidebar/sidebarCustomFields.jade index def083e9..fd31e5ac 100644 --- a/client/components/sidebar/sidebarCustomFields.jade +++ b/client/components/sidebar/sidebarCustomFields.jade @@ -37,7 +37,7 @@ template(name="createCustomFieldPopup") each dropdownItems.get input.js-dropdown-item(type="text" value=name placeholder="") input.js-dropdown-item.last(type="text" value="" placeholder="{{_ 'custom-field-dropdown-options-placeholder'}}") - a.flex.js-field-show-on-card + a.flex.js-field-show-on-card(class="{{#if showOnCard}}is-checked{{/if}}") .materialCheckBox(class="{{#if showOnCard}}is-checked{{/if}}") span {{_ 'show-field-on-card'}} @@ -49,4 +49,4 @@ template(name="createCustomFieldPopup") template(name="deleteCustomFieldPopup") p {{_ "custom-field-delete-pop"}} - button.js-confirm.negate.full(type="submit") {{_ 'delete'}} \ No newline at end of file + button.js-confirm.negate.full(type="submit") {{_ 'delete'}} -- cgit v1.2.3-1-g7c22 From fcf262cc9807c1e87e638ce6b0c6151ae2114f60 Mon Sep 17 00:00:00 2001 From: Ignatz Date: Thu, 14 Jun 2018 15:08:30 +0200 Subject: testing markdown support for custom fields --- client/components/cards/minicard.jade | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/client/components/cards/minicard.jade b/client/components/cards/minicard.jade index e63a185b..c912ea70 100644 --- a/client/components/cards/minicard.jade +++ b/client/components/cards/minicard.jade @@ -37,7 +37,8 @@ template(name="minicard") .minicard-custom-field-item = definition.name .minicard-custom-field-item - = trueValue + +viewer + = trueValue if members .minicard-members.js-minicard-members -- cgit v1.2.3-1-g7c22 From 011fad6701720f24c293c6198fddab7f77f35dfd Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 14 Jun 2018 18:46:28 +0300 Subject: Update translations. --- i18n/ar.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/bg.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/br.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/ca.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/cs.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/de.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/el.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/en-GB.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/eo.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/es-AR.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/es.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/eu.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/fa.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/fi.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/fr.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/gl.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/he.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/hu.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/hy.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/id.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/ig.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/it.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/ja.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/km.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/ko.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/lv.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/mn.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/nb.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/nl.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/pl.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/pt-BR.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/pt.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/ro.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/ru.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/sr.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/sv.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/ta.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/th.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/tr.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/uk.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/vi.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/zh-CN.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/zh-TW.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ 43 files changed, 20554 insertions(+) create mode 100644 i18n/ar.i18n.json create mode 100644 i18n/bg.i18n.json create mode 100644 i18n/br.i18n.json create mode 100644 i18n/ca.i18n.json create mode 100644 i18n/cs.i18n.json create mode 100644 i18n/de.i18n.json create mode 100644 i18n/el.i18n.json create mode 100644 i18n/en-GB.i18n.json create mode 100644 i18n/eo.i18n.json create mode 100644 i18n/es-AR.i18n.json create mode 100644 i18n/es.i18n.json create mode 100644 i18n/eu.i18n.json create mode 100644 i18n/fa.i18n.json create mode 100644 i18n/fi.i18n.json create mode 100644 i18n/fr.i18n.json create mode 100644 i18n/gl.i18n.json create mode 100644 i18n/he.i18n.json create mode 100644 i18n/hu.i18n.json create mode 100644 i18n/hy.i18n.json create mode 100644 i18n/id.i18n.json create mode 100644 i18n/ig.i18n.json create mode 100644 i18n/it.i18n.json create mode 100644 i18n/ja.i18n.json create mode 100644 i18n/km.i18n.json create mode 100644 i18n/ko.i18n.json create mode 100644 i18n/lv.i18n.json create mode 100644 i18n/mn.i18n.json create mode 100644 i18n/nb.i18n.json create mode 100644 i18n/nl.i18n.json create mode 100644 i18n/pl.i18n.json create mode 100644 i18n/pt-BR.i18n.json create mode 100644 i18n/pt.i18n.json create mode 100644 i18n/ro.i18n.json create mode 100644 i18n/ru.i18n.json create mode 100644 i18n/sr.i18n.json create mode 100644 i18n/sv.i18n.json create mode 100644 i18n/ta.i18n.json create mode 100644 i18n/th.i18n.json create mode 100644 i18n/tr.i18n.json create mode 100644 i18n/uk.i18n.json create mode 100644 i18n/vi.i18n.json create mode 100644 i18n/zh-CN.i18n.json create mode 100644 i18n/zh-TW.i18n.json diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json new file mode 100644 index 00000000..cf8f7f49 --- /dev/null +++ b/i18n/ar.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "اقبلboard", + "act-activity-notify": "[Wekan] اشعار عن نشاط", + "act-addAttachment": "ربط __attachment__ الى __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "علق على __comment__ : __card__", + "act-createBoard": "احدث __board__", + "act-createCard": "اضاف __card__ الى __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "اضاف __list__ الى __board__", + "act-addBoardMember": "اضاف __member__ الى __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "إستورد __board__", + "act-importCard": "إستورد __card__", + "act-importList": "إستورد __list__", + "act-joinMember": "اضاف __member__ الى __card__", + "act-moveCard": "حوّل __card__ من __oldList__ إلى __list__", + "act-removeBoardMember": "أزال __member__ من __board__", + "act-restoredCard": "أعاد __card__ إلى __board__", + "act-unjoinMember": "أزال __member__ من __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "الإجراءات", + "activities": "الأنشطة", + "activity": "النشاط", + "activity-added": "تمت إضافة %s ل %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "إرفاق %s ل %s", + "activity-created": "أنشأ %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "استبعاد %s عن %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "انضم %s", + "activity-moved": "تم نقل %s من %s إلى %s", + "activity-on": "على %s", + "activity-removed": "حذف %s إلى %s", + "activity-sent": "إرسال %s إلى %s", + "activity-unjoined": "غادر %s", + "activity-checklist-added": "أضاف قائمة تحقق إلى %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "أضف", + "add-attachment": "إضافة مرفق", + "add-board": "إضافة لوحة", + "add-card": "إضافة بطاقة", + "add-swimlane": "Add Swimlane", + "add-checklist": "إضافة قائمة تدقيق", + "add-checklist-item": "إضافة عنصر إلى قائمة التحقق", + "add-cover": "إضافة غلاف", + "add-label": "إضافة ملصق", + "add-list": "إضافة قائمة", + "add-members": "تعيين أعضاء", + "added": "أُضيف", + "addMemberPopup-title": "الأعضاء", + "admin": "المدير", + "admin-desc": "إمكانية مشاهدة و تعديل و حذف أعضاء ، و تعديل إعدادات اللوحة أيضا.", + "admin-announcement": "إعلان", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "كل اللوحات", + "and-n-other-card": "And __count__ other بطاقة", + "and-n-other-card_plural": "And __count__ other بطاقات", + "apply": "طبق", + "app-is-offline": "يتمّ تحميل ويكان، يرجى الانتظار. سيؤدي تحديث الصفحة إلى فقدان البيانات. إذا لم يتم تحميل ويكان، يرجى التحقق من أن خادم ويكان لم يتوقف. ", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "استعادة اللوحة", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "تعيين عضو", + "attached": "أُرفق)", + "attachment": "مرفق", + "attachment-delete-pop": "حذف المرق هو حذف نهائي . لا يمكن التراجع إذا حذف.", + "attachmentDeletePopup-title": "تريد حذف المرفق ?", + "attachments": "المرفقات", + "auto-watch": "مراقبة لوحات تلقائيا عندما يتم إنشاؤها", + "avatar-too-big": "الصورة الرمزية كبيرة جدا (70 كيلوبايت كحد أقصى)", + "back": "رجوع", + "board-change-color": "تغيير اللومr", + "board-nb-stars": "%s نجوم", + "board-not-found": "لوحة مفقودة", + "board-private-info": "سوف تصبح هذه اللوحة خاصة", + "board-public-info": "سوف تصبح هذه اللوحة عامّة.", + "boardChangeColorPopup-title": "تعديل خلفية الشاشة", + "boardChangeTitlePopup-title": "إعادة تسمية اللوحة", + "boardChangeVisibilityPopup-title": "تعديل وضوح الرؤية", + "boardChangeWatchPopup-title": "تغيير المتابعة", + "boardMenuPopup-title": "قائمة اللوحة", + "boards": "لوحات", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "القائمات", + "bucket-example": "مثل « todo list » على سبيل المثال", + "cancel": "إلغاء", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "%s تعليقات لهذه البطاقة", + "card-delete-notice": "هذا حذف أبديّ . سوف تفقد كل الإجراءات المنوطة بهذه البطاقة", + "card-delete-pop": "سيتم إزالة جميع الإجراءات من تبعات النشاط، وأنك لن تكون قادرا على إعادة فتح البطاقة. لا يوجد التراجع.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "مستحق", + "card-due-on": "مستحق في", + "card-spent": "Spent Time", + "card-edit-attachments": "تعديل المرفقات", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "تعديل العلامات", + "card-edit-members": "تعديل الأعضاء", + "card-labels-title": "تعديل علامات البطاقة.", + "card-members-title": "إضافة او حذف أعضاء للبطاقة.", + "card-start": "بداية", + "card-start-on": "يبدأ في", + "cardAttachmentsPopup-title": "إرفاق من", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "حذف البطاقة ?", + "cardDetailsActionsPopup-title": "إجراءات على البطاقة", + "cardLabelsPopup-title": "علامات", + "cardMembersPopup-title": "أعضاء", + "cardMorePopup-title": "المزيد", + "cards": "بطاقات", + "cards-count": "بطاقات", + "change": "Change", + "change-avatar": "تعديل الصورة الشخصية", + "change-password": "تغيير كلمة المرور", + "change-permissions": "تعديل الصلاحيات", + "change-settings": "تغيير الاعدادات", + "changeAvatarPopup-title": "تعديل الصورة الشخصية", + "changeLanguagePopup-title": "تغيير اللغة", + "changePasswordPopup-title": "تغيير كلمة المرور", + "changePermissionsPopup-title": "تعديل الصلاحيات", + "changeSettingsPopup-title": "تغيير الاعدادات", + "checklists": "قوائم التّدقيق", + "click-to-star": "اضغط لإضافة اللوحة للمفضلة.", + "click-to-unstar": "اضغط لحذف اللوحة من المفضلة.", + "clipboard": "Clipboard or drag & drop", + "close": "غلق", + "close-board": "غلق اللوحة", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "تعليق", + "comment-placeholder": "أكتب تعليق", + "comment-only": "التعليق فقط", + "comment-only-desc": "يمكن التعليق على بطاقات فقط.", + "computer": "حاسوب", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "نسخ رابط البطاقة إلى الحافظة", + "copyCardPopup-title": "نسخ البطاقة", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "إنشاء", + "createBoardPopup-title": "إنشاء لوحة", + "chooseBoardSourcePopup-title": "استيراد لوحة", + "createLabelPopup-title": "إنشاء علامة", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "الحالي", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "تاريخ", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "تاريخ", + "decline": "Decline", + "default-avatar": "صورة شخصية افتراضية", + "delete": "حذف", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "حذف العلامة ?", + "description": "وصف", + "disambiguateMultiLabelPopup-title": "تحديد الإجراء على العلامة", + "disambiguateMultiMemberPopup-title": "تحديد الإجراء على العضو", + "discard": "التخلص منها", + "done": "Done", + "download": "تنزيل", + "edit": "تعديل", + "edit-avatar": "تعديل الصورة الشخصية", + "edit-profile": "تعديل الملف الشخصي", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "تغيير تاريخ البدء", + "editCardDueDatePopup-title": "تغيير تاريخ الاستحقاق", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "تعديل العلامة", + "editNotificationPopup-title": "تصحيح الإشعار", + "editProfilePopup-title": "تعديل الملف الشخصي", + "email": "البريد الإلكتروني", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "لا يمكنك دعوة نفسك", + "error-user-notCreated": "This user is not created", + "error-username-taken": "إسم المستخدم مأخوذ مسبقا", + "error-email-taken": "البريد الإلكتروني مأخوذ بالفعل", + "export-board": "Export board", + "filter": "تصفية", + "filter-cards": "تصفية البطاقات", + "filter-clear": "مسح التصفية", + "filter-no-label": "لا يوجد ملصق", + "filter-no-member": "ليس هناك أي عضو", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "التصفية تشتغل", + "filter-on-desc": "أنت بصدد تصفية بطاقات هذه اللوحة. اضغط هنا لتعديل التصفية.", + "filter-to-selection": "تصفية بالتحديد", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "الإسم الكامل", + "header-logo-title": "الرجوع إلى صفحة اللوحات", + "hide-system-messages": "إخفاء رسائل النظام", + "headerBarCreateBoardPopup-title": "إنشاء لوحة", + "home": "الرئيسية", + "import": "Import", + "import-board": "استيراد لوحة", + "import-board-c": "استيراد لوحة", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "استيراد لوحة من ويكان", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "من تريلو", + "from-wekan": "من ويكان", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", + "import-board-instruction-wekan": "في لوحة ويكان الخاصة بك، انتقل إلى 'القائمة'، ثم 'تصدير اللوحة'، ونسخ النص في الملف الذي تم تنزيله.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "رسم خريطة الأعضاء", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "حدّد عضو ويكان", + "info": "الإصدار", + "initials": "أولية", + "invalid-date": "تاريخ غير صالح", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "انضمّ", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "اختصار لوحة المفاتيح", + "label-create": "إنشاء علامة", + "label-default": "%s علامة (افتراضية)", + "label-delete-pop": "لا يوجد تراجع. سيؤدي هذا إلى إزالة هذه العلامة من جميع بطاقات والقضاء على تأريخها", + "labels": "علامات", + "language": "لغة", + "last-admin-desc": "لا يمكن تعديل الأدوار لأن ذلك يتطلب صلاحيات المدير.", + "leave-board": "مغادرة اللوحة", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "مغادرة اللوحة ؟", + "link-card": "ربط هذه البطاقة", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "نقل بطاقات هذه القائمة", + "list-select-cards": "تحديد بطاقات هذه القائمة", + "listActionPopup-title": "قائمة الإجراءات", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "المزيد", + "link-list": "رابط إلى هذه القائمة", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "القائمات", + "swimlanes": "Swimlanes", + "log-out": "تسجيل الخروج", + "log-in": "تسجيل الدخول", + "loginPopup-title": "تسجيل الدخول", + "memberMenuPopup-title": "أفضليات الأعضاء", + "members": "أعضاء", + "menu": "القائمة", + "move-selection": "Move selection", + "moveCardPopup-title": "نقل البطاقة", + "moveCardToBottom-title": "التحرك إلى القاع", + "moveCardToTop-title": "التحرك إلى الأعلى", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "تحديد أكثر من واحدة", + "multi-selection-on": "Multi-Selection is on", + "muted": "مكتوم", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "لوحاتي", + "name": "اسم", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "لا توجد نتائج", + "normal": "عادي", + "normal-desc": "يمكن مشاهدة و تعديل البطاقات. لا يمكن تغيير إعدادات الضبط.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "اختياري", + "or": "or", + "page-maybe-private": "قدتكون هذه الصفحة خاصة . قد تستطيع مشاهدتها ب تسجيل الدخول.", + "page-not-found": "صفحة غير موجودة", + "password": "كلمة المرور", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "المشاركة", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "خاص", + "private-desc": "هذه اللوحة خاصة . لا يسمح إلا للأعضاء .", + "profile": "ملف شخصي", + "public": "عامّ", + "public-desc": "هذه اللوحة عامة: مرئية لكلّ من يحصل على الرابط ، و هي مرئية أيضا في محركات البحث مثل جوجل. التعديل مسموح به للأعضاء فقط.", + "quick-access-description": "أضف لوحة إلى المفضلة لإنشاء اختصار في هذا الشريط.", + "remove-cover": "حذف الغلاف", + "remove-from-board": "حذف من اللوحة", + "remove-label": "إزالة التصنيف", + "listDeletePopup-title": "حذف القائمة ؟", + "remove-member": "حذف العضو", + "remove-member-from-card": "حذف من البطاقة", + "remove-member-pop": "حذف __name__ (__username__) من __boardTitle__ ? سيتم حذف هذا العضو من جميع بطاقة اللوحة مع إرسال إشعار له بذاك.", + "removeMemberPopup-title": "حذف العضو ?", + "rename": "إعادة التسمية", + "rename-board": "إعادة تسمية اللوحة", + "restore": "استعادة", + "save": "حفظ", + "search": "بحث", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "اختيار اللون", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "الإكمال التلقائي للرموز التعبيرية", + "shortcut-autocomplete-members": "الإكمال التلقائي لأسماء الأعضاء", + "shortcut-clear-filters": "مسح التصفيات", + "shortcut-close-dialog": "غلق النافذة", + "shortcut-filter-my-cards": "تصفية بطاقاتي", + "shortcut-show-shortcuts": "عرض قائمة الإختصارات ،تلك", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "إظهار-إخفاء الشريط الجانبي للوحة", + "show-cards-minimum-count": "إظهار عدد البطاقات إذا كانت القائمة تتضمن أكثر من", + "sidebar-open": "فتح الشريط الجانبي", + "sidebar-close": "إغلاق الشريط الجانبي", + "signupPopup-title": "إنشاء حساب", + "star-board-title": "اضغط لإضافة هذه اللوحة إلى المفضلة . سوف يتم إظهارها على رأس بقية اللوحات.", + "starred-boards": "اللوحات المفضلة", + "starred-boards-description": "تعرض اللوحات المفضلة على رأس بقية اللوحات.", + "subscribe": "اشتراك و متابعة", + "team": "فريق", + "this-board": "هذه اللوحة", + "this-card": "هذه البطاقة", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "الوقت", + "title": "عنوان", + "tracking": "تتبع", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "إلغاء تعيين العضو", + "unsaved-description": "لديك وصف غير محفوظ", + "unwatch": "غير مُشاهد", + "upload": "Upload", + "upload-avatar": "رفع صورة شخصية", + "uploaded-avatar": "تم رفع الصورة الشخصية", + "username": "اسم المستخدم", + "view-it": "شاهدها", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "مُشاهد", + "watching": "مشاهدة", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "لوحة التّرحيب", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "المبادئ", + "welcome-list2": "متقدم", + "what-to-do": "ماذا تريد أن تنجز?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "لوحة التحكم", + "settings": "الإعدادات", + "people": "الناس", + "registration": "تسجيل", + "disable-self-registration": "Disable Self-Registration", + "invite": "دعوة", + "invite-people": "الناس المدعوين", + "to-boards": "إلى اللوحات", + "email-addresses": "عناوين البريد الإلكتروني", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "تفعيل دعم TLS من اجل خادم SMTP", + "smtp-host": "مضيف SMTP", + "smtp-port": "منفذ SMTP", + "smtp-username": "اسم المستخدم", + "smtp-password": "كلمة المرور", + "smtp-tls": "دعم التي ال سي", + "send-from": "من", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "رمز الدعوة", + "email-invite-register-subject": "__inviter__ أرسل دعوة لك", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "رمز الدعوة غير موجود", + "error-notAuthorized": "أنتَ لا تملك الصلاحيات لرؤية هذه الصفحة.", + "outgoing-webhooks": "الويبهوك الصادرة", + "outgoingWebhooksPopup-title": "الويبهوك الصادرة", + "new-outgoing-webhook": "ويبهوك جديدة ", + "no-name": "(غير معروف)", + "Wekan_version": "إصدار ويكان", + "Node_version": "إصدار النود", + "OS_Arch": "معمارية نظام التشغيل", + "OS_Cpus": "استهلاك وحدة المعالجة المركزية لنظام التشغيل", + "OS_Freemem": "الذاكرة الحرة لنظام التشغيل", + "OS_Loadavg": "متوسط حمل نظام التشغيل", + "OS_Platform": "منصة نظام التشغيل", + "OS_Release": "إصدار نظام التشغيل", + "OS_Totalmem": "الذاكرة الكلية لنظام التشغيل", + "OS_Type": "نوع نظام التشغيل", + "OS_Uptime": "مدة تشغيل نظام التشغيل", + "hours": "الساعات", + "minutes": "الدقائق", + "seconds": "الثواني", + "show-field-on-card": "Show this field on card", + "yes": "نعم", + "no": "لا", + "accounts": "الحسابات", + "accounts-allowEmailChange": "السماح بتغيير البريد الإلكتروني", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json new file mode 100644 index 00000000..3940e33a --- /dev/null +++ b/i18n/bg.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accept", + "act-activity-notify": "[Wekan] Известия за дейности", + "act-addAttachment": "прикачи __attachment__ към __card__", + "act-addChecklist": "добави списък със задачи __checklist__ към __card__", + "act-addChecklistItem": "добави __checklistItem__ към списък със задачи __checklist__ в __card__", + "act-addComment": "Коментира в __card__: __comment__", + "act-createBoard": "създаде __board__", + "act-createCard": "добави __card__ към __list__", + "act-createCustomField": "създаде собствено поле __customField__", + "act-createList": "добави __list__ към __board__", + "act-addBoardMember": "добави __member__ към __board__", + "act-archivedBoard": "__board__ беше преместен в Кошчето", + "act-archivedCard": "__card__ беше преместена в Кошчето", + "act-archivedList": "__list__ беше преместен в Кошчето", + "act-archivedSwimlane": "__swimlane__ беше преместен в Кошчето", + "act-importBoard": "импортира __board__", + "act-importCard": "импортира __card__", + "act-importList": "импортира __list__", + "act-joinMember": "добави __member__ към __card__", + "act-moveCard": "премести __card__ от __oldList__ в __list__", + "act-removeBoardMember": "премахна __member__ от __board__", + "act-restoredCard": "възстанови __card__ в __board__", + "act-unjoinMember": "премахна __member__ от __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Действия", + "activity": "Дейности", + "activity-added": "добави %s към %s", + "activity-archived": "премести %s в Кошчето", + "activity-attached": "прикачи %s към %s", + "activity-created": "създаде %s", + "activity-customfield-created": "създаде собствено поле %s", + "activity-excluded": "изключи %s от %s", + "activity-imported": "импортира %s в/във %s от %s", + "activity-imported-board": "импортира %s от %s", + "activity-joined": "се присъедини към %s", + "activity-moved": "премести %s от %s в/във %s", + "activity-on": "на %s", + "activity-removed": "премахна %s от %s", + "activity-sent": "изпрати %s до %s", + "activity-unjoined": "вече не е част от %s", + "activity-checklist-added": "добави списък със задачи към %s", + "activity-checklist-item-added": "добави точка към '%s' в/във %s", + "add": "Добави", + "add-attachment": "Добави прикачен файл", + "add-board": "Добави Табло", + "add-card": "Добави карта", + "add-swimlane": "Добави коридор", + "add-checklist": "Добави списък със задачи", + "add-checklist-item": "Добави точка към списъка със задачи", + "add-cover": "Добави корица", + "add-label": "Добави етикет", + "add-list": "Добави списък", + "add-members": "Добави членове", + "added": "Добавено", + "addMemberPopup-title": "Членове", + "admin": "Администратор", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Съобщение", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Съобщение от администратора", + "all-boards": "Всички табла", + "and-n-other-card": "И __count__ друга карта", + "and-n-other-card_plural": "И __count__ други карти", + "apply": "Приложи", + "app-is-offline": "Wekan зарежда, моля изчакайте! Презареждането на страницата може да доведе до загуба на данни. Ако Wekan не се зареди, моля проверете дали сървъра му работи.", + "archive": "Премести в Кошчето", + "archive-all": "Премести всички в Кошчето", + "archive-board": "Премести Таблото в Кошчето", + "archive-card": "Премести Картата в Кошчето", + "archive-list": "Премести Списъка в Кошчето", + "archive-swimlane": "Премести Коридора в Кошчето", + "archive-selection": "Премести избраните в Кошчето", + "archiveBoardPopup-title": "Сигурни ли сте, че искате да преместите Таблото в Кошчето?", + "archived-items": "Кошче", + "archived-boards": "Табла в Кошчето", + "restore-board": "Възстанови Таблото", + "no-archived-boards": "Няма Табла в Кошчето.", + "archives": "Кошче", + "assign-member": "Възложи на член от екипа", + "attached": "прикачен", + "attachment": "Прикаченн файл", + "attachment-delete-pop": "Изтриването на прикачен файл е завинаги. Няма как да бъде възстановен.", + "attachmentDeletePopup-title": "Желаете ли да изтриете прикачения файл?", + "attachments": "Прикачени файлове", + "auto-watch": "Автоматично наблюдаване на таблата, когато са създадени", + "avatar-too-big": "Аватарът е прекалено голям (максимум 70KB)", + "back": "Назад", + "board-change-color": "Промени цвета", + "board-nb-stars": "%s звезди", + "board-not-found": "Таблото не е намерено", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Промени името на Таблото", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Промени наблюдаването", + "boardMenuPopup-title": "Меню на Таблото", + "boards": "Табла", + "board-view": "Board View", + "board-view-swimlanes": "Коридори", + "board-view-lists": "Списъци", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "Картата е преместена в Кошчето.", + "card-comments-title": "Тази карта има %s коментар.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Готова за", + "card-due-on": "Готова за", + "card-spent": "Изработено време", + "card-edit-attachments": "Промени прикачените файлове", + "card-edit-custom-fields": "Промени собствените полета", + "card-edit-labels": "Промени етикетите", + "card-edit-members": "Промени членовете", + "card-labels-title": "Промени етикетите за картата.", + "card-members-title": "Добави или премахни членове на Таблото от тази карта.", + "card-start": "Начало", + "card-start-on": "Започва на", + "cardAttachmentsPopup-title": "Прикачи от", + "cardCustomField-datePopup-title": "Промени датата", + "cardCustomFieldsPopup-title": "Промени собствените полета", + "cardDeletePopup-title": "Желаете да изтриете картата?", + "cardDetailsActionsPopup-title": "Опции", + "cardLabelsPopup-title": "Етикети", + "cardMembersPopup-title": "Членове", + "cardMorePopup-title": "Още", + "cards": "Карти", + "cards-count": "Карти", + "change": "Промени", + "change-avatar": "Промени аватара", + "change-password": "Промени паролата", + "change-permissions": "Change permissions", + "change-settings": "Промени настройките", + "changeAvatarPopup-title": "Промени аватара", + "changeLanguagePopup-title": "Промени езика", + "changePasswordPopup-title": "Промени паролата", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Промяна на настройките", + "checklists": "Списъци със задачи", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Натиснете, за да премахнете това табло от любими.", + "clipboard": "Клипборда или с драг & дроп", + "close": "Затвори", + "close-board": "Затвори Таблото", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "черно", + "color-blue": "синьо", + "color-green": "зелено", + "color-lime": "лайм", + "color-orange": "оранжево", + "color-pink": "розово", + "color-purple": "пурпурно", + "color-red": "червено", + "color-sky": "светло синьо", + "color-yellow": "жълто", + "comment": "Коментирай", + "comment-placeholder": "Напиши коментар", + "comment-only": "Само коментар", + "comment-only-desc": "Може да коментира само в карти.", + "computer": "Компютър", + "confirm-checklist-delete-dialog": "Сигурни ли сте, че искате да изтриете този чеклист?", + "copy-card-link-to-clipboard": "Копирай връзката на картата в клипборда", + "copyCardPopup-title": "Копирай картата", + "copyChecklistToManyCardsPopup-title": "Копирай чеклисти в други карти", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Чекбокс", + "custom-field-date": "Дата", + "custom-field-dropdown": "Падащо меню", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Номер", + "custom-field-text": "Текст", + "custom-fields": "Собствени полета", + "date": "Дата", + "decline": "Отказ", + "default-avatar": "Основен аватар", + "delete": "Изтрий", + "deleteCustomFieldPopup-title": "Изтриване на Собственото поле?", + "deleteLabelPopup-title": "Желаете да изтриете етикета?", + "description": "Описание", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Отказ", + "done": "Готово", + "download": "Сваляне", + "edit": "Промени", + "edit-avatar": "Промени аватара", + "edit-profile": "Промяна на профила", + "edit-wip-limit": "Промени WIP лимита", + "soft-wip-limit": "\"Мек\" WIP лимит", + "editCardStartDatePopup-title": "Промени началната дата", + "editCardDueDatePopup-title": "Промени датата за готовност", + "editCustomFieldPopup-title": "Промени Полето", + "editCardSpentTimePopup-title": "Промени изработеното време", + "editLabelPopup-title": "Промяна на Етикета", + "editNotificationPopup-title": "Промени известията", + "editProfilePopup-title": "Промяна на профила", + "email": "Имейл", + "email-enrollAccount-subject": "Ваш профил беше създаден на __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Неуспешно изпращане на имейла", + "email-fail-text": "Възникна грешка при изпращането на имейла", + "email-invalid": "Невалиден имейл", + "email-invite": "Покани чрез имейл", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Имейлът е изпратен", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Включи WIP лимита", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Имейлът е вече зает", + "export-board": "Export board", + "filter": "Филтър", + "filter-cards": "Филтрирай картите", + "filter-clear": "Премахване на филтрите", + "filter-no-label": "без етикет", + "filter-no-member": "без член", + "filter-no-custom-fields": "Няма Собствени полета", + "filter-on": "Има приложени филтри", + "filter-on-desc": "В момента филтрирате картите в това табло. Моля, натиснете тук, за да промените филтъра.", + "filter-to-selection": "Филтрирай избраните", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Име", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Скриване на системните съобщения", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Начало", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Избери Wekan член", + "info": "Версия", + "initials": "Инициали", + "invalid-date": "Невалидна дата", + "invalid-time": "Невалиден час", + "invalid-user": "Невалиден потребител", + "joined": "присъедини ", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Създай етикет", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Етикети", + "language": "Език", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Връзка към тази карта", + "list-archive-cards": "Премести всички карти от този списък в Кошчето", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Премести всички карти в този списък", + "list-select-cards": "Избери всички карти в този списък", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Импорт на карта от Trello", + "listMorePopup-title": "Още", + "link-list": "Връзка към този списък", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "Можете да преместите списък в Кошчето, за да го премахнете от Таблото и запазите активността.", + "lists": "Списъци", + "swimlanes": "Коридори", + "log-out": "Изход", + "log-in": "Вход", + "loginPopup-title": "Вход", + "memberMenuPopup-title": "Настройки на профила", + "members": "Членове", + "menu": "Меню", + "move-selection": "Move selection", + "moveCardPopup-title": "Премести картата", + "moveCardToBottom-title": "Премести в края", + "moveCardToTop-title": "Премести в началото", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Множествен избор", + "multi-selection-on": "Множественият избор е приложен", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "Моите табла", + "name": "Име", + "no-archived-cards": "Няма карти в Кошчето.", + "no-archived-lists": "Няма списъци в Кошчето.", + "no-archived-swimlanes": "Няма коридори в Кошчето.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Получавате информация за всички карти, в които сте отбелязани или сте създали", + "notify-watch": "Получавате информация за всички табла, списъци и карти, които наблюдавате", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Парола", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Профил", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Желаете да изтриете списъка?", + "remove-member": "Премахни член", + "remove-member-from-card": "Премахни от картата", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Промени името на Таблото", + "restore": "Възстанови", + "save": "Запази", + "search": "Търсене", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Избери цвят", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Въведи WIP лимит", + "shortcut-assign-self": "Добави себе си към тази карта", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Изчистване на всички филтри", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Филтрирай моите карти", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Отвори/затвори сайдбара с филтри", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Покажи бройката на картите, ако списъка съдържа повече от", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Любими табла", + "starred-boards-description": "Любимите табла се показват в началото на списъка Ви.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "картата", + "spent-time-hours": "Изработено време (часа)", + "overtime-hours": "Оувъртайм (часа)", + "overtime": "Оувъртайм", + "has-overtime-cards": "Има карти с оувъртайм", + "has-spenttime-cards": "Има карти с изработено време", + "time": "Време", + "title": "Title", + "tracking": "Следене", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Спри наблюдаването", + "upload": "Upload", + "upload-avatar": "Качване на аватар", + "uploaded-avatar": "Качихте аватар", + "username": "Потребителско име", + "view-it": "View it", + "warn-list-archived": "внимание: тази карта е в списък, който е в Кошчето", + "watch": "Наблюдавай", + "watching": "Наблюдава", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Невалиден WIP лимит", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Моля, преместете някои от задачите от този списък или въведете по-висок WIP лимит.", + "admin-panel": "Администраторски панел", + "settings": "Настройки", + "people": "Хора", + "registration": "Регистрация", + "disable-self-registration": "Disable Self-Registration", + "invite": "Покани", + "invite-people": "Покани хора", + "to-boards": "To board(s)", + "email-addresses": "Имейл адреси", + "smtp-host-description": "Адресът на SMTP сървъра, който обслужва Вашите имейли.", + "smtp-port-description": "Портът, който Вашият SMTP сървър използва за изходящи имейли.", + "smtp-tls-description": "Разреши TLS поддръжка за SMTP сървъра", + "smtp-host": "SMTP хост", + "smtp-port": "SMTP порт", + "smtp-username": "Потребителско име", + "smtp-password": "Парола", + "smtp-tls": "TLS поддръжка", + "send-from": "От", + "send-smtp-test": "Изпрати тестов имейл на себе си", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP тестов имейл, изпратен от Wekan", + "email-smtp-test-text": "Успешно изпратихте имейл", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Версия на Wekan", + "Node_version": "Версия на Node", + "OS_Arch": "Архитектура на ОС", + "OS_Cpus": "Брой CPU ядра", + "OS_Freemem": "Свободна памет", + "OS_Loadavg": "ОС средно натоварване", + "OS_Platform": "ОС платформа", + "OS_Release": "ОС Версия", + "OS_Totalmem": "ОС Общо памет", + "OS_Type": "Тип ОС", + "OS_Uptime": "OS Ъптайм", + "hours": "часа", + "minutes": "минути", + "seconds": "секунди", + "show-field-on-card": "Покажи това поле в картата", + "yes": "Да", + "no": "Не", + "accounts": "Профили", + "accounts-allowEmailChange": "Разреши промяна на имейла", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Създаден на", + "verified": "Потвърден", + "active": "Активен", + "card-received": "Получена", + "card-received-on": "Получена на", + "card-end": "Завършена", + "card-end-on": "Завършена на", + "editCardReceivedDatePopup-title": "Промени датата на получаване", + "editCardEndDatePopup-title": "Промени датата на завършване", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json new file mode 100644 index 00000000..3d424578 --- /dev/null +++ b/i18n/br.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Asantiñ", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Oberoù", + "activities": "Oberiantizoù", + "activity": "Oberiantiz", + "activity-added": "%s ouzhpennet da %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "%s liammet ouzh %s", + "activity-created": "%s krouet", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "%s enporzhiet eus %s da %s", + "activity-imported-board": "%s enporzhiet da %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Ouzhpenn", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Ouzphenn ur golo", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Ouzhpenn izili", + "added": "Ouzhpennet", + "addMemberPopup-title": "Izili", + "admin": "Merour", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Kemmañ al liv", + "board-nb-stars": "%s stered", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Diverkañ ar gartenn ?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Izili", + "cardMorePopup-title": "Muioc’h", + "cards": "Kartennoù", + "cards-count": "Kartennoù", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Kemmañ ger-tremen", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Kemmañ ger-tremen", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "du", + "color-blue": "glas", + "color-green": "gwer", + "color-lime": "melen sitroñs", + "color-orange": "orañjez", + "color-pink": "roz", + "color-purple": "mouk", + "color-red": "ruz", + "color-sky": "pers", + "color-yellow": "melen", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Krouiñ", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Diverkañ", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Graet", + "download": "Download", + "edit": "Kemmañ", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Yezh", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "Muioc’h", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Izili", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Ger-tremen", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Ger-tremen", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json new file mode 100644 index 00000000..249056aa --- /dev/null +++ b/i18n/ca.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accepta", + "act-activity-notify": "[Wekan] Notificació d'activitat", + "act-addAttachment": "adjuntat __attachment__ a __card__", + "act-addChecklist": "afegida la checklist _checklist__ a __card__", + "act-addChecklistItem": "afegit __checklistItem__ a la checklist __checklist__ on __card__", + "act-addComment": "comentat a __card__: __comment__", + "act-createBoard": "creat __board__", + "act-createCard": "afegit/da __card__ a __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "afegit/da __list__ a __board__", + "act-addBoardMember": "afegit/da __member__ a __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "__board__ importat", + "act-importCard": "__card__ importat", + "act-importList": "__list__ importat", + "act-joinMember": "afegit/da __member__ a __card__", + "act-moveCard": "mou __card__ de __oldList__ a __list__", + "act-removeBoardMember": "elimina __member__ de __board__", + "act-restoredCard": "recupera __card__ a __board__", + "act-unjoinMember": "elimina __member__ de __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Accions", + "activities": "Activitats", + "activity": "Activitat", + "activity-added": "ha afegit %s a %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "ha adjuntat %s a %s", + "activity-created": "ha creat %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "ha exclòs %s de %s", + "activity-imported": "importat %s dins %s des de %s", + "activity-imported-board": "importat %s des de %s", + "activity-joined": "s'ha unit a %s", + "activity-moved": "ha mogut %s de %s a %s", + "activity-on": "en %s", + "activity-removed": "ha eliminat %s de %s", + "activity-sent": "ha enviat %s %s", + "activity-unjoined": "desassignat %s", + "activity-checklist-added": "Checklist afegida a %s", + "activity-checklist-item-added": "afegida entrada de checklist de '%s' a %s", + "add": "Afegeix", + "add-attachment": "Afegeix adjunt", + "add-board": "Afegeix Tauler", + "add-card": "Afegeix fitxa", + "add-swimlane": "Afegix Carril de Natació", + "add-checklist": "Afegeix checklist", + "add-checklist-item": "Afegeix un ítem", + "add-cover": "Afegeix coberta", + "add-label": "Afegeix etiqueta", + "add-list": "Afegeix llista", + "add-members": "Afegeix membres", + "added": "Afegit", + "addMemberPopup-title": "Membres", + "admin": "Administrador", + "admin-desc": "Pots veure i editar fitxes, eliminar membres, i canviar la configuració del tauler", + "admin-announcement": "Bàndol", + "admin-announcement-active": "Activar bàndol del Sistema", + "admin-announcement-title": "Bàndol de l'administració", + "all-boards": "Tots els taulers", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Aplica", + "app-is-offline": "Wekan s'està carregant, esperau si us plau. Refrescar la pàgina causarà la pérdua de les dades. Si Wekan no carrega, verificau que el servei de Wekan no estigui aturat", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restaura Tauler", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assignar membre", + "attached": "adjuntat", + "attachment": "Adjunt", + "attachment-delete-pop": "L'esborrat d'un arxiu adjunt és permanent. No es pot desfer.", + "attachmentDeletePopup-title": "Esborrar adjunt?", + "attachments": "Adjunts", + "auto-watch": "Automàticament segueix el taulers quan són creats", + "avatar-too-big": "L'avatar es massa gran (70KM max)", + "back": "Enrere", + "board-change-color": "Canvia el color", + "board-nb-stars": "%s estrelles", + "board-not-found": "No s'ha trobat el tauler", + "board-private-info": "Aquest tauler serà privat .", + "board-public-info": "Aquest tauler serà públic .", + "boardChangeColorPopup-title": "Canvia fons", + "boardChangeTitlePopup-title": "Canvia el nom tauler", + "boardChangeVisibilityPopup-title": "Canvia visibilitat", + "boardChangeWatchPopup-title": "Canvia seguiment", + "boardMenuPopup-title": "Menú del tauler", + "boards": "Taulers", + "board-view": "Visió del tauler", + "board-view-swimlanes": "Carrils de Natació", + "board-view-lists": "Llistes", + "bucket-example": "Igual que “Bucket List”, per exemple", + "cancel": "Cancel·la", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "Aquesta fitxa té %s comentaris.", + "card-delete-notice": "L'esborrat és permanent. Perdreu totes les accions associades a aquesta fitxa.", + "card-delete-pop": "Totes les accions s'eliminaran de l'activitat i no podreu tornar a obrir la fitxa. No es pot desfer.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Finalitza", + "card-due-on": "Finalitza a", + "card-spent": "Temps Dedicat", + "card-edit-attachments": "Edita arxius adjunts", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edita etiquetes", + "card-edit-members": "Edita membres", + "card-labels-title": "Canvia les etiquetes de la fitxa", + "card-members-title": "Afegeix o eliminar membres del tauler des de la fitxa.", + "card-start": "Comença", + "card-start-on": "Comença a", + "cardAttachmentsPopup-title": "Adjunta des de", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Esborrar fitxa?", + "cardDetailsActionsPopup-title": "Accions de fitxes", + "cardLabelsPopup-title": "Etiquetes", + "cardMembersPopup-title": "Membres", + "cardMorePopup-title": "Més", + "cards": "Fitxes", + "cards-count": "Fitxes", + "change": "Canvia", + "change-avatar": "Canvia Avatar", + "change-password": "Canvia la clau", + "change-permissions": "Canvia permisos", + "change-settings": "Canvia configuració", + "changeAvatarPopup-title": "Canvia Avatar", + "changeLanguagePopup-title": "Canvia idioma", + "changePasswordPopup-title": "Canvia la contrasenya", + "changePermissionsPopup-title": "Canvia permisos", + "changeSettingsPopup-title": "Canvia configuració", + "checklists": "Checklists", + "click-to-star": "Fes clic per destacar aquest tauler.", + "click-to-unstar": "Fes clic per deixar de destacar aquest tauler.", + "clipboard": "Portaretalls o estirar i amollar", + "close": "Tanca", + "close-board": "Tanca tauler", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "negre", + "color-blue": "blau", + "color-green": "verd", + "color-lime": "llima", + "color-orange": "taronja", + "color-pink": "rosa", + "color-purple": "púrpura", + "color-red": "vermell", + "color-sky": "cel", + "color-yellow": "groc", + "comment": "Comentari", + "comment-placeholder": "Escriu un comentari", + "comment-only": "Només comentaris", + "comment-only-desc": "Només pots fer comentaris a les fitxes", + "computer": "Ordinador", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copia l'enllaç de la ftixa al porta-retalls", + "copyCardPopup-title": "Copia la fitxa", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Títols de fitxa i Descripcions de destí en aquest format JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Títol de la primera fitxa\", \"description\":\"Descripció de la primera fitxa\"}, {\"title\":\"Títol de la segona fitxa\",\"description\":\"Descripció de la segona fitxa\"},{\"title\":\"Títol de l'última fitxa\",\"description\":\"Descripció de l'última fitxa\"} ]", + "create": "Crea", + "createBoardPopup-title": "Crea tauler", + "chooseBoardSourcePopup-title": "Importa Tauler", + "createLabelPopup-title": "Crea etiqueta", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "Actual", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Data", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Data", + "decline": "Declina", + "default-avatar": "Avatar per defecte", + "delete": "Esborra", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Esborra etiqueta", + "description": "Descripció", + "disambiguateMultiLabelPopup-title": "Desfe l'ambigüitat en les etiquetes", + "disambiguateMultiMemberPopup-title": "Desfe l'ambigüitat en els membres", + "discard": "Descarta", + "done": "Fet", + "download": "Descarrega", + "edit": "Edita", + "edit-avatar": "Canvia Avatar", + "edit-profile": "Edita el teu Perfil", + "edit-wip-limit": "Edita el Límit de Treball en Progrès", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Canvia data d'inici", + "editCardDueDatePopup-title": "Canvia data de finalització", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Canvia temps dedicat", + "editLabelPopup-title": "Canvia etiqueta", + "editNotificationPopup-title": "Edita la notificació", + "editProfilePopup-title": "Edita teu Perfil", + "email": "Correu electrònic", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hola __user__,\n\nPer començar a utilitzar el servei, segueix l'enllaç següent.\n\n__url__\n\nGràcies.", + "email-fail": "Error enviant el correu", + "email-fail-text": "Error en intentar enviar e-mail", + "email-invalid": "Adreça de correu invàlida", + "email-invite": "Convida mitjançant correu electrònic", + "email-invite-subject": "__inviter__ t'ha convidat", + "email-invite-text": "Benvolgut __user__,\n\n __inviter__ t'ha convidat a participar al tauler \"__board__\" per col·laborar-hi.\n\nSegueix l'enllaç següent:\n\n __url__\n\n Gràcies.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hola __user__,\n \n per resetejar la teva contrasenya, segueix l'enllaç següent.\n \n __url__\n \n Gràcies.", + "email-sent": "Correu enviat", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hola __user__, \n\n per verificar el teu correu, segueix l'enllaç següent.\n\n __url__\n\n Gràcies.", + "enable-wip-limit": "Activa e Límit de Treball en Progrès", + "error-board-doesNotExist": "Aquest tauler no existeix", + "error-board-notAdmin": "Necessites ser administrador d'aquest tauler per dur a lloc aquest acció", + "error-board-notAMember": "Necessites ser membre d'aquest tauler per dur a terme aquesta acció", + "error-json-malformed": "El text no és JSON vàlid", + "error-json-schema": "La dades JSON no contenen la informació en el format correcte", + "error-list-doesNotExist": "La llista no existeix", + "error-user-doesNotExist": "L'usuari no existeix", + "error-user-notAllowSelf": "No et pots convidar a tu mateix", + "error-user-notCreated": "L'usuari no s'ha creat", + "error-username-taken": "Aquest usuari ja existeix", + "error-email-taken": "L'adreça de correu electrònic ja és en ús", + "export-board": "Exporta tauler", + "filter": "Filtre", + "filter-cards": "Fitxes de filtre", + "filter-clear": "Elimina filtre", + "filter-no-label": "Sense etiqueta", + "filter-no-member": "Sense membres", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filtra per", + "filter-on-desc": "Estau filtrant fitxes en aquest tauler. Feu clic aquí per editar el filtre.", + "filter-to-selection": "Filtra selecció", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Nom complet", + "header-logo-title": "Torna a la teva pàgina de taulers", + "hide-system-messages": "Oculta missatges del sistema", + "headerBarCreateBoardPopup-title": "Crea tauler", + "home": "Inici", + "import": "importa", + "import-board": "Importa tauler", + "import-board-c": "Importa tauler", + "import-board-title-trello": "Importa tauler des de Trello", + "import-board-title-wekan": "I", + "import-sandstorm-warning": "Estau segur que voleu esborrar aquesta checklist?", + "from-trello": "Des de Trello", + "from-wekan": "Des de Wekan", + "import-board-instruction-trello": "En el teu tauler Trello, ves a 'Menú', 'Més'.' Imprimir i Exportar', 'Exportar JSON', i copia el text resultant.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Aferra codi JSON vàlid aquí", + "import-map-members": "Mapeja el membres", + "import-members-map": "El tauler importat conté membres. Assigna els membres que vulguis importar a usuaris Wekan", + "import-show-user-mapping": "Revisa l'assignació de membres", + "import-user-select": "Selecciona l'usuari Wekan que vulguis associar a aquest membre", + "importMapMembersAddPopup-title": "Selecciona un membre de Wekan", + "info": "Versió", + "initials": "Inicials", + "invalid-date": "Data invàlida", + "invalid-time": "Temps Invàlid", + "invalid-user": "Usuari invàlid", + "joined": "s'ha unit", + "just-invited": "Has estat convidat a aquest tauler", + "keyboard-shortcuts": "Dreceres de teclat", + "label-create": "Crea etiqueta", + "label-default": "%s etiqueta (per defecte)", + "label-delete-pop": "No es pot desfer. Això eliminarà aquesta etiqueta de totes les fitxes i destruirà la seva història.", + "labels": "Etiquetes", + "language": "Idioma", + "last-admin-desc": "No podeu canviar rols perquè ha d'haver-hi almenys un administrador.", + "leave-board": "Abandona tauler", + "leave-board-pop": "De debò voleu abandonar __boardTitle__? Se us eliminarà de totes les fitxes d'aquest tauler.", + "leaveBoardPopup-title": "Abandonar Tauler?", + "link-card": "Enllaç a aquesta fitxa", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Mou totes les fitxes d'aquesta llista", + "list-select-cards": "Selecciona totes les fitxes d'aquesta llista", + "listActionPopup-title": "Accions de la llista", + "swimlaneActionPopup-title": "Accions de Carril de Natació", + "listImportCardPopup-title": "importa una fitxa de Trello", + "listMorePopup-title": "Més", + "link-list": "Enllaça a aquesta llista", + "list-delete-pop": "Totes les accions seran esborrades de la llista d'activitats i no serà possible recuperar la llista", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Llistes", + "swimlanes": "Carrils de Natació", + "log-out": "Finalitza la sessió", + "log-in": "Ingresa", + "loginPopup-title": "Inicia sessió", + "memberMenuPopup-title": "Configura membres", + "members": "Membres", + "menu": "Menú", + "move-selection": "Move selection", + "moveCardPopup-title": "Moure fitxa", + "moveCardToBottom-title": "Mou a la part inferior", + "moveCardToTop-title": "Mou a la part superior", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selecció", + "multi-selection-on": "Multi-Selecció està activada", + "muted": "En silenci", + "muted-info": "No seràs notificat dels canvis en aquest tauler", + "my-boards": "Els meus taulers", + "name": "Nom", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Sense resultats", + "normal": "Normal", + "normal-desc": "Podeu veure i editar fitxes. No podeu canviar la configuració.", + "not-accepted-yet": "La invitació no ha esta acceptada encara", + "notify-participate": "Rebre actualitzacions per a cada fitxa de la qual n'ets creador o membre", + "notify-watch": "Rebre actualitzacions per qualsevol tauler, llista o fitxa en observació", + "optional": "opcional", + "or": "o", + "page-maybe-private": "Aquesta pàgina és privada. Per veure-la entra .", + "page-not-found": "Pàgina no trobada.", + "password": "Contrasenya", + "paste-or-dragdrop": "aferra, o estira i amolla la imatge (només imatge)", + "participating": "Participant", + "preview": "Vista prèvia", + "previewAttachedImagePopup-title": "Vista prèvia", + "previewClipboardImagePopup-title": "Vista prèvia", + "private": "Privat", + "private-desc": "Aquest tauler és privat. Només les persones afegides al tauler poden veure´l i editar-lo.", + "profile": "Perfil", + "public": "Públic", + "public-desc": "Aquest tauler és públic. És visible per a qualsevol persona amb l'enllaç i es mostrarà en els motors de cerca com Google. Només persones afegides al tauler poden editar-lo.", + "quick-access-description": "Inicia un tauler per afegir un accés directe en aquest barra", + "remove-cover": "Elimina coberta", + "remove-from-board": "Elimina del tauler", + "remove-label": "Elimina l'etiqueta", + "listDeletePopup-title": "Esborrar la llista?", + "remove-member": "Elimina membre", + "remove-member-from-card": "Elimina de la fitxa", + "remove-member-pop": "Eliminar __name__ (__username__) de __boardTitle__ ? El membre serà eliminat de totes les fitxes d'aquest tauler. Ells rebran una notificació.", + "removeMemberPopup-title": "Vols suprimir el membre?", + "rename": "Canvia el nom", + "rename-board": "Canvia el nom del tauler", + "restore": "Restaura", + "save": "Desa", + "search": "Cerca", + "search-cards": "Cerca títols de fitxa i descripcions en aquest tauler", + "search-example": "Text que cercar?", + "select-color": "Selecciona color", + "set-wip-limit-value": "Limita el màxim nombre de tasques en aquesta llista", + "setWipLimitPopup-title": "Configura el Límit de Treball en Progrès", + "shortcut-assign-self": "Assigna't la ftixa actual", + "shortcut-autocomplete-emoji": "Autocompleta emoji", + "shortcut-autocomplete-members": "Autocompleta membres", + "shortcut-clear-filters": "Elimina tots els filters", + "shortcut-close-dialog": "Tanca el diàleg", + "shortcut-filter-my-cards": "Filtra les meves fitxes", + "shortcut-show-shortcuts": "Mostra aquesta lista d'accessos directes", + "shortcut-toggle-filterbar": "Canvia la barra lateral del tauler", + "shortcut-toggle-sidebar": "Canvia Sidebar del Tauler", + "show-cards-minimum-count": "Mostra contador de fitxes si la llista en conté més de", + "sidebar-open": "Mostra barra lateral", + "sidebar-close": "Amaga barra lateral", + "signupPopup-title": "Crea un compte", + "star-board-title": "Fes clic per destacar aquest tauler. Es mostrarà a la part superior de la llista de taulers.", + "starred-boards": "Taulers destacats", + "starred-boards-description": "Els taulers destacats es mostraran a la part superior de la llista de taulers.", + "subscribe": "Subscriure", + "team": "Equip", + "this-board": "aquest tauler", + "this-card": "aquesta fitxa", + "spent-time-hours": "Temps dedicat (hores)", + "overtime-hours": "Temps de més (hores)", + "overtime": "Temps de més", + "has-overtime-cards": "Té fitxes amb temps de més", + "has-spenttime-cards": "Té fitxes amb temps dedicat", + "time": "Hora", + "title": "Títol", + "tracking": "En seguiment", + "tracking-info": "Seràs notificat per cada canvi a aquelles fitxes de les que n'eres creador o membre", + "type": "Type", + "unassign-member": "Desassignar membre", + "unsaved-description": "Tens una descripció sense desar.", + "unwatch": "Suprimeix observació", + "upload": "Puja", + "upload-avatar": "Actualitza avatar", + "uploaded-avatar": "Avatar actualitzat", + "username": "Nom d'Usuari", + "view-it": "Vist", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Observa", + "watching": "En observació", + "watching-info": "Seràs notificat de cada canvi en aquest tauler", + "welcome-board": "Tauler de benvinguda", + "welcome-swimlane": "Objectiu 1", + "welcome-list1": "Bàsics", + "welcome-list2": "Avançades", + "what-to-do": "Què vols fer?", + "wipLimitErrorPopup-title": "Límit de Treball en Progrès invàlid", + "wipLimitErrorPopup-dialog-pt1": "El nombre de tasques en esta llista és superior al límit de Treball en Progrès que heu definit.", + "wipLimitErrorPopup-dialog-pt2": "Si us plau mogui algunes taques fora d'aquesta llista, o configuri un límit de Treball en Progrès superior.", + "admin-panel": "Tauler d'administració", + "settings": "Configuració", + "people": "Persones", + "registration": "Registre", + "disable-self-registration": "Deshabilita Auto-Registre", + "invite": "Convida", + "invite-people": "Convida a persones", + "to-boards": "Al tauler(s)", + "email-addresses": "Adreça de correu", + "smtp-host-description": "L'adreça del vostre servidor SMTP.", + "smtp-port-description": "El port del vostre servidor SMTP.", + "smtp-tls-description": "Activa suport TLS pel servidor SMTP", + "smtp-host": "Servidor SMTP", + "smtp-port": "Port SMTP", + "smtp-username": "Nom d'Usuari", + "smtp-password": "Contrasenya", + "smtp-tls": "Suport TLS", + "send-from": "De", + "send-smtp-test": "Envia't un correu electrònic de prova", + "invitation-code": "Codi d'invitació", + "email-invite-register-subject": "__inviter__ t'ha convidat", + "email-invite-register-text": " __user__,\n\n __inviter__ us ha convidat a col·laborar a Wekan.\n\n Clicau l'enllaç següent per acceptar l'invitació:\n __url__\n\n El vostre codi d'invitació és: __icode__\n\n Gràcies", + "email-smtp-test-subject": "Correu de Prova SMTP de Wekan", + "email-smtp-test-text": "Has enviat un missatge satisfactòriament", + "error-invitation-code-not-exist": "El codi d'invitació no existeix", + "error-notAuthorized": "No estau autoritzats per veure aquesta pàgina", + "outgoing-webhooks": "Webhooks sortints", + "outgoingWebhooksPopup-title": "Webhooks sortints", + "new-outgoing-webhook": "Nou Webook sortint", + "no-name": "Importa tauler des de Wekan", + "Wekan_version": "Versió Wekan", + "Node_version": "Versió Node", + "OS_Arch": "Arquitectura SO", + "OS_Cpus": "Plataforma SO", + "OS_Freemem": "Memòria lliure", + "OS_Loadavg": "Carrega de SO", + "OS_Platform": "Plataforma de SO", + "OS_Release": "Versió SO", + "OS_Totalmem": "Memòria total", + "OS_Type": "Tipus de SO", + "OS_Uptime": "Temps d'activitat", + "hours": "hores", + "minutes": "minuts", + "seconds": "segons", + "show-field-on-card": "Show this field on card", + "yes": "Si", + "no": "No", + "accounts": "Comptes", + "accounts-allowEmailChange": "Permet modificar correu electrònic", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Creat ", + "verified": "Verificat", + "active": "Actiu", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json new file mode 100644 index 00000000..97e02e06 --- /dev/null +++ b/i18n/cs.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Přijmout", + "act-activity-notify": "[Wekan] Notifikace aktivit", + "act-addAttachment": "přiložen __attachment__ do __card__", + "act-addChecklist": "přidán checklist __checklist__ do __card__", + "act-addChecklistItem": "přidán __checklistItem__ do checklistu __checklist__ v __card__", + "act-addComment": "komentář k __card__: __comment__", + "act-createBoard": "přidání __board__", + "act-createCard": "přidání __card__ do __list__", + "act-createCustomField": "vytvořeno vlastní pole __customField__", + "act-createList": "přidání __list__ do __board__", + "act-addBoardMember": "přidání __member__ do __board__", + "act-archivedBoard": "__board__ bylo přesunuto do koše", + "act-archivedCard": "__card__ bylo přesunuto do koše", + "act-archivedList": "__list__ bylo přesunuto do koše", + "act-archivedSwimlane": "__swimlane__ bylo přesunuto do koše", + "act-importBoard": "import __board__", + "act-importCard": "import __card__", + "act-importList": "import __list__", + "act-joinMember": "přidání __member__ do __card__", + "act-moveCard": "přesun __card__ z __oldList__ do __list__", + "act-removeBoardMember": "odstranění __member__ z __board__", + "act-restoredCard": "obnovení __card__ do __board__", + "act-unjoinMember": "odstranění __member__ z __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Akce", + "activities": "Aktivity", + "activity": "Aktivita", + "activity-added": "%s přidáno k %s", + "activity-archived": "%s bylo přesunuto do koše", + "activity-attached": "přiloženo %s k %s", + "activity-created": "%s vytvořeno", + "activity-customfield-created": "vytvořeno vlastní pole %s", + "activity-excluded": "%s vyjmuto z %s", + "activity-imported": "importován %s do %s z %s", + "activity-imported-board": "importován %s z %s", + "activity-joined": "spojen %s", + "activity-moved": "%s přesunuto z %s do %s", + "activity-on": "na %s", + "activity-removed": "odstraněn %s z %s", + "activity-sent": "%s posláno na %s", + "activity-unjoined": "odpojen %s", + "activity-checklist-added": "přidán checklist do %s", + "activity-checklist-item-added": "přidána položka checklist do '%s' v %s", + "add": "Přidat", + "add-attachment": "Přidat přílohu", + "add-board": "Přidat tablo", + "add-card": "Přidat kartu", + "add-swimlane": "Přidat Swimlane", + "add-checklist": "Přidat zaškrtávací seznam", + "add-checklist-item": "Přidat položku do zaškrtávacího seznamu", + "add-cover": "Přidat obal", + "add-label": "Přidat štítek", + "add-list": "Přidat list", + "add-members": "Přidat členy", + "added": "Přidán", + "addMemberPopup-title": "Členové", + "admin": "Administrátor", + "admin-desc": "Může zobrazovat a upravovat karty, mazat členy a měnit nastavení tabla.", + "admin-announcement": "Oznámení", + "admin-announcement-active": "Aktivní oznámení v celém systému", + "admin-announcement-title": "Oznámení od administrátora", + "all-boards": "Všechna tabla", + "and-n-other-card": "A __count__ další karta(y)", + "and-n-other-card_plural": "A __count__ dalších karet", + "apply": "Použít", + "app-is-offline": "Wekan se načítá, prosím čekejte. Obnovení stránky způsobí ztrátu dat. Pokud se Wekan nenačte, zkontrolujte prosím, jestli se server s Wekanem nezastavil.", + "archive": "Přesunout do koše", + "archive-all": "Přesunout všechno do koše", + "archive-board": "Přesunout tablo do koše", + "archive-card": "Přesunout kartu do koše", + "archive-list": "Přesunout seznam do koše", + "archive-swimlane": "Přesunout swimlane do koše", + "archive-selection": "Přesunout výběr do koše", + "archiveBoardPopup-title": "Chcete přesunout tablo do koše?", + "archived-items": "Koš", + "archived-boards": "Tabla v koši", + "restore-board": "Obnovit tablo", + "no-archived-boards": "Žádná tabla v koši", + "archives": "Koš", + "assign-member": "Přiřadit člena", + "attached": "přiloženo", + "attachment": "Příloha", + "attachment-delete-pop": "Smazání přílohy je trvalé. Nejde vrátit zpět.", + "attachmentDeletePopup-title": "Smazat přílohu?", + "attachments": "Přílohy", + "auto-watch": "Automaticky sleduj tabla když jsou vytvořena", + "avatar-too-big": "Avatar obrázek je příliš velký (70KB max)", + "back": "Zpět", + "board-change-color": "Změnit barvu", + "board-nb-stars": "%s hvězdiček", + "board-not-found": "Tablo nenalezeno", + "board-private-info": "Toto tablo bude soukromé.", + "board-public-info": "Toto tablo bude veřejné.", + "boardChangeColorPopup-title": "Změnit pozadí tabla", + "boardChangeTitlePopup-title": "Přejmenovat tablo", + "boardChangeVisibilityPopup-title": "Upravit viditelnost", + "boardChangeWatchPopup-title": "Změnit sledování", + "boardMenuPopup-title": "Menu tabla", + "boards": "Tabla", + "board-view": "Náhled tabla", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Seznamy", + "bucket-example": "Například \"Než mě odvedou\"", + "cancel": "Zrušit", + "card-archived": "Karta byla přesunuta do koše.", + "card-comments-title": "Tato karta má %s komentářů.", + "card-delete-notice": "Smazání je trvalé. Přijdete o všechny akce asociované s touto kartou.", + "card-delete-pop": "Všechny akce budou odstraněny z kanálu aktivity a nebude možné kartu znovu otevřít. Toto nelze vrátit zpět.", + "card-delete-suggest-archive": "Kartu můžete přesunout do koše a tím ji odstranit z tabla a přitom zachovat aktivity.", + "card-due": "Termín", + "card-due-on": "Do", + "card-spent": "Strávený čas", + "card-edit-attachments": "Upravit přílohy", + "card-edit-custom-fields": "Upravit vlastní pole", + "card-edit-labels": "Upravit štítky", + "card-edit-members": "Upravit členy", + "card-labels-title": "Změnit štítky karty.", + "card-members-title": "Přidat nebo odstranit členy tohoto tabla z karty.", + "card-start": "Start", + "card-start-on": "Začít dne", + "cardAttachmentsPopup-title": "Přiložit formulář", + "cardCustomField-datePopup-title": "Změnit datum", + "cardCustomFieldsPopup-title": "Upravit vlastní pole", + "cardDeletePopup-title": "Smazat kartu?", + "cardDetailsActionsPopup-title": "Akce karty", + "cardLabelsPopup-title": "Štítky", + "cardMembersPopup-title": "Členové", + "cardMorePopup-title": "Více", + "cards": "Karty", + "cards-count": "Karty", + "change": "Změnit", + "change-avatar": "Změnit avatar", + "change-password": "Změnit heslo", + "change-permissions": "Změnit oprávnění", + "change-settings": "Změnit nastavení", + "changeAvatarPopup-title": "Změnit avatar", + "changeLanguagePopup-title": "Změnit jazyk", + "changePasswordPopup-title": "Změnit heslo", + "changePermissionsPopup-title": "Změnit oprávnění", + "changeSettingsPopup-title": "Změnit nastavení", + "checklists": "Checklisty", + "click-to-star": "Kliknutím přidat hvězdičku tomuto tablu.", + "click-to-unstar": "Kliknutím odebrat hvězdičku tomuto tablu.", + "clipboard": "Schránka nebo potáhnout a pustit", + "close": "Zavřít", + "close-board": "Zavřít tablo", + "close-board-pop": "Kliknutím na tlačítko \"Recyklovat\" budete moci obnovit tablo z koše.", + "color-black": "černá", + "color-blue": "modrá", + "color-green": "zelená", + "color-lime": "světlezelená", + "color-orange": "oranžová", + "color-pink": "růžová", + "color-purple": "fialová", + "color-red": "červená", + "color-sky": "nebeská", + "color-yellow": "žlutá", + "comment": "Komentář", + "comment-placeholder": "Text komentáře", + "comment-only": "Pouze komentáře", + "comment-only-desc": "Může přidávat komentáře pouze do karet.", + "computer": "Počítač", + "confirm-checklist-delete-dialog": "Opravdu chcete smazat tento checklist?", + "copy-card-link-to-clipboard": "Kopírovat adresu karty do mezipaměti", + "copyCardPopup-title": "Kopírovat kartu", + "copyChecklistToManyCardsPopup-title": "Kopírovat checklist do více karet", + "copyChecklistToManyCardsPopup-instructions": "Názvy a popisy cílové karty v tomto formátu JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Nadpis první karty\", \"description\":\"Popis druhé karty\"}, {\"title\":\"Nadpis druhé karty\",\"description\":\"Popis druhé karty\"},{\"title\":\"Nadpis poslední kary\",\"description\":\"Popis poslední karty\"} ]", + "create": "Vytvořit", + "createBoardPopup-title": "Vytvořit tablo", + "chooseBoardSourcePopup-title": "Importovat tablo", + "createLabelPopup-title": "Vytvořit štítek", + "createCustomField": "Vytvořit pole", + "createCustomFieldPopup-title": "Vytvořit pole", + "current": "Aktuální", + "custom-field-delete-pop": "Nelze vrátit zpět. Toto odebere toto vlastní pole ze všech karet a zničí jeho historii.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Datum", + "custom-field-dropdown": "Rozbalovací seznam", + "custom-field-dropdown-none": "(prázdné)", + "custom-field-dropdown-options": "Seznam možností", + "custom-field-dropdown-options-placeholder": "Stiskněte enter pro přidání více možností", + "custom-field-dropdown-unknown": "(neznámé)", + "custom-field-number": "Číslo", + "custom-field-text": "Text", + "custom-fields": "Vlastní pole", + "date": "Datum", + "decline": "Zamítnout", + "default-avatar": "Výchozí avatar", + "delete": "Smazat", + "deleteCustomFieldPopup-title": "Smazat vlastní pole", + "deleteLabelPopup-title": "Smazat štítek?", + "description": "Popis", + "disambiguateMultiLabelPopup-title": "Dvojznačný štítek akce", + "disambiguateMultiMemberPopup-title": "Dvojznačná akce člena", + "discard": "Zahodit", + "done": "Hotovo", + "download": "Stáhnout", + "edit": "Upravit", + "edit-avatar": "Změnit avatar", + "edit-profile": "Upravit profil", + "edit-wip-limit": "Upravit WIP Limit", + "soft-wip-limit": "Mírný WIP limit", + "editCardStartDatePopup-title": "Změnit datum startu úkolu", + "editCardDueDatePopup-title": "Změnit datum dokončení úkolu", + "editCustomFieldPopup-title": "Upravit pole", + "editCardSpentTimePopup-title": "Změnit strávený čas", + "editLabelPopup-title": "Změnit štítek", + "editNotificationPopup-title": "Změnit notifikace", + "editProfilePopup-title": "Upravit profil", + "email": "Email", + "email-enrollAccount-subject": "Byl vytvořen účet na __siteName__", + "email-enrollAccount-text": "Ahoj __user__,\n\nMůžeš začít používat službu kliknutím na odkaz níže.\n\n__url__\n\nDěkujeme.", + "email-fail": "Odeslání emailu selhalo", + "email-fail-text": "Chyba při pokusu o odeslání emailu", + "email-invalid": "Neplatný email", + "email-invite": "Pozvat pomocí emailu", + "email-invite-subject": "__inviter__ odeslal pozvánku", + "email-invite-text": "Ahoj __user__,\n\n__inviter__ tě přizval ke spolupráci na tablu \"__board__\".\n\nNásleduj prosím odkaz níže:\n\n__url__\n\nDěkujeme.", + "email-resetPassword-subject": "Změň své heslo na __siteName__", + "email-resetPassword-text": "Ahoj __user__,\n\nPro změnu hesla klikni na odkaz níže.\n\n__url__\n\nDěkujeme.", + "email-sent": "Email byl odeslán", + "email-verifyEmail-subject": "Ověř svou emailovou adresu na", + "email-verifyEmail-text": "Ahoj __user__,\n\nPro ověření emailové adresy klikni na odkaz níže.\n\n__url__\n\nDěkujeme.", + "enable-wip-limit": "Povolit WIP Limit", + "error-board-doesNotExist": "Toto tablo neexistuje", + "error-board-notAdmin": "K provedení změny musíš být administrátor tohoto tabla", + "error-board-notAMember": "K provedení změny musíš být členem tohoto tabla", + "error-json-malformed": "Tvůj text není validní JSON", + "error-json-schema": "Tato JSON data neobsahují správné informace v platném formátu", + "error-list-doesNotExist": "Tento seznam neexistuje", + "error-user-doesNotExist": "Tento uživatel neexistuje", + "error-user-notAllowSelf": "Nemůžeš pozvat sám sebe", + "error-user-notCreated": "Tento uživatel není vytvořen", + "error-username-taken": "Toto uživatelské jméno již existuje", + "error-email-taken": "Tento email byl již použit", + "export-board": "Exportovat tablo", + "filter": "Filtr", + "filter-cards": "Filtrovat karty", + "filter-clear": "Vyčistit filtr", + "filter-no-label": "Žádný štítek", + "filter-no-member": "Žádný člen", + "filter-no-custom-fields": "Žádné vlastní pole", + "filter-on": "Filtr je zapnut", + "filter-on-desc": "Filtrujete karty tohoto tabla. Pro úpravu filtru klikni sem.", + "filter-to-selection": "Filtrovat výběr", + "advanced-filter-label": "Pokročilý filtr", + "advanced-filter-description": "Pokročilý filtr dovoluje zapsat řetězec následujících operátorů: == != <= >= && || () Operátory jsou odděleny mezerou. Můžete filtrovat všechny vlastní pole zadáním jejich názvů nebo hodnot. Například: Pole1 == Hodnota1. Poznámka: Pokud pole nebo hodnoty obsahují mezery, je potřeba je obalit v jednoduchých uvozovkách. Například: 'Pole 1' == 'Hodnota 1'. Můžete také kombinovat více podmínek. Například P1 == H1 || P1 == H2. Obvykle jsou operátory interpretovány zleva doprava. Jejich pořadí můžete měnit pomocí závorek. Například: P1 == H1 && (P2 == H2 || P2 == H3 )", + "fullname": "Celé jméno", + "header-logo-title": "Jit zpět na stránku s tably.", + "hide-system-messages": "Skrýt systémové zprávy", + "headerBarCreateBoardPopup-title": "Vytvořit tablo", + "home": "Domů", + "import": "Import", + "import-board": "Importovat tablo", + "import-board-c": "Importovat tablo", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Importovat tablo z Wekanu", + "import-sandstorm-warning": "Importované tablo spaže všechny existující data v tablu a nahradí je importovaným tablem.", + "from-trello": "Z Trella", + "from-wekan": "Z Wekanu", + "import-board-instruction-trello": "Na svém Trello tablu, otevři 'Menu', pak 'More', 'Print and Export', 'Export JSON', a zkopíruj výsledný text", + "import-board-instruction-wekan": "Ve vašem Wekan tablu jděte do 'Menu', klikněte na 'Exportovat tablo' a zkopírujte text ze staženého souboru.", + "import-json-placeholder": "Sem vlož validní JSON data", + "import-map-members": "Mapovat členy", + "import-members-map": "Toto importované tablo obsahuje několik členů. Namapuj členy z importu na uživatelské účty Wekan.", + "import-show-user-mapping": "Zkontrolovat namapování členů", + "import-user-select": "Vyber uživatele Wekan, kterého chceš použít pro tohoto člena", + "importMapMembersAddPopup-title": "Vybrat Wekan uživatele", + "info": "Verze", + "initials": "Iniciály", + "invalid-date": "Neplatné datum", + "invalid-time": "Neplatný čas", + "invalid-user": "Neplatný uživatel", + "joined": "spojeno", + "just-invited": "Právě jsi byl pozván(a) do tohoto tabla", + "keyboard-shortcuts": "Klávesové zkratky", + "label-create": "Vytvořit štítek", + "label-default": "%s štítek (výchozí)", + "label-delete-pop": "Nelze vrátit zpět. Toto odebere tento štítek ze všech karet a zničí jeho historii.", + "labels": "Štítky", + "language": "Jazyk", + "last-admin-desc": "Nelze změnit role, protože musí existovat alespoň jeden administrátor.", + "leave-board": "Opustit tablo", + "leave-board-pop": "Opravdu chcete opustit tablo __boardTitle__? Odstraníte se tím i ze všech karet v tomto tablu.", + "leaveBoardPopup-title": "Opustit tablo?", + "link-card": "Odkázat na tuto kartu", + "list-archive-cards": "Přesunout všechny karty v tomto seznamu do koše", + "list-archive-cards-pop": "Toto odstraní z tabla všechny karty z tohoto seznamu. Pro zobrazení karet v koši a jejich opětovné obnovení, klikni v \"Menu\" > \"Archivované položky\".", + "list-move-cards": "Přesunout všechny karty v tomto seznamu", + "list-select-cards": "Vybrat všechny karty v tomto seznamu", + "listActionPopup-title": "Vypsat akce", + "swimlaneActionPopup-title": "Akce swimlane", + "listImportCardPopup-title": "Importovat Trello kartu", + "listMorePopup-title": "Více", + "link-list": "Odkaz na tento seznam", + "list-delete-pop": "Všechny akce budou odstraněny z kanálu aktivity a nebude možné kartu obnovit. Toto nelze vrátit zpět.", + "list-delete-suggest-archive": "Kartu můžete přesunout do koše a tím ji odstranit z tabla a přitom zachovat aktivity.", + "lists": "Seznamy", + "swimlanes": "Swimlanes", + "log-out": "Odhlásit", + "log-in": "Přihlásit", + "loginPopup-title": "Přihlásit", + "memberMenuPopup-title": "Nastavení uživatele", + "members": "Členové", + "menu": "Menu", + "move-selection": "Přesunout výběr", + "moveCardPopup-title": "Přesunout kartu", + "moveCardToBottom-title": "Přesunout dolu", + "moveCardToTop-title": "Přesunout nahoru", + "moveSelectionPopup-title": "Přesunout výběr", + "multi-selection": "Multi-výběr", + "multi-selection-on": "Multi-výběr je zapnut", + "muted": "Umlčeno", + "muted-info": "Nikdy nedostanete oznámení o změně v tomto tablu.", + "my-boards": "Moje tabla", + "name": "Jméno", + "no-archived-cards": "Žádné karty v koši", + "no-archived-lists": "Žádné seznamy v koši", + "no-archived-swimlanes": "Žádné swimlane v koši", + "no-results": "Žádné výsledky", + "normal": "Normální", + "normal-desc": "Může zobrazovat a upravovat karty. Nemůže měnit nastavení.", + "not-accepted-yet": "Pozvánka ještě nebyla přijmuta", + "notify-participate": "Dostane aktualizace do všech karet, ve kterých se účastní jako tvůrce nebo člen", + "notify-watch": "Dostane aktualitace to všech tabel, seznamů nebo karet, které sledujete", + "optional": "volitelný", + "or": "nebo", + "page-maybe-private": "Tato stránka může být soukromá. Můžete ji zobrazit po přihlášení.", + "page-not-found": "Stránka nenalezena.", + "password": "Heslo", + "paste-or-dragdrop": "vložit, nebo přetáhnout a pustit soubor obrázku (pouze obrázek)", + "participating": "Zúčastnění", + "preview": "Náhled", + "previewAttachedImagePopup-title": "Náhled", + "previewClipboardImagePopup-title": "Náhled", + "private": "Soukromý", + "private-desc": "Toto tablo je soukromé. Pouze vybraní uživatelé ho mohou zobrazit a upravovat.", + "profile": "Profil", + "public": "Veřejný", + "public-desc": "Toto tablo je veřejné. Je viditelné pro každého, kdo na něj má odkaz a bude zobrazeno ve vyhledávačích jako je Google. Pouze vybraní uživatelé ho mohou upravovat.", + "quick-access-description": "Pro přidání odkazu do této lišty označ tablo hvězdičkou.", + "remove-cover": "Odstranit obal", + "remove-from-board": "Odstranit z tabla", + "remove-label": "Odstranit štítek", + "listDeletePopup-title": "Smazat seznam?", + "remove-member": "Odebrat uživatele", + "remove-member-from-card": "Odstranit z karty", + "remove-member-pop": "Odstranit __name__ (__username__) z __boardTitle__? Uživatel bude odebrán ze všech karet na tomto tablu. Na tuto skutečnost bude upozorněn.", + "removeMemberPopup-title": "Odstranit člena?", + "rename": "Přejmenovat", + "rename-board": "Přejmenovat tablo", + "restore": "Obnovit", + "save": "Uložit", + "search": "Hledat", + "search-cards": "Hledat nadpisy a popisy karet v tomto tablu", + "search-example": "Hledaný text", + "select-color": "Vybrat barvu", + "set-wip-limit-value": "Nastaví limit pro maximální počet úkolů v seznamu.", + "setWipLimitPopup-title": "Nastavit WIP Limit", + "shortcut-assign-self": "Přiřadit sebe k aktuální kartě", + "shortcut-autocomplete-emoji": "Automatické dokončování emoji", + "shortcut-autocomplete-members": "Automatický výběr uživatel", + "shortcut-clear-filters": "Vyčistit všechny filtry", + "shortcut-close-dialog": "Zavřít dialog", + "shortcut-filter-my-cards": "Filtrovat mé karty", + "shortcut-show-shortcuts": "Otevřít tento seznam odkazů", + "shortcut-toggle-filterbar": "Přepnout lištu filtrování", + "shortcut-toggle-sidebar": "Přepnout lištu tabla", + "show-cards-minimum-count": "Zobrazit počet karet pokud seznam obsahuje více než ", + "sidebar-open": "Otevřít boční panel", + "sidebar-close": "Zavřít boční panel", + "signupPopup-title": "Vytvořit účet", + "star-board-title": "Kliknutím přidat tablu hvězdičku. Poté bude zobrazeno navrchu seznamu.", + "starred-boards": "Tabla s hvězdičkou", + "starred-boards-description": "Tabla s hvězdičkou jsou zobrazena navrchu seznamu.", + "subscribe": "Odebírat", + "team": "Tým", + "this-board": "toto tablo", + "this-card": "tuto kartu", + "spent-time-hours": "Strávený čas (hodiny)", + "overtime-hours": "Přesčas (hodiny)", + "overtime": "Přesčas", + "has-overtime-cards": "Obsahuje karty s přesčasy", + "has-spenttime-cards": "Obsahuje karty se stráveným časem", + "time": "Čas", + "title": "Název", + "tracking": "Pozorující", + "tracking-info": "Budete informováni o všech změnách v kartách, u kterých jste tvůrce nebo člen.", + "type": "Typ", + "unassign-member": "Vyřadit člena", + "unsaved-description": "Popis neni uložen.", + "unwatch": "Přestat sledovat", + "upload": "Nahrát", + "upload-avatar": "Nahrát avatar", + "uploaded-avatar": "Avatar nahrán", + "username": "Uživatelské jméno", + "view-it": "Zobrazit", + "warn-list-archived": "varování: tuto kartu obsahuje seznam v koši", + "watch": "Sledovat", + "watching": "Sledující", + "watching-info": "Bude vám oznámena každá změna v tomto tablu", + "welcome-board": "Uvítací tablo", + "welcome-swimlane": "Milník 1", + "welcome-list1": "Základní", + "welcome-list2": "Pokročilé", + "what-to-do": "Co chcete dělat?", + "wipLimitErrorPopup-title": "Neplatný WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "Počet úkolů v tomto seznamu je vyšší než definovaný WIP limit.", + "wipLimitErrorPopup-dialog-pt2": "Přesuňte prosím některé úkoly mimo tento seznam, nebo nastavte vyšší WIP limit.", + "admin-panel": "Administrátorský panel", + "settings": "Nastavení", + "people": "Lidé", + "registration": "Registrace", + "disable-self-registration": "Vypnout svévolnou registraci", + "invite": "Pozvánka", + "invite-people": "Pozvat lidi", + "to-boards": "Do tabel", + "email-addresses": "Emailové adresy", + "smtp-host-description": "Adresa SMTP serveru, který zpracovává vaše emaily.", + "smtp-port-description": "Port, který používá Váš SMTP server pro odchozí emaily.", + "smtp-tls-description": "Zapnout TLS podporu pro SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Uživatelské jméno", + "smtp-password": "Heslo", + "smtp-tls": "podpora TLS", + "send-from": "Od", + "send-smtp-test": "Poslat si zkušební email.", + "invitation-code": "Kód pozvánky", + "email-invite-register-subject": "__inviter__ odeslal pozvánku", + "email-invite-register-text": "Ahoj __user__,\n\n__inviter__ tě přizval ke spolupráci ve Wekanu.\n\nNásleduj prosím odkaz níže:\n\n__url__\n\nKód Tvé pozvánky je: __icode__\n\nDěkujeme.", + "email-smtp-test-subject": "SMTP Testovací email z Wekanu", + "email-smtp-test-text": "Email byl úspěšně odeslán", + "error-invitation-code-not-exist": "Kód pozvánky neexistuje.", + "error-notAuthorized": "Nejste autorizován k prohlížení této stránky.", + "outgoing-webhooks": "Odchozí Webhooky", + "outgoingWebhooksPopup-title": "Odchozí Webhooky", + "new-outgoing-webhook": "Nové odchozí Webhooky", + "no-name": "(Neznámé)", + "Wekan_version": "Wekan verze", + "Node_version": "Node verze", + "OS_Arch": "OS Architektura", + "OS_Cpus": "OS Počet CPU", + "OS_Freemem": "OS Volná paměť", + "OS_Loadavg": "OS Průměrná zátěž systém", + "OS_Platform": "Platforma OS", + "OS_Release": "Verze OS", + "OS_Totalmem": "OS Celková paměť", + "OS_Type": "Typ OS", + "OS_Uptime": "OS Doba běhu systému", + "hours": "hodin", + "minutes": "minut", + "seconds": "sekund", + "show-field-on-card": "Ukázat toto pole na kartě", + "yes": "Ano", + "no": "Ne", + "accounts": "Účty", + "accounts-allowEmailChange": "Povolit změnu Emailu", + "accounts-allowUserNameChange": "Povolit změnu uživatelského jména", + "createdAt": "Vytvořeno v", + "verified": "Ověřen", + "active": "Aktivní", + "card-received": "Přijato", + "card-received-on": "Přijaté v", + "card-end": "Konec", + "card-end-on": "Končí v", + "editCardReceivedDatePopup-title": "Změnit datum přijetí", + "editCardEndDatePopup-title": "Změnit datum konce", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Smazat tablo?", + "delete-board": "Smazat tablo" +} \ No newline at end of file diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json new file mode 100644 index 00000000..fffcd205 --- /dev/null +++ b/i18n/de.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Akzeptieren", + "act-activity-notify": "[Wekan] Aktivitätsbenachrichtigung", + "act-addAttachment": "hat __attachment__ an __card__ angehängt", + "act-addChecklist": "hat die Checkliste __checklist__ zu __card__ hinzugefügt", + "act-addChecklistItem": "hat __checklistItem__ zur Checkliste __checklist__ in __card__ hinzugefügt", + "act-addComment": "hat __card__ kommentiert: __comment__", + "act-createBoard": "hat __board__ erstellt", + "act-createCard": "hat __card__ zu __list__ hinzugefügt", + "act-createCustomField": "benutzerdefiniertes Feld __customField__ angelegt", + "act-createList": "hat __list__ zu __board__ hinzugefügt", + "act-addBoardMember": "hat __member__ zu __board__ hinzugefügt", + "act-archivedBoard": "__board__ in den Papierkorb verschoben", + "act-archivedCard": "__card__ in den Papierkorb verschoben", + "act-archivedList": "__list__ in den Papierkorb verschoben", + "act-archivedSwimlane": "__swimlane__ in den Papierkorb verschoben", + "act-importBoard": "hat __board__ importiert", + "act-importCard": "hat __card__ importiert", + "act-importList": "hat __list__ importiert", + "act-joinMember": "hat __member__ zu __card__ hinzugefügt", + "act-moveCard": "hat __card__ von __oldList__ nach __list__ verschoben", + "act-removeBoardMember": "hat __member__ von __board__ entfernt", + "act-restoredCard": "hat __card__ in __board__ wiederhergestellt", + "act-unjoinMember": "hat __member__ von __card__ entfernt", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Aktionen", + "activities": "Aktivitäten", + "activity": "Aktivität", + "activity-added": "hat %s zu %s hinzugefügt", + "activity-archived": "hat %s in den Papierkorb verschoben", + "activity-attached": "hat %s an %s angehängt", + "activity-created": "hat %s erstellt", + "activity-customfield-created": "hat das benutzerdefinierte Feld %s erstellt", + "activity-excluded": "hat %s von %s ausgeschlossen", + "activity-imported": "hat %s in %s von %s importiert", + "activity-imported-board": "hat %s von %s importiert", + "activity-joined": "ist %s beigetreten", + "activity-moved": "hat %s von %s nach %s verschoben", + "activity-on": "in %s", + "activity-removed": "hat %s von %s entfernt", + "activity-sent": "hat %s an %s gesendet", + "activity-unjoined": "hat %s verlassen", + "activity-checklist-added": "hat eine Checkliste zu %s hinzugefügt", + "activity-checklist-item-added": "hat eine Checklistenposition zu '%s' in %s hinzugefügt", + "add": "Hinzufügen", + "add-attachment": "Datei anhängen", + "add-board": "neues Board", + "add-card": "Karte hinzufügen", + "add-swimlane": "Swimlane hinzufügen", + "add-checklist": "Checkliste hinzufügen", + "add-checklist-item": "Position zu einer Checkliste hinzufügen", + "add-cover": "Cover hinzufügen", + "add-label": "Label hinzufügen", + "add-list": "Liste hinzufügen", + "add-members": "Mitglieder hinzufügen", + "added": "Hinzugefügt", + "addMemberPopup-title": "Mitglieder", + "admin": "Admin", + "admin-desc": "Kann Karten anzeigen und bearbeiten, Mitglieder entfernen und Boardeinstellungen ändern.", + "admin-announcement": "Ankündigung", + "admin-announcement-active": "Aktive systemweite Ankündigungen", + "admin-announcement-title": "Ankündigung des Administrators", + "all-boards": "Alle Boards", + "and-n-other-card": "und eine andere Karte", + "and-n-other-card_plural": "und __count__ andere Karten", + "apply": "Übernehmen", + "app-is-offline": "Wekan lädt gerade, bitte warten Sie. Wenn Sie die Seite neu laden, gehen nicht übertragene Änderungen verloren. Sollte Wekan nicht geladen werden, überprüfen Sie bitte, ob der Server noch läuft.", + "archive": "In den Papierkorb verschieben", + "archive-all": "Alles in den Papierkorb verschieben", + "archive-board": "Board in den Papierkorb verschieben", + "archive-card": "Karte in den Papierkorb verschieben", + "archive-list": "Liste in den Papierkorb verschieben", + "archive-swimlane": "Swimlane in den Papierkorb verschieben", + "archive-selection": "Auswahl in den Papierkorb verschieben", + "archiveBoardPopup-title": "Board in den Papierkorb verschieben?", + "archived-items": "Papierkorb", + "archived-boards": "Boards im Papierkorb", + "restore-board": "Board wiederherstellen", + "no-archived-boards": "Keine Boards im Papierkorb.", + "archives": "Papierkorb", + "assign-member": "Mitglied zuweisen", + "attached": "angehängt", + "attachment": "Anhang", + "attachment-delete-pop": "Das Löschen eines Anhangs kann nicht rückgängig gemacht werden.", + "attachmentDeletePopup-title": "Anhang löschen?", + "attachments": "Anhänge", + "auto-watch": "Neue Boards nach Erstellung automatisch beobachten", + "avatar-too-big": "Das Profilbild ist zu groß (max. 70KB)", + "back": "Zurück", + "board-change-color": "Farbe ändern", + "board-nb-stars": "%s Sterne", + "board-not-found": "Board nicht gefunden", + "board-private-info": "Dieses Board wird privat sein.", + "board-public-info": "Dieses Board wird öffentlich sein.", + "boardChangeColorPopup-title": "Farbe des Boards ändern", + "boardChangeTitlePopup-title": "Board umbenennen", + "boardChangeVisibilityPopup-title": "Sichtbarkeit ändern", + "boardChangeWatchPopup-title": "Beobachtung ändern", + "boardMenuPopup-title": "Boardmenü", + "boards": "Boards", + "board-view": "Boardansicht", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Listen", + "bucket-example": "z.B. \"Löffelliste\"", + "cancel": "Abbrechen", + "card-archived": "Diese Karte wurde in den Papierkorb verschoben", + "card-comments-title": "Diese Karte hat %s Kommentar(e).", + "card-delete-notice": "Löschen kann nicht rückgängig gemacht werden. Alle Aktionen, die dieser Karte zugeordnet sind, werden ebenfalls gelöscht.", + "card-delete-pop": "Alle Aktionen werden aus dem Aktivitätsfeed entfernt und die Karte kann nicht wiedereröffnet werden. Die Aktion kann nicht rückgängig gemacht werden.", + "card-delete-suggest-archive": "Sie können eine Karte in den Papierkorb verschieben, um sie vom Board zu entfernen und die Aktivitäten zu behalten.", + "card-due": "Fällig", + "card-due-on": "Fällig am", + "card-spent": "Aufgewendete Zeit", + "card-edit-attachments": "Anhänge ändern", + "card-edit-custom-fields": "Benutzerdefinierte Felder editieren", + "card-edit-labels": "Labels ändern", + "card-edit-members": "Mitglieder ändern", + "card-labels-title": "Labels für diese Karte ändern.", + "card-members-title": "Der Karte Board-Mitglieder hinzufügen oder entfernen.", + "card-start": "Start", + "card-start-on": "Start am", + "cardAttachmentsPopup-title": "Anhängen von", + "cardCustomField-datePopup-title": "Datum ändern", + "cardCustomFieldsPopup-title": "Benutzerdefinierte Felder editieren", + "cardDeletePopup-title": "Karte löschen?", + "cardDetailsActionsPopup-title": "Kartenaktionen", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Mitglieder", + "cardMorePopup-title": "Mehr", + "cards": "Karten", + "cards-count": "Karten", + "change": "Ändern", + "change-avatar": "Profilbild ändern", + "change-password": "Passwort ändern", + "change-permissions": "Berechtigungen ändern", + "change-settings": "Einstellungen ändern", + "changeAvatarPopup-title": "Profilbild ändern", + "changeLanguagePopup-title": "Sprache ändern", + "changePasswordPopup-title": "Passwort ändern", + "changePermissionsPopup-title": "Berechtigungen ändern", + "changeSettingsPopup-title": "Einstellungen ändern", + "checklists": "Checklisten", + "click-to-star": "Klicken Sie, um das Board mit einem Stern zu markieren.", + "click-to-unstar": "Klicken Sie, um den Stern vom Board zu entfernen.", + "clipboard": "Zwischenablage oder Drag & Drop", + "close": "Schließen", + "close-board": "Board schließen", + "close-board-pop": "Sie können das Board wiederherstellen, indem Sie die Schaltfläche \"Papierkorb\" in der Kopfzeile der Startseite anklicken.", + "color-black": "schwarz", + "color-blue": "blau", + "color-green": "grün", + "color-lime": "hellgrün", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "lila", + "color-red": "rot", + "color-sky": "himmelblau", + "color-yellow": "gelb", + "comment": "Kommentar", + "comment-placeholder": "Kommentar schreiben", + "comment-only": "Nur kommentierbar", + "comment-only-desc": "Kann Karten nur Kommentieren", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Sind Sie sicher, dass Sie die Checkliste löschen möchten?", + "copy-card-link-to-clipboard": "Kopiere Link zur Karte in die Zwischenablage", + "copyCardPopup-title": "Karte kopieren", + "copyChecklistToManyCardsPopup-title": "Checklistenvorlage in mehrere Karten kopieren", + "copyChecklistToManyCardsPopup-instructions": "Titel und Beschreibungen der Zielkarten im folgenden JSON-Format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titel der ersten Karte\", \"description\":\"Beschreibung der ersten Karte\"}, {\"title\":\"Titel der zweiten Karte\",\"description\":\"Beschreibung der zweiten Karte\"},{\"title\":\"Titel der letzten Karte\",\"description\":\"Beschreibung der letzten Karte\"} ]", + "create": "Erstellen", + "createBoardPopup-title": "Board erstellen", + "chooseBoardSourcePopup-title": "Board importieren", + "createLabelPopup-title": "Label erstellen", + "createCustomField": "Feld erstellen", + "createCustomFieldPopup-title": "Feld erstellen", + "current": "aktuell", + "custom-field-delete-pop": "Dies wird das Feld aus allen Karten entfernen und den dazugehörigen Verlauf löschen. Die Aktion kann nicht rückgängig gemacht werden.", + "custom-field-checkbox": "Kontrollkästchen", + "custom-field-date": "Datum", + "custom-field-dropdown": "Dropdownliste", + "custom-field-dropdown-none": "(keiner)", + "custom-field-dropdown-options": "Listenoptionen", + "custom-field-dropdown-options-placeholder": "Drücken Sie die Eingabetaste, um weitere Optionen hinzuzufügen", + "custom-field-dropdown-unknown": "(unbekannt)", + "custom-field-number": "Zahl", + "custom-field-text": "Text", + "custom-fields": "Benutzerdefinierte Felder", + "date": "Datum", + "decline": "Ablehnen", + "default-avatar": "Standard Profilbild", + "delete": "Löschen", + "deleteCustomFieldPopup-title": "Benutzerdefiniertes Feld löschen?", + "deleteLabelPopup-title": "Label löschen?", + "description": "Beschreibung", + "disambiguateMultiLabelPopup-title": "Labels vereinheitlichen", + "disambiguateMultiMemberPopup-title": "Mitglieder vereinheitlichen", + "discard": "Verwerfen", + "done": "Erledigt", + "download": "Herunterladen", + "edit": "Bearbeiten", + "edit-avatar": "Profilbild ändern", + "edit-profile": "Profil ändern", + "edit-wip-limit": "WIP-Limit bearbeiten", + "soft-wip-limit": "Soft WIP-Limit", + "editCardStartDatePopup-title": "Startdatum ändern", + "editCardDueDatePopup-title": "Fälligkeitsdatum ändern", + "editCustomFieldPopup-title": "Feld bearbeiten", + "editCardSpentTimePopup-title": "Aufgewendete Zeit ändern", + "editLabelPopup-title": "Label ändern", + "editNotificationPopup-title": "Benachrichtigung ändern", + "editProfilePopup-title": "Profil ändern", + "email": "E-Mail", + "email-enrollAccount-subject": "Ihr Benutzerkonto auf __siteName__ wurde erstellt", + "email-enrollAccount-text": "Hallo __user__,\n\num den Dienst nutzen zu können, klicken Sie bitte auf folgenden Link:\n\n__url__\n\nDanke.", + "email-fail": "Senden der E-Mail fehlgeschlagen", + "email-fail-text": "Fehler beim Senden des E-Mails", + "email-invalid": "Ungültige E-Mail-Adresse", + "email-invite": "via E-Mail einladen", + "email-invite-subject": "__inviter__ hat Ihnen eine Einladung geschickt", + "email-invite-text": "Hallo __user__,\n\n__inviter__ hat Sie zu dem Board \"__board__\" eingeladen.\n\nBitte klicken Sie auf folgenden Link:\n\n__url__\n\nDanke.", + "email-resetPassword-subject": "Setzten Sie ihr Passwort auf __siteName__ zurück", + "email-resetPassword-text": "Hallo __user__,\n\num ihr Passwort zurückzusetzen, klicken Sie bitte auf folgenden Link:\n\n__url__\n\nDanke.", + "email-sent": "E-Mail gesendet", + "email-verifyEmail-subject": "Bestätigen Sie ihre E-Mail-Adresse auf __siteName__", + "email-verifyEmail-text": "Hallo __user__,\n\num ihre E-Mail-Adresse zu bestätigen, klicken Sie bitte auf folgenden Link:\n\n__url__\n\nDanke.", + "enable-wip-limit": "WIP-Limit einschalten", + "error-board-doesNotExist": "Dieses Board existiert nicht", + "error-board-notAdmin": "Um das zu tun, müssen Sie Administrator dieses Boards sein", + "error-board-notAMember": "Um das zu tun, müssen Sie Mitglied dieses Boards sein", + "error-json-malformed": "Ihre Eingabe ist kein gültiges JSON", + "error-json-schema": "Ihre JSON-Daten enthalten nicht die gewünschten Informationen im richtigen Format", + "error-list-doesNotExist": "Diese Liste existiert nicht", + "error-user-doesNotExist": "Dieser Nutzer existiert nicht", + "error-user-notAllowSelf": "Sie können sich nicht selbst einladen.", + "error-user-notCreated": "Dieser Nutzer ist nicht angelegt", + "error-username-taken": "Dieser Benutzername ist bereits vergeben", + "error-email-taken": "E-Mail wird schon verwendet", + "export-board": "Board exportieren", + "filter": "Filter", + "filter-cards": "Karten filtern", + "filter-clear": "Filter entfernen", + "filter-no-label": "Kein Label", + "filter-no-member": "Kein Mitglied", + "filter-no-custom-fields": "Keine benutzerdefinierten Felder", + "filter-on": "Filter ist aktiv", + "filter-on-desc": "Sie filtern die Karten in diesem Board. Klicken Sie, um den Filter zu bearbeiten.", + "filter-to-selection": "Ergebnisse auswählen", + "advanced-filter-label": "Erweiterter Filter", + "advanced-filter-description": "Der erweiterte Filter erlaubt die Eingabe von Zeichenfolgen, die folgende Operatoren enthalten: == != <= >= && || ( ). Ein Leerzeichen wird als Trennzeichen zwischen den Operatoren verwendet. Sie können nach allen benutzerdefinierten Feldern filtern, indem Sie deren Namen und Werte eingeben. Zum Beispiel: Feld1 == Wert1. Beachten Sie: Wenn Felder oder Werte Leerzeichen enthalten, müssen Sie sie in einfache Anführungszeichen setzen. Zum Beispiel: 'Feld 1' == 'Wert 1'. Sie können außerdem mehrere Bedingungen kombinieren. Zum Beispiel: F1 == W1 || F1 == W2. Normalerweise werden alle Operatoren von links nach rechts interpretiert. Sie können die Reihenfolge ändern, indem Sie Klammern setzen. Zum Beispiel: F1 == W1 && ( F2 == W2 || F2 == W3 )", + "fullname": "Vollständiger Name", + "header-logo-title": "Zurück zur Board Seite.", + "hide-system-messages": "Systemmeldungen ausblenden", + "headerBarCreateBoardPopup-title": "Board erstellen", + "home": "Home", + "import": "Importieren", + "import-board": "Board importieren", + "import-board-c": "Board importieren", + "import-board-title-trello": "Board von Trello importieren", + "import-board-title-wekan": "Board von Wekan importieren", + "import-sandstorm-warning": "Das importierte Board wird alle bereits existierenden Daten löschen und mit den importierten Daten überschreiben.", + "from-trello": "Von Trello", + "from-wekan": "Von Wekan", + "import-board-instruction-trello": "Gehen Sie in ihrem Trello-Board auf 'Menü', dann 'Mehr', 'Drucken und Exportieren', 'JSON-Export' und kopieren Sie den dort angezeigten Text", + "import-board-instruction-wekan": "Gehen Sie in Ihrem Wekan board auf 'Menü', und dann auf 'Board exportieren'. Kopieren Sie anschließend den Text aus der heruntergeladenen Datei.", + "import-json-placeholder": "Fügen Sie die korrekten JSON-Daten hier ein", + "import-map-members": "Mitglieder zuordnen", + "import-members-map": "Das importierte Board hat Mitglieder. Bitte ordnen Sie jene, die importiert werden sollen, vorhandenen Wekan-Nutzern zu", + "import-show-user-mapping": "Mitgliederzuordnung überprüfen", + "import-user-select": "Wählen Sie den Wekan-Nutzer aus, der dieses Mitglied sein soll", + "importMapMembersAddPopup-title": "Wekan-Nutzer auswählen", + "info": "Version", + "initials": "Initialen", + "invalid-date": "Ungültiges Datum", + "invalid-time": "Ungültige Zeitangabe", + "invalid-user": "Ungültiger Benutzer", + "joined": "beigetreten", + "just-invited": "Sie wurden soeben zu diesem Board eingeladen", + "keyboard-shortcuts": "Tastaturkürzel", + "label-create": "Label erstellen", + "label-default": "%s Label (Standard)", + "label-delete-pop": "Aktion kann nicht rückgängig gemacht werden. Das Label wird von allen Karten entfernt und seine Historie gelöscht.", + "labels": "Labels", + "language": "Sprache", + "last-admin-desc": "Sie können keine Rollen ändern, weil es mindestens einen Administrator geben muss.", + "leave-board": "Board verlassen", + "leave-board-pop": "Sind Sie sicher, dass Sie __boardTitle__ verlassen möchten? Sie werden von allen Karten in diesem Board entfernt.", + "leaveBoardPopup-title": "Board verlassen?", + "link-card": "Link zu dieser Karte", + "list-archive-cards": "Alle Karten dieser Liste in den Papierkorb verschieben", + "list-archive-cards-pop": "Alle Karten dieser Liste werden vom Board entfernt. Um Karten im Papierkorb anzuzeigen und wiederherzustellen, klicken Sie auf \"Menü\" > \"Papierkorb\".", + "list-move-cards": "Alle Karten in dieser Liste verschieben", + "list-select-cards": "Alle Karten in dieser Liste auswählen", + "listActionPopup-title": "Listenaktionen", + "swimlaneActionPopup-title": "Swimlaneaktionen", + "listImportCardPopup-title": "Eine Trello-Karte importieren", + "listMorePopup-title": "Mehr", + "link-list": "Link zu dieser Liste", + "list-delete-pop": "Alle Aktionen werden aus dem Verlauf gelöscht und die Liste kann nicht wiederhergestellt werden.", + "list-delete-suggest-archive": "Listen können in den Papierkorb verschoben werden, um sie aus dem Board zu entfernen und die Aktivitäten zu behalten.", + "lists": "Listen", + "swimlanes": "Swimlanes", + "log-out": "Ausloggen", + "log-in": "Einloggen", + "loginPopup-title": "Einloggen", + "memberMenuPopup-title": "Nutzereinstellungen", + "members": "Mitglieder", + "menu": "Menü", + "move-selection": "Auswahl verschieben", + "moveCardPopup-title": "Karte verschieben", + "moveCardToBottom-title": "Ans Ende verschieben", + "moveCardToTop-title": "Zum Anfang verschieben", + "moveSelectionPopup-title": "Auswahl verschieben", + "multi-selection": "Mehrfachauswahl", + "multi-selection-on": "Mehrfachauswahl ist aktiv", + "muted": "Stumm", + "muted-info": "Sie werden nicht über Änderungen auf diesem Board benachrichtigt", + "my-boards": "Meine Boards", + "name": "Name", + "no-archived-cards": "Keine Karten im Papierkorb.", + "no-archived-lists": "Keine Listen im Papierkorb.", + "no-archived-swimlanes": "Keine Swimlanes im Papierkorb.", + "no-results": "Keine Ergebnisse", + "normal": "Normal", + "normal-desc": "Kann Karten anzeigen und bearbeiten, aber keine Einstellungen ändern.", + "not-accepted-yet": "Die Einladung wurde noch nicht angenommen", + "notify-participate": "Benachrichtigungen zu allen Karten erhalten, an denen Sie teilnehmen", + "notify-watch": "Benachrichtigungen über alle Boards, Listen oder Karten erhalten, die Sie beobachten", + "optional": "optional", + "or": "oder", + "page-maybe-private": "Diese Seite könnte privat sein. Vielleicht können Sie sie sehen, wenn Sie sich einloggen.", + "page-not-found": "Seite nicht gefunden.", + "password": "Passwort", + "paste-or-dragdrop": "Einfügen oder Datei mit Drag & Drop ablegen (nur Bilder)", + "participating": "Teilnehmen", + "preview": "Vorschau", + "previewAttachedImagePopup-title": "Vorschau", + "previewClipboardImagePopup-title": "Vorschau", + "private": "Privat", + "private-desc": "Dieses Board ist privat. Nur Nutzer, die zu dem Board gehören, können es anschauen und bearbeiten.", + "profile": "Profil", + "public": "Öffentlich", + "public-desc": "Dieses Board ist öffentlich. Es ist für jeden, der den Link kennt, sichtbar und taucht in Suchmaschinen wie Google auf. Nur Nutzer, die zum Board hinzugefügt wurden, können es bearbeiten.", + "quick-access-description": "Markieren Sie ein Board mit einem Stern, um dieser Leiste eine Verknüpfung hinzuzufügen.", + "remove-cover": "Cover entfernen", + "remove-from-board": "Von Board entfernen", + "remove-label": "Label entfernen", + "listDeletePopup-title": "Liste löschen?", + "remove-member": "Nutzer entfernen", + "remove-member-from-card": "Von Karte entfernen", + "remove-member-pop": "__name__ (__username__) von __boardTitle__ entfernen? Das Mitglied wird von allen Karten auf diesem Board entfernt. Es erhält eine Benachrichtigung.", + "removeMemberPopup-title": "Mitglied entfernen?", + "rename": "Umbenennen", + "rename-board": "Board umbenennen", + "restore": "Wiederherstellen", + "save": "Speichern", + "search": "Suchen", + "search-cards": "Suche nach Kartentiteln und Beschreibungen auf diesem Board", + "search-example": "Suchbegriff", + "select-color": "Farbe auswählen", + "set-wip-limit-value": "Setzen Sie ein Limit für die maximale Anzahl von Aufgaben in dieser Liste", + "setWipLimitPopup-title": "WIP-Limit setzen", + "shortcut-assign-self": "Fügen Sie sich zur aktuellen Karte hinzu", + "shortcut-autocomplete-emoji": "Emojis vervollständigen", + "shortcut-autocomplete-members": "Mitglieder vervollständigen", + "shortcut-clear-filters": "Alle Filter entfernen", + "shortcut-close-dialog": "Dialog schließen", + "shortcut-filter-my-cards": "Meine Karten filtern", + "shortcut-show-shortcuts": "Liste der Tastaturkürzel anzeigen", + "shortcut-toggle-filterbar": "Filter-Seitenleiste ein-/ausblenden", + "shortcut-toggle-sidebar": "Seitenleiste ein-/ausblenden", + "show-cards-minimum-count": "Zeigt die Kartenanzahl an, wenn die Liste mehr enthält als", + "sidebar-open": "Seitenleiste öffnen", + "sidebar-close": "Seitenleiste schließen", + "signupPopup-title": "Benutzerkonto erstellen", + "star-board-title": "Klicken Sie, um das Board mit einem Stern zu markieren. Es erscheint dann oben in ihrer Boardliste.", + "starred-boards": "Markierte Boards", + "starred-boards-description": "Markierte Boards erscheinen oben in ihrer Boardliste.", + "subscribe": "Abonnieren", + "team": "Team", + "this-board": "diesem Board", + "this-card": "diese Karte", + "spent-time-hours": "Aufgewendete Zeit (Stunden)", + "overtime-hours": "Mehrarbeit (Stunden)", + "overtime": "Mehrarbeit", + "has-overtime-cards": "Hat Karten mit Mehrarbeit", + "has-spenttime-cards": "Hat Karten mit aufgewendeten Zeiten", + "time": "Zeit", + "title": "Titel", + "tracking": "Folgen", + "tracking-info": "Sie werden über alle Änderungen an Karten benachrichtigt, an denen Sie als Ersteller oder Mitglied beteiligt sind.", + "type": "Typ", + "unassign-member": "Mitglied entfernen", + "unsaved-description": "Sie haben eine nicht gespeicherte Änderung.", + "unwatch": "Beobachtung entfernen", + "upload": "Upload", + "upload-avatar": "Profilbild hochladen", + "uploaded-avatar": "Profilbild hochgeladen", + "username": "Benutzername", + "view-it": "Ansehen", + "warn-list-archived": "Warnung: Diese Karte befindet sich in einer Liste im Papierkorb!", + "watch": "Beobachten", + "watching": "Beobachten", + "watching-info": "Sie werden über alle Änderungen in diesem Board benachrichtigt", + "welcome-board": "Willkommen-Board", + "welcome-swimlane": "Meilenstein 1", + "welcome-list1": "Grundlagen", + "welcome-list2": "Fortgeschritten", + "what-to-do": "Was wollen Sie tun?", + "wipLimitErrorPopup-title": "Ungültiges WIP-Limit", + "wipLimitErrorPopup-dialog-pt1": "Die Anzahl von Aufgaben in dieser Liste ist größer als das von Ihnen definierte WIP-Limit.", + "wipLimitErrorPopup-dialog-pt2": "Bitte verschieben Sie einige Aufgaben aus dieser Liste oder setzen Sie ein grösseres WIP-Limit.", + "admin-panel": "Administration", + "settings": "Einstellungen", + "people": "Nutzer", + "registration": "Registrierung", + "disable-self-registration": "Selbstregistrierung deaktivieren", + "invite": "Einladen", + "invite-people": "Nutzer einladen", + "to-boards": "In Board(s)", + "email-addresses": "E-Mail Adressen", + "smtp-host-description": "Die Adresse Ihres SMTP-Servers für ausgehende E-Mails.", + "smtp-port-description": "Der Port Ihres SMTP-Servers für ausgehende E-Mails.", + "smtp-tls-description": "Aktiviere TLS Unterstützung für SMTP Server", + "smtp-host": "SMTP-Server", + "smtp-port": "SMTP-Port", + "smtp-username": "Benutzername", + "smtp-password": "Passwort", + "smtp-tls": "TLS Unterstützung", + "send-from": "Absender", + "send-smtp-test": "Test-E-Mail an sich selbst schicken", + "invitation-code": "Einladungscode", + "email-invite-register-subject": "__inviter__ hat Ihnen eine Einladung geschickt", + "email-invite-register-text": "Hallo __user__,\n\n__inviter__ hat Sie für Ihre Zusammenarbeit zu Wekan eingeladen.\n\nBitte klicken Sie auf folgenden Link:\n__url__\n\nIhr Einladungscode lautet: __icode__\n\nDanke.", + "email-smtp-test-subject": "SMTP-Test-E-Mail von Wekan", + "email-smtp-test-text": "Sie haben erfolgreich eine E-Mail versandt", + "error-invitation-code-not-exist": "Ungültiger Einladungscode", + "error-notAuthorized": "Sie sind nicht berechtigt diese Seite zu sehen.", + "outgoing-webhooks": "Ausgehende Webhooks", + "outgoingWebhooksPopup-title": "Ausgehende Webhooks", + "new-outgoing-webhook": "Neuer ausgehender Webhook", + "no-name": "(Unbekannt)", + "Wekan_version": "Wekan-Version", + "Node_version": "Node-Version", + "OS_Arch": "Betriebssystem-Architektur", + "OS_Cpus": "Anzahl Prozessoren", + "OS_Freemem": "Freier Arbeitsspeicher", + "OS_Loadavg": "Mittlere Systembelastung", + "OS_Platform": "Plattform", + "OS_Release": "Version des Betriebssystem", + "OS_Totalmem": "Gesamter Arbeitsspeicher", + "OS_Type": "Typ des Betriebssystems", + "OS_Uptime": "Laufzeit des Systems", + "hours": "Stunden", + "minutes": "Minuten", + "seconds": "Sekunden", + "show-field-on-card": "Zeige dieses Feld auf der Karte", + "yes": "Ja", + "no": "Nein", + "accounts": "Konten", + "accounts-allowEmailChange": "Ändern der E-Mailadresse erlauben", + "accounts-allowUserNameChange": "Ändern des Benutzernamens erlauben", + "createdAt": "Erstellt am", + "verified": "Geprüft", + "active": "Aktiv", + "card-received": "Empfangen", + "card-received-on": "Empfangen am", + "card-end": "Ende", + "card-end-on": "Endet am", + "editCardReceivedDatePopup-title": "Empfangsdatum ändern", + "editCardEndDatePopup-title": "Enddatum ändern", + "assigned-by": "Zugewiesen von", + "requested-by": "Angefordert von", + "board-delete-notice": "Löschen kann nicht rückgängig gemacht werden. Sie werden alle Listen, Karten und Aktionen, die mit diesem Board verbunden sind, verlieren.", + "delete-board-confirm-popup": "Alle Listen, Karten, Labels und Akivitäten werden gelöscht und Sie können die Inhalte des Boards nicht wiederherstellen! Die Aktion kann nicht rückgängig gemacht werden.", + "boardDeletePopup-title": "Board löschen?", + "delete-board": "Board löschen" +} \ No newline at end of file diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json new file mode 100644 index 00000000..f863b23a --- /dev/null +++ b/i18n/el.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accept", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Προσθήκη", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Προσθήκη Κάρτας", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Προσθήκη Ετικέτας", + "add-list": "Προσθήκη Λίστας", + "add-members": "Προσθήκη Μελών", + "added": "Προστέθηκε", + "addMemberPopup-title": "Μέλοι", + "admin": "Διαχειριστής", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Εφαρμογή", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Πίσω", + "board-change-color": "Αλλαγή χρώματος", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Λίστες", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Ακύρωση", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Έως", + "card-due-on": "Έως τις", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Διαγραφή Κάρτας;", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Ετικέτες", + "cardMembersPopup-title": "Μέλοι", + "cardMorePopup-title": "Περισσότερα", + "cards": "Κάρτες", + "cards-count": "Κάρτες", + "change": "Αλλαγή", + "change-avatar": "Change Avatar", + "change-password": "Αλλαγή Κωδικού", + "change-permissions": "Change permissions", + "change-settings": "Αλλαγή Ρυθμίσεων", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Αλλαγή Γλώσσας", + "changePasswordPopup-title": "Αλλαγή Κωδικού", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Αλλαγή Ρυθμίσεων", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Κλείσιμο", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "μαύρο", + "color-blue": "μπλε", + "color-green": "πράσινο", + "color-lime": "λάιμ", + "color-orange": "πορτοκαλί", + "color-pink": "ροζ", + "color-purple": "μωβ", + "color-red": "κόκκινο", + "color-sky": "ουρανός", + "color-yellow": "κίτρινο", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Υπολογιστής", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Δημιουργία", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Ημερομηνία", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Ημερομηνία", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Διαγραφή", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Απόρριψη", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Το κείμενο δεν είναι έγκυρο JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Φίλτρο", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "Κανένα μέλος", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Πλήρες Όνομα", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Εισαγωγή", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "Από το Trello", + "from-wekan": "Από το Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Έκδοση", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Ετικέτες", + "language": "Γλώσσα", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "Περισσότερα", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Λίστες", + "swimlanes": "Swimlanes", + "log-out": "Αποσύνδεση", + "log-in": "Σύνδεση", + "loginPopup-title": "Σύνδεση", + "memberMenuPopup-title": "Member Settings", + "members": "Μέλοι", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Όνομα", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Κανένα αποτέλεσμα", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "ή", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Η σελίδα δεν βρέθηκε.", + "password": "Κωδικός", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Διαγραφή Λίστας;", + "remove-member": "Αφαίρεση Μέλους", + "remove-member-from-card": "Αφαίρεση από την Κάρτα", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Αφαίρεση Μέλους;", + "rename": "Μετανομασία", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Αποθήκευση", + "search": "Αναζήτηση", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Επιλέξτε Χρώμα", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Δημιουργία Λογαριασμού", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Ομάδα", + "this-board": "this board", + "this-card": "αυτή η κάρτα", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Ώρα", + "title": "Τίτλος", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Όνομα Χρήστη", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Ρυθμίσεις", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Διευθύνσεις", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Όνομα Χρήστη", + "smtp-password": "Κωδικός", + "smtp-tls": "TLS υποστήριξη", + "send-from": "Από", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Κωδικός Πρόσκλησης", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Ο κωδικός πρόσκλησης δεν υπάρχει", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Άγνωστο)", + "Wekan_version": "Wekan έκδοση", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "ώρες", + "minutes": "λεπτά", + "seconds": "δευτερόλεπτα", + "show-field-on-card": "Show this field on card", + "yes": "Ναι", + "no": "Όχι", + "accounts": "Λογαριασμοί", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json new file mode 100644 index 00000000..44140081 --- /dev/null +++ b/i18n/en-GB.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accept", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached _ attachment _ to _ card _", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Add", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Members", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change colour", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Members", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaboration.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve its activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Members", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Colour", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in a list in the Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any changes in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaboration.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorised to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json new file mode 100644 index 00000000..df268772 --- /dev/null +++ b/i18n/eo.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Akcepti", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "Kreiis __board__", + "act-createCard": "Aldonis __card__ al __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "Aldonis __card__ al __board__", + "act-addBoardMember": "Aldonis __member__ al __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "Aldonis __member__ al __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Akcioj", + "activities": "Aktivaĵoj", + "activity": "Aktivaĵo", + "activity-added": "Aldonis %s al %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "Kreiis %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "Sendis %s al %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Aldoni", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Aldoni membrojn", + "added": "Aldonita", + "addMemberPopup-title": "Membroj", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apliki", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Reen", + "board-change-color": "Ŝanĝi koloron", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Listoj", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Redakti etikedojn", + "card-edit-members": "Redakti membrojn", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Komenco", + "card-start-on": "Komencas je la", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Etikedoj", + "cardMembersPopup-title": "Membroj", + "cardMorePopup-title": "Pli", + "cards": "Kartoj", + "cards-count": "Kartoj", + "change": "Ŝanĝi", + "change-avatar": "Change Avatar", + "change-password": "Ŝangi pasvorton", + "change-permissions": "Change permissions", + "change-settings": "Ŝanĝi agordojn", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Ŝanĝi lingvon", + "changePasswordPopup-title": "Ŝangi pasvorton", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Ŝanĝi agordojn", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Fermi", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "nigra", + "color-blue": "blua", + "color-green": "verda", + "color-lime": "lime", + "color-orange": "oranĝa", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "ruĝa", + "color-sky": "sky", + "color-yellow": "flava", + "comment": "Komento", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Komputilo", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Krei", + "createBoardPopup-title": "Krei tavolon", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Dato", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Dato", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Farite", + "download": "Elŝuti", + "edit": "Redakti", + "edit-avatar": "Change Avatar", + "edit-profile": "Redakti profilon", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Redakti komencdaton", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Ŝanĝi etikedon", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Redakti profilon", + "email": "Retpoŝtadreso", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Malsukcesis sendi retpoŝton", + "email-fail-text": "Error trying to send email", + "email-invalid": "Nevalida retpoŝtadreso", + "email-invite": "Inviti per retpoŝto", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Sendis retpoŝton", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Via teksto estas nevalida JSON", + "error-json-schema": "Via JSON ne enhavas la ĝustajn informojn en ĝusta formato", + "error-list-doesNotExist": "Tio listo ne ekzistas", + "error-user-doesNotExist": "Tio uzanto ne ekzistas", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "Uzanto ne kreita", + "error-username-taken": "Uzantnomo jam prenita", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "Nenia etikedo", + "filter-no-member": "Nenia membro", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Krei tavolon", + "home": "Hejmo", + "import": "Importi", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Etikedoj", + "language": "Lingvo", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Ligi al ĉitiu karto", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Movu ĉiujn kartojn en tiu listo.", + "list-select-cards": "Elektu ĉiujn kartojn en tiu listo.", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "Pli", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Listoj", + "swimlanes": "Swimlanes", + "log-out": "Elsaluti", + "log-in": "Ensaluti", + "loginPopup-title": "Ensaluti", + "memberMenuPopup-title": "Membraj agordoj", + "members": "Membroj", + "menu": "Menuo", + "move-selection": "Movi elekton", + "moveCardPopup-title": "Movi karton", + "moveCardToBottom-title": "Movi suben", + "moveCardToTop-title": "Movi supren", + "moveSelectionPopup-title": "Movi elekton", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Nomo", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Neniaj rezultoj", + "normal": "Normala", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "aŭ", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Netrovita paĝo.", + "password": "Pasvorto", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Privata", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profilo", + "public": "Publika", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Forigi membron", + "remove-member-from-card": "Forigi de karto", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Renomi", + "rename-board": "Rename Board", + "restore": "Forigi", + "save": "Savi", + "search": "Serĉi", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Teamo", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Tempo", + "title": "Titolo", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Alŝuti", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Uzantnomo", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Rigardi", + "watching": "Rigardante", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "Kion vi volas fari?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Uzantnomo", + "smtp-password": "Pasvorto", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json new file mode 100644 index 00000000..5262568f --- /dev/null +++ b/i18n/es-AR.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Aceptar", + "act-activity-notify": "[Wekan] Notificación de Actividad", + "act-addAttachment": "adjunto __attachment__ a __card__", + "act-addChecklist": "lista de ítems __checklist__ agregada a __card__", + "act-addChecklistItem": " __checklistItem__ agregada a lista de ítems __checklist__ en __card__", + "act-addComment": "comentado en __card__: __comment__", + "act-createBoard": "__board__ creado", + "act-createCard": "agregada __card__ a __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "agregada __list__ a __board__", + "act-addBoardMember": "agregado __member__ a __board__", + "act-archivedBoard": "__board__ movido a Papelera de Reciclaje", + "act-archivedCard": "__card__ movido a Papelera de Reciclaje", + "act-archivedList": "__list__ movido a Papelera de Reciclaje", + "act-archivedSwimlane": "__swimlane__ movido a Papelera de Reciclaje", + "act-importBoard": "__board__ importado", + "act-importCard": "__card__ importada", + "act-importList": "__list__ importada", + "act-joinMember": "__member__ agregado a __card__", + "act-moveCard": "__card__ movida de __oldList__ a __list__", + "act-removeBoardMember": "__member__ removido de __board__", + "act-restoredCard": "__card__ restaurada a __board__", + "act-unjoinMember": "__member__ removido de __card__", + "act-withBoardTitle": "__board__ [Wekan]", + "act-withCardTitle": "__card__ [__board__] ", + "actions": "Acciones", + "activities": "Actividades", + "activity": "Actividad", + "activity-added": "agregadas %s a %s", + "activity-archived": "%s movido a Papelera de Reciclaje", + "activity-attached": "adjuntadas %s a %s", + "activity-created": "creadas %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluidas %s de %s", + "activity-imported": "importadas %s en %s de %s", + "activity-imported-board": "importadas %s de %s", + "activity-joined": "unidas %s", + "activity-moved": "movidas %s de %s a %s", + "activity-on": "en %s", + "activity-removed": "eliminadas %s de %s", + "activity-sent": "enviadas %s a %s", + "activity-unjoined": "separadas %s", + "activity-checklist-added": "agregada lista de tareas a %s", + "activity-checklist-item-added": "agregado item de lista de tareas a '%s' en %s", + "add": "Agregar", + "add-attachment": "Agregar Adjunto", + "add-board": "Agregar Tablero", + "add-card": "Agregar Tarjeta", + "add-swimlane": "Agregar Calle", + "add-checklist": "Agregar Lista de Tareas", + "add-checklist-item": "Agregar ítem a lista de tareas", + "add-cover": "Agregar Portadas", + "add-label": "Agregar Etiqueta", + "add-list": "Agregar Lista", + "add-members": "Agregar Miembros", + "added": "Agregadas", + "addMemberPopup-title": "Miembros", + "admin": "Administrador", + "admin-desc": "Puede ver y editar tarjetas, eliminar miembros, y cambiar opciones para el tablero.", + "admin-announcement": "Anuncio", + "admin-announcement-active": "Anuncio del Sistema Activo", + "admin-announcement-title": "Anuncio del Administrador", + "all-boards": "Todos los tableros", + "and-n-other-card": "Y __count__ otra tarjeta", + "and-n-other-card_plural": "Y __count__ otras tarjetas", + "apply": "Aplicar", + "app-is-offline": "Wekan está cargándose, por favor espere. Refrescar la página va a causar pérdida de datos. Si Wekan no se carga, por favor revise que el servidor de Wekan no se haya detenido.", + "archive": "Mover a Papelera de Reciclaje", + "archive-all": "Mover Todo a la Papelera de Reciclaje", + "archive-board": "Mover Tablero a la Papelera de Reciclaje", + "archive-card": "Mover Tarjeta a la Papelera de Reciclaje", + "archive-list": "Mover Lista a la Papelera de Reciclaje", + "archive-swimlane": "Mover Calle a la Papelera de Reciclaje", + "archive-selection": "Mover selección a la Papelera de Reciclaje", + "archiveBoardPopup-title": "¿Mover Tablero a la Papelera de Reciclaje?", + "archived-items": "Papelera de Reciclaje", + "archived-boards": "Tableros en la Papelera de Reciclaje", + "restore-board": "Restaurar Tablero", + "no-archived-boards": "No hay tableros en la Papelera de Reciclaje", + "archives": "Papelera de Reciclaje", + "assign-member": "Asignar miembro", + "attached": "adjunto(s)", + "attachment": "Adjunto", + "attachment-delete-pop": "Borrar un adjunto es permanente. No hay deshacer.", + "attachmentDeletePopup-title": "¿Borrar Adjunto?", + "attachments": "Adjuntos", + "auto-watch": "Seguir tableros automáticamente al crearlos", + "avatar-too-big": "El avatar es muy grande (70KB max)", + "back": "Atrás", + "board-change-color": "Cambiar color", + "board-nb-stars": "%s estrellas", + "board-not-found": "Tablero no encontrado", + "board-private-info": "Este tablero va a ser privado.", + "board-public-info": "Este tablero va a ser público.", + "boardChangeColorPopup-title": "Cambiar Fondo del Tablero", + "boardChangeTitlePopup-title": "Renombrar Tablero", + "boardChangeVisibilityPopup-title": "Cambiar Visibilidad", + "boardChangeWatchPopup-title": "Alternar Seguimiento", + "boardMenuPopup-title": "Menú del Tablero", + "boards": "Tableros", + "board-view": "Vista de Tablero", + "board-view-swimlanes": "Calles", + "board-view-lists": "Listas", + "bucket-example": "Como \"Lista de Contenedores\" por ejemplo", + "cancel": "Cancelar", + "card-archived": "Esta tarjeta es movida a la Papelera de Reciclaje", + "card-comments-title": "Esta tarjeta tiene %s comentario.", + "card-delete-notice": "Borrar es permanente. Perderás todas las acciones asociadas con esta tarjeta.", + "card-delete-pop": "Todas las acciones van a ser eliminadas del agregador de actividad y no podrás re-abrir la tarjeta. No hay deshacer.", + "card-delete-suggest-archive": "Tu puedes mover una tarjeta a la Papelera de Reciclaje para removerla del tablero y preservar la actividad.", + "card-due": "Vence", + "card-due-on": "Vence en", + "card-spent": "Tiempo Empleado", + "card-edit-attachments": "Editar adjuntos", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Editar etiquetas", + "card-edit-members": "Editar miembros", + "card-labels-title": "Cambiar las etiquetas de la tarjeta.", + "card-members-title": "Agregar o eliminar de la tarjeta miembros del tablero.", + "card-start": "Empieza", + "card-start-on": "Empieza el", + "cardAttachmentsPopup-title": "Adjuntar De", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "¿Borrar Tarjeta?", + "cardDetailsActionsPopup-title": "Acciones de la Tarjeta", + "cardLabelsPopup-title": "Etiquetas", + "cardMembersPopup-title": "Miembros", + "cardMorePopup-title": "Mas", + "cards": "Tarjetas", + "cards-count": "Tarjetas", + "change": "Cambiar", + "change-avatar": "Cambiar Avatar", + "change-password": "Cambiar Contraseña", + "change-permissions": "Cambiar permisos", + "change-settings": "Cambiar Opciones", + "changeAvatarPopup-title": "Cambiar Avatar", + "changeLanguagePopup-title": "Cambiar Lenguaje", + "changePasswordPopup-title": "Cambiar Contraseña", + "changePermissionsPopup-title": "Cambiar Permisos", + "changeSettingsPopup-title": "Cambiar Opciones", + "checklists": "Listas de ítems", + "click-to-star": "Clickeá para darle una estrella a este tablero.", + "click-to-unstar": "Clickeá para sacarle la estrella al tablero.", + "clipboard": "Portapapeles o arrastrar y soltar", + "close": "Cerrar", + "close-board": "Cerrar Tablero", + "close-board-pop": "Podrás restaurar el tablero apretando el botón \"Papelera de Reciclaje\" del encabezado en inicio.", + "color-black": "negro", + "color-blue": "azul", + "color-green": "verde", + "color-lime": "lima", + "color-orange": "naranja", + "color-pink": "rosa", + "color-purple": "púrpura", + "color-red": "rojo", + "color-sky": "cielo", + "color-yellow": "amarillo", + "comment": "Comentario", + "comment-placeholder": "Comentar", + "comment-only": "Comentar solamente", + "comment-only-desc": "Puede comentar en tarjetas solamente.", + "computer": "Computadora", + "confirm-checklist-delete-dialog": "¿Estás segur@ que querés borrar la lista de ítems?", + "copy-card-link-to-clipboard": "Copiar enlace a tarjeta en el portapapeles", + "copyCardPopup-title": "Copiar Tarjeta", + "copyChecklistToManyCardsPopup-title": "Copiar Plantilla Checklist a Muchas Tarjetas", + "copyChecklistToManyCardsPopup-instructions": "Títulos y Descripciones de la Tarjeta Destino en este formato JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Título de primera tarjeta\", \"description\":\"Descripción de primera tarjeta\"}, {\"title\":\"Título de segunda tarjeta\",\"description\":\"Descripción de segunda tarjeta\"},{\"title\":\"Título de última tarjeta\",\"description\":\"Descripción de última tarjeta\"} ]", + "create": "Crear", + "createBoardPopup-title": "Crear Tablero", + "chooseBoardSourcePopup-title": "Importar tablero", + "createLabelPopup-title": "Crear Etiqueta", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "actual", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Fecha", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Fecha", + "decline": "Rechazar", + "default-avatar": "Avatar por defecto", + "delete": "Borrar", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "¿Borrar Etiqueta?", + "description": "Descripción", + "disambiguateMultiLabelPopup-title": "Desambiguación de Acción de Etiqueta", + "disambiguateMultiMemberPopup-title": "Desambiguación de Acción de Miembro", + "discard": "Descartar", + "done": "Hecho", + "download": "Descargar", + "edit": "Editar", + "edit-avatar": "Cambiar Avatar", + "edit-profile": "Editar Perfil", + "edit-wip-limit": "Editar Lìmite de TEP", + "soft-wip-limit": "Límite TEP suave", + "editCardStartDatePopup-title": "Cambiar fecha de inicio", + "editCardDueDatePopup-title": "Cambiar fecha de vencimiento", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Cambiar tiempo empleado", + "editLabelPopup-title": "Cambiar Etiqueta", + "editNotificationPopup-title": "Editar Notificación", + "editProfilePopup-title": "Editar Perfil", + "email": "Email", + "email-enrollAccount-subject": "Una cuenta creada para vos en __siteName__", + "email-enrollAccount-text": "Hola __user__,\n\nPara empezar a usar el servicio, simplemente clickeá en el enlace de abajo.\n\n__url__\n\nGracias.", + "email-fail": "Fallo envío de email", + "email-fail-text": "Error intentando enviar email", + "email-invalid": "Email inválido", + "email-invite": "Invitar vía Email", + "email-invite-subject": "__inviter__ te envió una invitación", + "email-invite-text": "Querido __user__,\n\n__inviter__ te invita a unirte al tablero \"__board__\" para colaborar.\n\nPor favor sigue el enlace de abajo:\n\n__url__\n\nGracias.", + "email-resetPassword-subject": "Restaurá tu contraseña en __siteName__", + "email-resetPassword-text": "Hola __user__,\n\nPara restaurar tu contraseña, simplemente clickeá el enlace de abajo.\n\n__url__\n\nGracias.", + "email-sent": "Email enviado", + "email-verifyEmail-subject": "Verificá tu dirección de email en __siteName__", + "email-verifyEmail-text": "Hola __user__,\n\nPara verificar tu cuenta de email, simplemente clickeá el enlace de abajo.\n\n__url__\n\nGracias.", + "enable-wip-limit": "Activar Límite TEP", + "error-board-doesNotExist": "Este tablero no existe", + "error-board-notAdmin": "Necesitás ser administrador de este tablero para hacer eso", + "error-board-notAMember": "Necesitás ser miembro de este tablero para hacer eso", + "error-json-malformed": "Tu texto no es JSON válido", + "error-json-schema": "Tus datos JSON no incluyen la información correcta en el formato adecuado", + "error-list-doesNotExist": "Esta lista no existe", + "error-user-doesNotExist": "Este usuario no existe", + "error-user-notAllowSelf": "No podés invitarte a vos mismo", + "error-user-notCreated": " El usuario no se creó", + "error-username-taken": "El nombre de usuario ya existe", + "error-email-taken": "El email ya existe", + "export-board": "Exportar tablero", + "filter": "Filtrar", + "filter-cards": "Filtrar Tarjetas", + "filter-clear": "Sacar filtro", + "filter-no-label": "Sin etiqueta", + "filter-no-member": "No es miembro", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "El filtro está activado", + "filter-on-desc": "Estás filtrando cartas en este tablero. Clickeá acá para editar el filtro.", + "filter-to-selection": "Filtrar en la selección", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Nombre Completo", + "header-logo-title": "Retroceder a tu página de tableros.", + "hide-system-messages": "Esconder mensajes del sistema", + "headerBarCreateBoardPopup-title": "Crear Tablero", + "home": "Inicio", + "import": "Importar", + "import-board": "importar tablero", + "import-board-c": "Importar tablero", + "import-board-title-trello": "Importar tablero de Trello", + "import-board-title-wekan": "Importar tablero de Wekan", + "import-sandstorm-warning": "El tablero importado va a borrar todos los datos existentes en el tablero y reemplazarlos con los del tablero en cuestión.", + "from-trello": "De Trello", + "from-wekan": "De Wekan", + "import-board-instruction-trello": "En tu tablero de Trello, ve a 'Menú', luego a 'Más', 'Imprimir y Exportar', 'Exportar JSON', y copia el texto resultante.", + "import-board-instruction-wekan": "En tu tablero Wekan, ve a 'Menú', luego a 'Exportar tablero', y copia el texto en el archivo descargado.", + "import-json-placeholder": "Pegá tus datos JSON válidos acá", + "import-map-members": "Mapear Miembros", + "import-members-map": "Tu tablero importado tiene algunos miembros. Por favor mapeá los miembros que quieras importar/convertir a usuarios de Wekan.", + "import-show-user-mapping": "Revisar mapeo de miembros", + "import-user-select": "Elegí el usuario de Wekan que querés usar como éste miembro", + "importMapMembersAddPopup-title": "Elegí el miembro de Wekan.", + "info": "Versión", + "initials": "Iniciales", + "invalid-date": "Fecha inválida", + "invalid-time": "Tiempo inválido", + "invalid-user": "Usuario inválido", + "joined": "unido", + "just-invited": "Fuiste invitado a este tablero", + "keyboard-shortcuts": "Atajos de teclado", + "label-create": "Crear Etiqueta", + "label-default": "%s etiqueta (por defecto)", + "label-delete-pop": "No hay deshacer. Esto va a eliminar esta etiqueta de todas las tarjetas y destruir su historia.", + "labels": "Etiquetas", + "language": "Lenguaje", + "last-admin-desc": "No podés cambiar roles porque tiene que haber al menos un administrador.", + "leave-board": "Dejar Tablero", + "leave-board-pop": "¿Estás seguro que querés dejar __boardTitle__? Vas a salir de todas las tarjetas en este tablero.", + "leaveBoardPopup-title": "¿Dejar Tablero?", + "link-card": "Enlace a esta tarjeta", + "list-archive-cards": "Mover todas las tarjetas en esta lista a la Papelera de Reciclaje", + "list-archive-cards-pop": "Esto va a remover las tarjetas en esta lista del tablero. Para ver tarjetas en la Papelera de Reciclaje y traerlas de vuelta al tablero, clickeá \"Menú\" > \"Papelera de Reciclaje\".", + "list-move-cards": "Mueve todas las tarjetas en esta lista", + "list-select-cards": "Selecciona todas las tarjetas en esta lista", + "listActionPopup-title": "Listar Acciones", + "swimlaneActionPopup-title": "Acciones de la Calle", + "listImportCardPopup-title": "Importar una tarjeta Trello", + "listMorePopup-title": "Mas", + "link-list": "Enlace a esta lista", + "list-delete-pop": "Todas las acciones van a ser eliminadas del agregador de actividad y no podás recuperar la lista. No se puede deshacer.", + "list-delete-suggest-archive": "Podés mover la lista a la Papelera de Reciclaje para remvoerla del tablero y preservar la actividad.", + "lists": "Listas", + "swimlanes": "Calles", + "log-out": "Salir", + "log-in": "Entrar", + "loginPopup-title": "Entrar", + "memberMenuPopup-title": "Opciones de Miembros", + "members": "Miembros", + "menu": "Menú", + "move-selection": "Mover selección", + "moveCardPopup-title": "Mover Tarjeta", + "moveCardToBottom-title": "Mover al Final", + "moveCardToTop-title": "Mover al Tope", + "moveSelectionPopup-title": "Mover selección", + "multi-selection": "Multi-Selección", + "multi-selection-on": "Multi-selección está activo", + "muted": "Silenciado", + "muted-info": "No serás notificado de ningún cambio en este tablero", + "my-boards": "Mis Tableros", + "name": "Nombre", + "no-archived-cards": "No hay tarjetas en la Papelera de Reciclaje", + "no-archived-lists": "No hay listas en la Papelera de Reciclaje", + "no-archived-swimlanes": "No hay calles en la Papelera de Reciclaje", + "no-results": "No hay resultados", + "normal": "Normal", + "normal-desc": "Puede ver y editar tarjetas. No puede cambiar opciones.", + "not-accepted-yet": "Invitación no aceptada todavía", + "notify-participate": "Recibí actualizaciones en cualquier tarjeta que participés como creador o miembro", + "notify-watch": "Recibí actualizaciones en cualquier tablero, lista, o tarjeta que estés siguiendo", + "optional": "opcional", + "or": "o", + "page-maybe-private": "Esta página puede ser privada. Vos podrás verla entrando.", + "page-not-found": "Página no encontrada.", + "password": "Contraseña", + "paste-or-dragdrop": "pegar, arrastrar y soltar el archivo de imagen a esto (imagen sola)", + "participating": "Participando", + "preview": "Previsualización", + "previewAttachedImagePopup-title": "Previsualización", + "previewClipboardImagePopup-title": "Previsualización", + "private": "Privado", + "private-desc": "Este tablero es privado. Solo personas agregadas a este tablero pueden verlo y editarlo.", + "profile": "Perfil", + "public": "Público", + "public-desc": "Este tablero es público. Es visible para cualquiera con un enlace y se va a mostrar en los motores de búsqueda como Google. Solo personas agregadas a este tablero pueden editarlo.", + "quick-access-description": "Dale una estrella al tablero para agregar un acceso directo en esta barra.", + "remove-cover": "Remover Portada", + "remove-from-board": "Remover del Tablero", + "remove-label": "Remover Etiqueta", + "listDeletePopup-title": "¿Borrar Lista?", + "remove-member": "Remover Miembro", + "remove-member-from-card": "Remover de Tarjeta", + "remove-member-pop": "¿Remover __name__ (__username__) de __boardTitle__? Los miembros va a ser removido de todas las tarjetas en este tablero. Serán notificados.", + "removeMemberPopup-title": "¿Remover Miembro?", + "rename": "Renombrar", + "rename-board": "Renombrar Tablero", + "restore": "Restaurar", + "save": "Grabar", + "search": "Buscar", + "search-cards": "Buscar en títulos y descripciones de tarjeta en este tablero", + "search-example": "¿Texto a buscar?", + "select-color": "Seleccionar Color", + "set-wip-limit-value": "Fijar un límite para el número máximo de tareas en esta lista", + "setWipLimitPopup-title": "Establecer Límite TEP", + "shortcut-assign-self": "Asignarte a vos mismo en la tarjeta actual", + "shortcut-autocomplete-emoji": "Autocompletar emonji", + "shortcut-autocomplete-members": "Autocompletar miembros", + "shortcut-clear-filters": "Limpiar todos los filtros", + "shortcut-close-dialog": "Cerrar Diálogo", + "shortcut-filter-my-cards": "Filtrar mis tarjetas", + "shortcut-show-shortcuts": "Traer esta lista de atajos", + "shortcut-toggle-filterbar": "Activar/Desactivar Barra Lateral de Filtros", + "shortcut-toggle-sidebar": "Activar/Desactivar Barra Lateral de Tableros", + "show-cards-minimum-count": "Mostrar cuenta de tarjetas si la lista contiene más que", + "sidebar-open": "Abrir Barra Lateral", + "sidebar-close": "Cerrar Barra Lateral", + "signupPopup-title": "Crear Cuenta", + "star-board-title": "Clickear para darle una estrella a este tablero. Se mostrará arriba en el tope de tu lista de tableros.", + "starred-boards": "Tableros con estrellas", + "starred-boards-description": "Tableros con estrellas se muestran en el tope de tu lista de tableros.", + "subscribe": "Suscribirse", + "team": "Equipo", + "this-board": "este tablero", + "this-card": "esta tarjeta", + "spent-time-hours": "Tiempo empleado (horas)", + "overtime-hours": "Sobretiempo (horas)", + "overtime": "Sobretiempo", + "has-overtime-cards": "Tiene tarjetas con sobretiempo", + "has-spenttime-cards": "Ha gastado tarjetas de tiempo", + "time": "Hora", + "title": "Título", + "tracking": "Seguimiento", + "tracking-info": "Serás notificado de cualquier cambio a aquellas tarjetas en las que seas creador o miembro.", + "type": "Type", + "unassign-member": "Desasignar miembro", + "unsaved-description": "Tienes una descripción sin guardar.", + "unwatch": "Dejar de seguir", + "upload": "Cargar", + "upload-avatar": "Cargar un avatar", + "uploaded-avatar": "Cargado un avatar", + "username": "Nombre de usuario", + "view-it": "Verlo", + "warn-list-archived": "cuidado; esta tarjeta está en la Papelera de Reciclaje", + "watch": "Seguir", + "watching": "Siguiendo", + "watching-info": "Serás notificado de cualquier cambio en este tablero", + "welcome-board": "Tablero de Bienvenida", + "welcome-swimlane": "Hito 1", + "welcome-list1": "Básicos", + "welcome-list2": "Avanzado", + "what-to-do": "¿Qué querés hacer?", + "wipLimitErrorPopup-title": "Límite TEP Inválido", + "wipLimitErrorPopup-dialog-pt1": " El número de tareas en esta lista es mayor que el límite TEP que definiste.", + "wipLimitErrorPopup-dialog-pt2": "Por favor mové algunas tareas fuera de esta lista, o seleccioná un límite TEP más alto.", + "admin-panel": "Panel de Administración", + "settings": "Opciones", + "people": "Gente", + "registration": "Registro", + "disable-self-registration": "Desactivar auto-registro", + "invite": "Invitar", + "invite-people": "Invitar Gente", + "to-boards": "A tarjeta(s)", + "email-addresses": "Dirección de Email", + "smtp-host-description": "La dirección del servidor SMTP que maneja tus emails", + "smtp-port-description": "El puerto que tu servidor SMTP usa para correos salientes", + "smtp-tls-description": "Activar soporte TLS para el servidor SMTP", + "smtp-host": "Servidor SMTP", + "smtp-port": "Puerto SMTP", + "smtp-username": "Usuario", + "smtp-password": "Contraseña", + "smtp-tls": "Soporte TLS", + "send-from": "De", + "send-smtp-test": "Enviarse un email de prueba", + "invitation-code": "Código de Invitación", + "email-invite-register-subject": "__inviter__ te envió una invitación", + "email-invite-register-text": "Querido __user__,\n\n__inviter__ te invita a Wekan para colaborar.\n\nPor favor sigue el enlace de abajo:\n__url__\n\nI tu código de invitación es: __icode__\n\nGracias.", + "email-smtp-test-subject": "Email de Prueba SMTP de Wekan", + "email-smtp-test-text": "Enviaste el correo correctamente", + "error-invitation-code-not-exist": "El código de invitación no existe", + "error-notAuthorized": "No estás autorizado para ver esta página.", + "outgoing-webhooks": "Ganchos Web Salientes", + "outgoingWebhooksPopup-title": "Ganchos Web Salientes", + "new-outgoing-webhook": "Nuevo Gancho Web", + "no-name": "(desconocido)", + "Wekan_version": "Versión de Wekan", + "Node_version": "Versión de Node", + "OS_Arch": "Arch del SO", + "OS_Cpus": "Cantidad de CPU del SO", + "OS_Freemem": "Memoria Libre del SO", + "OS_Loadavg": "Carga Promedio del SO", + "OS_Platform": "Plataforma del SO", + "OS_Release": "Revisión del SO", + "OS_Totalmem": "Memoria Total del SO", + "OS_Type": "Tipo de SO", + "OS_Uptime": "Tiempo encendido del SO", + "hours": "horas", + "minutes": "minutos", + "seconds": "segundos", + "show-field-on-card": "Show this field on card", + "yes": "Si", + "no": "No", + "accounts": "Cuentas", + "accounts-allowEmailChange": "Permitir Cambio de Email", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Creado en", + "verified": "Verificado", + "active": "Activo", + "card-received": "Recibido", + "card-received-on": "Recibido en", + "card-end": "Termino", + "card-end-on": "Termina en", + "editCardReceivedDatePopup-title": "Cambiar fecha de recepción", + "editCardEndDatePopup-title": "Cambiar fecha de término", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json new file mode 100644 index 00000000..755094bb --- /dev/null +++ b/i18n/es.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Aceptar", + "act-activity-notify": "[Wekan] Notificación de actividad", + "act-addAttachment": "ha adjuntado __attachment__ a __card__", + "act-addChecklist": "ha añadido la lista de verificación __checklist__ a __card__", + "act-addChecklistItem": "ha añadido __checklistItem__ a la lista de verificación __checklist__ en __card__", + "act-addComment": "ha comentado en __card__: __comment__", + "act-createBoard": "ha creado __board__", + "act-createCard": "ha añadido __card__ a __list__", + "act-createCustomField": "creado el campo personalizado __customField__", + "act-createList": "ha añadido __list__ a __board__", + "act-addBoardMember": "ha añadido a __member__ a __board__", + "act-archivedBoard": "__board__ se ha enviado a la papelera de reciclaje", + "act-archivedCard": "__card__ se ha enviado a la papelera de reciclaje", + "act-archivedList": "__list__ se ha enviado a la papelera de reciclaje", + "act-archivedSwimlane": "__swimlane__ se ha enviado a la papelera de reciclaje", + "act-importBoard": "ha importado __board__", + "act-importCard": "ha importado __card__", + "act-importList": "ha importado __list__", + "act-joinMember": "ha añadido a __member__ a __card__", + "act-moveCard": "ha movido __card__ desde __oldList__ a __list__", + "act-removeBoardMember": "ha desvinculado a __member__ de __board__", + "act-restoredCard": "ha restaurado __card__ en __board__", + "act-unjoinMember": "ha desvinculado a __member__ de __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Acciones", + "activities": "Actividades", + "activity": "Actividad", + "activity-added": "ha añadido %s a %s", + "activity-archived": "%s se ha enviado a la papelera de reciclaje", + "activity-attached": "ha adjuntado %s a %s", + "activity-created": "ha creado %s", + "activity-customfield-created": "creado el campo personalizado %s", + "activity-excluded": "ha excluido %s de %s", + "activity-imported": "ha importado %s a %s desde %s", + "activity-imported-board": "ha importado %s desde %s", + "activity-joined": "se ha unido a %s", + "activity-moved": "ha movido %s de %s a %s", + "activity-on": "en %s", + "activity-removed": "ha eliminado %s de %s", + "activity-sent": "ha enviado %s a %s", + "activity-unjoined": "se ha desvinculado de %s", + "activity-checklist-added": "ha añadido una lista de verificación a %s", + "activity-checklist-item-added": "ha añadido el elemento de la lista de verificación a '%s' en %s", + "add": "Añadir", + "add-attachment": "Añadir adjunto", + "add-board": "Añadir tablero", + "add-card": "Añadir una tarjeta", + "add-swimlane": "Añadir un carril de flujo", + "add-checklist": "Añadir una lista de verificación", + "add-checklist-item": "Añadir un elemento a la lista de verificación", + "add-cover": "Añadir portada", + "add-label": "Añadir una etiqueta", + "add-list": "Añadir una lista", + "add-members": "Añadir miembros", + "added": "Añadida el", + "addMemberPopup-title": "Miembros", + "admin": "Administrador", + "admin-desc": "Puedes ver y editar tarjetas, eliminar miembros, y cambiar los ajustes del tablero", + "admin-announcement": "Aviso", + "admin-announcement-active": "Activar el aviso para todo el sistema", + "admin-announcement-title": "Aviso del administrador", + "all-boards": "Tableros", + "and-n-other-card": "y __count__ tarjeta más", + "and-n-other-card_plural": "y otras __count__ tarjetas", + "apply": "Aplicar", + "app-is-offline": "Wekan se está cargando, por favor espere. Actualizar la página provocará la pérdida de datos. Si Wekan no se carga, por favor verifique que el servidor de Wekan no está detenido.", + "archive": "Enviar a la papelera de reciclaje", + "archive-all": "Enviar todo a la papelera de reciclaje", + "archive-board": "Enviar el tablero a la papelera de reciclaje", + "archive-card": "Enviar la tarjeta a la papelera de reciclaje", + "archive-list": "Enviar la lista a la papelera de reciclaje", + "archive-swimlane": "Enviar el carril de flujo a la papelera de reciclaje", + "archive-selection": "Enviar la selección a la papelera de reciclaje", + "archiveBoardPopup-title": "Enviar el tablero a la papelera de reciclaje", + "archived-items": "Papelera de reciclaje", + "archived-boards": "Tableros en la papelera de reciclaje", + "restore-board": "Restaurar el tablero", + "no-archived-boards": "No hay tableros en la papelera de reciclaje", + "archives": "Papelera de reciclaje", + "assign-member": "Asignar miembros", + "attached": "adjuntado", + "attachment": "Adjunto", + "attachment-delete-pop": "La eliminación de un fichero adjunto es permanente. Esta acción no puede deshacerse.", + "attachmentDeletePopup-title": "¿Eliminar el adjunto?", + "attachments": "Adjuntos", + "auto-watch": "Suscribirse automáticamente a los tableros cuando son creados", + "avatar-too-big": "El avatar es muy grande (70KB máx.)", + "back": "Atrás", + "board-change-color": "Cambiar el color", + "board-nb-stars": "%s destacados", + "board-not-found": "Tablero no encontrado", + "board-private-info": "Este tablero será privado.", + "board-public-info": "Este tablero será público.", + "boardChangeColorPopup-title": "Cambiar el fondo del tablero", + "boardChangeTitlePopup-title": "Renombrar el tablero", + "boardChangeVisibilityPopup-title": "Cambiar visibilidad", + "boardChangeWatchPopup-title": "Cambiar vigilancia", + "boardMenuPopup-title": "Menú del tablero", + "boards": "Tableros", + "board-view": "Vista del tablero", + "board-view-swimlanes": "Carriles", + "board-view-lists": "Listas", + "bucket-example": "Como “Cosas por hacer” por ejemplo", + "cancel": "Cancelar", + "card-archived": "Esta tarjeta se ha enviado a la papelera de reciclaje.", + "card-comments-title": "Esta tarjeta tiene %s comentarios.", + "card-delete-notice": "la eliminación es permanente. Perderás todas las acciones asociadas a esta tarjeta.", + "card-delete-pop": "Se eliminarán todas las acciones del historial de actividades y no se podrá volver a abrir la tarjeta. Esta acción no puede deshacerse.", + "card-delete-suggest-archive": "Puedes enviar una tarjeta a la papelera de reciclaje para eliminarla del tablero y conservar la actividad.", + "card-due": "Vence", + "card-due-on": "Vence el", + "card-spent": "Tiempo consumido", + "card-edit-attachments": "Editar los adjuntos", + "card-edit-custom-fields": "Editar los campos personalizados", + "card-edit-labels": "Editar las etiquetas", + "card-edit-members": "Editar los miembros", + "card-labels-title": "Cambia las etiquetas de la tarjeta", + "card-members-title": "Añadir o eliminar miembros del tablero desde la tarjeta.", + "card-start": "Comienza", + "card-start-on": "Comienza el", + "cardAttachmentsPopup-title": "Adjuntar desde", + "cardCustomField-datePopup-title": "Cambiar la fecha", + "cardCustomFieldsPopup-title": "Editar los campos personalizados", + "cardDeletePopup-title": "¿Eliminar la tarjeta?", + "cardDetailsActionsPopup-title": "Acciones de la tarjeta", + "cardLabelsPopup-title": "Etiquetas", + "cardMembersPopup-title": "Miembros", + "cardMorePopup-title": "Más", + "cards": "Tarjetas", + "cards-count": "Tarjetas", + "change": "Cambiar", + "change-avatar": "Cambiar el avatar", + "change-password": "Cambiar la contraseña", + "change-permissions": "Cambiar los permisos", + "change-settings": "Cambiar las preferencias", + "changeAvatarPopup-title": "Cambiar el avatar", + "changeLanguagePopup-title": "Cambiar el idioma", + "changePasswordPopup-title": "Cambiar la contraseña", + "changePermissionsPopup-title": "Cambiar los permisos", + "changeSettingsPopup-title": "Cambiar las preferencias", + "checklists": "Lista de verificación", + "click-to-star": "Haz clic para destacar este tablero.", + "click-to-unstar": "Haz clic para dejar de destacar este tablero.", + "clipboard": "el portapapeles o con arrastrar y soltar", + "close": "Cerrar", + "close-board": "Cerrar el tablero", + "close-board-pop": "Podrás restaurar el tablero haciendo clic en el botón \"Papelera de reciclaje\" en la cabecera.", + "color-black": "negra", + "color-blue": "azul", + "color-green": "verde", + "color-lime": "lima", + "color-orange": "naranja", + "color-pink": "rosa", + "color-purple": "violeta", + "color-red": "roja", + "color-sky": "celeste", + "color-yellow": "amarilla", + "comment": "Comentar", + "comment-placeholder": "Escribir comentario", + "comment-only": "Sólo comentarios", + "comment-only-desc": "Solo puedes comentar en las tarjetas.", + "computer": "el ordenador", + "confirm-checklist-delete-dialog": "¿Seguro que desea eliminar la lista de verificación?", + "copy-card-link-to-clipboard": "Copiar el enlace de la tarjeta al portapapeles", + "copyCardPopup-title": "Copiar la tarjeta", + "copyChecklistToManyCardsPopup-title": "Copiar la plantilla de la lista de verificación en varias tarjetas", + "copyChecklistToManyCardsPopup-instructions": "Títulos y descripciones de las tarjetas de destino en formato JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Título de la primera tarjeta\", \"description\":\"Descripción de la primera tarjeta\"}, {\"title\":\"Título de la segunda tarjeta\",\"description\":\"Descripción de la segunda tarjeta\"},{\"title\":\"Título de la última tarjeta\",\"description\":\"Descripción de la última tarjeta\"} ]", + "create": "Crear", + "createBoardPopup-title": "Crear tablero", + "chooseBoardSourcePopup-title": "Importar un tablero", + "createLabelPopup-title": "Crear etiqueta", + "createCustomField": "Crear un campo", + "createCustomFieldPopup-title": "Crear un campo", + "current": "actual", + "custom-field-delete-pop": "Se eliminará este campo personalizado de todas las tarjetas y se destruirá su historial. Esta acción no puede deshacerse.", + "custom-field-checkbox": "Casilla de verificación", + "custom-field-date": "Fecha", + "custom-field-dropdown": "Lista desplegable", + "custom-field-dropdown-none": "(nada)", + "custom-field-dropdown-options": "Opciones de la lista", + "custom-field-dropdown-options-placeholder": "Pulsa Intro para añadir más opciones", + "custom-field-dropdown-unknown": "(desconocido)", + "custom-field-number": "Número", + "custom-field-text": "Texto", + "custom-fields": "Campos personalizados", + "date": "Fecha", + "decline": "Declinar", + "default-avatar": "Avatar por defecto", + "delete": "Eliminar", + "deleteCustomFieldPopup-title": "¿Borrar el campo personalizado?", + "deleteLabelPopup-title": "¿Eliminar la etiqueta?", + "description": "Descripción", + "disambiguateMultiLabelPopup-title": "Desambiguar la acción de etiqueta", + "disambiguateMultiMemberPopup-title": "Desambiguar la acción de miembro", + "discard": "Descartarla", + "done": "Hecho", + "download": "Descargar", + "edit": "Editar", + "edit-avatar": "Cambiar el avatar", + "edit-profile": "Editar el perfil", + "edit-wip-limit": "Cambiar el límite del trabajo en proceso", + "soft-wip-limit": "Límite del trabajo en proceso flexible", + "editCardStartDatePopup-title": "Cambiar la fecha de comienzo", + "editCardDueDatePopup-title": "Cambiar la fecha de vencimiento", + "editCustomFieldPopup-title": "Editar el campo", + "editCardSpentTimePopup-title": "Cambiar el tiempo consumido", + "editLabelPopup-title": "Cambiar la etiqueta", + "editNotificationPopup-title": "Editar las notificaciones", + "editProfilePopup-title": "Editar el perfil", + "email": "Correo electrónico", + "email-enrollAccount-subject": "Cuenta creada en __siteName__", + "email-enrollAccount-text": "Hola __user__,\n\nPara empezar a utilizar el servicio, simplemente haz clic en el siguiente enlace.\n\n__url__\n\nGracias.", + "email-fail": "Error al enviar el correo", + "email-fail-text": "Error al intentar enviar el correo", + "email-invalid": "Correo no válido", + "email-invite": "Invitar vía correo electrónico", + "email-invite-subject": "__inviter__ ha enviado una invitación", + "email-invite-text": "Estimado __user__,\n\n__inviter__ te invita a unirte al tablero '__board__' para colaborar.\n\nPor favor, haz clic en el siguiente enlace:\n\n__url__\n\nGracias.", + "email-resetPassword-subject": "Restablecer tu contraseña en __siteName__", + "email-resetPassword-text": "Hola __user__,\n\nPara restablecer tu contraseña, haz clic en el siguiente enlace.\n\n__url__\n\nGracias.", + "email-sent": "Correo enviado", + "email-verifyEmail-subject": "Verifica tu dirección de correo en __siteName__", + "email-verifyEmail-text": "Hola __user__,\n\nPara verificar tu cuenta de correo electrónico, haz clic en el siguiente enlace.\n\n__url__\n\nGracias.", + "enable-wip-limit": "Activar el límite del trabajo en proceso", + "error-board-doesNotExist": "El tablero no existe", + "error-board-notAdmin": "Es necesario ser administrador de este tablero para hacer eso", + "error-board-notAMember": "Es necesario ser miembro de este tablero para hacer eso", + "error-json-malformed": "El texto no es un JSON válido", + "error-json-schema": "Sus datos JSON no incluyen la información apropiada en el formato correcto", + "error-list-doesNotExist": "La lista no existe", + "error-user-doesNotExist": "El usuario no existe", + "error-user-notAllowSelf": "No puedes invitarte a ti mismo", + "error-user-notCreated": "El usuario no ha sido creado", + "error-username-taken": "Este nombre de usuario ya está en uso", + "error-email-taken": "Esta dirección de correo ya está en uso", + "export-board": "Exportar el tablero", + "filter": "Filtrar", + "filter-cards": "Filtrar tarjetas", + "filter-clear": "Limpiar el filtro", + "filter-no-label": "Sin etiqueta", + "filter-no-member": "Sin miembro", + "filter-no-custom-fields": "Sin campos personalizados", + "filter-on": "Filtrado activado", + "filter-on-desc": "Estás filtrando tarjetas en este tablero. Haz clic aquí para editar el filtro.", + "filter-to-selection": "Filtrar la selección", + "advanced-filter-label": "Filtrado avanzado", + "advanced-filter-description": "El filtrado avanzado permite escribir una cadena que contiene los siguientes operadores: == != <= >= && || ( ) Se utiliza un espacio como separador entre los operadores. Se pueden filtrar todos los campos personalizados escribiendo sus nombres y valores. Por ejemplo: Campo1 == Valor1. Nota: Si los campos o valores contienen espacios, debe encapsularlos entre comillas simples. Por ejemplo: 'Campo 1' == 'Valor 1'. También puedes combinar múltiples condiciones. Por ejemplo: C1 == V1 || C1 = V2. Normalmente todos los operadores se interpretan de izquierda a derecha. Puede cambiar el orden colocando corchetes. Por ejemplo: C1 == V1 y ( C2 == V2 || C2 == V3 )", + "fullname": "Nombre completo", + "header-logo-title": "Volver a tu página de tableros", + "hide-system-messages": "Ocultar las notificaciones de actividad", + "headerBarCreateBoardPopup-title": "Crear tablero", + "home": "Inicio", + "import": "Importar", + "import-board": "importar un tablero", + "import-board-c": "Importar un tablero", + "import-board-title-trello": "Importar un tablero desde Trello", + "import-board-title-wekan": "Importar un tablero desde Wekan", + "import-sandstorm-warning": "El tablero importado eliminará todos los datos existentes en este tablero y los reemplazará con los datos del tablero importado.", + "from-trello": "Desde Trello", + "from-wekan": "Desde Wekan", + "import-board-instruction-trello": "En tu tablero de Trello, ve a 'Menú', luego 'Más' > 'Imprimir y exportar' > 'Exportar JSON', y copia el texto resultante.", + "import-board-instruction-wekan": "En tu tablero de Wekan, ve a 'Menú del tablero', luego 'Exportar el tablero', y copia aquí el texto del fichero descargado.", + "import-json-placeholder": "Pega tus datos JSON válidos aquí", + "import-map-members": "Mapa de miembros", + "import-members-map": "El tablero importado tiene algunos miembros. Por favor mapea los miembros que deseas importar a los usuarios de Wekan", + "import-show-user-mapping": "Revisión de la asignación de miembros", + "import-user-select": "Escoge el usuario de Wekan que deseas utilizar como miembro", + "importMapMembersAddPopup-title": "Selecciona un miembro de Wekan", + "info": "Versión", + "initials": "Iniciales", + "invalid-date": "Fecha no válida", + "invalid-time": "Tiempo no válido", + "invalid-user": "Usuario no válido", + "joined": "se ha unido", + "just-invited": "Has sido invitado a este tablero", + "keyboard-shortcuts": "Atajos de teclado", + "label-create": "Crear una etiqueta", + "label-default": "etiqueta %s (por defecto)", + "label-delete-pop": "Se eliminará esta etiqueta de todas las tarjetas y se destruirá su historial. Esta acción no puede deshacerse.", + "labels": "Etiquetas", + "language": "Cambiar el idioma", + "last-admin-desc": "No puedes cambiar roles porque debe haber al menos un administrador.", + "leave-board": "Abandonar el tablero", + "leave-board-pop": "¿Seguro que quieres abandonar __boardTitle__? Serás desvinculado de todas las tarjetas en este tablero.", + "leaveBoardPopup-title": "¿Abandonar el tablero?", + "link-card": "Enlazar a esta tarjeta", + "list-archive-cards": "Enviar todas las tarjetas de esta lista a la papelera de reciclaje", + "list-archive-cards-pop": "Esto eliminará todas las tarjetas de esta lista del tablero. Para ver las tarjetas en la papelera de reciclaje y devolverlas al tablero, haga clic en \"Menú\" > \"Papelera de reciclaje\".", + "list-move-cards": "Mover todas las tarjetas de esta lista", + "list-select-cards": "Seleccionar todas las tarjetas de esta lista", + "listActionPopup-title": "Acciones de la lista", + "swimlaneActionPopup-title": "Acciones del carril de flujo", + "listImportCardPopup-title": "Importar una tarjeta de Trello", + "listMorePopup-title": "Más", + "link-list": "Enlazar a esta lista", + "list-delete-pop": "Todas las acciones serán eliminadas del historial de actividades y no se podrá recuperar la lista. Esta acción no puede deshacerse.", + "list-delete-suggest-archive": "Puedes enviar una lista a la papelera de reciclaje para eliminarla del tablero y conservar la actividad.", + "lists": "Listas", + "swimlanes": "Carriles", + "log-out": "Finalizar la sesión", + "log-in": "Iniciar sesión", + "loginPopup-title": "Iniciar sesión", + "memberMenuPopup-title": "Mis preferencias", + "members": "Miembros", + "menu": "Menú", + "move-selection": "Mover la selección", + "moveCardPopup-title": "Mover la tarjeta", + "moveCardToBottom-title": "Mover al final", + "moveCardToTop-title": "Mover al principio", + "moveSelectionPopup-title": "Mover la selección", + "multi-selection": "Selección múltiple", + "multi-selection-on": "Selección múltiple activada", + "muted": "Silenciado", + "muted-info": "No serás notificado de ningún cambio en este tablero", + "my-boards": "Mis tableros", + "name": "Nombre", + "no-archived-cards": "No hay tarjetas en la papelera de reciclaje", + "no-archived-lists": "No hay listas en la papelera de reciclaje", + "no-archived-swimlanes": "No hay carriles de flujo en la papelera de reciclaje", + "no-results": "Sin resultados", + "normal": "Normal", + "normal-desc": "Puedes ver y editar tarjetas. No puedes cambiar la configuración.", + "not-accepted-yet": "La invitación no ha sido aceptada aún", + "notify-participate": "Recibir actualizaciones de cualquier tarjeta en la que participas como creador o miembro", + "notify-watch": "Recibir actuaizaciones de cualquier tablero, lista o tarjeta que estés vigilando", + "optional": "opcional", + "or": "o", + "page-maybe-private": "Esta página puede ser privada. Es posible que puedas verla al iniciar sesión.", + "page-not-found": "Página no encontrada.", + "password": "Contraseña", + "paste-or-dragdrop": "pegar o arrastrar y soltar un fichero de imagen (sólo imagen)", + "participating": "Participando", + "preview": "Previsualizar", + "previewAttachedImagePopup-title": "Previsualizar", + "previewClipboardImagePopup-title": "Previsualizar", + "private": "Privado", + "private-desc": "Este tablero es privado. Sólo las personas añadidas al tablero pueden verlo y editarlo.", + "profile": "Perfil", + "public": "Público", + "public-desc": "Este tablero es público. Es visible para cualquiera a través del enlace, y se mostrará en los buscadores como Google. Sólo las personas añadidas al tablero pueden editarlo.", + "quick-access-description": "Destaca un tablero para añadir un acceso directo en esta barra.", + "remove-cover": "Eliminar portada", + "remove-from-board": "Desvincular del tablero", + "remove-label": "Eliminar la etiqueta", + "listDeletePopup-title": "¿Eliminar la lista?", + "remove-member": "Eliminar miembro", + "remove-member-from-card": "Eliminar de la tarjeta", + "remove-member-pop": "¿Eliminar __name__ (__username__) de __boardTitle__? El miembro será eliminado de todas las tarjetas de este tablero. En ellas se mostrará una notificación.", + "removeMemberPopup-title": "¿Eliminar miembro?", + "rename": "Renombrar", + "rename-board": "Renombrar el tablero", + "restore": "Restaurar", + "save": "Añadir", + "search": "Buscar", + "search-cards": "Buscar entre los títulos y las descripciones de las tarjetas en este tablero.", + "search-example": "¿Texto a buscar?", + "select-color": "Selecciona un color", + "set-wip-limit-value": "Fija un límite para el número máximo de tareas en esta lista.", + "setWipLimitPopup-title": "Fijar el límite del trabajo en proceso", + "shortcut-assign-self": "Asignarte a ti mismo a la tarjeta actual", + "shortcut-autocomplete-emoji": "Autocompletar emoji", + "shortcut-autocomplete-members": "Autocompletar miembros", + "shortcut-clear-filters": "Limpiar todos los filtros", + "shortcut-close-dialog": "Cerrar el cuadro de diálogo", + "shortcut-filter-my-cards": "Filtrar mis tarjetas", + "shortcut-show-shortcuts": "Mostrar esta lista de atajos", + "shortcut-toggle-filterbar": "Conmutar la barra lateral del filtro", + "shortcut-toggle-sidebar": "Conmutar la barra lateral del tablero", + "show-cards-minimum-count": "Mostrar recuento de tarjetas si la lista contiene más de", + "sidebar-open": "Abrir la barra lateral", + "sidebar-close": "Cerrar la barra lateral", + "signupPopup-title": "Crear una cuenta", + "star-board-title": "Haz clic para destacar este tablero. Se mostrará en la parte superior de tu lista de tableros.", + "starred-boards": "Tableros destacados", + "starred-boards-description": "Los tableros destacados se mostrarán en la parte superior de tu lista de tableros.", + "subscribe": "Suscribirse", + "team": "Equipo", + "this-board": "este tablero", + "this-card": "esta tarjeta", + "spent-time-hours": "Tiempo consumido (horas)", + "overtime-hours": "Tiempo excesivo (horas)", + "overtime": "Tiempo excesivo", + "has-overtime-cards": "Hay tarjetas con el tiempo excedido", + "has-spenttime-cards": "Se ha excedido el tiempo de las tarjetas", + "time": "Hora", + "title": "Título", + "tracking": "Siguiendo", + "tracking-info": "Serás notificado de cualquier cambio en las tarjetas en las que participas como creador o miembro.", + "type": "Tipo", + "unassign-member": "Desvincular al miembro", + "unsaved-description": "Tienes una descripción por añadir.", + "unwatch": "Dejar de vigilar", + "upload": "Cargar", + "upload-avatar": "Cargar un avatar", + "uploaded-avatar": "Avatar cargado", + "username": "Nombre de usuario", + "view-it": "Verla", + "warn-list-archived": "advertencia: esta tarjeta está en una lista en la papelera de reciclaje", + "watch": "Vigilar", + "watching": "Vigilando", + "watching-info": "Serás notificado de cualquier cambio en este tablero", + "welcome-board": "Tablero de bienvenida", + "welcome-swimlane": "Hito 1", + "welcome-list1": "Básicos", + "welcome-list2": "Avanzados", + "what-to-do": "¿Qué deseas hacer?", + "wipLimitErrorPopup-title": "El límite del trabajo en proceso no es válido.", + "wipLimitErrorPopup-dialog-pt1": "El número de tareas en esta lista es mayor que el límite del trabajo en proceso que has definido.", + "wipLimitErrorPopup-dialog-pt2": "Por favor, mueve algunas tareas fuera de esta lista, o fija un límite del trabajo en proceso más alto.", + "admin-panel": "Panel del administrador", + "settings": "Ajustes", + "people": "Personas", + "registration": "Registro", + "disable-self-registration": "Deshabilitar autoregistro", + "invite": "Invitar", + "invite-people": "Invitar a personas", + "to-boards": "A el(los) tablero(s)", + "email-addresses": "Direcciones de correo electrónico", + "smtp-host-description": "Dirección del servidor SMTP para gestionar tus correos", + "smtp-port-description": "Puerto usado por el servidor SMTP para mandar correos", + "smtp-tls-description": "Habilitar el soporte TLS para el servidor SMTP", + "smtp-host": "Servidor SMTP", + "smtp-port": "Puerto SMTP", + "smtp-username": "Nombre de usuario", + "smtp-password": "Contraseña", + "smtp-tls": "Soporte TLS", + "send-from": "Desde", + "send-smtp-test": "Enviarte un correo de prueba a ti mismo", + "invitation-code": "Código de Invitación", + "email-invite-register-subject": "__inviter__ te ha enviado una invitación", + "email-invite-register-text": "Estimado __user__,\n\n__inviter__ te invita a unirte a Wekan para colaborar.\n\nPor favor, haz clic en el siguiente enlace:\n__url__\n\nTu código de invitación es: __icode__\n\nGracias.", + "email-smtp-test-subject": "Prueba de correo SMTP desde Wekan", + "email-smtp-test-text": "El correo se ha enviado correctamente", + "error-invitation-code-not-exist": "El código de invitación no existe", + "error-notAuthorized": "No estás autorizado a ver esta página.", + "outgoing-webhooks": "Webhooks salientes", + "outgoingWebhooksPopup-title": "Webhooks salientes", + "new-outgoing-webhook": "Nuevo webhook saliente", + "no-name": "(Desconocido)", + "Wekan_version": "Versión de Wekan", + "Node_version": "Versión de Node", + "OS_Arch": "Arquitectura del sistema", + "OS_Cpus": "Número de CPUs del sistema", + "OS_Freemem": "Memoria libre del sistema", + "OS_Loadavg": "Carga media del sistema", + "OS_Platform": "Plataforma del sistema", + "OS_Release": "Publicación del sistema", + "OS_Totalmem": "Memoria Total del sistema", + "OS_Type": "Tipo de sistema", + "OS_Uptime": "Tiempo activo del sistema", + "hours": "horas", + "minutes": "minutos", + "seconds": "segundos", + "show-field-on-card": "Mostrar este campo en la tarjeta", + "yes": "Sí", + "no": "No", + "accounts": "Cuentas", + "accounts-allowEmailChange": "Permitir cambiar el correo electrónico", + "accounts-allowUserNameChange": "Permitir el cambio del nombre de usuario", + "createdAt": "Creado en", + "verified": "Verificado", + "active": "Activo", + "card-received": "Recibido", + "card-received-on": "Recibido el", + "card-end": "Finalizado", + "card-end-on": "Finalizado el", + "editCardReceivedDatePopup-title": "Cambiar la fecha de recepción", + "editCardEndDatePopup-title": "Cambiar la fecha de finalización", + "assigned-by": "Asignado por", + "requested-by": "Solicitado por", + "board-delete-notice": "Se eliminarán todas las listas, tarjetas y acciones asociadas a este tablero. Esta acción no puede deshacerse.", + "delete-board-confirm-popup": "Se eliminarán todas las listas, tarjetas, etiquetas y actividades, y no podrás recuperar los contenidos del tablero. Esta acción no puede deshacerse.", + "boardDeletePopup-title": "¿Borrar el tablero?", + "delete-board": "Borrar el tablero" +} \ No newline at end of file diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json new file mode 100644 index 00000000..51de292b --- /dev/null +++ b/i18n/eu.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Onartu", + "act-activity-notify": "[Wekan] Jarduera-jakinarazpena", + "act-addAttachment": "__attachment__ __card__ txartelera erantsita", + "act-addChecklist": "gehituta checklist __checklist__ __card__ -ri", + "act-addChecklistItem": "gehituta __checklistItem__ checklist __checklist__ on __card__ -ri", + "act-addComment": "__card__ txartelean iruzkina: __comment__", + "act-createBoard": "__board__ sortuta", + "act-createCard": "__card__ __list__ zerrrendara gehituta", + "act-createCustomField": "created custom field __customField__", + "act-createList": "__list__ __board__ arbelera gehituta", + "act-addBoardMember": "__member__ __board__ arbelera gehituta", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "__board__ inportatuta", + "act-importCard": "__card__ inportatuta", + "act-importList": "__list__ inportatuta", + "act-joinMember": "__member__ __card__ txartelera gehituta", + "act-moveCard": "__card__ __oldList__ zerrendartik __list__ zerrendara eraman da", + "act-removeBoardMember": "__member__ __board__ arbeletik kendu da", + "act-restoredCard": "__card__ __board__ arbelean berrezarri da", + "act-unjoinMember": "__member__ __card__ txarteletik kendu da", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Ekintzak", + "activities": "Jarduerak", + "activity": "Jarduera", + "activity-added": "%s %s(e)ra gehituta", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "%s %s(e)ra erantsita", + "activity-created": "%s sortuta", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "%s %s(e)tik kanpo utzita", + "activity-imported": "%s inportatuta %s(e)ra %s(e)tik", + "activity-imported-board": "%s inportatuta %s(e)tik", + "activity-joined": "%s(e)ra elkartuta", + "activity-moved": "%s %s(e)tik %s(e)ra eramanda", + "activity-on": "%s", + "activity-removed": "%s %s(e)tik kenduta", + "activity-sent": "%s %s(e)ri bidalita", + "activity-unjoined": "%s utzita", + "activity-checklist-added": "egiaztaketa zerrenda %s(e)ra gehituta", + "activity-checklist-item-added": "egiaztaketa zerrendako elementuak '%s'(e)ra gehituta %s(e)n", + "add": "Gehitu", + "add-attachment": "Gehitu eranskina", + "add-board": "Gehitu arbela", + "add-card": "Gehitu txartela", + "add-swimlane": "Add Swimlane", + "add-checklist": "Gehitu egiaztaketa zerrenda", + "add-checklist-item": "Gehitu elementu bat egiaztaketa zerrendara", + "add-cover": "Gehitu azala", + "add-label": "Gehitu etiketa", + "add-list": "Gehitu zerrenda", + "add-members": "Gehitu kideak", + "added": "Gehituta", + "addMemberPopup-title": "Kideak", + "admin": "Kudeatzailea", + "admin-desc": "Txartelak ikusi eta editatu ditzake, kideak kendu, eta arbelaren ezarpenak aldatu.", + "admin-announcement": "Jakinarazpena", + "admin-announcement-active": "Gaitu Sistema-eremuko Jakinarazpena", + "admin-announcement-title": "Administrariaren jakinarazpena", + "all-boards": "Arbel guztiak", + "and-n-other-card": "Eta beste txartel __count__", + "and-n-other-card_plural": "Eta beste __count__ txartel", + "apply": "Aplikatu", + "app-is-offline": "Wekan kargatzen ari da, itxaron mesedez. Orria freskatzeak datuen galera ekarriko luke. Wekan kargatzen ez bada, egiaztatu Wekan zerbitzaria gelditu ez dela.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Berreskuratu arbela", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Esleitu kidea", + "attached": "erantsita", + "attachment": "Eranskina", + "attachment-delete-pop": "Eranskina ezabatzea behin betikoa da. Ez dago desegiterik.", + "attachmentDeletePopup-title": "Ezabatu eranskina?", + "attachments": "Eranskinak", + "auto-watch": "Automatikoki jarraitu arbelak hauek sortzean", + "avatar-too-big": "Avatarra handiegia da (Gehienez 70Kb)", + "back": "Atzera", + "board-change-color": "Aldatu kolorea", + "board-nb-stars": "%s izar", + "board-not-found": "Ez da arbela aurkitu", + "board-private-info": "Arbel hau pribatua izango da.", + "board-public-info": "Arbel hau publikoa izango da.", + "boardChangeColorPopup-title": "Aldatu arbelaren atzealdea", + "boardChangeTitlePopup-title": "Aldatu izena arbelari", + "boardChangeVisibilityPopup-title": "Aldatu ikusgaitasuna", + "boardChangeWatchPopup-title": "Aldatu ikuskatzea", + "boardMenuPopup-title": "Arbelaren menua", + "boards": "Arbelak", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Zerrendak", + "bucket-example": "Esaterako \"Pertz zerrenda\"", + "cancel": "Utzi", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "Txartel honek iruzkin %s dauka.", + "card-delete-notice": "Ezabaketa behin betiko da. Txartel honi lotutako ekintza guztiak galduko dituzu.", + "card-delete-pop": "Ekintza guztiak ekintza jariotik kenduko dira eta ezin izango duzu txartela berrireki. Ez dago desegiterik.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Epemuga", + "card-due-on": "Epemuga", + "card-spent": "Erabilitako denbora", + "card-edit-attachments": "Editatu eranskinak", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Editatu etiketak", + "card-edit-members": "Editatu kideak", + "card-labels-title": "Aldatu txartelaren etiketak", + "card-members-title": "Gehitu edo kendu arbeleko kideak txarteletik.", + "card-start": "Hasiera", + "card-start-on": "Hasiera", + "cardAttachmentsPopup-title": "Erantsi hemendik", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Ezabatu txartela?", + "cardDetailsActionsPopup-title": "Txartel-ekintzak", + "cardLabelsPopup-title": "Etiketak", + "cardMembersPopup-title": "Kideak", + "cardMorePopup-title": "Gehiago", + "cards": "Txartelak", + "cards-count": "Txartelak", + "change": "Aldatu", + "change-avatar": "Aldatu avatarra", + "change-password": "Aldatu pasahitza", + "change-permissions": "Aldatu baimenak", + "change-settings": "Aldatu ezarpenak", + "changeAvatarPopup-title": "Aldatu avatarra", + "changeLanguagePopup-title": "Aldatu hizkuntza", + "changePasswordPopup-title": "Aldatu pasahitza", + "changePermissionsPopup-title": "Aldatu baimenak", + "changeSettingsPopup-title": "Aldatu ezarpenak", + "checklists": "Egiaztaketa zerrenda", + "click-to-star": "Egin klik arbel honi izarra jartzeko", + "click-to-unstar": "Egin klik arbel honi izarra kentzeko", + "clipboard": "Kopiatu eta itsatsi edo arrastatu eta jaregin", + "close": "Itxi", + "close-board": "Itxi arbela", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "beltza", + "color-blue": "urdina", + "color-green": "berdea", + "color-lime": "lima", + "color-orange": "laranja", + "color-pink": "larrosa", + "color-purple": "purpura", + "color-red": "gorria", + "color-sky": "zerua", + "color-yellow": "horia", + "comment": "Iruzkina", + "comment-placeholder": "Idatzi iruzkin bat", + "comment-only": "Iruzkinak besterik ez", + "comment-only-desc": "Iruzkinak txarteletan soilik egin ditzake", + "computer": "Ordenagailua", + "confirm-checklist-delete-dialog": "Ziur zaude kontrol-zerrenda ezabatu nahi duzula", + "copy-card-link-to-clipboard": "Kopiatu txartela arbelera", + "copyCardPopup-title": "Kopiatu txartela", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Sortu", + "createBoardPopup-title": "Sortu arbela", + "chooseBoardSourcePopup-title": "Inportatu arbela", + "createLabelPopup-title": "Sortu etiketa", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "unekoa", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Data", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Data", + "decline": "Ukatu", + "default-avatar": "Lehenetsitako avatarra", + "delete": "Ezabatu", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Ezabatu etiketa?", + "description": "Deskripzioa", + "disambiguateMultiLabelPopup-title": "Argitu etiketaren ekintza", + "disambiguateMultiMemberPopup-title": "Argitu kidearen ekintza", + "discard": "Baztertu", + "done": "Egina", + "download": "Deskargatu", + "edit": "Editatu", + "edit-avatar": "Aldatu avatarra", + "edit-profile": "Editatu profila", + "edit-wip-limit": "WIP muga editatu", + "soft-wip-limit": "WIP muga malgua", + "editCardStartDatePopup-title": "Aldatu hasiera data", + "editCardDueDatePopup-title": "Aldatu epemuga data", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Aldatu erabilitako denbora", + "editLabelPopup-title": "Aldatu etiketa", + "editNotificationPopup-title": "Editatu jakinarazpena", + "editProfilePopup-title": "Editatu profila", + "email": "e-posta", + "email-enrollAccount-subject": "Kontu bat sortu zaizu __siteName__ gunean", + "email-enrollAccount-text": "Kaixo __user__,\n\nZerbitzua erabiltzen hasteko, egin klik beheko loturan.\n\n__url__\n\nEskerrik asko.", + "email-fail": "E-posta bidalketak huts egin du", + "email-fail-text": "Arazoa mezua bidaltzen saiatzen", + "email-invalid": "Baliogabeko e-posta", + "email-invite": "Gonbidatu e-posta bidez", + "email-invite-subject": "__inviter__ erabiltzaileak gonbidapen bat bidali dizu", + "email-invite-text": "Kaixo __user__,\n\n__inviter__ erabiltzaileak \"__board__\" arbelera elkartzera gonbidatzen zaitu elkar-lanean aritzeko.\n\nJarraitu mesedez lotura hau:\n\n__url__\n\nEskerrik asko.", + "email-resetPassword-subject": "Leheneratu zure __siteName__ guneko pasahitza", + "email-resetPassword-text": "Kaixo __user__,\n\nZure pasahitza berrezartzeko, egin klik beheko loturan.\n\n__url__\n\nEskerrik asko.", + "email-sent": "E-posta bidali da", + "email-verifyEmail-subject": "Egiaztatu __siteName__ guneko zure e-posta helbidea.", + "email-verifyEmail-text": "Kaixo __user__,\n\nZure e-posta kontua egiaztatzeko, egin klik beheko loturan.\n\n__url__\n\nEskerrik asko.", + "enable-wip-limit": "WIP muga gaitu", + "error-board-doesNotExist": "Arbel hau ez da existitzen", + "error-board-notAdmin": "Arbel honetako kudeatzailea izan behar zara hori egin ahal izateko", + "error-board-notAMember": "Arbel honetako kidea izan behar zara hori egin ahal izateko", + "error-json-malformed": "Zure testua ez da baliozko JSON", + "error-json-schema": "Zure JSON datuek ez dute formatu zuzenaren informazio egokia", + "error-list-doesNotExist": "Zerrenda hau ez da existitzen", + "error-user-doesNotExist": "Erabiltzaile hau ez da existitzen", + "error-user-notAllowSelf": "Ezin duzu zure burua gonbidatu", + "error-user-notCreated": "Erabiltzaile hau sortu gabe dago", + "error-username-taken": "Erabiltzaile-izen hori hartuta dago", + "error-email-taken": "E-mail hori hartuta dago", + "export-board": "Esportatu arbela", + "filter": "Iragazi", + "filter-cards": "Iragazi txartelak", + "filter-clear": "Garbitu iragazkia", + "filter-no-label": "Etiketarik ez", + "filter-no-member": "Kiderik ez", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Iragazkia gaituta dago", + "filter-on-desc": "Arbel honetako txartela iragazten ari zara. Egin klik hemen iragazkia editatzeko.", + "filter-to-selection": "Iragazketa aukerara", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Izen abizenak", + "header-logo-title": "Itzuli zure arbelen orrira.", + "hide-system-messages": "Ezkutatu sistemako mezuak", + "headerBarCreateBoardPopup-title": "Sortu arbela", + "home": "Hasiera", + "import": "Inportatu", + "import-board": "inportatu arbela", + "import-board-c": "Inportatu arbela", + "import-board-title-trello": "Inportatu arbela Trellotik", + "import-board-title-wekan": "Inportatu arbela Wekanetik", + "import-sandstorm-warning": "Inportatutako arbelak oraingo arbeleko informazio guztia ezabatuko du eta inportatutako arbeleko informazioarekin ordeztu.", + "from-trello": "Trellotik", + "from-wekan": "Wekanetik", + "import-board-instruction-trello": "Zure Trello arbelean, aukeratu 'Menu\", 'More', 'Print and Export', 'Export JSON', eta kopiatu jasotako testua hemen.", + "import-board-instruction-wekan": "Zure Wekan arbelean, aukeratu 'Menua' - 'Esportatu arbela', eta kopiatu testua deskargatutako fitxategian.", + "import-json-placeholder": "Isatsi baliozko JSON datuak hemen", + "import-map-members": "Kideen mapa", + "import-members-map": "Inportatu duzun arbela kide batzuk ditu, mesedez lotu inportatu nahi dituzun kideak Wekan erabiltzaileekin", + "import-show-user-mapping": "Berrikusi kideen mapa", + "import-user-select": "Hautatu kide hau bezala erabili nahi duzun Wekan erabiltzailea", + "importMapMembersAddPopup-title": "Aukeratu Wekan kidea", + "info": "Bertsioa", + "initials": "Inizialak", + "invalid-date": "Baliogabeko data", + "invalid-time": "Baliogabeko denbora", + "invalid-user": "Baliogabeko erabiltzailea", + "joined": "elkartu da", + "just-invited": "Arbel honetara gonbidatu berri zaituzte", + "keyboard-shortcuts": "Teklatu laster-bideak", + "label-create": "Sortu etiketa", + "label-default": "%s etiketa (lehenetsia)", + "label-delete-pop": "Ez dago desegiterik. Honek etiketa hau kenduko du txartel guztietatik eta bere historiala suntsitu.", + "labels": "Etiketak", + "language": "Hizkuntza", + "last-admin-desc": "Ezin duzu rola aldatu gutxienez kudeatzaile bat behar delako.", + "leave-board": "Utzi arbela", + "leave-board-pop": "Ziur zaude __boardTitle__ utzi nahi duzula? Arbel honetako txartel guztietatik ezabatua izango zara.", + "leaveBoardPopup-title": "Arbela utzi?", + "link-card": "Lotura txartel honetara", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Lekuz aldatu zerrendako txartel guztiak", + "list-select-cards": "Aukeratu zerrenda honetako txartel guztiak", + "listActionPopup-title": "Zerrendaren ekintzak", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Inportatu Trello txartel bat", + "listMorePopup-title": "Gehiago", + "link-list": "Lotura zerrenda honetara", + "list-delete-pop": "Ekintza guztiak ekintza jariotik kenduko dira eta ezin izango duzu zerrenda berreskuratu. Ez dago desegiterik.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Zerrendak", + "swimlanes": "Swimlanes", + "log-out": "Itxi saioa", + "log-in": "Hasi saioa", + "loginPopup-title": "Hasi saioa", + "memberMenuPopup-title": "Kidearen ezarpenak", + "members": "Kideak", + "menu": "Menua", + "move-selection": "Lekuz aldatu hautaketa", + "moveCardPopup-title": "Lekuz aldatu txartela", + "moveCardToBottom-title": "Eraman behera", + "moveCardToTop-title": "Eraman gora", + "moveSelectionPopup-title": "Lekuz aldatu hautaketa", + "multi-selection": "Hautaketa anitza", + "multi-selection-on": "Hautaketa anitza gaituta dago", + "muted": "Mututua", + "muted-info": "Ez zaizkizu jakinaraziko arbel honi egindako aldaketak", + "my-boards": "Nire arbelak", + "name": "Izena", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Emaitzarik ez", + "normal": "Arrunta", + "normal-desc": "Txartelak ikusi eta editatu ditzake. Ezin ditu ezarpenak aldatu.", + "not-accepted-yet": "Gonbidapena ez da oraindik onartu", + "notify-participate": "Jaso sortzaile edo kide zaren txartelen jakinarazpenak", + "notify-watch": "Jaso ikuskatzen dituzun arbel, zerrenda edo txartelen jakinarazpenak", + "optional": "aukerazkoa", + "or": "edo", + "page-maybe-private": "Orri hau pribatua izan daiteke. Agian saioa hasi eta gero ikusi ahal izango duzu.", + "page-not-found": "Ez da orria aurkitu.", + "password": "Pasahitza", + "paste-or-dragdrop": "itsasteko, edo irudi fitxategia arrastatu eta jaregiteko (irudia besterik ez)", + "participating": "Parte-hartzen", + "preview": "Aurreikusi", + "previewAttachedImagePopup-title": "Aurreikusi", + "previewClipboardImagePopup-title": "Aurreikusi", + "private": "Pribatua", + "private-desc": "Arbel hau pribatua da. Arbelera gehitutako jendeak besterik ezin du ikusi eta editatu.", + "profile": "Profila", + "public": "Publikoa", + "public-desc": "Arbel hau publikoa da lotura duen edonorentzat ikusgai dago eta Google bezalako bilatzaileetan agertuko da. Arbelera gehitutako kideek besterik ezin dute editatu.", + "quick-access-description": "Jarri izarra arbel bati barra honetan lasterbide bat sortzeko", + "remove-cover": "Kendu azala", + "remove-from-board": "Kendu arbeletik", + "remove-label": "Kendu etiketa", + "listDeletePopup-title": "Ezabatu zerrenda?", + "remove-member": "Kendu kidea", + "remove-member-from-card": "Kendu txarteletik", + "remove-member-pop": "Kendu __name__ (__username__) __boardTitle__ arbeletik? Kidea arbel honetako txartel guztietatik kenduko da. Jakinarazpenak bidaliko dira.", + "removeMemberPopup-title": "Kendu kidea?", + "rename": "Aldatu izena", + "rename-board": "Aldatu izena arbelari", + "restore": "Berrezarri", + "save": "Gorde", + "search": "Bilatu", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Aukeratu kolorea", + "set-wip-limit-value": "Zerrenda honetako atazen muga maximoa ezarri", + "setWipLimitPopup-title": "WIP muga ezarri", + "shortcut-assign-self": "Esleitu zure burua txartel honetara", + "shortcut-autocomplete-emoji": "Automatikoki osatu emojia", + "shortcut-autocomplete-members": "Automatikoki osatu kideak", + "shortcut-clear-filters": "Garbitu iragazki guztiak", + "shortcut-close-dialog": "Itxi elkarrizketa-koadroa", + "shortcut-filter-my-cards": "Iragazi nire txartelak", + "shortcut-show-shortcuts": "Erakutsi lasterbideen zerrenda hau", + "shortcut-toggle-filterbar": "Txandakatu iragazkiaren albo-barra", + "shortcut-toggle-sidebar": "Txandakatu arbelaren albo-barra", + "show-cards-minimum-count": "Erakutsi txartel kopurua hau baino handiagoa denean:", + "sidebar-open": "Ireki albo-barra", + "sidebar-close": "Itxi albo-barra", + "signupPopup-title": "Sortu kontu bat", + "star-board-title": "Egin klik arbel honi izarra jartzeko, zure arbelen zerrendaren goialdean agertuko da", + "starred-boards": "Izardun arbelak", + "starred-boards-description": "Izardun arbelak zure arbelen zerrendaren goialdean agertuko dira", + "subscribe": "Harpidetu", + "team": "Taldea", + "this-board": "arbel hau", + "this-card": "txartel hau", + "spent-time-hours": "Erabilitako denbora (orduak)", + "overtime-hours": "Luzapena (orduak)", + "overtime": "Luzapena", + "has-overtime-cards": "Luzapen txartelak ditu", + "has-spenttime-cards": "Erabilitako denbora txartelak ditu", + "time": "Ordua", + "title": "Izenburua", + "tracking": "Jarraitzen", + "tracking-info": "Sortzaile edo kide gisa parte-hartzen duzun txartelei egindako aldaketak jakinaraziko zaizkizu.", + "type": "Type", + "unassign-member": "Kendu kidea", + "unsaved-description": "Gorde gabeko deskripzio bat duzu", + "unwatch": "Utzi ikuskatzeari", + "upload": "Igo", + "upload-avatar": "Igo avatar bat", + "uploaded-avatar": "Avatar bat igo da", + "username": "Erabiltzaile-izena", + "view-it": "Ikusi", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Ikuskatu", + "watching": "Ikuskatzen", + "watching-info": "Arbel honi egindako aldaketak jakinaraziko zaizkizu", + "welcome-board": "Ongi etorri arbela", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Oinarrizkoa", + "welcome-list2": "Aurreratua", + "what-to-do": "Zer egin nahi duzu?", + "wipLimitErrorPopup-title": "Baliogabeko WIP muga", + "wipLimitErrorPopup-dialog-pt1": "Zerrenda honetako atazen muga, WIP-en ezarritakoa baina handiagoa da", + "wipLimitErrorPopup-dialog-pt2": "Mugitu zenbait ataza zerrenda honetatik, edo WIP muga handiagoa ezarri.", + "admin-panel": "Kudeaketa panela", + "settings": "Ezarpenak", + "people": "Jendea", + "registration": "Izen-ematea", + "disable-self-registration": "Desgaitu nork bere burua erregistratzea", + "invite": "Gonbidatu", + "invite-people": "Gonbidatu jendea", + "to-boards": "Arbele(ta)ra", + "email-addresses": "E-posta helbideak", + "smtp-host-description": "Zure e-posta mezuez arduratzen den SMTP zerbitzariaren helbidea", + "smtp-port-description": "Zure SMTP zerbitzariak bidalitako e-posta mezuentzat erabiltzen duen kaia.", + "smtp-tls-description": "Gaitu TLS euskarria SMTP zerbitzariarentzat", + "smtp-host": "SMTP ostalaria", + "smtp-port": "SMTP kaia", + "smtp-username": "Erabiltzaile-izena", + "smtp-password": "Pasahitza", + "smtp-tls": "TLS euskarria", + "send-from": "Nork", + "send-smtp-test": "Bidali posta elektroniko mezu bat zure buruari", + "invitation-code": "Gonbidapen kodea", + "email-invite-register-subject": "__inviter__ erabiltzaileak gonbidapen bat bidali dizu", + "email-invite-register-text": "Kaixo __user__,\n\n__inviter__ erabiltzaileak Wekanera gonbidatu zaitu elkar-lanean aritzeko.\n\nJarraitu mesedez lotura hau:\n__url__\n\nZure gonbidapen kodea hau da: __icode__\n\nEskerrik asko.", + "email-smtp-test-subject": "Wekan-etik bidalitako test-mezua", + "email-smtp-test-text": "Arrakastaz bidali duzu posta elektroniko mezua", + "error-invitation-code-not-exist": "Gonbidapen kodea ez da existitzen", + "error-notAuthorized": "Ez duzu orri hau ikusteko baimenik.", + "outgoing-webhooks": "Irteerako Webhook-ak", + "outgoingWebhooksPopup-title": "Irteerako Webhook-ak", + "new-outgoing-webhook": "Irteera-webhook berria", + "no-name": "(Ezezaguna)", + "Wekan_version": "Wekan bertsioa", + "Node_version": "Nodo bertsioa", + "OS_Arch": "SE Arkitektura", + "OS_Cpus": "SE PUZ kopurua", + "OS_Freemem": "SE Memoria librea", + "OS_Loadavg": "SE batez besteko karga", + "OS_Platform": "SE plataforma", + "OS_Release": "SE kaleratzea", + "OS_Totalmem": "SE memoria guztira", + "OS_Type": "SE mota", + "OS_Uptime": "SE denbora abiatuta", + "hours": "ordu", + "minutes": "minutu", + "seconds": "segundo", + "show-field-on-card": "Show this field on card", + "yes": "Bai", + "no": "Ez", + "accounts": "Kontuak", + "accounts-allowEmailChange": "Baimendu e-mail aldaketa", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Noiz sortua", + "verified": "Egiaztatuta", + "active": "Gaituta", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json new file mode 100644 index 00000000..69cb80d2 --- /dev/null +++ b/i18n/fa.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "پذیرش", + "act-activity-notify": "[wekan] اطلاع فعالیت", + "act-addAttachment": "پیوست __attachment__ به __card__", + "act-addChecklist": "سیاهه __checklist__ به __card__ افزوده شد", + "act-addChecklistItem": "__checklistItem__ به سیاهه __checklist__ در __card__ افزوده شد", + "act-addComment": "درج نظر برای __card__: __comment__", + "act-createBoard": "__board__ ایجاد شد", + "act-createCard": "__card__ به __list__ اضافه شد", + "act-createCustomField": "فیلد __customField__ ایجاد شد", + "act-createList": "__list__ به __board__ اضافه شد", + "act-addBoardMember": "__member__ به __board__ اضافه شد", + "act-archivedBoard": "__board__ به سطل زباله ریخته شد", + "act-archivedCard": "__card__ به سطل زباله منتقل شد", + "act-archivedList": "__list__ به سطل زباله منتقل شد", + "act-archivedSwimlane": "__swimlane__ به سطل زباله منتقل شد", + "act-importBoard": "__board__ وارد شده", + "act-importCard": "__card__ وارد شده", + "act-importList": "__list__ وارد شده", + "act-joinMember": "__member__ به __card__اضافه شد", + "act-moveCard": "انتقال __card__ از __oldList__ به __list__", + "act-removeBoardMember": "__member__ از __board__ پاک شد", + "act-restoredCard": "__card__ به __board__ بازآوری شد", + "act-unjoinMember": "__member__ از __card__ پاک شد", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "اعمال", + "activities": "فعالیت ها", + "activity": "فعالیت", + "activity-added": "%s به %s اضافه شد", + "activity-archived": "%s به سطل زباله منتقل شد", + "activity-attached": "%s به %s پیوست شد", + "activity-created": "%s ایجاد شد", + "activity-customfield-created": "%s فیلدشخصی ایجاد شد", + "activity-excluded": "%s از %s مستثنی گردید", + "activity-imported": "%s از %s وارد %s شد", + "activity-imported-board": "%s از %s وارد شد", + "activity-joined": "اتصال به %s", + "activity-moved": "%s از %s به %s منتقل شد", + "activity-on": "%s", + "activity-removed": "%s از %s حذف شد", + "activity-sent": "ارسال %s به %s", + "activity-unjoined": "قطع اتصال %s", + "activity-checklist-added": "سیاهه به %s اضافه شد", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "افزودن", + "add-attachment": "افزودن ضمیمه", + "add-board": "افزودن برد", + "add-card": "افزودن کارت", + "add-swimlane": "Add Swimlane", + "add-checklist": "افزودن چک لیست", + "add-checklist-item": "افزودن مورد به سیاهه", + "add-cover": "جلد کردن", + "add-label": "افزودن لیبل", + "add-list": "افزودن لیست", + "add-members": "افزودن اعضا", + "added": "اضافه گردید", + "addMemberPopup-title": "اعضا", + "admin": "مدیر", + "admin-desc": "امکان دیدن و ویرایش کارتها،پاک کردن کاربران و تغییر تنظیمات برای تخته", + "admin-announcement": "اعلان", + "admin-announcement-active": "اعلان سراسری فعال", + "admin-announcement-title": "اعلان از سوی مدیر", + "all-boards": "تمام تخته‌ها", + "and-n-other-card": "و __count__ کارت دیگر", + "and-n-other-card_plural": "و __count__ کارت دیگر", + "apply": "اعمال", + "app-is-offline": "Wekan در حال بارگذاری است. لطفا صبر کنید. نوسازی صفحه، منجر به از دست رفتن داده‌ها می‌شود. اگر Wekan بارگذاری نشد، لطفا بررسی کنید که سرور Wekan متوقف نشده باشد.", + "archive": "ریختن به سطل زباله", + "archive-all": "ریختن همه به سطل زباله", + "archive-board": "ریختن تخته به سطل زباله", + "archive-card": "ریختن کارت به سطل زباله", + "archive-list": "ریختن لیست به سطل زباله", + "archive-swimlane": "ریختن مسیرشنا به سطل زباله", + "archive-selection": "انتخاب شده ها را به سطل زباله بریز", + "archiveBoardPopup-title": "آیا تخته به سطل زباله ریخته شود؟", + "archived-items": "سطل زباله", + "archived-boards": "تخته هایی که به زباله ریخته شده است", + "restore-board": "بازیابی تخته", + "no-archived-boards": "هیچ تخته ای در سطل زباله وجود ندارد", + "archives": "سطل زباله", + "assign-member": "تعیین عضو", + "attached": "ضمیمه شده", + "attachment": "ضمیمه", + "attachment-delete-pop": "حذف پیوست دایمی و بی بازگشت خواهد بود.", + "attachmentDeletePopup-title": "آیا می خواهید ضمیمه را حذف کنید؟", + "attachments": "ضمائم", + "auto-watch": "اضافه شدن خودکار دیده بانی تخته زمانی که ایجاد می شوند", + "avatar-too-big": "تصویر کاربر بسیار بزرگ است ـ حداکثر۷۰ کیلوبایت ـ", + "back": "بازگشت", + "board-change-color": "تغییر رنگ", + "board-nb-stars": "%s ستاره", + "board-not-found": "تخته مورد نظر پیدا نشد", + "board-private-info": "این تخته خصوصی خواهد بود.", + "board-public-info": "این تخته عمومی خواهد بود.", + "boardChangeColorPopup-title": "تغییر پس زمینه تخته", + "boardChangeTitlePopup-title": "تغییر نام تخته", + "boardChangeVisibilityPopup-title": "تغییر وضعیت نمایش", + "boardChangeWatchPopup-title": "تغییر دیده بانی", + "boardMenuPopup-title": "منوی تخته", + "boards": "تخته‌ها", + "board-view": "نمایش تخته", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "فهرست‌ها", + "bucket-example": "برای مثال چیزی شبیه \"لیست سبدها\"", + "cancel": "انصراف", + "card-archived": "این کارت به سطل زباله ریخته شده است", + "card-comments-title": "این کارت دارای %s نظر است.", + "card-delete-notice": "حذف دائمی. تمامی موارد مرتبط با این کارت از بین خواهند رفت.", + "card-delete-pop": "همه اقدامات از این پردازه (خوراک) حذف خواهد شد و امکان بازگرداندن کارت وجود نخواهد داشت.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "ناشی از", + "card-due-on": "مقتضی بر", + "card-spent": "زمان صرف شده", + "card-edit-attachments": "ویرایش ضمائم", + "card-edit-custom-fields": "ویرایش فیلدهای شخصی", + "card-edit-labels": "ویرایش برچسب", + "card-edit-members": "ویرایش اعضا", + "card-labels-title": "تغییر برچسب کارت", + "card-members-title": "افزودن یا حذف اعضا از کارت.", + "card-start": "شروع", + "card-start-on": "شروع از", + "cardAttachmentsPopup-title": "ضمیمه از", + "cardCustomField-datePopup-title": "تغییر تاریخ", + "cardCustomFieldsPopup-title": "ویرایش فیلدهای شخصی", + "cardDeletePopup-title": "آیا می خواهید کارت را حذف کنید؟", + "cardDetailsActionsPopup-title": "اعمال کارت", + "cardLabelsPopup-title": "برچسب ها", + "cardMembersPopup-title": "اعضا", + "cardMorePopup-title": "بیشتر", + "cards": "کارت‌ها", + "cards-count": "کارت‌ها", + "change": "تغییر", + "change-avatar": "تغییر تصویر", + "change-password": "تغییر کلمه عبور", + "change-permissions": "تغییر دسترسی‌ها", + "change-settings": "تغییر تنظیمات", + "changeAvatarPopup-title": "تغییر تصویر", + "changeLanguagePopup-title": "تغییر زبان", + "changePasswordPopup-title": "تغییر کلمه عبور", + "changePermissionsPopup-title": "تغییر دسترسی‌ها", + "changeSettingsPopup-title": "تغییر تنظیمات", + "checklists": "سیاهه‌ها", + "click-to-star": "با کلیک کردن ستاره بدهید", + "click-to-unstar": "با کلیک کردن ستاره را کم کنید", + "clipboard": "ذخیره در حافظه ویا بردار-رهاکن", + "close": "بستن", + "close-board": "بستن برد", + "close-board-pop": "شما با کلیک روی دکمه \"سطل زباله\" در قسمت خانه می توانید تخته را بازیابی کنید.", + "color-black": "مشکی", + "color-blue": "آبی", + "color-green": "سبز", + "color-lime": "لیمویی", + "color-orange": "نارنجی", + "color-pink": "صورتی", + "color-purple": "بنفش", + "color-red": "قرمز", + "color-sky": "آبی آسمانی", + "color-yellow": "زرد", + "comment": "نظر", + "comment-placeholder": "درج نظر", + "comment-only": "فقط نظر", + "comment-only-desc": "فقط می‌تواند روی کارت‌ها نظر دهد.", + "computer": "رایانه", + "confirm-checklist-delete-dialog": "مطمئنید که می‌خواهید سیاهه را حذف کنید؟", + "copy-card-link-to-clipboard": "درج پیوند کارت در حافظه", + "copyCardPopup-title": "کپی کارت", + "copyChecklistToManyCardsPopup-title": "کپی قالب کارت به کارت‌های متعدد", + "copyChecklistToManyCardsPopup-instructions": "عنوان و توضیحات کارت مقصد در این قالب JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "ایجاد", + "createBoardPopup-title": "ایجاد تخته", + "chooseBoardSourcePopup-title": "بارگذاری تخته", + "createLabelPopup-title": "ایجاد برچسب", + "createCustomField": "ایجاد فیلد", + "createCustomFieldPopup-title": "ایجاد فیلد", + "current": "جاری", + "custom-field-delete-pop": "این اقدام فیلدشخصی را بهمراه تمامی تاریخچه آن از کارت ها پاک می کند و برگشت پذیر نمی باشد", + "custom-field-checkbox": "جعبه انتخابی", + "custom-field-date": "تاریخ", + "custom-field-dropdown": "لیست افتادنی", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "لیست امکانات", + "custom-field-dropdown-options-placeholder": "کلید Enter را جهت افزودن امکانات بیشتر فشار دهید", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "عدد", + "custom-field-text": "متن", + "custom-fields": "فیلدهای شخصی", + "date": "تاریخ", + "decline": "رد", + "default-avatar": "تصویر پیش فرض", + "delete": "حذف", + "deleteCustomFieldPopup-title": "آیا فیلدشخصی پاک شود؟", + "deleteLabelPopup-title": "آیا می خواهید برچسب را حذف کنید؟", + "description": "توضیحات", + "disambiguateMultiLabelPopup-title": "عمل ابهام زدایی از برچسب", + "disambiguateMultiMemberPopup-title": "عمل ابهام زدایی از کاربر", + "discard": "لغو", + "done": "انجام شده", + "download": "دریافت", + "edit": "ویرایش", + "edit-avatar": "تغییر تصویر", + "edit-profile": "ویرایش پروفایل", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "تغییر تاریخ آغاز", + "editCardDueDatePopup-title": "تغییر تاریخ بدلیل", + "editCustomFieldPopup-title": "ویرایش فیلد", + "editCardSpentTimePopup-title": "تغییر زمان صرف شده", + "editLabelPopup-title": "تغیر برچسب", + "editNotificationPopup-title": "اصلاح اعلان", + "editProfilePopup-title": "ویرایش پروفایل", + "email": "پست الکترونیک", + "email-enrollAccount-subject": "یک حساب کاربری برای شما در __siteName__ ایجاد شد", + "email-enrollAccount-text": "سلام __user__ \nبرای شروع به استفاده از این سرویس برروی آدرس زیر کلیک کنید.\n__url__\nبا تشکر.", + "email-fail": "عدم موفقیت در فرستادن رایانامه", + "email-fail-text": "خطا در تلاش برای فرستادن رایانامه", + "email-invalid": "رایانامه نادرست", + "email-invite": "دعوت از طریق رایانامه", + "email-invite-subject": "__inviter__ برای شما دعوت نامه ارسال کرده است", + "email-invite-text": "__User__ عزیز\n __inviter__ شما را به عضویت تخته \"__board__\" برای همکاری دعوت کرده است.\nلطفا لینک زیر را دنبال کنید، باتشکر:\n__url__", + "email-resetPassword-subject": "تنظیم مجدد کلمه عبور در __siteName__", + "email-resetPassword-text": "سلام __user__\nجهت تنظیم مجدد کلمه عبور آدرس زیر را دنبال نمایید، باتشکر:\n__url__", + "email-sent": "نامه الکترونیکی فرستاده شد", + "email-verifyEmail-subject": "تایید آدرس الکترونیکی شما در __siteName__", + "email-verifyEmail-text": "سلام __user__\nبه منظور تایید آدرس الکترونیکی حساب خود، آدرس زیر را دنبال نمایید، باتشکر:\n__url__.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "تخته مورد نظر وجود ندارد", + "error-board-notAdmin": "شما جهت انجام آن باید مدیر تخته باشید", + "error-board-notAMember": "شما انجام آن ،اید عضو این تخته باشید.", + "error-json-malformed": "متن درغالب صحیح Json نمی باشد.", + "error-json-schema": "داده های Json شما، شامل اطلاعات صحیح در غالب درستی نمی باشد.", + "error-list-doesNotExist": "این لیست موجود نیست", + "error-user-doesNotExist": "این کاربر وجود ندارد", + "error-user-notAllowSelf": "عدم امکان دعوت خود", + "error-user-notCreated": "این کاربر ایجاد نشده است", + "error-username-taken": "این نام کاربری استفاده شده است", + "error-email-taken": "رایانامه توسط گیرنده دریافت شده است", + "export-board": "انتقال به بیرون تخته", + "filter": "صافی ـFilterـ", + "filter-cards": "صافی ـFilterـ کارت‌ها", + "filter-clear": "حذف صافی ـFilterـ", + "filter-no-label": "بدون برچسب", + "filter-no-member": "بدون عضو", + "filter-no-custom-fields": "هیچ فیلدشخصی ای وجود ندارد", + "filter-on": "صافی ـFilterـ فعال است", + "filter-on-desc": "شما صافی ـFilterـ برای کارتهای تخته را روشن کرده اید. جهت ویرایش کلیک نمایید.", + "filter-to-selection": "صافی ـFilterـ برای موارد انتخابی", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "نام و نام خانوادگی", + "header-logo-title": "بازگشت به صفحه تخته.", + "hide-system-messages": "عدم نمایش پیامهای سیستمی", + "headerBarCreateBoardPopup-title": "ایجاد تخته", + "home": "خانه", + "import": "وارد کردن", + "import-board": "وارد کردن تخته", + "import-board-c": "وارد کردن تخته", + "import-board-title-trello": "وارد کردن تخته از Trello", + "import-board-title-wekan": "وارد کردن تخته از Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "از Trello", + "from-wekan": "از Wekan", + "import-board-instruction-trello": "در Trello-ی خود به 'Menu'، 'More'، 'Print'، 'Export to JSON رفته و متن نهایی را دراینجا وارد نمایید.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "اطلاعات Json معتبر خود را اینجا وارد کنید.", + "import-map-members": "نگاشت اعضا", + "import-members-map": "تعدادی عضو در تخته وارد شده می باشد. لطفا کاربرانی که باید وارد نرم افزار بشوند را مشخص کنید.", + "import-show-user-mapping": "بررسی نقشه کاربران", + "import-user-select": "کاربری از نرم افزار را که می خواهید بعنوان این عضو جایگزین شود را انتخاب کنید.", + "importMapMembersAddPopup-title": "انتخاب کاربر Wekan", + "info": "نسخه", + "initials": "تخصیصات اولیه", + "invalid-date": "تاریخ نامعتبر", + "invalid-time": "زمان نامعتبر", + "invalid-user": "کاربر نامعتیر", + "joined": "متصل", + "just-invited": "هم اکنون، شما به این تخته دعوت شده اید.", + "keyboard-shortcuts": "میانبر کلیدها", + "label-create": "ایجاد برچسب", + "label-default": "%s برچسب(پیش فرض)", + "label-delete-pop": "این اقدام، برچسب را از همه کارت‌ها پاک خواهد کرد و تاریخچه آن را نیز از بین می‌برد.", + "labels": "برچسب ها", + "language": "زبان", + "last-admin-desc": "شما نمی توانید نقش ـroleـ را تغییر دهید چراکه باید حداقل یک مدیری وجود داشته باشد.", + "leave-board": "خروج از تخته", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "ارجاع به این کارت", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "انتقال تمام کارت های این لیست", + "list-select-cards": "انتخاب تمام کارت های این لیست", + "listActionPopup-title": "لیست اقدامات", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "وارد کردن کارت Trello", + "listMorePopup-title": "بیشتر", + "link-list": "پیوند به این فهرست", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "لیست ها", + "swimlanes": "Swimlanes", + "log-out": "خروج", + "log-in": "ورود", + "loginPopup-title": "ورود", + "memberMenuPopup-title": "تنظیمات اعضا", + "members": "اعضا", + "menu": "منو", + "move-selection": "حرکت مورد انتخابی", + "moveCardPopup-title": "حرکت کارت", + "moveCardToBottom-title": "انتقال به پایین", + "moveCardToTop-title": "انتقال به بالا", + "moveSelectionPopup-title": "حرکت مورد انتخابی", + "multi-selection": "امکان چند انتخابی", + "multi-selection-on": "حالت چند انتخابی روشن است", + "muted": "بی صدا", + "muted-info": "شما هیچگاه از تغییرات این تخته مطلع نخواهید شد", + "my-boards": "تخته‌های من", + "name": "نام", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "بدون نتیجه", + "normal": "عادی", + "normal-desc": "امکان نمایش و تنظیم کارت بدون امکان تغییر تنظیمات", + "not-accepted-yet": "دعوت نامه هنوز پذیرفته نشده است", + "notify-participate": "اطلاع رسانی از هرگونه تغییر در کارتهایی که ایجاد کرده اید ویا عضو آن هستید", + "notify-watch": "اطلاع رسانی از هرگونه تغییر در تخته، لیست یا کارتهایی که از آنها دیده بانی میکنید", + "optional": "انتخابی", + "or": "یا", + "page-maybe-private": "این صفحه ممکن است خصوصی باشد. شما باورود می‌توانید آن را ببینید.", + "page-not-found": "صفحه پیدا نشد.", + "password": "کلمه عبور", + "paste-or-dragdrop": "جهت چسباندن، یا برداشتن-رهاسازی فایل تصویر به آن (تصویر)", + "participating": "شرکت کنندگان", + "preview": "پیش‌نمایش", + "previewAttachedImagePopup-title": "پیش‌نمایش", + "previewClipboardImagePopup-title": "پیش‌نمایش", + "private": "خصوصی", + "private-desc": "این تخته خصوصی است. فقط تنها افراد اضافه شده به آن می توانند مشاهده و ویرایش کنند.", + "profile": "حساب کاربری", + "public": "عمومی", + "public-desc": "این تخته عمومی است. برای هر کسی با آدرس ویا جستجو درموتورها مانند گوگل قابل مشاهده است . فقط افرادی که به آن اضافه شده اند امکان ویرایش دارند.", + "quick-access-description": "جهت افزودن یک تخته به اینجا،آنرا ستاره دار نمایید.", + "remove-cover": "حذف کاور", + "remove-from-board": "حذف از تخته", + "remove-label": "حذف برچسب", + "listDeletePopup-title": "حذف فهرست؟", + "remove-member": "حذف عضو", + "remove-member-from-card": "حذف از کارت", + "remove-member-pop": "آیا __name__ (__username__) را از __boardTitle__ حذف می کنید? کاربر از تمام کارت ها در این تخته حذف خواهد شد و آنها ازین اقدام مطلع خواهند شد.", + "removeMemberPopup-title": "آیا می خواهید کاربر را حذف کنید؟", + "rename": "تغیر نام", + "rename-board": "تغییر نام تخته", + "restore": "بازیابی", + "save": "ذخیره", + "search": "جستجو", + "search-cards": "جستجو در میان عناوین و توضیحات در این تخته", + "search-example": "متن مورد جستجو؟", + "select-color": "انتخاب رنگ", + "set-wip-limit-value": "تعیین بیشینه تعداد وظایف در این فهرست", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "اختصاص خود به کارت فعلی", + "shortcut-autocomplete-emoji": "تکمیل خودکار شکلکها", + "shortcut-autocomplete-members": "تکمیل خودکار کاربرها", + "shortcut-clear-filters": "حذف تمامی صافی ـfilterـ", + "shortcut-close-dialog": "بستن محاوره", + "shortcut-filter-my-cards": "کارت های من", + "shortcut-show-shortcuts": "بالا آوردن میانبر این لیست", + "shortcut-toggle-filterbar": "ضامن نوار جداکننده صافی ـfilterـ", + "shortcut-toggle-sidebar": "ضامن نوار جداکننده تخته", + "show-cards-minimum-count": "نمایش تعداد کارتها اگر لیست شامل بیشتراز", + "sidebar-open": "بازکردن جداکننده", + "sidebar-close": "بستن جداکننده", + "signupPopup-title": "ایجاد یک کاربر", + "star-board-title": "برای ستاره دادن، کلیک کنید.این در بالای لیست تخته های شما نمایش داده خواهد شد.", + "starred-boards": "تخته های ستاره دار", + "starred-boards-description": "تخته های ستاره دار در بالای لیست تخته ها نمایش داده می شود.", + "subscribe": "عضوشدن", + "team": "تیم", + "this-board": "این تخته", + "this-card": "این کارت", + "spent-time-hours": "زمان صرف شده (ساعت)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "زمان", + "title": "عنوان", + "tracking": "پیگردی", + "tracking-info": "شما از هرگونه تغییر در کارتهایی که بعنوان ایجاد کننده ویا عضو آن هستید، آگاه خواهید شد", + "type": "Type", + "unassign-member": "عدم انتصاب کاربر", + "unsaved-description": "شما توضیحات ذخیره نشده دارید.", + "unwatch": "عدم دیده بانی", + "upload": "ارسال", + "upload-avatar": "ارسال تصویر", + "uploaded-avatar": "تصویر ارسال شد", + "username": "نام کاربری", + "view-it": "مشاهده", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "دیده بانی", + "watching": "درحال دیده بانی", + "watching-info": "شما از هر تغییری دراین تخته آگاه خواهید شد", + "welcome-board": "به این تخته خوش آمدید", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "پایه ای ها", + "welcome-list2": "پیشرفته", + "what-to-do": "چه کاری می خواهید انجام دهید؟", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "پیشخوان مدیریتی", + "settings": "تنظمات", + "people": "افراد", + "registration": "ثبت نام", + "disable-self-registration": "‌غیرفعال‌سازی خودثبت‌نامی", + "invite": "دعوت", + "invite-people": "دعوت از افراد", + "to-boards": "به تخته(ها)", + "email-addresses": "نشانی رایانامه", + "smtp-host-description": "آدرس سرور SMTP ای که پست الکترونیکی شما برروی آن است", + "smtp-port-description": "شماره درگاه ـPortـ ای که سرور SMTP شما جهت ارسال از آن استفاده می کند", + "smtp-tls-description": "پشتیبانی از TLS برای سرور SMTP", + "smtp-host": "آدرس سرور SMTP", + "smtp-port": "شماره درگاه ـPortـ سرور SMTP", + "smtp-username": "نام کاربری", + "smtp-password": "کلمه عبور", + "smtp-tls": "پشتیبانی از SMTP", + "send-from": "از", + "send-smtp-test": "فرستادن رایانامه آزمایشی به خود", + "invitation-code": "کد دعوت نامه", + "email-invite-register-subject": "__inviter__ برای شما دعوت نامه ارسال کرده است", + "email-invite-register-text": "__User__ عزیز \nکاربر __inviter__ شما را به عضویت در Wekan برای همکاری دعوت کرده است.\nلطفا لینک زیر را دنبال کنید،\n __url__\nکد دعوت شما __icode__ می باشد.\n باتشکر", + "email-smtp-test-subject": "رایانامه SMTP آزمایشی از Wekan", + "email-smtp-test-text": "با موفقیت، یک رایانامه را فرستادید", + "error-invitation-code-not-exist": "چنین کد دعوتی یافت نشد", + "error-notAuthorized": "شما مجاز به دیدن این صفحه نیستید.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(ناشناخته)", + "Wekan_version": "نسخه Wekan", + "Node_version": "نسخه Node ", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "ساعت", + "minutes": "دقیقه", + "seconds": "ثانیه", + "show-field-on-card": "Show this field on card", + "yes": "بله", + "no": "خیر", + "accounts": "حساب‌ها", + "accounts-allowEmailChange": "اجازه تغییر رایانامه", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "ساخته شده در", + "verified": "معتبر", + "active": "فعال", + "card-received": "رسیده", + "card-received-on": "رسیده در", + "card-end": "پایان", + "card-end-on": "پایان در", + "editCardReceivedDatePopup-title": "تغییر تاریخ رسید", + "editCardEndDatePopup-title": "تغییر تاریخ پایان", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json new file mode 100644 index 00000000..d8db9f14 --- /dev/null +++ b/i18n/fi.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Hyväksy", + "act-activity-notify": "[Wekan] Toimintailmoitus", + "act-addAttachment": "liitetty __attachment__ kortille __card__", + "act-addChecklist": "lisätty tarkistuslista __checklist__ kortille __card__", + "act-addChecklistItem": "lisätty kohta __checklistItem__ tarkistuslistaan __checklist__ kortilla __card__", + "act-addComment": "kommentoitu __card__: __comment__", + "act-createBoard": "luotu __board__", + "act-createCard": "lisätty __card__ listalle __list__", + "act-createCustomField": "luotu mukautettu kenttä __customField__", + "act-createList": "lisätty __list__ taululle __board__", + "act-addBoardMember": "lisätty __member__ taululle __board__", + "act-archivedBoard": "__board__ siirretty roskakoriin", + "act-archivedCard": "__card__ siirretty roskakoriin", + "act-archivedList": "__list__ siirretty roskakoriin", + "act-archivedSwimlane": "__swimlane__ siirretty roskakoriin", + "act-importBoard": "tuotu __board__", + "act-importCard": "tuotu __card__", + "act-importList": "tuotu __list__", + "act-joinMember": "lisätty __member__ kortille __card__", + "act-moveCard": "siirretty __card__ listalta __oldList__ listalle __list__", + "act-removeBoardMember": "poistettu __member__ taululta __board__", + "act-restoredCard": "palautettu __card__ taululle __board__", + "act-unjoinMember": "poistettu __member__ kortilta __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Toimet", + "activities": "Toimet", + "activity": "Toiminta", + "activity-added": "lisätty %s kohteeseen %s", + "activity-archived": "%s siirretty roskakoriin", + "activity-attached": "liitetty %s kohteeseen %s", + "activity-created": "luotu %s", + "activity-customfield-created": "luotu mukautettu kenttä %s", + "activity-excluded": "poistettu %s kohteesta %s", + "activity-imported": "tuotu %s kohteeseen %s lähteestä %s", + "activity-imported-board": "tuotu %s lähteestä %s", + "activity-joined": "liitytty kohteeseen %s", + "activity-moved": "siirretty %s kohteesta %s kohteeseen %s", + "activity-on": "kohteessa %s", + "activity-removed": "poistettu %s kohteesta %s", + "activity-sent": "lähetetty %s kohteeseen %s", + "activity-unjoined": "peruttu %s liittyminen", + "activity-checklist-added": "lisätty tarkistuslista kortille %s", + "activity-checklist-item-added": "lisäsi kohdan tarkistuslistaan '%s' kortilla %s", + "add": "Lisää", + "add-attachment": "Lisää liite", + "add-board": "Lisää taulu", + "add-card": "Lisää kortti", + "add-swimlane": "Lisää Swimlane", + "add-checklist": "Lisää tarkistuslista", + "add-checklist-item": "Lisää kohta tarkistuslistaan", + "add-cover": "Lisää kansi", + "add-label": "Lisää tunniste", + "add-list": "Lisää lista", + "add-members": "Lisää jäseniä", + "added": "Lisätty", + "addMemberPopup-title": "Jäsenet", + "admin": "Ylläpitäjä", + "admin-desc": "Voi nähfä ja muokata kortteja, poistaa jäseniä, ja muuttaa taulun asetuksia.", + "admin-announcement": "Ilmoitus", + "admin-announcement-active": "Aktiivinen järjestelmänlaajuinen ilmoitus", + "admin-announcement-title": "Ilmoitus ylläpitäjältä", + "all-boards": "Kaikki taulut", + "and-n-other-card": "Ja __count__ muu kortti", + "and-n-other-card_plural": "Ja __count__ muuta korttia", + "apply": "Käytä", + "app-is-offline": "Wekan latautuu, odota. Sivun uudelleenlataus aiheuttaa tietojen menettämisen. Jos Wekan ei lataudu, tarkista että Wekan palvelin ei ole pysähtynyt.", + "archive": "Siirrä roskakoriin", + "archive-all": "Siirrä kaikki roskakoriin", + "archive-board": "Siirrä taulu roskakoriin", + "archive-card": "Siirrä kortti roskakoriin", + "archive-list": "Siirrä lista roskakoriin", + "archive-swimlane": "Siirrä Swimlane roskakoriin", + "archive-selection": "Siirrä valinta roskakoriin", + "archiveBoardPopup-title": "Siirrä taulu roskakoriin?", + "archived-items": "Roskakori", + "archived-boards": "Taulut roskakorissa", + "restore-board": "Palauta taulu", + "no-archived-boards": "Ei tauluja roskakorissa", + "archives": "Roskakori", + "assign-member": "Valitse jäsen", + "attached": "liitetty", + "attachment": "Liitetiedosto", + "attachment-delete-pop": "Liitetiedoston poistaminen on lopullista. Tätä ei pysty peruuttamaan.", + "attachmentDeletePopup-title": "Poista liitetiedosto?", + "attachments": "Liitetiedostot", + "auto-watch": "Automaattisesti seuraa tauluja kun ne on luotu", + "avatar-too-big": "Profiilikuva on liian suuri (70KB maksimi)", + "back": "Takaisin", + "board-change-color": "Muokkaa väriä", + "board-nb-stars": "%s tähteä", + "board-not-found": "Taulua ei löytynyt", + "board-private-info": "Tämä taulu tulee olemaan yksityinen.", + "board-public-info": "Tämä taulu tulee olemaan julkinen.", + "boardChangeColorPopup-title": "Muokkaa taulun taustaa", + "boardChangeTitlePopup-title": "Nimeä taulu uudelleen", + "boardChangeVisibilityPopup-title": "Muokkaa näkyvyyttä", + "boardChangeWatchPopup-title": "Muokkaa seuraamista", + "boardMenuPopup-title": "Taulu valikko", + "boards": "Taulut", + "board-view": "Taulu näkymä", + "board-view-swimlanes": "Swimlanet", + "board-view-lists": "Listat", + "bucket-example": "Kuten “Laatikko lista” esimerkiksi", + "cancel": "Peruuta", + "card-archived": "Tämä kortti on siirretty roskakoriin.", + "card-comments-title": "Tässä kortissa on %s kommenttia.", + "card-delete-notice": "Poistaminen on lopullista. Menetät kaikki toimet jotka on liitetty tähän korttiin.", + "card-delete-pop": "Kaikki toimet poistetaan toimintasyötteestä ja et tule pystymään uudelleenavaamaan korttia. Tätä ei voi peruuttaa.", + "card-delete-suggest-archive": "Voit siirtää kortin roskakoriin poistaaksesi sen taululta ja säilyttääksesi toimintalokin.", + "card-due": "Erääntyy", + "card-due-on": "Erääntyy", + "card-spent": "Käytetty aika", + "card-edit-attachments": "Muokkaa liitetiedostoja", + "card-edit-custom-fields": "Muokkaa mukautettuja kenttiä", + "card-edit-labels": "Muokkaa tunnisteita", + "card-edit-members": "Muokkaa jäseniä", + "card-labels-title": "Muokkaa kortin tunnisteita.", + "card-members-title": "Lisää tai poista taulun jäseniä tältä kortilta.", + "card-start": "Alkaa", + "card-start-on": "Alkaa", + "cardAttachmentsPopup-title": "Liitä mistä", + "cardCustomField-datePopup-title": "Muokkaa päivää", + "cardCustomFieldsPopup-title": "Muokkaa mukautettuja kenttiä", + "cardDeletePopup-title": "Poista kortti?", + "cardDetailsActionsPopup-title": "Kortti toimet", + "cardLabelsPopup-title": "Tunnisteet", + "cardMembersPopup-title": "Jäsenet", + "cardMorePopup-title": "Lisää", + "cards": "Kortit", + "cards-count": "korttia", + "change": "Muokkaa", + "change-avatar": "Muokkaa profiilikuvaa", + "change-password": "Vaihda salasana", + "change-permissions": "Muokkaa oikeuksia", + "change-settings": "Muokkaa asetuksia", + "changeAvatarPopup-title": "Muokkaa profiilikuvaa", + "changeLanguagePopup-title": "Vaihda kieltä", + "changePasswordPopup-title": "Vaihda salasana", + "changePermissionsPopup-title": "Muokkaa oikeuksia", + "changeSettingsPopup-title": "Muokkaa asetuksia", + "checklists": "Tarkistuslistat", + "click-to-star": "Klikkaa merkataksesi tämä taulu tähdellä.", + "click-to-unstar": "Klikkaa poistaaksesi tähtimerkintä taululta.", + "clipboard": "Leikepöytä tai raahaa ja pudota", + "close": "Sulje", + "close-board": "Sulje taulu", + "close-board-pop": "Voit palauttaa taulun klikkaamalla “Roskakori” painiketta taululistan yläpalkista.", + "color-black": "musta", + "color-blue": "sininen", + "color-green": "vihreä", + "color-lime": "lime", + "color-orange": "oranssi", + "color-pink": "vaaleanpunainen", + "color-purple": "violetti", + "color-red": "punainen", + "color-sky": "taivas", + "color-yellow": "keltainen", + "comment": "Kommentti", + "comment-placeholder": "Kirjoita kommentti", + "comment-only": "Vain kommentointi", + "comment-only-desc": "Voi vain kommentoida kortteja", + "computer": "Tietokone", + "confirm-checklist-delete-dialog": "Haluatko varmasti poistaa tarkistuslistan", + "copy-card-link-to-clipboard": "Kopioi kortin linkki leikepöydälle", + "copyCardPopup-title": "Kopioi kortti", + "copyChecklistToManyCardsPopup-title": "Kopioi tarkistuslistan malli monille korteille", + "copyChecklistToManyCardsPopup-instructions": "Kohde korttien otsikot ja kuvaukset JSON muodossa", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Ensimmäisen kortin otsikko\", \"description\":\"Ensimmäisen kortin kuvaus\"}, {\"title\":\"Toisen kortin otsikko\",\"description\":\"Toisen kortin kuvaus\"},{\"title\":\"Viimeisen kortin otsikko\",\"description\":\"Viimeisen kortin kuvaus\"} ]", + "create": "Luo", + "createBoardPopup-title": "Luo taulu", + "chooseBoardSourcePopup-title": "Tuo taulu", + "createLabelPopup-title": "Luo tunniste", + "createCustomField": "Luo kenttä", + "createCustomFieldPopup-title": "Luo kenttä", + "current": "nykyinen", + "custom-field-delete-pop": "Tätä ei voi peruuttaa. Tämä poistaa tämän mukautetun kentän kaikista korteista ja poistaa sen historian.", + "custom-field-checkbox": "Valintaruutu", + "custom-field-date": "Päivämäärä", + "custom-field-dropdown": "Pudotusvalikko", + "custom-field-dropdown-none": "(ei mitään)", + "custom-field-dropdown-options": "Luettelon vaihtoehdot", + "custom-field-dropdown-options-placeholder": "Paina Enter lisätäksesi lisää vaihtoehtoja", + "custom-field-dropdown-unknown": "(tuntematon)", + "custom-field-number": "Numero", + "custom-field-text": "Teksti", + "custom-fields": "Mukautetut kentät", + "date": "Päivämäärä", + "decline": "Kieltäydy", + "default-avatar": "Oletus profiilikuva", + "delete": "Poista", + "deleteCustomFieldPopup-title": "Poista mukautettu kenttä?", + "deleteLabelPopup-title": "Poista tunniste?", + "description": "Kuvaus", + "disambiguateMultiLabelPopup-title": "Yksikäsitteistä tunniste toiminta", + "disambiguateMultiMemberPopup-title": "Yksikäsitteistä jäsen toiminta", + "discard": "Hylkää", + "done": "Valmis", + "download": "Lataa", + "edit": "Muokkaa", + "edit-avatar": "Muokkaa profiilikuvaa", + "edit-profile": "Muokkaa profiilia", + "edit-wip-limit": "Muokkaa WIP-rajaa", + "soft-wip-limit": "Pehmeä WIP raja", + "editCardStartDatePopup-title": "Muokkaa aloituspäivää", + "editCardDueDatePopup-title": "Muokkaa eräpäivää", + "editCustomFieldPopup-title": "Muokkaa kenttää", + "editCardSpentTimePopup-title": "Muuta käytettyä aikaa", + "editLabelPopup-title": "Muokkaa tunnistetta", + "editNotificationPopup-title": "Muokkaa ilmoituksia", + "editProfilePopup-title": "Muokkaa profiilia", + "email": "Sähköposti", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hei __user__,\n\nAlkaaksesi käyttämään palvelua, klikkaa allaolevaa linkkiä.\n\n__url__\n\nKiitos.", + "email-fail": "Sähköpostin lähettäminen epäonnistui", + "email-fail-text": "Virhe yrittäessä lähettää sähköpostia", + "email-invalid": "Virheellinen sähköposti", + "email-invite": "Kutsu sähköpostilla", + "email-invite-subject": "__inviter__ lähetti sinulle kutsun", + "email-invite-text": "Hyvä __user__,\n\n__inviter__ kutsuu sinut liittymään taululle \"__board__\" yhteistyötä varten.\n\nOle hyvä ja seuraa allaolevaa linkkiä:\n\n__url__\n\nKiitos.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hei __user__,\n\nNollataksesi salasanasi, klikkaa allaolevaa linkkiä.\n\n__url__\n\nKiitos.", + "email-sent": "Sähköposti lähetetty", + "email-verifyEmail-subject": "Varmista sähköpostiosoitteesi osoitteessa __url__", + "email-verifyEmail-text": "Hei __user__,\n\nvahvistaaksesi sähköpostiosoitteesi, klikkaa allaolevaa linkkiä.\n\n__url__\n\nKiitos.", + "enable-wip-limit": "Ota käyttöön WIP-raja", + "error-board-doesNotExist": "Tämä taulu ei ole olemassa", + "error-board-notAdmin": "Tehdäksesi tämän sinun täytyy olla tämän taulun ylläpitäjä", + "error-board-notAMember": "Tehdäksesi tämän sinun täytyy olla tämän taulun jäsen", + "error-json-malformed": "Tekstisi ei ole kelvollisessa JSON muodossa", + "error-json-schema": "JSON tietosi ei sisällä oikeaa tietoa oikeassa muodossa", + "error-list-doesNotExist": "Tätä listaa ei ole olemassa", + "error-user-doesNotExist": "Tätä käyttäjää ei ole olemassa", + "error-user-notAllowSelf": "Et voi kutsua itseäsi", + "error-user-notCreated": "Tätä käyttäjää ei ole luotu", + "error-username-taken": "Tämä käyttäjätunnus on jo käytössä", + "error-email-taken": "Sähköpostiosoite on jo käytössä", + "export-board": "Vie taulu", + "filter": "Suodata", + "filter-cards": "Suodata kortit", + "filter-clear": "Poista suodatin", + "filter-no-label": "Ei tunnistetta", + "filter-no-member": "Ei jäseniä", + "filter-no-custom-fields": "Ei mukautettuja kenttiä", + "filter-on": "Suodatus on päällä", + "filter-on-desc": "Suodatat kortteja tällä taululla. Klikkaa tästä muokataksesi suodatinta.", + "filter-to-selection": "Suodata valintaan", + "advanced-filter-label": "Edistynyt suodatin", + "advanced-filter-description": "Edistynyt suodatin mahdollistaa merkkijonon, joka sisältää seuraavat operaattorit: ==! = <=> = && || () Operaattorien välissä käytetään välilyöntiä. Voit suodattaa kaikki mukautetut kentät kirjoittamalla niiden nimet ja arvot. Esimerkiksi: Field1 == Value1. Huomaa: Jos kentillä tai arvoilla on välilyöntejä, sinun on sijoitettava ne yksittäisiin lainausmerkkeihin. Esimerkki: 'Kenttä 1' == 'Arvo 1'. Voit myös yhdistää useita ehtoja. Esimerkiksi: F1 == V1 || F1 = V2. Yleensä kaikki operaattorit tulkitaan vasemmalta oikealle. Voit muuttaa järjestystä asettamalla sulkuja. Esimerkiksi: F1 == V1 ja (F2 == V2 || F2 == V3)", + "fullname": "Koko nimi", + "header-logo-title": "Palaa taulut sivullesi.", + "hide-system-messages": "Piilota järjestelmäviestit", + "headerBarCreateBoardPopup-title": "Luo taulu", + "home": "Koti", + "import": "Tuo", + "import-board": "tuo taulu", + "import-board-c": "Tuo taulu", + "import-board-title-trello": "Tuo taulu Trellosta", + "import-board-title-wekan": "Tuo taulu Wekanista", + "import-sandstorm-warning": "Tuotu taulu poistaa kaikki olemassaolevan taulun tiedot ja korvaa ne tuodulla taululla.", + "from-trello": "Trellosta", + "from-wekan": "Wekanista", + "import-board-instruction-trello": "Trello taulullasi, mene 'Menu', sitten 'More', 'Print and Export', 'Export JSON', ja kopioi tuloksena saamasi teksti", + "import-board-instruction-wekan": "Wekan taulullasi, mene 'Valikko', sitten 'Vie taulu', ja kopioi teksti ladatusta tiedostosta.", + "import-json-placeholder": "Liitä kelvollinen JSON tietosi tähän", + "import-map-members": "Vastaavat jäsenet", + "import-members-map": "Tuomallasi taululla on muutamia jäseniä. Ole hyvä ja valitse tuomiasi jäseniä vastaavat Wekan käyttäjät", + "import-show-user-mapping": "Tarkasta vastaavat jäsenet", + "import-user-select": "Valitse Wekan käyttäjä jota haluat käyttää tänä käyttäjänä", + "importMapMembersAddPopup-title": "Valitse Wekan käyttäjä", + "info": "Versio", + "initials": "Nimikirjaimet", + "invalid-date": "Virheellinen päivämäärä", + "invalid-time": "Virheellinen aika", + "invalid-user": "Virheellinen käyttäjä", + "joined": "liittyi", + "just-invited": "Sinut on juuri kutsuttu tälle taululle", + "keyboard-shortcuts": "Pikanäppäimet", + "label-create": "Luo tunniste", + "label-default": "%s tunniste (oletus)", + "label-delete-pop": "Tätä ei voi peruuttaa. Tämä poistaa tämän tunnisteen kaikista korteista ja tuhoaa sen historian.", + "labels": "Tunnisteet", + "language": "Kieli", + "last-admin-desc": "Et voi vaihtaa rooleja koska täytyy olla olemassa ainakin yksi ylläpitäjä.", + "leave-board": "Jää pois taululta", + "leave-board-pop": "Haluatko varmasti poistua taululta __boardTitle__? Sinut poistetaan kaikista tämän taulun korteista.", + "leaveBoardPopup-title": "Jää pois taululta ?", + "link-card": "Linkki tähän korttiin", + "list-archive-cards": "Siirrä kaikki tämän listan kortit roskakoriin", + "list-archive-cards-pop": "Tämä poistaa kaikki tämän listan kortit taululta. Nähdäksesi roskakorissa olevat kortit ja tuodaksesi ne takaisin taululle, klikkaa “Valikko” > “Roskakori”.", + "list-move-cards": "Siirrä kaikki kortit tässä listassa", + "list-select-cards": "Valitse kaikki kortit tässä listassa", + "listActionPopup-title": "Listaa toimet", + "swimlaneActionPopup-title": "Swimlane toimet", + "listImportCardPopup-title": "Tuo Trello kortti", + "listMorePopup-title": "Lisää", + "link-list": "Linkki tähän listaan", + "list-delete-pop": "Kaikki toimet poistetaan toimintasyötteestä ja listan poistaminen on lopullista. Tätä ei pysty peruuttamaan.", + "list-delete-suggest-archive": "Voit siirtää listan roskakoriin poistaaksesi sen taululta ja säilyttääksesi toimintalokin.", + "lists": "Listat", + "swimlanes": "Swimlanet", + "log-out": "Kirjaudu ulos", + "log-in": "Kirjaudu sisään", + "loginPopup-title": "Kirjaudu sisään", + "memberMenuPopup-title": "Jäsen asetukset", + "members": "Jäsenet", + "menu": "Valikko", + "move-selection": "Siirrä valinta", + "moveCardPopup-title": "Siirrä kortti", + "moveCardToBottom-title": "Siirrä alimmaiseksi", + "moveCardToTop-title": "Siirrä ylimmäiseksi", + "moveSelectionPopup-title": "Siirrä valinta", + "multi-selection": "Monivalinta", + "multi-selection-on": "Monivalinta on päällä", + "muted": "Vaimennettu", + "muted-info": "Et saa koskaan ilmoituksia tämän taulun muutoksista", + "my-boards": "Tauluni", + "name": "Nimi", + "no-archived-cards": "Ei kortteja roskakorissa.", + "no-archived-lists": "Ei listoja roskakorissa.", + "no-archived-swimlanes": "Ei Swimlaneja roskakorissa.", + "no-results": "Ei tuloksia", + "normal": "Normaali", + "normal-desc": "Voi nähdä ja muokata kortteja. Ei voi muokata asetuksia.", + "not-accepted-yet": "Kutsua ei ole hyväksytty vielä", + "notify-participate": "Vastaanota päivityksiä kaikilta korteilta jotka olet tehnyt tai joihin osallistut.", + "notify-watch": "Vastaanota päivityksiä kaikilta tauluilta, listoilta tai korteilta joita seuraat.", + "optional": "valinnainen", + "or": "tai", + "page-maybe-private": "Tämä sivu voi olla yksityinen. Voit ehkä pystyä näkemään sen kirjautumalla sisään.", + "page-not-found": "Sivua ei löytynyt.", + "password": "Salasana", + "paste-or-dragdrop": "liittääksesi, tai vedä & pudota kuvatiedosto siihen (vain kuva)", + "participating": "Osallistutaan", + "preview": "Esikatsele", + "previewAttachedImagePopup-title": "Esikatsele", + "previewClipboardImagePopup-title": "Esikatsele", + "private": "Yksityinen", + "private-desc": "Tämä taulu on yksityinen. Vain taululle lisätyt henkilöt voivat nähdä ja muokata sitä.", + "profile": "Profiili", + "public": "Julkinen", + "public-desc": "Tämä taulu on julkinen. Se näkyy kenelle tahansa jolla on linkki ja näkyy myös hakukoneissa kuten Google. Vain taululle lisätyt henkilöt voivat muokata sitä.", + "quick-access-description": "Merkkaa taulu tähdellä lisätäksesi pikavalinta tähän palkkiin.", + "remove-cover": "Poista kansi", + "remove-from-board": "Poista taululta", + "remove-label": "Poista tunniste", + "listDeletePopup-title": "Poista lista ?", + "remove-member": "Poista jäsen", + "remove-member-from-card": "Poista kortilta", + "remove-member-pop": "Poista __name__ (__username__) taululta __boardTitle__? Jäsen poistetaan kaikilta taulun korteilta. Heille lähetetään ilmoitus.", + "removeMemberPopup-title": "Poista jäsen?", + "rename": "Nimeä uudelleen", + "rename-board": "Nimeä taulu uudelleen", + "restore": "Palauta", + "save": "Tallenna", + "search": "Etsi", + "search-cards": "Etsi korttien otsikoista ja kuvauksista tällä taululla", + "search-example": "Teksti jota etsitään?", + "select-color": "Valitse väri", + "set-wip-limit-value": "Aseta tämän listan tehtävien enimmäismäärä", + "setWipLimitPopup-title": "Aseta WIP-raja", + "shortcut-assign-self": "Valitse itsesi nykyiselle kortille", + "shortcut-autocomplete-emoji": "Automaattinen täydennys emojille", + "shortcut-autocomplete-members": "Automaattinen täydennys jäsenille", + "shortcut-clear-filters": "Poista kaikki suodattimet", + "shortcut-close-dialog": "Sulje valintaikkuna", + "shortcut-filter-my-cards": "Suodata korttini", + "shortcut-show-shortcuts": "Tuo esiin tämä pikavalinta lista", + "shortcut-toggle-filterbar": "Muokkaa suodatus sivupalkin näkyvyyttä", + "shortcut-toggle-sidebar": "Muokkaa taulu sivupalkin näkyvyyttä", + "show-cards-minimum-count": "Näytä korttien lukumäärä jos lista sisältää enemmän kuin", + "sidebar-open": "Avaa sivupalkki", + "sidebar-close": "Sulje sivupalkki", + "signupPopup-title": "Luo tili", + "star-board-title": "Klikkaa merkataksesi taulu tähdellä. Se tulee näkymään ylimpänä taululistallasi.", + "starred-boards": "Tähdellä merkatut taulut", + "starred-boards-description": "Tähdellä merkatut taulut näkyvät ylimpänä taululistallasi.", + "subscribe": "Tilaa", + "team": "Tiimi", + "this-board": "tämä taulu", + "this-card": "tämä kortti", + "spent-time-hours": "Käytetty aika (tuntia)", + "overtime-hours": "Ylityö (tuntia)", + "overtime": "Ylityö", + "has-overtime-cards": "Sisältää ylityö kortteja", + "has-spenttime-cards": "Sisältää käytetty aika kortteja", + "time": "Aika", + "title": "Otsikko", + "tracking": "Ilmoitukset", + "tracking-info": "Sinulle ilmoitetaan muutoksista korteissa joihin olet osallistunut luojana tai jäsenenä.", + "type": "Tyyppi", + "unassign-member": "Peru jäsenvalinta", + "unsaved-description": "Sinulla on tallentamaton kuvaus.", + "unwatch": "Lopeta seuraaminen", + "upload": "Lähetä", + "upload-avatar": "Lähetä profiilikuva", + "uploaded-avatar": "Profiilikuva lähetetty", + "username": "Käyttäjätunnus", + "view-it": "Näytä se", + "warn-list-archived": "varoitus: tämä kortti on roskakorissa olevassa listassa", + "watch": "Seuraa", + "watching": "Seurataan", + "watching-info": "Sinulle ilmoitetaan tämän taulun muutoksista", + "welcome-board": "Tervetuloa taulu", + "welcome-swimlane": "Merkkipaalu 1", + "welcome-list1": "Perusasiat", + "welcome-list2": "Edistynyt", + "what-to-do": "Mitä haluat tehdä?", + "wipLimitErrorPopup-title": "Virheellinen WIP-raja", + "wipLimitErrorPopup-dialog-pt1": "Tässä listassa olevien tehtävien määrä on korkeampi kuin asettamasi WIP-raja.", + "wipLimitErrorPopup-dialog-pt2": "Siirrä joitain tehtäviä pois tästä listasta tai määritä korkeampi WIP-raja.", + "admin-panel": "Hallintapaneeli", + "settings": "Asetukset", + "people": "Ihmiset", + "registration": "Rekisteröinti", + "disable-self-registration": "Poista käytöstä itse-rekisteröityminen", + "invite": "Kutsu", + "invite-people": "Kutsu ihmisiä", + "to-boards": "Taulu(i)lle", + "email-addresses": "Sähköpostiosoite", + "smtp-host-description": "SMTP palvelimen osoite jolla sähköpostit lähetetään.", + "smtp-port-description": "Portti jota STMP palvelimesi käyttää lähteville sähköposteille.", + "smtp-tls-description": "Ota käyttöön TLS tuki SMTP palvelimelle", + "smtp-host": "SMTP isäntä", + "smtp-port": "SMTP portti", + "smtp-username": "Käyttäjätunnus", + "smtp-password": "Salasana", + "smtp-tls": "TLS tuki", + "send-from": "Lähettäjä", + "send-smtp-test": "Lähetä testi sähköposti itsellesi", + "invitation-code": "Kutsukoodi", + "email-invite-register-subject": "__inviter__ lähetti sinulle kutsun", + "email-invite-register-text": "Hei __user__,\n\n__inviter__ kutsuu sinut mukaan Wekan ohjelman käyttöön.\n\nOle hyvä ja seuraa allaolevaa linkkiä:\n__url__\n\nJa kutsukoodisi on: __icode__\n\nKiitos.", + "email-smtp-test-subject": "SMTP testi sähköposti Wekanista", + "email-smtp-test-text": "Olet onnistuneesti lähettänyt sähköpostin", + "error-invitation-code-not-exist": "Kutsukoodi ei ole olemassa", + "error-notAuthorized": "Sinulla ei ole oikeutta tarkastella tätä sivua.", + "outgoing-webhooks": "Lähtevät Webkoukut", + "outgoingWebhooksPopup-title": "Lähtevät Webkoukut", + "new-outgoing-webhook": "Uusi lähtevä Webkoukku", + "no-name": "(Tuntematon)", + "Wekan_version": "Wekan versio", + "Node_version": "Node versio", + "OS_Arch": "Käyttöjärjestelmän arkkitehtuuri", + "OS_Cpus": "Käyttöjärjestelmän CPU määrä", + "OS_Freemem": "Käyttöjärjestelmän vapaa muisti", + "OS_Loadavg": "Käyttöjärjestelmän kuorman keskiarvo", + "OS_Platform": "Käyttöjärjestelmäalusta", + "OS_Release": "Käyttöjärjestelmän julkaisu", + "OS_Totalmem": "Käyttöjärjestelmän muistin kokonaismäärä", + "OS_Type": "Käyttöjärjestelmän tyyppi", + "OS_Uptime": "Käyttöjärjestelmä ollut käynnissä", + "hours": "tuntia", + "minutes": "minuuttia", + "seconds": "sekuntia", + "show-field-on-card": "Näytä tämä kenttä kortilla", + "yes": "Kyllä", + "no": "Ei", + "accounts": "Tilit", + "accounts-allowEmailChange": "Salli sähköpostiosoitteen muuttaminen", + "accounts-allowUserNameChange": "Salli käyttäjätunnuksen muuttaminen", + "createdAt": "Luotu", + "verified": "Varmistettu", + "active": "Aktiivinen", + "card-received": "Vastaanotettu", + "card-received-on": "Vastaanotettu", + "card-end": "Loppuu", + "card-end-on": "Loppuu", + "editCardReceivedDatePopup-title": "Vaihda vastaanottamispäivää", + "editCardEndDatePopup-title": "Vaihda loppumispäivää", + "assigned-by": "Tehtävänantaja", + "requested-by": "Pyytäjä", + "board-delete-notice": "Poistaminen on lopullista. Menetät kaikki listat, kortit ja toimet tällä taululla.", + "delete-board-confirm-popup": "Kaikki listat, kortit, tunnisteet ja toimet poistetaan ja et pysty palauttamaan taulun sisältöä. Tätä ei voi peruuttaa.", + "boardDeletePopup-title": "Poista taulu?", + "delete-board": "Poista taulu" +} \ No newline at end of file diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json new file mode 100644 index 00000000..258eeed4 --- /dev/null +++ b/i18n/fr.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accepter", + "act-activity-notify": "[Wekan] Notification d'activité", + "act-addAttachment": "a joint __attachment__ à __card__", + "act-addChecklist": "a ajouté la checklist __checklist__ à __card__", + "act-addChecklistItem": "a ajouté l'élément __checklistItem__ à la checklist __checklist__ de __card__", + "act-addComment": "a commenté __card__ : __comment__", + "act-createBoard": "a créé __board__", + "act-createCard": "a ajouté __card__ à __list__", + "act-createCustomField": "a créé le champ personnalisé __customField__", + "act-createList": "a ajouté __list__ à __board__", + "act-addBoardMember": "a ajouté __member__ à __board__", + "act-archivedBoard": "__board__ a été déplacé vers la corbeille", + "act-archivedCard": "__card__ a été déplacée vers la corbeille", + "act-archivedList": "__list__ a été déplacée vers la corbeille", + "act-archivedSwimlane": "__swimlane__ a été déplacé vers la corbeille", + "act-importBoard": "a importé __board__", + "act-importCard": "a importé __card__", + "act-importList": "a importé __list__", + "act-joinMember": "a ajouté __member__ à __card__", + "act-moveCard": "a déplacé __card__ de __oldList__ à __list__", + "act-removeBoardMember": "a retiré __member__ de __board__", + "act-restoredCard": "a restauré __card__ dans __board__", + "act-unjoinMember": "a retiré __member__ de __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activités", + "activity": "Activité", + "activity-added": "a ajouté %s à %s", + "activity-archived": "%s a été déplacé vers la corbeille", + "activity-attached": "a attaché %s à %s", + "activity-created": "a créé %s", + "activity-customfield-created": "a créé le champ personnalisé %s", + "activity-excluded": "a exclu %s de %s", + "activity-imported": "a importé %s vers %s depuis %s", + "activity-imported-board": "a importé %s depuis %s", + "activity-joined": "a rejoint %s", + "activity-moved": "a déplacé %s de %s vers %s", + "activity-on": "sur %s", + "activity-removed": "a supprimé %s de %s", + "activity-sent": "a envoyé %s vers %s", + "activity-unjoined": "a quitté %s", + "activity-checklist-added": "a ajouté une checklist à %s", + "activity-checklist-item-added": "a ajouté un élément à la checklist '%s' dans %s", + "add": "Ajouter", + "add-attachment": "Ajouter une pièce jointe", + "add-board": "Ajouter un tableau", + "add-card": "Ajouter une carte", + "add-swimlane": "Ajouter un couloir", + "add-checklist": "Ajouter une checklist", + "add-checklist-item": "Ajouter un élément à la checklist", + "add-cover": "Ajouter la couverture", + "add-label": "Ajouter une étiquette", + "add-list": "Ajouter une liste", + "add-members": "Assigner des membres", + "added": "Ajouté le", + "addMemberPopup-title": "Membres", + "admin": "Admin", + "admin-desc": "Peut voir et éditer les cartes, supprimer des membres et changer les paramètres du tableau.", + "admin-announcement": "Annonce", + "admin-announcement-active": "Annonce destinée à tous", + "admin-announcement-title": "Annonce de l'administrateur", + "all-boards": "Tous les tableaux", + "and-n-other-card": "Et __count__ autre carte", + "and-n-other-card_plural": "Et __count__ autres cartes", + "apply": "Appliquer", + "app-is-offline": "Chargement en cours, veuillez patienter. Vous risquez de perdre des données si vous rechargez la page. Si le chargement échoue, veuillez vérifier l'état du serveur Wekan.", + "archive": "Déplacer vers la corbeille", + "archive-all": "Tout déplacer vers la corbeille", + "archive-board": "Déplacer le tableau vers la corbeille", + "archive-card": "Déplacer la carte vers la corbeille", + "archive-list": "Déplacer la liste vers la corbeille", + "archive-swimlane": "Déplacer le couloir vers la corbeille", + "archive-selection": "Déplacer la sélection vers la corbeille", + "archiveBoardPopup-title": "Déplacer le tableau vers la corbeille ?", + "archived-items": "Corbeille", + "archived-boards": "Tableaux dans la corbeille", + "restore-board": "Restaurer le tableau", + "no-archived-boards": "Aucun tableau dans la corbeille.", + "archives": "Corbeille", + "assign-member": "Affecter un membre", + "attached": "joint", + "attachment": "Pièce jointe", + "attachment-delete-pop": "La suppression d'une pièce jointe est définitive. Elle ne peut être annulée.", + "attachmentDeletePopup-title": "Supprimer la pièce jointe ?", + "attachments": "Pièces jointes", + "auto-watch": "Surveiller automatiquement les tableaux quand ils sont créés", + "avatar-too-big": "La taille du fichier de l'avatar est trop importante (70 ko au maximum)", + "back": "Retour", + "board-change-color": "Changer la couleur", + "board-nb-stars": "%s étoiles", + "board-not-found": "Tableau non trouvé", + "board-private-info": "Ce tableau sera privé", + "board-public-info": "Ce tableau sera public.", + "boardChangeColorPopup-title": "Change la couleur de fond du tableau", + "boardChangeTitlePopup-title": "Renommer le tableau", + "boardChangeVisibilityPopup-title": "Changer la visibilité", + "boardChangeWatchPopup-title": "Modifier le suivi", + "boardMenuPopup-title": "Menu du tableau", + "boards": "Tableaux", + "board-view": "Vue du tableau", + "board-view-swimlanes": "Couloirs", + "board-view-lists": "Listes", + "bucket-example": "Comme « todo list » par exemple", + "cancel": "Annuler", + "card-archived": "Cette carte est déplacée vers la corbeille.", + "card-comments-title": "Cette carte a %s commentaires.", + "card-delete-notice": "La suppression est permanente. Vous perdrez toutes les actions associées à cette carte.", + "card-delete-pop": "Toutes les actions vont être supprimées du suivi d'activités et vous ne pourrez plus utiliser cette carte. Cette action est irréversible.", + "card-delete-suggest-archive": "Vous pouvez déplacer une carte vers la corbeille afin de l'enlever du tableau tout en préservant l'activité.", + "card-due": "À échéance", + "card-due-on": "Échéance le", + "card-spent": "Temps passé", + "card-edit-attachments": "Modifier les pièces jointes", + "card-edit-custom-fields": "Éditer les champs personnalisés", + "card-edit-labels": "Modifier les étiquettes", + "card-edit-members": "Modifier les membres", + "card-labels-title": "Modifier les étiquettes de la carte.", + "card-members-title": "Ajouter ou supprimer des membres à la carte.", + "card-start": "Début", + "card-start-on": "Commence le", + "cardAttachmentsPopup-title": "Joindre depuis", + "cardCustomField-datePopup-title": "Changer la date", + "cardCustomFieldsPopup-title": "Éditer les champs personnalisés", + "cardDeletePopup-title": "Supprimer la carte ?", + "cardDetailsActionsPopup-title": "Actions sur la carte", + "cardLabelsPopup-title": "Étiquettes", + "cardMembersPopup-title": "Membres", + "cardMorePopup-title": "Plus", + "cards": "Cartes", + "cards-count": "Cartes", + "change": "Modifier", + "change-avatar": "Modifier l'avatar", + "change-password": "Modifier le mot de passe", + "change-permissions": "Modifier les permissions", + "change-settings": "Modifier les paramètres", + "changeAvatarPopup-title": "Modifier l'avatar", + "changeLanguagePopup-title": "Modifier la langue", + "changePasswordPopup-title": "Modifier le mot de passe", + "changePermissionsPopup-title": "Modifier les permissions", + "changeSettingsPopup-title": "Modifier les paramètres", + "checklists": "Checklists", + "click-to-star": "Cliquez pour ajouter ce tableau aux favoris.", + "click-to-unstar": "Cliquez pour retirer ce tableau des favoris.", + "clipboard": "Presse-papier ou glisser-déposer", + "close": "Fermer", + "close-board": "Fermer le tableau", + "close-board-pop": "Vous pourrez restaurer le tableau en cliquant le bouton « Corbeille » en entête.", + "color-black": "noir", + "color-blue": "bleu", + "color-green": "vert", + "color-lime": "citron vert", + "color-orange": "orange", + "color-pink": "rose", + "color-purple": "violet", + "color-red": "rouge", + "color-sky": "ciel", + "color-yellow": "jaune", + "comment": "Commenter", + "comment-placeholder": "Écrire un commentaire", + "comment-only": "Commentaire uniquement", + "comment-only-desc": "Ne peut que commenter des cartes.", + "computer": "Ordinateur", + "confirm-checklist-delete-dialog": "Êtes-vous sûr de vouloir supprimer la checklist", + "copy-card-link-to-clipboard": "Copier le lien vers la carte dans le presse-papier", + "copyCardPopup-title": "Copier la carte", + "copyChecklistToManyCardsPopup-title": "Copier le modèle de checklist vers plusieurs cartes", + "copyChecklistToManyCardsPopup-instructions": "Titres et descriptions des cartes de destination dans ce format JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titre de la première carte\", \"description\":\"Description de la première carte\"}, {\"title\":\"Titre de la seconde carte\",\"description\":\"Description de la seconde carte\"},{\"title\":\"Titre de la dernière carte\",\"description\":\"Description de la dernière carte\"} ]", + "create": "Créer", + "createBoardPopup-title": "Créer un tableau", + "chooseBoardSourcePopup-title": "Importer un tableau", + "createLabelPopup-title": "Créer une étiquette", + "createCustomField": "Créer un champ personnalisé", + "createCustomFieldPopup-title": "Créer un champ personnalisé", + "current": "actuel", + "custom-field-delete-pop": "Cette action n'est pas réversible. Elle supprimera ce champ personnalisé de toutes les cartes et détruira son historique.", + "custom-field-checkbox": "Case à cocher", + "custom-field-date": "Date", + "custom-field-dropdown": "Liste de choix", + "custom-field-dropdown-none": "(aucun)", + "custom-field-dropdown-options": "Options de liste", + "custom-field-dropdown-options-placeholder": "Appuyez sur Entrée pour ajouter d'autres options", + "custom-field-dropdown-unknown": "(inconnu)", + "custom-field-number": "Nombre", + "custom-field-text": "Texte", + "custom-fields": "Champs personnalisés", + "date": "Date", + "decline": "Refuser", + "default-avatar": "Avatar par défaut", + "delete": "Supprimer", + "deleteCustomFieldPopup-title": "Supprimer le champ personnalisé ?", + "deleteLabelPopup-title": "Supprimer l'étiquette ?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Préciser l'action sur l'étiquette", + "disambiguateMultiMemberPopup-title": "Préciser l'action sur le membre", + "discard": "Mettre à la corbeille", + "done": "Fait", + "download": "Télécharger", + "edit": "Modifier", + "edit-avatar": "Modifier l'avatar", + "edit-profile": "Modifier le profil", + "edit-wip-limit": "Éditer la limite WIP", + "soft-wip-limit": "Limite WIP douce", + "editCardStartDatePopup-title": "Modifier la date de début", + "editCardDueDatePopup-title": "Modifier la date d'échéance", + "editCustomFieldPopup-title": "Éditer le champ personnalisé", + "editCardSpentTimePopup-title": "Changer le temps passé", + "editLabelPopup-title": "Modifier l'étiquette", + "editNotificationPopup-title": "Modifier la notification", + "editProfilePopup-title": "Modifier le profil", + "email": "Email", + "email-enrollAccount-subject": "Un compte a été créé pour vous sur __siteName__", + "email-enrollAccount-text": "Bonjour __user__,\n\nPour commencer à utiliser ce service, il suffit de cliquer sur le lien ci-dessous.\n\n__url__\n\nMerci.", + "email-fail": "Échec de l'envoi du courriel.", + "email-fail-text": "Une erreur est survenue en tentant d'envoyer l'email", + "email-invalid": "Adresse email incorrecte.", + "email-invite": "Inviter par email", + "email-invite-subject": "__inviter__ vous a envoyé une invitation", + "email-invite-text": "Cher __user__,\n\n__inviter__ vous invite à rejoindre le tableau \"__board__\" pour collaborer.\n\nVeuillez suivre le lien ci-dessous :\n\n__url__\n\nMerci.", + "email-resetPassword-subject": "Réinitialiser votre mot de passe sur __siteName__", + "email-resetPassword-text": "Bonjour __user__,\n\nPour réinitialiser votre mot de passe, cliquez sur le lien ci-dessous.\n\n__url__\n\nMerci.", + "email-sent": "Courriel envoyé", + "email-verifyEmail-subject": "Vérifier votre adresse de courriel sur __siteName__", + "email-verifyEmail-text": "Bonjour __user__,\n\nPour vérifier votre compte courriel, il suffit de cliquer sur le lien ci-dessous.\n\n__url__\n\nMerci.", + "enable-wip-limit": "Activer la limite WIP", + "error-board-doesNotExist": "Ce tableau n'existe pas", + "error-board-notAdmin": "Vous devez être administrateur de ce tableau pour faire cela", + "error-board-notAMember": "Vous devez être membre de ce tableau pour faire cela", + "error-json-malformed": "Votre texte JSON n'est pas valide", + "error-json-schema": "Vos données JSON ne contiennent pas l'information appropriée dans un format correct", + "error-list-doesNotExist": "Cette liste n'existe pas", + "error-user-doesNotExist": "Cet utilisateur n'existe pas", + "error-user-notAllowSelf": "Vous ne pouvez pas vous inviter vous-même", + "error-user-notCreated": "Cet utilisateur n'a pas encore été créé", + "error-username-taken": "Ce nom d'utilisateur est déjà utilisé", + "error-email-taken": "Cette adresse mail est déjà utilisée", + "export-board": "Exporter le tableau", + "filter": "Filtrer", + "filter-cards": "Filtrer les cartes", + "filter-clear": "Supprimer les filtres", + "filter-no-label": "Aucune étiquette", + "filter-no-member": "Aucun membre", + "filter-no-custom-fields": "Pas de champs personnalisés", + "filter-on": "Le filtre est actif", + "filter-on-desc": "Vous êtes en train de filtrer les cartes sur ce tableau. Cliquez ici pour modifier les filtres.", + "filter-to-selection": "Filtre vers la sélection", + "advanced-filter-label": "Filtre avancé", + "advanced-filter-description": "Le filtre avancé permet d'écrire une chaîne contenant les opérateur suivants : == != <= >= && || ( ). Les opérateurs doivent être séparés par des espaces. Vous pouvez filtrer tous les champs personnalisés en saisissant leur nom et leur valeur. Par exemple : champ1 == valeur1. Note : si des champs ou valeurs contiennent des espaces, vous devez les mettre entre apostrophes. Par exemple : 'champ 1' = 'valeur 1'. Il est également possible de combiner plusieurs conditions. Par exemple : f1 == v1 || f2 == v2. Normalement, tous les opérateurs sont interprétés de gauche à droite. Vous pouvez changer l'ordre à l'aide de parenthèses. Par exemple : f1 == v1 and (f2 == v2 || f2 == v3).", + "fullname": "Nom complet", + "header-logo-title": "Retourner à la page des tableaux", + "hide-system-messages": "Masquer les messages système", + "headerBarCreateBoardPopup-title": "Créer un tableau", + "home": "Accueil", + "import": "Importer", + "import-board": "importer un tableau", + "import-board-c": "Importer un tableau", + "import-board-title-trello": "Importer le tableau depuis Trello", + "import-board-title-wekan": "Importer un tableau depuis Wekan", + "import-sandstorm-warning": "Le tableau importé supprimera toutes les données du tableau et les remplacera avec celles du tableau importé.", + "from-trello": "Depuis Trello", + "from-wekan": "Depuis Wekan", + "import-board-instruction-trello": "Dans votre tableau Trello, allez sur 'Menu', puis sur 'Plus', 'Imprimer et exporter', 'Exporter en JSON' et copiez le texte du résultat", + "import-board-instruction-wekan": "Dans votre tableau Wekan, allez dans 'Menu', puis 'Exporter un tableau', et copier le texte du fichier téléchargé.", + "import-json-placeholder": "Collez ici les données JSON valides", + "import-map-members": "Faire correspondre aux membres", + "import-members-map": "Le tableau que vous venez d'importer contient des membres. Veuillez associer les membres que vous souhaitez importer à des utilisateurs de Wekan.", + "import-show-user-mapping": "Contrôler l'association des membres", + "import-user-select": "Sélectionnez l'utilisateur Wekan que vous voulez associer à ce membre", + "importMapMembersAddPopup-title": "Sélectionner le membre Wekan", + "info": "Version", + "initials": "Initiales", + "invalid-date": "Date invalide", + "invalid-time": "Temps invalide", + "invalid-user": "Utilisateur invalide", + "joined": "a rejoint", + "just-invited": "Vous venez d'être invité à ce tableau", + "keyboard-shortcuts": "Raccourcis clavier", + "label-create": "Créer une étiquette", + "label-default": "étiquette %s (défaut)", + "label-delete-pop": "Cette action est irréversible. Elle supprimera cette étiquette de toutes les cartes ainsi que l'historique associé.", + "labels": "Étiquettes", + "language": "Langue", + "last-admin-desc": "Vous ne pouvez pas changer les rôles car il doit y avoir au moins un administrateur.", + "leave-board": "Quitter le tableau", + "leave-board-pop": "Êtes-vous sur de vouloir quitter __boardTitle__ ? Vous ne serez plus associé aux cartes de ce tableau.", + "leaveBoardPopup-title": "Quitter le tableau", + "link-card": "Lier à cette carte", + "list-archive-cards": "Déplacer toutes les cartes de la liste vers la corbeille", + "list-archive-cards-pop": "Cela supprimera du tableau toutes les cartes de cette liste. Pour voir les cartes dans la corbeille et les renvoyer vers le tableau, cliquez sur « Menu » puis « Corbeille ».", + "list-move-cards": "Déplacer toutes les cartes de cette liste", + "list-select-cards": "Sélectionner toutes les cartes de cette liste", + "listActionPopup-title": "Actions sur la liste", + "swimlaneActionPopup-title": "Actions du couloir", + "listImportCardPopup-title": "Importer une carte Trello", + "listMorePopup-title": "Plus", + "link-list": "Lien vers cette liste", + "list-delete-pop": "Toutes les actions seront supprimées du fil d'activité et il ne sera plus possible de les récupérer. Cette action ne peut pas être annulée.", + "list-delete-suggest-archive": "Vous pouvez déplacer une liste vers la corbeille pour l'enlever du tableau tout en conservant son activité.", + "lists": "Listes", + "swimlanes": "Couloirs", + "log-out": "Déconnexion", + "log-in": "Connexion", + "loginPopup-title": "Connexion", + "memberMenuPopup-title": "Préférence de membre", + "members": "Membres", + "menu": "Menu", + "move-selection": "Déplacer la sélection", + "moveCardPopup-title": "Déplacer la carte", + "moveCardToBottom-title": "Déplacer tout en bas", + "moveCardToTop-title": "Déplacer tout en haut", + "moveSelectionPopup-title": "Déplacer la sélection", + "multi-selection": "Sélection multiple", + "multi-selection-on": "Multi-Selection active", + "muted": "Silencieux", + "muted-info": "Vous ne serez jamais averti des modifications effectuées dans ce tableau", + "my-boards": "Mes tableaux", + "name": "Nom", + "no-archived-cards": "Aucune carte dans la corbeille.", + "no-archived-lists": "Aucune liste dans la corbeille.", + "no-archived-swimlanes": "Aucun couloir dans la corbeille.", + "no-results": "Pas de résultats", + "normal": "Normal", + "normal-desc": "Peut voir et modifier les cartes. Ne peut pas changer les paramètres.", + "not-accepted-yet": "L'invitation n'a pas encore été acceptée", + "notify-participate": "Recevoir les mises à jour de toutes les cartes auxquelles vous participez en tant que créateur ou que membre ", + "notify-watch": "Recevoir les mises à jour de tous les tableaux, listes ou cartes que vous suivez", + "optional": "optionnel", + "or": "ou", + "page-maybe-private": "Cette page est peut-être privée. Vous pourrez peut-être la voir en vous connectant.", + "page-not-found": "Page non trouvée", + "password": "Mot de passe", + "paste-or-dragdrop": "pour coller, ou glissez-déposez une image ici (seulement une image)", + "participating": "Participant", + "preview": "Prévisualiser", + "previewAttachedImagePopup-title": "Prévisualiser", + "previewClipboardImagePopup-title": "Prévisualiser", + "private": "Privé", + "private-desc": "Ce tableau est privé. Seuls les membres peuvent y accéder et le modifier.", + "profile": "Profil", + "public": "Public", + "public-desc": "Ce tableau est public. Il est accessible par toutes les personnes disposant du lien et apparaîtra dans les résultats des moteurs de recherche tels que Google. Seuls les membres peuvent le modifier.", + "quick-access-description": "Ajouter un tableau à vos favoris pour créer un raccourci dans cette barre.", + "remove-cover": "Enlever la page de présentation", + "remove-from-board": "Retirer du tableau", + "remove-label": "Retirer l'étiquette", + "listDeletePopup-title": "Supprimer la liste ?", + "remove-member": "Supprimer le membre", + "remove-member-from-card": "Supprimer de la carte", + "remove-member-pop": "Supprimer __name__ (__username__) de __boardTitle__ ? Ce membre sera supprimé de toutes les cartes du tableau et recevra une notification.", + "removeMemberPopup-title": "Supprimer le membre ?", + "rename": "Renommer", + "rename-board": "Renommer le tableau", + "restore": "Restaurer", + "save": "Enregistrer", + "search": "Chercher", + "search-cards": "Rechercher parmi les titres et descriptions des cartes de ce tableau", + "search-example": "Texte à rechercher ?", + "select-color": "Sélectionner une couleur", + "set-wip-limit-value": "Définit une limite maximale au nombre de cartes de cette liste", + "setWipLimitPopup-title": "Définir la limite WIP", + "shortcut-assign-self": "Affecter cette carte à vous-même", + "shortcut-autocomplete-emoji": "Auto-complétion des emoji", + "shortcut-autocomplete-members": "Auto-complétion des membres", + "shortcut-clear-filters": "Retirer tous les filtres", + "shortcut-close-dialog": "Fermer la boîte de dialogue", + "shortcut-filter-my-cards": "Filtrer mes cartes", + "shortcut-show-shortcuts": "Afficher cette liste de raccourcis", + "shortcut-toggle-filterbar": "Afficher/Cacher la barre latérale des filtres", + "shortcut-toggle-sidebar": "Afficher/Cacher la barre latérale du tableau", + "show-cards-minimum-count": "Afficher le nombre de cartes si la liste en contient plus de ", + "sidebar-open": "Ouvrir le panneau", + "sidebar-close": "Fermer le panneau", + "signupPopup-title": "Créer un compte", + "star-board-title": "Cliquer pour ajouter ce tableau aux favoris. Il sera affiché en tête de votre liste de tableaux.", + "starred-boards": "Tableaux favoris", + "starred-boards-description": "Les tableaux favoris s'affichent en tête de votre liste de tableaux.", + "subscribe": "Suivre", + "team": "Équipe", + "this-board": "ce tableau", + "this-card": "cette carte", + "spent-time-hours": "Temps passé (heures)", + "overtime-hours": "Temps supplémentaire (heures)", + "overtime": "Temps supplémentaire", + "has-overtime-cards": "A des cartes avec du temps supplémentaire", + "has-spenttime-cards": "A des cartes avec du temps passé", + "time": "Temps", + "title": "Titre", + "tracking": "Suivi", + "tracking-info": "Vous serez notifié de toute modification concernant les cartes pour lesquelles vous êtes impliqué en tant que créateur ou membre.", + "type": "Type", + "unassign-member": "Retirer le membre", + "unsaved-description": "Vous avez une description non sauvegardée", + "unwatch": "Arrêter de suivre", + "upload": "Télécharger", + "upload-avatar": "Télécharger un avatar", + "uploaded-avatar": "Avatar téléchargé", + "username": "Nom d'utilisateur", + "view-it": "Le voir", + "warn-list-archived": "Attention : cette carte est dans une liste se trouvant dans la corbeille", + "watch": "Suivre", + "watching": "Suivi", + "watching-info": "Vous serez notifié de toute modification dans ce tableau", + "welcome-board": "Tableau de bienvenue", + "welcome-swimlane": "Jalon 1", + "welcome-list1": "Basiques", + "welcome-list2": "Avancés", + "what-to-do": "Que voulez-vous faire ?", + "wipLimitErrorPopup-title": "Limite WIP invalide", + "wipLimitErrorPopup-dialog-pt1": "Le nombre de cartes de cette liste est supérieur à la limite WIP que vous avez définie.", + "wipLimitErrorPopup-dialog-pt2": "Veuillez enlever des cartes de cette liste, ou définir une limite WIP plus importante.", + "admin-panel": "Panneau d'administration", + "settings": "Paramètres", + "people": "Personne", + "registration": "Inscription", + "disable-self-registration": "Désactiver l'inscription", + "invite": "Inviter", + "invite-people": "Inviter une personne", + "to-boards": "Au(x) tableau(x)", + "email-addresses": "Adresses email", + "smtp-host-description": "L'adresse du serveur SMTP qui gère vos mails.", + "smtp-port-description": "Le port des mails sortants du serveur SMTP.", + "smtp-tls-description": "Activer la gestion de TLS sur le serveur SMTP", + "smtp-host": "Hôte SMTP", + "smtp-port": "Port SMTP", + "smtp-username": "Nom d'utilisateur", + "smtp-password": "Mot de passe", + "smtp-tls": "Prise en charge de TLS", + "send-from": "De", + "send-smtp-test": "Envoyer un mail de test à vous-même", + "invitation-code": "Code d'invitation", + "email-invite-register-subject": "__inviter__ vous a envoyé une invitation", + "email-invite-register-text": "Cher __user__,\n\n__inviter__ vous invite à le rejoindre sur Wekan pour collaborer.\n\nVeuillez suivre le lien ci-dessous :\n__url__\n\nVotre code d'invitation est : __icode__\n\nMerci.", + "email-smtp-test-subject": "Email de test SMTP de Wekan", + "email-smtp-test-text": "Vous avez envoyé un mail avec succès", + "error-invitation-code-not-exist": "Ce code d'invitation n'existe pas.", + "error-notAuthorized": "Vous n'êtes pas autorisé à accéder à cette page.", + "outgoing-webhooks": "Webhooks sortants", + "outgoingWebhooksPopup-title": "Webhooks sortants", + "new-outgoing-webhook": "Nouveau webhook sortant", + "no-name": "(Inconnu)", + "Wekan_version": "Version de Wekan", + "Node_version": "Version de Node", + "OS_Arch": "OS Architecture", + "OS_Cpus": "OS Nombre CPU", + "OS_Freemem": "OS Mémoire libre", + "OS_Loadavg": "OS Charge moyenne", + "OS_Platform": "OS Plate-forme", + "OS_Release": "OS Version", + "OS_Totalmem": "OS Mémoire totale", + "OS_Type": "OS Type", + "OS_Uptime": "OS Durée de fonctionnement", + "hours": "heures", + "minutes": "minutes", + "seconds": "secondes", + "show-field-on-card": "Afficher ce champ sur la carte", + "yes": "Oui", + "no": "Non", + "accounts": "Comptes", + "accounts-allowEmailChange": "Autoriser le changement d'adresse mail", + "accounts-allowUserNameChange": "Permettre la modification de l'identifiant", + "createdAt": "Créé le", + "verified": "Vérifié", + "active": "Actif", + "card-received": "Reçue", + "card-received-on": "Reçue le", + "card-end": "Fin", + "card-end-on": "Se termine le", + "editCardReceivedDatePopup-title": "Changer la date de réception", + "editCardEndDatePopup-title": "Changer la date de fin", + "assigned-by": "Assigné par", + "requested-by": "Demandé par", + "board-delete-notice": "La suppression est définitive. Vous perdrez toutes vos listes, cartes et actions associées à ce tableau.", + "delete-board-confirm-popup": "Toutes les listes, cartes, étiquettes et activités seront supprimées et vous ne pourrez pas retrouver le contenu du tableau. Il n'y a pas d'annulation possible.", + "boardDeletePopup-title": "Supprimer le tableau ?", + "delete-board": "Supprimer le tableau" +} \ No newline at end of file diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json new file mode 100644 index 00000000..702e9e0c --- /dev/null +++ b/i18n/gl.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Aceptar", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Accións", + "activities": "Actividades", + "activity": "Actividade", + "activity-added": "engadiuse %s a %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Engadir", + "add-attachment": "Engadir anexo", + "add-board": "Engadir taboleiro", + "add-card": "Engadir tarxeta", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Engadir etiqueta", + "add-list": "Engadir lista", + "add-members": "Engadir membros", + "added": "Added", + "addMemberPopup-title": "Membros", + "admin": "Admin", + "admin-desc": "Pode ver e editar tarxetas, retirar membros e cambiar a configuración do taboleiro.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "Todos os taboleiros", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restaurar taboleiro", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Anexo", + "attachment-delete-pop": "A eliminación de anexos é permanente. Non se pode desfacer.", + "attachmentDeletePopup-title": "Eliminar anexo?", + "attachments": "Anexos", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Cambiar cor", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Taboleiros", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Listas", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancelar", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Editar anexos", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Editar etiquetas", + "card-edit-members": "Editar membros", + "card-labels-title": "Cambiar as etiquetas da tarxeta.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Etiquetas", + "cardMembersPopup-title": "Membros", + "cardMorePopup-title": "Máis", + "cards": "Tarxetas", + "cards-count": "Tarxetas", + "change": "Cambiar", + "change-avatar": "Cambiar o avatar", + "change-password": "Cambiar o contrasinal", + "change-permissions": "Cambiar os permisos", + "change-settings": "Cambiar a configuración", + "changeAvatarPopup-title": "Cambiar o avatar", + "changeLanguagePopup-title": "Cambiar de idioma", + "changePasswordPopup-title": "Cambiar o contrasinal", + "changePermissionsPopup-title": "Cambiar os permisos", + "changeSettingsPopup-title": "Cambiar a configuración", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "negro", + "color-blue": "azul", + "color-green": "verde", + "color-lime": "lime", + "color-orange": "laranxa", + "color-pink": "rosa", + "color-purple": "purple", + "color-red": "vermello", + "color-sky": "celeste", + "color-yellow": "amarelo", + "comment": "Comentario", + "comment-placeholder": "Escribir un comentario", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computador", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Crear", + "createBoardPopup-title": "Crear taboleiro", + "chooseBoardSourcePopup-title": "Importar taboleiro", + "createLabelPopup-title": "Crear etiqueta", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "actual", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Data", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Data", + "decline": "Rexeitar", + "default-avatar": "Avatar predeterminado", + "delete": "Eliminar", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Eliminar a etiqueta?", + "description": "Descrición", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Desbotar", + "done": "Feito", + "download": "Descargar", + "edit": "Editar", + "edit-avatar": "Cambiar de avatar", + "edit-profile": "Editar o perfil", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Cambiar a data de inicio", + "editCardDueDatePopup-title": "Cambiar a data límite", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Cambiar a etiqueta", + "editNotificationPopup-title": "Editar a notificación", + "editProfilePopup-title": "Editar o perfil", + "email": "Correo electrónico", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "Esta lista non existe", + "error-user-doesNotExist": "Este usuario non existe", + "error-user-notAllowSelf": "Non é posíbel convidarse a un mesmo", + "error-user-notCreated": "Este usuario non está creado", + "error-username-taken": "Este nome de usuario xa está collido", + "error-email-taken": "Email has already been taken", + "export-board": "Exportar taboleiro", + "filter": "Filtro", + "filter-cards": "Filtrar tarxetas", + "filter-clear": "Limpar filtro", + "filter-no-label": "Non hai etiquetas", + "filter-no-member": "Non hai membros", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "O filtro está activado", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Nome completo", + "header-logo-title": "Retornar á páxina dos seus taboleiros.", + "hide-system-messages": "Agochar as mensaxes do sistema", + "headerBarCreateBoardPopup-title": "Crear taboleiro", + "home": "Inicio", + "import": "Importar", + "import-board": "importar taboleiro", + "import-board-c": "Importar taboleiro", + "import-board-title-trello": "Importar taboleiro de Trello", + "import-board-title-wekan": "Importar taboleiro de Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "De Trello", + "from-wekan": "De Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Iniciais", + "invalid-date": "A data é incorrecta", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Crear etiqueta", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Etiquetas", + "language": "Idioma", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Saír do taboleiro", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "Máis", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Listas", + "swimlanes": "Swimlanes", + "log-out": "Pechar a sesión", + "log-in": "Acceder", + "loginPopup-title": "Acceder", + "memberMenuPopup-title": "Member Settings", + "members": "Membros", + "menu": "Menú", + "move-selection": "Mover selección", + "moveCardPopup-title": "Mover tarxeta", + "moveCardToBottom-title": "Mover abaixo de todo", + "moveCardToTop-title": "Mover arriba de todo", + "moveSelectionPopup-title": "Mover selección", + "multi-selection": "Selección múltipla", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Nome", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Non hai resultados", + "normal": "Normal", + "normal-desc": "Pode ver e editar tarxetas. Non pode cambiar a configuración.", + "not-accepted-yet": "O convite aínda non foi aceptado", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "opcional", + "or": "ou", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Non se atopou a páxina.", + "password": "Contrasinal", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Perfil", + "public": "Público", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribir", + "team": "Equipo", + "this-board": "este taboleiro", + "this-card": "esta tarxeta", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Hora", + "title": "Título", + "tracking": "Seguimento", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Enviar", + "upload-avatar": "Enviar un avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Nome de usuario", + "view-it": "Velo", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Vixiar", + "watching": "Vixiando", + "watching-info": "Recibirá unha notificación sobre calquera cambio que se produza neste taboleiro", + "welcome-board": "Taboleiro de benvida", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Fundamentos", + "welcome-list2": "Avanzado", + "what-to-do": "Que desexa facer?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Panel de administración", + "settings": "Configuración", + "people": "Persoas", + "registration": "Rexistro", + "disable-self-registration": "Desactivar o auto-rexistro", + "invite": "Convidar", + "invite-people": "Convidar persoas", + "to-boards": "Ao(s) taboleiro(s)", + "email-addresses": "Enderezos de correo", + "smtp-host-description": "O enderezo do servidor de SMTP que xestiona os seu correo electrónico.", + "smtp-port-description": "O porto que o servidor de SMTP emprega para o correo saínte.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "Servidor de SMTP", + "smtp-port": "Porto de SMTP", + "smtp-username": "Nome de usuario", + "smtp-password": "Contrasinal", + "smtp-tls": "TLS support", + "send-from": "De", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json new file mode 100644 index 00000000..f1b30f73 --- /dev/null +++ b/i18n/he.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "אישור", + "act-activity-notify": "[Wekan] הודעת פעילות", + "act-addAttachment": " __attachment__ צורף לכרטיס __card__", + "act-addChecklist": "רשימת משימות __checklist__ נוספה ל __card__", + "act-addChecklistItem": " __checklistItem__ נוסף לרשימת משימות __checklist__ בכרטיס __card__", + "act-addComment": "התקבלה תגובה על הכרטיס __card__:‏ __comment__", + "act-createBoard": "הלוח __board__ נוצר", + "act-createCard": "הכרטיס __card__ התווסף לרשימה __list__", + "act-createCustomField": "נוצר שדה בהתאמה אישית __customField__", + "act-createList": "הרשימה __list__ התווספה ללוח __board__", + "act-addBoardMember": "המשתמש __member__ נוסף ללוח __board__", + "act-archivedBoard": "__board__ הועבר לסל המחזור", + "act-archivedCard": "__card__ הועבר לסל המחזור", + "act-archivedList": "__list__ הועבר לסל המחזור", + "act-archivedSwimlane": "__swimlane__ הועבר לסל המחזור", + "act-importBoard": "הלוח __board__ יובא", + "act-importCard": "הכרטיס __card__ יובא", + "act-importList": "הרשימה __list__ יובאה", + "act-joinMember": "המשתמש __member__ נוסף לכרטיס __card__", + "act-moveCard": "הכרטיס __card__ הועבר מהרשימה __oldList__ לרשימה __list__", + "act-removeBoardMember": "המשתמש __member__ הוסר מהלוח __board__", + "act-restoredCard": "הכרטיס __card__ שוחזר ללוח __board__", + "act-unjoinMember": "המשתמש __member__ הוסר מהכרטיס __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "פעולות", + "activities": "פעילויות", + "activity": "פעילות", + "activity-added": "%s נוסף ל%s", + "activity-archived": "%s הועבר לסל המחזור", + "activity-attached": "%s צורף ל%s", + "activity-created": "%s נוצר", + "activity-customfield-created": "נוצר שדה בהתאמה אישית %s", + "activity-excluded": "%s לא נכלל ב%s", + "activity-imported": "%s ייובא מ%s אל %s", + "activity-imported-board": "%s ייובא מ%s", + "activity-joined": "הצטרפות אל %s", + "activity-moved": "%s עבר מ%s ל%s", + "activity-on": "ב%s", + "activity-removed": "%s הוסר מ%s", + "activity-sent": "%s נשלח ל%s", + "activity-unjoined": "בטל צירוף %s", + "activity-checklist-added": "נוספה רשימת משימות אל %s", + "activity-checklist-item-added": "נוסף פריט רשימת משימות אל ‚%s‘ תחת %s", + "add": "הוספה", + "add-attachment": "הוספת קובץ מצורף", + "add-board": "הוספת לוח", + "add-card": "הוספת כרטיס", + "add-swimlane": "הוספת מסלול", + "add-checklist": "הוספת רשימת מטלות", + "add-checklist-item": "הוספת פריט לרשימת משימות", + "add-cover": "הוספת כיסוי", + "add-label": "הוספת תווית", + "add-list": "הוספת רשימה", + "add-members": "הוספת חברים", + "added": "התווסף", + "addMemberPopup-title": "חברים", + "admin": "מנהל", + "admin-desc": "יש הרשאות לצפייה ולעריכת כרטיסים, להסרת חברים ולשינוי הגדרות לוח.", + "admin-announcement": "הכרזה", + "admin-announcement-active": "הכרזת מערכת פעילה", + "admin-announcement-title": "הכרזה ממנהל המערכת", + "all-boards": "כל הלוחות", + "and-n-other-card": "וכרטיס אחר", + "and-n-other-card_plural": "ו־__count__ כרטיסים אחרים", + "apply": "החלה", + "app-is-offline": "Wekan בטעינה, נא להמתין. רענון העמוד עשוי להוביל לאובדן מידע. אם הטעינה של Wekan נעצרה, נא לבדוק ששרת ה־Wekan לא נעצר.", + "archive": "העברה לסל המחזור", + "archive-all": "להעביר הכול לסל המחזור", + "archive-board": "העברת הלוח לסל המחזור", + "archive-card": "העברת הכרטיס לסל המחזור", + "archive-list": "העברת הרשימה לסל המחזור", + "archive-swimlane": "העברת מסלול לסל המחזור", + "archive-selection": "העברת הבחירה לסל המחזור", + "archiveBoardPopup-title": "להעביר את הלוח לסל המחזור?", + "archived-items": "סל מחזור", + "archived-boards": "לוחות בסל המחזור", + "restore-board": "שחזור לוח", + "no-archived-boards": "אין לוחות בסל המחזור", + "archives": "סל מחזור", + "assign-member": "הקצאת חבר", + "attached": "מצורף", + "attachment": "קובץ מצורף", + "attachment-delete-pop": "מחיקת קובץ מצורף הנה סופית. אין דרך חזרה.", + "attachmentDeletePopup-title": "למחוק קובץ מצורף?", + "attachments": "קבצים מצורפים", + "auto-watch": "הוספת לוחות למעקב כשהם נוצרים", + "avatar-too-big": "תמונת המשתמש גדולה מדי (70 ק״ב לכל היותר)", + "back": "חזרה", + "board-change-color": "שינוי צבע", + "board-nb-stars": "%s כוכבים", + "board-not-found": "לוח לא נמצא", + "board-private-info": "לוח זה יהיה פרטי.", + "board-public-info": "לוח זה יהיה ציבורי.", + "boardChangeColorPopup-title": "שינוי רקע ללוח", + "boardChangeTitlePopup-title": "שינוי שם הלוח", + "boardChangeVisibilityPopup-title": "שינוי מצב הצגה", + "boardChangeWatchPopup-title": "שינוי הגדרת המעקב", + "boardMenuPopup-title": "תפריט לוח", + "boards": "לוחות", + "board-view": "תצוגת לוח", + "board-view-swimlanes": "מסלולים", + "board-view-lists": "רשימות", + "bucket-example": "כמו למשל „רשימת המשימות“", + "cancel": "ביטול", + "card-archived": "כרטיס זה הועבר לסל המחזור", + "card-comments-title": "לכרטיס זה %s תגובות.", + "card-delete-notice": "מחיקה היא סופית. כל הפעולות המשויכות לכרטיס זה תלכנה לאיוד.", + "card-delete-pop": "כל הפעולות יוסרו מלוח הפעילות ולא תהיה אפשרות לפתוח מחדש את הכרטיס. אין דרך חזרה.", + "card-delete-suggest-archive": "ניתן להעביר כרטיס לסל המחזור כדי להסיר אותו מהלוח ולשמר את הפעילות.", + "card-due": "תאריך יעד", + "card-due-on": "תאריך יעד", + "card-spent": "זמן שהושקע", + "card-edit-attachments": "עריכת קבצים מצורפים", + "card-edit-custom-fields": "עריכת שדות בהתאמה אישית", + "card-edit-labels": "עריכת תוויות", + "card-edit-members": "עריכת חברים", + "card-labels-title": "שינוי תוויות לכרטיס.", + "card-members-title": "הוספה או הסרה של חברי הלוח מהכרטיס.", + "card-start": "התחלה", + "card-start-on": "מתחיל ב־", + "cardAttachmentsPopup-title": "לצרף מ־", + "cardCustomField-datePopup-title": "החלפת תאריך", + "cardCustomFieldsPopup-title": "עריכת שדות בהתאמה אישית", + "cardDeletePopup-title": "למחוק כרטיס?", + "cardDetailsActionsPopup-title": "פעולות על הכרטיס", + "cardLabelsPopup-title": "תוויות", + "cardMembersPopup-title": "חברים", + "cardMorePopup-title": "עוד", + "cards": "כרטיסים", + "cards-count": "כרטיסים", + "change": "שינוי", + "change-avatar": "החלפת תמונת משתמש", + "change-password": "החלפת ססמה", + "change-permissions": "שינוי הרשאות", + "change-settings": "שינוי הגדרות", + "changeAvatarPopup-title": "שינוי תמונת משתמש", + "changeLanguagePopup-title": "החלפת שפה", + "changePasswordPopup-title": "החלפת ססמה", + "changePermissionsPopup-title": "שינוי הרשאות", + "changeSettingsPopup-title": "שינוי הגדרות", + "checklists": "רשימות", + "click-to-star": "יש ללחוץ להוספת הלוח למועדפים.", + "click-to-unstar": "יש ללחוץ להסרת הלוח מהמועדפים.", + "clipboard": "לוח גזירים או גרירה ושחרור", + "close": "סגירה", + "close-board": "סגירת לוח", + "close-board-pop": "תהיה לך אפשרות להסיר את הלוח על ידי לחיצה על הכפתור „סל מחזור” מכותרת הבית.", + "color-black": "שחור", + "color-blue": "כחול", + "color-green": "ירוק", + "color-lime": "ליים", + "color-orange": "כתום", + "color-pink": "ורוד", + "color-purple": "סגול", + "color-red": "אדום", + "color-sky": "תכלת", + "color-yellow": "צהוב", + "comment": "לפרסם", + "comment-placeholder": "כתיבת הערה", + "comment-only": "הערה בלבד", + "comment-only-desc": "ניתן להעיר על כרטיסים בלבד.", + "computer": "מחשב", + "confirm-checklist-delete-dialog": "האם אתה בטוח שברצונך למחוק את רשימת המשימות", + "copy-card-link-to-clipboard": "העתקת קישור הכרטיס ללוח הגזירים", + "copyCardPopup-title": "העתק כרטיס", + "copyChecklistToManyCardsPopup-title": "העתקת תבנית רשימת מטלות למגוון כרטיסים", + "copyChecklistToManyCardsPopup-instructions": "כותרות ותיאורים של כרטיסי יעד בתצורת JSON זו", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"כותרת כרטיס ראשון\", \"description\":\"תיאור כרטיס ראשון\"}, {\"title\":\"כותרת כרטיס שני\",\"description\":\"תיאור כרטיס שני\"},{\"title\":\"כותרת כרטיס אחרון\",\"description\":\"תיאור כרטיס אחרון\"} ]", + "create": "יצירה", + "createBoardPopup-title": "יצירת לוח", + "chooseBoardSourcePopup-title": "ייבוא לוח", + "createLabelPopup-title": "יצירת תווית", + "createCustomField": "יצירת שדה", + "createCustomFieldPopup-title": "יצירת שדה", + "current": "נוכחי", + "custom-field-delete-pop": "אין אפשרות לבטל את הפעולה. הפעולה תסיר את השדה שהותאם אישית מכל הכרטיסים ותשמיד את ההיסטוריה שלו.", + "custom-field-checkbox": "תיבת סימון", + "custom-field-date": "תאריך", + "custom-field-dropdown": "רשימה נגללת", + "custom-field-dropdown-none": "(ללא)", + "custom-field-dropdown-options": "אפשרויות רשימה", + "custom-field-dropdown-options-placeholder": "יש ללחוץ על enter כדי להוסיף עוד אפשרויות", + "custom-field-dropdown-unknown": "(לא ידוע)", + "custom-field-number": "מספר", + "custom-field-text": "טקסט", + "custom-fields": "שדות מותאמים אישית", + "date": "תאריך", + "decline": "סירוב", + "default-avatar": "תמונת משתמש כבררת מחדל", + "delete": "מחיקה", + "deleteCustomFieldPopup-title": "למחוק שדה מותאם אישית?", + "deleteLabelPopup-title": "למחוק תווית?", + "description": "תיאור", + "disambiguateMultiLabelPopup-title": "הבהרת פעולת תווית", + "disambiguateMultiMemberPopup-title": "הבהרת פעולת חבר", + "discard": "התעלמות", + "done": "בוצע", + "download": "הורדה", + "edit": "עריכה", + "edit-avatar": "החלפת תמונת משתמש", + "edit-profile": "עריכת פרופיל", + "edit-wip-limit": "עריכת מגבלת „בעבודה”", + "soft-wip-limit": "מגבלת „בעבודה” רכה", + "editCardStartDatePopup-title": "שינוי מועד התחלה", + "editCardDueDatePopup-title": "שינוי מועד סיום", + "editCustomFieldPopup-title": "עריכת שדה", + "editCardSpentTimePopup-title": "שינוי הזמן שהושקע", + "editLabelPopup-title": "שינוי תווית", + "editNotificationPopup-title": "שינוי דיווח", + "editProfilePopup-title": "עריכת פרופיל", + "email": "דוא״ל", + "email-enrollAccount-subject": "נוצר עבורך חשבון באתר __siteName__", + "email-enrollAccount-text": "__user__ שלום,\n\nכדי להתחיל להשתמש בשירות, יש ללחוץ על הקישור המופיע להלן.\n\n__url__\n\nתודה.", + "email-fail": "שליחת ההודעה בדוא״ל נכשלה", + "email-fail-text": "שגיאה בעת ניסיון לשליחת הודעת דוא״ל", + "email-invalid": "כתובת דוא״ל לא חוקית", + "email-invite": "הזמנה באמצעות דוא״ל", + "email-invite-subject": "נשלחה אליך הזמנה מאת __inviter__", + "email-invite-text": "__user__ שלום,\n\nהוזמנת על ידי __inviter__ להצטרף ללוח „__board__“ להמשך שיתוף הפעולה.\n\nנא ללחוץ על הקישור המופיע להלן:\n\n__url__\n\nתודה.", + "email-resetPassword-subject": "ניתן לאפס את ססמתך לאתר __siteName__", + "email-resetPassword-text": "__user__ שלום,\n\nכדי לאפס את ססמתך, יש ללחוץ על הקישור המופיע להלן.\n\n__url__\n\nתודה.", + "email-sent": "הודעת הדוא״ל נשלחה", + "email-verifyEmail-subject": "אימות כתובת הדוא״ל שלך באתר __siteName__", + "email-verifyEmail-text": "__user__ שלום,\n\nלאימות כתובת הדוא״ל המשויכת לחשבונך, עליך פשוט ללחוץ על הקישור המופיע להלן.\n\n__url__\n\nתודה.", + "enable-wip-limit": "הפעלת מגבלת „בעבודה”", + "error-board-doesNotExist": "לוח זה אינו קיים", + "error-board-notAdmin": "צריכות להיות לך הרשאות ניהול על לוח זה כדי לעשות זאת", + "error-board-notAMember": "עליך לקבל חברות בלוח זה כדי לעשות זאת", + "error-json-malformed": "הטקסט שלך אינו JSON תקין", + "error-json-schema": "נתוני ה־JSON שלך לא כוללים את המידע הנכון בתבנית הנכונה", + "error-list-doesNotExist": "רשימה זו לא קיימת", + "error-user-doesNotExist": "משתמש זה לא קיים", + "error-user-notAllowSelf": "אינך יכול להזמין את עצמך", + "error-user-notCreated": "משתמש זה לא נוצר", + "error-username-taken": "המשתמש כבר קיים במערכת", + "error-email-taken": "כתובת הדוא\"ל כבר נמצאת בשימוש", + "export-board": "ייצוא לוח", + "filter": "מסנן", + "filter-cards": "סינון כרטיסים", + "filter-clear": "ניקוי המסנן", + "filter-no-label": "אין תווית", + "filter-no-member": "אין חבר כזה", + "filter-no-custom-fields": "אין שדות מותאמים אישית", + "filter-on": "המסנן פועל", + "filter-on-desc": "מסנן כרטיסים פעיל בלוח זה. יש ללחוץ כאן לעריכת המסנן.", + "filter-to-selection": "סינון לבחירה", + "advanced-filter-label": "מסנן מתקדם", + "advanced-filter-description": "המסנן המתקדם מאפשר לך לכתוב מחרוזת שמכילה את הפעולות הבאות: == != <= >= && || ( ) רווח מכהן כמפריד בין הפעולות. ניתן לסנן את כל השדות המותאמים אישית על ידי הקלדת שמם והערך שלהם. למשל: שדה1 == ערך1. לתשומת לבך: אם שדות או ערכים מכילים רווח, יש לעטוף אותם במירכא מכל צד. למשל: 'שדה 1' == 'ערך 1'. ניתן גם לשלב מגוון תנאים. למשל: F1 == V1 || F1 = V2. על פי רוב כל הפעולות מפוענחות משמאל לימין. ניתן לשנות את הסדר על ידי הצבת סוגריים. למשל: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "שם מלא", + "header-logo-title": "חזרה לדף הלוחות שלך.", + "hide-system-messages": "הסתרת הודעות מערכת", + "headerBarCreateBoardPopup-title": "יצירת לוח", + "home": "בית", + "import": "יבוא", + "import-board": "ייבוא לוח", + "import-board-c": "יבוא לוח", + "import-board-title-trello": "ייבוא לוח מטרלו", + "import-board-title-wekan": "ייבוא לוח מ־Wekan", + "import-sandstorm-warning": "הלוח שייובא ימחק את כל הנתונים הקיימים בלוח ויחליף אותם בלוח שייובא.", + "from-trello": "מ־Trello", + "from-wekan": "מ־Wekan", + "import-board-instruction-trello": "בלוח הטרלו שלך, עליך ללחוץ על ‚תפריט‘, ואז על ‚עוד‘, ‚הדפסה וייצוא‘, ‚יצוא JSON‘ ולהעתיק את הטקסט שנוצר.", + "import-board-instruction-wekan": "בלוח ה־Wekan, יש לגשת אל ‚תפריט‘, לאחר מכן ‚יצוא לוח‘ ולהעתיק את הטקסט בקובץ שהתקבל.", + "import-json-placeholder": "יש להדביק את נתוני ה־JSON התקינים לכאן", + "import-map-members": "מיפוי חברים", + "import-members-map": "הלוחות המיובאים שלך מכילים חברים. נא למפות את החברים שברצונך לייבא למשתמשי Wekan", + "import-show-user-mapping": "סקירת מיפוי חברים", + "import-user-select": "נא לבחור את המשתמש ב־Wekan בו ברצונך להשתמש עבור חבר זה", + "importMapMembersAddPopup-title": "בחירת משתמש Wekan", + "info": "גרסא", + "initials": "ראשי תיבות", + "invalid-date": "תאריך שגוי", + "invalid-time": "זמן שגוי", + "invalid-user": "משתמש שגוי", + "joined": "הצטרף", + "just-invited": "הוזמנת ללוח זה", + "keyboard-shortcuts": "קיצורי מקלדת", + "label-create": "יצירת תווית", + "label-default": "תווית בצבע %s (בררת מחדל)", + "label-delete-pop": "אין דרך חזרה. התווית תוסר מכל הכרטיסים וההיסטוריה תימחק.", + "labels": "תוויות", + "language": "שפה", + "last-admin-desc": "אין אפשרות לשנות תפקידים כיוון שחייב להיות מנהל אחד לפחות.", + "leave-board": "עזיבת הלוח", + "leave-board-pop": "לעזוב את __boardTitle__? שמך יוסר מכל הכרטיסים שבלוח זה.", + "leaveBoardPopup-title": "לעזוב לוח ?", + "link-card": "קישור לכרטיס זה", + "list-archive-cards": "להעביר את כל הכרטיסים לסל המחזור", + "list-archive-cards-pop": "פעולה זו תסיר את כל הכרטיסים שברשימה זו מהלוח. כדי לצפות בכרטיסים בסל המחזור ולהשיב אותם ללוח ניתן ללחוץ על „תפריט” > „סל מחזור”.", + "list-move-cards": "העברת כל הכרטיסים שברשימה זו", + "list-select-cards": "בחירת כל הכרטיסים שברשימה זו", + "listActionPopup-title": "פעולות רשימה", + "swimlaneActionPopup-title": "פעולות על מסלול", + "listImportCardPopup-title": "יבוא כרטיס מ־Trello", + "listMorePopup-title": "עוד", + "link-list": "קישור לרשימה זו", + "list-delete-pop": "כל הפעולות תוסרנה מרצף הפעילות ולא תהיה לך אפשרות לשחזר את הרשימה. אין ביטול.", + "list-delete-suggest-archive": "ניתן להעביר רשימה לסל מחזור כדי להסיר אותה מהלוח ולשמר את הפעילות.", + "lists": "רשימות", + "swimlanes": "מסלולים", + "log-out": "יציאה", + "log-in": "כניסה", + "loginPopup-title": "כניסה", + "memberMenuPopup-title": "הגדרות חברות", + "members": "חברים", + "menu": "תפריט", + "move-selection": "העברת הבחירה", + "moveCardPopup-title": "העברת כרטיס", + "moveCardToBottom-title": "העברת כרטיס לתחתית הרשימה", + "moveCardToTop-title": "העברת כרטיס לראש הרשימה ", + "moveSelectionPopup-title": "העברת בחירה", + "multi-selection": "בחירה מרובה", + "multi-selection-on": "בחירה מרובה פועלת", + "muted": "מושתק", + "muted-info": "מעתה לא תתקבלנה אצלך התרעות על שינויים בלוח זה", + "my-boards": "הלוחות שלי", + "name": "שם", + "no-archived-cards": "אין כרטיסים בסל המחזור.", + "no-archived-lists": "אין רשימות בסל המחזור.", + "no-archived-swimlanes": "אין מסלולים בסל המחזור.", + "no-results": "אין תוצאות", + "normal": "רגיל", + "normal-desc": "הרשאה לצפות ולערוך כרטיסים. לא ניתן לשנות הגדרות.", + "not-accepted-yet": "ההזמנה לא אושרה עדיין", + "notify-participate": "קבלת עדכונים על כרטיסים בהם יש לך מעורבות הן בתהליך היצירה והן כחבר", + "notify-watch": "קבלת עדכונים על כל לוח, רשימה או כרטיס שסימנת למעקב", + "optional": "רשות", + "or": "או", + "page-maybe-private": "יתכן שדף זה פרטי. ניתן לצפות בו על ידי כניסה למערכת", + "page-not-found": "דף לא נמצא.", + "password": "ססמה", + "paste-or-dragdrop": "כדי להדביק או לגרור ולשחרר קובץ תמונה אליו (תמונות בלבד)", + "participating": "משתתפים", + "preview": "תצוגה מקדימה", + "previewAttachedImagePopup-title": "תצוגה מקדימה", + "previewClipboardImagePopup-title": "תצוגה מקדימה", + "private": "פרטי", + "private-desc": "לוח זה פרטי. רק אנשים שנוספו ללוח יכולים לצפות ולערוך אותו.", + "profile": "פרופיל", + "public": "ציבורי", + "public-desc": "לוח זה ציבורי. כל מי שמחזיק בקישור יכול לצפות בלוח והוא יופיע בתוצאות מנועי חיפוש כגון גוגל. רק אנשים שנוספו ללוח יכולים לערוך אותו.", + "quick-access-description": "לחיצה על הכוכב תוסיף קיצור דרך ללוח בשורה זו.", + "remove-cover": "הסרת כיסוי", + "remove-from-board": "הסרה מהלוח", + "remove-label": "הסרת תווית", + "listDeletePopup-title": "למחוק את הרשימה?", + "remove-member": "הסרת חבר", + "remove-member-from-card": "הסרה מהכרטיס", + "remove-member-pop": "להסיר את __name__ (__username__) מ__boardTitle__? התהליך יגרום להסרת החבר מכל הכרטיסים בלוח זה. תישלח הודעה אל החבר.", + "removeMemberPopup-title": "להסיר חבר?", + "rename": "שינוי שם", + "rename-board": "שינוי שם ללוח", + "restore": "שחזור", + "save": "שמירה", + "search": "חיפוש", + "search-cards": "חיפוש אחר כותרות ותיאורים של כרטיסים בלוח זה", + "search-example": "טקסט לחיפוש ?", + "select-color": "בחירת צבע", + "set-wip-limit-value": "הגדרת מגבלה למספר המרבי של משימות ברשימה זו", + "setWipLimitPopup-title": "הגדרת מגבלת „בעבודה”", + "shortcut-assign-self": "להקצות אותי לכרטיס הנוכחי", + "shortcut-autocomplete-emoji": "השלמה אוטומטית לאימוג׳י", + "shortcut-autocomplete-members": "השלמה אוטומטית של חברים", + "shortcut-clear-filters": "ביטול כל המסננים", + "shortcut-close-dialog": "סגירת החלון", + "shortcut-filter-my-cards": "סינון הכרטיסים שלי", + "shortcut-show-shortcuts": "העלאת רשימת קיצורים זו", + "shortcut-toggle-filterbar": "הצגה או הסתרה של סרגל צד הסינון", + "shortcut-toggle-sidebar": "הצגה או הסתרה של סרגל צד הלוח", + "show-cards-minimum-count": "הצגת ספירת כרטיסים אם רשימה מכילה למעלה מ־", + "sidebar-open": "פתיחת סרגל צד", + "sidebar-close": "סגירת סרגל צד", + "signupPopup-title": "יצירת חשבון", + "star-board-title": "ניתן ללחוץ כדי לסמן בכוכב. הלוח יופיע בראש רשימת הלוחות שלך.", + "starred-boards": "לוחות שסומנו בכוכב", + "starred-boards-description": "לוחות מסומנים בכוכב מופיעים בראש רשימת הלוחות שלך.", + "subscribe": "הרשמה", + "team": "צוות", + "this-board": "לוח זה", + "this-card": "כרטיס זה", + "spent-time-hours": "זמן שהושקע (שעות)", + "overtime-hours": "שעות נוספות", + "overtime": "שעות נוספות", + "has-overtime-cards": "יש כרטיסי שעות נוספות", + "has-spenttime-cards": "ניצל את כרטיסי הזמן שהושקע", + "time": "זמן", + "title": "כותרת", + "tracking": "מעקב", + "tracking-info": "על כל שינוי בכרטיסים בהם הייתה לך מעורבות ברמת היצירה או כחברות תגיע אליך הודעה.", + "type": "סוג", + "unassign-member": "ביטול הקצאת חבר", + "unsaved-description": "יש לך תיאור לא שמור.", + "unwatch": "ביטול מעקב", + "upload": "העלאה", + "upload-avatar": "העלאת תמונת משתמש", + "uploaded-avatar": "הועלתה תמונה משתמש", + "username": "שם משתמש", + "view-it": "הצגה", + "warn-list-archived": "אזהרה: כרטיס זה נמצא ברשימה בסל המחזור", + "watch": "לעקוב", + "watching": "במעקב", + "watching-info": "מעתה יגיעו אליך דיווחים על כל שינוי בלוח זה", + "welcome-board": "לוח קבלת פנים", + "welcome-swimlane": "ציון דרך 1", + "welcome-list1": "יסודות", + "welcome-list2": "מתקדם", + "what-to-do": "מה ברצונך לעשות?", + "wipLimitErrorPopup-title": "מגבלת „בעבודה” שגויה", + "wipLimitErrorPopup-dialog-pt1": "מספר המשימות ברשימה זו גדולה ממגבלת הפריטים „בעבודה” שהגדרת.", + "wipLimitErrorPopup-dialog-pt2": "נא להוציא חלק מהמשימות מרשימה זו או להגדיר מגבלת „בעבודה” גדולה יותר.", + "admin-panel": "חלונית ניהול המערכת", + "settings": "הגדרות", + "people": "אנשים", + "registration": "הרשמה", + "disable-self-registration": "השבתת הרשמה עצמית", + "invite": "הזמנה", + "invite-people": "הזמנת אנשים", + "to-boards": "ללוח/ות", + "email-addresses": "כתובות דוא״ל", + "smtp-host-description": "כתובת שרת ה־SMTP שמטפל בהודעות הדוא״ל שלך.", + "smtp-port-description": "מספר הפתחה בה שרת ה־SMTP שלך משתמש לדוא״ל יוצא.", + "smtp-tls-description": "הפעל תמיכה ב־TLS עבור שרת ה־SMTP", + "smtp-host": "כתובת ה־SMTP", + "smtp-port": "פתחת ה־SMTP", + "smtp-username": "שם משתמש", + "smtp-password": "ססמה", + "smtp-tls": "תמיכה ב־TLS", + "send-from": "מאת", + "send-smtp-test": "שליחת דוא״ל בדיקה לעצמך", + "invitation-code": "קוד הזמנה", + "email-invite-register-subject": "נשלחה אליך הזמנה מאת __inviter__", + "email-invite-register-text": "__user__ יקר,\n\nקיבלת הזמנה מאת __inviter__ לשתף פעולה ב־Wekan.\n\nנא ללחוץ על הקישור:\n__url__\n\nקוד ההזמנה שלך הוא: __icode__\n\nתודה.", + "email-smtp-test-subject": "הודעת בדיקה דרך SMTP מאת Wekan", + "email-smtp-test-text": "שלחת הודעת דוא״ל בהצלחה", + "error-invitation-code-not-exist": "קוד ההזמנה אינו קיים", + "error-notAuthorized": "אין לך הרשאה לצפות בעמוד זה.", + "outgoing-webhooks": "קרסי רשת יוצאים", + "outgoingWebhooksPopup-title": "קרסי רשת יוצאים", + "new-outgoing-webhook": "קרסי רשת יוצאים חדשים", + "no-name": "(לא ידוע)", + "Wekan_version": "גרסת Wekan", + "Node_version": "גרסת Node", + "OS_Arch": "ארכיטקטורת מערכת הפעלה", + "OS_Cpus": "מספר מעבדים", + "OS_Freemem": "זיכרון (RAM) פנוי", + "OS_Loadavg": "עומס ממוצע ", + "OS_Platform": "מערכת הפעלה", + "OS_Release": "גרסת מערכת הפעלה", + "OS_Totalmem": "סך הכל זיכרון (RAM)", + "OS_Type": "סוג מערכת ההפעלה", + "OS_Uptime": "זמן שעבר מאז האתחול האחרון", + "hours": "שעות", + "minutes": "דקות", + "seconds": "שניות", + "show-field-on-card": "הצגת שדה זה בכרטיס", + "yes": "כן", + "no": "לא", + "accounts": "חשבונות", + "accounts-allowEmailChange": "אפשר שינוי דוא\"ל", + "accounts-allowUserNameChange": "לאפשר שינוי שם משתמש", + "createdAt": "נוצר ב", + "verified": "עבר אימות", + "active": "פעיל", + "card-received": "התקבל", + "card-received-on": "התקבל במועד", + "card-end": "סיום", + "card-end-on": "מועד הסיום", + "editCardReceivedDatePopup-title": "החלפת מועד הקבלה", + "editCardEndDatePopup-title": "החלפת מועד הסיום", + "assigned-by": "הוקצה על ידי", + "requested-by": "התבקש על ידי", + "board-delete-notice": "מחיקה היא לצמיתות. כל הרשימות, הכרטיבים והפעולות שקשורים בלוח הזה ילכו לאיבוד.", + "delete-board-confirm-popup": "כל הרשימות, הכרטיסים, התווית והפעולות יימחקו ולא תהיה לך דרך לשחזר את תכני הלוח. אין אפשרות לבטל.", + "boardDeletePopup-title": "למחוק את הלוח?", + "delete-board": "מחיקת לוח" +} \ No newline at end of file diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json new file mode 100644 index 00000000..0dfb11f0 --- /dev/null +++ b/i18n/hu.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Elfogadás", + "act-activity-notify": "[Wekan] Tevékenység értesítés", + "act-addAttachment": "__attachment__ mellékletet csatolt a kártyához: __card__", + "act-addChecklist": "__checklist__ ellenőrzőlistát adott hozzá a kártyához: __card__", + "act-addChecklistItem": "__checklistItem__ elemet adott hozzá a(z) __checklist__ ellenőrzőlistához ezen a kártyán: __card__", + "act-addComment": "hozzászólt a(z) __card__ kártyán: __comment__", + "act-createBoard": "létrehozta a táblát: __board__", + "act-createCard": "__card__ kártyát adott hozzá a listához: __list__", + "act-createCustomField": "létrehozta a(z) __customField__ egyéni listát", + "act-createList": "__list__ listát adott hozzá a táblához: __board__", + "act-addBoardMember": "__member__ tagot hozzáadta a táblához: __board__", + "act-archivedBoard": "A(z) __board__ tábla áthelyezve a lomtárba", + "act-archivedCard": "A(z) __card__ kártya áthelyezve a lomtárba", + "act-archivedList": "A(z) __list__ lista áthelyezve a lomtárba", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "importálta a táblát: __board__", + "act-importCard": "importálta a kártyát: __card__", + "act-importList": "importálta a listát: __list__", + "act-joinMember": "__member__ tagot hozzáadta a kártyához: __card__", + "act-moveCard": "áthelyezte a(z) __card__ kártyát: __oldList__ → __list__", + "act-removeBoardMember": "eltávolította __member__ tagot a tábláról: __board__", + "act-restoredCard": "visszaállította a(z) __card__ kártyát ide: __board__", + "act-unjoinMember": "eltávolította __member__ tagot a kártyáról: __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Műveletek", + "activities": "Tevékenységek", + "activity": "Tevékenység", + "activity-added": "%s hozzáadva ehhez: %s", + "activity-archived": "%s áthelyezve a lomtárba", + "activity-attached": "%s mellékletet csatolt a kártyához: %s", + "activity-created": "%s létrehozva", + "activity-customfield-created": "létrehozta a(z) %s egyéni mezőt", + "activity-excluded": "%s kizárva innen: %s", + "activity-imported": "%s importálva ebbe: %s, innen: %s", + "activity-imported-board": "%s importálva innen: %s", + "activity-joined": "%s csatlakozott", + "activity-moved": "%s áthelyezve: %s → %s", + "activity-on": "ekkor: %s", + "activity-removed": "%s eltávolítva innen: %s", + "activity-sent": "%s elküldve ide: %s", + "activity-unjoined": "%s kilépett a csoportból", + "activity-checklist-added": "ellenőrzőlista hozzáadva ehhez: %s", + "activity-checklist-item-added": "ellenőrzőlista elem hozzáadva ehhez: „%s”, ebben: %s", + "add": "Hozzáadás", + "add-attachment": "Melléklet hozzáadása", + "add-board": "Tábla hozzáadása", + "add-card": "Kártya hozzáadása", + "add-swimlane": "Add Swimlane", + "add-checklist": "Ellenőrzőlista hozzáadása", + "add-checklist-item": "Elem hozzáadása az ellenőrzőlistához", + "add-cover": "Borító hozzáadása", + "add-label": "Címke hozzáadása", + "add-list": "Lista hozzáadása", + "add-members": "Tagok hozzáadása", + "added": "Hozzáadva", + "addMemberPopup-title": "Tagok", + "admin": "Adminisztrátor", + "admin-desc": "Megtekintheti és szerkesztheti a kártyákat, eltávolíthat tagokat, valamint megváltoztathatja a tábla beállításait.", + "admin-announcement": "Bejelentés", + "admin-announcement-active": "Bekapcsolt rendszerszintű bejelentés", + "admin-announcement-title": "Bejelentés az adminisztrátortól", + "all-boards": "Összes tábla", + "and-n-other-card": "És __count__ egyéb kártya", + "and-n-other-card_plural": "És __count__ egyéb kártya", + "apply": "Alkalmaz", + "app-is-offline": "A Wekan betöltés alatt van, kérem várjon. Az oldal újratöltése adatvesztést okoz. Ha a Wekan nem töltődik be, akkor ellenőrizze, hogy a Wekan kiszolgáló nem állt-e le.", + "archive": "Lomtárba", + "archive-all": "Összes lomtárba helyezése", + "archive-board": "Tábla lomtárba helyezése", + "archive-card": "Kártya lomtárba helyezése", + "archive-list": "Lista lomtárba helyezése", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Kijelölés lomtárba helyezése", + "archiveBoardPopup-title": "Lomtárba helyezi a táblát?", + "archived-items": "Lomtár", + "archived-boards": "Lomtárban lévő táblák", + "restore-board": "Tábla visszaállítása", + "no-archived-boards": "Nincs tábla a lomtárban.", + "archives": "Lomtár", + "assign-member": "Tag hozzárendelése", + "attached": "csatolva", + "attachment": "Melléklet", + "attachment-delete-pop": "A melléklet törlése végeleges. Nincs visszaállítás.", + "attachmentDeletePopup-title": "Törli a mellékletet?", + "attachments": "Mellékletek", + "auto-watch": "Táblák automatikus megtekintése, amikor létrejönnek", + "avatar-too-big": "Az avatár túl nagy (legfeljebb 70 KB)", + "back": "Vissza", + "board-change-color": "Szín megváltoztatása", + "board-nb-stars": "%s csillag", + "board-not-found": "A tábla nem található", + "board-private-info": "Ez a tábla legyen személyes.", + "board-public-info": "Ez a tábla legyen nyilvános.", + "boardChangeColorPopup-title": "Tábla hátterének megváltoztatása", + "boardChangeTitlePopup-title": "Tábla átnevezése", + "boardChangeVisibilityPopup-title": "Láthatóság megváltoztatása", + "boardChangeWatchPopup-title": "Megfigyelés megváltoztatása", + "boardMenuPopup-title": "Tábla menü", + "boards": "Táblák", + "board-view": "Tábla nézet", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Listák", + "bucket-example": "Mint például „Bakancslista”", + "cancel": "Mégse", + "card-archived": "Ez a kártya a lomtárba került.", + "card-comments-title": "Ez a kártya %s hozzászólást tartalmaz.", + "card-delete-notice": "A törlés végleges. Az összes műveletet elveszíti, amely ehhez a kártyához tartozik.", + "card-delete-pop": "Az összes művelet el lesz távolítva a tevékenységlistából, és nem lesz képes többé újra megnyitni a kártyát. Nincs visszaállítási lehetőség.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Esedékes", + "card-due-on": "Esedékes ekkor", + "card-spent": "Eltöltött idő", + "card-edit-attachments": "Mellékletek szerkesztése", + "card-edit-custom-fields": "Egyéni mezők szerkesztése", + "card-edit-labels": "Címkék szerkesztése", + "card-edit-members": "Tagok szerkesztése", + "card-labels-title": "A kártya címkéinek megváltoztatása.", + "card-members-title": "A tábla tagjainak hozzáadása vagy eltávolítása a kártyáról.", + "card-start": "Kezdés", + "card-start-on": "Kezdés ekkor", + "cardAttachmentsPopup-title": "Innen csatolva", + "cardCustomField-datePopup-title": "Dátum megváltoztatása", + "cardCustomFieldsPopup-title": "Egyéni mezők szerkesztése", + "cardDeletePopup-title": "Törli a kártyát?", + "cardDetailsActionsPopup-title": "Kártyaműveletek", + "cardLabelsPopup-title": "Címkék", + "cardMembersPopup-title": "Tagok", + "cardMorePopup-title": "Több", + "cards": "Kártyák", + "cards-count": "Kártyák", + "change": "Változtatás", + "change-avatar": "Avatár megváltoztatása", + "change-password": "Jelszó megváltoztatása", + "change-permissions": "Jogosultságok megváltoztatása", + "change-settings": "Beállítások megváltoztatása", + "changeAvatarPopup-title": "Avatár megváltoztatása", + "changeLanguagePopup-title": "Nyelv megváltoztatása", + "changePasswordPopup-title": "Jelszó megváltoztatása", + "changePermissionsPopup-title": "Jogosultságok megváltoztatása", + "changeSettingsPopup-title": "Beállítások megváltoztatása", + "checklists": "Ellenőrzőlisták", + "click-to-star": "Kattintson a tábla csillagozásához.", + "click-to-unstar": "Kattintson a tábla csillagának eltávolításához.", + "clipboard": "Vágólap vagy fogd és vidd", + "close": "Bezárás", + "close-board": "Tábla bezárása", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "fekete", + "color-blue": "kék", + "color-green": "zöld", + "color-lime": "citrus", + "color-orange": "narancssárga", + "color-pink": "rózsaszín", + "color-purple": "lila", + "color-red": "piros", + "color-sky": "égszínkék", + "color-yellow": "sárga", + "comment": "Megjegyzés", + "comment-placeholder": "Megjegyzés írása", + "comment-only": "Csak megjegyzés", + "comment-only-desc": "Csak megjegyzést írhat a kártyákhoz.", + "computer": "Számítógép", + "confirm-checklist-delete-dialog": "Biztosan törölni szeretné az ellenőrzőlistát?", + "copy-card-link-to-clipboard": "Kártya hivatkozásának másolása a vágólapra", + "copyCardPopup-title": "Kártya másolása", + "copyChecklistToManyCardsPopup-title": "Ellenőrzőlista sablon másolása több kártyára", + "copyChecklistToManyCardsPopup-instructions": "A célkártyák címe és a leírások ebben a JSON formátumban", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Első kártya címe\", \"description\":\"Első kártya leírása\"}, {\"title\":\"Második kártya címe\",\"description\":\"Második kártya leírása\"},{\"title\":\"Utolsó kártya címe\",\"description\":\"Utolsó kártya leírása\"} ]", + "create": "Létrehozás", + "createBoardPopup-title": "Tábla létrehozása", + "chooseBoardSourcePopup-title": "Tábla importálása", + "createLabelPopup-title": "Címke létrehozása", + "createCustomField": "Mező létrehozása", + "createCustomFieldPopup-title": "Mező létrehozása", + "current": "jelenlegi", + "custom-field-delete-pop": "Nincs visszavonás. Ez el fogja távolítani az egyéni mezőt az összes kártyáról, és megsemmisíti az előzményeit.", + "custom-field-checkbox": "Jelölőnégyzet", + "custom-field-date": "Dátum", + "custom-field-dropdown": "Legördülő lista", + "custom-field-dropdown-none": "(nincs)", + "custom-field-dropdown-options": "Lista lehetőségei", + "custom-field-dropdown-options-placeholder": "Nyomja meg az Enter billentyűt több lehetőség hozzáadásához", + "custom-field-dropdown-unknown": "(ismeretlen)", + "custom-field-number": "Szám", + "custom-field-text": "Szöveg", + "custom-fields": "Egyéni mezők", + "date": "Dátum", + "decline": "Elutasítás", + "default-avatar": "Alapértelmezett avatár", + "delete": "Törlés", + "deleteCustomFieldPopup-title": "Törli az egyéni mezőt?", + "deleteLabelPopup-title": "Törli a címkét?", + "description": "Leírás", + "disambiguateMultiLabelPopup-title": "Címkeművelet egyértelműsítése", + "disambiguateMultiMemberPopup-title": "Tagművelet egyértelműsítése", + "discard": "Eldobás", + "done": "Kész", + "download": "Letöltés", + "edit": "Szerkesztés", + "edit-avatar": "Avatár megváltoztatása", + "edit-profile": "Profil szerkesztése", + "edit-wip-limit": "WIP korlát szerkesztése", + "soft-wip-limit": "Gyenge WIP korlát", + "editCardStartDatePopup-title": "Kezdődátum megváltoztatása", + "editCardDueDatePopup-title": "Esedékesség dátumának megváltoztatása", + "editCustomFieldPopup-title": "Mező szerkesztése", + "editCardSpentTimePopup-title": "Eltöltött idő megváltoztatása", + "editLabelPopup-title": "Címke megváltoztatása", + "editNotificationPopup-title": "Értesítés szerkesztése", + "editProfilePopup-title": "Profil szerkesztése", + "email": "E-mail", + "email-enrollAccount-subject": "Létrejött a profilja a következő oldalon: __siteName__", + "email-enrollAccount-text": "Kedves __user__!\n\nA szolgáltatás használatának megkezdéséhez egyszerűen kattintson a lenti hivatkozásra.\n\n__url__\n\nKöszönjük.", + "email-fail": "Az e-mail küldése nem sikerült", + "email-fail-text": "Hiba az e-mail küldésének kísérlete közben", + "email-invalid": "Érvénytelen e-mail", + "email-invite": "Meghívás e-mailben", + "email-invite-subject": "__inviter__ egy meghívást küldött Önnek", + "email-invite-text": "Kedves __user__!\n\n__inviter__ meghívta Önt, hogy csatlakozzon a(z) „__board__” táblán történő együttműködéshez.\n\nKattintson az alábbi hivatkozásra:\n\n__url__\n\nKöszönjük.", + "email-resetPassword-subject": "Jelszó visszaállítása ezen az oldalon: __siteName__", + "email-resetPassword-text": "Kedves __user__!\n\nA jelszava visszaállításához egyszerűen kattintson a lenti hivatkozásra.\n\n__url__\n\nKöszönjük.", + "email-sent": "E-mail elküldve", + "email-verifyEmail-subject": "Igazolja vissza az e-mail címét a következő oldalon: __siteName__", + "email-verifyEmail-text": "Kedves __user__!\n\nAz e-mail fiókjának visszaigazolásához egyszerűen kattintson a lenti hivatkozásra.\n\n__url__\n\nKöszönjük.", + "enable-wip-limit": "WIP korlát engedélyezése", + "error-board-doesNotExist": "Ez a tábla nem létezik", + "error-board-notAdmin": "A tábla adminisztrátorának kell lennie, hogy ezt megtehesse", + "error-board-notAMember": "A tábla tagjának kell lennie, hogy ezt megtehesse", + "error-json-malformed": "A szöveg nem érvényes JSON", + "error-json-schema": "A JSON adatok nem a helyes formátumban tartalmazzák a megfelelő információkat", + "error-list-doesNotExist": "Ez a lista nem létezik", + "error-user-doesNotExist": "Ez a felhasználó nem létezik", + "error-user-notAllowSelf": "Nem hívhatja meg saját magát", + "error-user-notCreated": "Ez a felhasználó nincs létrehozva", + "error-username-taken": "Ez a felhasználónév már foglalt", + "error-email-taken": "Az e-mail már foglalt", + "export-board": "Tábla exportálása", + "filter": "Szűrő", + "filter-cards": "Kártyák szűrése", + "filter-clear": "Szűrő törlése", + "filter-no-label": "Nincs címke", + "filter-no-member": "Nincs tag", + "filter-no-custom-fields": "Nincsenek egyéni mezők", + "filter-on": "Szűrő bekapcsolva", + "filter-on-desc": "A kártyaszűrés be van kapcsolva ezen a táblán. Kattintson ide a szűrő szerkesztéséhez.", + "filter-to-selection": "Szűrés a kijelöléshez", + "advanced-filter-label": "Speciális szűrő", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Teljes név", + "header-logo-title": "Vissza a táblák oldalára.", + "hide-system-messages": "Rendszerüzenetek elrejtése", + "headerBarCreateBoardPopup-title": "Tábla létrehozása", + "home": "Kezdőlap", + "import": "Importálás", + "import-board": "tábla importálása", + "import-board-c": "Tábla importálása", + "import-board-title-trello": "Tábla importálása a Trello oldalról", + "import-board-title-wekan": "Tábla importálása a Wekan oldalról", + "import-sandstorm-warning": "Az importált tábla törölni fogja a táblán lévő összes meglévő adatot, és kicseréli az importált táblával.", + "from-trello": "A Trello oldalról", + "from-wekan": "A Wekan oldalról", + "import-board-instruction-trello": "A Trello tábláján menjen a „Menü”, majd a „Több”, „Nyomtatás és exportálás”, „JSON exportálása” menüpontokra, és másolja ki az eredményül kapott szöveget.", + "import-board-instruction-wekan": "A Wekan tábláján menjen a „Menü”, majd a „Tábla exportálás” menüpontra, és másolja ki a letöltött fájlban lévő szöveget.", + "import-json-placeholder": "Illessze be ide az érvényes JSON adatokat", + "import-map-members": "Tagok leképezése", + "import-members-map": "Az importált táblának van néhány tagja. Képezze le a tagokat, akiket importálni szeretne a Wekan felhasználókba.", + "import-show-user-mapping": "Tagok leképezésének vizsgálata", + "import-user-select": "Válassza ki a Wekan felhasználót, akit ezen tagként használni szeretne", + "importMapMembersAddPopup-title": "Wekan tag kiválasztása", + "info": "Verzió", + "initials": "Kezdőbetűk", + "invalid-date": "Érvénytelen dátum", + "invalid-time": "Érvénytelen idő", + "invalid-user": "Érvénytelen felhasználó", + "joined": "csatlakozott", + "just-invited": "Éppen most hívták meg erre a táblára", + "keyboard-shortcuts": "Gyorsbillentyűk", + "label-create": "Címke létrehozása", + "label-default": "%s címke (alapértelmezett)", + "label-delete-pop": "Nincs visszavonás. Ez el fogja távolítani ezt a címkét az összes kártyáról, és törli az előzményeit.", + "labels": "Címkék", + "language": "Nyelv", + "last-admin-desc": "Nem változtathatja meg a szerepeket, mert legalább egy adminisztrátora szükség van.", + "leave-board": "Tábla elhagyása", + "leave-board-pop": "Biztosan el szeretné hagyni ezt a táblát: __boardTitle__? El lesz távolítva a táblán lévő összes kártyáról.", + "leaveBoardPopup-title": "Elhagyja a táblát?", + "link-card": "Összekapcsolás ezzel a kártyával", + "list-archive-cards": "Az összes kártya lomtárba helyezése ezen a listán.", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "A listán lévő összes kártya áthelyezése", + "list-select-cards": "A listán lévő összes kártya kiválasztása", + "listActionPopup-title": "Műveletek felsorolása", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Trello kártya importálása", + "listMorePopup-title": "Több", + "link-list": "Összekapcsolás ezzel a listával", + "list-delete-pop": "Az összes művelet el lesz távolítva a tevékenységlistából, és nem lesz lehetősége visszaállítani a listát. Nincs visszavonás.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Listák", + "swimlanes": "Swimlanes", + "log-out": "Kijelentkezés", + "log-in": "Bejelentkezés", + "loginPopup-title": "Bejelentkezés", + "memberMenuPopup-title": "Tagok beállításai", + "members": "Tagok", + "menu": "Menü", + "move-selection": "Kijelölés áthelyezése", + "moveCardPopup-title": "Kártya áthelyezése", + "moveCardToBottom-title": "Áthelyezés az aljára", + "moveCardToTop-title": "Áthelyezés a tetejére", + "moveSelectionPopup-title": "Kijelölés áthelyezése", + "multi-selection": "Többszörös kijelölés", + "multi-selection-on": "Többszörös kijelölés bekapcsolva", + "muted": "Némítva", + "muted-info": "Soha sem lesz értesítve a táblán lévő semmilyen változásról.", + "my-boards": "Saját tábláim", + "name": "Név", + "no-archived-cards": "Nincs kártya a lomtárban.", + "no-archived-lists": "Nincs lista a lomtárban.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Nincs találat", + "normal": "Normál", + "normal-desc": "Megtekintheti és szerkesztheti a kártyákat. Nem változtathatja meg a beállításokat.", + "not-accepted-yet": "A meghívás még nincs elfogadva", + "notify-participate": "Frissítések fogadása bármely kártyánál, amelynél létrehozóként vagy tagként vesz részt", + "notify-watch": "Frissítések fogadása bármely táblánál, listánál vagy kártyánál, amelyet megtekint", + "optional": "opcionális", + "or": "vagy", + "page-maybe-private": "Ez az oldal személyes lehet. Esetleg megtekintheti, ha bejelentkezik.", + "page-not-found": "Az oldal nem található.", + "password": "Jelszó", + "paste-or-dragdrop": "illessze be, vagy fogd és vidd módon húzza ide a képfájlt (csak képeket)", + "participating": "Részvétel", + "preview": "Előnézet", + "previewAttachedImagePopup-title": "Előnézet", + "previewClipboardImagePopup-title": "Előnézet", + "private": "Személyes", + "private-desc": "Ez a tábla személyes. Csak a táblához hozzáadott emberek tekinthetik meg és szerkeszthetik.", + "profile": "Profil", + "public": "Nyilvános", + "public-desc": "Ez a tábla nyilvános. A hivatkozás birtokában bárki számára látható, és megjelenik az olyan keresőmotorokban, mint például a Google. Csak a táblához hozzáadott emberek szerkeszthetik.", + "quick-access-description": "Csillagozzon meg egy táblát egy gyors hivatkozás hozzáadásához ebbe a sávba.", + "remove-cover": "Borító eltávolítása", + "remove-from-board": "Eltávolítás a tábláról", + "remove-label": "Címke eltávolítása", + "listDeletePopup-title": "Törli a listát?", + "remove-member": "Tag eltávolítása", + "remove-member-from-card": "Eltávolítás a kártyáról", + "remove-member-pop": "Eltávolítja __name__ (__username__) felhasználót a tábláról: __boardTitle__? A tag el lesz távolítva a táblán lévő összes kártyáról. Értesítést fog kapni erről.", + "removeMemberPopup-title": "Eltávolítja a tagot?", + "rename": "Átnevezés", + "rename-board": "Tábla átnevezése", + "restore": "Visszaállítás", + "save": "Mentés", + "search": "Keresés", + "search-cards": "Keresés a táblán lévő kártyák címében illetve leírásában", + "search-example": "keresőkifejezés", + "select-color": "Szín kiválasztása", + "set-wip-limit-value": "Korlát beállítása a listán lévő feladatok legnagyobb számához", + "setWipLimitPopup-title": "WIP korlát beállítása", + "shortcut-assign-self": "Önmaga hozzárendelése a jelenlegi kártyához", + "shortcut-autocomplete-emoji": "Emodzsi automatikus kiegészítése", + "shortcut-autocomplete-members": "Tagok automatikus kiegészítése", + "shortcut-clear-filters": "Összes szűrő törlése", + "shortcut-close-dialog": "Párbeszédablak bezárása", + "shortcut-filter-my-cards": "Kártyáim szűrése", + "shortcut-show-shortcuts": "A hivatkozási lista előre hozása", + "shortcut-toggle-filterbar": "Szűrő oldalsáv ki- és bekapcsolása", + "shortcut-toggle-sidebar": "Tábla oldalsáv ki- és bekapcsolása", + "show-cards-minimum-count": "Kártyaszámok megjelenítése, ha a lista többet tartalmaz mint", + "sidebar-open": "Oldalsáv megnyitása", + "sidebar-close": "Oldalsáv bezárása", + "signupPopup-title": "Fiók létrehozása", + "star-board-title": "Kattintson a tábla csillagozásához. Meg fog jelenni a táblalistája tetején.", + "starred-boards": "Csillagozott táblák", + "starred-boards-description": "A csillagozott táblák megjelennek a táblalistája tetején.", + "subscribe": "Feliratkozás", + "team": "Csapat", + "this-board": "ez a tábla", + "this-card": "ez a kártya", + "spent-time-hours": "Eltöltött idő (óra)", + "overtime-hours": "Túlóra (óra)", + "overtime": "Túlóra", + "has-overtime-cards": "Van túlórás kártyája", + "has-spenttime-cards": "Has spent time cards", + "time": "Idő", + "title": "Cím", + "tracking": "Követés", + "tracking-info": "Értesítve lesz az összes olyan kártya változásáról, amelyen létrehozóként vagy tagként vesz részt.", + "type": "Típus", + "unassign-member": "Tag hozzárendelésének megszüntetése", + "unsaved-description": "Van egy mentetlen leírása.", + "unwatch": "Megfigyelés megszüntetése", + "upload": "Feltöltés", + "upload-avatar": "Egy avatár feltöltése", + "uploaded-avatar": "Egy avatár feltöltve", + "username": "Felhasználónév", + "view-it": "Megtekintés", + "warn-list-archived": "figyelem: ez a kártya egy lomtárban lévő listán van", + "watch": "Megfigyelés", + "watching": "Megfigyelés", + "watching-info": "Értesítve lesz a táblán lévő összes változásról", + "welcome-board": "Üdvözlő tábla", + "welcome-swimlane": "1. mérföldkő", + "welcome-list1": "Alapok", + "welcome-list2": "Speciális", + "what-to-do": "Mit szeretne tenni?", + "wipLimitErrorPopup-title": "Érvénytelen WIP korlát", + "wipLimitErrorPopup-dialog-pt1": "A listán lévő feladatok száma magasabb a meghatározott WIP korlátnál.", + "wipLimitErrorPopup-dialog-pt2": "Helyezzen át néhány feladatot a listáról, vagy állítson be magasabb WIP korlátot.", + "admin-panel": "Adminisztrációs panel", + "settings": "Beállítások", + "people": "Emberek", + "registration": "Regisztráció", + "disable-self-registration": "Önregisztráció letiltása", + "invite": "Meghívás", + "invite-people": "Emberek meghívása", + "to-boards": "Táblákhoz", + "email-addresses": "E-mail címek", + "smtp-host-description": "Az SMTP kiszolgáló címe, amely az e-maileket kezeli.", + "smtp-port-description": "Az SMTP kiszolgáló által használt port a kimenő e-mailekhez.", + "smtp-tls-description": "TLS támogatás engedélyezése az SMTP kiszolgálónál", + "smtp-host": "SMTP kiszolgáló", + "smtp-port": "SMTP port", + "smtp-username": "Felhasználónév", + "smtp-password": "Jelszó", + "smtp-tls": "TLS támogatás", + "send-from": "Feladó", + "send-smtp-test": "Teszt e-mail küldése magamnak", + "invitation-code": "Meghívási kód", + "email-invite-register-subject": "__inviter__ egy meghívás küldött Önnek", + "email-invite-register-text": "Kedves __user__!\n\n__inviter__ meghívta Önt közreműködésre a Wekan oldalra.\n\nKövesse a lenti hivatkozást:\n__url__\n\nÉs a meghívási kódja: __icode__\n\nKöszönjük.", + "email-smtp-test-subject": "SMTP teszt e-mail a Wekantól", + "email-smtp-test-text": "Sikeresen elküldött egy e-mailt", + "error-invitation-code-not-exist": "A meghívási kód nem létezik", + "error-notAuthorized": "Nincs jogosultsága az oldal megtekintéséhez.", + "outgoing-webhooks": "Kimenő webhurkok", + "outgoingWebhooksPopup-title": "Kimenő webhurkok", + "new-outgoing-webhook": "Új kimenő webhurok", + "no-name": "(Ismeretlen)", + "Wekan_version": "Wekan verzió", + "Node_version": "Node verzió", + "OS_Arch": "Operációs rendszer architektúrája", + "OS_Cpus": "Operációs rendszer CPU száma", + "OS_Freemem": "Operációs rendszer szabad memóriája", + "OS_Loadavg": "Operációs rendszer átlagos terhelése", + "OS_Platform": "Operációs rendszer platformja", + "OS_Release": "Operációs rendszer kiadása", + "OS_Totalmem": "Operációs rendszer összes memóriája", + "OS_Type": "Operációs rendszer típusa", + "OS_Uptime": "Operációs rendszer üzemideje", + "hours": "óra", + "minutes": "perc", + "seconds": "másodperc", + "show-field-on-card": "A mező megjelenítése a kártyán", + "yes": "Igen", + "no": "Nem", + "accounts": "Fiókok", + "accounts-allowEmailChange": "E-mail megváltoztatásának engedélyezése", + "accounts-allowUserNameChange": "Felhasználónév megváltoztatásának engedélyezése", + "createdAt": "Létrehozva", + "verified": "Ellenőrizve", + "active": "Aktív", + "card-received": "Érkezett", + "card-received-on": "Ekkor érkezett", + "card-end": "Befejezés", + "card-end-on": "Befejeződik ekkor", + "editCardReceivedDatePopup-title": "Érkezési dátum megváltoztatása", + "editCardEndDatePopup-title": "Befejezési dátum megváltoztatása", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json new file mode 100644 index 00000000..03cb71da --- /dev/null +++ b/i18n/hy.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Ընդունել", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "ավելացրել է __checklistItem__ __checklist__ on __card__-ին", + "act-addComment": "մեկնաբանել է __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Add", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Members", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Members", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Members", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json new file mode 100644 index 00000000..95da897f --- /dev/null +++ b/i18n/id.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Terima", + "act-activity-notify": "[Wekan] Pemberitahuan Kegiatan", + "act-addAttachment": "Lampirkan__attachment__ke__kartu__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "Dikomentari di__kartu__:__comment__", + "act-createBoard": "Panel__dibuat__", + "act-createCard": "Kartu__dilampirkan__ke__Daftar", + "act-createCustomField": "created custom field __customField__", + "act-createList": "Daftar__ditambahkan__ke__Panel", + "act-addBoardMember": "Partisipan__ditambahkan__ke__Kartu", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "Panel__diimpor", + "act-importCard": "Kartu__diimpor__", + "act-importList": "Daftar__diimpor__", + "act-joinMember": "Partisipan__ditambahkan__ke__kartu", + "act-moveCard": "Pindahkan__kartu__dari__daftarlama__ke__daftar", + "act-removeBoardMember": "Hapus__partisipan__dari__panel", + "act-restoredCard": "Kembalikan__kartu__ke__panel", + "act-unjoinMember": "hapus__partisipan__dari__kartu__", + "act-withBoardTitle": "Panel__[Wekan}__", + "act-withCardTitle": "__kartu__[__Panel__]", + "actions": "Daftar Tindakan", + "activities": "Daftar Kegiatan", + "activity": "Kegiatan", + "activity-added": "ditambahkan %s ke %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "dilampirkan %s ke %s", + "activity-created": "dibuat %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "tidak termasuk %s dari %s", + "activity-imported": "diimpor %s kedalam %s dari %s", + "activity-imported-board": "diimpor %s dari %s", + "activity-joined": "bergabung %s", + "activity-moved": "dipindahkan %s dari %s ke %s", + "activity-on": "pada %s", + "activity-removed": "dihapus %s dari %s", + "activity-sent": "terkirim %s ke %s", + "activity-unjoined": "tidak bergabung %s", + "activity-checklist-added": "daftar periksa ditambahkan ke %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Tambah", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Tambahkan hal ke daftar periksa", + "add-cover": "Tambahkan Sampul", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Tambahkan Anggota", + "added": "Ditambahkan", + "addMemberPopup-title": "Daftar Anggota", + "admin": "Admin", + "admin-desc": "Bisa tampilkan dan sunting kartu, menghapus partisipan, dan merubah setting panel", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "Semua Panel", + "and-n-other-card": "Dan__menghitung__kartu lain", + "and-n-other-card_plural": "Dan__menghitung__kartu lain", + "apply": "Terapkan", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Tugaskan anggota", + "attached": "terlampir", + "attachment": "Lampiran", + "attachment-delete-pop": "Menghapus lampiran bersifat permanen. Tidak bisa dipulihkan.", + "attachmentDeletePopup-title": "Hapus Lampiran?", + "attachments": "Daftar Lampiran", + "auto-watch": "Otomatis diawasi saat membuat Panel", + "avatar-too-big": "Berkas avatar terlalu besar (70KB maks)", + "back": "Kembali", + "board-change-color": "Ubah warna", + "board-nb-stars": "%s bintang", + "board-not-found": "Panel tidak ditemukan", + "board-private-info": "Panel ini akan jadi Pribadi", + "board-public-info": "Panel ini akan jadi Publik= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Nama Lengkap", + "header-logo-title": "Kembali ke laman panel anda", + "hide-system-messages": "Sembunyikan pesan-pesan sistem", + "headerBarCreateBoardPopup-title": "Buat Panel", + "home": "Beranda", + "import": "Impor", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Impor panel dari Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "Di panel Trello anda, ke 'Menu', terus 'More', 'Print and Export','Export JSON', dan salin hasilnya", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Tempelkan data JSON yang sah disini", + "import-map-members": "Petakan partisipan", + "import-members-map": "Panel yang anda impor punya partisipan. Silahkan petakan anggota yang anda ingin impor ke user [Wekan]", + "import-show-user-mapping": "Review pemetaan partisipan", + "import-user-select": "Pilih nama pengguna yang Anda mau gunakan sebagai anggota ini", + "importMapMembersAddPopup-title": "Pilih anggota Wekan", + "info": "Versi", + "initials": "Inisial", + "invalid-date": "Tanggal tidak sah", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "bergabung", + "just-invited": "Anda baru diundang di panel ini", + "keyboard-shortcuts": "Pintasan kibor", + "label-create": "Buat Label", + "label-default": "label %s (default)", + "label-delete-pop": "Ini tidak bisa dikembalikan, akan menghapus label ini dari semua kartu dan menghapus semua riwayatnya", + "labels": "Daftar Label", + "language": "Bahasa", + "last-admin-desc": "Anda tidak dapat mengubah aturan karena harus ada minimal seorang Admin.", + "leave-board": "Tingalkan Panel", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link ke kartu ini", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Pindah semua kartu ke daftar ini", + "list-select-cards": "Pilih semua kartu di daftar ini", + "listActionPopup-title": "Daftar Tindakan", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Impor dari Kartu Trello", + "listMorePopup-title": "Lainnya", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Daftar", + "swimlanes": "Swimlanes", + "log-out": "Keluar", + "log-in": "Masuk", + "loginPopup-title": "Masuk", + "memberMenuPopup-title": "Setelan Anggota", + "members": "Daftar Anggota", + "menu": "Menu", + "move-selection": "Pindahkan yang dipilih", + "moveCardPopup-title": "Pindahkan kartu", + "moveCardToBottom-title": "Pindahkan ke bawah", + "moveCardToTop-title": "Pindahkan ke atas", + "moveSelectionPopup-title": "Pindahkan yang dipilih", + "multi-selection": "Multi Pilihan", + "multi-selection-on": "Multi Pilihan aktif", + "muted": "Pemberitahuan tidak aktif", + "muted-info": "Anda tidak akan pernah dinotifikasi semua perubahan di panel ini", + "my-boards": "Panel saya", + "name": "Nama", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Tidak ada hasil", + "normal": "Normal", + "normal-desc": "Bisa tampilkan dan edit kartu. Tidak bisa ubah setting", + "not-accepted-yet": "Undangan belum diterima", + "notify-participate": "Terima update ke semua kartu dimana anda menjadi creator atau partisipan", + "notify-watch": "Terima update dari semua panel, daftar atau kartu yang anda amati", + "optional": "opsi", + "or": "atau", + "page-maybe-private": "Halaman ini hanya untuk kalangan terbatas. Anda dapat melihatnya dengan masuk ke dalam sistem.", + "page-not-found": "Halaman tidak ditemukan.", + "password": "Kata Sandi", + "paste-or-dragdrop": "untuk menempelkan, atau drag& drop gambar pada ini (hanya gambar)", + "participating": "Berpartisipasi", + "preview": "Pratinjau", + "previewAttachedImagePopup-title": "Pratinjau", + "previewClipboardImagePopup-title": "Pratinjau", + "private": "Terbatas", + "private-desc": "Panel ini Pribadi. Hanya orang yang ditambahkan ke panel ini yang bisa melihat dan menyuntingnya", + "profile": "Profil", + "public": "Umum", + "public-desc": "Panel ini publik. Akan terlihat oleh siapapun dengan link terkait dan muncul di mesin pencari seperti Google. Hanya orang yang ditambahkan di panel yang bisa sunting", + "quick-access-description": "Beri bintang panel untuk menambah shortcut di papan ini", + "remove-cover": "Hapus Sampul", + "remove-from-board": "Hapus dari panel", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Hapus Anggota", + "remove-member-from-card": "Hapus dari Kartu", + "remove-member-pop": "Hapus__nama__(__username__) dari __boardTitle__? Partisipan akan dihapus dari semua kartu di panel ini. Mereka akan diberi tahu", + "removeMemberPopup-title": "Hapus Anggota?", + "rename": "Ganti Nama", + "rename-board": "Ubah nama Panel", + "restore": "Pulihkan", + "save": "Simpan", + "search": "Cari", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Masukkan diri anda sendiri ke kartu ini", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete partisipan", + "shortcut-clear-filters": "Bersihkan semua saringan", + "shortcut-close-dialog": "Tutup Dialog", + "shortcut-filter-my-cards": "Filter kartu saya", + "shortcut-show-shortcuts": "Angkat naik shortcut daftar ini", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Tampilkan jumlah kartu jika daftar punya lebih dari ", + "sidebar-open": "Buka Sidebar", + "sidebar-close": "Tutup Sidebar", + "signupPopup-title": "Buat Akun", + "star-board-title": "Klik untuk beri bintang panel ini. Akan muncul paling atas dari daftar panel", + "starred-boards": "Panel dengan bintang", + "starred-boards-description": "Panel berbintang muncul paling atas dari daftar panel anda", + "subscribe": "Langganan", + "team": "Tim", + "this-board": "Panel ini", + "this-card": "Kartu ini", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Waktu", + "title": "Judul", + "tracking": "Pelacakan", + "tracking-info": "Anda akan dinotifikasi semua perubahan di kartu tersebut diaman anda terlibat sebagai creator atau partisipan", + "type": "Type", + "unassign-member": "Tidak sertakan partisipan", + "unsaved-description": "Anda memiliki deskripsi yang belum disimpan.", + "unwatch": "Tidak mengamati", + "upload": "Unggah", + "upload-avatar": "Unggah avatar", + "uploaded-avatar": "Avatar diunggah", + "username": "Nama Pengguna", + "view-it": "Lihat", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Amati", + "watching": "Mengamati", + "watching-info": "Anda akan diberitahu semua perubahan di panel ini", + "welcome-board": "Panel Selamat Datang", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Tingkat dasar", + "welcome-list2": "Tingkat lanjut", + "what-to-do": "Apa yang mau Anda lakukan?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Panel Admin", + "settings": "Setelan", + "people": "Orang-orang", + "registration": "Registrasi", + "disable-self-registration": "Nonaktifkan Swa Registrasi", + "invite": "Undang", + "invite-people": "Undang Orang-orang", + "to-boards": "ke panel", + "email-addresses": "Alamat surel", + "smtp-host-description": "Alamat server SMTP yang menangani surel Anda.", + "smtp-port-description": "Port server SMTP yang Anda gunakan untuk mengirim surel.", + "smtp-tls-description": "Aktifkan dukungan TLS untuk server SMTP", + "smtp-host": "Host SMTP", + "smtp-port": "Port SMTP", + "smtp-username": "Nama Pengguna", + "smtp-password": "Kata Sandi", + "smtp-tls": "Dukungan TLS", + "send-from": "Dari", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Kode Undangan", + "email-invite-register-subject": "__inviter__ mengirim undangan ke Anda", + "email-invite-register-text": "Halo __user__,\n\n__inviter__ mengundang Anda untuk berkolaborasi menggunakan Wekan.\n\nMohon ikuti tautan berikut:\n__url__\n\nDan kode undangan Anda adalah: __icode__\n\nTerima kasih.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Kode undangan tidak ada", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json new file mode 100644 index 00000000..9569f9e1 --- /dev/null +++ b/i18n/ig.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Kwere", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "na %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Tinye", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Tinye ndị otu ọhụrụ", + "added": "Etinyere ", + "addMemberPopup-title": "Ndị otu", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Bido", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Aha", + "cardMembersPopup-title": "Ndị otu", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Gbanwe", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Họrọ asụsụ ọzọ", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Aha", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Ndị otu", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Banye aha ọzọ", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "Hụ ya", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Hụ", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "Ndị mmadụ", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "elekere", + "minutes": "nkeji", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Ee", + "no": "Mba", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Ekere na", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json new file mode 100644 index 00000000..f6ede789 --- /dev/null +++ b/i18n/it.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accetta", + "act-activity-notify": "[Wekan] Notifiche attività", + "act-addAttachment": "ha allegato __attachment__ a __card__", + "act-addChecklist": "aggiunta checklist __checklist__ a __card__", + "act-addChecklistItem": "aggiunto __checklistItem__ alla checklist __checklist__ di __card__", + "act-addComment": "ha commentato su __card__: __comment__", + "act-createBoard": "ha creato __board__", + "act-createCard": "ha aggiunto __card__ a __list__", + "act-createCustomField": "campo personalizzato __customField__ creato", + "act-createList": "ha aggiunto __list__ a __board__", + "act-addBoardMember": "ha aggiunto __member__ a __board__", + "act-archivedBoard": "__board__ spostata nel cestino", + "act-archivedCard": "__card__ spostata nel cestino", + "act-archivedList": "__list__ spostata nel cestino", + "act-archivedSwimlane": "__swimlane__ spostata nel cestino", + "act-importBoard": "ha importato __board__", + "act-importCard": "ha importato __card__", + "act-importList": "ha importato __list__", + "act-joinMember": "ha aggiunto __member__ a __card__", + "act-moveCard": "ha spostato __card__ da __oldList__ a __list__", + "act-removeBoardMember": "ha rimosso __member__ a __board__", + "act-restoredCard": "ha ripristinato __card__ su __board__", + "act-unjoinMember": "ha rimosso __member__ da __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Azioni", + "activities": "Attività", + "activity": "Attività", + "activity-added": "ha aggiunto %s a %s", + "activity-archived": "%s spostato nel cestino", + "activity-attached": "allegato %s a %s", + "activity-created": "creato %s", + "activity-customfield-created": "Campo personalizzato creato", + "activity-excluded": "escluso %s da %s", + "activity-imported": "importato %s in %s da %s", + "activity-imported-board": "importato %s da %s", + "activity-joined": "si è unito a %s", + "activity-moved": "spostato %s da %s a %s", + "activity-on": "su %s", + "activity-removed": "rimosso %s da %s", + "activity-sent": "inviato %s a %s", + "activity-unjoined": "ha abbandonato %s", + "activity-checklist-added": "aggiunta checklist a %s", + "activity-checklist-item-added": "Aggiunto l'elemento checklist a '%s' in %s", + "add": "Aggiungere", + "add-attachment": "Aggiungi Allegato", + "add-board": "Aggiungi Bacheca", + "add-card": "Aggiungi Scheda", + "add-swimlane": "Aggiungi Corsia", + "add-checklist": "Aggiungi Checklist", + "add-checklist-item": "Aggiungi un elemento alla checklist", + "add-cover": "Aggiungi copertina", + "add-label": "Aggiungi Etichetta", + "add-list": "Aggiungi Lista", + "add-members": "Aggiungi membri", + "added": "Aggiunto", + "addMemberPopup-title": "Membri", + "admin": "Amministratore", + "admin-desc": "Può vedere e modificare schede, rimuovere membri e modificare le impostazioni della bacheca.", + "admin-announcement": "Annunci", + "admin-announcement-active": "Attiva annunci di sistema", + "admin-announcement-title": "Annunci dall'Amministratore", + "all-boards": "Tutte le bacheche", + "and-n-other-card": "E __count__ altra scheda", + "and-n-other-card_plural": "E __count__ altre schede", + "apply": "Applica", + "app-is-offline": "Wekan è in caricamento, attendi per favore. Ricaricare la pagina causerà una perdita di dati. Se Wekan non si carica, controlla per favore che non ci siano problemi al server.", + "archive": "Sposta nel cestino", + "archive-all": "Sposta tutto nel cestino", + "archive-board": "Sposta la bacheca nel cestino", + "archive-card": "Sposta la scheda nel cestino", + "archive-list": "Sposta la lista nel cestino", + "archive-swimlane": "Sposta la corsia nel cestino", + "archive-selection": "Sposta la selezione nel cestino", + "archiveBoardPopup-title": "Sposta la bacheca nel cestino", + "archived-items": "Cestino", + "archived-boards": "Bacheche cestinate", + "restore-board": "Ripristina Bacheca", + "no-archived-boards": "Nessuna bacheca nel cestino", + "archives": "Cestino", + "assign-member": "Aggiungi membro", + "attached": "allegato", + "attachment": "Allegato", + "attachment-delete-pop": "L'eliminazione di un allegato è permanente. Non è possibile annullare.", + "attachmentDeletePopup-title": "Eliminare l'allegato?", + "attachments": "Allegati", + "auto-watch": "Segui automaticamente le bacheche quando vengono create.", + "avatar-too-big": "L'avatar è troppo grande (70KB max)", + "back": "Indietro", + "board-change-color": "Cambia colore", + "board-nb-stars": "%s stelle", + "board-not-found": "Bacheca non trovata", + "board-private-info": "Questa bacheca sarà privata.", + "board-public-info": "Questa bacheca sarà pubblica.", + "boardChangeColorPopup-title": "Cambia sfondo della bacheca", + "boardChangeTitlePopup-title": "Rinomina bacheca", + "boardChangeVisibilityPopup-title": "Cambia visibilità", + "boardChangeWatchPopup-title": "Cambia faccia", + "boardMenuPopup-title": "Menu bacheca", + "boards": "Bacheche", + "board-view": "Visualizza bacheca", + "board-view-swimlanes": "Corsie", + "board-view-lists": "Liste", + "bucket-example": "Per esempio come \"una lista di cose da fare\"", + "cancel": "Cancella", + "card-archived": "Questa scheda è stata spostata nel cestino.", + "card-comments-title": "Questa scheda ha %s commenti.", + "card-delete-notice": "L'eliminazione è permanente. Tutte le azioni associate a questa scheda andranno perse.", + "card-delete-pop": "Tutte le azioni saranno rimosse dal flusso attività e non sarai in grado di riaprire la scheda. Non potrai tornare indietro.", + "card-delete-suggest-archive": "Puoi cestinare una scheda per rimuoverla dalla bacheca e preservare la sua attività.", + "card-due": "Scadenza", + "card-due-on": "Scade", + "card-spent": "Tempo trascorso", + "card-edit-attachments": "Modifica allegati", + "card-edit-custom-fields": "Modifica campo personalizzato", + "card-edit-labels": "Modifica etichette", + "card-edit-members": "Modifica membri", + "card-labels-title": "Cambia le etichette per questa scheda.", + "card-members-title": "Aggiungi o rimuovi membri della bacheca da questa scheda", + "card-start": "Inizio", + "card-start-on": "Inizia", + "cardAttachmentsPopup-title": "Allega da", + "cardCustomField-datePopup-title": "Cambia data", + "cardCustomFieldsPopup-title": "Modifica campo personalizzato", + "cardDeletePopup-title": "Elimina scheda?", + "cardDetailsActionsPopup-title": "Azioni scheda", + "cardLabelsPopup-title": "Etichette", + "cardMembersPopup-title": "Membri", + "cardMorePopup-title": "Altro", + "cards": "Schede", + "cards-count": "Schede", + "change": "Cambia", + "change-avatar": "Cambia avatar", + "change-password": "Cambia password", + "change-permissions": "Cambia permessi", + "change-settings": "Cambia impostazioni", + "changeAvatarPopup-title": "Cambia avatar", + "changeLanguagePopup-title": "Cambia lingua", + "changePasswordPopup-title": "Cambia password", + "changePermissionsPopup-title": "Cambia permessi", + "changeSettingsPopup-title": "Cambia impostazioni", + "checklists": "Checklist", + "click-to-star": "Clicca per stellare questa bacheca", + "click-to-unstar": "Clicca per togliere la stella da questa bacheca", + "clipboard": "Clipboard o drag & drop", + "close": "Chiudi", + "close-board": "Chiudi bacheca", + "close-board-pop": "Sarai in grado di ripristinare la bacheca cliccando il tasto \"Cestino\" dall'intestazione della pagina principale.", + "color-black": "nero", + "color-blue": "blu", + "color-green": "verde", + "color-lime": "lime", + "color-orange": "arancione", + "color-pink": "rosa", + "color-purple": "viola", + "color-red": "rosso", + "color-sky": "azzurro", + "color-yellow": "giallo", + "comment": "Commento", + "comment-placeholder": "Scrivi Commento", + "comment-only": "Solo commenti", + "comment-only-desc": "Puoi commentare solo le schede.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Sei sicuro di voler cancellare questa checklist?", + "copy-card-link-to-clipboard": "Copia link della scheda sulla clipboard", + "copyCardPopup-title": "Copia Scheda", + "copyChecklistToManyCardsPopup-title": "Copia template checklist su più schede", + "copyChecklistToManyCardsPopup-instructions": "Titolo e la descrizione della scheda di destinazione in questo formato JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titolo prima scheda\", \"description\":\"Descrizione prima scheda\"}, {\"title\":\"Titolo seconda scheda\",\"description\":\"Descrizione seconda scheda\"},{\"title\":\"Titolo ultima scheda\",\"description\":\"Descrizione ultima scheda\"} ]", + "create": "Crea", + "createBoardPopup-title": "Crea bacheca", + "chooseBoardSourcePopup-title": "Importa bacheca", + "createLabelPopup-title": "Crea etichetta", + "createCustomField": "Crea campo", + "createCustomFieldPopup-title": "Crea campo", + "current": "corrente", + "custom-field-delete-pop": "Non potrai tornare indietro. Questa azione rimuoverà questo campo personalizzato da tutte le schede ed eliminerà ogni sua traccia.", + "custom-field-checkbox": "Casella di scelta", + "custom-field-date": "Data", + "custom-field-dropdown": "Lista a discesa", + "custom-field-dropdown-none": "(nessun)", + "custom-field-dropdown-options": "Lista opzioni", + "custom-field-dropdown-options-placeholder": "Premi invio per aggiungere altre opzioni", + "custom-field-dropdown-unknown": "(sconosciuto)", + "custom-field-number": "Numero", + "custom-field-text": "Testo", + "custom-fields": "Campi personalizzati", + "date": "Data", + "decline": "Declina", + "default-avatar": "Avatar predefinito", + "delete": "Elimina", + "deleteCustomFieldPopup-title": "Elimina il campo personalizzato?", + "deleteLabelPopup-title": "Eliminare etichetta?", + "description": "Descrizione", + "disambiguateMultiLabelPopup-title": "Disambiguare l'azione Etichetta", + "disambiguateMultiMemberPopup-title": "Disambiguare l'azione Membro", + "discard": "Scarta", + "done": "Fatto", + "download": "Download", + "edit": "Modifica", + "edit-avatar": "Cambia avatar", + "edit-profile": "Modifica profilo", + "edit-wip-limit": "Modifica limite di work in progress", + "soft-wip-limit": "Limite Work in progress soft", + "editCardStartDatePopup-title": "Cambia data di inizio", + "editCardDueDatePopup-title": "Cambia data di scadenza", + "editCustomFieldPopup-title": "Modifica campo", + "editCardSpentTimePopup-title": "Cambia tempo trascorso", + "editLabelPopup-title": "Cambia etichetta", + "editNotificationPopup-title": "Modifica notifiche", + "editProfilePopup-title": "Modifica profilo", + "email": "Email", + "email-enrollAccount-subject": "Creato un account per te su __siteName__", + "email-enrollAccount-text": "Ciao __user__,\n\nPer iniziare ad usare il servizio, clicca sul link seguente:\n\n__url__\n\nGrazie.", + "email-fail": "Invio email fallito", + "email-fail-text": "Errore nel tentativo di invio email", + "email-invalid": "Email non valida", + "email-invite": "Invita via email", + "email-invite-subject": "__inviter__ ti ha inviato un invito", + "email-invite-text": "Caro __user__,\n\n__inviter__ ti ha invitato ad unirti alla bacheca \"__board__\" per le collaborazioni.\n\nPer favore clicca sul link seguente:\n\n__url__\n\nGrazie.", + "email-resetPassword-subject": "Ripristina la tua password su on __siteName__", + "email-resetPassword-text": "Ciao __user__,\n\nPer ripristinare la tua password, clicca sul link seguente:\n\n__url__\n\nGrazie.", + "email-sent": "Email inviata", + "email-verifyEmail-subject": "Verifica il tuo indirizzo email su on __siteName__", + "email-verifyEmail-text": "Ciao __user__,\n\nPer verificare il tuo account email, clicca sul link seguente:\n\n__url__\n\nGrazie.", + "enable-wip-limit": "Abilita limite di work in progress", + "error-board-doesNotExist": "Questa bacheca non esiste", + "error-board-notAdmin": "Devi essere admin di questa bacheca per poterlo fare", + "error-board-notAMember": "Devi essere un membro di questa bacheca per poterlo fare", + "error-json-malformed": "Il tuo testo non è un JSON valido", + "error-json-schema": "Il tuo file JSON non contiene le giuste informazioni nel formato corretto", + "error-list-doesNotExist": "Questa lista non esiste", + "error-user-doesNotExist": "Questo utente non esiste", + "error-user-notAllowSelf": "Non puoi invitare te stesso", + "error-user-notCreated": "L'utente non è stato creato", + "error-username-taken": "Questo username è già utilizzato", + "error-email-taken": "L'email è già stata presa", + "export-board": "Esporta bacheca", + "filter": "Filtra", + "filter-cards": "Filtra schede", + "filter-clear": "Pulisci filtri", + "filter-no-label": "Nessuna etichetta", + "filter-no-member": "Nessun membro", + "filter-no-custom-fields": "Nessun campo personalizzato", + "filter-on": "Il filtro è attivo", + "filter-on-desc": "Stai filtrando le schede su questa bacheca. Clicca qui per modificare il filtro,", + "filter-to-selection": "Seleziona", + "advanced-filter-label": "Filtro avanzato", + "advanced-filter-description": "Il filtro avanzato consente di scrivere una stringa contenente i seguenti operatori: == != <= >= && || ( ). Lo spazio è usato come separatore tra gli operatori. E' possibile filtrare per tutti i campi personalizzati, digitando i loro nomi e valori. Ad esempio: Campo1 == Valore1. Nota: Se i campi o i valori contengono spazi, devi racchiuderli dentro le virgolette singole. Ad esempio: 'Campo 1' == 'Valore 1'. E' possibile combinare condizioni multiple. Ad esempio: F1 == V1 || F1 = V2. Normalmente tutti gli operatori sono interpretati da sinistra a destra. Puoi modificare l'ordine utilizzando le parentesi. Ad Esempio: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Nome completo", + "header-logo-title": "Torna alla tua bacheca.", + "hide-system-messages": "Nascondi i messaggi di sistema", + "headerBarCreateBoardPopup-title": "Crea bacheca", + "home": "Home", + "import": "Importa", + "import-board": "Importa bacheca", + "import-board-c": "Importa bacheca", + "import-board-title-trello": "Importa una bacheca da Trello", + "import-board-title-wekan": "Importa bacheca da Wekan", + "import-sandstorm-warning": "La bacheca importata cancellerà tutti i dati esistenti su questa bacheca e li rimpiazzerà con quelli della bacheca importata.", + "from-trello": "Da Trello", + "from-wekan": "Da Wekan", + "import-board-instruction-trello": "Nella tua bacheca Trello vai a 'Menu', poi 'Altro', 'Stampa ed esporta', 'Esporta JSON', e copia il testo che compare.", + "import-board-instruction-wekan": "Nella tua bacheca Wekan, vai su 'Menu', poi 'Esporta bacheca', e copia il testo nel file scaricato.", + "import-json-placeholder": "Incolla un JSON valido qui", + "import-map-members": "Mappatura dei membri", + "import-members-map": "La bacheca che hai importato ha alcuni membri. Per favore scegli i membri che vuoi vengano importati negli utenti di Wekan", + "import-show-user-mapping": "Rivedi la mappatura dei membri", + "import-user-select": "Scegli l'utente Wekan che vuoi utilizzare come questo membro", + "importMapMembersAddPopup-title": "Seleziona i membri di Wekan", + "info": "Versione", + "initials": "Iniziali", + "invalid-date": "Data non valida", + "invalid-time": "Tempo non valido", + "invalid-user": "User non valido", + "joined": "si è unito a", + "just-invited": "Sei stato appena invitato a questa bacheca", + "keyboard-shortcuts": "Scorciatoie da tastiera", + "label-create": "Crea etichetta", + "label-default": "%s etichetta (default)", + "label-delete-pop": "Non potrai tornare indietro. Procedendo, rimuoverai questa etichetta da tutte le schede e distruggerai la sua cronologia.", + "labels": "Etichette", + "language": "Lingua", + "last-admin-desc": "Non puoi cambiare i ruoli perché deve esserci almeno un admin.", + "leave-board": "Abbandona bacheca", + "leave-board-pop": "Sei sicuro di voler abbandonare __boardTitle__? Sarai rimosso da tutte le schede in questa bacheca.", + "leaveBoardPopup-title": "Abbandona Bacheca?", + "link-card": "Link a questa scheda", + "list-archive-cards": "Cestina tutte le schede in questa lista", + "list-archive-cards-pop": "Questo rimuoverà dalla bacheca tutte le schede in questa lista. Per vedere le schede cestinate e portarle indietro alla bacheca, clicca “Menu” > “Elementi cestinati”", + "list-move-cards": "Sposta tutte le schede in questa lista", + "list-select-cards": "Selezione tutte le schede in questa lista", + "listActionPopup-title": "Azioni disponibili", + "swimlaneActionPopup-title": "Azioni corsia", + "listImportCardPopup-title": "Importa una scheda di Trello", + "listMorePopup-title": "Altro", + "link-list": "Link a questa lista", + "list-delete-pop": "Tutte le azioni saranno rimosse dal flusso attività e non sarai in grado di recuperare la lista. Non potrai tornare indietro.", + "list-delete-suggest-archive": "Puoi cestinare una scheda per rimuoverla dalla bacheca e preservare la sua attività.", + "lists": "Liste", + "swimlanes": "Corsie", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Impostazioni membri", + "members": "Membri", + "menu": "Menu", + "move-selection": "Sposta selezione", + "moveCardPopup-title": "Sposta scheda", + "moveCardToBottom-title": "Sposta in fondo", + "moveCardToTop-title": "Sposta in alto", + "moveSelectionPopup-title": "Sposta selezione", + "multi-selection": "Multi-Selezione", + "multi-selection-on": "Multi-Selezione attiva", + "muted": "Silenziato", + "muted-info": "Non sarai mai notificato delle modifiche in questa bacheca", + "my-boards": "Le mie bacheche", + "name": "Nome", + "no-archived-cards": "Nessuna scheda nel cestino", + "no-archived-lists": "Nessuna lista nel cestino", + "no-archived-swimlanes": "Nessuna corsia nel cestino", + "no-results": "Nessun risultato", + "normal": "Normale", + "normal-desc": "Può visionare e modificare le schede. Non può cambiare le impostazioni.", + "not-accepted-yet": "Invitato non ancora accettato", + "notify-participate": "Ricevi aggiornamenti per qualsiasi scheda a cui partecipi come creatore o membro", + "notify-watch": "Ricevi aggiornamenti per tutte le bacheche, liste o schede che stai seguendo", + "optional": "opzionale", + "or": "o", + "page-maybe-private": "Questa pagina potrebbe essere privata. Potresti essere in grado di vederla facendo il log-in.", + "page-not-found": "Pagina non trovata.", + "password": "Password", + "paste-or-dragdrop": "per incollare, oppure trascina & rilascia il file immagine (solo immagini)", + "participating": "Partecipando", + "preview": "Anteprima", + "previewAttachedImagePopup-title": "Anteprima", + "previewClipboardImagePopup-title": "Anteprima", + "private": "Privata", + "private-desc": "Questa bacheca è privata. Solo le persone aggiunte alla bacheca possono vederla e modificarla.", + "profile": "Profilo", + "public": "Pubblica", + "public-desc": "Questa bacheca è pubblica. È visibile a chiunque abbia il link e sarà mostrata dai motori di ricerca come Google. Solo le persone aggiunte alla bacheca possono modificarla.", + "quick-access-description": "Stella una bacheca per aggiungere una scorciatoia in questa barra.", + "remove-cover": "Rimuovi cover", + "remove-from-board": "Rimuovi dalla bacheca", + "remove-label": "Rimuovi Etichetta", + "listDeletePopup-title": "Eliminare Lista?", + "remove-member": "Rimuovi utente", + "remove-member-from-card": "Rimuovi dalla scheda", + "remove-member-pop": "Rimuovere __name__ (__username__) da __boardTitle__? L'utente sarà rimosso da tutte le schede in questa bacheca. Riceveranno una notifica.", + "removeMemberPopup-title": "Rimuovere membro?", + "rename": "Rinomina", + "rename-board": "Rinomina bacheca", + "restore": "Ripristina", + "save": "Salva", + "search": "Cerca", + "search-cards": "Ricerca per titolo e descrizione scheda su questa bacheca", + "search-example": "Testo da ricercare?", + "select-color": "Seleziona Colore", + "set-wip-limit-value": "Seleziona un limite per il massimo numero di attività in questa lista", + "setWipLimitPopup-title": "Imposta limite di work in progress", + "shortcut-assign-self": "Aggiungi te stesso alla scheda corrente", + "shortcut-autocomplete-emoji": "Autocompletamento emoji", + "shortcut-autocomplete-members": "Autocompletamento membri", + "shortcut-clear-filters": "Pulisci tutti i filtri", + "shortcut-close-dialog": "Chiudi finestra di dialogo", + "shortcut-filter-my-cards": "Filtra le mie schede", + "shortcut-show-shortcuts": "Apri questa lista di scorciatoie", + "shortcut-toggle-filterbar": "Apri/chiudi la barra laterale dei filtri", + "shortcut-toggle-sidebar": "Apri/chiudi la barra laterale della bacheca", + "show-cards-minimum-count": "Mostra il contatore delle schede se la lista ne contiene più di", + "sidebar-open": "Apri Sidebar", + "sidebar-close": "Chiudi Sidebar", + "signupPopup-title": "Crea un account", + "star-board-title": "Clicca per stellare questa bacheca. Sarà mostrata all'inizio della tua lista bacheche.", + "starred-boards": "Bacheche stellate", + "starred-boards-description": "Le bacheche stellate vengono mostrato all'inizio della tua lista bacheche.", + "subscribe": "Sottoscrivi", + "team": "Team", + "this-board": "questa bacheca", + "this-card": "questa scheda", + "spent-time-hours": "Tempo trascorso (ore)", + "overtime-hours": "Overtime (ore)", + "overtime": "Overtime", + "has-overtime-cards": "Ci sono scheda scadute", + "has-spenttime-cards": "Ci sono scheda con tempo impiegato", + "time": "Ora", + "title": "Titolo", + "tracking": "Monitoraggio", + "tracking-info": "Sarai notificato per tutte le modifiche alle schede delle quali sei creatore o membro.", + "type": "Tipo", + "unassign-member": "Rimuovi membro", + "unsaved-description": "Hai una descrizione non salvata", + "unwatch": "Non seguire", + "upload": "Upload", + "upload-avatar": "Carica un avatar", + "uploaded-avatar": "Avatar caricato", + "username": "Username", + "view-it": "Vedi", + "warn-list-archived": "attenzione: questa scheda è in una lista cestinata", + "watch": "Segui", + "watching": "Stai seguendo", + "watching-info": "Sarai notificato per tutte le modifiche in questa bacheca", + "welcome-board": "Bacheca di benvenuto", + "welcome-swimlane": "Pietra miliare 1", + "welcome-list1": "Basi", + "welcome-list2": "Avanzate", + "what-to-do": "Cosa vuoi fare?", + "wipLimitErrorPopup-title": "Limite work in progress non valido. ", + "wipLimitErrorPopup-dialog-pt1": "Il numero di compiti in questa lista è maggiore del limite di work in progress che hai definito in precedenza. ", + "wipLimitErrorPopup-dialog-pt2": "Per favore, sposta alcuni dei compiti fuori da questa lista, oppure imposta un limite di work in progress più alto. ", + "admin-panel": "Pannello dell'Amministratore", + "settings": "Impostazioni", + "people": "Persone", + "registration": "Registrazione", + "disable-self-registration": "Disabilita Auto-registrazione", + "invite": "Invita", + "invite-people": "Invita persone", + "to-boards": "Alla(e) bacheche(a)", + "email-addresses": "Indirizzi email", + "smtp-host-description": "L'indirizzo del server SMTP che gestisce le tue email.", + "smtp-port-description": "La porta che il tuo server SMTP utilizza per le email in uscita.", + "smtp-tls-description": "Abilita supporto TLS per server SMTP", + "smtp-host": "SMTP Host", + "smtp-port": "Porta SMTP", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "Supporto TLS", + "send-from": "Da", + "send-smtp-test": "Invia un'email di test a te stesso", + "invitation-code": "Codice d'invito", + "email-invite-register-subject": "__inviter__ ti ha inviato un invito", + "email-invite-register-text": "Gentile __user__,\n\n__inviter__ ti ha invitato su Wekan per collaborare.\n\nPer favore segui il link qui sotto:\n__url__\n\nIl tuo codice d'invito è: __icode__\n\nGrazie.", + "email-smtp-test-subject": "Test invio email SMTP per Wekan", + "email-smtp-test-text": "Hai inviato un'email con successo", + "error-invitation-code-not-exist": "Il codice d'invito non esiste", + "error-notAuthorized": "Non sei autorizzato ad accedere a questa pagina.", + "outgoing-webhooks": "Server esterni", + "outgoingWebhooksPopup-title": "Server esterni", + "new-outgoing-webhook": "Nuovo webhook in uscita", + "no-name": "(Sconosciuto)", + "Wekan_version": "Versione di Wekan", + "Node_version": "Versione di Node", + "OS_Arch": "Architettura del sistema operativo", + "OS_Cpus": "Conteggio della CPU del sistema operativo", + "OS_Freemem": "Memoria libera del sistema operativo ", + "OS_Loadavg": "Carico medio del sistema operativo ", + "OS_Platform": "Piattaforma del sistema operativo", + "OS_Release": "Versione di rilascio del sistema operativo", + "OS_Totalmem": "Memoria totale del sistema operativo ", + "OS_Type": "Tipo di sistema operativo ", + "OS_Uptime": "Tempo di attività del sistema operativo. ", + "hours": "ore", + "minutes": "minuti", + "seconds": "secondi", + "show-field-on-card": "Visualizza questo campo sulla scheda", + "yes": "Sì", + "no": "No", + "accounts": "Profili", + "accounts-allowEmailChange": "Permetti modifica dell'email", + "accounts-allowUserNameChange": "Consenti la modifica del nome utente", + "createdAt": "creato alle", + "verified": "Verificato", + "active": "Attivo", + "card-received": "Ricevuta", + "card-received-on": "Ricevuta il", + "card-end": "Fine", + "card-end-on": "Termina il", + "editCardReceivedDatePopup-title": "Cambia data ricezione", + "editCardEndDatePopup-title": "Cambia data finale", + "assigned-by": "Assegnato da", + "requested-by": "Richiesto da", + "board-delete-notice": "L'eliminazione è permanente. Tutte le azioni, liste e schede associate a questa bacheca andranno perse.", + "delete-board-confirm-popup": "Tutte le liste, schede, etichette e azioni saranno rimosse e non sarai più in grado di recuperare il contenuto della bacheca. L'azione non è annullabile.", + "boardDeletePopup-title": "Eliminare la bacheca?", + "delete-board": "Elimina bacheca" +} \ No newline at end of file diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json new file mode 100644 index 00000000..7f9a3c40 --- /dev/null +++ b/i18n/ja.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "受け入れ", + "act-activity-notify": "[Wekan] アクティビティ通知", + "act-addAttachment": "__card__ に __attachment__ を添付しました", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "__card__: __comment__ をコメントしました", + "act-createBoard": "__board__ を作成しました", + "act-createCard": "__list__ に __card__ を追加しました", + "act-createCustomField": "created custom field __customField__", + "act-createList": "__board__ に __list__ を追加しました", + "act-addBoardMember": "__board__ に __member__ を追加しました", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "__board__ をインポートしました", + "act-importCard": "__card__ をインポートしました", + "act-importList": "__list__ をインポートしました", + "act-joinMember": "__card__ に __member__ を追加しました", + "act-moveCard": "__card__ を __oldList__ から __list__ に 移動しました", + "act-removeBoardMember": "__board__ から __member__ を削除しました", + "act-restoredCard": "__card__ を __board__ にリストアしました", + "act-unjoinMember": "__card__ から __member__ を削除しました", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "操作", + "activities": "アクティビティ", + "activity": "アクティビティ", + "activity-added": "%s を %s に追加しました", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "%s を %s に添付しました", + "activity-created": "%s を作成しました", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "%s を %s から除外しました", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "%s にジョインしました", + "activity-moved": "%s を %s から %s に移動しました", + "activity-on": "%s", + "activity-removed": "%s を %s から削除しました", + "activity-sent": "%s を %s に送りました", + "activity-unjoined": "%s への参加を止めました", + "activity-checklist-added": "%s にチェックリストを追加しました", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "追加", + "add-attachment": "添付ファイルを追加", + "add-board": "ボードを追加", + "add-card": "カードを追加", + "add-swimlane": "Add Swimlane", + "add-checklist": "チェックリストを追加", + "add-checklist-item": "チェックリストに項目を追加", + "add-cover": "カバーの追加", + "add-label": "ラベルを追加", + "add-list": "リストを追加", + "add-members": "メンバーの追加", + "added": "追加しました", + "addMemberPopup-title": "メンバー", + "admin": "管理", + "admin-desc": "カードの閲覧と編集、メンバーの削除、ボードの設定変更が可能", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "全てのボード", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "適用", + "app-is-offline": "現在オフラインです。ページを更新すると保存していないデータは失われます。", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "ボードをリストア", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "メンバーの割当", + "attached": "添付されました", + "attachment": "添付ファイル", + "attachment-delete-pop": "添付ファイルの削除をすると取り消しできません。", + "attachmentDeletePopup-title": "添付ファイルを削除しますか?", + "attachments": "添付ファイル", + "auto-watch": "作成されたボードを自動的にウォッチする", + "avatar-too-big": "アバターが大きすぎます(最大70KB)", + "back": "戻る", + "board-change-color": "色の変更", + "board-nb-stars": "%s stars", + "board-not-found": "ボードが見つかりません", + "board-private-info": "ボードは 非公開 になります。", + "board-public-info": "ボードは公開されます。", + "boardChangeColorPopup-title": "ボードの背景を変更", + "boardChangeTitlePopup-title": "ボード名の変更", + "boardChangeVisibilityPopup-title": "公開範囲の変更", + "boardChangeWatchPopup-title": "ウォッチの変更", + "boardMenuPopup-title": "ボードメニュー", + "boards": "ボード", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "リスト", + "bucket-example": "Like “Bucket List” for example", + "cancel": "キャンセル", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "%s 件のコメントがあります。", + "card-delete-notice": "削除は取り消しできません。このカードに関係するすべてのアクションがなくなります。", + "card-delete-pop": "すべての内容がアクティビティから削除されます。この削除は元に戻すことができません。", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "期限", + "card-due-on": "期限日", + "card-spent": "Spent Time", + "card-edit-attachments": "添付ファイルの編集", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "ラベルの編集", + "card-edit-members": "メンバーの編集", + "card-labels-title": "カードのラベルを変更する", + "card-members-title": "カードからボードメンバーを追加・削除する", + "card-start": "開始", + "card-start-on": "開始日", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "カードを削除しますか?", + "cardDetailsActionsPopup-title": "カード操作", + "cardLabelsPopup-title": "ラベル", + "cardMembersPopup-title": "メンバー", + "cardMorePopup-title": "さらに見る", + "cards": "カード", + "cards-count": "カード", + "change": "変更", + "change-avatar": "アバターの変更", + "change-password": "パスワードの変更", + "change-permissions": "権限の変更", + "change-settings": "設定の変更", + "changeAvatarPopup-title": "アバターの変更", + "changeLanguagePopup-title": "言語の変更", + "changePasswordPopup-title": "パスワードの変更", + "changePermissionsPopup-title": "パーミッションの変更", + "changeSettingsPopup-title": "設定の変更", + "checklists": "チェックリスト", + "click-to-star": "ボードにスターをつける", + "click-to-unstar": "ボードからスターを外す", + "clipboard": "クリップボードもしくはドラッグ&ドロップ", + "close": "閉じる", + "close-board": "ボードを閉じる", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "黒", + "color-blue": "青", + "color-green": "緑", + "color-lime": "ライム", + "color-orange": "オレンジ", + "color-pink": "ピンク", + "color-purple": "紫", + "color-red": "赤", + "color-sky": "空", + "color-yellow": "黄", + "comment": "コメント", + "comment-placeholder": "コメントを書く", + "comment-only": "コメントのみ", + "comment-only-desc": "カードにのみコメント可能", + "computer": "コンピューター", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "カードへのリンクをクリップボードにコピー", + "copyCardPopup-title": "カードをコピー", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "作成", + "createBoardPopup-title": "ボードの作成", + "chooseBoardSourcePopup-title": "ボードをインポート", + "createLabelPopup-title": "ラベルの作成", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "現在", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "日付", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "日付", + "decline": "拒否", + "default-avatar": "デフォルトのアバター", + "delete": "削除", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "ラベルを削除しますか?", + "description": "詳細", + "disambiguateMultiLabelPopup-title": "不正なラベル操作", + "disambiguateMultiMemberPopup-title": "不正なメンバー操作", + "discard": "捨てる", + "done": "完了", + "download": "ダウンロード", + "edit": "編集", + "edit-avatar": "アバターの変更", + "edit-profile": "プロフィールの編集", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "開始日の変更", + "editCardDueDatePopup-title": "期限の変更", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "ラベルの変更", + "editNotificationPopup-title": "通知の変更", + "editProfilePopup-title": "プロフィールの編集", + "email": "メールアドレス", + "email-enrollAccount-subject": "__siteName__であなたのアカウントが作成されました", + "email-enrollAccount-text": "こんにちは、__user__さん。\n\nサービスを開始するには、以下をクリックしてください。\n\n__url__\n\nよろしくお願いします。", + "email-fail": "メールの送信に失敗しました", + "email-fail-text": "Error trying to send email", + "email-invalid": "無効なメールアドレス", + "email-invite": "メールで招待", + "email-invite-subject": "__inviter__があなたを招待しています", + "email-invite-text": "__user__さんへ。\n\n__inviter__さんがあなたをボード\"__board__\"へ招待しています。\n\n以下のリンクをクリックしてください。\n\n__url__\n\nよろしくお願いします。", + "email-resetPassword-subject": "あなたの __siteName__ のパスワードをリセットする", + "email-resetPassword-text": "こんにちは、__user__さん。\n\nパスワードをリセットするには、以下のリンクをクリックしてください。\n\n__url__\n\nよろしくお願いします。", + "email-sent": "メールを送信しました", + "email-verifyEmail-subject": "あなたの __siteName__ のメールアドレスを確認する", + "email-verifyEmail-text": "こんにちは、__user__さん。\n\nメールアドレスを認証するために、以下のリンクをクリックしてください。\n\n__url__\n\nよろしくお願いします。", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "ボードがありません", + "error-board-notAdmin": "操作にはボードの管理者権限が必要です", + "error-board-notAMember": "操作にはボードメンバーである必要があります", + "error-json-malformed": "このテキストは、有効なJSON形式ではありません", + "error-json-schema": "JSONデータが不正な値を含んでいます", + "error-list-doesNotExist": "このリストは存在しません", + "error-user-doesNotExist": "ユーザーが存在しません", + "error-user-notAllowSelf": "自分を招待することはできません。", + "error-user-notCreated": "ユーザーが作成されていません", + "error-username-taken": "このユーザ名は既に使用されています", + "error-email-taken": "メールは既に受け取られています", + "export-board": "ボードのエクスポート", + "filter": "フィルター", + "filter-cards": "カードをフィルターする", + "filter-clear": "フィルターの解除", + "filter-no-label": "ラベルなし", + "filter-no-member": "メンバーなし", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "フィルター有効", + "filter-on-desc": "このボードのカードをフィルターしています。フィルターを編集するにはこちらをクリックしてください。", + "filter-to-selection": "フィルターした項目を全選択", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "フルネーム", + "header-logo-title": "自分のボードページに戻る。", + "hide-system-messages": "システムメッセージを隠す", + "headerBarCreateBoardPopup-title": "ボードの作成", + "home": "ホーム", + "import": "インポート", + "import-board": "ボードをインポート", + "import-board-c": "ボードをインポート", + "import-board-title-trello": "Trelloからボードをインポート", + "import-board-title-wekan": "Wekanからボードをインポート", + "import-sandstorm-warning": "ボードのインポートは、既存ボードのすべてのデータを置き換えます。", + "from-trello": "Trelloから", + "from-wekan": "Wekanから", + "import-board-instruction-trello": "Trelloボードの、 'Menu' → 'More' → 'Print and Export' → 'Export JSON'を選択し、テキストをコピーしてください。", + "import-board-instruction-wekan": "Wekanボードの、'Menu' → 'Export board'を選択し、ダウンロードされたファイルからテキストをコピーしてください。", + "import-json-placeholder": "JSONデータをここに貼り付けする", + "import-map-members": "メンバーを紐付け", + "import-members-map": "インポートしたボードにはメンバーが含まれます。これらのメンバーをWekanのメンバーに紐付けしてください。", + "import-show-user-mapping": "メンバー紐付けの確認", + "import-user-select": "メンバーとして利用したいWekanユーザーを選択", + "importMapMembersAddPopup-title": "Wekanメンバーを選択", + "info": "バージョン", + "initials": "初期状態", + "invalid-date": "無効な日付", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "参加しました", + "just-invited": "このボードのメンバーに招待されています", + "keyboard-shortcuts": "キーボード・ショートカット", + "label-create": "ラベルの作成", + "label-default": "%s ラベル(デフォルト)", + "label-delete-pop": "この操作は取り消しできません。このラベルはすべてのカードから外され履歴からも見えなくなります。", + "labels": "ラベル", + "language": "言語", + "last-admin-desc": "最低でも1人以上の管理者が必要なためロールを変更できません。", + "leave-board": "ボードから退出する", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "ボードから退出しますか?", + "link-card": "このカードへのリンク", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "リストの全カードを移動する", + "list-select-cards": "リストの全カードを選択", + "listActionPopup-title": "操作一覧", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Trelloのカードをインポート", + "listMorePopup-title": "さらに見る", + "link-list": "このリストへのリンク", + "list-delete-pop": "すべての内容がアクティビティから削除されます。この削除は元に戻すことができません。", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "リスト", + "swimlanes": "Swimlanes", + "log-out": "ログアウト", + "log-in": "ログイン", + "loginPopup-title": "ログイン", + "memberMenuPopup-title": "メンバー設定", + "members": "メンバー", + "menu": "メニュー", + "move-selection": "選択したものを移動", + "moveCardPopup-title": "カードの移動", + "moveCardToBottom-title": "最下部に移動", + "moveCardToTop-title": "先頭に移動", + "moveSelectionPopup-title": "選択箇所に移動", + "multi-selection": "複数選択", + "multi-selection-on": "複数選択有効", + "muted": "ミュート", + "muted-info": "このボードの変更は通知されません", + "my-boards": "自分のボード", + "name": "名前", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "該当するものはありません", + "normal": "通常", + "normal-desc": "カードの閲覧と編集が可能。設定変更不可。", + "not-accepted-yet": "招待はアクセプトされていません", + "notify-participate": "作成した、またはメンバーとなったカードの更新情報を受け取る", + "notify-watch": "ウォッチしているすべてのボード、リスト、カードの更新情報を受け取る", + "optional": "任意", + "or": "or", + "page-maybe-private": "このページはプライベートです。ログインして見てください。", + "page-not-found": "ページが見つかりません。", + "password": "パスワード", + "paste-or-dragdrop": "貼り付けか、ドラッグアンドロップで画像を添付 (画像のみ)", + "participating": "参加", + "preview": "プレビュー", + "previewAttachedImagePopup-title": "プレビュー", + "previewClipboardImagePopup-title": "プレビュー", + "private": "プライベート", + "private-desc": "このボードはプライベートです。ボードメンバーのみが閲覧・編集可能です。", + "profile": "プロフィール", + "public": "公開", + "public-desc": "このボードはパブリックです。リンクを知っていれば誰でもアクセス可能でGoogleのような検索エンジンの結果に表示されます。このボードに追加されている人だけがカード追加が可能です。", + "quick-access-description": "ボードにスターをつけると、ここににショートカットができます。", + "remove-cover": "カバーの削除", + "remove-from-board": "ボードから外す", + "remove-label": "ラベルの削除", + "listDeletePopup-title": "リストを削除しますか?", + "remove-member": "メンバーを外す", + "remove-member-from-card": "カードから外す", + "remove-member-pop": "__boardTitle__ から __name__ (__username__) を外しますか?メンバーはこのボードのすべてのカードから外れ、通知を受けます。", + "removeMemberPopup-title": "メンバーを外しますか?", + "rename": "名前変更", + "rename-board": "ボード名の変更", + "restore": "復元", + "save": "保存", + "search": "検索", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "色を選択", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "自分をこのカードに割り当てる", + "shortcut-autocomplete-emoji": "絵文字の補完", + "shortcut-autocomplete-members": "メンバーの補完", + "shortcut-clear-filters": "すべてのフィルターを解除する", + "shortcut-close-dialog": "ダイアログを閉じる", + "shortcut-filter-my-cards": "カードをフィルター", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "フィルターサイドバーの切り替え", + "shortcut-toggle-sidebar": "ボードサイドバーの切り替え", + "show-cards-minimum-count": "以下より多い場合、リストにカード数を表示", + "sidebar-open": "サイドバーを開く", + "sidebar-close": "サイドバーを閉じる", + "signupPopup-title": "アカウント作成", + "star-board-title": "ボードにスターをつけると自分のボード一覧のトップに表示されます。", + "starred-boards": "スターのついたボード", + "starred-boards-description": "スターのついたボードはボードリストの先頭に表示されます。", + "subscribe": "購読", + "team": "チーム", + "this-board": "このボード", + "this-card": "このカード", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "時間", + "title": "タイトル", + "tracking": "トラッキング", + "tracking-info": "これらのカードへの変更が通知されるようになります。", + "type": "Type", + "unassign-member": "未登録のメンバー", + "unsaved-description": "未保存の変更があります。", + "unwatch": "アンウォッチ", + "upload": "アップロード", + "upload-avatar": "アバターのアップロード", + "uploaded-avatar": "アップロードされたアバター", + "username": "ユーザー名", + "view-it": "見る", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "ウォッチ", + "watching": "ウォッチしています", + "watching-info": "このボードの変更が通知されます", + "welcome-board": "ウェルカムボード", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "基本", + "welcome-list2": "高度", + "what-to-do": "何をしたいですか?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "管理パネル", + "settings": "設定", + "people": "メンバー", + "registration": "登録", + "disable-self-registration": "自己登録を無効化", + "invite": "招待", + "invite-people": "メンバーを招待", + "to-boards": "ボードへ移動", + "email-addresses": "Emailアドレス", + "smtp-host-description": "Emailを処理するSMTPサーバーのアドレス", + "smtp-port-description": "SMTPサーバーがEmail送信に使用するポート", + "smtp-tls-description": "SMTPサーバのTLSサポートを有効化", + "smtp-host": "SMTPホスト", + "smtp-port": "SMTPポート", + "smtp-username": "ユーザー名", + "smtp-password": "パスワード", + "smtp-tls": "TLSサポート", + "send-from": "送信元", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "招待コード", + "email-invite-register-subject": "__inviter__さんがあなたを招待しています", + "email-invite-register-text": " __user__ さん\n\n__inviter__ があなたをWekanに招待しました。\n\n以下のリンクをクリックしてください。\n__url__\n\nあなたの招待コードは、 __icode__ です。\n\nよろしくお願いします。", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "招待コードが存在しません", + "error-notAuthorized": "このページを参照する権限がありません。", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekanバージョン", + "Node_version": "Nodeバージョン", + "OS_Arch": "OSアーキテクチャ", + "OS_Cpus": "OS CPU数", + "OS_Freemem": "OSフリーメモリ", + "OS_Loadavg": "OSロードアベレージ", + "OS_Platform": "OSプラットフォーム", + "OS_Release": "OSリリース", + "OS_Totalmem": "OSトータルメモリ", + "OS_Type": "OS種類", + "OS_Uptime": "OSアップタイム", + "hours": "時", + "minutes": "分", + "seconds": "秒", + "show-field-on-card": "Show this field on card", + "yes": "はい", + "no": "いいえ", + "accounts": "アカウント", + "accounts-allowEmailChange": "メールアドレスの変更を許可", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json new file mode 100644 index 00000000..b9550ff6 --- /dev/null +++ b/i18n/km.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "យល់ព្រម", + "act-activity-notify": "[Wekan] សកម្មភាពជូនដំណឹង", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Add", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Members", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Members", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Members", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "បិទផ្ទាំង", + "shortcut-filter-my-cards": "តម្រងកាតរបស់ខ្ញុំ", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "បង្កើតគណនីមួយ", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "កាតនេះ", + "spent-time-hours": "ចំណាយពេល (ម៉ោង)", + "overtime-hours": "លើសពេល (ម៉ោង)", + "overtime": "លើសពេល", + "has-overtime-cards": "មានកាតលើសពេល", + "has-spenttime-cards": "មានកាតដែលបានចំណាយពេល", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json new file mode 100644 index 00000000..edf978a7 --- /dev/null +++ b/i18n/ko.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "확인", + "act-activity-notify": "[Wekan] 활동 알림", + "act-addAttachment": "__attachment__를 __card__에 첨부", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "__card__에 내용 추가 : __comment__", + "act-createBoard": "__board__ 생성", + "act-createCard": "__list__에 __card__ 추가", + "act-createCustomField": "created custom field __customField__", + "act-createList": "__board__에 __list__ 추가", + "act-addBoardMember": "__board__에 __member__ 추가", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "가져온 __board__", + "act-importCard": "가져온 __card__", + "act-importList": "가져온 __list__", + "act-joinMember": "__card__에 __member__ 추가", + "act-moveCard": "__card__을 __oldList__에서 __list__로 이동", + "act-removeBoardMember": "__board__에서 __member__를 삭제", + "act-restoredCard": "__card__를 __board__에 복원했습니다.", + "act-unjoinMember": "__card__에서 __member__를 삭제", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "동작", + "activities": "활동 내역", + "activity": "활동 상태", + "activity-added": "%s를 %s에 추가함", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "%s를 %s에 첨부함", + "activity-created": "%s 생성됨", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "%s를 %s에서 제외함", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "%s에 참여", + "activity-moved": "%s를 %s에서 %s로 옮김", + "activity-on": "%s에", + "activity-removed": "%s를 %s에서 삭제함", + "activity-sent": "%s를 %s로 보냄", + "activity-unjoined": "%s에서 멤버 해제", + "activity-checklist-added": "%s에 체크리스트를 추가함", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "추가", + "add-attachment": "첨부파일 추가", + "add-board": "보드 추가", + "add-card": "카드 추가", + "add-swimlane": "Add Swimlane", + "add-checklist": "체크리스트 추가", + "add-checklist-item": "체크리스트에 항목 추가", + "add-cover": "커버 추가", + "add-label": "라벨 추가", + "add-list": "리스트 추가", + "add-members": "멤버 추가", + "added": "추가됨", + "addMemberPopup-title": "멤버", + "admin": "관리자", + "admin-desc": "카드를 보거나 수정하고, 멤버를 삭제하고, 보드에 대한 설정을 수정할 수 있습니다.", + "admin-announcement": "Announcement", + "admin-announcement-active": "시스템에 공지사항을 표시합니다", + "admin-announcement-title": "관리자 공지사항 메시지", + "all-boards": "전체 보드", + "and-n-other-card": "__count__ 개의 다른 카드", + "and-n-other-card_plural": "__count__ 개의 다른 카드들", + "apply": "적용", + "app-is-offline": "Wekan 로딩 중 입니다. 잠시 기다려주세요. 페이지를 새로고침 하시면 데이터가 손실될 수 있습니다. Wekan 을 불러오는데 실패한다면 서버가 중지되지 않았는지 확인 바랍니다.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "보드 복구", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "멤버 지정", + "attached": "첨부됨", + "attachment": "첨부 파일", + "attachment-delete-pop": "영구 첨부파일을 삭제합니다. 되돌릴 수 없습니다.", + "attachmentDeletePopup-title": "첨부 파일을 삭제합니까?", + "attachments": "첨부 파일", + "auto-watch": "생성한 보드를 자동으로 감시합니다.", + "avatar-too-big": "아바타 파일이 너무 큽니다. (최대 70KB)", + "back": "뒤로", + "board-change-color": "보드 색 변경", + "board-nb-stars": "%s개의 별", + "board-not-found": "보드를 찾을 수 없습니다", + "board-private-info": "이 보드는 비공개입니다.", + "board-public-info": "이 보드는 공개로 설정됩니다", + "boardChangeColorPopup-title": "보드 배경 변경", + "boardChangeTitlePopup-title": "보드 이름 바꾸기", + "boardChangeVisibilityPopup-title": "표시 여부 변경", + "boardChangeWatchPopup-title": "감시상태 변경", + "boardMenuPopup-title": "보드 메뉴", + "boards": "보드", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "목록들", + "bucket-example": "예: “프로젝트 이름“ 입력", + "cancel": "취소", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "이 카드에 %s 코멘트가 있습니다.", + "card-delete-notice": "영구 삭제입니다. 이 카드와 관련된 모든 작업들을 잃게됩니다.", + "card-delete-pop": "모든 작업이 활동 내역에서 제거되며 카드를 다시 열 수 없습니다. 복구가 안되니 주의하시기 바랍니다.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "종료일", + "card-due-on": "종료일", + "card-spent": "Spent Time", + "card-edit-attachments": "첨부 파일 수정", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "라벨 수정", + "card-edit-members": "멤버 수정", + "card-labels-title": "카드의 라벨 변경.", + "card-members-title": "카드에서 보드의 멤버를 추가하거나 삭제합니다.", + "card-start": "시작일", + "card-start-on": "시작일", + "cardAttachmentsPopup-title": "첨부 파일", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "카드를 삭제합니까?", + "cardDetailsActionsPopup-title": "카드 액션", + "cardLabelsPopup-title": "라벨", + "cardMembersPopup-title": "멤버", + "cardMorePopup-title": "더보기", + "cards": "카드", + "cards-count": "카드", + "change": "변경", + "change-avatar": "아바타 변경", + "change-password": "암호 변경", + "change-permissions": "권한 변경", + "change-settings": "설정 변경", + "changeAvatarPopup-title": "아바타 변경", + "changeLanguagePopup-title": "언어 변경", + "changePasswordPopup-title": "암호 변경", + "changePermissionsPopup-title": "권한 변경", + "changeSettingsPopup-title": "설정 변경", + "checklists": "체크리스트", + "click-to-star": "보드에 별 추가.", + "click-to-unstar": "보드에 별 삭제.", + "clipboard": "클립보드 또는 드래그 앤 드롭", + "close": "닫기", + "close-board": "보드 닫기", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "블랙", + "color-blue": "블루", + "color-green": "그린", + "color-lime": "라임", + "color-orange": "오렌지", + "color-pink": "핑크", + "color-purple": "퍼플", + "color-red": "레드", + "color-sky": "스카이", + "color-yellow": "옐로우", + "comment": "댓글", + "comment-placeholder": "댓글 입력", + "comment-only": "댓글만 입력 가능", + "comment-only-desc": "카드에 댓글만 달수 있습니다.", + "computer": "내 컴퓨터", + "confirm-checklist-delete-dialog": "정말 이 체크리스트를 삭제할까요?", + "copy-card-link-to-clipboard": "클립보드에 카드의 링크가 복사되었습니다.", + "copyCardPopup-title": "카드 복사", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "생성", + "createBoardPopup-title": "보드 생성", + "chooseBoardSourcePopup-title": "보드 가져오기", + "createLabelPopup-title": "라벨 생성", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "경향", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "날짜", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "날짜", + "decline": "쇠퇴", + "default-avatar": "기본 아바타", + "delete": "삭제", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "라벨을 삭제합니까?", + "description": "설명", + "disambiguateMultiLabelPopup-title": "라벨 액션의 모호성 제거", + "disambiguateMultiMemberPopup-title": "멤버 액션의 모호성 제거", + "discard": "포기", + "done": "완료", + "download": "다운로드", + "edit": "수정", + "edit-avatar": "아바타 변경", + "edit-profile": "프로필 변경", + "edit-wip-limit": "WIP 제한 변경", + "soft-wip-limit": "원만한 WIP 제한", + "editCardStartDatePopup-title": "시작일 변경", + "editCardDueDatePopup-title": "종료일 변경", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "라벨 변경", + "editNotificationPopup-title": "알림 수정", + "editProfilePopup-title": "프로필 변경", + "email": "이메일", + "email-enrollAccount-subject": "__siteName__에 계정 생성이 완료되었습니다.", + "email-enrollAccount-text": "안녕하세요. __user__님,\n\n시작하려면 아래링크를 클릭해 주세요.\n\n__url__\n\n감사합니다.", + "email-fail": "이메일 전송 실패", + "email-fail-text": "Error trying to send email", + "email-invalid": "잘못된 이메일 주소", + "email-invite": "이메일로 초대", + "email-invite-subject": "__inviter__님이 당신을 초대하였습니다.", + "email-invite-text": "__user__님,\n\n__inviter__님이 협업을 위해 \"__board__\"보드에 가입하도록 초대하셨습니다.\n\n아래 링크를 클릭해주십시오.\n\n__url__\n\n감사합니다.", + "email-resetPassword-subject": "패스워드 초기화: __siteName__", + "email-resetPassword-text": "안녕하세요 __user__님,\n\n비밀번호를 재설정하려면 아래 링크를 클릭하십시오.\n\n__url__\n\n감사합니다.", + "email-sent": "이메일 전송", + "email-verifyEmail-subject": "이메일 인증: __siteName__", + "email-verifyEmail-text": "안녕하세요. __user__님,\n\n당신의 계정과 이메일을 활성하려면 아래 링크를 클릭하십시오.\n\n__url__\n\n감사합니다.", + "enable-wip-limit": "WIP 제한 활성화", + "error-board-doesNotExist": "보드가 없습니다.", + "error-board-notAdmin": "이 작업은 보드의 관리자만 실행할 수 있습니다.", + "error-board-notAMember": "이 작업은 보드의 멤버만 실행할 수 있습니다.", + "error-json-malformed": "텍스트가 JSON 형식에 유효하지 않습니다.", + "error-json-schema": "JSON 데이터에 정보가 올바른 형식으로 포함되어 있지 않습니다.", + "error-list-doesNotExist": "목록이 없습니다.", + "error-user-doesNotExist": "멤버의 정보가 없습니다.", + "error-user-notAllowSelf": "자기 자신을 초대할 수 없습니다.", + "error-user-notCreated": "유저가 생성되지 않았습니다.", + "error-username-taken": "중복된 아이디 입니다.", + "error-email-taken": "Email has already been taken", + "export-board": "보드 내보내기", + "filter": "필터", + "filter-cards": "카드 필터", + "filter-clear": "필터 초기화", + "filter-no-label": "라벨 없음", + "filter-no-member": "멤버 없음", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "필터 사용", + "filter-on-desc": "보드에서 카드를 필터링합니다. 여기를 클릭하여 필터를 수정합니다.", + "filter-to-selection": "선택 항목으로 필터링", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "실명", + "header-logo-title": "보드 페이지로 돌아가기.", + "hide-system-messages": "시스템 메시지 숨기기", + "headerBarCreateBoardPopup-title": "보드 생성", + "home": "홈", + "import": "가져오기", + "import-board": "보드 가져오기", + "import-board-c": "보드 가져오기", + "import-board-title-trello": "Trello에서 보드 가져오기", + "import-board-title-wekan": "Wekan에서 보드 가져오기", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "Trello 게시판에서 'Menu' -> 'More' -> 'Print and Export', 'Export JSON' 선택하여 텍스트 결과값 복사", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "유효한 JSON 데이터를 여기에 붙여 넣으십시오.", + "import-map-members": "보드 멤버들", + "import-members-map": "가져온 보드에는 멤버가 있습니다. 원하는 멤버를 Wekan 멤버로 매핑하세요.", + "import-show-user-mapping": "멤버 매핑 미리보기", + "import-user-select": "이 멤버로 사용하려는 Wekan 유저를 선택하십시오.", + "importMapMembersAddPopup-title": "Wekan 멤버 선택", + "info": "Version", + "initials": "이니셜", + "invalid-date": "적절하지 않은 날짜", + "invalid-time": "적절하지 않은 시각", + "invalid-user": "적절하지 않은 사용자", + "joined": "참가함", + "just-invited": "보드에 방금 초대되었습니다.", + "keyboard-shortcuts": "키보드 단축키", + "label-create": "라벨 생성", + "label-default": "%s 라벨 (기본)", + "label-delete-pop": "되돌릴 수 없습니다. 모든 카드에서 라벨을 제거하고, 이력을 제거합니다.", + "labels": "라벨", + "language": "언어", + "last-admin-desc": "적어도 하나의 관리자가 필요하기에 이 역할을 변경할 수 없습니다.", + "leave-board": "보드 멤버에서 나가기", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "카드에대한 링크", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "목록에 있는 모든 카드를 이동", + "list-select-cards": "목록에 있는 모든 카드를 선택", + "listActionPopup-title": "동작 목록", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Trello 카드 가져 오기", + "listMorePopup-title": "더보기", + "link-list": "이 리스트에 링크", + "list-delete-pop": "모든 작업이 활동내역에서 제거되며 리스트를 복구 할 수 없습니다. 실행 취소는 불가능 합니다.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "목록들", + "swimlanes": "Swimlanes", + "log-out": "로그아웃", + "log-in": "로그인", + "loginPopup-title": "로그인", + "memberMenuPopup-title": "멤버 설정", + "members": "멤버", + "menu": "메뉴", + "move-selection": "선택 항목 이동", + "moveCardPopup-title": "카드 이동", + "moveCardToBottom-title": "최하단으로 이동", + "moveCardToTop-title": "최상단으로 이동", + "moveSelectionPopup-title": "선택 항목 이동", + "multi-selection": "다중 선택", + "multi-selection-on": "다중 선택 사용", + "muted": "알림 해제", + "muted-info": "보드의 변경된 사항들의 알림을 받지 않습니다.", + "my-boards": "내 보드", + "name": "이름", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "결과 값 없음", + "normal": "표준", + "normal-desc": "카드를 보거나 수정할 수 있습니다. 설정값은 변경할 수 없습니다.", + "not-accepted-yet": "초대장이 수락되지 않았습니다.", + "notify-participate": "보드 생성자 또는 멤버로 참여하는 모든 카드에 대한 변경사항 알림 받음", + "notify-watch": "감시중인 보드, 목록 또는 카드에 대한 변경사항 알림 받음", + "optional": "옵션", + "or": "또는", + "page-maybe-private": "이 페이지를 비공개일 수 있습니다. 이것을 보고 싶으면 로그인을 하십시오.", + "page-not-found": "페이지를 찾지 못 했습니다", + "password": "암호", + "paste-or-dragdrop": "이미지 파일을 붙여 넣거나 드래그 앤 드롭 (이미지 전용)", + "participating": "참여", + "preview": "미리보기", + "previewAttachedImagePopup-title": "미리보기", + "previewClipboardImagePopup-title": "미리보기", + "private": "비공개", + "private-desc": "비공개된 보드입니다. 오직 보드에 추가된 사람들만 보고 수정할 수 있습니다", + "profile": "프로파일", + "public": "공개", + "public-desc": "공개된 보드입니다. 링크를 가진 모든 사람과 구글과 같은 검색 엔진에서 찾아서 볼수 있습니다. 보드에 추가된 사람들만 수정이 가능합니다.", + "quick-access-description": "여기에 바로 가기를 추가하려면 보드에 별 표시를 체크하세요.", + "remove-cover": "커버 제거", + "remove-from-board": "보드에서 제거", + "remove-label": "라벨 제거", + "listDeletePopup-title": "리스트를 삭제합니까?", + "remove-member": "멤버 제거", + "remove-member-from-card": "카드에서 제거", + "remove-member-pop": "__boardTitle__에서 __name__(__username__) 을 제거합니까? 이 보드의 모든 카드에서 제거됩니다. 해당 내용을 __name__(__username__) 은(는) 알림으로 받게됩니다.", + "removeMemberPopup-title": "멤버를 제거합니까?", + "rename": "새이름", + "rename-board": "보드 이름 바꾸기", + "restore": "복구", + "save": "저장", + "search": "검색", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "색 선택", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "현재 카드에 자신을 지정하세요.", + "shortcut-autocomplete-emoji": "이모티콘 자동완성", + "shortcut-autocomplete-members": "멤버 자동완성", + "shortcut-clear-filters": "모든 필터 초기화", + "shortcut-close-dialog": "대화 상자 닫기", + "shortcut-filter-my-cards": "내 카드 필터링", + "shortcut-show-shortcuts": "바로가기 목록을 가져오십시오.", + "shortcut-toggle-filterbar": "토글 필터 사이드바", + "shortcut-toggle-sidebar": "보드 사이드바 토글", + "show-cards-minimum-count": "목록에 카드 수량 표시(입력된 수량 넘을 경우 표시)", + "sidebar-open": "사이드바 열기", + "sidebar-close": "사이드바 닫기", + "signupPopup-title": "계정 생성", + "star-board-title": "보드에 별 표시를 클릭합니다. 보드 목록에서 최상위로 둘 수 있습니다.", + "starred-boards": "별표된 보드", + "starred-boards-description": "별 표시된 보드들은 보드 목록의 최상단에서 보입니다.", + "subscribe": "구독", + "team": "팀", + "this-board": "보드", + "this-card": "카드", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "시간", + "title": "제목", + "tracking": "추적", + "tracking-info": "보드 생성자 또는 멤버로 참여하는 모든 카드에 대한 변경사항 알림 받음", + "type": "Type", + "unassign-member": "멤버 할당 해제", + "unsaved-description": "저장되지 않은 설명이 있습니다.", + "unwatch": "감시 해제", + "upload": "업로드", + "upload-avatar": "아바타 업로드", + "uploaded-avatar": "업로드한 아바타", + "username": "아이디", + "view-it": "보기", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "감시", + "watching": "감시 중", + "watching-info": "\"이 보드의 변경사항을 알림으로 받습니다.", + "welcome-board": "보드예제", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "신규", + "welcome-list2": "진행", + "what-to-do": "무엇을 하고 싶으신가요?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "관리자 패널", + "settings": "설정", + "people": "사람", + "registration": "회원가입", + "disable-self-registration": "일반 유저의 회원 가입 막기", + "invite": "초대", + "invite-people": "사람 초대", + "to-boards": "보드로 부터", + "email-addresses": "이메일 주소", + "smtp-host-description": "이메일을 처리하는 SMTP 서버의 주소입니다.", + "smtp-port-description": "SMTP 서버가 보내는 전자 메일에 사용하는 포트입니다.", + "smtp-tls-description": "SMTP 서버에 TLS 지원 사용", + "smtp-host": "SMTP 호스트", + "smtp-port": "SMTP 포트", + "smtp-username": "사용자 이름", + "smtp-password": "암호", + "smtp-tls": "TLS 지원", + "send-from": "보낸 사람", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "초대 코드", + "email-invite-register-subject": "\"__inviter__ 님이 당신에게 초대장을 보냈습니다.", + "email-invite-register-text": "\"__user__ 님, \n\n__inviter__ 님이 Wekan 보드에 협업을 위하여 당신을 초대합니다.\n\n아래 링크를 클릭해주세요 : \n__url__\n\n그리고 초대 코드는 __icode__ 입니다.\n\n감사합니다.", + "email-smtp-test-subject": "SMTP 테스트 이메일이 발송되었습니다.", + "email-smtp-test-text": "테스트 메일을 성공적으로 발송하였습니다.", + "error-invitation-code-not-exist": "초대 코드가 존재하지 않습니다.", + "error-notAuthorized": "이 페이지를 볼 수있는 권한이 없습니다.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json new file mode 100644 index 00000000..128e847a --- /dev/null +++ b/i18n/lv.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Piekrist", + "act-activity-notify": "[Wekan] Aktivitātes paziņojums", + "act-addAttachment": "pievienots __attachment__ to __card__", + "act-addChecklist": "pievienots checklist __checklist__ to __card__", + "act-addChecklistItem": "pievienots __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "komentēja __card__: __comment__", + "act-createBoard": "izveidoja __board__", + "act-createCard": "pievienoja __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "pievienoja __list__ to __board__", + "act-addBoardMember": "pievienoja __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "importēja __board__", + "act-importCard": "importēja __card__", + "act-importList": "importēja __list__", + "act-joinMember": "pievienoja __member__ to __card__", + "act-moveCard": "pārvietoja __card__ from __oldList__ to __list__", + "act-removeBoardMember": "noņēma __member__ from __board__", + "act-restoredCard": "atjaunoja __card__ to __board__", + "act-unjoinMember": "noņēma __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Darbības", + "activities": "Aktivitātes", + "activity": "Aktivitāte", + "activity-added": "pievienoja %s pie %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "pievienoja %s pie %s", + "activity-created": "izveidoja%s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "izslēdza%s no%s", + "activity-imported": "importēja %s iekšā%s no%s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Add", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Members", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Members", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Members", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json new file mode 100644 index 00000000..794f9ce8 --- /dev/null +++ b/i18n/mn.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Зөвшөөрөх", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "_attachment__ хавсралтыг __card__-д хавсаргав", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Нэмэх", + "add-attachment": "Хавсралт нэмэх", + "add-board": "Самбар нэмэх", + "add-card": "Карт нэмэх", + "add-swimlane": "Add Swimlane", + "add-checklist": "Чеклист нэмэх", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Шошго нэмэх", + "add-list": "Жагсаалт нэмэх", + "add-members": "Гишүүд нэмэх", + "added": "Нэмсэн", + "addMemberPopup-title": "Гишүүд", + "admin": "Админ", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "Бүх самбарууд", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Гишүүд", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Аватар өөрчлөх", + "change-password": "Нууц үг солих", + "change-permissions": "Change permissions", + "change-settings": "Тохиргоо өөрчлөх", + "changeAvatarPopup-title": "Аватар өөрчлөх", + "changeLanguagePopup-title": "Хэл солих", + "changePasswordPopup-title": "Нууц үг солих", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Тохиргоо өөрчлөх", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Үүсгэх", + "createBoardPopup-title": "Самбар үүсгэх", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Шошго үүсгэх", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Аватар өөрчлөх", + "edit-profile": "Бүртгэл засварлах", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Мэдэгдэл тохируулах", + "editProfilePopup-title": "Бүртгэл засварлах", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Самбар үүсгэх", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Шошго үүсгэх", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Гарах", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Гишүүний тохиргоо", + "members": "Гишүүд", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "Миний самбарууд", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Хэрэглэгч үүсгэх", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json new file mode 100644 index 00000000..205db808 --- /dev/null +++ b/i18n/nb.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Godta", + "act-activity-notify": "[Wekan] Aktivitetsvarsel", + "act-addAttachment": "la ved __attachment__ til __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "kommenterte til __card__: __comment__", + "act-createBoard": "opprettet __board__", + "act-createCard": "la __card__ til __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "la __list__ til __board__", + "act-addBoardMember": "la __member__ til __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "importerte __board__", + "act-importCard": "importerte __card__", + "act-importList": "importerte __list__", + "act-joinMember": "la __member__ til __card__", + "act-moveCard": "flyttet __card__ fra __oldList__ til __list__", + "act-removeBoardMember": "fjernet __member__ fra __board__", + "act-restoredCard": "gjenopprettet __card__ til __board__", + "act-unjoinMember": "fjernet __member__ fra __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Aktiviteter", + "activity": "Aktivitet", + "activity-added": "la %s til %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "la %s til %s", + "activity-created": "opprettet %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "ekskluderte %s fra %s", + "activity-imported": "importerte %s til %s fra %s", + "activity-imported-board": "importerte %s fra %s", + "activity-joined": "ble med %s", + "activity-moved": "flyttet %s fra %s til %s", + "activity-on": "på %s", + "activity-removed": "fjernet %s fra %s", + "activity-sent": "sendte %s til %s", + "activity-unjoined": "forlot %s", + "activity-checklist-added": "la til sjekkliste til %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Legg til", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Nytt punkt på sjekklisten", + "add-cover": "Nytt omslag", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Legg til medlemmer", + "added": "Lagt til", + "addMemberPopup-title": "Medlemmer", + "admin": "Admin", + "admin-desc": "Kan se og redigere kort, fjerne medlemmer, og endre innstillingene for tavlen.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "Alle tavler", + "and-n-other-card": "Og __count__ andre kort", + "and-n-other-card_plural": "Og __count__ andre kort", + "apply": "Lagre", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Tildel medlem", + "attached": "la ved", + "attachment": "Vedlegg", + "attachment-delete-pop": "Sletting av vedlegg er permanent og kan ikke angres", + "attachmentDeletePopup-title": "Slette vedlegg?", + "attachments": "Vedlegg", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Tilbake", + "board-change-color": "Endre farge", + "board-nb-stars": "%s stjerner", + "board-not-found": "Kunne ikke finne tavlen", + "board-private-info": "Denne tavlen vil være privat.", + "board-public-info": "Denne tavlen vil være offentlig.", + "boardChangeColorPopup-title": "Ende tavlens bakgrunnsfarge", + "boardChangeTitlePopup-title": "Endre navn på tavlen", + "boardChangeVisibilityPopup-title": "Endre synlighet", + "boardChangeWatchPopup-title": "Endre overvåkning", + "boardMenuPopup-title": "Tavlemeny", + "boards": "Tavler", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Som \"Bucket List\" for eksempel", + "cancel": "Avbryt", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "Dette kortet har %s kommentar.", + "card-delete-notice": "Sletting er permanent. Du vil miste alle hendelser knyttet til dette kortet.", + "card-delete-pop": "Alle handlinger vil fjernes fra feeden for aktiviteter og du vil ikke kunne åpne kortet på nytt. Det er ingen mulighet å angre.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Frist", + "card-due-on": "Frist til", + "card-spent": "Spent Time", + "card-edit-attachments": "Rediger vedlegg", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Rediger etiketter", + "card-edit-members": "Endre medlemmer", + "card-labels-title": "Endre etiketter for kortet.", + "card-members-title": "Legg til eller fjern tavle-medlemmer fra dette kortet.", + "card-start": "Start", + "card-start-on": "Starter på", + "cardAttachmentsPopup-title": "Legg ved fra", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Slett kort?", + "cardDetailsActionsPopup-title": "Kort-handlinger", + "cardLabelsPopup-title": "Etiketter", + "cardMembersPopup-title": "Medlemmer", + "cardMorePopup-title": "Mer", + "cards": "Kort", + "cards-count": "Kort", + "change": "Endre", + "change-avatar": "Endre avatar", + "change-password": "Endre passord", + "change-permissions": "Endre rettigheter", + "change-settings": "Endre innstillinger", + "changeAvatarPopup-title": "Endre Avatar", + "changeLanguagePopup-title": "Endre språk", + "changePasswordPopup-title": "Endre passord", + "changePermissionsPopup-title": "Endre tillatelser", + "changeSettingsPopup-title": "Endre innstillinger", + "checklists": "Sjekklister", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Endre avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Etiketter", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "Mer", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Medlemmer", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Endre navn på tavlen", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json new file mode 100644 index 00000000..4515d1c2 --- /dev/null +++ b/i18n/nl.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accepteren", + "act-activity-notify": "[Wekan] Activiteit Notificatie", + "act-addAttachment": "__attachment__ als bijlage toegevoegd aan __card__", + "act-addChecklist": "__checklist__ toegevoegd aan __card__", + "act-addChecklistItem": "__checklistItem__ aan checklist toegevoegd aan __checklist__ op __card__", + "act-addComment": "gereageerd op __card__:__comment__", + "act-createBoard": "aangemaakte __bord__", + "act-createCard": "toegevoegd __kaart__ aan __lijst__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "toegevoegd __lijst__ aan __bord__", + "act-addBoardMember": "__member__ aan __board__ toegevoegd", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": " __board__ geïmporteerd", + "act-importCard": "__card__ geïmporteerd", + "act-importList": "__list__ geïmporteerd", + "act-joinMember": "__member__ aan __card__ toegevoegd", + "act-moveCard": "verplaatst __card__ van __oldList__ naar __list__", + "act-removeBoardMember": "verwijderd __member__ van __board__", + "act-restoredCard": "hersteld __card__ naar __board__", + "act-unjoinMember": "verwijderd __member__ van __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Acties", + "activities": "Activiteiten", + "activity": "Activiteit", + "activity-added": "%s toegevoegd aan %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "%s bijgevoegd aan %s", + "activity-created": "%s aangemaakt", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "%s uitgesloten van %s", + "activity-imported": "%s geimporteerd in %s van %s", + "activity-imported-board": "%s geimporteerd van %s", + "activity-joined": "%s toegetreden", + "activity-moved": "%s verplaatst van %s naar %s", + "activity-on": "bij %s", + "activity-removed": "%s verwijderd van %s", + "activity-sent": "%s gestuurd naar %s", + "activity-unjoined": "uit %s gegaan", + "activity-checklist-added": "checklist toegevoegd aan %s", + "activity-checklist-item-added": "checklist punt toegevoegd aan '%s' in '%s'", + "add": "Toevoegen", + "add-attachment": "Voeg Bijlage Toe", + "add-board": "Voeg Bord Toe", + "add-card": "Voeg Kaart Toe", + "add-swimlane": "Swimlane Toevoegen", + "add-checklist": "Voeg Checklist Toe", + "add-checklist-item": "Voeg item toe aan checklist", + "add-cover": "Voeg Cover Toe", + "add-label": "Voeg Label Toe", + "add-list": "Voeg Lijst Toe", + "add-members": "Voeg Leden Toe", + "added": "Toegevoegd", + "addMemberPopup-title": "Leden", + "admin": "Administrator", + "admin-desc": "Kan kaarten bekijken en wijzigen, leden verwijderen, en instellingen voor het bord aanpassen.", + "admin-announcement": "Melding", + "admin-announcement-active": "Systeem melding", + "admin-announcement-title": "Melding van de administrator", + "all-boards": "Alle borden", + "and-n-other-card": "En nog __count__ ander", + "and-n-other-card_plural": "En __count__ andere kaarten", + "apply": "Aanmelden", + "app-is-offline": "Wekan is aan het laden, wacht alstublieft. Het verversen van de pagina zorgt voor verlies van gegevens. Als Wekan niet laadt, check of de Wekan server is gestopt.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Herstel Bord", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Wijs lid aan", + "attached": "bijgevoegd", + "attachment": "Bijlage", + "attachment-delete-pop": "Een bijlage verwijderen is permanent. Er is geen herstelmogelijkheid.", + "attachmentDeletePopup-title": "Verwijder Bijlage?", + "attachments": "Bijlagen", + "auto-watch": "Automatisch borden bekijken wanneer deze aangemaakt worden", + "avatar-too-big": "De bestandsgrootte van je avatar is te groot (70KB max)", + "back": "Terug", + "board-change-color": "Verander kleur", + "board-nb-stars": "%s sterren", + "board-not-found": "Bord is niet gevonden", + "board-private-info": "Dit bord is nu privé.", + "board-public-info": "Dit bord is nu openbaar.", + "boardChangeColorPopup-title": "Verander achtergrond van bord", + "boardChangeTitlePopup-title": "Hernoem bord", + "boardChangeVisibilityPopup-title": "Verander zichtbaarheid", + "boardChangeWatchPopup-title": "Verander naar 'Watch'", + "boardMenuPopup-title": "Bord menu", + "boards": "Borden", + "board-view": "Bord overzicht", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lijsten", + "bucket-example": "Zoals \"Bucket List\" bijvoorbeeld", + "cancel": "Annuleren", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "Deze kaart heeft %s reactie.", + "card-delete-notice": "Verwijdering is permanent. Als je dit doet, verlies je alle informatie die op deze kaart is opgeslagen.", + "card-delete-pop": "Alle acties worden verwijderd van de activiteiten feed, en er zal geen mogelijkheid zijn om de kaart opnieuw te openen. Deze actie kan je niet ongedaan maken.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Deadline: ", + "card-due-on": "Deadline: ", + "card-spent": "gespendeerde tijd", + "card-edit-attachments": "Wijzig bijlagen", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Wijzig labels", + "card-edit-members": "Wijzig leden", + "card-labels-title": "Wijzig de labels vam de kaart.", + "card-members-title": "Voeg of verwijder leden van het bord toe aan de kaart.", + "card-start": "Begin", + "card-start-on": "Begint op", + "cardAttachmentsPopup-title": "Voeg bestand toe vanuit", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Kaart verwijderen?", + "cardDetailsActionsPopup-title": "Kaart actie ondernemen", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Leden", + "cardMorePopup-title": "Meer", + "cards": "Kaarten", + "cards-count": "Kaarten", + "change": "Wijzig", + "change-avatar": "Wijzig avatar", + "change-password": "Wijzig wachtwoord", + "change-permissions": "Wijzig permissies", + "change-settings": "Wijzig instellingen", + "changeAvatarPopup-title": "Wijzig avatar", + "changeLanguagePopup-title": "Verander van taal", + "changePasswordPopup-title": "Wijzig wachtwoord", + "changePermissionsPopup-title": "Wijzig permissies", + "changeSettingsPopup-title": "Wijzig instellingen", + "checklists": "Checklists", + "click-to-star": "Klik om het bord als favoriet in te stellen", + "click-to-unstar": "Klik om het bord uit favorieten weg te halen", + "clipboard": "Vanuit clipboard of sleep het bestand hierheen", + "close": "Sluiten", + "close-board": "Sluit bord", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "zwart", + "color-blue": "blauw", + "color-green": "groen", + "color-lime": "Felgroen", + "color-orange": "Oranje", + "color-pink": "Roze", + "color-purple": "Paars", + "color-red": "Rood", + "color-sky": "Lucht", + "color-yellow": "Geel", + "comment": "Reageer", + "comment-placeholder": "Schrijf reactie", + "comment-only": "Alleen reageren", + "comment-only-desc": "Kan alleen op kaarten reageren.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Weet u zeker dat u de checklist wilt verwijderen", + "copy-card-link-to-clipboard": "Kopieer kaart link naar klembord", + "copyCardPopup-title": "Kopieer kaart", + "copyChecklistToManyCardsPopup-title": "Checklist sjabloon kopiëren naar meerdere kaarten", + "copyChecklistToManyCardsPopup-instructions": "Doel kaart titels en omschrijvingen in dit JSON formaat", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titel eerste kaart\", \"description\":\"Omschrijving eerste kaart\"}, {\"title\":\"Titel tweede kaart\",\"description\":\"Omschrijving tweede kaart\"},{\"title\":\"Titel laatste kaart\",\"description\":\"Omschrijving laatste kaart\"} ]", + "create": "Aanmaken", + "createBoardPopup-title": "Bord aanmaken", + "chooseBoardSourcePopup-title": "Importeer bord", + "createLabelPopup-title": "Label aanmaken", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "Huidige", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Datum", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Datum", + "decline": "Weigeren", + "default-avatar": "Standaard avatar", + "delete": "Verwijderen", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Verwijder label?", + "description": "Beschrijving", + "disambiguateMultiLabelPopup-title": "Disambigueer Label Actie", + "disambiguateMultiMemberPopup-title": "Disambigueer Lid Actie", + "discard": "Weggooien", + "done": "Klaar", + "download": "Download", + "edit": "Wijzig", + "edit-avatar": "Wijzig avatar", + "edit-profile": "Wijzig profiel", + "edit-wip-limit": "Verander WIP limiet", + "soft-wip-limit": "Zachte WIP limiet", + "editCardStartDatePopup-title": "Wijzig start datum", + "editCardDueDatePopup-title": "Wijzig deadline", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Verander gespendeerde tijd", + "editLabelPopup-title": "Wijzig label", + "editNotificationPopup-title": "Wijzig notificatie", + "editProfilePopup-title": "Wijzig profiel", + "email": "E-mail", + "email-enrollAccount-subject": "Er is een account voor je aangemaakt op __siteName__", + "email-enrollAccount-text": "Hallo __user__,\n\nOm gebruik te maken van de online dienst, kan je op de volgende link klikken.\n\n__url__\n\nBedankt.", + "email-fail": "E-mail verzenden is mislukt", + "email-fail-text": "Fout tijdens het verzenden van de email", + "email-invalid": "Ongeldige e-mail", + "email-invite": "Nodig uit via e-mail", + "email-invite-subject": "__inviter__ heeft je een uitnodiging gestuurd", + "email-invite-text": "Beste __user__,\n\n__inviter__ heeft je uitgenodigd om voor een samenwerking deel te nemen aan het bord \"__board__\".\n\nKlik op de link hieronder:\n\n__url__\n\nBedankt.", + "email-resetPassword-subject": "Reset je wachtwoord op __siteName__", + "email-resetPassword-text": "Hallo __user__,\n\nKlik op de link hier beneden om je wachtwoord te resetten.\n\n__url__\n\nBedankt.", + "email-sent": "E-mail is verzonden", + "email-verifyEmail-subject": "Verifieer je e-mailadres op __siteName__", + "email-verifyEmail-text": "Hallo __user__,\n\nOm je e-mail te verifiëren vragen we je om op de link hieronder te drukken.\n\n__url__\n\nBedankt.", + "enable-wip-limit": "Activeer WIP limiet", + "error-board-doesNotExist": "Dit bord bestaat niet.", + "error-board-notAdmin": "Je moet een administrator zijn van dit bord om dat te doen.", + "error-board-notAMember": "Je moet een lid zijn van dit bord om dat te doen.", + "error-json-malformed": "JSON format klopt niet", + "error-json-schema": "De JSON data bevat niet de juiste informatie in de juiste format", + "error-list-doesNotExist": "Deze lijst bestaat niet", + "error-user-doesNotExist": "Deze gebruiker bestaat niet", + "error-user-notAllowSelf": "Je kan jezelf niet uitnodigen", + "error-user-notCreated": "Deze gebruiker is niet aangemaakt", + "error-username-taken": "Deze gebruikersnaam is al bezet", + "error-email-taken": "Deze e-mail is al eerder gebruikt", + "export-board": "Exporteer bord", + "filter": "Filter", + "filter-cards": "Filter kaarten", + "filter-clear": "Reset filter", + "filter-no-label": "Geen label", + "filter-no-member": "Geen lid", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter staat aan", + "filter-on-desc": "Je bent nu kaarten aan het filteren op dit bord. Klik hier om het filter te wijzigen.", + "filter-to-selection": "Filter zoals selectie", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Volledige naam", + "header-logo-title": "Ga terug naar jouw borden pagina.", + "hide-system-messages": "Verberg systeemberichten", + "headerBarCreateBoardPopup-title": "Bord aanmaken", + "home": "Voorpagina", + "import": "Importeer", + "import-board": "Importeer bord", + "import-board-c": "Importeer bord", + "import-board-title-trello": "Importeer bord van Trello", + "import-board-title-wekan": "Importeer bord van Wekan", + "import-sandstorm-warning": "Het geïmporteerde bord verwijdert alle data op het huidige bord, om het daarna te vervangen.", + "from-trello": "Van Trello", + "from-wekan": "Van Wekan", + "import-board-instruction-trello": "Op jouw Trello bord, ga naar 'Menu', dan naar 'Meer', 'Print en Exporteer', 'Exporteer JSON', en kopieer de tekst.", + "import-board-instruction-wekan": "In jouw Wekan bord, ga naar 'Menu', dan 'Exporteer bord', en kopieer de tekst in het gedownloade bestand.", + "import-json-placeholder": "Plak geldige JSON data hier", + "import-map-members": "Breng leden in kaart", + "import-members-map": "Jouw geïmporteerde borden heeft een paar leden. Selecteer de leden die je wilt importeren naar Wekan gebruikers. ", + "import-show-user-mapping": "Breng leden overzicht tevoorschijn", + "import-user-select": "Kies de Wekan gebruiker uit die je hier als lid wilt hebben", + "importMapMembersAddPopup-title": "Selecteer een Wekan lid", + "info": "Versie", + "initials": "Initialen", + "invalid-date": "Ongeldige datum", + "invalid-time": "Ongeldige tijd", + "invalid-user": "Ongeldige gebruiker", + "joined": "doet nu mee met", + "just-invited": "Je bent zojuist uitgenodigd om mee toen doen met dit bord", + "keyboard-shortcuts": "Toetsenbord snelkoppelingen", + "label-create": "Label aanmaken", + "label-default": "%s label (standaard)", + "label-delete-pop": "Je kan het niet ongedaan maken. Deze actie zal de label van alle kaarten verwijderen, en de feed.", + "labels": "Labels", + "language": "Taal", + "last-admin-desc": "Je kan de permissies niet veranderen omdat er maar een administrator is.", + "leave-board": "Verlaat bord", + "leave-board-pop": "Weet u zeker dat u __boardTitle__ wilt verlaten? U wordt verwijderd van alle kaarten binnen dit bord", + "leaveBoardPopup-title": "Bord verlaten?", + "link-card": "Link naar deze kaart", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Verplaats alle kaarten in deze lijst", + "list-select-cards": "Selecteer alle kaarten in deze lijst", + "listActionPopup-title": "Lijst acties", + "swimlaneActionPopup-title": "Swimlane handelingen", + "listImportCardPopup-title": "Importeer een Trello kaart", + "listMorePopup-title": "Meer", + "link-list": "Link naar deze lijst", + "list-delete-pop": "Alle acties zullen verwijderd worden van de activiteiten feed, en je zult deze niet meer kunnen herstellen. Je kan deze actie niet ongedaan maken.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lijsten", + "swimlanes": "Swimlanes", + "log-out": "Uitloggen", + "log-in": "Inloggen", + "loginPopup-title": "Inloggen", + "memberMenuPopup-title": "Instellingen van leden", + "members": "Leden", + "menu": "Menu", + "move-selection": "Verplaats selectie", + "moveCardPopup-title": "Verplaats kaart", + "moveCardToBottom-title": "Verplaats naar beneden", + "moveCardToTop-title": "Verplaats naar boven", + "moveSelectionPopup-title": "Verplaats selectie", + "multi-selection": "Multi-selectie", + "multi-selection-on": "Multi-selectie staat aan", + "muted": "Stil", + "muted-info": "Je zal nooit meer geïnformeerd worden bij veranderingen in dit bord.", + "my-boards": "Mijn Borden", + "name": "Naam", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Geen resultaten", + "normal": "Normaal", + "normal-desc": "Kan de kaarten zien en wijzigen. Kan de instellingen niet wijzigen.", + "not-accepted-yet": "Uitnodiging niet geaccepteerd", + "notify-participate": "Ontvang updates van elke kaart die je hebt gemaakt of lid van bent", + "notify-watch": "Ontvang updates van elke bord, lijst of kaart die je bekijkt.", + "optional": "optioneel", + "or": "of", + "page-maybe-private": "Deze pagina is privé. Je kan het bekijken door in te loggen.", + "page-not-found": "Pagina niet gevonden.", + "password": "Wachtwoord", + "paste-or-dragdrop": "Om te plakken, of slepen & neer te laten (alleen afbeeldingen)", + "participating": "Deelnemen", + "preview": "Voorbeeld", + "previewAttachedImagePopup-title": "Voorbeeld", + "previewClipboardImagePopup-title": "Voorbeeld", + "private": "Privé", + "private-desc": "Dit bord is privé. Alleen mensen die toegevoegd zijn aan het bord kunnen het bekijken en wijzigen.", + "profile": "Profiel", + "public": "Publiek", + "public-desc": "Dit bord is publiek. Het is zichtbaar voor iedereen met de link en zal tevoorschijn komen op zoekmachines zoals Google. Alleen mensen die toegevoegd zijn kunnen het bord wijzigen.", + "quick-access-description": "Maak een bord favoriet om een snelkoppeling toe te voegen aan deze balk.", + "remove-cover": "Verwijder Cover", + "remove-from-board": "Verwijder van bord", + "remove-label": "Verwijder label", + "listDeletePopup-title": "Verwijder lijst?", + "remove-member": "Verwijder lid", + "remove-member-from-card": "Verwijder van kaart", + "remove-member-pop": "Verwijder __name__ (__username__) van __boardTitle__? Het lid zal verwijderd worden van alle kaarten op dit bord, en zal een notificatie ontvangen.", + "removeMemberPopup-title": "Verwijder lid?", + "rename": "Hernoem", + "rename-board": "Hernoem bord", + "restore": "Herstel", + "save": "Opslaan", + "search": "Zoek", + "search-cards": "Zoeken in kaart titels en omschrijvingen op dit bord", + "search-example": "Tekst om naar te zoeken?", + "select-color": "Selecteer kleur", + "set-wip-limit-value": "Zet een limiet voor het maximaal aantal taken in deze lijst", + "setWipLimitPopup-title": "Zet een WIP limiet", + "shortcut-assign-self": "Wijs jezelf toe aan huidige kaart", + "shortcut-autocomplete-emoji": "Emojis automatisch aanvullen", + "shortcut-autocomplete-members": "Leden automatisch aanvullen", + "shortcut-clear-filters": "Alle filters vrijmaken", + "shortcut-close-dialog": "Sluit dialoog", + "shortcut-filter-my-cards": "Filter mijn kaarten", + "shortcut-show-shortcuts": "Haal lijst met snelkoppelingen tevoorschijn", + "shortcut-toggle-filterbar": "Schakel Filter Zijbalk", + "shortcut-toggle-sidebar": "Schakel Bord Zijbalk", + "show-cards-minimum-count": "Laat het aantal kaarten zien wanneer de lijst meer kaarten heeft dan", + "sidebar-open": "Open Zijbalk", + "sidebar-close": "Sluit Zijbalk", + "signupPopup-title": "Maak een account aan", + "star-board-title": "Klik om het bord toe te voegen aan favorieten, waarna hij aan de bovenbalk tevoorschijn komt.", + "starred-boards": "Favoriete Borden", + "starred-boards-description": "Favoriete borden komen tevoorschijn aan de bovenbalk.", + "subscribe": "Abonneer", + "team": "Team", + "this-board": "dit bord", + "this-card": "deze kaart", + "spent-time-hours": "Gespendeerde tijd (in uren)", + "overtime-hours": "Overwerk (in uren)", + "overtime": "Overwerk", + "has-overtime-cards": "Heeft kaarten met overwerk", + "has-spenttime-cards": "Heeft tijd besteed aan kaarten", + "time": "Tijd", + "title": "Titel", + "tracking": "Volgen", + "tracking-info": "Je wordt op de hoogte gesteld als er veranderingen zijn aan de kaarten waar je lid of maker van bent.", + "type": "Type", + "unassign-member": "Lid ontkennen", + "unsaved-description": "Je hebt een niet opgeslagen beschrijving.", + "unwatch": "Niet bekijken", + "upload": "Upload", + "upload-avatar": "Upload een avatar", + "uploaded-avatar": "Avatar is geüpload", + "username": "Gebruikersnaam", + "view-it": "Bekijk het", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Bekijk", + "watching": "Bekijken", + "watching-info": "Je zal op de hoogte worden gesteld als er een verandering gebeurt op dit bord.", + "welcome-board": "Welkom Bord", + "welcome-swimlane": "Mijlpaal 1", + "welcome-list1": "Basis", + "welcome-list2": "Geadvanceerd", + "what-to-do": "Wat wil je doen?", + "wipLimitErrorPopup-title": "Ongeldige WIP limiet", + "wipLimitErrorPopup-dialog-pt1": "Het aantal taken in deze lijst is groter dan de gedefinieerde WIP limiet ", + "wipLimitErrorPopup-dialog-pt2": "Verwijder een aantal taken uit deze lijst, of zet de WIP limiet hoger", + "admin-panel": "Administrator paneel", + "settings": "Instellingen", + "people": "Mensen", + "registration": "Registratie", + "disable-self-registration": "Schakel zelf-registratie uit", + "invite": "Uitnodigen", + "invite-people": "Nodig mensen uit", + "to-boards": "Voor bord(en)", + "email-addresses": "E-mailadressen", + "smtp-host-description": "Het adres van de SMTP server die e-mails zal versturen.", + "smtp-port-description": "De poort van de SMTP server wordt gebruikt voor uitgaande e-mails.", + "smtp-tls-description": "Gebruik TLS ondersteuning voor SMTP server.", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Poort", + "smtp-username": "Gebruikersnaam", + "smtp-password": "Wachtwoord", + "smtp-tls": "TLS ondersteuning", + "send-from": "Van", + "send-smtp-test": "Verzend een email naar uzelf", + "invitation-code": "Uitnodigings code", + "email-invite-register-subject": "__inviter__ heeft je een uitnodiging gestuurd", + "email-invite-register-text": "Beste __user__,\n\n__inviter__ heeft je uitgenodigd voor Wekan om samen te werken.\n\nKlik op de volgende link:\n__url__\n\nEn je uitnodigingscode is __icode__\n\nBedankt.", + "email-smtp-test-subject": "SMTP Test email van Wekan", + "email-smtp-test-text": "U heeft met succes een email verzonden", + "error-invitation-code-not-exist": "Uitnodigings code bestaat niet", + "error-notAuthorized": "Je bent niet toegestaan om deze pagina te bekijken.", + "outgoing-webhooks": "Uitgaande Webhooks", + "outgoingWebhooksPopup-title": "Uitgaande Webhooks", + "new-outgoing-webhook": "Nieuwe webhook", + "no-name": "(Onbekend)", + "Wekan_version": "Wekan versie", + "Node_version": "Node versie", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Vrij Geheugen", + "OS_Loadavg": "OS Gemiddelde Lading", + "OS_Platform": "OS Platform", + "OS_Release": "OS Versie", + "OS_Totalmem": "OS Totaal Geheugen", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "uren", + "minutes": "minuten", + "seconds": "seconden", + "show-field-on-card": "Show this field on card", + "yes": "Ja", + "no": "Nee", + "accounts": "Accounts", + "accounts-allowEmailChange": "Sta E-mailadres wijzigingen toe", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Gemaakt op", + "verified": "Geverifieerd", + "active": "Actief", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json new file mode 100644 index 00000000..5ac7e2f9 --- /dev/null +++ b/i18n/pl.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Akceptuj", + "act-activity-notify": "[Wekan] Powiadomienia - aktywności", + "act-addAttachment": "załączono __attachement__ do __karty__", + "act-addChecklist": "dodano listę zadań __checklist__ to __card__", + "act-addChecklistItem": "dodano __checklistItem__ do listy zadań __checklist__ na karcie __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Akcje", + "activities": "Aktywności", + "activity": "Aktywność", + "activity-added": "dodano %s z %s", + "activity-archived": "%s przeniesiono do Kosza", + "activity-attached": "załączono %s z %s", + "activity-created": "utworzono %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "wyłączono %s z %s", + "activity-imported": "zaimportowano %s to %s z %s", + "activity-imported-board": "zaimportowano %s z %s", + "activity-joined": "dołączono %s", + "activity-moved": "przeniesiono % z %s to %s", + "activity-on": "w %s", + "activity-removed": "usunięto %s z %s", + "activity-sent": "wysłano %s z %s", + "activity-unjoined": "odłączono %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Dodaj", + "add-attachment": "Dodaj załącznik", + "add-board": "Dodaj tablicę", + "add-card": "Dodaj kartę", + "add-swimlane": "Add Swimlane", + "add-checklist": "Dodaj listę kontrolną", + "add-checklist-item": "Dodaj element do listy kontrolnej", + "add-cover": "Dodaj okładkę", + "add-label": "Dodaj etykietę", + "add-list": "Dodaj listę", + "add-members": "Dodaj członków", + "added": "Dodano", + "addMemberPopup-title": "Członkowie", + "admin": "Admin", + "admin-desc": "Może widzieć i edytować karty, usuwać członków oraz zmieniać ustawienia tablicy.", + "admin-announcement": "Ogłoszenie", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Ogłoszenie od Administratora", + "all-boards": "Wszystkie tablice", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Zastosuj", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Przenieś do Kosza", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Przywróć tablicę", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Dodaj członka", + "attached": "załączono", + "attachment": "Załącznik", + "attachment-delete-pop": "Usunięcie załącznika jest nieodwracalne.", + "attachmentDeletePopup-title": "Usunąć załącznik?", + "attachments": "Załączniki", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "Awatar jest za duży (maksymalnie 70Kb)", + "back": "Wstecz", + "board-change-color": "Zmień kolor", + "board-nb-stars": "%s odznaczeń", + "board-not-found": "Nie znaleziono tablicy", + "board-private-info": "Ta tablica będzie prywatna.", + "board-public-info": "Ta tablica będzie publiczna.", + "boardChangeColorPopup-title": "Zmień tło tablicy", + "boardChangeTitlePopup-title": "Zmień nazwę tablicy", + "boardChangeVisibilityPopup-title": "Zmień widoczność", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Menu tablicy", + "boards": "Tablice", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Listy", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Anuluj", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "Ta karta ma %s komentarzy.", + "card-delete-notice": "Usunięcie jest trwałe. Stracisz wszystkie akcje powiązane z tą kartą.", + "card-delete-pop": "Wszystkie akcje będą usunięte z widoku aktywności, nie można będzie ponownie otworzyć karty. Usunięcie jest nieodwracalne.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edytuj załączniki", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edytuj etykiety", + "card-edit-members": "Edytuj członków", + "card-labels-title": "Zmień etykiety karty", + "card-members-title": "Dodaj lub usuń członków tablicy z karty.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Załącz z", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Usunąć kartę?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Etykiety", + "cardMembersPopup-title": "Członkowie", + "cardMorePopup-title": "Więcej", + "cards": "Karty", + "cards-count": "Karty", + "change": "Zmień", + "change-avatar": "Zmień Avatar", + "change-password": "Zmień hasło", + "change-permissions": "Zmień uprawnienia", + "change-settings": "Zmień ustawienia", + "changeAvatarPopup-title": "Zmień Avatar", + "changeLanguagePopup-title": "Zmień język", + "changePasswordPopup-title": "Zmień hasło", + "changePermissionsPopup-title": "Zmień uprawnienia", + "changeSettingsPopup-title": "Zmień ustawienia", + "checklists": "Checklists", + "click-to-star": "Kliknij by odznaczyć tę tablicę.", + "click-to-unstar": "Kliknij by usunąć odznaczenie tej tablicy.", + "clipboard": "Schowek lub przeciągnij & upuść", + "close": "Zamknij", + "close-board": "Zamknij tablicę", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "czarny", + "color-blue": "niebieski", + "color-green": "zielony", + "color-lime": "limonkowy", + "color-orange": "pomarańczowy", + "color-pink": "różowy", + "color-purple": "fioletowy", + "color-red": "czerwony", + "color-sky": "błękitny", + "color-yellow": "żółty", + "comment": "Komentarz", + "comment-placeholder": "Dodaj komentarz", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Komputer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Skopiuj kartę", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Utwórz", + "createBoardPopup-title": "Utwórz tablicę", + "chooseBoardSourcePopup-title": "Import tablicy", + "createLabelPopup-title": "Utwórz etykietę", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "obecny", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Data", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Data", + "decline": "Odrzuć", + "default-avatar": "Domyślny avatar", + "delete": "Usuń", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Usunąć etykietę?", + "description": "Opis", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Odrzuć", + "done": "Zrobiono", + "download": "Pobierz", + "edit": "Edytuj", + "edit-avatar": "Zmień Avatar", + "edit-profile": "Edytuj profil", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Zmień etykietę", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edytuj profil", + "email": "Email", + "email-enrollAccount-subject": "Konto zostało utworzone na __siteName__", + "email-enrollAccount-text": "Witaj __user__,\nAby zacząć korzystać z serwisu, kliknij w link poniżej.\n__url__\nDzięki.", + "email-fail": "Wysyłanie emaila nie powiodło się.", + "email-fail-text": "Error trying to send email", + "email-invalid": "Nieprawidłowy email", + "email-invite": "Zaproś przez email", + "email-invite-subject": "__inviter__ wysłał Ci zaproszenie", + "email-invite-text": "Drogi __user__,\n__inviter__ zaprosił Cię do współpracy w tablicy \"__board__\".\nZobacz więcej:\n__url__\nDzięki.", + "email-resetPassword-subject": "Zresetuj swoje hasło na __siteName__", + "email-resetPassword-text": "Witaj __user__,\nAby zresetować hasło, kliknij w link poniżej.\n__url__\nDzięki.", + "email-sent": "Email wysłany", + "email-verifyEmail-subject": "Zweryfikuj swój adres email na __siteName__", + "email-verifyEmail-text": "Witaj __user__,\nAby zweryfikować adres email, kliknij w link poniżej.\n__url__\nDzięki.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "Ta tablica nie istnieje", + "error-board-notAdmin": "Musisz być administratorem tej tablicy żeby to zrobić", + "error-board-notAMember": "Musisz być członkiem tej tablicy żeby to zrobić", + "error-json-malformed": "Twój tekst nie jest poprawnym JSONem", + "error-json-schema": "Twój JSON nie zawiera prawidłowych informacji w poprawnym formacie", + "error-list-doesNotExist": "Ta lista nie isnieje", + "error-user-doesNotExist": "Ten użytkownik nie istnieje", + "error-user-notAllowSelf": "Nie możesz zaprosić samego siebie", + "error-user-notCreated": "Ten użytkownik nie został stworzony", + "error-username-taken": "Ta nazwa jest już zajęta", + "error-email-taken": "Email has already been taken", + "export-board": "Eksportuj tablicę", + "filter": "Filtr", + "filter-cards": "Odfiltruj karty", + "filter-clear": "Usuń filter", + "filter-no-label": "Brak etykiety", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filtr jest włączony", + "filter-on-desc": "Filtrujesz karty na tej tablicy. Kliknij tutaj by edytować filtr.", + "filter-to-selection": "Odfiltruj zaznaczenie", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Wróć do swojej strony z tablicami.", + "hide-system-messages": "Ukryj wiadomości systemowe", + "headerBarCreateBoardPopup-title": "Utwórz tablicę", + "home": "Strona główna", + "import": "Importu", + "import-board": "importuj tablice", + "import-board-c": "Import tablicy", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Importuj tablice z Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "Z Trello", + "from-wekan": "Z Wekan", + "import-board-instruction-trello": "W twojej tablicy na Trello, idź do 'Menu', następnie 'More', 'Print and Export', 'Export JSON' i skopiuj wynik", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Wklej twój JSON tutaj", + "import-map-members": "Map members", + "import-members-map": "Twoje zaimportowane tablice mają kilku członków. Proszę wybierz członków których chcesz zaimportować do Wekan", + "import-show-user-mapping": "Przejrzyj wybranych członków", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Wersja", + "initials": "Initials", + "invalid-date": "Błędna data", + "invalid-time": "Błędny czas", + "invalid-user": "Zła nazwa użytkownika", + "joined": "dołączył", + "just-invited": "Właśnie zostałeś zaproszony do tej tablicy", + "keyboard-shortcuts": "Skróty klawiaturowe", + "label-create": "Utwórz etykietę", + "label-default": "%s etykieta (domyślna)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Etykiety", + "language": "Język", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Opuść tablicę", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link do tej karty", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Przenieś wszystkie karty z tej listy", + "list-select-cards": "Zaznacz wszystkie karty z tej listy", + "listActionPopup-title": "Lista akcji", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Zaimportuj kartę z Trello", + "listMorePopup-title": "Więcej", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Listy", + "swimlanes": "Swimlanes", + "log-out": "Wyloguj", + "log-in": "Zaloguj", + "loginPopup-title": "Zaloguj", + "memberMenuPopup-title": "Member Settings", + "members": "Członkowie", + "menu": "Menu", + "move-selection": "Przenieś zaznaczone", + "moveCardPopup-title": "Przenieś kartę", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Przenieś zaznaczone", + "multi-selection": "Wielokrotne zaznaczenie", + "multi-selection-on": "Wielokrotne zaznaczenie jest włączone", + "muted": "Wyciszona", + "muted-info": "Nie zostaniesz powiadomiony o zmianach w tablicy", + "my-boards": "Moje tablice", + "name": "Nazwa", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Brak wyników", + "normal": "Normal", + "normal-desc": "Może widzieć i edytować karty. Nie może zmieniać ustawiań.", + "not-accepted-yet": "Zaproszenie jeszcze nie zaakceptowane", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "opcjonalny", + "or": "lub", + "page-maybe-private": "Ta strona może być prywatna. Możliwe, że możesz ją zobaczyć po zalogowaniu.", + "page-not-found": "Strona nie znaleziona.", + "password": "Hasło", + "paste-or-dragdrop": "wklej lub przeciągnij & upuść obrazek", + "participating": "Participating", + "preview": "Podgląd", + "previewAttachedImagePopup-title": "Podgląd", + "previewClipboardImagePopup-title": "Podgląd", + "private": "Prywatny", + "private-desc": "Ta tablica jest prywatna. Tylko osoby dodane do tej tablicy mogą ją zobaczyć i edytować.", + "profile": "Profil", + "public": "Publiczny", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Odznacz tablicę aby dodać skrót na tym pasku.", + "remove-cover": "Usuń okładkę", + "remove-from-board": "Usuń z tablicy", + "remove-label": "Usuń etykietę", + "listDeletePopup-title": "Usunąć listę?", + "remove-member": "Usuń członka", + "remove-member-from-card": "Usuń z karty", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Usunąć członka?", + "rename": "Zmień nazwę", + "rename-board": "Zmień nazwę tablicy", + "restore": "Przywróć", + "save": "Zapisz", + "search": "Wyszukaj", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Wybierz kolor", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Przypisz siebie do obecnej karty", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Usuń wszystkie filtry", + "shortcut-close-dialog": "Zamknij okno", + "shortcut-filter-my-cards": "Filtruj moje karty", + "shortcut-show-shortcuts": "Przypnij do listy skrótów", + "shortcut-toggle-filterbar": "Przełącz boczny pasek filtru", + "shortcut-toggle-sidebar": "Przełącz boczny pasek tablicy", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Utwórz konto", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Odznaczone tablice", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Zapisz się", + "team": "Zespół", + "this-board": "ta tablica", + "this-card": "ta karta", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Tytuł", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Nieprzypisany członek", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Wyślij", + "upload-avatar": "Wyślij avatar", + "uploaded-avatar": "Wysłany avatar", + "username": "Nazwa użytkownika", + "view-it": "Zobacz", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Obserwuj", + "watching": "Obserwujesz", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Podstawy", + "welcome-list2": "Zaawansowane", + "what-to-do": "Co chcesz zrobić?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Panel administracyjny", + "settings": "Ustawienia", + "people": "Osoby", + "registration": "Rejestracja", + "disable-self-registration": "Disable Self-Registration", + "invite": "Zaproś", + "invite-people": "Zaproś osoby", + "to-boards": "To board(s)", + "email-addresses": "Adres e-mail", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "Serwer SMTP", + "smtp-port": "Port SMTP", + "smtp-username": "Nazwa użytkownika", + "smtp-password": "Hasło", + "smtp-tls": "TLS support", + "send-from": "Od", + "send-smtp-test": "Wyślij wiadomość testową do siebie", + "invitation-code": "Kod z zaproszenia", + "email-invite-register-subject": "__inviter__ wysłał Ci zaproszenie", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(nieznany)", + "Wekan_version": "Wersja Wekan", + "Node_version": "Wersja Node", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "godzin", + "minutes": "minut", + "seconds": "sekund", + "show-field-on-card": "Show this field on card", + "yes": "Tak", + "no": "Nie", + "accounts": "Konto", + "accounts-allowEmailChange": "Zezwól na zmianę adresu email", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Stworzono o", + "verified": "Zweryfikowane", + "active": "Aktywny", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json new file mode 100644 index 00000000..86fd65e0 --- /dev/null +++ b/i18n/pt-BR.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Aceitar", + "act-activity-notify": "[Wekan] Notificação de Atividade", + "act-addAttachment": "anexo __attachment__ de __card__", + "act-addChecklist": "added checklist __checklist__ no __card__", + "act-addChecklistItem": "adicionado __checklistitem__ para a lista de checagem __checklist__ em __card__", + "act-addComment": "comentou em __card__: __comment__", + "act-createBoard": "criou __board__", + "act-createCard": "__card__ adicionado à __list__", + "act-createCustomField": "criado campo customizado __customField__", + "act-createList": "__list__ adicionada à __board__", + "act-addBoardMember": "__member__ adicionado à __board__", + "act-archivedBoard": "__board__ movido para a lixeira", + "act-archivedCard": "__card__ movido para a lixeira", + "act-archivedList": "__list__ movido para a lixeira", + "act-archivedSwimlane": "__swimlane__ movido para a lixeira", + "act-importBoard": "__board__ importado", + "act-importCard": "__card__ importado", + "act-importList": "__list__ importada", + "act-joinMember": "__member__ adicionado à __card__", + "act-moveCard": "__card__ movido de __oldList__ para __list__", + "act-removeBoardMember": "__member__ removido de __board__", + "act-restoredCard": "__card__ restaurado para __board__", + "act-unjoinMember": "__member__ removido de __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Ações", + "activities": "Atividades", + "activity": "Atividade", + "activity-added": "adicionou %s a %s", + "activity-archived": "%s movido para a lixeira", + "activity-attached": "anexou %s a %s", + "activity-created": "criou %s", + "activity-customfield-created": "criado campo customizado %s", + "activity-excluded": "excluiu %s de %s", + "activity-imported": "importado %s em %s de %s", + "activity-imported-board": "importado %s de %s", + "activity-joined": "juntou-se a %s", + "activity-moved": "moveu %s de %s para %s", + "activity-on": "em %s", + "activity-removed": "removeu %s de %s", + "activity-sent": "enviou %s de %s", + "activity-unjoined": "saiu de %s", + "activity-checklist-added": "Adicionado lista de verificação a %s", + "activity-checklist-item-added": "adicionado o item de checklist para '%s' em %s", + "add": "Novo", + "add-attachment": "Adicionar Anexos", + "add-board": "Adicionar Quadro", + "add-card": "Adicionar Cartão", + "add-swimlane": "Adicionar Swimlane", + "add-checklist": "Adicionar Checklist", + "add-checklist-item": "Adicionar um item à lista de verificação", + "add-cover": "Adicionar Capa", + "add-label": "Adicionar Etiqueta", + "add-list": "Adicionar Lista", + "add-members": "Adicionar Membros", + "added": "Criado", + "addMemberPopup-title": "Membros", + "admin": "Administrador", + "admin-desc": "Pode ver e editar cartões, remover membros e alterar configurações do quadro.", + "admin-announcement": "Anúncio", + "admin-announcement-active": "Anúncio ativo em todo o sistema", + "admin-announcement-title": "Anúncio do Administrador", + "all-boards": "Todos os quadros", + "and-n-other-card": "E __count__ outro cartão", + "and-n-other-card_plural": "E __count__ outros cartões", + "apply": "Aplicar", + "app-is-offline": "O Wekan está carregando, por favor espere. Recarregar a página irá causar perda de dado. Se o Wekan não carregar por favor verifique se o servidor Wekan não está parado.", + "archive": "Mover para a lixeira", + "archive-all": "Mover tudo para a lixeira", + "archive-board": "Mover quadro para a lixeira", + "archive-card": "Mover cartão para a lixeira", + "archive-list": "Mover lista para a lixeira", + "archive-swimlane": "Mover Swimlane para a lixeira", + "archive-selection": "Mover seleção para a lixeira", + "archiveBoardPopup-title": "Mover o quadro para a lixeira?", + "archived-items": "Lixeira", + "archived-boards": "Quadros na lixeira", + "restore-board": "Restaurar Quadro", + "no-archived-boards": "Não há quadros na lixeira", + "archives": "Lixeira", + "assign-member": "Atribuir Membro", + "attached": "anexado", + "attachment": "Anexo", + "attachment-delete-pop": "Excluir um anexo é permanente. Não será possível recuperá-lo.", + "attachmentDeletePopup-title": "Excluir Anexo?", + "attachments": "Anexos", + "auto-watch": "Veja automaticamente os boards que são criados", + "avatar-too-big": "O avatar é muito grande (70KB max)", + "back": "Voltar", + "board-change-color": "Alterar cor", + "board-nb-stars": "%s estrelas", + "board-not-found": "Quadro não encontrado", + "board-private-info": "Este quadro será privado.", + "board-public-info": "Este quadro será público.", + "boardChangeColorPopup-title": "Alterar Tela de Fundo", + "boardChangeTitlePopup-title": "Renomear Quadro", + "boardChangeVisibilityPopup-title": "Alterar Visibilidade", + "boardChangeWatchPopup-title": "Alterar observação", + "boardMenuPopup-title": "Menu do Quadro", + "boards": "Quadros", + "board-view": "Visão de quadro", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Listas", + "bucket-example": "\"Bucket List\", por exemplo", + "cancel": "Cancelar", + "card-archived": "Este cartão foi movido para a lixeira", + "card-comments-title": "Este cartão possui %s comentários.", + "card-delete-notice": "A exclusão será permanente. Você perderá todas as ações associadas a este cartão.", + "card-delete-pop": "Todas as ações serão removidas da lista de Atividades e vocês não poderá re-abrir o cartão. Não há como desfazer.", + "card-delete-suggest-archive": "Você pode mover um cartão para fora da lixeira e movê-lo para o quadro e preservar a atividade.", + "card-due": "Data fim", + "card-due-on": "Finaliza em", + "card-spent": "Tempo Gasto", + "card-edit-attachments": "Editar anexos", + "card-edit-custom-fields": "Editar campos customizados", + "card-edit-labels": "Editar etiquetas", + "card-edit-members": "Editar membros", + "card-labels-title": "Alterar etiquetas do cartão.", + "card-members-title": "Acrescentar ou remover membros do quadro deste cartão.", + "card-start": "Data início", + "card-start-on": "Começa em", + "cardAttachmentsPopup-title": "Anexar a partir de", + "cardCustomField-datePopup-title": "Mudar data", + "cardCustomFieldsPopup-title": "Editar campos customizados", + "cardDeletePopup-title": "Excluir Cartão?", + "cardDetailsActionsPopup-title": "Ações do cartão", + "cardLabelsPopup-title": "Etiquetas", + "cardMembersPopup-title": "Membros", + "cardMorePopup-title": "Mais", + "cards": "Cartões", + "cards-count": "Cartões", + "change": "Alterar", + "change-avatar": "Alterar Avatar", + "change-password": "Alterar Senha", + "change-permissions": "Alterar permissões", + "change-settings": "Altera configurações", + "changeAvatarPopup-title": "Alterar Avatar", + "changeLanguagePopup-title": "Alterar Idioma", + "changePasswordPopup-title": "Alterar Senha", + "changePermissionsPopup-title": "Alterar Permissões", + "changeSettingsPopup-title": "Altera configurações", + "checklists": "Checklists", + "click-to-star": "Marcar quadro como favorito.", + "click-to-unstar": "Remover quadro dos favoritos.", + "clipboard": "Área de Transferência ou arraste e solte", + "close": "Fechar", + "close-board": "Fechar Quadro", + "close-board-pop": "Você poderá restaurar o quadro clicando no botão lixeira no cabeçalho da página inicial", + "color-black": "preto", + "color-blue": "azul", + "color-green": "verde", + "color-lime": "verde limão", + "color-orange": "laranja", + "color-pink": "cor-de-rosa", + "color-purple": "roxo", + "color-red": "vermelho", + "color-sky": "céu", + "color-yellow": "amarelo", + "comment": "Comentário", + "comment-placeholder": "Escrever Comentário", + "comment-only": "Somente comentários", + "comment-only-desc": "Pode comentar apenas em cartões.", + "computer": "Computador", + "confirm-checklist-delete-dialog": "Tem a certeza de que pretende eliminar lista de verificação", + "copy-card-link-to-clipboard": "Copiar link do cartão para a área de transferência", + "copyCardPopup-title": "Copiar o cartão", + "copyChecklistToManyCardsPopup-title": "Copiar modelo de checklist para vários cartões", + "copyChecklistToManyCardsPopup-instructions": "Títulos e descrições do cartão de destino neste formato JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Título do primeiro cartão\", \"description\":\"Descrição do primeiro cartão\"}, {\"title\":\"Título do segundo cartão\",\"description\":\"Descrição do segundo cartão\"},{\"title\":\"Título do último cartão\",\"description\":\"Descrição do último cartão\"} ]", + "create": "Criar", + "createBoardPopup-title": "Criar Quadro", + "chooseBoardSourcePopup-title": "Importar quadro", + "createLabelPopup-title": "Criar Etiqueta", + "createCustomField": "Criar campo", + "createCustomFieldPopup-title": "Criar campo", + "current": "atual", + "custom-field-delete-pop": "Não existe desfazer. Isso irá remover o campo customizado de todos os cartões e destruir seu histórico", + "custom-field-checkbox": "Caixa de seleção", + "custom-field-date": "Data", + "custom-field-dropdown": "Lista suspensa", + "custom-field-dropdown-none": "(nada)", + "custom-field-dropdown-options": "Lista de opções", + "custom-field-dropdown-options-placeholder": "Pressione enter para adicionar mais opções", + "custom-field-dropdown-unknown": "(desconhecido)", + "custom-field-number": "Número", + "custom-field-text": "Texto", + "custom-fields": "Campos customizados", + "date": "Data", + "decline": "Rejeitar", + "default-avatar": "Avatar padrão", + "delete": "Excluir", + "deleteCustomFieldPopup-title": "Deletar campo customizado?", + "deleteLabelPopup-title": "Excluir Etiqueta?", + "description": "Descrição", + "disambiguateMultiLabelPopup-title": "Desambiguar ações de etiquetas", + "disambiguateMultiMemberPopup-title": "Desambiguar ações de membros", + "discard": "Descartar", + "done": "Feito", + "download": "Baixar", + "edit": "Editar", + "edit-avatar": "Alterar Avatar", + "edit-profile": "Editar Perfil", + "edit-wip-limit": "Editar Limite WIP", + "soft-wip-limit": "Limite de WIP", + "editCardStartDatePopup-title": "Altera data de início", + "editCardDueDatePopup-title": "Altera data fim", + "editCustomFieldPopup-title": "Editar campo", + "editCardSpentTimePopup-title": "Editar tempo gasto", + "editLabelPopup-title": "Alterar Etiqueta", + "editNotificationPopup-title": "Editar Notificações", + "editProfilePopup-title": "Editar Perfil", + "email": "E-mail", + "email-enrollAccount-subject": "Uma conta foi criada para você em __siteName__", + "email-enrollAccount-text": "Olá __user__\npara iniciar utilizando o serviço basta clicar no link abaixo.\n__url__\nMuito Obrigado.", + "email-fail": "Falhou ao enviar email", + "email-fail-text": "Erro ao tentar enviar e-mail", + "email-invalid": "Email inválido", + "email-invite": "Convite via Email", + "email-invite-subject": "__inviter__ lhe enviou um convite", + "email-invite-text": "Caro __user__\n__inviter__ lhe convidou para ingressar no quadro \"__board__\" como colaborador.\nPor favor prossiga através do link abaixo:\n__url__\nMuito obrigado.", + "email-resetPassword-subject": "Redefina sua senha em __siteName__", + "email-resetPassword-text": "Olá __user__\nPara redefinir sua senha, por favor clique no link abaixo.\n__url__\nMuito obrigado.", + "email-sent": "Email enviado", + "email-verifyEmail-subject": "Verifique seu endereço de email em __siteName__", + "email-verifyEmail-text": "Olá __user__\nPara verificar sua conta de email, clique no link abaixo.\n__url__\nObrigado.", + "enable-wip-limit": "Ativar Limite WIP", + "error-board-doesNotExist": "Este quadro não existe", + "error-board-notAdmin": "Você precisa ser administrador desse quadro para fazer isto", + "error-board-notAMember": "Você precisa ser um membro desse quadro para fazer isto", + "error-json-malformed": "Seu texto não é um JSON válido", + "error-json-schema": "Seu JSON não inclui as informações no formato correto", + "error-list-doesNotExist": "Esta lista não existe", + "error-user-doesNotExist": "Este usuário não existe", + "error-user-notAllowSelf": "Você não pode convidar a si mesmo", + "error-user-notCreated": "Este usuário não foi criado", + "error-username-taken": "Esse username já existe", + "error-email-taken": "E-mail já está em uso", + "export-board": "Exportar quadro", + "filter": "Filtrar", + "filter-cards": "Filtrar Cartões", + "filter-clear": "Limpar filtro", + "filter-no-label": "Sem labels", + "filter-no-member": "Sem membros", + "filter-no-custom-fields": "Não há campos customizados", + "filter-on": "Filtro está ativo", + "filter-on-desc": "Você está filtrando cartões neste quadro. Clique aqui para editar o filtro.", + "filter-to-selection": "Filtrar esta seleção", + "advanced-filter-label": "Filtro avançado", + "advanced-filter-description": "Um Filtro Avançado permite escrever uma string contendo os seguintes operadores: == != <= >= && || () Um espaço é utilizado como separador entre os operadores. Você pode filtrar todos os campos customizados digitando seus nomes e valores. Por exemplo: campo1 == valor1. Nota: se campos ou valores contém espaços, você precisa encapsular eles em aspas simples. Por exemplo: 'campo 1' == 'valor 1'. Você também pode combinar múltiplas condições. Por exemplo: F1 == V1 || F1 == V2. Normalmente todos os operadores são interpretados da esquerda para a direita. Você pode mudar a ordem ao incluir parênteses. Por exemplo: F1 == V1 e (F2 == V2 || F2 == V3)", + "fullname": "Nome Completo", + "header-logo-title": "Voltar para a lista de quadros.", + "hide-system-messages": "Esconde mensagens de sistema", + "headerBarCreateBoardPopup-title": "Criar Quadro", + "home": "Início", + "import": "Importar", + "import-board": "importar quadro", + "import-board-c": "Importar quadro", + "import-board-title-trello": "Importar board do Trello", + "import-board-title-wekan": "Importar quadro do Wekan", + "import-sandstorm-warning": "O quadro importado irá excluir todos os dados existentes no quadro e irá sobrescrever com o quadro importado.", + "from-trello": "Do Trello", + "from-wekan": "Do Wekan", + "import-board-instruction-trello": "No seu quadro do Trello, vá em 'Menu', depois em 'Mais', 'Imprimir e Exportar', 'Exportar JSON', então copie o texto emitido", + "import-board-instruction-wekan": "Em seu quadro Wekan, vá para 'Menu', em seguida 'Exportar quadro', e copie o texto no arquivo baixado.", + "import-json-placeholder": "Cole seus dados JSON válidos aqui", + "import-map-members": "Mapear membros", + "import-members-map": "O seu quadro importado tem alguns membros. Por favor determine os membros que você deseja importar para os usuários Wekan", + "import-show-user-mapping": "Revisar mapeamento dos membros", + "import-user-select": "Selecione o usuário Wekan que você gostaria de usar como este membro", + "importMapMembersAddPopup-title": "Seleciona um membro", + "info": "Versão", + "initials": "Iniciais", + "invalid-date": "Data inválida", + "invalid-time": "Hora inválida", + "invalid-user": "Usuário inválido", + "joined": "juntou-se", + "just-invited": "Você já foi convidado para este quadro", + "keyboard-shortcuts": "Atalhos do teclado", + "label-create": "Criar Etiqueta", + "label-default": "%s etiqueta (padrão)", + "label-delete-pop": "Não será possível recuperá-la. A etiqueta será removida de todos os cartões e seu histórico será destruído.", + "labels": "Etiquetas", + "language": "Idioma", + "last-admin-desc": "Você não pode alterar funções porque deve existir pelo menos um administrador.", + "leave-board": "Sair do Quadro", + "leave-board-pop": "Tem a certeza de que pretende sair de __boardTitle__? Você será removido de todos os cartões neste quadro.", + "leaveBoardPopup-title": "Sair do Quadro ?", + "link-card": "Vincular a este cartão", + "list-archive-cards": "Mover todos os cartões nesta lista para a lixeira", + "list-archive-cards-pop": "Isso irá remover todos os cartões nesta lista do quadro. Para visualizar cartões na lixeira e trazê-los de volta ao quadro, clique em \"Menu\" > \"Lixeira\".", + "list-move-cards": "Mover todos os cartões desta lista", + "list-select-cards": "Selecionar todos os cartões nesta lista", + "listActionPopup-title": "Listar Ações", + "swimlaneActionPopup-title": "Ações de Swimlane", + "listImportCardPopup-title": "Importe um cartão do Trello", + "listMorePopup-title": "Mais", + "link-list": "Vincular a esta lista", + "list-delete-pop": "Todas as ações serão removidas da lista de atividades e você não poderá recuperar a lista. Não há como desfazer.", + "list-delete-suggest-archive": "Você pode mover a lista para a lixeira para removê-la do quadro e preservar a atividade.", + "lists": "Listas", + "swimlanes": "Swimlanes", + "log-out": "Sair", + "log-in": "Entrar", + "loginPopup-title": "Entrar", + "memberMenuPopup-title": "Configuração de Membros", + "members": "Membros", + "menu": "Menu", + "move-selection": "Mover seleção", + "moveCardPopup-title": "Mover Cartão", + "moveCardToBottom-title": "Mover para o final", + "moveCardToTop-title": "Mover para o topo", + "moveSelectionPopup-title": "Mover seleção", + "multi-selection": "Multi-Seleção", + "multi-selection-on": "Multi-seleção está ativo", + "muted": "Silenciar", + "muted-info": "Você nunca receberá qualquer notificação desse board", + "my-boards": "Meus Quadros", + "name": "Nome", + "no-archived-cards": "Não há cartões na lixeira", + "no-archived-lists": "Não há listas na lixeira", + "no-archived-swimlanes": "Não há swimlanes na lixeira", + "no-results": "Nenhum resultado.", + "normal": "Normal", + "normal-desc": "Pode ver e editar cartões. Não pode alterar configurações.", + "not-accepted-yet": "Convite ainda não aceito", + "notify-participate": "Receber atualizações de qualquer card que você criar ou participar como membro", + "notify-watch": "Receber atualizações de qualquer board, lista ou cards que você estiver observando", + "optional": "opcional", + "or": "ou", + "page-maybe-private": "Esta página pode ser privada. Você poderá vê-la se estiver logado.", + "page-not-found": "Página não encontrada.", + "password": "Senha", + "paste-or-dragdrop": "para colar, ou arraste e solte o arquivo da imagem para ca (somente imagens)", + "participating": "Participando", + "preview": "Previsualizar", + "previewAttachedImagePopup-title": "Previsualizar", + "previewClipboardImagePopup-title": "Previsualizar", + "private": "Privado", + "private-desc": "Este quadro é privado. Apenas seus membros podem acessar e editá-lo.", + "profile": "Perfil", + "public": "Público", + "public-desc": "Este quadro é público. Ele é visível a qualquer pessoa com o link e será exibido em mecanismos de busca como o Google. Apenas seus membros podem editá-lo.", + "quick-access-description": "Clique na estrela para adicionar um atalho nesta barra.", + "remove-cover": "Remover Capa", + "remove-from-board": "Remover do Quadro", + "remove-label": "Remover Etiqueta", + "listDeletePopup-title": "Excluir Lista ?", + "remove-member": "Remover Membro", + "remove-member-from-card": "Remover do Cartão", + "remove-member-pop": "Remover __name__ (__username__) de __boardTitle__? O membro será removido de todos os cartões neste quadro e será notificado.", + "removeMemberPopup-title": "Remover Membro?", + "rename": "Renomear", + "rename-board": "Renomear Quadro", + "restore": "Restaurar", + "save": "Salvar", + "search": "Buscar", + "search-cards": "Pesquisa em títulos e descrições de cartões neste quadro", + "search-example": "Texto para procurar", + "select-color": "Selecionar Cor", + "set-wip-limit-value": "Defina um limite máximo para o número de tarefas nesta lista", + "setWipLimitPopup-title": "Definir Limite WIP", + "shortcut-assign-self": "Atribuir a si o cartão atual", + "shortcut-autocomplete-emoji": "Autocompletar emoji", + "shortcut-autocomplete-members": "Preenchimento automático de membros", + "shortcut-clear-filters": "Limpar todos filtros", + "shortcut-close-dialog": "Fechar dialogo", + "shortcut-filter-my-cards": "Filtrar meus cartões", + "shortcut-show-shortcuts": "Mostrar lista de atalhos", + "shortcut-toggle-filterbar": "Alternar barra de filtro", + "shortcut-toggle-sidebar": "Fechar barra lateral.", + "show-cards-minimum-count": "Mostrar contador de cards se a lista tiver mais de", + "sidebar-open": "Abrir barra lateral", + "sidebar-close": "Fechar barra lateral", + "signupPopup-title": "Criar uma Conta", + "star-board-title": "Clique para marcar este quadro como favorito. Ele aparecerá no topo na lista dos seus quadros.", + "starred-boards": "Quadros Favoritos", + "starred-boards-description": "Quadros favoritos aparecem no topo da lista dos seus quadros.", + "subscribe": "Acompanhar", + "team": "Equipe", + "this-board": "este quadro", + "this-card": "este cartão", + "spent-time-hours": "Tempo gasto (Horas)", + "overtime-hours": "Tempo extras (Horas)", + "overtime": "Tempo extras", + "has-overtime-cards": "Tem cartões de horas extras", + "has-spenttime-cards": "Gastou cartões de tempo", + "time": "Tempo", + "title": "Título", + "tracking": "Tracking", + "tracking-info": "Você será notificado se houver qualquer alteração em cards em que você é o criador ou membro", + "type": "Tipo", + "unassign-member": "Membro não associado", + "unsaved-description": "Você possui uma descrição não salva", + "unwatch": "Deixar de observar", + "upload": "Upload", + "upload-avatar": "Carregar um avatar", + "uploaded-avatar": "Avatar carregado", + "username": "Nome de usuário", + "view-it": "Visualizar", + "warn-list-archived": "Aviso: este cartão está em uma lista na lixeira", + "watch": "Observar", + "watching": "Observando", + "watching-info": "Você será notificado em qualquer alteração desse board", + "welcome-board": "Board de Boas Vindas", + "welcome-swimlane": "Marco 1", + "welcome-list1": "Básico", + "welcome-list2": "Avançado", + "what-to-do": "O que você gostaria de fazer?", + "wipLimitErrorPopup-title": "Limite WIP Inválido", + "wipLimitErrorPopup-dialog-pt1": "O número de tarefas nesta lista excede o limite WIP definido.", + "wipLimitErrorPopup-dialog-pt2": "Por favor, mova algumas tarefas para fora desta lista, ou defina um limite WIP mais elevado.", + "admin-panel": "Painel Administrativo", + "settings": "Configurações", + "people": "Pessoas", + "registration": "Registro", + "disable-self-registration": "Desabilitar Cadastrar-se", + "invite": "Convite", + "invite-people": "Convide Pessoas", + "to-boards": "Para o/os quadro(s)", + "email-addresses": "Endereço de Email", + "smtp-host-description": "O endereço do servidor SMTP que envia seus emails.", + "smtp-port-description": "A porta que o servidor SMTP usa para enviar os emails.", + "smtp-tls-description": "Habilitar suporte TLS para servidor SMTP", + "smtp-host": "Servidor SMTP", + "smtp-port": "Porta SMTP", + "smtp-username": "Nome de usuário", + "smtp-password": "Senha", + "smtp-tls": "Suporte TLS", + "send-from": "De", + "send-smtp-test": "Enviar um email de teste para você mesmo", + "invitation-code": "Código do Convite", + "email-invite-register-subject": "__inviter__ lhe enviou um convite", + "email-invite-register-text": "Caro __user__,\n\n__inviter__ convidou você para colaborar no Wekan.\n\nPor favor, vá no link abaixo:\n__url__\n\nE seu código de convite é: __icode__\n\nObrigado.", + "email-smtp-test-subject": "Email Teste SMTP de Wekan", + "email-smtp-test-text": "Você enviou um email com sucesso", + "error-invitation-code-not-exist": "O código do convite não existe", + "error-notAuthorized": "Você não está autorizado à ver esta página.", + "outgoing-webhooks": "Webhook de saída", + "outgoingWebhooksPopup-title": "Webhook de saída", + "new-outgoing-webhook": "Novo Webhook de saída", + "no-name": "(Desconhecido)", + "Wekan_version": "Versão do Wekan", + "Node_version": "Versão do Node", + "OS_Arch": "Arquitetura do SO", + "OS_Cpus": "Quantidade de CPUS do SO", + "OS_Freemem": "Memória Disponível do SO", + "OS_Loadavg": "Carga Média do SO", + "OS_Platform": "Plataforma do SO", + "OS_Release": "Versão do SO", + "OS_Totalmem": "Memória Total do SO", + "OS_Type": "Tipo do SO", + "OS_Uptime": "Disponibilidade do SO", + "hours": "horas", + "minutes": "minutos", + "seconds": "segundos", + "show-field-on-card": "Mostrar este campo no cartão", + "yes": "Sim", + "no": "Não", + "accounts": "Contas", + "accounts-allowEmailChange": "Permitir Mudança de Email", + "accounts-allowUserNameChange": "Permitir alteração de nome de usuário", + "createdAt": "Criado em", + "verified": "Verificado", + "active": "Ativo", + "card-received": "Recebido", + "card-received-on": "Recebido em", + "card-end": "Fim", + "card-end-on": "Termina em", + "editCardReceivedDatePopup-title": "Modificar data de recebimento", + "editCardEndDatePopup-title": "Mudar data de fim", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json new file mode 100644 index 00000000..06b5ba2d --- /dev/null +++ b/i18n/pt.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Aceitar", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "Criado %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Adicionar", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Membros", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Renomear Quadro", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Etiquetas", + "cardMembersPopup-title": "Membros", + "cardMorePopup-title": "Mais", + "cards": "Cartões", + "cards-count": "Cartões", + "change": "Alterar", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comentário", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computador", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Etiquetas", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "Mais", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Membros", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Nome", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Nenhum resultado", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remover Membro?", + "rename": "Renomear", + "rename-board": "Renomear Quadro", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "Não", + "accounts": "Contas", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verificado", + "active": "Ativo", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json new file mode 100644 index 00000000..dd4d2b58 --- /dev/null +++ b/i18n/ro.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accept", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Add", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Members", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Ataşament", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Ataşamente", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Înapoi", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Liste", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Members", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Închide", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Iniţiale", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Liste", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Members", + "menu": "Meniu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Nume", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Parolă", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Privat", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profil", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Salvează", + "search": "Caută", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Titlu", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "Ce ai vrea sa faci?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Parolă", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json new file mode 100644 index 00000000..ca9d3673 --- /dev/null +++ b/i18n/ru.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Принять", + "act-activity-notify": "[Wekan] Уведомление о действиях участников", + "act-addAttachment": "вложено __attachment__ в __card__", + "act-addChecklist": "добавил контрольный список __checklist__ в __card__", + "act-addChecklistItem": "добавил __checklistItem__ в контрольный список __checklist__ в __card__", + "act-addComment": "прокомментировал __card__: __comment__", + "act-createBoard": "создал __board__", + "act-createCard": "добавил __card__ в __list__", + "act-createCustomField": "Расширенный фильтр позволяет написать строку, содержащую следующие операторы: ==! = <=> = && || () Пространство используется как разделитель между Операторами. Вы можете фильтровать все пользовательские поля, введя их имена и значения. Например: Field1 == Value1. Примечание. Если поля или значения содержат пробелы, вам необходимо инкапсулировать их в одинарные кавычки. Например: «Поле 1» == «Значение 1». Также вы можете комбинировать несколько условий. Например: F1 == V1 || F1 = V2. Обычно все операторы интерпретируются слева направо. Вы можете изменить порядок, разместив скобки. Например: F1 == V1 и (F2 == V2 || F2 == V3)", + "act-createList": "добавил __list__ для __board__", + "act-addBoardMember": "добавил __member__ в __board__", + "act-archivedBoard": "Доска __board__ перемещена в Корзину", + "act-archivedCard": "Карточка __card__ перемещена в Корзину", + "act-archivedList": "Список __list__ перемещён в Корзину", + "act-archivedSwimlane": "Дорожка __swimlane__ перемещена в Корзину", + "act-importBoard": "__board__ импортирована", + "act-importCard": "__card__ импортирована", + "act-importList": "__list__ импортирован", + "act-joinMember": "добавил __member__ в __card__", + "act-moveCard": "__card__ перемещена из __oldList__ в __list__", + "act-removeBoardMember": "__member__ удален из __board__", + "act-restoredCard": "__card__ востановлена в __board__", + "act-unjoinMember": "__member__ удален из __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Действия", + "activities": "История действий", + "activity": "Действия участников", + "activity-added": "добавил %s на %s", + "activity-archived": "%s перемещено в Корзину", + "activity-attached": "прикрепил %s к %s", + "activity-created": "создал %s", + "activity-customfield-created": "создать настраиваемое поле", + "activity-excluded": "исключил %s из %s", + "activity-imported": "импортировал %s в %s из %s", + "activity-imported-board": "импортировал %s из %s", + "activity-joined": "присоединился к %s", + "activity-moved": "переместил %s из %s в %s", + "activity-on": "%s", + "activity-removed": "удалил %s из %s", + "activity-sent": "отправил %s в %s", + "activity-unjoined": "вышел из %s", + "activity-checklist-added": "добавил контрольный список в %s", + "activity-checklist-item-added": "добавил пункт контрольного списка в '%s' в карточке %s", + "add": "Создать", + "add-attachment": "Добавить вложение", + "add-board": "Добавить доску", + "add-card": "Добавить карту", + "add-swimlane": "Добавить дорожку", + "add-checklist": "Добавить контрольный список", + "add-checklist-item": "Добавить пункт в контрольный список", + "add-cover": "Прикрепить", + "add-label": "Добавить метку", + "add-list": "Добавить простой список", + "add-members": "Добавить участника", + "added": "Добавлено", + "addMemberPopup-title": "Участники", + "admin": "Администратор", + "admin-desc": "Может просматривать и редактировать карточки, удалять участников и управлять настройками доски.", + "admin-announcement": "Объявление", + "admin-announcement-active": "Действующее общесистемное объявление", + "admin-announcement-title": "Объявление от Администратора", + "all-boards": "Все доски", + "and-n-other-card": "И __count__ другая карточка", + "and-n-other-card_plural": "И __count__ другие карточки", + "apply": "Применить", + "app-is-offline": "Wekan загружается, пожалуйста подождите. Обновление страницы может привести к потере данных. Если Wekan не загрузился, пожалуйста проверьте что связь с сервером доступна.", + "archive": "Переместить в Корзину", + "archive-all": "Переместить всё в Корзину", + "archive-board": "Переместить Доску в Корзину", + "archive-card": "Переместить Карточку в Корзину", + "archive-list": "Переместить Список в Корзину", + "archive-swimlane": "Переместить Дорожку в Корзину", + "archive-selection": "Переместить выбранное в Корзину", + "archiveBoardPopup-title": "Переместить Доску в Корзину?", + "archived-items": "Корзина", + "archived-boards": "Доски находящиеся в Корзине", + "restore-board": "Востановить доску", + "no-archived-boards": "В Корзине нет никаких Досок", + "archives": "Корзина", + "assign-member": "Назначить участника", + "attached": "прикреплено", + "attachment": "Вложение", + "attachment-delete-pop": "Если удалить вложение, его нельзя будет восстановить.", + "attachmentDeletePopup-title": "Удалить вложение?", + "attachments": "Вложения", + "auto-watch": "Автоматически следить за созданными досками", + "avatar-too-big": "Аватар слишком большой (максимум 70КБ)", + "back": "Назад", + "board-change-color": "Изменить цвет", + "board-nb-stars": "%s избранное", + "board-not-found": "Доска не найдена", + "board-private-info": "Это доска будет частной.", + "board-public-info": "Эта доска будет доступной всем.", + "boardChangeColorPopup-title": "Изменить фон доски", + "boardChangeTitlePopup-title": "Переименовать доску", + "boardChangeVisibilityPopup-title": "Изменить настройки видимости", + "boardChangeWatchPopup-title": "Изменить Отслеживание", + "boardMenuPopup-title": "Меню доски", + "boards": "Доски", + "board-view": "Вид доски", + "board-view-swimlanes": "Дорожки", + "board-view-lists": "Списки", + "bucket-example": "Например “Список дел”", + "cancel": "Отмена", + "card-archived": "Эта карточка перемещена в Корзину", + "card-comments-title": "Комментарии (%s)", + "card-delete-notice": "Это действие невозможно будет отменить. Все изменения, которые вы вносили в карточку будут потеряны.", + "card-delete-pop": "Все действия будут удалены из ленты активности участников и вы не сможете заново открыть карточку. Действие необратимо", + "card-delete-suggest-archive": "Вы можете переместить карточку в Корзину, чтобы удалить ее с доски и сохранить активность .", + "card-due": "Выполнить к", + "card-due-on": "Выполнить до", + "card-spent": "Затраченное время", + "card-edit-attachments": "Изменить вложения", + "card-edit-custom-fields": "Редактировать настраиваемые поля", + "card-edit-labels": "Изменить метку", + "card-edit-members": "Изменить участников", + "card-labels-title": "Изменить метки для этой карточки.", + "card-members-title": "Добавить или удалить с карточки участников доски.", + "card-start": "Дата начала", + "card-start-on": "Начнётся с", + "cardAttachmentsPopup-title": "Прикрепить из", + "cardCustomField-datePopup-title": "Изменить дату", + "cardCustomFieldsPopup-title": "редактировать настраиваемые поля", + "cardDeletePopup-title": "Удалить карточку?", + "cardDetailsActionsPopup-title": "Действия в карточке", + "cardLabelsPopup-title": "Метки", + "cardMembersPopup-title": "Участники", + "cardMorePopup-title": "Поделиться", + "cards": "Карточки", + "cards-count": "Карточки", + "change": "Изменить", + "change-avatar": "Изменить аватар", + "change-password": "Изменить пароль", + "change-permissions": "Изменить права доступа", + "change-settings": "Изменить настройки", + "changeAvatarPopup-title": "Изменить аватар", + "changeLanguagePopup-title": "Сменить язык", + "changePasswordPopup-title": "Изменить пароль", + "changePermissionsPopup-title": "Изменить настройки доступа", + "changeSettingsPopup-title": "Изменить Настройки", + "checklists": "Контрольные списки", + "click-to-star": "Добавить в «Избранное»", + "click-to-unstar": "Удалить из «Избранного»", + "clipboard": "Буфер обмена или drag & drop", + "close": "Закрыть", + "close-board": "Закрыть доску", + "close-board-pop": "Вы можете восстановить доску, нажав “Корзина” в заголовке.", + "color-black": "черный", + "color-blue": "синий", + "color-green": "зеленый", + "color-lime": "лимоновый", + "color-orange": "оранжевый", + "color-pink": "розовый", + "color-purple": "фиолетовый", + "color-red": "красный", + "color-sky": "голубой", + "color-yellow": "желтый", + "comment": "Добавить комментарий", + "comment-placeholder": "Написать комментарий", + "comment-only": "Только комментирование", + "comment-only-desc": "Может комментировать только карточки.", + "computer": "Загрузить с компьютера", + "confirm-checklist-delete-dialog": "Вы уверены, что хотите удалить контрольный список?", + "copy-card-link-to-clipboard": "Копировать ссылку на карточку в буфер обмена", + "copyCardPopup-title": "Копировать карточку", + "copyChecklistToManyCardsPopup-title": "Копировать шаблон контрольного списка в несколько карточек", + "copyChecklistToManyCardsPopup-instructions": "Названия и описания целевых карт в формате JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Создать", + "createBoardPopup-title": "Создать доску", + "chooseBoardSourcePopup-title": "Импортировать доску", + "createLabelPopup-title": "Создать метку", + "createCustomField": "Создать поле", + "createCustomFieldPopup-title": "Создать поле", + "current": "текущий", + "custom-field-delete-pop": "Отменить нельзя. Это удалит настраиваемое поле со всех карт и уничтожит его историю.", + "custom-field-checkbox": "Галочка", + "custom-field-date": "Дата", + "custom-field-dropdown": "Выпадающий список", + "custom-field-dropdown-none": "(нет)", + "custom-field-dropdown-options": "Параметры списка", + "custom-field-dropdown-options-placeholder": "Нажмите «Ввод», чтобы добавить дополнительные параметры.", + "custom-field-dropdown-unknown": "(неизвестно)", + "custom-field-number": "Номер", + "custom-field-text": "Текст", + "custom-fields": "Настраиваемые поля", + "date": "Дата", + "decline": "Отклонить", + "default-avatar": "Аватар по умолчанию", + "delete": "Удалить", + "deleteCustomFieldPopup-title": "Удалить настраиваемые поля?", + "deleteLabelPopup-title": "Удалить метку?", + "description": "Описание", + "disambiguateMultiLabelPopup-title": "Разрешить конфликт меток", + "disambiguateMultiMemberPopup-title": "Разрешить конфликт участников", + "discard": "Отказать", + "done": "Готово", + "download": "Скачать", + "edit": "Редактировать", + "edit-avatar": "Изменить аватар", + "edit-profile": "Изменить профиль", + "edit-wip-limit": " Изменить лимит на кол-во задач", + "soft-wip-limit": "Мягкий лимит на кол-во задач", + "editCardStartDatePopup-title": "Изменить дату начала", + "editCardDueDatePopup-title": "Изменить дату выполнения", + "editCustomFieldPopup-title": "Редактировать поле", + "editCardSpentTimePopup-title": "Изменить затраченное время", + "editLabelPopup-title": "Изменить метки", + "editNotificationPopup-title": "Редактировать уведомления", + "editProfilePopup-title": "Редактировать профиль", + "email": "Эл.почта", + "email-enrollAccount-subject": "Аккаунт создан для вас здесь __url__", + "email-enrollAccount-text": "Привет __user__,\n\nДля того, чтобы начать использовать сервис, просто нажми на ссылку ниже.\n\n__url__\n\nСпасибо.", + "email-fail": "Отправка письма на EMail не удалась", + "email-fail-text": "Ошибка при попытке отправить письмо", + "email-invalid": "Неверный адрес электронной почти", + "email-invite": "Пригласить по электронной почте", + "email-invite-subject": "__inviter__ прислал вам приглашение", + "email-invite-text": "Дорогой __user__,\n\n__inviter__ пригласил вас присоединиться к доске \"__board__\" для сотрудничества.\n\nПожалуйста проследуйте по ссылке ниже:\n\n__url__\n\nСпасибо.", + "email-resetPassword-subject": "Перейдите по ссылке, чтобы сбросить пароль __url__", + "email-resetPassword-text": "Привет __user__,\n\nДля сброса пароля перейдите по ссылке ниже.\n\n__url__\n\nThanks.", + "email-sent": "Письмо отправлено", + "email-verifyEmail-subject": "Подтвердите вашу эл.почту перейдя по ссылке __url__", + "email-verifyEmail-text": "Привет __user__,\n\nДля подтверждения вашей электронной почты перейдите по ссылке ниже.\n\n__url__\n\nСпасибо.", + "enable-wip-limit": "Включить лимит на кол-во задач", + "error-board-doesNotExist": "Доска не найдена", + "error-board-notAdmin": "Вы должны обладать правами администратора этой доски, чтобы сделать это", + "error-board-notAMember": "Вы должны быть участником доски, чтобы сделать это", + "error-json-malformed": "Ваше текст не является правильным JSON", + "error-json-schema": "Содержимое вашего JSON не содержит информацию в корректном формате", + "error-list-doesNotExist": "Список не найден", + "error-user-doesNotExist": "Пользователь не найден", + "error-user-notAllowSelf": "Вы не можете пригласить себя", + "error-user-notCreated": "Пользователь не создан", + "error-username-taken": "Это имя пользователя уже занято", + "error-email-taken": "Этот адрес уже занят", + "export-board": "Экспортировать доску", + "filter": "Фильтр", + "filter-cards": "Фильтр карточек", + "filter-clear": "Очистить фильтр", + "filter-no-label": "Нет метки", + "filter-no-member": "Нет участников", + "filter-no-custom-fields": "Нет настраиваемых полей", + "filter-on": "Включен фильтр", + "filter-on-desc": "Показываются карточки, соответствующие настройкам фильтра. Нажмите для редактирования.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Расширенный фильтр", + "advanced-filter-description": "Расширенный фильтр позволяет написать строку, содержащую следующие операторы: ==! = <=> = && || () Пространство используется как разделитель между Операторами. Вы можете фильтровать все пользовательские поля, введя их имена и значения. Например: Field1 == Value1. Примечание: Если поля или значения содержат пробелы, вам необходимо 'брать' их в одинарные кавычки. Например: 'Поле 1' == 'Значение 1'. Также вы можете комбинировать несколько условий. Например: F1 == V1 || F1 = V2. Обычно все операторы интерпретируются слева направо. Вы можете изменить порядок, разместив скобки. Например: F1 == V1 и (F2 == V2 || F2 == V3)", + "fullname": "Полное имя", + "header-logo-title": "Вернуться к доскам.", + "hide-system-messages": "Скрыть системные сообщения", + "headerBarCreateBoardPopup-title": "Создать доску", + "home": "Главная", + "import": "Импорт", + "import-board": "импортировать доску", + "import-board-c": "Импортировать доску", + "import-board-title-trello": "Импортировать доску из Trello", + "import-board-title-wekan": "Импортировать доску из Wekan", + "import-sandstorm-warning": "Импортированная доска удалит все существующие данные на текущей доске и заменит её импортированной доской.", + "from-trello": "Из Trello", + "from-wekan": "Из Wekan", + "import-board-instruction-trello": "На вашей Trello доске нажмите “Menu” - “More” - “Print and export - “Export JSON” и скопируйте полученный текст", + "import-board-instruction-wekan": "На вашей Wekan доске, перейдите в “Меню”, далее “Экспортировать доску” и скопируйте текст из скачаного файла", + "import-json-placeholder": "Вставьте JSON сюда", + "import-map-members": "Составить карту участников", + "import-members-map": "Вы импортировали доску с участниками. Пожалуйста, составьте карту участников, которых вы хотите импортировать в качестве пользователей Wekan", + "import-show-user-mapping": "Проверить карту участников", + "import-user-select": "Выберите пользователя Wekan, которого вы хотите использовать в качестве участника", + "importMapMembersAddPopup-title": "Выбрать участника Wekan", + "info": "Версия", + "initials": "Инициалы", + "invalid-date": "Неверная дата", + "invalid-time": "Некорректное время", + "invalid-user": "Неверный пользователь", + "joined": "вступил", + "just-invited": "Вас только что пригласили на эту доску", + "keyboard-shortcuts": "Сочетания клавиш", + "label-create": "Создать метку", + "label-default": "%sметка (по умолчанию)", + "label-delete-pop": "Это действие невозможно будет отменить. Эта метка будут удалена во всех карточках. Также будет удалена вся история этой метки.", + "labels": "Метки", + "language": "Язык", + "last-admin-desc": "Вы не можете изменять роли, для этого требуются права администратора.", + "leave-board": "Покинуть доску", + "leave-board-pop": "Вы уверенны, что хотите покинуть __boardTitle__? Вы будете удалены из всех карточек на этой доске.", + "leaveBoardPopup-title": "Покинуть доску?", + "link-card": "Доступна по ссылке", + "list-archive-cards": "Переместить все карточки в этом списке в Корзину", + "list-archive-cards-pop": "Это действие переместит все карточки в Корзину и они перестанут быть видимым на доске. Для просмотра карточек в Корзине и их восстановления нажмите “Меню” > “Корзина”.", + "list-move-cards": "Переместить все карточки в этом списке", + "list-select-cards": "Выбрать все карточки в этом списке", + "listActionPopup-title": "Список действий", + "swimlaneActionPopup-title": "Действия с дорожкой", + "listImportCardPopup-title": "Импортировать Trello карточку", + "listMorePopup-title": "Поделиться", + "link-list": "Ссылка на список", + "list-delete-pop": "Все действия будут удалены из ленты активности участников и вы не сможете восстановить список. Данное действие необратимо.", + "list-delete-suggest-archive": "Вы можете переместить карточку в Корзину, чтобы удалить ее с доски и сохранить активность .", + "lists": "Списки", + "swimlanes": "Дорожки", + "log-out": "Выйти", + "log-in": "Войти", + "loginPopup-title": "Войти", + "memberMenuPopup-title": "Настройки участника", + "members": "Участники", + "menu": "Меню", + "move-selection": "Переместить выделение", + "moveCardPopup-title": "Переместить карточку", + "moveCardToBottom-title": "Переместить вниз", + "moveCardToTop-title": "Переместить вверх", + "moveSelectionPopup-title": "Переместить выделение", + "multi-selection": "Выбрать несколько", + "multi-selection-on": "Выбрать несколько из", + "muted": "Заглушен", + "muted-info": "Вы НИКОГДА не будете уведомлены ни о каких изменениях в этой доске.", + "my-boards": "Мои доски", + "name": "Имя", + "no-archived-cards": "В Корзине нет никаких Карточек", + "no-archived-lists": "В Корзине нет никаких Списков", + "no-archived-swimlanes": "В Корзине нет никаких Дорожек", + "no-results": "Ничего не найдено", + "normal": "Обычный", + "normal-desc": "Может редактировать карточки. Не может управлять настройками.", + "not-accepted-yet": "Приглашение еще не принято", + "notify-participate": "Получать обновления по любым карточкам, которые вы создавали или участником которых являетесь.", + "notify-watch": "Получать обновления по любым доскам, спискам и карточкам, на которые вы подписаны как наблюдатель.", + "optional": "не обязательно", + "or": "или", + "page-maybe-private": "Возможно, эта страница скрыта от незарегистрированных пользователей. Попробуйте войти на сайт.", + "page-not-found": "Страница не найдена.", + "password": "Пароль", + "paste-or-dragdrop": "вставьте, или перетащите файл с изображением сюда (только графический файл)", + "participating": "Участвую", + "preview": "Предпросмотр", + "previewAttachedImagePopup-title": "Предпросмотр", + "previewClipboardImagePopup-title": "Предпросмотр", + "private": "Закрытая", + "private-desc": "Эта доска с ограниченным доступом. Только участники могут работать с ней.", + "profile": "Профиль", + "public": "Открытая", + "public-desc": "Эта доска может быть видна всем у кого есть ссылка. Также может быть проиндексирована поисковыми системами. Вносить изменения могут только участники.", + "quick-access-description": "Нажмите на звезду, что добавить ярлык доски на панель.", + "remove-cover": "Открепить", + "remove-from-board": "Удалить с доски", + "remove-label": "Удалить метку", + "listDeletePopup-title": "Удалить список?", + "remove-member": "Удалить участника", + "remove-member-from-card": "Удалить из карточки", + "remove-member-pop": "Удалить участника __name__ (__username__) из доски __boardTitle__? Участник будет удален из всех карточек на этой доске. Также он получит уведомление о совершаемом действии.", + "removeMemberPopup-title": "Удалить участника?", + "rename": "Переименовать", + "rename-board": "Переименовать доску", + "restore": "Восстановить", + "save": "Сохранить", + "search": "Поиск", + "search-cards": "Искать в названиях и описаниях карточек на этой доске", + "search-example": "Искать текст?", + "select-color": "Выбрать цвет", + "set-wip-limit-value": "Устанавливает ограничение на максимальное количество задач в этом списке", + "setWipLimitPopup-title": "Задать лимит на кол-во задач", + "shortcut-assign-self": "Связать себя с текущей карточкой", + "shortcut-autocomplete-emoji": "Автозаполнение emoji", + "shortcut-autocomplete-members": "Автозаполнение участников", + "shortcut-clear-filters": "Сбросить все фильтры", + "shortcut-close-dialog": "Закрыть диалог", + "shortcut-filter-my-cards": "Показать мои карточки", + "shortcut-show-shortcuts": "Поднять список ярлыков", + "shortcut-toggle-filterbar": "Переместить фильтр на бововую панель", + "shortcut-toggle-sidebar": "Переместить доску на боковую панель", + "show-cards-minimum-count": "Показывать количество карточек если их больше", + "sidebar-open": "Открыть Панель", + "sidebar-close": "Скрыть Панель", + "signupPopup-title": "Создать учетную запись", + "star-board-title": "Добавить в «Избранное». Эта доска будет всегда на виду.", + "starred-boards": "Добавленные в «Избранное»", + "starred-boards-description": "Избранные доски будут всегда вверху списка.", + "subscribe": "Подписаться", + "team": "Участники", + "this-board": "эту доску", + "this-card": "текущая карточка", + "spent-time-hours": "Затраченное время (в часах)", + "overtime-hours": "Переработка (в часах)", + "overtime": "Переработка", + "has-overtime-cards": "Имеются карточки с переработкой", + "has-spenttime-cards": "Имеются карточки с учетом затраченного времени", + "time": "Время", + "title": "Название", + "tracking": "Отслеживание", + "tracking-info": "Вы будете уведомлены о любых изменениях в тех карточках, в которых вы являетесь создателем или участником.", + "type": "Тип", + "unassign-member": "Отменить назначение участника", + "unsaved-description": "У вас есть несохраненное описание.", + "unwatch": "Перестать следить", + "upload": "Загрузить", + "upload-avatar": "Загрузить аватар", + "uploaded-avatar": "Загруженный аватар", + "username": "Имя пользователя", + "view-it": "Просмотреть", + "warn-list-archived": "Внимание: Данная карточка находится в списке, который перемещен в Корзину", + "watch": "Следить", + "watching": "Отслеживается", + "watching-info": "Вы будете уведомлены об любых изменениях в этой доске.", + "welcome-board": "Приветственная Доска", + "welcome-swimlane": "Этап 1", + "welcome-list1": "Основы", + "welcome-list2": "Расширенно", + "what-to-do": "Что вы хотите сделать?", + "wipLimitErrorPopup-title": "Некорректный лимит на кол-во задач", + "wipLimitErrorPopup-dialog-pt1": "Количество задач в этом списке превышает установленный вами лимит", + "wipLimitErrorPopup-dialog-pt2": "Пожалуйста, перенесите некоторые задачи из этого списка или увеличьте лимит на кол-во задач", + "admin-panel": "Административная Панель", + "settings": "Настройки", + "people": "Люди", + "registration": "Регистрация", + "disable-self-registration": "Отключить самостоятельную регистрацию", + "invite": "Пригласить", + "invite-people": "Пригласить людей", + "to-boards": "В Доску(и)", + "email-addresses": "Email адрес", + "smtp-host-description": "Адрес SMTP сервера, который отправляет ваши электронные письма.", + "smtp-port-description": "Порт который SMTP-сервер использует для исходящих сообщений.", + "smtp-tls-description": "Включить поддержку TLS для SMTP сервера", + "smtp-host": "SMTP Хост", + "smtp-port": "SMTP Порт", + "smtp-username": "Имя пользователя", + "smtp-password": "Пароль", + "smtp-tls": "поддержка TLS", + "send-from": "От", + "send-smtp-test": "Отправьте тестовое письмо себе", + "invitation-code": "Код приглашения", + "email-invite-register-subject": "__inviter__ прислал вам приглашение", + "email-invite-register-text": "Уважаемый __user__,\n\n__inviter__ приглашает вас в Wekan для сотрудничества.\n\nПожалуйста, проследуйте по ссылке:\n__url__\n\nВаш код приглашения: __icode__\n\nСпасибо.", + "email-smtp-test-subject": "SMTP Тестовое письмо от Wekan", + "email-smtp-test-text": "Вы успешно отправили письмо", + "error-invitation-code-not-exist": "Код приглашения не существует", + "error-notAuthorized": "У вас нет доступа на просмотр этой страницы.", + "outgoing-webhooks": "Исходящие Веб-хуки", + "outgoingWebhooksPopup-title": "Исходящие Веб-хуки", + "new-outgoing-webhook": "Новый исходящий Веб-хук", + "no-name": "(Неизвестный)", + "Wekan_version": "Версия Wekan", + "Node_version": "Версия NodeJS", + "OS_Arch": "Архитектура", + "OS_Cpus": "Количество процессоров", + "OS_Freemem": "Свободная память", + "OS_Loadavg": "Средняя загрузка", + "OS_Platform": "Платформа", + "OS_Release": "Релиз", + "OS_Totalmem": "Общая память", + "OS_Type": "Тип ОС", + "OS_Uptime": "Время работы", + "hours": "часы", + "minutes": "минуты", + "seconds": "секунды", + "show-field-on-card": "Показать это поле на карте", + "yes": "Да", + "no": "Нет", + "accounts": "Учетные записи", + "accounts-allowEmailChange": "Разрешить изменение электронной почты", + "accounts-allowUserNameChange": "Разрешить изменение имени пользователя", + "createdAt": "Создано на", + "verified": "Проверено", + "active": "Действующий", + "card-received": "Получено", + "card-received-on": "Получено с", + "card-end": "Дата окончания", + "card-end-on": "Завершится до", + "editCardReceivedDatePopup-title": "Изменить дату получения", + "editCardEndDatePopup-title": "Изменить дату завершения", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json new file mode 100644 index 00000000..fa939432 --- /dev/null +++ b/i18n/sr.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Prihvati", + "act-activity-notify": "[Wekan] Obaveštenje o aktivnostima", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Akcije", + "activities": "Aktivnosti", + "activity": "Aktivnost", + "activity-added": "dodao %s u %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "prikačio %s u %s", + "activity-created": "kreirao %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "izuzmi %s iz %s", + "activity-imported": "uvezao %s u %s iz %s", + "activity-imported-board": "uvezao %s iz %s", + "activity-joined": "spojio %s", + "activity-moved": "premestio %s iz %s u %s", + "activity-on": "na %s", + "activity-removed": "uklonio %s iz %s", + "activity-sent": "poslao %s %s-u", + "activity-unjoined": "rastavio %s", + "activity-checklist-added": "lista je dodata u %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Dodaj", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Dodaj novu stavku u listu", + "add-cover": "Dodaj zaglavlje", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Dodaj Članove", + "added": "Dodao", + "addMemberPopup-title": "Članovi", + "admin": "Administrator", + "admin-desc": "Može da pregleda i menja kartice, uklanja članove i menja podešavanja table", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "Sve table", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Primeni", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Dodeli člana", + "attached": "Prikačeno", + "attachment": "Prikačeni dokument", + "attachment-delete-pop": "Brisanje prikačenog dokumenta je trajno. Ne postoji vraćanje obrisanog.", + "attachmentDeletePopup-title": "Obrisati prikačeni dokument ?", + "attachments": "Prikačeni dokumenti", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Nazad", + "board-change-color": "Promeni boju", + "board-nb-stars": "%s zvezdice", + "board-not-found": "Tabla nije pronađena", + "board-private-info": "Ova tabla će biti privatna.", + "board-public-info": "Ova tabla će biti javna.", + "boardChangeColorPopup-title": "Promeni pozadinu table", + "boardChangeTitlePopup-title": "Preimenuj tablu", + "boardChangeVisibilityPopup-title": "Promeni Vidljivost", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Meni table", + "boards": "Table", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Na primer \"Lista zadataka\"", + "cancel": "Otkaži", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "Ova kartica ima %s komentar.", + "card-delete-notice": "Brisanje je trajno. Izgubićeš sve akcije povezane sa ovom karticom.", + "card-delete-pop": "Sve akcije će biti uklonjene sa liste aktivnosti i kartica neće moći biti ponovo otvorena. Nema vraćanja unazad.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Krajnji datum", + "card-due-on": "Završava se", + "card-spent": "Spent Time", + "card-edit-attachments": "Uredi priloge", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Uredi natpise", + "card-edit-members": "Uredi članove", + "card-labels-title": "Promeni natpis na kartici.", + "card-members-title": "Dodaj ili ukloni članove table sa kartice.", + "card-start": "Početak", + "card-start-on": "Počinje", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Članovi", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Izmeni podešavanja", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Izmeni podešavanja", + "checklists": "Liste", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Datum", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Datum", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Izmeni početni datum", + "editCardDueDatePopup-title": "Izmeni krajnji datum", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Izmeni notifikaciju", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "Korisničko ime je već zauzeto", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "Nema oznake", + "filter-no-member": "Nema člana", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Sakrij sistemske poruke", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Uvezi tablu iz Trella", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Mapiraj članove", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Izaberi člana Wekan-a", + "info": "Version", + "initials": "Initials", + "invalid-date": "Neispravan datum", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Članovi", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Premesti na dno", + "moveCardToTop-title": "Premesti na vrh", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Utišano", + "muted-info": "Nećete biti obavešteni o promenama u ovoj tabli", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Nema rezultata", + "normal": "Normalno", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Budite obavešteni o novim događajima u tablama, listama ili karticama koje pratite.", + "optional": "opciono", + "or": "ili", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Stranica nije pronađena.", + "password": "Lozinka", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Učestvujem", + "preview": "Prikaz", + "previewAttachedImagePopup-title": "Prikaz", + "previewClipboardImagePopup-title": "Prikaz", + "private": "Privatno", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profil", + "public": "Javno", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Ukloni iz table", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Ukloni člana", + "remove-member-from-card": "Ukloni iz kartice", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Ukloni člana ?", + "rename": "Preimenuj", + "rename-board": "Preimenuj tablu", + "restore": "Oporavi", + "save": "Snimi", + "search": "Pretraga", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Pridruži sebe trenutnoj kartici", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Sam popuni članove", + "shortcut-clear-filters": "Očisti sve filtere", + "shortcut-close-dialog": "Zatvori dijalog", + "shortcut-filter-my-cards": "Filtriraj kartice", + "shortcut-show-shortcuts": "Prikaži ovu listu prečica", + "shortcut-toggle-filterbar": "Uključi ili isključi bočni meni filtera", + "shortcut-toggle-sidebar": "Uključi ili isključi bočni meni table", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Kreiraj nalog", + "star-board-title": "Klikni da označiš zvezdicom ovu tablu. Pokazaće se na vrhu tvoje liste tabli.", + "starred-boards": "Table sa zvezdicom", + "starred-boards-description": "Table sa zvezdicom se pokazuju na vrhu liste tabli.", + "subscribe": "Pretplati se", + "team": "Tim", + "this-board": "ova tabla", + "this-card": "ova kartica", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Vreme", + "title": "Naslov", + "tracking": "Praćenje", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "Imaš nesnimljen opis.", + "unwatch": "Ne posmatraj", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Korisničko ime", + "view-it": "Pregledaj je", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Posmatraj", + "watching": "Posmatranje", + "watching-info": "Bićete obavešteni o promenama u ovoj tabli", + "welcome-board": "Tabla dobrodošlice", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Osnove", + "welcome-list2": "Napredno", + "what-to-do": "Šta želiš da uradiš ?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Korisničko ime", + "smtp-password": "Lozinka", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json new file mode 100644 index 00000000..99a39773 --- /dev/null +++ b/i18n/sv.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Acceptera", + "act-activity-notify": "[Wekan] Aktivitetsavisering", + "act-addAttachment": "bifogade __attachment__ to __card__", + "act-addChecklist": "lade till checklist __checklist__ till __card__", + "act-addChecklistItem": "lade till __checklistItem__ till checklistan __checklist__ on __card__", + "act-addComment": "kommenterade __card__: __comment__", + "act-createBoard": "skapade __board__", + "act-createCard": "lade till __card__ to __list__", + "act-createCustomField": "skapa anpassat fält __customField__", + "act-createList": "lade till __list__ to __board__", + "act-addBoardMember": "lade till __member__ to __board__", + "act-archivedBoard": "__board__ flyttad till papperskorgen", + "act-archivedCard": "__card__ flyttad till papperskorgen", + "act-archivedList": "__list__ flyttad till papperskorgen", + "act-archivedSwimlane": "__swimlane__ flyttad till papperskorgen", + "act-importBoard": "importerade __board__", + "act-importCard": "importerade __card__", + "act-importList": "importerade __list__", + "act-joinMember": "lade __member__ till __card__", + "act-moveCard": "flyttade __card__ från __oldList__ till __list__", + "act-removeBoardMember": "tog bort __member__ från __board__", + "act-restoredCard": "återställde __card__ to __board__", + "act-unjoinMember": "tog bort __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Åtgärder", + "activities": "Aktiviteter", + "activity": "Aktivitet", + "activity-added": "Lade %s till %s", + "activity-archived": "%s flyttad till papperskorgen", + "activity-attached": "bifogade %s to %s", + "activity-created": "skapade %s", + "activity-customfield-created": "skapa anpassat fält %s", + "activity-excluded": "exkluderade %s från %s", + "activity-imported": "importerade %s till %s från %s", + "activity-imported-board": "importerade %s från %s", + "activity-joined": "anslöt sig till %s", + "activity-moved": "tog bort %s från %s till %s", + "activity-on": "på %s", + "activity-removed": "tog bort %s från %s", + "activity-sent": "skickade %s till %s", + "activity-unjoined": "gick ur %s", + "activity-checklist-added": "lade kontrollista till %s", + "activity-checklist-item-added": "lade checklista objekt till '%s' i %s", + "add": "Lägg till", + "add-attachment": "Lägg till bilaga", + "add-board": "Lägg till anslagstavla", + "add-card": "Lägg till kort", + "add-swimlane": "Lägg till simbana", + "add-checklist": "Lägg till checklista", + "add-checklist-item": "Lägg till ett objekt till kontrollista", + "add-cover": "Lägg till omslag", + "add-label": "Lägg till etikett", + "add-list": "Lägg till lista", + "add-members": "Lägg till medlemmar", + "added": "Lade till", + "addMemberPopup-title": "Medlemmar", + "admin": "Adminstratör", + "admin-desc": "Kan visa och redigera kort, ta bort medlemmar och ändra inställningarna för anslagstavlan.", + "admin-announcement": "Meddelande", + "admin-announcement-active": "Aktivt system-brett meddelande", + "admin-announcement-title": "Meddelande från administratör", + "all-boards": "Alla anslagstavlor", + "and-n-other-card": "Och __count__ annat kort", + "and-n-other-card_plural": "Och __count__ andra kort", + "apply": "Tillämpa", + "app-is-offline": "Wekan laddar, vänta. Uppdatering av sidan kommer att leda till förlust av data. Om Wekan inte laddas, kontrollera att Wekan-servern inte har stoppats.", + "archive": "Flytta till papperskorgen", + "archive-all": "Flytta alla till papperskorgen", + "archive-board": "Flytta anslagstavla till papperskorgen", + "archive-card": "Flytta kort till papperskorgen", + "archive-list": "Flytta lista till papperskorgen", + "archive-swimlane": "Flytta simbana till papperskorgen", + "archive-selection": "Flytta val till papperskorgen", + "archiveBoardPopup-title": "Flytta anslagstavla till papperskorgen?", + "archived-items": "Papperskorgen", + "archived-boards": "Anslagstavlor i papperskorgen", + "restore-board": "Återställ anslagstavla", + "no-archived-boards": "Inga anslagstavlor i papperskorgen", + "archives": "Papperskorgen", + "assign-member": "Tilldela medlem", + "attached": "bifogad", + "attachment": "Bilaga", + "attachment-delete-pop": "Ta bort en bilaga är permanent. Det går inte att ångra.", + "attachmentDeletePopup-title": "Ta bort bilaga?", + "attachments": "Bilagor", + "auto-watch": "Bevaka automatiskt anslagstavlor när de skapas", + "avatar-too-big": "Avatar är för stor (70KB max)", + "back": "Tillbaka", + "board-change-color": "Ändra färg", + "board-nb-stars": "%s stjärnor", + "board-not-found": "Anslagstavla hittades inte", + "board-private-info": "Denna anslagstavla kommer att vara privat.", + "board-public-info": "Denna anslagstavla kommer att vara officiell.", + "boardChangeColorPopup-title": "Ändra bakgrund på anslagstavla", + "boardChangeTitlePopup-title": "Byt namn på anslagstavla", + "boardChangeVisibilityPopup-title": "Ändra synlighet", + "boardChangeWatchPopup-title": "Ändra bevaka", + "boardMenuPopup-title": "Anslagstavla meny", + "boards": "Anslagstavlor", + "board-view": "Board View", + "board-view-swimlanes": "Simbanor", + "board-view-lists": "Listor", + "bucket-example": "Gilla \"att-göra-innan-jag-dör-lista\" till exempel", + "cancel": "Avbryt", + "card-archived": "Detta kort flyttas till papperskorgen.", + "card-comments-title": "Detta kort har %s kommentar.", + "card-delete-notice": "Ta bort är permanent. Du kommer att förlora alla åtgärder i samband med detta kort.", + "card-delete-pop": "Alla åtgärder kommer att tas bort från aktivitetsflöde och du kommer inte att kunna öppna kortet igen. Det går inte att ångra.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Förfaller", + "card-due-on": "Förfaller på", + "card-spent": "Spenderad tid", + "card-edit-attachments": "Redigera bilaga", + "card-edit-custom-fields": "Redigera anpassade fält", + "card-edit-labels": "Redigera etiketter", + "card-edit-members": "Redigera medlemmar", + "card-labels-title": "Ändra etiketter för kortet.", + "card-members-title": "Lägg till eller ta bort medlemmar av anslagstavlan från kortet.", + "card-start": "Börja", + "card-start-on": "Börja med", + "cardAttachmentsPopup-title": "Bifoga från", + "cardCustomField-datePopup-title": "Ändra datum", + "cardCustomFieldsPopup-title": "Redigera anpassade fält", + "cardDeletePopup-title": "Ta bort kort?", + "cardDetailsActionsPopup-title": "Kortåtgärder", + "cardLabelsPopup-title": "Etiketter", + "cardMembersPopup-title": "Medlemmar", + "cardMorePopup-title": "Mera", + "cards": "Kort", + "cards-count": "Kort", + "change": "Ändra", + "change-avatar": "Ändra avatar", + "change-password": "Ändra lösenord", + "change-permissions": "Ändra behörigheter", + "change-settings": "Ändra inställningar", + "changeAvatarPopup-title": "Ändra avatar", + "changeLanguagePopup-title": "Ändra språk", + "changePasswordPopup-title": "Ändra lösenord", + "changePermissionsPopup-title": "Ändra behörigheter", + "changeSettingsPopup-title": "Ändra inställningar", + "checklists": "Kontrollistor", + "click-to-star": "Klicka för att stjärnmärka denna anslagstavla.", + "click-to-unstar": "Klicka för att ta bort stjärnmärkningen från denna anslagstavla.", + "clipboard": "Urklipp eller dra och släpp", + "close": "Stäng", + "close-board": "Stäng anslagstavla", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "svart", + "color-blue": "blå", + "color-green": "grön", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "rosa", + "color-purple": "lila", + "color-red": "röd", + "color-sky": "himmel", + "color-yellow": "gul", + "comment": "Kommentera", + "comment-placeholder": "Skriv kommentar", + "comment-only": "Kommentera endast", + "comment-only-desc": "Kan endast kommentera kort.", + "computer": "Dator", + "confirm-checklist-delete-dialog": "Är du säker på att du vill ta bort checklista", + "copy-card-link-to-clipboard": "Kopiera kortlänk till urklipp", + "copyCardPopup-title": "Kopiera kort", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destinationskorttitlar och beskrivningar i detta JSON-format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Skapa", + "createBoardPopup-title": "Skapa anslagstavla", + "chooseBoardSourcePopup-title": "Importera anslagstavla", + "createLabelPopup-title": "Skapa etikett", + "createCustomField": "Skapa fält", + "createCustomFieldPopup-title": "Skapa fält", + "current": "aktuell", + "custom-field-delete-pop": "Det går inte att ångra. Detta tar bort det här anpassade fältet från alla kort och förstör dess historia.", + "custom-field-checkbox": "Kryssruta", + "custom-field-date": "Datum", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(inga)", + "custom-field-dropdown-options": "Listalternativ", + "custom-field-dropdown-options-placeholder": "Tryck på enter för att lägga till fler alternativ", + "custom-field-dropdown-unknown": "(okänd)", + "custom-field-number": "Nummer", + "custom-field-text": "Text", + "custom-fields": "Anpassade fält", + "date": "Datum", + "decline": "Nedgång", + "default-avatar": "Standard avatar", + "delete": "Ta bort", + "deleteCustomFieldPopup-title": "Ta bort anpassade fält?", + "deleteLabelPopup-title": "Ta bort etikett?", + "description": "Beskrivning", + "disambiguateMultiLabelPopup-title": "Otvetydig etikettåtgärd", + "disambiguateMultiMemberPopup-title": "Otvetydig medlemsåtgärd", + "discard": "Kassera", + "done": "Färdig", + "download": "Hämta", + "edit": "Redigera", + "edit-avatar": "Ändra avatar", + "edit-profile": "Redigera profil", + "edit-wip-limit": "Redigera WIP-gränsen", + "soft-wip-limit": "Mjuk WIP-gräns", + "editCardStartDatePopup-title": "Ändra startdatum", + "editCardDueDatePopup-title": "Ändra förfallodatum", + "editCustomFieldPopup-title": "Redigera fält", + "editCardSpentTimePopup-title": "Ändra spenderad tid", + "editLabelPopup-title": "Ändra etikett", + "editNotificationPopup-title": "Redigera avisering", + "editProfilePopup-title": "Redigera profil", + "email": "E-post", + "email-enrollAccount-subject": "Ett konto skapas för dig på __siteName__", + "email-enrollAccount-text": "Hej __user__,\n\nFör att börja använda tjänsten, klicka på länken nedan.\n\n__url__\n\nTack.", + "email-fail": "Sändning av e-post misslyckades", + "email-fail-text": "Ett fel vid försök att skicka e-post", + "email-invalid": "Ogiltig e-post", + "email-invite": "Bjud in via e-post", + "email-invite-subject": "__inviter__ skickade dig en inbjudan", + "email-invite-text": "Bästa __user__,\n\n__inviter__ inbjuder dig till anslagstavlan \"__board__\" för samarbete.\n\nFölj länken nedan:\n\n__url__\n\nTack.", + "email-resetPassword-subject": "Återställa lösenordet för __siteName__", + "email-resetPassword-text": "Hej __user__,\n\nFör att återställa ditt lösenord, klicka på länken nedan.\n\n__url__\n\nTack.", + "email-sent": "E-post skickad", + "email-verifyEmail-subject": "Verifiera din e-post adress på __siteName__", + "email-verifyEmail-text": "Hej __user__,\n\nFör att verifiera din konto e-post, klicka på länken nedan.\n\n__url__\n\nTack.", + "enable-wip-limit": "Aktivera WIP-gräns", + "error-board-doesNotExist": "Denna anslagstavla finns inte", + "error-board-notAdmin": "Du måste vara administratör för denna anslagstavla för att göra det", + "error-board-notAMember": "Du måste vara medlem i denna anslagstavla för att göra det", + "error-json-malformed": "Din text är inte giltigt JSON", + "error-json-schema": "Din JSON data inkluderar inte korrekt information i rätt format", + "error-list-doesNotExist": "Denna lista finns inte", + "error-user-doesNotExist": "Denna användare finns inte", + "error-user-notAllowSelf": "Du kan inte bjuda in dig själv", + "error-user-notCreated": "Den här användaren har inte skapats", + "error-username-taken": "Detta användarnamn är redan taget", + "error-email-taken": "E-post har redan tagits", + "export-board": "Exportera anslagstavla", + "filter": "Filtrera", + "filter-cards": "Filtrera kort", + "filter-clear": "Rensa filter", + "filter-no-label": "Ingen etikett", + "filter-no-member": "Ingen medlem", + "filter-no-custom-fields": "Inga anpassade fält", + "filter-on": "Filter är på", + "filter-on-desc": "Du filtrerar kort på denna anslagstavla. Klicka här för att redigera filter.", + "filter-to-selection": "Filter till val", + "advanced-filter-label": "Avancerat filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Namn", + "header-logo-title": "Gå tillbaka till din anslagstavlor-sida.", + "hide-system-messages": "Göm systemmeddelanden", + "headerBarCreateBoardPopup-title": "Skapa anslagstavla", + "home": "Hem", + "import": "Importera", + "import-board": "importera anslagstavla", + "import-board-c": "Importera anslagstavla", + "import-board-title-trello": "Importera anslagstavla från Trello", + "import-board-title-wekan": "Importera anslagstavla från Wekan", + "import-sandstorm-warning": "Importerad anslagstavla raderar all befintlig data på anslagstavla och ersätter den med importerat anslagstavla.", + "from-trello": "Från Trello", + "from-wekan": "Från Wekan", + "import-board-instruction-trello": "I din Trello-anslagstavla, gå till 'Meny', sedan 'Mera', 'Skriv ut och exportera', 'Exportera JSON' och kopiera den resulterande text.", + "import-board-instruction-wekan": "I din Wekan-anslagstavla, gå till \"Meny\", sedan \"Exportera anslagstavla\" och kopiera texten i den hämtade filen.", + "import-json-placeholder": "Klistra in giltigt JSON data här", + "import-map-members": "Kartlägg medlemmar", + "import-members-map": "Din importerade anslagstavla har några medlemmar. Kartlägg medlemmarna som du vill importera till Wekan-användare", + "import-show-user-mapping": "Granska medlemskartläggning", + "import-user-select": "Välj Wekan-användare du vill använda som denna medlem", + "importMapMembersAddPopup-title": "Välj Wekan member", + "info": "Version", + "initials": "Initialer ", + "invalid-date": "Ogiltigt datum", + "invalid-time": "Ogiltig tid", + "invalid-user": "Ogiltig användare", + "joined": "gick med", + "just-invited": "Du blev nyss inbjuden till denna anslagstavla", + "keyboard-shortcuts": "Tangentbordsgenvägar", + "label-create": "Skapa etikett", + "label-default": "%s etikett (standard)", + "label-delete-pop": "Det finns ingen ångra. Detta tar bort denna etikett från alla kort och förstöra dess historik.", + "labels": "Etiketter", + "language": "Språk", + "last-admin-desc": "Du kan inte ändra roller för det måste finnas minst en administratör.", + "leave-board": "Lämna anslagstavla", + "leave-board-pop": "Är du säker på att du vill lämna __boardTitle__? Du kommer att tas bort från alla kort på den här anslagstavlan.", + "leaveBoardPopup-title": "Lämna anslagstavla ?", + "link-card": "Länka till detta kort", + "list-archive-cards": "Flytta alla kort i den här listan till papperskorgen", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Flytta alla kort i denna lista", + "list-select-cards": "Välj alla kort i denna lista", + "listActionPopup-title": "Liståtgärder", + "swimlaneActionPopup-title": "Simbana-åtgärder", + "listImportCardPopup-title": "Importera ett Trello kort", + "listMorePopup-title": "Mera", + "link-list": "Länk till den här listan", + "list-delete-pop": "Alla åtgärder kommer att tas bort från aktivitetsmatningen och du kommer inte att kunna återställa listan. Det går inte att ångra.", + "list-delete-suggest-archive": "Du kan flytta en lista till papperskorgen för att ta bort den från brädet och bevara aktiviteten.", + "lists": "Listor", + "swimlanes": "Simbanor ", + "log-out": "Logga ut", + "log-in": "Logga in", + "loginPopup-title": "Logga in", + "memberMenuPopup-title": "Användarinställningar", + "members": "Medlemmar", + "menu": "Meny", + "move-selection": "Flytta vald", + "moveCardPopup-title": "Flytta kort", + "moveCardToBottom-title": "Flytta längst ner", + "moveCardToTop-title": "Flytta högst upp", + "moveSelectionPopup-title": "Flytta vald", + "multi-selection": "Flerval", + "multi-selection-on": "Flerval är på", + "muted": "Tystad", + "muted-info": "Du kommer aldrig att meddelas om eventuella ändringar i denna anslagstavla", + "my-boards": "Mina anslagstavlor", + "name": "Namn", + "no-archived-cards": "Inga kort i papperskorgen.", + "no-archived-lists": "Inga listor i papperskorgen.", + "no-archived-swimlanes": "Inga simbanor i papperskorgen.", + "no-results": "Inga reslutat", + "normal": "Normal", + "normal-desc": "Kan se och redigera kort. Kan inte ändra inställningar.", + "not-accepted-yet": "Inbjudan inte ännu accepterad", + "notify-participate": "Få uppdateringar till alla kort du deltar i som skapare eller medlem", + "notify-watch": "Få uppdateringar till alla anslagstavlor, listor, eller kort du bevakar", + "optional": "valfri", + "or": "eller", + "page-maybe-private": "Denna sida kan vara privat. Du kanske kan se den genom att logga in.", + "page-not-found": "Sidan hittades inte.", + "password": "Lösenord", + "paste-or-dragdrop": "klistra in eller dra och släpp bildfil till den (endast bilder)", + "participating": "Deltagande", + "preview": "Förhandsvisning", + "previewAttachedImagePopup-title": "Förhandsvisning", + "previewClipboardImagePopup-title": "Förhandsvisning", + "private": "Privat", + "private-desc": "Denna anslagstavla är privat. Endast personer tillagda till anslagstavlan kan se och redigera den.", + "profile": "Profil", + "public": "Officiell", + "public-desc": "Denna anslagstavla är offentlig. Den är synligt för alla med länken och kommer att dyka upp i sökmotorer som Google. Endast personer tillagda till anslagstavlan kan redigera.", + "quick-access-description": "Stjärnmärk en anslagstavla för att lägga till en genväg i detta fält.", + "remove-cover": "Ta bort omslag", + "remove-from-board": "Ta bort från anslagstavla", + "remove-label": "Ta bort etikett", + "listDeletePopup-title": "Ta bort lista", + "remove-member": "Ta bort medlem", + "remove-member-from-card": "Ta bort från kort", + "remove-member-pop": "Ta bort __name__ (__username__) från __boardTitle__? Medlemmen kommer att bli borttagen från alla kort i denna anslagstavla. De kommer att få en avisering.", + "removeMemberPopup-title": "Ta bort medlem?", + "rename": "Byt namn", + "rename-board": "Byt namn på anslagstavla", + "restore": "Återställ", + "save": "Spara", + "search": "Sök", + "search-cards": "Sök från korttitlar och beskrivningar på det här brädet", + "search-example": "Text att söka efter?", + "select-color": "Välj färg", + "set-wip-limit-value": "Ange en gräns för det maximala antalet uppgifter i den här listan", + "setWipLimitPopup-title": "Ställ in WIP-gräns", + "shortcut-assign-self": "Tilldela dig nuvarande kort", + "shortcut-autocomplete-emoji": "Komplettera automatiskt emoji", + "shortcut-autocomplete-members": "Komplettera automatiskt medlemmar", + "shortcut-clear-filters": "Rensa alla filter", + "shortcut-close-dialog": "Stäng dialog", + "shortcut-filter-my-cards": "Filtrera mina kort", + "shortcut-show-shortcuts": "Ta fram denna genvägslista", + "shortcut-toggle-filterbar": "Växla filtrets sidofält", + "shortcut-toggle-sidebar": "Växla anslagstavlans sidofält", + "show-cards-minimum-count": "Visa kortantal om listan innehåller mer än", + "sidebar-open": "Stäng sidofält", + "sidebar-close": "Stäng sidofält", + "signupPopup-title": "Skapa ett konto", + "star-board-title": "Klicka för att stjärnmärka denna anslagstavla. Den kommer att visas högst upp på din lista över anslagstavlor.", + "starred-boards": "Stjärnmärkta anslagstavlor", + "starred-boards-description": "Stjärnmärkta anslagstavlor visas högst upp på din lista över anslagstavlor.", + "subscribe": "Prenumenera", + "team": "Grupp", + "this-board": "denna anslagstavla", + "this-card": "detta kort", + "spent-time-hours": "Spenderad tid (timmar)", + "overtime-hours": "Övertid (timmar)", + "overtime": "Övertid", + "has-overtime-cards": "Har övertidskort", + "has-spenttime-cards": "Har spenderat tidkort", + "time": "Tid", + "title": "Titel", + "tracking": "Spårning", + "tracking-info": "Du kommer att meddelas om eventuella ändringar av dessa kort du deltar i som skapare eller medlem.", + "type": "Skriv", + "unassign-member": "Ta bort tilldelad medlem", + "unsaved-description": "Du har en osparad beskrivning.", + "unwatch": "Avbevaka", + "upload": "Ladda upp", + "upload-avatar": "Ladda upp en avatar", + "uploaded-avatar": "Laddade upp en avatar", + "username": "Änvandarnamn", + "view-it": "Visa det", + "warn-list-archived": "varning: det här kortet finns i en lista i papperskorgen", + "watch": "Bevaka", + "watching": "Bevakar", + "watching-info": "Du kommer att meddelas om alla ändringar på denna anslagstavla", + "welcome-board": "Välkomstanslagstavla", + "welcome-swimlane": "Milstolpe 1", + "welcome-list1": "Grunderna", + "welcome-list2": "Avancerad", + "what-to-do": "Vad vill du göra?", + "wipLimitErrorPopup-title": "Ogiltig WIP-gräns", + "wipLimitErrorPopup-dialog-pt1": "Antalet uppgifter i den här listan är högre än WIP-gränsen du har definierat.", + "wipLimitErrorPopup-dialog-pt2": "Flytta några uppgifter ur listan, eller ställ in en högre WIP-gräns.", + "admin-panel": "Administratörspanel ", + "settings": "Inställningar", + "people": "Personer", + "registration": "Registrering", + "disable-self-registration": "Avaktiverar självregistrering", + "invite": "Bjud in", + "invite-people": "Bjud in personer", + "to-boards": "Till anslagstavl(a/or)", + "email-addresses": "E-post adresser", + "smtp-host-description": "Adressen till SMTP-servern som hanterar din e-post.", + "smtp-port-description": "Porten SMTP-servern använder för utgående e-post.", + "smtp-tls-description": "Aktivera TLS-stöd för SMTP-server", + "smtp-host": "SMTP-värd", + "smtp-port": "SMTP-port", + "smtp-username": "Användarnamn", + "smtp-password": "Lösenord", + "smtp-tls": "TLS-stöd", + "send-from": "Från", + "send-smtp-test": "Skicka ett prov e-postmeddelande till dig själv", + "invitation-code": "Inbjudningskod", + "email-invite-register-subject": "__inviter__ skickade dig en inbjudan", + "email-invite-register-text": "Bästa __user__,\n\n__inviter__ inbjuder dig till Wekan för samarbeten.\n\nVänligen följ länken nedan:\n__url__\n\nOch din inbjudningskod är: __icode__\n\nTack.", + "email-smtp-test-subject": "SMTP-prov e-post från Wekan", + "email-smtp-test-text": "Du har skickat ett e-postmeddelande", + "error-invitation-code-not-exist": "Inbjudningskod finns inte", + "error-notAuthorized": "Du är inte behörig att se den här sidan.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Okänd)", + "Wekan_version": "Wekan version", + "Node_version": "Nodversion", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU-räkning", + "OS_Freemem": "OS ledigt minne", + "OS_Loadavg": "OS belastningsgenomsnitt", + "OS_Platform": "OS plattforme", + "OS_Release": "OS utgåva", + "OS_Totalmem": "OS totalt minne", + "OS_Type": "OS Typ", + "OS_Uptime": "OS drifttid", + "hours": "timmar", + "minutes": "minuter", + "seconds": "sekunder", + "show-field-on-card": "Visa detta fält på kort", + "yes": "Ja", + "no": "Nej", + "accounts": "Konton", + "accounts-allowEmailChange": "Tillåt e-poständring", + "accounts-allowUserNameChange": "Tillåt användarnamnändring", + "createdAt": "Skapad vid", + "verified": "Verifierad", + "active": "Aktiv", + "card-received": "Mottagen", + "card-received-on": "Mottagen den", + "card-end": "Slut", + "card-end-on": "Slutar den", + "editCardReceivedDatePopup-title": "Ändra mottagningsdatum", + "editCardEndDatePopup-title": "Ändra slutdatum", + "assigned-by": "Tilldelad av", + "requested-by": "Efterfrågad av", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Ta bort anslagstavla?", + "delete-board": "Ta bort anslagstavla" +} \ No newline at end of file diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json new file mode 100644 index 00000000..317f2e3b --- /dev/null +++ b/i18n/ta.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accept", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Add", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Members", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Members", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Members", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json new file mode 100644 index 00000000..e383b3d8 --- /dev/null +++ b/i18n/th.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "ยอมรับ", + "act-activity-notify": "[Wekan] แจ้งกิจกรรม", + "act-addAttachment": "แนบไฟล์ __attachment__ ไปยัง __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "ออกความเห็นที่ __card__: __comment__", + "act-createBoard": "สร้าง __board__", + "act-createCard": "เพิ่ม __card__ ไปยัง __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "เพิ่ม __list__ ไปยัง __board__", + "act-addBoardMember": "เพิ่ม __member__ ไปยัง __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "นำเข้า __board__", + "act-importCard": "นำเข้า __card__", + "act-importList": "นำเข้า __list__", + "act-joinMember": "เพิ่ม __member__ ไปยัง __card__", + "act-moveCard": "ย้าย __card__ จาก __oldList__ ไป __list__", + "act-removeBoardMember": "ลบ __member__ จาก __board__", + "act-restoredCard": "กู้คืน __card__ ไปยัง __board__", + "act-unjoinMember": "ลบ __member__ จาก __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "ปฎิบัติการ", + "activities": "กิจกรรม", + "activity": "กิจกรรม", + "activity-added": "เพิ่ม %s ไปยัง %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "แนบ %s ไปยัง %s", + "activity-created": "สร้าง %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "ยกเว้น %s จาก %s", + "activity-imported": "ถูกนำเข้า %s ไปยัง %s จาก %s", + "activity-imported-board": "นำเข้า %s จาก %s", + "activity-joined": "เข้าร่วม %s", + "activity-moved": "ย้าย %s จาก %s ถึง %s", + "activity-on": "บน %s", + "activity-removed": "ลบ %s จาด %s", + "activity-sent": "ส่ง %s ถึง %s", + "activity-unjoined": "ยกเลิกเข้าร่วม %s", + "activity-checklist-added": "รายการถูกเพิ่มไป %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "เพิ่ม", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "เพิ่มรายการตรวจสอบ", + "add-cover": "เพิ่มหน้าปก", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "เพิ่มสมาชิก", + "added": "เพิ่ม", + "addMemberPopup-title": "สมาชิก", + "admin": "ผู้ดูแลระบบ", + "admin-desc": "สามารถดูและแก้ไขการ์ด ลบสมาชิก และเปลี่ยนการตั้งค่าบอร์ดได้", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "บอร์ดทั้งหมด", + "and-n-other-card": "และการ์ดอื่น __count__", + "and-n-other-card_plural": "และการ์ดอื่น ๆ __count__", + "apply": "นำมาใช้", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "กำหนดสมาชิก", + "attached": "แนบมาด้วย", + "attachment": "สิ่งที่แนบมา", + "attachment-delete-pop": "ลบสิ่งที่แนบมาถาวร ไม่สามารถเลิกทำได้", + "attachmentDeletePopup-title": "ลบสิ่งที่แนบมาหรือไม่", + "attachments": "สิ่งที่แนบมา", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "ย้อนกลับ", + "board-change-color": "เปลี่ยนสี", + "board-nb-stars": "ติดดาว %s", + "board-not-found": "ไม่มีบอร์ด", + "board-private-info": "บอร์ดนี้จะเป็น ส่วนตัว.", + "board-public-info": "บอร์ดนี้จะเป็น สาธารณะ.", + "boardChangeColorPopup-title": "เปลี่ยนสีพื้นหลังบอร์ด", + "boardChangeTitlePopup-title": "เปลี่ยนชื่อบอร์ด", + "boardChangeVisibilityPopup-title": "เปลี่ยนการเข้าถึง", + "boardChangeWatchPopup-title": "เปลี่ยนการเฝ้าดู", + "boardMenuPopup-title": "เมนูบอร์ด", + "boards": "บอร์ด", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "รายการ", + "bucket-example": "ตัวอย่างเช่น “ระบบที่ต้องทำ”", + "cancel": "ยกเลิก", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "การ์ดนี้มี %s ความเห็น.", + "card-delete-notice": "เป็นการลบถาวร คุณจะสูญเสียข้อมูลที่เกี่ยวข้องกับการ์ดนี้ทั้งหมด", + "card-delete-pop": "การดำเนินการทั้งหมดจะถูกลบจาก feed กิจกรรมและคุณไม่สามารถเปิดได้อีกครั้งหรือยกเลิกการทำ", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "ครบกำหนด", + "card-due-on": "ครบกำหนดเมื่อ", + "card-spent": "Spent Time", + "card-edit-attachments": "แก้ไขสิ่งที่แนบมา", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "แก้ไขป้ายกำกับ", + "card-edit-members": "แก้ไขสมาชิก", + "card-labels-title": "เปลี่ยนป้ายกำกับของการ์ด", + "card-members-title": "เพิ่มหรือลบสมาชิกของบอร์ดจากการ์ด", + "card-start": "เริ่ม", + "card-start-on": "เริ่มเมื่อ", + "cardAttachmentsPopup-title": "แนบจาก", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "ลบการ์ดนี้หรือไม่", + "cardDetailsActionsPopup-title": "การดำเนินการการ์ด", + "cardLabelsPopup-title": "ป้ายกำกับ", + "cardMembersPopup-title": "สมาชิก", + "cardMorePopup-title": "เพิ่มเติม", + "cards": "การ์ด", + "cards-count": "การ์ด", + "change": "เปลี่ยน", + "change-avatar": "เปลี่ยนภาพ", + "change-password": "เปลี่ยนรหัสผ่าน", + "change-permissions": "เปลี่ยนสิทธิ์", + "change-settings": "เปลี่ยนการตั้งค่า", + "changeAvatarPopup-title": "เปลี่ยนภาพ", + "changeLanguagePopup-title": "เปลี่ยนภาษา", + "changePasswordPopup-title": "เปลี่ยนรหัสผ่าน", + "changePermissionsPopup-title": "เปลี่ยนสิทธิ์", + "changeSettingsPopup-title": "เปลี่ยนการตั้งค่า", + "checklists": "รายการตรวจสอบ", + "click-to-star": "คลิกดาวบอร์ดนี้", + "click-to-unstar": "คลิกยกเลิกดาวบอร์ดนี้", + "clipboard": "Clipboard หรือลากและวาง", + "close": "ปิด", + "close-board": "ปิดบอร์ด", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "ดำ", + "color-blue": "น้ำเงิน", + "color-green": "เขียว", + "color-lime": "เหลืองมะนาว", + "color-orange": "ส้ม", + "color-pink": "ชมพู", + "color-purple": "ม่วง", + "color-red": "แดง", + "color-sky": "ฟ้า", + "color-yellow": "เหลือง", + "comment": "คอมเม็นต์", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "คอมพิวเตอร์", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "สร้าง", + "createBoardPopup-title": "สร้างบอร์ด", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "สร้างป้ายกำกับ", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "ปัจจุบัน", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "วันที่", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "วันที่", + "decline": "ปฎิเสธ", + "default-avatar": "ภาพเริ่มต้น", + "delete": "ลบ", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "ลบป้ายกำกับนี้หรือไม่", + "description": "คำอธิบาย", + "disambiguateMultiLabelPopup-title": "การดำเนินการกำกับป้ายชัดเจน", + "disambiguateMultiMemberPopup-title": "การดำเนินการสมาชิกชัดเจน", + "discard": "ทิ้ง", + "done": "เสร็จสิ้น", + "download": "ดาวน์โหลด", + "edit": "แก้ไข", + "edit-avatar": "เปลี่ยนภาพ", + "edit-profile": "แก้ไขโปรไฟล์", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "เปลี่ยนวันเริ่มต้น", + "editCardDueDatePopup-title": "เปลี่ยนวันครบกำหนด", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "เปลี่ยนป้ายกำกับ", + "editNotificationPopup-title": "แก้ไขการแจ้งเตือน", + "editProfilePopup-title": "แก้ไขโปรไฟล์", + "email": "อีเมล์", + "email-enrollAccount-subject": "บัญชีคุณถูกสร้างใน __siteName__", + "email-enrollAccount-text": "สวัสดี __user__,\n\nเริ่มใช้บริการง่าย ๆ , ด้วยการคลิกลิงค์ด้านล่าง.\n\n__url__\n\n ขอบคุณค่ะ", + "email-fail": "การส่งอีเมล์ล้มเหลว", + "email-fail-text": "Error trying to send email", + "email-invalid": "อีเมล์ไม่ถูกต้อง", + "email-invite": "เชิญผ่านทางอีเมล์", + "email-invite-subject": "__inviter__ ส่งคำเชิญให้คุณ", + "email-invite-text": "สวัสดี __user__,\n\n__inviter__ ขอเชิญคุณเข้าร่วม \"__board__\" เพื่อขอความร่วมมือ \n\n โปรดคลิกตามลิงค์ข้างล่างนี้ \n\n__url__\n\n ขอบคุณ", + "email-resetPassword-subject": "ตั้งรหัสผ่่านใหม่ของคุณบน __siteName__", + "email-resetPassword-text": "สวัสดี __user__,\n\nในการรีเซ็ตรหัสผ่านของคุณ, คลิกตามลิงค์ด้านล่าง \n\n__url__\n\nขอบคุณค่ะ", + "email-sent": "ส่งอีเมล์", + "email-verifyEmail-subject": "ยืนยันที่อยู่อีเม์ของคุณบน __siteName__", + "email-verifyEmail-text": "สวัสดี __user__,\n\nตรวจสอบบัญชีอีเมล์ของคุณ ง่าย ๆ ตามลิงค์ด้านล่าง \n\n__url__\n\n ขอบคุณค่ะ", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "บอร์ดนี้ไม่มีอยู่แล้ว", + "error-board-notAdmin": "คุณจะต้องเป็นผู้ดูแลระบบถึงจะทำสิ่งเหล่านี้ได้", + "error-board-notAMember": "คุณต้องเป็นสมาชิกของบอร์ดนี้ถึงจะทำได้", + "error-json-malformed": "ข้อความของคุณไม่ใช่ JSON", + "error-json-schema": "รูปแบบข้้้อมูล JSON ของคุณไม่ถูกต้อง", + "error-list-doesNotExist": "รายการนี้ไม่มีอยู่", + "error-user-doesNotExist": "ผู้ใช้นี้ไม่มีอยู่", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "ผู้ใช้รายนี้ไม่ได้สร้าง", + "error-username-taken": "ชื่อนี้ถูกใช้งานแล้ว", + "error-email-taken": "Email has already been taken", + "export-board": "ส่งออกกระดาน", + "filter": "กรอง", + "filter-cards": "กรองการ์ด", + "filter-clear": "ล้างตัวกรอง", + "filter-no-label": "ไม่มีฉลาก", + "filter-no-member": "ไม่มีสมาชิก", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "กรองบน", + "filter-on-desc": "คุณกำลังกรองการ์ดในบอร์ดนี้ คลิกที่นี่เพื่อแก้ไขตัวกรอง", + "filter-to-selection": "กรองตัวเลือก", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "ชื่อ นามสกุล", + "header-logo-title": "ย้อนกลับไปที่หน้าบอร์ดของคุณ", + "hide-system-messages": "ซ่อนข้อความของระบบ", + "headerBarCreateBoardPopup-title": "สร้างบอร์ด", + "home": "หน้าหลัก", + "import": "นำเข้า", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "นำเข้าบอร์ดจาก Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "ใน Trello ของคุณให้ไปที่ 'Menu' และไปที่ More -> Print and Export -> Export JSON และคัดลอกข้อความจากนั้น", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "วางข้อมูล JSON ที่ถูกต้องของคุณที่นี่", + "import-map-members": "แผนที่สมาชิก", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review การทำแผนที่สมาชิก", + "import-user-select": "เลือกผู้ใช้ Wekan ที่คุณต้องการใช้เป็นเหมือนสมาชิกนี้", + "importMapMembersAddPopup-title": "เลือกสมาชิก", + "info": "Version", + "initials": "ชื่อย่อ", + "invalid-date": "วันที่ไม่ถูกต้อง", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "เข้าร่วม", + "just-invited": "คุณพึ่งได้รับเชิญบอร์ดนี้", + "keyboard-shortcuts": "แป้นพิมพ์ลัด", + "label-create": "สร้างป้ายกำกับ", + "label-default": "ป้าย %s (ค่าเริ่มต้น)", + "label-delete-pop": "ไม่มีการยกเลิกการทำนี้ ลบป้ายกำกับนี้จากทุกการ์ดและล้างประวัติทิ้ง", + "labels": "ป้ายกำกับ", + "language": "ภาษา", + "last-admin-desc": "คุณไม่สามารถเปลี่ยนบทบาทเพราะต้องมีผู้ดูแลระบบหนึ่งคนเป็นอย่างน้อย", + "leave-board": "ทิ้งบอร์ด", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "เชื่อมโยงไปยังการ์ดใบนี้", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "ย้ายการ์ดทั้งหมดในรายการนี้", + "list-select-cards": "เลือกการ์ดทั้งหมดในรายการนี้", + "listActionPopup-title": "รายการการดำเนิน", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "นำเข้าการ์ด Trello", + "listMorePopup-title": "เพิ่มเติม", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "รายการ", + "swimlanes": "Swimlanes", + "log-out": "ออกจากระบบ", + "log-in": "เข้าสู่ระบบ", + "loginPopup-title": "เข้าสู่ระบบ", + "memberMenuPopup-title": "การตั้งค่า", + "members": "สมาชิก", + "menu": "เมนู", + "move-selection": "ย้ายตัวเลือก", + "moveCardPopup-title": "ย้ายการ์ด", + "moveCardToBottom-title": "ย้ายไปล่าง", + "moveCardToTop-title": "ย้ายไปบน", + "moveSelectionPopup-title": "เลือกย้าย", + "multi-selection": "เลือกหลายรายการ", + "multi-selection-on": "เลือกหลายรายการเมื่อ", + "muted": "ไม่ออกเสียง", + "muted-info": "คุณจะไม่ได้รับแจ้งการเปลี่ยนแปลงใด ๆ ในบอร์ดนี้", + "my-boards": "บอร์ดของฉัน", + "name": "ชื่อ", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "ไม่มีข้อมูล", + "normal": "ธรรมดา", + "normal-desc": "สามารถดูและแก้ไขการ์ดได้ แต่ไม่สามารถเปลี่ยนการตั้งค่าได้", + "not-accepted-yet": "ยังไม่ยอมรับคำเชิญ", + "notify-participate": "ได้รับการแจ้งปรับปรุงการ์ดอื่น ๆ ที่คุณมีส่วนร่วมในฐานะผู้สร้างหรือสมาชิก", + "notify-watch": "ได้รับการแจ้งปรับปรุงบอร์ด รายการหรือการ์ดที่คุณเฝ้าติดตาม", + "optional": "ไม่จำเป็น", + "or": "หรือ", + "page-maybe-private": "หน้านี้อาจจะเป็นส่วนตัว. คุณอาจจะสามารถดูจาก logging in.", + "page-not-found": "ไม่พบหน้า", + "password": "รหัสผ่าน", + "paste-or-dragdrop": "วาง หรือลากและวาง ไฟล์ภาพ(ภาพเท่านั้น)", + "participating": "Participating", + "preview": "ภาพตัวอย่าง", + "previewAttachedImagePopup-title": "ตัวอย่าง", + "previewClipboardImagePopup-title": "ตัวอย่าง", + "private": "ส่วนตัว", + "private-desc": "บอร์ดนี้เป็นส่วนตัว. คนที่ถูกเพิ่มเข้าในบอร์ดเท่านั้นที่สามารถดูและแก้ไขได้", + "profile": "โปรไฟล์", + "public": "สาธารณะ", + "public-desc": "บอร์ดนี้เป็นสาธารณะ. ทุกคนสามารถเข้าถึงได้ผ่าน url นี้ แต่สามารถแก้ไขได้เฉพาะผู้ที่ถูกเพิ่มเข้าไปในการ์ดเท่านั้น", + "quick-access-description": "เพิ่มไว้ในนี้เพื่อเป็นทางลัด", + "remove-cover": "ลบหน้าปก", + "remove-from-board": "ลบจากบอร์ด", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "ลบสมาชิก", + "remove-member-from-card": "ลบจากการ์ด", + "remove-member-pop": "ลบ __name__ (__username__) จาก __boardTitle__ หรือไม่ สมาชิกจะถูกลบออกจากการ์ดทั้งหมดบนบอร์ดนี้ และพวกเขาจะได้รับการแจ้งเตือน", + "removeMemberPopup-title": "ลบสมาชิกหรือไม่", + "rename": "ตั้งชื่อใหม่", + "rename-board": "ตั้งชื่อบอร์ดใหม่", + "restore": "กู้คืน", + "save": "บันทึก", + "search": "ค้นหา", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "กำหนดตัวเองให้การ์ดนี้", + "shortcut-autocomplete-emoji": "เติม emoji อัตโนมัติ", + "shortcut-autocomplete-members": "เติมสมาชิกอัตโนมัติ", + "shortcut-clear-filters": "ล้างตัวกรองทั้งหมด", + "shortcut-close-dialog": "ปิดหน้าต่าง", + "shortcut-filter-my-cards": "กรองการ์ดฉัน", + "shortcut-show-shortcuts": "นำรายการทางลัดนี้ขึ้น", + "shortcut-toggle-filterbar": "สลับแถบกรองสไลด์ด้้านข้าง", + "shortcut-toggle-sidebar": "สลับโชว์แถบด้านข้าง", + "show-cards-minimum-count": "แสดงจำนวนของการ์ดถ้ารายการมีมากกว่า(เลื่อนกำหนดตัวเลข)", + "sidebar-open": "เปิดแถบเลื่อน", + "sidebar-close": "ปิดแถบเลื่อน", + "signupPopup-title": "สร้างบัญชี", + "star-board-title": "คลิกติดดาวบอร์ดนี้ มันจะแสดงอยู่บนสุดของรายการบอร์ดของคุณ", + "starred-boards": "ติดดาวบอร์ด", + "starred-boards-description": "ติดดาวบอร์ดและแสดงไว้บนสุดของรายการบอร์ด", + "subscribe": "บอกรับสมาชิก", + "team": "ทีม", + "this-board": "บอร์ดนี้", + "this-card": "การ์ดนี้", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "เวลา", + "title": "หัวข้อ", + "tracking": "ติดตาม", + "tracking-info": "คุณจะได้รับแจ้งการเปลี่ยนแปลงใด ๆ กับการ์ดที่คุณมีส่วนร่วมในฐานะผู้สร้างหรือสมาชิก", + "type": "Type", + "unassign-member": "ยกเลิกสมาชิก", + "unsaved-description": "คุณมีคำอธิบายที่ไม่ได้บันทึก", + "unwatch": "เลิกเฝ้าดู", + "upload": "อัพโหลด", + "upload-avatar": "อัพโหลดรูปภาพ", + "uploaded-avatar": "ภาพอัพโหลดแล้ว", + "username": "ชื่อผู้ใช้งาน", + "view-it": "ดู", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "เฝ้าดู", + "watching": "เฝ้าดู", + "watching-info": "คุณจะได้รับแจ้งหากมีการเปลี่ยนแปลงใด ๆ ในบอร์ดนี้", + "welcome-board": "ยินดีต้อนรับสู่บอร์ด", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "พื้นฐาน", + "welcome-list2": "ก้าวหน้า", + "what-to-do": "ต้องการทำอะไร", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "ชื่อผู้ใช้งาน", + "smtp-password": "รหัสผ่าน", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ ส่งคำเชิญให้คุณ", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json new file mode 100644 index 00000000..29d8006d --- /dev/null +++ b/i18n/tr.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Kabul Et", + "act-activity-notify": "[Wekan] Etkinlik Bildirimi", + "act-addAttachment": "__card__ kartına __attachment__ dosyasını ekledi", + "act-addChecklist": "__card__ kartında __checklist__ yapılacak listesini ekledi", + "act-addChecklistItem": "__checklistItem__ öğesini __card__ kartındaki __checklist__ yapılacak listesine ekledi", + "act-addComment": "__card__ kartına bir yorum bıraktı: __comment__", + "act-createBoard": "__board__ panosunu oluşturdu", + "act-createCard": "__card__ kartını ___list__ listesine ekledi", + "act-createCustomField": "__customField__ adlı özel alan yaratıldı", + "act-createList": "__list__ listesini __board__ panosuna ekledi", + "act-addBoardMember": "__member__ kullanıcısını __board__ panosuna ekledi", + "act-archivedBoard": "__board__ Geri Dönüşüm Kutusu'na taşındı", + "act-archivedCard": "__card__ Geri Dönüşüm Kutusu'na taşındı", + "act-archivedList": "__list__ Geri Dönüşüm Kutusu'na taşındı", + "act-archivedSwimlane": "__swimlane__ Geri Dönüşüm Kutusu'na taşındı", + "act-importBoard": "__board__ panosunu içe aktardı", + "act-importCard": "__card__ kartını içe aktardı", + "act-importList": "__list__ listesini içe aktardı", + "act-joinMember": "__member__ kullanıcısnı __card__ kartına ekledi", + "act-moveCard": "__card__ kartını __oldList__ listesinden __list__ listesine taşıdı", + "act-removeBoardMember": "__board__ panosundan __member__ kullanıcısını çıkarttı", + "act-restoredCard": "__card__ kartını __board__ panosuna geri getirdi", + "act-unjoinMember": "__member__ kullanıcısnı __card__ kartından çıkarttı", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "İşlemler", + "activities": "Etkinlikler", + "activity": "Etkinlik", + "activity-added": "%s içine %s ekledi", + "activity-archived": "%s Geri Dönüşüm Kutusu'na taşındı", + "activity-attached": "%s içine %s ekledi", + "activity-created": "%s öğesini oluşturdu", + "activity-customfield-created": "%s adlı özel alan yaratıldı", + "activity-excluded": "%s içinden %s çıkarttı", + "activity-imported": "%s kaynağından %s öğesini %s öğesinin içine taşıdı ", + "activity-imported-board": "%s i %s içinden aktardı", + "activity-joined": "şuna katıldı: %s", + "activity-moved": "%s i %s içinden %s içine taşıdı", + "activity-on": "%s", + "activity-removed": "%s i %s ten kaldırdı", + "activity-sent": "%s i %s e gönderdi", + "activity-unjoined": "%s içinden ayrıldı", + "activity-checklist-added": "%s içine yapılacak listesi ekledi", + "activity-checklist-item-added": "%s içinde %s yapılacak listesine öğe ekledi", + "add": "Ekle", + "add-attachment": "Ek Ekle", + "add-board": "Pano Ekle", + "add-card": "Kart Ekle", + "add-swimlane": "Kulvar Ekle", + "add-checklist": "Yapılacak Listesi Ekle", + "add-checklist-item": "Yapılacak listesine yeni bir öğe ekle", + "add-cover": "Kapak resmi ekle", + "add-label": "Etiket Ekle", + "add-list": "Liste Ekle", + "add-members": "Üye ekle", + "added": "Eklendi", + "addMemberPopup-title": "Üyeler", + "admin": "Yönetici", + "admin-desc": "Kartları görüntüleyebilir ve düzenleyebilir, üyeleri çıkarabilir ve pano ayarlarını değiştirebilir.", + "admin-announcement": "Duyuru", + "admin-announcement-active": "Tüm Sistemde Etkin Duyuru", + "admin-announcement-title": "Yöneticiden Duyuru", + "all-boards": "Tüm panolar", + "and-n-other-card": "Ve __count__ diğer kart", + "and-n-other-card_plural": "Ve __count__ diğer kart", + "apply": "Uygula", + "app-is-offline": "Wekan yükleniyor, lütfen bekleyin. Sayfayı yenilemek veri kaybına sebep olabilir. Eğer Wekan yüklenmezse, lütfen Wekan sunucusunun çalıştığından emin olun.", + "archive": "Geri Dönüşüm Kutusu'na taşı", + "archive-all": "Tümünü Geri Dönüşüm Kutusu'na taşı", + "archive-board": "Panoyu Geri Dönüşüm Kutusu'na taşı", + "archive-card": "Kartı Geri Dönüşüm Kutusu'na taşı", + "archive-list": "Listeyi Geri Dönüşüm Kutusu'na taşı", + "archive-swimlane": "Kulvarı Geri Dönüşüm Kutusu'na taşı", + "archive-selection": "Seçimi Geri Dönüşüm Kutusu'na taşı", + "archiveBoardPopup-title": "Panoyu Geri Dönüşüm Kutusu'na taşı", + "archived-items": "Geri Dönüşüm Kutusu", + "archived-boards": "Geri Dönüşüm Kutusu'ndaki panolar", + "restore-board": "Panoyu Geri Getir", + "no-archived-boards": "Geri Dönüşüm Kutusu'nda pano yok.", + "archives": "Geri Dönüşüm Kutusu", + "assign-member": "Üye ata", + "attached": "dosya(sı) eklendi", + "attachment": "Ek Dosya", + "attachment-delete-pop": "Ek silme işlemi kalıcıdır ve geri alınamaz.", + "attachmentDeletePopup-title": "Ek Silinsin mi?", + "attachments": "Ekler", + "auto-watch": "Oluşan yeni panoları kendiliğinden izlemeye al", + "avatar-too-big": "Avatar boyutu çok büyük (En fazla 70KB olabilir)", + "back": "Geri", + "board-change-color": "Renk değiştir", + "board-nb-stars": "%s yıldız", + "board-not-found": "Pano bulunamadı", + "board-private-info": "Bu pano gizli olacak.", + "board-public-info": "Bu pano genele açılacaktır.", + "boardChangeColorPopup-title": "Pano arkaplan rengini değiştir", + "boardChangeTitlePopup-title": "Panonun Adını Değiştir", + "boardChangeVisibilityPopup-title": "Görünebilirliği Değiştir", + "boardChangeWatchPopup-title": "İzleme Durumunu Değiştir", + "boardMenuPopup-title": "Pano menüsü", + "boards": "Panolar", + "board-view": "Pano Görünümü", + "board-view-swimlanes": "Kulvarlar", + "board-view-lists": "Listeler", + "bucket-example": "Örn: \"Marketten Alacaklarım\"", + "cancel": "İptal", + "card-archived": "Bu kart Geri Dönüşüm Kutusu'na taşındı", + "card-comments-title": "Bu kartta %s yorum var.", + "card-delete-notice": "Silme işlemi kalıcıdır. Bu kartla ilişkili tüm eylemleri kaybedersiniz.", + "card-delete-pop": "Son hareketler alanındaki tüm veriler silinecek, ayrıca bu kartı yeniden açamayacaksın. Bu işlemin geri dönüşü yok.", + "card-delete-suggest-archive": "Kartları Geri Dönüşüm Kutusu'na taşıyarak panodan kaldırabilir ve içindeki aktiviteleri saklayabilirsiniz.", + "card-due": "Bitiş", + "card-due-on": "Bitiş tarihi:", + "card-spent": "Harcanan Zaman", + "card-edit-attachments": "Ek dosyasını düzenle", + "card-edit-custom-fields": "Özel alanları düzenle", + "card-edit-labels": "Etiketleri düzenle", + "card-edit-members": "Üyeleri düzenle", + "card-labels-title": "Bu kart için etiketleri düzenle", + "card-members-title": "Karta pano içindeki üyeleri ekler veya çıkartır.", + "card-start": "Başlama", + "card-start-on": "Başlama tarihi:", + "cardAttachmentsPopup-title": "Eklenme", + "cardCustomField-datePopup-title": "Tarihi değiştir", + "cardCustomFieldsPopup-title": "Özel alanları düzenle", + "cardDeletePopup-title": "Kart Silinsin mi?", + "cardDetailsActionsPopup-title": "Kart işlemleri", + "cardLabelsPopup-title": "Etiketler", + "cardMembersPopup-title": "Üyeler", + "cardMorePopup-title": "Daha", + "cards": "Kartlar", + "cards-count": "Kartlar", + "change": "Değiştir", + "change-avatar": "Avatar Değiştir", + "change-password": "Parola Değiştir", + "change-permissions": "İzinleri değiştir", + "change-settings": "Ayarları değiştir", + "changeAvatarPopup-title": "Avatar Değiştir", + "changeLanguagePopup-title": "Dil Değiştir", + "changePasswordPopup-title": "Parola Değiştir", + "changePermissionsPopup-title": "Yetkileri Değiştirme", + "changeSettingsPopup-title": "Ayarları değiştir", + "checklists": "Yapılacak Listeleri", + "click-to-star": "Bu panoyu yıldızlamak için tıkla.", + "click-to-unstar": "Bu panunun yıldızını kaldırmak için tıkla.", + "clipboard": "Yapıştır veya sürükleyip bırak", + "close": "Kapat", + "close-board": "Panoyu kapat", + "close-board-pop": "Silinen panoyu geri getirmek için menüden \"Geri Dönüşüm Kutusu\"'na tıklayabilirsiniz.", + "color-black": "siyah", + "color-blue": "mavi", + "color-green": "yeşil", + "color-lime": "misket limonu", + "color-orange": "turuncu", + "color-pink": "pembe", + "color-purple": "mor", + "color-red": "kırmızı", + "color-sky": "açık mavi", + "color-yellow": "sarı", + "comment": "Yorum", + "comment-placeholder": "Yorum Yaz", + "comment-only": "Sadece yorum", + "comment-only-desc": "Sadece kartlara yorum yazabilir.", + "computer": "Bilgisayar", + "confirm-checklist-delete-dialog": "Yapılacak listesini silmek istediğinize emin misiniz", + "copy-card-link-to-clipboard": "Kartın linkini kopyala", + "copyCardPopup-title": "Kartı Kopyala", + "copyChecklistToManyCardsPopup-title": "Yapılacaklar Listesi şemasını birden çok karta kopyala", + "copyChecklistToManyCardsPopup-instructions": "Hedef Kart Başlıkları ve Açıklamaları bu JSON formatında", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"İlk kart başlığı\", \"description\":\"İlk kart açıklaması\"}, {\"title\":\"İkinci kart başlığı\",\"description\":\"İkinci kart açıklaması\"},{\"title\":\"Son kart başlığı\",\"description\":\"Son kart açıklaması\"} ]", + "create": "Oluştur", + "createBoardPopup-title": "Pano Oluşturma", + "chooseBoardSourcePopup-title": "Panoyu içe aktar", + "createLabelPopup-title": "Etiket Oluşturma", + "createCustomField": "Alanı yarat", + "createCustomFieldPopup-title": "Alanı yarat", + "current": "mevcut", + "custom-field-delete-pop": "Bunun geri dönüşü yoktur. Bu özel alan tüm kartlardan kaldırılıp tarihçesi yokedilecektir.", + "custom-field-checkbox": "İşaret kutusu", + "custom-field-date": "Tarih", + "custom-field-dropdown": "Açılır liste", + "custom-field-dropdown-none": "(hiçbiri)", + "custom-field-dropdown-options": "Liste seçenekleri", + "custom-field-dropdown-options-placeholder": "Başka seçenekler eklemek için giriş tuşuna basınız", + "custom-field-dropdown-unknown": "(bilinmeyen)", + "custom-field-number": "Sayı", + "custom-field-text": "Metin", + "custom-fields": "Özel alanlar", + "date": "Tarih", + "decline": "Reddet", + "default-avatar": "Varsayılan avatar", + "delete": "Sil", + "deleteCustomFieldPopup-title": "Özel alan silinsin mi?", + "deleteLabelPopup-title": "Etiket Silinsin mi?", + "description": "Açıklama", + "disambiguateMultiLabelPopup-title": "Etiket işlemini izah et", + "disambiguateMultiMemberPopup-title": "Üye işlemini izah et", + "discard": "At", + "done": "Tamam", + "download": "İndir", + "edit": "Düzenle", + "edit-avatar": "Avatar Değiştir", + "edit-profile": "Profili Düzenle", + "edit-wip-limit": "Devam Eden İş Sınırını Düzenle", + "soft-wip-limit": "Zayıf Devam Eden İş Sınırı", + "editCardStartDatePopup-title": "Başlangıç tarihini değiştir", + "editCardDueDatePopup-title": "Bitiş tarihini değiştir", + "editCustomFieldPopup-title": "Alanı düzenle", + "editCardSpentTimePopup-title": "Harcanan zamanı değiştir", + "editLabelPopup-title": "Etiket Değiştir", + "editNotificationPopup-title": "Bildirimi değiştir", + "editProfilePopup-title": "Profili Düzenle", + "email": "E-posta", + "email-enrollAccount-subject": "Hesabınız __siteName__ üzerinde oluşturuldu", + "email-enrollAccount-text": "Merhaba __user__,\n\nBu servisi kullanmaya başlamak için aşağıdaki linke tıklamalısın:\n\n__url__\n\nTeşekkürler.", + "email-fail": "E-posta gönderimi başarısız", + "email-fail-text": "E-Posta gönderilme çalışırken hata oluştu", + "email-invalid": "Geçersiz e-posta", + "email-invite": "E-posta ile davet et", + "email-invite-subject": "__inviter__ size bir davetiye gönderdi", + "email-invite-text": "Sevgili __user__,\n\n__inviter__ seni birlikte çalışmak için \"__board__\" panosuna davet ediyor.\n\nLütfen aşağıdaki linke tıkla:\n\n__url__\n\nTeşekkürler.", + "email-resetPassword-subject": "__siteName__ üzerinde parolanı sıfırla", + "email-resetPassword-text": "Merhaba __user__,\n\nParolanı sıfırlaman için aşağıdaki linke tıklaman yeterli.\n\n__url__\n\nTeşekkürler.", + "email-sent": "E-posta gönderildi", + "email-verifyEmail-subject": "__siteName__ üzerindeki e-posta adresini doğrulama", + "email-verifyEmail-text": "Merhaba __user__,\n\nHesap e-posta adresini doğrulamak için aşağıdaki linke tıklaman yeterli.\n\n__url__\n\nTeşekkürler.", + "enable-wip-limit": "Devam Eden İş Sınırını Aç", + "error-board-doesNotExist": "Pano bulunamadı", + "error-board-notAdmin": "Bu işlemi yapmak için pano yöneticisi olmalısın.", + "error-board-notAMember": "Bu işlemi yapmak için panoya üye olmalısın.", + "error-json-malformed": "Girilen metin geçerli bir JSON formatında değil", + "error-json-schema": "Girdiğin JSON metni tüm bilgileri doğru biçimde barındırmıyor", + "error-list-doesNotExist": "Liste bulunamadı", + "error-user-doesNotExist": "Kullanıcı bulunamadı", + "error-user-notAllowSelf": "Kendi kendini davet edemezsin", + "error-user-notCreated": "Bu üye oluşturulmadı", + "error-username-taken": "Kullanıcı adı zaten alınmış", + "error-email-taken": "Bu e-posta adresi daha önceden alınmış", + "export-board": "Panoyu dışarı aktar", + "filter": "Filtre", + "filter-cards": "Kartları Filtrele", + "filter-clear": "Filtreyi temizle", + "filter-no-label": "Etiket yok", + "filter-no-member": "Üye yok", + "filter-no-custom-fields": "Hiç özel alan yok", + "filter-on": "Filtre aktif", + "filter-on-desc": "Bu panodaki kartları filtreliyorsunuz. Fitreyi düzenlemek için tıklayın.", + "filter-to-selection": "Seçime göre filtreleme yap", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Ad Soyad", + "header-logo-title": "Panolar sayfanıza geri dön.", + "hide-system-messages": "Sistem mesajlarını gizle", + "headerBarCreateBoardPopup-title": "Pano Oluşturma", + "home": "Ana Sayfa", + "import": "İçeri aktar", + "import-board": "panoyu içe aktar", + "import-board-c": "Panoyu içe aktar", + "import-board-title-trello": "Trello'dan panoyu içeri aktar", + "import-board-title-wekan": "Wekan'dan panoyu içe aktar", + "import-sandstorm-warning": "İçe aktarılan pano şu anki panonun verilerinin üzerine yazılacak ve var olan veriler silinecek.", + "from-trello": "Trello'dan", + "from-wekan": "Wekan'dan", + "import-board-instruction-trello": "Trello panonuzda 'Menü'ye gidip 'Daha fazlası'na tıklayın, ardından 'Yazdır ve Çıktı Al'ı seçip 'JSON biçiminde çıktı al' diyerek çıkan metni buraya kopyalayın.", + "import-board-instruction-wekan": "Wekan panonuzda önce Menü'yü, ardından \"Panoyu dışa aktar\"ı seçip bilgisayarınıza indirilen dosyanın içindeki metni kopyalayın.", + "import-json-placeholder": "Geçerli JSON verisini buraya yapıştırın", + "import-map-members": "Üyeleri eşleştirme", + "import-members-map": "İçe aktardığın panoda bazı kullanıcılar var. Lütfen bu kullanıcıları Wekan panosundaki kullanıcılarla eşleştirin.", + "import-show-user-mapping": "Üye eşleştirmesini kontrol et", + "import-user-select": "Bu üyenin sistemdeki hangi kullanıcı olduğunu seçin", + "importMapMembersAddPopup-title": "Üye seç", + "info": "Sürüm", + "initials": "İlk Harfleri", + "invalid-date": "Geçersiz tarih", + "invalid-time": "Geçersiz zaman", + "invalid-user": "Geçersiz kullanıcı", + "joined": "katıldı", + "just-invited": "Bu panoya şimdi davet edildin.", + "keyboard-shortcuts": "Klavye kısayolları", + "label-create": "Etiket Oluşturma", + "label-default": "%s etiket (varsayılan)", + "label-delete-pop": "Bu işlem geri alınamaz. Bu etiket tüm kartlardan kaldırılacaktır ve geçmişi yok edecektir.", + "labels": "Etiketler", + "language": "Dil", + "last-admin-desc": "En az bir yönetici olması gerektiğinden rolleri değiştiremezsiniz.", + "leave-board": "Panodan ayrıl", + "leave-board-pop": "__boardTitle__ panosundan ayrılmak istediğinize emin misiniz? Panodaki tüm kartlardan kaldırılacaksınız.", + "leaveBoardPopup-title": "Panodan ayrılmak istediğinize emin misiniz?", + "link-card": "Bu kartın bağlantısı", + "list-archive-cards": "Listedeki tüm kartları Geri Dönüşüm Kutusu'na gönder", + "list-archive-cards-pop": "Bu işlem listedeki tüm kartları kaldıracak. Silinmiş kartları görüntülemek ve geri yüklemek için menüden Geri Dönüşüm Kutusu'na tıklayabilirsiniz.", + "list-move-cards": "Listedeki tüm kartları taşı", + "list-select-cards": "Listedeki tüm kartları seç", + "listActionPopup-title": "Liste İşlemleri", + "swimlaneActionPopup-title": "Kulvar İşlemleri", + "listImportCardPopup-title": "Bir Trello kartını içeri aktar", + "listMorePopup-title": "Daha", + "link-list": "Listeye doğrudan bağlantı", + "list-delete-pop": "Etkinlik akışınızdaki tüm eylemler geri kurtarılamaz şekilde kaldırılacak. Bu işlem geri alınamaz.", + "list-delete-suggest-archive": "Bir listeyi Dönüşüm Kutusuna atarak panodan kaldırabilir, ancak eylemleri koruyarak saklayabilirsiniz. ", + "lists": "Listeler", + "swimlanes": "Kulvarlar", + "log-out": "Oturum Kapat", + "log-in": "Oturum Aç", + "loginPopup-title": "Oturum Aç", + "memberMenuPopup-title": "Üye Ayarları", + "members": "Üyeler", + "menu": "Menü", + "move-selection": "Seçimi taşı", + "moveCardPopup-title": "Kartı taşı", + "moveCardToBottom-title": "Aşağı taşı", + "moveCardToTop-title": "Yukarı taşı", + "moveSelectionPopup-title": "Seçimi taşı", + "multi-selection": "Çoklu seçim", + "multi-selection-on": "Çoklu seçim açık", + "muted": "Sessiz", + "muted-info": "Bu panodaki hiçbir değişiklik hakkında bildirim almayacaksınız", + "my-boards": "Panolarım", + "name": "Adı", + "no-archived-cards": "Dönüşüm Kutusunda hiç kart yok.", + "no-archived-lists": "Dönüşüm Kutusunda hiç liste yok.", + "no-archived-swimlanes": "Dönüşüm Kutusunda hiç kulvar yok.", + "no-results": "Sonuç yok", + "normal": "Normal", + "normal-desc": "Kartları görüntüleyebilir ve düzenleyebilir. Ayarları değiştiremez.", + "not-accepted-yet": "Davet henüz kabul edilmemiş", + "notify-participate": "Oluşturduğunuz veya üye olduğunuz tüm kartlar hakkında bildirim al", + "notify-watch": "Takip ettiğiniz tüm pano, liste ve kartlar hakkında bildirim al", + "optional": "isteğe bağlı", + "or": "veya", + "page-maybe-private": "Bu sayfa gizli olabilir. Oturum açarak görmeyi deneyin.", + "page-not-found": "Sayda bulunamadı.", + "password": "Parola", + "paste-or-dragdrop": "Dosya eklemek için yapıştırabilir, veya (eğer resimse) sürükle bırak yapabilirsiniz", + "participating": "Katılımcılar", + "preview": "Önizleme", + "previewAttachedImagePopup-title": "Önizleme", + "previewClipboardImagePopup-title": "Önizleme", + "private": "Gizli", + "private-desc": "Bu pano gizli. Sadece panoya ekli kişiler görüntüleyebilir ve düzenleyebilir.", + "profile": "Kullanıcı Sayfası", + "public": "Genel", + "public-desc": "Bu pano genel. Bağlantı adresi ile herhangi bir kimseye görünür ve Google gibi arama motorlarında gösterilecektir. Panoyu, sadece eklenen kişiler düzenleyebilir.", + "quick-access-description": "Bu bara kısayol olarak bir pano eklemek için panoyu yıldızlamalısınız", + "remove-cover": "Kapak Resmini Kaldır", + "remove-from-board": "Panodan Kaldır", + "remove-label": "Etiketi Kaldır", + "listDeletePopup-title": "Liste silinsin mi?", + "remove-member": "Üyeyi Çıkar", + "remove-member-from-card": "Karttan Çıkar", + "remove-member-pop": "__boardTitle__ panosundan __name__ (__username__) çıkarılsın mı? Üye, bu panodaki tüm kartlardan çıkarılacak. Panodan çıkarıldığı üyeye bildirilecektir.", + "removeMemberPopup-title": "Üye çıkarılsın mı?", + "rename": "Yeniden adlandır", + "rename-board": "Panonun Adını Değiştir", + "restore": "Geri Getir", + "save": "Kaydet", + "search": "Arama", + "search-cards": "Bu tahta da ki kart başlıkları ve açıklamalarında arama yap", + "search-example": "Aranılacak metin?", + "select-color": "Renk Seç", + "set-wip-limit-value": "Bu listedeki en fazla öğe sayısı için bir sınır belirleyin", + "setWipLimitPopup-title": "Devam Eden İş Sınırı Belirle", + "shortcut-assign-self": "Kendini karta ata", + "shortcut-autocomplete-emoji": "Emojileri otomatik tamamla", + "shortcut-autocomplete-members": "Üye isimlerini otomatik tamamla", + "shortcut-clear-filters": "Tüm filtreleri temizle", + "shortcut-close-dialog": "Diyaloğu kapat", + "shortcut-filter-my-cards": "Kartlarımı filtrele", + "shortcut-show-shortcuts": "Kısayollar listesini getir", + "shortcut-toggle-filterbar": "Filtre kenar çubuğunu aç/kapa", + "shortcut-toggle-sidebar": "Pano kenar çubuğunu aç/kapa", + "show-cards-minimum-count": "Eğer listede şu sayıdan fazla öğe varsa kart sayısını göster: ", + "sidebar-open": "Kenar Çubuğunu Aç", + "sidebar-close": "Kenar Çubuğunu Kapat", + "signupPopup-title": "Bir Hesap Oluştur", + "star-board-title": "Bu panoyu yıldızlamak için tıkla. Yıldızlı panolar pano listesinin en üstünde gösterilir.", + "starred-boards": "Yıldızlı Panolar", + "starred-boards-description": "Yıldızlanmış panolar, pano listesinin en üstünde gösterilir.", + "subscribe": "Abone ol", + "team": "Takım", + "this-board": "bu panoyu", + "this-card": "bu kart", + "spent-time-hours": "Harcanan zaman (saat)", + "overtime-hours": "Aşılan süre (saat)", + "overtime": "Aşılan süre", + "has-overtime-cards": "Süresi aşılmış kartlar", + "has-spenttime-cards": "Zaman geçirilmiş kartlar", + "time": "Zaman", + "title": "Başlık", + "tracking": "Takip", + "tracking-info": "Oluşturduğunuz veya üyesi olduğunuz tüm kartlardaki değişiklikler size bildirim olarak gelecek.", + "type": "Tür", + "unassign-member": "Üyeye atamayı kaldır", + "unsaved-description": "Kaydedilmemiş bir açıklama metnin bulunmakta", + "unwatch": "Takibi bırak", + "upload": "Yükle", + "upload-avatar": "Avatar yükle", + "uploaded-avatar": "Avatar yüklendi", + "username": "Kullanıcı adı", + "view-it": "Görüntüle", + "warn-list-archived": "uyarı: bu kart Dönüşüm Kutusundaki bir listede var", + "watch": "Takip Et", + "watching": "Takip Ediliyor", + "watching-info": "Bu pano hakkındaki tüm değişiklikler hakkında bildirim alacaksınız", + "welcome-board": "Hoş Geldiniz Panosu", + "welcome-swimlane": "Kilometre taşı", + "welcome-list1": "Temel", + "welcome-list2": "Gelişmiş", + "what-to-do": "Ne yapmak istiyorsunuz?", + "wipLimitErrorPopup-title": "Geçersiz Devam Eden İş Sınırı", + "wipLimitErrorPopup-dialog-pt1": "Bu listedeki iş sayısı belirlediğiniz sınırdan daha fazla.", + "wipLimitErrorPopup-dialog-pt2": "Lütfen bazı işleri bu listeden başka listeye taşıyın ya da devam eden iş sınırını yükseltin.", + "admin-panel": "Yönetici Paneli", + "settings": "Ayarlar", + "people": "Kullanıcılar", + "registration": "Kayıt", + "disable-self-registration": "Ziyaretçilere kaydı kapa", + "invite": "Davet", + "invite-people": "Kullanıcı davet et", + "to-boards": "Şu pano(lar)a", + "email-addresses": "E-posta adresleri", + "smtp-host-description": "E-posta gönderimi yapan SMTP sunucu adresi", + "smtp-port-description": "E-posta gönderimi yapan SMTP sunucu portu", + "smtp-tls-description": "SMTP mail sunucusu için TLS kriptolama desteği açılsın", + "smtp-host": "SMTP sunucu adresi", + "smtp-port": "SMTP portu", + "smtp-username": "Kullanıcı adı", + "smtp-password": "Parola", + "smtp-tls": "TLS desteği", + "send-from": "Gönderen", + "send-smtp-test": "Kendinize deneme E-Postası gönderin", + "invitation-code": "Davetiye kodu", + "email-invite-register-subject": "__inviter__ size bir davetiye gönderdi", + "email-invite-register-text": "Sevgili __user__,\n\n__inviter__ sizi beraber çalışabilmek için Wekan'a davet etti.\n\nLütfen aşağıdaki linke tıklayın:\n__url__\n\nDavetiye kodunuz: __icode__\n\nTeşekkürler.", + "email-smtp-test-subject": "Wekan' dan SMTP E-Postası", + "email-smtp-test-text": "E-Posta başarıyla gönderildi", + "error-invitation-code-not-exist": "Davetiye kodu bulunamadı", + "error-notAuthorized": "Bu sayfayı görmek için yetkiniz yok.", + "outgoing-webhooks": "Dışarı giden bağlantılar", + "outgoingWebhooksPopup-title": "Dışarı giden bağlantılar", + "new-outgoing-webhook": "Yeni Dışarı Giden Web Bağlantısı", + "no-name": "(Bilinmeyen)", + "Wekan_version": "Wekan sürümü", + "Node_version": "Node sürümü", + "OS_Arch": "İşletim Sistemi Mimarisi", + "OS_Cpus": "İşletim Sistemi İşlemci Sayısı", + "OS_Freemem": "İşletim Sistemi Kullanılmayan Bellek", + "OS_Loadavg": "İşletim Sistemi Ortalama Yük", + "OS_Platform": "İşletim Sistemi Platformu", + "OS_Release": "İşletim Sistemi Sürümü", + "OS_Totalmem": "İşletim Sistemi Toplam Belleği", + "OS_Type": "İşletim Sistemi Tipi", + "OS_Uptime": "İşletim Sistemi Toplam Açık Kalınan Süre", + "hours": "saat", + "minutes": "dakika", + "seconds": "saniye", + "show-field-on-card": "Bu alanı kartta göster", + "yes": "Evet", + "no": "Hayır", + "accounts": "Hesaplar", + "accounts-allowEmailChange": "E-posta Değiştirmeye İzin Ver", + "accounts-allowUserNameChange": "Kullanıcı adı değiştirmeye izin ver", + "createdAt": "Oluşturulma tarihi", + "verified": "Doğrulanmış", + "active": "Aktif", + "card-received": "Giriş", + "card-received-on": "Giriş zamanı", + "card-end": "Bitiş", + "card-end-on": "Bitiş zamanı", + "editCardReceivedDatePopup-title": "Giriş tarihini değiştir", + "editCardEndDatePopup-title": "Bitiş tarihini değiştir", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json new file mode 100644 index 00000000..b0c88c4a --- /dev/null +++ b/i18n/uk.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Прийняти", + "act-activity-notify": "[Wekan] Сповіщення Діяльності", + "act-addAttachment": "__attachment__ додане до __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "комментар в __card__: __comment__", + "act-createBoard": "__board__ створенна", + "act-createCard": "__card__ карта додана до __list__ листа", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "__card__ заімпортована", + "act-importList": "imported __list__", + "act-joinMember": "__member__ був доданий до __card__", + "act-moveCard": " __card__ була перенесена з __oldList__ до __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": " __card__ відновлена у __board__", + "act-unjoinMember": " __member__ був виделений з __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Дії", + "activities": "Діяльність", + "activity": "Активність", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Додати", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Додати елемент в список", + "add-cover": "Додати обкладинку", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Додати користувача", + "added": "Доданно", + "addMemberPopup-title": "Користувачі", + "admin": "Адмін", + "admin-desc": "Може переглядати і редагувати картки, відаляти учасників та змінювати налаштування для дошки.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "Всі дошки", + "and-n-other-card": "та __count__ інших карток", + "and-n-other-card_plural": "та __count__ інших карток", + "apply": "Прийняти", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "доданно", + "attachment": "Додаток", + "attachment-delete-pop": "Видалення Додатку безповоротне. Тут нема відміні (undo).", + "attachmentDeletePopup-title": "Видалити Додаток?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Назад", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Дошки", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Відміна", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Користувачі", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Користувачі", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json new file mode 100644 index 00000000..ba609c92 --- /dev/null +++ b/i18n/vi.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Chấp nhận", + "act-activity-notify": "[Wekan] Thông Báo Hoạt Động", + "act-addAttachment": "đã đính kèm __attachment__ vào __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "đã bình luận trong __card__: __comment__", + "act-createBoard": "đã tạo __board__", + "act-createCard": "đã thêm __card__ vào __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "đã thêm __list__ vào __board__", + "act-addBoardMember": "đã thêm __member__ vào __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "đã nạp bảng __board__", + "act-importCard": "đã nạp thẻ __card__", + "act-importList": "đã nạp danh sách __list__", + "act-joinMember": "đã thêm thành viên __member__ vào __card__", + "act-moveCard": "đã chuyển thẻ __card__ từ __oldList__ sang __list__", + "act-removeBoardMember": "đã xóa thành viên __member__ khỏi __board__", + "act-restoredCard": "đã khôi phục thẻ __card__ vào bảng __board__", + "act-unjoinMember": "đã xóa thành viên __member__ khỏi thẻ __card__", + "act-withBoardTitle": "[Wekan] Bảng __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Hành Động", + "activities": "Hoạt Động", + "activity": "Hoạt Động", + "activity-added": "đã thêm %s vào %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "đã đính kèm %s vào %s", + "activity-created": "đã tạo %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "đã loại bỏ %s khỏi %s", + "activity-imported": "đã nạp %s vào %s từ %s", + "activity-imported-board": "đã nạp %s từ %s", + "activity-joined": "đã tham gia %s", + "activity-moved": "đã di chuyển %s từ %s đến %s", + "activity-on": "trên %s", + "activity-removed": "đã xóa %s từ %s", + "activity-sent": "gửi %s đến %s", + "activity-unjoined": "đã rời khỏi %s", + "activity-checklist-added": "đã thêm checklist vào %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Thêm", + "add-attachment": "Thêm Bản Đính Kèm", + "add-board": "Thêm Bảng", + "add-card": "Thêm Thẻ", + "add-swimlane": "Add Swimlane", + "add-checklist": "Thêm Danh Sách Kiểm Tra", + "add-checklist-item": "Thêm Một Mục Vào Danh Sách Kiểm Tra", + "add-cover": "Thêm Bìa", + "add-label": "Thêm Nhãn", + "add-list": "Thêm Danh Sách", + "add-members": "Thêm Thành Viên", + "added": "Đã Thêm", + "addMemberPopup-title": "Thành Viên", + "admin": "Quản Trị Viên", + "admin-desc": "Có thể xem và chỉnh sửa những thẻ, xóa thành viên và thay đổi cài đặt cho bảng.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "Tất cả các bảng", + "and-n-other-card": "Và __count__ thẻ khác", + "and-n-other-card_plural": "Và __count__ thẻ khác", + "apply": "Ứng Dụng", + "app-is-offline": "Wekan đang tải, vui lòng đợi. Tải lại trang có thể làm mất dữ liệu. Nếu Wekan không thể tải được, Vui lòng kiểm tra lại Wekan server.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Khôi Phục Bảng", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Chỉ định thành viên", + "attached": "đã đính kèm", + "attachment": "Phần đính kèm", + "attachment-delete-pop": "Xóa tệp đính kèm là vĩnh viễn. Không có khôi phục.", + "attachmentDeletePopup-title": "Xóa tệp đính kèm không?", + "attachments": "Tệp Đính Kèm", + "auto-watch": "Tự động xem bảng lúc được tạo ra", + "avatar-too-big": "Hình đại diện quá to (70KB tối đa)", + "back": "Trở Lại", + "board-change-color": "Đổi màu", + "board-nb-stars": "%s sao", + "board-not-found": "Không tìm được bảng", + "board-private-info": "Bảng này sẽ chuyển sang chế độ private.", + "board-public-info": "Bảng này sẽ chuyển sang chế độ public.", + "boardChangeColorPopup-title": "Thay hình nền của bảng", + "boardChangeTitlePopup-title": "Đổi tên bảng", + "boardChangeVisibilityPopup-title": "Đổi cách hiển thị", + "boardChangeWatchPopup-title": "Đổi cách xem", + "boardMenuPopup-title": "Board Menu", + "boards": "Bảng", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Hủy", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "Thẻ này có %s bình luận.", + "card-delete-notice": "Hành động xóa là không thể khôi phục. Bạn sẽ mất hết các hoạt động liên quan đến thẻ này.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Thành Viên", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Thành Viên", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Đổi tên bảng", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json new file mode 100644 index 00000000..ad821bef --- /dev/null +++ b/i18n/zh-CN.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "接受", + "act-activity-notify": "[Wekan] 活动通知", + "act-addAttachment": "添加附件 __attachment__ 至卡片 __card__", + "act-addChecklist": "添加清单 __checklist__ 到 __card__", + "act-addChecklistItem": "向 __card__ 中的清单 __checklist__ 添加 __checklistItem__", + "act-addComment": "在 __card__ 发布评论: __comment__", + "act-createBoard": "创建看板 __board__", + "act-createCard": "添加卡片 __card__ 至列表 __list__", + "act-createCustomField": "创建了自定义字段 __customField__", + "act-createList": "添加列表 __list__ 至看板 __board__", + "act-addBoardMember": "添加成员 __member__ 至看板 __board__", + "act-archivedBoard": "__board__ 已被移入回收站 ", + "act-archivedCard": "__card__ 已被移入回收站", + "act-archivedList": "__list__ 已被移入回收站", + "act-archivedSwimlane": "__swimlane__ 已被移入回收站", + "act-importBoard": "导入看板 __board__", + "act-importCard": "导入卡片 __card__", + "act-importList": "导入列表 __list__", + "act-joinMember": "添加成员 __member__ 至卡片 __card__", + "act-moveCard": "从列表 __oldList__ 移动卡片 __card__ 至列表 __list__", + "act-removeBoardMember": "从看板 __board__ 移除成员 __member__", + "act-restoredCard": "恢复卡片 __card__ 至看板 __board__", + "act-unjoinMember": "从卡片 __card__ 移除成员 __member__", + "act-withBoardTitle": "[Wekan] 看板 __board__", + "act-withCardTitle": "[看板 __board__] 卡片 __card__", + "actions": "操作", + "activities": "活动", + "activity": "活动", + "activity-added": "添加 %s 至 %s", + "activity-archived": "%s 已被移入回收站", + "activity-attached": "添加附件 %s 至 %s", + "activity-created": "创建 %s", + "activity-customfield-created": "创建了自定义字段 %s", + "activity-excluded": "排除 %s 从 %s", + "activity-imported": "导入 %s 至 %s 从 %s 中", + "activity-imported-board": "已导入 %s 从 %s 中", + "activity-joined": "已关联 %s", + "activity-moved": "将 %s 从 %s 移动到 %s", + "activity-on": "在 %s", + "activity-removed": "从 %s 中移除 %s", + "activity-sent": "发送 %s 至 %s", + "activity-unjoined": "已解除 %s 关联", + "activity-checklist-added": "已经将清单添加到 %s", + "activity-checklist-item-added": "添加清单项至'%s' 于 %s", + "add": "添加", + "add-attachment": "添加附件", + "add-board": "添加看板", + "add-card": "添加卡片", + "add-swimlane": "添加泳道图", + "add-checklist": "添加待办清单", + "add-checklist-item": "扩充清单", + "add-cover": "添加封面", + "add-label": "添加标签", + "add-list": "添加列表", + "add-members": "添加成员", + "added": "添加", + "addMemberPopup-title": "成员", + "admin": "管理员", + "admin-desc": "可以浏览并编辑卡片,移除成员,并且更改该看板的设置", + "admin-announcement": "通知", + "admin-announcement-active": "激活系统通知", + "admin-announcement-title": "管理员的通知", + "all-boards": "全部看板", + "and-n-other-card": "和其他 __count__ 个卡片", + "and-n-other-card_plural": "和其他 __count__ 个卡片", + "apply": "应用", + "app-is-offline": "Wekan 正在加载,请稍等。刷新页面将导致数据丢失。如果 Wekan 无法加载,请检查 Wekan 服务器是否已经停止。", + "archive": "移入回收站", + "archive-all": "全部移入回收站", + "archive-board": "移动看板到回收站", + "archive-card": "移动卡片到回收站", + "archive-list": "移动列表到回收站", + "archive-swimlane": "移动泳道到回收站", + "archive-selection": "移动选择内容到回收站", + "archiveBoardPopup-title": "移动看板到回收站?", + "archived-items": "回收站", + "archived-boards": "回收站中的看板", + "restore-board": "还原看板", + "no-archived-boards": "回收站中无看板", + "archives": "回收站", + "assign-member": "分配成员", + "attached": "附加", + "attachment": "附件", + "attachment-delete-pop": "删除附件的操作不可逆。", + "attachmentDeletePopup-title": "删除附件?", + "attachments": "附件", + "auto-watch": "自动关注新建的看板", + "avatar-too-big": "头像过大 (上限 70 KB)", + "back": "返回", + "board-change-color": "更改颜色", + "board-nb-stars": "%s 星标", + "board-not-found": "看板不存在", + "board-private-info": "该看板将被设为 私有.", + "board-public-info": "该看板将被设为 公开.", + "boardChangeColorPopup-title": "修改看板背景", + "boardChangeTitlePopup-title": "重命名看板", + "boardChangeVisibilityPopup-title": "更改可视级别", + "boardChangeWatchPopup-title": "更改关注状态", + "boardMenuPopup-title": "看板菜单", + "boards": "看板", + "board-view": "看板视图", + "board-view-swimlanes": "泳道图", + "board-view-lists": "列表", + "bucket-example": "例如 “目标清单”", + "cancel": "取消", + "card-archived": "此卡片已经被移入回收站。", + "card-comments-title": "该卡片有 %s 条评论", + "card-delete-notice": "彻底删除的操作不可恢复,你将会丢失该卡片相关的所有操作记录。", + "card-delete-pop": "所有的活动将从活动摘要中被移除且您将无法重新打开该卡片。此操作无法撤销。", + "card-delete-suggest-archive": "将卡片移入回收站可以从看板中删除卡片,相关活动记录将被保留。", + "card-due": "到期", + "card-due-on": "期限", + "card-spent": "耗时", + "card-edit-attachments": "编辑附件", + "card-edit-custom-fields": "编辑自定义字段", + "card-edit-labels": "编辑标签", + "card-edit-members": "编辑成员", + "card-labels-title": "更改该卡片上的标签", + "card-members-title": "在该卡片中添加或移除看板成员", + "card-start": "开始", + "card-start-on": "始于", + "cardAttachmentsPopup-title": "附件来源", + "cardCustomField-datePopup-title": "修改日期", + "cardCustomFieldsPopup-title": "编辑自定义字段", + "cardDeletePopup-title": "彻底删除卡片?", + "cardDetailsActionsPopup-title": "卡片操作", + "cardLabelsPopup-title": "标签", + "cardMembersPopup-title": "成员", + "cardMorePopup-title": "更多", + "cards": "卡片", + "cards-count": "卡片", + "change": "变更", + "change-avatar": "更改头像", + "change-password": "更改密码", + "change-permissions": "更改权限", + "change-settings": "更改设置", + "changeAvatarPopup-title": "更改头像", + "changeLanguagePopup-title": "更改语言", + "changePasswordPopup-title": "更改密码", + "changePermissionsPopup-title": "更改权限", + "changeSettingsPopup-title": "更改设置", + "checklists": "清单", + "click-to-star": "点此来标记该看板", + "click-to-unstar": "点此来去除该看板的标记", + "clipboard": "剪贴板或者拖放文件", + "close": "关闭", + "close-board": "关闭看板", + "close-board-pop": "在主页中点击顶部的“回收站”按钮可以恢复看板。", + "color-black": "黑色", + "color-blue": "蓝色", + "color-green": "绿色", + "color-lime": "绿黄", + "color-orange": "橙色", + "color-pink": "粉红", + "color-purple": "紫色", + "color-red": "红色", + "color-sky": "天蓝", + "color-yellow": "黄色", + "comment": "评论", + "comment-placeholder": "添加评论", + "comment-only": "仅能评论", + "comment-only-desc": "只能在卡片上评论。", + "computer": "从本机上传", + "confirm-checklist-delete-dialog": "确认要删除清单吗", + "copy-card-link-to-clipboard": "复制卡片链接到剪贴板", + "copyCardPopup-title": "复制卡片", + "copyChecklistToManyCardsPopup-title": "复制清单模板至多个卡片", + "copyChecklistToManyCardsPopup-instructions": "以JSON格式表示目标卡片的标题和描述", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"第一个卡片的标题\", \"description\":\"第一个卡片的描述\"}, {\"title\":\"第二个卡片的标题\",\"description\":\"第二个卡片的描述\"},{\"title\":\"最后一个卡片的标题\",\"description\":\"最后一个卡片的描述\"} ]", + "create": "创建", + "createBoardPopup-title": "创建看板", + "chooseBoardSourcePopup-title": "导入看板", + "createLabelPopup-title": "创建标签", + "createCustomField": "创建字段", + "createCustomFieldPopup-title": "创建字段", + "current": "当前", + "custom-field-delete-pop": "没有撤销,此动作将从所有卡片中移除自定义字段并销毁历史。", + "custom-field-checkbox": "选择框", + "custom-field-date": "日期", + "custom-field-dropdown": "下拉列表", + "custom-field-dropdown-none": "(无)", + "custom-field-dropdown-options": "列表选项", + "custom-field-dropdown-options-placeholder": "回车可以加入更多选项", + "custom-field-dropdown-unknown": "(未知)", + "custom-field-number": "数字", + "custom-field-text": "文本", + "custom-fields": "自定义字段", + "date": "日期", + "decline": "拒绝", + "default-avatar": "默认头像", + "delete": "删除", + "deleteCustomFieldPopup-title": "删除自定义字段?", + "deleteLabelPopup-title": "删除标签?", + "description": "描述", + "disambiguateMultiLabelPopup-title": "标签消歧 [?]", + "disambiguateMultiMemberPopup-title": "成员消歧 [?]", + "discard": "放弃", + "done": "完成", + "download": "下载", + "edit": "编辑", + "edit-avatar": "更改头像", + "edit-profile": "编辑资料", + "edit-wip-limit": "编辑最大任务数", + "soft-wip-limit": "软在制品限制", + "editCardStartDatePopup-title": "修改起始日期", + "editCardDueDatePopup-title": "修改截止日期", + "editCustomFieldPopup-title": "编辑字段", + "editCardSpentTimePopup-title": "修改耗时", + "editLabelPopup-title": "更改标签", + "editNotificationPopup-title": "编辑通知", + "editProfilePopup-title": "编辑资料", + "email": "邮箱", + "email-enrollAccount-subject": "已为您在 __siteName__ 创建帐号", + "email-enrollAccount-text": "尊敬的 __user__,\n\n点击下面的链接,即刻开始使用这项服务。\n\n__url__\n\n谢谢。", + "email-fail": "邮件发送失败", + "email-fail-text": "尝试发送邮件时出错", + "email-invalid": "邮件地址错误", + "email-invite": "发送邮件邀请", + "email-invite-subject": "__inviter__ 向您发出邀请", + "email-invite-text": "尊敬的 __user__,\n\n__inviter__ 邀请您加入看板 \"__board__\" 参与协作。\n\n请点击下面的链接访问看板:\n\n__url__\n\n谢谢。", + "email-resetPassword-subject": "重置您的 __siteName__ 密码", + "email-resetPassword-text": "尊敬的 __user__,\n\n点击下面的链接,重置您的密码:\n\n__url__\n\n谢谢。", + "email-sent": "邮件已发送", + "email-verifyEmail-subject": "在 __siteName__ 验证您的邮件地址", + "email-verifyEmail-text": "尊敬的 __user__,\n\n点击下面的链接,验证您的邮件地址:\n\n__url__\n\n谢谢。", + "enable-wip-limit": "启用最大任务数限制", + "error-board-doesNotExist": "该看板不存在", + "error-board-notAdmin": "需要成为管理员才能执行此操作", + "error-board-notAMember": "需要成为看板成员才能执行此操作", + "error-json-malformed": "文本不是合法的 JSON", + "error-json-schema": "JSON 数据没有用正确的格式包含合适的信息", + "error-list-doesNotExist": "不存在此列表", + "error-user-doesNotExist": "该用户不存在", + "error-user-notAllowSelf": "无法邀请自己", + "error-user-notCreated": "该用户未能成功创建", + "error-username-taken": "此用户名已存在", + "error-email-taken": "此EMail已存在", + "export-board": "导出看板", + "filter": "过滤", + "filter-cards": "过滤卡片", + "filter-clear": "清空过滤器", + "filter-no-label": "无标签", + "filter-no-member": "无成员", + "filter-no-custom-fields": "无自定义字段", + "filter-on": "过滤器启用", + "filter-on-desc": "你正在过滤该看板上的卡片,点此编辑过滤。", + "filter-to-selection": "要选择的过滤器", + "advanced-filter-label": "高级过滤器", + "advanced-filter-description": "高级过滤器可以使用包含如下操作符的字符串进行过滤:== != <= >= && || ( ) 。操作符之间用空格隔开。输入字段名和数值就可以过滤所有自定义字段。例如:Field1 == Value1. 注意如果字段名或数值包含空格,需要用单引号。例如: 'Field 1' == 'Value 1'。支持组合使用多个条件,例如: F1 == V1 || F1 = V2。通常以从左到右的顺序进行判断。可以通过括号修改顺序,例如:F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "全称", + "header-logo-title": "返回您的看板页", + "hide-system-messages": "隐藏系统消息", + "headerBarCreateBoardPopup-title": "创建看板", + "home": "首页", + "import": "导入", + "import-board": "导入看板", + "import-board-c": "导入看板", + "import-board-title-trello": "从Trello导入看板", + "import-board-title-wekan": "从Wekan 导入看板", + "import-sandstorm-warning": "导入的面板将删除所有已存在于面板上的数据并替换他们为导入的面板。 ", + "from-trello": "自 Trello", + "from-wekan": "自 Wekan", + "import-board-instruction-trello": "在你的Trello看板中,点击“菜单”,然后选择“更多”,“打印与导出”,“导出为 JSON” 并拷贝结果文本", + "import-board-instruction-wekan": "在你的Wekan面板中点'菜单',然后点‘导出面板’并在已下载的文档复制文本。", + "import-json-placeholder": "粘贴您有效的 JSON 数据至此", + "import-map-members": "映射成员", + "import-members-map": "您导入的看板有一些成员。请将您想导入的成员映射到 Wekan 用户。", + "import-show-user-mapping": "核对成员映射", + "import-user-select": "选择您想将此成员映射到的 Wekan 用户", + "importMapMembersAddPopup-title": "选择Wekan成员", + "info": "版本", + "initials": "缩写", + "invalid-date": "无效日期", + "invalid-time": "非法时间", + "invalid-user": "非法用户", + "joined": "关联", + "just-invited": "您刚刚被邀请加入此看板", + "keyboard-shortcuts": "键盘快捷键", + "label-create": "创建标签", + "label-default": "%s 标签 (默认)", + "label-delete-pop": "此操作不可逆,这将会删除该标签并清除它的历史记录。", + "labels": "标签", + "language": "语言", + "last-admin-desc": "你不能更改角色,因为至少需要一名管理员。", + "leave-board": "离开看板", + "leave-board-pop": "确认要离开 __boardTitle__ 吗?此看板的所有卡片都会将您移除。", + "leaveBoardPopup-title": "离开看板?", + "link-card": "关联至该卡片", + "list-archive-cards": "移动此列表中的所有卡片到回收站", + "list-archive-cards-pop": "此操作会从看板中删除所有此列表包含的卡片。要查看回收站中的卡片并恢复到看板,请点击“菜单” > “回收站”。", + "list-move-cards": "移动列表中的所有卡片", + "list-select-cards": "选择列表中的所有卡片", + "listActionPopup-title": "列表操作", + "swimlaneActionPopup-title": "泳道图操作", + "listImportCardPopup-title": "导入 Trello 卡片", + "listMorePopup-title": "更多", + "link-list": "关联到这个列表", + "list-delete-pop": "所有活动将被从活动动态中删除并且你无法恢复他们,此操作无法撤销。 ", + "list-delete-suggest-archive": "可以将列表移入回收站,看板中将删除列表,但是相关活动记录会被保留。", + "lists": "列表", + "swimlanes": "泳道图", + "log-out": "登出", + "log-in": "登录", + "loginPopup-title": "登录", + "memberMenuPopup-title": "成员设置", + "members": "成员", + "menu": "菜单", + "move-selection": "移动选择", + "moveCardPopup-title": "移动卡片", + "moveCardToBottom-title": "移动至底端", + "moveCardToTop-title": "移动至顶端", + "moveSelectionPopup-title": "移动选择", + "multi-selection": "多选", + "multi-selection-on": "多选启用", + "muted": "静默", + "muted-info": "你将不会收到此看板的任何变更通知", + "my-boards": "我的看板", + "name": "名称", + "no-archived-cards": "回收站中无卡片。", + "no-archived-lists": "回收站中无列表。", + "no-archived-swimlanes": "回收站中无泳道。", + "no-results": "无结果", + "normal": "普通", + "normal-desc": "可以创建以及编辑卡片,无法更改设置。", + "not-accepted-yet": "邀请尚未接受", + "notify-participate": "接收以创建者或成员身份参与的卡片的更新", + "notify-watch": "接收所有关注的面板、列表、及卡片的更新", + "optional": "可选", + "or": "或", + "page-maybe-private": "本页面被设为私有. 您必须 登录以浏览其中内容。", + "page-not-found": "页面不存在。", + "password": "密码", + "paste-or-dragdrop": "从剪贴板粘贴,或者拖放文件到它上面 (仅限于图片)", + "participating": "参与", + "preview": "预览", + "previewAttachedImagePopup-title": "预览", + "previewClipboardImagePopup-title": "预览", + "private": "私有", + "private-desc": "该看板将被设为私有。只有该看板成员才可以进行查看和编辑。", + "profile": "资料", + "public": "公开", + "public-desc": "该看板将被公开。任何人均可通过链接查看,并且将对Google和其他搜索引擎开放。只有添加至该看板的成员才可进行编辑。", + "quick-access-description": "星标看板在导航条中添加快捷方式", + "remove-cover": "移除封面", + "remove-from-board": "从看板中删除", + "remove-label": "移除标签", + "listDeletePopup-title": "删除列表", + "remove-member": "移除成员", + "remove-member-from-card": "从该卡片中移除", + "remove-member-pop": "确定从 __boardTitle__ 中移除 __name__ (__username__) 吗? 该成员将被从该看板的所有卡片中移除,同时他会收到一条提醒。", + "removeMemberPopup-title": "删除成员?", + "rename": "重命名", + "rename-board": "重命名看板", + "restore": "还原", + "save": "保存", + "search": "搜索", + "search-cards": "搜索当前看板上的卡片标题和描述", + "search-example": "搜索", + "select-color": "选择颜色", + "set-wip-limit-value": "设置此列表中的最大任务数", + "setWipLimitPopup-title": "设置最大任务数", + "shortcut-assign-self": "分配当前卡片给自己", + "shortcut-autocomplete-emoji": "表情符号自动补全", + "shortcut-autocomplete-members": "自动补全成员", + "shortcut-clear-filters": "清空全部过滤器", + "shortcut-close-dialog": "关闭对话框", + "shortcut-filter-my-cards": "过滤我的卡片", + "shortcut-show-shortcuts": "显示此快捷键列表", + "shortcut-toggle-filterbar": "切换过滤器边栏", + "shortcut-toggle-sidebar": "切换面板边栏", + "show-cards-minimum-count": "当列表中的卡片多于此阈值时将显示数量", + "sidebar-open": "打开侧栏", + "sidebar-close": "打开侧栏", + "signupPopup-title": "创建账户", + "star-board-title": "点此来标记该看板,它将会出现在您的看板列表顶部。", + "starred-boards": "已标记看板", + "starred-boards-description": "已标记看板将会出现在您的看板列表顶部。", + "subscribe": "订阅", + "team": "团队", + "this-board": "该看板", + "this-card": "该卡片", + "spent-time-hours": "耗时 (小时)", + "overtime-hours": "超时 (小时)", + "overtime": "超时", + "has-overtime-cards": "有超时卡片", + "has-spenttime-cards": "耗时卡", + "time": "时间", + "title": "标题", + "tracking": "跟踪", + "tracking-info": "当任何包含您(作为创建者或成员)的卡片发生变更时,您将得到通知。", + "type": "类型", + "unassign-member": "取消分配成员", + "unsaved-description": "存在未保存的描述", + "unwatch": "取消关注", + "upload": "上传", + "upload-avatar": "上传头像", + "uploaded-avatar": "头像已经上传", + "username": "用户名", + "view-it": "查看", + "warn-list-archived": "警告:此卡片属于回收站中的一个列表", + "watch": "关注", + "watching": "关注", + "watching-info": "当此看板发生变更时会通知你", + "welcome-board": "“欢迎”看板", + "welcome-swimlane": "里程碑 1", + "welcome-list1": "基本", + "welcome-list2": "高阶", + "what-to-do": "要做什么?", + "wipLimitErrorPopup-title": "无效的最大任务数", + "wipLimitErrorPopup-dialog-pt1": "此列表中的任务数量已经超过了设置的最大任务数。", + "wipLimitErrorPopup-dialog-pt2": "请将一些任务移出此列表,或者设置一个更大的最大任务数。", + "admin-panel": "管理面板", + "settings": "设置", + "people": "人员", + "registration": "注册", + "disable-self-registration": "禁止自助注册", + "invite": "邀请", + "invite-people": "邀请人员", + "to-boards": "邀请到看板 (可多选)", + "email-addresses": "电子邮箱地址", + "smtp-host-description": "用于发送邮件的SMTP服务器地址。", + "smtp-port-description": "SMTP服务器端口。", + "smtp-tls-description": "对SMTP服务器启用TLS支持", + "smtp-host": "SMTP服务器", + "smtp-port": "SMTP端口", + "smtp-username": "用户名", + "smtp-password": "密码", + "smtp-tls": "TLS支持", + "send-from": "发件人", + "send-smtp-test": "给自己发送一封测试邮件", + "invitation-code": "邀请码", + "email-invite-register-subject": "__inviter__ 向您发出邀请", + "email-invite-register-text": "亲爱的 __user__,\n\n__inviter__ 邀请您加入 Wekan 进行协作。\n\n请访问下面的链接︰\n__url__\n\n您的的邀请码是︰\n__icode__\n\n非常感谢。", + "email-smtp-test-subject": "从Wekan发送SMTP测试邮件", + "email-smtp-test-text": "你已成功发送邮件", + "error-invitation-code-not-exist": "邀请码不存在", + "error-notAuthorized": "您无权查看此页面。", + "outgoing-webhooks": "外部Web挂钩", + "outgoingWebhooksPopup-title": "外部Web挂钩", + "new-outgoing-webhook": "新建外部Web挂钩", + "no-name": "(未知)", + "Wekan_version": "Wekan版本", + "Node_version": "Node.js版本", + "OS_Arch": "系统架构", + "OS_Cpus": "系统 CPU数量", + "OS_Freemem": "系统可用内存", + "OS_Loadavg": "系统负载均衡", + "OS_Platform": "系统平台", + "OS_Release": "系统发布版本", + "OS_Totalmem": "系统全部内存", + "OS_Type": "系统类型", + "OS_Uptime": "系统运行时间", + "hours": "小时", + "minutes": "分钟", + "seconds": "秒", + "show-field-on-card": "在卡片上显示此字段", + "yes": "是", + "no": "否", + "accounts": "账号", + "accounts-allowEmailChange": "允许邮箱变更", + "accounts-allowUserNameChange": "允许变更用户名", + "createdAt": "创建于", + "verified": "已验证", + "active": "活跃", + "card-received": "已接收", + "card-received-on": "接收于", + "card-end": "终止", + "card-end-on": "终止于", + "editCardReceivedDatePopup-title": "修改接收日期", + "editCardEndDatePopup-title": "修改终止日期", + "assigned-by": "分配人", + "requested-by": "需求人", + "board-delete-notice": "删除时永久操作,将会丢失此看板上的所有列表、卡片和动作。", + "delete-board-confirm-popup": "所有列表、卡片、标签和活动都回被删除,将无法恢复看板内容。不支持撤销。", + "boardDeletePopup-title": "删除看板?", + "delete-board": "删除看板" +} \ No newline at end of file diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json new file mode 100644 index 00000000..8d28bc5f --- /dev/null +++ b/i18n/zh-TW.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "接受", + "act-activity-notify": "[Wekan] 活動通知", + "act-addAttachment": "新增附件__attachment__至__card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "評論__card__: __comment__", + "act-createBoard": "完成新增 __board__", + "act-createCard": "將__card__加入__list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "新增__list__至__board__", + "act-addBoardMember": "在__board__中新增成員__member__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "匯入__board__", + "act-importCard": "匯入__card__", + "act-importList": "匯入__list__", + "act-joinMember": "在__card__中新增成員__member__", + "act-moveCard": "將__card__從__oldList__移動至__list__", + "act-removeBoardMember": "從__board__中移除成員__member__", + "act-restoredCard": "將__card__回復至__board__", + "act-unjoinMember": "從__card__中移除成員__member__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "操作", + "activities": "活動", + "activity": "活動", + "activity-added": "新增 %s 至 %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "新增附件 %s 至 %s", + "activity-created": "建立 %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "排除 %s 從 %s", + "activity-imported": "匯入 %s 至 %s 從 %s 中", + "activity-imported-board": "已匯入 %s 從 %s 中", + "activity-joined": "關聯 %s", + "activity-moved": "將 %s 從 %s 移動到 %s", + "activity-on": "在 %s", + "activity-removed": "移除 %s 從 %s 中", + "activity-sent": "寄送 %s 至 %s", + "activity-unjoined": "解除關聯 %s", + "activity-checklist-added": "新增待辦清單至 %s", + "activity-checklist-item-added": "新增待辦清單項目從 %s 到 %s", + "add": "新增", + "add-attachment": "新增附件", + "add-board": "新增看板", + "add-card": "新增卡片", + "add-swimlane": "Add Swimlane", + "add-checklist": "新增待辦清單", + "add-checklist-item": "新增項目", + "add-cover": "新增封面", + "add-label": "新增標籤", + "add-list": "新增清單", + "add-members": "新增成員", + "added": "新增", + "addMemberPopup-title": "成員", + "admin": "管理員", + "admin-desc": "可以瀏覽並編輯卡片,移除成員,並且更改該看板的設定", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "全部看板", + "and-n-other-card": "和其他 __count__ 個卡片", + "and-n-other-card_plural": "和其他 __count__ 個卡片", + "apply": "送出", + "app-is-offline": "請稍候,資料讀取中,重整頁面可能會導致資料遺失。如果一直讀取,請檢查 Wekan 的伺服器是否正確運行。", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "還原看板", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "分配成員", + "attached": "附加", + "attachment": "附件", + "attachment-delete-pop": "刪除附件的操作無法還原。", + "attachmentDeletePopup-title": "刪除附件?", + "attachments": "附件", + "auto-watch": "新增看板時自動加入觀察", + "avatar-too-big": "頭像檔案太大 (最大 70 KB)", + "back": "返回", + "board-change-color": "更改顏色", + "board-nb-stars": "%s 星號標記", + "board-not-found": "看板不存在", + "board-private-info": "該看板將被設為 私有.", + "board-public-info": "該看板將被設為 公開.", + "boardChangeColorPopup-title": "修改看板背景", + "boardChangeTitlePopup-title": "重新命名看板", + "boardChangeVisibilityPopup-title": "更改可視級別", + "boardChangeWatchPopup-title": "更改觀察", + "boardMenuPopup-title": "看板選單", + "boards": "看板", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "清單", + "bucket-example": "例如 “目標清單”", + "cancel": "取消", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "該卡片有 %s 則評論", + "card-delete-notice": "徹底刪除的操作不可復原,你將會遺失該卡片相關的所有操作記錄。", + "card-delete-pop": "所有的動作將從活動動態中被移除且您將無法重新打開該卡片。此操作無法復原。", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "到期", + "card-due-on": "到期", + "card-spent": "Spent Time", + "card-edit-attachments": "編輯附件", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "編輯標籤", + "card-edit-members": "編輯成員", + "card-labels-title": "更改該卡片上的標籤", + "card-members-title": "在該卡片中新增或移除看板成員", + "card-start": "開始", + "card-start-on": "開始", + "cardAttachmentsPopup-title": "附件來源", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "徹底刪除卡片?", + "cardDetailsActionsPopup-title": "卡片動作", + "cardLabelsPopup-title": "標籤", + "cardMembersPopup-title": "成員", + "cardMorePopup-title": "更多", + "cards": "卡片", + "cards-count": "卡片", + "change": "變更", + "change-avatar": "更改大頭貼", + "change-password": "更改密碼", + "change-permissions": "更改許可權", + "change-settings": "更改設定", + "changeAvatarPopup-title": "更改大頭貼", + "changeLanguagePopup-title": "更改語言", + "changePasswordPopup-title": "更改密碼", + "changePermissionsPopup-title": "更改許可權", + "changeSettingsPopup-title": "更改設定", + "checklists": "待辦清單", + "click-to-star": "點此來標記該看板", + "click-to-unstar": "點此來去除該看板的標記", + "clipboard": "剪貼簿貼上或者拖曳檔案", + "close": "關閉", + "close-board": "關閉看板", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "黑色", + "color-blue": "藍色", + "color-green": "綠色", + "color-lime": "綠黃", + "color-orange": "橙色", + "color-pink": "粉紅", + "color-purple": "紫色", + "color-red": "紅色", + "color-sky": "天藍", + "color-yellow": "黃色", + "comment": "留言", + "comment-placeholder": "新增評論", + "comment-only": "只可以發表評論", + "comment-only-desc": "只可以對卡片發表評論", + "computer": "從本機上傳", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "將卡片連結複製到剪貼板", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "建立", + "createBoardPopup-title": "建立看板", + "chooseBoardSourcePopup-title": "匯入看板", + "createLabelPopup-title": "建立標籤", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "目前", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "日期", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "日期", + "decline": "拒絕", + "default-avatar": "預設大頭貼", + "delete": "刪除", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "刪除標籤?", + "description": "描述", + "disambiguateMultiLabelPopup-title": "清除標籤動作歧義", + "disambiguateMultiMemberPopup-title": "清除成員動作歧義", + "discard": "取消", + "done": "完成", + "download": "下載", + "edit": "編輯", + "edit-avatar": "更改大頭貼", + "edit-profile": "編輯資料", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "更改開始日期", + "editCardDueDatePopup-title": "更改到期日期", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "更改標籤", + "editNotificationPopup-title": "更改通知", + "editProfilePopup-title": "編輯資料", + "email": "電子郵件", + "email-enrollAccount-subject": "您在 __siteName__ 的帳號已經建立", + "email-enrollAccount-text": "親愛的 __user__,\n\n點選下面的連結,即刻開始使用這項服務。\n\n__url__\n\n謝謝。", + "email-fail": "郵件寄送失敗", + "email-fail-text": "Error trying to send email", + "email-invalid": "電子郵件地址錯誤", + "email-invite": "寄送郵件邀請", + "email-invite-subject": "__inviter__ 向您發出邀請", + "email-invite-text": "親愛的 __user__,\n\n__inviter__ 邀請您加入看板 \"__board__\" 參與協作。\n\n請點選下面的連結訪問看板:\n\n__url__\n\n謝謝。", + "email-resetPassword-subject": "重設您在 __siteName__ 的密碼", + "email-resetPassword-text": "親愛的 __user__,\n\n點選下面的連結,重置您的密碼:\n\n__url__\n\n謝謝。", + "email-sent": "郵件已寄送", + "email-verifyEmail-subject": "驗證您在 __siteName__ 的電子郵件", + "email-verifyEmail-text": "親愛的 __user__,\n\n點選下面的連結,驗證您的電子郵件地址:\n\n__url__\n\n謝謝。", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "該看板不存在", + "error-board-notAdmin": "需要成為管理員才能執行此操作", + "error-board-notAMember": "需要成為看板成員才能執行此操作", + "error-json-malformed": "不是有效的 JSON", + "error-json-schema": "JSON 資料沒有用正確的格式包含合適的資訊", + "error-list-doesNotExist": "不存在此列表", + "error-user-doesNotExist": "該使用者不存在", + "error-user-notAllowSelf": "不允許對自己執行此操作", + "error-user-notCreated": "該使用者未能成功建立", + "error-username-taken": "這個使用者名稱已被使用", + "error-email-taken": "電子信箱已被使用", + "export-board": "Export board", + "filter": "過濾", + "filter-cards": "過濾卡片", + "filter-clear": "清空過濾條件", + "filter-no-label": "沒有標籤", + "filter-no-member": "沒有成員", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "過濾條件啟用", + "filter-on-desc": "你正在過濾該看板上的卡片,點此編輯過濾條件。", + "filter-to-selection": "要選擇的過濾條件", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "全稱", + "header-logo-title": "返回您的看板頁面", + "hide-system-messages": "隱藏系統訊息", + "headerBarCreateBoardPopup-title": "建立看板", + "home": "首頁", + "import": "匯入", + "import-board": "匯入看板", + "import-board-c": "匯入看板", + "import-board-title-trello": "匯入在 Trello 的看板", + "import-board-title-wekan": "從 Wekan 匯入看板", + "import-sandstorm-warning": "匯入資料將會移除所有現有的看版資料,並取代成此次匯入的看板資料", + "from-trello": "來自 Trello", + "from-wekan": "來自 Wekan", + "import-board-instruction-trello": "在你的Trello看板中,點選“功能表”,然後選擇“更多”,“列印與匯出”,“匯出為 JSON” 並拷貝結果文本", + "import-board-instruction-wekan": "在 Wekan 看板中點選“功能表”,然後選擇“匯出看版”且複製文字到下載的檔案", + "import-json-placeholder": "貼上您有效的 JSON 資料至此", + "import-map-members": "複製成員", + "import-members-map": "您匯入的看板有一些成員。請將您想匯入的成員映射到 Wekan 使用者。", + "import-show-user-mapping": "核對成員映射", + "import-user-select": "選擇您想將此成員映射到的 Wekan 使用者", + "importMapMembersAddPopup-title": "選擇 Wekan 成員", + "info": "版本", + "initials": "縮寫", + "invalid-date": "無效的日期", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "關聯", + "just-invited": "您剛剛被邀請加入此看板", + "keyboard-shortcuts": "鍵盤快速鍵", + "label-create": "建立標籤", + "label-default": "%s 標籤 (預設)", + "label-delete-pop": "此操作無法還原,這將會刪除該標籤並清除它的歷史記錄。", + "labels": "標籤", + "language": "語言", + "last-admin-desc": "你不能更改角色,因為至少需要一名管理員。", + "leave-board": "離開看板", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "關聯至該卡片", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "移動清單中的所有卡片", + "list-select-cards": "選擇清單中的所有卡片", + "listActionPopup-title": "清單操作", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "匯入 Trello 卡片", + "listMorePopup-title": "更多", + "link-list": "連結到這個清單", + "list-delete-pop": "所有的動作將從活動動態中被移除且您將無法再開啟該清單\b。此操作無法復原。", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "清單", + "swimlanes": "Swimlanes", + "log-out": "登出", + "log-in": "登入", + "loginPopup-title": "登入", + "memberMenuPopup-title": "成員更改", + "members": "成員", + "menu": "選單", + "move-selection": "移動被選擇的項目", + "moveCardPopup-title": "移動卡片", + "moveCardToBottom-title": "移至最下面", + "moveCardToTop-title": "移至最上面", + "moveSelectionPopup-title": "移動選取的項目", + "multi-selection": "多選", + "multi-selection-on": "多選啟用", + "muted": "靜音", + "muted-info": "您將不會收到有關這個看板的任何訊息", + "my-boards": "我的看板", + "name": "名稱", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "無結果", + "normal": "普通", + "normal-desc": "可以建立以及編輯卡片,無法更改。", + "not-accepted-yet": "邀請尚未接受", + "notify-participate": "接收與你有關的卡片更新", + "notify-watch": "接收您關注的看板、清單或卡片的更新", + "optional": "選擇性的", + "or": "或", + "page-maybe-private": "本頁面被設為私有. 您必須 登入以瀏覽其中內容。", + "page-not-found": "頁面不存在。", + "password": "密碼", + "paste-or-dragdrop": "從剪貼簿貼上,或者拖曳檔案到它上面 (僅限於圖片)", + "participating": "參與", + "preview": "預覽", + "previewAttachedImagePopup-title": "預覽", + "previewClipboardImagePopup-title": "預覽", + "private": "私有", + "private-desc": "該看板將被設為私有。只有該看板成員才可以進行檢視和編輯。", + "profile": "資料", + "public": "公開", + "public-desc": "該看板將被公開。任何人均可透過連結檢視,並且將對Google和其他搜尋引擎開放。只有加入至該看板的成員才可進行編輯。", + "quick-access-description": "被星號標記的看板在導航列中新增快速啟動方式", + "remove-cover": "移除封面", + "remove-from-board": "從看板中刪除", + "remove-label": "移除標籤", + "listDeletePopup-title": "刪除標籤", + "remove-member": "移除成員", + "remove-member-from-card": "從該卡片中移除", + "remove-member-pop": "確定從 __boardTitle__ 中移除 __name__ (__username__) 嗎? 該成員將被從該看板的所有卡片中移除,同時他會收到一則提醒。", + "removeMemberPopup-title": "刪除成員?", + "rename": "重新命名", + "rename-board": "重新命名看板", + "restore": "還原", + "save": "儲存", + "search": "搜尋", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "選擇顏色", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "分配目前卡片給自己", + "shortcut-autocomplete-emoji": "自動完成表情符號", + "shortcut-autocomplete-members": "自動補齊成員", + "shortcut-clear-filters": "清空全部過濾條件", + "shortcut-close-dialog": "關閉對話方塊", + "shortcut-filter-my-cards": "過濾我的卡片", + "shortcut-show-shortcuts": "顯示此快速鍵清單", + "shortcut-toggle-filterbar": "切換過濾程式邊欄", + "shortcut-toggle-sidebar": "切換面板邊欄", + "show-cards-minimum-count": "顯示卡片數量,當內容超過數量", + "sidebar-open": "開啟側邊欄", + "sidebar-close": "關閉側邊欄", + "signupPopup-title": "建立帳戶", + "star-board-title": "點此標記該看板,它將會出現在您的看板列表上方。", + "starred-boards": "已標記看板", + "starred-boards-description": "已標記看板將會出現在您的看板列表上方。", + "subscribe": "訂閱", + "team": "團隊", + "this-board": "這個看板", + "this-card": "這個卡片", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "時間", + "title": "標題", + "tracking": "追蹤", + "tracking-info": "你將會收到與你有關的卡片的所有變更通知", + "type": "Type", + "unassign-member": "取消分配成員", + "unsaved-description": "未儲存的描述", + "unwatch": "取消觀察", + "upload": "上傳", + "upload-avatar": "上傳大頭貼", + "uploaded-avatar": "大頭貼已經上傳", + "username": "使用者名稱", + "view-it": "檢視", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "觀察", + "watching": "觀察中", + "watching-info": "你將會收到關於這個看板所有的變更通知", + "welcome-board": "歡迎進入看板", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "基本", + "welcome-list2": "進階", + "what-to-do": "要做什麼?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "控制台", + "settings": "設定", + "people": "成員", + "registration": "註冊", + "disable-self-registration": "關閉自我註冊", + "invite": "邀請", + "invite-people": "邀請成員", + "to-boards": "至看板()", + "email-addresses": "電子郵件", + "smtp-host-description": "SMTP 外寄郵件伺服器", + "smtp-port-description": "SMTP 外寄郵件伺服器埠號", + "smtp-tls-description": "對 SMTP 啟動 TLS 支援", + "smtp-host": "SMTP 位置", + "smtp-port": "SMTP 埠號", + "smtp-username": "使用者名稱", + "smtp-password": "密碼", + "smtp-tls": "支援 TLS", + "send-from": "從", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "邀請碼", + "email-invite-register-subject": "__inviter__ 向您發出邀請", + "email-invite-register-text": "親愛的 __user__,\n\n__inviter__ 邀請您加入 Wekan 一同協作\n\n請點擊下列連結:\n__url__\n\n您的邀請碼為:__icode__\n\n謝謝。", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "邀請碼不存在", + "error-notAuthorized": "沒有適合的權限觀看", + "outgoing-webhooks": "設定 Webhooks", + "outgoingWebhooksPopup-title": "設定 Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan 版本", + "Node_version": "Node 版本", + "OS_Arch": "系統架構", + "OS_Cpus": "系統\b CPU 數", + "OS_Freemem": "undefined", + "OS_Loadavg": "系統平均讀取", + "OS_Platform": "系統平臺", + "OS_Release": "系統發佈版本", + "OS_Totalmem": "系統總記憶體", + "OS_Type": "系統類型", + "OS_Uptime": "系統運行時間", + "hours": "小時", + "minutes": "分鐘", + "seconds": "秒", + "show-field-on-card": "Show this field on card", + "yes": "是", + "no": "否", + "accounts": "帳號", + "accounts-allowEmailChange": "准許變更電子信箱", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 454aa05987118056aa772d3b9d16c5665903fd86 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 14 Jun 2018 19:03:44 +0300 Subject: Another fix for checklists item migration error "title is required" https://github.com/wekan/wekan/commit/8d5cbf1e6c2b6d467fe1c0708cd794fd11b98a2e#commitcomment-29362180 Thanks to oec ! Closes #1576 --- server/migrations.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/server/migrations.js b/server/migrations.js index 640eae69..a1a5c65a 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -140,7 +140,7 @@ Migrations.add('add-sort-checklists', () => { noValidate ); } - checklist.items.find().forEach((item, index) => { + checklist.items.forEach((item, index) => { if (!item.hasOwnProperty('sort')) { Checklists.direct.update( { _id: checklist._id, 'items._id': item._id }, -- cgit v1.2.3-1-g7c22 From 718adc6c4727022063a7cf04386c641db0b6dc3f Mon Sep 17 00:00:00 2001 From: RJevnikar <12701645+rjevnikar@users.noreply.github.com> Date: Thu, 14 Jun 2018 16:11:41 +0000 Subject: Fix minicardReceivedDate typo identified in #1694 --- client/components/cards/minicard.jade | 2 +- i18n/ar.i18n.json | 478 ---------------------------------- i18n/bg.i18n.json | 478 ---------------------------------- i18n/br.i18n.json | 478 ---------------------------------- i18n/ca.i18n.json | 478 ---------------------------------- i18n/cs.i18n.json | 478 ---------------------------------- i18n/de.i18n.json | 478 ---------------------------------- i18n/el.i18n.json | 478 ---------------------------------- i18n/en-GB.i18n.json | 478 ---------------------------------- i18n/eo.i18n.json | 478 ---------------------------------- i18n/es-AR.i18n.json | 478 ---------------------------------- i18n/es.i18n.json | 478 ---------------------------------- i18n/eu.i18n.json | 478 ---------------------------------- i18n/fa.i18n.json | 478 ---------------------------------- i18n/fi.i18n.json | 478 ---------------------------------- i18n/fr.i18n.json | 478 ---------------------------------- i18n/gl.i18n.json | 478 ---------------------------------- i18n/he.i18n.json | 478 ---------------------------------- i18n/hu.i18n.json | 478 ---------------------------------- i18n/hy.i18n.json | 478 ---------------------------------- i18n/id.i18n.json | 478 ---------------------------------- i18n/ig.i18n.json | 478 ---------------------------------- i18n/it.i18n.json | 478 ---------------------------------- i18n/ja.i18n.json | 478 ---------------------------------- i18n/km.i18n.json | 478 ---------------------------------- i18n/ko.i18n.json | 478 ---------------------------------- i18n/lv.i18n.json | 478 ---------------------------------- i18n/mn.i18n.json | 478 ---------------------------------- i18n/nb.i18n.json | 478 ---------------------------------- i18n/nl.i18n.json | 478 ---------------------------------- i18n/pl.i18n.json | 478 ---------------------------------- i18n/pt-BR.i18n.json | 478 ---------------------------------- i18n/pt.i18n.json | 478 ---------------------------------- i18n/ro.i18n.json | 478 ---------------------------------- i18n/ru.i18n.json | 478 ---------------------------------- i18n/sr.i18n.json | 478 ---------------------------------- i18n/sv.i18n.json | 478 ---------------------------------- i18n/ta.i18n.json | 478 ---------------------------------- i18n/th.i18n.json | 478 ---------------------------------- i18n/tr.i18n.json | 478 ---------------------------------- i18n/uk.i18n.json | 478 ---------------------------------- i18n/vi.i18n.json | 478 ---------------------------------- i18n/zh-CN.i18n.json | 478 ---------------------------------- i18n/zh-TW.i18n.json | 478 ---------------------------------- 44 files changed, 1 insertion(+), 20555 deletions(-) delete mode 100644 i18n/ar.i18n.json delete mode 100644 i18n/bg.i18n.json delete mode 100644 i18n/br.i18n.json delete mode 100644 i18n/ca.i18n.json delete mode 100644 i18n/cs.i18n.json delete mode 100644 i18n/de.i18n.json delete mode 100644 i18n/el.i18n.json delete mode 100644 i18n/en-GB.i18n.json delete mode 100644 i18n/eo.i18n.json delete mode 100644 i18n/es-AR.i18n.json delete mode 100644 i18n/es.i18n.json delete mode 100644 i18n/eu.i18n.json delete mode 100644 i18n/fa.i18n.json delete mode 100644 i18n/fi.i18n.json delete mode 100644 i18n/fr.i18n.json delete mode 100644 i18n/gl.i18n.json delete mode 100644 i18n/he.i18n.json delete mode 100644 i18n/hu.i18n.json delete mode 100644 i18n/hy.i18n.json delete mode 100644 i18n/id.i18n.json delete mode 100644 i18n/ig.i18n.json delete mode 100644 i18n/it.i18n.json delete mode 100644 i18n/ja.i18n.json delete mode 100644 i18n/km.i18n.json delete mode 100644 i18n/ko.i18n.json delete mode 100644 i18n/lv.i18n.json delete mode 100644 i18n/mn.i18n.json delete mode 100644 i18n/nb.i18n.json delete mode 100644 i18n/nl.i18n.json delete mode 100644 i18n/pl.i18n.json delete mode 100644 i18n/pt-BR.i18n.json delete mode 100644 i18n/pt.i18n.json delete mode 100644 i18n/ro.i18n.json delete mode 100644 i18n/ru.i18n.json delete mode 100644 i18n/sr.i18n.json delete mode 100644 i18n/sv.i18n.json delete mode 100644 i18n/ta.i18n.json delete mode 100644 i18n/th.i18n.json delete mode 100644 i18n/tr.i18n.json delete mode 100644 i18n/uk.i18n.json delete mode 100644 i18n/vi.i18n.json delete mode 100644 i18n/zh-CN.i18n.json delete mode 100644 i18n/zh-TW.i18n.json diff --git a/client/components/cards/minicard.jade b/client/components/cards/minicard.jade index b44021a6..6dac4e12 100644 --- a/client/components/cards/minicard.jade +++ b/client/components/cards/minicard.jade @@ -15,7 +15,7 @@ template(name="minicard") unless dueAt unless endAt .date - +miniCardReceivedDate + +minicardReceivedDate if startAt .date +minicardStartDate diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json deleted file mode 100644 index cf8f7f49..00000000 --- a/i18n/ar.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "اقبلboard", - "act-activity-notify": "[Wekan] اشعار عن نشاط", - "act-addAttachment": "ربط __attachment__ الى __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "علق على __comment__ : __card__", - "act-createBoard": "احدث __board__", - "act-createCard": "اضاف __card__ الى __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "اضاف __list__ الى __board__", - "act-addBoardMember": "اضاف __member__ الى __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "إستورد __board__", - "act-importCard": "إستورد __card__", - "act-importList": "إستورد __list__", - "act-joinMember": "اضاف __member__ الى __card__", - "act-moveCard": "حوّل __card__ من __oldList__ إلى __list__", - "act-removeBoardMember": "أزال __member__ من __board__", - "act-restoredCard": "أعاد __card__ إلى __board__", - "act-unjoinMember": "أزال __member__ من __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "الإجراءات", - "activities": "الأنشطة", - "activity": "النشاط", - "activity-added": "تمت إضافة %s ل %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "إرفاق %s ل %s", - "activity-created": "أنشأ %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "استبعاد %s عن %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "انضم %s", - "activity-moved": "تم نقل %s من %s إلى %s", - "activity-on": "على %s", - "activity-removed": "حذف %s إلى %s", - "activity-sent": "إرسال %s إلى %s", - "activity-unjoined": "غادر %s", - "activity-checklist-added": "أضاف قائمة تحقق إلى %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "أضف", - "add-attachment": "إضافة مرفق", - "add-board": "إضافة لوحة", - "add-card": "إضافة بطاقة", - "add-swimlane": "Add Swimlane", - "add-checklist": "إضافة قائمة تدقيق", - "add-checklist-item": "إضافة عنصر إلى قائمة التحقق", - "add-cover": "إضافة غلاف", - "add-label": "إضافة ملصق", - "add-list": "إضافة قائمة", - "add-members": "تعيين أعضاء", - "added": "أُضيف", - "addMemberPopup-title": "الأعضاء", - "admin": "المدير", - "admin-desc": "إمكانية مشاهدة و تعديل و حذف أعضاء ، و تعديل إعدادات اللوحة أيضا.", - "admin-announcement": "إعلان", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "كل اللوحات", - "and-n-other-card": "And __count__ other بطاقة", - "and-n-other-card_plural": "And __count__ other بطاقات", - "apply": "طبق", - "app-is-offline": "يتمّ تحميل ويكان، يرجى الانتظار. سيؤدي تحديث الصفحة إلى فقدان البيانات. إذا لم يتم تحميل ويكان، يرجى التحقق من أن خادم ويكان لم يتوقف. ", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "استعادة اللوحة", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "تعيين عضو", - "attached": "أُرفق)", - "attachment": "مرفق", - "attachment-delete-pop": "حذف المرق هو حذف نهائي . لا يمكن التراجع إذا حذف.", - "attachmentDeletePopup-title": "تريد حذف المرفق ?", - "attachments": "المرفقات", - "auto-watch": "مراقبة لوحات تلقائيا عندما يتم إنشاؤها", - "avatar-too-big": "الصورة الرمزية كبيرة جدا (70 كيلوبايت كحد أقصى)", - "back": "رجوع", - "board-change-color": "تغيير اللومr", - "board-nb-stars": "%s نجوم", - "board-not-found": "لوحة مفقودة", - "board-private-info": "سوف تصبح هذه اللوحة خاصة", - "board-public-info": "سوف تصبح هذه اللوحة عامّة.", - "boardChangeColorPopup-title": "تعديل خلفية الشاشة", - "boardChangeTitlePopup-title": "إعادة تسمية اللوحة", - "boardChangeVisibilityPopup-title": "تعديل وضوح الرؤية", - "boardChangeWatchPopup-title": "تغيير المتابعة", - "boardMenuPopup-title": "قائمة اللوحة", - "boards": "لوحات", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "القائمات", - "bucket-example": "مثل « todo list » على سبيل المثال", - "cancel": "إلغاء", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "%s تعليقات لهذه البطاقة", - "card-delete-notice": "هذا حذف أبديّ . سوف تفقد كل الإجراءات المنوطة بهذه البطاقة", - "card-delete-pop": "سيتم إزالة جميع الإجراءات من تبعات النشاط، وأنك لن تكون قادرا على إعادة فتح البطاقة. لا يوجد التراجع.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "مستحق", - "card-due-on": "مستحق في", - "card-spent": "Spent Time", - "card-edit-attachments": "تعديل المرفقات", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "تعديل العلامات", - "card-edit-members": "تعديل الأعضاء", - "card-labels-title": "تعديل علامات البطاقة.", - "card-members-title": "إضافة او حذف أعضاء للبطاقة.", - "card-start": "بداية", - "card-start-on": "يبدأ في", - "cardAttachmentsPopup-title": "إرفاق من", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "حذف البطاقة ?", - "cardDetailsActionsPopup-title": "إجراءات على البطاقة", - "cardLabelsPopup-title": "علامات", - "cardMembersPopup-title": "أعضاء", - "cardMorePopup-title": "المزيد", - "cards": "بطاقات", - "cards-count": "بطاقات", - "change": "Change", - "change-avatar": "تعديل الصورة الشخصية", - "change-password": "تغيير كلمة المرور", - "change-permissions": "تعديل الصلاحيات", - "change-settings": "تغيير الاعدادات", - "changeAvatarPopup-title": "تعديل الصورة الشخصية", - "changeLanguagePopup-title": "تغيير اللغة", - "changePasswordPopup-title": "تغيير كلمة المرور", - "changePermissionsPopup-title": "تعديل الصلاحيات", - "changeSettingsPopup-title": "تغيير الاعدادات", - "checklists": "قوائم التّدقيق", - "click-to-star": "اضغط لإضافة اللوحة للمفضلة.", - "click-to-unstar": "اضغط لحذف اللوحة من المفضلة.", - "clipboard": "Clipboard or drag & drop", - "close": "غلق", - "close-board": "غلق اللوحة", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "تعليق", - "comment-placeholder": "أكتب تعليق", - "comment-only": "التعليق فقط", - "comment-only-desc": "يمكن التعليق على بطاقات فقط.", - "computer": "حاسوب", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "نسخ رابط البطاقة إلى الحافظة", - "copyCardPopup-title": "نسخ البطاقة", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "إنشاء", - "createBoardPopup-title": "إنشاء لوحة", - "chooseBoardSourcePopup-title": "استيراد لوحة", - "createLabelPopup-title": "إنشاء علامة", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "الحالي", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "تاريخ", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "تاريخ", - "decline": "Decline", - "default-avatar": "صورة شخصية افتراضية", - "delete": "حذف", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "حذف العلامة ?", - "description": "وصف", - "disambiguateMultiLabelPopup-title": "تحديد الإجراء على العلامة", - "disambiguateMultiMemberPopup-title": "تحديد الإجراء على العضو", - "discard": "التخلص منها", - "done": "Done", - "download": "تنزيل", - "edit": "تعديل", - "edit-avatar": "تعديل الصورة الشخصية", - "edit-profile": "تعديل الملف الشخصي", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "تغيير تاريخ البدء", - "editCardDueDatePopup-title": "تغيير تاريخ الاستحقاق", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "تعديل العلامة", - "editNotificationPopup-title": "تصحيح الإشعار", - "editProfilePopup-title": "تعديل الملف الشخصي", - "email": "البريد الإلكتروني", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "لا يمكنك دعوة نفسك", - "error-user-notCreated": "This user is not created", - "error-username-taken": "إسم المستخدم مأخوذ مسبقا", - "error-email-taken": "البريد الإلكتروني مأخوذ بالفعل", - "export-board": "Export board", - "filter": "تصفية", - "filter-cards": "تصفية البطاقات", - "filter-clear": "مسح التصفية", - "filter-no-label": "لا يوجد ملصق", - "filter-no-member": "ليس هناك أي عضو", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "التصفية تشتغل", - "filter-on-desc": "أنت بصدد تصفية بطاقات هذه اللوحة. اضغط هنا لتعديل التصفية.", - "filter-to-selection": "تصفية بالتحديد", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "الإسم الكامل", - "header-logo-title": "الرجوع إلى صفحة اللوحات", - "hide-system-messages": "إخفاء رسائل النظام", - "headerBarCreateBoardPopup-title": "إنشاء لوحة", - "home": "الرئيسية", - "import": "Import", - "import-board": "استيراد لوحة", - "import-board-c": "استيراد لوحة", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "استيراد لوحة من ويكان", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "من تريلو", - "from-wekan": "من ويكان", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", - "import-board-instruction-wekan": "في لوحة ويكان الخاصة بك، انتقل إلى 'القائمة'، ثم 'تصدير اللوحة'، ونسخ النص في الملف الذي تم تنزيله.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "رسم خريطة الأعضاء", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "حدّد عضو ويكان", - "info": "الإصدار", - "initials": "أولية", - "invalid-date": "تاريخ غير صالح", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "انضمّ", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "اختصار لوحة المفاتيح", - "label-create": "إنشاء علامة", - "label-default": "%s علامة (افتراضية)", - "label-delete-pop": "لا يوجد تراجع. سيؤدي هذا إلى إزالة هذه العلامة من جميع بطاقات والقضاء على تأريخها", - "labels": "علامات", - "language": "لغة", - "last-admin-desc": "لا يمكن تعديل الأدوار لأن ذلك يتطلب صلاحيات المدير.", - "leave-board": "مغادرة اللوحة", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "مغادرة اللوحة ؟", - "link-card": "ربط هذه البطاقة", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "نقل بطاقات هذه القائمة", - "list-select-cards": "تحديد بطاقات هذه القائمة", - "listActionPopup-title": "قائمة الإجراءات", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "المزيد", - "link-list": "رابط إلى هذه القائمة", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "القائمات", - "swimlanes": "Swimlanes", - "log-out": "تسجيل الخروج", - "log-in": "تسجيل الدخول", - "loginPopup-title": "تسجيل الدخول", - "memberMenuPopup-title": "أفضليات الأعضاء", - "members": "أعضاء", - "menu": "القائمة", - "move-selection": "Move selection", - "moveCardPopup-title": "نقل البطاقة", - "moveCardToBottom-title": "التحرك إلى القاع", - "moveCardToTop-title": "التحرك إلى الأعلى", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "تحديد أكثر من واحدة", - "multi-selection-on": "Multi-Selection is on", - "muted": "مكتوم", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "لوحاتي", - "name": "اسم", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "لا توجد نتائج", - "normal": "عادي", - "normal-desc": "يمكن مشاهدة و تعديل البطاقات. لا يمكن تغيير إعدادات الضبط.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "اختياري", - "or": "or", - "page-maybe-private": "قدتكون هذه الصفحة خاصة . قد تستطيع مشاهدتها ب تسجيل الدخول.", - "page-not-found": "صفحة غير موجودة", - "password": "كلمة المرور", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "المشاركة", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "خاص", - "private-desc": "هذه اللوحة خاصة . لا يسمح إلا للأعضاء .", - "profile": "ملف شخصي", - "public": "عامّ", - "public-desc": "هذه اللوحة عامة: مرئية لكلّ من يحصل على الرابط ، و هي مرئية أيضا في محركات البحث مثل جوجل. التعديل مسموح به للأعضاء فقط.", - "quick-access-description": "أضف لوحة إلى المفضلة لإنشاء اختصار في هذا الشريط.", - "remove-cover": "حذف الغلاف", - "remove-from-board": "حذف من اللوحة", - "remove-label": "إزالة التصنيف", - "listDeletePopup-title": "حذف القائمة ؟", - "remove-member": "حذف العضو", - "remove-member-from-card": "حذف من البطاقة", - "remove-member-pop": "حذف __name__ (__username__) من __boardTitle__ ? سيتم حذف هذا العضو من جميع بطاقة اللوحة مع إرسال إشعار له بذاك.", - "removeMemberPopup-title": "حذف العضو ?", - "rename": "إعادة التسمية", - "rename-board": "إعادة تسمية اللوحة", - "restore": "استعادة", - "save": "حفظ", - "search": "بحث", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "اختيار اللون", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "الإكمال التلقائي للرموز التعبيرية", - "shortcut-autocomplete-members": "الإكمال التلقائي لأسماء الأعضاء", - "shortcut-clear-filters": "مسح التصفيات", - "shortcut-close-dialog": "غلق النافذة", - "shortcut-filter-my-cards": "تصفية بطاقاتي", - "shortcut-show-shortcuts": "عرض قائمة الإختصارات ،تلك", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "إظهار-إخفاء الشريط الجانبي للوحة", - "show-cards-minimum-count": "إظهار عدد البطاقات إذا كانت القائمة تتضمن أكثر من", - "sidebar-open": "فتح الشريط الجانبي", - "sidebar-close": "إغلاق الشريط الجانبي", - "signupPopup-title": "إنشاء حساب", - "star-board-title": "اضغط لإضافة هذه اللوحة إلى المفضلة . سوف يتم إظهارها على رأس بقية اللوحات.", - "starred-boards": "اللوحات المفضلة", - "starred-boards-description": "تعرض اللوحات المفضلة على رأس بقية اللوحات.", - "subscribe": "اشتراك و متابعة", - "team": "فريق", - "this-board": "هذه اللوحة", - "this-card": "هذه البطاقة", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "الوقت", - "title": "عنوان", - "tracking": "تتبع", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "إلغاء تعيين العضو", - "unsaved-description": "لديك وصف غير محفوظ", - "unwatch": "غير مُشاهد", - "upload": "Upload", - "upload-avatar": "رفع صورة شخصية", - "uploaded-avatar": "تم رفع الصورة الشخصية", - "username": "اسم المستخدم", - "view-it": "شاهدها", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "مُشاهد", - "watching": "مشاهدة", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "لوحة التّرحيب", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "المبادئ", - "welcome-list2": "متقدم", - "what-to-do": "ماذا تريد أن تنجز?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "لوحة التحكم", - "settings": "الإعدادات", - "people": "الناس", - "registration": "تسجيل", - "disable-self-registration": "Disable Self-Registration", - "invite": "دعوة", - "invite-people": "الناس المدعوين", - "to-boards": "إلى اللوحات", - "email-addresses": "عناوين البريد الإلكتروني", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "تفعيل دعم TLS من اجل خادم SMTP", - "smtp-host": "مضيف SMTP", - "smtp-port": "منفذ SMTP", - "smtp-username": "اسم المستخدم", - "smtp-password": "كلمة المرور", - "smtp-tls": "دعم التي ال سي", - "send-from": "من", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "رمز الدعوة", - "email-invite-register-subject": "__inviter__ أرسل دعوة لك", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "رمز الدعوة غير موجود", - "error-notAuthorized": "أنتَ لا تملك الصلاحيات لرؤية هذه الصفحة.", - "outgoing-webhooks": "الويبهوك الصادرة", - "outgoingWebhooksPopup-title": "الويبهوك الصادرة", - "new-outgoing-webhook": "ويبهوك جديدة ", - "no-name": "(غير معروف)", - "Wekan_version": "إصدار ويكان", - "Node_version": "إصدار النود", - "OS_Arch": "معمارية نظام التشغيل", - "OS_Cpus": "استهلاك وحدة المعالجة المركزية لنظام التشغيل", - "OS_Freemem": "الذاكرة الحرة لنظام التشغيل", - "OS_Loadavg": "متوسط حمل نظام التشغيل", - "OS_Platform": "منصة نظام التشغيل", - "OS_Release": "إصدار نظام التشغيل", - "OS_Totalmem": "الذاكرة الكلية لنظام التشغيل", - "OS_Type": "نوع نظام التشغيل", - "OS_Uptime": "مدة تشغيل نظام التشغيل", - "hours": "الساعات", - "minutes": "الدقائق", - "seconds": "الثواني", - "show-field-on-card": "Show this field on card", - "yes": "نعم", - "no": "لا", - "accounts": "الحسابات", - "accounts-allowEmailChange": "السماح بتغيير البريد الإلكتروني", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json deleted file mode 100644 index 3940e33a..00000000 --- a/i18n/bg.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Accept", - "act-activity-notify": "[Wekan] Известия за дейности", - "act-addAttachment": "прикачи __attachment__ към __card__", - "act-addChecklist": "добави списък със задачи __checklist__ към __card__", - "act-addChecklistItem": "добави __checklistItem__ към списък със задачи __checklist__ в __card__", - "act-addComment": "Коментира в __card__: __comment__", - "act-createBoard": "създаде __board__", - "act-createCard": "добави __card__ към __list__", - "act-createCustomField": "създаде собствено поле __customField__", - "act-createList": "добави __list__ към __board__", - "act-addBoardMember": "добави __member__ към __board__", - "act-archivedBoard": "__board__ беше преместен в Кошчето", - "act-archivedCard": "__card__ беше преместена в Кошчето", - "act-archivedList": "__list__ беше преместен в Кошчето", - "act-archivedSwimlane": "__swimlane__ беше преместен в Кошчето", - "act-importBoard": "импортира __board__", - "act-importCard": "импортира __card__", - "act-importList": "импортира __list__", - "act-joinMember": "добави __member__ към __card__", - "act-moveCard": "премести __card__ от __oldList__ в __list__", - "act-removeBoardMember": "премахна __member__ от __board__", - "act-restoredCard": "възстанови __card__ в __board__", - "act-unjoinMember": "премахна __member__ от __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Действия", - "activity": "Дейности", - "activity-added": "добави %s към %s", - "activity-archived": "премести %s в Кошчето", - "activity-attached": "прикачи %s към %s", - "activity-created": "създаде %s", - "activity-customfield-created": "създаде собствено поле %s", - "activity-excluded": "изключи %s от %s", - "activity-imported": "импортира %s в/във %s от %s", - "activity-imported-board": "импортира %s от %s", - "activity-joined": "се присъедини към %s", - "activity-moved": "премести %s от %s в/във %s", - "activity-on": "на %s", - "activity-removed": "премахна %s от %s", - "activity-sent": "изпрати %s до %s", - "activity-unjoined": "вече не е част от %s", - "activity-checklist-added": "добави списък със задачи към %s", - "activity-checklist-item-added": "добави точка към '%s' в/във %s", - "add": "Добави", - "add-attachment": "Добави прикачен файл", - "add-board": "Добави Табло", - "add-card": "Добави карта", - "add-swimlane": "Добави коридор", - "add-checklist": "Добави списък със задачи", - "add-checklist-item": "Добави точка към списъка със задачи", - "add-cover": "Добави корица", - "add-label": "Добави етикет", - "add-list": "Добави списък", - "add-members": "Добави членове", - "added": "Добавено", - "addMemberPopup-title": "Членове", - "admin": "Администратор", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Съобщение", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Съобщение от администратора", - "all-boards": "Всички табла", - "and-n-other-card": "И __count__ друга карта", - "and-n-other-card_plural": "И __count__ други карти", - "apply": "Приложи", - "app-is-offline": "Wekan зарежда, моля изчакайте! Презареждането на страницата може да доведе до загуба на данни. Ако Wekan не се зареди, моля проверете дали сървъра му работи.", - "archive": "Премести в Кошчето", - "archive-all": "Премести всички в Кошчето", - "archive-board": "Премести Таблото в Кошчето", - "archive-card": "Премести Картата в Кошчето", - "archive-list": "Премести Списъка в Кошчето", - "archive-swimlane": "Премести Коридора в Кошчето", - "archive-selection": "Премести избраните в Кошчето", - "archiveBoardPopup-title": "Сигурни ли сте, че искате да преместите Таблото в Кошчето?", - "archived-items": "Кошче", - "archived-boards": "Табла в Кошчето", - "restore-board": "Възстанови Таблото", - "no-archived-boards": "Няма Табла в Кошчето.", - "archives": "Кошче", - "assign-member": "Възложи на член от екипа", - "attached": "прикачен", - "attachment": "Прикаченн файл", - "attachment-delete-pop": "Изтриването на прикачен файл е завинаги. Няма как да бъде възстановен.", - "attachmentDeletePopup-title": "Желаете ли да изтриете прикачения файл?", - "attachments": "Прикачени файлове", - "auto-watch": "Автоматично наблюдаване на таблата, когато са създадени", - "avatar-too-big": "Аватарът е прекалено голям (максимум 70KB)", - "back": "Назад", - "board-change-color": "Промени цвета", - "board-nb-stars": "%s звезди", - "board-not-found": "Таблото не е намерено", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Промени името на Таблото", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Промени наблюдаването", - "boardMenuPopup-title": "Меню на Таблото", - "boards": "Табла", - "board-view": "Board View", - "board-view-swimlanes": "Коридори", - "board-view-lists": "Списъци", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "Картата е преместена в Кошчето.", - "card-comments-title": "Тази карта има %s коментар.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Готова за", - "card-due-on": "Готова за", - "card-spent": "Изработено време", - "card-edit-attachments": "Промени прикачените файлове", - "card-edit-custom-fields": "Промени собствените полета", - "card-edit-labels": "Промени етикетите", - "card-edit-members": "Промени членовете", - "card-labels-title": "Промени етикетите за картата.", - "card-members-title": "Добави или премахни членове на Таблото от тази карта.", - "card-start": "Начало", - "card-start-on": "Започва на", - "cardAttachmentsPopup-title": "Прикачи от", - "cardCustomField-datePopup-title": "Промени датата", - "cardCustomFieldsPopup-title": "Промени собствените полета", - "cardDeletePopup-title": "Желаете да изтриете картата?", - "cardDetailsActionsPopup-title": "Опции", - "cardLabelsPopup-title": "Етикети", - "cardMembersPopup-title": "Членове", - "cardMorePopup-title": "Още", - "cards": "Карти", - "cards-count": "Карти", - "change": "Промени", - "change-avatar": "Промени аватара", - "change-password": "Промени паролата", - "change-permissions": "Change permissions", - "change-settings": "Промени настройките", - "changeAvatarPopup-title": "Промени аватара", - "changeLanguagePopup-title": "Промени езика", - "changePasswordPopup-title": "Промени паролата", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Промяна на настройките", - "checklists": "Списъци със задачи", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Натиснете, за да премахнете това табло от любими.", - "clipboard": "Клипборда или с драг & дроп", - "close": "Затвори", - "close-board": "Затвори Таблото", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "черно", - "color-blue": "синьо", - "color-green": "зелено", - "color-lime": "лайм", - "color-orange": "оранжево", - "color-pink": "розово", - "color-purple": "пурпурно", - "color-red": "червено", - "color-sky": "светло синьо", - "color-yellow": "жълто", - "comment": "Коментирай", - "comment-placeholder": "Напиши коментар", - "comment-only": "Само коментар", - "comment-only-desc": "Може да коментира само в карти.", - "computer": "Компютър", - "confirm-checklist-delete-dialog": "Сигурни ли сте, че искате да изтриете този чеклист?", - "copy-card-link-to-clipboard": "Копирай връзката на картата в клипборда", - "copyCardPopup-title": "Копирай картата", - "copyChecklistToManyCardsPopup-title": "Копирай чеклисти в други карти", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Чекбокс", - "custom-field-date": "Дата", - "custom-field-dropdown": "Падащо меню", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Номер", - "custom-field-text": "Текст", - "custom-fields": "Собствени полета", - "date": "Дата", - "decline": "Отказ", - "default-avatar": "Основен аватар", - "delete": "Изтрий", - "deleteCustomFieldPopup-title": "Изтриване на Собственото поле?", - "deleteLabelPopup-title": "Желаете да изтриете етикета?", - "description": "Описание", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Отказ", - "done": "Готово", - "download": "Сваляне", - "edit": "Промени", - "edit-avatar": "Промени аватара", - "edit-profile": "Промяна на профила", - "edit-wip-limit": "Промени WIP лимита", - "soft-wip-limit": "\"Мек\" WIP лимит", - "editCardStartDatePopup-title": "Промени началната дата", - "editCardDueDatePopup-title": "Промени датата за готовност", - "editCustomFieldPopup-title": "Промени Полето", - "editCardSpentTimePopup-title": "Промени изработеното време", - "editLabelPopup-title": "Промяна на Етикета", - "editNotificationPopup-title": "Промени известията", - "editProfilePopup-title": "Промяна на профила", - "email": "Имейл", - "email-enrollAccount-subject": "Ваш профил беше създаден на __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Неуспешно изпращане на имейла", - "email-fail-text": "Възникна грешка при изпращането на имейла", - "email-invalid": "Невалиден имейл", - "email-invite": "Покани чрез имейл", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Имейлът е изпратен", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Включи WIP лимита", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Имейлът е вече зает", - "export-board": "Export board", - "filter": "Филтър", - "filter-cards": "Филтрирай картите", - "filter-clear": "Премахване на филтрите", - "filter-no-label": "без етикет", - "filter-no-member": "без член", - "filter-no-custom-fields": "Няма Собствени полета", - "filter-on": "Има приложени филтри", - "filter-on-desc": "В момента филтрирате картите в това табло. Моля, натиснете тук, за да промените филтъра.", - "filter-to-selection": "Филтрирай избраните", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Име", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Скриване на системните съобщения", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Начало", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Избери Wekan член", - "info": "Версия", - "initials": "Инициали", - "invalid-date": "Невалидна дата", - "invalid-time": "Невалиден час", - "invalid-user": "Невалиден потребител", - "joined": "присъедини ", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Създай етикет", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Етикети", - "language": "Език", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Връзка към тази карта", - "list-archive-cards": "Премести всички карти от този списък в Кошчето", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Премести всички карти в този списък", - "list-select-cards": "Избери всички карти в този списък", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Импорт на карта от Trello", - "listMorePopup-title": "Още", - "link-list": "Връзка към този списък", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "Можете да преместите списък в Кошчето, за да го премахнете от Таблото и запазите активността.", - "lists": "Списъци", - "swimlanes": "Коридори", - "log-out": "Изход", - "log-in": "Вход", - "loginPopup-title": "Вход", - "memberMenuPopup-title": "Настройки на профила", - "members": "Членове", - "menu": "Меню", - "move-selection": "Move selection", - "moveCardPopup-title": "Премести картата", - "moveCardToBottom-title": "Премести в края", - "moveCardToTop-title": "Премести в началото", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Множествен избор", - "multi-selection-on": "Множественият избор е приложен", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "Моите табла", - "name": "Име", - "no-archived-cards": "Няма карти в Кошчето.", - "no-archived-lists": "Няма списъци в Кошчето.", - "no-archived-swimlanes": "Няма коридори в Кошчето.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Получавате информация за всички карти, в които сте отбелязани или сте създали", - "notify-watch": "Получавате информация за всички табла, списъци и карти, които наблюдавате", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Парола", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Профил", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Желаете да изтриете списъка?", - "remove-member": "Премахни член", - "remove-member-from-card": "Премахни от картата", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Промени името на Таблото", - "restore": "Възстанови", - "save": "Запази", - "search": "Търсене", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Избери цвят", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Въведи WIP лимит", - "shortcut-assign-self": "Добави себе си към тази карта", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Изчистване на всички филтри", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Филтрирай моите карти", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Отвори/затвори сайдбара с филтри", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Покажи бройката на картите, ако списъка съдържа повече от", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Любими табла", - "starred-boards-description": "Любимите табла се показват в началото на списъка Ви.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "картата", - "spent-time-hours": "Изработено време (часа)", - "overtime-hours": "Оувъртайм (часа)", - "overtime": "Оувъртайм", - "has-overtime-cards": "Има карти с оувъртайм", - "has-spenttime-cards": "Има карти с изработено време", - "time": "Време", - "title": "Title", - "tracking": "Следене", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Спри наблюдаването", - "upload": "Upload", - "upload-avatar": "Качване на аватар", - "uploaded-avatar": "Качихте аватар", - "username": "Потребителско име", - "view-it": "View it", - "warn-list-archived": "внимание: тази карта е в списък, който е в Кошчето", - "watch": "Наблюдавай", - "watching": "Наблюдава", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Невалиден WIP лимит", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Моля, преместете някои от задачите от този списък или въведете по-висок WIP лимит.", - "admin-panel": "Администраторски панел", - "settings": "Настройки", - "people": "Хора", - "registration": "Регистрация", - "disable-self-registration": "Disable Self-Registration", - "invite": "Покани", - "invite-people": "Покани хора", - "to-boards": "To board(s)", - "email-addresses": "Имейл адреси", - "smtp-host-description": "Адресът на SMTP сървъра, който обслужва Вашите имейли.", - "smtp-port-description": "Портът, който Вашият SMTP сървър използва за изходящи имейли.", - "smtp-tls-description": "Разреши TLS поддръжка за SMTP сървъра", - "smtp-host": "SMTP хост", - "smtp-port": "SMTP порт", - "smtp-username": "Потребителско име", - "smtp-password": "Парола", - "smtp-tls": "TLS поддръжка", - "send-from": "От", - "send-smtp-test": "Изпрати тестов имейл на себе си", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP тестов имейл, изпратен от Wekan", - "email-smtp-test-text": "Успешно изпратихте имейл", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Версия на Wekan", - "Node_version": "Версия на Node", - "OS_Arch": "Архитектура на ОС", - "OS_Cpus": "Брой CPU ядра", - "OS_Freemem": "Свободна памет", - "OS_Loadavg": "ОС средно натоварване", - "OS_Platform": "ОС платформа", - "OS_Release": "ОС Версия", - "OS_Totalmem": "ОС Общо памет", - "OS_Type": "Тип ОС", - "OS_Uptime": "OS Ъптайм", - "hours": "часа", - "minutes": "минути", - "seconds": "секунди", - "show-field-on-card": "Покажи това поле в картата", - "yes": "Да", - "no": "Не", - "accounts": "Профили", - "accounts-allowEmailChange": "Разреши промяна на имейла", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Създаден на", - "verified": "Потвърден", - "active": "Активен", - "card-received": "Получена", - "card-received-on": "Получена на", - "card-end": "Завършена", - "card-end-on": "Завършена на", - "editCardReceivedDatePopup-title": "Промени датата на получаване", - "editCardEndDatePopup-title": "Промени датата на завършване", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json deleted file mode 100644 index 3d424578..00000000 --- a/i18n/br.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Asantiñ", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Oberoù", - "activities": "Oberiantizoù", - "activity": "Oberiantiz", - "activity-added": "%s ouzhpennet da %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "%s liammet ouzh %s", - "activity-created": "%s krouet", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "%s enporzhiet eus %s da %s", - "activity-imported-board": "%s enporzhiet da %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Ouzhpenn", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Ouzphenn ur golo", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Ouzhpenn izili", - "added": "Ouzhpennet", - "addMemberPopup-title": "Izili", - "admin": "Merour", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Kemmañ al liv", - "board-nb-stars": "%s stered", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Diverkañ ar gartenn ?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Izili", - "cardMorePopup-title": "Muioc’h", - "cards": "Kartennoù", - "cards-count": "Kartennoù", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Kemmañ ger-tremen", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Kemmañ ger-tremen", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "du", - "color-blue": "glas", - "color-green": "gwer", - "color-lime": "melen sitroñs", - "color-orange": "orañjez", - "color-pink": "roz", - "color-purple": "mouk", - "color-red": "ruz", - "color-sky": "pers", - "color-yellow": "melen", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Krouiñ", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Diverkañ", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Graet", - "download": "Download", - "edit": "Kemmañ", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Yezh", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "Muioc’h", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Izili", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Ger-tremen", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Ger-tremen", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json deleted file mode 100644 index 249056aa..00000000 --- a/i18n/ca.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Accepta", - "act-activity-notify": "[Wekan] Notificació d'activitat", - "act-addAttachment": "adjuntat __attachment__ a __card__", - "act-addChecklist": "afegida la checklist _checklist__ a __card__", - "act-addChecklistItem": "afegit __checklistItem__ a la checklist __checklist__ on __card__", - "act-addComment": "comentat a __card__: __comment__", - "act-createBoard": "creat __board__", - "act-createCard": "afegit/da __card__ a __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "afegit/da __list__ a __board__", - "act-addBoardMember": "afegit/da __member__ a __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "__board__ importat", - "act-importCard": "__card__ importat", - "act-importList": "__list__ importat", - "act-joinMember": "afegit/da __member__ a __card__", - "act-moveCard": "mou __card__ de __oldList__ a __list__", - "act-removeBoardMember": "elimina __member__ de __board__", - "act-restoredCard": "recupera __card__ a __board__", - "act-unjoinMember": "elimina __member__ de __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Accions", - "activities": "Activitats", - "activity": "Activitat", - "activity-added": "ha afegit %s a %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "ha adjuntat %s a %s", - "activity-created": "ha creat %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "ha exclòs %s de %s", - "activity-imported": "importat %s dins %s des de %s", - "activity-imported-board": "importat %s des de %s", - "activity-joined": "s'ha unit a %s", - "activity-moved": "ha mogut %s de %s a %s", - "activity-on": "en %s", - "activity-removed": "ha eliminat %s de %s", - "activity-sent": "ha enviat %s %s", - "activity-unjoined": "desassignat %s", - "activity-checklist-added": "Checklist afegida a %s", - "activity-checklist-item-added": "afegida entrada de checklist de '%s' a %s", - "add": "Afegeix", - "add-attachment": "Afegeix adjunt", - "add-board": "Afegeix Tauler", - "add-card": "Afegeix fitxa", - "add-swimlane": "Afegix Carril de Natació", - "add-checklist": "Afegeix checklist", - "add-checklist-item": "Afegeix un ítem", - "add-cover": "Afegeix coberta", - "add-label": "Afegeix etiqueta", - "add-list": "Afegeix llista", - "add-members": "Afegeix membres", - "added": "Afegit", - "addMemberPopup-title": "Membres", - "admin": "Administrador", - "admin-desc": "Pots veure i editar fitxes, eliminar membres, i canviar la configuració del tauler", - "admin-announcement": "Bàndol", - "admin-announcement-active": "Activar bàndol del Sistema", - "admin-announcement-title": "Bàndol de l'administració", - "all-boards": "Tots els taulers", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Aplica", - "app-is-offline": "Wekan s'està carregant, esperau si us plau. Refrescar la pàgina causarà la pérdua de les dades. Si Wekan no carrega, verificau que el servei de Wekan no estigui aturat", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restaura Tauler", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assignar membre", - "attached": "adjuntat", - "attachment": "Adjunt", - "attachment-delete-pop": "L'esborrat d'un arxiu adjunt és permanent. No es pot desfer.", - "attachmentDeletePopup-title": "Esborrar adjunt?", - "attachments": "Adjunts", - "auto-watch": "Automàticament segueix el taulers quan són creats", - "avatar-too-big": "L'avatar es massa gran (70KM max)", - "back": "Enrere", - "board-change-color": "Canvia el color", - "board-nb-stars": "%s estrelles", - "board-not-found": "No s'ha trobat el tauler", - "board-private-info": "Aquest tauler serà privat .", - "board-public-info": "Aquest tauler serà públic .", - "boardChangeColorPopup-title": "Canvia fons", - "boardChangeTitlePopup-title": "Canvia el nom tauler", - "boardChangeVisibilityPopup-title": "Canvia visibilitat", - "boardChangeWatchPopup-title": "Canvia seguiment", - "boardMenuPopup-title": "Menú del tauler", - "boards": "Taulers", - "board-view": "Visió del tauler", - "board-view-swimlanes": "Carrils de Natació", - "board-view-lists": "Llistes", - "bucket-example": "Igual que “Bucket List”, per exemple", - "cancel": "Cancel·la", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "Aquesta fitxa té %s comentaris.", - "card-delete-notice": "L'esborrat és permanent. Perdreu totes les accions associades a aquesta fitxa.", - "card-delete-pop": "Totes les accions s'eliminaran de l'activitat i no podreu tornar a obrir la fitxa. No es pot desfer.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Finalitza", - "card-due-on": "Finalitza a", - "card-spent": "Temps Dedicat", - "card-edit-attachments": "Edita arxius adjunts", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edita etiquetes", - "card-edit-members": "Edita membres", - "card-labels-title": "Canvia les etiquetes de la fitxa", - "card-members-title": "Afegeix o eliminar membres del tauler des de la fitxa.", - "card-start": "Comença", - "card-start-on": "Comença a", - "cardAttachmentsPopup-title": "Adjunta des de", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Esborrar fitxa?", - "cardDetailsActionsPopup-title": "Accions de fitxes", - "cardLabelsPopup-title": "Etiquetes", - "cardMembersPopup-title": "Membres", - "cardMorePopup-title": "Més", - "cards": "Fitxes", - "cards-count": "Fitxes", - "change": "Canvia", - "change-avatar": "Canvia Avatar", - "change-password": "Canvia la clau", - "change-permissions": "Canvia permisos", - "change-settings": "Canvia configuració", - "changeAvatarPopup-title": "Canvia Avatar", - "changeLanguagePopup-title": "Canvia idioma", - "changePasswordPopup-title": "Canvia la contrasenya", - "changePermissionsPopup-title": "Canvia permisos", - "changeSettingsPopup-title": "Canvia configuració", - "checklists": "Checklists", - "click-to-star": "Fes clic per destacar aquest tauler.", - "click-to-unstar": "Fes clic per deixar de destacar aquest tauler.", - "clipboard": "Portaretalls o estirar i amollar", - "close": "Tanca", - "close-board": "Tanca tauler", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "negre", - "color-blue": "blau", - "color-green": "verd", - "color-lime": "llima", - "color-orange": "taronja", - "color-pink": "rosa", - "color-purple": "púrpura", - "color-red": "vermell", - "color-sky": "cel", - "color-yellow": "groc", - "comment": "Comentari", - "comment-placeholder": "Escriu un comentari", - "comment-only": "Només comentaris", - "comment-only-desc": "Només pots fer comentaris a les fitxes", - "computer": "Ordinador", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copia l'enllaç de la ftixa al porta-retalls", - "copyCardPopup-title": "Copia la fitxa", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Títols de fitxa i Descripcions de destí en aquest format JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Títol de la primera fitxa\", \"description\":\"Descripció de la primera fitxa\"}, {\"title\":\"Títol de la segona fitxa\",\"description\":\"Descripció de la segona fitxa\"},{\"title\":\"Títol de l'última fitxa\",\"description\":\"Descripció de l'última fitxa\"} ]", - "create": "Crea", - "createBoardPopup-title": "Crea tauler", - "chooseBoardSourcePopup-title": "Importa Tauler", - "createLabelPopup-title": "Crea etiqueta", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "Actual", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Data", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Data", - "decline": "Declina", - "default-avatar": "Avatar per defecte", - "delete": "Esborra", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Esborra etiqueta", - "description": "Descripció", - "disambiguateMultiLabelPopup-title": "Desfe l'ambigüitat en les etiquetes", - "disambiguateMultiMemberPopup-title": "Desfe l'ambigüitat en els membres", - "discard": "Descarta", - "done": "Fet", - "download": "Descarrega", - "edit": "Edita", - "edit-avatar": "Canvia Avatar", - "edit-profile": "Edita el teu Perfil", - "edit-wip-limit": "Edita el Límit de Treball en Progrès", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Canvia data d'inici", - "editCardDueDatePopup-title": "Canvia data de finalització", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Canvia temps dedicat", - "editLabelPopup-title": "Canvia etiqueta", - "editNotificationPopup-title": "Edita la notificació", - "editProfilePopup-title": "Edita teu Perfil", - "email": "Correu electrònic", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hola __user__,\n\nPer començar a utilitzar el servei, segueix l'enllaç següent.\n\n__url__\n\nGràcies.", - "email-fail": "Error enviant el correu", - "email-fail-text": "Error en intentar enviar e-mail", - "email-invalid": "Adreça de correu invàlida", - "email-invite": "Convida mitjançant correu electrònic", - "email-invite-subject": "__inviter__ t'ha convidat", - "email-invite-text": "Benvolgut __user__,\n\n __inviter__ t'ha convidat a participar al tauler \"__board__\" per col·laborar-hi.\n\nSegueix l'enllaç següent:\n\n __url__\n\n Gràcies.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hola __user__,\n \n per resetejar la teva contrasenya, segueix l'enllaç següent.\n \n __url__\n \n Gràcies.", - "email-sent": "Correu enviat", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hola __user__, \n\n per verificar el teu correu, segueix l'enllaç següent.\n\n __url__\n\n Gràcies.", - "enable-wip-limit": "Activa e Límit de Treball en Progrès", - "error-board-doesNotExist": "Aquest tauler no existeix", - "error-board-notAdmin": "Necessites ser administrador d'aquest tauler per dur a lloc aquest acció", - "error-board-notAMember": "Necessites ser membre d'aquest tauler per dur a terme aquesta acció", - "error-json-malformed": "El text no és JSON vàlid", - "error-json-schema": "La dades JSON no contenen la informació en el format correcte", - "error-list-doesNotExist": "La llista no existeix", - "error-user-doesNotExist": "L'usuari no existeix", - "error-user-notAllowSelf": "No et pots convidar a tu mateix", - "error-user-notCreated": "L'usuari no s'ha creat", - "error-username-taken": "Aquest usuari ja existeix", - "error-email-taken": "L'adreça de correu electrònic ja és en ús", - "export-board": "Exporta tauler", - "filter": "Filtre", - "filter-cards": "Fitxes de filtre", - "filter-clear": "Elimina filtre", - "filter-no-label": "Sense etiqueta", - "filter-no-member": "Sense membres", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filtra per", - "filter-on-desc": "Estau filtrant fitxes en aquest tauler. Feu clic aquí per editar el filtre.", - "filter-to-selection": "Filtra selecció", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Nom complet", - "header-logo-title": "Torna a la teva pàgina de taulers", - "hide-system-messages": "Oculta missatges del sistema", - "headerBarCreateBoardPopup-title": "Crea tauler", - "home": "Inici", - "import": "importa", - "import-board": "Importa tauler", - "import-board-c": "Importa tauler", - "import-board-title-trello": "Importa tauler des de Trello", - "import-board-title-wekan": "I", - "import-sandstorm-warning": "Estau segur que voleu esborrar aquesta checklist?", - "from-trello": "Des de Trello", - "from-wekan": "Des de Wekan", - "import-board-instruction-trello": "En el teu tauler Trello, ves a 'Menú', 'Més'.' Imprimir i Exportar', 'Exportar JSON', i copia el text resultant.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Aferra codi JSON vàlid aquí", - "import-map-members": "Mapeja el membres", - "import-members-map": "El tauler importat conté membres. Assigna els membres que vulguis importar a usuaris Wekan", - "import-show-user-mapping": "Revisa l'assignació de membres", - "import-user-select": "Selecciona l'usuari Wekan que vulguis associar a aquest membre", - "importMapMembersAddPopup-title": "Selecciona un membre de Wekan", - "info": "Versió", - "initials": "Inicials", - "invalid-date": "Data invàlida", - "invalid-time": "Temps Invàlid", - "invalid-user": "Usuari invàlid", - "joined": "s'ha unit", - "just-invited": "Has estat convidat a aquest tauler", - "keyboard-shortcuts": "Dreceres de teclat", - "label-create": "Crea etiqueta", - "label-default": "%s etiqueta (per defecte)", - "label-delete-pop": "No es pot desfer. Això eliminarà aquesta etiqueta de totes les fitxes i destruirà la seva història.", - "labels": "Etiquetes", - "language": "Idioma", - "last-admin-desc": "No podeu canviar rols perquè ha d'haver-hi almenys un administrador.", - "leave-board": "Abandona tauler", - "leave-board-pop": "De debò voleu abandonar __boardTitle__? Se us eliminarà de totes les fitxes d'aquest tauler.", - "leaveBoardPopup-title": "Abandonar Tauler?", - "link-card": "Enllaç a aquesta fitxa", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Mou totes les fitxes d'aquesta llista", - "list-select-cards": "Selecciona totes les fitxes d'aquesta llista", - "listActionPopup-title": "Accions de la llista", - "swimlaneActionPopup-title": "Accions de Carril de Natació", - "listImportCardPopup-title": "importa una fitxa de Trello", - "listMorePopup-title": "Més", - "link-list": "Enllaça a aquesta llista", - "list-delete-pop": "Totes les accions seran esborrades de la llista d'activitats i no serà possible recuperar la llista", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Llistes", - "swimlanes": "Carrils de Natació", - "log-out": "Finalitza la sessió", - "log-in": "Ingresa", - "loginPopup-title": "Inicia sessió", - "memberMenuPopup-title": "Configura membres", - "members": "Membres", - "menu": "Menú", - "move-selection": "Move selection", - "moveCardPopup-title": "Moure fitxa", - "moveCardToBottom-title": "Mou a la part inferior", - "moveCardToTop-title": "Mou a la part superior", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selecció", - "multi-selection-on": "Multi-Selecció està activada", - "muted": "En silenci", - "muted-info": "No seràs notificat dels canvis en aquest tauler", - "my-boards": "Els meus taulers", - "name": "Nom", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Sense resultats", - "normal": "Normal", - "normal-desc": "Podeu veure i editar fitxes. No podeu canviar la configuració.", - "not-accepted-yet": "La invitació no ha esta acceptada encara", - "notify-participate": "Rebre actualitzacions per a cada fitxa de la qual n'ets creador o membre", - "notify-watch": "Rebre actualitzacions per qualsevol tauler, llista o fitxa en observació", - "optional": "opcional", - "or": "o", - "page-maybe-private": "Aquesta pàgina és privada. Per veure-la entra .", - "page-not-found": "Pàgina no trobada.", - "password": "Contrasenya", - "paste-or-dragdrop": "aferra, o estira i amolla la imatge (només imatge)", - "participating": "Participant", - "preview": "Vista prèvia", - "previewAttachedImagePopup-title": "Vista prèvia", - "previewClipboardImagePopup-title": "Vista prèvia", - "private": "Privat", - "private-desc": "Aquest tauler és privat. Només les persones afegides al tauler poden veure´l i editar-lo.", - "profile": "Perfil", - "public": "Públic", - "public-desc": "Aquest tauler és públic. És visible per a qualsevol persona amb l'enllaç i es mostrarà en els motors de cerca com Google. Només persones afegides al tauler poden editar-lo.", - "quick-access-description": "Inicia un tauler per afegir un accés directe en aquest barra", - "remove-cover": "Elimina coberta", - "remove-from-board": "Elimina del tauler", - "remove-label": "Elimina l'etiqueta", - "listDeletePopup-title": "Esborrar la llista?", - "remove-member": "Elimina membre", - "remove-member-from-card": "Elimina de la fitxa", - "remove-member-pop": "Eliminar __name__ (__username__) de __boardTitle__ ? El membre serà eliminat de totes les fitxes d'aquest tauler. Ells rebran una notificació.", - "removeMemberPopup-title": "Vols suprimir el membre?", - "rename": "Canvia el nom", - "rename-board": "Canvia el nom del tauler", - "restore": "Restaura", - "save": "Desa", - "search": "Cerca", - "search-cards": "Cerca títols de fitxa i descripcions en aquest tauler", - "search-example": "Text que cercar?", - "select-color": "Selecciona color", - "set-wip-limit-value": "Limita el màxim nombre de tasques en aquesta llista", - "setWipLimitPopup-title": "Configura el Límit de Treball en Progrès", - "shortcut-assign-self": "Assigna't la ftixa actual", - "shortcut-autocomplete-emoji": "Autocompleta emoji", - "shortcut-autocomplete-members": "Autocompleta membres", - "shortcut-clear-filters": "Elimina tots els filters", - "shortcut-close-dialog": "Tanca el diàleg", - "shortcut-filter-my-cards": "Filtra les meves fitxes", - "shortcut-show-shortcuts": "Mostra aquesta lista d'accessos directes", - "shortcut-toggle-filterbar": "Canvia la barra lateral del tauler", - "shortcut-toggle-sidebar": "Canvia Sidebar del Tauler", - "show-cards-minimum-count": "Mostra contador de fitxes si la llista en conté més de", - "sidebar-open": "Mostra barra lateral", - "sidebar-close": "Amaga barra lateral", - "signupPopup-title": "Crea un compte", - "star-board-title": "Fes clic per destacar aquest tauler. Es mostrarà a la part superior de la llista de taulers.", - "starred-boards": "Taulers destacats", - "starred-boards-description": "Els taulers destacats es mostraran a la part superior de la llista de taulers.", - "subscribe": "Subscriure", - "team": "Equip", - "this-board": "aquest tauler", - "this-card": "aquesta fitxa", - "spent-time-hours": "Temps dedicat (hores)", - "overtime-hours": "Temps de més (hores)", - "overtime": "Temps de més", - "has-overtime-cards": "Té fitxes amb temps de més", - "has-spenttime-cards": "Té fitxes amb temps dedicat", - "time": "Hora", - "title": "Títol", - "tracking": "En seguiment", - "tracking-info": "Seràs notificat per cada canvi a aquelles fitxes de les que n'eres creador o membre", - "type": "Type", - "unassign-member": "Desassignar membre", - "unsaved-description": "Tens una descripció sense desar.", - "unwatch": "Suprimeix observació", - "upload": "Puja", - "upload-avatar": "Actualitza avatar", - "uploaded-avatar": "Avatar actualitzat", - "username": "Nom d'Usuari", - "view-it": "Vist", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Observa", - "watching": "En observació", - "watching-info": "Seràs notificat de cada canvi en aquest tauler", - "welcome-board": "Tauler de benvinguda", - "welcome-swimlane": "Objectiu 1", - "welcome-list1": "Bàsics", - "welcome-list2": "Avançades", - "what-to-do": "Què vols fer?", - "wipLimitErrorPopup-title": "Límit de Treball en Progrès invàlid", - "wipLimitErrorPopup-dialog-pt1": "El nombre de tasques en esta llista és superior al límit de Treball en Progrès que heu definit.", - "wipLimitErrorPopup-dialog-pt2": "Si us plau mogui algunes taques fora d'aquesta llista, o configuri un límit de Treball en Progrès superior.", - "admin-panel": "Tauler d'administració", - "settings": "Configuració", - "people": "Persones", - "registration": "Registre", - "disable-self-registration": "Deshabilita Auto-Registre", - "invite": "Convida", - "invite-people": "Convida a persones", - "to-boards": "Al tauler(s)", - "email-addresses": "Adreça de correu", - "smtp-host-description": "L'adreça del vostre servidor SMTP.", - "smtp-port-description": "El port del vostre servidor SMTP.", - "smtp-tls-description": "Activa suport TLS pel servidor SMTP", - "smtp-host": "Servidor SMTP", - "smtp-port": "Port SMTP", - "smtp-username": "Nom d'Usuari", - "smtp-password": "Contrasenya", - "smtp-tls": "Suport TLS", - "send-from": "De", - "send-smtp-test": "Envia't un correu electrònic de prova", - "invitation-code": "Codi d'invitació", - "email-invite-register-subject": "__inviter__ t'ha convidat", - "email-invite-register-text": " __user__,\n\n __inviter__ us ha convidat a col·laborar a Wekan.\n\n Clicau l'enllaç següent per acceptar l'invitació:\n __url__\n\n El vostre codi d'invitació és: __icode__\n\n Gràcies", - "email-smtp-test-subject": "Correu de Prova SMTP de Wekan", - "email-smtp-test-text": "Has enviat un missatge satisfactòriament", - "error-invitation-code-not-exist": "El codi d'invitació no existeix", - "error-notAuthorized": "No estau autoritzats per veure aquesta pàgina", - "outgoing-webhooks": "Webhooks sortints", - "outgoingWebhooksPopup-title": "Webhooks sortints", - "new-outgoing-webhook": "Nou Webook sortint", - "no-name": "Importa tauler des de Wekan", - "Wekan_version": "Versió Wekan", - "Node_version": "Versió Node", - "OS_Arch": "Arquitectura SO", - "OS_Cpus": "Plataforma SO", - "OS_Freemem": "Memòria lliure", - "OS_Loadavg": "Carrega de SO", - "OS_Platform": "Plataforma de SO", - "OS_Release": "Versió SO", - "OS_Totalmem": "Memòria total", - "OS_Type": "Tipus de SO", - "OS_Uptime": "Temps d'activitat", - "hours": "hores", - "minutes": "minuts", - "seconds": "segons", - "show-field-on-card": "Show this field on card", - "yes": "Si", - "no": "No", - "accounts": "Comptes", - "accounts-allowEmailChange": "Permet modificar correu electrònic", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Creat ", - "verified": "Verificat", - "active": "Actiu", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json deleted file mode 100644 index 97e02e06..00000000 --- a/i18n/cs.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Přijmout", - "act-activity-notify": "[Wekan] Notifikace aktivit", - "act-addAttachment": "přiložen __attachment__ do __card__", - "act-addChecklist": "přidán checklist __checklist__ do __card__", - "act-addChecklistItem": "přidán __checklistItem__ do checklistu __checklist__ v __card__", - "act-addComment": "komentář k __card__: __comment__", - "act-createBoard": "přidání __board__", - "act-createCard": "přidání __card__ do __list__", - "act-createCustomField": "vytvořeno vlastní pole __customField__", - "act-createList": "přidání __list__ do __board__", - "act-addBoardMember": "přidání __member__ do __board__", - "act-archivedBoard": "__board__ bylo přesunuto do koše", - "act-archivedCard": "__card__ bylo přesunuto do koše", - "act-archivedList": "__list__ bylo přesunuto do koše", - "act-archivedSwimlane": "__swimlane__ bylo přesunuto do koše", - "act-importBoard": "import __board__", - "act-importCard": "import __card__", - "act-importList": "import __list__", - "act-joinMember": "přidání __member__ do __card__", - "act-moveCard": "přesun __card__ z __oldList__ do __list__", - "act-removeBoardMember": "odstranění __member__ z __board__", - "act-restoredCard": "obnovení __card__ do __board__", - "act-unjoinMember": "odstranění __member__ z __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Akce", - "activities": "Aktivity", - "activity": "Aktivita", - "activity-added": "%s přidáno k %s", - "activity-archived": "%s bylo přesunuto do koše", - "activity-attached": "přiloženo %s k %s", - "activity-created": "%s vytvořeno", - "activity-customfield-created": "vytvořeno vlastní pole %s", - "activity-excluded": "%s vyjmuto z %s", - "activity-imported": "importován %s do %s z %s", - "activity-imported-board": "importován %s z %s", - "activity-joined": "spojen %s", - "activity-moved": "%s přesunuto z %s do %s", - "activity-on": "na %s", - "activity-removed": "odstraněn %s z %s", - "activity-sent": "%s posláno na %s", - "activity-unjoined": "odpojen %s", - "activity-checklist-added": "přidán checklist do %s", - "activity-checklist-item-added": "přidána položka checklist do '%s' v %s", - "add": "Přidat", - "add-attachment": "Přidat přílohu", - "add-board": "Přidat tablo", - "add-card": "Přidat kartu", - "add-swimlane": "Přidat Swimlane", - "add-checklist": "Přidat zaškrtávací seznam", - "add-checklist-item": "Přidat položku do zaškrtávacího seznamu", - "add-cover": "Přidat obal", - "add-label": "Přidat štítek", - "add-list": "Přidat list", - "add-members": "Přidat členy", - "added": "Přidán", - "addMemberPopup-title": "Členové", - "admin": "Administrátor", - "admin-desc": "Může zobrazovat a upravovat karty, mazat členy a měnit nastavení tabla.", - "admin-announcement": "Oznámení", - "admin-announcement-active": "Aktivní oznámení v celém systému", - "admin-announcement-title": "Oznámení od administrátora", - "all-boards": "Všechna tabla", - "and-n-other-card": "A __count__ další karta(y)", - "and-n-other-card_plural": "A __count__ dalších karet", - "apply": "Použít", - "app-is-offline": "Wekan se načítá, prosím čekejte. Obnovení stránky způsobí ztrátu dat. Pokud se Wekan nenačte, zkontrolujte prosím, jestli se server s Wekanem nezastavil.", - "archive": "Přesunout do koše", - "archive-all": "Přesunout všechno do koše", - "archive-board": "Přesunout tablo do koše", - "archive-card": "Přesunout kartu do koše", - "archive-list": "Přesunout seznam do koše", - "archive-swimlane": "Přesunout swimlane do koše", - "archive-selection": "Přesunout výběr do koše", - "archiveBoardPopup-title": "Chcete přesunout tablo do koše?", - "archived-items": "Koš", - "archived-boards": "Tabla v koši", - "restore-board": "Obnovit tablo", - "no-archived-boards": "Žádná tabla v koši", - "archives": "Koš", - "assign-member": "Přiřadit člena", - "attached": "přiloženo", - "attachment": "Příloha", - "attachment-delete-pop": "Smazání přílohy je trvalé. Nejde vrátit zpět.", - "attachmentDeletePopup-title": "Smazat přílohu?", - "attachments": "Přílohy", - "auto-watch": "Automaticky sleduj tabla když jsou vytvořena", - "avatar-too-big": "Avatar obrázek je příliš velký (70KB max)", - "back": "Zpět", - "board-change-color": "Změnit barvu", - "board-nb-stars": "%s hvězdiček", - "board-not-found": "Tablo nenalezeno", - "board-private-info": "Toto tablo bude soukromé.", - "board-public-info": "Toto tablo bude veřejné.", - "boardChangeColorPopup-title": "Změnit pozadí tabla", - "boardChangeTitlePopup-title": "Přejmenovat tablo", - "boardChangeVisibilityPopup-title": "Upravit viditelnost", - "boardChangeWatchPopup-title": "Změnit sledování", - "boardMenuPopup-title": "Menu tabla", - "boards": "Tabla", - "board-view": "Náhled tabla", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Seznamy", - "bucket-example": "Například \"Než mě odvedou\"", - "cancel": "Zrušit", - "card-archived": "Karta byla přesunuta do koše.", - "card-comments-title": "Tato karta má %s komentářů.", - "card-delete-notice": "Smazání je trvalé. Přijdete o všechny akce asociované s touto kartou.", - "card-delete-pop": "Všechny akce budou odstraněny z kanálu aktivity a nebude možné kartu znovu otevřít. Toto nelze vrátit zpět.", - "card-delete-suggest-archive": "Kartu můžete přesunout do koše a tím ji odstranit z tabla a přitom zachovat aktivity.", - "card-due": "Termín", - "card-due-on": "Do", - "card-spent": "Strávený čas", - "card-edit-attachments": "Upravit přílohy", - "card-edit-custom-fields": "Upravit vlastní pole", - "card-edit-labels": "Upravit štítky", - "card-edit-members": "Upravit členy", - "card-labels-title": "Změnit štítky karty.", - "card-members-title": "Přidat nebo odstranit členy tohoto tabla z karty.", - "card-start": "Start", - "card-start-on": "Začít dne", - "cardAttachmentsPopup-title": "Přiložit formulář", - "cardCustomField-datePopup-title": "Změnit datum", - "cardCustomFieldsPopup-title": "Upravit vlastní pole", - "cardDeletePopup-title": "Smazat kartu?", - "cardDetailsActionsPopup-title": "Akce karty", - "cardLabelsPopup-title": "Štítky", - "cardMembersPopup-title": "Členové", - "cardMorePopup-title": "Více", - "cards": "Karty", - "cards-count": "Karty", - "change": "Změnit", - "change-avatar": "Změnit avatar", - "change-password": "Změnit heslo", - "change-permissions": "Změnit oprávnění", - "change-settings": "Změnit nastavení", - "changeAvatarPopup-title": "Změnit avatar", - "changeLanguagePopup-title": "Změnit jazyk", - "changePasswordPopup-title": "Změnit heslo", - "changePermissionsPopup-title": "Změnit oprávnění", - "changeSettingsPopup-title": "Změnit nastavení", - "checklists": "Checklisty", - "click-to-star": "Kliknutím přidat hvězdičku tomuto tablu.", - "click-to-unstar": "Kliknutím odebrat hvězdičku tomuto tablu.", - "clipboard": "Schránka nebo potáhnout a pustit", - "close": "Zavřít", - "close-board": "Zavřít tablo", - "close-board-pop": "Kliknutím na tlačítko \"Recyklovat\" budete moci obnovit tablo z koše.", - "color-black": "černá", - "color-blue": "modrá", - "color-green": "zelená", - "color-lime": "světlezelená", - "color-orange": "oranžová", - "color-pink": "růžová", - "color-purple": "fialová", - "color-red": "červená", - "color-sky": "nebeská", - "color-yellow": "žlutá", - "comment": "Komentář", - "comment-placeholder": "Text komentáře", - "comment-only": "Pouze komentáře", - "comment-only-desc": "Může přidávat komentáře pouze do karet.", - "computer": "Počítač", - "confirm-checklist-delete-dialog": "Opravdu chcete smazat tento checklist?", - "copy-card-link-to-clipboard": "Kopírovat adresu karty do mezipaměti", - "copyCardPopup-title": "Kopírovat kartu", - "copyChecklistToManyCardsPopup-title": "Kopírovat checklist do více karet", - "copyChecklistToManyCardsPopup-instructions": "Názvy a popisy cílové karty v tomto formátu JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Nadpis první karty\", \"description\":\"Popis druhé karty\"}, {\"title\":\"Nadpis druhé karty\",\"description\":\"Popis druhé karty\"},{\"title\":\"Nadpis poslední kary\",\"description\":\"Popis poslední karty\"} ]", - "create": "Vytvořit", - "createBoardPopup-title": "Vytvořit tablo", - "chooseBoardSourcePopup-title": "Importovat tablo", - "createLabelPopup-title": "Vytvořit štítek", - "createCustomField": "Vytvořit pole", - "createCustomFieldPopup-title": "Vytvořit pole", - "current": "Aktuální", - "custom-field-delete-pop": "Nelze vrátit zpět. Toto odebere toto vlastní pole ze všech karet a zničí jeho historii.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Datum", - "custom-field-dropdown": "Rozbalovací seznam", - "custom-field-dropdown-none": "(prázdné)", - "custom-field-dropdown-options": "Seznam možností", - "custom-field-dropdown-options-placeholder": "Stiskněte enter pro přidání více možností", - "custom-field-dropdown-unknown": "(neznámé)", - "custom-field-number": "Číslo", - "custom-field-text": "Text", - "custom-fields": "Vlastní pole", - "date": "Datum", - "decline": "Zamítnout", - "default-avatar": "Výchozí avatar", - "delete": "Smazat", - "deleteCustomFieldPopup-title": "Smazat vlastní pole", - "deleteLabelPopup-title": "Smazat štítek?", - "description": "Popis", - "disambiguateMultiLabelPopup-title": "Dvojznačný štítek akce", - "disambiguateMultiMemberPopup-title": "Dvojznačná akce člena", - "discard": "Zahodit", - "done": "Hotovo", - "download": "Stáhnout", - "edit": "Upravit", - "edit-avatar": "Změnit avatar", - "edit-profile": "Upravit profil", - "edit-wip-limit": "Upravit WIP Limit", - "soft-wip-limit": "Mírný WIP limit", - "editCardStartDatePopup-title": "Změnit datum startu úkolu", - "editCardDueDatePopup-title": "Změnit datum dokončení úkolu", - "editCustomFieldPopup-title": "Upravit pole", - "editCardSpentTimePopup-title": "Změnit strávený čas", - "editLabelPopup-title": "Změnit štítek", - "editNotificationPopup-title": "Změnit notifikace", - "editProfilePopup-title": "Upravit profil", - "email": "Email", - "email-enrollAccount-subject": "Byl vytvořen účet na __siteName__", - "email-enrollAccount-text": "Ahoj __user__,\n\nMůžeš začít používat službu kliknutím na odkaz níže.\n\n__url__\n\nDěkujeme.", - "email-fail": "Odeslání emailu selhalo", - "email-fail-text": "Chyba při pokusu o odeslání emailu", - "email-invalid": "Neplatný email", - "email-invite": "Pozvat pomocí emailu", - "email-invite-subject": "__inviter__ odeslal pozvánku", - "email-invite-text": "Ahoj __user__,\n\n__inviter__ tě přizval ke spolupráci na tablu \"__board__\".\n\nNásleduj prosím odkaz níže:\n\n__url__\n\nDěkujeme.", - "email-resetPassword-subject": "Změň své heslo na __siteName__", - "email-resetPassword-text": "Ahoj __user__,\n\nPro změnu hesla klikni na odkaz níže.\n\n__url__\n\nDěkujeme.", - "email-sent": "Email byl odeslán", - "email-verifyEmail-subject": "Ověř svou emailovou adresu na", - "email-verifyEmail-text": "Ahoj __user__,\n\nPro ověření emailové adresy klikni na odkaz níže.\n\n__url__\n\nDěkujeme.", - "enable-wip-limit": "Povolit WIP Limit", - "error-board-doesNotExist": "Toto tablo neexistuje", - "error-board-notAdmin": "K provedení změny musíš být administrátor tohoto tabla", - "error-board-notAMember": "K provedení změny musíš být členem tohoto tabla", - "error-json-malformed": "Tvůj text není validní JSON", - "error-json-schema": "Tato JSON data neobsahují správné informace v platném formátu", - "error-list-doesNotExist": "Tento seznam neexistuje", - "error-user-doesNotExist": "Tento uživatel neexistuje", - "error-user-notAllowSelf": "Nemůžeš pozvat sám sebe", - "error-user-notCreated": "Tento uživatel není vytvořen", - "error-username-taken": "Toto uživatelské jméno již existuje", - "error-email-taken": "Tento email byl již použit", - "export-board": "Exportovat tablo", - "filter": "Filtr", - "filter-cards": "Filtrovat karty", - "filter-clear": "Vyčistit filtr", - "filter-no-label": "Žádný štítek", - "filter-no-member": "Žádný člen", - "filter-no-custom-fields": "Žádné vlastní pole", - "filter-on": "Filtr je zapnut", - "filter-on-desc": "Filtrujete karty tohoto tabla. Pro úpravu filtru klikni sem.", - "filter-to-selection": "Filtrovat výběr", - "advanced-filter-label": "Pokročilý filtr", - "advanced-filter-description": "Pokročilý filtr dovoluje zapsat řetězec následujících operátorů: == != <= >= && || () Operátory jsou odděleny mezerou. Můžete filtrovat všechny vlastní pole zadáním jejich názvů nebo hodnot. Například: Pole1 == Hodnota1. Poznámka: Pokud pole nebo hodnoty obsahují mezery, je potřeba je obalit v jednoduchých uvozovkách. Například: 'Pole 1' == 'Hodnota 1'. Můžete také kombinovat více podmínek. Například P1 == H1 || P1 == H2. Obvykle jsou operátory interpretovány zleva doprava. Jejich pořadí můžete měnit pomocí závorek. Například: P1 == H1 && (P2 == H2 || P2 == H3 )", - "fullname": "Celé jméno", - "header-logo-title": "Jit zpět na stránku s tably.", - "hide-system-messages": "Skrýt systémové zprávy", - "headerBarCreateBoardPopup-title": "Vytvořit tablo", - "home": "Domů", - "import": "Import", - "import-board": "Importovat tablo", - "import-board-c": "Importovat tablo", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Importovat tablo z Wekanu", - "import-sandstorm-warning": "Importované tablo spaže všechny existující data v tablu a nahradí je importovaným tablem.", - "from-trello": "Z Trella", - "from-wekan": "Z Wekanu", - "import-board-instruction-trello": "Na svém Trello tablu, otevři 'Menu', pak 'More', 'Print and Export', 'Export JSON', a zkopíruj výsledný text", - "import-board-instruction-wekan": "Ve vašem Wekan tablu jděte do 'Menu', klikněte na 'Exportovat tablo' a zkopírujte text ze staženého souboru.", - "import-json-placeholder": "Sem vlož validní JSON data", - "import-map-members": "Mapovat členy", - "import-members-map": "Toto importované tablo obsahuje několik členů. Namapuj členy z importu na uživatelské účty Wekan.", - "import-show-user-mapping": "Zkontrolovat namapování členů", - "import-user-select": "Vyber uživatele Wekan, kterého chceš použít pro tohoto člena", - "importMapMembersAddPopup-title": "Vybrat Wekan uživatele", - "info": "Verze", - "initials": "Iniciály", - "invalid-date": "Neplatné datum", - "invalid-time": "Neplatný čas", - "invalid-user": "Neplatný uživatel", - "joined": "spojeno", - "just-invited": "Právě jsi byl pozván(a) do tohoto tabla", - "keyboard-shortcuts": "Klávesové zkratky", - "label-create": "Vytvořit štítek", - "label-default": "%s štítek (výchozí)", - "label-delete-pop": "Nelze vrátit zpět. Toto odebere tento štítek ze všech karet a zničí jeho historii.", - "labels": "Štítky", - "language": "Jazyk", - "last-admin-desc": "Nelze změnit role, protože musí existovat alespoň jeden administrátor.", - "leave-board": "Opustit tablo", - "leave-board-pop": "Opravdu chcete opustit tablo __boardTitle__? Odstraníte se tím i ze všech karet v tomto tablu.", - "leaveBoardPopup-title": "Opustit tablo?", - "link-card": "Odkázat na tuto kartu", - "list-archive-cards": "Přesunout všechny karty v tomto seznamu do koše", - "list-archive-cards-pop": "Toto odstraní z tabla všechny karty z tohoto seznamu. Pro zobrazení karet v koši a jejich opětovné obnovení, klikni v \"Menu\" > \"Archivované položky\".", - "list-move-cards": "Přesunout všechny karty v tomto seznamu", - "list-select-cards": "Vybrat všechny karty v tomto seznamu", - "listActionPopup-title": "Vypsat akce", - "swimlaneActionPopup-title": "Akce swimlane", - "listImportCardPopup-title": "Importovat Trello kartu", - "listMorePopup-title": "Více", - "link-list": "Odkaz na tento seznam", - "list-delete-pop": "Všechny akce budou odstraněny z kanálu aktivity a nebude možné kartu obnovit. Toto nelze vrátit zpět.", - "list-delete-suggest-archive": "Kartu můžete přesunout do koše a tím ji odstranit z tabla a přitom zachovat aktivity.", - "lists": "Seznamy", - "swimlanes": "Swimlanes", - "log-out": "Odhlásit", - "log-in": "Přihlásit", - "loginPopup-title": "Přihlásit", - "memberMenuPopup-title": "Nastavení uživatele", - "members": "Členové", - "menu": "Menu", - "move-selection": "Přesunout výběr", - "moveCardPopup-title": "Přesunout kartu", - "moveCardToBottom-title": "Přesunout dolu", - "moveCardToTop-title": "Přesunout nahoru", - "moveSelectionPopup-title": "Přesunout výběr", - "multi-selection": "Multi-výběr", - "multi-selection-on": "Multi-výběr je zapnut", - "muted": "Umlčeno", - "muted-info": "Nikdy nedostanete oznámení o změně v tomto tablu.", - "my-boards": "Moje tabla", - "name": "Jméno", - "no-archived-cards": "Žádné karty v koši", - "no-archived-lists": "Žádné seznamy v koši", - "no-archived-swimlanes": "Žádné swimlane v koši", - "no-results": "Žádné výsledky", - "normal": "Normální", - "normal-desc": "Může zobrazovat a upravovat karty. Nemůže měnit nastavení.", - "not-accepted-yet": "Pozvánka ještě nebyla přijmuta", - "notify-participate": "Dostane aktualizace do všech karet, ve kterých se účastní jako tvůrce nebo člen", - "notify-watch": "Dostane aktualitace to všech tabel, seznamů nebo karet, které sledujete", - "optional": "volitelný", - "or": "nebo", - "page-maybe-private": "Tato stránka může být soukromá. Můžete ji zobrazit po přihlášení.", - "page-not-found": "Stránka nenalezena.", - "password": "Heslo", - "paste-or-dragdrop": "vložit, nebo přetáhnout a pustit soubor obrázku (pouze obrázek)", - "participating": "Zúčastnění", - "preview": "Náhled", - "previewAttachedImagePopup-title": "Náhled", - "previewClipboardImagePopup-title": "Náhled", - "private": "Soukromý", - "private-desc": "Toto tablo je soukromé. Pouze vybraní uživatelé ho mohou zobrazit a upravovat.", - "profile": "Profil", - "public": "Veřejný", - "public-desc": "Toto tablo je veřejné. Je viditelné pro každého, kdo na něj má odkaz a bude zobrazeno ve vyhledávačích jako je Google. Pouze vybraní uživatelé ho mohou upravovat.", - "quick-access-description": "Pro přidání odkazu do této lišty označ tablo hvězdičkou.", - "remove-cover": "Odstranit obal", - "remove-from-board": "Odstranit z tabla", - "remove-label": "Odstranit štítek", - "listDeletePopup-title": "Smazat seznam?", - "remove-member": "Odebrat uživatele", - "remove-member-from-card": "Odstranit z karty", - "remove-member-pop": "Odstranit __name__ (__username__) z __boardTitle__? Uživatel bude odebrán ze všech karet na tomto tablu. Na tuto skutečnost bude upozorněn.", - "removeMemberPopup-title": "Odstranit člena?", - "rename": "Přejmenovat", - "rename-board": "Přejmenovat tablo", - "restore": "Obnovit", - "save": "Uložit", - "search": "Hledat", - "search-cards": "Hledat nadpisy a popisy karet v tomto tablu", - "search-example": "Hledaný text", - "select-color": "Vybrat barvu", - "set-wip-limit-value": "Nastaví limit pro maximální počet úkolů v seznamu.", - "setWipLimitPopup-title": "Nastavit WIP Limit", - "shortcut-assign-self": "Přiřadit sebe k aktuální kartě", - "shortcut-autocomplete-emoji": "Automatické dokončování emoji", - "shortcut-autocomplete-members": "Automatický výběr uživatel", - "shortcut-clear-filters": "Vyčistit všechny filtry", - "shortcut-close-dialog": "Zavřít dialog", - "shortcut-filter-my-cards": "Filtrovat mé karty", - "shortcut-show-shortcuts": "Otevřít tento seznam odkazů", - "shortcut-toggle-filterbar": "Přepnout lištu filtrování", - "shortcut-toggle-sidebar": "Přepnout lištu tabla", - "show-cards-minimum-count": "Zobrazit počet karet pokud seznam obsahuje více než ", - "sidebar-open": "Otevřít boční panel", - "sidebar-close": "Zavřít boční panel", - "signupPopup-title": "Vytvořit účet", - "star-board-title": "Kliknutím přidat tablu hvězdičku. Poté bude zobrazeno navrchu seznamu.", - "starred-boards": "Tabla s hvězdičkou", - "starred-boards-description": "Tabla s hvězdičkou jsou zobrazena navrchu seznamu.", - "subscribe": "Odebírat", - "team": "Tým", - "this-board": "toto tablo", - "this-card": "tuto kartu", - "spent-time-hours": "Strávený čas (hodiny)", - "overtime-hours": "Přesčas (hodiny)", - "overtime": "Přesčas", - "has-overtime-cards": "Obsahuje karty s přesčasy", - "has-spenttime-cards": "Obsahuje karty se stráveným časem", - "time": "Čas", - "title": "Název", - "tracking": "Pozorující", - "tracking-info": "Budete informováni o všech změnách v kartách, u kterých jste tvůrce nebo člen.", - "type": "Typ", - "unassign-member": "Vyřadit člena", - "unsaved-description": "Popis neni uložen.", - "unwatch": "Přestat sledovat", - "upload": "Nahrát", - "upload-avatar": "Nahrát avatar", - "uploaded-avatar": "Avatar nahrán", - "username": "Uživatelské jméno", - "view-it": "Zobrazit", - "warn-list-archived": "varování: tuto kartu obsahuje seznam v koši", - "watch": "Sledovat", - "watching": "Sledující", - "watching-info": "Bude vám oznámena každá změna v tomto tablu", - "welcome-board": "Uvítací tablo", - "welcome-swimlane": "Milník 1", - "welcome-list1": "Základní", - "welcome-list2": "Pokročilé", - "what-to-do": "Co chcete dělat?", - "wipLimitErrorPopup-title": "Neplatný WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "Počet úkolů v tomto seznamu je vyšší než definovaný WIP limit.", - "wipLimitErrorPopup-dialog-pt2": "Přesuňte prosím některé úkoly mimo tento seznam, nebo nastavte vyšší WIP limit.", - "admin-panel": "Administrátorský panel", - "settings": "Nastavení", - "people": "Lidé", - "registration": "Registrace", - "disable-self-registration": "Vypnout svévolnou registraci", - "invite": "Pozvánka", - "invite-people": "Pozvat lidi", - "to-boards": "Do tabel", - "email-addresses": "Emailové adresy", - "smtp-host-description": "Adresa SMTP serveru, který zpracovává vaše emaily.", - "smtp-port-description": "Port, který používá Váš SMTP server pro odchozí emaily.", - "smtp-tls-description": "Zapnout TLS podporu pro SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Uživatelské jméno", - "smtp-password": "Heslo", - "smtp-tls": "podpora TLS", - "send-from": "Od", - "send-smtp-test": "Poslat si zkušební email.", - "invitation-code": "Kód pozvánky", - "email-invite-register-subject": "__inviter__ odeslal pozvánku", - "email-invite-register-text": "Ahoj __user__,\n\n__inviter__ tě přizval ke spolupráci ve Wekanu.\n\nNásleduj prosím odkaz níže:\n\n__url__\n\nKód Tvé pozvánky je: __icode__\n\nDěkujeme.", - "email-smtp-test-subject": "SMTP Testovací email z Wekanu", - "email-smtp-test-text": "Email byl úspěšně odeslán", - "error-invitation-code-not-exist": "Kód pozvánky neexistuje.", - "error-notAuthorized": "Nejste autorizován k prohlížení této stránky.", - "outgoing-webhooks": "Odchozí Webhooky", - "outgoingWebhooksPopup-title": "Odchozí Webhooky", - "new-outgoing-webhook": "Nové odchozí Webhooky", - "no-name": "(Neznámé)", - "Wekan_version": "Wekan verze", - "Node_version": "Node verze", - "OS_Arch": "OS Architektura", - "OS_Cpus": "OS Počet CPU", - "OS_Freemem": "OS Volná paměť", - "OS_Loadavg": "OS Průměrná zátěž systém", - "OS_Platform": "Platforma OS", - "OS_Release": "Verze OS", - "OS_Totalmem": "OS Celková paměť", - "OS_Type": "Typ OS", - "OS_Uptime": "OS Doba běhu systému", - "hours": "hodin", - "minutes": "minut", - "seconds": "sekund", - "show-field-on-card": "Ukázat toto pole na kartě", - "yes": "Ano", - "no": "Ne", - "accounts": "Účty", - "accounts-allowEmailChange": "Povolit změnu Emailu", - "accounts-allowUserNameChange": "Povolit změnu uživatelského jména", - "createdAt": "Vytvořeno v", - "verified": "Ověřen", - "active": "Aktivní", - "card-received": "Přijato", - "card-received-on": "Přijaté v", - "card-end": "Konec", - "card-end-on": "Končí v", - "editCardReceivedDatePopup-title": "Změnit datum přijetí", - "editCardEndDatePopup-title": "Změnit datum konce", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Smazat tablo?", - "delete-board": "Smazat tablo" -} \ No newline at end of file diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json deleted file mode 100644 index fffcd205..00000000 --- a/i18n/de.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Akzeptieren", - "act-activity-notify": "[Wekan] Aktivitätsbenachrichtigung", - "act-addAttachment": "hat __attachment__ an __card__ angehängt", - "act-addChecklist": "hat die Checkliste __checklist__ zu __card__ hinzugefügt", - "act-addChecklistItem": "hat __checklistItem__ zur Checkliste __checklist__ in __card__ hinzugefügt", - "act-addComment": "hat __card__ kommentiert: __comment__", - "act-createBoard": "hat __board__ erstellt", - "act-createCard": "hat __card__ zu __list__ hinzugefügt", - "act-createCustomField": "benutzerdefiniertes Feld __customField__ angelegt", - "act-createList": "hat __list__ zu __board__ hinzugefügt", - "act-addBoardMember": "hat __member__ zu __board__ hinzugefügt", - "act-archivedBoard": "__board__ in den Papierkorb verschoben", - "act-archivedCard": "__card__ in den Papierkorb verschoben", - "act-archivedList": "__list__ in den Papierkorb verschoben", - "act-archivedSwimlane": "__swimlane__ in den Papierkorb verschoben", - "act-importBoard": "hat __board__ importiert", - "act-importCard": "hat __card__ importiert", - "act-importList": "hat __list__ importiert", - "act-joinMember": "hat __member__ zu __card__ hinzugefügt", - "act-moveCard": "hat __card__ von __oldList__ nach __list__ verschoben", - "act-removeBoardMember": "hat __member__ von __board__ entfernt", - "act-restoredCard": "hat __card__ in __board__ wiederhergestellt", - "act-unjoinMember": "hat __member__ von __card__ entfernt", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Aktionen", - "activities": "Aktivitäten", - "activity": "Aktivität", - "activity-added": "hat %s zu %s hinzugefügt", - "activity-archived": "hat %s in den Papierkorb verschoben", - "activity-attached": "hat %s an %s angehängt", - "activity-created": "hat %s erstellt", - "activity-customfield-created": "hat das benutzerdefinierte Feld %s erstellt", - "activity-excluded": "hat %s von %s ausgeschlossen", - "activity-imported": "hat %s in %s von %s importiert", - "activity-imported-board": "hat %s von %s importiert", - "activity-joined": "ist %s beigetreten", - "activity-moved": "hat %s von %s nach %s verschoben", - "activity-on": "in %s", - "activity-removed": "hat %s von %s entfernt", - "activity-sent": "hat %s an %s gesendet", - "activity-unjoined": "hat %s verlassen", - "activity-checklist-added": "hat eine Checkliste zu %s hinzugefügt", - "activity-checklist-item-added": "hat eine Checklistenposition zu '%s' in %s hinzugefügt", - "add": "Hinzufügen", - "add-attachment": "Datei anhängen", - "add-board": "neues Board", - "add-card": "Karte hinzufügen", - "add-swimlane": "Swimlane hinzufügen", - "add-checklist": "Checkliste hinzufügen", - "add-checklist-item": "Position zu einer Checkliste hinzufügen", - "add-cover": "Cover hinzufügen", - "add-label": "Label hinzufügen", - "add-list": "Liste hinzufügen", - "add-members": "Mitglieder hinzufügen", - "added": "Hinzugefügt", - "addMemberPopup-title": "Mitglieder", - "admin": "Admin", - "admin-desc": "Kann Karten anzeigen und bearbeiten, Mitglieder entfernen und Boardeinstellungen ändern.", - "admin-announcement": "Ankündigung", - "admin-announcement-active": "Aktive systemweite Ankündigungen", - "admin-announcement-title": "Ankündigung des Administrators", - "all-boards": "Alle Boards", - "and-n-other-card": "und eine andere Karte", - "and-n-other-card_plural": "und __count__ andere Karten", - "apply": "Übernehmen", - "app-is-offline": "Wekan lädt gerade, bitte warten Sie. Wenn Sie die Seite neu laden, gehen nicht übertragene Änderungen verloren. Sollte Wekan nicht geladen werden, überprüfen Sie bitte, ob der Server noch läuft.", - "archive": "In den Papierkorb verschieben", - "archive-all": "Alles in den Papierkorb verschieben", - "archive-board": "Board in den Papierkorb verschieben", - "archive-card": "Karte in den Papierkorb verschieben", - "archive-list": "Liste in den Papierkorb verschieben", - "archive-swimlane": "Swimlane in den Papierkorb verschieben", - "archive-selection": "Auswahl in den Papierkorb verschieben", - "archiveBoardPopup-title": "Board in den Papierkorb verschieben?", - "archived-items": "Papierkorb", - "archived-boards": "Boards im Papierkorb", - "restore-board": "Board wiederherstellen", - "no-archived-boards": "Keine Boards im Papierkorb.", - "archives": "Papierkorb", - "assign-member": "Mitglied zuweisen", - "attached": "angehängt", - "attachment": "Anhang", - "attachment-delete-pop": "Das Löschen eines Anhangs kann nicht rückgängig gemacht werden.", - "attachmentDeletePopup-title": "Anhang löschen?", - "attachments": "Anhänge", - "auto-watch": "Neue Boards nach Erstellung automatisch beobachten", - "avatar-too-big": "Das Profilbild ist zu groß (max. 70KB)", - "back": "Zurück", - "board-change-color": "Farbe ändern", - "board-nb-stars": "%s Sterne", - "board-not-found": "Board nicht gefunden", - "board-private-info": "Dieses Board wird privat sein.", - "board-public-info": "Dieses Board wird öffentlich sein.", - "boardChangeColorPopup-title": "Farbe des Boards ändern", - "boardChangeTitlePopup-title": "Board umbenennen", - "boardChangeVisibilityPopup-title": "Sichtbarkeit ändern", - "boardChangeWatchPopup-title": "Beobachtung ändern", - "boardMenuPopup-title": "Boardmenü", - "boards": "Boards", - "board-view": "Boardansicht", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Listen", - "bucket-example": "z.B. \"Löffelliste\"", - "cancel": "Abbrechen", - "card-archived": "Diese Karte wurde in den Papierkorb verschoben", - "card-comments-title": "Diese Karte hat %s Kommentar(e).", - "card-delete-notice": "Löschen kann nicht rückgängig gemacht werden. Alle Aktionen, die dieser Karte zugeordnet sind, werden ebenfalls gelöscht.", - "card-delete-pop": "Alle Aktionen werden aus dem Aktivitätsfeed entfernt und die Karte kann nicht wiedereröffnet werden. Die Aktion kann nicht rückgängig gemacht werden.", - "card-delete-suggest-archive": "Sie können eine Karte in den Papierkorb verschieben, um sie vom Board zu entfernen und die Aktivitäten zu behalten.", - "card-due": "Fällig", - "card-due-on": "Fällig am", - "card-spent": "Aufgewendete Zeit", - "card-edit-attachments": "Anhänge ändern", - "card-edit-custom-fields": "Benutzerdefinierte Felder editieren", - "card-edit-labels": "Labels ändern", - "card-edit-members": "Mitglieder ändern", - "card-labels-title": "Labels für diese Karte ändern.", - "card-members-title": "Der Karte Board-Mitglieder hinzufügen oder entfernen.", - "card-start": "Start", - "card-start-on": "Start am", - "cardAttachmentsPopup-title": "Anhängen von", - "cardCustomField-datePopup-title": "Datum ändern", - "cardCustomFieldsPopup-title": "Benutzerdefinierte Felder editieren", - "cardDeletePopup-title": "Karte löschen?", - "cardDetailsActionsPopup-title": "Kartenaktionen", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Mitglieder", - "cardMorePopup-title": "Mehr", - "cards": "Karten", - "cards-count": "Karten", - "change": "Ändern", - "change-avatar": "Profilbild ändern", - "change-password": "Passwort ändern", - "change-permissions": "Berechtigungen ändern", - "change-settings": "Einstellungen ändern", - "changeAvatarPopup-title": "Profilbild ändern", - "changeLanguagePopup-title": "Sprache ändern", - "changePasswordPopup-title": "Passwort ändern", - "changePermissionsPopup-title": "Berechtigungen ändern", - "changeSettingsPopup-title": "Einstellungen ändern", - "checklists": "Checklisten", - "click-to-star": "Klicken Sie, um das Board mit einem Stern zu markieren.", - "click-to-unstar": "Klicken Sie, um den Stern vom Board zu entfernen.", - "clipboard": "Zwischenablage oder Drag & Drop", - "close": "Schließen", - "close-board": "Board schließen", - "close-board-pop": "Sie können das Board wiederherstellen, indem Sie die Schaltfläche \"Papierkorb\" in der Kopfzeile der Startseite anklicken.", - "color-black": "schwarz", - "color-blue": "blau", - "color-green": "grün", - "color-lime": "hellgrün", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "lila", - "color-red": "rot", - "color-sky": "himmelblau", - "color-yellow": "gelb", - "comment": "Kommentar", - "comment-placeholder": "Kommentar schreiben", - "comment-only": "Nur kommentierbar", - "comment-only-desc": "Kann Karten nur Kommentieren", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Sind Sie sicher, dass Sie die Checkliste löschen möchten?", - "copy-card-link-to-clipboard": "Kopiere Link zur Karte in die Zwischenablage", - "copyCardPopup-title": "Karte kopieren", - "copyChecklistToManyCardsPopup-title": "Checklistenvorlage in mehrere Karten kopieren", - "copyChecklistToManyCardsPopup-instructions": "Titel und Beschreibungen der Zielkarten im folgenden JSON-Format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titel der ersten Karte\", \"description\":\"Beschreibung der ersten Karte\"}, {\"title\":\"Titel der zweiten Karte\",\"description\":\"Beschreibung der zweiten Karte\"},{\"title\":\"Titel der letzten Karte\",\"description\":\"Beschreibung der letzten Karte\"} ]", - "create": "Erstellen", - "createBoardPopup-title": "Board erstellen", - "chooseBoardSourcePopup-title": "Board importieren", - "createLabelPopup-title": "Label erstellen", - "createCustomField": "Feld erstellen", - "createCustomFieldPopup-title": "Feld erstellen", - "current": "aktuell", - "custom-field-delete-pop": "Dies wird das Feld aus allen Karten entfernen und den dazugehörigen Verlauf löschen. Die Aktion kann nicht rückgängig gemacht werden.", - "custom-field-checkbox": "Kontrollkästchen", - "custom-field-date": "Datum", - "custom-field-dropdown": "Dropdownliste", - "custom-field-dropdown-none": "(keiner)", - "custom-field-dropdown-options": "Listenoptionen", - "custom-field-dropdown-options-placeholder": "Drücken Sie die Eingabetaste, um weitere Optionen hinzuzufügen", - "custom-field-dropdown-unknown": "(unbekannt)", - "custom-field-number": "Zahl", - "custom-field-text": "Text", - "custom-fields": "Benutzerdefinierte Felder", - "date": "Datum", - "decline": "Ablehnen", - "default-avatar": "Standard Profilbild", - "delete": "Löschen", - "deleteCustomFieldPopup-title": "Benutzerdefiniertes Feld löschen?", - "deleteLabelPopup-title": "Label löschen?", - "description": "Beschreibung", - "disambiguateMultiLabelPopup-title": "Labels vereinheitlichen", - "disambiguateMultiMemberPopup-title": "Mitglieder vereinheitlichen", - "discard": "Verwerfen", - "done": "Erledigt", - "download": "Herunterladen", - "edit": "Bearbeiten", - "edit-avatar": "Profilbild ändern", - "edit-profile": "Profil ändern", - "edit-wip-limit": "WIP-Limit bearbeiten", - "soft-wip-limit": "Soft WIP-Limit", - "editCardStartDatePopup-title": "Startdatum ändern", - "editCardDueDatePopup-title": "Fälligkeitsdatum ändern", - "editCustomFieldPopup-title": "Feld bearbeiten", - "editCardSpentTimePopup-title": "Aufgewendete Zeit ändern", - "editLabelPopup-title": "Label ändern", - "editNotificationPopup-title": "Benachrichtigung ändern", - "editProfilePopup-title": "Profil ändern", - "email": "E-Mail", - "email-enrollAccount-subject": "Ihr Benutzerkonto auf __siteName__ wurde erstellt", - "email-enrollAccount-text": "Hallo __user__,\n\num den Dienst nutzen zu können, klicken Sie bitte auf folgenden Link:\n\n__url__\n\nDanke.", - "email-fail": "Senden der E-Mail fehlgeschlagen", - "email-fail-text": "Fehler beim Senden des E-Mails", - "email-invalid": "Ungültige E-Mail-Adresse", - "email-invite": "via E-Mail einladen", - "email-invite-subject": "__inviter__ hat Ihnen eine Einladung geschickt", - "email-invite-text": "Hallo __user__,\n\n__inviter__ hat Sie zu dem Board \"__board__\" eingeladen.\n\nBitte klicken Sie auf folgenden Link:\n\n__url__\n\nDanke.", - "email-resetPassword-subject": "Setzten Sie ihr Passwort auf __siteName__ zurück", - "email-resetPassword-text": "Hallo __user__,\n\num ihr Passwort zurückzusetzen, klicken Sie bitte auf folgenden Link:\n\n__url__\n\nDanke.", - "email-sent": "E-Mail gesendet", - "email-verifyEmail-subject": "Bestätigen Sie ihre E-Mail-Adresse auf __siteName__", - "email-verifyEmail-text": "Hallo __user__,\n\num ihre E-Mail-Adresse zu bestätigen, klicken Sie bitte auf folgenden Link:\n\n__url__\n\nDanke.", - "enable-wip-limit": "WIP-Limit einschalten", - "error-board-doesNotExist": "Dieses Board existiert nicht", - "error-board-notAdmin": "Um das zu tun, müssen Sie Administrator dieses Boards sein", - "error-board-notAMember": "Um das zu tun, müssen Sie Mitglied dieses Boards sein", - "error-json-malformed": "Ihre Eingabe ist kein gültiges JSON", - "error-json-schema": "Ihre JSON-Daten enthalten nicht die gewünschten Informationen im richtigen Format", - "error-list-doesNotExist": "Diese Liste existiert nicht", - "error-user-doesNotExist": "Dieser Nutzer existiert nicht", - "error-user-notAllowSelf": "Sie können sich nicht selbst einladen.", - "error-user-notCreated": "Dieser Nutzer ist nicht angelegt", - "error-username-taken": "Dieser Benutzername ist bereits vergeben", - "error-email-taken": "E-Mail wird schon verwendet", - "export-board": "Board exportieren", - "filter": "Filter", - "filter-cards": "Karten filtern", - "filter-clear": "Filter entfernen", - "filter-no-label": "Kein Label", - "filter-no-member": "Kein Mitglied", - "filter-no-custom-fields": "Keine benutzerdefinierten Felder", - "filter-on": "Filter ist aktiv", - "filter-on-desc": "Sie filtern die Karten in diesem Board. Klicken Sie, um den Filter zu bearbeiten.", - "filter-to-selection": "Ergebnisse auswählen", - "advanced-filter-label": "Erweiterter Filter", - "advanced-filter-description": "Der erweiterte Filter erlaubt die Eingabe von Zeichenfolgen, die folgende Operatoren enthalten: == != <= >= && || ( ). Ein Leerzeichen wird als Trennzeichen zwischen den Operatoren verwendet. Sie können nach allen benutzerdefinierten Feldern filtern, indem Sie deren Namen und Werte eingeben. Zum Beispiel: Feld1 == Wert1. Beachten Sie: Wenn Felder oder Werte Leerzeichen enthalten, müssen Sie sie in einfache Anführungszeichen setzen. Zum Beispiel: 'Feld 1' == 'Wert 1'. Sie können außerdem mehrere Bedingungen kombinieren. Zum Beispiel: F1 == W1 || F1 == W2. Normalerweise werden alle Operatoren von links nach rechts interpretiert. Sie können die Reihenfolge ändern, indem Sie Klammern setzen. Zum Beispiel: F1 == W1 && ( F2 == W2 || F2 == W3 )", - "fullname": "Vollständiger Name", - "header-logo-title": "Zurück zur Board Seite.", - "hide-system-messages": "Systemmeldungen ausblenden", - "headerBarCreateBoardPopup-title": "Board erstellen", - "home": "Home", - "import": "Importieren", - "import-board": "Board importieren", - "import-board-c": "Board importieren", - "import-board-title-trello": "Board von Trello importieren", - "import-board-title-wekan": "Board von Wekan importieren", - "import-sandstorm-warning": "Das importierte Board wird alle bereits existierenden Daten löschen und mit den importierten Daten überschreiben.", - "from-trello": "Von Trello", - "from-wekan": "Von Wekan", - "import-board-instruction-trello": "Gehen Sie in ihrem Trello-Board auf 'Menü', dann 'Mehr', 'Drucken und Exportieren', 'JSON-Export' und kopieren Sie den dort angezeigten Text", - "import-board-instruction-wekan": "Gehen Sie in Ihrem Wekan board auf 'Menü', und dann auf 'Board exportieren'. Kopieren Sie anschließend den Text aus der heruntergeladenen Datei.", - "import-json-placeholder": "Fügen Sie die korrekten JSON-Daten hier ein", - "import-map-members": "Mitglieder zuordnen", - "import-members-map": "Das importierte Board hat Mitglieder. Bitte ordnen Sie jene, die importiert werden sollen, vorhandenen Wekan-Nutzern zu", - "import-show-user-mapping": "Mitgliederzuordnung überprüfen", - "import-user-select": "Wählen Sie den Wekan-Nutzer aus, der dieses Mitglied sein soll", - "importMapMembersAddPopup-title": "Wekan-Nutzer auswählen", - "info": "Version", - "initials": "Initialen", - "invalid-date": "Ungültiges Datum", - "invalid-time": "Ungültige Zeitangabe", - "invalid-user": "Ungültiger Benutzer", - "joined": "beigetreten", - "just-invited": "Sie wurden soeben zu diesem Board eingeladen", - "keyboard-shortcuts": "Tastaturkürzel", - "label-create": "Label erstellen", - "label-default": "%s Label (Standard)", - "label-delete-pop": "Aktion kann nicht rückgängig gemacht werden. Das Label wird von allen Karten entfernt und seine Historie gelöscht.", - "labels": "Labels", - "language": "Sprache", - "last-admin-desc": "Sie können keine Rollen ändern, weil es mindestens einen Administrator geben muss.", - "leave-board": "Board verlassen", - "leave-board-pop": "Sind Sie sicher, dass Sie __boardTitle__ verlassen möchten? Sie werden von allen Karten in diesem Board entfernt.", - "leaveBoardPopup-title": "Board verlassen?", - "link-card": "Link zu dieser Karte", - "list-archive-cards": "Alle Karten dieser Liste in den Papierkorb verschieben", - "list-archive-cards-pop": "Alle Karten dieser Liste werden vom Board entfernt. Um Karten im Papierkorb anzuzeigen und wiederherzustellen, klicken Sie auf \"Menü\" > \"Papierkorb\".", - "list-move-cards": "Alle Karten in dieser Liste verschieben", - "list-select-cards": "Alle Karten in dieser Liste auswählen", - "listActionPopup-title": "Listenaktionen", - "swimlaneActionPopup-title": "Swimlaneaktionen", - "listImportCardPopup-title": "Eine Trello-Karte importieren", - "listMorePopup-title": "Mehr", - "link-list": "Link zu dieser Liste", - "list-delete-pop": "Alle Aktionen werden aus dem Verlauf gelöscht und die Liste kann nicht wiederhergestellt werden.", - "list-delete-suggest-archive": "Listen können in den Papierkorb verschoben werden, um sie aus dem Board zu entfernen und die Aktivitäten zu behalten.", - "lists": "Listen", - "swimlanes": "Swimlanes", - "log-out": "Ausloggen", - "log-in": "Einloggen", - "loginPopup-title": "Einloggen", - "memberMenuPopup-title": "Nutzereinstellungen", - "members": "Mitglieder", - "menu": "Menü", - "move-selection": "Auswahl verschieben", - "moveCardPopup-title": "Karte verschieben", - "moveCardToBottom-title": "Ans Ende verschieben", - "moveCardToTop-title": "Zum Anfang verschieben", - "moveSelectionPopup-title": "Auswahl verschieben", - "multi-selection": "Mehrfachauswahl", - "multi-selection-on": "Mehrfachauswahl ist aktiv", - "muted": "Stumm", - "muted-info": "Sie werden nicht über Änderungen auf diesem Board benachrichtigt", - "my-boards": "Meine Boards", - "name": "Name", - "no-archived-cards": "Keine Karten im Papierkorb.", - "no-archived-lists": "Keine Listen im Papierkorb.", - "no-archived-swimlanes": "Keine Swimlanes im Papierkorb.", - "no-results": "Keine Ergebnisse", - "normal": "Normal", - "normal-desc": "Kann Karten anzeigen und bearbeiten, aber keine Einstellungen ändern.", - "not-accepted-yet": "Die Einladung wurde noch nicht angenommen", - "notify-participate": "Benachrichtigungen zu allen Karten erhalten, an denen Sie teilnehmen", - "notify-watch": "Benachrichtigungen über alle Boards, Listen oder Karten erhalten, die Sie beobachten", - "optional": "optional", - "or": "oder", - "page-maybe-private": "Diese Seite könnte privat sein. Vielleicht können Sie sie sehen, wenn Sie sich einloggen.", - "page-not-found": "Seite nicht gefunden.", - "password": "Passwort", - "paste-or-dragdrop": "Einfügen oder Datei mit Drag & Drop ablegen (nur Bilder)", - "participating": "Teilnehmen", - "preview": "Vorschau", - "previewAttachedImagePopup-title": "Vorschau", - "previewClipboardImagePopup-title": "Vorschau", - "private": "Privat", - "private-desc": "Dieses Board ist privat. Nur Nutzer, die zu dem Board gehören, können es anschauen und bearbeiten.", - "profile": "Profil", - "public": "Öffentlich", - "public-desc": "Dieses Board ist öffentlich. Es ist für jeden, der den Link kennt, sichtbar und taucht in Suchmaschinen wie Google auf. Nur Nutzer, die zum Board hinzugefügt wurden, können es bearbeiten.", - "quick-access-description": "Markieren Sie ein Board mit einem Stern, um dieser Leiste eine Verknüpfung hinzuzufügen.", - "remove-cover": "Cover entfernen", - "remove-from-board": "Von Board entfernen", - "remove-label": "Label entfernen", - "listDeletePopup-title": "Liste löschen?", - "remove-member": "Nutzer entfernen", - "remove-member-from-card": "Von Karte entfernen", - "remove-member-pop": "__name__ (__username__) von __boardTitle__ entfernen? Das Mitglied wird von allen Karten auf diesem Board entfernt. Es erhält eine Benachrichtigung.", - "removeMemberPopup-title": "Mitglied entfernen?", - "rename": "Umbenennen", - "rename-board": "Board umbenennen", - "restore": "Wiederherstellen", - "save": "Speichern", - "search": "Suchen", - "search-cards": "Suche nach Kartentiteln und Beschreibungen auf diesem Board", - "search-example": "Suchbegriff", - "select-color": "Farbe auswählen", - "set-wip-limit-value": "Setzen Sie ein Limit für die maximale Anzahl von Aufgaben in dieser Liste", - "setWipLimitPopup-title": "WIP-Limit setzen", - "shortcut-assign-self": "Fügen Sie sich zur aktuellen Karte hinzu", - "shortcut-autocomplete-emoji": "Emojis vervollständigen", - "shortcut-autocomplete-members": "Mitglieder vervollständigen", - "shortcut-clear-filters": "Alle Filter entfernen", - "shortcut-close-dialog": "Dialog schließen", - "shortcut-filter-my-cards": "Meine Karten filtern", - "shortcut-show-shortcuts": "Liste der Tastaturkürzel anzeigen", - "shortcut-toggle-filterbar": "Filter-Seitenleiste ein-/ausblenden", - "shortcut-toggle-sidebar": "Seitenleiste ein-/ausblenden", - "show-cards-minimum-count": "Zeigt die Kartenanzahl an, wenn die Liste mehr enthält als", - "sidebar-open": "Seitenleiste öffnen", - "sidebar-close": "Seitenleiste schließen", - "signupPopup-title": "Benutzerkonto erstellen", - "star-board-title": "Klicken Sie, um das Board mit einem Stern zu markieren. Es erscheint dann oben in ihrer Boardliste.", - "starred-boards": "Markierte Boards", - "starred-boards-description": "Markierte Boards erscheinen oben in ihrer Boardliste.", - "subscribe": "Abonnieren", - "team": "Team", - "this-board": "diesem Board", - "this-card": "diese Karte", - "spent-time-hours": "Aufgewendete Zeit (Stunden)", - "overtime-hours": "Mehrarbeit (Stunden)", - "overtime": "Mehrarbeit", - "has-overtime-cards": "Hat Karten mit Mehrarbeit", - "has-spenttime-cards": "Hat Karten mit aufgewendeten Zeiten", - "time": "Zeit", - "title": "Titel", - "tracking": "Folgen", - "tracking-info": "Sie werden über alle Änderungen an Karten benachrichtigt, an denen Sie als Ersteller oder Mitglied beteiligt sind.", - "type": "Typ", - "unassign-member": "Mitglied entfernen", - "unsaved-description": "Sie haben eine nicht gespeicherte Änderung.", - "unwatch": "Beobachtung entfernen", - "upload": "Upload", - "upload-avatar": "Profilbild hochladen", - "uploaded-avatar": "Profilbild hochgeladen", - "username": "Benutzername", - "view-it": "Ansehen", - "warn-list-archived": "Warnung: Diese Karte befindet sich in einer Liste im Papierkorb!", - "watch": "Beobachten", - "watching": "Beobachten", - "watching-info": "Sie werden über alle Änderungen in diesem Board benachrichtigt", - "welcome-board": "Willkommen-Board", - "welcome-swimlane": "Meilenstein 1", - "welcome-list1": "Grundlagen", - "welcome-list2": "Fortgeschritten", - "what-to-do": "Was wollen Sie tun?", - "wipLimitErrorPopup-title": "Ungültiges WIP-Limit", - "wipLimitErrorPopup-dialog-pt1": "Die Anzahl von Aufgaben in dieser Liste ist größer als das von Ihnen definierte WIP-Limit.", - "wipLimitErrorPopup-dialog-pt2": "Bitte verschieben Sie einige Aufgaben aus dieser Liste oder setzen Sie ein grösseres WIP-Limit.", - "admin-panel": "Administration", - "settings": "Einstellungen", - "people": "Nutzer", - "registration": "Registrierung", - "disable-self-registration": "Selbstregistrierung deaktivieren", - "invite": "Einladen", - "invite-people": "Nutzer einladen", - "to-boards": "In Board(s)", - "email-addresses": "E-Mail Adressen", - "smtp-host-description": "Die Adresse Ihres SMTP-Servers für ausgehende E-Mails.", - "smtp-port-description": "Der Port Ihres SMTP-Servers für ausgehende E-Mails.", - "smtp-tls-description": "Aktiviere TLS Unterstützung für SMTP Server", - "smtp-host": "SMTP-Server", - "smtp-port": "SMTP-Port", - "smtp-username": "Benutzername", - "smtp-password": "Passwort", - "smtp-tls": "TLS Unterstützung", - "send-from": "Absender", - "send-smtp-test": "Test-E-Mail an sich selbst schicken", - "invitation-code": "Einladungscode", - "email-invite-register-subject": "__inviter__ hat Ihnen eine Einladung geschickt", - "email-invite-register-text": "Hallo __user__,\n\n__inviter__ hat Sie für Ihre Zusammenarbeit zu Wekan eingeladen.\n\nBitte klicken Sie auf folgenden Link:\n__url__\n\nIhr Einladungscode lautet: __icode__\n\nDanke.", - "email-smtp-test-subject": "SMTP-Test-E-Mail von Wekan", - "email-smtp-test-text": "Sie haben erfolgreich eine E-Mail versandt", - "error-invitation-code-not-exist": "Ungültiger Einladungscode", - "error-notAuthorized": "Sie sind nicht berechtigt diese Seite zu sehen.", - "outgoing-webhooks": "Ausgehende Webhooks", - "outgoingWebhooksPopup-title": "Ausgehende Webhooks", - "new-outgoing-webhook": "Neuer ausgehender Webhook", - "no-name": "(Unbekannt)", - "Wekan_version": "Wekan-Version", - "Node_version": "Node-Version", - "OS_Arch": "Betriebssystem-Architektur", - "OS_Cpus": "Anzahl Prozessoren", - "OS_Freemem": "Freier Arbeitsspeicher", - "OS_Loadavg": "Mittlere Systembelastung", - "OS_Platform": "Plattform", - "OS_Release": "Version des Betriebssystem", - "OS_Totalmem": "Gesamter Arbeitsspeicher", - "OS_Type": "Typ des Betriebssystems", - "OS_Uptime": "Laufzeit des Systems", - "hours": "Stunden", - "minutes": "Minuten", - "seconds": "Sekunden", - "show-field-on-card": "Zeige dieses Feld auf der Karte", - "yes": "Ja", - "no": "Nein", - "accounts": "Konten", - "accounts-allowEmailChange": "Ändern der E-Mailadresse erlauben", - "accounts-allowUserNameChange": "Ändern des Benutzernamens erlauben", - "createdAt": "Erstellt am", - "verified": "Geprüft", - "active": "Aktiv", - "card-received": "Empfangen", - "card-received-on": "Empfangen am", - "card-end": "Ende", - "card-end-on": "Endet am", - "editCardReceivedDatePopup-title": "Empfangsdatum ändern", - "editCardEndDatePopup-title": "Enddatum ändern", - "assigned-by": "Zugewiesen von", - "requested-by": "Angefordert von", - "board-delete-notice": "Löschen kann nicht rückgängig gemacht werden. Sie werden alle Listen, Karten und Aktionen, die mit diesem Board verbunden sind, verlieren.", - "delete-board-confirm-popup": "Alle Listen, Karten, Labels und Akivitäten werden gelöscht und Sie können die Inhalte des Boards nicht wiederherstellen! Die Aktion kann nicht rückgängig gemacht werden.", - "boardDeletePopup-title": "Board löschen?", - "delete-board": "Board löschen" -} \ No newline at end of file diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json deleted file mode 100644 index f863b23a..00000000 --- a/i18n/el.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Accept", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Προσθήκη", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Προσθήκη Κάρτας", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Προσθήκη Ετικέτας", - "add-list": "Προσθήκη Λίστας", - "add-members": "Προσθήκη Μελών", - "added": "Προστέθηκε", - "addMemberPopup-title": "Μέλοι", - "admin": "Διαχειριστής", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Εφαρμογή", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Πίσω", - "board-change-color": "Αλλαγή χρώματος", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Λίστες", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Ακύρωση", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Έως", - "card-due-on": "Έως τις", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Διαγραφή Κάρτας;", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Ετικέτες", - "cardMembersPopup-title": "Μέλοι", - "cardMorePopup-title": "Περισσότερα", - "cards": "Κάρτες", - "cards-count": "Κάρτες", - "change": "Αλλαγή", - "change-avatar": "Change Avatar", - "change-password": "Αλλαγή Κωδικού", - "change-permissions": "Change permissions", - "change-settings": "Αλλαγή Ρυθμίσεων", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Αλλαγή Γλώσσας", - "changePasswordPopup-title": "Αλλαγή Κωδικού", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Αλλαγή Ρυθμίσεων", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Κλείσιμο", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "μαύρο", - "color-blue": "μπλε", - "color-green": "πράσινο", - "color-lime": "λάιμ", - "color-orange": "πορτοκαλί", - "color-pink": "ροζ", - "color-purple": "μωβ", - "color-red": "κόκκινο", - "color-sky": "ουρανός", - "color-yellow": "κίτρινο", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Υπολογιστής", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Δημιουργία", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Ημερομηνία", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Ημερομηνία", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Διαγραφή", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Απόρριψη", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Το κείμενο δεν είναι έγκυρο JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Φίλτρο", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "Κανένα μέλος", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Πλήρες Όνομα", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Εισαγωγή", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "Από το Trello", - "from-wekan": "Από το Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Έκδοση", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Ετικέτες", - "language": "Γλώσσα", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "Περισσότερα", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Λίστες", - "swimlanes": "Swimlanes", - "log-out": "Αποσύνδεση", - "log-in": "Σύνδεση", - "loginPopup-title": "Σύνδεση", - "memberMenuPopup-title": "Member Settings", - "members": "Μέλοι", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Όνομα", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Κανένα αποτέλεσμα", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "ή", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Η σελίδα δεν βρέθηκε.", - "password": "Κωδικός", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Διαγραφή Λίστας;", - "remove-member": "Αφαίρεση Μέλους", - "remove-member-from-card": "Αφαίρεση από την Κάρτα", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Αφαίρεση Μέλους;", - "rename": "Μετανομασία", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Αποθήκευση", - "search": "Αναζήτηση", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Επιλέξτε Χρώμα", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Δημιουργία Λογαριασμού", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Ομάδα", - "this-board": "this board", - "this-card": "αυτή η κάρτα", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Ώρα", - "title": "Τίτλος", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Όνομα Χρήστη", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Ρυθμίσεις", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Διευθύνσεις", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Όνομα Χρήστη", - "smtp-password": "Κωδικός", - "smtp-tls": "TLS υποστήριξη", - "send-from": "Από", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Κωδικός Πρόσκλησης", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Ο κωδικός πρόσκλησης δεν υπάρχει", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Άγνωστο)", - "Wekan_version": "Wekan έκδοση", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "ώρες", - "minutes": "λεπτά", - "seconds": "δευτερόλεπτα", - "show-field-on-card": "Show this field on card", - "yes": "Ναι", - "no": "Όχι", - "accounts": "Λογαριασμοί", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json deleted file mode 100644 index 44140081..00000000 --- a/i18n/en-GB.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Accept", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached _ attachment _ to _ card _", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Add", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", - "addMemberPopup-title": "Members", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change colour", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Members", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaboration.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve its activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Members", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Colour", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in a list in the Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any changes in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaboration.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorised to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json deleted file mode 100644 index df268772..00000000 --- a/i18n/eo.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Akcepti", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "Kreiis __board__", - "act-createCard": "Aldonis __card__ al __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "Aldonis __card__ al __board__", - "act-addBoardMember": "Aldonis __member__ al __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "Aldonis __member__ al __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Akcioj", - "activities": "Aktivaĵoj", - "activity": "Aktivaĵo", - "activity-added": "Aldonis %s al %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "Kreiis %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "Sendis %s al %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Aldoni", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Aldoni membrojn", - "added": "Aldonita", - "addMemberPopup-title": "Membroj", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apliki", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Reen", - "board-change-color": "Ŝanĝi koloron", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Listoj", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Redakti etikedojn", - "card-edit-members": "Redakti membrojn", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Komenco", - "card-start-on": "Komencas je la", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Etikedoj", - "cardMembersPopup-title": "Membroj", - "cardMorePopup-title": "Pli", - "cards": "Kartoj", - "cards-count": "Kartoj", - "change": "Ŝanĝi", - "change-avatar": "Change Avatar", - "change-password": "Ŝangi pasvorton", - "change-permissions": "Change permissions", - "change-settings": "Ŝanĝi agordojn", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Ŝanĝi lingvon", - "changePasswordPopup-title": "Ŝangi pasvorton", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Ŝanĝi agordojn", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Fermi", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "nigra", - "color-blue": "blua", - "color-green": "verda", - "color-lime": "lime", - "color-orange": "oranĝa", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "ruĝa", - "color-sky": "sky", - "color-yellow": "flava", - "comment": "Komento", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Komputilo", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Krei", - "createBoardPopup-title": "Krei tavolon", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Dato", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Dato", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Farite", - "download": "Elŝuti", - "edit": "Redakti", - "edit-avatar": "Change Avatar", - "edit-profile": "Redakti profilon", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Redakti komencdaton", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Ŝanĝi etikedon", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Redakti profilon", - "email": "Retpoŝtadreso", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Malsukcesis sendi retpoŝton", - "email-fail-text": "Error trying to send email", - "email-invalid": "Nevalida retpoŝtadreso", - "email-invite": "Inviti per retpoŝto", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Sendis retpoŝton", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Via teksto estas nevalida JSON", - "error-json-schema": "Via JSON ne enhavas la ĝustajn informojn en ĝusta formato", - "error-list-doesNotExist": "Tio listo ne ekzistas", - "error-user-doesNotExist": "Tio uzanto ne ekzistas", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "Uzanto ne kreita", - "error-username-taken": "Uzantnomo jam prenita", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "Nenia etikedo", - "filter-no-member": "Nenia membro", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Krei tavolon", - "home": "Hejmo", - "import": "Importi", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Etikedoj", - "language": "Lingvo", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Ligi al ĉitiu karto", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Movu ĉiujn kartojn en tiu listo.", - "list-select-cards": "Elektu ĉiujn kartojn en tiu listo.", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "Pli", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Listoj", - "swimlanes": "Swimlanes", - "log-out": "Elsaluti", - "log-in": "Ensaluti", - "loginPopup-title": "Ensaluti", - "memberMenuPopup-title": "Membraj agordoj", - "members": "Membroj", - "menu": "Menuo", - "move-selection": "Movi elekton", - "moveCardPopup-title": "Movi karton", - "moveCardToBottom-title": "Movi suben", - "moveCardToTop-title": "Movi supren", - "moveSelectionPopup-title": "Movi elekton", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Nomo", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Neniaj rezultoj", - "normal": "Normala", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "aŭ", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Netrovita paĝo.", - "password": "Pasvorto", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Privata", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profilo", - "public": "Publika", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Forigi membron", - "remove-member-from-card": "Forigi de karto", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Renomi", - "rename-board": "Rename Board", - "restore": "Forigi", - "save": "Savi", - "search": "Serĉi", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Teamo", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Tempo", - "title": "Titolo", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Alŝuti", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Uzantnomo", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Rigardi", - "watching": "Rigardante", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "Kion vi volas fari?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Uzantnomo", - "smtp-password": "Pasvorto", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json deleted file mode 100644 index 5262568f..00000000 --- a/i18n/es-AR.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Aceptar", - "act-activity-notify": "[Wekan] Notificación de Actividad", - "act-addAttachment": "adjunto __attachment__ a __card__", - "act-addChecklist": "lista de ítems __checklist__ agregada a __card__", - "act-addChecklistItem": " __checklistItem__ agregada a lista de ítems __checklist__ en __card__", - "act-addComment": "comentado en __card__: __comment__", - "act-createBoard": "__board__ creado", - "act-createCard": "agregada __card__ a __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "agregada __list__ a __board__", - "act-addBoardMember": "agregado __member__ a __board__", - "act-archivedBoard": "__board__ movido a Papelera de Reciclaje", - "act-archivedCard": "__card__ movido a Papelera de Reciclaje", - "act-archivedList": "__list__ movido a Papelera de Reciclaje", - "act-archivedSwimlane": "__swimlane__ movido a Papelera de Reciclaje", - "act-importBoard": "__board__ importado", - "act-importCard": "__card__ importada", - "act-importList": "__list__ importada", - "act-joinMember": "__member__ agregado a __card__", - "act-moveCard": "__card__ movida de __oldList__ a __list__", - "act-removeBoardMember": "__member__ removido de __board__", - "act-restoredCard": "__card__ restaurada a __board__", - "act-unjoinMember": "__member__ removido de __card__", - "act-withBoardTitle": "__board__ [Wekan]", - "act-withCardTitle": "__card__ [__board__] ", - "actions": "Acciones", - "activities": "Actividades", - "activity": "Actividad", - "activity-added": "agregadas %s a %s", - "activity-archived": "%s movido a Papelera de Reciclaje", - "activity-attached": "adjuntadas %s a %s", - "activity-created": "creadas %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluidas %s de %s", - "activity-imported": "importadas %s en %s de %s", - "activity-imported-board": "importadas %s de %s", - "activity-joined": "unidas %s", - "activity-moved": "movidas %s de %s a %s", - "activity-on": "en %s", - "activity-removed": "eliminadas %s de %s", - "activity-sent": "enviadas %s a %s", - "activity-unjoined": "separadas %s", - "activity-checklist-added": "agregada lista de tareas a %s", - "activity-checklist-item-added": "agregado item de lista de tareas a '%s' en %s", - "add": "Agregar", - "add-attachment": "Agregar Adjunto", - "add-board": "Agregar Tablero", - "add-card": "Agregar Tarjeta", - "add-swimlane": "Agregar Calle", - "add-checklist": "Agregar Lista de Tareas", - "add-checklist-item": "Agregar ítem a lista de tareas", - "add-cover": "Agregar Portadas", - "add-label": "Agregar Etiqueta", - "add-list": "Agregar Lista", - "add-members": "Agregar Miembros", - "added": "Agregadas", - "addMemberPopup-title": "Miembros", - "admin": "Administrador", - "admin-desc": "Puede ver y editar tarjetas, eliminar miembros, y cambiar opciones para el tablero.", - "admin-announcement": "Anuncio", - "admin-announcement-active": "Anuncio del Sistema Activo", - "admin-announcement-title": "Anuncio del Administrador", - "all-boards": "Todos los tableros", - "and-n-other-card": "Y __count__ otra tarjeta", - "and-n-other-card_plural": "Y __count__ otras tarjetas", - "apply": "Aplicar", - "app-is-offline": "Wekan está cargándose, por favor espere. Refrescar la página va a causar pérdida de datos. Si Wekan no se carga, por favor revise que el servidor de Wekan no se haya detenido.", - "archive": "Mover a Papelera de Reciclaje", - "archive-all": "Mover Todo a la Papelera de Reciclaje", - "archive-board": "Mover Tablero a la Papelera de Reciclaje", - "archive-card": "Mover Tarjeta a la Papelera de Reciclaje", - "archive-list": "Mover Lista a la Papelera de Reciclaje", - "archive-swimlane": "Mover Calle a la Papelera de Reciclaje", - "archive-selection": "Mover selección a la Papelera de Reciclaje", - "archiveBoardPopup-title": "¿Mover Tablero a la Papelera de Reciclaje?", - "archived-items": "Papelera de Reciclaje", - "archived-boards": "Tableros en la Papelera de Reciclaje", - "restore-board": "Restaurar Tablero", - "no-archived-boards": "No hay tableros en la Papelera de Reciclaje", - "archives": "Papelera de Reciclaje", - "assign-member": "Asignar miembro", - "attached": "adjunto(s)", - "attachment": "Adjunto", - "attachment-delete-pop": "Borrar un adjunto es permanente. No hay deshacer.", - "attachmentDeletePopup-title": "¿Borrar Adjunto?", - "attachments": "Adjuntos", - "auto-watch": "Seguir tableros automáticamente al crearlos", - "avatar-too-big": "El avatar es muy grande (70KB max)", - "back": "Atrás", - "board-change-color": "Cambiar color", - "board-nb-stars": "%s estrellas", - "board-not-found": "Tablero no encontrado", - "board-private-info": "Este tablero va a ser privado.", - "board-public-info": "Este tablero va a ser público.", - "boardChangeColorPopup-title": "Cambiar Fondo del Tablero", - "boardChangeTitlePopup-title": "Renombrar Tablero", - "boardChangeVisibilityPopup-title": "Cambiar Visibilidad", - "boardChangeWatchPopup-title": "Alternar Seguimiento", - "boardMenuPopup-title": "Menú del Tablero", - "boards": "Tableros", - "board-view": "Vista de Tablero", - "board-view-swimlanes": "Calles", - "board-view-lists": "Listas", - "bucket-example": "Como \"Lista de Contenedores\" por ejemplo", - "cancel": "Cancelar", - "card-archived": "Esta tarjeta es movida a la Papelera de Reciclaje", - "card-comments-title": "Esta tarjeta tiene %s comentario.", - "card-delete-notice": "Borrar es permanente. Perderás todas las acciones asociadas con esta tarjeta.", - "card-delete-pop": "Todas las acciones van a ser eliminadas del agregador de actividad y no podrás re-abrir la tarjeta. No hay deshacer.", - "card-delete-suggest-archive": "Tu puedes mover una tarjeta a la Papelera de Reciclaje para removerla del tablero y preservar la actividad.", - "card-due": "Vence", - "card-due-on": "Vence en", - "card-spent": "Tiempo Empleado", - "card-edit-attachments": "Editar adjuntos", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Editar etiquetas", - "card-edit-members": "Editar miembros", - "card-labels-title": "Cambiar las etiquetas de la tarjeta.", - "card-members-title": "Agregar o eliminar de la tarjeta miembros del tablero.", - "card-start": "Empieza", - "card-start-on": "Empieza el", - "cardAttachmentsPopup-title": "Adjuntar De", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "¿Borrar Tarjeta?", - "cardDetailsActionsPopup-title": "Acciones de la Tarjeta", - "cardLabelsPopup-title": "Etiquetas", - "cardMembersPopup-title": "Miembros", - "cardMorePopup-title": "Mas", - "cards": "Tarjetas", - "cards-count": "Tarjetas", - "change": "Cambiar", - "change-avatar": "Cambiar Avatar", - "change-password": "Cambiar Contraseña", - "change-permissions": "Cambiar permisos", - "change-settings": "Cambiar Opciones", - "changeAvatarPopup-title": "Cambiar Avatar", - "changeLanguagePopup-title": "Cambiar Lenguaje", - "changePasswordPopup-title": "Cambiar Contraseña", - "changePermissionsPopup-title": "Cambiar Permisos", - "changeSettingsPopup-title": "Cambiar Opciones", - "checklists": "Listas de ítems", - "click-to-star": "Clickeá para darle una estrella a este tablero.", - "click-to-unstar": "Clickeá para sacarle la estrella al tablero.", - "clipboard": "Portapapeles o arrastrar y soltar", - "close": "Cerrar", - "close-board": "Cerrar Tablero", - "close-board-pop": "Podrás restaurar el tablero apretando el botón \"Papelera de Reciclaje\" del encabezado en inicio.", - "color-black": "negro", - "color-blue": "azul", - "color-green": "verde", - "color-lime": "lima", - "color-orange": "naranja", - "color-pink": "rosa", - "color-purple": "púrpura", - "color-red": "rojo", - "color-sky": "cielo", - "color-yellow": "amarillo", - "comment": "Comentario", - "comment-placeholder": "Comentar", - "comment-only": "Comentar solamente", - "comment-only-desc": "Puede comentar en tarjetas solamente.", - "computer": "Computadora", - "confirm-checklist-delete-dialog": "¿Estás segur@ que querés borrar la lista de ítems?", - "copy-card-link-to-clipboard": "Copiar enlace a tarjeta en el portapapeles", - "copyCardPopup-title": "Copiar Tarjeta", - "copyChecklistToManyCardsPopup-title": "Copiar Plantilla Checklist a Muchas Tarjetas", - "copyChecklistToManyCardsPopup-instructions": "Títulos y Descripciones de la Tarjeta Destino en este formato JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Título de primera tarjeta\", \"description\":\"Descripción de primera tarjeta\"}, {\"title\":\"Título de segunda tarjeta\",\"description\":\"Descripción de segunda tarjeta\"},{\"title\":\"Título de última tarjeta\",\"description\":\"Descripción de última tarjeta\"} ]", - "create": "Crear", - "createBoardPopup-title": "Crear Tablero", - "chooseBoardSourcePopup-title": "Importar tablero", - "createLabelPopup-title": "Crear Etiqueta", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "actual", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Fecha", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Fecha", - "decline": "Rechazar", - "default-avatar": "Avatar por defecto", - "delete": "Borrar", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "¿Borrar Etiqueta?", - "description": "Descripción", - "disambiguateMultiLabelPopup-title": "Desambiguación de Acción de Etiqueta", - "disambiguateMultiMemberPopup-title": "Desambiguación de Acción de Miembro", - "discard": "Descartar", - "done": "Hecho", - "download": "Descargar", - "edit": "Editar", - "edit-avatar": "Cambiar Avatar", - "edit-profile": "Editar Perfil", - "edit-wip-limit": "Editar Lìmite de TEP", - "soft-wip-limit": "Límite TEP suave", - "editCardStartDatePopup-title": "Cambiar fecha de inicio", - "editCardDueDatePopup-title": "Cambiar fecha de vencimiento", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Cambiar tiempo empleado", - "editLabelPopup-title": "Cambiar Etiqueta", - "editNotificationPopup-title": "Editar Notificación", - "editProfilePopup-title": "Editar Perfil", - "email": "Email", - "email-enrollAccount-subject": "Una cuenta creada para vos en __siteName__", - "email-enrollAccount-text": "Hola __user__,\n\nPara empezar a usar el servicio, simplemente clickeá en el enlace de abajo.\n\n__url__\n\nGracias.", - "email-fail": "Fallo envío de email", - "email-fail-text": "Error intentando enviar email", - "email-invalid": "Email inválido", - "email-invite": "Invitar vía Email", - "email-invite-subject": "__inviter__ te envió una invitación", - "email-invite-text": "Querido __user__,\n\n__inviter__ te invita a unirte al tablero \"__board__\" para colaborar.\n\nPor favor sigue el enlace de abajo:\n\n__url__\n\nGracias.", - "email-resetPassword-subject": "Restaurá tu contraseña en __siteName__", - "email-resetPassword-text": "Hola __user__,\n\nPara restaurar tu contraseña, simplemente clickeá el enlace de abajo.\n\n__url__\n\nGracias.", - "email-sent": "Email enviado", - "email-verifyEmail-subject": "Verificá tu dirección de email en __siteName__", - "email-verifyEmail-text": "Hola __user__,\n\nPara verificar tu cuenta de email, simplemente clickeá el enlace de abajo.\n\n__url__\n\nGracias.", - "enable-wip-limit": "Activar Límite TEP", - "error-board-doesNotExist": "Este tablero no existe", - "error-board-notAdmin": "Necesitás ser administrador de este tablero para hacer eso", - "error-board-notAMember": "Necesitás ser miembro de este tablero para hacer eso", - "error-json-malformed": "Tu texto no es JSON válido", - "error-json-schema": "Tus datos JSON no incluyen la información correcta en el formato adecuado", - "error-list-doesNotExist": "Esta lista no existe", - "error-user-doesNotExist": "Este usuario no existe", - "error-user-notAllowSelf": "No podés invitarte a vos mismo", - "error-user-notCreated": " El usuario no se creó", - "error-username-taken": "El nombre de usuario ya existe", - "error-email-taken": "El email ya existe", - "export-board": "Exportar tablero", - "filter": "Filtrar", - "filter-cards": "Filtrar Tarjetas", - "filter-clear": "Sacar filtro", - "filter-no-label": "Sin etiqueta", - "filter-no-member": "No es miembro", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "El filtro está activado", - "filter-on-desc": "Estás filtrando cartas en este tablero. Clickeá acá para editar el filtro.", - "filter-to-selection": "Filtrar en la selección", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Nombre Completo", - "header-logo-title": "Retroceder a tu página de tableros.", - "hide-system-messages": "Esconder mensajes del sistema", - "headerBarCreateBoardPopup-title": "Crear Tablero", - "home": "Inicio", - "import": "Importar", - "import-board": "importar tablero", - "import-board-c": "Importar tablero", - "import-board-title-trello": "Importar tablero de Trello", - "import-board-title-wekan": "Importar tablero de Wekan", - "import-sandstorm-warning": "El tablero importado va a borrar todos los datos existentes en el tablero y reemplazarlos con los del tablero en cuestión.", - "from-trello": "De Trello", - "from-wekan": "De Wekan", - "import-board-instruction-trello": "En tu tablero de Trello, ve a 'Menú', luego a 'Más', 'Imprimir y Exportar', 'Exportar JSON', y copia el texto resultante.", - "import-board-instruction-wekan": "En tu tablero Wekan, ve a 'Menú', luego a 'Exportar tablero', y copia el texto en el archivo descargado.", - "import-json-placeholder": "Pegá tus datos JSON válidos acá", - "import-map-members": "Mapear Miembros", - "import-members-map": "Tu tablero importado tiene algunos miembros. Por favor mapeá los miembros que quieras importar/convertir a usuarios de Wekan.", - "import-show-user-mapping": "Revisar mapeo de miembros", - "import-user-select": "Elegí el usuario de Wekan que querés usar como éste miembro", - "importMapMembersAddPopup-title": "Elegí el miembro de Wekan.", - "info": "Versión", - "initials": "Iniciales", - "invalid-date": "Fecha inválida", - "invalid-time": "Tiempo inválido", - "invalid-user": "Usuario inválido", - "joined": "unido", - "just-invited": "Fuiste invitado a este tablero", - "keyboard-shortcuts": "Atajos de teclado", - "label-create": "Crear Etiqueta", - "label-default": "%s etiqueta (por defecto)", - "label-delete-pop": "No hay deshacer. Esto va a eliminar esta etiqueta de todas las tarjetas y destruir su historia.", - "labels": "Etiquetas", - "language": "Lenguaje", - "last-admin-desc": "No podés cambiar roles porque tiene que haber al menos un administrador.", - "leave-board": "Dejar Tablero", - "leave-board-pop": "¿Estás seguro que querés dejar __boardTitle__? Vas a salir de todas las tarjetas en este tablero.", - "leaveBoardPopup-title": "¿Dejar Tablero?", - "link-card": "Enlace a esta tarjeta", - "list-archive-cards": "Mover todas las tarjetas en esta lista a la Papelera de Reciclaje", - "list-archive-cards-pop": "Esto va a remover las tarjetas en esta lista del tablero. Para ver tarjetas en la Papelera de Reciclaje y traerlas de vuelta al tablero, clickeá \"Menú\" > \"Papelera de Reciclaje\".", - "list-move-cards": "Mueve todas las tarjetas en esta lista", - "list-select-cards": "Selecciona todas las tarjetas en esta lista", - "listActionPopup-title": "Listar Acciones", - "swimlaneActionPopup-title": "Acciones de la Calle", - "listImportCardPopup-title": "Importar una tarjeta Trello", - "listMorePopup-title": "Mas", - "link-list": "Enlace a esta lista", - "list-delete-pop": "Todas las acciones van a ser eliminadas del agregador de actividad y no podás recuperar la lista. No se puede deshacer.", - "list-delete-suggest-archive": "Podés mover la lista a la Papelera de Reciclaje para remvoerla del tablero y preservar la actividad.", - "lists": "Listas", - "swimlanes": "Calles", - "log-out": "Salir", - "log-in": "Entrar", - "loginPopup-title": "Entrar", - "memberMenuPopup-title": "Opciones de Miembros", - "members": "Miembros", - "menu": "Menú", - "move-selection": "Mover selección", - "moveCardPopup-title": "Mover Tarjeta", - "moveCardToBottom-title": "Mover al Final", - "moveCardToTop-title": "Mover al Tope", - "moveSelectionPopup-title": "Mover selección", - "multi-selection": "Multi-Selección", - "multi-selection-on": "Multi-selección está activo", - "muted": "Silenciado", - "muted-info": "No serás notificado de ningún cambio en este tablero", - "my-boards": "Mis Tableros", - "name": "Nombre", - "no-archived-cards": "No hay tarjetas en la Papelera de Reciclaje", - "no-archived-lists": "No hay listas en la Papelera de Reciclaje", - "no-archived-swimlanes": "No hay calles en la Papelera de Reciclaje", - "no-results": "No hay resultados", - "normal": "Normal", - "normal-desc": "Puede ver y editar tarjetas. No puede cambiar opciones.", - "not-accepted-yet": "Invitación no aceptada todavía", - "notify-participate": "Recibí actualizaciones en cualquier tarjeta que participés como creador o miembro", - "notify-watch": "Recibí actualizaciones en cualquier tablero, lista, o tarjeta que estés siguiendo", - "optional": "opcional", - "or": "o", - "page-maybe-private": "Esta página puede ser privada. Vos podrás verla entrando.", - "page-not-found": "Página no encontrada.", - "password": "Contraseña", - "paste-or-dragdrop": "pegar, arrastrar y soltar el archivo de imagen a esto (imagen sola)", - "participating": "Participando", - "preview": "Previsualización", - "previewAttachedImagePopup-title": "Previsualización", - "previewClipboardImagePopup-title": "Previsualización", - "private": "Privado", - "private-desc": "Este tablero es privado. Solo personas agregadas a este tablero pueden verlo y editarlo.", - "profile": "Perfil", - "public": "Público", - "public-desc": "Este tablero es público. Es visible para cualquiera con un enlace y se va a mostrar en los motores de búsqueda como Google. Solo personas agregadas a este tablero pueden editarlo.", - "quick-access-description": "Dale una estrella al tablero para agregar un acceso directo en esta barra.", - "remove-cover": "Remover Portada", - "remove-from-board": "Remover del Tablero", - "remove-label": "Remover Etiqueta", - "listDeletePopup-title": "¿Borrar Lista?", - "remove-member": "Remover Miembro", - "remove-member-from-card": "Remover de Tarjeta", - "remove-member-pop": "¿Remover __name__ (__username__) de __boardTitle__? Los miembros va a ser removido de todas las tarjetas en este tablero. Serán notificados.", - "removeMemberPopup-title": "¿Remover Miembro?", - "rename": "Renombrar", - "rename-board": "Renombrar Tablero", - "restore": "Restaurar", - "save": "Grabar", - "search": "Buscar", - "search-cards": "Buscar en títulos y descripciones de tarjeta en este tablero", - "search-example": "¿Texto a buscar?", - "select-color": "Seleccionar Color", - "set-wip-limit-value": "Fijar un límite para el número máximo de tareas en esta lista", - "setWipLimitPopup-title": "Establecer Límite TEP", - "shortcut-assign-self": "Asignarte a vos mismo en la tarjeta actual", - "shortcut-autocomplete-emoji": "Autocompletar emonji", - "shortcut-autocomplete-members": "Autocompletar miembros", - "shortcut-clear-filters": "Limpiar todos los filtros", - "shortcut-close-dialog": "Cerrar Diálogo", - "shortcut-filter-my-cards": "Filtrar mis tarjetas", - "shortcut-show-shortcuts": "Traer esta lista de atajos", - "shortcut-toggle-filterbar": "Activar/Desactivar Barra Lateral de Filtros", - "shortcut-toggle-sidebar": "Activar/Desactivar Barra Lateral de Tableros", - "show-cards-minimum-count": "Mostrar cuenta de tarjetas si la lista contiene más que", - "sidebar-open": "Abrir Barra Lateral", - "sidebar-close": "Cerrar Barra Lateral", - "signupPopup-title": "Crear Cuenta", - "star-board-title": "Clickear para darle una estrella a este tablero. Se mostrará arriba en el tope de tu lista de tableros.", - "starred-boards": "Tableros con estrellas", - "starred-boards-description": "Tableros con estrellas se muestran en el tope de tu lista de tableros.", - "subscribe": "Suscribirse", - "team": "Equipo", - "this-board": "este tablero", - "this-card": "esta tarjeta", - "spent-time-hours": "Tiempo empleado (horas)", - "overtime-hours": "Sobretiempo (horas)", - "overtime": "Sobretiempo", - "has-overtime-cards": "Tiene tarjetas con sobretiempo", - "has-spenttime-cards": "Ha gastado tarjetas de tiempo", - "time": "Hora", - "title": "Título", - "tracking": "Seguimiento", - "tracking-info": "Serás notificado de cualquier cambio a aquellas tarjetas en las que seas creador o miembro.", - "type": "Type", - "unassign-member": "Desasignar miembro", - "unsaved-description": "Tienes una descripción sin guardar.", - "unwatch": "Dejar de seguir", - "upload": "Cargar", - "upload-avatar": "Cargar un avatar", - "uploaded-avatar": "Cargado un avatar", - "username": "Nombre de usuario", - "view-it": "Verlo", - "warn-list-archived": "cuidado; esta tarjeta está en la Papelera de Reciclaje", - "watch": "Seguir", - "watching": "Siguiendo", - "watching-info": "Serás notificado de cualquier cambio en este tablero", - "welcome-board": "Tablero de Bienvenida", - "welcome-swimlane": "Hito 1", - "welcome-list1": "Básicos", - "welcome-list2": "Avanzado", - "what-to-do": "¿Qué querés hacer?", - "wipLimitErrorPopup-title": "Límite TEP Inválido", - "wipLimitErrorPopup-dialog-pt1": " El número de tareas en esta lista es mayor que el límite TEP que definiste.", - "wipLimitErrorPopup-dialog-pt2": "Por favor mové algunas tareas fuera de esta lista, o seleccioná un límite TEP más alto.", - "admin-panel": "Panel de Administración", - "settings": "Opciones", - "people": "Gente", - "registration": "Registro", - "disable-self-registration": "Desactivar auto-registro", - "invite": "Invitar", - "invite-people": "Invitar Gente", - "to-boards": "A tarjeta(s)", - "email-addresses": "Dirección de Email", - "smtp-host-description": "La dirección del servidor SMTP que maneja tus emails", - "smtp-port-description": "El puerto que tu servidor SMTP usa para correos salientes", - "smtp-tls-description": "Activar soporte TLS para el servidor SMTP", - "smtp-host": "Servidor SMTP", - "smtp-port": "Puerto SMTP", - "smtp-username": "Usuario", - "smtp-password": "Contraseña", - "smtp-tls": "Soporte TLS", - "send-from": "De", - "send-smtp-test": "Enviarse un email de prueba", - "invitation-code": "Código de Invitación", - "email-invite-register-subject": "__inviter__ te envió una invitación", - "email-invite-register-text": "Querido __user__,\n\n__inviter__ te invita a Wekan para colaborar.\n\nPor favor sigue el enlace de abajo:\n__url__\n\nI tu código de invitación es: __icode__\n\nGracias.", - "email-smtp-test-subject": "Email de Prueba SMTP de Wekan", - "email-smtp-test-text": "Enviaste el correo correctamente", - "error-invitation-code-not-exist": "El código de invitación no existe", - "error-notAuthorized": "No estás autorizado para ver esta página.", - "outgoing-webhooks": "Ganchos Web Salientes", - "outgoingWebhooksPopup-title": "Ganchos Web Salientes", - "new-outgoing-webhook": "Nuevo Gancho Web", - "no-name": "(desconocido)", - "Wekan_version": "Versión de Wekan", - "Node_version": "Versión de Node", - "OS_Arch": "Arch del SO", - "OS_Cpus": "Cantidad de CPU del SO", - "OS_Freemem": "Memoria Libre del SO", - "OS_Loadavg": "Carga Promedio del SO", - "OS_Platform": "Plataforma del SO", - "OS_Release": "Revisión del SO", - "OS_Totalmem": "Memoria Total del SO", - "OS_Type": "Tipo de SO", - "OS_Uptime": "Tiempo encendido del SO", - "hours": "horas", - "minutes": "minutos", - "seconds": "segundos", - "show-field-on-card": "Show this field on card", - "yes": "Si", - "no": "No", - "accounts": "Cuentas", - "accounts-allowEmailChange": "Permitir Cambio de Email", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Creado en", - "verified": "Verificado", - "active": "Activo", - "card-received": "Recibido", - "card-received-on": "Recibido en", - "card-end": "Termino", - "card-end-on": "Termina en", - "editCardReceivedDatePopup-title": "Cambiar fecha de recepción", - "editCardEndDatePopup-title": "Cambiar fecha de término", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json deleted file mode 100644 index 755094bb..00000000 --- a/i18n/es.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Aceptar", - "act-activity-notify": "[Wekan] Notificación de actividad", - "act-addAttachment": "ha adjuntado __attachment__ a __card__", - "act-addChecklist": "ha añadido la lista de verificación __checklist__ a __card__", - "act-addChecklistItem": "ha añadido __checklistItem__ a la lista de verificación __checklist__ en __card__", - "act-addComment": "ha comentado en __card__: __comment__", - "act-createBoard": "ha creado __board__", - "act-createCard": "ha añadido __card__ a __list__", - "act-createCustomField": "creado el campo personalizado __customField__", - "act-createList": "ha añadido __list__ a __board__", - "act-addBoardMember": "ha añadido a __member__ a __board__", - "act-archivedBoard": "__board__ se ha enviado a la papelera de reciclaje", - "act-archivedCard": "__card__ se ha enviado a la papelera de reciclaje", - "act-archivedList": "__list__ se ha enviado a la papelera de reciclaje", - "act-archivedSwimlane": "__swimlane__ se ha enviado a la papelera de reciclaje", - "act-importBoard": "ha importado __board__", - "act-importCard": "ha importado __card__", - "act-importList": "ha importado __list__", - "act-joinMember": "ha añadido a __member__ a __card__", - "act-moveCard": "ha movido __card__ desde __oldList__ a __list__", - "act-removeBoardMember": "ha desvinculado a __member__ de __board__", - "act-restoredCard": "ha restaurado __card__ en __board__", - "act-unjoinMember": "ha desvinculado a __member__ de __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Acciones", - "activities": "Actividades", - "activity": "Actividad", - "activity-added": "ha añadido %s a %s", - "activity-archived": "%s se ha enviado a la papelera de reciclaje", - "activity-attached": "ha adjuntado %s a %s", - "activity-created": "ha creado %s", - "activity-customfield-created": "creado el campo personalizado %s", - "activity-excluded": "ha excluido %s de %s", - "activity-imported": "ha importado %s a %s desde %s", - "activity-imported-board": "ha importado %s desde %s", - "activity-joined": "se ha unido a %s", - "activity-moved": "ha movido %s de %s a %s", - "activity-on": "en %s", - "activity-removed": "ha eliminado %s de %s", - "activity-sent": "ha enviado %s a %s", - "activity-unjoined": "se ha desvinculado de %s", - "activity-checklist-added": "ha añadido una lista de verificación a %s", - "activity-checklist-item-added": "ha añadido el elemento de la lista de verificación a '%s' en %s", - "add": "Añadir", - "add-attachment": "Añadir adjunto", - "add-board": "Añadir tablero", - "add-card": "Añadir una tarjeta", - "add-swimlane": "Añadir un carril de flujo", - "add-checklist": "Añadir una lista de verificación", - "add-checklist-item": "Añadir un elemento a la lista de verificación", - "add-cover": "Añadir portada", - "add-label": "Añadir una etiqueta", - "add-list": "Añadir una lista", - "add-members": "Añadir miembros", - "added": "Añadida el", - "addMemberPopup-title": "Miembros", - "admin": "Administrador", - "admin-desc": "Puedes ver y editar tarjetas, eliminar miembros, y cambiar los ajustes del tablero", - "admin-announcement": "Aviso", - "admin-announcement-active": "Activar el aviso para todo el sistema", - "admin-announcement-title": "Aviso del administrador", - "all-boards": "Tableros", - "and-n-other-card": "y __count__ tarjeta más", - "and-n-other-card_plural": "y otras __count__ tarjetas", - "apply": "Aplicar", - "app-is-offline": "Wekan se está cargando, por favor espere. Actualizar la página provocará la pérdida de datos. Si Wekan no se carga, por favor verifique que el servidor de Wekan no está detenido.", - "archive": "Enviar a la papelera de reciclaje", - "archive-all": "Enviar todo a la papelera de reciclaje", - "archive-board": "Enviar el tablero a la papelera de reciclaje", - "archive-card": "Enviar la tarjeta a la papelera de reciclaje", - "archive-list": "Enviar la lista a la papelera de reciclaje", - "archive-swimlane": "Enviar el carril de flujo a la papelera de reciclaje", - "archive-selection": "Enviar la selección a la papelera de reciclaje", - "archiveBoardPopup-title": "Enviar el tablero a la papelera de reciclaje", - "archived-items": "Papelera de reciclaje", - "archived-boards": "Tableros en la papelera de reciclaje", - "restore-board": "Restaurar el tablero", - "no-archived-boards": "No hay tableros en la papelera de reciclaje", - "archives": "Papelera de reciclaje", - "assign-member": "Asignar miembros", - "attached": "adjuntado", - "attachment": "Adjunto", - "attachment-delete-pop": "La eliminación de un fichero adjunto es permanente. Esta acción no puede deshacerse.", - "attachmentDeletePopup-title": "¿Eliminar el adjunto?", - "attachments": "Adjuntos", - "auto-watch": "Suscribirse automáticamente a los tableros cuando son creados", - "avatar-too-big": "El avatar es muy grande (70KB máx.)", - "back": "Atrás", - "board-change-color": "Cambiar el color", - "board-nb-stars": "%s destacados", - "board-not-found": "Tablero no encontrado", - "board-private-info": "Este tablero será privado.", - "board-public-info": "Este tablero será público.", - "boardChangeColorPopup-title": "Cambiar el fondo del tablero", - "boardChangeTitlePopup-title": "Renombrar el tablero", - "boardChangeVisibilityPopup-title": "Cambiar visibilidad", - "boardChangeWatchPopup-title": "Cambiar vigilancia", - "boardMenuPopup-title": "Menú del tablero", - "boards": "Tableros", - "board-view": "Vista del tablero", - "board-view-swimlanes": "Carriles", - "board-view-lists": "Listas", - "bucket-example": "Como “Cosas por hacer” por ejemplo", - "cancel": "Cancelar", - "card-archived": "Esta tarjeta se ha enviado a la papelera de reciclaje.", - "card-comments-title": "Esta tarjeta tiene %s comentarios.", - "card-delete-notice": "la eliminación es permanente. Perderás todas las acciones asociadas a esta tarjeta.", - "card-delete-pop": "Se eliminarán todas las acciones del historial de actividades y no se podrá volver a abrir la tarjeta. Esta acción no puede deshacerse.", - "card-delete-suggest-archive": "Puedes enviar una tarjeta a la papelera de reciclaje para eliminarla del tablero y conservar la actividad.", - "card-due": "Vence", - "card-due-on": "Vence el", - "card-spent": "Tiempo consumido", - "card-edit-attachments": "Editar los adjuntos", - "card-edit-custom-fields": "Editar los campos personalizados", - "card-edit-labels": "Editar las etiquetas", - "card-edit-members": "Editar los miembros", - "card-labels-title": "Cambia las etiquetas de la tarjeta", - "card-members-title": "Añadir o eliminar miembros del tablero desde la tarjeta.", - "card-start": "Comienza", - "card-start-on": "Comienza el", - "cardAttachmentsPopup-title": "Adjuntar desde", - "cardCustomField-datePopup-title": "Cambiar la fecha", - "cardCustomFieldsPopup-title": "Editar los campos personalizados", - "cardDeletePopup-title": "¿Eliminar la tarjeta?", - "cardDetailsActionsPopup-title": "Acciones de la tarjeta", - "cardLabelsPopup-title": "Etiquetas", - "cardMembersPopup-title": "Miembros", - "cardMorePopup-title": "Más", - "cards": "Tarjetas", - "cards-count": "Tarjetas", - "change": "Cambiar", - "change-avatar": "Cambiar el avatar", - "change-password": "Cambiar la contraseña", - "change-permissions": "Cambiar los permisos", - "change-settings": "Cambiar las preferencias", - "changeAvatarPopup-title": "Cambiar el avatar", - "changeLanguagePopup-title": "Cambiar el idioma", - "changePasswordPopup-title": "Cambiar la contraseña", - "changePermissionsPopup-title": "Cambiar los permisos", - "changeSettingsPopup-title": "Cambiar las preferencias", - "checklists": "Lista de verificación", - "click-to-star": "Haz clic para destacar este tablero.", - "click-to-unstar": "Haz clic para dejar de destacar este tablero.", - "clipboard": "el portapapeles o con arrastrar y soltar", - "close": "Cerrar", - "close-board": "Cerrar el tablero", - "close-board-pop": "Podrás restaurar el tablero haciendo clic en el botón \"Papelera de reciclaje\" en la cabecera.", - "color-black": "negra", - "color-blue": "azul", - "color-green": "verde", - "color-lime": "lima", - "color-orange": "naranja", - "color-pink": "rosa", - "color-purple": "violeta", - "color-red": "roja", - "color-sky": "celeste", - "color-yellow": "amarilla", - "comment": "Comentar", - "comment-placeholder": "Escribir comentario", - "comment-only": "Sólo comentarios", - "comment-only-desc": "Solo puedes comentar en las tarjetas.", - "computer": "el ordenador", - "confirm-checklist-delete-dialog": "¿Seguro que desea eliminar la lista de verificación?", - "copy-card-link-to-clipboard": "Copiar el enlace de la tarjeta al portapapeles", - "copyCardPopup-title": "Copiar la tarjeta", - "copyChecklistToManyCardsPopup-title": "Copiar la plantilla de la lista de verificación en varias tarjetas", - "copyChecklistToManyCardsPopup-instructions": "Títulos y descripciones de las tarjetas de destino en formato JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Título de la primera tarjeta\", \"description\":\"Descripción de la primera tarjeta\"}, {\"title\":\"Título de la segunda tarjeta\",\"description\":\"Descripción de la segunda tarjeta\"},{\"title\":\"Título de la última tarjeta\",\"description\":\"Descripción de la última tarjeta\"} ]", - "create": "Crear", - "createBoardPopup-title": "Crear tablero", - "chooseBoardSourcePopup-title": "Importar un tablero", - "createLabelPopup-title": "Crear etiqueta", - "createCustomField": "Crear un campo", - "createCustomFieldPopup-title": "Crear un campo", - "current": "actual", - "custom-field-delete-pop": "Se eliminará este campo personalizado de todas las tarjetas y se destruirá su historial. Esta acción no puede deshacerse.", - "custom-field-checkbox": "Casilla de verificación", - "custom-field-date": "Fecha", - "custom-field-dropdown": "Lista desplegable", - "custom-field-dropdown-none": "(nada)", - "custom-field-dropdown-options": "Opciones de la lista", - "custom-field-dropdown-options-placeholder": "Pulsa Intro para añadir más opciones", - "custom-field-dropdown-unknown": "(desconocido)", - "custom-field-number": "Número", - "custom-field-text": "Texto", - "custom-fields": "Campos personalizados", - "date": "Fecha", - "decline": "Declinar", - "default-avatar": "Avatar por defecto", - "delete": "Eliminar", - "deleteCustomFieldPopup-title": "¿Borrar el campo personalizado?", - "deleteLabelPopup-title": "¿Eliminar la etiqueta?", - "description": "Descripción", - "disambiguateMultiLabelPopup-title": "Desambiguar la acción de etiqueta", - "disambiguateMultiMemberPopup-title": "Desambiguar la acción de miembro", - "discard": "Descartarla", - "done": "Hecho", - "download": "Descargar", - "edit": "Editar", - "edit-avatar": "Cambiar el avatar", - "edit-profile": "Editar el perfil", - "edit-wip-limit": "Cambiar el límite del trabajo en proceso", - "soft-wip-limit": "Límite del trabajo en proceso flexible", - "editCardStartDatePopup-title": "Cambiar la fecha de comienzo", - "editCardDueDatePopup-title": "Cambiar la fecha de vencimiento", - "editCustomFieldPopup-title": "Editar el campo", - "editCardSpentTimePopup-title": "Cambiar el tiempo consumido", - "editLabelPopup-title": "Cambiar la etiqueta", - "editNotificationPopup-title": "Editar las notificaciones", - "editProfilePopup-title": "Editar el perfil", - "email": "Correo electrónico", - "email-enrollAccount-subject": "Cuenta creada en __siteName__", - "email-enrollAccount-text": "Hola __user__,\n\nPara empezar a utilizar el servicio, simplemente haz clic en el siguiente enlace.\n\n__url__\n\nGracias.", - "email-fail": "Error al enviar el correo", - "email-fail-text": "Error al intentar enviar el correo", - "email-invalid": "Correo no válido", - "email-invite": "Invitar vía correo electrónico", - "email-invite-subject": "__inviter__ ha enviado una invitación", - "email-invite-text": "Estimado __user__,\n\n__inviter__ te invita a unirte al tablero '__board__' para colaborar.\n\nPor favor, haz clic en el siguiente enlace:\n\n__url__\n\nGracias.", - "email-resetPassword-subject": "Restablecer tu contraseña en __siteName__", - "email-resetPassword-text": "Hola __user__,\n\nPara restablecer tu contraseña, haz clic en el siguiente enlace.\n\n__url__\n\nGracias.", - "email-sent": "Correo enviado", - "email-verifyEmail-subject": "Verifica tu dirección de correo en __siteName__", - "email-verifyEmail-text": "Hola __user__,\n\nPara verificar tu cuenta de correo electrónico, haz clic en el siguiente enlace.\n\n__url__\n\nGracias.", - "enable-wip-limit": "Activar el límite del trabajo en proceso", - "error-board-doesNotExist": "El tablero no existe", - "error-board-notAdmin": "Es necesario ser administrador de este tablero para hacer eso", - "error-board-notAMember": "Es necesario ser miembro de este tablero para hacer eso", - "error-json-malformed": "El texto no es un JSON válido", - "error-json-schema": "Sus datos JSON no incluyen la información apropiada en el formato correcto", - "error-list-doesNotExist": "La lista no existe", - "error-user-doesNotExist": "El usuario no existe", - "error-user-notAllowSelf": "No puedes invitarte a ti mismo", - "error-user-notCreated": "El usuario no ha sido creado", - "error-username-taken": "Este nombre de usuario ya está en uso", - "error-email-taken": "Esta dirección de correo ya está en uso", - "export-board": "Exportar el tablero", - "filter": "Filtrar", - "filter-cards": "Filtrar tarjetas", - "filter-clear": "Limpiar el filtro", - "filter-no-label": "Sin etiqueta", - "filter-no-member": "Sin miembro", - "filter-no-custom-fields": "Sin campos personalizados", - "filter-on": "Filtrado activado", - "filter-on-desc": "Estás filtrando tarjetas en este tablero. Haz clic aquí para editar el filtro.", - "filter-to-selection": "Filtrar la selección", - "advanced-filter-label": "Filtrado avanzado", - "advanced-filter-description": "El filtrado avanzado permite escribir una cadena que contiene los siguientes operadores: == != <= >= && || ( ) Se utiliza un espacio como separador entre los operadores. Se pueden filtrar todos los campos personalizados escribiendo sus nombres y valores. Por ejemplo: Campo1 == Valor1. Nota: Si los campos o valores contienen espacios, debe encapsularlos entre comillas simples. Por ejemplo: 'Campo 1' == 'Valor 1'. También puedes combinar múltiples condiciones. Por ejemplo: C1 == V1 || C1 = V2. Normalmente todos los operadores se interpretan de izquierda a derecha. Puede cambiar el orden colocando corchetes. Por ejemplo: C1 == V1 y ( C2 == V2 || C2 == V3 )", - "fullname": "Nombre completo", - "header-logo-title": "Volver a tu página de tableros", - "hide-system-messages": "Ocultar las notificaciones de actividad", - "headerBarCreateBoardPopup-title": "Crear tablero", - "home": "Inicio", - "import": "Importar", - "import-board": "importar un tablero", - "import-board-c": "Importar un tablero", - "import-board-title-trello": "Importar un tablero desde Trello", - "import-board-title-wekan": "Importar un tablero desde Wekan", - "import-sandstorm-warning": "El tablero importado eliminará todos los datos existentes en este tablero y los reemplazará con los datos del tablero importado.", - "from-trello": "Desde Trello", - "from-wekan": "Desde Wekan", - "import-board-instruction-trello": "En tu tablero de Trello, ve a 'Menú', luego 'Más' > 'Imprimir y exportar' > 'Exportar JSON', y copia el texto resultante.", - "import-board-instruction-wekan": "En tu tablero de Wekan, ve a 'Menú del tablero', luego 'Exportar el tablero', y copia aquí el texto del fichero descargado.", - "import-json-placeholder": "Pega tus datos JSON válidos aquí", - "import-map-members": "Mapa de miembros", - "import-members-map": "El tablero importado tiene algunos miembros. Por favor mapea los miembros que deseas importar a los usuarios de Wekan", - "import-show-user-mapping": "Revisión de la asignación de miembros", - "import-user-select": "Escoge el usuario de Wekan que deseas utilizar como miembro", - "importMapMembersAddPopup-title": "Selecciona un miembro de Wekan", - "info": "Versión", - "initials": "Iniciales", - "invalid-date": "Fecha no válida", - "invalid-time": "Tiempo no válido", - "invalid-user": "Usuario no válido", - "joined": "se ha unido", - "just-invited": "Has sido invitado a este tablero", - "keyboard-shortcuts": "Atajos de teclado", - "label-create": "Crear una etiqueta", - "label-default": "etiqueta %s (por defecto)", - "label-delete-pop": "Se eliminará esta etiqueta de todas las tarjetas y se destruirá su historial. Esta acción no puede deshacerse.", - "labels": "Etiquetas", - "language": "Cambiar el idioma", - "last-admin-desc": "No puedes cambiar roles porque debe haber al menos un administrador.", - "leave-board": "Abandonar el tablero", - "leave-board-pop": "¿Seguro que quieres abandonar __boardTitle__? Serás desvinculado de todas las tarjetas en este tablero.", - "leaveBoardPopup-title": "¿Abandonar el tablero?", - "link-card": "Enlazar a esta tarjeta", - "list-archive-cards": "Enviar todas las tarjetas de esta lista a la papelera de reciclaje", - "list-archive-cards-pop": "Esto eliminará todas las tarjetas de esta lista del tablero. Para ver las tarjetas en la papelera de reciclaje y devolverlas al tablero, haga clic en \"Menú\" > \"Papelera de reciclaje\".", - "list-move-cards": "Mover todas las tarjetas de esta lista", - "list-select-cards": "Seleccionar todas las tarjetas de esta lista", - "listActionPopup-title": "Acciones de la lista", - "swimlaneActionPopup-title": "Acciones del carril de flujo", - "listImportCardPopup-title": "Importar una tarjeta de Trello", - "listMorePopup-title": "Más", - "link-list": "Enlazar a esta lista", - "list-delete-pop": "Todas las acciones serán eliminadas del historial de actividades y no se podrá recuperar la lista. Esta acción no puede deshacerse.", - "list-delete-suggest-archive": "Puedes enviar una lista a la papelera de reciclaje para eliminarla del tablero y conservar la actividad.", - "lists": "Listas", - "swimlanes": "Carriles", - "log-out": "Finalizar la sesión", - "log-in": "Iniciar sesión", - "loginPopup-title": "Iniciar sesión", - "memberMenuPopup-title": "Mis preferencias", - "members": "Miembros", - "menu": "Menú", - "move-selection": "Mover la selección", - "moveCardPopup-title": "Mover la tarjeta", - "moveCardToBottom-title": "Mover al final", - "moveCardToTop-title": "Mover al principio", - "moveSelectionPopup-title": "Mover la selección", - "multi-selection": "Selección múltiple", - "multi-selection-on": "Selección múltiple activada", - "muted": "Silenciado", - "muted-info": "No serás notificado de ningún cambio en este tablero", - "my-boards": "Mis tableros", - "name": "Nombre", - "no-archived-cards": "No hay tarjetas en la papelera de reciclaje", - "no-archived-lists": "No hay listas en la papelera de reciclaje", - "no-archived-swimlanes": "No hay carriles de flujo en la papelera de reciclaje", - "no-results": "Sin resultados", - "normal": "Normal", - "normal-desc": "Puedes ver y editar tarjetas. No puedes cambiar la configuración.", - "not-accepted-yet": "La invitación no ha sido aceptada aún", - "notify-participate": "Recibir actualizaciones de cualquier tarjeta en la que participas como creador o miembro", - "notify-watch": "Recibir actuaizaciones de cualquier tablero, lista o tarjeta que estés vigilando", - "optional": "opcional", - "or": "o", - "page-maybe-private": "Esta página puede ser privada. Es posible que puedas verla al iniciar sesión.", - "page-not-found": "Página no encontrada.", - "password": "Contraseña", - "paste-or-dragdrop": "pegar o arrastrar y soltar un fichero de imagen (sólo imagen)", - "participating": "Participando", - "preview": "Previsualizar", - "previewAttachedImagePopup-title": "Previsualizar", - "previewClipboardImagePopup-title": "Previsualizar", - "private": "Privado", - "private-desc": "Este tablero es privado. Sólo las personas añadidas al tablero pueden verlo y editarlo.", - "profile": "Perfil", - "public": "Público", - "public-desc": "Este tablero es público. Es visible para cualquiera a través del enlace, y se mostrará en los buscadores como Google. Sólo las personas añadidas al tablero pueden editarlo.", - "quick-access-description": "Destaca un tablero para añadir un acceso directo en esta barra.", - "remove-cover": "Eliminar portada", - "remove-from-board": "Desvincular del tablero", - "remove-label": "Eliminar la etiqueta", - "listDeletePopup-title": "¿Eliminar la lista?", - "remove-member": "Eliminar miembro", - "remove-member-from-card": "Eliminar de la tarjeta", - "remove-member-pop": "¿Eliminar __name__ (__username__) de __boardTitle__? El miembro será eliminado de todas las tarjetas de este tablero. En ellas se mostrará una notificación.", - "removeMemberPopup-title": "¿Eliminar miembro?", - "rename": "Renombrar", - "rename-board": "Renombrar el tablero", - "restore": "Restaurar", - "save": "Añadir", - "search": "Buscar", - "search-cards": "Buscar entre los títulos y las descripciones de las tarjetas en este tablero.", - "search-example": "¿Texto a buscar?", - "select-color": "Selecciona un color", - "set-wip-limit-value": "Fija un límite para el número máximo de tareas en esta lista.", - "setWipLimitPopup-title": "Fijar el límite del trabajo en proceso", - "shortcut-assign-self": "Asignarte a ti mismo a la tarjeta actual", - "shortcut-autocomplete-emoji": "Autocompletar emoji", - "shortcut-autocomplete-members": "Autocompletar miembros", - "shortcut-clear-filters": "Limpiar todos los filtros", - "shortcut-close-dialog": "Cerrar el cuadro de diálogo", - "shortcut-filter-my-cards": "Filtrar mis tarjetas", - "shortcut-show-shortcuts": "Mostrar esta lista de atajos", - "shortcut-toggle-filterbar": "Conmutar la barra lateral del filtro", - "shortcut-toggle-sidebar": "Conmutar la barra lateral del tablero", - "show-cards-minimum-count": "Mostrar recuento de tarjetas si la lista contiene más de", - "sidebar-open": "Abrir la barra lateral", - "sidebar-close": "Cerrar la barra lateral", - "signupPopup-title": "Crear una cuenta", - "star-board-title": "Haz clic para destacar este tablero. Se mostrará en la parte superior de tu lista de tableros.", - "starred-boards": "Tableros destacados", - "starred-boards-description": "Los tableros destacados se mostrarán en la parte superior de tu lista de tableros.", - "subscribe": "Suscribirse", - "team": "Equipo", - "this-board": "este tablero", - "this-card": "esta tarjeta", - "spent-time-hours": "Tiempo consumido (horas)", - "overtime-hours": "Tiempo excesivo (horas)", - "overtime": "Tiempo excesivo", - "has-overtime-cards": "Hay tarjetas con el tiempo excedido", - "has-spenttime-cards": "Se ha excedido el tiempo de las tarjetas", - "time": "Hora", - "title": "Título", - "tracking": "Siguiendo", - "tracking-info": "Serás notificado de cualquier cambio en las tarjetas en las que participas como creador o miembro.", - "type": "Tipo", - "unassign-member": "Desvincular al miembro", - "unsaved-description": "Tienes una descripción por añadir.", - "unwatch": "Dejar de vigilar", - "upload": "Cargar", - "upload-avatar": "Cargar un avatar", - "uploaded-avatar": "Avatar cargado", - "username": "Nombre de usuario", - "view-it": "Verla", - "warn-list-archived": "advertencia: esta tarjeta está en una lista en la papelera de reciclaje", - "watch": "Vigilar", - "watching": "Vigilando", - "watching-info": "Serás notificado de cualquier cambio en este tablero", - "welcome-board": "Tablero de bienvenida", - "welcome-swimlane": "Hito 1", - "welcome-list1": "Básicos", - "welcome-list2": "Avanzados", - "what-to-do": "¿Qué deseas hacer?", - "wipLimitErrorPopup-title": "El límite del trabajo en proceso no es válido.", - "wipLimitErrorPopup-dialog-pt1": "El número de tareas en esta lista es mayor que el límite del trabajo en proceso que has definido.", - "wipLimitErrorPopup-dialog-pt2": "Por favor, mueve algunas tareas fuera de esta lista, o fija un límite del trabajo en proceso más alto.", - "admin-panel": "Panel del administrador", - "settings": "Ajustes", - "people": "Personas", - "registration": "Registro", - "disable-self-registration": "Deshabilitar autoregistro", - "invite": "Invitar", - "invite-people": "Invitar a personas", - "to-boards": "A el(los) tablero(s)", - "email-addresses": "Direcciones de correo electrónico", - "smtp-host-description": "Dirección del servidor SMTP para gestionar tus correos", - "smtp-port-description": "Puerto usado por el servidor SMTP para mandar correos", - "smtp-tls-description": "Habilitar el soporte TLS para el servidor SMTP", - "smtp-host": "Servidor SMTP", - "smtp-port": "Puerto SMTP", - "smtp-username": "Nombre de usuario", - "smtp-password": "Contraseña", - "smtp-tls": "Soporte TLS", - "send-from": "Desde", - "send-smtp-test": "Enviarte un correo de prueba a ti mismo", - "invitation-code": "Código de Invitación", - "email-invite-register-subject": "__inviter__ te ha enviado una invitación", - "email-invite-register-text": "Estimado __user__,\n\n__inviter__ te invita a unirte a Wekan para colaborar.\n\nPor favor, haz clic en el siguiente enlace:\n__url__\n\nTu código de invitación es: __icode__\n\nGracias.", - "email-smtp-test-subject": "Prueba de correo SMTP desde Wekan", - "email-smtp-test-text": "El correo se ha enviado correctamente", - "error-invitation-code-not-exist": "El código de invitación no existe", - "error-notAuthorized": "No estás autorizado a ver esta página.", - "outgoing-webhooks": "Webhooks salientes", - "outgoingWebhooksPopup-title": "Webhooks salientes", - "new-outgoing-webhook": "Nuevo webhook saliente", - "no-name": "(Desconocido)", - "Wekan_version": "Versión de Wekan", - "Node_version": "Versión de Node", - "OS_Arch": "Arquitectura del sistema", - "OS_Cpus": "Número de CPUs del sistema", - "OS_Freemem": "Memoria libre del sistema", - "OS_Loadavg": "Carga media del sistema", - "OS_Platform": "Plataforma del sistema", - "OS_Release": "Publicación del sistema", - "OS_Totalmem": "Memoria Total del sistema", - "OS_Type": "Tipo de sistema", - "OS_Uptime": "Tiempo activo del sistema", - "hours": "horas", - "minutes": "minutos", - "seconds": "segundos", - "show-field-on-card": "Mostrar este campo en la tarjeta", - "yes": "Sí", - "no": "No", - "accounts": "Cuentas", - "accounts-allowEmailChange": "Permitir cambiar el correo electrónico", - "accounts-allowUserNameChange": "Permitir el cambio del nombre de usuario", - "createdAt": "Creado en", - "verified": "Verificado", - "active": "Activo", - "card-received": "Recibido", - "card-received-on": "Recibido el", - "card-end": "Finalizado", - "card-end-on": "Finalizado el", - "editCardReceivedDatePopup-title": "Cambiar la fecha de recepción", - "editCardEndDatePopup-title": "Cambiar la fecha de finalización", - "assigned-by": "Asignado por", - "requested-by": "Solicitado por", - "board-delete-notice": "Se eliminarán todas las listas, tarjetas y acciones asociadas a este tablero. Esta acción no puede deshacerse.", - "delete-board-confirm-popup": "Se eliminarán todas las listas, tarjetas, etiquetas y actividades, y no podrás recuperar los contenidos del tablero. Esta acción no puede deshacerse.", - "boardDeletePopup-title": "¿Borrar el tablero?", - "delete-board": "Borrar el tablero" -} \ No newline at end of file diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json deleted file mode 100644 index 51de292b..00000000 --- a/i18n/eu.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Onartu", - "act-activity-notify": "[Wekan] Jarduera-jakinarazpena", - "act-addAttachment": "__attachment__ __card__ txartelera erantsita", - "act-addChecklist": "gehituta checklist __checklist__ __card__ -ri", - "act-addChecklistItem": "gehituta __checklistItem__ checklist __checklist__ on __card__ -ri", - "act-addComment": "__card__ txartelean iruzkina: __comment__", - "act-createBoard": "__board__ sortuta", - "act-createCard": "__card__ __list__ zerrrendara gehituta", - "act-createCustomField": "created custom field __customField__", - "act-createList": "__list__ __board__ arbelera gehituta", - "act-addBoardMember": "__member__ __board__ arbelera gehituta", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "__board__ inportatuta", - "act-importCard": "__card__ inportatuta", - "act-importList": "__list__ inportatuta", - "act-joinMember": "__member__ __card__ txartelera gehituta", - "act-moveCard": "__card__ __oldList__ zerrendartik __list__ zerrendara eraman da", - "act-removeBoardMember": "__member__ __board__ arbeletik kendu da", - "act-restoredCard": "__card__ __board__ arbelean berrezarri da", - "act-unjoinMember": "__member__ __card__ txarteletik kendu da", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Ekintzak", - "activities": "Jarduerak", - "activity": "Jarduera", - "activity-added": "%s %s(e)ra gehituta", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "%s %s(e)ra erantsita", - "activity-created": "%s sortuta", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "%s %s(e)tik kanpo utzita", - "activity-imported": "%s inportatuta %s(e)ra %s(e)tik", - "activity-imported-board": "%s inportatuta %s(e)tik", - "activity-joined": "%s(e)ra elkartuta", - "activity-moved": "%s %s(e)tik %s(e)ra eramanda", - "activity-on": "%s", - "activity-removed": "%s %s(e)tik kenduta", - "activity-sent": "%s %s(e)ri bidalita", - "activity-unjoined": "%s utzita", - "activity-checklist-added": "egiaztaketa zerrenda %s(e)ra gehituta", - "activity-checklist-item-added": "egiaztaketa zerrendako elementuak '%s'(e)ra gehituta %s(e)n", - "add": "Gehitu", - "add-attachment": "Gehitu eranskina", - "add-board": "Gehitu arbela", - "add-card": "Gehitu txartela", - "add-swimlane": "Add Swimlane", - "add-checklist": "Gehitu egiaztaketa zerrenda", - "add-checklist-item": "Gehitu elementu bat egiaztaketa zerrendara", - "add-cover": "Gehitu azala", - "add-label": "Gehitu etiketa", - "add-list": "Gehitu zerrenda", - "add-members": "Gehitu kideak", - "added": "Gehituta", - "addMemberPopup-title": "Kideak", - "admin": "Kudeatzailea", - "admin-desc": "Txartelak ikusi eta editatu ditzake, kideak kendu, eta arbelaren ezarpenak aldatu.", - "admin-announcement": "Jakinarazpena", - "admin-announcement-active": "Gaitu Sistema-eremuko Jakinarazpena", - "admin-announcement-title": "Administrariaren jakinarazpena", - "all-boards": "Arbel guztiak", - "and-n-other-card": "Eta beste txartel __count__", - "and-n-other-card_plural": "Eta beste __count__ txartel", - "apply": "Aplikatu", - "app-is-offline": "Wekan kargatzen ari da, itxaron mesedez. Orria freskatzeak datuen galera ekarriko luke. Wekan kargatzen ez bada, egiaztatu Wekan zerbitzaria gelditu ez dela.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Berreskuratu arbela", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Esleitu kidea", - "attached": "erantsita", - "attachment": "Eranskina", - "attachment-delete-pop": "Eranskina ezabatzea behin betikoa da. Ez dago desegiterik.", - "attachmentDeletePopup-title": "Ezabatu eranskina?", - "attachments": "Eranskinak", - "auto-watch": "Automatikoki jarraitu arbelak hauek sortzean", - "avatar-too-big": "Avatarra handiegia da (Gehienez 70Kb)", - "back": "Atzera", - "board-change-color": "Aldatu kolorea", - "board-nb-stars": "%s izar", - "board-not-found": "Ez da arbela aurkitu", - "board-private-info": "Arbel hau pribatua izango da.", - "board-public-info": "Arbel hau publikoa izango da.", - "boardChangeColorPopup-title": "Aldatu arbelaren atzealdea", - "boardChangeTitlePopup-title": "Aldatu izena arbelari", - "boardChangeVisibilityPopup-title": "Aldatu ikusgaitasuna", - "boardChangeWatchPopup-title": "Aldatu ikuskatzea", - "boardMenuPopup-title": "Arbelaren menua", - "boards": "Arbelak", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Zerrendak", - "bucket-example": "Esaterako \"Pertz zerrenda\"", - "cancel": "Utzi", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "Txartel honek iruzkin %s dauka.", - "card-delete-notice": "Ezabaketa behin betiko da. Txartel honi lotutako ekintza guztiak galduko dituzu.", - "card-delete-pop": "Ekintza guztiak ekintza jariotik kenduko dira eta ezin izango duzu txartela berrireki. Ez dago desegiterik.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Epemuga", - "card-due-on": "Epemuga", - "card-spent": "Erabilitako denbora", - "card-edit-attachments": "Editatu eranskinak", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Editatu etiketak", - "card-edit-members": "Editatu kideak", - "card-labels-title": "Aldatu txartelaren etiketak", - "card-members-title": "Gehitu edo kendu arbeleko kideak txarteletik.", - "card-start": "Hasiera", - "card-start-on": "Hasiera", - "cardAttachmentsPopup-title": "Erantsi hemendik", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Ezabatu txartela?", - "cardDetailsActionsPopup-title": "Txartel-ekintzak", - "cardLabelsPopup-title": "Etiketak", - "cardMembersPopup-title": "Kideak", - "cardMorePopup-title": "Gehiago", - "cards": "Txartelak", - "cards-count": "Txartelak", - "change": "Aldatu", - "change-avatar": "Aldatu avatarra", - "change-password": "Aldatu pasahitza", - "change-permissions": "Aldatu baimenak", - "change-settings": "Aldatu ezarpenak", - "changeAvatarPopup-title": "Aldatu avatarra", - "changeLanguagePopup-title": "Aldatu hizkuntza", - "changePasswordPopup-title": "Aldatu pasahitza", - "changePermissionsPopup-title": "Aldatu baimenak", - "changeSettingsPopup-title": "Aldatu ezarpenak", - "checklists": "Egiaztaketa zerrenda", - "click-to-star": "Egin klik arbel honi izarra jartzeko", - "click-to-unstar": "Egin klik arbel honi izarra kentzeko", - "clipboard": "Kopiatu eta itsatsi edo arrastatu eta jaregin", - "close": "Itxi", - "close-board": "Itxi arbela", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "beltza", - "color-blue": "urdina", - "color-green": "berdea", - "color-lime": "lima", - "color-orange": "laranja", - "color-pink": "larrosa", - "color-purple": "purpura", - "color-red": "gorria", - "color-sky": "zerua", - "color-yellow": "horia", - "comment": "Iruzkina", - "comment-placeholder": "Idatzi iruzkin bat", - "comment-only": "Iruzkinak besterik ez", - "comment-only-desc": "Iruzkinak txarteletan soilik egin ditzake", - "computer": "Ordenagailua", - "confirm-checklist-delete-dialog": "Ziur zaude kontrol-zerrenda ezabatu nahi duzula", - "copy-card-link-to-clipboard": "Kopiatu txartela arbelera", - "copyCardPopup-title": "Kopiatu txartela", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Sortu", - "createBoardPopup-title": "Sortu arbela", - "chooseBoardSourcePopup-title": "Inportatu arbela", - "createLabelPopup-title": "Sortu etiketa", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "unekoa", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Data", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Data", - "decline": "Ukatu", - "default-avatar": "Lehenetsitako avatarra", - "delete": "Ezabatu", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Ezabatu etiketa?", - "description": "Deskripzioa", - "disambiguateMultiLabelPopup-title": "Argitu etiketaren ekintza", - "disambiguateMultiMemberPopup-title": "Argitu kidearen ekintza", - "discard": "Baztertu", - "done": "Egina", - "download": "Deskargatu", - "edit": "Editatu", - "edit-avatar": "Aldatu avatarra", - "edit-profile": "Editatu profila", - "edit-wip-limit": "WIP muga editatu", - "soft-wip-limit": "WIP muga malgua", - "editCardStartDatePopup-title": "Aldatu hasiera data", - "editCardDueDatePopup-title": "Aldatu epemuga data", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Aldatu erabilitako denbora", - "editLabelPopup-title": "Aldatu etiketa", - "editNotificationPopup-title": "Editatu jakinarazpena", - "editProfilePopup-title": "Editatu profila", - "email": "e-posta", - "email-enrollAccount-subject": "Kontu bat sortu zaizu __siteName__ gunean", - "email-enrollAccount-text": "Kaixo __user__,\n\nZerbitzua erabiltzen hasteko, egin klik beheko loturan.\n\n__url__\n\nEskerrik asko.", - "email-fail": "E-posta bidalketak huts egin du", - "email-fail-text": "Arazoa mezua bidaltzen saiatzen", - "email-invalid": "Baliogabeko e-posta", - "email-invite": "Gonbidatu e-posta bidez", - "email-invite-subject": "__inviter__ erabiltzaileak gonbidapen bat bidali dizu", - "email-invite-text": "Kaixo __user__,\n\n__inviter__ erabiltzaileak \"__board__\" arbelera elkartzera gonbidatzen zaitu elkar-lanean aritzeko.\n\nJarraitu mesedez lotura hau:\n\n__url__\n\nEskerrik asko.", - "email-resetPassword-subject": "Leheneratu zure __siteName__ guneko pasahitza", - "email-resetPassword-text": "Kaixo __user__,\n\nZure pasahitza berrezartzeko, egin klik beheko loturan.\n\n__url__\n\nEskerrik asko.", - "email-sent": "E-posta bidali da", - "email-verifyEmail-subject": "Egiaztatu __siteName__ guneko zure e-posta helbidea.", - "email-verifyEmail-text": "Kaixo __user__,\n\nZure e-posta kontua egiaztatzeko, egin klik beheko loturan.\n\n__url__\n\nEskerrik asko.", - "enable-wip-limit": "WIP muga gaitu", - "error-board-doesNotExist": "Arbel hau ez da existitzen", - "error-board-notAdmin": "Arbel honetako kudeatzailea izan behar zara hori egin ahal izateko", - "error-board-notAMember": "Arbel honetako kidea izan behar zara hori egin ahal izateko", - "error-json-malformed": "Zure testua ez da baliozko JSON", - "error-json-schema": "Zure JSON datuek ez dute formatu zuzenaren informazio egokia", - "error-list-doesNotExist": "Zerrenda hau ez da existitzen", - "error-user-doesNotExist": "Erabiltzaile hau ez da existitzen", - "error-user-notAllowSelf": "Ezin duzu zure burua gonbidatu", - "error-user-notCreated": "Erabiltzaile hau sortu gabe dago", - "error-username-taken": "Erabiltzaile-izen hori hartuta dago", - "error-email-taken": "E-mail hori hartuta dago", - "export-board": "Esportatu arbela", - "filter": "Iragazi", - "filter-cards": "Iragazi txartelak", - "filter-clear": "Garbitu iragazkia", - "filter-no-label": "Etiketarik ez", - "filter-no-member": "Kiderik ez", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Iragazkia gaituta dago", - "filter-on-desc": "Arbel honetako txartela iragazten ari zara. Egin klik hemen iragazkia editatzeko.", - "filter-to-selection": "Iragazketa aukerara", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Izen abizenak", - "header-logo-title": "Itzuli zure arbelen orrira.", - "hide-system-messages": "Ezkutatu sistemako mezuak", - "headerBarCreateBoardPopup-title": "Sortu arbela", - "home": "Hasiera", - "import": "Inportatu", - "import-board": "inportatu arbela", - "import-board-c": "Inportatu arbela", - "import-board-title-trello": "Inportatu arbela Trellotik", - "import-board-title-wekan": "Inportatu arbela Wekanetik", - "import-sandstorm-warning": "Inportatutako arbelak oraingo arbeleko informazio guztia ezabatuko du eta inportatutako arbeleko informazioarekin ordeztu.", - "from-trello": "Trellotik", - "from-wekan": "Wekanetik", - "import-board-instruction-trello": "Zure Trello arbelean, aukeratu 'Menu\", 'More', 'Print and Export', 'Export JSON', eta kopiatu jasotako testua hemen.", - "import-board-instruction-wekan": "Zure Wekan arbelean, aukeratu 'Menua' - 'Esportatu arbela', eta kopiatu testua deskargatutako fitxategian.", - "import-json-placeholder": "Isatsi baliozko JSON datuak hemen", - "import-map-members": "Kideen mapa", - "import-members-map": "Inportatu duzun arbela kide batzuk ditu, mesedez lotu inportatu nahi dituzun kideak Wekan erabiltzaileekin", - "import-show-user-mapping": "Berrikusi kideen mapa", - "import-user-select": "Hautatu kide hau bezala erabili nahi duzun Wekan erabiltzailea", - "importMapMembersAddPopup-title": "Aukeratu Wekan kidea", - "info": "Bertsioa", - "initials": "Inizialak", - "invalid-date": "Baliogabeko data", - "invalid-time": "Baliogabeko denbora", - "invalid-user": "Baliogabeko erabiltzailea", - "joined": "elkartu da", - "just-invited": "Arbel honetara gonbidatu berri zaituzte", - "keyboard-shortcuts": "Teklatu laster-bideak", - "label-create": "Sortu etiketa", - "label-default": "%s etiketa (lehenetsia)", - "label-delete-pop": "Ez dago desegiterik. Honek etiketa hau kenduko du txartel guztietatik eta bere historiala suntsitu.", - "labels": "Etiketak", - "language": "Hizkuntza", - "last-admin-desc": "Ezin duzu rola aldatu gutxienez kudeatzaile bat behar delako.", - "leave-board": "Utzi arbela", - "leave-board-pop": "Ziur zaude __boardTitle__ utzi nahi duzula? Arbel honetako txartel guztietatik ezabatua izango zara.", - "leaveBoardPopup-title": "Arbela utzi?", - "link-card": "Lotura txartel honetara", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Lekuz aldatu zerrendako txartel guztiak", - "list-select-cards": "Aukeratu zerrenda honetako txartel guztiak", - "listActionPopup-title": "Zerrendaren ekintzak", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Inportatu Trello txartel bat", - "listMorePopup-title": "Gehiago", - "link-list": "Lotura zerrenda honetara", - "list-delete-pop": "Ekintza guztiak ekintza jariotik kenduko dira eta ezin izango duzu zerrenda berreskuratu. Ez dago desegiterik.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Zerrendak", - "swimlanes": "Swimlanes", - "log-out": "Itxi saioa", - "log-in": "Hasi saioa", - "loginPopup-title": "Hasi saioa", - "memberMenuPopup-title": "Kidearen ezarpenak", - "members": "Kideak", - "menu": "Menua", - "move-selection": "Lekuz aldatu hautaketa", - "moveCardPopup-title": "Lekuz aldatu txartela", - "moveCardToBottom-title": "Eraman behera", - "moveCardToTop-title": "Eraman gora", - "moveSelectionPopup-title": "Lekuz aldatu hautaketa", - "multi-selection": "Hautaketa anitza", - "multi-selection-on": "Hautaketa anitza gaituta dago", - "muted": "Mututua", - "muted-info": "Ez zaizkizu jakinaraziko arbel honi egindako aldaketak", - "my-boards": "Nire arbelak", - "name": "Izena", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Emaitzarik ez", - "normal": "Arrunta", - "normal-desc": "Txartelak ikusi eta editatu ditzake. Ezin ditu ezarpenak aldatu.", - "not-accepted-yet": "Gonbidapena ez da oraindik onartu", - "notify-participate": "Jaso sortzaile edo kide zaren txartelen jakinarazpenak", - "notify-watch": "Jaso ikuskatzen dituzun arbel, zerrenda edo txartelen jakinarazpenak", - "optional": "aukerazkoa", - "or": "edo", - "page-maybe-private": "Orri hau pribatua izan daiteke. Agian saioa hasi eta gero ikusi ahal izango duzu.", - "page-not-found": "Ez da orria aurkitu.", - "password": "Pasahitza", - "paste-or-dragdrop": "itsasteko, edo irudi fitxategia arrastatu eta jaregiteko (irudia besterik ez)", - "participating": "Parte-hartzen", - "preview": "Aurreikusi", - "previewAttachedImagePopup-title": "Aurreikusi", - "previewClipboardImagePopup-title": "Aurreikusi", - "private": "Pribatua", - "private-desc": "Arbel hau pribatua da. Arbelera gehitutako jendeak besterik ezin du ikusi eta editatu.", - "profile": "Profila", - "public": "Publikoa", - "public-desc": "Arbel hau publikoa da lotura duen edonorentzat ikusgai dago eta Google bezalako bilatzaileetan agertuko da. Arbelera gehitutako kideek besterik ezin dute editatu.", - "quick-access-description": "Jarri izarra arbel bati barra honetan lasterbide bat sortzeko", - "remove-cover": "Kendu azala", - "remove-from-board": "Kendu arbeletik", - "remove-label": "Kendu etiketa", - "listDeletePopup-title": "Ezabatu zerrenda?", - "remove-member": "Kendu kidea", - "remove-member-from-card": "Kendu txarteletik", - "remove-member-pop": "Kendu __name__ (__username__) __boardTitle__ arbeletik? Kidea arbel honetako txartel guztietatik kenduko da. Jakinarazpenak bidaliko dira.", - "removeMemberPopup-title": "Kendu kidea?", - "rename": "Aldatu izena", - "rename-board": "Aldatu izena arbelari", - "restore": "Berrezarri", - "save": "Gorde", - "search": "Bilatu", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Aukeratu kolorea", - "set-wip-limit-value": "Zerrenda honetako atazen muga maximoa ezarri", - "setWipLimitPopup-title": "WIP muga ezarri", - "shortcut-assign-self": "Esleitu zure burua txartel honetara", - "shortcut-autocomplete-emoji": "Automatikoki osatu emojia", - "shortcut-autocomplete-members": "Automatikoki osatu kideak", - "shortcut-clear-filters": "Garbitu iragazki guztiak", - "shortcut-close-dialog": "Itxi elkarrizketa-koadroa", - "shortcut-filter-my-cards": "Iragazi nire txartelak", - "shortcut-show-shortcuts": "Erakutsi lasterbideen zerrenda hau", - "shortcut-toggle-filterbar": "Txandakatu iragazkiaren albo-barra", - "shortcut-toggle-sidebar": "Txandakatu arbelaren albo-barra", - "show-cards-minimum-count": "Erakutsi txartel kopurua hau baino handiagoa denean:", - "sidebar-open": "Ireki albo-barra", - "sidebar-close": "Itxi albo-barra", - "signupPopup-title": "Sortu kontu bat", - "star-board-title": "Egin klik arbel honi izarra jartzeko, zure arbelen zerrendaren goialdean agertuko da", - "starred-boards": "Izardun arbelak", - "starred-boards-description": "Izardun arbelak zure arbelen zerrendaren goialdean agertuko dira", - "subscribe": "Harpidetu", - "team": "Taldea", - "this-board": "arbel hau", - "this-card": "txartel hau", - "spent-time-hours": "Erabilitako denbora (orduak)", - "overtime-hours": "Luzapena (orduak)", - "overtime": "Luzapena", - "has-overtime-cards": "Luzapen txartelak ditu", - "has-spenttime-cards": "Erabilitako denbora txartelak ditu", - "time": "Ordua", - "title": "Izenburua", - "tracking": "Jarraitzen", - "tracking-info": "Sortzaile edo kide gisa parte-hartzen duzun txartelei egindako aldaketak jakinaraziko zaizkizu.", - "type": "Type", - "unassign-member": "Kendu kidea", - "unsaved-description": "Gorde gabeko deskripzio bat duzu", - "unwatch": "Utzi ikuskatzeari", - "upload": "Igo", - "upload-avatar": "Igo avatar bat", - "uploaded-avatar": "Avatar bat igo da", - "username": "Erabiltzaile-izena", - "view-it": "Ikusi", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Ikuskatu", - "watching": "Ikuskatzen", - "watching-info": "Arbel honi egindako aldaketak jakinaraziko zaizkizu", - "welcome-board": "Ongi etorri arbela", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Oinarrizkoa", - "welcome-list2": "Aurreratua", - "what-to-do": "Zer egin nahi duzu?", - "wipLimitErrorPopup-title": "Baliogabeko WIP muga", - "wipLimitErrorPopup-dialog-pt1": "Zerrenda honetako atazen muga, WIP-en ezarritakoa baina handiagoa da", - "wipLimitErrorPopup-dialog-pt2": "Mugitu zenbait ataza zerrenda honetatik, edo WIP muga handiagoa ezarri.", - "admin-panel": "Kudeaketa panela", - "settings": "Ezarpenak", - "people": "Jendea", - "registration": "Izen-ematea", - "disable-self-registration": "Desgaitu nork bere burua erregistratzea", - "invite": "Gonbidatu", - "invite-people": "Gonbidatu jendea", - "to-boards": "Arbele(ta)ra", - "email-addresses": "E-posta helbideak", - "smtp-host-description": "Zure e-posta mezuez arduratzen den SMTP zerbitzariaren helbidea", - "smtp-port-description": "Zure SMTP zerbitzariak bidalitako e-posta mezuentzat erabiltzen duen kaia.", - "smtp-tls-description": "Gaitu TLS euskarria SMTP zerbitzariarentzat", - "smtp-host": "SMTP ostalaria", - "smtp-port": "SMTP kaia", - "smtp-username": "Erabiltzaile-izena", - "smtp-password": "Pasahitza", - "smtp-tls": "TLS euskarria", - "send-from": "Nork", - "send-smtp-test": "Bidali posta elektroniko mezu bat zure buruari", - "invitation-code": "Gonbidapen kodea", - "email-invite-register-subject": "__inviter__ erabiltzaileak gonbidapen bat bidali dizu", - "email-invite-register-text": "Kaixo __user__,\n\n__inviter__ erabiltzaileak Wekanera gonbidatu zaitu elkar-lanean aritzeko.\n\nJarraitu mesedez lotura hau:\n__url__\n\nZure gonbidapen kodea hau da: __icode__\n\nEskerrik asko.", - "email-smtp-test-subject": "Wekan-etik bidalitako test-mezua", - "email-smtp-test-text": "Arrakastaz bidali duzu posta elektroniko mezua", - "error-invitation-code-not-exist": "Gonbidapen kodea ez da existitzen", - "error-notAuthorized": "Ez duzu orri hau ikusteko baimenik.", - "outgoing-webhooks": "Irteerako Webhook-ak", - "outgoingWebhooksPopup-title": "Irteerako Webhook-ak", - "new-outgoing-webhook": "Irteera-webhook berria", - "no-name": "(Ezezaguna)", - "Wekan_version": "Wekan bertsioa", - "Node_version": "Nodo bertsioa", - "OS_Arch": "SE Arkitektura", - "OS_Cpus": "SE PUZ kopurua", - "OS_Freemem": "SE Memoria librea", - "OS_Loadavg": "SE batez besteko karga", - "OS_Platform": "SE plataforma", - "OS_Release": "SE kaleratzea", - "OS_Totalmem": "SE memoria guztira", - "OS_Type": "SE mota", - "OS_Uptime": "SE denbora abiatuta", - "hours": "ordu", - "minutes": "minutu", - "seconds": "segundo", - "show-field-on-card": "Show this field on card", - "yes": "Bai", - "no": "Ez", - "accounts": "Kontuak", - "accounts-allowEmailChange": "Baimendu e-mail aldaketa", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Noiz sortua", - "verified": "Egiaztatuta", - "active": "Gaituta", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json deleted file mode 100644 index 69cb80d2..00000000 --- a/i18n/fa.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "پذیرش", - "act-activity-notify": "[wekan] اطلاع فعالیت", - "act-addAttachment": "پیوست __attachment__ به __card__", - "act-addChecklist": "سیاهه __checklist__ به __card__ افزوده شد", - "act-addChecklistItem": "__checklistItem__ به سیاهه __checklist__ در __card__ افزوده شد", - "act-addComment": "درج نظر برای __card__: __comment__", - "act-createBoard": "__board__ ایجاد شد", - "act-createCard": "__card__ به __list__ اضافه شد", - "act-createCustomField": "فیلد __customField__ ایجاد شد", - "act-createList": "__list__ به __board__ اضافه شد", - "act-addBoardMember": "__member__ به __board__ اضافه شد", - "act-archivedBoard": "__board__ به سطل زباله ریخته شد", - "act-archivedCard": "__card__ به سطل زباله منتقل شد", - "act-archivedList": "__list__ به سطل زباله منتقل شد", - "act-archivedSwimlane": "__swimlane__ به سطل زباله منتقل شد", - "act-importBoard": "__board__ وارد شده", - "act-importCard": "__card__ وارد شده", - "act-importList": "__list__ وارد شده", - "act-joinMember": "__member__ به __card__اضافه شد", - "act-moveCard": "انتقال __card__ از __oldList__ به __list__", - "act-removeBoardMember": "__member__ از __board__ پاک شد", - "act-restoredCard": "__card__ به __board__ بازآوری شد", - "act-unjoinMember": "__member__ از __card__ پاک شد", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "اعمال", - "activities": "فعالیت ها", - "activity": "فعالیت", - "activity-added": "%s به %s اضافه شد", - "activity-archived": "%s به سطل زباله منتقل شد", - "activity-attached": "%s به %s پیوست شد", - "activity-created": "%s ایجاد شد", - "activity-customfield-created": "%s فیلدشخصی ایجاد شد", - "activity-excluded": "%s از %s مستثنی گردید", - "activity-imported": "%s از %s وارد %s شد", - "activity-imported-board": "%s از %s وارد شد", - "activity-joined": "اتصال به %s", - "activity-moved": "%s از %s به %s منتقل شد", - "activity-on": "%s", - "activity-removed": "%s از %s حذف شد", - "activity-sent": "ارسال %s به %s", - "activity-unjoined": "قطع اتصال %s", - "activity-checklist-added": "سیاهه به %s اضافه شد", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "افزودن", - "add-attachment": "افزودن ضمیمه", - "add-board": "افزودن برد", - "add-card": "افزودن کارت", - "add-swimlane": "Add Swimlane", - "add-checklist": "افزودن چک لیست", - "add-checklist-item": "افزودن مورد به سیاهه", - "add-cover": "جلد کردن", - "add-label": "افزودن لیبل", - "add-list": "افزودن لیست", - "add-members": "افزودن اعضا", - "added": "اضافه گردید", - "addMemberPopup-title": "اعضا", - "admin": "مدیر", - "admin-desc": "امکان دیدن و ویرایش کارتها،پاک کردن کاربران و تغییر تنظیمات برای تخته", - "admin-announcement": "اعلان", - "admin-announcement-active": "اعلان سراسری فعال", - "admin-announcement-title": "اعلان از سوی مدیر", - "all-boards": "تمام تخته‌ها", - "and-n-other-card": "و __count__ کارت دیگر", - "and-n-other-card_plural": "و __count__ کارت دیگر", - "apply": "اعمال", - "app-is-offline": "Wekan در حال بارگذاری است. لطفا صبر کنید. نوسازی صفحه، منجر به از دست رفتن داده‌ها می‌شود. اگر Wekan بارگذاری نشد، لطفا بررسی کنید که سرور Wekan متوقف نشده باشد.", - "archive": "ریختن به سطل زباله", - "archive-all": "ریختن همه به سطل زباله", - "archive-board": "ریختن تخته به سطل زباله", - "archive-card": "ریختن کارت به سطل زباله", - "archive-list": "ریختن لیست به سطل زباله", - "archive-swimlane": "ریختن مسیرشنا به سطل زباله", - "archive-selection": "انتخاب شده ها را به سطل زباله بریز", - "archiveBoardPopup-title": "آیا تخته به سطل زباله ریخته شود؟", - "archived-items": "سطل زباله", - "archived-boards": "تخته هایی که به زباله ریخته شده است", - "restore-board": "بازیابی تخته", - "no-archived-boards": "هیچ تخته ای در سطل زباله وجود ندارد", - "archives": "سطل زباله", - "assign-member": "تعیین عضو", - "attached": "ضمیمه شده", - "attachment": "ضمیمه", - "attachment-delete-pop": "حذف پیوست دایمی و بی بازگشت خواهد بود.", - "attachmentDeletePopup-title": "آیا می خواهید ضمیمه را حذف کنید؟", - "attachments": "ضمائم", - "auto-watch": "اضافه شدن خودکار دیده بانی تخته زمانی که ایجاد می شوند", - "avatar-too-big": "تصویر کاربر بسیار بزرگ است ـ حداکثر۷۰ کیلوبایت ـ", - "back": "بازگشت", - "board-change-color": "تغییر رنگ", - "board-nb-stars": "%s ستاره", - "board-not-found": "تخته مورد نظر پیدا نشد", - "board-private-info": "این تخته خصوصی خواهد بود.", - "board-public-info": "این تخته عمومی خواهد بود.", - "boardChangeColorPopup-title": "تغییر پس زمینه تخته", - "boardChangeTitlePopup-title": "تغییر نام تخته", - "boardChangeVisibilityPopup-title": "تغییر وضعیت نمایش", - "boardChangeWatchPopup-title": "تغییر دیده بانی", - "boardMenuPopup-title": "منوی تخته", - "boards": "تخته‌ها", - "board-view": "نمایش تخته", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "فهرست‌ها", - "bucket-example": "برای مثال چیزی شبیه \"لیست سبدها\"", - "cancel": "انصراف", - "card-archived": "این کارت به سطل زباله ریخته شده است", - "card-comments-title": "این کارت دارای %s نظر است.", - "card-delete-notice": "حذف دائمی. تمامی موارد مرتبط با این کارت از بین خواهند رفت.", - "card-delete-pop": "همه اقدامات از این پردازه (خوراک) حذف خواهد شد و امکان بازگرداندن کارت وجود نخواهد داشت.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "ناشی از", - "card-due-on": "مقتضی بر", - "card-spent": "زمان صرف شده", - "card-edit-attachments": "ویرایش ضمائم", - "card-edit-custom-fields": "ویرایش فیلدهای شخصی", - "card-edit-labels": "ویرایش برچسب", - "card-edit-members": "ویرایش اعضا", - "card-labels-title": "تغییر برچسب کارت", - "card-members-title": "افزودن یا حذف اعضا از کارت.", - "card-start": "شروع", - "card-start-on": "شروع از", - "cardAttachmentsPopup-title": "ضمیمه از", - "cardCustomField-datePopup-title": "تغییر تاریخ", - "cardCustomFieldsPopup-title": "ویرایش فیلدهای شخصی", - "cardDeletePopup-title": "آیا می خواهید کارت را حذف کنید؟", - "cardDetailsActionsPopup-title": "اعمال کارت", - "cardLabelsPopup-title": "برچسب ها", - "cardMembersPopup-title": "اعضا", - "cardMorePopup-title": "بیشتر", - "cards": "کارت‌ها", - "cards-count": "کارت‌ها", - "change": "تغییر", - "change-avatar": "تغییر تصویر", - "change-password": "تغییر کلمه عبور", - "change-permissions": "تغییر دسترسی‌ها", - "change-settings": "تغییر تنظیمات", - "changeAvatarPopup-title": "تغییر تصویر", - "changeLanguagePopup-title": "تغییر زبان", - "changePasswordPopup-title": "تغییر کلمه عبور", - "changePermissionsPopup-title": "تغییر دسترسی‌ها", - "changeSettingsPopup-title": "تغییر تنظیمات", - "checklists": "سیاهه‌ها", - "click-to-star": "با کلیک کردن ستاره بدهید", - "click-to-unstar": "با کلیک کردن ستاره را کم کنید", - "clipboard": "ذخیره در حافظه ویا بردار-رهاکن", - "close": "بستن", - "close-board": "بستن برد", - "close-board-pop": "شما با کلیک روی دکمه \"سطل زباله\" در قسمت خانه می توانید تخته را بازیابی کنید.", - "color-black": "مشکی", - "color-blue": "آبی", - "color-green": "سبز", - "color-lime": "لیمویی", - "color-orange": "نارنجی", - "color-pink": "صورتی", - "color-purple": "بنفش", - "color-red": "قرمز", - "color-sky": "آبی آسمانی", - "color-yellow": "زرد", - "comment": "نظر", - "comment-placeholder": "درج نظر", - "comment-only": "فقط نظر", - "comment-only-desc": "فقط می‌تواند روی کارت‌ها نظر دهد.", - "computer": "رایانه", - "confirm-checklist-delete-dialog": "مطمئنید که می‌خواهید سیاهه را حذف کنید؟", - "copy-card-link-to-clipboard": "درج پیوند کارت در حافظه", - "copyCardPopup-title": "کپی کارت", - "copyChecklistToManyCardsPopup-title": "کپی قالب کارت به کارت‌های متعدد", - "copyChecklistToManyCardsPopup-instructions": "عنوان و توضیحات کارت مقصد در این قالب JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "ایجاد", - "createBoardPopup-title": "ایجاد تخته", - "chooseBoardSourcePopup-title": "بارگذاری تخته", - "createLabelPopup-title": "ایجاد برچسب", - "createCustomField": "ایجاد فیلد", - "createCustomFieldPopup-title": "ایجاد فیلد", - "current": "جاری", - "custom-field-delete-pop": "این اقدام فیلدشخصی را بهمراه تمامی تاریخچه آن از کارت ها پاک می کند و برگشت پذیر نمی باشد", - "custom-field-checkbox": "جعبه انتخابی", - "custom-field-date": "تاریخ", - "custom-field-dropdown": "لیست افتادنی", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "لیست امکانات", - "custom-field-dropdown-options-placeholder": "کلید Enter را جهت افزودن امکانات بیشتر فشار دهید", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "عدد", - "custom-field-text": "متن", - "custom-fields": "فیلدهای شخصی", - "date": "تاریخ", - "decline": "رد", - "default-avatar": "تصویر پیش فرض", - "delete": "حذف", - "deleteCustomFieldPopup-title": "آیا فیلدشخصی پاک شود؟", - "deleteLabelPopup-title": "آیا می خواهید برچسب را حذف کنید؟", - "description": "توضیحات", - "disambiguateMultiLabelPopup-title": "عمل ابهام زدایی از برچسب", - "disambiguateMultiMemberPopup-title": "عمل ابهام زدایی از کاربر", - "discard": "لغو", - "done": "انجام شده", - "download": "دریافت", - "edit": "ویرایش", - "edit-avatar": "تغییر تصویر", - "edit-profile": "ویرایش پروفایل", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "تغییر تاریخ آغاز", - "editCardDueDatePopup-title": "تغییر تاریخ بدلیل", - "editCustomFieldPopup-title": "ویرایش فیلد", - "editCardSpentTimePopup-title": "تغییر زمان صرف شده", - "editLabelPopup-title": "تغیر برچسب", - "editNotificationPopup-title": "اصلاح اعلان", - "editProfilePopup-title": "ویرایش پروفایل", - "email": "پست الکترونیک", - "email-enrollAccount-subject": "یک حساب کاربری برای شما در __siteName__ ایجاد شد", - "email-enrollAccount-text": "سلام __user__ \nبرای شروع به استفاده از این سرویس برروی آدرس زیر کلیک کنید.\n__url__\nبا تشکر.", - "email-fail": "عدم موفقیت در فرستادن رایانامه", - "email-fail-text": "خطا در تلاش برای فرستادن رایانامه", - "email-invalid": "رایانامه نادرست", - "email-invite": "دعوت از طریق رایانامه", - "email-invite-subject": "__inviter__ برای شما دعوت نامه ارسال کرده است", - "email-invite-text": "__User__ عزیز\n __inviter__ شما را به عضویت تخته \"__board__\" برای همکاری دعوت کرده است.\nلطفا لینک زیر را دنبال کنید، باتشکر:\n__url__", - "email-resetPassword-subject": "تنظیم مجدد کلمه عبور در __siteName__", - "email-resetPassword-text": "سلام __user__\nجهت تنظیم مجدد کلمه عبور آدرس زیر را دنبال نمایید، باتشکر:\n__url__", - "email-sent": "نامه الکترونیکی فرستاده شد", - "email-verifyEmail-subject": "تایید آدرس الکترونیکی شما در __siteName__", - "email-verifyEmail-text": "سلام __user__\nبه منظور تایید آدرس الکترونیکی حساب خود، آدرس زیر را دنبال نمایید، باتشکر:\n__url__.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "تخته مورد نظر وجود ندارد", - "error-board-notAdmin": "شما جهت انجام آن باید مدیر تخته باشید", - "error-board-notAMember": "شما انجام آن ،اید عضو این تخته باشید.", - "error-json-malformed": "متن درغالب صحیح Json نمی باشد.", - "error-json-schema": "داده های Json شما، شامل اطلاعات صحیح در غالب درستی نمی باشد.", - "error-list-doesNotExist": "این لیست موجود نیست", - "error-user-doesNotExist": "این کاربر وجود ندارد", - "error-user-notAllowSelf": "عدم امکان دعوت خود", - "error-user-notCreated": "این کاربر ایجاد نشده است", - "error-username-taken": "این نام کاربری استفاده شده است", - "error-email-taken": "رایانامه توسط گیرنده دریافت شده است", - "export-board": "انتقال به بیرون تخته", - "filter": "صافی ـFilterـ", - "filter-cards": "صافی ـFilterـ کارت‌ها", - "filter-clear": "حذف صافی ـFilterـ", - "filter-no-label": "بدون برچسب", - "filter-no-member": "بدون عضو", - "filter-no-custom-fields": "هیچ فیلدشخصی ای وجود ندارد", - "filter-on": "صافی ـFilterـ فعال است", - "filter-on-desc": "شما صافی ـFilterـ برای کارتهای تخته را روشن کرده اید. جهت ویرایش کلیک نمایید.", - "filter-to-selection": "صافی ـFilterـ برای موارد انتخابی", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "نام و نام خانوادگی", - "header-logo-title": "بازگشت به صفحه تخته.", - "hide-system-messages": "عدم نمایش پیامهای سیستمی", - "headerBarCreateBoardPopup-title": "ایجاد تخته", - "home": "خانه", - "import": "وارد کردن", - "import-board": "وارد کردن تخته", - "import-board-c": "وارد کردن تخته", - "import-board-title-trello": "وارد کردن تخته از Trello", - "import-board-title-wekan": "وارد کردن تخته از Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "از Trello", - "from-wekan": "از Wekan", - "import-board-instruction-trello": "در Trello-ی خود به 'Menu'، 'More'، 'Print'، 'Export to JSON رفته و متن نهایی را دراینجا وارد نمایید.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "اطلاعات Json معتبر خود را اینجا وارد کنید.", - "import-map-members": "نگاشت اعضا", - "import-members-map": "تعدادی عضو در تخته وارد شده می باشد. لطفا کاربرانی که باید وارد نرم افزار بشوند را مشخص کنید.", - "import-show-user-mapping": "بررسی نقشه کاربران", - "import-user-select": "کاربری از نرم افزار را که می خواهید بعنوان این عضو جایگزین شود را انتخاب کنید.", - "importMapMembersAddPopup-title": "انتخاب کاربر Wekan", - "info": "نسخه", - "initials": "تخصیصات اولیه", - "invalid-date": "تاریخ نامعتبر", - "invalid-time": "زمان نامعتبر", - "invalid-user": "کاربر نامعتیر", - "joined": "متصل", - "just-invited": "هم اکنون، شما به این تخته دعوت شده اید.", - "keyboard-shortcuts": "میانبر کلیدها", - "label-create": "ایجاد برچسب", - "label-default": "%s برچسب(پیش فرض)", - "label-delete-pop": "این اقدام، برچسب را از همه کارت‌ها پاک خواهد کرد و تاریخچه آن را نیز از بین می‌برد.", - "labels": "برچسب ها", - "language": "زبان", - "last-admin-desc": "شما نمی توانید نقش ـroleـ را تغییر دهید چراکه باید حداقل یک مدیری وجود داشته باشد.", - "leave-board": "خروج از تخته", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "ارجاع به این کارت", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "انتقال تمام کارت های این لیست", - "list-select-cards": "انتخاب تمام کارت های این لیست", - "listActionPopup-title": "لیست اقدامات", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "وارد کردن کارت Trello", - "listMorePopup-title": "بیشتر", - "link-list": "پیوند به این فهرست", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "لیست ها", - "swimlanes": "Swimlanes", - "log-out": "خروج", - "log-in": "ورود", - "loginPopup-title": "ورود", - "memberMenuPopup-title": "تنظیمات اعضا", - "members": "اعضا", - "menu": "منو", - "move-selection": "حرکت مورد انتخابی", - "moveCardPopup-title": "حرکت کارت", - "moveCardToBottom-title": "انتقال به پایین", - "moveCardToTop-title": "انتقال به بالا", - "moveSelectionPopup-title": "حرکت مورد انتخابی", - "multi-selection": "امکان چند انتخابی", - "multi-selection-on": "حالت چند انتخابی روشن است", - "muted": "بی صدا", - "muted-info": "شما هیچگاه از تغییرات این تخته مطلع نخواهید شد", - "my-boards": "تخته‌های من", - "name": "نام", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "بدون نتیجه", - "normal": "عادی", - "normal-desc": "امکان نمایش و تنظیم کارت بدون امکان تغییر تنظیمات", - "not-accepted-yet": "دعوت نامه هنوز پذیرفته نشده است", - "notify-participate": "اطلاع رسانی از هرگونه تغییر در کارتهایی که ایجاد کرده اید ویا عضو آن هستید", - "notify-watch": "اطلاع رسانی از هرگونه تغییر در تخته، لیست یا کارتهایی که از آنها دیده بانی میکنید", - "optional": "انتخابی", - "or": "یا", - "page-maybe-private": "این صفحه ممکن است خصوصی باشد. شما باورود می‌توانید آن را ببینید.", - "page-not-found": "صفحه پیدا نشد.", - "password": "کلمه عبور", - "paste-or-dragdrop": "جهت چسباندن، یا برداشتن-رهاسازی فایل تصویر به آن (تصویر)", - "participating": "شرکت کنندگان", - "preview": "پیش‌نمایش", - "previewAttachedImagePopup-title": "پیش‌نمایش", - "previewClipboardImagePopup-title": "پیش‌نمایش", - "private": "خصوصی", - "private-desc": "این تخته خصوصی است. فقط تنها افراد اضافه شده به آن می توانند مشاهده و ویرایش کنند.", - "profile": "حساب کاربری", - "public": "عمومی", - "public-desc": "این تخته عمومی است. برای هر کسی با آدرس ویا جستجو درموتورها مانند گوگل قابل مشاهده است . فقط افرادی که به آن اضافه شده اند امکان ویرایش دارند.", - "quick-access-description": "جهت افزودن یک تخته به اینجا،آنرا ستاره دار نمایید.", - "remove-cover": "حذف کاور", - "remove-from-board": "حذف از تخته", - "remove-label": "حذف برچسب", - "listDeletePopup-title": "حذف فهرست؟", - "remove-member": "حذف عضو", - "remove-member-from-card": "حذف از کارت", - "remove-member-pop": "آیا __name__ (__username__) را از __boardTitle__ حذف می کنید? کاربر از تمام کارت ها در این تخته حذف خواهد شد و آنها ازین اقدام مطلع خواهند شد.", - "removeMemberPopup-title": "آیا می خواهید کاربر را حذف کنید؟", - "rename": "تغیر نام", - "rename-board": "تغییر نام تخته", - "restore": "بازیابی", - "save": "ذخیره", - "search": "جستجو", - "search-cards": "جستجو در میان عناوین و توضیحات در این تخته", - "search-example": "متن مورد جستجو؟", - "select-color": "انتخاب رنگ", - "set-wip-limit-value": "تعیین بیشینه تعداد وظایف در این فهرست", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "اختصاص خود به کارت فعلی", - "shortcut-autocomplete-emoji": "تکمیل خودکار شکلکها", - "shortcut-autocomplete-members": "تکمیل خودکار کاربرها", - "shortcut-clear-filters": "حذف تمامی صافی ـfilterـ", - "shortcut-close-dialog": "بستن محاوره", - "shortcut-filter-my-cards": "کارت های من", - "shortcut-show-shortcuts": "بالا آوردن میانبر این لیست", - "shortcut-toggle-filterbar": "ضامن نوار جداکننده صافی ـfilterـ", - "shortcut-toggle-sidebar": "ضامن نوار جداکننده تخته", - "show-cards-minimum-count": "نمایش تعداد کارتها اگر لیست شامل بیشتراز", - "sidebar-open": "بازکردن جداکننده", - "sidebar-close": "بستن جداکننده", - "signupPopup-title": "ایجاد یک کاربر", - "star-board-title": "برای ستاره دادن، کلیک کنید.این در بالای لیست تخته های شما نمایش داده خواهد شد.", - "starred-boards": "تخته های ستاره دار", - "starred-boards-description": "تخته های ستاره دار در بالای لیست تخته ها نمایش داده می شود.", - "subscribe": "عضوشدن", - "team": "تیم", - "this-board": "این تخته", - "this-card": "این کارت", - "spent-time-hours": "زمان صرف شده (ساعت)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "زمان", - "title": "عنوان", - "tracking": "پیگردی", - "tracking-info": "شما از هرگونه تغییر در کارتهایی که بعنوان ایجاد کننده ویا عضو آن هستید، آگاه خواهید شد", - "type": "Type", - "unassign-member": "عدم انتصاب کاربر", - "unsaved-description": "شما توضیحات ذخیره نشده دارید.", - "unwatch": "عدم دیده بانی", - "upload": "ارسال", - "upload-avatar": "ارسال تصویر", - "uploaded-avatar": "تصویر ارسال شد", - "username": "نام کاربری", - "view-it": "مشاهده", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "دیده بانی", - "watching": "درحال دیده بانی", - "watching-info": "شما از هر تغییری دراین تخته آگاه خواهید شد", - "welcome-board": "به این تخته خوش آمدید", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "پایه ای ها", - "welcome-list2": "پیشرفته", - "what-to-do": "چه کاری می خواهید انجام دهید؟", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "پیشخوان مدیریتی", - "settings": "تنظمات", - "people": "افراد", - "registration": "ثبت نام", - "disable-self-registration": "‌غیرفعال‌سازی خودثبت‌نامی", - "invite": "دعوت", - "invite-people": "دعوت از افراد", - "to-boards": "به تخته(ها)", - "email-addresses": "نشانی رایانامه", - "smtp-host-description": "آدرس سرور SMTP ای که پست الکترونیکی شما برروی آن است", - "smtp-port-description": "شماره درگاه ـPortـ ای که سرور SMTP شما جهت ارسال از آن استفاده می کند", - "smtp-tls-description": "پشتیبانی از TLS برای سرور SMTP", - "smtp-host": "آدرس سرور SMTP", - "smtp-port": "شماره درگاه ـPortـ سرور SMTP", - "smtp-username": "نام کاربری", - "smtp-password": "کلمه عبور", - "smtp-tls": "پشتیبانی از SMTP", - "send-from": "از", - "send-smtp-test": "فرستادن رایانامه آزمایشی به خود", - "invitation-code": "کد دعوت نامه", - "email-invite-register-subject": "__inviter__ برای شما دعوت نامه ارسال کرده است", - "email-invite-register-text": "__User__ عزیز \nکاربر __inviter__ شما را به عضویت در Wekan برای همکاری دعوت کرده است.\nلطفا لینک زیر را دنبال کنید،\n __url__\nکد دعوت شما __icode__ می باشد.\n باتشکر", - "email-smtp-test-subject": "رایانامه SMTP آزمایشی از Wekan", - "email-smtp-test-text": "با موفقیت، یک رایانامه را فرستادید", - "error-invitation-code-not-exist": "چنین کد دعوتی یافت نشد", - "error-notAuthorized": "شما مجاز به دیدن این صفحه نیستید.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(ناشناخته)", - "Wekan_version": "نسخه Wekan", - "Node_version": "نسخه Node ", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "ساعت", - "minutes": "دقیقه", - "seconds": "ثانیه", - "show-field-on-card": "Show this field on card", - "yes": "بله", - "no": "خیر", - "accounts": "حساب‌ها", - "accounts-allowEmailChange": "اجازه تغییر رایانامه", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "ساخته شده در", - "verified": "معتبر", - "active": "فعال", - "card-received": "رسیده", - "card-received-on": "رسیده در", - "card-end": "پایان", - "card-end-on": "پایان در", - "editCardReceivedDatePopup-title": "تغییر تاریخ رسید", - "editCardEndDatePopup-title": "تغییر تاریخ پایان", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json deleted file mode 100644 index d8db9f14..00000000 --- a/i18n/fi.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Hyväksy", - "act-activity-notify": "[Wekan] Toimintailmoitus", - "act-addAttachment": "liitetty __attachment__ kortille __card__", - "act-addChecklist": "lisätty tarkistuslista __checklist__ kortille __card__", - "act-addChecklistItem": "lisätty kohta __checklistItem__ tarkistuslistaan __checklist__ kortilla __card__", - "act-addComment": "kommentoitu __card__: __comment__", - "act-createBoard": "luotu __board__", - "act-createCard": "lisätty __card__ listalle __list__", - "act-createCustomField": "luotu mukautettu kenttä __customField__", - "act-createList": "lisätty __list__ taululle __board__", - "act-addBoardMember": "lisätty __member__ taululle __board__", - "act-archivedBoard": "__board__ siirretty roskakoriin", - "act-archivedCard": "__card__ siirretty roskakoriin", - "act-archivedList": "__list__ siirretty roskakoriin", - "act-archivedSwimlane": "__swimlane__ siirretty roskakoriin", - "act-importBoard": "tuotu __board__", - "act-importCard": "tuotu __card__", - "act-importList": "tuotu __list__", - "act-joinMember": "lisätty __member__ kortille __card__", - "act-moveCard": "siirretty __card__ listalta __oldList__ listalle __list__", - "act-removeBoardMember": "poistettu __member__ taululta __board__", - "act-restoredCard": "palautettu __card__ taululle __board__", - "act-unjoinMember": "poistettu __member__ kortilta __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Toimet", - "activities": "Toimet", - "activity": "Toiminta", - "activity-added": "lisätty %s kohteeseen %s", - "activity-archived": "%s siirretty roskakoriin", - "activity-attached": "liitetty %s kohteeseen %s", - "activity-created": "luotu %s", - "activity-customfield-created": "luotu mukautettu kenttä %s", - "activity-excluded": "poistettu %s kohteesta %s", - "activity-imported": "tuotu %s kohteeseen %s lähteestä %s", - "activity-imported-board": "tuotu %s lähteestä %s", - "activity-joined": "liitytty kohteeseen %s", - "activity-moved": "siirretty %s kohteesta %s kohteeseen %s", - "activity-on": "kohteessa %s", - "activity-removed": "poistettu %s kohteesta %s", - "activity-sent": "lähetetty %s kohteeseen %s", - "activity-unjoined": "peruttu %s liittyminen", - "activity-checklist-added": "lisätty tarkistuslista kortille %s", - "activity-checklist-item-added": "lisäsi kohdan tarkistuslistaan '%s' kortilla %s", - "add": "Lisää", - "add-attachment": "Lisää liite", - "add-board": "Lisää taulu", - "add-card": "Lisää kortti", - "add-swimlane": "Lisää Swimlane", - "add-checklist": "Lisää tarkistuslista", - "add-checklist-item": "Lisää kohta tarkistuslistaan", - "add-cover": "Lisää kansi", - "add-label": "Lisää tunniste", - "add-list": "Lisää lista", - "add-members": "Lisää jäseniä", - "added": "Lisätty", - "addMemberPopup-title": "Jäsenet", - "admin": "Ylläpitäjä", - "admin-desc": "Voi nähfä ja muokata kortteja, poistaa jäseniä, ja muuttaa taulun asetuksia.", - "admin-announcement": "Ilmoitus", - "admin-announcement-active": "Aktiivinen järjestelmänlaajuinen ilmoitus", - "admin-announcement-title": "Ilmoitus ylläpitäjältä", - "all-boards": "Kaikki taulut", - "and-n-other-card": "Ja __count__ muu kortti", - "and-n-other-card_plural": "Ja __count__ muuta korttia", - "apply": "Käytä", - "app-is-offline": "Wekan latautuu, odota. Sivun uudelleenlataus aiheuttaa tietojen menettämisen. Jos Wekan ei lataudu, tarkista että Wekan palvelin ei ole pysähtynyt.", - "archive": "Siirrä roskakoriin", - "archive-all": "Siirrä kaikki roskakoriin", - "archive-board": "Siirrä taulu roskakoriin", - "archive-card": "Siirrä kortti roskakoriin", - "archive-list": "Siirrä lista roskakoriin", - "archive-swimlane": "Siirrä Swimlane roskakoriin", - "archive-selection": "Siirrä valinta roskakoriin", - "archiveBoardPopup-title": "Siirrä taulu roskakoriin?", - "archived-items": "Roskakori", - "archived-boards": "Taulut roskakorissa", - "restore-board": "Palauta taulu", - "no-archived-boards": "Ei tauluja roskakorissa", - "archives": "Roskakori", - "assign-member": "Valitse jäsen", - "attached": "liitetty", - "attachment": "Liitetiedosto", - "attachment-delete-pop": "Liitetiedoston poistaminen on lopullista. Tätä ei pysty peruuttamaan.", - "attachmentDeletePopup-title": "Poista liitetiedosto?", - "attachments": "Liitetiedostot", - "auto-watch": "Automaattisesti seuraa tauluja kun ne on luotu", - "avatar-too-big": "Profiilikuva on liian suuri (70KB maksimi)", - "back": "Takaisin", - "board-change-color": "Muokkaa väriä", - "board-nb-stars": "%s tähteä", - "board-not-found": "Taulua ei löytynyt", - "board-private-info": "Tämä taulu tulee olemaan yksityinen.", - "board-public-info": "Tämä taulu tulee olemaan julkinen.", - "boardChangeColorPopup-title": "Muokkaa taulun taustaa", - "boardChangeTitlePopup-title": "Nimeä taulu uudelleen", - "boardChangeVisibilityPopup-title": "Muokkaa näkyvyyttä", - "boardChangeWatchPopup-title": "Muokkaa seuraamista", - "boardMenuPopup-title": "Taulu valikko", - "boards": "Taulut", - "board-view": "Taulu näkymä", - "board-view-swimlanes": "Swimlanet", - "board-view-lists": "Listat", - "bucket-example": "Kuten “Laatikko lista” esimerkiksi", - "cancel": "Peruuta", - "card-archived": "Tämä kortti on siirretty roskakoriin.", - "card-comments-title": "Tässä kortissa on %s kommenttia.", - "card-delete-notice": "Poistaminen on lopullista. Menetät kaikki toimet jotka on liitetty tähän korttiin.", - "card-delete-pop": "Kaikki toimet poistetaan toimintasyötteestä ja et tule pystymään uudelleenavaamaan korttia. Tätä ei voi peruuttaa.", - "card-delete-suggest-archive": "Voit siirtää kortin roskakoriin poistaaksesi sen taululta ja säilyttääksesi toimintalokin.", - "card-due": "Erääntyy", - "card-due-on": "Erääntyy", - "card-spent": "Käytetty aika", - "card-edit-attachments": "Muokkaa liitetiedostoja", - "card-edit-custom-fields": "Muokkaa mukautettuja kenttiä", - "card-edit-labels": "Muokkaa tunnisteita", - "card-edit-members": "Muokkaa jäseniä", - "card-labels-title": "Muokkaa kortin tunnisteita.", - "card-members-title": "Lisää tai poista taulun jäseniä tältä kortilta.", - "card-start": "Alkaa", - "card-start-on": "Alkaa", - "cardAttachmentsPopup-title": "Liitä mistä", - "cardCustomField-datePopup-title": "Muokkaa päivää", - "cardCustomFieldsPopup-title": "Muokkaa mukautettuja kenttiä", - "cardDeletePopup-title": "Poista kortti?", - "cardDetailsActionsPopup-title": "Kortti toimet", - "cardLabelsPopup-title": "Tunnisteet", - "cardMembersPopup-title": "Jäsenet", - "cardMorePopup-title": "Lisää", - "cards": "Kortit", - "cards-count": "korttia", - "change": "Muokkaa", - "change-avatar": "Muokkaa profiilikuvaa", - "change-password": "Vaihda salasana", - "change-permissions": "Muokkaa oikeuksia", - "change-settings": "Muokkaa asetuksia", - "changeAvatarPopup-title": "Muokkaa profiilikuvaa", - "changeLanguagePopup-title": "Vaihda kieltä", - "changePasswordPopup-title": "Vaihda salasana", - "changePermissionsPopup-title": "Muokkaa oikeuksia", - "changeSettingsPopup-title": "Muokkaa asetuksia", - "checklists": "Tarkistuslistat", - "click-to-star": "Klikkaa merkataksesi tämä taulu tähdellä.", - "click-to-unstar": "Klikkaa poistaaksesi tähtimerkintä taululta.", - "clipboard": "Leikepöytä tai raahaa ja pudota", - "close": "Sulje", - "close-board": "Sulje taulu", - "close-board-pop": "Voit palauttaa taulun klikkaamalla “Roskakori” painiketta taululistan yläpalkista.", - "color-black": "musta", - "color-blue": "sininen", - "color-green": "vihreä", - "color-lime": "lime", - "color-orange": "oranssi", - "color-pink": "vaaleanpunainen", - "color-purple": "violetti", - "color-red": "punainen", - "color-sky": "taivas", - "color-yellow": "keltainen", - "comment": "Kommentti", - "comment-placeholder": "Kirjoita kommentti", - "comment-only": "Vain kommentointi", - "comment-only-desc": "Voi vain kommentoida kortteja", - "computer": "Tietokone", - "confirm-checklist-delete-dialog": "Haluatko varmasti poistaa tarkistuslistan", - "copy-card-link-to-clipboard": "Kopioi kortin linkki leikepöydälle", - "copyCardPopup-title": "Kopioi kortti", - "copyChecklistToManyCardsPopup-title": "Kopioi tarkistuslistan malli monille korteille", - "copyChecklistToManyCardsPopup-instructions": "Kohde korttien otsikot ja kuvaukset JSON muodossa", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Ensimmäisen kortin otsikko\", \"description\":\"Ensimmäisen kortin kuvaus\"}, {\"title\":\"Toisen kortin otsikko\",\"description\":\"Toisen kortin kuvaus\"},{\"title\":\"Viimeisen kortin otsikko\",\"description\":\"Viimeisen kortin kuvaus\"} ]", - "create": "Luo", - "createBoardPopup-title": "Luo taulu", - "chooseBoardSourcePopup-title": "Tuo taulu", - "createLabelPopup-title": "Luo tunniste", - "createCustomField": "Luo kenttä", - "createCustomFieldPopup-title": "Luo kenttä", - "current": "nykyinen", - "custom-field-delete-pop": "Tätä ei voi peruuttaa. Tämä poistaa tämän mukautetun kentän kaikista korteista ja poistaa sen historian.", - "custom-field-checkbox": "Valintaruutu", - "custom-field-date": "Päivämäärä", - "custom-field-dropdown": "Pudotusvalikko", - "custom-field-dropdown-none": "(ei mitään)", - "custom-field-dropdown-options": "Luettelon vaihtoehdot", - "custom-field-dropdown-options-placeholder": "Paina Enter lisätäksesi lisää vaihtoehtoja", - "custom-field-dropdown-unknown": "(tuntematon)", - "custom-field-number": "Numero", - "custom-field-text": "Teksti", - "custom-fields": "Mukautetut kentät", - "date": "Päivämäärä", - "decline": "Kieltäydy", - "default-avatar": "Oletus profiilikuva", - "delete": "Poista", - "deleteCustomFieldPopup-title": "Poista mukautettu kenttä?", - "deleteLabelPopup-title": "Poista tunniste?", - "description": "Kuvaus", - "disambiguateMultiLabelPopup-title": "Yksikäsitteistä tunniste toiminta", - "disambiguateMultiMemberPopup-title": "Yksikäsitteistä jäsen toiminta", - "discard": "Hylkää", - "done": "Valmis", - "download": "Lataa", - "edit": "Muokkaa", - "edit-avatar": "Muokkaa profiilikuvaa", - "edit-profile": "Muokkaa profiilia", - "edit-wip-limit": "Muokkaa WIP-rajaa", - "soft-wip-limit": "Pehmeä WIP raja", - "editCardStartDatePopup-title": "Muokkaa aloituspäivää", - "editCardDueDatePopup-title": "Muokkaa eräpäivää", - "editCustomFieldPopup-title": "Muokkaa kenttää", - "editCardSpentTimePopup-title": "Muuta käytettyä aikaa", - "editLabelPopup-title": "Muokkaa tunnistetta", - "editNotificationPopup-title": "Muokkaa ilmoituksia", - "editProfilePopup-title": "Muokkaa profiilia", - "email": "Sähköposti", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hei __user__,\n\nAlkaaksesi käyttämään palvelua, klikkaa allaolevaa linkkiä.\n\n__url__\n\nKiitos.", - "email-fail": "Sähköpostin lähettäminen epäonnistui", - "email-fail-text": "Virhe yrittäessä lähettää sähköpostia", - "email-invalid": "Virheellinen sähköposti", - "email-invite": "Kutsu sähköpostilla", - "email-invite-subject": "__inviter__ lähetti sinulle kutsun", - "email-invite-text": "Hyvä __user__,\n\n__inviter__ kutsuu sinut liittymään taululle \"__board__\" yhteistyötä varten.\n\nOle hyvä ja seuraa allaolevaa linkkiä:\n\n__url__\n\nKiitos.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hei __user__,\n\nNollataksesi salasanasi, klikkaa allaolevaa linkkiä.\n\n__url__\n\nKiitos.", - "email-sent": "Sähköposti lähetetty", - "email-verifyEmail-subject": "Varmista sähköpostiosoitteesi osoitteessa __url__", - "email-verifyEmail-text": "Hei __user__,\n\nvahvistaaksesi sähköpostiosoitteesi, klikkaa allaolevaa linkkiä.\n\n__url__\n\nKiitos.", - "enable-wip-limit": "Ota käyttöön WIP-raja", - "error-board-doesNotExist": "Tämä taulu ei ole olemassa", - "error-board-notAdmin": "Tehdäksesi tämän sinun täytyy olla tämän taulun ylläpitäjä", - "error-board-notAMember": "Tehdäksesi tämän sinun täytyy olla tämän taulun jäsen", - "error-json-malformed": "Tekstisi ei ole kelvollisessa JSON muodossa", - "error-json-schema": "JSON tietosi ei sisällä oikeaa tietoa oikeassa muodossa", - "error-list-doesNotExist": "Tätä listaa ei ole olemassa", - "error-user-doesNotExist": "Tätä käyttäjää ei ole olemassa", - "error-user-notAllowSelf": "Et voi kutsua itseäsi", - "error-user-notCreated": "Tätä käyttäjää ei ole luotu", - "error-username-taken": "Tämä käyttäjätunnus on jo käytössä", - "error-email-taken": "Sähköpostiosoite on jo käytössä", - "export-board": "Vie taulu", - "filter": "Suodata", - "filter-cards": "Suodata kortit", - "filter-clear": "Poista suodatin", - "filter-no-label": "Ei tunnistetta", - "filter-no-member": "Ei jäseniä", - "filter-no-custom-fields": "Ei mukautettuja kenttiä", - "filter-on": "Suodatus on päällä", - "filter-on-desc": "Suodatat kortteja tällä taululla. Klikkaa tästä muokataksesi suodatinta.", - "filter-to-selection": "Suodata valintaan", - "advanced-filter-label": "Edistynyt suodatin", - "advanced-filter-description": "Edistynyt suodatin mahdollistaa merkkijonon, joka sisältää seuraavat operaattorit: ==! = <=> = && || () Operaattorien välissä käytetään välilyöntiä. Voit suodattaa kaikki mukautetut kentät kirjoittamalla niiden nimet ja arvot. Esimerkiksi: Field1 == Value1. Huomaa: Jos kentillä tai arvoilla on välilyöntejä, sinun on sijoitettava ne yksittäisiin lainausmerkkeihin. Esimerkki: 'Kenttä 1' == 'Arvo 1'. Voit myös yhdistää useita ehtoja. Esimerkiksi: F1 == V1 || F1 = V2. Yleensä kaikki operaattorit tulkitaan vasemmalta oikealle. Voit muuttaa järjestystä asettamalla sulkuja. Esimerkiksi: F1 == V1 ja (F2 == V2 || F2 == V3)", - "fullname": "Koko nimi", - "header-logo-title": "Palaa taulut sivullesi.", - "hide-system-messages": "Piilota järjestelmäviestit", - "headerBarCreateBoardPopup-title": "Luo taulu", - "home": "Koti", - "import": "Tuo", - "import-board": "tuo taulu", - "import-board-c": "Tuo taulu", - "import-board-title-trello": "Tuo taulu Trellosta", - "import-board-title-wekan": "Tuo taulu Wekanista", - "import-sandstorm-warning": "Tuotu taulu poistaa kaikki olemassaolevan taulun tiedot ja korvaa ne tuodulla taululla.", - "from-trello": "Trellosta", - "from-wekan": "Wekanista", - "import-board-instruction-trello": "Trello taulullasi, mene 'Menu', sitten 'More', 'Print and Export', 'Export JSON', ja kopioi tuloksena saamasi teksti", - "import-board-instruction-wekan": "Wekan taulullasi, mene 'Valikko', sitten 'Vie taulu', ja kopioi teksti ladatusta tiedostosta.", - "import-json-placeholder": "Liitä kelvollinen JSON tietosi tähän", - "import-map-members": "Vastaavat jäsenet", - "import-members-map": "Tuomallasi taululla on muutamia jäseniä. Ole hyvä ja valitse tuomiasi jäseniä vastaavat Wekan käyttäjät", - "import-show-user-mapping": "Tarkasta vastaavat jäsenet", - "import-user-select": "Valitse Wekan käyttäjä jota haluat käyttää tänä käyttäjänä", - "importMapMembersAddPopup-title": "Valitse Wekan käyttäjä", - "info": "Versio", - "initials": "Nimikirjaimet", - "invalid-date": "Virheellinen päivämäärä", - "invalid-time": "Virheellinen aika", - "invalid-user": "Virheellinen käyttäjä", - "joined": "liittyi", - "just-invited": "Sinut on juuri kutsuttu tälle taululle", - "keyboard-shortcuts": "Pikanäppäimet", - "label-create": "Luo tunniste", - "label-default": "%s tunniste (oletus)", - "label-delete-pop": "Tätä ei voi peruuttaa. Tämä poistaa tämän tunnisteen kaikista korteista ja tuhoaa sen historian.", - "labels": "Tunnisteet", - "language": "Kieli", - "last-admin-desc": "Et voi vaihtaa rooleja koska täytyy olla olemassa ainakin yksi ylläpitäjä.", - "leave-board": "Jää pois taululta", - "leave-board-pop": "Haluatko varmasti poistua taululta __boardTitle__? Sinut poistetaan kaikista tämän taulun korteista.", - "leaveBoardPopup-title": "Jää pois taululta ?", - "link-card": "Linkki tähän korttiin", - "list-archive-cards": "Siirrä kaikki tämän listan kortit roskakoriin", - "list-archive-cards-pop": "Tämä poistaa kaikki tämän listan kortit taululta. Nähdäksesi roskakorissa olevat kortit ja tuodaksesi ne takaisin taululle, klikkaa “Valikko” > “Roskakori”.", - "list-move-cards": "Siirrä kaikki kortit tässä listassa", - "list-select-cards": "Valitse kaikki kortit tässä listassa", - "listActionPopup-title": "Listaa toimet", - "swimlaneActionPopup-title": "Swimlane toimet", - "listImportCardPopup-title": "Tuo Trello kortti", - "listMorePopup-title": "Lisää", - "link-list": "Linkki tähän listaan", - "list-delete-pop": "Kaikki toimet poistetaan toimintasyötteestä ja listan poistaminen on lopullista. Tätä ei pysty peruuttamaan.", - "list-delete-suggest-archive": "Voit siirtää listan roskakoriin poistaaksesi sen taululta ja säilyttääksesi toimintalokin.", - "lists": "Listat", - "swimlanes": "Swimlanet", - "log-out": "Kirjaudu ulos", - "log-in": "Kirjaudu sisään", - "loginPopup-title": "Kirjaudu sisään", - "memberMenuPopup-title": "Jäsen asetukset", - "members": "Jäsenet", - "menu": "Valikko", - "move-selection": "Siirrä valinta", - "moveCardPopup-title": "Siirrä kortti", - "moveCardToBottom-title": "Siirrä alimmaiseksi", - "moveCardToTop-title": "Siirrä ylimmäiseksi", - "moveSelectionPopup-title": "Siirrä valinta", - "multi-selection": "Monivalinta", - "multi-selection-on": "Monivalinta on päällä", - "muted": "Vaimennettu", - "muted-info": "Et saa koskaan ilmoituksia tämän taulun muutoksista", - "my-boards": "Tauluni", - "name": "Nimi", - "no-archived-cards": "Ei kortteja roskakorissa.", - "no-archived-lists": "Ei listoja roskakorissa.", - "no-archived-swimlanes": "Ei Swimlaneja roskakorissa.", - "no-results": "Ei tuloksia", - "normal": "Normaali", - "normal-desc": "Voi nähdä ja muokata kortteja. Ei voi muokata asetuksia.", - "not-accepted-yet": "Kutsua ei ole hyväksytty vielä", - "notify-participate": "Vastaanota päivityksiä kaikilta korteilta jotka olet tehnyt tai joihin osallistut.", - "notify-watch": "Vastaanota päivityksiä kaikilta tauluilta, listoilta tai korteilta joita seuraat.", - "optional": "valinnainen", - "or": "tai", - "page-maybe-private": "Tämä sivu voi olla yksityinen. Voit ehkä pystyä näkemään sen kirjautumalla sisään.", - "page-not-found": "Sivua ei löytynyt.", - "password": "Salasana", - "paste-or-dragdrop": "liittääksesi, tai vedä & pudota kuvatiedosto siihen (vain kuva)", - "participating": "Osallistutaan", - "preview": "Esikatsele", - "previewAttachedImagePopup-title": "Esikatsele", - "previewClipboardImagePopup-title": "Esikatsele", - "private": "Yksityinen", - "private-desc": "Tämä taulu on yksityinen. Vain taululle lisätyt henkilöt voivat nähdä ja muokata sitä.", - "profile": "Profiili", - "public": "Julkinen", - "public-desc": "Tämä taulu on julkinen. Se näkyy kenelle tahansa jolla on linkki ja näkyy myös hakukoneissa kuten Google. Vain taululle lisätyt henkilöt voivat muokata sitä.", - "quick-access-description": "Merkkaa taulu tähdellä lisätäksesi pikavalinta tähän palkkiin.", - "remove-cover": "Poista kansi", - "remove-from-board": "Poista taululta", - "remove-label": "Poista tunniste", - "listDeletePopup-title": "Poista lista ?", - "remove-member": "Poista jäsen", - "remove-member-from-card": "Poista kortilta", - "remove-member-pop": "Poista __name__ (__username__) taululta __boardTitle__? Jäsen poistetaan kaikilta taulun korteilta. Heille lähetetään ilmoitus.", - "removeMemberPopup-title": "Poista jäsen?", - "rename": "Nimeä uudelleen", - "rename-board": "Nimeä taulu uudelleen", - "restore": "Palauta", - "save": "Tallenna", - "search": "Etsi", - "search-cards": "Etsi korttien otsikoista ja kuvauksista tällä taululla", - "search-example": "Teksti jota etsitään?", - "select-color": "Valitse väri", - "set-wip-limit-value": "Aseta tämän listan tehtävien enimmäismäärä", - "setWipLimitPopup-title": "Aseta WIP-raja", - "shortcut-assign-self": "Valitse itsesi nykyiselle kortille", - "shortcut-autocomplete-emoji": "Automaattinen täydennys emojille", - "shortcut-autocomplete-members": "Automaattinen täydennys jäsenille", - "shortcut-clear-filters": "Poista kaikki suodattimet", - "shortcut-close-dialog": "Sulje valintaikkuna", - "shortcut-filter-my-cards": "Suodata korttini", - "shortcut-show-shortcuts": "Tuo esiin tämä pikavalinta lista", - "shortcut-toggle-filterbar": "Muokkaa suodatus sivupalkin näkyvyyttä", - "shortcut-toggle-sidebar": "Muokkaa taulu sivupalkin näkyvyyttä", - "show-cards-minimum-count": "Näytä korttien lukumäärä jos lista sisältää enemmän kuin", - "sidebar-open": "Avaa sivupalkki", - "sidebar-close": "Sulje sivupalkki", - "signupPopup-title": "Luo tili", - "star-board-title": "Klikkaa merkataksesi taulu tähdellä. Se tulee näkymään ylimpänä taululistallasi.", - "starred-boards": "Tähdellä merkatut taulut", - "starred-boards-description": "Tähdellä merkatut taulut näkyvät ylimpänä taululistallasi.", - "subscribe": "Tilaa", - "team": "Tiimi", - "this-board": "tämä taulu", - "this-card": "tämä kortti", - "spent-time-hours": "Käytetty aika (tuntia)", - "overtime-hours": "Ylityö (tuntia)", - "overtime": "Ylityö", - "has-overtime-cards": "Sisältää ylityö kortteja", - "has-spenttime-cards": "Sisältää käytetty aika kortteja", - "time": "Aika", - "title": "Otsikko", - "tracking": "Ilmoitukset", - "tracking-info": "Sinulle ilmoitetaan muutoksista korteissa joihin olet osallistunut luojana tai jäsenenä.", - "type": "Tyyppi", - "unassign-member": "Peru jäsenvalinta", - "unsaved-description": "Sinulla on tallentamaton kuvaus.", - "unwatch": "Lopeta seuraaminen", - "upload": "Lähetä", - "upload-avatar": "Lähetä profiilikuva", - "uploaded-avatar": "Profiilikuva lähetetty", - "username": "Käyttäjätunnus", - "view-it": "Näytä se", - "warn-list-archived": "varoitus: tämä kortti on roskakorissa olevassa listassa", - "watch": "Seuraa", - "watching": "Seurataan", - "watching-info": "Sinulle ilmoitetaan tämän taulun muutoksista", - "welcome-board": "Tervetuloa taulu", - "welcome-swimlane": "Merkkipaalu 1", - "welcome-list1": "Perusasiat", - "welcome-list2": "Edistynyt", - "what-to-do": "Mitä haluat tehdä?", - "wipLimitErrorPopup-title": "Virheellinen WIP-raja", - "wipLimitErrorPopup-dialog-pt1": "Tässä listassa olevien tehtävien määrä on korkeampi kuin asettamasi WIP-raja.", - "wipLimitErrorPopup-dialog-pt2": "Siirrä joitain tehtäviä pois tästä listasta tai määritä korkeampi WIP-raja.", - "admin-panel": "Hallintapaneeli", - "settings": "Asetukset", - "people": "Ihmiset", - "registration": "Rekisteröinti", - "disable-self-registration": "Poista käytöstä itse-rekisteröityminen", - "invite": "Kutsu", - "invite-people": "Kutsu ihmisiä", - "to-boards": "Taulu(i)lle", - "email-addresses": "Sähköpostiosoite", - "smtp-host-description": "SMTP palvelimen osoite jolla sähköpostit lähetetään.", - "smtp-port-description": "Portti jota STMP palvelimesi käyttää lähteville sähköposteille.", - "smtp-tls-description": "Ota käyttöön TLS tuki SMTP palvelimelle", - "smtp-host": "SMTP isäntä", - "smtp-port": "SMTP portti", - "smtp-username": "Käyttäjätunnus", - "smtp-password": "Salasana", - "smtp-tls": "TLS tuki", - "send-from": "Lähettäjä", - "send-smtp-test": "Lähetä testi sähköposti itsellesi", - "invitation-code": "Kutsukoodi", - "email-invite-register-subject": "__inviter__ lähetti sinulle kutsun", - "email-invite-register-text": "Hei __user__,\n\n__inviter__ kutsuu sinut mukaan Wekan ohjelman käyttöön.\n\nOle hyvä ja seuraa allaolevaa linkkiä:\n__url__\n\nJa kutsukoodisi on: __icode__\n\nKiitos.", - "email-smtp-test-subject": "SMTP testi sähköposti Wekanista", - "email-smtp-test-text": "Olet onnistuneesti lähettänyt sähköpostin", - "error-invitation-code-not-exist": "Kutsukoodi ei ole olemassa", - "error-notAuthorized": "Sinulla ei ole oikeutta tarkastella tätä sivua.", - "outgoing-webhooks": "Lähtevät Webkoukut", - "outgoingWebhooksPopup-title": "Lähtevät Webkoukut", - "new-outgoing-webhook": "Uusi lähtevä Webkoukku", - "no-name": "(Tuntematon)", - "Wekan_version": "Wekan versio", - "Node_version": "Node versio", - "OS_Arch": "Käyttöjärjestelmän arkkitehtuuri", - "OS_Cpus": "Käyttöjärjestelmän CPU määrä", - "OS_Freemem": "Käyttöjärjestelmän vapaa muisti", - "OS_Loadavg": "Käyttöjärjestelmän kuorman keskiarvo", - "OS_Platform": "Käyttöjärjestelmäalusta", - "OS_Release": "Käyttöjärjestelmän julkaisu", - "OS_Totalmem": "Käyttöjärjestelmän muistin kokonaismäärä", - "OS_Type": "Käyttöjärjestelmän tyyppi", - "OS_Uptime": "Käyttöjärjestelmä ollut käynnissä", - "hours": "tuntia", - "minutes": "minuuttia", - "seconds": "sekuntia", - "show-field-on-card": "Näytä tämä kenttä kortilla", - "yes": "Kyllä", - "no": "Ei", - "accounts": "Tilit", - "accounts-allowEmailChange": "Salli sähköpostiosoitteen muuttaminen", - "accounts-allowUserNameChange": "Salli käyttäjätunnuksen muuttaminen", - "createdAt": "Luotu", - "verified": "Varmistettu", - "active": "Aktiivinen", - "card-received": "Vastaanotettu", - "card-received-on": "Vastaanotettu", - "card-end": "Loppuu", - "card-end-on": "Loppuu", - "editCardReceivedDatePopup-title": "Vaihda vastaanottamispäivää", - "editCardEndDatePopup-title": "Vaihda loppumispäivää", - "assigned-by": "Tehtävänantaja", - "requested-by": "Pyytäjä", - "board-delete-notice": "Poistaminen on lopullista. Menetät kaikki listat, kortit ja toimet tällä taululla.", - "delete-board-confirm-popup": "Kaikki listat, kortit, tunnisteet ja toimet poistetaan ja et pysty palauttamaan taulun sisältöä. Tätä ei voi peruuttaa.", - "boardDeletePopup-title": "Poista taulu?", - "delete-board": "Poista taulu" -} \ No newline at end of file diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json deleted file mode 100644 index 258eeed4..00000000 --- a/i18n/fr.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Accepter", - "act-activity-notify": "[Wekan] Notification d'activité", - "act-addAttachment": "a joint __attachment__ à __card__", - "act-addChecklist": "a ajouté la checklist __checklist__ à __card__", - "act-addChecklistItem": "a ajouté l'élément __checklistItem__ à la checklist __checklist__ de __card__", - "act-addComment": "a commenté __card__ : __comment__", - "act-createBoard": "a créé __board__", - "act-createCard": "a ajouté __card__ à __list__", - "act-createCustomField": "a créé le champ personnalisé __customField__", - "act-createList": "a ajouté __list__ à __board__", - "act-addBoardMember": "a ajouté __member__ à __board__", - "act-archivedBoard": "__board__ a été déplacé vers la corbeille", - "act-archivedCard": "__card__ a été déplacée vers la corbeille", - "act-archivedList": "__list__ a été déplacée vers la corbeille", - "act-archivedSwimlane": "__swimlane__ a été déplacé vers la corbeille", - "act-importBoard": "a importé __board__", - "act-importCard": "a importé __card__", - "act-importList": "a importé __list__", - "act-joinMember": "a ajouté __member__ à __card__", - "act-moveCard": "a déplacé __card__ de __oldList__ à __list__", - "act-removeBoardMember": "a retiré __member__ de __board__", - "act-restoredCard": "a restauré __card__ dans __board__", - "act-unjoinMember": "a retiré __member__ de __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activités", - "activity": "Activité", - "activity-added": "a ajouté %s à %s", - "activity-archived": "%s a été déplacé vers la corbeille", - "activity-attached": "a attaché %s à %s", - "activity-created": "a créé %s", - "activity-customfield-created": "a créé le champ personnalisé %s", - "activity-excluded": "a exclu %s de %s", - "activity-imported": "a importé %s vers %s depuis %s", - "activity-imported-board": "a importé %s depuis %s", - "activity-joined": "a rejoint %s", - "activity-moved": "a déplacé %s de %s vers %s", - "activity-on": "sur %s", - "activity-removed": "a supprimé %s de %s", - "activity-sent": "a envoyé %s vers %s", - "activity-unjoined": "a quitté %s", - "activity-checklist-added": "a ajouté une checklist à %s", - "activity-checklist-item-added": "a ajouté un élément à la checklist '%s' dans %s", - "add": "Ajouter", - "add-attachment": "Ajouter une pièce jointe", - "add-board": "Ajouter un tableau", - "add-card": "Ajouter une carte", - "add-swimlane": "Ajouter un couloir", - "add-checklist": "Ajouter une checklist", - "add-checklist-item": "Ajouter un élément à la checklist", - "add-cover": "Ajouter la couverture", - "add-label": "Ajouter une étiquette", - "add-list": "Ajouter une liste", - "add-members": "Assigner des membres", - "added": "Ajouté le", - "addMemberPopup-title": "Membres", - "admin": "Admin", - "admin-desc": "Peut voir et éditer les cartes, supprimer des membres et changer les paramètres du tableau.", - "admin-announcement": "Annonce", - "admin-announcement-active": "Annonce destinée à tous", - "admin-announcement-title": "Annonce de l'administrateur", - "all-boards": "Tous les tableaux", - "and-n-other-card": "Et __count__ autre carte", - "and-n-other-card_plural": "Et __count__ autres cartes", - "apply": "Appliquer", - "app-is-offline": "Chargement en cours, veuillez patienter. Vous risquez de perdre des données si vous rechargez la page. Si le chargement échoue, veuillez vérifier l'état du serveur Wekan.", - "archive": "Déplacer vers la corbeille", - "archive-all": "Tout déplacer vers la corbeille", - "archive-board": "Déplacer le tableau vers la corbeille", - "archive-card": "Déplacer la carte vers la corbeille", - "archive-list": "Déplacer la liste vers la corbeille", - "archive-swimlane": "Déplacer le couloir vers la corbeille", - "archive-selection": "Déplacer la sélection vers la corbeille", - "archiveBoardPopup-title": "Déplacer le tableau vers la corbeille ?", - "archived-items": "Corbeille", - "archived-boards": "Tableaux dans la corbeille", - "restore-board": "Restaurer le tableau", - "no-archived-boards": "Aucun tableau dans la corbeille.", - "archives": "Corbeille", - "assign-member": "Affecter un membre", - "attached": "joint", - "attachment": "Pièce jointe", - "attachment-delete-pop": "La suppression d'une pièce jointe est définitive. Elle ne peut être annulée.", - "attachmentDeletePopup-title": "Supprimer la pièce jointe ?", - "attachments": "Pièces jointes", - "auto-watch": "Surveiller automatiquement les tableaux quand ils sont créés", - "avatar-too-big": "La taille du fichier de l'avatar est trop importante (70 ko au maximum)", - "back": "Retour", - "board-change-color": "Changer la couleur", - "board-nb-stars": "%s étoiles", - "board-not-found": "Tableau non trouvé", - "board-private-info": "Ce tableau sera privé", - "board-public-info": "Ce tableau sera public.", - "boardChangeColorPopup-title": "Change la couleur de fond du tableau", - "boardChangeTitlePopup-title": "Renommer le tableau", - "boardChangeVisibilityPopup-title": "Changer la visibilité", - "boardChangeWatchPopup-title": "Modifier le suivi", - "boardMenuPopup-title": "Menu du tableau", - "boards": "Tableaux", - "board-view": "Vue du tableau", - "board-view-swimlanes": "Couloirs", - "board-view-lists": "Listes", - "bucket-example": "Comme « todo list » par exemple", - "cancel": "Annuler", - "card-archived": "Cette carte est déplacée vers la corbeille.", - "card-comments-title": "Cette carte a %s commentaires.", - "card-delete-notice": "La suppression est permanente. Vous perdrez toutes les actions associées à cette carte.", - "card-delete-pop": "Toutes les actions vont être supprimées du suivi d'activités et vous ne pourrez plus utiliser cette carte. Cette action est irréversible.", - "card-delete-suggest-archive": "Vous pouvez déplacer une carte vers la corbeille afin de l'enlever du tableau tout en préservant l'activité.", - "card-due": "À échéance", - "card-due-on": "Échéance le", - "card-spent": "Temps passé", - "card-edit-attachments": "Modifier les pièces jointes", - "card-edit-custom-fields": "Éditer les champs personnalisés", - "card-edit-labels": "Modifier les étiquettes", - "card-edit-members": "Modifier les membres", - "card-labels-title": "Modifier les étiquettes de la carte.", - "card-members-title": "Ajouter ou supprimer des membres à la carte.", - "card-start": "Début", - "card-start-on": "Commence le", - "cardAttachmentsPopup-title": "Joindre depuis", - "cardCustomField-datePopup-title": "Changer la date", - "cardCustomFieldsPopup-title": "Éditer les champs personnalisés", - "cardDeletePopup-title": "Supprimer la carte ?", - "cardDetailsActionsPopup-title": "Actions sur la carte", - "cardLabelsPopup-title": "Étiquettes", - "cardMembersPopup-title": "Membres", - "cardMorePopup-title": "Plus", - "cards": "Cartes", - "cards-count": "Cartes", - "change": "Modifier", - "change-avatar": "Modifier l'avatar", - "change-password": "Modifier le mot de passe", - "change-permissions": "Modifier les permissions", - "change-settings": "Modifier les paramètres", - "changeAvatarPopup-title": "Modifier l'avatar", - "changeLanguagePopup-title": "Modifier la langue", - "changePasswordPopup-title": "Modifier le mot de passe", - "changePermissionsPopup-title": "Modifier les permissions", - "changeSettingsPopup-title": "Modifier les paramètres", - "checklists": "Checklists", - "click-to-star": "Cliquez pour ajouter ce tableau aux favoris.", - "click-to-unstar": "Cliquez pour retirer ce tableau des favoris.", - "clipboard": "Presse-papier ou glisser-déposer", - "close": "Fermer", - "close-board": "Fermer le tableau", - "close-board-pop": "Vous pourrez restaurer le tableau en cliquant le bouton « Corbeille » en entête.", - "color-black": "noir", - "color-blue": "bleu", - "color-green": "vert", - "color-lime": "citron vert", - "color-orange": "orange", - "color-pink": "rose", - "color-purple": "violet", - "color-red": "rouge", - "color-sky": "ciel", - "color-yellow": "jaune", - "comment": "Commenter", - "comment-placeholder": "Écrire un commentaire", - "comment-only": "Commentaire uniquement", - "comment-only-desc": "Ne peut que commenter des cartes.", - "computer": "Ordinateur", - "confirm-checklist-delete-dialog": "Êtes-vous sûr de vouloir supprimer la checklist", - "copy-card-link-to-clipboard": "Copier le lien vers la carte dans le presse-papier", - "copyCardPopup-title": "Copier la carte", - "copyChecklistToManyCardsPopup-title": "Copier le modèle de checklist vers plusieurs cartes", - "copyChecklistToManyCardsPopup-instructions": "Titres et descriptions des cartes de destination dans ce format JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titre de la première carte\", \"description\":\"Description de la première carte\"}, {\"title\":\"Titre de la seconde carte\",\"description\":\"Description de la seconde carte\"},{\"title\":\"Titre de la dernière carte\",\"description\":\"Description de la dernière carte\"} ]", - "create": "Créer", - "createBoardPopup-title": "Créer un tableau", - "chooseBoardSourcePopup-title": "Importer un tableau", - "createLabelPopup-title": "Créer une étiquette", - "createCustomField": "Créer un champ personnalisé", - "createCustomFieldPopup-title": "Créer un champ personnalisé", - "current": "actuel", - "custom-field-delete-pop": "Cette action n'est pas réversible. Elle supprimera ce champ personnalisé de toutes les cartes et détruira son historique.", - "custom-field-checkbox": "Case à cocher", - "custom-field-date": "Date", - "custom-field-dropdown": "Liste de choix", - "custom-field-dropdown-none": "(aucun)", - "custom-field-dropdown-options": "Options de liste", - "custom-field-dropdown-options-placeholder": "Appuyez sur Entrée pour ajouter d'autres options", - "custom-field-dropdown-unknown": "(inconnu)", - "custom-field-number": "Nombre", - "custom-field-text": "Texte", - "custom-fields": "Champs personnalisés", - "date": "Date", - "decline": "Refuser", - "default-avatar": "Avatar par défaut", - "delete": "Supprimer", - "deleteCustomFieldPopup-title": "Supprimer le champ personnalisé ?", - "deleteLabelPopup-title": "Supprimer l'étiquette ?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Préciser l'action sur l'étiquette", - "disambiguateMultiMemberPopup-title": "Préciser l'action sur le membre", - "discard": "Mettre à la corbeille", - "done": "Fait", - "download": "Télécharger", - "edit": "Modifier", - "edit-avatar": "Modifier l'avatar", - "edit-profile": "Modifier le profil", - "edit-wip-limit": "Éditer la limite WIP", - "soft-wip-limit": "Limite WIP douce", - "editCardStartDatePopup-title": "Modifier la date de début", - "editCardDueDatePopup-title": "Modifier la date d'échéance", - "editCustomFieldPopup-title": "Éditer le champ personnalisé", - "editCardSpentTimePopup-title": "Changer le temps passé", - "editLabelPopup-title": "Modifier l'étiquette", - "editNotificationPopup-title": "Modifier la notification", - "editProfilePopup-title": "Modifier le profil", - "email": "Email", - "email-enrollAccount-subject": "Un compte a été créé pour vous sur __siteName__", - "email-enrollAccount-text": "Bonjour __user__,\n\nPour commencer à utiliser ce service, il suffit de cliquer sur le lien ci-dessous.\n\n__url__\n\nMerci.", - "email-fail": "Échec de l'envoi du courriel.", - "email-fail-text": "Une erreur est survenue en tentant d'envoyer l'email", - "email-invalid": "Adresse email incorrecte.", - "email-invite": "Inviter par email", - "email-invite-subject": "__inviter__ vous a envoyé une invitation", - "email-invite-text": "Cher __user__,\n\n__inviter__ vous invite à rejoindre le tableau \"__board__\" pour collaborer.\n\nVeuillez suivre le lien ci-dessous :\n\n__url__\n\nMerci.", - "email-resetPassword-subject": "Réinitialiser votre mot de passe sur __siteName__", - "email-resetPassword-text": "Bonjour __user__,\n\nPour réinitialiser votre mot de passe, cliquez sur le lien ci-dessous.\n\n__url__\n\nMerci.", - "email-sent": "Courriel envoyé", - "email-verifyEmail-subject": "Vérifier votre adresse de courriel sur __siteName__", - "email-verifyEmail-text": "Bonjour __user__,\n\nPour vérifier votre compte courriel, il suffit de cliquer sur le lien ci-dessous.\n\n__url__\n\nMerci.", - "enable-wip-limit": "Activer la limite WIP", - "error-board-doesNotExist": "Ce tableau n'existe pas", - "error-board-notAdmin": "Vous devez être administrateur de ce tableau pour faire cela", - "error-board-notAMember": "Vous devez être membre de ce tableau pour faire cela", - "error-json-malformed": "Votre texte JSON n'est pas valide", - "error-json-schema": "Vos données JSON ne contiennent pas l'information appropriée dans un format correct", - "error-list-doesNotExist": "Cette liste n'existe pas", - "error-user-doesNotExist": "Cet utilisateur n'existe pas", - "error-user-notAllowSelf": "Vous ne pouvez pas vous inviter vous-même", - "error-user-notCreated": "Cet utilisateur n'a pas encore été créé", - "error-username-taken": "Ce nom d'utilisateur est déjà utilisé", - "error-email-taken": "Cette adresse mail est déjà utilisée", - "export-board": "Exporter le tableau", - "filter": "Filtrer", - "filter-cards": "Filtrer les cartes", - "filter-clear": "Supprimer les filtres", - "filter-no-label": "Aucune étiquette", - "filter-no-member": "Aucun membre", - "filter-no-custom-fields": "Pas de champs personnalisés", - "filter-on": "Le filtre est actif", - "filter-on-desc": "Vous êtes en train de filtrer les cartes sur ce tableau. Cliquez ici pour modifier les filtres.", - "filter-to-selection": "Filtre vers la sélection", - "advanced-filter-label": "Filtre avancé", - "advanced-filter-description": "Le filtre avancé permet d'écrire une chaîne contenant les opérateur suivants : == != <= >= && || ( ). Les opérateurs doivent être séparés par des espaces. Vous pouvez filtrer tous les champs personnalisés en saisissant leur nom et leur valeur. Par exemple : champ1 == valeur1. Note : si des champs ou valeurs contiennent des espaces, vous devez les mettre entre apostrophes. Par exemple : 'champ 1' = 'valeur 1'. Il est également possible de combiner plusieurs conditions. Par exemple : f1 == v1 || f2 == v2. Normalement, tous les opérateurs sont interprétés de gauche à droite. Vous pouvez changer l'ordre à l'aide de parenthèses. Par exemple : f1 == v1 and (f2 == v2 || f2 == v3).", - "fullname": "Nom complet", - "header-logo-title": "Retourner à la page des tableaux", - "hide-system-messages": "Masquer les messages système", - "headerBarCreateBoardPopup-title": "Créer un tableau", - "home": "Accueil", - "import": "Importer", - "import-board": "importer un tableau", - "import-board-c": "Importer un tableau", - "import-board-title-trello": "Importer le tableau depuis Trello", - "import-board-title-wekan": "Importer un tableau depuis Wekan", - "import-sandstorm-warning": "Le tableau importé supprimera toutes les données du tableau et les remplacera avec celles du tableau importé.", - "from-trello": "Depuis Trello", - "from-wekan": "Depuis Wekan", - "import-board-instruction-trello": "Dans votre tableau Trello, allez sur 'Menu', puis sur 'Plus', 'Imprimer et exporter', 'Exporter en JSON' et copiez le texte du résultat", - "import-board-instruction-wekan": "Dans votre tableau Wekan, allez dans 'Menu', puis 'Exporter un tableau', et copier le texte du fichier téléchargé.", - "import-json-placeholder": "Collez ici les données JSON valides", - "import-map-members": "Faire correspondre aux membres", - "import-members-map": "Le tableau que vous venez d'importer contient des membres. Veuillez associer les membres que vous souhaitez importer à des utilisateurs de Wekan.", - "import-show-user-mapping": "Contrôler l'association des membres", - "import-user-select": "Sélectionnez l'utilisateur Wekan que vous voulez associer à ce membre", - "importMapMembersAddPopup-title": "Sélectionner le membre Wekan", - "info": "Version", - "initials": "Initiales", - "invalid-date": "Date invalide", - "invalid-time": "Temps invalide", - "invalid-user": "Utilisateur invalide", - "joined": "a rejoint", - "just-invited": "Vous venez d'être invité à ce tableau", - "keyboard-shortcuts": "Raccourcis clavier", - "label-create": "Créer une étiquette", - "label-default": "étiquette %s (défaut)", - "label-delete-pop": "Cette action est irréversible. Elle supprimera cette étiquette de toutes les cartes ainsi que l'historique associé.", - "labels": "Étiquettes", - "language": "Langue", - "last-admin-desc": "Vous ne pouvez pas changer les rôles car il doit y avoir au moins un administrateur.", - "leave-board": "Quitter le tableau", - "leave-board-pop": "Êtes-vous sur de vouloir quitter __boardTitle__ ? Vous ne serez plus associé aux cartes de ce tableau.", - "leaveBoardPopup-title": "Quitter le tableau", - "link-card": "Lier à cette carte", - "list-archive-cards": "Déplacer toutes les cartes de la liste vers la corbeille", - "list-archive-cards-pop": "Cela supprimera du tableau toutes les cartes de cette liste. Pour voir les cartes dans la corbeille et les renvoyer vers le tableau, cliquez sur « Menu » puis « Corbeille ».", - "list-move-cards": "Déplacer toutes les cartes de cette liste", - "list-select-cards": "Sélectionner toutes les cartes de cette liste", - "listActionPopup-title": "Actions sur la liste", - "swimlaneActionPopup-title": "Actions du couloir", - "listImportCardPopup-title": "Importer une carte Trello", - "listMorePopup-title": "Plus", - "link-list": "Lien vers cette liste", - "list-delete-pop": "Toutes les actions seront supprimées du fil d'activité et il ne sera plus possible de les récupérer. Cette action ne peut pas être annulée.", - "list-delete-suggest-archive": "Vous pouvez déplacer une liste vers la corbeille pour l'enlever du tableau tout en conservant son activité.", - "lists": "Listes", - "swimlanes": "Couloirs", - "log-out": "Déconnexion", - "log-in": "Connexion", - "loginPopup-title": "Connexion", - "memberMenuPopup-title": "Préférence de membre", - "members": "Membres", - "menu": "Menu", - "move-selection": "Déplacer la sélection", - "moveCardPopup-title": "Déplacer la carte", - "moveCardToBottom-title": "Déplacer tout en bas", - "moveCardToTop-title": "Déplacer tout en haut", - "moveSelectionPopup-title": "Déplacer la sélection", - "multi-selection": "Sélection multiple", - "multi-selection-on": "Multi-Selection active", - "muted": "Silencieux", - "muted-info": "Vous ne serez jamais averti des modifications effectuées dans ce tableau", - "my-boards": "Mes tableaux", - "name": "Nom", - "no-archived-cards": "Aucune carte dans la corbeille.", - "no-archived-lists": "Aucune liste dans la corbeille.", - "no-archived-swimlanes": "Aucun couloir dans la corbeille.", - "no-results": "Pas de résultats", - "normal": "Normal", - "normal-desc": "Peut voir et modifier les cartes. Ne peut pas changer les paramètres.", - "not-accepted-yet": "L'invitation n'a pas encore été acceptée", - "notify-participate": "Recevoir les mises à jour de toutes les cartes auxquelles vous participez en tant que créateur ou que membre ", - "notify-watch": "Recevoir les mises à jour de tous les tableaux, listes ou cartes que vous suivez", - "optional": "optionnel", - "or": "ou", - "page-maybe-private": "Cette page est peut-être privée. Vous pourrez peut-être la voir en vous connectant.", - "page-not-found": "Page non trouvée", - "password": "Mot de passe", - "paste-or-dragdrop": "pour coller, ou glissez-déposez une image ici (seulement une image)", - "participating": "Participant", - "preview": "Prévisualiser", - "previewAttachedImagePopup-title": "Prévisualiser", - "previewClipboardImagePopup-title": "Prévisualiser", - "private": "Privé", - "private-desc": "Ce tableau est privé. Seuls les membres peuvent y accéder et le modifier.", - "profile": "Profil", - "public": "Public", - "public-desc": "Ce tableau est public. Il est accessible par toutes les personnes disposant du lien et apparaîtra dans les résultats des moteurs de recherche tels que Google. Seuls les membres peuvent le modifier.", - "quick-access-description": "Ajouter un tableau à vos favoris pour créer un raccourci dans cette barre.", - "remove-cover": "Enlever la page de présentation", - "remove-from-board": "Retirer du tableau", - "remove-label": "Retirer l'étiquette", - "listDeletePopup-title": "Supprimer la liste ?", - "remove-member": "Supprimer le membre", - "remove-member-from-card": "Supprimer de la carte", - "remove-member-pop": "Supprimer __name__ (__username__) de __boardTitle__ ? Ce membre sera supprimé de toutes les cartes du tableau et recevra une notification.", - "removeMemberPopup-title": "Supprimer le membre ?", - "rename": "Renommer", - "rename-board": "Renommer le tableau", - "restore": "Restaurer", - "save": "Enregistrer", - "search": "Chercher", - "search-cards": "Rechercher parmi les titres et descriptions des cartes de ce tableau", - "search-example": "Texte à rechercher ?", - "select-color": "Sélectionner une couleur", - "set-wip-limit-value": "Définit une limite maximale au nombre de cartes de cette liste", - "setWipLimitPopup-title": "Définir la limite WIP", - "shortcut-assign-self": "Affecter cette carte à vous-même", - "shortcut-autocomplete-emoji": "Auto-complétion des emoji", - "shortcut-autocomplete-members": "Auto-complétion des membres", - "shortcut-clear-filters": "Retirer tous les filtres", - "shortcut-close-dialog": "Fermer la boîte de dialogue", - "shortcut-filter-my-cards": "Filtrer mes cartes", - "shortcut-show-shortcuts": "Afficher cette liste de raccourcis", - "shortcut-toggle-filterbar": "Afficher/Cacher la barre latérale des filtres", - "shortcut-toggle-sidebar": "Afficher/Cacher la barre latérale du tableau", - "show-cards-minimum-count": "Afficher le nombre de cartes si la liste en contient plus de ", - "sidebar-open": "Ouvrir le panneau", - "sidebar-close": "Fermer le panneau", - "signupPopup-title": "Créer un compte", - "star-board-title": "Cliquer pour ajouter ce tableau aux favoris. Il sera affiché en tête de votre liste de tableaux.", - "starred-boards": "Tableaux favoris", - "starred-boards-description": "Les tableaux favoris s'affichent en tête de votre liste de tableaux.", - "subscribe": "Suivre", - "team": "Équipe", - "this-board": "ce tableau", - "this-card": "cette carte", - "spent-time-hours": "Temps passé (heures)", - "overtime-hours": "Temps supplémentaire (heures)", - "overtime": "Temps supplémentaire", - "has-overtime-cards": "A des cartes avec du temps supplémentaire", - "has-spenttime-cards": "A des cartes avec du temps passé", - "time": "Temps", - "title": "Titre", - "tracking": "Suivi", - "tracking-info": "Vous serez notifié de toute modification concernant les cartes pour lesquelles vous êtes impliqué en tant que créateur ou membre.", - "type": "Type", - "unassign-member": "Retirer le membre", - "unsaved-description": "Vous avez une description non sauvegardée", - "unwatch": "Arrêter de suivre", - "upload": "Télécharger", - "upload-avatar": "Télécharger un avatar", - "uploaded-avatar": "Avatar téléchargé", - "username": "Nom d'utilisateur", - "view-it": "Le voir", - "warn-list-archived": "Attention : cette carte est dans une liste se trouvant dans la corbeille", - "watch": "Suivre", - "watching": "Suivi", - "watching-info": "Vous serez notifié de toute modification dans ce tableau", - "welcome-board": "Tableau de bienvenue", - "welcome-swimlane": "Jalon 1", - "welcome-list1": "Basiques", - "welcome-list2": "Avancés", - "what-to-do": "Que voulez-vous faire ?", - "wipLimitErrorPopup-title": "Limite WIP invalide", - "wipLimitErrorPopup-dialog-pt1": "Le nombre de cartes de cette liste est supérieur à la limite WIP que vous avez définie.", - "wipLimitErrorPopup-dialog-pt2": "Veuillez enlever des cartes de cette liste, ou définir une limite WIP plus importante.", - "admin-panel": "Panneau d'administration", - "settings": "Paramètres", - "people": "Personne", - "registration": "Inscription", - "disable-self-registration": "Désactiver l'inscription", - "invite": "Inviter", - "invite-people": "Inviter une personne", - "to-boards": "Au(x) tableau(x)", - "email-addresses": "Adresses email", - "smtp-host-description": "L'adresse du serveur SMTP qui gère vos mails.", - "smtp-port-description": "Le port des mails sortants du serveur SMTP.", - "smtp-tls-description": "Activer la gestion de TLS sur le serveur SMTP", - "smtp-host": "Hôte SMTP", - "smtp-port": "Port SMTP", - "smtp-username": "Nom d'utilisateur", - "smtp-password": "Mot de passe", - "smtp-tls": "Prise en charge de TLS", - "send-from": "De", - "send-smtp-test": "Envoyer un mail de test à vous-même", - "invitation-code": "Code d'invitation", - "email-invite-register-subject": "__inviter__ vous a envoyé une invitation", - "email-invite-register-text": "Cher __user__,\n\n__inviter__ vous invite à le rejoindre sur Wekan pour collaborer.\n\nVeuillez suivre le lien ci-dessous :\n__url__\n\nVotre code d'invitation est : __icode__\n\nMerci.", - "email-smtp-test-subject": "Email de test SMTP de Wekan", - "email-smtp-test-text": "Vous avez envoyé un mail avec succès", - "error-invitation-code-not-exist": "Ce code d'invitation n'existe pas.", - "error-notAuthorized": "Vous n'êtes pas autorisé à accéder à cette page.", - "outgoing-webhooks": "Webhooks sortants", - "outgoingWebhooksPopup-title": "Webhooks sortants", - "new-outgoing-webhook": "Nouveau webhook sortant", - "no-name": "(Inconnu)", - "Wekan_version": "Version de Wekan", - "Node_version": "Version de Node", - "OS_Arch": "OS Architecture", - "OS_Cpus": "OS Nombre CPU", - "OS_Freemem": "OS Mémoire libre", - "OS_Loadavg": "OS Charge moyenne", - "OS_Platform": "OS Plate-forme", - "OS_Release": "OS Version", - "OS_Totalmem": "OS Mémoire totale", - "OS_Type": "OS Type", - "OS_Uptime": "OS Durée de fonctionnement", - "hours": "heures", - "minutes": "minutes", - "seconds": "secondes", - "show-field-on-card": "Afficher ce champ sur la carte", - "yes": "Oui", - "no": "Non", - "accounts": "Comptes", - "accounts-allowEmailChange": "Autoriser le changement d'adresse mail", - "accounts-allowUserNameChange": "Permettre la modification de l'identifiant", - "createdAt": "Créé le", - "verified": "Vérifié", - "active": "Actif", - "card-received": "Reçue", - "card-received-on": "Reçue le", - "card-end": "Fin", - "card-end-on": "Se termine le", - "editCardReceivedDatePopup-title": "Changer la date de réception", - "editCardEndDatePopup-title": "Changer la date de fin", - "assigned-by": "Assigné par", - "requested-by": "Demandé par", - "board-delete-notice": "La suppression est définitive. Vous perdrez toutes vos listes, cartes et actions associées à ce tableau.", - "delete-board-confirm-popup": "Toutes les listes, cartes, étiquettes et activités seront supprimées et vous ne pourrez pas retrouver le contenu du tableau. Il n'y a pas d'annulation possible.", - "boardDeletePopup-title": "Supprimer le tableau ?", - "delete-board": "Supprimer le tableau" -} \ No newline at end of file diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json deleted file mode 100644 index 702e9e0c..00000000 --- a/i18n/gl.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Aceptar", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Accións", - "activities": "Actividades", - "activity": "Actividade", - "activity-added": "engadiuse %s a %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Engadir", - "add-attachment": "Engadir anexo", - "add-board": "Engadir taboleiro", - "add-card": "Engadir tarxeta", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Engadir etiqueta", - "add-list": "Engadir lista", - "add-members": "Engadir membros", - "added": "Added", - "addMemberPopup-title": "Membros", - "admin": "Admin", - "admin-desc": "Pode ver e editar tarxetas, retirar membros e cambiar a configuración do taboleiro.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "Todos os taboleiros", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restaurar taboleiro", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Anexo", - "attachment-delete-pop": "A eliminación de anexos é permanente. Non se pode desfacer.", - "attachmentDeletePopup-title": "Eliminar anexo?", - "attachments": "Anexos", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Cambiar cor", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Taboleiros", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Listas", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancelar", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Editar anexos", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Editar etiquetas", - "card-edit-members": "Editar membros", - "card-labels-title": "Cambiar as etiquetas da tarxeta.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Etiquetas", - "cardMembersPopup-title": "Membros", - "cardMorePopup-title": "Máis", - "cards": "Tarxetas", - "cards-count": "Tarxetas", - "change": "Cambiar", - "change-avatar": "Cambiar o avatar", - "change-password": "Cambiar o contrasinal", - "change-permissions": "Cambiar os permisos", - "change-settings": "Cambiar a configuración", - "changeAvatarPopup-title": "Cambiar o avatar", - "changeLanguagePopup-title": "Cambiar de idioma", - "changePasswordPopup-title": "Cambiar o contrasinal", - "changePermissionsPopup-title": "Cambiar os permisos", - "changeSettingsPopup-title": "Cambiar a configuración", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "negro", - "color-blue": "azul", - "color-green": "verde", - "color-lime": "lime", - "color-orange": "laranxa", - "color-pink": "rosa", - "color-purple": "purple", - "color-red": "vermello", - "color-sky": "celeste", - "color-yellow": "amarelo", - "comment": "Comentario", - "comment-placeholder": "Escribir un comentario", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computador", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Crear", - "createBoardPopup-title": "Crear taboleiro", - "chooseBoardSourcePopup-title": "Importar taboleiro", - "createLabelPopup-title": "Crear etiqueta", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "actual", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Data", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Data", - "decline": "Rexeitar", - "default-avatar": "Avatar predeterminado", - "delete": "Eliminar", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Eliminar a etiqueta?", - "description": "Descrición", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Desbotar", - "done": "Feito", - "download": "Descargar", - "edit": "Editar", - "edit-avatar": "Cambiar de avatar", - "edit-profile": "Editar o perfil", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Cambiar a data de inicio", - "editCardDueDatePopup-title": "Cambiar a data límite", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Cambiar a etiqueta", - "editNotificationPopup-title": "Editar a notificación", - "editProfilePopup-title": "Editar o perfil", - "email": "Correo electrónico", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "Esta lista non existe", - "error-user-doesNotExist": "Este usuario non existe", - "error-user-notAllowSelf": "Non é posíbel convidarse a un mesmo", - "error-user-notCreated": "Este usuario non está creado", - "error-username-taken": "Este nome de usuario xa está collido", - "error-email-taken": "Email has already been taken", - "export-board": "Exportar taboleiro", - "filter": "Filtro", - "filter-cards": "Filtrar tarxetas", - "filter-clear": "Limpar filtro", - "filter-no-label": "Non hai etiquetas", - "filter-no-member": "Non hai membros", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "O filtro está activado", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Nome completo", - "header-logo-title": "Retornar á páxina dos seus taboleiros.", - "hide-system-messages": "Agochar as mensaxes do sistema", - "headerBarCreateBoardPopup-title": "Crear taboleiro", - "home": "Inicio", - "import": "Importar", - "import-board": "importar taboleiro", - "import-board-c": "Importar taboleiro", - "import-board-title-trello": "Importar taboleiro de Trello", - "import-board-title-wekan": "Importar taboleiro de Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "De Trello", - "from-wekan": "De Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Iniciais", - "invalid-date": "A data é incorrecta", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Crear etiqueta", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Etiquetas", - "language": "Idioma", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Saír do taboleiro", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "Máis", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Listas", - "swimlanes": "Swimlanes", - "log-out": "Pechar a sesión", - "log-in": "Acceder", - "loginPopup-title": "Acceder", - "memberMenuPopup-title": "Member Settings", - "members": "Membros", - "menu": "Menú", - "move-selection": "Mover selección", - "moveCardPopup-title": "Mover tarxeta", - "moveCardToBottom-title": "Mover abaixo de todo", - "moveCardToTop-title": "Mover arriba de todo", - "moveSelectionPopup-title": "Mover selección", - "multi-selection": "Selección múltipla", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Nome", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Non hai resultados", - "normal": "Normal", - "normal-desc": "Pode ver e editar tarxetas. Non pode cambiar a configuración.", - "not-accepted-yet": "O convite aínda non foi aceptado", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "opcional", - "or": "ou", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Non se atopou a páxina.", - "password": "Contrasinal", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Perfil", - "public": "Público", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribir", - "team": "Equipo", - "this-board": "este taboleiro", - "this-card": "esta tarxeta", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Hora", - "title": "Título", - "tracking": "Seguimento", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Enviar", - "upload-avatar": "Enviar un avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Nome de usuario", - "view-it": "Velo", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Vixiar", - "watching": "Vixiando", - "watching-info": "Recibirá unha notificación sobre calquera cambio que se produza neste taboleiro", - "welcome-board": "Taboleiro de benvida", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Fundamentos", - "welcome-list2": "Avanzado", - "what-to-do": "Que desexa facer?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Panel de administración", - "settings": "Configuración", - "people": "Persoas", - "registration": "Rexistro", - "disable-self-registration": "Desactivar o auto-rexistro", - "invite": "Convidar", - "invite-people": "Convidar persoas", - "to-boards": "Ao(s) taboleiro(s)", - "email-addresses": "Enderezos de correo", - "smtp-host-description": "O enderezo do servidor de SMTP que xestiona os seu correo electrónico.", - "smtp-port-description": "O porto que o servidor de SMTP emprega para o correo saínte.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "Servidor de SMTP", - "smtp-port": "Porto de SMTP", - "smtp-username": "Nome de usuario", - "smtp-password": "Contrasinal", - "smtp-tls": "TLS support", - "send-from": "De", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json deleted file mode 100644 index f1b30f73..00000000 --- a/i18n/he.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "אישור", - "act-activity-notify": "[Wekan] הודעת פעילות", - "act-addAttachment": " __attachment__ צורף לכרטיס __card__", - "act-addChecklist": "רשימת משימות __checklist__ נוספה ל __card__", - "act-addChecklistItem": " __checklistItem__ נוסף לרשימת משימות __checklist__ בכרטיס __card__", - "act-addComment": "התקבלה תגובה על הכרטיס __card__:‏ __comment__", - "act-createBoard": "הלוח __board__ נוצר", - "act-createCard": "הכרטיס __card__ התווסף לרשימה __list__", - "act-createCustomField": "נוצר שדה בהתאמה אישית __customField__", - "act-createList": "הרשימה __list__ התווספה ללוח __board__", - "act-addBoardMember": "המשתמש __member__ נוסף ללוח __board__", - "act-archivedBoard": "__board__ הועבר לסל המחזור", - "act-archivedCard": "__card__ הועבר לסל המחזור", - "act-archivedList": "__list__ הועבר לסל המחזור", - "act-archivedSwimlane": "__swimlane__ הועבר לסל המחזור", - "act-importBoard": "הלוח __board__ יובא", - "act-importCard": "הכרטיס __card__ יובא", - "act-importList": "הרשימה __list__ יובאה", - "act-joinMember": "המשתמש __member__ נוסף לכרטיס __card__", - "act-moveCard": "הכרטיס __card__ הועבר מהרשימה __oldList__ לרשימה __list__", - "act-removeBoardMember": "המשתמש __member__ הוסר מהלוח __board__", - "act-restoredCard": "הכרטיס __card__ שוחזר ללוח __board__", - "act-unjoinMember": "המשתמש __member__ הוסר מהכרטיס __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "פעולות", - "activities": "פעילויות", - "activity": "פעילות", - "activity-added": "%s נוסף ל%s", - "activity-archived": "%s הועבר לסל המחזור", - "activity-attached": "%s צורף ל%s", - "activity-created": "%s נוצר", - "activity-customfield-created": "נוצר שדה בהתאמה אישית %s", - "activity-excluded": "%s לא נכלל ב%s", - "activity-imported": "%s ייובא מ%s אל %s", - "activity-imported-board": "%s ייובא מ%s", - "activity-joined": "הצטרפות אל %s", - "activity-moved": "%s עבר מ%s ל%s", - "activity-on": "ב%s", - "activity-removed": "%s הוסר מ%s", - "activity-sent": "%s נשלח ל%s", - "activity-unjoined": "בטל צירוף %s", - "activity-checklist-added": "נוספה רשימת משימות אל %s", - "activity-checklist-item-added": "נוסף פריט רשימת משימות אל ‚%s‘ תחת %s", - "add": "הוספה", - "add-attachment": "הוספת קובץ מצורף", - "add-board": "הוספת לוח", - "add-card": "הוספת כרטיס", - "add-swimlane": "הוספת מסלול", - "add-checklist": "הוספת רשימת מטלות", - "add-checklist-item": "הוספת פריט לרשימת משימות", - "add-cover": "הוספת כיסוי", - "add-label": "הוספת תווית", - "add-list": "הוספת רשימה", - "add-members": "הוספת חברים", - "added": "התווסף", - "addMemberPopup-title": "חברים", - "admin": "מנהל", - "admin-desc": "יש הרשאות לצפייה ולעריכת כרטיסים, להסרת חברים ולשינוי הגדרות לוח.", - "admin-announcement": "הכרזה", - "admin-announcement-active": "הכרזת מערכת פעילה", - "admin-announcement-title": "הכרזה ממנהל המערכת", - "all-boards": "כל הלוחות", - "and-n-other-card": "וכרטיס אחר", - "and-n-other-card_plural": "ו־__count__ כרטיסים אחרים", - "apply": "החלה", - "app-is-offline": "Wekan בטעינה, נא להמתין. רענון העמוד עשוי להוביל לאובדן מידע. אם הטעינה של Wekan נעצרה, נא לבדוק ששרת ה־Wekan לא נעצר.", - "archive": "העברה לסל המחזור", - "archive-all": "להעביר הכול לסל המחזור", - "archive-board": "העברת הלוח לסל המחזור", - "archive-card": "העברת הכרטיס לסל המחזור", - "archive-list": "העברת הרשימה לסל המחזור", - "archive-swimlane": "העברת מסלול לסל המחזור", - "archive-selection": "העברת הבחירה לסל המחזור", - "archiveBoardPopup-title": "להעביר את הלוח לסל המחזור?", - "archived-items": "סל מחזור", - "archived-boards": "לוחות בסל המחזור", - "restore-board": "שחזור לוח", - "no-archived-boards": "אין לוחות בסל המחזור", - "archives": "סל מחזור", - "assign-member": "הקצאת חבר", - "attached": "מצורף", - "attachment": "קובץ מצורף", - "attachment-delete-pop": "מחיקת קובץ מצורף הנה סופית. אין דרך חזרה.", - "attachmentDeletePopup-title": "למחוק קובץ מצורף?", - "attachments": "קבצים מצורפים", - "auto-watch": "הוספת לוחות למעקב כשהם נוצרים", - "avatar-too-big": "תמונת המשתמש גדולה מדי (70 ק״ב לכל היותר)", - "back": "חזרה", - "board-change-color": "שינוי צבע", - "board-nb-stars": "%s כוכבים", - "board-not-found": "לוח לא נמצא", - "board-private-info": "לוח זה יהיה פרטי.", - "board-public-info": "לוח זה יהיה ציבורי.", - "boardChangeColorPopup-title": "שינוי רקע ללוח", - "boardChangeTitlePopup-title": "שינוי שם הלוח", - "boardChangeVisibilityPopup-title": "שינוי מצב הצגה", - "boardChangeWatchPopup-title": "שינוי הגדרת המעקב", - "boardMenuPopup-title": "תפריט לוח", - "boards": "לוחות", - "board-view": "תצוגת לוח", - "board-view-swimlanes": "מסלולים", - "board-view-lists": "רשימות", - "bucket-example": "כמו למשל „רשימת המשימות“", - "cancel": "ביטול", - "card-archived": "כרטיס זה הועבר לסל המחזור", - "card-comments-title": "לכרטיס זה %s תגובות.", - "card-delete-notice": "מחיקה היא סופית. כל הפעולות המשויכות לכרטיס זה תלכנה לאיוד.", - "card-delete-pop": "כל הפעולות יוסרו מלוח הפעילות ולא תהיה אפשרות לפתוח מחדש את הכרטיס. אין דרך חזרה.", - "card-delete-suggest-archive": "ניתן להעביר כרטיס לסל המחזור כדי להסיר אותו מהלוח ולשמר את הפעילות.", - "card-due": "תאריך יעד", - "card-due-on": "תאריך יעד", - "card-spent": "זמן שהושקע", - "card-edit-attachments": "עריכת קבצים מצורפים", - "card-edit-custom-fields": "עריכת שדות בהתאמה אישית", - "card-edit-labels": "עריכת תוויות", - "card-edit-members": "עריכת חברים", - "card-labels-title": "שינוי תוויות לכרטיס.", - "card-members-title": "הוספה או הסרה של חברי הלוח מהכרטיס.", - "card-start": "התחלה", - "card-start-on": "מתחיל ב־", - "cardAttachmentsPopup-title": "לצרף מ־", - "cardCustomField-datePopup-title": "החלפת תאריך", - "cardCustomFieldsPopup-title": "עריכת שדות בהתאמה אישית", - "cardDeletePopup-title": "למחוק כרטיס?", - "cardDetailsActionsPopup-title": "פעולות על הכרטיס", - "cardLabelsPopup-title": "תוויות", - "cardMembersPopup-title": "חברים", - "cardMorePopup-title": "עוד", - "cards": "כרטיסים", - "cards-count": "כרטיסים", - "change": "שינוי", - "change-avatar": "החלפת תמונת משתמש", - "change-password": "החלפת ססמה", - "change-permissions": "שינוי הרשאות", - "change-settings": "שינוי הגדרות", - "changeAvatarPopup-title": "שינוי תמונת משתמש", - "changeLanguagePopup-title": "החלפת שפה", - "changePasswordPopup-title": "החלפת ססמה", - "changePermissionsPopup-title": "שינוי הרשאות", - "changeSettingsPopup-title": "שינוי הגדרות", - "checklists": "רשימות", - "click-to-star": "יש ללחוץ להוספת הלוח למועדפים.", - "click-to-unstar": "יש ללחוץ להסרת הלוח מהמועדפים.", - "clipboard": "לוח גזירים או גרירה ושחרור", - "close": "סגירה", - "close-board": "סגירת לוח", - "close-board-pop": "תהיה לך אפשרות להסיר את הלוח על ידי לחיצה על הכפתור „סל מחזור” מכותרת הבית.", - "color-black": "שחור", - "color-blue": "כחול", - "color-green": "ירוק", - "color-lime": "ליים", - "color-orange": "כתום", - "color-pink": "ורוד", - "color-purple": "סגול", - "color-red": "אדום", - "color-sky": "תכלת", - "color-yellow": "צהוב", - "comment": "לפרסם", - "comment-placeholder": "כתיבת הערה", - "comment-only": "הערה בלבד", - "comment-only-desc": "ניתן להעיר על כרטיסים בלבד.", - "computer": "מחשב", - "confirm-checklist-delete-dialog": "האם אתה בטוח שברצונך למחוק את רשימת המשימות", - "copy-card-link-to-clipboard": "העתקת קישור הכרטיס ללוח הגזירים", - "copyCardPopup-title": "העתק כרטיס", - "copyChecklistToManyCardsPopup-title": "העתקת תבנית רשימת מטלות למגוון כרטיסים", - "copyChecklistToManyCardsPopup-instructions": "כותרות ותיאורים של כרטיסי יעד בתצורת JSON זו", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"כותרת כרטיס ראשון\", \"description\":\"תיאור כרטיס ראשון\"}, {\"title\":\"כותרת כרטיס שני\",\"description\":\"תיאור כרטיס שני\"},{\"title\":\"כותרת כרטיס אחרון\",\"description\":\"תיאור כרטיס אחרון\"} ]", - "create": "יצירה", - "createBoardPopup-title": "יצירת לוח", - "chooseBoardSourcePopup-title": "ייבוא לוח", - "createLabelPopup-title": "יצירת תווית", - "createCustomField": "יצירת שדה", - "createCustomFieldPopup-title": "יצירת שדה", - "current": "נוכחי", - "custom-field-delete-pop": "אין אפשרות לבטל את הפעולה. הפעולה תסיר את השדה שהותאם אישית מכל הכרטיסים ותשמיד את ההיסטוריה שלו.", - "custom-field-checkbox": "תיבת סימון", - "custom-field-date": "תאריך", - "custom-field-dropdown": "רשימה נגללת", - "custom-field-dropdown-none": "(ללא)", - "custom-field-dropdown-options": "אפשרויות רשימה", - "custom-field-dropdown-options-placeholder": "יש ללחוץ על enter כדי להוסיף עוד אפשרויות", - "custom-field-dropdown-unknown": "(לא ידוע)", - "custom-field-number": "מספר", - "custom-field-text": "טקסט", - "custom-fields": "שדות מותאמים אישית", - "date": "תאריך", - "decline": "סירוב", - "default-avatar": "תמונת משתמש כבררת מחדל", - "delete": "מחיקה", - "deleteCustomFieldPopup-title": "למחוק שדה מותאם אישית?", - "deleteLabelPopup-title": "למחוק תווית?", - "description": "תיאור", - "disambiguateMultiLabelPopup-title": "הבהרת פעולת תווית", - "disambiguateMultiMemberPopup-title": "הבהרת פעולת חבר", - "discard": "התעלמות", - "done": "בוצע", - "download": "הורדה", - "edit": "עריכה", - "edit-avatar": "החלפת תמונת משתמש", - "edit-profile": "עריכת פרופיל", - "edit-wip-limit": "עריכת מגבלת „בעבודה”", - "soft-wip-limit": "מגבלת „בעבודה” רכה", - "editCardStartDatePopup-title": "שינוי מועד התחלה", - "editCardDueDatePopup-title": "שינוי מועד סיום", - "editCustomFieldPopup-title": "עריכת שדה", - "editCardSpentTimePopup-title": "שינוי הזמן שהושקע", - "editLabelPopup-title": "שינוי תווית", - "editNotificationPopup-title": "שינוי דיווח", - "editProfilePopup-title": "עריכת פרופיל", - "email": "דוא״ל", - "email-enrollAccount-subject": "נוצר עבורך חשבון באתר __siteName__", - "email-enrollAccount-text": "__user__ שלום,\n\nכדי להתחיל להשתמש בשירות, יש ללחוץ על הקישור המופיע להלן.\n\n__url__\n\nתודה.", - "email-fail": "שליחת ההודעה בדוא״ל נכשלה", - "email-fail-text": "שגיאה בעת ניסיון לשליחת הודעת דוא״ל", - "email-invalid": "כתובת דוא״ל לא חוקית", - "email-invite": "הזמנה באמצעות דוא״ל", - "email-invite-subject": "נשלחה אליך הזמנה מאת __inviter__", - "email-invite-text": "__user__ שלום,\n\nהוזמנת על ידי __inviter__ להצטרף ללוח „__board__“ להמשך שיתוף הפעולה.\n\nנא ללחוץ על הקישור המופיע להלן:\n\n__url__\n\nתודה.", - "email-resetPassword-subject": "ניתן לאפס את ססמתך לאתר __siteName__", - "email-resetPassword-text": "__user__ שלום,\n\nכדי לאפס את ססמתך, יש ללחוץ על הקישור המופיע להלן.\n\n__url__\n\nתודה.", - "email-sent": "הודעת הדוא״ל נשלחה", - "email-verifyEmail-subject": "אימות כתובת הדוא״ל שלך באתר __siteName__", - "email-verifyEmail-text": "__user__ שלום,\n\nלאימות כתובת הדוא״ל המשויכת לחשבונך, עליך פשוט ללחוץ על הקישור המופיע להלן.\n\n__url__\n\nתודה.", - "enable-wip-limit": "הפעלת מגבלת „בעבודה”", - "error-board-doesNotExist": "לוח זה אינו קיים", - "error-board-notAdmin": "צריכות להיות לך הרשאות ניהול על לוח זה כדי לעשות זאת", - "error-board-notAMember": "עליך לקבל חברות בלוח זה כדי לעשות זאת", - "error-json-malformed": "הטקסט שלך אינו JSON תקין", - "error-json-schema": "נתוני ה־JSON שלך לא כוללים את המידע הנכון בתבנית הנכונה", - "error-list-doesNotExist": "רשימה זו לא קיימת", - "error-user-doesNotExist": "משתמש זה לא קיים", - "error-user-notAllowSelf": "אינך יכול להזמין את עצמך", - "error-user-notCreated": "משתמש זה לא נוצר", - "error-username-taken": "המשתמש כבר קיים במערכת", - "error-email-taken": "כתובת הדוא\"ל כבר נמצאת בשימוש", - "export-board": "ייצוא לוח", - "filter": "מסנן", - "filter-cards": "סינון כרטיסים", - "filter-clear": "ניקוי המסנן", - "filter-no-label": "אין תווית", - "filter-no-member": "אין חבר כזה", - "filter-no-custom-fields": "אין שדות מותאמים אישית", - "filter-on": "המסנן פועל", - "filter-on-desc": "מסנן כרטיסים פעיל בלוח זה. יש ללחוץ כאן לעריכת המסנן.", - "filter-to-selection": "סינון לבחירה", - "advanced-filter-label": "מסנן מתקדם", - "advanced-filter-description": "המסנן המתקדם מאפשר לך לכתוב מחרוזת שמכילה את הפעולות הבאות: == != <= >= && || ( ) רווח מכהן כמפריד בין הפעולות. ניתן לסנן את כל השדות המותאמים אישית על ידי הקלדת שמם והערך שלהם. למשל: שדה1 == ערך1. לתשומת לבך: אם שדות או ערכים מכילים רווח, יש לעטוף אותם במירכא מכל צד. למשל: 'שדה 1' == 'ערך 1'. ניתן גם לשלב מגוון תנאים. למשל: F1 == V1 || F1 = V2. על פי רוב כל הפעולות מפוענחות משמאל לימין. ניתן לשנות את הסדר על ידי הצבת סוגריים. למשל: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "שם מלא", - "header-logo-title": "חזרה לדף הלוחות שלך.", - "hide-system-messages": "הסתרת הודעות מערכת", - "headerBarCreateBoardPopup-title": "יצירת לוח", - "home": "בית", - "import": "יבוא", - "import-board": "ייבוא לוח", - "import-board-c": "יבוא לוח", - "import-board-title-trello": "ייבוא לוח מטרלו", - "import-board-title-wekan": "ייבוא לוח מ־Wekan", - "import-sandstorm-warning": "הלוח שייובא ימחק את כל הנתונים הקיימים בלוח ויחליף אותם בלוח שייובא.", - "from-trello": "מ־Trello", - "from-wekan": "מ־Wekan", - "import-board-instruction-trello": "בלוח הטרלו שלך, עליך ללחוץ על ‚תפריט‘, ואז על ‚עוד‘, ‚הדפסה וייצוא‘, ‚יצוא JSON‘ ולהעתיק את הטקסט שנוצר.", - "import-board-instruction-wekan": "בלוח ה־Wekan, יש לגשת אל ‚תפריט‘, לאחר מכן ‚יצוא לוח‘ ולהעתיק את הטקסט בקובץ שהתקבל.", - "import-json-placeholder": "יש להדביק את נתוני ה־JSON התקינים לכאן", - "import-map-members": "מיפוי חברים", - "import-members-map": "הלוחות המיובאים שלך מכילים חברים. נא למפות את החברים שברצונך לייבא למשתמשי Wekan", - "import-show-user-mapping": "סקירת מיפוי חברים", - "import-user-select": "נא לבחור את המשתמש ב־Wekan בו ברצונך להשתמש עבור חבר זה", - "importMapMembersAddPopup-title": "בחירת משתמש Wekan", - "info": "גרסא", - "initials": "ראשי תיבות", - "invalid-date": "תאריך שגוי", - "invalid-time": "זמן שגוי", - "invalid-user": "משתמש שגוי", - "joined": "הצטרף", - "just-invited": "הוזמנת ללוח זה", - "keyboard-shortcuts": "קיצורי מקלדת", - "label-create": "יצירת תווית", - "label-default": "תווית בצבע %s (בררת מחדל)", - "label-delete-pop": "אין דרך חזרה. התווית תוסר מכל הכרטיסים וההיסטוריה תימחק.", - "labels": "תוויות", - "language": "שפה", - "last-admin-desc": "אין אפשרות לשנות תפקידים כיוון שחייב להיות מנהל אחד לפחות.", - "leave-board": "עזיבת הלוח", - "leave-board-pop": "לעזוב את __boardTitle__? שמך יוסר מכל הכרטיסים שבלוח זה.", - "leaveBoardPopup-title": "לעזוב לוח ?", - "link-card": "קישור לכרטיס זה", - "list-archive-cards": "להעביר את כל הכרטיסים לסל המחזור", - "list-archive-cards-pop": "פעולה זו תסיר את כל הכרטיסים שברשימה זו מהלוח. כדי לצפות בכרטיסים בסל המחזור ולהשיב אותם ללוח ניתן ללחוץ על „תפריט” > „סל מחזור”.", - "list-move-cards": "העברת כל הכרטיסים שברשימה זו", - "list-select-cards": "בחירת כל הכרטיסים שברשימה זו", - "listActionPopup-title": "פעולות רשימה", - "swimlaneActionPopup-title": "פעולות על מסלול", - "listImportCardPopup-title": "יבוא כרטיס מ־Trello", - "listMorePopup-title": "עוד", - "link-list": "קישור לרשימה זו", - "list-delete-pop": "כל הפעולות תוסרנה מרצף הפעילות ולא תהיה לך אפשרות לשחזר את הרשימה. אין ביטול.", - "list-delete-suggest-archive": "ניתן להעביר רשימה לסל מחזור כדי להסיר אותה מהלוח ולשמר את הפעילות.", - "lists": "רשימות", - "swimlanes": "מסלולים", - "log-out": "יציאה", - "log-in": "כניסה", - "loginPopup-title": "כניסה", - "memberMenuPopup-title": "הגדרות חברות", - "members": "חברים", - "menu": "תפריט", - "move-selection": "העברת הבחירה", - "moveCardPopup-title": "העברת כרטיס", - "moveCardToBottom-title": "העברת כרטיס לתחתית הרשימה", - "moveCardToTop-title": "העברת כרטיס לראש הרשימה ", - "moveSelectionPopup-title": "העברת בחירה", - "multi-selection": "בחירה מרובה", - "multi-selection-on": "בחירה מרובה פועלת", - "muted": "מושתק", - "muted-info": "מעתה לא תתקבלנה אצלך התרעות על שינויים בלוח זה", - "my-boards": "הלוחות שלי", - "name": "שם", - "no-archived-cards": "אין כרטיסים בסל המחזור.", - "no-archived-lists": "אין רשימות בסל המחזור.", - "no-archived-swimlanes": "אין מסלולים בסל המחזור.", - "no-results": "אין תוצאות", - "normal": "רגיל", - "normal-desc": "הרשאה לצפות ולערוך כרטיסים. לא ניתן לשנות הגדרות.", - "not-accepted-yet": "ההזמנה לא אושרה עדיין", - "notify-participate": "קבלת עדכונים על כרטיסים בהם יש לך מעורבות הן בתהליך היצירה והן כחבר", - "notify-watch": "קבלת עדכונים על כל לוח, רשימה או כרטיס שסימנת למעקב", - "optional": "רשות", - "or": "או", - "page-maybe-private": "יתכן שדף זה פרטי. ניתן לצפות בו על ידי כניסה למערכת", - "page-not-found": "דף לא נמצא.", - "password": "ססמה", - "paste-or-dragdrop": "כדי להדביק או לגרור ולשחרר קובץ תמונה אליו (תמונות בלבד)", - "participating": "משתתפים", - "preview": "תצוגה מקדימה", - "previewAttachedImagePopup-title": "תצוגה מקדימה", - "previewClipboardImagePopup-title": "תצוגה מקדימה", - "private": "פרטי", - "private-desc": "לוח זה פרטי. רק אנשים שנוספו ללוח יכולים לצפות ולערוך אותו.", - "profile": "פרופיל", - "public": "ציבורי", - "public-desc": "לוח זה ציבורי. כל מי שמחזיק בקישור יכול לצפות בלוח והוא יופיע בתוצאות מנועי חיפוש כגון גוגל. רק אנשים שנוספו ללוח יכולים לערוך אותו.", - "quick-access-description": "לחיצה על הכוכב תוסיף קיצור דרך ללוח בשורה זו.", - "remove-cover": "הסרת כיסוי", - "remove-from-board": "הסרה מהלוח", - "remove-label": "הסרת תווית", - "listDeletePopup-title": "למחוק את הרשימה?", - "remove-member": "הסרת חבר", - "remove-member-from-card": "הסרה מהכרטיס", - "remove-member-pop": "להסיר את __name__ (__username__) מ__boardTitle__? התהליך יגרום להסרת החבר מכל הכרטיסים בלוח זה. תישלח הודעה אל החבר.", - "removeMemberPopup-title": "להסיר חבר?", - "rename": "שינוי שם", - "rename-board": "שינוי שם ללוח", - "restore": "שחזור", - "save": "שמירה", - "search": "חיפוש", - "search-cards": "חיפוש אחר כותרות ותיאורים של כרטיסים בלוח זה", - "search-example": "טקסט לחיפוש ?", - "select-color": "בחירת צבע", - "set-wip-limit-value": "הגדרת מגבלה למספר המרבי של משימות ברשימה זו", - "setWipLimitPopup-title": "הגדרת מגבלת „בעבודה”", - "shortcut-assign-self": "להקצות אותי לכרטיס הנוכחי", - "shortcut-autocomplete-emoji": "השלמה אוטומטית לאימוג׳י", - "shortcut-autocomplete-members": "השלמה אוטומטית של חברים", - "shortcut-clear-filters": "ביטול כל המסננים", - "shortcut-close-dialog": "סגירת החלון", - "shortcut-filter-my-cards": "סינון הכרטיסים שלי", - "shortcut-show-shortcuts": "העלאת רשימת קיצורים זו", - "shortcut-toggle-filterbar": "הצגה או הסתרה של סרגל צד הסינון", - "shortcut-toggle-sidebar": "הצגה או הסתרה של סרגל צד הלוח", - "show-cards-minimum-count": "הצגת ספירת כרטיסים אם רשימה מכילה למעלה מ־", - "sidebar-open": "פתיחת סרגל צד", - "sidebar-close": "סגירת סרגל צד", - "signupPopup-title": "יצירת חשבון", - "star-board-title": "ניתן ללחוץ כדי לסמן בכוכב. הלוח יופיע בראש רשימת הלוחות שלך.", - "starred-boards": "לוחות שסומנו בכוכב", - "starred-boards-description": "לוחות מסומנים בכוכב מופיעים בראש רשימת הלוחות שלך.", - "subscribe": "הרשמה", - "team": "צוות", - "this-board": "לוח זה", - "this-card": "כרטיס זה", - "spent-time-hours": "זמן שהושקע (שעות)", - "overtime-hours": "שעות נוספות", - "overtime": "שעות נוספות", - "has-overtime-cards": "יש כרטיסי שעות נוספות", - "has-spenttime-cards": "ניצל את כרטיסי הזמן שהושקע", - "time": "זמן", - "title": "כותרת", - "tracking": "מעקב", - "tracking-info": "על כל שינוי בכרטיסים בהם הייתה לך מעורבות ברמת היצירה או כחברות תגיע אליך הודעה.", - "type": "סוג", - "unassign-member": "ביטול הקצאת חבר", - "unsaved-description": "יש לך תיאור לא שמור.", - "unwatch": "ביטול מעקב", - "upload": "העלאה", - "upload-avatar": "העלאת תמונת משתמש", - "uploaded-avatar": "הועלתה תמונה משתמש", - "username": "שם משתמש", - "view-it": "הצגה", - "warn-list-archived": "אזהרה: כרטיס זה נמצא ברשימה בסל המחזור", - "watch": "לעקוב", - "watching": "במעקב", - "watching-info": "מעתה יגיעו אליך דיווחים על כל שינוי בלוח זה", - "welcome-board": "לוח קבלת פנים", - "welcome-swimlane": "ציון דרך 1", - "welcome-list1": "יסודות", - "welcome-list2": "מתקדם", - "what-to-do": "מה ברצונך לעשות?", - "wipLimitErrorPopup-title": "מגבלת „בעבודה” שגויה", - "wipLimitErrorPopup-dialog-pt1": "מספר המשימות ברשימה זו גדולה ממגבלת הפריטים „בעבודה” שהגדרת.", - "wipLimitErrorPopup-dialog-pt2": "נא להוציא חלק מהמשימות מרשימה זו או להגדיר מגבלת „בעבודה” גדולה יותר.", - "admin-panel": "חלונית ניהול המערכת", - "settings": "הגדרות", - "people": "אנשים", - "registration": "הרשמה", - "disable-self-registration": "השבתת הרשמה עצמית", - "invite": "הזמנה", - "invite-people": "הזמנת אנשים", - "to-boards": "ללוח/ות", - "email-addresses": "כתובות דוא״ל", - "smtp-host-description": "כתובת שרת ה־SMTP שמטפל בהודעות הדוא״ל שלך.", - "smtp-port-description": "מספר הפתחה בה שרת ה־SMTP שלך משתמש לדוא״ל יוצא.", - "smtp-tls-description": "הפעל תמיכה ב־TLS עבור שרת ה־SMTP", - "smtp-host": "כתובת ה־SMTP", - "smtp-port": "פתחת ה־SMTP", - "smtp-username": "שם משתמש", - "smtp-password": "ססמה", - "smtp-tls": "תמיכה ב־TLS", - "send-from": "מאת", - "send-smtp-test": "שליחת דוא״ל בדיקה לעצמך", - "invitation-code": "קוד הזמנה", - "email-invite-register-subject": "נשלחה אליך הזמנה מאת __inviter__", - "email-invite-register-text": "__user__ יקר,\n\nקיבלת הזמנה מאת __inviter__ לשתף פעולה ב־Wekan.\n\nנא ללחוץ על הקישור:\n__url__\n\nקוד ההזמנה שלך הוא: __icode__\n\nתודה.", - "email-smtp-test-subject": "הודעת בדיקה דרך SMTP מאת Wekan", - "email-smtp-test-text": "שלחת הודעת דוא״ל בהצלחה", - "error-invitation-code-not-exist": "קוד ההזמנה אינו קיים", - "error-notAuthorized": "אין לך הרשאה לצפות בעמוד זה.", - "outgoing-webhooks": "קרסי רשת יוצאים", - "outgoingWebhooksPopup-title": "קרסי רשת יוצאים", - "new-outgoing-webhook": "קרסי רשת יוצאים חדשים", - "no-name": "(לא ידוע)", - "Wekan_version": "גרסת Wekan", - "Node_version": "גרסת Node", - "OS_Arch": "ארכיטקטורת מערכת הפעלה", - "OS_Cpus": "מספר מעבדים", - "OS_Freemem": "זיכרון (RAM) פנוי", - "OS_Loadavg": "עומס ממוצע ", - "OS_Platform": "מערכת הפעלה", - "OS_Release": "גרסת מערכת הפעלה", - "OS_Totalmem": "סך הכל זיכרון (RAM)", - "OS_Type": "סוג מערכת ההפעלה", - "OS_Uptime": "זמן שעבר מאז האתחול האחרון", - "hours": "שעות", - "minutes": "דקות", - "seconds": "שניות", - "show-field-on-card": "הצגת שדה זה בכרטיס", - "yes": "כן", - "no": "לא", - "accounts": "חשבונות", - "accounts-allowEmailChange": "אפשר שינוי דוא\"ל", - "accounts-allowUserNameChange": "לאפשר שינוי שם משתמש", - "createdAt": "נוצר ב", - "verified": "עבר אימות", - "active": "פעיל", - "card-received": "התקבל", - "card-received-on": "התקבל במועד", - "card-end": "סיום", - "card-end-on": "מועד הסיום", - "editCardReceivedDatePopup-title": "החלפת מועד הקבלה", - "editCardEndDatePopup-title": "החלפת מועד הסיום", - "assigned-by": "הוקצה על ידי", - "requested-by": "התבקש על ידי", - "board-delete-notice": "מחיקה היא לצמיתות. כל הרשימות, הכרטיבים והפעולות שקשורים בלוח הזה ילכו לאיבוד.", - "delete-board-confirm-popup": "כל הרשימות, הכרטיסים, התווית והפעולות יימחקו ולא תהיה לך דרך לשחזר את תכני הלוח. אין אפשרות לבטל.", - "boardDeletePopup-title": "למחוק את הלוח?", - "delete-board": "מחיקת לוח" -} \ No newline at end of file diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json deleted file mode 100644 index 0dfb11f0..00000000 --- a/i18n/hu.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Elfogadás", - "act-activity-notify": "[Wekan] Tevékenység értesítés", - "act-addAttachment": "__attachment__ mellékletet csatolt a kártyához: __card__", - "act-addChecklist": "__checklist__ ellenőrzőlistát adott hozzá a kártyához: __card__", - "act-addChecklistItem": "__checklistItem__ elemet adott hozzá a(z) __checklist__ ellenőrzőlistához ezen a kártyán: __card__", - "act-addComment": "hozzászólt a(z) __card__ kártyán: __comment__", - "act-createBoard": "létrehozta a táblát: __board__", - "act-createCard": "__card__ kártyát adott hozzá a listához: __list__", - "act-createCustomField": "létrehozta a(z) __customField__ egyéni listát", - "act-createList": "__list__ listát adott hozzá a táblához: __board__", - "act-addBoardMember": "__member__ tagot hozzáadta a táblához: __board__", - "act-archivedBoard": "A(z) __board__ tábla áthelyezve a lomtárba", - "act-archivedCard": "A(z) __card__ kártya áthelyezve a lomtárba", - "act-archivedList": "A(z) __list__ lista áthelyezve a lomtárba", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "importálta a táblát: __board__", - "act-importCard": "importálta a kártyát: __card__", - "act-importList": "importálta a listát: __list__", - "act-joinMember": "__member__ tagot hozzáadta a kártyához: __card__", - "act-moveCard": "áthelyezte a(z) __card__ kártyát: __oldList__ → __list__", - "act-removeBoardMember": "eltávolította __member__ tagot a tábláról: __board__", - "act-restoredCard": "visszaállította a(z) __card__ kártyát ide: __board__", - "act-unjoinMember": "eltávolította __member__ tagot a kártyáról: __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Műveletek", - "activities": "Tevékenységek", - "activity": "Tevékenység", - "activity-added": "%s hozzáadva ehhez: %s", - "activity-archived": "%s áthelyezve a lomtárba", - "activity-attached": "%s mellékletet csatolt a kártyához: %s", - "activity-created": "%s létrehozva", - "activity-customfield-created": "létrehozta a(z) %s egyéni mezőt", - "activity-excluded": "%s kizárva innen: %s", - "activity-imported": "%s importálva ebbe: %s, innen: %s", - "activity-imported-board": "%s importálva innen: %s", - "activity-joined": "%s csatlakozott", - "activity-moved": "%s áthelyezve: %s → %s", - "activity-on": "ekkor: %s", - "activity-removed": "%s eltávolítva innen: %s", - "activity-sent": "%s elküldve ide: %s", - "activity-unjoined": "%s kilépett a csoportból", - "activity-checklist-added": "ellenőrzőlista hozzáadva ehhez: %s", - "activity-checklist-item-added": "ellenőrzőlista elem hozzáadva ehhez: „%s”, ebben: %s", - "add": "Hozzáadás", - "add-attachment": "Melléklet hozzáadása", - "add-board": "Tábla hozzáadása", - "add-card": "Kártya hozzáadása", - "add-swimlane": "Add Swimlane", - "add-checklist": "Ellenőrzőlista hozzáadása", - "add-checklist-item": "Elem hozzáadása az ellenőrzőlistához", - "add-cover": "Borító hozzáadása", - "add-label": "Címke hozzáadása", - "add-list": "Lista hozzáadása", - "add-members": "Tagok hozzáadása", - "added": "Hozzáadva", - "addMemberPopup-title": "Tagok", - "admin": "Adminisztrátor", - "admin-desc": "Megtekintheti és szerkesztheti a kártyákat, eltávolíthat tagokat, valamint megváltoztathatja a tábla beállításait.", - "admin-announcement": "Bejelentés", - "admin-announcement-active": "Bekapcsolt rendszerszintű bejelentés", - "admin-announcement-title": "Bejelentés az adminisztrátortól", - "all-boards": "Összes tábla", - "and-n-other-card": "És __count__ egyéb kártya", - "and-n-other-card_plural": "És __count__ egyéb kártya", - "apply": "Alkalmaz", - "app-is-offline": "A Wekan betöltés alatt van, kérem várjon. Az oldal újratöltése adatvesztést okoz. Ha a Wekan nem töltődik be, akkor ellenőrizze, hogy a Wekan kiszolgáló nem állt-e le.", - "archive": "Lomtárba", - "archive-all": "Összes lomtárba helyezése", - "archive-board": "Tábla lomtárba helyezése", - "archive-card": "Kártya lomtárba helyezése", - "archive-list": "Lista lomtárba helyezése", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Kijelölés lomtárba helyezése", - "archiveBoardPopup-title": "Lomtárba helyezi a táblát?", - "archived-items": "Lomtár", - "archived-boards": "Lomtárban lévő táblák", - "restore-board": "Tábla visszaállítása", - "no-archived-boards": "Nincs tábla a lomtárban.", - "archives": "Lomtár", - "assign-member": "Tag hozzárendelése", - "attached": "csatolva", - "attachment": "Melléklet", - "attachment-delete-pop": "A melléklet törlése végeleges. Nincs visszaállítás.", - "attachmentDeletePopup-title": "Törli a mellékletet?", - "attachments": "Mellékletek", - "auto-watch": "Táblák automatikus megtekintése, amikor létrejönnek", - "avatar-too-big": "Az avatár túl nagy (legfeljebb 70 KB)", - "back": "Vissza", - "board-change-color": "Szín megváltoztatása", - "board-nb-stars": "%s csillag", - "board-not-found": "A tábla nem található", - "board-private-info": "Ez a tábla legyen személyes.", - "board-public-info": "Ez a tábla legyen nyilvános.", - "boardChangeColorPopup-title": "Tábla hátterének megváltoztatása", - "boardChangeTitlePopup-title": "Tábla átnevezése", - "boardChangeVisibilityPopup-title": "Láthatóság megváltoztatása", - "boardChangeWatchPopup-title": "Megfigyelés megváltoztatása", - "boardMenuPopup-title": "Tábla menü", - "boards": "Táblák", - "board-view": "Tábla nézet", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Listák", - "bucket-example": "Mint például „Bakancslista”", - "cancel": "Mégse", - "card-archived": "Ez a kártya a lomtárba került.", - "card-comments-title": "Ez a kártya %s hozzászólást tartalmaz.", - "card-delete-notice": "A törlés végleges. Az összes műveletet elveszíti, amely ehhez a kártyához tartozik.", - "card-delete-pop": "Az összes művelet el lesz távolítva a tevékenységlistából, és nem lesz képes többé újra megnyitni a kártyát. Nincs visszaállítási lehetőség.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Esedékes", - "card-due-on": "Esedékes ekkor", - "card-spent": "Eltöltött idő", - "card-edit-attachments": "Mellékletek szerkesztése", - "card-edit-custom-fields": "Egyéni mezők szerkesztése", - "card-edit-labels": "Címkék szerkesztése", - "card-edit-members": "Tagok szerkesztése", - "card-labels-title": "A kártya címkéinek megváltoztatása.", - "card-members-title": "A tábla tagjainak hozzáadása vagy eltávolítása a kártyáról.", - "card-start": "Kezdés", - "card-start-on": "Kezdés ekkor", - "cardAttachmentsPopup-title": "Innen csatolva", - "cardCustomField-datePopup-title": "Dátum megváltoztatása", - "cardCustomFieldsPopup-title": "Egyéni mezők szerkesztése", - "cardDeletePopup-title": "Törli a kártyát?", - "cardDetailsActionsPopup-title": "Kártyaműveletek", - "cardLabelsPopup-title": "Címkék", - "cardMembersPopup-title": "Tagok", - "cardMorePopup-title": "Több", - "cards": "Kártyák", - "cards-count": "Kártyák", - "change": "Változtatás", - "change-avatar": "Avatár megváltoztatása", - "change-password": "Jelszó megváltoztatása", - "change-permissions": "Jogosultságok megváltoztatása", - "change-settings": "Beállítások megváltoztatása", - "changeAvatarPopup-title": "Avatár megváltoztatása", - "changeLanguagePopup-title": "Nyelv megváltoztatása", - "changePasswordPopup-title": "Jelszó megváltoztatása", - "changePermissionsPopup-title": "Jogosultságok megváltoztatása", - "changeSettingsPopup-title": "Beállítások megváltoztatása", - "checklists": "Ellenőrzőlisták", - "click-to-star": "Kattintson a tábla csillagozásához.", - "click-to-unstar": "Kattintson a tábla csillagának eltávolításához.", - "clipboard": "Vágólap vagy fogd és vidd", - "close": "Bezárás", - "close-board": "Tábla bezárása", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "fekete", - "color-blue": "kék", - "color-green": "zöld", - "color-lime": "citrus", - "color-orange": "narancssárga", - "color-pink": "rózsaszín", - "color-purple": "lila", - "color-red": "piros", - "color-sky": "égszínkék", - "color-yellow": "sárga", - "comment": "Megjegyzés", - "comment-placeholder": "Megjegyzés írása", - "comment-only": "Csak megjegyzés", - "comment-only-desc": "Csak megjegyzést írhat a kártyákhoz.", - "computer": "Számítógép", - "confirm-checklist-delete-dialog": "Biztosan törölni szeretné az ellenőrzőlistát?", - "copy-card-link-to-clipboard": "Kártya hivatkozásának másolása a vágólapra", - "copyCardPopup-title": "Kártya másolása", - "copyChecklistToManyCardsPopup-title": "Ellenőrzőlista sablon másolása több kártyára", - "copyChecklistToManyCardsPopup-instructions": "A célkártyák címe és a leírások ebben a JSON formátumban", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Első kártya címe\", \"description\":\"Első kártya leírása\"}, {\"title\":\"Második kártya címe\",\"description\":\"Második kártya leírása\"},{\"title\":\"Utolsó kártya címe\",\"description\":\"Utolsó kártya leírása\"} ]", - "create": "Létrehozás", - "createBoardPopup-title": "Tábla létrehozása", - "chooseBoardSourcePopup-title": "Tábla importálása", - "createLabelPopup-title": "Címke létrehozása", - "createCustomField": "Mező létrehozása", - "createCustomFieldPopup-title": "Mező létrehozása", - "current": "jelenlegi", - "custom-field-delete-pop": "Nincs visszavonás. Ez el fogja távolítani az egyéni mezőt az összes kártyáról, és megsemmisíti az előzményeit.", - "custom-field-checkbox": "Jelölőnégyzet", - "custom-field-date": "Dátum", - "custom-field-dropdown": "Legördülő lista", - "custom-field-dropdown-none": "(nincs)", - "custom-field-dropdown-options": "Lista lehetőségei", - "custom-field-dropdown-options-placeholder": "Nyomja meg az Enter billentyűt több lehetőség hozzáadásához", - "custom-field-dropdown-unknown": "(ismeretlen)", - "custom-field-number": "Szám", - "custom-field-text": "Szöveg", - "custom-fields": "Egyéni mezők", - "date": "Dátum", - "decline": "Elutasítás", - "default-avatar": "Alapértelmezett avatár", - "delete": "Törlés", - "deleteCustomFieldPopup-title": "Törli az egyéni mezőt?", - "deleteLabelPopup-title": "Törli a címkét?", - "description": "Leírás", - "disambiguateMultiLabelPopup-title": "Címkeművelet egyértelműsítése", - "disambiguateMultiMemberPopup-title": "Tagművelet egyértelműsítése", - "discard": "Eldobás", - "done": "Kész", - "download": "Letöltés", - "edit": "Szerkesztés", - "edit-avatar": "Avatár megváltoztatása", - "edit-profile": "Profil szerkesztése", - "edit-wip-limit": "WIP korlát szerkesztése", - "soft-wip-limit": "Gyenge WIP korlát", - "editCardStartDatePopup-title": "Kezdődátum megváltoztatása", - "editCardDueDatePopup-title": "Esedékesség dátumának megváltoztatása", - "editCustomFieldPopup-title": "Mező szerkesztése", - "editCardSpentTimePopup-title": "Eltöltött idő megváltoztatása", - "editLabelPopup-title": "Címke megváltoztatása", - "editNotificationPopup-title": "Értesítés szerkesztése", - "editProfilePopup-title": "Profil szerkesztése", - "email": "E-mail", - "email-enrollAccount-subject": "Létrejött a profilja a következő oldalon: __siteName__", - "email-enrollAccount-text": "Kedves __user__!\n\nA szolgáltatás használatának megkezdéséhez egyszerűen kattintson a lenti hivatkozásra.\n\n__url__\n\nKöszönjük.", - "email-fail": "Az e-mail küldése nem sikerült", - "email-fail-text": "Hiba az e-mail küldésének kísérlete közben", - "email-invalid": "Érvénytelen e-mail", - "email-invite": "Meghívás e-mailben", - "email-invite-subject": "__inviter__ egy meghívást küldött Önnek", - "email-invite-text": "Kedves __user__!\n\n__inviter__ meghívta Önt, hogy csatlakozzon a(z) „__board__” táblán történő együttműködéshez.\n\nKattintson az alábbi hivatkozásra:\n\n__url__\n\nKöszönjük.", - "email-resetPassword-subject": "Jelszó visszaállítása ezen az oldalon: __siteName__", - "email-resetPassword-text": "Kedves __user__!\n\nA jelszava visszaállításához egyszerűen kattintson a lenti hivatkozásra.\n\n__url__\n\nKöszönjük.", - "email-sent": "E-mail elküldve", - "email-verifyEmail-subject": "Igazolja vissza az e-mail címét a következő oldalon: __siteName__", - "email-verifyEmail-text": "Kedves __user__!\n\nAz e-mail fiókjának visszaigazolásához egyszerűen kattintson a lenti hivatkozásra.\n\n__url__\n\nKöszönjük.", - "enable-wip-limit": "WIP korlát engedélyezése", - "error-board-doesNotExist": "Ez a tábla nem létezik", - "error-board-notAdmin": "A tábla adminisztrátorának kell lennie, hogy ezt megtehesse", - "error-board-notAMember": "A tábla tagjának kell lennie, hogy ezt megtehesse", - "error-json-malformed": "A szöveg nem érvényes JSON", - "error-json-schema": "A JSON adatok nem a helyes formátumban tartalmazzák a megfelelő információkat", - "error-list-doesNotExist": "Ez a lista nem létezik", - "error-user-doesNotExist": "Ez a felhasználó nem létezik", - "error-user-notAllowSelf": "Nem hívhatja meg saját magát", - "error-user-notCreated": "Ez a felhasználó nincs létrehozva", - "error-username-taken": "Ez a felhasználónév már foglalt", - "error-email-taken": "Az e-mail már foglalt", - "export-board": "Tábla exportálása", - "filter": "Szűrő", - "filter-cards": "Kártyák szűrése", - "filter-clear": "Szűrő törlése", - "filter-no-label": "Nincs címke", - "filter-no-member": "Nincs tag", - "filter-no-custom-fields": "Nincsenek egyéni mezők", - "filter-on": "Szűrő bekapcsolva", - "filter-on-desc": "A kártyaszűrés be van kapcsolva ezen a táblán. Kattintson ide a szűrő szerkesztéséhez.", - "filter-to-selection": "Szűrés a kijelöléshez", - "advanced-filter-label": "Speciális szűrő", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Teljes név", - "header-logo-title": "Vissza a táblák oldalára.", - "hide-system-messages": "Rendszerüzenetek elrejtése", - "headerBarCreateBoardPopup-title": "Tábla létrehozása", - "home": "Kezdőlap", - "import": "Importálás", - "import-board": "tábla importálása", - "import-board-c": "Tábla importálása", - "import-board-title-trello": "Tábla importálása a Trello oldalról", - "import-board-title-wekan": "Tábla importálása a Wekan oldalról", - "import-sandstorm-warning": "Az importált tábla törölni fogja a táblán lévő összes meglévő adatot, és kicseréli az importált táblával.", - "from-trello": "A Trello oldalról", - "from-wekan": "A Wekan oldalról", - "import-board-instruction-trello": "A Trello tábláján menjen a „Menü”, majd a „Több”, „Nyomtatás és exportálás”, „JSON exportálása” menüpontokra, és másolja ki az eredményül kapott szöveget.", - "import-board-instruction-wekan": "A Wekan tábláján menjen a „Menü”, majd a „Tábla exportálás” menüpontra, és másolja ki a letöltött fájlban lévő szöveget.", - "import-json-placeholder": "Illessze be ide az érvényes JSON adatokat", - "import-map-members": "Tagok leképezése", - "import-members-map": "Az importált táblának van néhány tagja. Képezze le a tagokat, akiket importálni szeretne a Wekan felhasználókba.", - "import-show-user-mapping": "Tagok leképezésének vizsgálata", - "import-user-select": "Válassza ki a Wekan felhasználót, akit ezen tagként használni szeretne", - "importMapMembersAddPopup-title": "Wekan tag kiválasztása", - "info": "Verzió", - "initials": "Kezdőbetűk", - "invalid-date": "Érvénytelen dátum", - "invalid-time": "Érvénytelen idő", - "invalid-user": "Érvénytelen felhasználó", - "joined": "csatlakozott", - "just-invited": "Éppen most hívták meg erre a táblára", - "keyboard-shortcuts": "Gyorsbillentyűk", - "label-create": "Címke létrehozása", - "label-default": "%s címke (alapértelmezett)", - "label-delete-pop": "Nincs visszavonás. Ez el fogja távolítani ezt a címkét az összes kártyáról, és törli az előzményeit.", - "labels": "Címkék", - "language": "Nyelv", - "last-admin-desc": "Nem változtathatja meg a szerepeket, mert legalább egy adminisztrátora szükség van.", - "leave-board": "Tábla elhagyása", - "leave-board-pop": "Biztosan el szeretné hagyni ezt a táblát: __boardTitle__? El lesz távolítva a táblán lévő összes kártyáról.", - "leaveBoardPopup-title": "Elhagyja a táblát?", - "link-card": "Összekapcsolás ezzel a kártyával", - "list-archive-cards": "Az összes kártya lomtárba helyezése ezen a listán.", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "A listán lévő összes kártya áthelyezése", - "list-select-cards": "A listán lévő összes kártya kiválasztása", - "listActionPopup-title": "Műveletek felsorolása", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Trello kártya importálása", - "listMorePopup-title": "Több", - "link-list": "Összekapcsolás ezzel a listával", - "list-delete-pop": "Az összes művelet el lesz távolítva a tevékenységlistából, és nem lesz lehetősége visszaállítani a listát. Nincs visszavonás.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Listák", - "swimlanes": "Swimlanes", - "log-out": "Kijelentkezés", - "log-in": "Bejelentkezés", - "loginPopup-title": "Bejelentkezés", - "memberMenuPopup-title": "Tagok beállításai", - "members": "Tagok", - "menu": "Menü", - "move-selection": "Kijelölés áthelyezése", - "moveCardPopup-title": "Kártya áthelyezése", - "moveCardToBottom-title": "Áthelyezés az aljára", - "moveCardToTop-title": "Áthelyezés a tetejére", - "moveSelectionPopup-title": "Kijelölés áthelyezése", - "multi-selection": "Többszörös kijelölés", - "multi-selection-on": "Többszörös kijelölés bekapcsolva", - "muted": "Némítva", - "muted-info": "Soha sem lesz értesítve a táblán lévő semmilyen változásról.", - "my-boards": "Saját tábláim", - "name": "Név", - "no-archived-cards": "Nincs kártya a lomtárban.", - "no-archived-lists": "Nincs lista a lomtárban.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Nincs találat", - "normal": "Normál", - "normal-desc": "Megtekintheti és szerkesztheti a kártyákat. Nem változtathatja meg a beállításokat.", - "not-accepted-yet": "A meghívás még nincs elfogadva", - "notify-participate": "Frissítések fogadása bármely kártyánál, amelynél létrehozóként vagy tagként vesz részt", - "notify-watch": "Frissítések fogadása bármely táblánál, listánál vagy kártyánál, amelyet megtekint", - "optional": "opcionális", - "or": "vagy", - "page-maybe-private": "Ez az oldal személyes lehet. Esetleg megtekintheti, ha bejelentkezik.", - "page-not-found": "Az oldal nem található.", - "password": "Jelszó", - "paste-or-dragdrop": "illessze be, vagy fogd és vidd módon húzza ide a képfájlt (csak képeket)", - "participating": "Részvétel", - "preview": "Előnézet", - "previewAttachedImagePopup-title": "Előnézet", - "previewClipboardImagePopup-title": "Előnézet", - "private": "Személyes", - "private-desc": "Ez a tábla személyes. Csak a táblához hozzáadott emberek tekinthetik meg és szerkeszthetik.", - "profile": "Profil", - "public": "Nyilvános", - "public-desc": "Ez a tábla nyilvános. A hivatkozás birtokában bárki számára látható, és megjelenik az olyan keresőmotorokban, mint például a Google. Csak a táblához hozzáadott emberek szerkeszthetik.", - "quick-access-description": "Csillagozzon meg egy táblát egy gyors hivatkozás hozzáadásához ebbe a sávba.", - "remove-cover": "Borító eltávolítása", - "remove-from-board": "Eltávolítás a tábláról", - "remove-label": "Címke eltávolítása", - "listDeletePopup-title": "Törli a listát?", - "remove-member": "Tag eltávolítása", - "remove-member-from-card": "Eltávolítás a kártyáról", - "remove-member-pop": "Eltávolítja __name__ (__username__) felhasználót a tábláról: __boardTitle__? A tag el lesz távolítva a táblán lévő összes kártyáról. Értesítést fog kapni erről.", - "removeMemberPopup-title": "Eltávolítja a tagot?", - "rename": "Átnevezés", - "rename-board": "Tábla átnevezése", - "restore": "Visszaállítás", - "save": "Mentés", - "search": "Keresés", - "search-cards": "Keresés a táblán lévő kártyák címében illetve leírásában", - "search-example": "keresőkifejezés", - "select-color": "Szín kiválasztása", - "set-wip-limit-value": "Korlát beállítása a listán lévő feladatok legnagyobb számához", - "setWipLimitPopup-title": "WIP korlát beállítása", - "shortcut-assign-self": "Önmaga hozzárendelése a jelenlegi kártyához", - "shortcut-autocomplete-emoji": "Emodzsi automatikus kiegészítése", - "shortcut-autocomplete-members": "Tagok automatikus kiegészítése", - "shortcut-clear-filters": "Összes szűrő törlése", - "shortcut-close-dialog": "Párbeszédablak bezárása", - "shortcut-filter-my-cards": "Kártyáim szűrése", - "shortcut-show-shortcuts": "A hivatkozási lista előre hozása", - "shortcut-toggle-filterbar": "Szűrő oldalsáv ki- és bekapcsolása", - "shortcut-toggle-sidebar": "Tábla oldalsáv ki- és bekapcsolása", - "show-cards-minimum-count": "Kártyaszámok megjelenítése, ha a lista többet tartalmaz mint", - "sidebar-open": "Oldalsáv megnyitása", - "sidebar-close": "Oldalsáv bezárása", - "signupPopup-title": "Fiók létrehozása", - "star-board-title": "Kattintson a tábla csillagozásához. Meg fog jelenni a táblalistája tetején.", - "starred-boards": "Csillagozott táblák", - "starred-boards-description": "A csillagozott táblák megjelennek a táblalistája tetején.", - "subscribe": "Feliratkozás", - "team": "Csapat", - "this-board": "ez a tábla", - "this-card": "ez a kártya", - "spent-time-hours": "Eltöltött idő (óra)", - "overtime-hours": "Túlóra (óra)", - "overtime": "Túlóra", - "has-overtime-cards": "Van túlórás kártyája", - "has-spenttime-cards": "Has spent time cards", - "time": "Idő", - "title": "Cím", - "tracking": "Követés", - "tracking-info": "Értesítve lesz az összes olyan kártya változásáról, amelyen létrehozóként vagy tagként vesz részt.", - "type": "Típus", - "unassign-member": "Tag hozzárendelésének megszüntetése", - "unsaved-description": "Van egy mentetlen leírása.", - "unwatch": "Megfigyelés megszüntetése", - "upload": "Feltöltés", - "upload-avatar": "Egy avatár feltöltése", - "uploaded-avatar": "Egy avatár feltöltve", - "username": "Felhasználónév", - "view-it": "Megtekintés", - "warn-list-archived": "figyelem: ez a kártya egy lomtárban lévő listán van", - "watch": "Megfigyelés", - "watching": "Megfigyelés", - "watching-info": "Értesítve lesz a táblán lévő összes változásról", - "welcome-board": "Üdvözlő tábla", - "welcome-swimlane": "1. mérföldkő", - "welcome-list1": "Alapok", - "welcome-list2": "Speciális", - "what-to-do": "Mit szeretne tenni?", - "wipLimitErrorPopup-title": "Érvénytelen WIP korlát", - "wipLimitErrorPopup-dialog-pt1": "A listán lévő feladatok száma magasabb a meghatározott WIP korlátnál.", - "wipLimitErrorPopup-dialog-pt2": "Helyezzen át néhány feladatot a listáról, vagy állítson be magasabb WIP korlátot.", - "admin-panel": "Adminisztrációs panel", - "settings": "Beállítások", - "people": "Emberek", - "registration": "Regisztráció", - "disable-self-registration": "Önregisztráció letiltása", - "invite": "Meghívás", - "invite-people": "Emberek meghívása", - "to-boards": "Táblákhoz", - "email-addresses": "E-mail címek", - "smtp-host-description": "Az SMTP kiszolgáló címe, amely az e-maileket kezeli.", - "smtp-port-description": "Az SMTP kiszolgáló által használt port a kimenő e-mailekhez.", - "smtp-tls-description": "TLS támogatás engedélyezése az SMTP kiszolgálónál", - "smtp-host": "SMTP kiszolgáló", - "smtp-port": "SMTP port", - "smtp-username": "Felhasználónév", - "smtp-password": "Jelszó", - "smtp-tls": "TLS támogatás", - "send-from": "Feladó", - "send-smtp-test": "Teszt e-mail küldése magamnak", - "invitation-code": "Meghívási kód", - "email-invite-register-subject": "__inviter__ egy meghívás küldött Önnek", - "email-invite-register-text": "Kedves __user__!\n\n__inviter__ meghívta Önt közreműködésre a Wekan oldalra.\n\nKövesse a lenti hivatkozást:\n__url__\n\nÉs a meghívási kódja: __icode__\n\nKöszönjük.", - "email-smtp-test-subject": "SMTP teszt e-mail a Wekantól", - "email-smtp-test-text": "Sikeresen elküldött egy e-mailt", - "error-invitation-code-not-exist": "A meghívási kód nem létezik", - "error-notAuthorized": "Nincs jogosultsága az oldal megtekintéséhez.", - "outgoing-webhooks": "Kimenő webhurkok", - "outgoingWebhooksPopup-title": "Kimenő webhurkok", - "new-outgoing-webhook": "Új kimenő webhurok", - "no-name": "(Ismeretlen)", - "Wekan_version": "Wekan verzió", - "Node_version": "Node verzió", - "OS_Arch": "Operációs rendszer architektúrája", - "OS_Cpus": "Operációs rendszer CPU száma", - "OS_Freemem": "Operációs rendszer szabad memóriája", - "OS_Loadavg": "Operációs rendszer átlagos terhelése", - "OS_Platform": "Operációs rendszer platformja", - "OS_Release": "Operációs rendszer kiadása", - "OS_Totalmem": "Operációs rendszer összes memóriája", - "OS_Type": "Operációs rendszer típusa", - "OS_Uptime": "Operációs rendszer üzemideje", - "hours": "óra", - "minutes": "perc", - "seconds": "másodperc", - "show-field-on-card": "A mező megjelenítése a kártyán", - "yes": "Igen", - "no": "Nem", - "accounts": "Fiókok", - "accounts-allowEmailChange": "E-mail megváltoztatásának engedélyezése", - "accounts-allowUserNameChange": "Felhasználónév megváltoztatásának engedélyezése", - "createdAt": "Létrehozva", - "verified": "Ellenőrizve", - "active": "Aktív", - "card-received": "Érkezett", - "card-received-on": "Ekkor érkezett", - "card-end": "Befejezés", - "card-end-on": "Befejeződik ekkor", - "editCardReceivedDatePopup-title": "Érkezési dátum megváltoztatása", - "editCardEndDatePopup-title": "Befejezési dátum megváltoztatása", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json deleted file mode 100644 index 03cb71da..00000000 --- a/i18n/hy.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Ընդունել", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "ավելացրել է __checklistItem__ __checklist__ on __card__-ին", - "act-addComment": "մեկնաբանել է __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Add", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", - "addMemberPopup-title": "Members", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Members", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Members", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json deleted file mode 100644 index 95da897f..00000000 --- a/i18n/id.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Terima", - "act-activity-notify": "[Wekan] Pemberitahuan Kegiatan", - "act-addAttachment": "Lampirkan__attachment__ke__kartu__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "Dikomentari di__kartu__:__comment__", - "act-createBoard": "Panel__dibuat__", - "act-createCard": "Kartu__dilampirkan__ke__Daftar", - "act-createCustomField": "created custom field __customField__", - "act-createList": "Daftar__ditambahkan__ke__Panel", - "act-addBoardMember": "Partisipan__ditambahkan__ke__Kartu", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "Panel__diimpor", - "act-importCard": "Kartu__diimpor__", - "act-importList": "Daftar__diimpor__", - "act-joinMember": "Partisipan__ditambahkan__ke__kartu", - "act-moveCard": "Pindahkan__kartu__dari__daftarlama__ke__daftar", - "act-removeBoardMember": "Hapus__partisipan__dari__panel", - "act-restoredCard": "Kembalikan__kartu__ke__panel", - "act-unjoinMember": "hapus__partisipan__dari__kartu__", - "act-withBoardTitle": "Panel__[Wekan}__", - "act-withCardTitle": "__kartu__[__Panel__]", - "actions": "Daftar Tindakan", - "activities": "Daftar Kegiatan", - "activity": "Kegiatan", - "activity-added": "ditambahkan %s ke %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "dilampirkan %s ke %s", - "activity-created": "dibuat %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "tidak termasuk %s dari %s", - "activity-imported": "diimpor %s kedalam %s dari %s", - "activity-imported-board": "diimpor %s dari %s", - "activity-joined": "bergabung %s", - "activity-moved": "dipindahkan %s dari %s ke %s", - "activity-on": "pada %s", - "activity-removed": "dihapus %s dari %s", - "activity-sent": "terkirim %s ke %s", - "activity-unjoined": "tidak bergabung %s", - "activity-checklist-added": "daftar periksa ditambahkan ke %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Tambah", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Tambahkan hal ke daftar periksa", - "add-cover": "Tambahkan Sampul", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Tambahkan Anggota", - "added": "Ditambahkan", - "addMemberPopup-title": "Daftar Anggota", - "admin": "Admin", - "admin-desc": "Bisa tampilkan dan sunting kartu, menghapus partisipan, dan merubah setting panel", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "Semua Panel", - "and-n-other-card": "Dan__menghitung__kartu lain", - "and-n-other-card_plural": "Dan__menghitung__kartu lain", - "apply": "Terapkan", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Tugaskan anggota", - "attached": "terlampir", - "attachment": "Lampiran", - "attachment-delete-pop": "Menghapus lampiran bersifat permanen. Tidak bisa dipulihkan.", - "attachmentDeletePopup-title": "Hapus Lampiran?", - "attachments": "Daftar Lampiran", - "auto-watch": "Otomatis diawasi saat membuat Panel", - "avatar-too-big": "Berkas avatar terlalu besar (70KB maks)", - "back": "Kembali", - "board-change-color": "Ubah warna", - "board-nb-stars": "%s bintang", - "board-not-found": "Panel tidak ditemukan", - "board-private-info": "Panel ini akan jadi Pribadi", - "board-public-info": "Panel ini akan jadi Publik= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Nama Lengkap", - "header-logo-title": "Kembali ke laman panel anda", - "hide-system-messages": "Sembunyikan pesan-pesan sistem", - "headerBarCreateBoardPopup-title": "Buat Panel", - "home": "Beranda", - "import": "Impor", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Impor panel dari Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "Di panel Trello anda, ke 'Menu', terus 'More', 'Print and Export','Export JSON', dan salin hasilnya", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Tempelkan data JSON yang sah disini", - "import-map-members": "Petakan partisipan", - "import-members-map": "Panel yang anda impor punya partisipan. Silahkan petakan anggota yang anda ingin impor ke user [Wekan]", - "import-show-user-mapping": "Review pemetaan partisipan", - "import-user-select": "Pilih nama pengguna yang Anda mau gunakan sebagai anggota ini", - "importMapMembersAddPopup-title": "Pilih anggota Wekan", - "info": "Versi", - "initials": "Inisial", - "invalid-date": "Tanggal tidak sah", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "bergabung", - "just-invited": "Anda baru diundang di panel ini", - "keyboard-shortcuts": "Pintasan kibor", - "label-create": "Buat Label", - "label-default": "label %s (default)", - "label-delete-pop": "Ini tidak bisa dikembalikan, akan menghapus label ini dari semua kartu dan menghapus semua riwayatnya", - "labels": "Daftar Label", - "language": "Bahasa", - "last-admin-desc": "Anda tidak dapat mengubah aturan karena harus ada minimal seorang Admin.", - "leave-board": "Tingalkan Panel", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link ke kartu ini", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Pindah semua kartu ke daftar ini", - "list-select-cards": "Pilih semua kartu di daftar ini", - "listActionPopup-title": "Daftar Tindakan", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Impor dari Kartu Trello", - "listMorePopup-title": "Lainnya", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Daftar", - "swimlanes": "Swimlanes", - "log-out": "Keluar", - "log-in": "Masuk", - "loginPopup-title": "Masuk", - "memberMenuPopup-title": "Setelan Anggota", - "members": "Daftar Anggota", - "menu": "Menu", - "move-selection": "Pindahkan yang dipilih", - "moveCardPopup-title": "Pindahkan kartu", - "moveCardToBottom-title": "Pindahkan ke bawah", - "moveCardToTop-title": "Pindahkan ke atas", - "moveSelectionPopup-title": "Pindahkan yang dipilih", - "multi-selection": "Multi Pilihan", - "multi-selection-on": "Multi Pilihan aktif", - "muted": "Pemberitahuan tidak aktif", - "muted-info": "Anda tidak akan pernah dinotifikasi semua perubahan di panel ini", - "my-boards": "Panel saya", - "name": "Nama", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Tidak ada hasil", - "normal": "Normal", - "normal-desc": "Bisa tampilkan dan edit kartu. Tidak bisa ubah setting", - "not-accepted-yet": "Undangan belum diterima", - "notify-participate": "Terima update ke semua kartu dimana anda menjadi creator atau partisipan", - "notify-watch": "Terima update dari semua panel, daftar atau kartu yang anda amati", - "optional": "opsi", - "or": "atau", - "page-maybe-private": "Halaman ini hanya untuk kalangan terbatas. Anda dapat melihatnya dengan masuk ke dalam sistem.", - "page-not-found": "Halaman tidak ditemukan.", - "password": "Kata Sandi", - "paste-or-dragdrop": "untuk menempelkan, atau drag& drop gambar pada ini (hanya gambar)", - "participating": "Berpartisipasi", - "preview": "Pratinjau", - "previewAttachedImagePopup-title": "Pratinjau", - "previewClipboardImagePopup-title": "Pratinjau", - "private": "Terbatas", - "private-desc": "Panel ini Pribadi. Hanya orang yang ditambahkan ke panel ini yang bisa melihat dan menyuntingnya", - "profile": "Profil", - "public": "Umum", - "public-desc": "Panel ini publik. Akan terlihat oleh siapapun dengan link terkait dan muncul di mesin pencari seperti Google. Hanya orang yang ditambahkan di panel yang bisa sunting", - "quick-access-description": "Beri bintang panel untuk menambah shortcut di papan ini", - "remove-cover": "Hapus Sampul", - "remove-from-board": "Hapus dari panel", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Hapus Anggota", - "remove-member-from-card": "Hapus dari Kartu", - "remove-member-pop": "Hapus__nama__(__username__) dari __boardTitle__? Partisipan akan dihapus dari semua kartu di panel ini. Mereka akan diberi tahu", - "removeMemberPopup-title": "Hapus Anggota?", - "rename": "Ganti Nama", - "rename-board": "Ubah nama Panel", - "restore": "Pulihkan", - "save": "Simpan", - "search": "Cari", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Masukkan diri anda sendiri ke kartu ini", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete partisipan", - "shortcut-clear-filters": "Bersihkan semua saringan", - "shortcut-close-dialog": "Tutup Dialog", - "shortcut-filter-my-cards": "Filter kartu saya", - "shortcut-show-shortcuts": "Angkat naik shortcut daftar ini", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Tampilkan jumlah kartu jika daftar punya lebih dari ", - "sidebar-open": "Buka Sidebar", - "sidebar-close": "Tutup Sidebar", - "signupPopup-title": "Buat Akun", - "star-board-title": "Klik untuk beri bintang panel ini. Akan muncul paling atas dari daftar panel", - "starred-boards": "Panel dengan bintang", - "starred-boards-description": "Panel berbintang muncul paling atas dari daftar panel anda", - "subscribe": "Langganan", - "team": "Tim", - "this-board": "Panel ini", - "this-card": "Kartu ini", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Waktu", - "title": "Judul", - "tracking": "Pelacakan", - "tracking-info": "Anda akan dinotifikasi semua perubahan di kartu tersebut diaman anda terlibat sebagai creator atau partisipan", - "type": "Type", - "unassign-member": "Tidak sertakan partisipan", - "unsaved-description": "Anda memiliki deskripsi yang belum disimpan.", - "unwatch": "Tidak mengamati", - "upload": "Unggah", - "upload-avatar": "Unggah avatar", - "uploaded-avatar": "Avatar diunggah", - "username": "Nama Pengguna", - "view-it": "Lihat", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Amati", - "watching": "Mengamati", - "watching-info": "Anda akan diberitahu semua perubahan di panel ini", - "welcome-board": "Panel Selamat Datang", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Tingkat dasar", - "welcome-list2": "Tingkat lanjut", - "what-to-do": "Apa yang mau Anda lakukan?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Panel Admin", - "settings": "Setelan", - "people": "Orang-orang", - "registration": "Registrasi", - "disable-self-registration": "Nonaktifkan Swa Registrasi", - "invite": "Undang", - "invite-people": "Undang Orang-orang", - "to-boards": "ke panel", - "email-addresses": "Alamat surel", - "smtp-host-description": "Alamat server SMTP yang menangani surel Anda.", - "smtp-port-description": "Port server SMTP yang Anda gunakan untuk mengirim surel.", - "smtp-tls-description": "Aktifkan dukungan TLS untuk server SMTP", - "smtp-host": "Host SMTP", - "smtp-port": "Port SMTP", - "smtp-username": "Nama Pengguna", - "smtp-password": "Kata Sandi", - "smtp-tls": "Dukungan TLS", - "send-from": "Dari", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Kode Undangan", - "email-invite-register-subject": "__inviter__ mengirim undangan ke Anda", - "email-invite-register-text": "Halo __user__,\n\n__inviter__ mengundang Anda untuk berkolaborasi menggunakan Wekan.\n\nMohon ikuti tautan berikut:\n__url__\n\nDan kode undangan Anda adalah: __icode__\n\nTerima kasih.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Kode undangan tidak ada", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json deleted file mode 100644 index 9569f9e1..00000000 --- a/i18n/ig.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Kwere", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "na %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Tinye", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Tinye ndị otu ọhụrụ", - "added": "Etinyere ", - "addMemberPopup-title": "Ndị otu", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Bido", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Aha", - "cardMembersPopup-title": "Ndị otu", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Gbanwe", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Họrọ asụsụ ọzọ", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Aha", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Ndị otu", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Banye aha ọzọ", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "Hụ ya", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Hụ", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "Ndị mmadụ", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "elekere", - "minutes": "nkeji", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Ee", - "no": "Mba", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Ekere na", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json deleted file mode 100644 index f6ede789..00000000 --- a/i18n/it.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Accetta", - "act-activity-notify": "[Wekan] Notifiche attività", - "act-addAttachment": "ha allegato __attachment__ a __card__", - "act-addChecklist": "aggiunta checklist __checklist__ a __card__", - "act-addChecklistItem": "aggiunto __checklistItem__ alla checklist __checklist__ di __card__", - "act-addComment": "ha commentato su __card__: __comment__", - "act-createBoard": "ha creato __board__", - "act-createCard": "ha aggiunto __card__ a __list__", - "act-createCustomField": "campo personalizzato __customField__ creato", - "act-createList": "ha aggiunto __list__ a __board__", - "act-addBoardMember": "ha aggiunto __member__ a __board__", - "act-archivedBoard": "__board__ spostata nel cestino", - "act-archivedCard": "__card__ spostata nel cestino", - "act-archivedList": "__list__ spostata nel cestino", - "act-archivedSwimlane": "__swimlane__ spostata nel cestino", - "act-importBoard": "ha importato __board__", - "act-importCard": "ha importato __card__", - "act-importList": "ha importato __list__", - "act-joinMember": "ha aggiunto __member__ a __card__", - "act-moveCard": "ha spostato __card__ da __oldList__ a __list__", - "act-removeBoardMember": "ha rimosso __member__ a __board__", - "act-restoredCard": "ha ripristinato __card__ su __board__", - "act-unjoinMember": "ha rimosso __member__ da __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Azioni", - "activities": "Attività", - "activity": "Attività", - "activity-added": "ha aggiunto %s a %s", - "activity-archived": "%s spostato nel cestino", - "activity-attached": "allegato %s a %s", - "activity-created": "creato %s", - "activity-customfield-created": "Campo personalizzato creato", - "activity-excluded": "escluso %s da %s", - "activity-imported": "importato %s in %s da %s", - "activity-imported-board": "importato %s da %s", - "activity-joined": "si è unito a %s", - "activity-moved": "spostato %s da %s a %s", - "activity-on": "su %s", - "activity-removed": "rimosso %s da %s", - "activity-sent": "inviato %s a %s", - "activity-unjoined": "ha abbandonato %s", - "activity-checklist-added": "aggiunta checklist a %s", - "activity-checklist-item-added": "Aggiunto l'elemento checklist a '%s' in %s", - "add": "Aggiungere", - "add-attachment": "Aggiungi Allegato", - "add-board": "Aggiungi Bacheca", - "add-card": "Aggiungi Scheda", - "add-swimlane": "Aggiungi Corsia", - "add-checklist": "Aggiungi Checklist", - "add-checklist-item": "Aggiungi un elemento alla checklist", - "add-cover": "Aggiungi copertina", - "add-label": "Aggiungi Etichetta", - "add-list": "Aggiungi Lista", - "add-members": "Aggiungi membri", - "added": "Aggiunto", - "addMemberPopup-title": "Membri", - "admin": "Amministratore", - "admin-desc": "Può vedere e modificare schede, rimuovere membri e modificare le impostazioni della bacheca.", - "admin-announcement": "Annunci", - "admin-announcement-active": "Attiva annunci di sistema", - "admin-announcement-title": "Annunci dall'Amministratore", - "all-boards": "Tutte le bacheche", - "and-n-other-card": "E __count__ altra scheda", - "and-n-other-card_plural": "E __count__ altre schede", - "apply": "Applica", - "app-is-offline": "Wekan è in caricamento, attendi per favore. Ricaricare la pagina causerà una perdita di dati. Se Wekan non si carica, controlla per favore che non ci siano problemi al server.", - "archive": "Sposta nel cestino", - "archive-all": "Sposta tutto nel cestino", - "archive-board": "Sposta la bacheca nel cestino", - "archive-card": "Sposta la scheda nel cestino", - "archive-list": "Sposta la lista nel cestino", - "archive-swimlane": "Sposta la corsia nel cestino", - "archive-selection": "Sposta la selezione nel cestino", - "archiveBoardPopup-title": "Sposta la bacheca nel cestino", - "archived-items": "Cestino", - "archived-boards": "Bacheche cestinate", - "restore-board": "Ripristina Bacheca", - "no-archived-boards": "Nessuna bacheca nel cestino", - "archives": "Cestino", - "assign-member": "Aggiungi membro", - "attached": "allegato", - "attachment": "Allegato", - "attachment-delete-pop": "L'eliminazione di un allegato è permanente. Non è possibile annullare.", - "attachmentDeletePopup-title": "Eliminare l'allegato?", - "attachments": "Allegati", - "auto-watch": "Segui automaticamente le bacheche quando vengono create.", - "avatar-too-big": "L'avatar è troppo grande (70KB max)", - "back": "Indietro", - "board-change-color": "Cambia colore", - "board-nb-stars": "%s stelle", - "board-not-found": "Bacheca non trovata", - "board-private-info": "Questa bacheca sarà privata.", - "board-public-info": "Questa bacheca sarà pubblica.", - "boardChangeColorPopup-title": "Cambia sfondo della bacheca", - "boardChangeTitlePopup-title": "Rinomina bacheca", - "boardChangeVisibilityPopup-title": "Cambia visibilità", - "boardChangeWatchPopup-title": "Cambia faccia", - "boardMenuPopup-title": "Menu bacheca", - "boards": "Bacheche", - "board-view": "Visualizza bacheca", - "board-view-swimlanes": "Corsie", - "board-view-lists": "Liste", - "bucket-example": "Per esempio come \"una lista di cose da fare\"", - "cancel": "Cancella", - "card-archived": "Questa scheda è stata spostata nel cestino.", - "card-comments-title": "Questa scheda ha %s commenti.", - "card-delete-notice": "L'eliminazione è permanente. Tutte le azioni associate a questa scheda andranno perse.", - "card-delete-pop": "Tutte le azioni saranno rimosse dal flusso attività e non sarai in grado di riaprire la scheda. Non potrai tornare indietro.", - "card-delete-suggest-archive": "Puoi cestinare una scheda per rimuoverla dalla bacheca e preservare la sua attività.", - "card-due": "Scadenza", - "card-due-on": "Scade", - "card-spent": "Tempo trascorso", - "card-edit-attachments": "Modifica allegati", - "card-edit-custom-fields": "Modifica campo personalizzato", - "card-edit-labels": "Modifica etichette", - "card-edit-members": "Modifica membri", - "card-labels-title": "Cambia le etichette per questa scheda.", - "card-members-title": "Aggiungi o rimuovi membri della bacheca da questa scheda", - "card-start": "Inizio", - "card-start-on": "Inizia", - "cardAttachmentsPopup-title": "Allega da", - "cardCustomField-datePopup-title": "Cambia data", - "cardCustomFieldsPopup-title": "Modifica campo personalizzato", - "cardDeletePopup-title": "Elimina scheda?", - "cardDetailsActionsPopup-title": "Azioni scheda", - "cardLabelsPopup-title": "Etichette", - "cardMembersPopup-title": "Membri", - "cardMorePopup-title": "Altro", - "cards": "Schede", - "cards-count": "Schede", - "change": "Cambia", - "change-avatar": "Cambia avatar", - "change-password": "Cambia password", - "change-permissions": "Cambia permessi", - "change-settings": "Cambia impostazioni", - "changeAvatarPopup-title": "Cambia avatar", - "changeLanguagePopup-title": "Cambia lingua", - "changePasswordPopup-title": "Cambia password", - "changePermissionsPopup-title": "Cambia permessi", - "changeSettingsPopup-title": "Cambia impostazioni", - "checklists": "Checklist", - "click-to-star": "Clicca per stellare questa bacheca", - "click-to-unstar": "Clicca per togliere la stella da questa bacheca", - "clipboard": "Clipboard o drag & drop", - "close": "Chiudi", - "close-board": "Chiudi bacheca", - "close-board-pop": "Sarai in grado di ripristinare la bacheca cliccando il tasto \"Cestino\" dall'intestazione della pagina principale.", - "color-black": "nero", - "color-blue": "blu", - "color-green": "verde", - "color-lime": "lime", - "color-orange": "arancione", - "color-pink": "rosa", - "color-purple": "viola", - "color-red": "rosso", - "color-sky": "azzurro", - "color-yellow": "giallo", - "comment": "Commento", - "comment-placeholder": "Scrivi Commento", - "comment-only": "Solo commenti", - "comment-only-desc": "Puoi commentare solo le schede.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Sei sicuro di voler cancellare questa checklist?", - "copy-card-link-to-clipboard": "Copia link della scheda sulla clipboard", - "copyCardPopup-title": "Copia Scheda", - "copyChecklistToManyCardsPopup-title": "Copia template checklist su più schede", - "copyChecklistToManyCardsPopup-instructions": "Titolo e la descrizione della scheda di destinazione in questo formato JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titolo prima scheda\", \"description\":\"Descrizione prima scheda\"}, {\"title\":\"Titolo seconda scheda\",\"description\":\"Descrizione seconda scheda\"},{\"title\":\"Titolo ultima scheda\",\"description\":\"Descrizione ultima scheda\"} ]", - "create": "Crea", - "createBoardPopup-title": "Crea bacheca", - "chooseBoardSourcePopup-title": "Importa bacheca", - "createLabelPopup-title": "Crea etichetta", - "createCustomField": "Crea campo", - "createCustomFieldPopup-title": "Crea campo", - "current": "corrente", - "custom-field-delete-pop": "Non potrai tornare indietro. Questa azione rimuoverà questo campo personalizzato da tutte le schede ed eliminerà ogni sua traccia.", - "custom-field-checkbox": "Casella di scelta", - "custom-field-date": "Data", - "custom-field-dropdown": "Lista a discesa", - "custom-field-dropdown-none": "(nessun)", - "custom-field-dropdown-options": "Lista opzioni", - "custom-field-dropdown-options-placeholder": "Premi invio per aggiungere altre opzioni", - "custom-field-dropdown-unknown": "(sconosciuto)", - "custom-field-number": "Numero", - "custom-field-text": "Testo", - "custom-fields": "Campi personalizzati", - "date": "Data", - "decline": "Declina", - "default-avatar": "Avatar predefinito", - "delete": "Elimina", - "deleteCustomFieldPopup-title": "Elimina il campo personalizzato?", - "deleteLabelPopup-title": "Eliminare etichetta?", - "description": "Descrizione", - "disambiguateMultiLabelPopup-title": "Disambiguare l'azione Etichetta", - "disambiguateMultiMemberPopup-title": "Disambiguare l'azione Membro", - "discard": "Scarta", - "done": "Fatto", - "download": "Download", - "edit": "Modifica", - "edit-avatar": "Cambia avatar", - "edit-profile": "Modifica profilo", - "edit-wip-limit": "Modifica limite di work in progress", - "soft-wip-limit": "Limite Work in progress soft", - "editCardStartDatePopup-title": "Cambia data di inizio", - "editCardDueDatePopup-title": "Cambia data di scadenza", - "editCustomFieldPopup-title": "Modifica campo", - "editCardSpentTimePopup-title": "Cambia tempo trascorso", - "editLabelPopup-title": "Cambia etichetta", - "editNotificationPopup-title": "Modifica notifiche", - "editProfilePopup-title": "Modifica profilo", - "email": "Email", - "email-enrollAccount-subject": "Creato un account per te su __siteName__", - "email-enrollAccount-text": "Ciao __user__,\n\nPer iniziare ad usare il servizio, clicca sul link seguente:\n\n__url__\n\nGrazie.", - "email-fail": "Invio email fallito", - "email-fail-text": "Errore nel tentativo di invio email", - "email-invalid": "Email non valida", - "email-invite": "Invita via email", - "email-invite-subject": "__inviter__ ti ha inviato un invito", - "email-invite-text": "Caro __user__,\n\n__inviter__ ti ha invitato ad unirti alla bacheca \"__board__\" per le collaborazioni.\n\nPer favore clicca sul link seguente:\n\n__url__\n\nGrazie.", - "email-resetPassword-subject": "Ripristina la tua password su on __siteName__", - "email-resetPassword-text": "Ciao __user__,\n\nPer ripristinare la tua password, clicca sul link seguente:\n\n__url__\n\nGrazie.", - "email-sent": "Email inviata", - "email-verifyEmail-subject": "Verifica il tuo indirizzo email su on __siteName__", - "email-verifyEmail-text": "Ciao __user__,\n\nPer verificare il tuo account email, clicca sul link seguente:\n\n__url__\n\nGrazie.", - "enable-wip-limit": "Abilita limite di work in progress", - "error-board-doesNotExist": "Questa bacheca non esiste", - "error-board-notAdmin": "Devi essere admin di questa bacheca per poterlo fare", - "error-board-notAMember": "Devi essere un membro di questa bacheca per poterlo fare", - "error-json-malformed": "Il tuo testo non è un JSON valido", - "error-json-schema": "Il tuo file JSON non contiene le giuste informazioni nel formato corretto", - "error-list-doesNotExist": "Questa lista non esiste", - "error-user-doesNotExist": "Questo utente non esiste", - "error-user-notAllowSelf": "Non puoi invitare te stesso", - "error-user-notCreated": "L'utente non è stato creato", - "error-username-taken": "Questo username è già utilizzato", - "error-email-taken": "L'email è già stata presa", - "export-board": "Esporta bacheca", - "filter": "Filtra", - "filter-cards": "Filtra schede", - "filter-clear": "Pulisci filtri", - "filter-no-label": "Nessuna etichetta", - "filter-no-member": "Nessun membro", - "filter-no-custom-fields": "Nessun campo personalizzato", - "filter-on": "Il filtro è attivo", - "filter-on-desc": "Stai filtrando le schede su questa bacheca. Clicca qui per modificare il filtro,", - "filter-to-selection": "Seleziona", - "advanced-filter-label": "Filtro avanzato", - "advanced-filter-description": "Il filtro avanzato consente di scrivere una stringa contenente i seguenti operatori: == != <= >= && || ( ). Lo spazio è usato come separatore tra gli operatori. E' possibile filtrare per tutti i campi personalizzati, digitando i loro nomi e valori. Ad esempio: Campo1 == Valore1. Nota: Se i campi o i valori contengono spazi, devi racchiuderli dentro le virgolette singole. Ad esempio: 'Campo 1' == 'Valore 1'. E' possibile combinare condizioni multiple. Ad esempio: F1 == V1 || F1 = V2. Normalmente tutti gli operatori sono interpretati da sinistra a destra. Puoi modificare l'ordine utilizzando le parentesi. Ad Esempio: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Nome completo", - "header-logo-title": "Torna alla tua bacheca.", - "hide-system-messages": "Nascondi i messaggi di sistema", - "headerBarCreateBoardPopup-title": "Crea bacheca", - "home": "Home", - "import": "Importa", - "import-board": "Importa bacheca", - "import-board-c": "Importa bacheca", - "import-board-title-trello": "Importa una bacheca da Trello", - "import-board-title-wekan": "Importa bacheca da Wekan", - "import-sandstorm-warning": "La bacheca importata cancellerà tutti i dati esistenti su questa bacheca e li rimpiazzerà con quelli della bacheca importata.", - "from-trello": "Da Trello", - "from-wekan": "Da Wekan", - "import-board-instruction-trello": "Nella tua bacheca Trello vai a 'Menu', poi 'Altro', 'Stampa ed esporta', 'Esporta JSON', e copia il testo che compare.", - "import-board-instruction-wekan": "Nella tua bacheca Wekan, vai su 'Menu', poi 'Esporta bacheca', e copia il testo nel file scaricato.", - "import-json-placeholder": "Incolla un JSON valido qui", - "import-map-members": "Mappatura dei membri", - "import-members-map": "La bacheca che hai importato ha alcuni membri. Per favore scegli i membri che vuoi vengano importati negli utenti di Wekan", - "import-show-user-mapping": "Rivedi la mappatura dei membri", - "import-user-select": "Scegli l'utente Wekan che vuoi utilizzare come questo membro", - "importMapMembersAddPopup-title": "Seleziona i membri di Wekan", - "info": "Versione", - "initials": "Iniziali", - "invalid-date": "Data non valida", - "invalid-time": "Tempo non valido", - "invalid-user": "User non valido", - "joined": "si è unito a", - "just-invited": "Sei stato appena invitato a questa bacheca", - "keyboard-shortcuts": "Scorciatoie da tastiera", - "label-create": "Crea etichetta", - "label-default": "%s etichetta (default)", - "label-delete-pop": "Non potrai tornare indietro. Procedendo, rimuoverai questa etichetta da tutte le schede e distruggerai la sua cronologia.", - "labels": "Etichette", - "language": "Lingua", - "last-admin-desc": "Non puoi cambiare i ruoli perché deve esserci almeno un admin.", - "leave-board": "Abbandona bacheca", - "leave-board-pop": "Sei sicuro di voler abbandonare __boardTitle__? Sarai rimosso da tutte le schede in questa bacheca.", - "leaveBoardPopup-title": "Abbandona Bacheca?", - "link-card": "Link a questa scheda", - "list-archive-cards": "Cestina tutte le schede in questa lista", - "list-archive-cards-pop": "Questo rimuoverà dalla bacheca tutte le schede in questa lista. Per vedere le schede cestinate e portarle indietro alla bacheca, clicca “Menu” > “Elementi cestinati”", - "list-move-cards": "Sposta tutte le schede in questa lista", - "list-select-cards": "Selezione tutte le schede in questa lista", - "listActionPopup-title": "Azioni disponibili", - "swimlaneActionPopup-title": "Azioni corsia", - "listImportCardPopup-title": "Importa una scheda di Trello", - "listMorePopup-title": "Altro", - "link-list": "Link a questa lista", - "list-delete-pop": "Tutte le azioni saranno rimosse dal flusso attività e non sarai in grado di recuperare la lista. Non potrai tornare indietro.", - "list-delete-suggest-archive": "Puoi cestinare una scheda per rimuoverla dalla bacheca e preservare la sua attività.", - "lists": "Liste", - "swimlanes": "Corsie", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Impostazioni membri", - "members": "Membri", - "menu": "Menu", - "move-selection": "Sposta selezione", - "moveCardPopup-title": "Sposta scheda", - "moveCardToBottom-title": "Sposta in fondo", - "moveCardToTop-title": "Sposta in alto", - "moveSelectionPopup-title": "Sposta selezione", - "multi-selection": "Multi-Selezione", - "multi-selection-on": "Multi-Selezione attiva", - "muted": "Silenziato", - "muted-info": "Non sarai mai notificato delle modifiche in questa bacheca", - "my-boards": "Le mie bacheche", - "name": "Nome", - "no-archived-cards": "Nessuna scheda nel cestino", - "no-archived-lists": "Nessuna lista nel cestino", - "no-archived-swimlanes": "Nessuna corsia nel cestino", - "no-results": "Nessun risultato", - "normal": "Normale", - "normal-desc": "Può visionare e modificare le schede. Non può cambiare le impostazioni.", - "not-accepted-yet": "Invitato non ancora accettato", - "notify-participate": "Ricevi aggiornamenti per qualsiasi scheda a cui partecipi come creatore o membro", - "notify-watch": "Ricevi aggiornamenti per tutte le bacheche, liste o schede che stai seguendo", - "optional": "opzionale", - "or": "o", - "page-maybe-private": "Questa pagina potrebbe essere privata. Potresti essere in grado di vederla facendo il log-in.", - "page-not-found": "Pagina non trovata.", - "password": "Password", - "paste-or-dragdrop": "per incollare, oppure trascina & rilascia il file immagine (solo immagini)", - "participating": "Partecipando", - "preview": "Anteprima", - "previewAttachedImagePopup-title": "Anteprima", - "previewClipboardImagePopup-title": "Anteprima", - "private": "Privata", - "private-desc": "Questa bacheca è privata. Solo le persone aggiunte alla bacheca possono vederla e modificarla.", - "profile": "Profilo", - "public": "Pubblica", - "public-desc": "Questa bacheca è pubblica. È visibile a chiunque abbia il link e sarà mostrata dai motori di ricerca come Google. Solo le persone aggiunte alla bacheca possono modificarla.", - "quick-access-description": "Stella una bacheca per aggiungere una scorciatoia in questa barra.", - "remove-cover": "Rimuovi cover", - "remove-from-board": "Rimuovi dalla bacheca", - "remove-label": "Rimuovi Etichetta", - "listDeletePopup-title": "Eliminare Lista?", - "remove-member": "Rimuovi utente", - "remove-member-from-card": "Rimuovi dalla scheda", - "remove-member-pop": "Rimuovere __name__ (__username__) da __boardTitle__? L'utente sarà rimosso da tutte le schede in questa bacheca. Riceveranno una notifica.", - "removeMemberPopup-title": "Rimuovere membro?", - "rename": "Rinomina", - "rename-board": "Rinomina bacheca", - "restore": "Ripristina", - "save": "Salva", - "search": "Cerca", - "search-cards": "Ricerca per titolo e descrizione scheda su questa bacheca", - "search-example": "Testo da ricercare?", - "select-color": "Seleziona Colore", - "set-wip-limit-value": "Seleziona un limite per il massimo numero di attività in questa lista", - "setWipLimitPopup-title": "Imposta limite di work in progress", - "shortcut-assign-self": "Aggiungi te stesso alla scheda corrente", - "shortcut-autocomplete-emoji": "Autocompletamento emoji", - "shortcut-autocomplete-members": "Autocompletamento membri", - "shortcut-clear-filters": "Pulisci tutti i filtri", - "shortcut-close-dialog": "Chiudi finestra di dialogo", - "shortcut-filter-my-cards": "Filtra le mie schede", - "shortcut-show-shortcuts": "Apri questa lista di scorciatoie", - "shortcut-toggle-filterbar": "Apri/chiudi la barra laterale dei filtri", - "shortcut-toggle-sidebar": "Apri/chiudi la barra laterale della bacheca", - "show-cards-minimum-count": "Mostra il contatore delle schede se la lista ne contiene più di", - "sidebar-open": "Apri Sidebar", - "sidebar-close": "Chiudi Sidebar", - "signupPopup-title": "Crea un account", - "star-board-title": "Clicca per stellare questa bacheca. Sarà mostrata all'inizio della tua lista bacheche.", - "starred-boards": "Bacheche stellate", - "starred-boards-description": "Le bacheche stellate vengono mostrato all'inizio della tua lista bacheche.", - "subscribe": "Sottoscrivi", - "team": "Team", - "this-board": "questa bacheca", - "this-card": "questa scheda", - "spent-time-hours": "Tempo trascorso (ore)", - "overtime-hours": "Overtime (ore)", - "overtime": "Overtime", - "has-overtime-cards": "Ci sono scheda scadute", - "has-spenttime-cards": "Ci sono scheda con tempo impiegato", - "time": "Ora", - "title": "Titolo", - "tracking": "Monitoraggio", - "tracking-info": "Sarai notificato per tutte le modifiche alle schede delle quali sei creatore o membro.", - "type": "Tipo", - "unassign-member": "Rimuovi membro", - "unsaved-description": "Hai una descrizione non salvata", - "unwatch": "Non seguire", - "upload": "Upload", - "upload-avatar": "Carica un avatar", - "uploaded-avatar": "Avatar caricato", - "username": "Username", - "view-it": "Vedi", - "warn-list-archived": "attenzione: questa scheda è in una lista cestinata", - "watch": "Segui", - "watching": "Stai seguendo", - "watching-info": "Sarai notificato per tutte le modifiche in questa bacheca", - "welcome-board": "Bacheca di benvenuto", - "welcome-swimlane": "Pietra miliare 1", - "welcome-list1": "Basi", - "welcome-list2": "Avanzate", - "what-to-do": "Cosa vuoi fare?", - "wipLimitErrorPopup-title": "Limite work in progress non valido. ", - "wipLimitErrorPopup-dialog-pt1": "Il numero di compiti in questa lista è maggiore del limite di work in progress che hai definito in precedenza. ", - "wipLimitErrorPopup-dialog-pt2": "Per favore, sposta alcuni dei compiti fuori da questa lista, oppure imposta un limite di work in progress più alto. ", - "admin-panel": "Pannello dell'Amministratore", - "settings": "Impostazioni", - "people": "Persone", - "registration": "Registrazione", - "disable-self-registration": "Disabilita Auto-registrazione", - "invite": "Invita", - "invite-people": "Invita persone", - "to-boards": "Alla(e) bacheche(a)", - "email-addresses": "Indirizzi email", - "smtp-host-description": "L'indirizzo del server SMTP che gestisce le tue email.", - "smtp-port-description": "La porta che il tuo server SMTP utilizza per le email in uscita.", - "smtp-tls-description": "Abilita supporto TLS per server SMTP", - "smtp-host": "SMTP Host", - "smtp-port": "Porta SMTP", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "Supporto TLS", - "send-from": "Da", - "send-smtp-test": "Invia un'email di test a te stesso", - "invitation-code": "Codice d'invito", - "email-invite-register-subject": "__inviter__ ti ha inviato un invito", - "email-invite-register-text": "Gentile __user__,\n\n__inviter__ ti ha invitato su Wekan per collaborare.\n\nPer favore segui il link qui sotto:\n__url__\n\nIl tuo codice d'invito è: __icode__\n\nGrazie.", - "email-smtp-test-subject": "Test invio email SMTP per Wekan", - "email-smtp-test-text": "Hai inviato un'email con successo", - "error-invitation-code-not-exist": "Il codice d'invito non esiste", - "error-notAuthorized": "Non sei autorizzato ad accedere a questa pagina.", - "outgoing-webhooks": "Server esterni", - "outgoingWebhooksPopup-title": "Server esterni", - "new-outgoing-webhook": "Nuovo webhook in uscita", - "no-name": "(Sconosciuto)", - "Wekan_version": "Versione di Wekan", - "Node_version": "Versione di Node", - "OS_Arch": "Architettura del sistema operativo", - "OS_Cpus": "Conteggio della CPU del sistema operativo", - "OS_Freemem": "Memoria libera del sistema operativo ", - "OS_Loadavg": "Carico medio del sistema operativo ", - "OS_Platform": "Piattaforma del sistema operativo", - "OS_Release": "Versione di rilascio del sistema operativo", - "OS_Totalmem": "Memoria totale del sistema operativo ", - "OS_Type": "Tipo di sistema operativo ", - "OS_Uptime": "Tempo di attività del sistema operativo. ", - "hours": "ore", - "minutes": "minuti", - "seconds": "secondi", - "show-field-on-card": "Visualizza questo campo sulla scheda", - "yes": "Sì", - "no": "No", - "accounts": "Profili", - "accounts-allowEmailChange": "Permetti modifica dell'email", - "accounts-allowUserNameChange": "Consenti la modifica del nome utente", - "createdAt": "creato alle", - "verified": "Verificato", - "active": "Attivo", - "card-received": "Ricevuta", - "card-received-on": "Ricevuta il", - "card-end": "Fine", - "card-end-on": "Termina il", - "editCardReceivedDatePopup-title": "Cambia data ricezione", - "editCardEndDatePopup-title": "Cambia data finale", - "assigned-by": "Assegnato da", - "requested-by": "Richiesto da", - "board-delete-notice": "L'eliminazione è permanente. Tutte le azioni, liste e schede associate a questa bacheca andranno perse.", - "delete-board-confirm-popup": "Tutte le liste, schede, etichette e azioni saranno rimosse e non sarai più in grado di recuperare il contenuto della bacheca. L'azione non è annullabile.", - "boardDeletePopup-title": "Eliminare la bacheca?", - "delete-board": "Elimina bacheca" -} \ No newline at end of file diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json deleted file mode 100644 index 7f9a3c40..00000000 --- a/i18n/ja.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "受け入れ", - "act-activity-notify": "[Wekan] アクティビティ通知", - "act-addAttachment": "__card__ に __attachment__ を添付しました", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "__card__: __comment__ をコメントしました", - "act-createBoard": "__board__ を作成しました", - "act-createCard": "__list__ に __card__ を追加しました", - "act-createCustomField": "created custom field __customField__", - "act-createList": "__board__ に __list__ を追加しました", - "act-addBoardMember": "__board__ に __member__ を追加しました", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "__board__ をインポートしました", - "act-importCard": "__card__ をインポートしました", - "act-importList": "__list__ をインポートしました", - "act-joinMember": "__card__ に __member__ を追加しました", - "act-moveCard": "__card__ を __oldList__ から __list__ に 移動しました", - "act-removeBoardMember": "__board__ から __member__ を削除しました", - "act-restoredCard": "__card__ を __board__ にリストアしました", - "act-unjoinMember": "__card__ から __member__ を削除しました", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "操作", - "activities": "アクティビティ", - "activity": "アクティビティ", - "activity-added": "%s を %s に追加しました", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "%s を %s に添付しました", - "activity-created": "%s を作成しました", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "%s を %s から除外しました", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "%s にジョインしました", - "activity-moved": "%s を %s から %s に移動しました", - "activity-on": "%s", - "activity-removed": "%s を %s から削除しました", - "activity-sent": "%s を %s に送りました", - "activity-unjoined": "%s への参加を止めました", - "activity-checklist-added": "%s にチェックリストを追加しました", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "追加", - "add-attachment": "添付ファイルを追加", - "add-board": "ボードを追加", - "add-card": "カードを追加", - "add-swimlane": "Add Swimlane", - "add-checklist": "チェックリストを追加", - "add-checklist-item": "チェックリストに項目を追加", - "add-cover": "カバーの追加", - "add-label": "ラベルを追加", - "add-list": "リストを追加", - "add-members": "メンバーの追加", - "added": "追加しました", - "addMemberPopup-title": "メンバー", - "admin": "管理", - "admin-desc": "カードの閲覧と編集、メンバーの削除、ボードの設定変更が可能", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "全てのボード", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "適用", - "app-is-offline": "現在オフラインです。ページを更新すると保存していないデータは失われます。", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "ボードをリストア", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "メンバーの割当", - "attached": "添付されました", - "attachment": "添付ファイル", - "attachment-delete-pop": "添付ファイルの削除をすると取り消しできません。", - "attachmentDeletePopup-title": "添付ファイルを削除しますか?", - "attachments": "添付ファイル", - "auto-watch": "作成されたボードを自動的にウォッチする", - "avatar-too-big": "アバターが大きすぎます(最大70KB)", - "back": "戻る", - "board-change-color": "色の変更", - "board-nb-stars": "%s stars", - "board-not-found": "ボードが見つかりません", - "board-private-info": "ボードは 非公開 になります。", - "board-public-info": "ボードは公開されます。", - "boardChangeColorPopup-title": "ボードの背景を変更", - "boardChangeTitlePopup-title": "ボード名の変更", - "boardChangeVisibilityPopup-title": "公開範囲の変更", - "boardChangeWatchPopup-title": "ウォッチの変更", - "boardMenuPopup-title": "ボードメニュー", - "boards": "ボード", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "リスト", - "bucket-example": "Like “Bucket List” for example", - "cancel": "キャンセル", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "%s 件のコメントがあります。", - "card-delete-notice": "削除は取り消しできません。このカードに関係するすべてのアクションがなくなります。", - "card-delete-pop": "すべての内容がアクティビティから削除されます。この削除は元に戻すことができません。", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "期限", - "card-due-on": "期限日", - "card-spent": "Spent Time", - "card-edit-attachments": "添付ファイルの編集", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "ラベルの編集", - "card-edit-members": "メンバーの編集", - "card-labels-title": "カードのラベルを変更する", - "card-members-title": "カードからボードメンバーを追加・削除する", - "card-start": "開始", - "card-start-on": "開始日", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "カードを削除しますか?", - "cardDetailsActionsPopup-title": "カード操作", - "cardLabelsPopup-title": "ラベル", - "cardMembersPopup-title": "メンバー", - "cardMorePopup-title": "さらに見る", - "cards": "カード", - "cards-count": "カード", - "change": "変更", - "change-avatar": "アバターの変更", - "change-password": "パスワードの変更", - "change-permissions": "権限の変更", - "change-settings": "設定の変更", - "changeAvatarPopup-title": "アバターの変更", - "changeLanguagePopup-title": "言語の変更", - "changePasswordPopup-title": "パスワードの変更", - "changePermissionsPopup-title": "パーミッションの変更", - "changeSettingsPopup-title": "設定の変更", - "checklists": "チェックリスト", - "click-to-star": "ボードにスターをつける", - "click-to-unstar": "ボードからスターを外す", - "clipboard": "クリップボードもしくはドラッグ&ドロップ", - "close": "閉じる", - "close-board": "ボードを閉じる", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "黒", - "color-blue": "青", - "color-green": "緑", - "color-lime": "ライム", - "color-orange": "オレンジ", - "color-pink": "ピンク", - "color-purple": "紫", - "color-red": "赤", - "color-sky": "空", - "color-yellow": "黄", - "comment": "コメント", - "comment-placeholder": "コメントを書く", - "comment-only": "コメントのみ", - "comment-only-desc": "カードにのみコメント可能", - "computer": "コンピューター", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "カードへのリンクをクリップボードにコピー", - "copyCardPopup-title": "カードをコピー", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "作成", - "createBoardPopup-title": "ボードの作成", - "chooseBoardSourcePopup-title": "ボードをインポート", - "createLabelPopup-title": "ラベルの作成", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "現在", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "日付", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "日付", - "decline": "拒否", - "default-avatar": "デフォルトのアバター", - "delete": "削除", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "ラベルを削除しますか?", - "description": "詳細", - "disambiguateMultiLabelPopup-title": "不正なラベル操作", - "disambiguateMultiMemberPopup-title": "不正なメンバー操作", - "discard": "捨てる", - "done": "完了", - "download": "ダウンロード", - "edit": "編集", - "edit-avatar": "アバターの変更", - "edit-profile": "プロフィールの編集", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "開始日の変更", - "editCardDueDatePopup-title": "期限の変更", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "ラベルの変更", - "editNotificationPopup-title": "通知の変更", - "editProfilePopup-title": "プロフィールの編集", - "email": "メールアドレス", - "email-enrollAccount-subject": "__siteName__であなたのアカウントが作成されました", - "email-enrollAccount-text": "こんにちは、__user__さん。\n\nサービスを開始するには、以下をクリックしてください。\n\n__url__\n\nよろしくお願いします。", - "email-fail": "メールの送信に失敗しました", - "email-fail-text": "Error trying to send email", - "email-invalid": "無効なメールアドレス", - "email-invite": "メールで招待", - "email-invite-subject": "__inviter__があなたを招待しています", - "email-invite-text": "__user__さんへ。\n\n__inviter__さんがあなたをボード\"__board__\"へ招待しています。\n\n以下のリンクをクリックしてください。\n\n__url__\n\nよろしくお願いします。", - "email-resetPassword-subject": "あなたの __siteName__ のパスワードをリセットする", - "email-resetPassword-text": "こんにちは、__user__さん。\n\nパスワードをリセットするには、以下のリンクをクリックしてください。\n\n__url__\n\nよろしくお願いします。", - "email-sent": "メールを送信しました", - "email-verifyEmail-subject": "あなたの __siteName__ のメールアドレスを確認する", - "email-verifyEmail-text": "こんにちは、__user__さん。\n\nメールアドレスを認証するために、以下のリンクをクリックしてください。\n\n__url__\n\nよろしくお願いします。", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "ボードがありません", - "error-board-notAdmin": "操作にはボードの管理者権限が必要です", - "error-board-notAMember": "操作にはボードメンバーである必要があります", - "error-json-malformed": "このテキストは、有効なJSON形式ではありません", - "error-json-schema": "JSONデータが不正な値を含んでいます", - "error-list-doesNotExist": "このリストは存在しません", - "error-user-doesNotExist": "ユーザーが存在しません", - "error-user-notAllowSelf": "自分を招待することはできません。", - "error-user-notCreated": "ユーザーが作成されていません", - "error-username-taken": "このユーザ名は既に使用されています", - "error-email-taken": "メールは既に受け取られています", - "export-board": "ボードのエクスポート", - "filter": "フィルター", - "filter-cards": "カードをフィルターする", - "filter-clear": "フィルターの解除", - "filter-no-label": "ラベルなし", - "filter-no-member": "メンバーなし", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "フィルター有効", - "filter-on-desc": "このボードのカードをフィルターしています。フィルターを編集するにはこちらをクリックしてください。", - "filter-to-selection": "フィルターした項目を全選択", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "フルネーム", - "header-logo-title": "自分のボードページに戻る。", - "hide-system-messages": "システムメッセージを隠す", - "headerBarCreateBoardPopup-title": "ボードの作成", - "home": "ホーム", - "import": "インポート", - "import-board": "ボードをインポート", - "import-board-c": "ボードをインポート", - "import-board-title-trello": "Trelloからボードをインポート", - "import-board-title-wekan": "Wekanからボードをインポート", - "import-sandstorm-warning": "ボードのインポートは、既存ボードのすべてのデータを置き換えます。", - "from-trello": "Trelloから", - "from-wekan": "Wekanから", - "import-board-instruction-trello": "Trelloボードの、 'Menu' → 'More' → 'Print and Export' → 'Export JSON'を選択し、テキストをコピーしてください。", - "import-board-instruction-wekan": "Wekanボードの、'Menu' → 'Export board'を選択し、ダウンロードされたファイルからテキストをコピーしてください。", - "import-json-placeholder": "JSONデータをここに貼り付けする", - "import-map-members": "メンバーを紐付け", - "import-members-map": "インポートしたボードにはメンバーが含まれます。これらのメンバーをWekanのメンバーに紐付けしてください。", - "import-show-user-mapping": "メンバー紐付けの確認", - "import-user-select": "メンバーとして利用したいWekanユーザーを選択", - "importMapMembersAddPopup-title": "Wekanメンバーを選択", - "info": "バージョン", - "initials": "初期状態", - "invalid-date": "無効な日付", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "参加しました", - "just-invited": "このボードのメンバーに招待されています", - "keyboard-shortcuts": "キーボード・ショートカット", - "label-create": "ラベルの作成", - "label-default": "%s ラベル(デフォルト)", - "label-delete-pop": "この操作は取り消しできません。このラベルはすべてのカードから外され履歴からも見えなくなります。", - "labels": "ラベル", - "language": "言語", - "last-admin-desc": "最低でも1人以上の管理者が必要なためロールを変更できません。", - "leave-board": "ボードから退出する", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "ボードから退出しますか?", - "link-card": "このカードへのリンク", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "リストの全カードを移動する", - "list-select-cards": "リストの全カードを選択", - "listActionPopup-title": "操作一覧", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Trelloのカードをインポート", - "listMorePopup-title": "さらに見る", - "link-list": "このリストへのリンク", - "list-delete-pop": "すべての内容がアクティビティから削除されます。この削除は元に戻すことができません。", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "リスト", - "swimlanes": "Swimlanes", - "log-out": "ログアウト", - "log-in": "ログイン", - "loginPopup-title": "ログイン", - "memberMenuPopup-title": "メンバー設定", - "members": "メンバー", - "menu": "メニュー", - "move-selection": "選択したものを移動", - "moveCardPopup-title": "カードの移動", - "moveCardToBottom-title": "最下部に移動", - "moveCardToTop-title": "先頭に移動", - "moveSelectionPopup-title": "選択箇所に移動", - "multi-selection": "複数選択", - "multi-selection-on": "複数選択有効", - "muted": "ミュート", - "muted-info": "このボードの変更は通知されません", - "my-boards": "自分のボード", - "name": "名前", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "該当するものはありません", - "normal": "通常", - "normal-desc": "カードの閲覧と編集が可能。設定変更不可。", - "not-accepted-yet": "招待はアクセプトされていません", - "notify-participate": "作成した、またはメンバーとなったカードの更新情報を受け取る", - "notify-watch": "ウォッチしているすべてのボード、リスト、カードの更新情報を受け取る", - "optional": "任意", - "or": "or", - "page-maybe-private": "このページはプライベートです。ログインして見てください。", - "page-not-found": "ページが見つかりません。", - "password": "パスワード", - "paste-or-dragdrop": "貼り付けか、ドラッグアンドロップで画像を添付 (画像のみ)", - "participating": "参加", - "preview": "プレビュー", - "previewAttachedImagePopup-title": "プレビュー", - "previewClipboardImagePopup-title": "プレビュー", - "private": "プライベート", - "private-desc": "このボードはプライベートです。ボードメンバーのみが閲覧・編集可能です。", - "profile": "プロフィール", - "public": "公開", - "public-desc": "このボードはパブリックです。リンクを知っていれば誰でもアクセス可能でGoogleのような検索エンジンの結果に表示されます。このボードに追加されている人だけがカード追加が可能です。", - "quick-access-description": "ボードにスターをつけると、ここににショートカットができます。", - "remove-cover": "カバーの削除", - "remove-from-board": "ボードから外す", - "remove-label": "ラベルの削除", - "listDeletePopup-title": "リストを削除しますか?", - "remove-member": "メンバーを外す", - "remove-member-from-card": "カードから外す", - "remove-member-pop": "__boardTitle__ から __name__ (__username__) を外しますか?メンバーはこのボードのすべてのカードから外れ、通知を受けます。", - "removeMemberPopup-title": "メンバーを外しますか?", - "rename": "名前変更", - "rename-board": "ボード名の変更", - "restore": "復元", - "save": "保存", - "search": "検索", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "色を選択", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "自分をこのカードに割り当てる", - "shortcut-autocomplete-emoji": "絵文字の補完", - "shortcut-autocomplete-members": "メンバーの補完", - "shortcut-clear-filters": "すべてのフィルターを解除する", - "shortcut-close-dialog": "ダイアログを閉じる", - "shortcut-filter-my-cards": "カードをフィルター", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "フィルターサイドバーの切り替え", - "shortcut-toggle-sidebar": "ボードサイドバーの切り替え", - "show-cards-minimum-count": "以下より多い場合、リストにカード数を表示", - "sidebar-open": "サイドバーを開く", - "sidebar-close": "サイドバーを閉じる", - "signupPopup-title": "アカウント作成", - "star-board-title": "ボードにスターをつけると自分のボード一覧のトップに表示されます。", - "starred-boards": "スターのついたボード", - "starred-boards-description": "スターのついたボードはボードリストの先頭に表示されます。", - "subscribe": "購読", - "team": "チーム", - "this-board": "このボード", - "this-card": "このカード", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "時間", - "title": "タイトル", - "tracking": "トラッキング", - "tracking-info": "これらのカードへの変更が通知されるようになります。", - "type": "Type", - "unassign-member": "未登録のメンバー", - "unsaved-description": "未保存の変更があります。", - "unwatch": "アンウォッチ", - "upload": "アップロード", - "upload-avatar": "アバターのアップロード", - "uploaded-avatar": "アップロードされたアバター", - "username": "ユーザー名", - "view-it": "見る", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "ウォッチ", - "watching": "ウォッチしています", - "watching-info": "このボードの変更が通知されます", - "welcome-board": "ウェルカムボード", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "基本", - "welcome-list2": "高度", - "what-to-do": "何をしたいですか?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "管理パネル", - "settings": "設定", - "people": "メンバー", - "registration": "登録", - "disable-self-registration": "自己登録を無効化", - "invite": "招待", - "invite-people": "メンバーを招待", - "to-boards": "ボードへ移動", - "email-addresses": "Emailアドレス", - "smtp-host-description": "Emailを処理するSMTPサーバーのアドレス", - "smtp-port-description": "SMTPサーバーがEmail送信に使用するポート", - "smtp-tls-description": "SMTPサーバのTLSサポートを有効化", - "smtp-host": "SMTPホスト", - "smtp-port": "SMTPポート", - "smtp-username": "ユーザー名", - "smtp-password": "パスワード", - "smtp-tls": "TLSサポート", - "send-from": "送信元", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "招待コード", - "email-invite-register-subject": "__inviter__さんがあなたを招待しています", - "email-invite-register-text": " __user__ さん\n\n__inviter__ があなたをWekanに招待しました。\n\n以下のリンクをクリックしてください。\n__url__\n\nあなたの招待コードは、 __icode__ です。\n\nよろしくお願いします。", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "招待コードが存在しません", - "error-notAuthorized": "このページを参照する権限がありません。", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekanバージョン", - "Node_version": "Nodeバージョン", - "OS_Arch": "OSアーキテクチャ", - "OS_Cpus": "OS CPU数", - "OS_Freemem": "OSフリーメモリ", - "OS_Loadavg": "OSロードアベレージ", - "OS_Platform": "OSプラットフォーム", - "OS_Release": "OSリリース", - "OS_Totalmem": "OSトータルメモリ", - "OS_Type": "OS種類", - "OS_Uptime": "OSアップタイム", - "hours": "時", - "minutes": "分", - "seconds": "秒", - "show-field-on-card": "Show this field on card", - "yes": "はい", - "no": "いいえ", - "accounts": "アカウント", - "accounts-allowEmailChange": "メールアドレスの変更を許可", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json deleted file mode 100644 index b9550ff6..00000000 --- a/i18n/km.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "យល់ព្រម", - "act-activity-notify": "[Wekan] សកម្មភាពជូនដំណឹង", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Add", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", - "addMemberPopup-title": "Members", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Members", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Members", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "បិទផ្ទាំង", - "shortcut-filter-my-cards": "តម្រងកាតរបស់ខ្ញុំ", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "បង្កើតគណនីមួយ", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "កាតនេះ", - "spent-time-hours": "ចំណាយពេល (ម៉ោង)", - "overtime-hours": "លើសពេល (ម៉ោង)", - "overtime": "លើសពេល", - "has-overtime-cards": "មានកាតលើសពេល", - "has-spenttime-cards": "មានកាតដែលបានចំណាយពេល", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json deleted file mode 100644 index edf978a7..00000000 --- a/i18n/ko.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "확인", - "act-activity-notify": "[Wekan] 활동 알림", - "act-addAttachment": "__attachment__를 __card__에 첨부", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "__card__에 내용 추가 : __comment__", - "act-createBoard": "__board__ 생성", - "act-createCard": "__list__에 __card__ 추가", - "act-createCustomField": "created custom field __customField__", - "act-createList": "__board__에 __list__ 추가", - "act-addBoardMember": "__board__에 __member__ 추가", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "가져온 __board__", - "act-importCard": "가져온 __card__", - "act-importList": "가져온 __list__", - "act-joinMember": "__card__에 __member__ 추가", - "act-moveCard": "__card__을 __oldList__에서 __list__로 이동", - "act-removeBoardMember": "__board__에서 __member__를 삭제", - "act-restoredCard": "__card__를 __board__에 복원했습니다.", - "act-unjoinMember": "__card__에서 __member__를 삭제", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "동작", - "activities": "활동 내역", - "activity": "활동 상태", - "activity-added": "%s를 %s에 추가함", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "%s를 %s에 첨부함", - "activity-created": "%s 생성됨", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "%s를 %s에서 제외함", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "%s에 참여", - "activity-moved": "%s를 %s에서 %s로 옮김", - "activity-on": "%s에", - "activity-removed": "%s를 %s에서 삭제함", - "activity-sent": "%s를 %s로 보냄", - "activity-unjoined": "%s에서 멤버 해제", - "activity-checklist-added": "%s에 체크리스트를 추가함", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "추가", - "add-attachment": "첨부파일 추가", - "add-board": "보드 추가", - "add-card": "카드 추가", - "add-swimlane": "Add Swimlane", - "add-checklist": "체크리스트 추가", - "add-checklist-item": "체크리스트에 항목 추가", - "add-cover": "커버 추가", - "add-label": "라벨 추가", - "add-list": "리스트 추가", - "add-members": "멤버 추가", - "added": "추가됨", - "addMemberPopup-title": "멤버", - "admin": "관리자", - "admin-desc": "카드를 보거나 수정하고, 멤버를 삭제하고, 보드에 대한 설정을 수정할 수 있습니다.", - "admin-announcement": "Announcement", - "admin-announcement-active": "시스템에 공지사항을 표시합니다", - "admin-announcement-title": "관리자 공지사항 메시지", - "all-boards": "전체 보드", - "and-n-other-card": "__count__ 개의 다른 카드", - "and-n-other-card_plural": "__count__ 개의 다른 카드들", - "apply": "적용", - "app-is-offline": "Wekan 로딩 중 입니다. 잠시 기다려주세요. 페이지를 새로고침 하시면 데이터가 손실될 수 있습니다. Wekan 을 불러오는데 실패한다면 서버가 중지되지 않았는지 확인 바랍니다.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "보드 복구", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "멤버 지정", - "attached": "첨부됨", - "attachment": "첨부 파일", - "attachment-delete-pop": "영구 첨부파일을 삭제합니다. 되돌릴 수 없습니다.", - "attachmentDeletePopup-title": "첨부 파일을 삭제합니까?", - "attachments": "첨부 파일", - "auto-watch": "생성한 보드를 자동으로 감시합니다.", - "avatar-too-big": "아바타 파일이 너무 큽니다. (최대 70KB)", - "back": "뒤로", - "board-change-color": "보드 색 변경", - "board-nb-stars": "%s개의 별", - "board-not-found": "보드를 찾을 수 없습니다", - "board-private-info": "이 보드는 비공개입니다.", - "board-public-info": "이 보드는 공개로 설정됩니다", - "boardChangeColorPopup-title": "보드 배경 변경", - "boardChangeTitlePopup-title": "보드 이름 바꾸기", - "boardChangeVisibilityPopup-title": "표시 여부 변경", - "boardChangeWatchPopup-title": "감시상태 변경", - "boardMenuPopup-title": "보드 메뉴", - "boards": "보드", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "목록들", - "bucket-example": "예: “프로젝트 이름“ 입력", - "cancel": "취소", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "이 카드에 %s 코멘트가 있습니다.", - "card-delete-notice": "영구 삭제입니다. 이 카드와 관련된 모든 작업들을 잃게됩니다.", - "card-delete-pop": "모든 작업이 활동 내역에서 제거되며 카드를 다시 열 수 없습니다. 복구가 안되니 주의하시기 바랍니다.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "종료일", - "card-due-on": "종료일", - "card-spent": "Spent Time", - "card-edit-attachments": "첨부 파일 수정", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "라벨 수정", - "card-edit-members": "멤버 수정", - "card-labels-title": "카드의 라벨 변경.", - "card-members-title": "카드에서 보드의 멤버를 추가하거나 삭제합니다.", - "card-start": "시작일", - "card-start-on": "시작일", - "cardAttachmentsPopup-title": "첨부 파일", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "카드를 삭제합니까?", - "cardDetailsActionsPopup-title": "카드 액션", - "cardLabelsPopup-title": "라벨", - "cardMembersPopup-title": "멤버", - "cardMorePopup-title": "더보기", - "cards": "카드", - "cards-count": "카드", - "change": "변경", - "change-avatar": "아바타 변경", - "change-password": "암호 변경", - "change-permissions": "권한 변경", - "change-settings": "설정 변경", - "changeAvatarPopup-title": "아바타 변경", - "changeLanguagePopup-title": "언어 변경", - "changePasswordPopup-title": "암호 변경", - "changePermissionsPopup-title": "권한 변경", - "changeSettingsPopup-title": "설정 변경", - "checklists": "체크리스트", - "click-to-star": "보드에 별 추가.", - "click-to-unstar": "보드에 별 삭제.", - "clipboard": "클립보드 또는 드래그 앤 드롭", - "close": "닫기", - "close-board": "보드 닫기", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "블랙", - "color-blue": "블루", - "color-green": "그린", - "color-lime": "라임", - "color-orange": "오렌지", - "color-pink": "핑크", - "color-purple": "퍼플", - "color-red": "레드", - "color-sky": "스카이", - "color-yellow": "옐로우", - "comment": "댓글", - "comment-placeholder": "댓글 입력", - "comment-only": "댓글만 입력 가능", - "comment-only-desc": "카드에 댓글만 달수 있습니다.", - "computer": "내 컴퓨터", - "confirm-checklist-delete-dialog": "정말 이 체크리스트를 삭제할까요?", - "copy-card-link-to-clipboard": "클립보드에 카드의 링크가 복사되었습니다.", - "copyCardPopup-title": "카드 복사", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "생성", - "createBoardPopup-title": "보드 생성", - "chooseBoardSourcePopup-title": "보드 가져오기", - "createLabelPopup-title": "라벨 생성", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "경향", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "날짜", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "날짜", - "decline": "쇠퇴", - "default-avatar": "기본 아바타", - "delete": "삭제", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "라벨을 삭제합니까?", - "description": "설명", - "disambiguateMultiLabelPopup-title": "라벨 액션의 모호성 제거", - "disambiguateMultiMemberPopup-title": "멤버 액션의 모호성 제거", - "discard": "포기", - "done": "완료", - "download": "다운로드", - "edit": "수정", - "edit-avatar": "아바타 변경", - "edit-profile": "프로필 변경", - "edit-wip-limit": "WIP 제한 변경", - "soft-wip-limit": "원만한 WIP 제한", - "editCardStartDatePopup-title": "시작일 변경", - "editCardDueDatePopup-title": "종료일 변경", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "라벨 변경", - "editNotificationPopup-title": "알림 수정", - "editProfilePopup-title": "프로필 변경", - "email": "이메일", - "email-enrollAccount-subject": "__siteName__에 계정 생성이 완료되었습니다.", - "email-enrollAccount-text": "안녕하세요. __user__님,\n\n시작하려면 아래링크를 클릭해 주세요.\n\n__url__\n\n감사합니다.", - "email-fail": "이메일 전송 실패", - "email-fail-text": "Error trying to send email", - "email-invalid": "잘못된 이메일 주소", - "email-invite": "이메일로 초대", - "email-invite-subject": "__inviter__님이 당신을 초대하였습니다.", - "email-invite-text": "__user__님,\n\n__inviter__님이 협업을 위해 \"__board__\"보드에 가입하도록 초대하셨습니다.\n\n아래 링크를 클릭해주십시오.\n\n__url__\n\n감사합니다.", - "email-resetPassword-subject": "패스워드 초기화: __siteName__", - "email-resetPassword-text": "안녕하세요 __user__님,\n\n비밀번호를 재설정하려면 아래 링크를 클릭하십시오.\n\n__url__\n\n감사합니다.", - "email-sent": "이메일 전송", - "email-verifyEmail-subject": "이메일 인증: __siteName__", - "email-verifyEmail-text": "안녕하세요. __user__님,\n\n당신의 계정과 이메일을 활성하려면 아래 링크를 클릭하십시오.\n\n__url__\n\n감사합니다.", - "enable-wip-limit": "WIP 제한 활성화", - "error-board-doesNotExist": "보드가 없습니다.", - "error-board-notAdmin": "이 작업은 보드의 관리자만 실행할 수 있습니다.", - "error-board-notAMember": "이 작업은 보드의 멤버만 실행할 수 있습니다.", - "error-json-malformed": "텍스트가 JSON 형식에 유효하지 않습니다.", - "error-json-schema": "JSON 데이터에 정보가 올바른 형식으로 포함되어 있지 않습니다.", - "error-list-doesNotExist": "목록이 없습니다.", - "error-user-doesNotExist": "멤버의 정보가 없습니다.", - "error-user-notAllowSelf": "자기 자신을 초대할 수 없습니다.", - "error-user-notCreated": "유저가 생성되지 않았습니다.", - "error-username-taken": "중복된 아이디 입니다.", - "error-email-taken": "Email has already been taken", - "export-board": "보드 내보내기", - "filter": "필터", - "filter-cards": "카드 필터", - "filter-clear": "필터 초기화", - "filter-no-label": "라벨 없음", - "filter-no-member": "멤버 없음", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "필터 사용", - "filter-on-desc": "보드에서 카드를 필터링합니다. 여기를 클릭하여 필터를 수정합니다.", - "filter-to-selection": "선택 항목으로 필터링", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "실명", - "header-logo-title": "보드 페이지로 돌아가기.", - "hide-system-messages": "시스템 메시지 숨기기", - "headerBarCreateBoardPopup-title": "보드 생성", - "home": "홈", - "import": "가져오기", - "import-board": "보드 가져오기", - "import-board-c": "보드 가져오기", - "import-board-title-trello": "Trello에서 보드 가져오기", - "import-board-title-wekan": "Wekan에서 보드 가져오기", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "Trello 게시판에서 'Menu' -> 'More' -> 'Print and Export', 'Export JSON' 선택하여 텍스트 결과값 복사", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "유효한 JSON 데이터를 여기에 붙여 넣으십시오.", - "import-map-members": "보드 멤버들", - "import-members-map": "가져온 보드에는 멤버가 있습니다. 원하는 멤버를 Wekan 멤버로 매핑하세요.", - "import-show-user-mapping": "멤버 매핑 미리보기", - "import-user-select": "이 멤버로 사용하려는 Wekan 유저를 선택하십시오.", - "importMapMembersAddPopup-title": "Wekan 멤버 선택", - "info": "Version", - "initials": "이니셜", - "invalid-date": "적절하지 않은 날짜", - "invalid-time": "적절하지 않은 시각", - "invalid-user": "적절하지 않은 사용자", - "joined": "참가함", - "just-invited": "보드에 방금 초대되었습니다.", - "keyboard-shortcuts": "키보드 단축키", - "label-create": "라벨 생성", - "label-default": "%s 라벨 (기본)", - "label-delete-pop": "되돌릴 수 없습니다. 모든 카드에서 라벨을 제거하고, 이력을 제거합니다.", - "labels": "라벨", - "language": "언어", - "last-admin-desc": "적어도 하나의 관리자가 필요하기에 이 역할을 변경할 수 없습니다.", - "leave-board": "보드 멤버에서 나가기", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "카드에대한 링크", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "목록에 있는 모든 카드를 이동", - "list-select-cards": "목록에 있는 모든 카드를 선택", - "listActionPopup-title": "동작 목록", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Trello 카드 가져 오기", - "listMorePopup-title": "더보기", - "link-list": "이 리스트에 링크", - "list-delete-pop": "모든 작업이 활동내역에서 제거되며 리스트를 복구 할 수 없습니다. 실행 취소는 불가능 합니다.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "목록들", - "swimlanes": "Swimlanes", - "log-out": "로그아웃", - "log-in": "로그인", - "loginPopup-title": "로그인", - "memberMenuPopup-title": "멤버 설정", - "members": "멤버", - "menu": "메뉴", - "move-selection": "선택 항목 이동", - "moveCardPopup-title": "카드 이동", - "moveCardToBottom-title": "최하단으로 이동", - "moveCardToTop-title": "최상단으로 이동", - "moveSelectionPopup-title": "선택 항목 이동", - "multi-selection": "다중 선택", - "multi-selection-on": "다중 선택 사용", - "muted": "알림 해제", - "muted-info": "보드의 변경된 사항들의 알림을 받지 않습니다.", - "my-boards": "내 보드", - "name": "이름", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "결과 값 없음", - "normal": "표준", - "normal-desc": "카드를 보거나 수정할 수 있습니다. 설정값은 변경할 수 없습니다.", - "not-accepted-yet": "초대장이 수락되지 않았습니다.", - "notify-participate": "보드 생성자 또는 멤버로 참여하는 모든 카드에 대한 변경사항 알림 받음", - "notify-watch": "감시중인 보드, 목록 또는 카드에 대한 변경사항 알림 받음", - "optional": "옵션", - "or": "또는", - "page-maybe-private": "이 페이지를 비공개일 수 있습니다. 이것을 보고 싶으면 로그인을 하십시오.", - "page-not-found": "페이지를 찾지 못 했습니다", - "password": "암호", - "paste-or-dragdrop": "이미지 파일을 붙여 넣거나 드래그 앤 드롭 (이미지 전용)", - "participating": "참여", - "preview": "미리보기", - "previewAttachedImagePopup-title": "미리보기", - "previewClipboardImagePopup-title": "미리보기", - "private": "비공개", - "private-desc": "비공개된 보드입니다. 오직 보드에 추가된 사람들만 보고 수정할 수 있습니다", - "profile": "프로파일", - "public": "공개", - "public-desc": "공개된 보드입니다. 링크를 가진 모든 사람과 구글과 같은 검색 엔진에서 찾아서 볼수 있습니다. 보드에 추가된 사람들만 수정이 가능합니다.", - "quick-access-description": "여기에 바로 가기를 추가하려면 보드에 별 표시를 체크하세요.", - "remove-cover": "커버 제거", - "remove-from-board": "보드에서 제거", - "remove-label": "라벨 제거", - "listDeletePopup-title": "리스트를 삭제합니까?", - "remove-member": "멤버 제거", - "remove-member-from-card": "카드에서 제거", - "remove-member-pop": "__boardTitle__에서 __name__(__username__) 을 제거합니까? 이 보드의 모든 카드에서 제거됩니다. 해당 내용을 __name__(__username__) 은(는) 알림으로 받게됩니다.", - "removeMemberPopup-title": "멤버를 제거합니까?", - "rename": "새이름", - "rename-board": "보드 이름 바꾸기", - "restore": "복구", - "save": "저장", - "search": "검색", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "색 선택", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "현재 카드에 자신을 지정하세요.", - "shortcut-autocomplete-emoji": "이모티콘 자동완성", - "shortcut-autocomplete-members": "멤버 자동완성", - "shortcut-clear-filters": "모든 필터 초기화", - "shortcut-close-dialog": "대화 상자 닫기", - "shortcut-filter-my-cards": "내 카드 필터링", - "shortcut-show-shortcuts": "바로가기 목록을 가져오십시오.", - "shortcut-toggle-filterbar": "토글 필터 사이드바", - "shortcut-toggle-sidebar": "보드 사이드바 토글", - "show-cards-minimum-count": "목록에 카드 수량 표시(입력된 수량 넘을 경우 표시)", - "sidebar-open": "사이드바 열기", - "sidebar-close": "사이드바 닫기", - "signupPopup-title": "계정 생성", - "star-board-title": "보드에 별 표시를 클릭합니다. 보드 목록에서 최상위로 둘 수 있습니다.", - "starred-boards": "별표된 보드", - "starred-boards-description": "별 표시된 보드들은 보드 목록의 최상단에서 보입니다.", - "subscribe": "구독", - "team": "팀", - "this-board": "보드", - "this-card": "카드", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "시간", - "title": "제목", - "tracking": "추적", - "tracking-info": "보드 생성자 또는 멤버로 참여하는 모든 카드에 대한 변경사항 알림 받음", - "type": "Type", - "unassign-member": "멤버 할당 해제", - "unsaved-description": "저장되지 않은 설명이 있습니다.", - "unwatch": "감시 해제", - "upload": "업로드", - "upload-avatar": "아바타 업로드", - "uploaded-avatar": "업로드한 아바타", - "username": "아이디", - "view-it": "보기", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "감시", - "watching": "감시 중", - "watching-info": "\"이 보드의 변경사항을 알림으로 받습니다.", - "welcome-board": "보드예제", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "신규", - "welcome-list2": "진행", - "what-to-do": "무엇을 하고 싶으신가요?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "관리자 패널", - "settings": "설정", - "people": "사람", - "registration": "회원가입", - "disable-self-registration": "일반 유저의 회원 가입 막기", - "invite": "초대", - "invite-people": "사람 초대", - "to-boards": "보드로 부터", - "email-addresses": "이메일 주소", - "smtp-host-description": "이메일을 처리하는 SMTP 서버의 주소입니다.", - "smtp-port-description": "SMTP 서버가 보내는 전자 메일에 사용하는 포트입니다.", - "smtp-tls-description": "SMTP 서버에 TLS 지원 사용", - "smtp-host": "SMTP 호스트", - "smtp-port": "SMTP 포트", - "smtp-username": "사용자 이름", - "smtp-password": "암호", - "smtp-tls": "TLS 지원", - "send-from": "보낸 사람", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "초대 코드", - "email-invite-register-subject": "\"__inviter__ 님이 당신에게 초대장을 보냈습니다.", - "email-invite-register-text": "\"__user__ 님, \n\n__inviter__ 님이 Wekan 보드에 협업을 위하여 당신을 초대합니다.\n\n아래 링크를 클릭해주세요 : \n__url__\n\n그리고 초대 코드는 __icode__ 입니다.\n\n감사합니다.", - "email-smtp-test-subject": "SMTP 테스트 이메일이 발송되었습니다.", - "email-smtp-test-text": "테스트 메일을 성공적으로 발송하였습니다.", - "error-invitation-code-not-exist": "초대 코드가 존재하지 않습니다.", - "error-notAuthorized": "이 페이지를 볼 수있는 권한이 없습니다.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json deleted file mode 100644 index 128e847a..00000000 --- a/i18n/lv.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Piekrist", - "act-activity-notify": "[Wekan] Aktivitātes paziņojums", - "act-addAttachment": "pievienots __attachment__ to __card__", - "act-addChecklist": "pievienots checklist __checklist__ to __card__", - "act-addChecklistItem": "pievienots __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "komentēja __card__: __comment__", - "act-createBoard": "izveidoja __board__", - "act-createCard": "pievienoja __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "pievienoja __list__ to __board__", - "act-addBoardMember": "pievienoja __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "importēja __board__", - "act-importCard": "importēja __card__", - "act-importList": "importēja __list__", - "act-joinMember": "pievienoja __member__ to __card__", - "act-moveCard": "pārvietoja __card__ from __oldList__ to __list__", - "act-removeBoardMember": "noņēma __member__ from __board__", - "act-restoredCard": "atjaunoja __card__ to __board__", - "act-unjoinMember": "noņēma __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Darbības", - "activities": "Aktivitātes", - "activity": "Aktivitāte", - "activity-added": "pievienoja %s pie %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "pievienoja %s pie %s", - "activity-created": "izveidoja%s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "izslēdza%s no%s", - "activity-imported": "importēja %s iekšā%s no%s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Add", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", - "addMemberPopup-title": "Members", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Members", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Members", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json deleted file mode 100644 index 794f9ce8..00000000 --- a/i18n/mn.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Зөвшөөрөх", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "_attachment__ хавсралтыг __card__-д хавсаргав", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Нэмэх", - "add-attachment": "Хавсралт нэмэх", - "add-board": "Самбар нэмэх", - "add-card": "Карт нэмэх", - "add-swimlane": "Add Swimlane", - "add-checklist": "Чеклист нэмэх", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Шошго нэмэх", - "add-list": "Жагсаалт нэмэх", - "add-members": "Гишүүд нэмэх", - "added": "Нэмсэн", - "addMemberPopup-title": "Гишүүд", - "admin": "Админ", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "Бүх самбарууд", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Гишүүд", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Аватар өөрчлөх", - "change-password": "Нууц үг солих", - "change-permissions": "Change permissions", - "change-settings": "Тохиргоо өөрчлөх", - "changeAvatarPopup-title": "Аватар өөрчлөх", - "changeLanguagePopup-title": "Хэл солих", - "changePasswordPopup-title": "Нууц үг солих", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Тохиргоо өөрчлөх", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Үүсгэх", - "createBoardPopup-title": "Самбар үүсгэх", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Шошго үүсгэх", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Аватар өөрчлөх", - "edit-profile": "Бүртгэл засварлах", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Мэдэгдэл тохируулах", - "editProfilePopup-title": "Бүртгэл засварлах", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Самбар үүсгэх", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Шошго үүсгэх", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Гарах", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Гишүүний тохиргоо", - "members": "Гишүүд", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "Миний самбарууд", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Хэрэглэгч үүсгэх", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json deleted file mode 100644 index 205db808..00000000 --- a/i18n/nb.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Godta", - "act-activity-notify": "[Wekan] Aktivitetsvarsel", - "act-addAttachment": "la ved __attachment__ til __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "kommenterte til __card__: __comment__", - "act-createBoard": "opprettet __board__", - "act-createCard": "la __card__ til __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "la __list__ til __board__", - "act-addBoardMember": "la __member__ til __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "importerte __board__", - "act-importCard": "importerte __card__", - "act-importList": "importerte __list__", - "act-joinMember": "la __member__ til __card__", - "act-moveCard": "flyttet __card__ fra __oldList__ til __list__", - "act-removeBoardMember": "fjernet __member__ fra __board__", - "act-restoredCard": "gjenopprettet __card__ til __board__", - "act-unjoinMember": "fjernet __member__ fra __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Aktiviteter", - "activity": "Aktivitet", - "activity-added": "la %s til %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "la %s til %s", - "activity-created": "opprettet %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "ekskluderte %s fra %s", - "activity-imported": "importerte %s til %s fra %s", - "activity-imported-board": "importerte %s fra %s", - "activity-joined": "ble med %s", - "activity-moved": "flyttet %s fra %s til %s", - "activity-on": "på %s", - "activity-removed": "fjernet %s fra %s", - "activity-sent": "sendte %s til %s", - "activity-unjoined": "forlot %s", - "activity-checklist-added": "la til sjekkliste til %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Legg til", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Nytt punkt på sjekklisten", - "add-cover": "Nytt omslag", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Legg til medlemmer", - "added": "Lagt til", - "addMemberPopup-title": "Medlemmer", - "admin": "Admin", - "admin-desc": "Kan se og redigere kort, fjerne medlemmer, og endre innstillingene for tavlen.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "Alle tavler", - "and-n-other-card": "Og __count__ andre kort", - "and-n-other-card_plural": "Og __count__ andre kort", - "apply": "Lagre", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Tildel medlem", - "attached": "la ved", - "attachment": "Vedlegg", - "attachment-delete-pop": "Sletting av vedlegg er permanent og kan ikke angres", - "attachmentDeletePopup-title": "Slette vedlegg?", - "attachments": "Vedlegg", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Tilbake", - "board-change-color": "Endre farge", - "board-nb-stars": "%s stjerner", - "board-not-found": "Kunne ikke finne tavlen", - "board-private-info": "Denne tavlen vil være privat.", - "board-public-info": "Denne tavlen vil være offentlig.", - "boardChangeColorPopup-title": "Ende tavlens bakgrunnsfarge", - "boardChangeTitlePopup-title": "Endre navn på tavlen", - "boardChangeVisibilityPopup-title": "Endre synlighet", - "boardChangeWatchPopup-title": "Endre overvåkning", - "boardMenuPopup-title": "Tavlemeny", - "boards": "Tavler", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Som \"Bucket List\" for eksempel", - "cancel": "Avbryt", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "Dette kortet har %s kommentar.", - "card-delete-notice": "Sletting er permanent. Du vil miste alle hendelser knyttet til dette kortet.", - "card-delete-pop": "Alle handlinger vil fjernes fra feeden for aktiviteter og du vil ikke kunne åpne kortet på nytt. Det er ingen mulighet å angre.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Frist", - "card-due-on": "Frist til", - "card-spent": "Spent Time", - "card-edit-attachments": "Rediger vedlegg", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Rediger etiketter", - "card-edit-members": "Endre medlemmer", - "card-labels-title": "Endre etiketter for kortet.", - "card-members-title": "Legg til eller fjern tavle-medlemmer fra dette kortet.", - "card-start": "Start", - "card-start-on": "Starter på", - "cardAttachmentsPopup-title": "Legg ved fra", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Slett kort?", - "cardDetailsActionsPopup-title": "Kort-handlinger", - "cardLabelsPopup-title": "Etiketter", - "cardMembersPopup-title": "Medlemmer", - "cardMorePopup-title": "Mer", - "cards": "Kort", - "cards-count": "Kort", - "change": "Endre", - "change-avatar": "Endre avatar", - "change-password": "Endre passord", - "change-permissions": "Endre rettigheter", - "change-settings": "Endre innstillinger", - "changeAvatarPopup-title": "Endre Avatar", - "changeLanguagePopup-title": "Endre språk", - "changePasswordPopup-title": "Endre passord", - "changePermissionsPopup-title": "Endre tillatelser", - "changeSettingsPopup-title": "Endre innstillinger", - "checklists": "Sjekklister", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Endre avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Etiketter", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "Mer", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Medlemmer", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Endre navn på tavlen", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json deleted file mode 100644 index 4515d1c2..00000000 --- a/i18n/nl.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Accepteren", - "act-activity-notify": "[Wekan] Activiteit Notificatie", - "act-addAttachment": "__attachment__ als bijlage toegevoegd aan __card__", - "act-addChecklist": "__checklist__ toegevoegd aan __card__", - "act-addChecklistItem": "__checklistItem__ aan checklist toegevoegd aan __checklist__ op __card__", - "act-addComment": "gereageerd op __card__:__comment__", - "act-createBoard": "aangemaakte __bord__", - "act-createCard": "toegevoegd __kaart__ aan __lijst__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "toegevoegd __lijst__ aan __bord__", - "act-addBoardMember": "__member__ aan __board__ toegevoegd", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": " __board__ geïmporteerd", - "act-importCard": "__card__ geïmporteerd", - "act-importList": "__list__ geïmporteerd", - "act-joinMember": "__member__ aan __card__ toegevoegd", - "act-moveCard": "verplaatst __card__ van __oldList__ naar __list__", - "act-removeBoardMember": "verwijderd __member__ van __board__", - "act-restoredCard": "hersteld __card__ naar __board__", - "act-unjoinMember": "verwijderd __member__ van __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Acties", - "activities": "Activiteiten", - "activity": "Activiteit", - "activity-added": "%s toegevoegd aan %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "%s bijgevoegd aan %s", - "activity-created": "%s aangemaakt", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "%s uitgesloten van %s", - "activity-imported": "%s geimporteerd in %s van %s", - "activity-imported-board": "%s geimporteerd van %s", - "activity-joined": "%s toegetreden", - "activity-moved": "%s verplaatst van %s naar %s", - "activity-on": "bij %s", - "activity-removed": "%s verwijderd van %s", - "activity-sent": "%s gestuurd naar %s", - "activity-unjoined": "uit %s gegaan", - "activity-checklist-added": "checklist toegevoegd aan %s", - "activity-checklist-item-added": "checklist punt toegevoegd aan '%s' in '%s'", - "add": "Toevoegen", - "add-attachment": "Voeg Bijlage Toe", - "add-board": "Voeg Bord Toe", - "add-card": "Voeg Kaart Toe", - "add-swimlane": "Swimlane Toevoegen", - "add-checklist": "Voeg Checklist Toe", - "add-checklist-item": "Voeg item toe aan checklist", - "add-cover": "Voeg Cover Toe", - "add-label": "Voeg Label Toe", - "add-list": "Voeg Lijst Toe", - "add-members": "Voeg Leden Toe", - "added": "Toegevoegd", - "addMemberPopup-title": "Leden", - "admin": "Administrator", - "admin-desc": "Kan kaarten bekijken en wijzigen, leden verwijderen, en instellingen voor het bord aanpassen.", - "admin-announcement": "Melding", - "admin-announcement-active": "Systeem melding", - "admin-announcement-title": "Melding van de administrator", - "all-boards": "Alle borden", - "and-n-other-card": "En nog __count__ ander", - "and-n-other-card_plural": "En __count__ andere kaarten", - "apply": "Aanmelden", - "app-is-offline": "Wekan is aan het laden, wacht alstublieft. Het verversen van de pagina zorgt voor verlies van gegevens. Als Wekan niet laadt, check of de Wekan server is gestopt.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Herstel Bord", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Wijs lid aan", - "attached": "bijgevoegd", - "attachment": "Bijlage", - "attachment-delete-pop": "Een bijlage verwijderen is permanent. Er is geen herstelmogelijkheid.", - "attachmentDeletePopup-title": "Verwijder Bijlage?", - "attachments": "Bijlagen", - "auto-watch": "Automatisch borden bekijken wanneer deze aangemaakt worden", - "avatar-too-big": "De bestandsgrootte van je avatar is te groot (70KB max)", - "back": "Terug", - "board-change-color": "Verander kleur", - "board-nb-stars": "%s sterren", - "board-not-found": "Bord is niet gevonden", - "board-private-info": "Dit bord is nu privé.", - "board-public-info": "Dit bord is nu openbaar.", - "boardChangeColorPopup-title": "Verander achtergrond van bord", - "boardChangeTitlePopup-title": "Hernoem bord", - "boardChangeVisibilityPopup-title": "Verander zichtbaarheid", - "boardChangeWatchPopup-title": "Verander naar 'Watch'", - "boardMenuPopup-title": "Bord menu", - "boards": "Borden", - "board-view": "Bord overzicht", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lijsten", - "bucket-example": "Zoals \"Bucket List\" bijvoorbeeld", - "cancel": "Annuleren", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "Deze kaart heeft %s reactie.", - "card-delete-notice": "Verwijdering is permanent. Als je dit doet, verlies je alle informatie die op deze kaart is opgeslagen.", - "card-delete-pop": "Alle acties worden verwijderd van de activiteiten feed, en er zal geen mogelijkheid zijn om de kaart opnieuw te openen. Deze actie kan je niet ongedaan maken.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Deadline: ", - "card-due-on": "Deadline: ", - "card-spent": "gespendeerde tijd", - "card-edit-attachments": "Wijzig bijlagen", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Wijzig labels", - "card-edit-members": "Wijzig leden", - "card-labels-title": "Wijzig de labels vam de kaart.", - "card-members-title": "Voeg of verwijder leden van het bord toe aan de kaart.", - "card-start": "Begin", - "card-start-on": "Begint op", - "cardAttachmentsPopup-title": "Voeg bestand toe vanuit", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Kaart verwijderen?", - "cardDetailsActionsPopup-title": "Kaart actie ondernemen", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Leden", - "cardMorePopup-title": "Meer", - "cards": "Kaarten", - "cards-count": "Kaarten", - "change": "Wijzig", - "change-avatar": "Wijzig avatar", - "change-password": "Wijzig wachtwoord", - "change-permissions": "Wijzig permissies", - "change-settings": "Wijzig instellingen", - "changeAvatarPopup-title": "Wijzig avatar", - "changeLanguagePopup-title": "Verander van taal", - "changePasswordPopup-title": "Wijzig wachtwoord", - "changePermissionsPopup-title": "Wijzig permissies", - "changeSettingsPopup-title": "Wijzig instellingen", - "checklists": "Checklists", - "click-to-star": "Klik om het bord als favoriet in te stellen", - "click-to-unstar": "Klik om het bord uit favorieten weg te halen", - "clipboard": "Vanuit clipboard of sleep het bestand hierheen", - "close": "Sluiten", - "close-board": "Sluit bord", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "zwart", - "color-blue": "blauw", - "color-green": "groen", - "color-lime": "Felgroen", - "color-orange": "Oranje", - "color-pink": "Roze", - "color-purple": "Paars", - "color-red": "Rood", - "color-sky": "Lucht", - "color-yellow": "Geel", - "comment": "Reageer", - "comment-placeholder": "Schrijf reactie", - "comment-only": "Alleen reageren", - "comment-only-desc": "Kan alleen op kaarten reageren.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Weet u zeker dat u de checklist wilt verwijderen", - "copy-card-link-to-clipboard": "Kopieer kaart link naar klembord", - "copyCardPopup-title": "Kopieer kaart", - "copyChecklistToManyCardsPopup-title": "Checklist sjabloon kopiëren naar meerdere kaarten", - "copyChecklistToManyCardsPopup-instructions": "Doel kaart titels en omschrijvingen in dit JSON formaat", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titel eerste kaart\", \"description\":\"Omschrijving eerste kaart\"}, {\"title\":\"Titel tweede kaart\",\"description\":\"Omschrijving tweede kaart\"},{\"title\":\"Titel laatste kaart\",\"description\":\"Omschrijving laatste kaart\"} ]", - "create": "Aanmaken", - "createBoardPopup-title": "Bord aanmaken", - "chooseBoardSourcePopup-title": "Importeer bord", - "createLabelPopup-title": "Label aanmaken", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "Huidige", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Datum", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Datum", - "decline": "Weigeren", - "default-avatar": "Standaard avatar", - "delete": "Verwijderen", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Verwijder label?", - "description": "Beschrijving", - "disambiguateMultiLabelPopup-title": "Disambigueer Label Actie", - "disambiguateMultiMemberPopup-title": "Disambigueer Lid Actie", - "discard": "Weggooien", - "done": "Klaar", - "download": "Download", - "edit": "Wijzig", - "edit-avatar": "Wijzig avatar", - "edit-profile": "Wijzig profiel", - "edit-wip-limit": "Verander WIP limiet", - "soft-wip-limit": "Zachte WIP limiet", - "editCardStartDatePopup-title": "Wijzig start datum", - "editCardDueDatePopup-title": "Wijzig deadline", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Verander gespendeerde tijd", - "editLabelPopup-title": "Wijzig label", - "editNotificationPopup-title": "Wijzig notificatie", - "editProfilePopup-title": "Wijzig profiel", - "email": "E-mail", - "email-enrollAccount-subject": "Er is een account voor je aangemaakt op __siteName__", - "email-enrollAccount-text": "Hallo __user__,\n\nOm gebruik te maken van de online dienst, kan je op de volgende link klikken.\n\n__url__\n\nBedankt.", - "email-fail": "E-mail verzenden is mislukt", - "email-fail-text": "Fout tijdens het verzenden van de email", - "email-invalid": "Ongeldige e-mail", - "email-invite": "Nodig uit via e-mail", - "email-invite-subject": "__inviter__ heeft je een uitnodiging gestuurd", - "email-invite-text": "Beste __user__,\n\n__inviter__ heeft je uitgenodigd om voor een samenwerking deel te nemen aan het bord \"__board__\".\n\nKlik op de link hieronder:\n\n__url__\n\nBedankt.", - "email-resetPassword-subject": "Reset je wachtwoord op __siteName__", - "email-resetPassword-text": "Hallo __user__,\n\nKlik op de link hier beneden om je wachtwoord te resetten.\n\n__url__\n\nBedankt.", - "email-sent": "E-mail is verzonden", - "email-verifyEmail-subject": "Verifieer je e-mailadres op __siteName__", - "email-verifyEmail-text": "Hallo __user__,\n\nOm je e-mail te verifiëren vragen we je om op de link hieronder te drukken.\n\n__url__\n\nBedankt.", - "enable-wip-limit": "Activeer WIP limiet", - "error-board-doesNotExist": "Dit bord bestaat niet.", - "error-board-notAdmin": "Je moet een administrator zijn van dit bord om dat te doen.", - "error-board-notAMember": "Je moet een lid zijn van dit bord om dat te doen.", - "error-json-malformed": "JSON format klopt niet", - "error-json-schema": "De JSON data bevat niet de juiste informatie in de juiste format", - "error-list-doesNotExist": "Deze lijst bestaat niet", - "error-user-doesNotExist": "Deze gebruiker bestaat niet", - "error-user-notAllowSelf": "Je kan jezelf niet uitnodigen", - "error-user-notCreated": "Deze gebruiker is niet aangemaakt", - "error-username-taken": "Deze gebruikersnaam is al bezet", - "error-email-taken": "Deze e-mail is al eerder gebruikt", - "export-board": "Exporteer bord", - "filter": "Filter", - "filter-cards": "Filter kaarten", - "filter-clear": "Reset filter", - "filter-no-label": "Geen label", - "filter-no-member": "Geen lid", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter staat aan", - "filter-on-desc": "Je bent nu kaarten aan het filteren op dit bord. Klik hier om het filter te wijzigen.", - "filter-to-selection": "Filter zoals selectie", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Volledige naam", - "header-logo-title": "Ga terug naar jouw borden pagina.", - "hide-system-messages": "Verberg systeemberichten", - "headerBarCreateBoardPopup-title": "Bord aanmaken", - "home": "Voorpagina", - "import": "Importeer", - "import-board": "Importeer bord", - "import-board-c": "Importeer bord", - "import-board-title-trello": "Importeer bord van Trello", - "import-board-title-wekan": "Importeer bord van Wekan", - "import-sandstorm-warning": "Het geïmporteerde bord verwijdert alle data op het huidige bord, om het daarna te vervangen.", - "from-trello": "Van Trello", - "from-wekan": "Van Wekan", - "import-board-instruction-trello": "Op jouw Trello bord, ga naar 'Menu', dan naar 'Meer', 'Print en Exporteer', 'Exporteer JSON', en kopieer de tekst.", - "import-board-instruction-wekan": "In jouw Wekan bord, ga naar 'Menu', dan 'Exporteer bord', en kopieer de tekst in het gedownloade bestand.", - "import-json-placeholder": "Plak geldige JSON data hier", - "import-map-members": "Breng leden in kaart", - "import-members-map": "Jouw geïmporteerde borden heeft een paar leden. Selecteer de leden die je wilt importeren naar Wekan gebruikers. ", - "import-show-user-mapping": "Breng leden overzicht tevoorschijn", - "import-user-select": "Kies de Wekan gebruiker uit die je hier als lid wilt hebben", - "importMapMembersAddPopup-title": "Selecteer een Wekan lid", - "info": "Versie", - "initials": "Initialen", - "invalid-date": "Ongeldige datum", - "invalid-time": "Ongeldige tijd", - "invalid-user": "Ongeldige gebruiker", - "joined": "doet nu mee met", - "just-invited": "Je bent zojuist uitgenodigd om mee toen doen met dit bord", - "keyboard-shortcuts": "Toetsenbord snelkoppelingen", - "label-create": "Label aanmaken", - "label-default": "%s label (standaard)", - "label-delete-pop": "Je kan het niet ongedaan maken. Deze actie zal de label van alle kaarten verwijderen, en de feed.", - "labels": "Labels", - "language": "Taal", - "last-admin-desc": "Je kan de permissies niet veranderen omdat er maar een administrator is.", - "leave-board": "Verlaat bord", - "leave-board-pop": "Weet u zeker dat u __boardTitle__ wilt verlaten? U wordt verwijderd van alle kaarten binnen dit bord", - "leaveBoardPopup-title": "Bord verlaten?", - "link-card": "Link naar deze kaart", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Verplaats alle kaarten in deze lijst", - "list-select-cards": "Selecteer alle kaarten in deze lijst", - "listActionPopup-title": "Lijst acties", - "swimlaneActionPopup-title": "Swimlane handelingen", - "listImportCardPopup-title": "Importeer een Trello kaart", - "listMorePopup-title": "Meer", - "link-list": "Link naar deze lijst", - "list-delete-pop": "Alle acties zullen verwijderd worden van de activiteiten feed, en je zult deze niet meer kunnen herstellen. Je kan deze actie niet ongedaan maken.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lijsten", - "swimlanes": "Swimlanes", - "log-out": "Uitloggen", - "log-in": "Inloggen", - "loginPopup-title": "Inloggen", - "memberMenuPopup-title": "Instellingen van leden", - "members": "Leden", - "menu": "Menu", - "move-selection": "Verplaats selectie", - "moveCardPopup-title": "Verplaats kaart", - "moveCardToBottom-title": "Verplaats naar beneden", - "moveCardToTop-title": "Verplaats naar boven", - "moveSelectionPopup-title": "Verplaats selectie", - "multi-selection": "Multi-selectie", - "multi-selection-on": "Multi-selectie staat aan", - "muted": "Stil", - "muted-info": "Je zal nooit meer geïnformeerd worden bij veranderingen in dit bord.", - "my-boards": "Mijn Borden", - "name": "Naam", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Geen resultaten", - "normal": "Normaal", - "normal-desc": "Kan de kaarten zien en wijzigen. Kan de instellingen niet wijzigen.", - "not-accepted-yet": "Uitnodiging niet geaccepteerd", - "notify-participate": "Ontvang updates van elke kaart die je hebt gemaakt of lid van bent", - "notify-watch": "Ontvang updates van elke bord, lijst of kaart die je bekijkt.", - "optional": "optioneel", - "or": "of", - "page-maybe-private": "Deze pagina is privé. Je kan het bekijken door in te loggen.", - "page-not-found": "Pagina niet gevonden.", - "password": "Wachtwoord", - "paste-or-dragdrop": "Om te plakken, of slepen & neer te laten (alleen afbeeldingen)", - "participating": "Deelnemen", - "preview": "Voorbeeld", - "previewAttachedImagePopup-title": "Voorbeeld", - "previewClipboardImagePopup-title": "Voorbeeld", - "private": "Privé", - "private-desc": "Dit bord is privé. Alleen mensen die toegevoegd zijn aan het bord kunnen het bekijken en wijzigen.", - "profile": "Profiel", - "public": "Publiek", - "public-desc": "Dit bord is publiek. Het is zichtbaar voor iedereen met de link en zal tevoorschijn komen op zoekmachines zoals Google. Alleen mensen die toegevoegd zijn kunnen het bord wijzigen.", - "quick-access-description": "Maak een bord favoriet om een snelkoppeling toe te voegen aan deze balk.", - "remove-cover": "Verwijder Cover", - "remove-from-board": "Verwijder van bord", - "remove-label": "Verwijder label", - "listDeletePopup-title": "Verwijder lijst?", - "remove-member": "Verwijder lid", - "remove-member-from-card": "Verwijder van kaart", - "remove-member-pop": "Verwijder __name__ (__username__) van __boardTitle__? Het lid zal verwijderd worden van alle kaarten op dit bord, en zal een notificatie ontvangen.", - "removeMemberPopup-title": "Verwijder lid?", - "rename": "Hernoem", - "rename-board": "Hernoem bord", - "restore": "Herstel", - "save": "Opslaan", - "search": "Zoek", - "search-cards": "Zoeken in kaart titels en omschrijvingen op dit bord", - "search-example": "Tekst om naar te zoeken?", - "select-color": "Selecteer kleur", - "set-wip-limit-value": "Zet een limiet voor het maximaal aantal taken in deze lijst", - "setWipLimitPopup-title": "Zet een WIP limiet", - "shortcut-assign-self": "Wijs jezelf toe aan huidige kaart", - "shortcut-autocomplete-emoji": "Emojis automatisch aanvullen", - "shortcut-autocomplete-members": "Leden automatisch aanvullen", - "shortcut-clear-filters": "Alle filters vrijmaken", - "shortcut-close-dialog": "Sluit dialoog", - "shortcut-filter-my-cards": "Filter mijn kaarten", - "shortcut-show-shortcuts": "Haal lijst met snelkoppelingen tevoorschijn", - "shortcut-toggle-filterbar": "Schakel Filter Zijbalk", - "shortcut-toggle-sidebar": "Schakel Bord Zijbalk", - "show-cards-minimum-count": "Laat het aantal kaarten zien wanneer de lijst meer kaarten heeft dan", - "sidebar-open": "Open Zijbalk", - "sidebar-close": "Sluit Zijbalk", - "signupPopup-title": "Maak een account aan", - "star-board-title": "Klik om het bord toe te voegen aan favorieten, waarna hij aan de bovenbalk tevoorschijn komt.", - "starred-boards": "Favoriete Borden", - "starred-boards-description": "Favoriete borden komen tevoorschijn aan de bovenbalk.", - "subscribe": "Abonneer", - "team": "Team", - "this-board": "dit bord", - "this-card": "deze kaart", - "spent-time-hours": "Gespendeerde tijd (in uren)", - "overtime-hours": "Overwerk (in uren)", - "overtime": "Overwerk", - "has-overtime-cards": "Heeft kaarten met overwerk", - "has-spenttime-cards": "Heeft tijd besteed aan kaarten", - "time": "Tijd", - "title": "Titel", - "tracking": "Volgen", - "tracking-info": "Je wordt op de hoogte gesteld als er veranderingen zijn aan de kaarten waar je lid of maker van bent.", - "type": "Type", - "unassign-member": "Lid ontkennen", - "unsaved-description": "Je hebt een niet opgeslagen beschrijving.", - "unwatch": "Niet bekijken", - "upload": "Upload", - "upload-avatar": "Upload een avatar", - "uploaded-avatar": "Avatar is geüpload", - "username": "Gebruikersnaam", - "view-it": "Bekijk het", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Bekijk", - "watching": "Bekijken", - "watching-info": "Je zal op de hoogte worden gesteld als er een verandering gebeurt op dit bord.", - "welcome-board": "Welkom Bord", - "welcome-swimlane": "Mijlpaal 1", - "welcome-list1": "Basis", - "welcome-list2": "Geadvanceerd", - "what-to-do": "Wat wil je doen?", - "wipLimitErrorPopup-title": "Ongeldige WIP limiet", - "wipLimitErrorPopup-dialog-pt1": "Het aantal taken in deze lijst is groter dan de gedefinieerde WIP limiet ", - "wipLimitErrorPopup-dialog-pt2": "Verwijder een aantal taken uit deze lijst, of zet de WIP limiet hoger", - "admin-panel": "Administrator paneel", - "settings": "Instellingen", - "people": "Mensen", - "registration": "Registratie", - "disable-self-registration": "Schakel zelf-registratie uit", - "invite": "Uitnodigen", - "invite-people": "Nodig mensen uit", - "to-boards": "Voor bord(en)", - "email-addresses": "E-mailadressen", - "smtp-host-description": "Het adres van de SMTP server die e-mails zal versturen.", - "smtp-port-description": "De poort van de SMTP server wordt gebruikt voor uitgaande e-mails.", - "smtp-tls-description": "Gebruik TLS ondersteuning voor SMTP server.", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Poort", - "smtp-username": "Gebruikersnaam", - "smtp-password": "Wachtwoord", - "smtp-tls": "TLS ondersteuning", - "send-from": "Van", - "send-smtp-test": "Verzend een email naar uzelf", - "invitation-code": "Uitnodigings code", - "email-invite-register-subject": "__inviter__ heeft je een uitnodiging gestuurd", - "email-invite-register-text": "Beste __user__,\n\n__inviter__ heeft je uitgenodigd voor Wekan om samen te werken.\n\nKlik op de volgende link:\n__url__\n\nEn je uitnodigingscode is __icode__\n\nBedankt.", - "email-smtp-test-subject": "SMTP Test email van Wekan", - "email-smtp-test-text": "U heeft met succes een email verzonden", - "error-invitation-code-not-exist": "Uitnodigings code bestaat niet", - "error-notAuthorized": "Je bent niet toegestaan om deze pagina te bekijken.", - "outgoing-webhooks": "Uitgaande Webhooks", - "outgoingWebhooksPopup-title": "Uitgaande Webhooks", - "new-outgoing-webhook": "Nieuwe webhook", - "no-name": "(Onbekend)", - "Wekan_version": "Wekan versie", - "Node_version": "Node versie", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Vrij Geheugen", - "OS_Loadavg": "OS Gemiddelde Lading", - "OS_Platform": "OS Platform", - "OS_Release": "OS Versie", - "OS_Totalmem": "OS Totaal Geheugen", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "uren", - "minutes": "minuten", - "seconds": "seconden", - "show-field-on-card": "Show this field on card", - "yes": "Ja", - "no": "Nee", - "accounts": "Accounts", - "accounts-allowEmailChange": "Sta E-mailadres wijzigingen toe", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Gemaakt op", - "verified": "Geverifieerd", - "active": "Actief", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json deleted file mode 100644 index 5ac7e2f9..00000000 --- a/i18n/pl.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Akceptuj", - "act-activity-notify": "[Wekan] Powiadomienia - aktywności", - "act-addAttachment": "załączono __attachement__ do __karty__", - "act-addChecklist": "dodano listę zadań __checklist__ to __card__", - "act-addChecklistItem": "dodano __checklistItem__ do listy zadań __checklist__ na karcie __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Akcje", - "activities": "Aktywności", - "activity": "Aktywność", - "activity-added": "dodano %s z %s", - "activity-archived": "%s przeniesiono do Kosza", - "activity-attached": "załączono %s z %s", - "activity-created": "utworzono %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "wyłączono %s z %s", - "activity-imported": "zaimportowano %s to %s z %s", - "activity-imported-board": "zaimportowano %s z %s", - "activity-joined": "dołączono %s", - "activity-moved": "przeniesiono % z %s to %s", - "activity-on": "w %s", - "activity-removed": "usunięto %s z %s", - "activity-sent": "wysłano %s z %s", - "activity-unjoined": "odłączono %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Dodaj", - "add-attachment": "Dodaj załącznik", - "add-board": "Dodaj tablicę", - "add-card": "Dodaj kartę", - "add-swimlane": "Add Swimlane", - "add-checklist": "Dodaj listę kontrolną", - "add-checklist-item": "Dodaj element do listy kontrolnej", - "add-cover": "Dodaj okładkę", - "add-label": "Dodaj etykietę", - "add-list": "Dodaj listę", - "add-members": "Dodaj członków", - "added": "Dodano", - "addMemberPopup-title": "Członkowie", - "admin": "Admin", - "admin-desc": "Może widzieć i edytować karty, usuwać członków oraz zmieniać ustawienia tablicy.", - "admin-announcement": "Ogłoszenie", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Ogłoszenie od Administratora", - "all-boards": "Wszystkie tablice", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Zastosuj", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Przenieś do Kosza", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Przywróć tablicę", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Dodaj członka", - "attached": "załączono", - "attachment": "Załącznik", - "attachment-delete-pop": "Usunięcie załącznika jest nieodwracalne.", - "attachmentDeletePopup-title": "Usunąć załącznik?", - "attachments": "Załączniki", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "Awatar jest za duży (maksymalnie 70Kb)", - "back": "Wstecz", - "board-change-color": "Zmień kolor", - "board-nb-stars": "%s odznaczeń", - "board-not-found": "Nie znaleziono tablicy", - "board-private-info": "Ta tablica będzie prywatna.", - "board-public-info": "Ta tablica będzie publiczna.", - "boardChangeColorPopup-title": "Zmień tło tablicy", - "boardChangeTitlePopup-title": "Zmień nazwę tablicy", - "boardChangeVisibilityPopup-title": "Zmień widoczność", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Menu tablicy", - "boards": "Tablice", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Listy", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Anuluj", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "Ta karta ma %s komentarzy.", - "card-delete-notice": "Usunięcie jest trwałe. Stracisz wszystkie akcje powiązane z tą kartą.", - "card-delete-pop": "Wszystkie akcje będą usunięte z widoku aktywności, nie można będzie ponownie otworzyć karty. Usunięcie jest nieodwracalne.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edytuj załączniki", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edytuj etykiety", - "card-edit-members": "Edytuj członków", - "card-labels-title": "Zmień etykiety karty", - "card-members-title": "Dodaj lub usuń członków tablicy z karty.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Załącz z", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Usunąć kartę?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Etykiety", - "cardMembersPopup-title": "Członkowie", - "cardMorePopup-title": "Więcej", - "cards": "Karty", - "cards-count": "Karty", - "change": "Zmień", - "change-avatar": "Zmień Avatar", - "change-password": "Zmień hasło", - "change-permissions": "Zmień uprawnienia", - "change-settings": "Zmień ustawienia", - "changeAvatarPopup-title": "Zmień Avatar", - "changeLanguagePopup-title": "Zmień język", - "changePasswordPopup-title": "Zmień hasło", - "changePermissionsPopup-title": "Zmień uprawnienia", - "changeSettingsPopup-title": "Zmień ustawienia", - "checklists": "Checklists", - "click-to-star": "Kliknij by odznaczyć tę tablicę.", - "click-to-unstar": "Kliknij by usunąć odznaczenie tej tablicy.", - "clipboard": "Schowek lub przeciągnij & upuść", - "close": "Zamknij", - "close-board": "Zamknij tablicę", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "czarny", - "color-blue": "niebieski", - "color-green": "zielony", - "color-lime": "limonkowy", - "color-orange": "pomarańczowy", - "color-pink": "różowy", - "color-purple": "fioletowy", - "color-red": "czerwony", - "color-sky": "błękitny", - "color-yellow": "żółty", - "comment": "Komentarz", - "comment-placeholder": "Dodaj komentarz", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Komputer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Skopiuj kartę", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Utwórz", - "createBoardPopup-title": "Utwórz tablicę", - "chooseBoardSourcePopup-title": "Import tablicy", - "createLabelPopup-title": "Utwórz etykietę", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "obecny", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Data", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Data", - "decline": "Odrzuć", - "default-avatar": "Domyślny avatar", - "delete": "Usuń", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Usunąć etykietę?", - "description": "Opis", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Odrzuć", - "done": "Zrobiono", - "download": "Pobierz", - "edit": "Edytuj", - "edit-avatar": "Zmień Avatar", - "edit-profile": "Edytuj profil", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Zmień etykietę", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edytuj profil", - "email": "Email", - "email-enrollAccount-subject": "Konto zostało utworzone na __siteName__", - "email-enrollAccount-text": "Witaj __user__,\nAby zacząć korzystać z serwisu, kliknij w link poniżej.\n__url__\nDzięki.", - "email-fail": "Wysyłanie emaila nie powiodło się.", - "email-fail-text": "Error trying to send email", - "email-invalid": "Nieprawidłowy email", - "email-invite": "Zaproś przez email", - "email-invite-subject": "__inviter__ wysłał Ci zaproszenie", - "email-invite-text": "Drogi __user__,\n__inviter__ zaprosił Cię do współpracy w tablicy \"__board__\".\nZobacz więcej:\n__url__\nDzięki.", - "email-resetPassword-subject": "Zresetuj swoje hasło na __siteName__", - "email-resetPassword-text": "Witaj __user__,\nAby zresetować hasło, kliknij w link poniżej.\n__url__\nDzięki.", - "email-sent": "Email wysłany", - "email-verifyEmail-subject": "Zweryfikuj swój adres email na __siteName__", - "email-verifyEmail-text": "Witaj __user__,\nAby zweryfikować adres email, kliknij w link poniżej.\n__url__\nDzięki.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "Ta tablica nie istnieje", - "error-board-notAdmin": "Musisz być administratorem tej tablicy żeby to zrobić", - "error-board-notAMember": "Musisz być członkiem tej tablicy żeby to zrobić", - "error-json-malformed": "Twój tekst nie jest poprawnym JSONem", - "error-json-schema": "Twój JSON nie zawiera prawidłowych informacji w poprawnym formacie", - "error-list-doesNotExist": "Ta lista nie isnieje", - "error-user-doesNotExist": "Ten użytkownik nie istnieje", - "error-user-notAllowSelf": "Nie możesz zaprosić samego siebie", - "error-user-notCreated": "Ten użytkownik nie został stworzony", - "error-username-taken": "Ta nazwa jest już zajęta", - "error-email-taken": "Email has already been taken", - "export-board": "Eksportuj tablicę", - "filter": "Filtr", - "filter-cards": "Odfiltruj karty", - "filter-clear": "Usuń filter", - "filter-no-label": "Brak etykiety", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filtr jest włączony", - "filter-on-desc": "Filtrujesz karty na tej tablicy. Kliknij tutaj by edytować filtr.", - "filter-to-selection": "Odfiltruj zaznaczenie", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Wróć do swojej strony z tablicami.", - "hide-system-messages": "Ukryj wiadomości systemowe", - "headerBarCreateBoardPopup-title": "Utwórz tablicę", - "home": "Strona główna", - "import": "Importu", - "import-board": "importuj tablice", - "import-board-c": "Import tablicy", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Importuj tablice z Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "Z Trello", - "from-wekan": "Z Wekan", - "import-board-instruction-trello": "W twojej tablicy na Trello, idź do 'Menu', następnie 'More', 'Print and Export', 'Export JSON' i skopiuj wynik", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Wklej twój JSON tutaj", - "import-map-members": "Map members", - "import-members-map": "Twoje zaimportowane tablice mają kilku członków. Proszę wybierz członków których chcesz zaimportować do Wekan", - "import-show-user-mapping": "Przejrzyj wybranych członków", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Wersja", - "initials": "Initials", - "invalid-date": "Błędna data", - "invalid-time": "Błędny czas", - "invalid-user": "Zła nazwa użytkownika", - "joined": "dołączył", - "just-invited": "Właśnie zostałeś zaproszony do tej tablicy", - "keyboard-shortcuts": "Skróty klawiaturowe", - "label-create": "Utwórz etykietę", - "label-default": "%s etykieta (domyślna)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Etykiety", - "language": "Język", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Opuść tablicę", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link do tej karty", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Przenieś wszystkie karty z tej listy", - "list-select-cards": "Zaznacz wszystkie karty z tej listy", - "listActionPopup-title": "Lista akcji", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Zaimportuj kartę z Trello", - "listMorePopup-title": "Więcej", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Listy", - "swimlanes": "Swimlanes", - "log-out": "Wyloguj", - "log-in": "Zaloguj", - "loginPopup-title": "Zaloguj", - "memberMenuPopup-title": "Member Settings", - "members": "Członkowie", - "menu": "Menu", - "move-selection": "Przenieś zaznaczone", - "moveCardPopup-title": "Przenieś kartę", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Przenieś zaznaczone", - "multi-selection": "Wielokrotne zaznaczenie", - "multi-selection-on": "Wielokrotne zaznaczenie jest włączone", - "muted": "Wyciszona", - "muted-info": "Nie zostaniesz powiadomiony o zmianach w tablicy", - "my-boards": "Moje tablice", - "name": "Nazwa", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Brak wyników", - "normal": "Normal", - "normal-desc": "Może widzieć i edytować karty. Nie może zmieniać ustawiań.", - "not-accepted-yet": "Zaproszenie jeszcze nie zaakceptowane", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "opcjonalny", - "or": "lub", - "page-maybe-private": "Ta strona może być prywatna. Możliwe, że możesz ją zobaczyć po zalogowaniu.", - "page-not-found": "Strona nie znaleziona.", - "password": "Hasło", - "paste-or-dragdrop": "wklej lub przeciągnij & upuść obrazek", - "participating": "Participating", - "preview": "Podgląd", - "previewAttachedImagePopup-title": "Podgląd", - "previewClipboardImagePopup-title": "Podgląd", - "private": "Prywatny", - "private-desc": "Ta tablica jest prywatna. Tylko osoby dodane do tej tablicy mogą ją zobaczyć i edytować.", - "profile": "Profil", - "public": "Publiczny", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Odznacz tablicę aby dodać skrót na tym pasku.", - "remove-cover": "Usuń okładkę", - "remove-from-board": "Usuń z tablicy", - "remove-label": "Usuń etykietę", - "listDeletePopup-title": "Usunąć listę?", - "remove-member": "Usuń członka", - "remove-member-from-card": "Usuń z karty", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Usunąć członka?", - "rename": "Zmień nazwę", - "rename-board": "Zmień nazwę tablicy", - "restore": "Przywróć", - "save": "Zapisz", - "search": "Wyszukaj", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Wybierz kolor", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Przypisz siebie do obecnej karty", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Usuń wszystkie filtry", - "shortcut-close-dialog": "Zamknij okno", - "shortcut-filter-my-cards": "Filtruj moje karty", - "shortcut-show-shortcuts": "Przypnij do listy skrótów", - "shortcut-toggle-filterbar": "Przełącz boczny pasek filtru", - "shortcut-toggle-sidebar": "Przełącz boczny pasek tablicy", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Utwórz konto", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Odznaczone tablice", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Zapisz się", - "team": "Zespół", - "this-board": "ta tablica", - "this-card": "ta karta", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Tytuł", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Nieprzypisany członek", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Wyślij", - "upload-avatar": "Wyślij avatar", - "uploaded-avatar": "Wysłany avatar", - "username": "Nazwa użytkownika", - "view-it": "Zobacz", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Obserwuj", - "watching": "Obserwujesz", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Podstawy", - "welcome-list2": "Zaawansowane", - "what-to-do": "Co chcesz zrobić?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Panel administracyjny", - "settings": "Ustawienia", - "people": "Osoby", - "registration": "Rejestracja", - "disable-self-registration": "Disable Self-Registration", - "invite": "Zaproś", - "invite-people": "Zaproś osoby", - "to-boards": "To board(s)", - "email-addresses": "Adres e-mail", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "Serwer SMTP", - "smtp-port": "Port SMTP", - "smtp-username": "Nazwa użytkownika", - "smtp-password": "Hasło", - "smtp-tls": "TLS support", - "send-from": "Od", - "send-smtp-test": "Wyślij wiadomość testową do siebie", - "invitation-code": "Kod z zaproszenia", - "email-invite-register-subject": "__inviter__ wysłał Ci zaproszenie", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(nieznany)", - "Wekan_version": "Wersja Wekan", - "Node_version": "Wersja Node", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "godzin", - "minutes": "minut", - "seconds": "sekund", - "show-field-on-card": "Show this field on card", - "yes": "Tak", - "no": "Nie", - "accounts": "Konto", - "accounts-allowEmailChange": "Zezwól na zmianę adresu email", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Stworzono o", - "verified": "Zweryfikowane", - "active": "Aktywny", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json deleted file mode 100644 index 86fd65e0..00000000 --- a/i18n/pt-BR.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Aceitar", - "act-activity-notify": "[Wekan] Notificação de Atividade", - "act-addAttachment": "anexo __attachment__ de __card__", - "act-addChecklist": "added checklist __checklist__ no __card__", - "act-addChecklistItem": "adicionado __checklistitem__ para a lista de checagem __checklist__ em __card__", - "act-addComment": "comentou em __card__: __comment__", - "act-createBoard": "criou __board__", - "act-createCard": "__card__ adicionado à __list__", - "act-createCustomField": "criado campo customizado __customField__", - "act-createList": "__list__ adicionada à __board__", - "act-addBoardMember": "__member__ adicionado à __board__", - "act-archivedBoard": "__board__ movido para a lixeira", - "act-archivedCard": "__card__ movido para a lixeira", - "act-archivedList": "__list__ movido para a lixeira", - "act-archivedSwimlane": "__swimlane__ movido para a lixeira", - "act-importBoard": "__board__ importado", - "act-importCard": "__card__ importado", - "act-importList": "__list__ importada", - "act-joinMember": "__member__ adicionado à __card__", - "act-moveCard": "__card__ movido de __oldList__ para __list__", - "act-removeBoardMember": "__member__ removido de __board__", - "act-restoredCard": "__card__ restaurado para __board__", - "act-unjoinMember": "__member__ removido de __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Ações", - "activities": "Atividades", - "activity": "Atividade", - "activity-added": "adicionou %s a %s", - "activity-archived": "%s movido para a lixeira", - "activity-attached": "anexou %s a %s", - "activity-created": "criou %s", - "activity-customfield-created": "criado campo customizado %s", - "activity-excluded": "excluiu %s de %s", - "activity-imported": "importado %s em %s de %s", - "activity-imported-board": "importado %s de %s", - "activity-joined": "juntou-se a %s", - "activity-moved": "moveu %s de %s para %s", - "activity-on": "em %s", - "activity-removed": "removeu %s de %s", - "activity-sent": "enviou %s de %s", - "activity-unjoined": "saiu de %s", - "activity-checklist-added": "Adicionado lista de verificação a %s", - "activity-checklist-item-added": "adicionado o item de checklist para '%s' em %s", - "add": "Novo", - "add-attachment": "Adicionar Anexos", - "add-board": "Adicionar Quadro", - "add-card": "Adicionar Cartão", - "add-swimlane": "Adicionar Swimlane", - "add-checklist": "Adicionar Checklist", - "add-checklist-item": "Adicionar um item à lista de verificação", - "add-cover": "Adicionar Capa", - "add-label": "Adicionar Etiqueta", - "add-list": "Adicionar Lista", - "add-members": "Adicionar Membros", - "added": "Criado", - "addMemberPopup-title": "Membros", - "admin": "Administrador", - "admin-desc": "Pode ver e editar cartões, remover membros e alterar configurações do quadro.", - "admin-announcement": "Anúncio", - "admin-announcement-active": "Anúncio ativo em todo o sistema", - "admin-announcement-title": "Anúncio do Administrador", - "all-boards": "Todos os quadros", - "and-n-other-card": "E __count__ outro cartão", - "and-n-other-card_plural": "E __count__ outros cartões", - "apply": "Aplicar", - "app-is-offline": "O Wekan está carregando, por favor espere. Recarregar a página irá causar perda de dado. Se o Wekan não carregar por favor verifique se o servidor Wekan não está parado.", - "archive": "Mover para a lixeira", - "archive-all": "Mover tudo para a lixeira", - "archive-board": "Mover quadro para a lixeira", - "archive-card": "Mover cartão para a lixeira", - "archive-list": "Mover lista para a lixeira", - "archive-swimlane": "Mover Swimlane para a lixeira", - "archive-selection": "Mover seleção para a lixeira", - "archiveBoardPopup-title": "Mover o quadro para a lixeira?", - "archived-items": "Lixeira", - "archived-boards": "Quadros na lixeira", - "restore-board": "Restaurar Quadro", - "no-archived-boards": "Não há quadros na lixeira", - "archives": "Lixeira", - "assign-member": "Atribuir Membro", - "attached": "anexado", - "attachment": "Anexo", - "attachment-delete-pop": "Excluir um anexo é permanente. Não será possível recuperá-lo.", - "attachmentDeletePopup-title": "Excluir Anexo?", - "attachments": "Anexos", - "auto-watch": "Veja automaticamente os boards que são criados", - "avatar-too-big": "O avatar é muito grande (70KB max)", - "back": "Voltar", - "board-change-color": "Alterar cor", - "board-nb-stars": "%s estrelas", - "board-not-found": "Quadro não encontrado", - "board-private-info": "Este quadro será privado.", - "board-public-info": "Este quadro será público.", - "boardChangeColorPopup-title": "Alterar Tela de Fundo", - "boardChangeTitlePopup-title": "Renomear Quadro", - "boardChangeVisibilityPopup-title": "Alterar Visibilidade", - "boardChangeWatchPopup-title": "Alterar observação", - "boardMenuPopup-title": "Menu do Quadro", - "boards": "Quadros", - "board-view": "Visão de quadro", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Listas", - "bucket-example": "\"Bucket List\", por exemplo", - "cancel": "Cancelar", - "card-archived": "Este cartão foi movido para a lixeira", - "card-comments-title": "Este cartão possui %s comentários.", - "card-delete-notice": "A exclusão será permanente. Você perderá todas as ações associadas a este cartão.", - "card-delete-pop": "Todas as ações serão removidas da lista de Atividades e vocês não poderá re-abrir o cartão. Não há como desfazer.", - "card-delete-suggest-archive": "Você pode mover um cartão para fora da lixeira e movê-lo para o quadro e preservar a atividade.", - "card-due": "Data fim", - "card-due-on": "Finaliza em", - "card-spent": "Tempo Gasto", - "card-edit-attachments": "Editar anexos", - "card-edit-custom-fields": "Editar campos customizados", - "card-edit-labels": "Editar etiquetas", - "card-edit-members": "Editar membros", - "card-labels-title": "Alterar etiquetas do cartão.", - "card-members-title": "Acrescentar ou remover membros do quadro deste cartão.", - "card-start": "Data início", - "card-start-on": "Começa em", - "cardAttachmentsPopup-title": "Anexar a partir de", - "cardCustomField-datePopup-title": "Mudar data", - "cardCustomFieldsPopup-title": "Editar campos customizados", - "cardDeletePopup-title": "Excluir Cartão?", - "cardDetailsActionsPopup-title": "Ações do cartão", - "cardLabelsPopup-title": "Etiquetas", - "cardMembersPopup-title": "Membros", - "cardMorePopup-title": "Mais", - "cards": "Cartões", - "cards-count": "Cartões", - "change": "Alterar", - "change-avatar": "Alterar Avatar", - "change-password": "Alterar Senha", - "change-permissions": "Alterar permissões", - "change-settings": "Altera configurações", - "changeAvatarPopup-title": "Alterar Avatar", - "changeLanguagePopup-title": "Alterar Idioma", - "changePasswordPopup-title": "Alterar Senha", - "changePermissionsPopup-title": "Alterar Permissões", - "changeSettingsPopup-title": "Altera configurações", - "checklists": "Checklists", - "click-to-star": "Marcar quadro como favorito.", - "click-to-unstar": "Remover quadro dos favoritos.", - "clipboard": "Área de Transferência ou arraste e solte", - "close": "Fechar", - "close-board": "Fechar Quadro", - "close-board-pop": "Você poderá restaurar o quadro clicando no botão lixeira no cabeçalho da página inicial", - "color-black": "preto", - "color-blue": "azul", - "color-green": "verde", - "color-lime": "verde limão", - "color-orange": "laranja", - "color-pink": "cor-de-rosa", - "color-purple": "roxo", - "color-red": "vermelho", - "color-sky": "céu", - "color-yellow": "amarelo", - "comment": "Comentário", - "comment-placeholder": "Escrever Comentário", - "comment-only": "Somente comentários", - "comment-only-desc": "Pode comentar apenas em cartões.", - "computer": "Computador", - "confirm-checklist-delete-dialog": "Tem a certeza de que pretende eliminar lista de verificação", - "copy-card-link-to-clipboard": "Copiar link do cartão para a área de transferência", - "copyCardPopup-title": "Copiar o cartão", - "copyChecklistToManyCardsPopup-title": "Copiar modelo de checklist para vários cartões", - "copyChecklistToManyCardsPopup-instructions": "Títulos e descrições do cartão de destino neste formato JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Título do primeiro cartão\", \"description\":\"Descrição do primeiro cartão\"}, {\"title\":\"Título do segundo cartão\",\"description\":\"Descrição do segundo cartão\"},{\"title\":\"Título do último cartão\",\"description\":\"Descrição do último cartão\"} ]", - "create": "Criar", - "createBoardPopup-title": "Criar Quadro", - "chooseBoardSourcePopup-title": "Importar quadro", - "createLabelPopup-title": "Criar Etiqueta", - "createCustomField": "Criar campo", - "createCustomFieldPopup-title": "Criar campo", - "current": "atual", - "custom-field-delete-pop": "Não existe desfazer. Isso irá remover o campo customizado de todos os cartões e destruir seu histórico", - "custom-field-checkbox": "Caixa de seleção", - "custom-field-date": "Data", - "custom-field-dropdown": "Lista suspensa", - "custom-field-dropdown-none": "(nada)", - "custom-field-dropdown-options": "Lista de opções", - "custom-field-dropdown-options-placeholder": "Pressione enter para adicionar mais opções", - "custom-field-dropdown-unknown": "(desconhecido)", - "custom-field-number": "Número", - "custom-field-text": "Texto", - "custom-fields": "Campos customizados", - "date": "Data", - "decline": "Rejeitar", - "default-avatar": "Avatar padrão", - "delete": "Excluir", - "deleteCustomFieldPopup-title": "Deletar campo customizado?", - "deleteLabelPopup-title": "Excluir Etiqueta?", - "description": "Descrição", - "disambiguateMultiLabelPopup-title": "Desambiguar ações de etiquetas", - "disambiguateMultiMemberPopup-title": "Desambiguar ações de membros", - "discard": "Descartar", - "done": "Feito", - "download": "Baixar", - "edit": "Editar", - "edit-avatar": "Alterar Avatar", - "edit-profile": "Editar Perfil", - "edit-wip-limit": "Editar Limite WIP", - "soft-wip-limit": "Limite de WIP", - "editCardStartDatePopup-title": "Altera data de início", - "editCardDueDatePopup-title": "Altera data fim", - "editCustomFieldPopup-title": "Editar campo", - "editCardSpentTimePopup-title": "Editar tempo gasto", - "editLabelPopup-title": "Alterar Etiqueta", - "editNotificationPopup-title": "Editar Notificações", - "editProfilePopup-title": "Editar Perfil", - "email": "E-mail", - "email-enrollAccount-subject": "Uma conta foi criada para você em __siteName__", - "email-enrollAccount-text": "Olá __user__\npara iniciar utilizando o serviço basta clicar no link abaixo.\n__url__\nMuito Obrigado.", - "email-fail": "Falhou ao enviar email", - "email-fail-text": "Erro ao tentar enviar e-mail", - "email-invalid": "Email inválido", - "email-invite": "Convite via Email", - "email-invite-subject": "__inviter__ lhe enviou um convite", - "email-invite-text": "Caro __user__\n__inviter__ lhe convidou para ingressar no quadro \"__board__\" como colaborador.\nPor favor prossiga através do link abaixo:\n__url__\nMuito obrigado.", - "email-resetPassword-subject": "Redefina sua senha em __siteName__", - "email-resetPassword-text": "Olá __user__\nPara redefinir sua senha, por favor clique no link abaixo.\n__url__\nMuito obrigado.", - "email-sent": "Email enviado", - "email-verifyEmail-subject": "Verifique seu endereço de email em __siteName__", - "email-verifyEmail-text": "Olá __user__\nPara verificar sua conta de email, clique no link abaixo.\n__url__\nObrigado.", - "enable-wip-limit": "Ativar Limite WIP", - "error-board-doesNotExist": "Este quadro não existe", - "error-board-notAdmin": "Você precisa ser administrador desse quadro para fazer isto", - "error-board-notAMember": "Você precisa ser um membro desse quadro para fazer isto", - "error-json-malformed": "Seu texto não é um JSON válido", - "error-json-schema": "Seu JSON não inclui as informações no formato correto", - "error-list-doesNotExist": "Esta lista não existe", - "error-user-doesNotExist": "Este usuário não existe", - "error-user-notAllowSelf": "Você não pode convidar a si mesmo", - "error-user-notCreated": "Este usuário não foi criado", - "error-username-taken": "Esse username já existe", - "error-email-taken": "E-mail já está em uso", - "export-board": "Exportar quadro", - "filter": "Filtrar", - "filter-cards": "Filtrar Cartões", - "filter-clear": "Limpar filtro", - "filter-no-label": "Sem labels", - "filter-no-member": "Sem membros", - "filter-no-custom-fields": "Não há campos customizados", - "filter-on": "Filtro está ativo", - "filter-on-desc": "Você está filtrando cartões neste quadro. Clique aqui para editar o filtro.", - "filter-to-selection": "Filtrar esta seleção", - "advanced-filter-label": "Filtro avançado", - "advanced-filter-description": "Um Filtro Avançado permite escrever uma string contendo os seguintes operadores: == != <= >= && || () Um espaço é utilizado como separador entre os operadores. Você pode filtrar todos os campos customizados digitando seus nomes e valores. Por exemplo: campo1 == valor1. Nota: se campos ou valores contém espaços, você precisa encapsular eles em aspas simples. Por exemplo: 'campo 1' == 'valor 1'. Você também pode combinar múltiplas condições. Por exemplo: F1 == V1 || F1 == V2. Normalmente todos os operadores são interpretados da esquerda para a direita. Você pode mudar a ordem ao incluir parênteses. Por exemplo: F1 == V1 e (F2 == V2 || F2 == V3)", - "fullname": "Nome Completo", - "header-logo-title": "Voltar para a lista de quadros.", - "hide-system-messages": "Esconde mensagens de sistema", - "headerBarCreateBoardPopup-title": "Criar Quadro", - "home": "Início", - "import": "Importar", - "import-board": "importar quadro", - "import-board-c": "Importar quadro", - "import-board-title-trello": "Importar board do Trello", - "import-board-title-wekan": "Importar quadro do Wekan", - "import-sandstorm-warning": "O quadro importado irá excluir todos os dados existentes no quadro e irá sobrescrever com o quadro importado.", - "from-trello": "Do Trello", - "from-wekan": "Do Wekan", - "import-board-instruction-trello": "No seu quadro do Trello, vá em 'Menu', depois em 'Mais', 'Imprimir e Exportar', 'Exportar JSON', então copie o texto emitido", - "import-board-instruction-wekan": "Em seu quadro Wekan, vá para 'Menu', em seguida 'Exportar quadro', e copie o texto no arquivo baixado.", - "import-json-placeholder": "Cole seus dados JSON válidos aqui", - "import-map-members": "Mapear membros", - "import-members-map": "O seu quadro importado tem alguns membros. Por favor determine os membros que você deseja importar para os usuários Wekan", - "import-show-user-mapping": "Revisar mapeamento dos membros", - "import-user-select": "Selecione o usuário Wekan que você gostaria de usar como este membro", - "importMapMembersAddPopup-title": "Seleciona um membro", - "info": "Versão", - "initials": "Iniciais", - "invalid-date": "Data inválida", - "invalid-time": "Hora inválida", - "invalid-user": "Usuário inválido", - "joined": "juntou-se", - "just-invited": "Você já foi convidado para este quadro", - "keyboard-shortcuts": "Atalhos do teclado", - "label-create": "Criar Etiqueta", - "label-default": "%s etiqueta (padrão)", - "label-delete-pop": "Não será possível recuperá-la. A etiqueta será removida de todos os cartões e seu histórico será destruído.", - "labels": "Etiquetas", - "language": "Idioma", - "last-admin-desc": "Você não pode alterar funções porque deve existir pelo menos um administrador.", - "leave-board": "Sair do Quadro", - "leave-board-pop": "Tem a certeza de que pretende sair de __boardTitle__? Você será removido de todos os cartões neste quadro.", - "leaveBoardPopup-title": "Sair do Quadro ?", - "link-card": "Vincular a este cartão", - "list-archive-cards": "Mover todos os cartões nesta lista para a lixeira", - "list-archive-cards-pop": "Isso irá remover todos os cartões nesta lista do quadro. Para visualizar cartões na lixeira e trazê-los de volta ao quadro, clique em \"Menu\" > \"Lixeira\".", - "list-move-cards": "Mover todos os cartões desta lista", - "list-select-cards": "Selecionar todos os cartões nesta lista", - "listActionPopup-title": "Listar Ações", - "swimlaneActionPopup-title": "Ações de Swimlane", - "listImportCardPopup-title": "Importe um cartão do Trello", - "listMorePopup-title": "Mais", - "link-list": "Vincular a esta lista", - "list-delete-pop": "Todas as ações serão removidas da lista de atividades e você não poderá recuperar a lista. Não há como desfazer.", - "list-delete-suggest-archive": "Você pode mover a lista para a lixeira para removê-la do quadro e preservar a atividade.", - "lists": "Listas", - "swimlanes": "Swimlanes", - "log-out": "Sair", - "log-in": "Entrar", - "loginPopup-title": "Entrar", - "memberMenuPopup-title": "Configuração de Membros", - "members": "Membros", - "menu": "Menu", - "move-selection": "Mover seleção", - "moveCardPopup-title": "Mover Cartão", - "moveCardToBottom-title": "Mover para o final", - "moveCardToTop-title": "Mover para o topo", - "moveSelectionPopup-title": "Mover seleção", - "multi-selection": "Multi-Seleção", - "multi-selection-on": "Multi-seleção está ativo", - "muted": "Silenciar", - "muted-info": "Você nunca receberá qualquer notificação desse board", - "my-boards": "Meus Quadros", - "name": "Nome", - "no-archived-cards": "Não há cartões na lixeira", - "no-archived-lists": "Não há listas na lixeira", - "no-archived-swimlanes": "Não há swimlanes na lixeira", - "no-results": "Nenhum resultado.", - "normal": "Normal", - "normal-desc": "Pode ver e editar cartões. Não pode alterar configurações.", - "not-accepted-yet": "Convite ainda não aceito", - "notify-participate": "Receber atualizações de qualquer card que você criar ou participar como membro", - "notify-watch": "Receber atualizações de qualquer board, lista ou cards que você estiver observando", - "optional": "opcional", - "or": "ou", - "page-maybe-private": "Esta página pode ser privada. Você poderá vê-la se estiver logado.", - "page-not-found": "Página não encontrada.", - "password": "Senha", - "paste-or-dragdrop": "para colar, ou arraste e solte o arquivo da imagem para ca (somente imagens)", - "participating": "Participando", - "preview": "Previsualizar", - "previewAttachedImagePopup-title": "Previsualizar", - "previewClipboardImagePopup-title": "Previsualizar", - "private": "Privado", - "private-desc": "Este quadro é privado. Apenas seus membros podem acessar e editá-lo.", - "profile": "Perfil", - "public": "Público", - "public-desc": "Este quadro é público. Ele é visível a qualquer pessoa com o link e será exibido em mecanismos de busca como o Google. Apenas seus membros podem editá-lo.", - "quick-access-description": "Clique na estrela para adicionar um atalho nesta barra.", - "remove-cover": "Remover Capa", - "remove-from-board": "Remover do Quadro", - "remove-label": "Remover Etiqueta", - "listDeletePopup-title": "Excluir Lista ?", - "remove-member": "Remover Membro", - "remove-member-from-card": "Remover do Cartão", - "remove-member-pop": "Remover __name__ (__username__) de __boardTitle__? O membro será removido de todos os cartões neste quadro e será notificado.", - "removeMemberPopup-title": "Remover Membro?", - "rename": "Renomear", - "rename-board": "Renomear Quadro", - "restore": "Restaurar", - "save": "Salvar", - "search": "Buscar", - "search-cards": "Pesquisa em títulos e descrições de cartões neste quadro", - "search-example": "Texto para procurar", - "select-color": "Selecionar Cor", - "set-wip-limit-value": "Defina um limite máximo para o número de tarefas nesta lista", - "setWipLimitPopup-title": "Definir Limite WIP", - "shortcut-assign-self": "Atribuir a si o cartão atual", - "shortcut-autocomplete-emoji": "Autocompletar emoji", - "shortcut-autocomplete-members": "Preenchimento automático de membros", - "shortcut-clear-filters": "Limpar todos filtros", - "shortcut-close-dialog": "Fechar dialogo", - "shortcut-filter-my-cards": "Filtrar meus cartões", - "shortcut-show-shortcuts": "Mostrar lista de atalhos", - "shortcut-toggle-filterbar": "Alternar barra de filtro", - "shortcut-toggle-sidebar": "Fechar barra lateral.", - "show-cards-minimum-count": "Mostrar contador de cards se a lista tiver mais de", - "sidebar-open": "Abrir barra lateral", - "sidebar-close": "Fechar barra lateral", - "signupPopup-title": "Criar uma Conta", - "star-board-title": "Clique para marcar este quadro como favorito. Ele aparecerá no topo na lista dos seus quadros.", - "starred-boards": "Quadros Favoritos", - "starred-boards-description": "Quadros favoritos aparecem no topo da lista dos seus quadros.", - "subscribe": "Acompanhar", - "team": "Equipe", - "this-board": "este quadro", - "this-card": "este cartão", - "spent-time-hours": "Tempo gasto (Horas)", - "overtime-hours": "Tempo extras (Horas)", - "overtime": "Tempo extras", - "has-overtime-cards": "Tem cartões de horas extras", - "has-spenttime-cards": "Gastou cartões de tempo", - "time": "Tempo", - "title": "Título", - "tracking": "Tracking", - "tracking-info": "Você será notificado se houver qualquer alteração em cards em que você é o criador ou membro", - "type": "Tipo", - "unassign-member": "Membro não associado", - "unsaved-description": "Você possui uma descrição não salva", - "unwatch": "Deixar de observar", - "upload": "Upload", - "upload-avatar": "Carregar um avatar", - "uploaded-avatar": "Avatar carregado", - "username": "Nome de usuário", - "view-it": "Visualizar", - "warn-list-archived": "Aviso: este cartão está em uma lista na lixeira", - "watch": "Observar", - "watching": "Observando", - "watching-info": "Você será notificado em qualquer alteração desse board", - "welcome-board": "Board de Boas Vindas", - "welcome-swimlane": "Marco 1", - "welcome-list1": "Básico", - "welcome-list2": "Avançado", - "what-to-do": "O que você gostaria de fazer?", - "wipLimitErrorPopup-title": "Limite WIP Inválido", - "wipLimitErrorPopup-dialog-pt1": "O número de tarefas nesta lista excede o limite WIP definido.", - "wipLimitErrorPopup-dialog-pt2": "Por favor, mova algumas tarefas para fora desta lista, ou defina um limite WIP mais elevado.", - "admin-panel": "Painel Administrativo", - "settings": "Configurações", - "people": "Pessoas", - "registration": "Registro", - "disable-self-registration": "Desabilitar Cadastrar-se", - "invite": "Convite", - "invite-people": "Convide Pessoas", - "to-boards": "Para o/os quadro(s)", - "email-addresses": "Endereço de Email", - "smtp-host-description": "O endereço do servidor SMTP que envia seus emails.", - "smtp-port-description": "A porta que o servidor SMTP usa para enviar os emails.", - "smtp-tls-description": "Habilitar suporte TLS para servidor SMTP", - "smtp-host": "Servidor SMTP", - "smtp-port": "Porta SMTP", - "smtp-username": "Nome de usuário", - "smtp-password": "Senha", - "smtp-tls": "Suporte TLS", - "send-from": "De", - "send-smtp-test": "Enviar um email de teste para você mesmo", - "invitation-code": "Código do Convite", - "email-invite-register-subject": "__inviter__ lhe enviou um convite", - "email-invite-register-text": "Caro __user__,\n\n__inviter__ convidou você para colaborar no Wekan.\n\nPor favor, vá no link abaixo:\n__url__\n\nE seu código de convite é: __icode__\n\nObrigado.", - "email-smtp-test-subject": "Email Teste SMTP de Wekan", - "email-smtp-test-text": "Você enviou um email com sucesso", - "error-invitation-code-not-exist": "O código do convite não existe", - "error-notAuthorized": "Você não está autorizado à ver esta página.", - "outgoing-webhooks": "Webhook de saída", - "outgoingWebhooksPopup-title": "Webhook de saída", - "new-outgoing-webhook": "Novo Webhook de saída", - "no-name": "(Desconhecido)", - "Wekan_version": "Versão do Wekan", - "Node_version": "Versão do Node", - "OS_Arch": "Arquitetura do SO", - "OS_Cpus": "Quantidade de CPUS do SO", - "OS_Freemem": "Memória Disponível do SO", - "OS_Loadavg": "Carga Média do SO", - "OS_Platform": "Plataforma do SO", - "OS_Release": "Versão do SO", - "OS_Totalmem": "Memória Total do SO", - "OS_Type": "Tipo do SO", - "OS_Uptime": "Disponibilidade do SO", - "hours": "horas", - "minutes": "minutos", - "seconds": "segundos", - "show-field-on-card": "Mostrar este campo no cartão", - "yes": "Sim", - "no": "Não", - "accounts": "Contas", - "accounts-allowEmailChange": "Permitir Mudança de Email", - "accounts-allowUserNameChange": "Permitir alteração de nome de usuário", - "createdAt": "Criado em", - "verified": "Verificado", - "active": "Ativo", - "card-received": "Recebido", - "card-received-on": "Recebido em", - "card-end": "Fim", - "card-end-on": "Termina em", - "editCardReceivedDatePopup-title": "Modificar data de recebimento", - "editCardEndDatePopup-title": "Mudar data de fim", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json deleted file mode 100644 index 06b5ba2d..00000000 --- a/i18n/pt.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Aceitar", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "Criado %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Adicionar", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", - "addMemberPopup-title": "Membros", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Renomear Quadro", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Etiquetas", - "cardMembersPopup-title": "Membros", - "cardMorePopup-title": "Mais", - "cards": "Cartões", - "cards-count": "Cartões", - "change": "Alterar", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comentário", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computador", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Etiquetas", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "Mais", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Membros", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Nome", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Nenhum resultado", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remover Membro?", - "rename": "Renomear", - "rename-board": "Renomear Quadro", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "Não", - "accounts": "Contas", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verificado", - "active": "Ativo", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json deleted file mode 100644 index dd4d2b58..00000000 --- a/i18n/ro.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Accept", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Add", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", - "addMemberPopup-title": "Members", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Ataşament", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Ataşamente", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Înapoi", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Liste", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Members", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Închide", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Iniţiale", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Liste", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Members", - "menu": "Meniu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Nume", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Parolă", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Privat", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profil", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Salvează", - "search": "Caută", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Titlu", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "Ce ai vrea sa faci?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Parolă", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json deleted file mode 100644 index ca9d3673..00000000 --- a/i18n/ru.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Принять", - "act-activity-notify": "[Wekan] Уведомление о действиях участников", - "act-addAttachment": "вложено __attachment__ в __card__", - "act-addChecklist": "добавил контрольный список __checklist__ в __card__", - "act-addChecklistItem": "добавил __checklistItem__ в контрольный список __checklist__ в __card__", - "act-addComment": "прокомментировал __card__: __comment__", - "act-createBoard": "создал __board__", - "act-createCard": "добавил __card__ в __list__", - "act-createCustomField": "Расширенный фильтр позволяет написать строку, содержащую следующие операторы: ==! = <=> = && || () Пространство используется как разделитель между Операторами. Вы можете фильтровать все пользовательские поля, введя их имена и значения. Например: Field1 == Value1. Примечание. Если поля или значения содержат пробелы, вам необходимо инкапсулировать их в одинарные кавычки. Например: «Поле 1» == «Значение 1». Также вы можете комбинировать несколько условий. Например: F1 == V1 || F1 = V2. Обычно все операторы интерпретируются слева направо. Вы можете изменить порядок, разместив скобки. Например: F1 == V1 и (F2 == V2 || F2 == V3)", - "act-createList": "добавил __list__ для __board__", - "act-addBoardMember": "добавил __member__ в __board__", - "act-archivedBoard": "Доска __board__ перемещена в Корзину", - "act-archivedCard": "Карточка __card__ перемещена в Корзину", - "act-archivedList": "Список __list__ перемещён в Корзину", - "act-archivedSwimlane": "Дорожка __swimlane__ перемещена в Корзину", - "act-importBoard": "__board__ импортирована", - "act-importCard": "__card__ импортирована", - "act-importList": "__list__ импортирован", - "act-joinMember": "добавил __member__ в __card__", - "act-moveCard": "__card__ перемещена из __oldList__ в __list__", - "act-removeBoardMember": "__member__ удален из __board__", - "act-restoredCard": "__card__ востановлена в __board__", - "act-unjoinMember": "__member__ удален из __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Действия", - "activities": "История действий", - "activity": "Действия участников", - "activity-added": "добавил %s на %s", - "activity-archived": "%s перемещено в Корзину", - "activity-attached": "прикрепил %s к %s", - "activity-created": "создал %s", - "activity-customfield-created": "создать настраиваемое поле", - "activity-excluded": "исключил %s из %s", - "activity-imported": "импортировал %s в %s из %s", - "activity-imported-board": "импортировал %s из %s", - "activity-joined": "присоединился к %s", - "activity-moved": "переместил %s из %s в %s", - "activity-on": "%s", - "activity-removed": "удалил %s из %s", - "activity-sent": "отправил %s в %s", - "activity-unjoined": "вышел из %s", - "activity-checklist-added": "добавил контрольный список в %s", - "activity-checklist-item-added": "добавил пункт контрольного списка в '%s' в карточке %s", - "add": "Создать", - "add-attachment": "Добавить вложение", - "add-board": "Добавить доску", - "add-card": "Добавить карту", - "add-swimlane": "Добавить дорожку", - "add-checklist": "Добавить контрольный список", - "add-checklist-item": "Добавить пункт в контрольный список", - "add-cover": "Прикрепить", - "add-label": "Добавить метку", - "add-list": "Добавить простой список", - "add-members": "Добавить участника", - "added": "Добавлено", - "addMemberPopup-title": "Участники", - "admin": "Администратор", - "admin-desc": "Может просматривать и редактировать карточки, удалять участников и управлять настройками доски.", - "admin-announcement": "Объявление", - "admin-announcement-active": "Действующее общесистемное объявление", - "admin-announcement-title": "Объявление от Администратора", - "all-boards": "Все доски", - "and-n-other-card": "И __count__ другая карточка", - "and-n-other-card_plural": "И __count__ другие карточки", - "apply": "Применить", - "app-is-offline": "Wekan загружается, пожалуйста подождите. Обновление страницы может привести к потере данных. Если Wekan не загрузился, пожалуйста проверьте что связь с сервером доступна.", - "archive": "Переместить в Корзину", - "archive-all": "Переместить всё в Корзину", - "archive-board": "Переместить Доску в Корзину", - "archive-card": "Переместить Карточку в Корзину", - "archive-list": "Переместить Список в Корзину", - "archive-swimlane": "Переместить Дорожку в Корзину", - "archive-selection": "Переместить выбранное в Корзину", - "archiveBoardPopup-title": "Переместить Доску в Корзину?", - "archived-items": "Корзина", - "archived-boards": "Доски находящиеся в Корзине", - "restore-board": "Востановить доску", - "no-archived-boards": "В Корзине нет никаких Досок", - "archives": "Корзина", - "assign-member": "Назначить участника", - "attached": "прикреплено", - "attachment": "Вложение", - "attachment-delete-pop": "Если удалить вложение, его нельзя будет восстановить.", - "attachmentDeletePopup-title": "Удалить вложение?", - "attachments": "Вложения", - "auto-watch": "Автоматически следить за созданными досками", - "avatar-too-big": "Аватар слишком большой (максимум 70КБ)", - "back": "Назад", - "board-change-color": "Изменить цвет", - "board-nb-stars": "%s избранное", - "board-not-found": "Доска не найдена", - "board-private-info": "Это доска будет частной.", - "board-public-info": "Эта доска будет доступной всем.", - "boardChangeColorPopup-title": "Изменить фон доски", - "boardChangeTitlePopup-title": "Переименовать доску", - "boardChangeVisibilityPopup-title": "Изменить настройки видимости", - "boardChangeWatchPopup-title": "Изменить Отслеживание", - "boardMenuPopup-title": "Меню доски", - "boards": "Доски", - "board-view": "Вид доски", - "board-view-swimlanes": "Дорожки", - "board-view-lists": "Списки", - "bucket-example": "Например “Список дел”", - "cancel": "Отмена", - "card-archived": "Эта карточка перемещена в Корзину", - "card-comments-title": "Комментарии (%s)", - "card-delete-notice": "Это действие невозможно будет отменить. Все изменения, которые вы вносили в карточку будут потеряны.", - "card-delete-pop": "Все действия будут удалены из ленты активности участников и вы не сможете заново открыть карточку. Действие необратимо", - "card-delete-suggest-archive": "Вы можете переместить карточку в Корзину, чтобы удалить ее с доски и сохранить активность .", - "card-due": "Выполнить к", - "card-due-on": "Выполнить до", - "card-spent": "Затраченное время", - "card-edit-attachments": "Изменить вложения", - "card-edit-custom-fields": "Редактировать настраиваемые поля", - "card-edit-labels": "Изменить метку", - "card-edit-members": "Изменить участников", - "card-labels-title": "Изменить метки для этой карточки.", - "card-members-title": "Добавить или удалить с карточки участников доски.", - "card-start": "Дата начала", - "card-start-on": "Начнётся с", - "cardAttachmentsPopup-title": "Прикрепить из", - "cardCustomField-datePopup-title": "Изменить дату", - "cardCustomFieldsPopup-title": "редактировать настраиваемые поля", - "cardDeletePopup-title": "Удалить карточку?", - "cardDetailsActionsPopup-title": "Действия в карточке", - "cardLabelsPopup-title": "Метки", - "cardMembersPopup-title": "Участники", - "cardMorePopup-title": "Поделиться", - "cards": "Карточки", - "cards-count": "Карточки", - "change": "Изменить", - "change-avatar": "Изменить аватар", - "change-password": "Изменить пароль", - "change-permissions": "Изменить права доступа", - "change-settings": "Изменить настройки", - "changeAvatarPopup-title": "Изменить аватар", - "changeLanguagePopup-title": "Сменить язык", - "changePasswordPopup-title": "Изменить пароль", - "changePermissionsPopup-title": "Изменить настройки доступа", - "changeSettingsPopup-title": "Изменить Настройки", - "checklists": "Контрольные списки", - "click-to-star": "Добавить в «Избранное»", - "click-to-unstar": "Удалить из «Избранного»", - "clipboard": "Буфер обмена или drag & drop", - "close": "Закрыть", - "close-board": "Закрыть доску", - "close-board-pop": "Вы можете восстановить доску, нажав “Корзина” в заголовке.", - "color-black": "черный", - "color-blue": "синий", - "color-green": "зеленый", - "color-lime": "лимоновый", - "color-orange": "оранжевый", - "color-pink": "розовый", - "color-purple": "фиолетовый", - "color-red": "красный", - "color-sky": "голубой", - "color-yellow": "желтый", - "comment": "Добавить комментарий", - "comment-placeholder": "Написать комментарий", - "comment-only": "Только комментирование", - "comment-only-desc": "Может комментировать только карточки.", - "computer": "Загрузить с компьютера", - "confirm-checklist-delete-dialog": "Вы уверены, что хотите удалить контрольный список?", - "copy-card-link-to-clipboard": "Копировать ссылку на карточку в буфер обмена", - "copyCardPopup-title": "Копировать карточку", - "copyChecklistToManyCardsPopup-title": "Копировать шаблон контрольного списка в несколько карточек", - "copyChecklistToManyCardsPopup-instructions": "Названия и описания целевых карт в формате JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Создать", - "createBoardPopup-title": "Создать доску", - "chooseBoardSourcePopup-title": "Импортировать доску", - "createLabelPopup-title": "Создать метку", - "createCustomField": "Создать поле", - "createCustomFieldPopup-title": "Создать поле", - "current": "текущий", - "custom-field-delete-pop": "Отменить нельзя. Это удалит настраиваемое поле со всех карт и уничтожит его историю.", - "custom-field-checkbox": "Галочка", - "custom-field-date": "Дата", - "custom-field-dropdown": "Выпадающий список", - "custom-field-dropdown-none": "(нет)", - "custom-field-dropdown-options": "Параметры списка", - "custom-field-dropdown-options-placeholder": "Нажмите «Ввод», чтобы добавить дополнительные параметры.", - "custom-field-dropdown-unknown": "(неизвестно)", - "custom-field-number": "Номер", - "custom-field-text": "Текст", - "custom-fields": "Настраиваемые поля", - "date": "Дата", - "decline": "Отклонить", - "default-avatar": "Аватар по умолчанию", - "delete": "Удалить", - "deleteCustomFieldPopup-title": "Удалить настраиваемые поля?", - "deleteLabelPopup-title": "Удалить метку?", - "description": "Описание", - "disambiguateMultiLabelPopup-title": "Разрешить конфликт меток", - "disambiguateMultiMemberPopup-title": "Разрешить конфликт участников", - "discard": "Отказать", - "done": "Готово", - "download": "Скачать", - "edit": "Редактировать", - "edit-avatar": "Изменить аватар", - "edit-profile": "Изменить профиль", - "edit-wip-limit": " Изменить лимит на кол-во задач", - "soft-wip-limit": "Мягкий лимит на кол-во задач", - "editCardStartDatePopup-title": "Изменить дату начала", - "editCardDueDatePopup-title": "Изменить дату выполнения", - "editCustomFieldPopup-title": "Редактировать поле", - "editCardSpentTimePopup-title": "Изменить затраченное время", - "editLabelPopup-title": "Изменить метки", - "editNotificationPopup-title": "Редактировать уведомления", - "editProfilePopup-title": "Редактировать профиль", - "email": "Эл.почта", - "email-enrollAccount-subject": "Аккаунт создан для вас здесь __url__", - "email-enrollAccount-text": "Привет __user__,\n\nДля того, чтобы начать использовать сервис, просто нажми на ссылку ниже.\n\n__url__\n\nСпасибо.", - "email-fail": "Отправка письма на EMail не удалась", - "email-fail-text": "Ошибка при попытке отправить письмо", - "email-invalid": "Неверный адрес электронной почти", - "email-invite": "Пригласить по электронной почте", - "email-invite-subject": "__inviter__ прислал вам приглашение", - "email-invite-text": "Дорогой __user__,\n\n__inviter__ пригласил вас присоединиться к доске \"__board__\" для сотрудничества.\n\nПожалуйста проследуйте по ссылке ниже:\n\n__url__\n\nСпасибо.", - "email-resetPassword-subject": "Перейдите по ссылке, чтобы сбросить пароль __url__", - "email-resetPassword-text": "Привет __user__,\n\nДля сброса пароля перейдите по ссылке ниже.\n\n__url__\n\nThanks.", - "email-sent": "Письмо отправлено", - "email-verifyEmail-subject": "Подтвердите вашу эл.почту перейдя по ссылке __url__", - "email-verifyEmail-text": "Привет __user__,\n\nДля подтверждения вашей электронной почты перейдите по ссылке ниже.\n\n__url__\n\nСпасибо.", - "enable-wip-limit": "Включить лимит на кол-во задач", - "error-board-doesNotExist": "Доска не найдена", - "error-board-notAdmin": "Вы должны обладать правами администратора этой доски, чтобы сделать это", - "error-board-notAMember": "Вы должны быть участником доски, чтобы сделать это", - "error-json-malformed": "Ваше текст не является правильным JSON", - "error-json-schema": "Содержимое вашего JSON не содержит информацию в корректном формате", - "error-list-doesNotExist": "Список не найден", - "error-user-doesNotExist": "Пользователь не найден", - "error-user-notAllowSelf": "Вы не можете пригласить себя", - "error-user-notCreated": "Пользователь не создан", - "error-username-taken": "Это имя пользователя уже занято", - "error-email-taken": "Этот адрес уже занят", - "export-board": "Экспортировать доску", - "filter": "Фильтр", - "filter-cards": "Фильтр карточек", - "filter-clear": "Очистить фильтр", - "filter-no-label": "Нет метки", - "filter-no-member": "Нет участников", - "filter-no-custom-fields": "Нет настраиваемых полей", - "filter-on": "Включен фильтр", - "filter-on-desc": "Показываются карточки, соответствующие настройкам фильтра. Нажмите для редактирования.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Расширенный фильтр", - "advanced-filter-description": "Расширенный фильтр позволяет написать строку, содержащую следующие операторы: ==! = <=> = && || () Пространство используется как разделитель между Операторами. Вы можете фильтровать все пользовательские поля, введя их имена и значения. Например: Field1 == Value1. Примечание: Если поля или значения содержат пробелы, вам необходимо 'брать' их в одинарные кавычки. Например: 'Поле 1' == 'Значение 1'. Также вы можете комбинировать несколько условий. Например: F1 == V1 || F1 = V2. Обычно все операторы интерпретируются слева направо. Вы можете изменить порядок, разместив скобки. Например: F1 == V1 и (F2 == V2 || F2 == V3)", - "fullname": "Полное имя", - "header-logo-title": "Вернуться к доскам.", - "hide-system-messages": "Скрыть системные сообщения", - "headerBarCreateBoardPopup-title": "Создать доску", - "home": "Главная", - "import": "Импорт", - "import-board": "импортировать доску", - "import-board-c": "Импортировать доску", - "import-board-title-trello": "Импортировать доску из Trello", - "import-board-title-wekan": "Импортировать доску из Wekan", - "import-sandstorm-warning": "Импортированная доска удалит все существующие данные на текущей доске и заменит её импортированной доской.", - "from-trello": "Из Trello", - "from-wekan": "Из Wekan", - "import-board-instruction-trello": "На вашей Trello доске нажмите “Menu” - “More” - “Print and export - “Export JSON” и скопируйте полученный текст", - "import-board-instruction-wekan": "На вашей Wekan доске, перейдите в “Меню”, далее “Экспортировать доску” и скопируйте текст из скачаного файла", - "import-json-placeholder": "Вставьте JSON сюда", - "import-map-members": "Составить карту участников", - "import-members-map": "Вы импортировали доску с участниками. Пожалуйста, составьте карту участников, которых вы хотите импортировать в качестве пользователей Wekan", - "import-show-user-mapping": "Проверить карту участников", - "import-user-select": "Выберите пользователя Wekan, которого вы хотите использовать в качестве участника", - "importMapMembersAddPopup-title": "Выбрать участника Wekan", - "info": "Версия", - "initials": "Инициалы", - "invalid-date": "Неверная дата", - "invalid-time": "Некорректное время", - "invalid-user": "Неверный пользователь", - "joined": "вступил", - "just-invited": "Вас только что пригласили на эту доску", - "keyboard-shortcuts": "Сочетания клавиш", - "label-create": "Создать метку", - "label-default": "%sметка (по умолчанию)", - "label-delete-pop": "Это действие невозможно будет отменить. Эта метка будут удалена во всех карточках. Также будет удалена вся история этой метки.", - "labels": "Метки", - "language": "Язык", - "last-admin-desc": "Вы не можете изменять роли, для этого требуются права администратора.", - "leave-board": "Покинуть доску", - "leave-board-pop": "Вы уверенны, что хотите покинуть __boardTitle__? Вы будете удалены из всех карточек на этой доске.", - "leaveBoardPopup-title": "Покинуть доску?", - "link-card": "Доступна по ссылке", - "list-archive-cards": "Переместить все карточки в этом списке в Корзину", - "list-archive-cards-pop": "Это действие переместит все карточки в Корзину и они перестанут быть видимым на доске. Для просмотра карточек в Корзине и их восстановления нажмите “Меню” > “Корзина”.", - "list-move-cards": "Переместить все карточки в этом списке", - "list-select-cards": "Выбрать все карточки в этом списке", - "listActionPopup-title": "Список действий", - "swimlaneActionPopup-title": "Действия с дорожкой", - "listImportCardPopup-title": "Импортировать Trello карточку", - "listMorePopup-title": "Поделиться", - "link-list": "Ссылка на список", - "list-delete-pop": "Все действия будут удалены из ленты активности участников и вы не сможете восстановить список. Данное действие необратимо.", - "list-delete-suggest-archive": "Вы можете переместить карточку в Корзину, чтобы удалить ее с доски и сохранить активность .", - "lists": "Списки", - "swimlanes": "Дорожки", - "log-out": "Выйти", - "log-in": "Войти", - "loginPopup-title": "Войти", - "memberMenuPopup-title": "Настройки участника", - "members": "Участники", - "menu": "Меню", - "move-selection": "Переместить выделение", - "moveCardPopup-title": "Переместить карточку", - "moveCardToBottom-title": "Переместить вниз", - "moveCardToTop-title": "Переместить вверх", - "moveSelectionPopup-title": "Переместить выделение", - "multi-selection": "Выбрать несколько", - "multi-selection-on": "Выбрать несколько из", - "muted": "Заглушен", - "muted-info": "Вы НИКОГДА не будете уведомлены ни о каких изменениях в этой доске.", - "my-boards": "Мои доски", - "name": "Имя", - "no-archived-cards": "В Корзине нет никаких Карточек", - "no-archived-lists": "В Корзине нет никаких Списков", - "no-archived-swimlanes": "В Корзине нет никаких Дорожек", - "no-results": "Ничего не найдено", - "normal": "Обычный", - "normal-desc": "Может редактировать карточки. Не может управлять настройками.", - "not-accepted-yet": "Приглашение еще не принято", - "notify-participate": "Получать обновления по любым карточкам, которые вы создавали или участником которых являетесь.", - "notify-watch": "Получать обновления по любым доскам, спискам и карточкам, на которые вы подписаны как наблюдатель.", - "optional": "не обязательно", - "or": "или", - "page-maybe-private": "Возможно, эта страница скрыта от незарегистрированных пользователей. Попробуйте войти на сайт.", - "page-not-found": "Страница не найдена.", - "password": "Пароль", - "paste-or-dragdrop": "вставьте, или перетащите файл с изображением сюда (только графический файл)", - "participating": "Участвую", - "preview": "Предпросмотр", - "previewAttachedImagePopup-title": "Предпросмотр", - "previewClipboardImagePopup-title": "Предпросмотр", - "private": "Закрытая", - "private-desc": "Эта доска с ограниченным доступом. Только участники могут работать с ней.", - "profile": "Профиль", - "public": "Открытая", - "public-desc": "Эта доска может быть видна всем у кого есть ссылка. Также может быть проиндексирована поисковыми системами. Вносить изменения могут только участники.", - "quick-access-description": "Нажмите на звезду, что добавить ярлык доски на панель.", - "remove-cover": "Открепить", - "remove-from-board": "Удалить с доски", - "remove-label": "Удалить метку", - "listDeletePopup-title": "Удалить список?", - "remove-member": "Удалить участника", - "remove-member-from-card": "Удалить из карточки", - "remove-member-pop": "Удалить участника __name__ (__username__) из доски __boardTitle__? Участник будет удален из всех карточек на этой доске. Также он получит уведомление о совершаемом действии.", - "removeMemberPopup-title": "Удалить участника?", - "rename": "Переименовать", - "rename-board": "Переименовать доску", - "restore": "Восстановить", - "save": "Сохранить", - "search": "Поиск", - "search-cards": "Искать в названиях и описаниях карточек на этой доске", - "search-example": "Искать текст?", - "select-color": "Выбрать цвет", - "set-wip-limit-value": "Устанавливает ограничение на максимальное количество задач в этом списке", - "setWipLimitPopup-title": "Задать лимит на кол-во задач", - "shortcut-assign-self": "Связать себя с текущей карточкой", - "shortcut-autocomplete-emoji": "Автозаполнение emoji", - "shortcut-autocomplete-members": "Автозаполнение участников", - "shortcut-clear-filters": "Сбросить все фильтры", - "shortcut-close-dialog": "Закрыть диалог", - "shortcut-filter-my-cards": "Показать мои карточки", - "shortcut-show-shortcuts": "Поднять список ярлыков", - "shortcut-toggle-filterbar": "Переместить фильтр на бововую панель", - "shortcut-toggle-sidebar": "Переместить доску на боковую панель", - "show-cards-minimum-count": "Показывать количество карточек если их больше", - "sidebar-open": "Открыть Панель", - "sidebar-close": "Скрыть Панель", - "signupPopup-title": "Создать учетную запись", - "star-board-title": "Добавить в «Избранное». Эта доска будет всегда на виду.", - "starred-boards": "Добавленные в «Избранное»", - "starred-boards-description": "Избранные доски будут всегда вверху списка.", - "subscribe": "Подписаться", - "team": "Участники", - "this-board": "эту доску", - "this-card": "текущая карточка", - "spent-time-hours": "Затраченное время (в часах)", - "overtime-hours": "Переработка (в часах)", - "overtime": "Переработка", - "has-overtime-cards": "Имеются карточки с переработкой", - "has-spenttime-cards": "Имеются карточки с учетом затраченного времени", - "time": "Время", - "title": "Название", - "tracking": "Отслеживание", - "tracking-info": "Вы будете уведомлены о любых изменениях в тех карточках, в которых вы являетесь создателем или участником.", - "type": "Тип", - "unassign-member": "Отменить назначение участника", - "unsaved-description": "У вас есть несохраненное описание.", - "unwatch": "Перестать следить", - "upload": "Загрузить", - "upload-avatar": "Загрузить аватар", - "uploaded-avatar": "Загруженный аватар", - "username": "Имя пользователя", - "view-it": "Просмотреть", - "warn-list-archived": "Внимание: Данная карточка находится в списке, который перемещен в Корзину", - "watch": "Следить", - "watching": "Отслеживается", - "watching-info": "Вы будете уведомлены об любых изменениях в этой доске.", - "welcome-board": "Приветственная Доска", - "welcome-swimlane": "Этап 1", - "welcome-list1": "Основы", - "welcome-list2": "Расширенно", - "what-to-do": "Что вы хотите сделать?", - "wipLimitErrorPopup-title": "Некорректный лимит на кол-во задач", - "wipLimitErrorPopup-dialog-pt1": "Количество задач в этом списке превышает установленный вами лимит", - "wipLimitErrorPopup-dialog-pt2": "Пожалуйста, перенесите некоторые задачи из этого списка или увеличьте лимит на кол-во задач", - "admin-panel": "Административная Панель", - "settings": "Настройки", - "people": "Люди", - "registration": "Регистрация", - "disable-self-registration": "Отключить самостоятельную регистрацию", - "invite": "Пригласить", - "invite-people": "Пригласить людей", - "to-boards": "В Доску(и)", - "email-addresses": "Email адрес", - "smtp-host-description": "Адрес SMTP сервера, который отправляет ваши электронные письма.", - "smtp-port-description": "Порт который SMTP-сервер использует для исходящих сообщений.", - "smtp-tls-description": "Включить поддержку TLS для SMTP сервера", - "smtp-host": "SMTP Хост", - "smtp-port": "SMTP Порт", - "smtp-username": "Имя пользователя", - "smtp-password": "Пароль", - "smtp-tls": "поддержка TLS", - "send-from": "От", - "send-smtp-test": "Отправьте тестовое письмо себе", - "invitation-code": "Код приглашения", - "email-invite-register-subject": "__inviter__ прислал вам приглашение", - "email-invite-register-text": "Уважаемый __user__,\n\n__inviter__ приглашает вас в Wekan для сотрудничества.\n\nПожалуйста, проследуйте по ссылке:\n__url__\n\nВаш код приглашения: __icode__\n\nСпасибо.", - "email-smtp-test-subject": "SMTP Тестовое письмо от Wekan", - "email-smtp-test-text": "Вы успешно отправили письмо", - "error-invitation-code-not-exist": "Код приглашения не существует", - "error-notAuthorized": "У вас нет доступа на просмотр этой страницы.", - "outgoing-webhooks": "Исходящие Веб-хуки", - "outgoingWebhooksPopup-title": "Исходящие Веб-хуки", - "new-outgoing-webhook": "Новый исходящий Веб-хук", - "no-name": "(Неизвестный)", - "Wekan_version": "Версия Wekan", - "Node_version": "Версия NodeJS", - "OS_Arch": "Архитектура", - "OS_Cpus": "Количество процессоров", - "OS_Freemem": "Свободная память", - "OS_Loadavg": "Средняя загрузка", - "OS_Platform": "Платформа", - "OS_Release": "Релиз", - "OS_Totalmem": "Общая память", - "OS_Type": "Тип ОС", - "OS_Uptime": "Время работы", - "hours": "часы", - "minutes": "минуты", - "seconds": "секунды", - "show-field-on-card": "Показать это поле на карте", - "yes": "Да", - "no": "Нет", - "accounts": "Учетные записи", - "accounts-allowEmailChange": "Разрешить изменение электронной почты", - "accounts-allowUserNameChange": "Разрешить изменение имени пользователя", - "createdAt": "Создано на", - "verified": "Проверено", - "active": "Действующий", - "card-received": "Получено", - "card-received-on": "Получено с", - "card-end": "Дата окончания", - "card-end-on": "Завершится до", - "editCardReceivedDatePopup-title": "Изменить дату получения", - "editCardEndDatePopup-title": "Изменить дату завершения", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json deleted file mode 100644 index fa939432..00000000 --- a/i18n/sr.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Prihvati", - "act-activity-notify": "[Wekan] Obaveštenje o aktivnostima", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Akcije", - "activities": "Aktivnosti", - "activity": "Aktivnost", - "activity-added": "dodao %s u %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "prikačio %s u %s", - "activity-created": "kreirao %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "izuzmi %s iz %s", - "activity-imported": "uvezao %s u %s iz %s", - "activity-imported-board": "uvezao %s iz %s", - "activity-joined": "spojio %s", - "activity-moved": "premestio %s iz %s u %s", - "activity-on": "na %s", - "activity-removed": "uklonio %s iz %s", - "activity-sent": "poslao %s %s-u", - "activity-unjoined": "rastavio %s", - "activity-checklist-added": "lista je dodata u %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Dodaj", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Dodaj novu stavku u listu", - "add-cover": "Dodaj zaglavlje", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Dodaj Članove", - "added": "Dodao", - "addMemberPopup-title": "Članovi", - "admin": "Administrator", - "admin-desc": "Može da pregleda i menja kartice, uklanja članove i menja podešavanja table", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "Sve table", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Primeni", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Dodeli člana", - "attached": "Prikačeno", - "attachment": "Prikačeni dokument", - "attachment-delete-pop": "Brisanje prikačenog dokumenta je trajno. Ne postoji vraćanje obrisanog.", - "attachmentDeletePopup-title": "Obrisati prikačeni dokument ?", - "attachments": "Prikačeni dokumenti", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Nazad", - "board-change-color": "Promeni boju", - "board-nb-stars": "%s zvezdice", - "board-not-found": "Tabla nije pronađena", - "board-private-info": "Ova tabla će biti privatna.", - "board-public-info": "Ova tabla će biti javna.", - "boardChangeColorPopup-title": "Promeni pozadinu table", - "boardChangeTitlePopup-title": "Preimenuj tablu", - "boardChangeVisibilityPopup-title": "Promeni Vidljivost", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Meni table", - "boards": "Table", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Na primer \"Lista zadataka\"", - "cancel": "Otkaži", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "Ova kartica ima %s komentar.", - "card-delete-notice": "Brisanje je trajno. Izgubićeš sve akcije povezane sa ovom karticom.", - "card-delete-pop": "Sve akcije će biti uklonjene sa liste aktivnosti i kartica neće moći biti ponovo otvorena. Nema vraćanja unazad.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Krajnji datum", - "card-due-on": "Završava se", - "card-spent": "Spent Time", - "card-edit-attachments": "Uredi priloge", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Uredi natpise", - "card-edit-members": "Uredi članove", - "card-labels-title": "Promeni natpis na kartici.", - "card-members-title": "Dodaj ili ukloni članove table sa kartice.", - "card-start": "Početak", - "card-start-on": "Počinje", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Članovi", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Izmeni podešavanja", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Izmeni podešavanja", - "checklists": "Liste", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Datum", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Datum", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Izmeni početni datum", - "editCardDueDatePopup-title": "Izmeni krajnji datum", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Izmeni notifikaciju", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "Korisničko ime je već zauzeto", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "Nema oznake", - "filter-no-member": "Nema člana", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Sakrij sistemske poruke", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Uvezi tablu iz Trella", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Mapiraj članove", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Izaberi člana Wekan-a", - "info": "Version", - "initials": "Initials", - "invalid-date": "Neispravan datum", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Članovi", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Premesti na dno", - "moveCardToTop-title": "Premesti na vrh", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Utišano", - "muted-info": "Nećete biti obavešteni o promenama u ovoj tabli", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "Nema rezultata", - "normal": "Normalno", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Budite obavešteni o novim događajima u tablama, listama ili karticama koje pratite.", - "optional": "opciono", - "or": "ili", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Stranica nije pronađena.", - "password": "Lozinka", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Učestvujem", - "preview": "Prikaz", - "previewAttachedImagePopup-title": "Prikaz", - "previewClipboardImagePopup-title": "Prikaz", - "private": "Privatno", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profil", - "public": "Javno", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Ukloni iz table", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Ukloni člana", - "remove-member-from-card": "Ukloni iz kartice", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Ukloni člana ?", - "rename": "Preimenuj", - "rename-board": "Preimenuj tablu", - "restore": "Oporavi", - "save": "Snimi", - "search": "Pretraga", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Pridruži sebe trenutnoj kartici", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Sam popuni članove", - "shortcut-clear-filters": "Očisti sve filtere", - "shortcut-close-dialog": "Zatvori dijalog", - "shortcut-filter-my-cards": "Filtriraj kartice", - "shortcut-show-shortcuts": "Prikaži ovu listu prečica", - "shortcut-toggle-filterbar": "Uključi ili isključi bočni meni filtera", - "shortcut-toggle-sidebar": "Uključi ili isključi bočni meni table", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Kreiraj nalog", - "star-board-title": "Klikni da označiš zvezdicom ovu tablu. Pokazaće se na vrhu tvoje liste tabli.", - "starred-boards": "Table sa zvezdicom", - "starred-boards-description": "Table sa zvezdicom se pokazuju na vrhu liste tabli.", - "subscribe": "Pretplati se", - "team": "Tim", - "this-board": "ova tabla", - "this-card": "ova kartica", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Vreme", - "title": "Naslov", - "tracking": "Praćenje", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "Imaš nesnimljen opis.", - "unwatch": "Ne posmatraj", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Korisničko ime", - "view-it": "Pregledaj je", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Posmatraj", - "watching": "Posmatranje", - "watching-info": "Bićete obavešteni o promenama u ovoj tabli", - "welcome-board": "Tabla dobrodošlice", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Osnove", - "welcome-list2": "Napredno", - "what-to-do": "Šta želiš da uradiš ?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Korisničko ime", - "smtp-password": "Lozinka", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json deleted file mode 100644 index 99a39773..00000000 --- a/i18n/sv.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Acceptera", - "act-activity-notify": "[Wekan] Aktivitetsavisering", - "act-addAttachment": "bifogade __attachment__ to __card__", - "act-addChecklist": "lade till checklist __checklist__ till __card__", - "act-addChecklistItem": "lade till __checklistItem__ till checklistan __checklist__ on __card__", - "act-addComment": "kommenterade __card__: __comment__", - "act-createBoard": "skapade __board__", - "act-createCard": "lade till __card__ to __list__", - "act-createCustomField": "skapa anpassat fält __customField__", - "act-createList": "lade till __list__ to __board__", - "act-addBoardMember": "lade till __member__ to __board__", - "act-archivedBoard": "__board__ flyttad till papperskorgen", - "act-archivedCard": "__card__ flyttad till papperskorgen", - "act-archivedList": "__list__ flyttad till papperskorgen", - "act-archivedSwimlane": "__swimlane__ flyttad till papperskorgen", - "act-importBoard": "importerade __board__", - "act-importCard": "importerade __card__", - "act-importList": "importerade __list__", - "act-joinMember": "lade __member__ till __card__", - "act-moveCard": "flyttade __card__ från __oldList__ till __list__", - "act-removeBoardMember": "tog bort __member__ från __board__", - "act-restoredCard": "återställde __card__ to __board__", - "act-unjoinMember": "tog bort __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Åtgärder", - "activities": "Aktiviteter", - "activity": "Aktivitet", - "activity-added": "Lade %s till %s", - "activity-archived": "%s flyttad till papperskorgen", - "activity-attached": "bifogade %s to %s", - "activity-created": "skapade %s", - "activity-customfield-created": "skapa anpassat fält %s", - "activity-excluded": "exkluderade %s från %s", - "activity-imported": "importerade %s till %s från %s", - "activity-imported-board": "importerade %s från %s", - "activity-joined": "anslöt sig till %s", - "activity-moved": "tog bort %s från %s till %s", - "activity-on": "på %s", - "activity-removed": "tog bort %s från %s", - "activity-sent": "skickade %s till %s", - "activity-unjoined": "gick ur %s", - "activity-checklist-added": "lade kontrollista till %s", - "activity-checklist-item-added": "lade checklista objekt till '%s' i %s", - "add": "Lägg till", - "add-attachment": "Lägg till bilaga", - "add-board": "Lägg till anslagstavla", - "add-card": "Lägg till kort", - "add-swimlane": "Lägg till simbana", - "add-checklist": "Lägg till checklista", - "add-checklist-item": "Lägg till ett objekt till kontrollista", - "add-cover": "Lägg till omslag", - "add-label": "Lägg till etikett", - "add-list": "Lägg till lista", - "add-members": "Lägg till medlemmar", - "added": "Lade till", - "addMemberPopup-title": "Medlemmar", - "admin": "Adminstratör", - "admin-desc": "Kan visa och redigera kort, ta bort medlemmar och ändra inställningarna för anslagstavlan.", - "admin-announcement": "Meddelande", - "admin-announcement-active": "Aktivt system-brett meddelande", - "admin-announcement-title": "Meddelande från administratör", - "all-boards": "Alla anslagstavlor", - "and-n-other-card": "Och __count__ annat kort", - "and-n-other-card_plural": "Och __count__ andra kort", - "apply": "Tillämpa", - "app-is-offline": "Wekan laddar, vänta. Uppdatering av sidan kommer att leda till förlust av data. Om Wekan inte laddas, kontrollera att Wekan-servern inte har stoppats.", - "archive": "Flytta till papperskorgen", - "archive-all": "Flytta alla till papperskorgen", - "archive-board": "Flytta anslagstavla till papperskorgen", - "archive-card": "Flytta kort till papperskorgen", - "archive-list": "Flytta lista till papperskorgen", - "archive-swimlane": "Flytta simbana till papperskorgen", - "archive-selection": "Flytta val till papperskorgen", - "archiveBoardPopup-title": "Flytta anslagstavla till papperskorgen?", - "archived-items": "Papperskorgen", - "archived-boards": "Anslagstavlor i papperskorgen", - "restore-board": "Återställ anslagstavla", - "no-archived-boards": "Inga anslagstavlor i papperskorgen", - "archives": "Papperskorgen", - "assign-member": "Tilldela medlem", - "attached": "bifogad", - "attachment": "Bilaga", - "attachment-delete-pop": "Ta bort en bilaga är permanent. Det går inte att ångra.", - "attachmentDeletePopup-title": "Ta bort bilaga?", - "attachments": "Bilagor", - "auto-watch": "Bevaka automatiskt anslagstavlor när de skapas", - "avatar-too-big": "Avatar är för stor (70KB max)", - "back": "Tillbaka", - "board-change-color": "Ändra färg", - "board-nb-stars": "%s stjärnor", - "board-not-found": "Anslagstavla hittades inte", - "board-private-info": "Denna anslagstavla kommer att vara privat.", - "board-public-info": "Denna anslagstavla kommer att vara officiell.", - "boardChangeColorPopup-title": "Ändra bakgrund på anslagstavla", - "boardChangeTitlePopup-title": "Byt namn på anslagstavla", - "boardChangeVisibilityPopup-title": "Ändra synlighet", - "boardChangeWatchPopup-title": "Ändra bevaka", - "boardMenuPopup-title": "Anslagstavla meny", - "boards": "Anslagstavlor", - "board-view": "Board View", - "board-view-swimlanes": "Simbanor", - "board-view-lists": "Listor", - "bucket-example": "Gilla \"att-göra-innan-jag-dör-lista\" till exempel", - "cancel": "Avbryt", - "card-archived": "Detta kort flyttas till papperskorgen.", - "card-comments-title": "Detta kort har %s kommentar.", - "card-delete-notice": "Ta bort är permanent. Du kommer att förlora alla åtgärder i samband med detta kort.", - "card-delete-pop": "Alla åtgärder kommer att tas bort från aktivitetsflöde och du kommer inte att kunna öppna kortet igen. Det går inte att ångra.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Förfaller", - "card-due-on": "Förfaller på", - "card-spent": "Spenderad tid", - "card-edit-attachments": "Redigera bilaga", - "card-edit-custom-fields": "Redigera anpassade fält", - "card-edit-labels": "Redigera etiketter", - "card-edit-members": "Redigera medlemmar", - "card-labels-title": "Ändra etiketter för kortet.", - "card-members-title": "Lägg till eller ta bort medlemmar av anslagstavlan från kortet.", - "card-start": "Börja", - "card-start-on": "Börja med", - "cardAttachmentsPopup-title": "Bifoga från", - "cardCustomField-datePopup-title": "Ändra datum", - "cardCustomFieldsPopup-title": "Redigera anpassade fält", - "cardDeletePopup-title": "Ta bort kort?", - "cardDetailsActionsPopup-title": "Kortåtgärder", - "cardLabelsPopup-title": "Etiketter", - "cardMembersPopup-title": "Medlemmar", - "cardMorePopup-title": "Mera", - "cards": "Kort", - "cards-count": "Kort", - "change": "Ändra", - "change-avatar": "Ändra avatar", - "change-password": "Ändra lösenord", - "change-permissions": "Ändra behörigheter", - "change-settings": "Ändra inställningar", - "changeAvatarPopup-title": "Ändra avatar", - "changeLanguagePopup-title": "Ändra språk", - "changePasswordPopup-title": "Ändra lösenord", - "changePermissionsPopup-title": "Ändra behörigheter", - "changeSettingsPopup-title": "Ändra inställningar", - "checklists": "Kontrollistor", - "click-to-star": "Klicka för att stjärnmärka denna anslagstavla.", - "click-to-unstar": "Klicka för att ta bort stjärnmärkningen från denna anslagstavla.", - "clipboard": "Urklipp eller dra och släpp", - "close": "Stäng", - "close-board": "Stäng anslagstavla", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "svart", - "color-blue": "blå", - "color-green": "grön", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "rosa", - "color-purple": "lila", - "color-red": "röd", - "color-sky": "himmel", - "color-yellow": "gul", - "comment": "Kommentera", - "comment-placeholder": "Skriv kommentar", - "comment-only": "Kommentera endast", - "comment-only-desc": "Kan endast kommentera kort.", - "computer": "Dator", - "confirm-checklist-delete-dialog": "Är du säker på att du vill ta bort checklista", - "copy-card-link-to-clipboard": "Kopiera kortlänk till urklipp", - "copyCardPopup-title": "Kopiera kort", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destinationskorttitlar och beskrivningar i detta JSON-format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Skapa", - "createBoardPopup-title": "Skapa anslagstavla", - "chooseBoardSourcePopup-title": "Importera anslagstavla", - "createLabelPopup-title": "Skapa etikett", - "createCustomField": "Skapa fält", - "createCustomFieldPopup-title": "Skapa fält", - "current": "aktuell", - "custom-field-delete-pop": "Det går inte att ångra. Detta tar bort det här anpassade fältet från alla kort och förstör dess historia.", - "custom-field-checkbox": "Kryssruta", - "custom-field-date": "Datum", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(inga)", - "custom-field-dropdown-options": "Listalternativ", - "custom-field-dropdown-options-placeholder": "Tryck på enter för att lägga till fler alternativ", - "custom-field-dropdown-unknown": "(okänd)", - "custom-field-number": "Nummer", - "custom-field-text": "Text", - "custom-fields": "Anpassade fält", - "date": "Datum", - "decline": "Nedgång", - "default-avatar": "Standard avatar", - "delete": "Ta bort", - "deleteCustomFieldPopup-title": "Ta bort anpassade fält?", - "deleteLabelPopup-title": "Ta bort etikett?", - "description": "Beskrivning", - "disambiguateMultiLabelPopup-title": "Otvetydig etikettåtgärd", - "disambiguateMultiMemberPopup-title": "Otvetydig medlemsåtgärd", - "discard": "Kassera", - "done": "Färdig", - "download": "Hämta", - "edit": "Redigera", - "edit-avatar": "Ändra avatar", - "edit-profile": "Redigera profil", - "edit-wip-limit": "Redigera WIP-gränsen", - "soft-wip-limit": "Mjuk WIP-gräns", - "editCardStartDatePopup-title": "Ändra startdatum", - "editCardDueDatePopup-title": "Ändra förfallodatum", - "editCustomFieldPopup-title": "Redigera fält", - "editCardSpentTimePopup-title": "Ändra spenderad tid", - "editLabelPopup-title": "Ändra etikett", - "editNotificationPopup-title": "Redigera avisering", - "editProfilePopup-title": "Redigera profil", - "email": "E-post", - "email-enrollAccount-subject": "Ett konto skapas för dig på __siteName__", - "email-enrollAccount-text": "Hej __user__,\n\nFör att börja använda tjänsten, klicka på länken nedan.\n\n__url__\n\nTack.", - "email-fail": "Sändning av e-post misslyckades", - "email-fail-text": "Ett fel vid försök att skicka e-post", - "email-invalid": "Ogiltig e-post", - "email-invite": "Bjud in via e-post", - "email-invite-subject": "__inviter__ skickade dig en inbjudan", - "email-invite-text": "Bästa __user__,\n\n__inviter__ inbjuder dig till anslagstavlan \"__board__\" för samarbete.\n\nFölj länken nedan:\n\n__url__\n\nTack.", - "email-resetPassword-subject": "Återställa lösenordet för __siteName__", - "email-resetPassword-text": "Hej __user__,\n\nFör att återställa ditt lösenord, klicka på länken nedan.\n\n__url__\n\nTack.", - "email-sent": "E-post skickad", - "email-verifyEmail-subject": "Verifiera din e-post adress på __siteName__", - "email-verifyEmail-text": "Hej __user__,\n\nFör att verifiera din konto e-post, klicka på länken nedan.\n\n__url__\n\nTack.", - "enable-wip-limit": "Aktivera WIP-gräns", - "error-board-doesNotExist": "Denna anslagstavla finns inte", - "error-board-notAdmin": "Du måste vara administratör för denna anslagstavla för att göra det", - "error-board-notAMember": "Du måste vara medlem i denna anslagstavla för att göra det", - "error-json-malformed": "Din text är inte giltigt JSON", - "error-json-schema": "Din JSON data inkluderar inte korrekt information i rätt format", - "error-list-doesNotExist": "Denna lista finns inte", - "error-user-doesNotExist": "Denna användare finns inte", - "error-user-notAllowSelf": "Du kan inte bjuda in dig själv", - "error-user-notCreated": "Den här användaren har inte skapats", - "error-username-taken": "Detta användarnamn är redan taget", - "error-email-taken": "E-post har redan tagits", - "export-board": "Exportera anslagstavla", - "filter": "Filtrera", - "filter-cards": "Filtrera kort", - "filter-clear": "Rensa filter", - "filter-no-label": "Ingen etikett", - "filter-no-member": "Ingen medlem", - "filter-no-custom-fields": "Inga anpassade fält", - "filter-on": "Filter är på", - "filter-on-desc": "Du filtrerar kort på denna anslagstavla. Klicka här för att redigera filter.", - "filter-to-selection": "Filter till val", - "advanced-filter-label": "Avancerat filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Namn", - "header-logo-title": "Gå tillbaka till din anslagstavlor-sida.", - "hide-system-messages": "Göm systemmeddelanden", - "headerBarCreateBoardPopup-title": "Skapa anslagstavla", - "home": "Hem", - "import": "Importera", - "import-board": "importera anslagstavla", - "import-board-c": "Importera anslagstavla", - "import-board-title-trello": "Importera anslagstavla från Trello", - "import-board-title-wekan": "Importera anslagstavla från Wekan", - "import-sandstorm-warning": "Importerad anslagstavla raderar all befintlig data på anslagstavla och ersätter den med importerat anslagstavla.", - "from-trello": "Från Trello", - "from-wekan": "Från Wekan", - "import-board-instruction-trello": "I din Trello-anslagstavla, gå till 'Meny', sedan 'Mera', 'Skriv ut och exportera', 'Exportera JSON' och kopiera den resulterande text.", - "import-board-instruction-wekan": "I din Wekan-anslagstavla, gå till \"Meny\", sedan \"Exportera anslagstavla\" och kopiera texten i den hämtade filen.", - "import-json-placeholder": "Klistra in giltigt JSON data här", - "import-map-members": "Kartlägg medlemmar", - "import-members-map": "Din importerade anslagstavla har några medlemmar. Kartlägg medlemmarna som du vill importera till Wekan-användare", - "import-show-user-mapping": "Granska medlemskartläggning", - "import-user-select": "Välj Wekan-användare du vill använda som denna medlem", - "importMapMembersAddPopup-title": "Välj Wekan member", - "info": "Version", - "initials": "Initialer ", - "invalid-date": "Ogiltigt datum", - "invalid-time": "Ogiltig tid", - "invalid-user": "Ogiltig användare", - "joined": "gick med", - "just-invited": "Du blev nyss inbjuden till denna anslagstavla", - "keyboard-shortcuts": "Tangentbordsgenvägar", - "label-create": "Skapa etikett", - "label-default": "%s etikett (standard)", - "label-delete-pop": "Det finns ingen ångra. Detta tar bort denna etikett från alla kort och förstöra dess historik.", - "labels": "Etiketter", - "language": "Språk", - "last-admin-desc": "Du kan inte ändra roller för det måste finnas minst en administratör.", - "leave-board": "Lämna anslagstavla", - "leave-board-pop": "Är du säker på att du vill lämna __boardTitle__? Du kommer att tas bort från alla kort på den här anslagstavlan.", - "leaveBoardPopup-title": "Lämna anslagstavla ?", - "link-card": "Länka till detta kort", - "list-archive-cards": "Flytta alla kort i den här listan till papperskorgen", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Flytta alla kort i denna lista", - "list-select-cards": "Välj alla kort i denna lista", - "listActionPopup-title": "Liståtgärder", - "swimlaneActionPopup-title": "Simbana-åtgärder", - "listImportCardPopup-title": "Importera ett Trello kort", - "listMorePopup-title": "Mera", - "link-list": "Länk till den här listan", - "list-delete-pop": "Alla åtgärder kommer att tas bort från aktivitetsmatningen och du kommer inte att kunna återställa listan. Det går inte att ångra.", - "list-delete-suggest-archive": "Du kan flytta en lista till papperskorgen för att ta bort den från brädet och bevara aktiviteten.", - "lists": "Listor", - "swimlanes": "Simbanor ", - "log-out": "Logga ut", - "log-in": "Logga in", - "loginPopup-title": "Logga in", - "memberMenuPopup-title": "Användarinställningar", - "members": "Medlemmar", - "menu": "Meny", - "move-selection": "Flytta vald", - "moveCardPopup-title": "Flytta kort", - "moveCardToBottom-title": "Flytta längst ner", - "moveCardToTop-title": "Flytta högst upp", - "moveSelectionPopup-title": "Flytta vald", - "multi-selection": "Flerval", - "multi-selection-on": "Flerval är på", - "muted": "Tystad", - "muted-info": "Du kommer aldrig att meddelas om eventuella ändringar i denna anslagstavla", - "my-boards": "Mina anslagstavlor", - "name": "Namn", - "no-archived-cards": "Inga kort i papperskorgen.", - "no-archived-lists": "Inga listor i papperskorgen.", - "no-archived-swimlanes": "Inga simbanor i papperskorgen.", - "no-results": "Inga reslutat", - "normal": "Normal", - "normal-desc": "Kan se och redigera kort. Kan inte ändra inställningar.", - "not-accepted-yet": "Inbjudan inte ännu accepterad", - "notify-participate": "Få uppdateringar till alla kort du deltar i som skapare eller medlem", - "notify-watch": "Få uppdateringar till alla anslagstavlor, listor, eller kort du bevakar", - "optional": "valfri", - "or": "eller", - "page-maybe-private": "Denna sida kan vara privat. Du kanske kan se den genom att logga in.", - "page-not-found": "Sidan hittades inte.", - "password": "Lösenord", - "paste-or-dragdrop": "klistra in eller dra och släpp bildfil till den (endast bilder)", - "participating": "Deltagande", - "preview": "Förhandsvisning", - "previewAttachedImagePopup-title": "Förhandsvisning", - "previewClipboardImagePopup-title": "Förhandsvisning", - "private": "Privat", - "private-desc": "Denna anslagstavla är privat. Endast personer tillagda till anslagstavlan kan se och redigera den.", - "profile": "Profil", - "public": "Officiell", - "public-desc": "Denna anslagstavla är offentlig. Den är synligt för alla med länken och kommer att dyka upp i sökmotorer som Google. Endast personer tillagda till anslagstavlan kan redigera.", - "quick-access-description": "Stjärnmärk en anslagstavla för att lägga till en genväg i detta fält.", - "remove-cover": "Ta bort omslag", - "remove-from-board": "Ta bort från anslagstavla", - "remove-label": "Ta bort etikett", - "listDeletePopup-title": "Ta bort lista", - "remove-member": "Ta bort medlem", - "remove-member-from-card": "Ta bort från kort", - "remove-member-pop": "Ta bort __name__ (__username__) från __boardTitle__? Medlemmen kommer att bli borttagen från alla kort i denna anslagstavla. De kommer att få en avisering.", - "removeMemberPopup-title": "Ta bort medlem?", - "rename": "Byt namn", - "rename-board": "Byt namn på anslagstavla", - "restore": "Återställ", - "save": "Spara", - "search": "Sök", - "search-cards": "Sök från korttitlar och beskrivningar på det här brädet", - "search-example": "Text att söka efter?", - "select-color": "Välj färg", - "set-wip-limit-value": "Ange en gräns för det maximala antalet uppgifter i den här listan", - "setWipLimitPopup-title": "Ställ in WIP-gräns", - "shortcut-assign-self": "Tilldela dig nuvarande kort", - "shortcut-autocomplete-emoji": "Komplettera automatiskt emoji", - "shortcut-autocomplete-members": "Komplettera automatiskt medlemmar", - "shortcut-clear-filters": "Rensa alla filter", - "shortcut-close-dialog": "Stäng dialog", - "shortcut-filter-my-cards": "Filtrera mina kort", - "shortcut-show-shortcuts": "Ta fram denna genvägslista", - "shortcut-toggle-filterbar": "Växla filtrets sidofält", - "shortcut-toggle-sidebar": "Växla anslagstavlans sidofält", - "show-cards-minimum-count": "Visa kortantal om listan innehåller mer än", - "sidebar-open": "Stäng sidofält", - "sidebar-close": "Stäng sidofält", - "signupPopup-title": "Skapa ett konto", - "star-board-title": "Klicka för att stjärnmärka denna anslagstavla. Den kommer att visas högst upp på din lista över anslagstavlor.", - "starred-boards": "Stjärnmärkta anslagstavlor", - "starred-boards-description": "Stjärnmärkta anslagstavlor visas högst upp på din lista över anslagstavlor.", - "subscribe": "Prenumenera", - "team": "Grupp", - "this-board": "denna anslagstavla", - "this-card": "detta kort", - "spent-time-hours": "Spenderad tid (timmar)", - "overtime-hours": "Övertid (timmar)", - "overtime": "Övertid", - "has-overtime-cards": "Har övertidskort", - "has-spenttime-cards": "Har spenderat tidkort", - "time": "Tid", - "title": "Titel", - "tracking": "Spårning", - "tracking-info": "Du kommer att meddelas om eventuella ändringar av dessa kort du deltar i som skapare eller medlem.", - "type": "Skriv", - "unassign-member": "Ta bort tilldelad medlem", - "unsaved-description": "Du har en osparad beskrivning.", - "unwatch": "Avbevaka", - "upload": "Ladda upp", - "upload-avatar": "Ladda upp en avatar", - "uploaded-avatar": "Laddade upp en avatar", - "username": "Änvandarnamn", - "view-it": "Visa det", - "warn-list-archived": "varning: det här kortet finns i en lista i papperskorgen", - "watch": "Bevaka", - "watching": "Bevakar", - "watching-info": "Du kommer att meddelas om alla ändringar på denna anslagstavla", - "welcome-board": "Välkomstanslagstavla", - "welcome-swimlane": "Milstolpe 1", - "welcome-list1": "Grunderna", - "welcome-list2": "Avancerad", - "what-to-do": "Vad vill du göra?", - "wipLimitErrorPopup-title": "Ogiltig WIP-gräns", - "wipLimitErrorPopup-dialog-pt1": "Antalet uppgifter i den här listan är högre än WIP-gränsen du har definierat.", - "wipLimitErrorPopup-dialog-pt2": "Flytta några uppgifter ur listan, eller ställ in en högre WIP-gräns.", - "admin-panel": "Administratörspanel ", - "settings": "Inställningar", - "people": "Personer", - "registration": "Registrering", - "disable-self-registration": "Avaktiverar självregistrering", - "invite": "Bjud in", - "invite-people": "Bjud in personer", - "to-boards": "Till anslagstavl(a/or)", - "email-addresses": "E-post adresser", - "smtp-host-description": "Adressen till SMTP-servern som hanterar din e-post.", - "smtp-port-description": "Porten SMTP-servern använder för utgående e-post.", - "smtp-tls-description": "Aktivera TLS-stöd för SMTP-server", - "smtp-host": "SMTP-värd", - "smtp-port": "SMTP-port", - "smtp-username": "Användarnamn", - "smtp-password": "Lösenord", - "smtp-tls": "TLS-stöd", - "send-from": "Från", - "send-smtp-test": "Skicka ett prov e-postmeddelande till dig själv", - "invitation-code": "Inbjudningskod", - "email-invite-register-subject": "__inviter__ skickade dig en inbjudan", - "email-invite-register-text": "Bästa __user__,\n\n__inviter__ inbjuder dig till Wekan för samarbeten.\n\nVänligen följ länken nedan:\n__url__\n\nOch din inbjudningskod är: __icode__\n\nTack.", - "email-smtp-test-subject": "SMTP-prov e-post från Wekan", - "email-smtp-test-text": "Du har skickat ett e-postmeddelande", - "error-invitation-code-not-exist": "Inbjudningskod finns inte", - "error-notAuthorized": "Du är inte behörig att se den här sidan.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Okänd)", - "Wekan_version": "Wekan version", - "Node_version": "Nodversion", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU-räkning", - "OS_Freemem": "OS ledigt minne", - "OS_Loadavg": "OS belastningsgenomsnitt", - "OS_Platform": "OS plattforme", - "OS_Release": "OS utgåva", - "OS_Totalmem": "OS totalt minne", - "OS_Type": "OS Typ", - "OS_Uptime": "OS drifttid", - "hours": "timmar", - "minutes": "minuter", - "seconds": "sekunder", - "show-field-on-card": "Visa detta fält på kort", - "yes": "Ja", - "no": "Nej", - "accounts": "Konton", - "accounts-allowEmailChange": "Tillåt e-poständring", - "accounts-allowUserNameChange": "Tillåt användarnamnändring", - "createdAt": "Skapad vid", - "verified": "Verifierad", - "active": "Aktiv", - "card-received": "Mottagen", - "card-received-on": "Mottagen den", - "card-end": "Slut", - "card-end-on": "Slutar den", - "editCardReceivedDatePopup-title": "Ändra mottagningsdatum", - "editCardEndDatePopup-title": "Ändra slutdatum", - "assigned-by": "Tilldelad av", - "requested-by": "Efterfrågad av", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Ta bort anslagstavla?", - "delete-board": "Ta bort anslagstavla" -} \ No newline at end of file diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json deleted file mode 100644 index 317f2e3b..00000000 --- a/i18n/ta.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Accept", - "act-activity-notify": "[Wekan] Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Add", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", - "addMemberPopup-title": "Members", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Members", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Members", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json deleted file mode 100644 index e383b3d8..00000000 --- a/i18n/th.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "ยอมรับ", - "act-activity-notify": "[Wekan] แจ้งกิจกรรม", - "act-addAttachment": "แนบไฟล์ __attachment__ ไปยัง __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "ออกความเห็นที่ __card__: __comment__", - "act-createBoard": "สร้าง __board__", - "act-createCard": "เพิ่ม __card__ ไปยัง __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "เพิ่ม __list__ ไปยัง __board__", - "act-addBoardMember": "เพิ่ม __member__ ไปยัง __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "นำเข้า __board__", - "act-importCard": "นำเข้า __card__", - "act-importList": "นำเข้า __list__", - "act-joinMember": "เพิ่ม __member__ ไปยัง __card__", - "act-moveCard": "ย้าย __card__ จาก __oldList__ ไป __list__", - "act-removeBoardMember": "ลบ __member__ จาก __board__", - "act-restoredCard": "กู้คืน __card__ ไปยัง __board__", - "act-unjoinMember": "ลบ __member__ จาก __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "ปฎิบัติการ", - "activities": "กิจกรรม", - "activity": "กิจกรรม", - "activity-added": "เพิ่ม %s ไปยัง %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "แนบ %s ไปยัง %s", - "activity-created": "สร้าง %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "ยกเว้น %s จาก %s", - "activity-imported": "ถูกนำเข้า %s ไปยัง %s จาก %s", - "activity-imported-board": "นำเข้า %s จาก %s", - "activity-joined": "เข้าร่วม %s", - "activity-moved": "ย้าย %s จาก %s ถึง %s", - "activity-on": "บน %s", - "activity-removed": "ลบ %s จาด %s", - "activity-sent": "ส่ง %s ถึง %s", - "activity-unjoined": "ยกเลิกเข้าร่วม %s", - "activity-checklist-added": "รายการถูกเพิ่มไป %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "เพิ่ม", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "เพิ่มรายการตรวจสอบ", - "add-cover": "เพิ่มหน้าปก", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "เพิ่มสมาชิก", - "added": "เพิ่ม", - "addMemberPopup-title": "สมาชิก", - "admin": "ผู้ดูแลระบบ", - "admin-desc": "สามารถดูและแก้ไขการ์ด ลบสมาชิก และเปลี่ยนการตั้งค่าบอร์ดได้", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "บอร์ดทั้งหมด", - "and-n-other-card": "และการ์ดอื่น __count__", - "and-n-other-card_plural": "และการ์ดอื่น ๆ __count__", - "apply": "นำมาใช้", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "กำหนดสมาชิก", - "attached": "แนบมาด้วย", - "attachment": "สิ่งที่แนบมา", - "attachment-delete-pop": "ลบสิ่งที่แนบมาถาวร ไม่สามารถเลิกทำได้", - "attachmentDeletePopup-title": "ลบสิ่งที่แนบมาหรือไม่", - "attachments": "สิ่งที่แนบมา", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "ย้อนกลับ", - "board-change-color": "เปลี่ยนสี", - "board-nb-stars": "ติดดาว %s", - "board-not-found": "ไม่มีบอร์ด", - "board-private-info": "บอร์ดนี้จะเป็น ส่วนตัว.", - "board-public-info": "บอร์ดนี้จะเป็น สาธารณะ.", - "boardChangeColorPopup-title": "เปลี่ยนสีพื้นหลังบอร์ด", - "boardChangeTitlePopup-title": "เปลี่ยนชื่อบอร์ด", - "boardChangeVisibilityPopup-title": "เปลี่ยนการเข้าถึง", - "boardChangeWatchPopup-title": "เปลี่ยนการเฝ้าดู", - "boardMenuPopup-title": "เมนูบอร์ด", - "boards": "บอร์ด", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "รายการ", - "bucket-example": "ตัวอย่างเช่น “ระบบที่ต้องทำ”", - "cancel": "ยกเลิก", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "การ์ดนี้มี %s ความเห็น.", - "card-delete-notice": "เป็นการลบถาวร คุณจะสูญเสียข้อมูลที่เกี่ยวข้องกับการ์ดนี้ทั้งหมด", - "card-delete-pop": "การดำเนินการทั้งหมดจะถูกลบจาก feed กิจกรรมและคุณไม่สามารถเปิดได้อีกครั้งหรือยกเลิกการทำ", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "ครบกำหนด", - "card-due-on": "ครบกำหนดเมื่อ", - "card-spent": "Spent Time", - "card-edit-attachments": "แก้ไขสิ่งที่แนบมา", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "แก้ไขป้ายกำกับ", - "card-edit-members": "แก้ไขสมาชิก", - "card-labels-title": "เปลี่ยนป้ายกำกับของการ์ด", - "card-members-title": "เพิ่มหรือลบสมาชิกของบอร์ดจากการ์ด", - "card-start": "เริ่ม", - "card-start-on": "เริ่มเมื่อ", - "cardAttachmentsPopup-title": "แนบจาก", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "ลบการ์ดนี้หรือไม่", - "cardDetailsActionsPopup-title": "การดำเนินการการ์ด", - "cardLabelsPopup-title": "ป้ายกำกับ", - "cardMembersPopup-title": "สมาชิก", - "cardMorePopup-title": "เพิ่มเติม", - "cards": "การ์ด", - "cards-count": "การ์ด", - "change": "เปลี่ยน", - "change-avatar": "เปลี่ยนภาพ", - "change-password": "เปลี่ยนรหัสผ่าน", - "change-permissions": "เปลี่ยนสิทธิ์", - "change-settings": "เปลี่ยนการตั้งค่า", - "changeAvatarPopup-title": "เปลี่ยนภาพ", - "changeLanguagePopup-title": "เปลี่ยนภาษา", - "changePasswordPopup-title": "เปลี่ยนรหัสผ่าน", - "changePermissionsPopup-title": "เปลี่ยนสิทธิ์", - "changeSettingsPopup-title": "เปลี่ยนการตั้งค่า", - "checklists": "รายการตรวจสอบ", - "click-to-star": "คลิกดาวบอร์ดนี้", - "click-to-unstar": "คลิกยกเลิกดาวบอร์ดนี้", - "clipboard": "Clipboard หรือลากและวาง", - "close": "ปิด", - "close-board": "ปิดบอร์ด", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "ดำ", - "color-blue": "น้ำเงิน", - "color-green": "เขียว", - "color-lime": "เหลืองมะนาว", - "color-orange": "ส้ม", - "color-pink": "ชมพู", - "color-purple": "ม่วง", - "color-red": "แดง", - "color-sky": "ฟ้า", - "color-yellow": "เหลือง", - "comment": "คอมเม็นต์", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "คอมพิวเตอร์", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "สร้าง", - "createBoardPopup-title": "สร้างบอร์ด", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "สร้างป้ายกำกับ", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "ปัจจุบัน", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "วันที่", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "วันที่", - "decline": "ปฎิเสธ", - "default-avatar": "ภาพเริ่มต้น", - "delete": "ลบ", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "ลบป้ายกำกับนี้หรือไม่", - "description": "คำอธิบาย", - "disambiguateMultiLabelPopup-title": "การดำเนินการกำกับป้ายชัดเจน", - "disambiguateMultiMemberPopup-title": "การดำเนินการสมาชิกชัดเจน", - "discard": "ทิ้ง", - "done": "เสร็จสิ้น", - "download": "ดาวน์โหลด", - "edit": "แก้ไข", - "edit-avatar": "เปลี่ยนภาพ", - "edit-profile": "แก้ไขโปรไฟล์", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "เปลี่ยนวันเริ่มต้น", - "editCardDueDatePopup-title": "เปลี่ยนวันครบกำหนด", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "เปลี่ยนป้ายกำกับ", - "editNotificationPopup-title": "แก้ไขการแจ้งเตือน", - "editProfilePopup-title": "แก้ไขโปรไฟล์", - "email": "อีเมล์", - "email-enrollAccount-subject": "บัญชีคุณถูกสร้างใน __siteName__", - "email-enrollAccount-text": "สวัสดี __user__,\n\nเริ่มใช้บริการง่าย ๆ , ด้วยการคลิกลิงค์ด้านล่าง.\n\n__url__\n\n ขอบคุณค่ะ", - "email-fail": "การส่งอีเมล์ล้มเหลว", - "email-fail-text": "Error trying to send email", - "email-invalid": "อีเมล์ไม่ถูกต้อง", - "email-invite": "เชิญผ่านทางอีเมล์", - "email-invite-subject": "__inviter__ ส่งคำเชิญให้คุณ", - "email-invite-text": "สวัสดี __user__,\n\n__inviter__ ขอเชิญคุณเข้าร่วม \"__board__\" เพื่อขอความร่วมมือ \n\n โปรดคลิกตามลิงค์ข้างล่างนี้ \n\n__url__\n\n ขอบคุณ", - "email-resetPassword-subject": "ตั้งรหัสผ่่านใหม่ของคุณบน __siteName__", - "email-resetPassword-text": "สวัสดี __user__,\n\nในการรีเซ็ตรหัสผ่านของคุณ, คลิกตามลิงค์ด้านล่าง \n\n__url__\n\nขอบคุณค่ะ", - "email-sent": "ส่งอีเมล์", - "email-verifyEmail-subject": "ยืนยันที่อยู่อีเม์ของคุณบน __siteName__", - "email-verifyEmail-text": "สวัสดี __user__,\n\nตรวจสอบบัญชีอีเมล์ของคุณ ง่าย ๆ ตามลิงค์ด้านล่าง \n\n__url__\n\n ขอบคุณค่ะ", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "บอร์ดนี้ไม่มีอยู่แล้ว", - "error-board-notAdmin": "คุณจะต้องเป็นผู้ดูแลระบบถึงจะทำสิ่งเหล่านี้ได้", - "error-board-notAMember": "คุณต้องเป็นสมาชิกของบอร์ดนี้ถึงจะทำได้", - "error-json-malformed": "ข้อความของคุณไม่ใช่ JSON", - "error-json-schema": "รูปแบบข้้้อมูล JSON ของคุณไม่ถูกต้อง", - "error-list-doesNotExist": "รายการนี้ไม่มีอยู่", - "error-user-doesNotExist": "ผู้ใช้นี้ไม่มีอยู่", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "ผู้ใช้รายนี้ไม่ได้สร้าง", - "error-username-taken": "ชื่อนี้ถูกใช้งานแล้ว", - "error-email-taken": "Email has already been taken", - "export-board": "ส่งออกกระดาน", - "filter": "กรอง", - "filter-cards": "กรองการ์ด", - "filter-clear": "ล้างตัวกรอง", - "filter-no-label": "ไม่มีฉลาก", - "filter-no-member": "ไม่มีสมาชิก", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "กรองบน", - "filter-on-desc": "คุณกำลังกรองการ์ดในบอร์ดนี้ คลิกที่นี่เพื่อแก้ไขตัวกรอง", - "filter-to-selection": "กรองตัวเลือก", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "ชื่อ นามสกุล", - "header-logo-title": "ย้อนกลับไปที่หน้าบอร์ดของคุณ", - "hide-system-messages": "ซ่อนข้อความของระบบ", - "headerBarCreateBoardPopup-title": "สร้างบอร์ด", - "home": "หน้าหลัก", - "import": "นำเข้า", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "นำเข้าบอร์ดจาก Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "ใน Trello ของคุณให้ไปที่ 'Menu' และไปที่ More -> Print and Export -> Export JSON และคัดลอกข้อความจากนั้น", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "วางข้อมูล JSON ที่ถูกต้องของคุณที่นี่", - "import-map-members": "แผนที่สมาชิก", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review การทำแผนที่สมาชิก", - "import-user-select": "เลือกผู้ใช้ Wekan ที่คุณต้องการใช้เป็นเหมือนสมาชิกนี้", - "importMapMembersAddPopup-title": "เลือกสมาชิก", - "info": "Version", - "initials": "ชื่อย่อ", - "invalid-date": "วันที่ไม่ถูกต้อง", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "เข้าร่วม", - "just-invited": "คุณพึ่งได้รับเชิญบอร์ดนี้", - "keyboard-shortcuts": "แป้นพิมพ์ลัด", - "label-create": "สร้างป้ายกำกับ", - "label-default": "ป้าย %s (ค่าเริ่มต้น)", - "label-delete-pop": "ไม่มีการยกเลิกการทำนี้ ลบป้ายกำกับนี้จากทุกการ์ดและล้างประวัติทิ้ง", - "labels": "ป้ายกำกับ", - "language": "ภาษา", - "last-admin-desc": "คุณไม่สามารถเปลี่ยนบทบาทเพราะต้องมีผู้ดูแลระบบหนึ่งคนเป็นอย่างน้อย", - "leave-board": "ทิ้งบอร์ด", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "เชื่อมโยงไปยังการ์ดใบนี้", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "ย้ายการ์ดทั้งหมดในรายการนี้", - "list-select-cards": "เลือกการ์ดทั้งหมดในรายการนี้", - "listActionPopup-title": "รายการการดำเนิน", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "นำเข้าการ์ด Trello", - "listMorePopup-title": "เพิ่มเติม", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "รายการ", - "swimlanes": "Swimlanes", - "log-out": "ออกจากระบบ", - "log-in": "เข้าสู่ระบบ", - "loginPopup-title": "เข้าสู่ระบบ", - "memberMenuPopup-title": "การตั้งค่า", - "members": "สมาชิก", - "menu": "เมนู", - "move-selection": "ย้ายตัวเลือก", - "moveCardPopup-title": "ย้ายการ์ด", - "moveCardToBottom-title": "ย้ายไปล่าง", - "moveCardToTop-title": "ย้ายไปบน", - "moveSelectionPopup-title": "เลือกย้าย", - "multi-selection": "เลือกหลายรายการ", - "multi-selection-on": "เลือกหลายรายการเมื่อ", - "muted": "ไม่ออกเสียง", - "muted-info": "คุณจะไม่ได้รับแจ้งการเปลี่ยนแปลงใด ๆ ในบอร์ดนี้", - "my-boards": "บอร์ดของฉัน", - "name": "ชื่อ", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "ไม่มีข้อมูล", - "normal": "ธรรมดา", - "normal-desc": "สามารถดูและแก้ไขการ์ดได้ แต่ไม่สามารถเปลี่ยนการตั้งค่าได้", - "not-accepted-yet": "ยังไม่ยอมรับคำเชิญ", - "notify-participate": "ได้รับการแจ้งปรับปรุงการ์ดอื่น ๆ ที่คุณมีส่วนร่วมในฐานะผู้สร้างหรือสมาชิก", - "notify-watch": "ได้รับการแจ้งปรับปรุงบอร์ด รายการหรือการ์ดที่คุณเฝ้าติดตาม", - "optional": "ไม่จำเป็น", - "or": "หรือ", - "page-maybe-private": "หน้านี้อาจจะเป็นส่วนตัว. คุณอาจจะสามารถดูจาก logging in.", - "page-not-found": "ไม่พบหน้า", - "password": "รหัสผ่าน", - "paste-or-dragdrop": "วาง หรือลากและวาง ไฟล์ภาพ(ภาพเท่านั้น)", - "participating": "Participating", - "preview": "ภาพตัวอย่าง", - "previewAttachedImagePopup-title": "ตัวอย่าง", - "previewClipboardImagePopup-title": "ตัวอย่าง", - "private": "ส่วนตัว", - "private-desc": "บอร์ดนี้เป็นส่วนตัว. คนที่ถูกเพิ่มเข้าในบอร์ดเท่านั้นที่สามารถดูและแก้ไขได้", - "profile": "โปรไฟล์", - "public": "สาธารณะ", - "public-desc": "บอร์ดนี้เป็นสาธารณะ. ทุกคนสามารถเข้าถึงได้ผ่าน url นี้ แต่สามารถแก้ไขได้เฉพาะผู้ที่ถูกเพิ่มเข้าไปในการ์ดเท่านั้น", - "quick-access-description": "เพิ่มไว้ในนี้เพื่อเป็นทางลัด", - "remove-cover": "ลบหน้าปก", - "remove-from-board": "ลบจากบอร์ด", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "ลบสมาชิก", - "remove-member-from-card": "ลบจากการ์ด", - "remove-member-pop": "ลบ __name__ (__username__) จาก __boardTitle__ หรือไม่ สมาชิกจะถูกลบออกจากการ์ดทั้งหมดบนบอร์ดนี้ และพวกเขาจะได้รับการแจ้งเตือน", - "removeMemberPopup-title": "ลบสมาชิกหรือไม่", - "rename": "ตั้งชื่อใหม่", - "rename-board": "ตั้งชื่อบอร์ดใหม่", - "restore": "กู้คืน", - "save": "บันทึก", - "search": "ค้นหา", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "กำหนดตัวเองให้การ์ดนี้", - "shortcut-autocomplete-emoji": "เติม emoji อัตโนมัติ", - "shortcut-autocomplete-members": "เติมสมาชิกอัตโนมัติ", - "shortcut-clear-filters": "ล้างตัวกรองทั้งหมด", - "shortcut-close-dialog": "ปิดหน้าต่าง", - "shortcut-filter-my-cards": "กรองการ์ดฉัน", - "shortcut-show-shortcuts": "นำรายการทางลัดนี้ขึ้น", - "shortcut-toggle-filterbar": "สลับแถบกรองสไลด์ด้้านข้าง", - "shortcut-toggle-sidebar": "สลับโชว์แถบด้านข้าง", - "show-cards-minimum-count": "แสดงจำนวนของการ์ดถ้ารายการมีมากกว่า(เลื่อนกำหนดตัวเลข)", - "sidebar-open": "เปิดแถบเลื่อน", - "sidebar-close": "ปิดแถบเลื่อน", - "signupPopup-title": "สร้างบัญชี", - "star-board-title": "คลิกติดดาวบอร์ดนี้ มันจะแสดงอยู่บนสุดของรายการบอร์ดของคุณ", - "starred-boards": "ติดดาวบอร์ด", - "starred-boards-description": "ติดดาวบอร์ดและแสดงไว้บนสุดของรายการบอร์ด", - "subscribe": "บอกรับสมาชิก", - "team": "ทีม", - "this-board": "บอร์ดนี้", - "this-card": "การ์ดนี้", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "เวลา", - "title": "หัวข้อ", - "tracking": "ติดตาม", - "tracking-info": "คุณจะได้รับแจ้งการเปลี่ยนแปลงใด ๆ กับการ์ดที่คุณมีส่วนร่วมในฐานะผู้สร้างหรือสมาชิก", - "type": "Type", - "unassign-member": "ยกเลิกสมาชิก", - "unsaved-description": "คุณมีคำอธิบายที่ไม่ได้บันทึก", - "unwatch": "เลิกเฝ้าดู", - "upload": "อัพโหลด", - "upload-avatar": "อัพโหลดรูปภาพ", - "uploaded-avatar": "ภาพอัพโหลดแล้ว", - "username": "ชื่อผู้ใช้งาน", - "view-it": "ดู", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "เฝ้าดู", - "watching": "เฝ้าดู", - "watching-info": "คุณจะได้รับแจ้งหากมีการเปลี่ยนแปลงใด ๆ ในบอร์ดนี้", - "welcome-board": "ยินดีต้อนรับสู่บอร์ด", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "พื้นฐาน", - "welcome-list2": "ก้าวหน้า", - "what-to-do": "ต้องการทำอะไร", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "ชื่อผู้ใช้งาน", - "smtp-password": "รหัสผ่าน", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ ส่งคำเชิญให้คุณ", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json deleted file mode 100644 index 29d8006d..00000000 --- a/i18n/tr.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Kabul Et", - "act-activity-notify": "[Wekan] Etkinlik Bildirimi", - "act-addAttachment": "__card__ kartına __attachment__ dosyasını ekledi", - "act-addChecklist": "__card__ kartında __checklist__ yapılacak listesini ekledi", - "act-addChecklistItem": "__checklistItem__ öğesini __card__ kartındaki __checklist__ yapılacak listesine ekledi", - "act-addComment": "__card__ kartına bir yorum bıraktı: __comment__", - "act-createBoard": "__board__ panosunu oluşturdu", - "act-createCard": "__card__ kartını ___list__ listesine ekledi", - "act-createCustomField": "__customField__ adlı özel alan yaratıldı", - "act-createList": "__list__ listesini __board__ panosuna ekledi", - "act-addBoardMember": "__member__ kullanıcısını __board__ panosuna ekledi", - "act-archivedBoard": "__board__ Geri Dönüşüm Kutusu'na taşındı", - "act-archivedCard": "__card__ Geri Dönüşüm Kutusu'na taşındı", - "act-archivedList": "__list__ Geri Dönüşüm Kutusu'na taşındı", - "act-archivedSwimlane": "__swimlane__ Geri Dönüşüm Kutusu'na taşındı", - "act-importBoard": "__board__ panosunu içe aktardı", - "act-importCard": "__card__ kartını içe aktardı", - "act-importList": "__list__ listesini içe aktardı", - "act-joinMember": "__member__ kullanıcısnı __card__ kartına ekledi", - "act-moveCard": "__card__ kartını __oldList__ listesinden __list__ listesine taşıdı", - "act-removeBoardMember": "__board__ panosundan __member__ kullanıcısını çıkarttı", - "act-restoredCard": "__card__ kartını __board__ panosuna geri getirdi", - "act-unjoinMember": "__member__ kullanıcısnı __card__ kartından çıkarttı", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "İşlemler", - "activities": "Etkinlikler", - "activity": "Etkinlik", - "activity-added": "%s içine %s ekledi", - "activity-archived": "%s Geri Dönüşüm Kutusu'na taşındı", - "activity-attached": "%s içine %s ekledi", - "activity-created": "%s öğesini oluşturdu", - "activity-customfield-created": "%s adlı özel alan yaratıldı", - "activity-excluded": "%s içinden %s çıkarttı", - "activity-imported": "%s kaynağından %s öğesini %s öğesinin içine taşıdı ", - "activity-imported-board": "%s i %s içinden aktardı", - "activity-joined": "şuna katıldı: %s", - "activity-moved": "%s i %s içinden %s içine taşıdı", - "activity-on": "%s", - "activity-removed": "%s i %s ten kaldırdı", - "activity-sent": "%s i %s e gönderdi", - "activity-unjoined": "%s içinden ayrıldı", - "activity-checklist-added": "%s içine yapılacak listesi ekledi", - "activity-checklist-item-added": "%s içinde %s yapılacak listesine öğe ekledi", - "add": "Ekle", - "add-attachment": "Ek Ekle", - "add-board": "Pano Ekle", - "add-card": "Kart Ekle", - "add-swimlane": "Kulvar Ekle", - "add-checklist": "Yapılacak Listesi Ekle", - "add-checklist-item": "Yapılacak listesine yeni bir öğe ekle", - "add-cover": "Kapak resmi ekle", - "add-label": "Etiket Ekle", - "add-list": "Liste Ekle", - "add-members": "Üye ekle", - "added": "Eklendi", - "addMemberPopup-title": "Üyeler", - "admin": "Yönetici", - "admin-desc": "Kartları görüntüleyebilir ve düzenleyebilir, üyeleri çıkarabilir ve pano ayarlarını değiştirebilir.", - "admin-announcement": "Duyuru", - "admin-announcement-active": "Tüm Sistemde Etkin Duyuru", - "admin-announcement-title": "Yöneticiden Duyuru", - "all-boards": "Tüm panolar", - "and-n-other-card": "Ve __count__ diğer kart", - "and-n-other-card_plural": "Ve __count__ diğer kart", - "apply": "Uygula", - "app-is-offline": "Wekan yükleniyor, lütfen bekleyin. Sayfayı yenilemek veri kaybına sebep olabilir. Eğer Wekan yüklenmezse, lütfen Wekan sunucusunun çalıştığından emin olun.", - "archive": "Geri Dönüşüm Kutusu'na taşı", - "archive-all": "Tümünü Geri Dönüşüm Kutusu'na taşı", - "archive-board": "Panoyu Geri Dönüşüm Kutusu'na taşı", - "archive-card": "Kartı Geri Dönüşüm Kutusu'na taşı", - "archive-list": "Listeyi Geri Dönüşüm Kutusu'na taşı", - "archive-swimlane": "Kulvarı Geri Dönüşüm Kutusu'na taşı", - "archive-selection": "Seçimi Geri Dönüşüm Kutusu'na taşı", - "archiveBoardPopup-title": "Panoyu Geri Dönüşüm Kutusu'na taşı", - "archived-items": "Geri Dönüşüm Kutusu", - "archived-boards": "Geri Dönüşüm Kutusu'ndaki panolar", - "restore-board": "Panoyu Geri Getir", - "no-archived-boards": "Geri Dönüşüm Kutusu'nda pano yok.", - "archives": "Geri Dönüşüm Kutusu", - "assign-member": "Üye ata", - "attached": "dosya(sı) eklendi", - "attachment": "Ek Dosya", - "attachment-delete-pop": "Ek silme işlemi kalıcıdır ve geri alınamaz.", - "attachmentDeletePopup-title": "Ek Silinsin mi?", - "attachments": "Ekler", - "auto-watch": "Oluşan yeni panoları kendiliğinden izlemeye al", - "avatar-too-big": "Avatar boyutu çok büyük (En fazla 70KB olabilir)", - "back": "Geri", - "board-change-color": "Renk değiştir", - "board-nb-stars": "%s yıldız", - "board-not-found": "Pano bulunamadı", - "board-private-info": "Bu pano gizli olacak.", - "board-public-info": "Bu pano genele açılacaktır.", - "boardChangeColorPopup-title": "Pano arkaplan rengini değiştir", - "boardChangeTitlePopup-title": "Panonun Adını Değiştir", - "boardChangeVisibilityPopup-title": "Görünebilirliği Değiştir", - "boardChangeWatchPopup-title": "İzleme Durumunu Değiştir", - "boardMenuPopup-title": "Pano menüsü", - "boards": "Panolar", - "board-view": "Pano Görünümü", - "board-view-swimlanes": "Kulvarlar", - "board-view-lists": "Listeler", - "bucket-example": "Örn: \"Marketten Alacaklarım\"", - "cancel": "İptal", - "card-archived": "Bu kart Geri Dönüşüm Kutusu'na taşındı", - "card-comments-title": "Bu kartta %s yorum var.", - "card-delete-notice": "Silme işlemi kalıcıdır. Bu kartla ilişkili tüm eylemleri kaybedersiniz.", - "card-delete-pop": "Son hareketler alanındaki tüm veriler silinecek, ayrıca bu kartı yeniden açamayacaksın. Bu işlemin geri dönüşü yok.", - "card-delete-suggest-archive": "Kartları Geri Dönüşüm Kutusu'na taşıyarak panodan kaldırabilir ve içindeki aktiviteleri saklayabilirsiniz.", - "card-due": "Bitiş", - "card-due-on": "Bitiş tarihi:", - "card-spent": "Harcanan Zaman", - "card-edit-attachments": "Ek dosyasını düzenle", - "card-edit-custom-fields": "Özel alanları düzenle", - "card-edit-labels": "Etiketleri düzenle", - "card-edit-members": "Üyeleri düzenle", - "card-labels-title": "Bu kart için etiketleri düzenle", - "card-members-title": "Karta pano içindeki üyeleri ekler veya çıkartır.", - "card-start": "Başlama", - "card-start-on": "Başlama tarihi:", - "cardAttachmentsPopup-title": "Eklenme", - "cardCustomField-datePopup-title": "Tarihi değiştir", - "cardCustomFieldsPopup-title": "Özel alanları düzenle", - "cardDeletePopup-title": "Kart Silinsin mi?", - "cardDetailsActionsPopup-title": "Kart işlemleri", - "cardLabelsPopup-title": "Etiketler", - "cardMembersPopup-title": "Üyeler", - "cardMorePopup-title": "Daha", - "cards": "Kartlar", - "cards-count": "Kartlar", - "change": "Değiştir", - "change-avatar": "Avatar Değiştir", - "change-password": "Parola Değiştir", - "change-permissions": "İzinleri değiştir", - "change-settings": "Ayarları değiştir", - "changeAvatarPopup-title": "Avatar Değiştir", - "changeLanguagePopup-title": "Dil Değiştir", - "changePasswordPopup-title": "Parola Değiştir", - "changePermissionsPopup-title": "Yetkileri Değiştirme", - "changeSettingsPopup-title": "Ayarları değiştir", - "checklists": "Yapılacak Listeleri", - "click-to-star": "Bu panoyu yıldızlamak için tıkla.", - "click-to-unstar": "Bu panunun yıldızını kaldırmak için tıkla.", - "clipboard": "Yapıştır veya sürükleyip bırak", - "close": "Kapat", - "close-board": "Panoyu kapat", - "close-board-pop": "Silinen panoyu geri getirmek için menüden \"Geri Dönüşüm Kutusu\"'na tıklayabilirsiniz.", - "color-black": "siyah", - "color-blue": "mavi", - "color-green": "yeşil", - "color-lime": "misket limonu", - "color-orange": "turuncu", - "color-pink": "pembe", - "color-purple": "mor", - "color-red": "kırmızı", - "color-sky": "açık mavi", - "color-yellow": "sarı", - "comment": "Yorum", - "comment-placeholder": "Yorum Yaz", - "comment-only": "Sadece yorum", - "comment-only-desc": "Sadece kartlara yorum yazabilir.", - "computer": "Bilgisayar", - "confirm-checklist-delete-dialog": "Yapılacak listesini silmek istediğinize emin misiniz", - "copy-card-link-to-clipboard": "Kartın linkini kopyala", - "copyCardPopup-title": "Kartı Kopyala", - "copyChecklistToManyCardsPopup-title": "Yapılacaklar Listesi şemasını birden çok karta kopyala", - "copyChecklistToManyCardsPopup-instructions": "Hedef Kart Başlıkları ve Açıklamaları bu JSON formatında", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"İlk kart başlığı\", \"description\":\"İlk kart açıklaması\"}, {\"title\":\"İkinci kart başlığı\",\"description\":\"İkinci kart açıklaması\"},{\"title\":\"Son kart başlığı\",\"description\":\"Son kart açıklaması\"} ]", - "create": "Oluştur", - "createBoardPopup-title": "Pano Oluşturma", - "chooseBoardSourcePopup-title": "Panoyu içe aktar", - "createLabelPopup-title": "Etiket Oluşturma", - "createCustomField": "Alanı yarat", - "createCustomFieldPopup-title": "Alanı yarat", - "current": "mevcut", - "custom-field-delete-pop": "Bunun geri dönüşü yoktur. Bu özel alan tüm kartlardan kaldırılıp tarihçesi yokedilecektir.", - "custom-field-checkbox": "İşaret kutusu", - "custom-field-date": "Tarih", - "custom-field-dropdown": "Açılır liste", - "custom-field-dropdown-none": "(hiçbiri)", - "custom-field-dropdown-options": "Liste seçenekleri", - "custom-field-dropdown-options-placeholder": "Başka seçenekler eklemek için giriş tuşuna basınız", - "custom-field-dropdown-unknown": "(bilinmeyen)", - "custom-field-number": "Sayı", - "custom-field-text": "Metin", - "custom-fields": "Özel alanlar", - "date": "Tarih", - "decline": "Reddet", - "default-avatar": "Varsayılan avatar", - "delete": "Sil", - "deleteCustomFieldPopup-title": "Özel alan silinsin mi?", - "deleteLabelPopup-title": "Etiket Silinsin mi?", - "description": "Açıklama", - "disambiguateMultiLabelPopup-title": "Etiket işlemini izah et", - "disambiguateMultiMemberPopup-title": "Üye işlemini izah et", - "discard": "At", - "done": "Tamam", - "download": "İndir", - "edit": "Düzenle", - "edit-avatar": "Avatar Değiştir", - "edit-profile": "Profili Düzenle", - "edit-wip-limit": "Devam Eden İş Sınırını Düzenle", - "soft-wip-limit": "Zayıf Devam Eden İş Sınırı", - "editCardStartDatePopup-title": "Başlangıç tarihini değiştir", - "editCardDueDatePopup-title": "Bitiş tarihini değiştir", - "editCustomFieldPopup-title": "Alanı düzenle", - "editCardSpentTimePopup-title": "Harcanan zamanı değiştir", - "editLabelPopup-title": "Etiket Değiştir", - "editNotificationPopup-title": "Bildirimi değiştir", - "editProfilePopup-title": "Profili Düzenle", - "email": "E-posta", - "email-enrollAccount-subject": "Hesabınız __siteName__ üzerinde oluşturuldu", - "email-enrollAccount-text": "Merhaba __user__,\n\nBu servisi kullanmaya başlamak için aşağıdaki linke tıklamalısın:\n\n__url__\n\nTeşekkürler.", - "email-fail": "E-posta gönderimi başarısız", - "email-fail-text": "E-Posta gönderilme çalışırken hata oluştu", - "email-invalid": "Geçersiz e-posta", - "email-invite": "E-posta ile davet et", - "email-invite-subject": "__inviter__ size bir davetiye gönderdi", - "email-invite-text": "Sevgili __user__,\n\n__inviter__ seni birlikte çalışmak için \"__board__\" panosuna davet ediyor.\n\nLütfen aşağıdaki linke tıkla:\n\n__url__\n\nTeşekkürler.", - "email-resetPassword-subject": "__siteName__ üzerinde parolanı sıfırla", - "email-resetPassword-text": "Merhaba __user__,\n\nParolanı sıfırlaman için aşağıdaki linke tıklaman yeterli.\n\n__url__\n\nTeşekkürler.", - "email-sent": "E-posta gönderildi", - "email-verifyEmail-subject": "__siteName__ üzerindeki e-posta adresini doğrulama", - "email-verifyEmail-text": "Merhaba __user__,\n\nHesap e-posta adresini doğrulamak için aşağıdaki linke tıklaman yeterli.\n\n__url__\n\nTeşekkürler.", - "enable-wip-limit": "Devam Eden İş Sınırını Aç", - "error-board-doesNotExist": "Pano bulunamadı", - "error-board-notAdmin": "Bu işlemi yapmak için pano yöneticisi olmalısın.", - "error-board-notAMember": "Bu işlemi yapmak için panoya üye olmalısın.", - "error-json-malformed": "Girilen metin geçerli bir JSON formatında değil", - "error-json-schema": "Girdiğin JSON metni tüm bilgileri doğru biçimde barındırmıyor", - "error-list-doesNotExist": "Liste bulunamadı", - "error-user-doesNotExist": "Kullanıcı bulunamadı", - "error-user-notAllowSelf": "Kendi kendini davet edemezsin", - "error-user-notCreated": "Bu üye oluşturulmadı", - "error-username-taken": "Kullanıcı adı zaten alınmış", - "error-email-taken": "Bu e-posta adresi daha önceden alınmış", - "export-board": "Panoyu dışarı aktar", - "filter": "Filtre", - "filter-cards": "Kartları Filtrele", - "filter-clear": "Filtreyi temizle", - "filter-no-label": "Etiket yok", - "filter-no-member": "Üye yok", - "filter-no-custom-fields": "Hiç özel alan yok", - "filter-on": "Filtre aktif", - "filter-on-desc": "Bu panodaki kartları filtreliyorsunuz. Fitreyi düzenlemek için tıklayın.", - "filter-to-selection": "Seçime göre filtreleme yap", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Ad Soyad", - "header-logo-title": "Panolar sayfanıza geri dön.", - "hide-system-messages": "Sistem mesajlarını gizle", - "headerBarCreateBoardPopup-title": "Pano Oluşturma", - "home": "Ana Sayfa", - "import": "İçeri aktar", - "import-board": "panoyu içe aktar", - "import-board-c": "Panoyu içe aktar", - "import-board-title-trello": "Trello'dan panoyu içeri aktar", - "import-board-title-wekan": "Wekan'dan panoyu içe aktar", - "import-sandstorm-warning": "İçe aktarılan pano şu anki panonun verilerinin üzerine yazılacak ve var olan veriler silinecek.", - "from-trello": "Trello'dan", - "from-wekan": "Wekan'dan", - "import-board-instruction-trello": "Trello panonuzda 'Menü'ye gidip 'Daha fazlası'na tıklayın, ardından 'Yazdır ve Çıktı Al'ı seçip 'JSON biçiminde çıktı al' diyerek çıkan metni buraya kopyalayın.", - "import-board-instruction-wekan": "Wekan panonuzda önce Menü'yü, ardından \"Panoyu dışa aktar\"ı seçip bilgisayarınıza indirilen dosyanın içindeki metni kopyalayın.", - "import-json-placeholder": "Geçerli JSON verisini buraya yapıştırın", - "import-map-members": "Üyeleri eşleştirme", - "import-members-map": "İçe aktardığın panoda bazı kullanıcılar var. Lütfen bu kullanıcıları Wekan panosundaki kullanıcılarla eşleştirin.", - "import-show-user-mapping": "Üye eşleştirmesini kontrol et", - "import-user-select": "Bu üyenin sistemdeki hangi kullanıcı olduğunu seçin", - "importMapMembersAddPopup-title": "Üye seç", - "info": "Sürüm", - "initials": "İlk Harfleri", - "invalid-date": "Geçersiz tarih", - "invalid-time": "Geçersiz zaman", - "invalid-user": "Geçersiz kullanıcı", - "joined": "katıldı", - "just-invited": "Bu panoya şimdi davet edildin.", - "keyboard-shortcuts": "Klavye kısayolları", - "label-create": "Etiket Oluşturma", - "label-default": "%s etiket (varsayılan)", - "label-delete-pop": "Bu işlem geri alınamaz. Bu etiket tüm kartlardan kaldırılacaktır ve geçmişi yok edecektir.", - "labels": "Etiketler", - "language": "Dil", - "last-admin-desc": "En az bir yönetici olması gerektiğinden rolleri değiştiremezsiniz.", - "leave-board": "Panodan ayrıl", - "leave-board-pop": "__boardTitle__ panosundan ayrılmak istediğinize emin misiniz? Panodaki tüm kartlardan kaldırılacaksınız.", - "leaveBoardPopup-title": "Panodan ayrılmak istediğinize emin misiniz?", - "link-card": "Bu kartın bağlantısı", - "list-archive-cards": "Listedeki tüm kartları Geri Dönüşüm Kutusu'na gönder", - "list-archive-cards-pop": "Bu işlem listedeki tüm kartları kaldıracak. Silinmiş kartları görüntülemek ve geri yüklemek için menüden Geri Dönüşüm Kutusu'na tıklayabilirsiniz.", - "list-move-cards": "Listedeki tüm kartları taşı", - "list-select-cards": "Listedeki tüm kartları seç", - "listActionPopup-title": "Liste İşlemleri", - "swimlaneActionPopup-title": "Kulvar İşlemleri", - "listImportCardPopup-title": "Bir Trello kartını içeri aktar", - "listMorePopup-title": "Daha", - "link-list": "Listeye doğrudan bağlantı", - "list-delete-pop": "Etkinlik akışınızdaki tüm eylemler geri kurtarılamaz şekilde kaldırılacak. Bu işlem geri alınamaz.", - "list-delete-suggest-archive": "Bir listeyi Dönüşüm Kutusuna atarak panodan kaldırabilir, ancak eylemleri koruyarak saklayabilirsiniz. ", - "lists": "Listeler", - "swimlanes": "Kulvarlar", - "log-out": "Oturum Kapat", - "log-in": "Oturum Aç", - "loginPopup-title": "Oturum Aç", - "memberMenuPopup-title": "Üye Ayarları", - "members": "Üyeler", - "menu": "Menü", - "move-selection": "Seçimi taşı", - "moveCardPopup-title": "Kartı taşı", - "moveCardToBottom-title": "Aşağı taşı", - "moveCardToTop-title": "Yukarı taşı", - "moveSelectionPopup-title": "Seçimi taşı", - "multi-selection": "Çoklu seçim", - "multi-selection-on": "Çoklu seçim açık", - "muted": "Sessiz", - "muted-info": "Bu panodaki hiçbir değişiklik hakkında bildirim almayacaksınız", - "my-boards": "Panolarım", - "name": "Adı", - "no-archived-cards": "Dönüşüm Kutusunda hiç kart yok.", - "no-archived-lists": "Dönüşüm Kutusunda hiç liste yok.", - "no-archived-swimlanes": "Dönüşüm Kutusunda hiç kulvar yok.", - "no-results": "Sonuç yok", - "normal": "Normal", - "normal-desc": "Kartları görüntüleyebilir ve düzenleyebilir. Ayarları değiştiremez.", - "not-accepted-yet": "Davet henüz kabul edilmemiş", - "notify-participate": "Oluşturduğunuz veya üye olduğunuz tüm kartlar hakkında bildirim al", - "notify-watch": "Takip ettiğiniz tüm pano, liste ve kartlar hakkında bildirim al", - "optional": "isteğe bağlı", - "or": "veya", - "page-maybe-private": "Bu sayfa gizli olabilir. Oturum açarak görmeyi deneyin.", - "page-not-found": "Sayda bulunamadı.", - "password": "Parola", - "paste-or-dragdrop": "Dosya eklemek için yapıştırabilir, veya (eğer resimse) sürükle bırak yapabilirsiniz", - "participating": "Katılımcılar", - "preview": "Önizleme", - "previewAttachedImagePopup-title": "Önizleme", - "previewClipboardImagePopup-title": "Önizleme", - "private": "Gizli", - "private-desc": "Bu pano gizli. Sadece panoya ekli kişiler görüntüleyebilir ve düzenleyebilir.", - "profile": "Kullanıcı Sayfası", - "public": "Genel", - "public-desc": "Bu pano genel. Bağlantı adresi ile herhangi bir kimseye görünür ve Google gibi arama motorlarında gösterilecektir. Panoyu, sadece eklenen kişiler düzenleyebilir.", - "quick-access-description": "Bu bara kısayol olarak bir pano eklemek için panoyu yıldızlamalısınız", - "remove-cover": "Kapak Resmini Kaldır", - "remove-from-board": "Panodan Kaldır", - "remove-label": "Etiketi Kaldır", - "listDeletePopup-title": "Liste silinsin mi?", - "remove-member": "Üyeyi Çıkar", - "remove-member-from-card": "Karttan Çıkar", - "remove-member-pop": "__boardTitle__ panosundan __name__ (__username__) çıkarılsın mı? Üye, bu panodaki tüm kartlardan çıkarılacak. Panodan çıkarıldığı üyeye bildirilecektir.", - "removeMemberPopup-title": "Üye çıkarılsın mı?", - "rename": "Yeniden adlandır", - "rename-board": "Panonun Adını Değiştir", - "restore": "Geri Getir", - "save": "Kaydet", - "search": "Arama", - "search-cards": "Bu tahta da ki kart başlıkları ve açıklamalarında arama yap", - "search-example": "Aranılacak metin?", - "select-color": "Renk Seç", - "set-wip-limit-value": "Bu listedeki en fazla öğe sayısı için bir sınır belirleyin", - "setWipLimitPopup-title": "Devam Eden İş Sınırı Belirle", - "shortcut-assign-self": "Kendini karta ata", - "shortcut-autocomplete-emoji": "Emojileri otomatik tamamla", - "shortcut-autocomplete-members": "Üye isimlerini otomatik tamamla", - "shortcut-clear-filters": "Tüm filtreleri temizle", - "shortcut-close-dialog": "Diyaloğu kapat", - "shortcut-filter-my-cards": "Kartlarımı filtrele", - "shortcut-show-shortcuts": "Kısayollar listesini getir", - "shortcut-toggle-filterbar": "Filtre kenar çubuğunu aç/kapa", - "shortcut-toggle-sidebar": "Pano kenar çubuğunu aç/kapa", - "show-cards-minimum-count": "Eğer listede şu sayıdan fazla öğe varsa kart sayısını göster: ", - "sidebar-open": "Kenar Çubuğunu Aç", - "sidebar-close": "Kenar Çubuğunu Kapat", - "signupPopup-title": "Bir Hesap Oluştur", - "star-board-title": "Bu panoyu yıldızlamak için tıkla. Yıldızlı panolar pano listesinin en üstünde gösterilir.", - "starred-boards": "Yıldızlı Panolar", - "starred-boards-description": "Yıldızlanmış panolar, pano listesinin en üstünde gösterilir.", - "subscribe": "Abone ol", - "team": "Takım", - "this-board": "bu panoyu", - "this-card": "bu kart", - "spent-time-hours": "Harcanan zaman (saat)", - "overtime-hours": "Aşılan süre (saat)", - "overtime": "Aşılan süre", - "has-overtime-cards": "Süresi aşılmış kartlar", - "has-spenttime-cards": "Zaman geçirilmiş kartlar", - "time": "Zaman", - "title": "Başlık", - "tracking": "Takip", - "tracking-info": "Oluşturduğunuz veya üyesi olduğunuz tüm kartlardaki değişiklikler size bildirim olarak gelecek.", - "type": "Tür", - "unassign-member": "Üyeye atamayı kaldır", - "unsaved-description": "Kaydedilmemiş bir açıklama metnin bulunmakta", - "unwatch": "Takibi bırak", - "upload": "Yükle", - "upload-avatar": "Avatar yükle", - "uploaded-avatar": "Avatar yüklendi", - "username": "Kullanıcı adı", - "view-it": "Görüntüle", - "warn-list-archived": "uyarı: bu kart Dönüşüm Kutusundaki bir listede var", - "watch": "Takip Et", - "watching": "Takip Ediliyor", - "watching-info": "Bu pano hakkındaki tüm değişiklikler hakkında bildirim alacaksınız", - "welcome-board": "Hoş Geldiniz Panosu", - "welcome-swimlane": "Kilometre taşı", - "welcome-list1": "Temel", - "welcome-list2": "Gelişmiş", - "what-to-do": "Ne yapmak istiyorsunuz?", - "wipLimitErrorPopup-title": "Geçersiz Devam Eden İş Sınırı", - "wipLimitErrorPopup-dialog-pt1": "Bu listedeki iş sayısı belirlediğiniz sınırdan daha fazla.", - "wipLimitErrorPopup-dialog-pt2": "Lütfen bazı işleri bu listeden başka listeye taşıyın ya da devam eden iş sınırını yükseltin.", - "admin-panel": "Yönetici Paneli", - "settings": "Ayarlar", - "people": "Kullanıcılar", - "registration": "Kayıt", - "disable-self-registration": "Ziyaretçilere kaydı kapa", - "invite": "Davet", - "invite-people": "Kullanıcı davet et", - "to-boards": "Şu pano(lar)a", - "email-addresses": "E-posta adresleri", - "smtp-host-description": "E-posta gönderimi yapan SMTP sunucu adresi", - "smtp-port-description": "E-posta gönderimi yapan SMTP sunucu portu", - "smtp-tls-description": "SMTP mail sunucusu için TLS kriptolama desteği açılsın", - "smtp-host": "SMTP sunucu adresi", - "smtp-port": "SMTP portu", - "smtp-username": "Kullanıcı adı", - "smtp-password": "Parola", - "smtp-tls": "TLS desteği", - "send-from": "Gönderen", - "send-smtp-test": "Kendinize deneme E-Postası gönderin", - "invitation-code": "Davetiye kodu", - "email-invite-register-subject": "__inviter__ size bir davetiye gönderdi", - "email-invite-register-text": "Sevgili __user__,\n\n__inviter__ sizi beraber çalışabilmek için Wekan'a davet etti.\n\nLütfen aşağıdaki linke tıklayın:\n__url__\n\nDavetiye kodunuz: __icode__\n\nTeşekkürler.", - "email-smtp-test-subject": "Wekan' dan SMTP E-Postası", - "email-smtp-test-text": "E-Posta başarıyla gönderildi", - "error-invitation-code-not-exist": "Davetiye kodu bulunamadı", - "error-notAuthorized": "Bu sayfayı görmek için yetkiniz yok.", - "outgoing-webhooks": "Dışarı giden bağlantılar", - "outgoingWebhooksPopup-title": "Dışarı giden bağlantılar", - "new-outgoing-webhook": "Yeni Dışarı Giden Web Bağlantısı", - "no-name": "(Bilinmeyen)", - "Wekan_version": "Wekan sürümü", - "Node_version": "Node sürümü", - "OS_Arch": "İşletim Sistemi Mimarisi", - "OS_Cpus": "İşletim Sistemi İşlemci Sayısı", - "OS_Freemem": "İşletim Sistemi Kullanılmayan Bellek", - "OS_Loadavg": "İşletim Sistemi Ortalama Yük", - "OS_Platform": "İşletim Sistemi Platformu", - "OS_Release": "İşletim Sistemi Sürümü", - "OS_Totalmem": "İşletim Sistemi Toplam Belleği", - "OS_Type": "İşletim Sistemi Tipi", - "OS_Uptime": "İşletim Sistemi Toplam Açık Kalınan Süre", - "hours": "saat", - "minutes": "dakika", - "seconds": "saniye", - "show-field-on-card": "Bu alanı kartta göster", - "yes": "Evet", - "no": "Hayır", - "accounts": "Hesaplar", - "accounts-allowEmailChange": "E-posta Değiştirmeye İzin Ver", - "accounts-allowUserNameChange": "Kullanıcı adı değiştirmeye izin ver", - "createdAt": "Oluşturulma tarihi", - "verified": "Doğrulanmış", - "active": "Aktif", - "card-received": "Giriş", - "card-received-on": "Giriş zamanı", - "card-end": "Bitiş", - "card-end-on": "Bitiş zamanı", - "editCardReceivedDatePopup-title": "Giriş tarihini değiştir", - "editCardEndDatePopup-title": "Bitiş tarihini değiştir", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json deleted file mode 100644 index b0c88c4a..00000000 --- a/i18n/uk.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Прийняти", - "act-activity-notify": "[Wekan] Сповіщення Діяльності", - "act-addAttachment": "__attachment__ додане до __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "комментар в __card__: __comment__", - "act-createBoard": "__board__ створенна", - "act-createCard": "__card__ карта додана до __list__ листа", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "__card__ заімпортована", - "act-importList": "imported __list__", - "act-joinMember": "__member__ був доданий до __card__", - "act-moveCard": " __card__ була перенесена з __oldList__ до __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": " __card__ відновлена у __board__", - "act-unjoinMember": " __member__ був виделений з __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Дії", - "activities": "Діяльність", - "activity": "Активність", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Додати", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-checklist": "Add Checklist", - "add-checklist-item": "Додати елемент в список", - "add-cover": "Додати обкладинку", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Додати користувача", - "added": "Доданно", - "addMemberPopup-title": "Користувачі", - "admin": "Адмін", - "admin-desc": "Може переглядати і редагувати картки, відаляти учасників та змінювати налаштування для дошки.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "Всі дошки", - "and-n-other-card": "та __count__ інших карток", - "and-n-other-card_plural": "та __count__ інших карток", - "apply": "Прийняти", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Assign member", - "attached": "доданно", - "attachment": "Додаток", - "attachment-delete-pop": "Видалення Додатку безповоротне. Тут нема відміні (undo).", - "attachmentDeletePopup-title": "Видалити Додаток?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Назад", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Дошки", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Відміна", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Користувачі", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Користувачі", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json deleted file mode 100644 index ba609c92..00000000 --- a/i18n/vi.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "Chấp nhận", - "act-activity-notify": "[Wekan] Thông Báo Hoạt Động", - "act-addAttachment": "đã đính kèm __attachment__ vào __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "đã bình luận trong __card__: __comment__", - "act-createBoard": "đã tạo __board__", - "act-createCard": "đã thêm __card__ vào __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "đã thêm __list__ vào __board__", - "act-addBoardMember": "đã thêm __member__ vào __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "đã nạp bảng __board__", - "act-importCard": "đã nạp thẻ __card__", - "act-importList": "đã nạp danh sách __list__", - "act-joinMember": "đã thêm thành viên __member__ vào __card__", - "act-moveCard": "đã chuyển thẻ __card__ từ __oldList__ sang __list__", - "act-removeBoardMember": "đã xóa thành viên __member__ khỏi __board__", - "act-restoredCard": "đã khôi phục thẻ __card__ vào bảng __board__", - "act-unjoinMember": "đã xóa thành viên __member__ khỏi thẻ __card__", - "act-withBoardTitle": "[Wekan] Bảng __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "Hành Động", - "activities": "Hoạt Động", - "activity": "Hoạt Động", - "activity-added": "đã thêm %s vào %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "đã đính kèm %s vào %s", - "activity-created": "đã tạo %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "đã loại bỏ %s khỏi %s", - "activity-imported": "đã nạp %s vào %s từ %s", - "activity-imported-board": "đã nạp %s từ %s", - "activity-joined": "đã tham gia %s", - "activity-moved": "đã di chuyển %s từ %s đến %s", - "activity-on": "trên %s", - "activity-removed": "đã xóa %s từ %s", - "activity-sent": "gửi %s đến %s", - "activity-unjoined": "đã rời khỏi %s", - "activity-checklist-added": "đã thêm checklist vào %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Thêm", - "add-attachment": "Thêm Bản Đính Kèm", - "add-board": "Thêm Bảng", - "add-card": "Thêm Thẻ", - "add-swimlane": "Add Swimlane", - "add-checklist": "Thêm Danh Sách Kiểm Tra", - "add-checklist-item": "Thêm Một Mục Vào Danh Sách Kiểm Tra", - "add-cover": "Thêm Bìa", - "add-label": "Thêm Nhãn", - "add-list": "Thêm Danh Sách", - "add-members": "Thêm Thành Viên", - "added": "Đã Thêm", - "addMemberPopup-title": "Thành Viên", - "admin": "Quản Trị Viên", - "admin-desc": "Có thể xem và chỉnh sửa những thẻ, xóa thành viên và thay đổi cài đặt cho bảng.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "Tất cả các bảng", - "and-n-other-card": "Và __count__ thẻ khác", - "and-n-other-card_plural": "Và __count__ thẻ khác", - "apply": "Ứng Dụng", - "app-is-offline": "Wekan đang tải, vui lòng đợi. Tải lại trang có thể làm mất dữ liệu. Nếu Wekan không thể tải được, Vui lòng kiểm tra lại Wekan server.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "Khôi Phục Bảng", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "Chỉ định thành viên", - "attached": "đã đính kèm", - "attachment": "Phần đính kèm", - "attachment-delete-pop": "Xóa tệp đính kèm là vĩnh viễn. Không có khôi phục.", - "attachmentDeletePopup-title": "Xóa tệp đính kèm không?", - "attachments": "Tệp Đính Kèm", - "auto-watch": "Tự động xem bảng lúc được tạo ra", - "avatar-too-big": "Hình đại diện quá to (70KB tối đa)", - "back": "Trở Lại", - "board-change-color": "Đổi màu", - "board-nb-stars": "%s sao", - "board-not-found": "Không tìm được bảng", - "board-private-info": "Bảng này sẽ chuyển sang chế độ private.", - "board-public-info": "Bảng này sẽ chuyển sang chế độ public.", - "boardChangeColorPopup-title": "Thay hình nền của bảng", - "boardChangeTitlePopup-title": "Đổi tên bảng", - "boardChangeVisibilityPopup-title": "Đổi cách hiển thị", - "boardChangeWatchPopup-title": "Đổi cách xem", - "boardMenuPopup-title": "Board Menu", - "boards": "Bảng", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Hủy", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "Thẻ này có %s bình luận.", - "card-delete-notice": "Hành động xóa là không thể khôi phục. Bạn sẽ mất hết các hoạt động liên quan đến thẻ này.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Thành Viên", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Thành Viên", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Đổi tên bảng", - "restore": "Restore", - "save": "Save", - "search": "Search", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json deleted file mode 100644 index ad821bef..00000000 --- a/i18n/zh-CN.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "接受", - "act-activity-notify": "[Wekan] 活动通知", - "act-addAttachment": "添加附件 __attachment__ 至卡片 __card__", - "act-addChecklist": "添加清单 __checklist__ 到 __card__", - "act-addChecklistItem": "向 __card__ 中的清单 __checklist__ 添加 __checklistItem__", - "act-addComment": "在 __card__ 发布评论: __comment__", - "act-createBoard": "创建看板 __board__", - "act-createCard": "添加卡片 __card__ 至列表 __list__", - "act-createCustomField": "创建了自定义字段 __customField__", - "act-createList": "添加列表 __list__ 至看板 __board__", - "act-addBoardMember": "添加成员 __member__ 至看板 __board__", - "act-archivedBoard": "__board__ 已被移入回收站 ", - "act-archivedCard": "__card__ 已被移入回收站", - "act-archivedList": "__list__ 已被移入回收站", - "act-archivedSwimlane": "__swimlane__ 已被移入回收站", - "act-importBoard": "导入看板 __board__", - "act-importCard": "导入卡片 __card__", - "act-importList": "导入列表 __list__", - "act-joinMember": "添加成员 __member__ 至卡片 __card__", - "act-moveCard": "从列表 __oldList__ 移动卡片 __card__ 至列表 __list__", - "act-removeBoardMember": "从看板 __board__ 移除成员 __member__", - "act-restoredCard": "恢复卡片 __card__ 至看板 __board__", - "act-unjoinMember": "从卡片 __card__ 移除成员 __member__", - "act-withBoardTitle": "[Wekan] 看板 __board__", - "act-withCardTitle": "[看板 __board__] 卡片 __card__", - "actions": "操作", - "activities": "活动", - "activity": "活动", - "activity-added": "添加 %s 至 %s", - "activity-archived": "%s 已被移入回收站", - "activity-attached": "添加附件 %s 至 %s", - "activity-created": "创建 %s", - "activity-customfield-created": "创建了自定义字段 %s", - "activity-excluded": "排除 %s 从 %s", - "activity-imported": "导入 %s 至 %s 从 %s 中", - "activity-imported-board": "已导入 %s 从 %s 中", - "activity-joined": "已关联 %s", - "activity-moved": "将 %s 从 %s 移动到 %s", - "activity-on": "在 %s", - "activity-removed": "从 %s 中移除 %s", - "activity-sent": "发送 %s 至 %s", - "activity-unjoined": "已解除 %s 关联", - "activity-checklist-added": "已经将清单添加到 %s", - "activity-checklist-item-added": "添加清单项至'%s' 于 %s", - "add": "添加", - "add-attachment": "添加附件", - "add-board": "添加看板", - "add-card": "添加卡片", - "add-swimlane": "添加泳道图", - "add-checklist": "添加待办清单", - "add-checklist-item": "扩充清单", - "add-cover": "添加封面", - "add-label": "添加标签", - "add-list": "添加列表", - "add-members": "添加成员", - "added": "添加", - "addMemberPopup-title": "成员", - "admin": "管理员", - "admin-desc": "可以浏览并编辑卡片,移除成员,并且更改该看板的设置", - "admin-announcement": "通知", - "admin-announcement-active": "激活系统通知", - "admin-announcement-title": "管理员的通知", - "all-boards": "全部看板", - "and-n-other-card": "和其他 __count__ 个卡片", - "and-n-other-card_plural": "和其他 __count__ 个卡片", - "apply": "应用", - "app-is-offline": "Wekan 正在加载,请稍等。刷新页面将导致数据丢失。如果 Wekan 无法加载,请检查 Wekan 服务器是否已经停止。", - "archive": "移入回收站", - "archive-all": "全部移入回收站", - "archive-board": "移动看板到回收站", - "archive-card": "移动卡片到回收站", - "archive-list": "移动列表到回收站", - "archive-swimlane": "移动泳道到回收站", - "archive-selection": "移动选择内容到回收站", - "archiveBoardPopup-title": "移动看板到回收站?", - "archived-items": "回收站", - "archived-boards": "回收站中的看板", - "restore-board": "还原看板", - "no-archived-boards": "回收站中无看板", - "archives": "回收站", - "assign-member": "分配成员", - "attached": "附加", - "attachment": "附件", - "attachment-delete-pop": "删除附件的操作不可逆。", - "attachmentDeletePopup-title": "删除附件?", - "attachments": "附件", - "auto-watch": "自动关注新建的看板", - "avatar-too-big": "头像过大 (上限 70 KB)", - "back": "返回", - "board-change-color": "更改颜色", - "board-nb-stars": "%s 星标", - "board-not-found": "看板不存在", - "board-private-info": "该看板将被设为 私有.", - "board-public-info": "该看板将被设为 公开.", - "boardChangeColorPopup-title": "修改看板背景", - "boardChangeTitlePopup-title": "重命名看板", - "boardChangeVisibilityPopup-title": "更改可视级别", - "boardChangeWatchPopup-title": "更改关注状态", - "boardMenuPopup-title": "看板菜单", - "boards": "看板", - "board-view": "看板视图", - "board-view-swimlanes": "泳道图", - "board-view-lists": "列表", - "bucket-example": "例如 “目标清单”", - "cancel": "取消", - "card-archived": "此卡片已经被移入回收站。", - "card-comments-title": "该卡片有 %s 条评论", - "card-delete-notice": "彻底删除的操作不可恢复,你将会丢失该卡片相关的所有操作记录。", - "card-delete-pop": "所有的活动将从活动摘要中被移除且您将无法重新打开该卡片。此操作无法撤销。", - "card-delete-suggest-archive": "将卡片移入回收站可以从看板中删除卡片,相关活动记录将被保留。", - "card-due": "到期", - "card-due-on": "期限", - "card-spent": "耗时", - "card-edit-attachments": "编辑附件", - "card-edit-custom-fields": "编辑自定义字段", - "card-edit-labels": "编辑标签", - "card-edit-members": "编辑成员", - "card-labels-title": "更改该卡片上的标签", - "card-members-title": "在该卡片中添加或移除看板成员", - "card-start": "开始", - "card-start-on": "始于", - "cardAttachmentsPopup-title": "附件来源", - "cardCustomField-datePopup-title": "修改日期", - "cardCustomFieldsPopup-title": "编辑自定义字段", - "cardDeletePopup-title": "彻底删除卡片?", - "cardDetailsActionsPopup-title": "卡片操作", - "cardLabelsPopup-title": "标签", - "cardMembersPopup-title": "成员", - "cardMorePopup-title": "更多", - "cards": "卡片", - "cards-count": "卡片", - "change": "变更", - "change-avatar": "更改头像", - "change-password": "更改密码", - "change-permissions": "更改权限", - "change-settings": "更改设置", - "changeAvatarPopup-title": "更改头像", - "changeLanguagePopup-title": "更改语言", - "changePasswordPopup-title": "更改密码", - "changePermissionsPopup-title": "更改权限", - "changeSettingsPopup-title": "更改设置", - "checklists": "清单", - "click-to-star": "点此来标记该看板", - "click-to-unstar": "点此来去除该看板的标记", - "clipboard": "剪贴板或者拖放文件", - "close": "关闭", - "close-board": "关闭看板", - "close-board-pop": "在主页中点击顶部的“回收站”按钮可以恢复看板。", - "color-black": "黑色", - "color-blue": "蓝色", - "color-green": "绿色", - "color-lime": "绿黄", - "color-orange": "橙色", - "color-pink": "粉红", - "color-purple": "紫色", - "color-red": "红色", - "color-sky": "天蓝", - "color-yellow": "黄色", - "comment": "评论", - "comment-placeholder": "添加评论", - "comment-only": "仅能评论", - "comment-only-desc": "只能在卡片上评论。", - "computer": "从本机上传", - "confirm-checklist-delete-dialog": "确认要删除清单吗", - "copy-card-link-to-clipboard": "复制卡片链接到剪贴板", - "copyCardPopup-title": "复制卡片", - "copyChecklistToManyCardsPopup-title": "复制清单模板至多个卡片", - "copyChecklistToManyCardsPopup-instructions": "以JSON格式表示目标卡片的标题和描述", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"第一个卡片的标题\", \"description\":\"第一个卡片的描述\"}, {\"title\":\"第二个卡片的标题\",\"description\":\"第二个卡片的描述\"},{\"title\":\"最后一个卡片的标题\",\"description\":\"最后一个卡片的描述\"} ]", - "create": "创建", - "createBoardPopup-title": "创建看板", - "chooseBoardSourcePopup-title": "导入看板", - "createLabelPopup-title": "创建标签", - "createCustomField": "创建字段", - "createCustomFieldPopup-title": "创建字段", - "current": "当前", - "custom-field-delete-pop": "没有撤销,此动作将从所有卡片中移除自定义字段并销毁历史。", - "custom-field-checkbox": "选择框", - "custom-field-date": "日期", - "custom-field-dropdown": "下拉列表", - "custom-field-dropdown-none": "(无)", - "custom-field-dropdown-options": "列表选项", - "custom-field-dropdown-options-placeholder": "回车可以加入更多选项", - "custom-field-dropdown-unknown": "(未知)", - "custom-field-number": "数字", - "custom-field-text": "文本", - "custom-fields": "自定义字段", - "date": "日期", - "decline": "拒绝", - "default-avatar": "默认头像", - "delete": "删除", - "deleteCustomFieldPopup-title": "删除自定义字段?", - "deleteLabelPopup-title": "删除标签?", - "description": "描述", - "disambiguateMultiLabelPopup-title": "标签消歧 [?]", - "disambiguateMultiMemberPopup-title": "成员消歧 [?]", - "discard": "放弃", - "done": "完成", - "download": "下载", - "edit": "编辑", - "edit-avatar": "更改头像", - "edit-profile": "编辑资料", - "edit-wip-limit": "编辑最大任务数", - "soft-wip-limit": "软在制品限制", - "editCardStartDatePopup-title": "修改起始日期", - "editCardDueDatePopup-title": "修改截止日期", - "editCustomFieldPopup-title": "编辑字段", - "editCardSpentTimePopup-title": "修改耗时", - "editLabelPopup-title": "更改标签", - "editNotificationPopup-title": "编辑通知", - "editProfilePopup-title": "编辑资料", - "email": "邮箱", - "email-enrollAccount-subject": "已为您在 __siteName__ 创建帐号", - "email-enrollAccount-text": "尊敬的 __user__,\n\n点击下面的链接,即刻开始使用这项服务。\n\n__url__\n\n谢谢。", - "email-fail": "邮件发送失败", - "email-fail-text": "尝试发送邮件时出错", - "email-invalid": "邮件地址错误", - "email-invite": "发送邮件邀请", - "email-invite-subject": "__inviter__ 向您发出邀请", - "email-invite-text": "尊敬的 __user__,\n\n__inviter__ 邀请您加入看板 \"__board__\" 参与协作。\n\n请点击下面的链接访问看板:\n\n__url__\n\n谢谢。", - "email-resetPassword-subject": "重置您的 __siteName__ 密码", - "email-resetPassword-text": "尊敬的 __user__,\n\n点击下面的链接,重置您的密码:\n\n__url__\n\n谢谢。", - "email-sent": "邮件已发送", - "email-verifyEmail-subject": "在 __siteName__ 验证您的邮件地址", - "email-verifyEmail-text": "尊敬的 __user__,\n\n点击下面的链接,验证您的邮件地址:\n\n__url__\n\n谢谢。", - "enable-wip-limit": "启用最大任务数限制", - "error-board-doesNotExist": "该看板不存在", - "error-board-notAdmin": "需要成为管理员才能执行此操作", - "error-board-notAMember": "需要成为看板成员才能执行此操作", - "error-json-malformed": "文本不是合法的 JSON", - "error-json-schema": "JSON 数据没有用正确的格式包含合适的信息", - "error-list-doesNotExist": "不存在此列表", - "error-user-doesNotExist": "该用户不存在", - "error-user-notAllowSelf": "无法邀请自己", - "error-user-notCreated": "该用户未能成功创建", - "error-username-taken": "此用户名已存在", - "error-email-taken": "此EMail已存在", - "export-board": "导出看板", - "filter": "过滤", - "filter-cards": "过滤卡片", - "filter-clear": "清空过滤器", - "filter-no-label": "无标签", - "filter-no-member": "无成员", - "filter-no-custom-fields": "无自定义字段", - "filter-on": "过滤器启用", - "filter-on-desc": "你正在过滤该看板上的卡片,点此编辑过滤。", - "filter-to-selection": "要选择的过滤器", - "advanced-filter-label": "高级过滤器", - "advanced-filter-description": "高级过滤器可以使用包含如下操作符的字符串进行过滤:== != <= >= && || ( ) 。操作符之间用空格隔开。输入字段名和数值就可以过滤所有自定义字段。例如:Field1 == Value1. 注意如果字段名或数值包含空格,需要用单引号。例如: 'Field 1' == 'Value 1'。支持组合使用多个条件,例如: F1 == V1 || F1 = V2。通常以从左到右的顺序进行判断。可以通过括号修改顺序,例如:F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "全称", - "header-logo-title": "返回您的看板页", - "hide-system-messages": "隐藏系统消息", - "headerBarCreateBoardPopup-title": "创建看板", - "home": "首页", - "import": "导入", - "import-board": "导入看板", - "import-board-c": "导入看板", - "import-board-title-trello": "从Trello导入看板", - "import-board-title-wekan": "从Wekan 导入看板", - "import-sandstorm-warning": "导入的面板将删除所有已存在于面板上的数据并替换他们为导入的面板。 ", - "from-trello": "自 Trello", - "from-wekan": "自 Wekan", - "import-board-instruction-trello": "在你的Trello看板中,点击“菜单”,然后选择“更多”,“打印与导出”,“导出为 JSON” 并拷贝结果文本", - "import-board-instruction-wekan": "在你的Wekan面板中点'菜单',然后点‘导出面板’并在已下载的文档复制文本。", - "import-json-placeholder": "粘贴您有效的 JSON 数据至此", - "import-map-members": "映射成员", - "import-members-map": "您导入的看板有一些成员。请将您想导入的成员映射到 Wekan 用户。", - "import-show-user-mapping": "核对成员映射", - "import-user-select": "选择您想将此成员映射到的 Wekan 用户", - "importMapMembersAddPopup-title": "选择Wekan成员", - "info": "版本", - "initials": "缩写", - "invalid-date": "无效日期", - "invalid-time": "非法时间", - "invalid-user": "非法用户", - "joined": "关联", - "just-invited": "您刚刚被邀请加入此看板", - "keyboard-shortcuts": "键盘快捷键", - "label-create": "创建标签", - "label-default": "%s 标签 (默认)", - "label-delete-pop": "此操作不可逆,这将会删除该标签并清除它的历史记录。", - "labels": "标签", - "language": "语言", - "last-admin-desc": "你不能更改角色,因为至少需要一名管理员。", - "leave-board": "离开看板", - "leave-board-pop": "确认要离开 __boardTitle__ 吗?此看板的所有卡片都会将您移除。", - "leaveBoardPopup-title": "离开看板?", - "link-card": "关联至该卡片", - "list-archive-cards": "移动此列表中的所有卡片到回收站", - "list-archive-cards-pop": "此操作会从看板中删除所有此列表包含的卡片。要查看回收站中的卡片并恢复到看板,请点击“菜单” > “回收站”。", - "list-move-cards": "移动列表中的所有卡片", - "list-select-cards": "选择列表中的所有卡片", - "listActionPopup-title": "列表操作", - "swimlaneActionPopup-title": "泳道图操作", - "listImportCardPopup-title": "导入 Trello 卡片", - "listMorePopup-title": "更多", - "link-list": "关联到这个列表", - "list-delete-pop": "所有活动将被从活动动态中删除并且你无法恢复他们,此操作无法撤销。 ", - "list-delete-suggest-archive": "可以将列表移入回收站,看板中将删除列表,但是相关活动记录会被保留。", - "lists": "列表", - "swimlanes": "泳道图", - "log-out": "登出", - "log-in": "登录", - "loginPopup-title": "登录", - "memberMenuPopup-title": "成员设置", - "members": "成员", - "menu": "菜单", - "move-selection": "移动选择", - "moveCardPopup-title": "移动卡片", - "moveCardToBottom-title": "移动至底端", - "moveCardToTop-title": "移动至顶端", - "moveSelectionPopup-title": "移动选择", - "multi-selection": "多选", - "multi-selection-on": "多选启用", - "muted": "静默", - "muted-info": "你将不会收到此看板的任何变更通知", - "my-boards": "我的看板", - "name": "名称", - "no-archived-cards": "回收站中无卡片。", - "no-archived-lists": "回收站中无列表。", - "no-archived-swimlanes": "回收站中无泳道。", - "no-results": "无结果", - "normal": "普通", - "normal-desc": "可以创建以及编辑卡片,无法更改设置。", - "not-accepted-yet": "邀请尚未接受", - "notify-participate": "接收以创建者或成员身份参与的卡片的更新", - "notify-watch": "接收所有关注的面板、列表、及卡片的更新", - "optional": "可选", - "or": "或", - "page-maybe-private": "本页面被设为私有. 您必须 登录以浏览其中内容。", - "page-not-found": "页面不存在。", - "password": "密码", - "paste-or-dragdrop": "从剪贴板粘贴,或者拖放文件到它上面 (仅限于图片)", - "participating": "参与", - "preview": "预览", - "previewAttachedImagePopup-title": "预览", - "previewClipboardImagePopup-title": "预览", - "private": "私有", - "private-desc": "该看板将被设为私有。只有该看板成员才可以进行查看和编辑。", - "profile": "资料", - "public": "公开", - "public-desc": "该看板将被公开。任何人均可通过链接查看,并且将对Google和其他搜索引擎开放。只有添加至该看板的成员才可进行编辑。", - "quick-access-description": "星标看板在导航条中添加快捷方式", - "remove-cover": "移除封面", - "remove-from-board": "从看板中删除", - "remove-label": "移除标签", - "listDeletePopup-title": "删除列表", - "remove-member": "移除成员", - "remove-member-from-card": "从该卡片中移除", - "remove-member-pop": "确定从 __boardTitle__ 中移除 __name__ (__username__) 吗? 该成员将被从该看板的所有卡片中移除,同时他会收到一条提醒。", - "removeMemberPopup-title": "删除成员?", - "rename": "重命名", - "rename-board": "重命名看板", - "restore": "还原", - "save": "保存", - "search": "搜索", - "search-cards": "搜索当前看板上的卡片标题和描述", - "search-example": "搜索", - "select-color": "选择颜色", - "set-wip-limit-value": "设置此列表中的最大任务数", - "setWipLimitPopup-title": "设置最大任务数", - "shortcut-assign-self": "分配当前卡片给自己", - "shortcut-autocomplete-emoji": "表情符号自动补全", - "shortcut-autocomplete-members": "自动补全成员", - "shortcut-clear-filters": "清空全部过滤器", - "shortcut-close-dialog": "关闭对话框", - "shortcut-filter-my-cards": "过滤我的卡片", - "shortcut-show-shortcuts": "显示此快捷键列表", - "shortcut-toggle-filterbar": "切换过滤器边栏", - "shortcut-toggle-sidebar": "切换面板边栏", - "show-cards-minimum-count": "当列表中的卡片多于此阈值时将显示数量", - "sidebar-open": "打开侧栏", - "sidebar-close": "打开侧栏", - "signupPopup-title": "创建账户", - "star-board-title": "点此来标记该看板,它将会出现在您的看板列表顶部。", - "starred-boards": "已标记看板", - "starred-boards-description": "已标记看板将会出现在您的看板列表顶部。", - "subscribe": "订阅", - "team": "团队", - "this-board": "该看板", - "this-card": "该卡片", - "spent-time-hours": "耗时 (小时)", - "overtime-hours": "超时 (小时)", - "overtime": "超时", - "has-overtime-cards": "有超时卡片", - "has-spenttime-cards": "耗时卡", - "time": "时间", - "title": "标题", - "tracking": "跟踪", - "tracking-info": "当任何包含您(作为创建者或成员)的卡片发生变更时,您将得到通知。", - "type": "类型", - "unassign-member": "取消分配成员", - "unsaved-description": "存在未保存的描述", - "unwatch": "取消关注", - "upload": "上传", - "upload-avatar": "上传头像", - "uploaded-avatar": "头像已经上传", - "username": "用户名", - "view-it": "查看", - "warn-list-archived": "警告:此卡片属于回收站中的一个列表", - "watch": "关注", - "watching": "关注", - "watching-info": "当此看板发生变更时会通知你", - "welcome-board": "“欢迎”看板", - "welcome-swimlane": "里程碑 1", - "welcome-list1": "基本", - "welcome-list2": "高阶", - "what-to-do": "要做什么?", - "wipLimitErrorPopup-title": "无效的最大任务数", - "wipLimitErrorPopup-dialog-pt1": "此列表中的任务数量已经超过了设置的最大任务数。", - "wipLimitErrorPopup-dialog-pt2": "请将一些任务移出此列表,或者设置一个更大的最大任务数。", - "admin-panel": "管理面板", - "settings": "设置", - "people": "人员", - "registration": "注册", - "disable-self-registration": "禁止自助注册", - "invite": "邀请", - "invite-people": "邀请人员", - "to-boards": "邀请到看板 (可多选)", - "email-addresses": "电子邮箱地址", - "smtp-host-description": "用于发送邮件的SMTP服务器地址。", - "smtp-port-description": "SMTP服务器端口。", - "smtp-tls-description": "对SMTP服务器启用TLS支持", - "smtp-host": "SMTP服务器", - "smtp-port": "SMTP端口", - "smtp-username": "用户名", - "smtp-password": "密码", - "smtp-tls": "TLS支持", - "send-from": "发件人", - "send-smtp-test": "给自己发送一封测试邮件", - "invitation-code": "邀请码", - "email-invite-register-subject": "__inviter__ 向您发出邀请", - "email-invite-register-text": "亲爱的 __user__,\n\n__inviter__ 邀请您加入 Wekan 进行协作。\n\n请访问下面的链接︰\n__url__\n\n您的的邀请码是︰\n__icode__\n\n非常感谢。", - "email-smtp-test-subject": "从Wekan发送SMTP测试邮件", - "email-smtp-test-text": "你已成功发送邮件", - "error-invitation-code-not-exist": "邀请码不存在", - "error-notAuthorized": "您无权查看此页面。", - "outgoing-webhooks": "外部Web挂钩", - "outgoingWebhooksPopup-title": "外部Web挂钩", - "new-outgoing-webhook": "新建外部Web挂钩", - "no-name": "(未知)", - "Wekan_version": "Wekan版本", - "Node_version": "Node.js版本", - "OS_Arch": "系统架构", - "OS_Cpus": "系统 CPU数量", - "OS_Freemem": "系统可用内存", - "OS_Loadavg": "系统负载均衡", - "OS_Platform": "系统平台", - "OS_Release": "系统发布版本", - "OS_Totalmem": "系统全部内存", - "OS_Type": "系统类型", - "OS_Uptime": "系统运行时间", - "hours": "小时", - "minutes": "分钟", - "seconds": "秒", - "show-field-on-card": "在卡片上显示此字段", - "yes": "是", - "no": "否", - "accounts": "账号", - "accounts-allowEmailChange": "允许邮箱变更", - "accounts-allowUserNameChange": "允许变更用户名", - "createdAt": "创建于", - "verified": "已验证", - "active": "活跃", - "card-received": "已接收", - "card-received-on": "接收于", - "card-end": "终止", - "card-end-on": "终止于", - "editCardReceivedDatePopup-title": "修改接收日期", - "editCardEndDatePopup-title": "修改终止日期", - "assigned-by": "分配人", - "requested-by": "需求人", - "board-delete-notice": "删除时永久操作,将会丢失此看板上的所有列表、卡片和动作。", - "delete-board-confirm-popup": "所有列表、卡片、标签和活动都回被删除,将无法恢复看板内容。不支持撤销。", - "boardDeletePopup-title": "删除看板?", - "delete-board": "删除看板" -} \ No newline at end of file diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json deleted file mode 100644 index 8d28bc5f..00000000 --- a/i18n/zh-TW.i18n.json +++ /dev/null @@ -1,478 +0,0 @@ -{ - "accept": "接受", - "act-activity-notify": "[Wekan] 活動通知", - "act-addAttachment": "新增附件__attachment__至__card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "評論__card__: __comment__", - "act-createBoard": "完成新增 __board__", - "act-createCard": "將__card__加入__list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "新增__list__至__board__", - "act-addBoardMember": "在__board__中新增成員__member__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "匯入__board__", - "act-importCard": "匯入__card__", - "act-importList": "匯入__list__", - "act-joinMember": "在__card__中新增成員__member__", - "act-moveCard": "將__card__從__oldList__移動至__list__", - "act-removeBoardMember": "從__board__中移除成員__member__", - "act-restoredCard": "將__card__回復至__board__", - "act-unjoinMember": "從__card__中移除成員__member__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", - "actions": "操作", - "activities": "活動", - "activity": "活動", - "activity-added": "新增 %s 至 %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "新增附件 %s 至 %s", - "activity-created": "建立 %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "排除 %s 從 %s", - "activity-imported": "匯入 %s 至 %s 從 %s 中", - "activity-imported-board": "已匯入 %s 從 %s 中", - "activity-joined": "關聯 %s", - "activity-moved": "將 %s 從 %s 移動到 %s", - "activity-on": "在 %s", - "activity-removed": "移除 %s 從 %s 中", - "activity-sent": "寄送 %s 至 %s", - "activity-unjoined": "解除關聯 %s", - "activity-checklist-added": "新增待辦清單至 %s", - "activity-checklist-item-added": "新增待辦清單項目從 %s 到 %s", - "add": "新增", - "add-attachment": "新增附件", - "add-board": "新增看板", - "add-card": "新增卡片", - "add-swimlane": "Add Swimlane", - "add-checklist": "新增待辦清單", - "add-checklist-item": "新增項目", - "add-cover": "新增封面", - "add-label": "新增標籤", - "add-list": "新增清單", - "add-members": "新增成員", - "added": "新增", - "addMemberPopup-title": "成員", - "admin": "管理員", - "admin-desc": "可以瀏覽並編輯卡片,移除成員,並且更改該看板的設定", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "全部看板", - "and-n-other-card": "和其他 __count__ 個卡片", - "and-n-other-card_plural": "和其他 __count__ 個卡片", - "apply": "送出", - "app-is-offline": "請稍候,資料讀取中,重整頁面可能會導致資料遺失。如果一直讀取,請檢查 Wekan 的伺服器是否正確運行。", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", - "restore-board": "還原看板", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", - "assign-member": "分配成員", - "attached": "附加", - "attachment": "附件", - "attachment-delete-pop": "刪除附件的操作無法還原。", - "attachmentDeletePopup-title": "刪除附件?", - "attachments": "附件", - "auto-watch": "新增看板時自動加入觀察", - "avatar-too-big": "頭像檔案太大 (最大 70 KB)", - "back": "返回", - "board-change-color": "更改顏色", - "board-nb-stars": "%s 星號標記", - "board-not-found": "看板不存在", - "board-private-info": "該看板將被設為 私有.", - "board-public-info": "該看板將被設為 公開.", - "boardChangeColorPopup-title": "修改看板背景", - "boardChangeTitlePopup-title": "重新命名看板", - "boardChangeVisibilityPopup-title": "更改可視級別", - "boardChangeWatchPopup-title": "更改觀察", - "boardMenuPopup-title": "看板選單", - "boards": "看板", - "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "清單", - "bucket-example": "例如 “目標清單”", - "cancel": "取消", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "該卡片有 %s 則評論", - "card-delete-notice": "徹底刪除的操作不可復原,你將會遺失該卡片相關的所有操作記錄。", - "card-delete-pop": "所有的動作將從活動動態中被移除且您將無法重新打開該卡片。此操作無法復原。", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "到期", - "card-due-on": "到期", - "card-spent": "Spent Time", - "card-edit-attachments": "編輯附件", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "編輯標籤", - "card-edit-members": "編輯成員", - "card-labels-title": "更改該卡片上的標籤", - "card-members-title": "在該卡片中新增或移除看板成員", - "card-start": "開始", - "card-start-on": "開始", - "cardAttachmentsPopup-title": "附件來源", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "徹底刪除卡片?", - "cardDetailsActionsPopup-title": "卡片動作", - "cardLabelsPopup-title": "標籤", - "cardMembersPopup-title": "成員", - "cardMorePopup-title": "更多", - "cards": "卡片", - "cards-count": "卡片", - "change": "變更", - "change-avatar": "更改大頭貼", - "change-password": "更改密碼", - "change-permissions": "更改許可權", - "change-settings": "更改設定", - "changeAvatarPopup-title": "更改大頭貼", - "changeLanguagePopup-title": "更改語言", - "changePasswordPopup-title": "更改密碼", - "changePermissionsPopup-title": "更改許可權", - "changeSettingsPopup-title": "更改設定", - "checklists": "待辦清單", - "click-to-star": "點此來標記該看板", - "click-to-unstar": "點此來去除該看板的標記", - "clipboard": "剪貼簿貼上或者拖曳檔案", - "close": "關閉", - "close-board": "關閉看板", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "黑色", - "color-blue": "藍色", - "color-green": "綠色", - "color-lime": "綠黃", - "color-orange": "橙色", - "color-pink": "粉紅", - "color-purple": "紫色", - "color-red": "紅色", - "color-sky": "天藍", - "color-yellow": "黃色", - "comment": "留言", - "comment-placeholder": "新增評論", - "comment-only": "只可以發表評論", - "comment-only-desc": "只可以對卡片發表評論", - "computer": "從本機上傳", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", - "copy-card-link-to-clipboard": "將卡片連結複製到剪貼板", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "建立", - "createBoardPopup-title": "建立看板", - "chooseBoardSourcePopup-title": "匯入看板", - "createLabelPopup-title": "建立標籤", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "目前", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "日期", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "日期", - "decline": "拒絕", - "default-avatar": "預設大頭貼", - "delete": "刪除", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "刪除標籤?", - "description": "描述", - "disambiguateMultiLabelPopup-title": "清除標籤動作歧義", - "disambiguateMultiMemberPopup-title": "清除成員動作歧義", - "discard": "取消", - "done": "完成", - "download": "下載", - "edit": "編輯", - "edit-avatar": "更改大頭貼", - "edit-profile": "編輯資料", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "更改開始日期", - "editCardDueDatePopup-title": "更改到期日期", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "更改標籤", - "editNotificationPopup-title": "更改通知", - "editProfilePopup-title": "編輯資料", - "email": "電子郵件", - "email-enrollAccount-subject": "您在 __siteName__ 的帳號已經建立", - "email-enrollAccount-text": "親愛的 __user__,\n\n點選下面的連結,即刻開始使用這項服務。\n\n__url__\n\n謝謝。", - "email-fail": "郵件寄送失敗", - "email-fail-text": "Error trying to send email", - "email-invalid": "電子郵件地址錯誤", - "email-invite": "寄送郵件邀請", - "email-invite-subject": "__inviter__ 向您發出邀請", - "email-invite-text": "親愛的 __user__,\n\n__inviter__ 邀請您加入看板 \"__board__\" 參與協作。\n\n請點選下面的連結訪問看板:\n\n__url__\n\n謝謝。", - "email-resetPassword-subject": "重設您在 __siteName__ 的密碼", - "email-resetPassword-text": "親愛的 __user__,\n\n點選下面的連結,重置您的密碼:\n\n__url__\n\n謝謝。", - "email-sent": "郵件已寄送", - "email-verifyEmail-subject": "驗證您在 __siteName__ 的電子郵件", - "email-verifyEmail-text": "親愛的 __user__,\n\n點選下面的連結,驗證您的電子郵件地址:\n\n__url__\n\n謝謝。", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "該看板不存在", - "error-board-notAdmin": "需要成為管理員才能執行此操作", - "error-board-notAMember": "需要成為看板成員才能執行此操作", - "error-json-malformed": "不是有效的 JSON", - "error-json-schema": "JSON 資料沒有用正確的格式包含合適的資訊", - "error-list-doesNotExist": "不存在此列表", - "error-user-doesNotExist": "該使用者不存在", - "error-user-notAllowSelf": "不允許對自己執行此操作", - "error-user-notCreated": "該使用者未能成功建立", - "error-username-taken": "這個使用者名稱已被使用", - "error-email-taken": "電子信箱已被使用", - "export-board": "Export board", - "filter": "過濾", - "filter-cards": "過濾卡片", - "filter-clear": "清空過濾條件", - "filter-no-label": "沒有標籤", - "filter-no-member": "沒有成員", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "過濾條件啟用", - "filter-on-desc": "你正在過濾該看板上的卡片,點此編輯過濾條件。", - "filter-to-selection": "要選擇的過濾條件", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", - "fullname": "全稱", - "header-logo-title": "返回您的看板頁面", - "hide-system-messages": "隱藏系統訊息", - "headerBarCreateBoardPopup-title": "建立看板", - "home": "首頁", - "import": "匯入", - "import-board": "匯入看板", - "import-board-c": "匯入看板", - "import-board-title-trello": "匯入在 Trello 的看板", - "import-board-title-wekan": "從 Wekan 匯入看板", - "import-sandstorm-warning": "匯入資料將會移除所有現有的看版資料,並取代成此次匯入的看板資料", - "from-trello": "來自 Trello", - "from-wekan": "來自 Wekan", - "import-board-instruction-trello": "在你的Trello看板中,點選“功能表”,然後選擇“更多”,“列印與匯出”,“匯出為 JSON” 並拷貝結果文本", - "import-board-instruction-wekan": "在 Wekan 看板中點選“功能表”,然後選擇“匯出看版”且複製文字到下載的檔案", - "import-json-placeholder": "貼上您有效的 JSON 資料至此", - "import-map-members": "複製成員", - "import-members-map": "您匯入的看板有一些成員。請將您想匯入的成員映射到 Wekan 使用者。", - "import-show-user-mapping": "核對成員映射", - "import-user-select": "選擇您想將此成員映射到的 Wekan 使用者", - "importMapMembersAddPopup-title": "選擇 Wekan 成員", - "info": "版本", - "initials": "縮寫", - "invalid-date": "無效的日期", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "關聯", - "just-invited": "您剛剛被邀請加入此看板", - "keyboard-shortcuts": "鍵盤快速鍵", - "label-create": "建立標籤", - "label-default": "%s 標籤 (預設)", - "label-delete-pop": "此操作無法還原,這將會刪除該標籤並清除它的歷史記錄。", - "labels": "標籤", - "language": "語言", - "last-admin-desc": "你不能更改角色,因為至少需要一名管理員。", - "leave-board": "離開看板", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "關聯至該卡片", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "移動清單中的所有卡片", - "list-select-cards": "選擇清單中的所有卡片", - "listActionPopup-title": "清單操作", - "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "匯入 Trello 卡片", - "listMorePopup-title": "更多", - "link-list": "連結到這個清單", - "list-delete-pop": "所有的動作將從活動動態中被移除且您將無法再開啟該清單\b。此操作無法復原。", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "清單", - "swimlanes": "Swimlanes", - "log-out": "登出", - "log-in": "登入", - "loginPopup-title": "登入", - "memberMenuPopup-title": "成員更改", - "members": "成員", - "menu": "選單", - "move-selection": "移動被選擇的項目", - "moveCardPopup-title": "移動卡片", - "moveCardToBottom-title": "移至最下面", - "moveCardToTop-title": "移至最上面", - "moveSelectionPopup-title": "移動選取的項目", - "multi-selection": "多選", - "multi-selection-on": "多選啟用", - "muted": "靜音", - "muted-info": "您將不會收到有關這個看板的任何訊息", - "my-boards": "我的看板", - "name": "名稱", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "無結果", - "normal": "普通", - "normal-desc": "可以建立以及編輯卡片,無法更改。", - "not-accepted-yet": "邀請尚未接受", - "notify-participate": "接收與你有關的卡片更新", - "notify-watch": "接收您關注的看板、清單或卡片的更新", - "optional": "選擇性的", - "or": "或", - "page-maybe-private": "本頁面被設為私有. 您必須 登入以瀏覽其中內容。", - "page-not-found": "頁面不存在。", - "password": "密碼", - "paste-or-dragdrop": "從剪貼簿貼上,或者拖曳檔案到它上面 (僅限於圖片)", - "participating": "參與", - "preview": "預覽", - "previewAttachedImagePopup-title": "預覽", - "previewClipboardImagePopup-title": "預覽", - "private": "私有", - "private-desc": "該看板將被設為私有。只有該看板成員才可以進行檢視和編輯。", - "profile": "資料", - "public": "公開", - "public-desc": "該看板將被公開。任何人均可透過連結檢視,並且將對Google和其他搜尋引擎開放。只有加入至該看板的成員才可進行編輯。", - "quick-access-description": "被星號標記的看板在導航列中新增快速啟動方式", - "remove-cover": "移除封面", - "remove-from-board": "從看板中刪除", - "remove-label": "移除標籤", - "listDeletePopup-title": "刪除標籤", - "remove-member": "移除成員", - "remove-member-from-card": "從該卡片中移除", - "remove-member-pop": "確定從 __boardTitle__ 中移除 __name__ (__username__) 嗎? 該成員將被從該看板的所有卡片中移除,同時他會收到一則提醒。", - "removeMemberPopup-title": "刪除成員?", - "rename": "重新命名", - "rename-board": "重新命名看板", - "restore": "還原", - "save": "儲存", - "search": "搜尋", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "選擇顏色", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "分配目前卡片給自己", - "shortcut-autocomplete-emoji": "自動完成表情符號", - "shortcut-autocomplete-members": "自動補齊成員", - "shortcut-clear-filters": "清空全部過濾條件", - "shortcut-close-dialog": "關閉對話方塊", - "shortcut-filter-my-cards": "過濾我的卡片", - "shortcut-show-shortcuts": "顯示此快速鍵清單", - "shortcut-toggle-filterbar": "切換過濾程式邊欄", - "shortcut-toggle-sidebar": "切換面板邊欄", - "show-cards-minimum-count": "顯示卡片數量,當內容超過數量", - "sidebar-open": "開啟側邊欄", - "sidebar-close": "關閉側邊欄", - "signupPopup-title": "建立帳戶", - "star-board-title": "點此標記該看板,它將會出現在您的看板列表上方。", - "starred-boards": "已標記看板", - "starred-boards-description": "已標記看板將會出現在您的看板列表上方。", - "subscribe": "訂閱", - "team": "團隊", - "this-board": "這個看板", - "this-card": "這個卡片", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "時間", - "title": "標題", - "tracking": "追蹤", - "tracking-info": "你將會收到與你有關的卡片的所有變更通知", - "type": "Type", - "unassign-member": "取消分配成員", - "unsaved-description": "未儲存的描述", - "unwatch": "取消觀察", - "upload": "上傳", - "upload-avatar": "上傳大頭貼", - "uploaded-avatar": "大頭貼已經上傳", - "username": "使用者名稱", - "view-it": "檢視", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "觀察", - "watching": "觀察中", - "watching-info": "你將會收到關於這個看板所有的變更通知", - "welcome-board": "歡迎進入看板", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "基本", - "welcome-list2": "進階", - "what-to-do": "要做什麼?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "控制台", - "settings": "設定", - "people": "成員", - "registration": "註冊", - "disable-self-registration": "關閉自我註冊", - "invite": "邀請", - "invite-people": "邀請成員", - "to-boards": "至看板()", - "email-addresses": "電子郵件", - "smtp-host-description": "SMTP 外寄郵件伺服器", - "smtp-port-description": "SMTP 外寄郵件伺服器埠號", - "smtp-tls-description": "對 SMTP 啟動 TLS 支援", - "smtp-host": "SMTP 位置", - "smtp-port": "SMTP 埠號", - "smtp-username": "使用者名稱", - "smtp-password": "密碼", - "smtp-tls": "支援 TLS", - "send-from": "從", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "邀請碼", - "email-invite-register-subject": "__inviter__ 向您發出邀請", - "email-invite-register-text": "親愛的 __user__,\n\n__inviter__ 邀請您加入 Wekan 一同協作\n\n請點擊下列連結:\n__url__\n\n您的邀請碼為:__icode__\n\n謝謝。", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "邀請碼不存在", - "error-notAuthorized": "沒有適合的權限觀看", - "outgoing-webhooks": "設定 Webhooks", - "outgoingWebhooksPopup-title": "設定 Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan 版本", - "Node_version": "Node 版本", - "OS_Arch": "系統架構", - "OS_Cpus": "系統\b CPU 數", - "OS_Freemem": "undefined", - "OS_Loadavg": "系統平均讀取", - "OS_Platform": "系統平臺", - "OS_Release": "系統發佈版本", - "OS_Totalmem": "系統總記憶體", - "OS_Type": "系統類型", - "OS_Uptime": "系統運行時間", - "hours": "小時", - "minutes": "分鐘", - "seconds": "秒", - "show-field-on-card": "Show this field on card", - "yes": "是", - "no": "否", - "accounts": "帳號", - "accounts-allowEmailChange": "准許變更電子信箱", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" -} \ No newline at end of file -- cgit v1.2.3-1-g7c22 From aeec9f6ef8d8de07c6c8b8001fe2bbeb012b9fa8 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 14 Jun 2018 19:28:06 +0300 Subject: - Markdown support in Custom Fields, and view on minicard - Fixes to Advanced Filter, you are now able to filter for Dropdown and Numbers, also Dropdown are now correctly displayed on minicard - Fix Issue with custom fields shown on card - Fix showing public board in list mode - Fix for not able to remove Custom Field "Show on Card" Related #807 Closes #1659, closes #1623, closes #1683 --- CHANGELOG.md | 19 +++++++++++++++++++ 1 file changed, 19 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 31410bf2..3be0b8a1 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,22 @@ +# Upcoming Wekan release + +This release adds the following new features: + +* [Markdown support in Custom Fields, and view on minicard](https://github.com/wekan/wekan/pull/1699); +* [Fixes to Advanced Filter, you are now able to filter for Dropdown and Numbers, + also Dropdown are now correctly displayed on minicard](https://github.com/wekan/wekan/pull/1699). + +and fixes the following bugs: + +* [Fix data colour changes on cards](https://github.com/wekan/wekan/pull/1698); +* [Fix for migration error "title is required" and breaking of Standalone and + Sandstorm Wekan](https://github.com/wekan/wekan/commit/8d5cbf1e6c2b6d467fe1c0708cd794fd11b98a2e#commitcomment-29362180); +* [Fix Issue with custom fields shown on card](https://github.com/wekan/wekan/issues/1659); +* [Fix showing public board in list mode](https://github.com/wekan/wekan/issues/1623); +* [Fix for not able to remove Custom Field "Show on Card"](https://github.com/wekan/wekan/pull/1699). + +Thanks to GitHub users feuerball11, oec and xet7 for their contributions. + # v1.04 2018-06-12 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From a912960a585d9b5db07b4e390f42ff305dfb54d1 Mon Sep 17 00:00:00 2001 From: RJevnikar <12701645+rjevnikar@users.noreply.github.com> Date: Thu, 14 Jun 2018 16:31:54 +0000 Subject: Add back language files --- i18n/ar.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/bg.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/br.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/ca.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/cs.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/de.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/el.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/en-GB.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/eo.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/es-AR.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/es.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/eu.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/fa.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/fi.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/fr.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/gl.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/he.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/hu.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/hy.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/id.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/ig.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/it.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/ja.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/km.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/ko.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/lv.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/mn.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/nb.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/nl.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/pl.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/pt-BR.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/pt.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/ro.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/ru.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/sr.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/sv.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/ta.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/th.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/tr.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/uk.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/vi.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/zh-CN.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ i18n/zh-TW.i18n.json | 478 +++++++++++++++++++++++++++++++++++++++++++++++++++ 43 files changed, 20554 insertions(+) create mode 100644 i18n/ar.i18n.json create mode 100644 i18n/bg.i18n.json create mode 100644 i18n/br.i18n.json create mode 100644 i18n/ca.i18n.json create mode 100644 i18n/cs.i18n.json create mode 100644 i18n/de.i18n.json create mode 100644 i18n/el.i18n.json create mode 100644 i18n/en-GB.i18n.json create mode 100644 i18n/eo.i18n.json create mode 100644 i18n/es-AR.i18n.json create mode 100644 i18n/es.i18n.json create mode 100644 i18n/eu.i18n.json create mode 100644 i18n/fa.i18n.json create mode 100644 i18n/fi.i18n.json create mode 100644 i18n/fr.i18n.json create mode 100644 i18n/gl.i18n.json create mode 100644 i18n/he.i18n.json create mode 100644 i18n/hu.i18n.json create mode 100644 i18n/hy.i18n.json create mode 100644 i18n/id.i18n.json create mode 100644 i18n/ig.i18n.json create mode 100644 i18n/it.i18n.json create mode 100644 i18n/ja.i18n.json create mode 100644 i18n/km.i18n.json create mode 100644 i18n/ko.i18n.json create mode 100644 i18n/lv.i18n.json create mode 100644 i18n/mn.i18n.json create mode 100644 i18n/nb.i18n.json create mode 100644 i18n/nl.i18n.json create mode 100644 i18n/pl.i18n.json create mode 100644 i18n/pt-BR.i18n.json create mode 100644 i18n/pt.i18n.json create mode 100644 i18n/ro.i18n.json create mode 100644 i18n/ru.i18n.json create mode 100644 i18n/sr.i18n.json create mode 100644 i18n/sv.i18n.json create mode 100644 i18n/ta.i18n.json create mode 100644 i18n/th.i18n.json create mode 100644 i18n/tr.i18n.json create mode 100644 i18n/uk.i18n.json create mode 100644 i18n/vi.i18n.json create mode 100644 i18n/zh-CN.i18n.json create mode 100644 i18n/zh-TW.i18n.json diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json new file mode 100644 index 00000000..cf8f7f49 --- /dev/null +++ b/i18n/ar.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "اقبلboard", + "act-activity-notify": "[Wekan] اشعار عن نشاط", + "act-addAttachment": "ربط __attachment__ الى __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "علق على __comment__ : __card__", + "act-createBoard": "احدث __board__", + "act-createCard": "اضاف __card__ الى __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "اضاف __list__ الى __board__", + "act-addBoardMember": "اضاف __member__ الى __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "إستورد __board__", + "act-importCard": "إستورد __card__", + "act-importList": "إستورد __list__", + "act-joinMember": "اضاف __member__ الى __card__", + "act-moveCard": "حوّل __card__ من __oldList__ إلى __list__", + "act-removeBoardMember": "أزال __member__ من __board__", + "act-restoredCard": "أعاد __card__ إلى __board__", + "act-unjoinMember": "أزال __member__ من __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "الإجراءات", + "activities": "الأنشطة", + "activity": "النشاط", + "activity-added": "تمت إضافة %s ل %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "إرفاق %s ل %s", + "activity-created": "أنشأ %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "استبعاد %s عن %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "انضم %s", + "activity-moved": "تم نقل %s من %s إلى %s", + "activity-on": "على %s", + "activity-removed": "حذف %s إلى %s", + "activity-sent": "إرسال %s إلى %s", + "activity-unjoined": "غادر %s", + "activity-checklist-added": "أضاف قائمة تحقق إلى %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "أضف", + "add-attachment": "إضافة مرفق", + "add-board": "إضافة لوحة", + "add-card": "إضافة بطاقة", + "add-swimlane": "Add Swimlane", + "add-checklist": "إضافة قائمة تدقيق", + "add-checklist-item": "إضافة عنصر إلى قائمة التحقق", + "add-cover": "إضافة غلاف", + "add-label": "إضافة ملصق", + "add-list": "إضافة قائمة", + "add-members": "تعيين أعضاء", + "added": "أُضيف", + "addMemberPopup-title": "الأعضاء", + "admin": "المدير", + "admin-desc": "إمكانية مشاهدة و تعديل و حذف أعضاء ، و تعديل إعدادات اللوحة أيضا.", + "admin-announcement": "إعلان", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "كل اللوحات", + "and-n-other-card": "And __count__ other بطاقة", + "and-n-other-card_plural": "And __count__ other بطاقات", + "apply": "طبق", + "app-is-offline": "يتمّ تحميل ويكان، يرجى الانتظار. سيؤدي تحديث الصفحة إلى فقدان البيانات. إذا لم يتم تحميل ويكان، يرجى التحقق من أن خادم ويكان لم يتوقف. ", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "استعادة اللوحة", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "تعيين عضو", + "attached": "أُرفق)", + "attachment": "مرفق", + "attachment-delete-pop": "حذف المرق هو حذف نهائي . لا يمكن التراجع إذا حذف.", + "attachmentDeletePopup-title": "تريد حذف المرفق ?", + "attachments": "المرفقات", + "auto-watch": "مراقبة لوحات تلقائيا عندما يتم إنشاؤها", + "avatar-too-big": "الصورة الرمزية كبيرة جدا (70 كيلوبايت كحد أقصى)", + "back": "رجوع", + "board-change-color": "تغيير اللومr", + "board-nb-stars": "%s نجوم", + "board-not-found": "لوحة مفقودة", + "board-private-info": "سوف تصبح هذه اللوحة خاصة", + "board-public-info": "سوف تصبح هذه اللوحة عامّة.", + "boardChangeColorPopup-title": "تعديل خلفية الشاشة", + "boardChangeTitlePopup-title": "إعادة تسمية اللوحة", + "boardChangeVisibilityPopup-title": "تعديل وضوح الرؤية", + "boardChangeWatchPopup-title": "تغيير المتابعة", + "boardMenuPopup-title": "قائمة اللوحة", + "boards": "لوحات", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "القائمات", + "bucket-example": "مثل « todo list » على سبيل المثال", + "cancel": "إلغاء", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "%s تعليقات لهذه البطاقة", + "card-delete-notice": "هذا حذف أبديّ . سوف تفقد كل الإجراءات المنوطة بهذه البطاقة", + "card-delete-pop": "سيتم إزالة جميع الإجراءات من تبعات النشاط، وأنك لن تكون قادرا على إعادة فتح البطاقة. لا يوجد التراجع.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "مستحق", + "card-due-on": "مستحق في", + "card-spent": "Spent Time", + "card-edit-attachments": "تعديل المرفقات", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "تعديل العلامات", + "card-edit-members": "تعديل الأعضاء", + "card-labels-title": "تعديل علامات البطاقة.", + "card-members-title": "إضافة او حذف أعضاء للبطاقة.", + "card-start": "بداية", + "card-start-on": "يبدأ في", + "cardAttachmentsPopup-title": "إرفاق من", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "حذف البطاقة ?", + "cardDetailsActionsPopup-title": "إجراءات على البطاقة", + "cardLabelsPopup-title": "علامات", + "cardMembersPopup-title": "أعضاء", + "cardMorePopup-title": "المزيد", + "cards": "بطاقات", + "cards-count": "بطاقات", + "change": "Change", + "change-avatar": "تعديل الصورة الشخصية", + "change-password": "تغيير كلمة المرور", + "change-permissions": "تعديل الصلاحيات", + "change-settings": "تغيير الاعدادات", + "changeAvatarPopup-title": "تعديل الصورة الشخصية", + "changeLanguagePopup-title": "تغيير اللغة", + "changePasswordPopup-title": "تغيير كلمة المرور", + "changePermissionsPopup-title": "تعديل الصلاحيات", + "changeSettingsPopup-title": "تغيير الاعدادات", + "checklists": "قوائم التّدقيق", + "click-to-star": "اضغط لإضافة اللوحة للمفضلة.", + "click-to-unstar": "اضغط لحذف اللوحة من المفضلة.", + "clipboard": "Clipboard or drag & drop", + "close": "غلق", + "close-board": "غلق اللوحة", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "تعليق", + "comment-placeholder": "أكتب تعليق", + "comment-only": "التعليق فقط", + "comment-only-desc": "يمكن التعليق على بطاقات فقط.", + "computer": "حاسوب", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "نسخ رابط البطاقة إلى الحافظة", + "copyCardPopup-title": "نسخ البطاقة", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "إنشاء", + "createBoardPopup-title": "إنشاء لوحة", + "chooseBoardSourcePopup-title": "استيراد لوحة", + "createLabelPopup-title": "إنشاء علامة", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "الحالي", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "تاريخ", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "تاريخ", + "decline": "Decline", + "default-avatar": "صورة شخصية افتراضية", + "delete": "حذف", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "حذف العلامة ?", + "description": "وصف", + "disambiguateMultiLabelPopup-title": "تحديد الإجراء على العلامة", + "disambiguateMultiMemberPopup-title": "تحديد الإجراء على العضو", + "discard": "التخلص منها", + "done": "Done", + "download": "تنزيل", + "edit": "تعديل", + "edit-avatar": "تعديل الصورة الشخصية", + "edit-profile": "تعديل الملف الشخصي", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "تغيير تاريخ البدء", + "editCardDueDatePopup-title": "تغيير تاريخ الاستحقاق", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "تعديل العلامة", + "editNotificationPopup-title": "تصحيح الإشعار", + "editProfilePopup-title": "تعديل الملف الشخصي", + "email": "البريد الإلكتروني", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "لا يمكنك دعوة نفسك", + "error-user-notCreated": "This user is not created", + "error-username-taken": "إسم المستخدم مأخوذ مسبقا", + "error-email-taken": "البريد الإلكتروني مأخوذ بالفعل", + "export-board": "Export board", + "filter": "تصفية", + "filter-cards": "تصفية البطاقات", + "filter-clear": "مسح التصفية", + "filter-no-label": "لا يوجد ملصق", + "filter-no-member": "ليس هناك أي عضو", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "التصفية تشتغل", + "filter-on-desc": "أنت بصدد تصفية بطاقات هذه اللوحة. اضغط هنا لتعديل التصفية.", + "filter-to-selection": "تصفية بالتحديد", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "الإسم الكامل", + "header-logo-title": "الرجوع إلى صفحة اللوحات", + "hide-system-messages": "إخفاء رسائل النظام", + "headerBarCreateBoardPopup-title": "إنشاء لوحة", + "home": "الرئيسية", + "import": "Import", + "import-board": "استيراد لوحة", + "import-board-c": "استيراد لوحة", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "استيراد لوحة من ويكان", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "من تريلو", + "from-wekan": "من ويكان", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", + "import-board-instruction-wekan": "في لوحة ويكان الخاصة بك، انتقل إلى 'القائمة'، ثم 'تصدير اللوحة'، ونسخ النص في الملف الذي تم تنزيله.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "رسم خريطة الأعضاء", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "حدّد عضو ويكان", + "info": "الإصدار", + "initials": "أولية", + "invalid-date": "تاريخ غير صالح", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "انضمّ", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "اختصار لوحة المفاتيح", + "label-create": "إنشاء علامة", + "label-default": "%s علامة (افتراضية)", + "label-delete-pop": "لا يوجد تراجع. سيؤدي هذا إلى إزالة هذه العلامة من جميع بطاقات والقضاء على تأريخها", + "labels": "علامات", + "language": "لغة", + "last-admin-desc": "لا يمكن تعديل الأدوار لأن ذلك يتطلب صلاحيات المدير.", + "leave-board": "مغادرة اللوحة", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "مغادرة اللوحة ؟", + "link-card": "ربط هذه البطاقة", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "نقل بطاقات هذه القائمة", + "list-select-cards": "تحديد بطاقات هذه القائمة", + "listActionPopup-title": "قائمة الإجراءات", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "المزيد", + "link-list": "رابط إلى هذه القائمة", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "القائمات", + "swimlanes": "Swimlanes", + "log-out": "تسجيل الخروج", + "log-in": "تسجيل الدخول", + "loginPopup-title": "تسجيل الدخول", + "memberMenuPopup-title": "أفضليات الأعضاء", + "members": "أعضاء", + "menu": "القائمة", + "move-selection": "Move selection", + "moveCardPopup-title": "نقل البطاقة", + "moveCardToBottom-title": "التحرك إلى القاع", + "moveCardToTop-title": "التحرك إلى الأعلى", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "تحديد أكثر من واحدة", + "multi-selection-on": "Multi-Selection is on", + "muted": "مكتوم", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "لوحاتي", + "name": "اسم", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "لا توجد نتائج", + "normal": "عادي", + "normal-desc": "يمكن مشاهدة و تعديل البطاقات. لا يمكن تغيير إعدادات الضبط.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "اختياري", + "or": "or", + "page-maybe-private": "قدتكون هذه الصفحة خاصة . قد تستطيع مشاهدتها ب تسجيل الدخول.", + "page-not-found": "صفحة غير موجودة", + "password": "كلمة المرور", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "المشاركة", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "خاص", + "private-desc": "هذه اللوحة خاصة . لا يسمح إلا للأعضاء .", + "profile": "ملف شخصي", + "public": "عامّ", + "public-desc": "هذه اللوحة عامة: مرئية لكلّ من يحصل على الرابط ، و هي مرئية أيضا في محركات البحث مثل جوجل. التعديل مسموح به للأعضاء فقط.", + "quick-access-description": "أضف لوحة إلى المفضلة لإنشاء اختصار في هذا الشريط.", + "remove-cover": "حذف الغلاف", + "remove-from-board": "حذف من اللوحة", + "remove-label": "إزالة التصنيف", + "listDeletePopup-title": "حذف القائمة ؟", + "remove-member": "حذف العضو", + "remove-member-from-card": "حذف من البطاقة", + "remove-member-pop": "حذف __name__ (__username__) من __boardTitle__ ? سيتم حذف هذا العضو من جميع بطاقة اللوحة مع إرسال إشعار له بذاك.", + "removeMemberPopup-title": "حذف العضو ?", + "rename": "إعادة التسمية", + "rename-board": "إعادة تسمية اللوحة", + "restore": "استعادة", + "save": "حفظ", + "search": "بحث", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "اختيار اللون", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "الإكمال التلقائي للرموز التعبيرية", + "shortcut-autocomplete-members": "الإكمال التلقائي لأسماء الأعضاء", + "shortcut-clear-filters": "مسح التصفيات", + "shortcut-close-dialog": "غلق النافذة", + "shortcut-filter-my-cards": "تصفية بطاقاتي", + "shortcut-show-shortcuts": "عرض قائمة الإختصارات ،تلك", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "إظهار-إخفاء الشريط الجانبي للوحة", + "show-cards-minimum-count": "إظهار عدد البطاقات إذا كانت القائمة تتضمن أكثر من", + "sidebar-open": "فتح الشريط الجانبي", + "sidebar-close": "إغلاق الشريط الجانبي", + "signupPopup-title": "إنشاء حساب", + "star-board-title": "اضغط لإضافة هذه اللوحة إلى المفضلة . سوف يتم إظهارها على رأس بقية اللوحات.", + "starred-boards": "اللوحات المفضلة", + "starred-boards-description": "تعرض اللوحات المفضلة على رأس بقية اللوحات.", + "subscribe": "اشتراك و متابعة", + "team": "فريق", + "this-board": "هذه اللوحة", + "this-card": "هذه البطاقة", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "الوقت", + "title": "عنوان", + "tracking": "تتبع", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "إلغاء تعيين العضو", + "unsaved-description": "لديك وصف غير محفوظ", + "unwatch": "غير مُشاهد", + "upload": "Upload", + "upload-avatar": "رفع صورة شخصية", + "uploaded-avatar": "تم رفع الصورة الشخصية", + "username": "اسم المستخدم", + "view-it": "شاهدها", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "مُشاهد", + "watching": "مشاهدة", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "لوحة التّرحيب", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "المبادئ", + "welcome-list2": "متقدم", + "what-to-do": "ماذا تريد أن تنجز?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "لوحة التحكم", + "settings": "الإعدادات", + "people": "الناس", + "registration": "تسجيل", + "disable-self-registration": "Disable Self-Registration", + "invite": "دعوة", + "invite-people": "الناس المدعوين", + "to-boards": "إلى اللوحات", + "email-addresses": "عناوين البريد الإلكتروني", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "تفعيل دعم TLS من اجل خادم SMTP", + "smtp-host": "مضيف SMTP", + "smtp-port": "منفذ SMTP", + "smtp-username": "اسم المستخدم", + "smtp-password": "كلمة المرور", + "smtp-tls": "دعم التي ال سي", + "send-from": "من", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "رمز الدعوة", + "email-invite-register-subject": "__inviter__ أرسل دعوة لك", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "رمز الدعوة غير موجود", + "error-notAuthorized": "أنتَ لا تملك الصلاحيات لرؤية هذه الصفحة.", + "outgoing-webhooks": "الويبهوك الصادرة", + "outgoingWebhooksPopup-title": "الويبهوك الصادرة", + "new-outgoing-webhook": "ويبهوك جديدة ", + "no-name": "(غير معروف)", + "Wekan_version": "إصدار ويكان", + "Node_version": "إصدار النود", + "OS_Arch": "معمارية نظام التشغيل", + "OS_Cpus": "استهلاك وحدة المعالجة المركزية لنظام التشغيل", + "OS_Freemem": "الذاكرة الحرة لنظام التشغيل", + "OS_Loadavg": "متوسط حمل نظام التشغيل", + "OS_Platform": "منصة نظام التشغيل", + "OS_Release": "إصدار نظام التشغيل", + "OS_Totalmem": "الذاكرة الكلية لنظام التشغيل", + "OS_Type": "نوع نظام التشغيل", + "OS_Uptime": "مدة تشغيل نظام التشغيل", + "hours": "الساعات", + "minutes": "الدقائق", + "seconds": "الثواني", + "show-field-on-card": "Show this field on card", + "yes": "نعم", + "no": "لا", + "accounts": "الحسابات", + "accounts-allowEmailChange": "السماح بتغيير البريد الإلكتروني", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json new file mode 100644 index 00000000..3940e33a --- /dev/null +++ b/i18n/bg.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accept", + "act-activity-notify": "[Wekan] Известия за дейности", + "act-addAttachment": "прикачи __attachment__ към __card__", + "act-addChecklist": "добави списък със задачи __checklist__ към __card__", + "act-addChecklistItem": "добави __checklistItem__ към списък със задачи __checklist__ в __card__", + "act-addComment": "Коментира в __card__: __comment__", + "act-createBoard": "създаде __board__", + "act-createCard": "добави __card__ към __list__", + "act-createCustomField": "създаде собствено поле __customField__", + "act-createList": "добави __list__ към __board__", + "act-addBoardMember": "добави __member__ към __board__", + "act-archivedBoard": "__board__ беше преместен в Кошчето", + "act-archivedCard": "__card__ беше преместена в Кошчето", + "act-archivedList": "__list__ беше преместен в Кошчето", + "act-archivedSwimlane": "__swimlane__ беше преместен в Кошчето", + "act-importBoard": "импортира __board__", + "act-importCard": "импортира __card__", + "act-importList": "импортира __list__", + "act-joinMember": "добави __member__ към __card__", + "act-moveCard": "премести __card__ от __oldList__ в __list__", + "act-removeBoardMember": "премахна __member__ от __board__", + "act-restoredCard": "възстанови __card__ в __board__", + "act-unjoinMember": "премахна __member__ от __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Действия", + "activity": "Дейности", + "activity-added": "добави %s към %s", + "activity-archived": "премести %s в Кошчето", + "activity-attached": "прикачи %s към %s", + "activity-created": "създаде %s", + "activity-customfield-created": "създаде собствено поле %s", + "activity-excluded": "изключи %s от %s", + "activity-imported": "импортира %s в/във %s от %s", + "activity-imported-board": "импортира %s от %s", + "activity-joined": "се присъедини към %s", + "activity-moved": "премести %s от %s в/във %s", + "activity-on": "на %s", + "activity-removed": "премахна %s от %s", + "activity-sent": "изпрати %s до %s", + "activity-unjoined": "вече не е част от %s", + "activity-checklist-added": "добави списък със задачи към %s", + "activity-checklist-item-added": "добави точка към '%s' в/във %s", + "add": "Добави", + "add-attachment": "Добави прикачен файл", + "add-board": "Добави Табло", + "add-card": "Добави карта", + "add-swimlane": "Добави коридор", + "add-checklist": "Добави списък със задачи", + "add-checklist-item": "Добави точка към списъка със задачи", + "add-cover": "Добави корица", + "add-label": "Добави етикет", + "add-list": "Добави списък", + "add-members": "Добави членове", + "added": "Добавено", + "addMemberPopup-title": "Членове", + "admin": "Администратор", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Съобщение", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Съобщение от администратора", + "all-boards": "Всички табла", + "and-n-other-card": "И __count__ друга карта", + "and-n-other-card_plural": "И __count__ други карти", + "apply": "Приложи", + "app-is-offline": "Wekan зарежда, моля изчакайте! Презареждането на страницата може да доведе до загуба на данни. Ако Wekan не се зареди, моля проверете дали сървъра му работи.", + "archive": "Премести в Кошчето", + "archive-all": "Премести всички в Кошчето", + "archive-board": "Премести Таблото в Кошчето", + "archive-card": "Премести Картата в Кошчето", + "archive-list": "Премести Списъка в Кошчето", + "archive-swimlane": "Премести Коридора в Кошчето", + "archive-selection": "Премести избраните в Кошчето", + "archiveBoardPopup-title": "Сигурни ли сте, че искате да преместите Таблото в Кошчето?", + "archived-items": "Кошче", + "archived-boards": "Табла в Кошчето", + "restore-board": "Възстанови Таблото", + "no-archived-boards": "Няма Табла в Кошчето.", + "archives": "Кошче", + "assign-member": "Възложи на член от екипа", + "attached": "прикачен", + "attachment": "Прикаченн файл", + "attachment-delete-pop": "Изтриването на прикачен файл е завинаги. Няма как да бъде възстановен.", + "attachmentDeletePopup-title": "Желаете ли да изтриете прикачения файл?", + "attachments": "Прикачени файлове", + "auto-watch": "Автоматично наблюдаване на таблата, когато са създадени", + "avatar-too-big": "Аватарът е прекалено голям (максимум 70KB)", + "back": "Назад", + "board-change-color": "Промени цвета", + "board-nb-stars": "%s звезди", + "board-not-found": "Таблото не е намерено", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Промени името на Таблото", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Промени наблюдаването", + "boardMenuPopup-title": "Меню на Таблото", + "boards": "Табла", + "board-view": "Board View", + "board-view-swimlanes": "Коридори", + "board-view-lists": "Списъци", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "Картата е преместена в Кошчето.", + "card-comments-title": "Тази карта има %s коментар.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Готова за", + "card-due-on": "Готова за", + "card-spent": "Изработено време", + "card-edit-attachments": "Промени прикачените файлове", + "card-edit-custom-fields": "Промени собствените полета", + "card-edit-labels": "Промени етикетите", + "card-edit-members": "Промени членовете", + "card-labels-title": "Промени етикетите за картата.", + "card-members-title": "Добави или премахни членове на Таблото от тази карта.", + "card-start": "Начало", + "card-start-on": "Започва на", + "cardAttachmentsPopup-title": "Прикачи от", + "cardCustomField-datePopup-title": "Промени датата", + "cardCustomFieldsPopup-title": "Промени собствените полета", + "cardDeletePopup-title": "Желаете да изтриете картата?", + "cardDetailsActionsPopup-title": "Опции", + "cardLabelsPopup-title": "Етикети", + "cardMembersPopup-title": "Членове", + "cardMorePopup-title": "Още", + "cards": "Карти", + "cards-count": "Карти", + "change": "Промени", + "change-avatar": "Промени аватара", + "change-password": "Промени паролата", + "change-permissions": "Change permissions", + "change-settings": "Промени настройките", + "changeAvatarPopup-title": "Промени аватара", + "changeLanguagePopup-title": "Промени езика", + "changePasswordPopup-title": "Промени паролата", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Промяна на настройките", + "checklists": "Списъци със задачи", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Натиснете, за да премахнете това табло от любими.", + "clipboard": "Клипборда или с драг & дроп", + "close": "Затвори", + "close-board": "Затвори Таблото", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "черно", + "color-blue": "синьо", + "color-green": "зелено", + "color-lime": "лайм", + "color-orange": "оранжево", + "color-pink": "розово", + "color-purple": "пурпурно", + "color-red": "червено", + "color-sky": "светло синьо", + "color-yellow": "жълто", + "comment": "Коментирай", + "comment-placeholder": "Напиши коментар", + "comment-only": "Само коментар", + "comment-only-desc": "Може да коментира само в карти.", + "computer": "Компютър", + "confirm-checklist-delete-dialog": "Сигурни ли сте, че искате да изтриете този чеклист?", + "copy-card-link-to-clipboard": "Копирай връзката на картата в клипборда", + "copyCardPopup-title": "Копирай картата", + "copyChecklistToManyCardsPopup-title": "Копирай чеклисти в други карти", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Чекбокс", + "custom-field-date": "Дата", + "custom-field-dropdown": "Падащо меню", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Номер", + "custom-field-text": "Текст", + "custom-fields": "Собствени полета", + "date": "Дата", + "decline": "Отказ", + "default-avatar": "Основен аватар", + "delete": "Изтрий", + "deleteCustomFieldPopup-title": "Изтриване на Собственото поле?", + "deleteLabelPopup-title": "Желаете да изтриете етикета?", + "description": "Описание", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Отказ", + "done": "Готово", + "download": "Сваляне", + "edit": "Промени", + "edit-avatar": "Промени аватара", + "edit-profile": "Промяна на профила", + "edit-wip-limit": "Промени WIP лимита", + "soft-wip-limit": "\"Мек\" WIP лимит", + "editCardStartDatePopup-title": "Промени началната дата", + "editCardDueDatePopup-title": "Промени датата за готовност", + "editCustomFieldPopup-title": "Промени Полето", + "editCardSpentTimePopup-title": "Промени изработеното време", + "editLabelPopup-title": "Промяна на Етикета", + "editNotificationPopup-title": "Промени известията", + "editProfilePopup-title": "Промяна на профила", + "email": "Имейл", + "email-enrollAccount-subject": "Ваш профил беше създаден на __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Неуспешно изпращане на имейла", + "email-fail-text": "Възникна грешка при изпращането на имейла", + "email-invalid": "Невалиден имейл", + "email-invite": "Покани чрез имейл", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Имейлът е изпратен", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Включи WIP лимита", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Имейлът е вече зает", + "export-board": "Export board", + "filter": "Филтър", + "filter-cards": "Филтрирай картите", + "filter-clear": "Премахване на филтрите", + "filter-no-label": "без етикет", + "filter-no-member": "без член", + "filter-no-custom-fields": "Няма Собствени полета", + "filter-on": "Има приложени филтри", + "filter-on-desc": "В момента филтрирате картите в това табло. Моля, натиснете тук, за да промените филтъра.", + "filter-to-selection": "Филтрирай избраните", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Име", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Скриване на системните съобщения", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Начало", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Избери Wekan член", + "info": "Версия", + "initials": "Инициали", + "invalid-date": "Невалидна дата", + "invalid-time": "Невалиден час", + "invalid-user": "Невалиден потребител", + "joined": "присъедини ", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Създай етикет", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Етикети", + "language": "Език", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Връзка към тази карта", + "list-archive-cards": "Премести всички карти от този списък в Кошчето", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Премести всички карти в този списък", + "list-select-cards": "Избери всички карти в този списък", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Импорт на карта от Trello", + "listMorePopup-title": "Още", + "link-list": "Връзка към този списък", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "Можете да преместите списък в Кошчето, за да го премахнете от Таблото и запазите активността.", + "lists": "Списъци", + "swimlanes": "Коридори", + "log-out": "Изход", + "log-in": "Вход", + "loginPopup-title": "Вход", + "memberMenuPopup-title": "Настройки на профила", + "members": "Членове", + "menu": "Меню", + "move-selection": "Move selection", + "moveCardPopup-title": "Премести картата", + "moveCardToBottom-title": "Премести в края", + "moveCardToTop-title": "Премести в началото", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Множествен избор", + "multi-selection-on": "Множественият избор е приложен", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "Моите табла", + "name": "Име", + "no-archived-cards": "Няма карти в Кошчето.", + "no-archived-lists": "Няма списъци в Кошчето.", + "no-archived-swimlanes": "Няма коридори в Кошчето.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Получавате информация за всички карти, в които сте отбелязани или сте създали", + "notify-watch": "Получавате информация за всички табла, списъци и карти, които наблюдавате", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Парола", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Профил", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Желаете да изтриете списъка?", + "remove-member": "Премахни член", + "remove-member-from-card": "Премахни от картата", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Промени името на Таблото", + "restore": "Възстанови", + "save": "Запази", + "search": "Търсене", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Избери цвят", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Въведи WIP лимит", + "shortcut-assign-self": "Добави себе си към тази карта", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Изчистване на всички филтри", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Филтрирай моите карти", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Отвори/затвори сайдбара с филтри", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Покажи бройката на картите, ако списъка съдържа повече от", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Любими табла", + "starred-boards-description": "Любимите табла се показват в началото на списъка Ви.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "картата", + "spent-time-hours": "Изработено време (часа)", + "overtime-hours": "Оувъртайм (часа)", + "overtime": "Оувъртайм", + "has-overtime-cards": "Има карти с оувъртайм", + "has-spenttime-cards": "Има карти с изработено време", + "time": "Време", + "title": "Title", + "tracking": "Следене", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Спри наблюдаването", + "upload": "Upload", + "upload-avatar": "Качване на аватар", + "uploaded-avatar": "Качихте аватар", + "username": "Потребителско име", + "view-it": "View it", + "warn-list-archived": "внимание: тази карта е в списък, който е в Кошчето", + "watch": "Наблюдавай", + "watching": "Наблюдава", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Невалиден WIP лимит", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Моля, преместете някои от задачите от този списък или въведете по-висок WIP лимит.", + "admin-panel": "Администраторски панел", + "settings": "Настройки", + "people": "Хора", + "registration": "Регистрация", + "disable-self-registration": "Disable Self-Registration", + "invite": "Покани", + "invite-people": "Покани хора", + "to-boards": "To board(s)", + "email-addresses": "Имейл адреси", + "smtp-host-description": "Адресът на SMTP сървъра, който обслужва Вашите имейли.", + "smtp-port-description": "Портът, който Вашият SMTP сървър използва за изходящи имейли.", + "smtp-tls-description": "Разреши TLS поддръжка за SMTP сървъра", + "smtp-host": "SMTP хост", + "smtp-port": "SMTP порт", + "smtp-username": "Потребителско име", + "smtp-password": "Парола", + "smtp-tls": "TLS поддръжка", + "send-from": "От", + "send-smtp-test": "Изпрати тестов имейл на себе си", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP тестов имейл, изпратен от Wekan", + "email-smtp-test-text": "Успешно изпратихте имейл", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Версия на Wekan", + "Node_version": "Версия на Node", + "OS_Arch": "Архитектура на ОС", + "OS_Cpus": "Брой CPU ядра", + "OS_Freemem": "Свободна памет", + "OS_Loadavg": "ОС средно натоварване", + "OS_Platform": "ОС платформа", + "OS_Release": "ОС Версия", + "OS_Totalmem": "ОС Общо памет", + "OS_Type": "Тип ОС", + "OS_Uptime": "OS Ъптайм", + "hours": "часа", + "minutes": "минути", + "seconds": "секунди", + "show-field-on-card": "Покажи това поле в картата", + "yes": "Да", + "no": "Не", + "accounts": "Профили", + "accounts-allowEmailChange": "Разреши промяна на имейла", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Създаден на", + "verified": "Потвърден", + "active": "Активен", + "card-received": "Получена", + "card-received-on": "Получена на", + "card-end": "Завършена", + "card-end-on": "Завършена на", + "editCardReceivedDatePopup-title": "Промени датата на получаване", + "editCardEndDatePopup-title": "Промени датата на завършване", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json new file mode 100644 index 00000000..3d424578 --- /dev/null +++ b/i18n/br.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Asantiñ", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Oberoù", + "activities": "Oberiantizoù", + "activity": "Oberiantiz", + "activity-added": "%s ouzhpennet da %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "%s liammet ouzh %s", + "activity-created": "%s krouet", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "%s enporzhiet eus %s da %s", + "activity-imported-board": "%s enporzhiet da %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Ouzhpenn", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Ouzphenn ur golo", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Ouzhpenn izili", + "added": "Ouzhpennet", + "addMemberPopup-title": "Izili", + "admin": "Merour", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Kemmañ al liv", + "board-nb-stars": "%s stered", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Diverkañ ar gartenn ?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Izili", + "cardMorePopup-title": "Muioc’h", + "cards": "Kartennoù", + "cards-count": "Kartennoù", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Kemmañ ger-tremen", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Kemmañ ger-tremen", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "du", + "color-blue": "glas", + "color-green": "gwer", + "color-lime": "melen sitroñs", + "color-orange": "orañjez", + "color-pink": "roz", + "color-purple": "mouk", + "color-red": "ruz", + "color-sky": "pers", + "color-yellow": "melen", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Krouiñ", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Diverkañ", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Graet", + "download": "Download", + "edit": "Kemmañ", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Yezh", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "Muioc’h", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Izili", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Ger-tremen", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Ger-tremen", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json new file mode 100644 index 00000000..249056aa --- /dev/null +++ b/i18n/ca.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accepta", + "act-activity-notify": "[Wekan] Notificació d'activitat", + "act-addAttachment": "adjuntat __attachment__ a __card__", + "act-addChecklist": "afegida la checklist _checklist__ a __card__", + "act-addChecklistItem": "afegit __checklistItem__ a la checklist __checklist__ on __card__", + "act-addComment": "comentat a __card__: __comment__", + "act-createBoard": "creat __board__", + "act-createCard": "afegit/da __card__ a __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "afegit/da __list__ a __board__", + "act-addBoardMember": "afegit/da __member__ a __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "__board__ importat", + "act-importCard": "__card__ importat", + "act-importList": "__list__ importat", + "act-joinMember": "afegit/da __member__ a __card__", + "act-moveCard": "mou __card__ de __oldList__ a __list__", + "act-removeBoardMember": "elimina __member__ de __board__", + "act-restoredCard": "recupera __card__ a __board__", + "act-unjoinMember": "elimina __member__ de __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Accions", + "activities": "Activitats", + "activity": "Activitat", + "activity-added": "ha afegit %s a %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "ha adjuntat %s a %s", + "activity-created": "ha creat %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "ha exclòs %s de %s", + "activity-imported": "importat %s dins %s des de %s", + "activity-imported-board": "importat %s des de %s", + "activity-joined": "s'ha unit a %s", + "activity-moved": "ha mogut %s de %s a %s", + "activity-on": "en %s", + "activity-removed": "ha eliminat %s de %s", + "activity-sent": "ha enviat %s %s", + "activity-unjoined": "desassignat %s", + "activity-checklist-added": "Checklist afegida a %s", + "activity-checklist-item-added": "afegida entrada de checklist de '%s' a %s", + "add": "Afegeix", + "add-attachment": "Afegeix adjunt", + "add-board": "Afegeix Tauler", + "add-card": "Afegeix fitxa", + "add-swimlane": "Afegix Carril de Natació", + "add-checklist": "Afegeix checklist", + "add-checklist-item": "Afegeix un ítem", + "add-cover": "Afegeix coberta", + "add-label": "Afegeix etiqueta", + "add-list": "Afegeix llista", + "add-members": "Afegeix membres", + "added": "Afegit", + "addMemberPopup-title": "Membres", + "admin": "Administrador", + "admin-desc": "Pots veure i editar fitxes, eliminar membres, i canviar la configuració del tauler", + "admin-announcement": "Bàndol", + "admin-announcement-active": "Activar bàndol del Sistema", + "admin-announcement-title": "Bàndol de l'administració", + "all-boards": "Tots els taulers", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Aplica", + "app-is-offline": "Wekan s'està carregant, esperau si us plau. Refrescar la pàgina causarà la pérdua de les dades. Si Wekan no carrega, verificau que el servei de Wekan no estigui aturat", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restaura Tauler", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assignar membre", + "attached": "adjuntat", + "attachment": "Adjunt", + "attachment-delete-pop": "L'esborrat d'un arxiu adjunt és permanent. No es pot desfer.", + "attachmentDeletePopup-title": "Esborrar adjunt?", + "attachments": "Adjunts", + "auto-watch": "Automàticament segueix el taulers quan són creats", + "avatar-too-big": "L'avatar es massa gran (70KM max)", + "back": "Enrere", + "board-change-color": "Canvia el color", + "board-nb-stars": "%s estrelles", + "board-not-found": "No s'ha trobat el tauler", + "board-private-info": "Aquest tauler serà privat .", + "board-public-info": "Aquest tauler serà públic .", + "boardChangeColorPopup-title": "Canvia fons", + "boardChangeTitlePopup-title": "Canvia el nom tauler", + "boardChangeVisibilityPopup-title": "Canvia visibilitat", + "boardChangeWatchPopup-title": "Canvia seguiment", + "boardMenuPopup-title": "Menú del tauler", + "boards": "Taulers", + "board-view": "Visió del tauler", + "board-view-swimlanes": "Carrils de Natació", + "board-view-lists": "Llistes", + "bucket-example": "Igual que “Bucket List”, per exemple", + "cancel": "Cancel·la", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "Aquesta fitxa té %s comentaris.", + "card-delete-notice": "L'esborrat és permanent. Perdreu totes les accions associades a aquesta fitxa.", + "card-delete-pop": "Totes les accions s'eliminaran de l'activitat i no podreu tornar a obrir la fitxa. No es pot desfer.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Finalitza", + "card-due-on": "Finalitza a", + "card-spent": "Temps Dedicat", + "card-edit-attachments": "Edita arxius adjunts", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edita etiquetes", + "card-edit-members": "Edita membres", + "card-labels-title": "Canvia les etiquetes de la fitxa", + "card-members-title": "Afegeix o eliminar membres del tauler des de la fitxa.", + "card-start": "Comença", + "card-start-on": "Comença a", + "cardAttachmentsPopup-title": "Adjunta des de", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Esborrar fitxa?", + "cardDetailsActionsPopup-title": "Accions de fitxes", + "cardLabelsPopup-title": "Etiquetes", + "cardMembersPopup-title": "Membres", + "cardMorePopup-title": "Més", + "cards": "Fitxes", + "cards-count": "Fitxes", + "change": "Canvia", + "change-avatar": "Canvia Avatar", + "change-password": "Canvia la clau", + "change-permissions": "Canvia permisos", + "change-settings": "Canvia configuració", + "changeAvatarPopup-title": "Canvia Avatar", + "changeLanguagePopup-title": "Canvia idioma", + "changePasswordPopup-title": "Canvia la contrasenya", + "changePermissionsPopup-title": "Canvia permisos", + "changeSettingsPopup-title": "Canvia configuració", + "checklists": "Checklists", + "click-to-star": "Fes clic per destacar aquest tauler.", + "click-to-unstar": "Fes clic per deixar de destacar aquest tauler.", + "clipboard": "Portaretalls o estirar i amollar", + "close": "Tanca", + "close-board": "Tanca tauler", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "negre", + "color-blue": "blau", + "color-green": "verd", + "color-lime": "llima", + "color-orange": "taronja", + "color-pink": "rosa", + "color-purple": "púrpura", + "color-red": "vermell", + "color-sky": "cel", + "color-yellow": "groc", + "comment": "Comentari", + "comment-placeholder": "Escriu un comentari", + "comment-only": "Només comentaris", + "comment-only-desc": "Només pots fer comentaris a les fitxes", + "computer": "Ordinador", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copia l'enllaç de la ftixa al porta-retalls", + "copyCardPopup-title": "Copia la fitxa", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Títols de fitxa i Descripcions de destí en aquest format JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Títol de la primera fitxa\", \"description\":\"Descripció de la primera fitxa\"}, {\"title\":\"Títol de la segona fitxa\",\"description\":\"Descripció de la segona fitxa\"},{\"title\":\"Títol de l'última fitxa\",\"description\":\"Descripció de l'última fitxa\"} ]", + "create": "Crea", + "createBoardPopup-title": "Crea tauler", + "chooseBoardSourcePopup-title": "Importa Tauler", + "createLabelPopup-title": "Crea etiqueta", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "Actual", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Data", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Data", + "decline": "Declina", + "default-avatar": "Avatar per defecte", + "delete": "Esborra", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Esborra etiqueta", + "description": "Descripció", + "disambiguateMultiLabelPopup-title": "Desfe l'ambigüitat en les etiquetes", + "disambiguateMultiMemberPopup-title": "Desfe l'ambigüitat en els membres", + "discard": "Descarta", + "done": "Fet", + "download": "Descarrega", + "edit": "Edita", + "edit-avatar": "Canvia Avatar", + "edit-profile": "Edita el teu Perfil", + "edit-wip-limit": "Edita el Límit de Treball en Progrès", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Canvia data d'inici", + "editCardDueDatePopup-title": "Canvia data de finalització", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Canvia temps dedicat", + "editLabelPopup-title": "Canvia etiqueta", + "editNotificationPopup-title": "Edita la notificació", + "editProfilePopup-title": "Edita teu Perfil", + "email": "Correu electrònic", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hola __user__,\n\nPer començar a utilitzar el servei, segueix l'enllaç següent.\n\n__url__\n\nGràcies.", + "email-fail": "Error enviant el correu", + "email-fail-text": "Error en intentar enviar e-mail", + "email-invalid": "Adreça de correu invàlida", + "email-invite": "Convida mitjançant correu electrònic", + "email-invite-subject": "__inviter__ t'ha convidat", + "email-invite-text": "Benvolgut __user__,\n\n __inviter__ t'ha convidat a participar al tauler \"__board__\" per col·laborar-hi.\n\nSegueix l'enllaç següent:\n\n __url__\n\n Gràcies.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hola __user__,\n \n per resetejar la teva contrasenya, segueix l'enllaç següent.\n \n __url__\n \n Gràcies.", + "email-sent": "Correu enviat", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hola __user__, \n\n per verificar el teu correu, segueix l'enllaç següent.\n\n __url__\n\n Gràcies.", + "enable-wip-limit": "Activa e Límit de Treball en Progrès", + "error-board-doesNotExist": "Aquest tauler no existeix", + "error-board-notAdmin": "Necessites ser administrador d'aquest tauler per dur a lloc aquest acció", + "error-board-notAMember": "Necessites ser membre d'aquest tauler per dur a terme aquesta acció", + "error-json-malformed": "El text no és JSON vàlid", + "error-json-schema": "La dades JSON no contenen la informació en el format correcte", + "error-list-doesNotExist": "La llista no existeix", + "error-user-doesNotExist": "L'usuari no existeix", + "error-user-notAllowSelf": "No et pots convidar a tu mateix", + "error-user-notCreated": "L'usuari no s'ha creat", + "error-username-taken": "Aquest usuari ja existeix", + "error-email-taken": "L'adreça de correu electrònic ja és en ús", + "export-board": "Exporta tauler", + "filter": "Filtre", + "filter-cards": "Fitxes de filtre", + "filter-clear": "Elimina filtre", + "filter-no-label": "Sense etiqueta", + "filter-no-member": "Sense membres", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filtra per", + "filter-on-desc": "Estau filtrant fitxes en aquest tauler. Feu clic aquí per editar el filtre.", + "filter-to-selection": "Filtra selecció", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Nom complet", + "header-logo-title": "Torna a la teva pàgina de taulers", + "hide-system-messages": "Oculta missatges del sistema", + "headerBarCreateBoardPopup-title": "Crea tauler", + "home": "Inici", + "import": "importa", + "import-board": "Importa tauler", + "import-board-c": "Importa tauler", + "import-board-title-trello": "Importa tauler des de Trello", + "import-board-title-wekan": "I", + "import-sandstorm-warning": "Estau segur que voleu esborrar aquesta checklist?", + "from-trello": "Des de Trello", + "from-wekan": "Des de Wekan", + "import-board-instruction-trello": "En el teu tauler Trello, ves a 'Menú', 'Més'.' Imprimir i Exportar', 'Exportar JSON', i copia el text resultant.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Aferra codi JSON vàlid aquí", + "import-map-members": "Mapeja el membres", + "import-members-map": "El tauler importat conté membres. Assigna els membres que vulguis importar a usuaris Wekan", + "import-show-user-mapping": "Revisa l'assignació de membres", + "import-user-select": "Selecciona l'usuari Wekan que vulguis associar a aquest membre", + "importMapMembersAddPopup-title": "Selecciona un membre de Wekan", + "info": "Versió", + "initials": "Inicials", + "invalid-date": "Data invàlida", + "invalid-time": "Temps Invàlid", + "invalid-user": "Usuari invàlid", + "joined": "s'ha unit", + "just-invited": "Has estat convidat a aquest tauler", + "keyboard-shortcuts": "Dreceres de teclat", + "label-create": "Crea etiqueta", + "label-default": "%s etiqueta (per defecte)", + "label-delete-pop": "No es pot desfer. Això eliminarà aquesta etiqueta de totes les fitxes i destruirà la seva història.", + "labels": "Etiquetes", + "language": "Idioma", + "last-admin-desc": "No podeu canviar rols perquè ha d'haver-hi almenys un administrador.", + "leave-board": "Abandona tauler", + "leave-board-pop": "De debò voleu abandonar __boardTitle__? Se us eliminarà de totes les fitxes d'aquest tauler.", + "leaveBoardPopup-title": "Abandonar Tauler?", + "link-card": "Enllaç a aquesta fitxa", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Mou totes les fitxes d'aquesta llista", + "list-select-cards": "Selecciona totes les fitxes d'aquesta llista", + "listActionPopup-title": "Accions de la llista", + "swimlaneActionPopup-title": "Accions de Carril de Natació", + "listImportCardPopup-title": "importa una fitxa de Trello", + "listMorePopup-title": "Més", + "link-list": "Enllaça a aquesta llista", + "list-delete-pop": "Totes les accions seran esborrades de la llista d'activitats i no serà possible recuperar la llista", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Llistes", + "swimlanes": "Carrils de Natació", + "log-out": "Finalitza la sessió", + "log-in": "Ingresa", + "loginPopup-title": "Inicia sessió", + "memberMenuPopup-title": "Configura membres", + "members": "Membres", + "menu": "Menú", + "move-selection": "Move selection", + "moveCardPopup-title": "Moure fitxa", + "moveCardToBottom-title": "Mou a la part inferior", + "moveCardToTop-title": "Mou a la part superior", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selecció", + "multi-selection-on": "Multi-Selecció està activada", + "muted": "En silenci", + "muted-info": "No seràs notificat dels canvis en aquest tauler", + "my-boards": "Els meus taulers", + "name": "Nom", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Sense resultats", + "normal": "Normal", + "normal-desc": "Podeu veure i editar fitxes. No podeu canviar la configuració.", + "not-accepted-yet": "La invitació no ha esta acceptada encara", + "notify-participate": "Rebre actualitzacions per a cada fitxa de la qual n'ets creador o membre", + "notify-watch": "Rebre actualitzacions per qualsevol tauler, llista o fitxa en observació", + "optional": "opcional", + "or": "o", + "page-maybe-private": "Aquesta pàgina és privada. Per veure-la entra .", + "page-not-found": "Pàgina no trobada.", + "password": "Contrasenya", + "paste-or-dragdrop": "aferra, o estira i amolla la imatge (només imatge)", + "participating": "Participant", + "preview": "Vista prèvia", + "previewAttachedImagePopup-title": "Vista prèvia", + "previewClipboardImagePopup-title": "Vista prèvia", + "private": "Privat", + "private-desc": "Aquest tauler és privat. Només les persones afegides al tauler poden veure´l i editar-lo.", + "profile": "Perfil", + "public": "Públic", + "public-desc": "Aquest tauler és públic. És visible per a qualsevol persona amb l'enllaç i es mostrarà en els motors de cerca com Google. Només persones afegides al tauler poden editar-lo.", + "quick-access-description": "Inicia un tauler per afegir un accés directe en aquest barra", + "remove-cover": "Elimina coberta", + "remove-from-board": "Elimina del tauler", + "remove-label": "Elimina l'etiqueta", + "listDeletePopup-title": "Esborrar la llista?", + "remove-member": "Elimina membre", + "remove-member-from-card": "Elimina de la fitxa", + "remove-member-pop": "Eliminar __name__ (__username__) de __boardTitle__ ? El membre serà eliminat de totes les fitxes d'aquest tauler. Ells rebran una notificació.", + "removeMemberPopup-title": "Vols suprimir el membre?", + "rename": "Canvia el nom", + "rename-board": "Canvia el nom del tauler", + "restore": "Restaura", + "save": "Desa", + "search": "Cerca", + "search-cards": "Cerca títols de fitxa i descripcions en aquest tauler", + "search-example": "Text que cercar?", + "select-color": "Selecciona color", + "set-wip-limit-value": "Limita el màxim nombre de tasques en aquesta llista", + "setWipLimitPopup-title": "Configura el Límit de Treball en Progrès", + "shortcut-assign-self": "Assigna't la ftixa actual", + "shortcut-autocomplete-emoji": "Autocompleta emoji", + "shortcut-autocomplete-members": "Autocompleta membres", + "shortcut-clear-filters": "Elimina tots els filters", + "shortcut-close-dialog": "Tanca el diàleg", + "shortcut-filter-my-cards": "Filtra les meves fitxes", + "shortcut-show-shortcuts": "Mostra aquesta lista d'accessos directes", + "shortcut-toggle-filterbar": "Canvia la barra lateral del tauler", + "shortcut-toggle-sidebar": "Canvia Sidebar del Tauler", + "show-cards-minimum-count": "Mostra contador de fitxes si la llista en conté més de", + "sidebar-open": "Mostra barra lateral", + "sidebar-close": "Amaga barra lateral", + "signupPopup-title": "Crea un compte", + "star-board-title": "Fes clic per destacar aquest tauler. Es mostrarà a la part superior de la llista de taulers.", + "starred-boards": "Taulers destacats", + "starred-boards-description": "Els taulers destacats es mostraran a la part superior de la llista de taulers.", + "subscribe": "Subscriure", + "team": "Equip", + "this-board": "aquest tauler", + "this-card": "aquesta fitxa", + "spent-time-hours": "Temps dedicat (hores)", + "overtime-hours": "Temps de més (hores)", + "overtime": "Temps de més", + "has-overtime-cards": "Té fitxes amb temps de més", + "has-spenttime-cards": "Té fitxes amb temps dedicat", + "time": "Hora", + "title": "Títol", + "tracking": "En seguiment", + "tracking-info": "Seràs notificat per cada canvi a aquelles fitxes de les que n'eres creador o membre", + "type": "Type", + "unassign-member": "Desassignar membre", + "unsaved-description": "Tens una descripció sense desar.", + "unwatch": "Suprimeix observació", + "upload": "Puja", + "upload-avatar": "Actualitza avatar", + "uploaded-avatar": "Avatar actualitzat", + "username": "Nom d'Usuari", + "view-it": "Vist", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Observa", + "watching": "En observació", + "watching-info": "Seràs notificat de cada canvi en aquest tauler", + "welcome-board": "Tauler de benvinguda", + "welcome-swimlane": "Objectiu 1", + "welcome-list1": "Bàsics", + "welcome-list2": "Avançades", + "what-to-do": "Què vols fer?", + "wipLimitErrorPopup-title": "Límit de Treball en Progrès invàlid", + "wipLimitErrorPopup-dialog-pt1": "El nombre de tasques en esta llista és superior al límit de Treball en Progrès que heu definit.", + "wipLimitErrorPopup-dialog-pt2": "Si us plau mogui algunes taques fora d'aquesta llista, o configuri un límit de Treball en Progrès superior.", + "admin-panel": "Tauler d'administració", + "settings": "Configuració", + "people": "Persones", + "registration": "Registre", + "disable-self-registration": "Deshabilita Auto-Registre", + "invite": "Convida", + "invite-people": "Convida a persones", + "to-boards": "Al tauler(s)", + "email-addresses": "Adreça de correu", + "smtp-host-description": "L'adreça del vostre servidor SMTP.", + "smtp-port-description": "El port del vostre servidor SMTP.", + "smtp-tls-description": "Activa suport TLS pel servidor SMTP", + "smtp-host": "Servidor SMTP", + "smtp-port": "Port SMTP", + "smtp-username": "Nom d'Usuari", + "smtp-password": "Contrasenya", + "smtp-tls": "Suport TLS", + "send-from": "De", + "send-smtp-test": "Envia't un correu electrònic de prova", + "invitation-code": "Codi d'invitació", + "email-invite-register-subject": "__inviter__ t'ha convidat", + "email-invite-register-text": " __user__,\n\n __inviter__ us ha convidat a col·laborar a Wekan.\n\n Clicau l'enllaç següent per acceptar l'invitació:\n __url__\n\n El vostre codi d'invitació és: __icode__\n\n Gràcies", + "email-smtp-test-subject": "Correu de Prova SMTP de Wekan", + "email-smtp-test-text": "Has enviat un missatge satisfactòriament", + "error-invitation-code-not-exist": "El codi d'invitació no existeix", + "error-notAuthorized": "No estau autoritzats per veure aquesta pàgina", + "outgoing-webhooks": "Webhooks sortints", + "outgoingWebhooksPopup-title": "Webhooks sortints", + "new-outgoing-webhook": "Nou Webook sortint", + "no-name": "Importa tauler des de Wekan", + "Wekan_version": "Versió Wekan", + "Node_version": "Versió Node", + "OS_Arch": "Arquitectura SO", + "OS_Cpus": "Plataforma SO", + "OS_Freemem": "Memòria lliure", + "OS_Loadavg": "Carrega de SO", + "OS_Platform": "Plataforma de SO", + "OS_Release": "Versió SO", + "OS_Totalmem": "Memòria total", + "OS_Type": "Tipus de SO", + "OS_Uptime": "Temps d'activitat", + "hours": "hores", + "minutes": "minuts", + "seconds": "segons", + "show-field-on-card": "Show this field on card", + "yes": "Si", + "no": "No", + "accounts": "Comptes", + "accounts-allowEmailChange": "Permet modificar correu electrònic", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Creat ", + "verified": "Verificat", + "active": "Actiu", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json new file mode 100644 index 00000000..97e02e06 --- /dev/null +++ b/i18n/cs.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Přijmout", + "act-activity-notify": "[Wekan] Notifikace aktivit", + "act-addAttachment": "přiložen __attachment__ do __card__", + "act-addChecklist": "přidán checklist __checklist__ do __card__", + "act-addChecklistItem": "přidán __checklistItem__ do checklistu __checklist__ v __card__", + "act-addComment": "komentář k __card__: __comment__", + "act-createBoard": "přidání __board__", + "act-createCard": "přidání __card__ do __list__", + "act-createCustomField": "vytvořeno vlastní pole __customField__", + "act-createList": "přidání __list__ do __board__", + "act-addBoardMember": "přidání __member__ do __board__", + "act-archivedBoard": "__board__ bylo přesunuto do koše", + "act-archivedCard": "__card__ bylo přesunuto do koše", + "act-archivedList": "__list__ bylo přesunuto do koše", + "act-archivedSwimlane": "__swimlane__ bylo přesunuto do koše", + "act-importBoard": "import __board__", + "act-importCard": "import __card__", + "act-importList": "import __list__", + "act-joinMember": "přidání __member__ do __card__", + "act-moveCard": "přesun __card__ z __oldList__ do __list__", + "act-removeBoardMember": "odstranění __member__ z __board__", + "act-restoredCard": "obnovení __card__ do __board__", + "act-unjoinMember": "odstranění __member__ z __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Akce", + "activities": "Aktivity", + "activity": "Aktivita", + "activity-added": "%s přidáno k %s", + "activity-archived": "%s bylo přesunuto do koše", + "activity-attached": "přiloženo %s k %s", + "activity-created": "%s vytvořeno", + "activity-customfield-created": "vytvořeno vlastní pole %s", + "activity-excluded": "%s vyjmuto z %s", + "activity-imported": "importován %s do %s z %s", + "activity-imported-board": "importován %s z %s", + "activity-joined": "spojen %s", + "activity-moved": "%s přesunuto z %s do %s", + "activity-on": "na %s", + "activity-removed": "odstraněn %s z %s", + "activity-sent": "%s posláno na %s", + "activity-unjoined": "odpojen %s", + "activity-checklist-added": "přidán checklist do %s", + "activity-checklist-item-added": "přidána položka checklist do '%s' v %s", + "add": "Přidat", + "add-attachment": "Přidat přílohu", + "add-board": "Přidat tablo", + "add-card": "Přidat kartu", + "add-swimlane": "Přidat Swimlane", + "add-checklist": "Přidat zaškrtávací seznam", + "add-checklist-item": "Přidat položku do zaškrtávacího seznamu", + "add-cover": "Přidat obal", + "add-label": "Přidat štítek", + "add-list": "Přidat list", + "add-members": "Přidat členy", + "added": "Přidán", + "addMemberPopup-title": "Členové", + "admin": "Administrátor", + "admin-desc": "Může zobrazovat a upravovat karty, mazat členy a měnit nastavení tabla.", + "admin-announcement": "Oznámení", + "admin-announcement-active": "Aktivní oznámení v celém systému", + "admin-announcement-title": "Oznámení od administrátora", + "all-boards": "Všechna tabla", + "and-n-other-card": "A __count__ další karta(y)", + "and-n-other-card_plural": "A __count__ dalších karet", + "apply": "Použít", + "app-is-offline": "Wekan se načítá, prosím čekejte. Obnovení stránky způsobí ztrátu dat. Pokud se Wekan nenačte, zkontrolujte prosím, jestli se server s Wekanem nezastavil.", + "archive": "Přesunout do koše", + "archive-all": "Přesunout všechno do koše", + "archive-board": "Přesunout tablo do koše", + "archive-card": "Přesunout kartu do koše", + "archive-list": "Přesunout seznam do koše", + "archive-swimlane": "Přesunout swimlane do koše", + "archive-selection": "Přesunout výběr do koše", + "archiveBoardPopup-title": "Chcete přesunout tablo do koše?", + "archived-items": "Koš", + "archived-boards": "Tabla v koši", + "restore-board": "Obnovit tablo", + "no-archived-boards": "Žádná tabla v koši", + "archives": "Koš", + "assign-member": "Přiřadit člena", + "attached": "přiloženo", + "attachment": "Příloha", + "attachment-delete-pop": "Smazání přílohy je trvalé. Nejde vrátit zpět.", + "attachmentDeletePopup-title": "Smazat přílohu?", + "attachments": "Přílohy", + "auto-watch": "Automaticky sleduj tabla když jsou vytvořena", + "avatar-too-big": "Avatar obrázek je příliš velký (70KB max)", + "back": "Zpět", + "board-change-color": "Změnit barvu", + "board-nb-stars": "%s hvězdiček", + "board-not-found": "Tablo nenalezeno", + "board-private-info": "Toto tablo bude soukromé.", + "board-public-info": "Toto tablo bude veřejné.", + "boardChangeColorPopup-title": "Změnit pozadí tabla", + "boardChangeTitlePopup-title": "Přejmenovat tablo", + "boardChangeVisibilityPopup-title": "Upravit viditelnost", + "boardChangeWatchPopup-title": "Změnit sledování", + "boardMenuPopup-title": "Menu tabla", + "boards": "Tabla", + "board-view": "Náhled tabla", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Seznamy", + "bucket-example": "Například \"Než mě odvedou\"", + "cancel": "Zrušit", + "card-archived": "Karta byla přesunuta do koše.", + "card-comments-title": "Tato karta má %s komentářů.", + "card-delete-notice": "Smazání je trvalé. Přijdete o všechny akce asociované s touto kartou.", + "card-delete-pop": "Všechny akce budou odstraněny z kanálu aktivity a nebude možné kartu znovu otevřít. Toto nelze vrátit zpět.", + "card-delete-suggest-archive": "Kartu můžete přesunout do koše a tím ji odstranit z tabla a přitom zachovat aktivity.", + "card-due": "Termín", + "card-due-on": "Do", + "card-spent": "Strávený čas", + "card-edit-attachments": "Upravit přílohy", + "card-edit-custom-fields": "Upravit vlastní pole", + "card-edit-labels": "Upravit štítky", + "card-edit-members": "Upravit členy", + "card-labels-title": "Změnit štítky karty.", + "card-members-title": "Přidat nebo odstranit členy tohoto tabla z karty.", + "card-start": "Start", + "card-start-on": "Začít dne", + "cardAttachmentsPopup-title": "Přiložit formulář", + "cardCustomField-datePopup-title": "Změnit datum", + "cardCustomFieldsPopup-title": "Upravit vlastní pole", + "cardDeletePopup-title": "Smazat kartu?", + "cardDetailsActionsPopup-title": "Akce karty", + "cardLabelsPopup-title": "Štítky", + "cardMembersPopup-title": "Členové", + "cardMorePopup-title": "Více", + "cards": "Karty", + "cards-count": "Karty", + "change": "Změnit", + "change-avatar": "Změnit avatar", + "change-password": "Změnit heslo", + "change-permissions": "Změnit oprávnění", + "change-settings": "Změnit nastavení", + "changeAvatarPopup-title": "Změnit avatar", + "changeLanguagePopup-title": "Změnit jazyk", + "changePasswordPopup-title": "Změnit heslo", + "changePermissionsPopup-title": "Změnit oprávnění", + "changeSettingsPopup-title": "Změnit nastavení", + "checklists": "Checklisty", + "click-to-star": "Kliknutím přidat hvězdičku tomuto tablu.", + "click-to-unstar": "Kliknutím odebrat hvězdičku tomuto tablu.", + "clipboard": "Schránka nebo potáhnout a pustit", + "close": "Zavřít", + "close-board": "Zavřít tablo", + "close-board-pop": "Kliknutím na tlačítko \"Recyklovat\" budete moci obnovit tablo z koše.", + "color-black": "černá", + "color-blue": "modrá", + "color-green": "zelená", + "color-lime": "světlezelená", + "color-orange": "oranžová", + "color-pink": "růžová", + "color-purple": "fialová", + "color-red": "červená", + "color-sky": "nebeská", + "color-yellow": "žlutá", + "comment": "Komentář", + "comment-placeholder": "Text komentáře", + "comment-only": "Pouze komentáře", + "comment-only-desc": "Může přidávat komentáře pouze do karet.", + "computer": "Počítač", + "confirm-checklist-delete-dialog": "Opravdu chcete smazat tento checklist?", + "copy-card-link-to-clipboard": "Kopírovat adresu karty do mezipaměti", + "copyCardPopup-title": "Kopírovat kartu", + "copyChecklistToManyCardsPopup-title": "Kopírovat checklist do více karet", + "copyChecklistToManyCardsPopup-instructions": "Názvy a popisy cílové karty v tomto formátu JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Nadpis první karty\", \"description\":\"Popis druhé karty\"}, {\"title\":\"Nadpis druhé karty\",\"description\":\"Popis druhé karty\"},{\"title\":\"Nadpis poslední kary\",\"description\":\"Popis poslední karty\"} ]", + "create": "Vytvořit", + "createBoardPopup-title": "Vytvořit tablo", + "chooseBoardSourcePopup-title": "Importovat tablo", + "createLabelPopup-title": "Vytvořit štítek", + "createCustomField": "Vytvořit pole", + "createCustomFieldPopup-title": "Vytvořit pole", + "current": "Aktuální", + "custom-field-delete-pop": "Nelze vrátit zpět. Toto odebere toto vlastní pole ze všech karet a zničí jeho historii.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Datum", + "custom-field-dropdown": "Rozbalovací seznam", + "custom-field-dropdown-none": "(prázdné)", + "custom-field-dropdown-options": "Seznam možností", + "custom-field-dropdown-options-placeholder": "Stiskněte enter pro přidání více možností", + "custom-field-dropdown-unknown": "(neznámé)", + "custom-field-number": "Číslo", + "custom-field-text": "Text", + "custom-fields": "Vlastní pole", + "date": "Datum", + "decline": "Zamítnout", + "default-avatar": "Výchozí avatar", + "delete": "Smazat", + "deleteCustomFieldPopup-title": "Smazat vlastní pole", + "deleteLabelPopup-title": "Smazat štítek?", + "description": "Popis", + "disambiguateMultiLabelPopup-title": "Dvojznačný štítek akce", + "disambiguateMultiMemberPopup-title": "Dvojznačná akce člena", + "discard": "Zahodit", + "done": "Hotovo", + "download": "Stáhnout", + "edit": "Upravit", + "edit-avatar": "Změnit avatar", + "edit-profile": "Upravit profil", + "edit-wip-limit": "Upravit WIP Limit", + "soft-wip-limit": "Mírný WIP limit", + "editCardStartDatePopup-title": "Změnit datum startu úkolu", + "editCardDueDatePopup-title": "Změnit datum dokončení úkolu", + "editCustomFieldPopup-title": "Upravit pole", + "editCardSpentTimePopup-title": "Změnit strávený čas", + "editLabelPopup-title": "Změnit štítek", + "editNotificationPopup-title": "Změnit notifikace", + "editProfilePopup-title": "Upravit profil", + "email": "Email", + "email-enrollAccount-subject": "Byl vytvořen účet na __siteName__", + "email-enrollAccount-text": "Ahoj __user__,\n\nMůžeš začít používat službu kliknutím na odkaz níže.\n\n__url__\n\nDěkujeme.", + "email-fail": "Odeslání emailu selhalo", + "email-fail-text": "Chyba při pokusu o odeslání emailu", + "email-invalid": "Neplatný email", + "email-invite": "Pozvat pomocí emailu", + "email-invite-subject": "__inviter__ odeslal pozvánku", + "email-invite-text": "Ahoj __user__,\n\n__inviter__ tě přizval ke spolupráci na tablu \"__board__\".\n\nNásleduj prosím odkaz níže:\n\n__url__\n\nDěkujeme.", + "email-resetPassword-subject": "Změň své heslo na __siteName__", + "email-resetPassword-text": "Ahoj __user__,\n\nPro změnu hesla klikni na odkaz níže.\n\n__url__\n\nDěkujeme.", + "email-sent": "Email byl odeslán", + "email-verifyEmail-subject": "Ověř svou emailovou adresu na", + "email-verifyEmail-text": "Ahoj __user__,\n\nPro ověření emailové adresy klikni na odkaz níže.\n\n__url__\n\nDěkujeme.", + "enable-wip-limit": "Povolit WIP Limit", + "error-board-doesNotExist": "Toto tablo neexistuje", + "error-board-notAdmin": "K provedení změny musíš být administrátor tohoto tabla", + "error-board-notAMember": "K provedení změny musíš být členem tohoto tabla", + "error-json-malformed": "Tvůj text není validní JSON", + "error-json-schema": "Tato JSON data neobsahují správné informace v platném formátu", + "error-list-doesNotExist": "Tento seznam neexistuje", + "error-user-doesNotExist": "Tento uživatel neexistuje", + "error-user-notAllowSelf": "Nemůžeš pozvat sám sebe", + "error-user-notCreated": "Tento uživatel není vytvořen", + "error-username-taken": "Toto uživatelské jméno již existuje", + "error-email-taken": "Tento email byl již použit", + "export-board": "Exportovat tablo", + "filter": "Filtr", + "filter-cards": "Filtrovat karty", + "filter-clear": "Vyčistit filtr", + "filter-no-label": "Žádný štítek", + "filter-no-member": "Žádný člen", + "filter-no-custom-fields": "Žádné vlastní pole", + "filter-on": "Filtr je zapnut", + "filter-on-desc": "Filtrujete karty tohoto tabla. Pro úpravu filtru klikni sem.", + "filter-to-selection": "Filtrovat výběr", + "advanced-filter-label": "Pokročilý filtr", + "advanced-filter-description": "Pokročilý filtr dovoluje zapsat řetězec následujících operátorů: == != <= >= && || () Operátory jsou odděleny mezerou. Můžete filtrovat všechny vlastní pole zadáním jejich názvů nebo hodnot. Například: Pole1 == Hodnota1. Poznámka: Pokud pole nebo hodnoty obsahují mezery, je potřeba je obalit v jednoduchých uvozovkách. Například: 'Pole 1' == 'Hodnota 1'. Můžete také kombinovat více podmínek. Například P1 == H1 || P1 == H2. Obvykle jsou operátory interpretovány zleva doprava. Jejich pořadí můžete měnit pomocí závorek. Například: P1 == H1 && (P2 == H2 || P2 == H3 )", + "fullname": "Celé jméno", + "header-logo-title": "Jit zpět na stránku s tably.", + "hide-system-messages": "Skrýt systémové zprávy", + "headerBarCreateBoardPopup-title": "Vytvořit tablo", + "home": "Domů", + "import": "Import", + "import-board": "Importovat tablo", + "import-board-c": "Importovat tablo", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Importovat tablo z Wekanu", + "import-sandstorm-warning": "Importované tablo spaže všechny existující data v tablu a nahradí je importovaným tablem.", + "from-trello": "Z Trella", + "from-wekan": "Z Wekanu", + "import-board-instruction-trello": "Na svém Trello tablu, otevři 'Menu', pak 'More', 'Print and Export', 'Export JSON', a zkopíruj výsledný text", + "import-board-instruction-wekan": "Ve vašem Wekan tablu jděte do 'Menu', klikněte na 'Exportovat tablo' a zkopírujte text ze staženého souboru.", + "import-json-placeholder": "Sem vlož validní JSON data", + "import-map-members": "Mapovat členy", + "import-members-map": "Toto importované tablo obsahuje několik členů. Namapuj členy z importu na uživatelské účty Wekan.", + "import-show-user-mapping": "Zkontrolovat namapování členů", + "import-user-select": "Vyber uživatele Wekan, kterého chceš použít pro tohoto člena", + "importMapMembersAddPopup-title": "Vybrat Wekan uživatele", + "info": "Verze", + "initials": "Iniciály", + "invalid-date": "Neplatné datum", + "invalid-time": "Neplatný čas", + "invalid-user": "Neplatný uživatel", + "joined": "spojeno", + "just-invited": "Právě jsi byl pozván(a) do tohoto tabla", + "keyboard-shortcuts": "Klávesové zkratky", + "label-create": "Vytvořit štítek", + "label-default": "%s štítek (výchozí)", + "label-delete-pop": "Nelze vrátit zpět. Toto odebere tento štítek ze všech karet a zničí jeho historii.", + "labels": "Štítky", + "language": "Jazyk", + "last-admin-desc": "Nelze změnit role, protože musí existovat alespoň jeden administrátor.", + "leave-board": "Opustit tablo", + "leave-board-pop": "Opravdu chcete opustit tablo __boardTitle__? Odstraníte se tím i ze všech karet v tomto tablu.", + "leaveBoardPopup-title": "Opustit tablo?", + "link-card": "Odkázat na tuto kartu", + "list-archive-cards": "Přesunout všechny karty v tomto seznamu do koše", + "list-archive-cards-pop": "Toto odstraní z tabla všechny karty z tohoto seznamu. Pro zobrazení karet v koši a jejich opětovné obnovení, klikni v \"Menu\" > \"Archivované položky\".", + "list-move-cards": "Přesunout všechny karty v tomto seznamu", + "list-select-cards": "Vybrat všechny karty v tomto seznamu", + "listActionPopup-title": "Vypsat akce", + "swimlaneActionPopup-title": "Akce swimlane", + "listImportCardPopup-title": "Importovat Trello kartu", + "listMorePopup-title": "Více", + "link-list": "Odkaz na tento seznam", + "list-delete-pop": "Všechny akce budou odstraněny z kanálu aktivity a nebude možné kartu obnovit. Toto nelze vrátit zpět.", + "list-delete-suggest-archive": "Kartu můžete přesunout do koše a tím ji odstranit z tabla a přitom zachovat aktivity.", + "lists": "Seznamy", + "swimlanes": "Swimlanes", + "log-out": "Odhlásit", + "log-in": "Přihlásit", + "loginPopup-title": "Přihlásit", + "memberMenuPopup-title": "Nastavení uživatele", + "members": "Členové", + "menu": "Menu", + "move-selection": "Přesunout výběr", + "moveCardPopup-title": "Přesunout kartu", + "moveCardToBottom-title": "Přesunout dolu", + "moveCardToTop-title": "Přesunout nahoru", + "moveSelectionPopup-title": "Přesunout výběr", + "multi-selection": "Multi-výběr", + "multi-selection-on": "Multi-výběr je zapnut", + "muted": "Umlčeno", + "muted-info": "Nikdy nedostanete oznámení o změně v tomto tablu.", + "my-boards": "Moje tabla", + "name": "Jméno", + "no-archived-cards": "Žádné karty v koši", + "no-archived-lists": "Žádné seznamy v koši", + "no-archived-swimlanes": "Žádné swimlane v koši", + "no-results": "Žádné výsledky", + "normal": "Normální", + "normal-desc": "Může zobrazovat a upravovat karty. Nemůže měnit nastavení.", + "not-accepted-yet": "Pozvánka ještě nebyla přijmuta", + "notify-participate": "Dostane aktualizace do všech karet, ve kterých se účastní jako tvůrce nebo člen", + "notify-watch": "Dostane aktualitace to všech tabel, seznamů nebo karet, které sledujete", + "optional": "volitelný", + "or": "nebo", + "page-maybe-private": "Tato stránka může být soukromá. Můžete ji zobrazit po přihlášení.", + "page-not-found": "Stránka nenalezena.", + "password": "Heslo", + "paste-or-dragdrop": "vložit, nebo přetáhnout a pustit soubor obrázku (pouze obrázek)", + "participating": "Zúčastnění", + "preview": "Náhled", + "previewAttachedImagePopup-title": "Náhled", + "previewClipboardImagePopup-title": "Náhled", + "private": "Soukromý", + "private-desc": "Toto tablo je soukromé. Pouze vybraní uživatelé ho mohou zobrazit a upravovat.", + "profile": "Profil", + "public": "Veřejný", + "public-desc": "Toto tablo je veřejné. Je viditelné pro každého, kdo na něj má odkaz a bude zobrazeno ve vyhledávačích jako je Google. Pouze vybraní uživatelé ho mohou upravovat.", + "quick-access-description": "Pro přidání odkazu do této lišty označ tablo hvězdičkou.", + "remove-cover": "Odstranit obal", + "remove-from-board": "Odstranit z tabla", + "remove-label": "Odstranit štítek", + "listDeletePopup-title": "Smazat seznam?", + "remove-member": "Odebrat uživatele", + "remove-member-from-card": "Odstranit z karty", + "remove-member-pop": "Odstranit __name__ (__username__) z __boardTitle__? Uživatel bude odebrán ze všech karet na tomto tablu. Na tuto skutečnost bude upozorněn.", + "removeMemberPopup-title": "Odstranit člena?", + "rename": "Přejmenovat", + "rename-board": "Přejmenovat tablo", + "restore": "Obnovit", + "save": "Uložit", + "search": "Hledat", + "search-cards": "Hledat nadpisy a popisy karet v tomto tablu", + "search-example": "Hledaný text", + "select-color": "Vybrat barvu", + "set-wip-limit-value": "Nastaví limit pro maximální počet úkolů v seznamu.", + "setWipLimitPopup-title": "Nastavit WIP Limit", + "shortcut-assign-self": "Přiřadit sebe k aktuální kartě", + "shortcut-autocomplete-emoji": "Automatické dokončování emoji", + "shortcut-autocomplete-members": "Automatický výběr uživatel", + "shortcut-clear-filters": "Vyčistit všechny filtry", + "shortcut-close-dialog": "Zavřít dialog", + "shortcut-filter-my-cards": "Filtrovat mé karty", + "shortcut-show-shortcuts": "Otevřít tento seznam odkazů", + "shortcut-toggle-filterbar": "Přepnout lištu filtrování", + "shortcut-toggle-sidebar": "Přepnout lištu tabla", + "show-cards-minimum-count": "Zobrazit počet karet pokud seznam obsahuje více než ", + "sidebar-open": "Otevřít boční panel", + "sidebar-close": "Zavřít boční panel", + "signupPopup-title": "Vytvořit účet", + "star-board-title": "Kliknutím přidat tablu hvězdičku. Poté bude zobrazeno navrchu seznamu.", + "starred-boards": "Tabla s hvězdičkou", + "starred-boards-description": "Tabla s hvězdičkou jsou zobrazena navrchu seznamu.", + "subscribe": "Odebírat", + "team": "Tým", + "this-board": "toto tablo", + "this-card": "tuto kartu", + "spent-time-hours": "Strávený čas (hodiny)", + "overtime-hours": "Přesčas (hodiny)", + "overtime": "Přesčas", + "has-overtime-cards": "Obsahuje karty s přesčasy", + "has-spenttime-cards": "Obsahuje karty se stráveným časem", + "time": "Čas", + "title": "Název", + "tracking": "Pozorující", + "tracking-info": "Budete informováni o všech změnách v kartách, u kterých jste tvůrce nebo člen.", + "type": "Typ", + "unassign-member": "Vyřadit člena", + "unsaved-description": "Popis neni uložen.", + "unwatch": "Přestat sledovat", + "upload": "Nahrát", + "upload-avatar": "Nahrát avatar", + "uploaded-avatar": "Avatar nahrán", + "username": "Uživatelské jméno", + "view-it": "Zobrazit", + "warn-list-archived": "varování: tuto kartu obsahuje seznam v koši", + "watch": "Sledovat", + "watching": "Sledující", + "watching-info": "Bude vám oznámena každá změna v tomto tablu", + "welcome-board": "Uvítací tablo", + "welcome-swimlane": "Milník 1", + "welcome-list1": "Základní", + "welcome-list2": "Pokročilé", + "what-to-do": "Co chcete dělat?", + "wipLimitErrorPopup-title": "Neplatný WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "Počet úkolů v tomto seznamu je vyšší než definovaný WIP limit.", + "wipLimitErrorPopup-dialog-pt2": "Přesuňte prosím některé úkoly mimo tento seznam, nebo nastavte vyšší WIP limit.", + "admin-panel": "Administrátorský panel", + "settings": "Nastavení", + "people": "Lidé", + "registration": "Registrace", + "disable-self-registration": "Vypnout svévolnou registraci", + "invite": "Pozvánka", + "invite-people": "Pozvat lidi", + "to-boards": "Do tabel", + "email-addresses": "Emailové adresy", + "smtp-host-description": "Adresa SMTP serveru, který zpracovává vaše emaily.", + "smtp-port-description": "Port, který používá Váš SMTP server pro odchozí emaily.", + "smtp-tls-description": "Zapnout TLS podporu pro SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Uživatelské jméno", + "smtp-password": "Heslo", + "smtp-tls": "podpora TLS", + "send-from": "Od", + "send-smtp-test": "Poslat si zkušební email.", + "invitation-code": "Kód pozvánky", + "email-invite-register-subject": "__inviter__ odeslal pozvánku", + "email-invite-register-text": "Ahoj __user__,\n\n__inviter__ tě přizval ke spolupráci ve Wekanu.\n\nNásleduj prosím odkaz níže:\n\n__url__\n\nKód Tvé pozvánky je: __icode__\n\nDěkujeme.", + "email-smtp-test-subject": "SMTP Testovací email z Wekanu", + "email-smtp-test-text": "Email byl úspěšně odeslán", + "error-invitation-code-not-exist": "Kód pozvánky neexistuje.", + "error-notAuthorized": "Nejste autorizován k prohlížení této stránky.", + "outgoing-webhooks": "Odchozí Webhooky", + "outgoingWebhooksPopup-title": "Odchozí Webhooky", + "new-outgoing-webhook": "Nové odchozí Webhooky", + "no-name": "(Neznámé)", + "Wekan_version": "Wekan verze", + "Node_version": "Node verze", + "OS_Arch": "OS Architektura", + "OS_Cpus": "OS Počet CPU", + "OS_Freemem": "OS Volná paměť", + "OS_Loadavg": "OS Průměrná zátěž systém", + "OS_Platform": "Platforma OS", + "OS_Release": "Verze OS", + "OS_Totalmem": "OS Celková paměť", + "OS_Type": "Typ OS", + "OS_Uptime": "OS Doba běhu systému", + "hours": "hodin", + "minutes": "minut", + "seconds": "sekund", + "show-field-on-card": "Ukázat toto pole na kartě", + "yes": "Ano", + "no": "Ne", + "accounts": "Účty", + "accounts-allowEmailChange": "Povolit změnu Emailu", + "accounts-allowUserNameChange": "Povolit změnu uživatelského jména", + "createdAt": "Vytvořeno v", + "verified": "Ověřen", + "active": "Aktivní", + "card-received": "Přijato", + "card-received-on": "Přijaté v", + "card-end": "Konec", + "card-end-on": "Končí v", + "editCardReceivedDatePopup-title": "Změnit datum přijetí", + "editCardEndDatePopup-title": "Změnit datum konce", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Smazat tablo?", + "delete-board": "Smazat tablo" +} \ No newline at end of file diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json new file mode 100644 index 00000000..fffcd205 --- /dev/null +++ b/i18n/de.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Akzeptieren", + "act-activity-notify": "[Wekan] Aktivitätsbenachrichtigung", + "act-addAttachment": "hat __attachment__ an __card__ angehängt", + "act-addChecklist": "hat die Checkliste __checklist__ zu __card__ hinzugefügt", + "act-addChecklistItem": "hat __checklistItem__ zur Checkliste __checklist__ in __card__ hinzugefügt", + "act-addComment": "hat __card__ kommentiert: __comment__", + "act-createBoard": "hat __board__ erstellt", + "act-createCard": "hat __card__ zu __list__ hinzugefügt", + "act-createCustomField": "benutzerdefiniertes Feld __customField__ angelegt", + "act-createList": "hat __list__ zu __board__ hinzugefügt", + "act-addBoardMember": "hat __member__ zu __board__ hinzugefügt", + "act-archivedBoard": "__board__ in den Papierkorb verschoben", + "act-archivedCard": "__card__ in den Papierkorb verschoben", + "act-archivedList": "__list__ in den Papierkorb verschoben", + "act-archivedSwimlane": "__swimlane__ in den Papierkorb verschoben", + "act-importBoard": "hat __board__ importiert", + "act-importCard": "hat __card__ importiert", + "act-importList": "hat __list__ importiert", + "act-joinMember": "hat __member__ zu __card__ hinzugefügt", + "act-moveCard": "hat __card__ von __oldList__ nach __list__ verschoben", + "act-removeBoardMember": "hat __member__ von __board__ entfernt", + "act-restoredCard": "hat __card__ in __board__ wiederhergestellt", + "act-unjoinMember": "hat __member__ von __card__ entfernt", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Aktionen", + "activities": "Aktivitäten", + "activity": "Aktivität", + "activity-added": "hat %s zu %s hinzugefügt", + "activity-archived": "hat %s in den Papierkorb verschoben", + "activity-attached": "hat %s an %s angehängt", + "activity-created": "hat %s erstellt", + "activity-customfield-created": "hat das benutzerdefinierte Feld %s erstellt", + "activity-excluded": "hat %s von %s ausgeschlossen", + "activity-imported": "hat %s in %s von %s importiert", + "activity-imported-board": "hat %s von %s importiert", + "activity-joined": "ist %s beigetreten", + "activity-moved": "hat %s von %s nach %s verschoben", + "activity-on": "in %s", + "activity-removed": "hat %s von %s entfernt", + "activity-sent": "hat %s an %s gesendet", + "activity-unjoined": "hat %s verlassen", + "activity-checklist-added": "hat eine Checkliste zu %s hinzugefügt", + "activity-checklist-item-added": "hat eine Checklistenposition zu '%s' in %s hinzugefügt", + "add": "Hinzufügen", + "add-attachment": "Datei anhängen", + "add-board": "neues Board", + "add-card": "Karte hinzufügen", + "add-swimlane": "Swimlane hinzufügen", + "add-checklist": "Checkliste hinzufügen", + "add-checklist-item": "Position zu einer Checkliste hinzufügen", + "add-cover": "Cover hinzufügen", + "add-label": "Label hinzufügen", + "add-list": "Liste hinzufügen", + "add-members": "Mitglieder hinzufügen", + "added": "Hinzugefügt", + "addMemberPopup-title": "Mitglieder", + "admin": "Admin", + "admin-desc": "Kann Karten anzeigen und bearbeiten, Mitglieder entfernen und Boardeinstellungen ändern.", + "admin-announcement": "Ankündigung", + "admin-announcement-active": "Aktive systemweite Ankündigungen", + "admin-announcement-title": "Ankündigung des Administrators", + "all-boards": "Alle Boards", + "and-n-other-card": "und eine andere Karte", + "and-n-other-card_plural": "und __count__ andere Karten", + "apply": "Übernehmen", + "app-is-offline": "Wekan lädt gerade, bitte warten Sie. Wenn Sie die Seite neu laden, gehen nicht übertragene Änderungen verloren. Sollte Wekan nicht geladen werden, überprüfen Sie bitte, ob der Server noch läuft.", + "archive": "In den Papierkorb verschieben", + "archive-all": "Alles in den Papierkorb verschieben", + "archive-board": "Board in den Papierkorb verschieben", + "archive-card": "Karte in den Papierkorb verschieben", + "archive-list": "Liste in den Papierkorb verschieben", + "archive-swimlane": "Swimlane in den Papierkorb verschieben", + "archive-selection": "Auswahl in den Papierkorb verschieben", + "archiveBoardPopup-title": "Board in den Papierkorb verschieben?", + "archived-items": "Papierkorb", + "archived-boards": "Boards im Papierkorb", + "restore-board": "Board wiederherstellen", + "no-archived-boards": "Keine Boards im Papierkorb.", + "archives": "Papierkorb", + "assign-member": "Mitglied zuweisen", + "attached": "angehängt", + "attachment": "Anhang", + "attachment-delete-pop": "Das Löschen eines Anhangs kann nicht rückgängig gemacht werden.", + "attachmentDeletePopup-title": "Anhang löschen?", + "attachments": "Anhänge", + "auto-watch": "Neue Boards nach Erstellung automatisch beobachten", + "avatar-too-big": "Das Profilbild ist zu groß (max. 70KB)", + "back": "Zurück", + "board-change-color": "Farbe ändern", + "board-nb-stars": "%s Sterne", + "board-not-found": "Board nicht gefunden", + "board-private-info": "Dieses Board wird privat sein.", + "board-public-info": "Dieses Board wird öffentlich sein.", + "boardChangeColorPopup-title": "Farbe des Boards ändern", + "boardChangeTitlePopup-title": "Board umbenennen", + "boardChangeVisibilityPopup-title": "Sichtbarkeit ändern", + "boardChangeWatchPopup-title": "Beobachtung ändern", + "boardMenuPopup-title": "Boardmenü", + "boards": "Boards", + "board-view": "Boardansicht", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Listen", + "bucket-example": "z.B. \"Löffelliste\"", + "cancel": "Abbrechen", + "card-archived": "Diese Karte wurde in den Papierkorb verschoben", + "card-comments-title": "Diese Karte hat %s Kommentar(e).", + "card-delete-notice": "Löschen kann nicht rückgängig gemacht werden. Alle Aktionen, die dieser Karte zugeordnet sind, werden ebenfalls gelöscht.", + "card-delete-pop": "Alle Aktionen werden aus dem Aktivitätsfeed entfernt und die Karte kann nicht wiedereröffnet werden. Die Aktion kann nicht rückgängig gemacht werden.", + "card-delete-suggest-archive": "Sie können eine Karte in den Papierkorb verschieben, um sie vom Board zu entfernen und die Aktivitäten zu behalten.", + "card-due": "Fällig", + "card-due-on": "Fällig am", + "card-spent": "Aufgewendete Zeit", + "card-edit-attachments": "Anhänge ändern", + "card-edit-custom-fields": "Benutzerdefinierte Felder editieren", + "card-edit-labels": "Labels ändern", + "card-edit-members": "Mitglieder ändern", + "card-labels-title": "Labels für diese Karte ändern.", + "card-members-title": "Der Karte Board-Mitglieder hinzufügen oder entfernen.", + "card-start": "Start", + "card-start-on": "Start am", + "cardAttachmentsPopup-title": "Anhängen von", + "cardCustomField-datePopup-title": "Datum ändern", + "cardCustomFieldsPopup-title": "Benutzerdefinierte Felder editieren", + "cardDeletePopup-title": "Karte löschen?", + "cardDetailsActionsPopup-title": "Kartenaktionen", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Mitglieder", + "cardMorePopup-title": "Mehr", + "cards": "Karten", + "cards-count": "Karten", + "change": "Ändern", + "change-avatar": "Profilbild ändern", + "change-password": "Passwort ändern", + "change-permissions": "Berechtigungen ändern", + "change-settings": "Einstellungen ändern", + "changeAvatarPopup-title": "Profilbild ändern", + "changeLanguagePopup-title": "Sprache ändern", + "changePasswordPopup-title": "Passwort ändern", + "changePermissionsPopup-title": "Berechtigungen ändern", + "changeSettingsPopup-title": "Einstellungen ändern", + "checklists": "Checklisten", + "click-to-star": "Klicken Sie, um das Board mit einem Stern zu markieren.", + "click-to-unstar": "Klicken Sie, um den Stern vom Board zu entfernen.", + "clipboard": "Zwischenablage oder Drag & Drop", + "close": "Schließen", + "close-board": "Board schließen", + "close-board-pop": "Sie können das Board wiederherstellen, indem Sie die Schaltfläche \"Papierkorb\" in der Kopfzeile der Startseite anklicken.", + "color-black": "schwarz", + "color-blue": "blau", + "color-green": "grün", + "color-lime": "hellgrün", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "lila", + "color-red": "rot", + "color-sky": "himmelblau", + "color-yellow": "gelb", + "comment": "Kommentar", + "comment-placeholder": "Kommentar schreiben", + "comment-only": "Nur kommentierbar", + "comment-only-desc": "Kann Karten nur Kommentieren", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Sind Sie sicher, dass Sie die Checkliste löschen möchten?", + "copy-card-link-to-clipboard": "Kopiere Link zur Karte in die Zwischenablage", + "copyCardPopup-title": "Karte kopieren", + "copyChecklistToManyCardsPopup-title": "Checklistenvorlage in mehrere Karten kopieren", + "copyChecklistToManyCardsPopup-instructions": "Titel und Beschreibungen der Zielkarten im folgenden JSON-Format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titel der ersten Karte\", \"description\":\"Beschreibung der ersten Karte\"}, {\"title\":\"Titel der zweiten Karte\",\"description\":\"Beschreibung der zweiten Karte\"},{\"title\":\"Titel der letzten Karte\",\"description\":\"Beschreibung der letzten Karte\"} ]", + "create": "Erstellen", + "createBoardPopup-title": "Board erstellen", + "chooseBoardSourcePopup-title": "Board importieren", + "createLabelPopup-title": "Label erstellen", + "createCustomField": "Feld erstellen", + "createCustomFieldPopup-title": "Feld erstellen", + "current": "aktuell", + "custom-field-delete-pop": "Dies wird das Feld aus allen Karten entfernen und den dazugehörigen Verlauf löschen. Die Aktion kann nicht rückgängig gemacht werden.", + "custom-field-checkbox": "Kontrollkästchen", + "custom-field-date": "Datum", + "custom-field-dropdown": "Dropdownliste", + "custom-field-dropdown-none": "(keiner)", + "custom-field-dropdown-options": "Listenoptionen", + "custom-field-dropdown-options-placeholder": "Drücken Sie die Eingabetaste, um weitere Optionen hinzuzufügen", + "custom-field-dropdown-unknown": "(unbekannt)", + "custom-field-number": "Zahl", + "custom-field-text": "Text", + "custom-fields": "Benutzerdefinierte Felder", + "date": "Datum", + "decline": "Ablehnen", + "default-avatar": "Standard Profilbild", + "delete": "Löschen", + "deleteCustomFieldPopup-title": "Benutzerdefiniertes Feld löschen?", + "deleteLabelPopup-title": "Label löschen?", + "description": "Beschreibung", + "disambiguateMultiLabelPopup-title": "Labels vereinheitlichen", + "disambiguateMultiMemberPopup-title": "Mitglieder vereinheitlichen", + "discard": "Verwerfen", + "done": "Erledigt", + "download": "Herunterladen", + "edit": "Bearbeiten", + "edit-avatar": "Profilbild ändern", + "edit-profile": "Profil ändern", + "edit-wip-limit": "WIP-Limit bearbeiten", + "soft-wip-limit": "Soft WIP-Limit", + "editCardStartDatePopup-title": "Startdatum ändern", + "editCardDueDatePopup-title": "Fälligkeitsdatum ändern", + "editCustomFieldPopup-title": "Feld bearbeiten", + "editCardSpentTimePopup-title": "Aufgewendete Zeit ändern", + "editLabelPopup-title": "Label ändern", + "editNotificationPopup-title": "Benachrichtigung ändern", + "editProfilePopup-title": "Profil ändern", + "email": "E-Mail", + "email-enrollAccount-subject": "Ihr Benutzerkonto auf __siteName__ wurde erstellt", + "email-enrollAccount-text": "Hallo __user__,\n\num den Dienst nutzen zu können, klicken Sie bitte auf folgenden Link:\n\n__url__\n\nDanke.", + "email-fail": "Senden der E-Mail fehlgeschlagen", + "email-fail-text": "Fehler beim Senden des E-Mails", + "email-invalid": "Ungültige E-Mail-Adresse", + "email-invite": "via E-Mail einladen", + "email-invite-subject": "__inviter__ hat Ihnen eine Einladung geschickt", + "email-invite-text": "Hallo __user__,\n\n__inviter__ hat Sie zu dem Board \"__board__\" eingeladen.\n\nBitte klicken Sie auf folgenden Link:\n\n__url__\n\nDanke.", + "email-resetPassword-subject": "Setzten Sie ihr Passwort auf __siteName__ zurück", + "email-resetPassword-text": "Hallo __user__,\n\num ihr Passwort zurückzusetzen, klicken Sie bitte auf folgenden Link:\n\n__url__\n\nDanke.", + "email-sent": "E-Mail gesendet", + "email-verifyEmail-subject": "Bestätigen Sie ihre E-Mail-Adresse auf __siteName__", + "email-verifyEmail-text": "Hallo __user__,\n\num ihre E-Mail-Adresse zu bestätigen, klicken Sie bitte auf folgenden Link:\n\n__url__\n\nDanke.", + "enable-wip-limit": "WIP-Limit einschalten", + "error-board-doesNotExist": "Dieses Board existiert nicht", + "error-board-notAdmin": "Um das zu tun, müssen Sie Administrator dieses Boards sein", + "error-board-notAMember": "Um das zu tun, müssen Sie Mitglied dieses Boards sein", + "error-json-malformed": "Ihre Eingabe ist kein gültiges JSON", + "error-json-schema": "Ihre JSON-Daten enthalten nicht die gewünschten Informationen im richtigen Format", + "error-list-doesNotExist": "Diese Liste existiert nicht", + "error-user-doesNotExist": "Dieser Nutzer existiert nicht", + "error-user-notAllowSelf": "Sie können sich nicht selbst einladen.", + "error-user-notCreated": "Dieser Nutzer ist nicht angelegt", + "error-username-taken": "Dieser Benutzername ist bereits vergeben", + "error-email-taken": "E-Mail wird schon verwendet", + "export-board": "Board exportieren", + "filter": "Filter", + "filter-cards": "Karten filtern", + "filter-clear": "Filter entfernen", + "filter-no-label": "Kein Label", + "filter-no-member": "Kein Mitglied", + "filter-no-custom-fields": "Keine benutzerdefinierten Felder", + "filter-on": "Filter ist aktiv", + "filter-on-desc": "Sie filtern die Karten in diesem Board. Klicken Sie, um den Filter zu bearbeiten.", + "filter-to-selection": "Ergebnisse auswählen", + "advanced-filter-label": "Erweiterter Filter", + "advanced-filter-description": "Der erweiterte Filter erlaubt die Eingabe von Zeichenfolgen, die folgende Operatoren enthalten: == != <= >= && || ( ). Ein Leerzeichen wird als Trennzeichen zwischen den Operatoren verwendet. Sie können nach allen benutzerdefinierten Feldern filtern, indem Sie deren Namen und Werte eingeben. Zum Beispiel: Feld1 == Wert1. Beachten Sie: Wenn Felder oder Werte Leerzeichen enthalten, müssen Sie sie in einfache Anführungszeichen setzen. Zum Beispiel: 'Feld 1' == 'Wert 1'. Sie können außerdem mehrere Bedingungen kombinieren. Zum Beispiel: F1 == W1 || F1 == W2. Normalerweise werden alle Operatoren von links nach rechts interpretiert. Sie können die Reihenfolge ändern, indem Sie Klammern setzen. Zum Beispiel: F1 == W1 && ( F2 == W2 || F2 == W3 )", + "fullname": "Vollständiger Name", + "header-logo-title": "Zurück zur Board Seite.", + "hide-system-messages": "Systemmeldungen ausblenden", + "headerBarCreateBoardPopup-title": "Board erstellen", + "home": "Home", + "import": "Importieren", + "import-board": "Board importieren", + "import-board-c": "Board importieren", + "import-board-title-trello": "Board von Trello importieren", + "import-board-title-wekan": "Board von Wekan importieren", + "import-sandstorm-warning": "Das importierte Board wird alle bereits existierenden Daten löschen und mit den importierten Daten überschreiben.", + "from-trello": "Von Trello", + "from-wekan": "Von Wekan", + "import-board-instruction-trello": "Gehen Sie in ihrem Trello-Board auf 'Menü', dann 'Mehr', 'Drucken und Exportieren', 'JSON-Export' und kopieren Sie den dort angezeigten Text", + "import-board-instruction-wekan": "Gehen Sie in Ihrem Wekan board auf 'Menü', und dann auf 'Board exportieren'. Kopieren Sie anschließend den Text aus der heruntergeladenen Datei.", + "import-json-placeholder": "Fügen Sie die korrekten JSON-Daten hier ein", + "import-map-members": "Mitglieder zuordnen", + "import-members-map": "Das importierte Board hat Mitglieder. Bitte ordnen Sie jene, die importiert werden sollen, vorhandenen Wekan-Nutzern zu", + "import-show-user-mapping": "Mitgliederzuordnung überprüfen", + "import-user-select": "Wählen Sie den Wekan-Nutzer aus, der dieses Mitglied sein soll", + "importMapMembersAddPopup-title": "Wekan-Nutzer auswählen", + "info": "Version", + "initials": "Initialen", + "invalid-date": "Ungültiges Datum", + "invalid-time": "Ungültige Zeitangabe", + "invalid-user": "Ungültiger Benutzer", + "joined": "beigetreten", + "just-invited": "Sie wurden soeben zu diesem Board eingeladen", + "keyboard-shortcuts": "Tastaturkürzel", + "label-create": "Label erstellen", + "label-default": "%s Label (Standard)", + "label-delete-pop": "Aktion kann nicht rückgängig gemacht werden. Das Label wird von allen Karten entfernt und seine Historie gelöscht.", + "labels": "Labels", + "language": "Sprache", + "last-admin-desc": "Sie können keine Rollen ändern, weil es mindestens einen Administrator geben muss.", + "leave-board": "Board verlassen", + "leave-board-pop": "Sind Sie sicher, dass Sie __boardTitle__ verlassen möchten? Sie werden von allen Karten in diesem Board entfernt.", + "leaveBoardPopup-title": "Board verlassen?", + "link-card": "Link zu dieser Karte", + "list-archive-cards": "Alle Karten dieser Liste in den Papierkorb verschieben", + "list-archive-cards-pop": "Alle Karten dieser Liste werden vom Board entfernt. Um Karten im Papierkorb anzuzeigen und wiederherzustellen, klicken Sie auf \"Menü\" > \"Papierkorb\".", + "list-move-cards": "Alle Karten in dieser Liste verschieben", + "list-select-cards": "Alle Karten in dieser Liste auswählen", + "listActionPopup-title": "Listenaktionen", + "swimlaneActionPopup-title": "Swimlaneaktionen", + "listImportCardPopup-title": "Eine Trello-Karte importieren", + "listMorePopup-title": "Mehr", + "link-list": "Link zu dieser Liste", + "list-delete-pop": "Alle Aktionen werden aus dem Verlauf gelöscht und die Liste kann nicht wiederhergestellt werden.", + "list-delete-suggest-archive": "Listen können in den Papierkorb verschoben werden, um sie aus dem Board zu entfernen und die Aktivitäten zu behalten.", + "lists": "Listen", + "swimlanes": "Swimlanes", + "log-out": "Ausloggen", + "log-in": "Einloggen", + "loginPopup-title": "Einloggen", + "memberMenuPopup-title": "Nutzereinstellungen", + "members": "Mitglieder", + "menu": "Menü", + "move-selection": "Auswahl verschieben", + "moveCardPopup-title": "Karte verschieben", + "moveCardToBottom-title": "Ans Ende verschieben", + "moveCardToTop-title": "Zum Anfang verschieben", + "moveSelectionPopup-title": "Auswahl verschieben", + "multi-selection": "Mehrfachauswahl", + "multi-selection-on": "Mehrfachauswahl ist aktiv", + "muted": "Stumm", + "muted-info": "Sie werden nicht über Änderungen auf diesem Board benachrichtigt", + "my-boards": "Meine Boards", + "name": "Name", + "no-archived-cards": "Keine Karten im Papierkorb.", + "no-archived-lists": "Keine Listen im Papierkorb.", + "no-archived-swimlanes": "Keine Swimlanes im Papierkorb.", + "no-results": "Keine Ergebnisse", + "normal": "Normal", + "normal-desc": "Kann Karten anzeigen und bearbeiten, aber keine Einstellungen ändern.", + "not-accepted-yet": "Die Einladung wurde noch nicht angenommen", + "notify-participate": "Benachrichtigungen zu allen Karten erhalten, an denen Sie teilnehmen", + "notify-watch": "Benachrichtigungen über alle Boards, Listen oder Karten erhalten, die Sie beobachten", + "optional": "optional", + "or": "oder", + "page-maybe-private": "Diese Seite könnte privat sein. Vielleicht können Sie sie sehen, wenn Sie sich einloggen.", + "page-not-found": "Seite nicht gefunden.", + "password": "Passwort", + "paste-or-dragdrop": "Einfügen oder Datei mit Drag & Drop ablegen (nur Bilder)", + "participating": "Teilnehmen", + "preview": "Vorschau", + "previewAttachedImagePopup-title": "Vorschau", + "previewClipboardImagePopup-title": "Vorschau", + "private": "Privat", + "private-desc": "Dieses Board ist privat. Nur Nutzer, die zu dem Board gehören, können es anschauen und bearbeiten.", + "profile": "Profil", + "public": "Öffentlich", + "public-desc": "Dieses Board ist öffentlich. Es ist für jeden, der den Link kennt, sichtbar und taucht in Suchmaschinen wie Google auf. Nur Nutzer, die zum Board hinzugefügt wurden, können es bearbeiten.", + "quick-access-description": "Markieren Sie ein Board mit einem Stern, um dieser Leiste eine Verknüpfung hinzuzufügen.", + "remove-cover": "Cover entfernen", + "remove-from-board": "Von Board entfernen", + "remove-label": "Label entfernen", + "listDeletePopup-title": "Liste löschen?", + "remove-member": "Nutzer entfernen", + "remove-member-from-card": "Von Karte entfernen", + "remove-member-pop": "__name__ (__username__) von __boardTitle__ entfernen? Das Mitglied wird von allen Karten auf diesem Board entfernt. Es erhält eine Benachrichtigung.", + "removeMemberPopup-title": "Mitglied entfernen?", + "rename": "Umbenennen", + "rename-board": "Board umbenennen", + "restore": "Wiederherstellen", + "save": "Speichern", + "search": "Suchen", + "search-cards": "Suche nach Kartentiteln und Beschreibungen auf diesem Board", + "search-example": "Suchbegriff", + "select-color": "Farbe auswählen", + "set-wip-limit-value": "Setzen Sie ein Limit für die maximale Anzahl von Aufgaben in dieser Liste", + "setWipLimitPopup-title": "WIP-Limit setzen", + "shortcut-assign-self": "Fügen Sie sich zur aktuellen Karte hinzu", + "shortcut-autocomplete-emoji": "Emojis vervollständigen", + "shortcut-autocomplete-members": "Mitglieder vervollständigen", + "shortcut-clear-filters": "Alle Filter entfernen", + "shortcut-close-dialog": "Dialog schließen", + "shortcut-filter-my-cards": "Meine Karten filtern", + "shortcut-show-shortcuts": "Liste der Tastaturkürzel anzeigen", + "shortcut-toggle-filterbar": "Filter-Seitenleiste ein-/ausblenden", + "shortcut-toggle-sidebar": "Seitenleiste ein-/ausblenden", + "show-cards-minimum-count": "Zeigt die Kartenanzahl an, wenn die Liste mehr enthält als", + "sidebar-open": "Seitenleiste öffnen", + "sidebar-close": "Seitenleiste schließen", + "signupPopup-title": "Benutzerkonto erstellen", + "star-board-title": "Klicken Sie, um das Board mit einem Stern zu markieren. Es erscheint dann oben in ihrer Boardliste.", + "starred-boards": "Markierte Boards", + "starred-boards-description": "Markierte Boards erscheinen oben in ihrer Boardliste.", + "subscribe": "Abonnieren", + "team": "Team", + "this-board": "diesem Board", + "this-card": "diese Karte", + "spent-time-hours": "Aufgewendete Zeit (Stunden)", + "overtime-hours": "Mehrarbeit (Stunden)", + "overtime": "Mehrarbeit", + "has-overtime-cards": "Hat Karten mit Mehrarbeit", + "has-spenttime-cards": "Hat Karten mit aufgewendeten Zeiten", + "time": "Zeit", + "title": "Titel", + "tracking": "Folgen", + "tracking-info": "Sie werden über alle Änderungen an Karten benachrichtigt, an denen Sie als Ersteller oder Mitglied beteiligt sind.", + "type": "Typ", + "unassign-member": "Mitglied entfernen", + "unsaved-description": "Sie haben eine nicht gespeicherte Änderung.", + "unwatch": "Beobachtung entfernen", + "upload": "Upload", + "upload-avatar": "Profilbild hochladen", + "uploaded-avatar": "Profilbild hochgeladen", + "username": "Benutzername", + "view-it": "Ansehen", + "warn-list-archived": "Warnung: Diese Karte befindet sich in einer Liste im Papierkorb!", + "watch": "Beobachten", + "watching": "Beobachten", + "watching-info": "Sie werden über alle Änderungen in diesem Board benachrichtigt", + "welcome-board": "Willkommen-Board", + "welcome-swimlane": "Meilenstein 1", + "welcome-list1": "Grundlagen", + "welcome-list2": "Fortgeschritten", + "what-to-do": "Was wollen Sie tun?", + "wipLimitErrorPopup-title": "Ungültiges WIP-Limit", + "wipLimitErrorPopup-dialog-pt1": "Die Anzahl von Aufgaben in dieser Liste ist größer als das von Ihnen definierte WIP-Limit.", + "wipLimitErrorPopup-dialog-pt2": "Bitte verschieben Sie einige Aufgaben aus dieser Liste oder setzen Sie ein grösseres WIP-Limit.", + "admin-panel": "Administration", + "settings": "Einstellungen", + "people": "Nutzer", + "registration": "Registrierung", + "disable-self-registration": "Selbstregistrierung deaktivieren", + "invite": "Einladen", + "invite-people": "Nutzer einladen", + "to-boards": "In Board(s)", + "email-addresses": "E-Mail Adressen", + "smtp-host-description": "Die Adresse Ihres SMTP-Servers für ausgehende E-Mails.", + "smtp-port-description": "Der Port Ihres SMTP-Servers für ausgehende E-Mails.", + "smtp-tls-description": "Aktiviere TLS Unterstützung für SMTP Server", + "smtp-host": "SMTP-Server", + "smtp-port": "SMTP-Port", + "smtp-username": "Benutzername", + "smtp-password": "Passwort", + "smtp-tls": "TLS Unterstützung", + "send-from": "Absender", + "send-smtp-test": "Test-E-Mail an sich selbst schicken", + "invitation-code": "Einladungscode", + "email-invite-register-subject": "__inviter__ hat Ihnen eine Einladung geschickt", + "email-invite-register-text": "Hallo __user__,\n\n__inviter__ hat Sie für Ihre Zusammenarbeit zu Wekan eingeladen.\n\nBitte klicken Sie auf folgenden Link:\n__url__\n\nIhr Einladungscode lautet: __icode__\n\nDanke.", + "email-smtp-test-subject": "SMTP-Test-E-Mail von Wekan", + "email-smtp-test-text": "Sie haben erfolgreich eine E-Mail versandt", + "error-invitation-code-not-exist": "Ungültiger Einladungscode", + "error-notAuthorized": "Sie sind nicht berechtigt diese Seite zu sehen.", + "outgoing-webhooks": "Ausgehende Webhooks", + "outgoingWebhooksPopup-title": "Ausgehende Webhooks", + "new-outgoing-webhook": "Neuer ausgehender Webhook", + "no-name": "(Unbekannt)", + "Wekan_version": "Wekan-Version", + "Node_version": "Node-Version", + "OS_Arch": "Betriebssystem-Architektur", + "OS_Cpus": "Anzahl Prozessoren", + "OS_Freemem": "Freier Arbeitsspeicher", + "OS_Loadavg": "Mittlere Systembelastung", + "OS_Platform": "Plattform", + "OS_Release": "Version des Betriebssystem", + "OS_Totalmem": "Gesamter Arbeitsspeicher", + "OS_Type": "Typ des Betriebssystems", + "OS_Uptime": "Laufzeit des Systems", + "hours": "Stunden", + "minutes": "Minuten", + "seconds": "Sekunden", + "show-field-on-card": "Zeige dieses Feld auf der Karte", + "yes": "Ja", + "no": "Nein", + "accounts": "Konten", + "accounts-allowEmailChange": "Ändern der E-Mailadresse erlauben", + "accounts-allowUserNameChange": "Ändern des Benutzernamens erlauben", + "createdAt": "Erstellt am", + "verified": "Geprüft", + "active": "Aktiv", + "card-received": "Empfangen", + "card-received-on": "Empfangen am", + "card-end": "Ende", + "card-end-on": "Endet am", + "editCardReceivedDatePopup-title": "Empfangsdatum ändern", + "editCardEndDatePopup-title": "Enddatum ändern", + "assigned-by": "Zugewiesen von", + "requested-by": "Angefordert von", + "board-delete-notice": "Löschen kann nicht rückgängig gemacht werden. Sie werden alle Listen, Karten und Aktionen, die mit diesem Board verbunden sind, verlieren.", + "delete-board-confirm-popup": "Alle Listen, Karten, Labels und Akivitäten werden gelöscht und Sie können die Inhalte des Boards nicht wiederherstellen! Die Aktion kann nicht rückgängig gemacht werden.", + "boardDeletePopup-title": "Board löschen?", + "delete-board": "Board löschen" +} \ No newline at end of file diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json new file mode 100644 index 00000000..f863b23a --- /dev/null +++ b/i18n/el.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accept", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Προσθήκη", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Προσθήκη Κάρτας", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Προσθήκη Ετικέτας", + "add-list": "Προσθήκη Λίστας", + "add-members": "Προσθήκη Μελών", + "added": "Προστέθηκε", + "addMemberPopup-title": "Μέλοι", + "admin": "Διαχειριστής", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Εφαρμογή", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Πίσω", + "board-change-color": "Αλλαγή χρώματος", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Λίστες", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Ακύρωση", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Έως", + "card-due-on": "Έως τις", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Διαγραφή Κάρτας;", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Ετικέτες", + "cardMembersPopup-title": "Μέλοι", + "cardMorePopup-title": "Περισσότερα", + "cards": "Κάρτες", + "cards-count": "Κάρτες", + "change": "Αλλαγή", + "change-avatar": "Change Avatar", + "change-password": "Αλλαγή Κωδικού", + "change-permissions": "Change permissions", + "change-settings": "Αλλαγή Ρυθμίσεων", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Αλλαγή Γλώσσας", + "changePasswordPopup-title": "Αλλαγή Κωδικού", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Αλλαγή Ρυθμίσεων", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Κλείσιμο", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "μαύρο", + "color-blue": "μπλε", + "color-green": "πράσινο", + "color-lime": "λάιμ", + "color-orange": "πορτοκαλί", + "color-pink": "ροζ", + "color-purple": "μωβ", + "color-red": "κόκκινο", + "color-sky": "ουρανός", + "color-yellow": "κίτρινο", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Υπολογιστής", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Δημιουργία", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Ημερομηνία", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Ημερομηνία", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Διαγραφή", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Απόρριψη", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Το κείμενο δεν είναι έγκυρο JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Φίλτρο", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "Κανένα μέλος", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Πλήρες Όνομα", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Εισαγωγή", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "Από το Trello", + "from-wekan": "Από το Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Έκδοση", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Ετικέτες", + "language": "Γλώσσα", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "Περισσότερα", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Λίστες", + "swimlanes": "Swimlanes", + "log-out": "Αποσύνδεση", + "log-in": "Σύνδεση", + "loginPopup-title": "Σύνδεση", + "memberMenuPopup-title": "Member Settings", + "members": "Μέλοι", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Όνομα", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Κανένα αποτέλεσμα", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "ή", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Η σελίδα δεν βρέθηκε.", + "password": "Κωδικός", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Διαγραφή Λίστας;", + "remove-member": "Αφαίρεση Μέλους", + "remove-member-from-card": "Αφαίρεση από την Κάρτα", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Αφαίρεση Μέλους;", + "rename": "Μετανομασία", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Αποθήκευση", + "search": "Αναζήτηση", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Επιλέξτε Χρώμα", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Δημιουργία Λογαριασμού", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Ομάδα", + "this-board": "this board", + "this-card": "αυτή η κάρτα", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Ώρα", + "title": "Τίτλος", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Όνομα Χρήστη", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Ρυθμίσεις", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Διευθύνσεις", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Όνομα Χρήστη", + "smtp-password": "Κωδικός", + "smtp-tls": "TLS υποστήριξη", + "send-from": "Από", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Κωδικός Πρόσκλησης", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Ο κωδικός πρόσκλησης δεν υπάρχει", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Άγνωστο)", + "Wekan_version": "Wekan έκδοση", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "ώρες", + "minutes": "λεπτά", + "seconds": "δευτερόλεπτα", + "show-field-on-card": "Show this field on card", + "yes": "Ναι", + "no": "Όχι", + "accounts": "Λογαριασμοί", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json new file mode 100644 index 00000000..44140081 --- /dev/null +++ b/i18n/en-GB.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accept", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached _ attachment _ to _ card _", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Add", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Members", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change colour", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Members", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaboration.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve its activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Members", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Colour", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in a list in the Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any changes in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaboration.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorised to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json new file mode 100644 index 00000000..df268772 --- /dev/null +++ b/i18n/eo.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Akcepti", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "Kreiis __board__", + "act-createCard": "Aldonis __card__ al __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "Aldonis __card__ al __board__", + "act-addBoardMember": "Aldonis __member__ al __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "Aldonis __member__ al __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Akcioj", + "activities": "Aktivaĵoj", + "activity": "Aktivaĵo", + "activity-added": "Aldonis %s al %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "Kreiis %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "Sendis %s al %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Aldoni", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Aldoni membrojn", + "added": "Aldonita", + "addMemberPopup-title": "Membroj", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apliki", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Reen", + "board-change-color": "Ŝanĝi koloron", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Listoj", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Redakti etikedojn", + "card-edit-members": "Redakti membrojn", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Komenco", + "card-start-on": "Komencas je la", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Etikedoj", + "cardMembersPopup-title": "Membroj", + "cardMorePopup-title": "Pli", + "cards": "Kartoj", + "cards-count": "Kartoj", + "change": "Ŝanĝi", + "change-avatar": "Change Avatar", + "change-password": "Ŝangi pasvorton", + "change-permissions": "Change permissions", + "change-settings": "Ŝanĝi agordojn", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Ŝanĝi lingvon", + "changePasswordPopup-title": "Ŝangi pasvorton", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Ŝanĝi agordojn", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Fermi", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "nigra", + "color-blue": "blua", + "color-green": "verda", + "color-lime": "lime", + "color-orange": "oranĝa", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "ruĝa", + "color-sky": "sky", + "color-yellow": "flava", + "comment": "Komento", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Komputilo", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Krei", + "createBoardPopup-title": "Krei tavolon", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Dato", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Dato", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Farite", + "download": "Elŝuti", + "edit": "Redakti", + "edit-avatar": "Change Avatar", + "edit-profile": "Redakti profilon", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Redakti komencdaton", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Ŝanĝi etikedon", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Redakti profilon", + "email": "Retpoŝtadreso", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Malsukcesis sendi retpoŝton", + "email-fail-text": "Error trying to send email", + "email-invalid": "Nevalida retpoŝtadreso", + "email-invite": "Inviti per retpoŝto", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Sendis retpoŝton", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Via teksto estas nevalida JSON", + "error-json-schema": "Via JSON ne enhavas la ĝustajn informojn en ĝusta formato", + "error-list-doesNotExist": "Tio listo ne ekzistas", + "error-user-doesNotExist": "Tio uzanto ne ekzistas", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "Uzanto ne kreita", + "error-username-taken": "Uzantnomo jam prenita", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "Nenia etikedo", + "filter-no-member": "Nenia membro", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Krei tavolon", + "home": "Hejmo", + "import": "Importi", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Etikedoj", + "language": "Lingvo", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Ligi al ĉitiu karto", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Movu ĉiujn kartojn en tiu listo.", + "list-select-cards": "Elektu ĉiujn kartojn en tiu listo.", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "Pli", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Listoj", + "swimlanes": "Swimlanes", + "log-out": "Elsaluti", + "log-in": "Ensaluti", + "loginPopup-title": "Ensaluti", + "memberMenuPopup-title": "Membraj agordoj", + "members": "Membroj", + "menu": "Menuo", + "move-selection": "Movi elekton", + "moveCardPopup-title": "Movi karton", + "moveCardToBottom-title": "Movi suben", + "moveCardToTop-title": "Movi supren", + "moveSelectionPopup-title": "Movi elekton", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Nomo", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Neniaj rezultoj", + "normal": "Normala", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "aŭ", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Netrovita paĝo.", + "password": "Pasvorto", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Privata", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profilo", + "public": "Publika", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Forigi membron", + "remove-member-from-card": "Forigi de karto", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Renomi", + "rename-board": "Rename Board", + "restore": "Forigi", + "save": "Savi", + "search": "Serĉi", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Teamo", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Tempo", + "title": "Titolo", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Alŝuti", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Uzantnomo", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Rigardi", + "watching": "Rigardante", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "Kion vi volas fari?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Uzantnomo", + "smtp-password": "Pasvorto", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json new file mode 100644 index 00000000..5262568f --- /dev/null +++ b/i18n/es-AR.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Aceptar", + "act-activity-notify": "[Wekan] Notificación de Actividad", + "act-addAttachment": "adjunto __attachment__ a __card__", + "act-addChecklist": "lista de ítems __checklist__ agregada a __card__", + "act-addChecklistItem": " __checklistItem__ agregada a lista de ítems __checklist__ en __card__", + "act-addComment": "comentado en __card__: __comment__", + "act-createBoard": "__board__ creado", + "act-createCard": "agregada __card__ a __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "agregada __list__ a __board__", + "act-addBoardMember": "agregado __member__ a __board__", + "act-archivedBoard": "__board__ movido a Papelera de Reciclaje", + "act-archivedCard": "__card__ movido a Papelera de Reciclaje", + "act-archivedList": "__list__ movido a Papelera de Reciclaje", + "act-archivedSwimlane": "__swimlane__ movido a Papelera de Reciclaje", + "act-importBoard": "__board__ importado", + "act-importCard": "__card__ importada", + "act-importList": "__list__ importada", + "act-joinMember": "__member__ agregado a __card__", + "act-moveCard": "__card__ movida de __oldList__ a __list__", + "act-removeBoardMember": "__member__ removido de __board__", + "act-restoredCard": "__card__ restaurada a __board__", + "act-unjoinMember": "__member__ removido de __card__", + "act-withBoardTitle": "__board__ [Wekan]", + "act-withCardTitle": "__card__ [__board__] ", + "actions": "Acciones", + "activities": "Actividades", + "activity": "Actividad", + "activity-added": "agregadas %s a %s", + "activity-archived": "%s movido a Papelera de Reciclaje", + "activity-attached": "adjuntadas %s a %s", + "activity-created": "creadas %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluidas %s de %s", + "activity-imported": "importadas %s en %s de %s", + "activity-imported-board": "importadas %s de %s", + "activity-joined": "unidas %s", + "activity-moved": "movidas %s de %s a %s", + "activity-on": "en %s", + "activity-removed": "eliminadas %s de %s", + "activity-sent": "enviadas %s a %s", + "activity-unjoined": "separadas %s", + "activity-checklist-added": "agregada lista de tareas a %s", + "activity-checklist-item-added": "agregado item de lista de tareas a '%s' en %s", + "add": "Agregar", + "add-attachment": "Agregar Adjunto", + "add-board": "Agregar Tablero", + "add-card": "Agregar Tarjeta", + "add-swimlane": "Agregar Calle", + "add-checklist": "Agregar Lista de Tareas", + "add-checklist-item": "Agregar ítem a lista de tareas", + "add-cover": "Agregar Portadas", + "add-label": "Agregar Etiqueta", + "add-list": "Agregar Lista", + "add-members": "Agregar Miembros", + "added": "Agregadas", + "addMemberPopup-title": "Miembros", + "admin": "Administrador", + "admin-desc": "Puede ver y editar tarjetas, eliminar miembros, y cambiar opciones para el tablero.", + "admin-announcement": "Anuncio", + "admin-announcement-active": "Anuncio del Sistema Activo", + "admin-announcement-title": "Anuncio del Administrador", + "all-boards": "Todos los tableros", + "and-n-other-card": "Y __count__ otra tarjeta", + "and-n-other-card_plural": "Y __count__ otras tarjetas", + "apply": "Aplicar", + "app-is-offline": "Wekan está cargándose, por favor espere. Refrescar la página va a causar pérdida de datos. Si Wekan no se carga, por favor revise que el servidor de Wekan no se haya detenido.", + "archive": "Mover a Papelera de Reciclaje", + "archive-all": "Mover Todo a la Papelera de Reciclaje", + "archive-board": "Mover Tablero a la Papelera de Reciclaje", + "archive-card": "Mover Tarjeta a la Papelera de Reciclaje", + "archive-list": "Mover Lista a la Papelera de Reciclaje", + "archive-swimlane": "Mover Calle a la Papelera de Reciclaje", + "archive-selection": "Mover selección a la Papelera de Reciclaje", + "archiveBoardPopup-title": "¿Mover Tablero a la Papelera de Reciclaje?", + "archived-items": "Papelera de Reciclaje", + "archived-boards": "Tableros en la Papelera de Reciclaje", + "restore-board": "Restaurar Tablero", + "no-archived-boards": "No hay tableros en la Papelera de Reciclaje", + "archives": "Papelera de Reciclaje", + "assign-member": "Asignar miembro", + "attached": "adjunto(s)", + "attachment": "Adjunto", + "attachment-delete-pop": "Borrar un adjunto es permanente. No hay deshacer.", + "attachmentDeletePopup-title": "¿Borrar Adjunto?", + "attachments": "Adjuntos", + "auto-watch": "Seguir tableros automáticamente al crearlos", + "avatar-too-big": "El avatar es muy grande (70KB max)", + "back": "Atrás", + "board-change-color": "Cambiar color", + "board-nb-stars": "%s estrellas", + "board-not-found": "Tablero no encontrado", + "board-private-info": "Este tablero va a ser privado.", + "board-public-info": "Este tablero va a ser público.", + "boardChangeColorPopup-title": "Cambiar Fondo del Tablero", + "boardChangeTitlePopup-title": "Renombrar Tablero", + "boardChangeVisibilityPopup-title": "Cambiar Visibilidad", + "boardChangeWatchPopup-title": "Alternar Seguimiento", + "boardMenuPopup-title": "Menú del Tablero", + "boards": "Tableros", + "board-view": "Vista de Tablero", + "board-view-swimlanes": "Calles", + "board-view-lists": "Listas", + "bucket-example": "Como \"Lista de Contenedores\" por ejemplo", + "cancel": "Cancelar", + "card-archived": "Esta tarjeta es movida a la Papelera de Reciclaje", + "card-comments-title": "Esta tarjeta tiene %s comentario.", + "card-delete-notice": "Borrar es permanente. Perderás todas las acciones asociadas con esta tarjeta.", + "card-delete-pop": "Todas las acciones van a ser eliminadas del agregador de actividad y no podrás re-abrir la tarjeta. No hay deshacer.", + "card-delete-suggest-archive": "Tu puedes mover una tarjeta a la Papelera de Reciclaje para removerla del tablero y preservar la actividad.", + "card-due": "Vence", + "card-due-on": "Vence en", + "card-spent": "Tiempo Empleado", + "card-edit-attachments": "Editar adjuntos", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Editar etiquetas", + "card-edit-members": "Editar miembros", + "card-labels-title": "Cambiar las etiquetas de la tarjeta.", + "card-members-title": "Agregar o eliminar de la tarjeta miembros del tablero.", + "card-start": "Empieza", + "card-start-on": "Empieza el", + "cardAttachmentsPopup-title": "Adjuntar De", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "¿Borrar Tarjeta?", + "cardDetailsActionsPopup-title": "Acciones de la Tarjeta", + "cardLabelsPopup-title": "Etiquetas", + "cardMembersPopup-title": "Miembros", + "cardMorePopup-title": "Mas", + "cards": "Tarjetas", + "cards-count": "Tarjetas", + "change": "Cambiar", + "change-avatar": "Cambiar Avatar", + "change-password": "Cambiar Contraseña", + "change-permissions": "Cambiar permisos", + "change-settings": "Cambiar Opciones", + "changeAvatarPopup-title": "Cambiar Avatar", + "changeLanguagePopup-title": "Cambiar Lenguaje", + "changePasswordPopup-title": "Cambiar Contraseña", + "changePermissionsPopup-title": "Cambiar Permisos", + "changeSettingsPopup-title": "Cambiar Opciones", + "checklists": "Listas de ítems", + "click-to-star": "Clickeá para darle una estrella a este tablero.", + "click-to-unstar": "Clickeá para sacarle la estrella al tablero.", + "clipboard": "Portapapeles o arrastrar y soltar", + "close": "Cerrar", + "close-board": "Cerrar Tablero", + "close-board-pop": "Podrás restaurar el tablero apretando el botón \"Papelera de Reciclaje\" del encabezado en inicio.", + "color-black": "negro", + "color-blue": "azul", + "color-green": "verde", + "color-lime": "lima", + "color-orange": "naranja", + "color-pink": "rosa", + "color-purple": "púrpura", + "color-red": "rojo", + "color-sky": "cielo", + "color-yellow": "amarillo", + "comment": "Comentario", + "comment-placeholder": "Comentar", + "comment-only": "Comentar solamente", + "comment-only-desc": "Puede comentar en tarjetas solamente.", + "computer": "Computadora", + "confirm-checklist-delete-dialog": "¿Estás segur@ que querés borrar la lista de ítems?", + "copy-card-link-to-clipboard": "Copiar enlace a tarjeta en el portapapeles", + "copyCardPopup-title": "Copiar Tarjeta", + "copyChecklistToManyCardsPopup-title": "Copiar Plantilla Checklist a Muchas Tarjetas", + "copyChecklistToManyCardsPopup-instructions": "Títulos y Descripciones de la Tarjeta Destino en este formato JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Título de primera tarjeta\", \"description\":\"Descripción de primera tarjeta\"}, {\"title\":\"Título de segunda tarjeta\",\"description\":\"Descripción de segunda tarjeta\"},{\"title\":\"Título de última tarjeta\",\"description\":\"Descripción de última tarjeta\"} ]", + "create": "Crear", + "createBoardPopup-title": "Crear Tablero", + "chooseBoardSourcePopup-title": "Importar tablero", + "createLabelPopup-title": "Crear Etiqueta", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "actual", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Fecha", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Fecha", + "decline": "Rechazar", + "default-avatar": "Avatar por defecto", + "delete": "Borrar", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "¿Borrar Etiqueta?", + "description": "Descripción", + "disambiguateMultiLabelPopup-title": "Desambiguación de Acción de Etiqueta", + "disambiguateMultiMemberPopup-title": "Desambiguación de Acción de Miembro", + "discard": "Descartar", + "done": "Hecho", + "download": "Descargar", + "edit": "Editar", + "edit-avatar": "Cambiar Avatar", + "edit-profile": "Editar Perfil", + "edit-wip-limit": "Editar Lìmite de TEP", + "soft-wip-limit": "Límite TEP suave", + "editCardStartDatePopup-title": "Cambiar fecha de inicio", + "editCardDueDatePopup-title": "Cambiar fecha de vencimiento", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Cambiar tiempo empleado", + "editLabelPopup-title": "Cambiar Etiqueta", + "editNotificationPopup-title": "Editar Notificación", + "editProfilePopup-title": "Editar Perfil", + "email": "Email", + "email-enrollAccount-subject": "Una cuenta creada para vos en __siteName__", + "email-enrollAccount-text": "Hola __user__,\n\nPara empezar a usar el servicio, simplemente clickeá en el enlace de abajo.\n\n__url__\n\nGracias.", + "email-fail": "Fallo envío de email", + "email-fail-text": "Error intentando enviar email", + "email-invalid": "Email inválido", + "email-invite": "Invitar vía Email", + "email-invite-subject": "__inviter__ te envió una invitación", + "email-invite-text": "Querido __user__,\n\n__inviter__ te invita a unirte al tablero \"__board__\" para colaborar.\n\nPor favor sigue el enlace de abajo:\n\n__url__\n\nGracias.", + "email-resetPassword-subject": "Restaurá tu contraseña en __siteName__", + "email-resetPassword-text": "Hola __user__,\n\nPara restaurar tu contraseña, simplemente clickeá el enlace de abajo.\n\n__url__\n\nGracias.", + "email-sent": "Email enviado", + "email-verifyEmail-subject": "Verificá tu dirección de email en __siteName__", + "email-verifyEmail-text": "Hola __user__,\n\nPara verificar tu cuenta de email, simplemente clickeá el enlace de abajo.\n\n__url__\n\nGracias.", + "enable-wip-limit": "Activar Límite TEP", + "error-board-doesNotExist": "Este tablero no existe", + "error-board-notAdmin": "Necesitás ser administrador de este tablero para hacer eso", + "error-board-notAMember": "Necesitás ser miembro de este tablero para hacer eso", + "error-json-malformed": "Tu texto no es JSON válido", + "error-json-schema": "Tus datos JSON no incluyen la información correcta en el formato adecuado", + "error-list-doesNotExist": "Esta lista no existe", + "error-user-doesNotExist": "Este usuario no existe", + "error-user-notAllowSelf": "No podés invitarte a vos mismo", + "error-user-notCreated": " El usuario no se creó", + "error-username-taken": "El nombre de usuario ya existe", + "error-email-taken": "El email ya existe", + "export-board": "Exportar tablero", + "filter": "Filtrar", + "filter-cards": "Filtrar Tarjetas", + "filter-clear": "Sacar filtro", + "filter-no-label": "Sin etiqueta", + "filter-no-member": "No es miembro", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "El filtro está activado", + "filter-on-desc": "Estás filtrando cartas en este tablero. Clickeá acá para editar el filtro.", + "filter-to-selection": "Filtrar en la selección", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Nombre Completo", + "header-logo-title": "Retroceder a tu página de tableros.", + "hide-system-messages": "Esconder mensajes del sistema", + "headerBarCreateBoardPopup-title": "Crear Tablero", + "home": "Inicio", + "import": "Importar", + "import-board": "importar tablero", + "import-board-c": "Importar tablero", + "import-board-title-trello": "Importar tablero de Trello", + "import-board-title-wekan": "Importar tablero de Wekan", + "import-sandstorm-warning": "El tablero importado va a borrar todos los datos existentes en el tablero y reemplazarlos con los del tablero en cuestión.", + "from-trello": "De Trello", + "from-wekan": "De Wekan", + "import-board-instruction-trello": "En tu tablero de Trello, ve a 'Menú', luego a 'Más', 'Imprimir y Exportar', 'Exportar JSON', y copia el texto resultante.", + "import-board-instruction-wekan": "En tu tablero Wekan, ve a 'Menú', luego a 'Exportar tablero', y copia el texto en el archivo descargado.", + "import-json-placeholder": "Pegá tus datos JSON válidos acá", + "import-map-members": "Mapear Miembros", + "import-members-map": "Tu tablero importado tiene algunos miembros. Por favor mapeá los miembros que quieras importar/convertir a usuarios de Wekan.", + "import-show-user-mapping": "Revisar mapeo de miembros", + "import-user-select": "Elegí el usuario de Wekan que querés usar como éste miembro", + "importMapMembersAddPopup-title": "Elegí el miembro de Wekan.", + "info": "Versión", + "initials": "Iniciales", + "invalid-date": "Fecha inválida", + "invalid-time": "Tiempo inválido", + "invalid-user": "Usuario inválido", + "joined": "unido", + "just-invited": "Fuiste invitado a este tablero", + "keyboard-shortcuts": "Atajos de teclado", + "label-create": "Crear Etiqueta", + "label-default": "%s etiqueta (por defecto)", + "label-delete-pop": "No hay deshacer. Esto va a eliminar esta etiqueta de todas las tarjetas y destruir su historia.", + "labels": "Etiquetas", + "language": "Lenguaje", + "last-admin-desc": "No podés cambiar roles porque tiene que haber al menos un administrador.", + "leave-board": "Dejar Tablero", + "leave-board-pop": "¿Estás seguro que querés dejar __boardTitle__? Vas a salir de todas las tarjetas en este tablero.", + "leaveBoardPopup-title": "¿Dejar Tablero?", + "link-card": "Enlace a esta tarjeta", + "list-archive-cards": "Mover todas las tarjetas en esta lista a la Papelera de Reciclaje", + "list-archive-cards-pop": "Esto va a remover las tarjetas en esta lista del tablero. Para ver tarjetas en la Papelera de Reciclaje y traerlas de vuelta al tablero, clickeá \"Menú\" > \"Papelera de Reciclaje\".", + "list-move-cards": "Mueve todas las tarjetas en esta lista", + "list-select-cards": "Selecciona todas las tarjetas en esta lista", + "listActionPopup-title": "Listar Acciones", + "swimlaneActionPopup-title": "Acciones de la Calle", + "listImportCardPopup-title": "Importar una tarjeta Trello", + "listMorePopup-title": "Mas", + "link-list": "Enlace a esta lista", + "list-delete-pop": "Todas las acciones van a ser eliminadas del agregador de actividad y no podás recuperar la lista. No se puede deshacer.", + "list-delete-suggest-archive": "Podés mover la lista a la Papelera de Reciclaje para remvoerla del tablero y preservar la actividad.", + "lists": "Listas", + "swimlanes": "Calles", + "log-out": "Salir", + "log-in": "Entrar", + "loginPopup-title": "Entrar", + "memberMenuPopup-title": "Opciones de Miembros", + "members": "Miembros", + "menu": "Menú", + "move-selection": "Mover selección", + "moveCardPopup-title": "Mover Tarjeta", + "moveCardToBottom-title": "Mover al Final", + "moveCardToTop-title": "Mover al Tope", + "moveSelectionPopup-title": "Mover selección", + "multi-selection": "Multi-Selección", + "multi-selection-on": "Multi-selección está activo", + "muted": "Silenciado", + "muted-info": "No serás notificado de ningún cambio en este tablero", + "my-boards": "Mis Tableros", + "name": "Nombre", + "no-archived-cards": "No hay tarjetas en la Papelera de Reciclaje", + "no-archived-lists": "No hay listas en la Papelera de Reciclaje", + "no-archived-swimlanes": "No hay calles en la Papelera de Reciclaje", + "no-results": "No hay resultados", + "normal": "Normal", + "normal-desc": "Puede ver y editar tarjetas. No puede cambiar opciones.", + "not-accepted-yet": "Invitación no aceptada todavía", + "notify-participate": "Recibí actualizaciones en cualquier tarjeta que participés como creador o miembro", + "notify-watch": "Recibí actualizaciones en cualquier tablero, lista, o tarjeta que estés siguiendo", + "optional": "opcional", + "or": "o", + "page-maybe-private": "Esta página puede ser privada. Vos podrás verla entrando.", + "page-not-found": "Página no encontrada.", + "password": "Contraseña", + "paste-or-dragdrop": "pegar, arrastrar y soltar el archivo de imagen a esto (imagen sola)", + "participating": "Participando", + "preview": "Previsualización", + "previewAttachedImagePopup-title": "Previsualización", + "previewClipboardImagePopup-title": "Previsualización", + "private": "Privado", + "private-desc": "Este tablero es privado. Solo personas agregadas a este tablero pueden verlo y editarlo.", + "profile": "Perfil", + "public": "Público", + "public-desc": "Este tablero es público. Es visible para cualquiera con un enlace y se va a mostrar en los motores de búsqueda como Google. Solo personas agregadas a este tablero pueden editarlo.", + "quick-access-description": "Dale una estrella al tablero para agregar un acceso directo en esta barra.", + "remove-cover": "Remover Portada", + "remove-from-board": "Remover del Tablero", + "remove-label": "Remover Etiqueta", + "listDeletePopup-title": "¿Borrar Lista?", + "remove-member": "Remover Miembro", + "remove-member-from-card": "Remover de Tarjeta", + "remove-member-pop": "¿Remover __name__ (__username__) de __boardTitle__? Los miembros va a ser removido de todas las tarjetas en este tablero. Serán notificados.", + "removeMemberPopup-title": "¿Remover Miembro?", + "rename": "Renombrar", + "rename-board": "Renombrar Tablero", + "restore": "Restaurar", + "save": "Grabar", + "search": "Buscar", + "search-cards": "Buscar en títulos y descripciones de tarjeta en este tablero", + "search-example": "¿Texto a buscar?", + "select-color": "Seleccionar Color", + "set-wip-limit-value": "Fijar un límite para el número máximo de tareas en esta lista", + "setWipLimitPopup-title": "Establecer Límite TEP", + "shortcut-assign-self": "Asignarte a vos mismo en la tarjeta actual", + "shortcut-autocomplete-emoji": "Autocompletar emonji", + "shortcut-autocomplete-members": "Autocompletar miembros", + "shortcut-clear-filters": "Limpiar todos los filtros", + "shortcut-close-dialog": "Cerrar Diálogo", + "shortcut-filter-my-cards": "Filtrar mis tarjetas", + "shortcut-show-shortcuts": "Traer esta lista de atajos", + "shortcut-toggle-filterbar": "Activar/Desactivar Barra Lateral de Filtros", + "shortcut-toggle-sidebar": "Activar/Desactivar Barra Lateral de Tableros", + "show-cards-minimum-count": "Mostrar cuenta de tarjetas si la lista contiene más que", + "sidebar-open": "Abrir Barra Lateral", + "sidebar-close": "Cerrar Barra Lateral", + "signupPopup-title": "Crear Cuenta", + "star-board-title": "Clickear para darle una estrella a este tablero. Se mostrará arriba en el tope de tu lista de tableros.", + "starred-boards": "Tableros con estrellas", + "starred-boards-description": "Tableros con estrellas se muestran en el tope de tu lista de tableros.", + "subscribe": "Suscribirse", + "team": "Equipo", + "this-board": "este tablero", + "this-card": "esta tarjeta", + "spent-time-hours": "Tiempo empleado (horas)", + "overtime-hours": "Sobretiempo (horas)", + "overtime": "Sobretiempo", + "has-overtime-cards": "Tiene tarjetas con sobretiempo", + "has-spenttime-cards": "Ha gastado tarjetas de tiempo", + "time": "Hora", + "title": "Título", + "tracking": "Seguimiento", + "tracking-info": "Serás notificado de cualquier cambio a aquellas tarjetas en las que seas creador o miembro.", + "type": "Type", + "unassign-member": "Desasignar miembro", + "unsaved-description": "Tienes una descripción sin guardar.", + "unwatch": "Dejar de seguir", + "upload": "Cargar", + "upload-avatar": "Cargar un avatar", + "uploaded-avatar": "Cargado un avatar", + "username": "Nombre de usuario", + "view-it": "Verlo", + "warn-list-archived": "cuidado; esta tarjeta está en la Papelera de Reciclaje", + "watch": "Seguir", + "watching": "Siguiendo", + "watching-info": "Serás notificado de cualquier cambio en este tablero", + "welcome-board": "Tablero de Bienvenida", + "welcome-swimlane": "Hito 1", + "welcome-list1": "Básicos", + "welcome-list2": "Avanzado", + "what-to-do": "¿Qué querés hacer?", + "wipLimitErrorPopup-title": "Límite TEP Inválido", + "wipLimitErrorPopup-dialog-pt1": " El número de tareas en esta lista es mayor que el límite TEP que definiste.", + "wipLimitErrorPopup-dialog-pt2": "Por favor mové algunas tareas fuera de esta lista, o seleccioná un límite TEP más alto.", + "admin-panel": "Panel de Administración", + "settings": "Opciones", + "people": "Gente", + "registration": "Registro", + "disable-self-registration": "Desactivar auto-registro", + "invite": "Invitar", + "invite-people": "Invitar Gente", + "to-boards": "A tarjeta(s)", + "email-addresses": "Dirección de Email", + "smtp-host-description": "La dirección del servidor SMTP que maneja tus emails", + "smtp-port-description": "El puerto que tu servidor SMTP usa para correos salientes", + "smtp-tls-description": "Activar soporte TLS para el servidor SMTP", + "smtp-host": "Servidor SMTP", + "smtp-port": "Puerto SMTP", + "smtp-username": "Usuario", + "smtp-password": "Contraseña", + "smtp-tls": "Soporte TLS", + "send-from": "De", + "send-smtp-test": "Enviarse un email de prueba", + "invitation-code": "Código de Invitación", + "email-invite-register-subject": "__inviter__ te envió una invitación", + "email-invite-register-text": "Querido __user__,\n\n__inviter__ te invita a Wekan para colaborar.\n\nPor favor sigue el enlace de abajo:\n__url__\n\nI tu código de invitación es: __icode__\n\nGracias.", + "email-smtp-test-subject": "Email de Prueba SMTP de Wekan", + "email-smtp-test-text": "Enviaste el correo correctamente", + "error-invitation-code-not-exist": "El código de invitación no existe", + "error-notAuthorized": "No estás autorizado para ver esta página.", + "outgoing-webhooks": "Ganchos Web Salientes", + "outgoingWebhooksPopup-title": "Ganchos Web Salientes", + "new-outgoing-webhook": "Nuevo Gancho Web", + "no-name": "(desconocido)", + "Wekan_version": "Versión de Wekan", + "Node_version": "Versión de Node", + "OS_Arch": "Arch del SO", + "OS_Cpus": "Cantidad de CPU del SO", + "OS_Freemem": "Memoria Libre del SO", + "OS_Loadavg": "Carga Promedio del SO", + "OS_Platform": "Plataforma del SO", + "OS_Release": "Revisión del SO", + "OS_Totalmem": "Memoria Total del SO", + "OS_Type": "Tipo de SO", + "OS_Uptime": "Tiempo encendido del SO", + "hours": "horas", + "minutes": "minutos", + "seconds": "segundos", + "show-field-on-card": "Show this field on card", + "yes": "Si", + "no": "No", + "accounts": "Cuentas", + "accounts-allowEmailChange": "Permitir Cambio de Email", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Creado en", + "verified": "Verificado", + "active": "Activo", + "card-received": "Recibido", + "card-received-on": "Recibido en", + "card-end": "Termino", + "card-end-on": "Termina en", + "editCardReceivedDatePopup-title": "Cambiar fecha de recepción", + "editCardEndDatePopup-title": "Cambiar fecha de término", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json new file mode 100644 index 00000000..755094bb --- /dev/null +++ b/i18n/es.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Aceptar", + "act-activity-notify": "[Wekan] Notificación de actividad", + "act-addAttachment": "ha adjuntado __attachment__ a __card__", + "act-addChecklist": "ha añadido la lista de verificación __checklist__ a __card__", + "act-addChecklistItem": "ha añadido __checklistItem__ a la lista de verificación __checklist__ en __card__", + "act-addComment": "ha comentado en __card__: __comment__", + "act-createBoard": "ha creado __board__", + "act-createCard": "ha añadido __card__ a __list__", + "act-createCustomField": "creado el campo personalizado __customField__", + "act-createList": "ha añadido __list__ a __board__", + "act-addBoardMember": "ha añadido a __member__ a __board__", + "act-archivedBoard": "__board__ se ha enviado a la papelera de reciclaje", + "act-archivedCard": "__card__ se ha enviado a la papelera de reciclaje", + "act-archivedList": "__list__ se ha enviado a la papelera de reciclaje", + "act-archivedSwimlane": "__swimlane__ se ha enviado a la papelera de reciclaje", + "act-importBoard": "ha importado __board__", + "act-importCard": "ha importado __card__", + "act-importList": "ha importado __list__", + "act-joinMember": "ha añadido a __member__ a __card__", + "act-moveCard": "ha movido __card__ desde __oldList__ a __list__", + "act-removeBoardMember": "ha desvinculado a __member__ de __board__", + "act-restoredCard": "ha restaurado __card__ en __board__", + "act-unjoinMember": "ha desvinculado a __member__ de __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Acciones", + "activities": "Actividades", + "activity": "Actividad", + "activity-added": "ha añadido %s a %s", + "activity-archived": "%s se ha enviado a la papelera de reciclaje", + "activity-attached": "ha adjuntado %s a %s", + "activity-created": "ha creado %s", + "activity-customfield-created": "creado el campo personalizado %s", + "activity-excluded": "ha excluido %s de %s", + "activity-imported": "ha importado %s a %s desde %s", + "activity-imported-board": "ha importado %s desde %s", + "activity-joined": "se ha unido a %s", + "activity-moved": "ha movido %s de %s a %s", + "activity-on": "en %s", + "activity-removed": "ha eliminado %s de %s", + "activity-sent": "ha enviado %s a %s", + "activity-unjoined": "se ha desvinculado de %s", + "activity-checklist-added": "ha añadido una lista de verificación a %s", + "activity-checklist-item-added": "ha añadido el elemento de la lista de verificación a '%s' en %s", + "add": "Añadir", + "add-attachment": "Añadir adjunto", + "add-board": "Añadir tablero", + "add-card": "Añadir una tarjeta", + "add-swimlane": "Añadir un carril de flujo", + "add-checklist": "Añadir una lista de verificación", + "add-checklist-item": "Añadir un elemento a la lista de verificación", + "add-cover": "Añadir portada", + "add-label": "Añadir una etiqueta", + "add-list": "Añadir una lista", + "add-members": "Añadir miembros", + "added": "Añadida el", + "addMemberPopup-title": "Miembros", + "admin": "Administrador", + "admin-desc": "Puedes ver y editar tarjetas, eliminar miembros, y cambiar los ajustes del tablero", + "admin-announcement": "Aviso", + "admin-announcement-active": "Activar el aviso para todo el sistema", + "admin-announcement-title": "Aviso del administrador", + "all-boards": "Tableros", + "and-n-other-card": "y __count__ tarjeta más", + "and-n-other-card_plural": "y otras __count__ tarjetas", + "apply": "Aplicar", + "app-is-offline": "Wekan se está cargando, por favor espere. Actualizar la página provocará la pérdida de datos. Si Wekan no se carga, por favor verifique que el servidor de Wekan no está detenido.", + "archive": "Enviar a la papelera de reciclaje", + "archive-all": "Enviar todo a la papelera de reciclaje", + "archive-board": "Enviar el tablero a la papelera de reciclaje", + "archive-card": "Enviar la tarjeta a la papelera de reciclaje", + "archive-list": "Enviar la lista a la papelera de reciclaje", + "archive-swimlane": "Enviar el carril de flujo a la papelera de reciclaje", + "archive-selection": "Enviar la selección a la papelera de reciclaje", + "archiveBoardPopup-title": "Enviar el tablero a la papelera de reciclaje", + "archived-items": "Papelera de reciclaje", + "archived-boards": "Tableros en la papelera de reciclaje", + "restore-board": "Restaurar el tablero", + "no-archived-boards": "No hay tableros en la papelera de reciclaje", + "archives": "Papelera de reciclaje", + "assign-member": "Asignar miembros", + "attached": "adjuntado", + "attachment": "Adjunto", + "attachment-delete-pop": "La eliminación de un fichero adjunto es permanente. Esta acción no puede deshacerse.", + "attachmentDeletePopup-title": "¿Eliminar el adjunto?", + "attachments": "Adjuntos", + "auto-watch": "Suscribirse automáticamente a los tableros cuando son creados", + "avatar-too-big": "El avatar es muy grande (70KB máx.)", + "back": "Atrás", + "board-change-color": "Cambiar el color", + "board-nb-stars": "%s destacados", + "board-not-found": "Tablero no encontrado", + "board-private-info": "Este tablero será privado.", + "board-public-info": "Este tablero será público.", + "boardChangeColorPopup-title": "Cambiar el fondo del tablero", + "boardChangeTitlePopup-title": "Renombrar el tablero", + "boardChangeVisibilityPopup-title": "Cambiar visibilidad", + "boardChangeWatchPopup-title": "Cambiar vigilancia", + "boardMenuPopup-title": "Menú del tablero", + "boards": "Tableros", + "board-view": "Vista del tablero", + "board-view-swimlanes": "Carriles", + "board-view-lists": "Listas", + "bucket-example": "Como “Cosas por hacer” por ejemplo", + "cancel": "Cancelar", + "card-archived": "Esta tarjeta se ha enviado a la papelera de reciclaje.", + "card-comments-title": "Esta tarjeta tiene %s comentarios.", + "card-delete-notice": "la eliminación es permanente. Perderás todas las acciones asociadas a esta tarjeta.", + "card-delete-pop": "Se eliminarán todas las acciones del historial de actividades y no se podrá volver a abrir la tarjeta. Esta acción no puede deshacerse.", + "card-delete-suggest-archive": "Puedes enviar una tarjeta a la papelera de reciclaje para eliminarla del tablero y conservar la actividad.", + "card-due": "Vence", + "card-due-on": "Vence el", + "card-spent": "Tiempo consumido", + "card-edit-attachments": "Editar los adjuntos", + "card-edit-custom-fields": "Editar los campos personalizados", + "card-edit-labels": "Editar las etiquetas", + "card-edit-members": "Editar los miembros", + "card-labels-title": "Cambia las etiquetas de la tarjeta", + "card-members-title": "Añadir o eliminar miembros del tablero desde la tarjeta.", + "card-start": "Comienza", + "card-start-on": "Comienza el", + "cardAttachmentsPopup-title": "Adjuntar desde", + "cardCustomField-datePopup-title": "Cambiar la fecha", + "cardCustomFieldsPopup-title": "Editar los campos personalizados", + "cardDeletePopup-title": "¿Eliminar la tarjeta?", + "cardDetailsActionsPopup-title": "Acciones de la tarjeta", + "cardLabelsPopup-title": "Etiquetas", + "cardMembersPopup-title": "Miembros", + "cardMorePopup-title": "Más", + "cards": "Tarjetas", + "cards-count": "Tarjetas", + "change": "Cambiar", + "change-avatar": "Cambiar el avatar", + "change-password": "Cambiar la contraseña", + "change-permissions": "Cambiar los permisos", + "change-settings": "Cambiar las preferencias", + "changeAvatarPopup-title": "Cambiar el avatar", + "changeLanguagePopup-title": "Cambiar el idioma", + "changePasswordPopup-title": "Cambiar la contraseña", + "changePermissionsPopup-title": "Cambiar los permisos", + "changeSettingsPopup-title": "Cambiar las preferencias", + "checklists": "Lista de verificación", + "click-to-star": "Haz clic para destacar este tablero.", + "click-to-unstar": "Haz clic para dejar de destacar este tablero.", + "clipboard": "el portapapeles o con arrastrar y soltar", + "close": "Cerrar", + "close-board": "Cerrar el tablero", + "close-board-pop": "Podrás restaurar el tablero haciendo clic en el botón \"Papelera de reciclaje\" en la cabecera.", + "color-black": "negra", + "color-blue": "azul", + "color-green": "verde", + "color-lime": "lima", + "color-orange": "naranja", + "color-pink": "rosa", + "color-purple": "violeta", + "color-red": "roja", + "color-sky": "celeste", + "color-yellow": "amarilla", + "comment": "Comentar", + "comment-placeholder": "Escribir comentario", + "comment-only": "Sólo comentarios", + "comment-only-desc": "Solo puedes comentar en las tarjetas.", + "computer": "el ordenador", + "confirm-checklist-delete-dialog": "¿Seguro que desea eliminar la lista de verificación?", + "copy-card-link-to-clipboard": "Copiar el enlace de la tarjeta al portapapeles", + "copyCardPopup-title": "Copiar la tarjeta", + "copyChecklistToManyCardsPopup-title": "Copiar la plantilla de la lista de verificación en varias tarjetas", + "copyChecklistToManyCardsPopup-instructions": "Títulos y descripciones de las tarjetas de destino en formato JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Título de la primera tarjeta\", \"description\":\"Descripción de la primera tarjeta\"}, {\"title\":\"Título de la segunda tarjeta\",\"description\":\"Descripción de la segunda tarjeta\"},{\"title\":\"Título de la última tarjeta\",\"description\":\"Descripción de la última tarjeta\"} ]", + "create": "Crear", + "createBoardPopup-title": "Crear tablero", + "chooseBoardSourcePopup-title": "Importar un tablero", + "createLabelPopup-title": "Crear etiqueta", + "createCustomField": "Crear un campo", + "createCustomFieldPopup-title": "Crear un campo", + "current": "actual", + "custom-field-delete-pop": "Se eliminará este campo personalizado de todas las tarjetas y se destruirá su historial. Esta acción no puede deshacerse.", + "custom-field-checkbox": "Casilla de verificación", + "custom-field-date": "Fecha", + "custom-field-dropdown": "Lista desplegable", + "custom-field-dropdown-none": "(nada)", + "custom-field-dropdown-options": "Opciones de la lista", + "custom-field-dropdown-options-placeholder": "Pulsa Intro para añadir más opciones", + "custom-field-dropdown-unknown": "(desconocido)", + "custom-field-number": "Número", + "custom-field-text": "Texto", + "custom-fields": "Campos personalizados", + "date": "Fecha", + "decline": "Declinar", + "default-avatar": "Avatar por defecto", + "delete": "Eliminar", + "deleteCustomFieldPopup-title": "¿Borrar el campo personalizado?", + "deleteLabelPopup-title": "¿Eliminar la etiqueta?", + "description": "Descripción", + "disambiguateMultiLabelPopup-title": "Desambiguar la acción de etiqueta", + "disambiguateMultiMemberPopup-title": "Desambiguar la acción de miembro", + "discard": "Descartarla", + "done": "Hecho", + "download": "Descargar", + "edit": "Editar", + "edit-avatar": "Cambiar el avatar", + "edit-profile": "Editar el perfil", + "edit-wip-limit": "Cambiar el límite del trabajo en proceso", + "soft-wip-limit": "Límite del trabajo en proceso flexible", + "editCardStartDatePopup-title": "Cambiar la fecha de comienzo", + "editCardDueDatePopup-title": "Cambiar la fecha de vencimiento", + "editCustomFieldPopup-title": "Editar el campo", + "editCardSpentTimePopup-title": "Cambiar el tiempo consumido", + "editLabelPopup-title": "Cambiar la etiqueta", + "editNotificationPopup-title": "Editar las notificaciones", + "editProfilePopup-title": "Editar el perfil", + "email": "Correo electrónico", + "email-enrollAccount-subject": "Cuenta creada en __siteName__", + "email-enrollAccount-text": "Hola __user__,\n\nPara empezar a utilizar el servicio, simplemente haz clic en el siguiente enlace.\n\n__url__\n\nGracias.", + "email-fail": "Error al enviar el correo", + "email-fail-text": "Error al intentar enviar el correo", + "email-invalid": "Correo no válido", + "email-invite": "Invitar vía correo electrónico", + "email-invite-subject": "__inviter__ ha enviado una invitación", + "email-invite-text": "Estimado __user__,\n\n__inviter__ te invita a unirte al tablero '__board__' para colaborar.\n\nPor favor, haz clic en el siguiente enlace:\n\n__url__\n\nGracias.", + "email-resetPassword-subject": "Restablecer tu contraseña en __siteName__", + "email-resetPassword-text": "Hola __user__,\n\nPara restablecer tu contraseña, haz clic en el siguiente enlace.\n\n__url__\n\nGracias.", + "email-sent": "Correo enviado", + "email-verifyEmail-subject": "Verifica tu dirección de correo en __siteName__", + "email-verifyEmail-text": "Hola __user__,\n\nPara verificar tu cuenta de correo electrónico, haz clic en el siguiente enlace.\n\n__url__\n\nGracias.", + "enable-wip-limit": "Activar el límite del trabajo en proceso", + "error-board-doesNotExist": "El tablero no existe", + "error-board-notAdmin": "Es necesario ser administrador de este tablero para hacer eso", + "error-board-notAMember": "Es necesario ser miembro de este tablero para hacer eso", + "error-json-malformed": "El texto no es un JSON válido", + "error-json-schema": "Sus datos JSON no incluyen la información apropiada en el formato correcto", + "error-list-doesNotExist": "La lista no existe", + "error-user-doesNotExist": "El usuario no existe", + "error-user-notAllowSelf": "No puedes invitarte a ti mismo", + "error-user-notCreated": "El usuario no ha sido creado", + "error-username-taken": "Este nombre de usuario ya está en uso", + "error-email-taken": "Esta dirección de correo ya está en uso", + "export-board": "Exportar el tablero", + "filter": "Filtrar", + "filter-cards": "Filtrar tarjetas", + "filter-clear": "Limpiar el filtro", + "filter-no-label": "Sin etiqueta", + "filter-no-member": "Sin miembro", + "filter-no-custom-fields": "Sin campos personalizados", + "filter-on": "Filtrado activado", + "filter-on-desc": "Estás filtrando tarjetas en este tablero. Haz clic aquí para editar el filtro.", + "filter-to-selection": "Filtrar la selección", + "advanced-filter-label": "Filtrado avanzado", + "advanced-filter-description": "El filtrado avanzado permite escribir una cadena que contiene los siguientes operadores: == != <= >= && || ( ) Se utiliza un espacio como separador entre los operadores. Se pueden filtrar todos los campos personalizados escribiendo sus nombres y valores. Por ejemplo: Campo1 == Valor1. Nota: Si los campos o valores contienen espacios, debe encapsularlos entre comillas simples. Por ejemplo: 'Campo 1' == 'Valor 1'. También puedes combinar múltiples condiciones. Por ejemplo: C1 == V1 || C1 = V2. Normalmente todos los operadores se interpretan de izquierda a derecha. Puede cambiar el orden colocando corchetes. Por ejemplo: C1 == V1 y ( C2 == V2 || C2 == V3 )", + "fullname": "Nombre completo", + "header-logo-title": "Volver a tu página de tableros", + "hide-system-messages": "Ocultar las notificaciones de actividad", + "headerBarCreateBoardPopup-title": "Crear tablero", + "home": "Inicio", + "import": "Importar", + "import-board": "importar un tablero", + "import-board-c": "Importar un tablero", + "import-board-title-trello": "Importar un tablero desde Trello", + "import-board-title-wekan": "Importar un tablero desde Wekan", + "import-sandstorm-warning": "El tablero importado eliminará todos los datos existentes en este tablero y los reemplazará con los datos del tablero importado.", + "from-trello": "Desde Trello", + "from-wekan": "Desde Wekan", + "import-board-instruction-trello": "En tu tablero de Trello, ve a 'Menú', luego 'Más' > 'Imprimir y exportar' > 'Exportar JSON', y copia el texto resultante.", + "import-board-instruction-wekan": "En tu tablero de Wekan, ve a 'Menú del tablero', luego 'Exportar el tablero', y copia aquí el texto del fichero descargado.", + "import-json-placeholder": "Pega tus datos JSON válidos aquí", + "import-map-members": "Mapa de miembros", + "import-members-map": "El tablero importado tiene algunos miembros. Por favor mapea los miembros que deseas importar a los usuarios de Wekan", + "import-show-user-mapping": "Revisión de la asignación de miembros", + "import-user-select": "Escoge el usuario de Wekan que deseas utilizar como miembro", + "importMapMembersAddPopup-title": "Selecciona un miembro de Wekan", + "info": "Versión", + "initials": "Iniciales", + "invalid-date": "Fecha no válida", + "invalid-time": "Tiempo no válido", + "invalid-user": "Usuario no válido", + "joined": "se ha unido", + "just-invited": "Has sido invitado a este tablero", + "keyboard-shortcuts": "Atajos de teclado", + "label-create": "Crear una etiqueta", + "label-default": "etiqueta %s (por defecto)", + "label-delete-pop": "Se eliminará esta etiqueta de todas las tarjetas y se destruirá su historial. Esta acción no puede deshacerse.", + "labels": "Etiquetas", + "language": "Cambiar el idioma", + "last-admin-desc": "No puedes cambiar roles porque debe haber al menos un administrador.", + "leave-board": "Abandonar el tablero", + "leave-board-pop": "¿Seguro que quieres abandonar __boardTitle__? Serás desvinculado de todas las tarjetas en este tablero.", + "leaveBoardPopup-title": "¿Abandonar el tablero?", + "link-card": "Enlazar a esta tarjeta", + "list-archive-cards": "Enviar todas las tarjetas de esta lista a la papelera de reciclaje", + "list-archive-cards-pop": "Esto eliminará todas las tarjetas de esta lista del tablero. Para ver las tarjetas en la papelera de reciclaje y devolverlas al tablero, haga clic en \"Menú\" > \"Papelera de reciclaje\".", + "list-move-cards": "Mover todas las tarjetas de esta lista", + "list-select-cards": "Seleccionar todas las tarjetas de esta lista", + "listActionPopup-title": "Acciones de la lista", + "swimlaneActionPopup-title": "Acciones del carril de flujo", + "listImportCardPopup-title": "Importar una tarjeta de Trello", + "listMorePopup-title": "Más", + "link-list": "Enlazar a esta lista", + "list-delete-pop": "Todas las acciones serán eliminadas del historial de actividades y no se podrá recuperar la lista. Esta acción no puede deshacerse.", + "list-delete-suggest-archive": "Puedes enviar una lista a la papelera de reciclaje para eliminarla del tablero y conservar la actividad.", + "lists": "Listas", + "swimlanes": "Carriles", + "log-out": "Finalizar la sesión", + "log-in": "Iniciar sesión", + "loginPopup-title": "Iniciar sesión", + "memberMenuPopup-title": "Mis preferencias", + "members": "Miembros", + "menu": "Menú", + "move-selection": "Mover la selección", + "moveCardPopup-title": "Mover la tarjeta", + "moveCardToBottom-title": "Mover al final", + "moveCardToTop-title": "Mover al principio", + "moveSelectionPopup-title": "Mover la selección", + "multi-selection": "Selección múltiple", + "multi-selection-on": "Selección múltiple activada", + "muted": "Silenciado", + "muted-info": "No serás notificado de ningún cambio en este tablero", + "my-boards": "Mis tableros", + "name": "Nombre", + "no-archived-cards": "No hay tarjetas en la papelera de reciclaje", + "no-archived-lists": "No hay listas en la papelera de reciclaje", + "no-archived-swimlanes": "No hay carriles de flujo en la papelera de reciclaje", + "no-results": "Sin resultados", + "normal": "Normal", + "normal-desc": "Puedes ver y editar tarjetas. No puedes cambiar la configuración.", + "not-accepted-yet": "La invitación no ha sido aceptada aún", + "notify-participate": "Recibir actualizaciones de cualquier tarjeta en la que participas como creador o miembro", + "notify-watch": "Recibir actuaizaciones de cualquier tablero, lista o tarjeta que estés vigilando", + "optional": "opcional", + "or": "o", + "page-maybe-private": "Esta página puede ser privada. Es posible que puedas verla al iniciar sesión.", + "page-not-found": "Página no encontrada.", + "password": "Contraseña", + "paste-or-dragdrop": "pegar o arrastrar y soltar un fichero de imagen (sólo imagen)", + "participating": "Participando", + "preview": "Previsualizar", + "previewAttachedImagePopup-title": "Previsualizar", + "previewClipboardImagePopup-title": "Previsualizar", + "private": "Privado", + "private-desc": "Este tablero es privado. Sólo las personas añadidas al tablero pueden verlo y editarlo.", + "profile": "Perfil", + "public": "Público", + "public-desc": "Este tablero es público. Es visible para cualquiera a través del enlace, y se mostrará en los buscadores como Google. Sólo las personas añadidas al tablero pueden editarlo.", + "quick-access-description": "Destaca un tablero para añadir un acceso directo en esta barra.", + "remove-cover": "Eliminar portada", + "remove-from-board": "Desvincular del tablero", + "remove-label": "Eliminar la etiqueta", + "listDeletePopup-title": "¿Eliminar la lista?", + "remove-member": "Eliminar miembro", + "remove-member-from-card": "Eliminar de la tarjeta", + "remove-member-pop": "¿Eliminar __name__ (__username__) de __boardTitle__? El miembro será eliminado de todas las tarjetas de este tablero. En ellas se mostrará una notificación.", + "removeMemberPopup-title": "¿Eliminar miembro?", + "rename": "Renombrar", + "rename-board": "Renombrar el tablero", + "restore": "Restaurar", + "save": "Añadir", + "search": "Buscar", + "search-cards": "Buscar entre los títulos y las descripciones de las tarjetas en este tablero.", + "search-example": "¿Texto a buscar?", + "select-color": "Selecciona un color", + "set-wip-limit-value": "Fija un límite para el número máximo de tareas en esta lista.", + "setWipLimitPopup-title": "Fijar el límite del trabajo en proceso", + "shortcut-assign-self": "Asignarte a ti mismo a la tarjeta actual", + "shortcut-autocomplete-emoji": "Autocompletar emoji", + "shortcut-autocomplete-members": "Autocompletar miembros", + "shortcut-clear-filters": "Limpiar todos los filtros", + "shortcut-close-dialog": "Cerrar el cuadro de diálogo", + "shortcut-filter-my-cards": "Filtrar mis tarjetas", + "shortcut-show-shortcuts": "Mostrar esta lista de atajos", + "shortcut-toggle-filterbar": "Conmutar la barra lateral del filtro", + "shortcut-toggle-sidebar": "Conmutar la barra lateral del tablero", + "show-cards-minimum-count": "Mostrar recuento de tarjetas si la lista contiene más de", + "sidebar-open": "Abrir la barra lateral", + "sidebar-close": "Cerrar la barra lateral", + "signupPopup-title": "Crear una cuenta", + "star-board-title": "Haz clic para destacar este tablero. Se mostrará en la parte superior de tu lista de tableros.", + "starred-boards": "Tableros destacados", + "starred-boards-description": "Los tableros destacados se mostrarán en la parte superior de tu lista de tableros.", + "subscribe": "Suscribirse", + "team": "Equipo", + "this-board": "este tablero", + "this-card": "esta tarjeta", + "spent-time-hours": "Tiempo consumido (horas)", + "overtime-hours": "Tiempo excesivo (horas)", + "overtime": "Tiempo excesivo", + "has-overtime-cards": "Hay tarjetas con el tiempo excedido", + "has-spenttime-cards": "Se ha excedido el tiempo de las tarjetas", + "time": "Hora", + "title": "Título", + "tracking": "Siguiendo", + "tracking-info": "Serás notificado de cualquier cambio en las tarjetas en las que participas como creador o miembro.", + "type": "Tipo", + "unassign-member": "Desvincular al miembro", + "unsaved-description": "Tienes una descripción por añadir.", + "unwatch": "Dejar de vigilar", + "upload": "Cargar", + "upload-avatar": "Cargar un avatar", + "uploaded-avatar": "Avatar cargado", + "username": "Nombre de usuario", + "view-it": "Verla", + "warn-list-archived": "advertencia: esta tarjeta está en una lista en la papelera de reciclaje", + "watch": "Vigilar", + "watching": "Vigilando", + "watching-info": "Serás notificado de cualquier cambio en este tablero", + "welcome-board": "Tablero de bienvenida", + "welcome-swimlane": "Hito 1", + "welcome-list1": "Básicos", + "welcome-list2": "Avanzados", + "what-to-do": "¿Qué deseas hacer?", + "wipLimitErrorPopup-title": "El límite del trabajo en proceso no es válido.", + "wipLimitErrorPopup-dialog-pt1": "El número de tareas en esta lista es mayor que el límite del trabajo en proceso que has definido.", + "wipLimitErrorPopup-dialog-pt2": "Por favor, mueve algunas tareas fuera de esta lista, o fija un límite del trabajo en proceso más alto.", + "admin-panel": "Panel del administrador", + "settings": "Ajustes", + "people": "Personas", + "registration": "Registro", + "disable-self-registration": "Deshabilitar autoregistro", + "invite": "Invitar", + "invite-people": "Invitar a personas", + "to-boards": "A el(los) tablero(s)", + "email-addresses": "Direcciones de correo electrónico", + "smtp-host-description": "Dirección del servidor SMTP para gestionar tus correos", + "smtp-port-description": "Puerto usado por el servidor SMTP para mandar correos", + "smtp-tls-description": "Habilitar el soporte TLS para el servidor SMTP", + "smtp-host": "Servidor SMTP", + "smtp-port": "Puerto SMTP", + "smtp-username": "Nombre de usuario", + "smtp-password": "Contraseña", + "smtp-tls": "Soporte TLS", + "send-from": "Desde", + "send-smtp-test": "Enviarte un correo de prueba a ti mismo", + "invitation-code": "Código de Invitación", + "email-invite-register-subject": "__inviter__ te ha enviado una invitación", + "email-invite-register-text": "Estimado __user__,\n\n__inviter__ te invita a unirte a Wekan para colaborar.\n\nPor favor, haz clic en el siguiente enlace:\n__url__\n\nTu código de invitación es: __icode__\n\nGracias.", + "email-smtp-test-subject": "Prueba de correo SMTP desde Wekan", + "email-smtp-test-text": "El correo se ha enviado correctamente", + "error-invitation-code-not-exist": "El código de invitación no existe", + "error-notAuthorized": "No estás autorizado a ver esta página.", + "outgoing-webhooks": "Webhooks salientes", + "outgoingWebhooksPopup-title": "Webhooks salientes", + "new-outgoing-webhook": "Nuevo webhook saliente", + "no-name": "(Desconocido)", + "Wekan_version": "Versión de Wekan", + "Node_version": "Versión de Node", + "OS_Arch": "Arquitectura del sistema", + "OS_Cpus": "Número de CPUs del sistema", + "OS_Freemem": "Memoria libre del sistema", + "OS_Loadavg": "Carga media del sistema", + "OS_Platform": "Plataforma del sistema", + "OS_Release": "Publicación del sistema", + "OS_Totalmem": "Memoria Total del sistema", + "OS_Type": "Tipo de sistema", + "OS_Uptime": "Tiempo activo del sistema", + "hours": "horas", + "minutes": "minutos", + "seconds": "segundos", + "show-field-on-card": "Mostrar este campo en la tarjeta", + "yes": "Sí", + "no": "No", + "accounts": "Cuentas", + "accounts-allowEmailChange": "Permitir cambiar el correo electrónico", + "accounts-allowUserNameChange": "Permitir el cambio del nombre de usuario", + "createdAt": "Creado en", + "verified": "Verificado", + "active": "Activo", + "card-received": "Recibido", + "card-received-on": "Recibido el", + "card-end": "Finalizado", + "card-end-on": "Finalizado el", + "editCardReceivedDatePopup-title": "Cambiar la fecha de recepción", + "editCardEndDatePopup-title": "Cambiar la fecha de finalización", + "assigned-by": "Asignado por", + "requested-by": "Solicitado por", + "board-delete-notice": "Se eliminarán todas las listas, tarjetas y acciones asociadas a este tablero. Esta acción no puede deshacerse.", + "delete-board-confirm-popup": "Se eliminarán todas las listas, tarjetas, etiquetas y actividades, y no podrás recuperar los contenidos del tablero. Esta acción no puede deshacerse.", + "boardDeletePopup-title": "¿Borrar el tablero?", + "delete-board": "Borrar el tablero" +} \ No newline at end of file diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json new file mode 100644 index 00000000..51de292b --- /dev/null +++ b/i18n/eu.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Onartu", + "act-activity-notify": "[Wekan] Jarduera-jakinarazpena", + "act-addAttachment": "__attachment__ __card__ txartelera erantsita", + "act-addChecklist": "gehituta checklist __checklist__ __card__ -ri", + "act-addChecklistItem": "gehituta __checklistItem__ checklist __checklist__ on __card__ -ri", + "act-addComment": "__card__ txartelean iruzkina: __comment__", + "act-createBoard": "__board__ sortuta", + "act-createCard": "__card__ __list__ zerrrendara gehituta", + "act-createCustomField": "created custom field __customField__", + "act-createList": "__list__ __board__ arbelera gehituta", + "act-addBoardMember": "__member__ __board__ arbelera gehituta", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "__board__ inportatuta", + "act-importCard": "__card__ inportatuta", + "act-importList": "__list__ inportatuta", + "act-joinMember": "__member__ __card__ txartelera gehituta", + "act-moveCard": "__card__ __oldList__ zerrendartik __list__ zerrendara eraman da", + "act-removeBoardMember": "__member__ __board__ arbeletik kendu da", + "act-restoredCard": "__card__ __board__ arbelean berrezarri da", + "act-unjoinMember": "__member__ __card__ txarteletik kendu da", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Ekintzak", + "activities": "Jarduerak", + "activity": "Jarduera", + "activity-added": "%s %s(e)ra gehituta", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "%s %s(e)ra erantsita", + "activity-created": "%s sortuta", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "%s %s(e)tik kanpo utzita", + "activity-imported": "%s inportatuta %s(e)ra %s(e)tik", + "activity-imported-board": "%s inportatuta %s(e)tik", + "activity-joined": "%s(e)ra elkartuta", + "activity-moved": "%s %s(e)tik %s(e)ra eramanda", + "activity-on": "%s", + "activity-removed": "%s %s(e)tik kenduta", + "activity-sent": "%s %s(e)ri bidalita", + "activity-unjoined": "%s utzita", + "activity-checklist-added": "egiaztaketa zerrenda %s(e)ra gehituta", + "activity-checklist-item-added": "egiaztaketa zerrendako elementuak '%s'(e)ra gehituta %s(e)n", + "add": "Gehitu", + "add-attachment": "Gehitu eranskina", + "add-board": "Gehitu arbela", + "add-card": "Gehitu txartela", + "add-swimlane": "Add Swimlane", + "add-checklist": "Gehitu egiaztaketa zerrenda", + "add-checklist-item": "Gehitu elementu bat egiaztaketa zerrendara", + "add-cover": "Gehitu azala", + "add-label": "Gehitu etiketa", + "add-list": "Gehitu zerrenda", + "add-members": "Gehitu kideak", + "added": "Gehituta", + "addMemberPopup-title": "Kideak", + "admin": "Kudeatzailea", + "admin-desc": "Txartelak ikusi eta editatu ditzake, kideak kendu, eta arbelaren ezarpenak aldatu.", + "admin-announcement": "Jakinarazpena", + "admin-announcement-active": "Gaitu Sistema-eremuko Jakinarazpena", + "admin-announcement-title": "Administrariaren jakinarazpena", + "all-boards": "Arbel guztiak", + "and-n-other-card": "Eta beste txartel __count__", + "and-n-other-card_plural": "Eta beste __count__ txartel", + "apply": "Aplikatu", + "app-is-offline": "Wekan kargatzen ari da, itxaron mesedez. Orria freskatzeak datuen galera ekarriko luke. Wekan kargatzen ez bada, egiaztatu Wekan zerbitzaria gelditu ez dela.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Berreskuratu arbela", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Esleitu kidea", + "attached": "erantsita", + "attachment": "Eranskina", + "attachment-delete-pop": "Eranskina ezabatzea behin betikoa da. Ez dago desegiterik.", + "attachmentDeletePopup-title": "Ezabatu eranskina?", + "attachments": "Eranskinak", + "auto-watch": "Automatikoki jarraitu arbelak hauek sortzean", + "avatar-too-big": "Avatarra handiegia da (Gehienez 70Kb)", + "back": "Atzera", + "board-change-color": "Aldatu kolorea", + "board-nb-stars": "%s izar", + "board-not-found": "Ez da arbela aurkitu", + "board-private-info": "Arbel hau pribatua izango da.", + "board-public-info": "Arbel hau publikoa izango da.", + "boardChangeColorPopup-title": "Aldatu arbelaren atzealdea", + "boardChangeTitlePopup-title": "Aldatu izena arbelari", + "boardChangeVisibilityPopup-title": "Aldatu ikusgaitasuna", + "boardChangeWatchPopup-title": "Aldatu ikuskatzea", + "boardMenuPopup-title": "Arbelaren menua", + "boards": "Arbelak", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Zerrendak", + "bucket-example": "Esaterako \"Pertz zerrenda\"", + "cancel": "Utzi", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "Txartel honek iruzkin %s dauka.", + "card-delete-notice": "Ezabaketa behin betiko da. Txartel honi lotutako ekintza guztiak galduko dituzu.", + "card-delete-pop": "Ekintza guztiak ekintza jariotik kenduko dira eta ezin izango duzu txartela berrireki. Ez dago desegiterik.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Epemuga", + "card-due-on": "Epemuga", + "card-spent": "Erabilitako denbora", + "card-edit-attachments": "Editatu eranskinak", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Editatu etiketak", + "card-edit-members": "Editatu kideak", + "card-labels-title": "Aldatu txartelaren etiketak", + "card-members-title": "Gehitu edo kendu arbeleko kideak txarteletik.", + "card-start": "Hasiera", + "card-start-on": "Hasiera", + "cardAttachmentsPopup-title": "Erantsi hemendik", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Ezabatu txartela?", + "cardDetailsActionsPopup-title": "Txartel-ekintzak", + "cardLabelsPopup-title": "Etiketak", + "cardMembersPopup-title": "Kideak", + "cardMorePopup-title": "Gehiago", + "cards": "Txartelak", + "cards-count": "Txartelak", + "change": "Aldatu", + "change-avatar": "Aldatu avatarra", + "change-password": "Aldatu pasahitza", + "change-permissions": "Aldatu baimenak", + "change-settings": "Aldatu ezarpenak", + "changeAvatarPopup-title": "Aldatu avatarra", + "changeLanguagePopup-title": "Aldatu hizkuntza", + "changePasswordPopup-title": "Aldatu pasahitza", + "changePermissionsPopup-title": "Aldatu baimenak", + "changeSettingsPopup-title": "Aldatu ezarpenak", + "checklists": "Egiaztaketa zerrenda", + "click-to-star": "Egin klik arbel honi izarra jartzeko", + "click-to-unstar": "Egin klik arbel honi izarra kentzeko", + "clipboard": "Kopiatu eta itsatsi edo arrastatu eta jaregin", + "close": "Itxi", + "close-board": "Itxi arbela", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "beltza", + "color-blue": "urdina", + "color-green": "berdea", + "color-lime": "lima", + "color-orange": "laranja", + "color-pink": "larrosa", + "color-purple": "purpura", + "color-red": "gorria", + "color-sky": "zerua", + "color-yellow": "horia", + "comment": "Iruzkina", + "comment-placeholder": "Idatzi iruzkin bat", + "comment-only": "Iruzkinak besterik ez", + "comment-only-desc": "Iruzkinak txarteletan soilik egin ditzake", + "computer": "Ordenagailua", + "confirm-checklist-delete-dialog": "Ziur zaude kontrol-zerrenda ezabatu nahi duzula", + "copy-card-link-to-clipboard": "Kopiatu txartela arbelera", + "copyCardPopup-title": "Kopiatu txartela", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Sortu", + "createBoardPopup-title": "Sortu arbela", + "chooseBoardSourcePopup-title": "Inportatu arbela", + "createLabelPopup-title": "Sortu etiketa", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "unekoa", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Data", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Data", + "decline": "Ukatu", + "default-avatar": "Lehenetsitako avatarra", + "delete": "Ezabatu", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Ezabatu etiketa?", + "description": "Deskripzioa", + "disambiguateMultiLabelPopup-title": "Argitu etiketaren ekintza", + "disambiguateMultiMemberPopup-title": "Argitu kidearen ekintza", + "discard": "Baztertu", + "done": "Egina", + "download": "Deskargatu", + "edit": "Editatu", + "edit-avatar": "Aldatu avatarra", + "edit-profile": "Editatu profila", + "edit-wip-limit": "WIP muga editatu", + "soft-wip-limit": "WIP muga malgua", + "editCardStartDatePopup-title": "Aldatu hasiera data", + "editCardDueDatePopup-title": "Aldatu epemuga data", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Aldatu erabilitako denbora", + "editLabelPopup-title": "Aldatu etiketa", + "editNotificationPopup-title": "Editatu jakinarazpena", + "editProfilePopup-title": "Editatu profila", + "email": "e-posta", + "email-enrollAccount-subject": "Kontu bat sortu zaizu __siteName__ gunean", + "email-enrollAccount-text": "Kaixo __user__,\n\nZerbitzua erabiltzen hasteko, egin klik beheko loturan.\n\n__url__\n\nEskerrik asko.", + "email-fail": "E-posta bidalketak huts egin du", + "email-fail-text": "Arazoa mezua bidaltzen saiatzen", + "email-invalid": "Baliogabeko e-posta", + "email-invite": "Gonbidatu e-posta bidez", + "email-invite-subject": "__inviter__ erabiltzaileak gonbidapen bat bidali dizu", + "email-invite-text": "Kaixo __user__,\n\n__inviter__ erabiltzaileak \"__board__\" arbelera elkartzera gonbidatzen zaitu elkar-lanean aritzeko.\n\nJarraitu mesedez lotura hau:\n\n__url__\n\nEskerrik asko.", + "email-resetPassword-subject": "Leheneratu zure __siteName__ guneko pasahitza", + "email-resetPassword-text": "Kaixo __user__,\n\nZure pasahitza berrezartzeko, egin klik beheko loturan.\n\n__url__\n\nEskerrik asko.", + "email-sent": "E-posta bidali da", + "email-verifyEmail-subject": "Egiaztatu __siteName__ guneko zure e-posta helbidea.", + "email-verifyEmail-text": "Kaixo __user__,\n\nZure e-posta kontua egiaztatzeko, egin klik beheko loturan.\n\n__url__\n\nEskerrik asko.", + "enable-wip-limit": "WIP muga gaitu", + "error-board-doesNotExist": "Arbel hau ez da existitzen", + "error-board-notAdmin": "Arbel honetako kudeatzailea izan behar zara hori egin ahal izateko", + "error-board-notAMember": "Arbel honetako kidea izan behar zara hori egin ahal izateko", + "error-json-malformed": "Zure testua ez da baliozko JSON", + "error-json-schema": "Zure JSON datuek ez dute formatu zuzenaren informazio egokia", + "error-list-doesNotExist": "Zerrenda hau ez da existitzen", + "error-user-doesNotExist": "Erabiltzaile hau ez da existitzen", + "error-user-notAllowSelf": "Ezin duzu zure burua gonbidatu", + "error-user-notCreated": "Erabiltzaile hau sortu gabe dago", + "error-username-taken": "Erabiltzaile-izen hori hartuta dago", + "error-email-taken": "E-mail hori hartuta dago", + "export-board": "Esportatu arbela", + "filter": "Iragazi", + "filter-cards": "Iragazi txartelak", + "filter-clear": "Garbitu iragazkia", + "filter-no-label": "Etiketarik ez", + "filter-no-member": "Kiderik ez", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Iragazkia gaituta dago", + "filter-on-desc": "Arbel honetako txartela iragazten ari zara. Egin klik hemen iragazkia editatzeko.", + "filter-to-selection": "Iragazketa aukerara", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Izen abizenak", + "header-logo-title": "Itzuli zure arbelen orrira.", + "hide-system-messages": "Ezkutatu sistemako mezuak", + "headerBarCreateBoardPopup-title": "Sortu arbela", + "home": "Hasiera", + "import": "Inportatu", + "import-board": "inportatu arbela", + "import-board-c": "Inportatu arbela", + "import-board-title-trello": "Inportatu arbela Trellotik", + "import-board-title-wekan": "Inportatu arbela Wekanetik", + "import-sandstorm-warning": "Inportatutako arbelak oraingo arbeleko informazio guztia ezabatuko du eta inportatutako arbeleko informazioarekin ordeztu.", + "from-trello": "Trellotik", + "from-wekan": "Wekanetik", + "import-board-instruction-trello": "Zure Trello arbelean, aukeratu 'Menu\", 'More', 'Print and Export', 'Export JSON', eta kopiatu jasotako testua hemen.", + "import-board-instruction-wekan": "Zure Wekan arbelean, aukeratu 'Menua' - 'Esportatu arbela', eta kopiatu testua deskargatutako fitxategian.", + "import-json-placeholder": "Isatsi baliozko JSON datuak hemen", + "import-map-members": "Kideen mapa", + "import-members-map": "Inportatu duzun arbela kide batzuk ditu, mesedez lotu inportatu nahi dituzun kideak Wekan erabiltzaileekin", + "import-show-user-mapping": "Berrikusi kideen mapa", + "import-user-select": "Hautatu kide hau bezala erabili nahi duzun Wekan erabiltzailea", + "importMapMembersAddPopup-title": "Aukeratu Wekan kidea", + "info": "Bertsioa", + "initials": "Inizialak", + "invalid-date": "Baliogabeko data", + "invalid-time": "Baliogabeko denbora", + "invalid-user": "Baliogabeko erabiltzailea", + "joined": "elkartu da", + "just-invited": "Arbel honetara gonbidatu berri zaituzte", + "keyboard-shortcuts": "Teklatu laster-bideak", + "label-create": "Sortu etiketa", + "label-default": "%s etiketa (lehenetsia)", + "label-delete-pop": "Ez dago desegiterik. Honek etiketa hau kenduko du txartel guztietatik eta bere historiala suntsitu.", + "labels": "Etiketak", + "language": "Hizkuntza", + "last-admin-desc": "Ezin duzu rola aldatu gutxienez kudeatzaile bat behar delako.", + "leave-board": "Utzi arbela", + "leave-board-pop": "Ziur zaude __boardTitle__ utzi nahi duzula? Arbel honetako txartel guztietatik ezabatua izango zara.", + "leaveBoardPopup-title": "Arbela utzi?", + "link-card": "Lotura txartel honetara", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Lekuz aldatu zerrendako txartel guztiak", + "list-select-cards": "Aukeratu zerrenda honetako txartel guztiak", + "listActionPopup-title": "Zerrendaren ekintzak", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Inportatu Trello txartel bat", + "listMorePopup-title": "Gehiago", + "link-list": "Lotura zerrenda honetara", + "list-delete-pop": "Ekintza guztiak ekintza jariotik kenduko dira eta ezin izango duzu zerrenda berreskuratu. Ez dago desegiterik.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Zerrendak", + "swimlanes": "Swimlanes", + "log-out": "Itxi saioa", + "log-in": "Hasi saioa", + "loginPopup-title": "Hasi saioa", + "memberMenuPopup-title": "Kidearen ezarpenak", + "members": "Kideak", + "menu": "Menua", + "move-selection": "Lekuz aldatu hautaketa", + "moveCardPopup-title": "Lekuz aldatu txartela", + "moveCardToBottom-title": "Eraman behera", + "moveCardToTop-title": "Eraman gora", + "moveSelectionPopup-title": "Lekuz aldatu hautaketa", + "multi-selection": "Hautaketa anitza", + "multi-selection-on": "Hautaketa anitza gaituta dago", + "muted": "Mututua", + "muted-info": "Ez zaizkizu jakinaraziko arbel honi egindako aldaketak", + "my-boards": "Nire arbelak", + "name": "Izena", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Emaitzarik ez", + "normal": "Arrunta", + "normal-desc": "Txartelak ikusi eta editatu ditzake. Ezin ditu ezarpenak aldatu.", + "not-accepted-yet": "Gonbidapena ez da oraindik onartu", + "notify-participate": "Jaso sortzaile edo kide zaren txartelen jakinarazpenak", + "notify-watch": "Jaso ikuskatzen dituzun arbel, zerrenda edo txartelen jakinarazpenak", + "optional": "aukerazkoa", + "or": "edo", + "page-maybe-private": "Orri hau pribatua izan daiteke. Agian saioa hasi eta gero ikusi ahal izango duzu.", + "page-not-found": "Ez da orria aurkitu.", + "password": "Pasahitza", + "paste-or-dragdrop": "itsasteko, edo irudi fitxategia arrastatu eta jaregiteko (irudia besterik ez)", + "participating": "Parte-hartzen", + "preview": "Aurreikusi", + "previewAttachedImagePopup-title": "Aurreikusi", + "previewClipboardImagePopup-title": "Aurreikusi", + "private": "Pribatua", + "private-desc": "Arbel hau pribatua da. Arbelera gehitutako jendeak besterik ezin du ikusi eta editatu.", + "profile": "Profila", + "public": "Publikoa", + "public-desc": "Arbel hau publikoa da lotura duen edonorentzat ikusgai dago eta Google bezalako bilatzaileetan agertuko da. Arbelera gehitutako kideek besterik ezin dute editatu.", + "quick-access-description": "Jarri izarra arbel bati barra honetan lasterbide bat sortzeko", + "remove-cover": "Kendu azala", + "remove-from-board": "Kendu arbeletik", + "remove-label": "Kendu etiketa", + "listDeletePopup-title": "Ezabatu zerrenda?", + "remove-member": "Kendu kidea", + "remove-member-from-card": "Kendu txarteletik", + "remove-member-pop": "Kendu __name__ (__username__) __boardTitle__ arbeletik? Kidea arbel honetako txartel guztietatik kenduko da. Jakinarazpenak bidaliko dira.", + "removeMemberPopup-title": "Kendu kidea?", + "rename": "Aldatu izena", + "rename-board": "Aldatu izena arbelari", + "restore": "Berrezarri", + "save": "Gorde", + "search": "Bilatu", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Aukeratu kolorea", + "set-wip-limit-value": "Zerrenda honetako atazen muga maximoa ezarri", + "setWipLimitPopup-title": "WIP muga ezarri", + "shortcut-assign-self": "Esleitu zure burua txartel honetara", + "shortcut-autocomplete-emoji": "Automatikoki osatu emojia", + "shortcut-autocomplete-members": "Automatikoki osatu kideak", + "shortcut-clear-filters": "Garbitu iragazki guztiak", + "shortcut-close-dialog": "Itxi elkarrizketa-koadroa", + "shortcut-filter-my-cards": "Iragazi nire txartelak", + "shortcut-show-shortcuts": "Erakutsi lasterbideen zerrenda hau", + "shortcut-toggle-filterbar": "Txandakatu iragazkiaren albo-barra", + "shortcut-toggle-sidebar": "Txandakatu arbelaren albo-barra", + "show-cards-minimum-count": "Erakutsi txartel kopurua hau baino handiagoa denean:", + "sidebar-open": "Ireki albo-barra", + "sidebar-close": "Itxi albo-barra", + "signupPopup-title": "Sortu kontu bat", + "star-board-title": "Egin klik arbel honi izarra jartzeko, zure arbelen zerrendaren goialdean agertuko da", + "starred-boards": "Izardun arbelak", + "starred-boards-description": "Izardun arbelak zure arbelen zerrendaren goialdean agertuko dira", + "subscribe": "Harpidetu", + "team": "Taldea", + "this-board": "arbel hau", + "this-card": "txartel hau", + "spent-time-hours": "Erabilitako denbora (orduak)", + "overtime-hours": "Luzapena (orduak)", + "overtime": "Luzapena", + "has-overtime-cards": "Luzapen txartelak ditu", + "has-spenttime-cards": "Erabilitako denbora txartelak ditu", + "time": "Ordua", + "title": "Izenburua", + "tracking": "Jarraitzen", + "tracking-info": "Sortzaile edo kide gisa parte-hartzen duzun txartelei egindako aldaketak jakinaraziko zaizkizu.", + "type": "Type", + "unassign-member": "Kendu kidea", + "unsaved-description": "Gorde gabeko deskripzio bat duzu", + "unwatch": "Utzi ikuskatzeari", + "upload": "Igo", + "upload-avatar": "Igo avatar bat", + "uploaded-avatar": "Avatar bat igo da", + "username": "Erabiltzaile-izena", + "view-it": "Ikusi", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Ikuskatu", + "watching": "Ikuskatzen", + "watching-info": "Arbel honi egindako aldaketak jakinaraziko zaizkizu", + "welcome-board": "Ongi etorri arbela", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Oinarrizkoa", + "welcome-list2": "Aurreratua", + "what-to-do": "Zer egin nahi duzu?", + "wipLimitErrorPopup-title": "Baliogabeko WIP muga", + "wipLimitErrorPopup-dialog-pt1": "Zerrenda honetako atazen muga, WIP-en ezarritakoa baina handiagoa da", + "wipLimitErrorPopup-dialog-pt2": "Mugitu zenbait ataza zerrenda honetatik, edo WIP muga handiagoa ezarri.", + "admin-panel": "Kudeaketa panela", + "settings": "Ezarpenak", + "people": "Jendea", + "registration": "Izen-ematea", + "disable-self-registration": "Desgaitu nork bere burua erregistratzea", + "invite": "Gonbidatu", + "invite-people": "Gonbidatu jendea", + "to-boards": "Arbele(ta)ra", + "email-addresses": "E-posta helbideak", + "smtp-host-description": "Zure e-posta mezuez arduratzen den SMTP zerbitzariaren helbidea", + "smtp-port-description": "Zure SMTP zerbitzariak bidalitako e-posta mezuentzat erabiltzen duen kaia.", + "smtp-tls-description": "Gaitu TLS euskarria SMTP zerbitzariarentzat", + "smtp-host": "SMTP ostalaria", + "smtp-port": "SMTP kaia", + "smtp-username": "Erabiltzaile-izena", + "smtp-password": "Pasahitza", + "smtp-tls": "TLS euskarria", + "send-from": "Nork", + "send-smtp-test": "Bidali posta elektroniko mezu bat zure buruari", + "invitation-code": "Gonbidapen kodea", + "email-invite-register-subject": "__inviter__ erabiltzaileak gonbidapen bat bidali dizu", + "email-invite-register-text": "Kaixo __user__,\n\n__inviter__ erabiltzaileak Wekanera gonbidatu zaitu elkar-lanean aritzeko.\n\nJarraitu mesedez lotura hau:\n__url__\n\nZure gonbidapen kodea hau da: __icode__\n\nEskerrik asko.", + "email-smtp-test-subject": "Wekan-etik bidalitako test-mezua", + "email-smtp-test-text": "Arrakastaz bidali duzu posta elektroniko mezua", + "error-invitation-code-not-exist": "Gonbidapen kodea ez da existitzen", + "error-notAuthorized": "Ez duzu orri hau ikusteko baimenik.", + "outgoing-webhooks": "Irteerako Webhook-ak", + "outgoingWebhooksPopup-title": "Irteerako Webhook-ak", + "new-outgoing-webhook": "Irteera-webhook berria", + "no-name": "(Ezezaguna)", + "Wekan_version": "Wekan bertsioa", + "Node_version": "Nodo bertsioa", + "OS_Arch": "SE Arkitektura", + "OS_Cpus": "SE PUZ kopurua", + "OS_Freemem": "SE Memoria librea", + "OS_Loadavg": "SE batez besteko karga", + "OS_Platform": "SE plataforma", + "OS_Release": "SE kaleratzea", + "OS_Totalmem": "SE memoria guztira", + "OS_Type": "SE mota", + "OS_Uptime": "SE denbora abiatuta", + "hours": "ordu", + "minutes": "minutu", + "seconds": "segundo", + "show-field-on-card": "Show this field on card", + "yes": "Bai", + "no": "Ez", + "accounts": "Kontuak", + "accounts-allowEmailChange": "Baimendu e-mail aldaketa", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Noiz sortua", + "verified": "Egiaztatuta", + "active": "Gaituta", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json new file mode 100644 index 00000000..69cb80d2 --- /dev/null +++ b/i18n/fa.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "پذیرش", + "act-activity-notify": "[wekan] اطلاع فعالیت", + "act-addAttachment": "پیوست __attachment__ به __card__", + "act-addChecklist": "سیاهه __checklist__ به __card__ افزوده شد", + "act-addChecklistItem": "__checklistItem__ به سیاهه __checklist__ در __card__ افزوده شد", + "act-addComment": "درج نظر برای __card__: __comment__", + "act-createBoard": "__board__ ایجاد شد", + "act-createCard": "__card__ به __list__ اضافه شد", + "act-createCustomField": "فیلد __customField__ ایجاد شد", + "act-createList": "__list__ به __board__ اضافه شد", + "act-addBoardMember": "__member__ به __board__ اضافه شد", + "act-archivedBoard": "__board__ به سطل زباله ریخته شد", + "act-archivedCard": "__card__ به سطل زباله منتقل شد", + "act-archivedList": "__list__ به سطل زباله منتقل شد", + "act-archivedSwimlane": "__swimlane__ به سطل زباله منتقل شد", + "act-importBoard": "__board__ وارد شده", + "act-importCard": "__card__ وارد شده", + "act-importList": "__list__ وارد شده", + "act-joinMember": "__member__ به __card__اضافه شد", + "act-moveCard": "انتقال __card__ از __oldList__ به __list__", + "act-removeBoardMember": "__member__ از __board__ پاک شد", + "act-restoredCard": "__card__ به __board__ بازآوری شد", + "act-unjoinMember": "__member__ از __card__ پاک شد", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "اعمال", + "activities": "فعالیت ها", + "activity": "فعالیت", + "activity-added": "%s به %s اضافه شد", + "activity-archived": "%s به سطل زباله منتقل شد", + "activity-attached": "%s به %s پیوست شد", + "activity-created": "%s ایجاد شد", + "activity-customfield-created": "%s فیلدشخصی ایجاد شد", + "activity-excluded": "%s از %s مستثنی گردید", + "activity-imported": "%s از %s وارد %s شد", + "activity-imported-board": "%s از %s وارد شد", + "activity-joined": "اتصال به %s", + "activity-moved": "%s از %s به %s منتقل شد", + "activity-on": "%s", + "activity-removed": "%s از %s حذف شد", + "activity-sent": "ارسال %s به %s", + "activity-unjoined": "قطع اتصال %s", + "activity-checklist-added": "سیاهه به %s اضافه شد", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "افزودن", + "add-attachment": "افزودن ضمیمه", + "add-board": "افزودن برد", + "add-card": "افزودن کارت", + "add-swimlane": "Add Swimlane", + "add-checklist": "افزودن چک لیست", + "add-checklist-item": "افزودن مورد به سیاهه", + "add-cover": "جلد کردن", + "add-label": "افزودن لیبل", + "add-list": "افزودن لیست", + "add-members": "افزودن اعضا", + "added": "اضافه گردید", + "addMemberPopup-title": "اعضا", + "admin": "مدیر", + "admin-desc": "امکان دیدن و ویرایش کارتها،پاک کردن کاربران و تغییر تنظیمات برای تخته", + "admin-announcement": "اعلان", + "admin-announcement-active": "اعلان سراسری فعال", + "admin-announcement-title": "اعلان از سوی مدیر", + "all-boards": "تمام تخته‌ها", + "and-n-other-card": "و __count__ کارت دیگر", + "and-n-other-card_plural": "و __count__ کارت دیگر", + "apply": "اعمال", + "app-is-offline": "Wekan در حال بارگذاری است. لطفا صبر کنید. نوسازی صفحه، منجر به از دست رفتن داده‌ها می‌شود. اگر Wekan بارگذاری نشد، لطفا بررسی کنید که سرور Wekan متوقف نشده باشد.", + "archive": "ریختن به سطل زباله", + "archive-all": "ریختن همه به سطل زباله", + "archive-board": "ریختن تخته به سطل زباله", + "archive-card": "ریختن کارت به سطل زباله", + "archive-list": "ریختن لیست به سطل زباله", + "archive-swimlane": "ریختن مسیرشنا به سطل زباله", + "archive-selection": "انتخاب شده ها را به سطل زباله بریز", + "archiveBoardPopup-title": "آیا تخته به سطل زباله ریخته شود؟", + "archived-items": "سطل زباله", + "archived-boards": "تخته هایی که به زباله ریخته شده است", + "restore-board": "بازیابی تخته", + "no-archived-boards": "هیچ تخته ای در سطل زباله وجود ندارد", + "archives": "سطل زباله", + "assign-member": "تعیین عضو", + "attached": "ضمیمه شده", + "attachment": "ضمیمه", + "attachment-delete-pop": "حذف پیوست دایمی و بی بازگشت خواهد بود.", + "attachmentDeletePopup-title": "آیا می خواهید ضمیمه را حذف کنید؟", + "attachments": "ضمائم", + "auto-watch": "اضافه شدن خودکار دیده بانی تخته زمانی که ایجاد می شوند", + "avatar-too-big": "تصویر کاربر بسیار بزرگ است ـ حداکثر۷۰ کیلوبایت ـ", + "back": "بازگشت", + "board-change-color": "تغییر رنگ", + "board-nb-stars": "%s ستاره", + "board-not-found": "تخته مورد نظر پیدا نشد", + "board-private-info": "این تخته خصوصی خواهد بود.", + "board-public-info": "این تخته عمومی خواهد بود.", + "boardChangeColorPopup-title": "تغییر پس زمینه تخته", + "boardChangeTitlePopup-title": "تغییر نام تخته", + "boardChangeVisibilityPopup-title": "تغییر وضعیت نمایش", + "boardChangeWatchPopup-title": "تغییر دیده بانی", + "boardMenuPopup-title": "منوی تخته", + "boards": "تخته‌ها", + "board-view": "نمایش تخته", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "فهرست‌ها", + "bucket-example": "برای مثال چیزی شبیه \"لیست سبدها\"", + "cancel": "انصراف", + "card-archived": "این کارت به سطل زباله ریخته شده است", + "card-comments-title": "این کارت دارای %s نظر است.", + "card-delete-notice": "حذف دائمی. تمامی موارد مرتبط با این کارت از بین خواهند رفت.", + "card-delete-pop": "همه اقدامات از این پردازه (خوراک) حذف خواهد شد و امکان بازگرداندن کارت وجود نخواهد داشت.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "ناشی از", + "card-due-on": "مقتضی بر", + "card-spent": "زمان صرف شده", + "card-edit-attachments": "ویرایش ضمائم", + "card-edit-custom-fields": "ویرایش فیلدهای شخصی", + "card-edit-labels": "ویرایش برچسب", + "card-edit-members": "ویرایش اعضا", + "card-labels-title": "تغییر برچسب کارت", + "card-members-title": "افزودن یا حذف اعضا از کارت.", + "card-start": "شروع", + "card-start-on": "شروع از", + "cardAttachmentsPopup-title": "ضمیمه از", + "cardCustomField-datePopup-title": "تغییر تاریخ", + "cardCustomFieldsPopup-title": "ویرایش فیلدهای شخصی", + "cardDeletePopup-title": "آیا می خواهید کارت را حذف کنید؟", + "cardDetailsActionsPopup-title": "اعمال کارت", + "cardLabelsPopup-title": "برچسب ها", + "cardMembersPopup-title": "اعضا", + "cardMorePopup-title": "بیشتر", + "cards": "کارت‌ها", + "cards-count": "کارت‌ها", + "change": "تغییر", + "change-avatar": "تغییر تصویر", + "change-password": "تغییر کلمه عبور", + "change-permissions": "تغییر دسترسی‌ها", + "change-settings": "تغییر تنظیمات", + "changeAvatarPopup-title": "تغییر تصویر", + "changeLanguagePopup-title": "تغییر زبان", + "changePasswordPopup-title": "تغییر کلمه عبور", + "changePermissionsPopup-title": "تغییر دسترسی‌ها", + "changeSettingsPopup-title": "تغییر تنظیمات", + "checklists": "سیاهه‌ها", + "click-to-star": "با کلیک کردن ستاره بدهید", + "click-to-unstar": "با کلیک کردن ستاره را کم کنید", + "clipboard": "ذخیره در حافظه ویا بردار-رهاکن", + "close": "بستن", + "close-board": "بستن برد", + "close-board-pop": "شما با کلیک روی دکمه \"سطل زباله\" در قسمت خانه می توانید تخته را بازیابی کنید.", + "color-black": "مشکی", + "color-blue": "آبی", + "color-green": "سبز", + "color-lime": "لیمویی", + "color-orange": "نارنجی", + "color-pink": "صورتی", + "color-purple": "بنفش", + "color-red": "قرمز", + "color-sky": "آبی آسمانی", + "color-yellow": "زرد", + "comment": "نظر", + "comment-placeholder": "درج نظر", + "comment-only": "فقط نظر", + "comment-only-desc": "فقط می‌تواند روی کارت‌ها نظر دهد.", + "computer": "رایانه", + "confirm-checklist-delete-dialog": "مطمئنید که می‌خواهید سیاهه را حذف کنید؟", + "copy-card-link-to-clipboard": "درج پیوند کارت در حافظه", + "copyCardPopup-title": "کپی کارت", + "copyChecklistToManyCardsPopup-title": "کپی قالب کارت به کارت‌های متعدد", + "copyChecklistToManyCardsPopup-instructions": "عنوان و توضیحات کارت مقصد در این قالب JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "ایجاد", + "createBoardPopup-title": "ایجاد تخته", + "chooseBoardSourcePopup-title": "بارگذاری تخته", + "createLabelPopup-title": "ایجاد برچسب", + "createCustomField": "ایجاد فیلد", + "createCustomFieldPopup-title": "ایجاد فیلد", + "current": "جاری", + "custom-field-delete-pop": "این اقدام فیلدشخصی را بهمراه تمامی تاریخچه آن از کارت ها پاک می کند و برگشت پذیر نمی باشد", + "custom-field-checkbox": "جعبه انتخابی", + "custom-field-date": "تاریخ", + "custom-field-dropdown": "لیست افتادنی", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "لیست امکانات", + "custom-field-dropdown-options-placeholder": "کلید Enter را جهت افزودن امکانات بیشتر فشار دهید", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "عدد", + "custom-field-text": "متن", + "custom-fields": "فیلدهای شخصی", + "date": "تاریخ", + "decline": "رد", + "default-avatar": "تصویر پیش فرض", + "delete": "حذف", + "deleteCustomFieldPopup-title": "آیا فیلدشخصی پاک شود؟", + "deleteLabelPopup-title": "آیا می خواهید برچسب را حذف کنید؟", + "description": "توضیحات", + "disambiguateMultiLabelPopup-title": "عمل ابهام زدایی از برچسب", + "disambiguateMultiMemberPopup-title": "عمل ابهام زدایی از کاربر", + "discard": "لغو", + "done": "انجام شده", + "download": "دریافت", + "edit": "ویرایش", + "edit-avatar": "تغییر تصویر", + "edit-profile": "ویرایش پروفایل", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "تغییر تاریخ آغاز", + "editCardDueDatePopup-title": "تغییر تاریخ بدلیل", + "editCustomFieldPopup-title": "ویرایش فیلد", + "editCardSpentTimePopup-title": "تغییر زمان صرف شده", + "editLabelPopup-title": "تغیر برچسب", + "editNotificationPopup-title": "اصلاح اعلان", + "editProfilePopup-title": "ویرایش پروفایل", + "email": "پست الکترونیک", + "email-enrollAccount-subject": "یک حساب کاربری برای شما در __siteName__ ایجاد شد", + "email-enrollAccount-text": "سلام __user__ \nبرای شروع به استفاده از این سرویس برروی آدرس زیر کلیک کنید.\n__url__\nبا تشکر.", + "email-fail": "عدم موفقیت در فرستادن رایانامه", + "email-fail-text": "خطا در تلاش برای فرستادن رایانامه", + "email-invalid": "رایانامه نادرست", + "email-invite": "دعوت از طریق رایانامه", + "email-invite-subject": "__inviter__ برای شما دعوت نامه ارسال کرده است", + "email-invite-text": "__User__ عزیز\n __inviter__ شما را به عضویت تخته \"__board__\" برای همکاری دعوت کرده است.\nلطفا لینک زیر را دنبال کنید، باتشکر:\n__url__", + "email-resetPassword-subject": "تنظیم مجدد کلمه عبور در __siteName__", + "email-resetPassword-text": "سلام __user__\nجهت تنظیم مجدد کلمه عبور آدرس زیر را دنبال نمایید، باتشکر:\n__url__", + "email-sent": "نامه الکترونیکی فرستاده شد", + "email-verifyEmail-subject": "تایید آدرس الکترونیکی شما در __siteName__", + "email-verifyEmail-text": "سلام __user__\nبه منظور تایید آدرس الکترونیکی حساب خود، آدرس زیر را دنبال نمایید، باتشکر:\n__url__.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "تخته مورد نظر وجود ندارد", + "error-board-notAdmin": "شما جهت انجام آن باید مدیر تخته باشید", + "error-board-notAMember": "شما انجام آن ،اید عضو این تخته باشید.", + "error-json-malformed": "متن درغالب صحیح Json نمی باشد.", + "error-json-schema": "داده های Json شما، شامل اطلاعات صحیح در غالب درستی نمی باشد.", + "error-list-doesNotExist": "این لیست موجود نیست", + "error-user-doesNotExist": "این کاربر وجود ندارد", + "error-user-notAllowSelf": "عدم امکان دعوت خود", + "error-user-notCreated": "این کاربر ایجاد نشده است", + "error-username-taken": "این نام کاربری استفاده شده است", + "error-email-taken": "رایانامه توسط گیرنده دریافت شده است", + "export-board": "انتقال به بیرون تخته", + "filter": "صافی ـFilterـ", + "filter-cards": "صافی ـFilterـ کارت‌ها", + "filter-clear": "حذف صافی ـFilterـ", + "filter-no-label": "بدون برچسب", + "filter-no-member": "بدون عضو", + "filter-no-custom-fields": "هیچ فیلدشخصی ای وجود ندارد", + "filter-on": "صافی ـFilterـ فعال است", + "filter-on-desc": "شما صافی ـFilterـ برای کارتهای تخته را روشن کرده اید. جهت ویرایش کلیک نمایید.", + "filter-to-selection": "صافی ـFilterـ برای موارد انتخابی", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "نام و نام خانوادگی", + "header-logo-title": "بازگشت به صفحه تخته.", + "hide-system-messages": "عدم نمایش پیامهای سیستمی", + "headerBarCreateBoardPopup-title": "ایجاد تخته", + "home": "خانه", + "import": "وارد کردن", + "import-board": "وارد کردن تخته", + "import-board-c": "وارد کردن تخته", + "import-board-title-trello": "وارد کردن تخته از Trello", + "import-board-title-wekan": "وارد کردن تخته از Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "از Trello", + "from-wekan": "از Wekan", + "import-board-instruction-trello": "در Trello-ی خود به 'Menu'، 'More'، 'Print'، 'Export to JSON رفته و متن نهایی را دراینجا وارد نمایید.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "اطلاعات Json معتبر خود را اینجا وارد کنید.", + "import-map-members": "نگاشت اعضا", + "import-members-map": "تعدادی عضو در تخته وارد شده می باشد. لطفا کاربرانی که باید وارد نرم افزار بشوند را مشخص کنید.", + "import-show-user-mapping": "بررسی نقشه کاربران", + "import-user-select": "کاربری از نرم افزار را که می خواهید بعنوان این عضو جایگزین شود را انتخاب کنید.", + "importMapMembersAddPopup-title": "انتخاب کاربر Wekan", + "info": "نسخه", + "initials": "تخصیصات اولیه", + "invalid-date": "تاریخ نامعتبر", + "invalid-time": "زمان نامعتبر", + "invalid-user": "کاربر نامعتیر", + "joined": "متصل", + "just-invited": "هم اکنون، شما به این تخته دعوت شده اید.", + "keyboard-shortcuts": "میانبر کلیدها", + "label-create": "ایجاد برچسب", + "label-default": "%s برچسب(پیش فرض)", + "label-delete-pop": "این اقدام، برچسب را از همه کارت‌ها پاک خواهد کرد و تاریخچه آن را نیز از بین می‌برد.", + "labels": "برچسب ها", + "language": "زبان", + "last-admin-desc": "شما نمی توانید نقش ـroleـ را تغییر دهید چراکه باید حداقل یک مدیری وجود داشته باشد.", + "leave-board": "خروج از تخته", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "ارجاع به این کارت", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "انتقال تمام کارت های این لیست", + "list-select-cards": "انتخاب تمام کارت های این لیست", + "listActionPopup-title": "لیست اقدامات", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "وارد کردن کارت Trello", + "listMorePopup-title": "بیشتر", + "link-list": "پیوند به این فهرست", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "لیست ها", + "swimlanes": "Swimlanes", + "log-out": "خروج", + "log-in": "ورود", + "loginPopup-title": "ورود", + "memberMenuPopup-title": "تنظیمات اعضا", + "members": "اعضا", + "menu": "منو", + "move-selection": "حرکت مورد انتخابی", + "moveCardPopup-title": "حرکت کارت", + "moveCardToBottom-title": "انتقال به پایین", + "moveCardToTop-title": "انتقال به بالا", + "moveSelectionPopup-title": "حرکت مورد انتخابی", + "multi-selection": "امکان چند انتخابی", + "multi-selection-on": "حالت چند انتخابی روشن است", + "muted": "بی صدا", + "muted-info": "شما هیچگاه از تغییرات این تخته مطلع نخواهید شد", + "my-boards": "تخته‌های من", + "name": "نام", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "بدون نتیجه", + "normal": "عادی", + "normal-desc": "امکان نمایش و تنظیم کارت بدون امکان تغییر تنظیمات", + "not-accepted-yet": "دعوت نامه هنوز پذیرفته نشده است", + "notify-participate": "اطلاع رسانی از هرگونه تغییر در کارتهایی که ایجاد کرده اید ویا عضو آن هستید", + "notify-watch": "اطلاع رسانی از هرگونه تغییر در تخته، لیست یا کارتهایی که از آنها دیده بانی میکنید", + "optional": "انتخابی", + "or": "یا", + "page-maybe-private": "این صفحه ممکن است خصوصی باشد. شما باورود می‌توانید آن را ببینید.", + "page-not-found": "صفحه پیدا نشد.", + "password": "کلمه عبور", + "paste-or-dragdrop": "جهت چسباندن، یا برداشتن-رهاسازی فایل تصویر به آن (تصویر)", + "participating": "شرکت کنندگان", + "preview": "پیش‌نمایش", + "previewAttachedImagePopup-title": "پیش‌نمایش", + "previewClipboardImagePopup-title": "پیش‌نمایش", + "private": "خصوصی", + "private-desc": "این تخته خصوصی است. فقط تنها افراد اضافه شده به آن می توانند مشاهده و ویرایش کنند.", + "profile": "حساب کاربری", + "public": "عمومی", + "public-desc": "این تخته عمومی است. برای هر کسی با آدرس ویا جستجو درموتورها مانند گوگل قابل مشاهده است . فقط افرادی که به آن اضافه شده اند امکان ویرایش دارند.", + "quick-access-description": "جهت افزودن یک تخته به اینجا،آنرا ستاره دار نمایید.", + "remove-cover": "حذف کاور", + "remove-from-board": "حذف از تخته", + "remove-label": "حذف برچسب", + "listDeletePopup-title": "حذف فهرست؟", + "remove-member": "حذف عضو", + "remove-member-from-card": "حذف از کارت", + "remove-member-pop": "آیا __name__ (__username__) را از __boardTitle__ حذف می کنید? کاربر از تمام کارت ها در این تخته حذف خواهد شد و آنها ازین اقدام مطلع خواهند شد.", + "removeMemberPopup-title": "آیا می خواهید کاربر را حذف کنید؟", + "rename": "تغیر نام", + "rename-board": "تغییر نام تخته", + "restore": "بازیابی", + "save": "ذخیره", + "search": "جستجو", + "search-cards": "جستجو در میان عناوین و توضیحات در این تخته", + "search-example": "متن مورد جستجو؟", + "select-color": "انتخاب رنگ", + "set-wip-limit-value": "تعیین بیشینه تعداد وظایف در این فهرست", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "اختصاص خود به کارت فعلی", + "shortcut-autocomplete-emoji": "تکمیل خودکار شکلکها", + "shortcut-autocomplete-members": "تکمیل خودکار کاربرها", + "shortcut-clear-filters": "حذف تمامی صافی ـfilterـ", + "shortcut-close-dialog": "بستن محاوره", + "shortcut-filter-my-cards": "کارت های من", + "shortcut-show-shortcuts": "بالا آوردن میانبر این لیست", + "shortcut-toggle-filterbar": "ضامن نوار جداکننده صافی ـfilterـ", + "shortcut-toggle-sidebar": "ضامن نوار جداکننده تخته", + "show-cards-minimum-count": "نمایش تعداد کارتها اگر لیست شامل بیشتراز", + "sidebar-open": "بازکردن جداکننده", + "sidebar-close": "بستن جداکننده", + "signupPopup-title": "ایجاد یک کاربر", + "star-board-title": "برای ستاره دادن، کلیک کنید.این در بالای لیست تخته های شما نمایش داده خواهد شد.", + "starred-boards": "تخته های ستاره دار", + "starred-boards-description": "تخته های ستاره دار در بالای لیست تخته ها نمایش داده می شود.", + "subscribe": "عضوشدن", + "team": "تیم", + "this-board": "این تخته", + "this-card": "این کارت", + "spent-time-hours": "زمان صرف شده (ساعت)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "زمان", + "title": "عنوان", + "tracking": "پیگردی", + "tracking-info": "شما از هرگونه تغییر در کارتهایی که بعنوان ایجاد کننده ویا عضو آن هستید، آگاه خواهید شد", + "type": "Type", + "unassign-member": "عدم انتصاب کاربر", + "unsaved-description": "شما توضیحات ذخیره نشده دارید.", + "unwatch": "عدم دیده بانی", + "upload": "ارسال", + "upload-avatar": "ارسال تصویر", + "uploaded-avatar": "تصویر ارسال شد", + "username": "نام کاربری", + "view-it": "مشاهده", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "دیده بانی", + "watching": "درحال دیده بانی", + "watching-info": "شما از هر تغییری دراین تخته آگاه خواهید شد", + "welcome-board": "به این تخته خوش آمدید", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "پایه ای ها", + "welcome-list2": "پیشرفته", + "what-to-do": "چه کاری می خواهید انجام دهید؟", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "پیشخوان مدیریتی", + "settings": "تنظمات", + "people": "افراد", + "registration": "ثبت نام", + "disable-self-registration": "‌غیرفعال‌سازی خودثبت‌نامی", + "invite": "دعوت", + "invite-people": "دعوت از افراد", + "to-boards": "به تخته(ها)", + "email-addresses": "نشانی رایانامه", + "smtp-host-description": "آدرس سرور SMTP ای که پست الکترونیکی شما برروی آن است", + "smtp-port-description": "شماره درگاه ـPortـ ای که سرور SMTP شما جهت ارسال از آن استفاده می کند", + "smtp-tls-description": "پشتیبانی از TLS برای سرور SMTP", + "smtp-host": "آدرس سرور SMTP", + "smtp-port": "شماره درگاه ـPortـ سرور SMTP", + "smtp-username": "نام کاربری", + "smtp-password": "کلمه عبور", + "smtp-tls": "پشتیبانی از SMTP", + "send-from": "از", + "send-smtp-test": "فرستادن رایانامه آزمایشی به خود", + "invitation-code": "کد دعوت نامه", + "email-invite-register-subject": "__inviter__ برای شما دعوت نامه ارسال کرده است", + "email-invite-register-text": "__User__ عزیز \nکاربر __inviter__ شما را به عضویت در Wekan برای همکاری دعوت کرده است.\nلطفا لینک زیر را دنبال کنید،\n __url__\nکد دعوت شما __icode__ می باشد.\n باتشکر", + "email-smtp-test-subject": "رایانامه SMTP آزمایشی از Wekan", + "email-smtp-test-text": "با موفقیت، یک رایانامه را فرستادید", + "error-invitation-code-not-exist": "چنین کد دعوتی یافت نشد", + "error-notAuthorized": "شما مجاز به دیدن این صفحه نیستید.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(ناشناخته)", + "Wekan_version": "نسخه Wekan", + "Node_version": "نسخه Node ", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "ساعت", + "minutes": "دقیقه", + "seconds": "ثانیه", + "show-field-on-card": "Show this field on card", + "yes": "بله", + "no": "خیر", + "accounts": "حساب‌ها", + "accounts-allowEmailChange": "اجازه تغییر رایانامه", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "ساخته شده در", + "verified": "معتبر", + "active": "فعال", + "card-received": "رسیده", + "card-received-on": "رسیده در", + "card-end": "پایان", + "card-end-on": "پایان در", + "editCardReceivedDatePopup-title": "تغییر تاریخ رسید", + "editCardEndDatePopup-title": "تغییر تاریخ پایان", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json new file mode 100644 index 00000000..d8db9f14 --- /dev/null +++ b/i18n/fi.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Hyväksy", + "act-activity-notify": "[Wekan] Toimintailmoitus", + "act-addAttachment": "liitetty __attachment__ kortille __card__", + "act-addChecklist": "lisätty tarkistuslista __checklist__ kortille __card__", + "act-addChecklistItem": "lisätty kohta __checklistItem__ tarkistuslistaan __checklist__ kortilla __card__", + "act-addComment": "kommentoitu __card__: __comment__", + "act-createBoard": "luotu __board__", + "act-createCard": "lisätty __card__ listalle __list__", + "act-createCustomField": "luotu mukautettu kenttä __customField__", + "act-createList": "lisätty __list__ taululle __board__", + "act-addBoardMember": "lisätty __member__ taululle __board__", + "act-archivedBoard": "__board__ siirretty roskakoriin", + "act-archivedCard": "__card__ siirretty roskakoriin", + "act-archivedList": "__list__ siirretty roskakoriin", + "act-archivedSwimlane": "__swimlane__ siirretty roskakoriin", + "act-importBoard": "tuotu __board__", + "act-importCard": "tuotu __card__", + "act-importList": "tuotu __list__", + "act-joinMember": "lisätty __member__ kortille __card__", + "act-moveCard": "siirretty __card__ listalta __oldList__ listalle __list__", + "act-removeBoardMember": "poistettu __member__ taululta __board__", + "act-restoredCard": "palautettu __card__ taululle __board__", + "act-unjoinMember": "poistettu __member__ kortilta __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Toimet", + "activities": "Toimet", + "activity": "Toiminta", + "activity-added": "lisätty %s kohteeseen %s", + "activity-archived": "%s siirretty roskakoriin", + "activity-attached": "liitetty %s kohteeseen %s", + "activity-created": "luotu %s", + "activity-customfield-created": "luotu mukautettu kenttä %s", + "activity-excluded": "poistettu %s kohteesta %s", + "activity-imported": "tuotu %s kohteeseen %s lähteestä %s", + "activity-imported-board": "tuotu %s lähteestä %s", + "activity-joined": "liitytty kohteeseen %s", + "activity-moved": "siirretty %s kohteesta %s kohteeseen %s", + "activity-on": "kohteessa %s", + "activity-removed": "poistettu %s kohteesta %s", + "activity-sent": "lähetetty %s kohteeseen %s", + "activity-unjoined": "peruttu %s liittyminen", + "activity-checklist-added": "lisätty tarkistuslista kortille %s", + "activity-checklist-item-added": "lisäsi kohdan tarkistuslistaan '%s' kortilla %s", + "add": "Lisää", + "add-attachment": "Lisää liite", + "add-board": "Lisää taulu", + "add-card": "Lisää kortti", + "add-swimlane": "Lisää Swimlane", + "add-checklist": "Lisää tarkistuslista", + "add-checklist-item": "Lisää kohta tarkistuslistaan", + "add-cover": "Lisää kansi", + "add-label": "Lisää tunniste", + "add-list": "Lisää lista", + "add-members": "Lisää jäseniä", + "added": "Lisätty", + "addMemberPopup-title": "Jäsenet", + "admin": "Ylläpitäjä", + "admin-desc": "Voi nähfä ja muokata kortteja, poistaa jäseniä, ja muuttaa taulun asetuksia.", + "admin-announcement": "Ilmoitus", + "admin-announcement-active": "Aktiivinen järjestelmänlaajuinen ilmoitus", + "admin-announcement-title": "Ilmoitus ylläpitäjältä", + "all-boards": "Kaikki taulut", + "and-n-other-card": "Ja __count__ muu kortti", + "and-n-other-card_plural": "Ja __count__ muuta korttia", + "apply": "Käytä", + "app-is-offline": "Wekan latautuu, odota. Sivun uudelleenlataus aiheuttaa tietojen menettämisen. Jos Wekan ei lataudu, tarkista että Wekan palvelin ei ole pysähtynyt.", + "archive": "Siirrä roskakoriin", + "archive-all": "Siirrä kaikki roskakoriin", + "archive-board": "Siirrä taulu roskakoriin", + "archive-card": "Siirrä kortti roskakoriin", + "archive-list": "Siirrä lista roskakoriin", + "archive-swimlane": "Siirrä Swimlane roskakoriin", + "archive-selection": "Siirrä valinta roskakoriin", + "archiveBoardPopup-title": "Siirrä taulu roskakoriin?", + "archived-items": "Roskakori", + "archived-boards": "Taulut roskakorissa", + "restore-board": "Palauta taulu", + "no-archived-boards": "Ei tauluja roskakorissa", + "archives": "Roskakori", + "assign-member": "Valitse jäsen", + "attached": "liitetty", + "attachment": "Liitetiedosto", + "attachment-delete-pop": "Liitetiedoston poistaminen on lopullista. Tätä ei pysty peruuttamaan.", + "attachmentDeletePopup-title": "Poista liitetiedosto?", + "attachments": "Liitetiedostot", + "auto-watch": "Automaattisesti seuraa tauluja kun ne on luotu", + "avatar-too-big": "Profiilikuva on liian suuri (70KB maksimi)", + "back": "Takaisin", + "board-change-color": "Muokkaa väriä", + "board-nb-stars": "%s tähteä", + "board-not-found": "Taulua ei löytynyt", + "board-private-info": "Tämä taulu tulee olemaan yksityinen.", + "board-public-info": "Tämä taulu tulee olemaan julkinen.", + "boardChangeColorPopup-title": "Muokkaa taulun taustaa", + "boardChangeTitlePopup-title": "Nimeä taulu uudelleen", + "boardChangeVisibilityPopup-title": "Muokkaa näkyvyyttä", + "boardChangeWatchPopup-title": "Muokkaa seuraamista", + "boardMenuPopup-title": "Taulu valikko", + "boards": "Taulut", + "board-view": "Taulu näkymä", + "board-view-swimlanes": "Swimlanet", + "board-view-lists": "Listat", + "bucket-example": "Kuten “Laatikko lista” esimerkiksi", + "cancel": "Peruuta", + "card-archived": "Tämä kortti on siirretty roskakoriin.", + "card-comments-title": "Tässä kortissa on %s kommenttia.", + "card-delete-notice": "Poistaminen on lopullista. Menetät kaikki toimet jotka on liitetty tähän korttiin.", + "card-delete-pop": "Kaikki toimet poistetaan toimintasyötteestä ja et tule pystymään uudelleenavaamaan korttia. Tätä ei voi peruuttaa.", + "card-delete-suggest-archive": "Voit siirtää kortin roskakoriin poistaaksesi sen taululta ja säilyttääksesi toimintalokin.", + "card-due": "Erääntyy", + "card-due-on": "Erääntyy", + "card-spent": "Käytetty aika", + "card-edit-attachments": "Muokkaa liitetiedostoja", + "card-edit-custom-fields": "Muokkaa mukautettuja kenttiä", + "card-edit-labels": "Muokkaa tunnisteita", + "card-edit-members": "Muokkaa jäseniä", + "card-labels-title": "Muokkaa kortin tunnisteita.", + "card-members-title": "Lisää tai poista taulun jäseniä tältä kortilta.", + "card-start": "Alkaa", + "card-start-on": "Alkaa", + "cardAttachmentsPopup-title": "Liitä mistä", + "cardCustomField-datePopup-title": "Muokkaa päivää", + "cardCustomFieldsPopup-title": "Muokkaa mukautettuja kenttiä", + "cardDeletePopup-title": "Poista kortti?", + "cardDetailsActionsPopup-title": "Kortti toimet", + "cardLabelsPopup-title": "Tunnisteet", + "cardMembersPopup-title": "Jäsenet", + "cardMorePopup-title": "Lisää", + "cards": "Kortit", + "cards-count": "korttia", + "change": "Muokkaa", + "change-avatar": "Muokkaa profiilikuvaa", + "change-password": "Vaihda salasana", + "change-permissions": "Muokkaa oikeuksia", + "change-settings": "Muokkaa asetuksia", + "changeAvatarPopup-title": "Muokkaa profiilikuvaa", + "changeLanguagePopup-title": "Vaihda kieltä", + "changePasswordPopup-title": "Vaihda salasana", + "changePermissionsPopup-title": "Muokkaa oikeuksia", + "changeSettingsPopup-title": "Muokkaa asetuksia", + "checklists": "Tarkistuslistat", + "click-to-star": "Klikkaa merkataksesi tämä taulu tähdellä.", + "click-to-unstar": "Klikkaa poistaaksesi tähtimerkintä taululta.", + "clipboard": "Leikepöytä tai raahaa ja pudota", + "close": "Sulje", + "close-board": "Sulje taulu", + "close-board-pop": "Voit palauttaa taulun klikkaamalla “Roskakori” painiketta taululistan yläpalkista.", + "color-black": "musta", + "color-blue": "sininen", + "color-green": "vihreä", + "color-lime": "lime", + "color-orange": "oranssi", + "color-pink": "vaaleanpunainen", + "color-purple": "violetti", + "color-red": "punainen", + "color-sky": "taivas", + "color-yellow": "keltainen", + "comment": "Kommentti", + "comment-placeholder": "Kirjoita kommentti", + "comment-only": "Vain kommentointi", + "comment-only-desc": "Voi vain kommentoida kortteja", + "computer": "Tietokone", + "confirm-checklist-delete-dialog": "Haluatko varmasti poistaa tarkistuslistan", + "copy-card-link-to-clipboard": "Kopioi kortin linkki leikepöydälle", + "copyCardPopup-title": "Kopioi kortti", + "copyChecklistToManyCardsPopup-title": "Kopioi tarkistuslistan malli monille korteille", + "copyChecklistToManyCardsPopup-instructions": "Kohde korttien otsikot ja kuvaukset JSON muodossa", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Ensimmäisen kortin otsikko\", \"description\":\"Ensimmäisen kortin kuvaus\"}, {\"title\":\"Toisen kortin otsikko\",\"description\":\"Toisen kortin kuvaus\"},{\"title\":\"Viimeisen kortin otsikko\",\"description\":\"Viimeisen kortin kuvaus\"} ]", + "create": "Luo", + "createBoardPopup-title": "Luo taulu", + "chooseBoardSourcePopup-title": "Tuo taulu", + "createLabelPopup-title": "Luo tunniste", + "createCustomField": "Luo kenttä", + "createCustomFieldPopup-title": "Luo kenttä", + "current": "nykyinen", + "custom-field-delete-pop": "Tätä ei voi peruuttaa. Tämä poistaa tämän mukautetun kentän kaikista korteista ja poistaa sen historian.", + "custom-field-checkbox": "Valintaruutu", + "custom-field-date": "Päivämäärä", + "custom-field-dropdown": "Pudotusvalikko", + "custom-field-dropdown-none": "(ei mitään)", + "custom-field-dropdown-options": "Luettelon vaihtoehdot", + "custom-field-dropdown-options-placeholder": "Paina Enter lisätäksesi lisää vaihtoehtoja", + "custom-field-dropdown-unknown": "(tuntematon)", + "custom-field-number": "Numero", + "custom-field-text": "Teksti", + "custom-fields": "Mukautetut kentät", + "date": "Päivämäärä", + "decline": "Kieltäydy", + "default-avatar": "Oletus profiilikuva", + "delete": "Poista", + "deleteCustomFieldPopup-title": "Poista mukautettu kenttä?", + "deleteLabelPopup-title": "Poista tunniste?", + "description": "Kuvaus", + "disambiguateMultiLabelPopup-title": "Yksikäsitteistä tunniste toiminta", + "disambiguateMultiMemberPopup-title": "Yksikäsitteistä jäsen toiminta", + "discard": "Hylkää", + "done": "Valmis", + "download": "Lataa", + "edit": "Muokkaa", + "edit-avatar": "Muokkaa profiilikuvaa", + "edit-profile": "Muokkaa profiilia", + "edit-wip-limit": "Muokkaa WIP-rajaa", + "soft-wip-limit": "Pehmeä WIP raja", + "editCardStartDatePopup-title": "Muokkaa aloituspäivää", + "editCardDueDatePopup-title": "Muokkaa eräpäivää", + "editCustomFieldPopup-title": "Muokkaa kenttää", + "editCardSpentTimePopup-title": "Muuta käytettyä aikaa", + "editLabelPopup-title": "Muokkaa tunnistetta", + "editNotificationPopup-title": "Muokkaa ilmoituksia", + "editProfilePopup-title": "Muokkaa profiilia", + "email": "Sähköposti", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hei __user__,\n\nAlkaaksesi käyttämään palvelua, klikkaa allaolevaa linkkiä.\n\n__url__\n\nKiitos.", + "email-fail": "Sähköpostin lähettäminen epäonnistui", + "email-fail-text": "Virhe yrittäessä lähettää sähköpostia", + "email-invalid": "Virheellinen sähköposti", + "email-invite": "Kutsu sähköpostilla", + "email-invite-subject": "__inviter__ lähetti sinulle kutsun", + "email-invite-text": "Hyvä __user__,\n\n__inviter__ kutsuu sinut liittymään taululle \"__board__\" yhteistyötä varten.\n\nOle hyvä ja seuraa allaolevaa linkkiä:\n\n__url__\n\nKiitos.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hei __user__,\n\nNollataksesi salasanasi, klikkaa allaolevaa linkkiä.\n\n__url__\n\nKiitos.", + "email-sent": "Sähköposti lähetetty", + "email-verifyEmail-subject": "Varmista sähköpostiosoitteesi osoitteessa __url__", + "email-verifyEmail-text": "Hei __user__,\n\nvahvistaaksesi sähköpostiosoitteesi, klikkaa allaolevaa linkkiä.\n\n__url__\n\nKiitos.", + "enable-wip-limit": "Ota käyttöön WIP-raja", + "error-board-doesNotExist": "Tämä taulu ei ole olemassa", + "error-board-notAdmin": "Tehdäksesi tämän sinun täytyy olla tämän taulun ylläpitäjä", + "error-board-notAMember": "Tehdäksesi tämän sinun täytyy olla tämän taulun jäsen", + "error-json-malformed": "Tekstisi ei ole kelvollisessa JSON muodossa", + "error-json-schema": "JSON tietosi ei sisällä oikeaa tietoa oikeassa muodossa", + "error-list-doesNotExist": "Tätä listaa ei ole olemassa", + "error-user-doesNotExist": "Tätä käyttäjää ei ole olemassa", + "error-user-notAllowSelf": "Et voi kutsua itseäsi", + "error-user-notCreated": "Tätä käyttäjää ei ole luotu", + "error-username-taken": "Tämä käyttäjätunnus on jo käytössä", + "error-email-taken": "Sähköpostiosoite on jo käytössä", + "export-board": "Vie taulu", + "filter": "Suodata", + "filter-cards": "Suodata kortit", + "filter-clear": "Poista suodatin", + "filter-no-label": "Ei tunnistetta", + "filter-no-member": "Ei jäseniä", + "filter-no-custom-fields": "Ei mukautettuja kenttiä", + "filter-on": "Suodatus on päällä", + "filter-on-desc": "Suodatat kortteja tällä taululla. Klikkaa tästä muokataksesi suodatinta.", + "filter-to-selection": "Suodata valintaan", + "advanced-filter-label": "Edistynyt suodatin", + "advanced-filter-description": "Edistynyt suodatin mahdollistaa merkkijonon, joka sisältää seuraavat operaattorit: ==! = <=> = && || () Operaattorien välissä käytetään välilyöntiä. Voit suodattaa kaikki mukautetut kentät kirjoittamalla niiden nimet ja arvot. Esimerkiksi: Field1 == Value1. Huomaa: Jos kentillä tai arvoilla on välilyöntejä, sinun on sijoitettava ne yksittäisiin lainausmerkkeihin. Esimerkki: 'Kenttä 1' == 'Arvo 1'. Voit myös yhdistää useita ehtoja. Esimerkiksi: F1 == V1 || F1 = V2. Yleensä kaikki operaattorit tulkitaan vasemmalta oikealle. Voit muuttaa järjestystä asettamalla sulkuja. Esimerkiksi: F1 == V1 ja (F2 == V2 || F2 == V3)", + "fullname": "Koko nimi", + "header-logo-title": "Palaa taulut sivullesi.", + "hide-system-messages": "Piilota järjestelmäviestit", + "headerBarCreateBoardPopup-title": "Luo taulu", + "home": "Koti", + "import": "Tuo", + "import-board": "tuo taulu", + "import-board-c": "Tuo taulu", + "import-board-title-trello": "Tuo taulu Trellosta", + "import-board-title-wekan": "Tuo taulu Wekanista", + "import-sandstorm-warning": "Tuotu taulu poistaa kaikki olemassaolevan taulun tiedot ja korvaa ne tuodulla taululla.", + "from-trello": "Trellosta", + "from-wekan": "Wekanista", + "import-board-instruction-trello": "Trello taulullasi, mene 'Menu', sitten 'More', 'Print and Export', 'Export JSON', ja kopioi tuloksena saamasi teksti", + "import-board-instruction-wekan": "Wekan taulullasi, mene 'Valikko', sitten 'Vie taulu', ja kopioi teksti ladatusta tiedostosta.", + "import-json-placeholder": "Liitä kelvollinen JSON tietosi tähän", + "import-map-members": "Vastaavat jäsenet", + "import-members-map": "Tuomallasi taululla on muutamia jäseniä. Ole hyvä ja valitse tuomiasi jäseniä vastaavat Wekan käyttäjät", + "import-show-user-mapping": "Tarkasta vastaavat jäsenet", + "import-user-select": "Valitse Wekan käyttäjä jota haluat käyttää tänä käyttäjänä", + "importMapMembersAddPopup-title": "Valitse Wekan käyttäjä", + "info": "Versio", + "initials": "Nimikirjaimet", + "invalid-date": "Virheellinen päivämäärä", + "invalid-time": "Virheellinen aika", + "invalid-user": "Virheellinen käyttäjä", + "joined": "liittyi", + "just-invited": "Sinut on juuri kutsuttu tälle taululle", + "keyboard-shortcuts": "Pikanäppäimet", + "label-create": "Luo tunniste", + "label-default": "%s tunniste (oletus)", + "label-delete-pop": "Tätä ei voi peruuttaa. Tämä poistaa tämän tunnisteen kaikista korteista ja tuhoaa sen historian.", + "labels": "Tunnisteet", + "language": "Kieli", + "last-admin-desc": "Et voi vaihtaa rooleja koska täytyy olla olemassa ainakin yksi ylläpitäjä.", + "leave-board": "Jää pois taululta", + "leave-board-pop": "Haluatko varmasti poistua taululta __boardTitle__? Sinut poistetaan kaikista tämän taulun korteista.", + "leaveBoardPopup-title": "Jää pois taululta ?", + "link-card": "Linkki tähän korttiin", + "list-archive-cards": "Siirrä kaikki tämän listan kortit roskakoriin", + "list-archive-cards-pop": "Tämä poistaa kaikki tämän listan kortit taululta. Nähdäksesi roskakorissa olevat kortit ja tuodaksesi ne takaisin taululle, klikkaa “Valikko” > “Roskakori”.", + "list-move-cards": "Siirrä kaikki kortit tässä listassa", + "list-select-cards": "Valitse kaikki kortit tässä listassa", + "listActionPopup-title": "Listaa toimet", + "swimlaneActionPopup-title": "Swimlane toimet", + "listImportCardPopup-title": "Tuo Trello kortti", + "listMorePopup-title": "Lisää", + "link-list": "Linkki tähän listaan", + "list-delete-pop": "Kaikki toimet poistetaan toimintasyötteestä ja listan poistaminen on lopullista. Tätä ei pysty peruuttamaan.", + "list-delete-suggest-archive": "Voit siirtää listan roskakoriin poistaaksesi sen taululta ja säilyttääksesi toimintalokin.", + "lists": "Listat", + "swimlanes": "Swimlanet", + "log-out": "Kirjaudu ulos", + "log-in": "Kirjaudu sisään", + "loginPopup-title": "Kirjaudu sisään", + "memberMenuPopup-title": "Jäsen asetukset", + "members": "Jäsenet", + "menu": "Valikko", + "move-selection": "Siirrä valinta", + "moveCardPopup-title": "Siirrä kortti", + "moveCardToBottom-title": "Siirrä alimmaiseksi", + "moveCardToTop-title": "Siirrä ylimmäiseksi", + "moveSelectionPopup-title": "Siirrä valinta", + "multi-selection": "Monivalinta", + "multi-selection-on": "Monivalinta on päällä", + "muted": "Vaimennettu", + "muted-info": "Et saa koskaan ilmoituksia tämän taulun muutoksista", + "my-boards": "Tauluni", + "name": "Nimi", + "no-archived-cards": "Ei kortteja roskakorissa.", + "no-archived-lists": "Ei listoja roskakorissa.", + "no-archived-swimlanes": "Ei Swimlaneja roskakorissa.", + "no-results": "Ei tuloksia", + "normal": "Normaali", + "normal-desc": "Voi nähdä ja muokata kortteja. Ei voi muokata asetuksia.", + "not-accepted-yet": "Kutsua ei ole hyväksytty vielä", + "notify-participate": "Vastaanota päivityksiä kaikilta korteilta jotka olet tehnyt tai joihin osallistut.", + "notify-watch": "Vastaanota päivityksiä kaikilta tauluilta, listoilta tai korteilta joita seuraat.", + "optional": "valinnainen", + "or": "tai", + "page-maybe-private": "Tämä sivu voi olla yksityinen. Voit ehkä pystyä näkemään sen kirjautumalla sisään.", + "page-not-found": "Sivua ei löytynyt.", + "password": "Salasana", + "paste-or-dragdrop": "liittääksesi, tai vedä & pudota kuvatiedosto siihen (vain kuva)", + "participating": "Osallistutaan", + "preview": "Esikatsele", + "previewAttachedImagePopup-title": "Esikatsele", + "previewClipboardImagePopup-title": "Esikatsele", + "private": "Yksityinen", + "private-desc": "Tämä taulu on yksityinen. Vain taululle lisätyt henkilöt voivat nähdä ja muokata sitä.", + "profile": "Profiili", + "public": "Julkinen", + "public-desc": "Tämä taulu on julkinen. Se näkyy kenelle tahansa jolla on linkki ja näkyy myös hakukoneissa kuten Google. Vain taululle lisätyt henkilöt voivat muokata sitä.", + "quick-access-description": "Merkkaa taulu tähdellä lisätäksesi pikavalinta tähän palkkiin.", + "remove-cover": "Poista kansi", + "remove-from-board": "Poista taululta", + "remove-label": "Poista tunniste", + "listDeletePopup-title": "Poista lista ?", + "remove-member": "Poista jäsen", + "remove-member-from-card": "Poista kortilta", + "remove-member-pop": "Poista __name__ (__username__) taululta __boardTitle__? Jäsen poistetaan kaikilta taulun korteilta. Heille lähetetään ilmoitus.", + "removeMemberPopup-title": "Poista jäsen?", + "rename": "Nimeä uudelleen", + "rename-board": "Nimeä taulu uudelleen", + "restore": "Palauta", + "save": "Tallenna", + "search": "Etsi", + "search-cards": "Etsi korttien otsikoista ja kuvauksista tällä taululla", + "search-example": "Teksti jota etsitään?", + "select-color": "Valitse väri", + "set-wip-limit-value": "Aseta tämän listan tehtävien enimmäismäärä", + "setWipLimitPopup-title": "Aseta WIP-raja", + "shortcut-assign-self": "Valitse itsesi nykyiselle kortille", + "shortcut-autocomplete-emoji": "Automaattinen täydennys emojille", + "shortcut-autocomplete-members": "Automaattinen täydennys jäsenille", + "shortcut-clear-filters": "Poista kaikki suodattimet", + "shortcut-close-dialog": "Sulje valintaikkuna", + "shortcut-filter-my-cards": "Suodata korttini", + "shortcut-show-shortcuts": "Tuo esiin tämä pikavalinta lista", + "shortcut-toggle-filterbar": "Muokkaa suodatus sivupalkin näkyvyyttä", + "shortcut-toggle-sidebar": "Muokkaa taulu sivupalkin näkyvyyttä", + "show-cards-minimum-count": "Näytä korttien lukumäärä jos lista sisältää enemmän kuin", + "sidebar-open": "Avaa sivupalkki", + "sidebar-close": "Sulje sivupalkki", + "signupPopup-title": "Luo tili", + "star-board-title": "Klikkaa merkataksesi taulu tähdellä. Se tulee näkymään ylimpänä taululistallasi.", + "starred-boards": "Tähdellä merkatut taulut", + "starred-boards-description": "Tähdellä merkatut taulut näkyvät ylimpänä taululistallasi.", + "subscribe": "Tilaa", + "team": "Tiimi", + "this-board": "tämä taulu", + "this-card": "tämä kortti", + "spent-time-hours": "Käytetty aika (tuntia)", + "overtime-hours": "Ylityö (tuntia)", + "overtime": "Ylityö", + "has-overtime-cards": "Sisältää ylityö kortteja", + "has-spenttime-cards": "Sisältää käytetty aika kortteja", + "time": "Aika", + "title": "Otsikko", + "tracking": "Ilmoitukset", + "tracking-info": "Sinulle ilmoitetaan muutoksista korteissa joihin olet osallistunut luojana tai jäsenenä.", + "type": "Tyyppi", + "unassign-member": "Peru jäsenvalinta", + "unsaved-description": "Sinulla on tallentamaton kuvaus.", + "unwatch": "Lopeta seuraaminen", + "upload": "Lähetä", + "upload-avatar": "Lähetä profiilikuva", + "uploaded-avatar": "Profiilikuva lähetetty", + "username": "Käyttäjätunnus", + "view-it": "Näytä se", + "warn-list-archived": "varoitus: tämä kortti on roskakorissa olevassa listassa", + "watch": "Seuraa", + "watching": "Seurataan", + "watching-info": "Sinulle ilmoitetaan tämän taulun muutoksista", + "welcome-board": "Tervetuloa taulu", + "welcome-swimlane": "Merkkipaalu 1", + "welcome-list1": "Perusasiat", + "welcome-list2": "Edistynyt", + "what-to-do": "Mitä haluat tehdä?", + "wipLimitErrorPopup-title": "Virheellinen WIP-raja", + "wipLimitErrorPopup-dialog-pt1": "Tässä listassa olevien tehtävien määrä on korkeampi kuin asettamasi WIP-raja.", + "wipLimitErrorPopup-dialog-pt2": "Siirrä joitain tehtäviä pois tästä listasta tai määritä korkeampi WIP-raja.", + "admin-panel": "Hallintapaneeli", + "settings": "Asetukset", + "people": "Ihmiset", + "registration": "Rekisteröinti", + "disable-self-registration": "Poista käytöstä itse-rekisteröityminen", + "invite": "Kutsu", + "invite-people": "Kutsu ihmisiä", + "to-boards": "Taulu(i)lle", + "email-addresses": "Sähköpostiosoite", + "smtp-host-description": "SMTP palvelimen osoite jolla sähköpostit lähetetään.", + "smtp-port-description": "Portti jota STMP palvelimesi käyttää lähteville sähköposteille.", + "smtp-tls-description": "Ota käyttöön TLS tuki SMTP palvelimelle", + "smtp-host": "SMTP isäntä", + "smtp-port": "SMTP portti", + "smtp-username": "Käyttäjätunnus", + "smtp-password": "Salasana", + "smtp-tls": "TLS tuki", + "send-from": "Lähettäjä", + "send-smtp-test": "Lähetä testi sähköposti itsellesi", + "invitation-code": "Kutsukoodi", + "email-invite-register-subject": "__inviter__ lähetti sinulle kutsun", + "email-invite-register-text": "Hei __user__,\n\n__inviter__ kutsuu sinut mukaan Wekan ohjelman käyttöön.\n\nOle hyvä ja seuraa allaolevaa linkkiä:\n__url__\n\nJa kutsukoodisi on: __icode__\n\nKiitos.", + "email-smtp-test-subject": "SMTP testi sähköposti Wekanista", + "email-smtp-test-text": "Olet onnistuneesti lähettänyt sähköpostin", + "error-invitation-code-not-exist": "Kutsukoodi ei ole olemassa", + "error-notAuthorized": "Sinulla ei ole oikeutta tarkastella tätä sivua.", + "outgoing-webhooks": "Lähtevät Webkoukut", + "outgoingWebhooksPopup-title": "Lähtevät Webkoukut", + "new-outgoing-webhook": "Uusi lähtevä Webkoukku", + "no-name": "(Tuntematon)", + "Wekan_version": "Wekan versio", + "Node_version": "Node versio", + "OS_Arch": "Käyttöjärjestelmän arkkitehtuuri", + "OS_Cpus": "Käyttöjärjestelmän CPU määrä", + "OS_Freemem": "Käyttöjärjestelmän vapaa muisti", + "OS_Loadavg": "Käyttöjärjestelmän kuorman keskiarvo", + "OS_Platform": "Käyttöjärjestelmäalusta", + "OS_Release": "Käyttöjärjestelmän julkaisu", + "OS_Totalmem": "Käyttöjärjestelmän muistin kokonaismäärä", + "OS_Type": "Käyttöjärjestelmän tyyppi", + "OS_Uptime": "Käyttöjärjestelmä ollut käynnissä", + "hours": "tuntia", + "minutes": "minuuttia", + "seconds": "sekuntia", + "show-field-on-card": "Näytä tämä kenttä kortilla", + "yes": "Kyllä", + "no": "Ei", + "accounts": "Tilit", + "accounts-allowEmailChange": "Salli sähköpostiosoitteen muuttaminen", + "accounts-allowUserNameChange": "Salli käyttäjätunnuksen muuttaminen", + "createdAt": "Luotu", + "verified": "Varmistettu", + "active": "Aktiivinen", + "card-received": "Vastaanotettu", + "card-received-on": "Vastaanotettu", + "card-end": "Loppuu", + "card-end-on": "Loppuu", + "editCardReceivedDatePopup-title": "Vaihda vastaanottamispäivää", + "editCardEndDatePopup-title": "Vaihda loppumispäivää", + "assigned-by": "Tehtävänantaja", + "requested-by": "Pyytäjä", + "board-delete-notice": "Poistaminen on lopullista. Menetät kaikki listat, kortit ja toimet tällä taululla.", + "delete-board-confirm-popup": "Kaikki listat, kortit, tunnisteet ja toimet poistetaan ja et pysty palauttamaan taulun sisältöä. Tätä ei voi peruuttaa.", + "boardDeletePopup-title": "Poista taulu?", + "delete-board": "Poista taulu" +} \ No newline at end of file diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json new file mode 100644 index 00000000..258eeed4 --- /dev/null +++ b/i18n/fr.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accepter", + "act-activity-notify": "[Wekan] Notification d'activité", + "act-addAttachment": "a joint __attachment__ à __card__", + "act-addChecklist": "a ajouté la checklist __checklist__ à __card__", + "act-addChecklistItem": "a ajouté l'élément __checklistItem__ à la checklist __checklist__ de __card__", + "act-addComment": "a commenté __card__ : __comment__", + "act-createBoard": "a créé __board__", + "act-createCard": "a ajouté __card__ à __list__", + "act-createCustomField": "a créé le champ personnalisé __customField__", + "act-createList": "a ajouté __list__ à __board__", + "act-addBoardMember": "a ajouté __member__ à __board__", + "act-archivedBoard": "__board__ a été déplacé vers la corbeille", + "act-archivedCard": "__card__ a été déplacée vers la corbeille", + "act-archivedList": "__list__ a été déplacée vers la corbeille", + "act-archivedSwimlane": "__swimlane__ a été déplacé vers la corbeille", + "act-importBoard": "a importé __board__", + "act-importCard": "a importé __card__", + "act-importList": "a importé __list__", + "act-joinMember": "a ajouté __member__ à __card__", + "act-moveCard": "a déplacé __card__ de __oldList__ à __list__", + "act-removeBoardMember": "a retiré __member__ de __board__", + "act-restoredCard": "a restauré __card__ dans __board__", + "act-unjoinMember": "a retiré __member__ de __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activités", + "activity": "Activité", + "activity-added": "a ajouté %s à %s", + "activity-archived": "%s a été déplacé vers la corbeille", + "activity-attached": "a attaché %s à %s", + "activity-created": "a créé %s", + "activity-customfield-created": "a créé le champ personnalisé %s", + "activity-excluded": "a exclu %s de %s", + "activity-imported": "a importé %s vers %s depuis %s", + "activity-imported-board": "a importé %s depuis %s", + "activity-joined": "a rejoint %s", + "activity-moved": "a déplacé %s de %s vers %s", + "activity-on": "sur %s", + "activity-removed": "a supprimé %s de %s", + "activity-sent": "a envoyé %s vers %s", + "activity-unjoined": "a quitté %s", + "activity-checklist-added": "a ajouté une checklist à %s", + "activity-checklist-item-added": "a ajouté un élément à la checklist '%s' dans %s", + "add": "Ajouter", + "add-attachment": "Ajouter une pièce jointe", + "add-board": "Ajouter un tableau", + "add-card": "Ajouter une carte", + "add-swimlane": "Ajouter un couloir", + "add-checklist": "Ajouter une checklist", + "add-checklist-item": "Ajouter un élément à la checklist", + "add-cover": "Ajouter la couverture", + "add-label": "Ajouter une étiquette", + "add-list": "Ajouter une liste", + "add-members": "Assigner des membres", + "added": "Ajouté le", + "addMemberPopup-title": "Membres", + "admin": "Admin", + "admin-desc": "Peut voir et éditer les cartes, supprimer des membres et changer les paramètres du tableau.", + "admin-announcement": "Annonce", + "admin-announcement-active": "Annonce destinée à tous", + "admin-announcement-title": "Annonce de l'administrateur", + "all-boards": "Tous les tableaux", + "and-n-other-card": "Et __count__ autre carte", + "and-n-other-card_plural": "Et __count__ autres cartes", + "apply": "Appliquer", + "app-is-offline": "Chargement en cours, veuillez patienter. Vous risquez de perdre des données si vous rechargez la page. Si le chargement échoue, veuillez vérifier l'état du serveur Wekan.", + "archive": "Déplacer vers la corbeille", + "archive-all": "Tout déplacer vers la corbeille", + "archive-board": "Déplacer le tableau vers la corbeille", + "archive-card": "Déplacer la carte vers la corbeille", + "archive-list": "Déplacer la liste vers la corbeille", + "archive-swimlane": "Déplacer le couloir vers la corbeille", + "archive-selection": "Déplacer la sélection vers la corbeille", + "archiveBoardPopup-title": "Déplacer le tableau vers la corbeille ?", + "archived-items": "Corbeille", + "archived-boards": "Tableaux dans la corbeille", + "restore-board": "Restaurer le tableau", + "no-archived-boards": "Aucun tableau dans la corbeille.", + "archives": "Corbeille", + "assign-member": "Affecter un membre", + "attached": "joint", + "attachment": "Pièce jointe", + "attachment-delete-pop": "La suppression d'une pièce jointe est définitive. Elle ne peut être annulée.", + "attachmentDeletePopup-title": "Supprimer la pièce jointe ?", + "attachments": "Pièces jointes", + "auto-watch": "Surveiller automatiquement les tableaux quand ils sont créés", + "avatar-too-big": "La taille du fichier de l'avatar est trop importante (70 ko au maximum)", + "back": "Retour", + "board-change-color": "Changer la couleur", + "board-nb-stars": "%s étoiles", + "board-not-found": "Tableau non trouvé", + "board-private-info": "Ce tableau sera privé", + "board-public-info": "Ce tableau sera public.", + "boardChangeColorPopup-title": "Change la couleur de fond du tableau", + "boardChangeTitlePopup-title": "Renommer le tableau", + "boardChangeVisibilityPopup-title": "Changer la visibilité", + "boardChangeWatchPopup-title": "Modifier le suivi", + "boardMenuPopup-title": "Menu du tableau", + "boards": "Tableaux", + "board-view": "Vue du tableau", + "board-view-swimlanes": "Couloirs", + "board-view-lists": "Listes", + "bucket-example": "Comme « todo list » par exemple", + "cancel": "Annuler", + "card-archived": "Cette carte est déplacée vers la corbeille.", + "card-comments-title": "Cette carte a %s commentaires.", + "card-delete-notice": "La suppression est permanente. Vous perdrez toutes les actions associées à cette carte.", + "card-delete-pop": "Toutes les actions vont être supprimées du suivi d'activités et vous ne pourrez plus utiliser cette carte. Cette action est irréversible.", + "card-delete-suggest-archive": "Vous pouvez déplacer une carte vers la corbeille afin de l'enlever du tableau tout en préservant l'activité.", + "card-due": "À échéance", + "card-due-on": "Échéance le", + "card-spent": "Temps passé", + "card-edit-attachments": "Modifier les pièces jointes", + "card-edit-custom-fields": "Éditer les champs personnalisés", + "card-edit-labels": "Modifier les étiquettes", + "card-edit-members": "Modifier les membres", + "card-labels-title": "Modifier les étiquettes de la carte.", + "card-members-title": "Ajouter ou supprimer des membres à la carte.", + "card-start": "Début", + "card-start-on": "Commence le", + "cardAttachmentsPopup-title": "Joindre depuis", + "cardCustomField-datePopup-title": "Changer la date", + "cardCustomFieldsPopup-title": "Éditer les champs personnalisés", + "cardDeletePopup-title": "Supprimer la carte ?", + "cardDetailsActionsPopup-title": "Actions sur la carte", + "cardLabelsPopup-title": "Étiquettes", + "cardMembersPopup-title": "Membres", + "cardMorePopup-title": "Plus", + "cards": "Cartes", + "cards-count": "Cartes", + "change": "Modifier", + "change-avatar": "Modifier l'avatar", + "change-password": "Modifier le mot de passe", + "change-permissions": "Modifier les permissions", + "change-settings": "Modifier les paramètres", + "changeAvatarPopup-title": "Modifier l'avatar", + "changeLanguagePopup-title": "Modifier la langue", + "changePasswordPopup-title": "Modifier le mot de passe", + "changePermissionsPopup-title": "Modifier les permissions", + "changeSettingsPopup-title": "Modifier les paramètres", + "checklists": "Checklists", + "click-to-star": "Cliquez pour ajouter ce tableau aux favoris.", + "click-to-unstar": "Cliquez pour retirer ce tableau des favoris.", + "clipboard": "Presse-papier ou glisser-déposer", + "close": "Fermer", + "close-board": "Fermer le tableau", + "close-board-pop": "Vous pourrez restaurer le tableau en cliquant le bouton « Corbeille » en entête.", + "color-black": "noir", + "color-blue": "bleu", + "color-green": "vert", + "color-lime": "citron vert", + "color-orange": "orange", + "color-pink": "rose", + "color-purple": "violet", + "color-red": "rouge", + "color-sky": "ciel", + "color-yellow": "jaune", + "comment": "Commenter", + "comment-placeholder": "Écrire un commentaire", + "comment-only": "Commentaire uniquement", + "comment-only-desc": "Ne peut que commenter des cartes.", + "computer": "Ordinateur", + "confirm-checklist-delete-dialog": "Êtes-vous sûr de vouloir supprimer la checklist", + "copy-card-link-to-clipboard": "Copier le lien vers la carte dans le presse-papier", + "copyCardPopup-title": "Copier la carte", + "copyChecklistToManyCardsPopup-title": "Copier le modèle de checklist vers plusieurs cartes", + "copyChecklistToManyCardsPopup-instructions": "Titres et descriptions des cartes de destination dans ce format JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titre de la première carte\", \"description\":\"Description de la première carte\"}, {\"title\":\"Titre de la seconde carte\",\"description\":\"Description de la seconde carte\"},{\"title\":\"Titre de la dernière carte\",\"description\":\"Description de la dernière carte\"} ]", + "create": "Créer", + "createBoardPopup-title": "Créer un tableau", + "chooseBoardSourcePopup-title": "Importer un tableau", + "createLabelPopup-title": "Créer une étiquette", + "createCustomField": "Créer un champ personnalisé", + "createCustomFieldPopup-title": "Créer un champ personnalisé", + "current": "actuel", + "custom-field-delete-pop": "Cette action n'est pas réversible. Elle supprimera ce champ personnalisé de toutes les cartes et détruira son historique.", + "custom-field-checkbox": "Case à cocher", + "custom-field-date": "Date", + "custom-field-dropdown": "Liste de choix", + "custom-field-dropdown-none": "(aucun)", + "custom-field-dropdown-options": "Options de liste", + "custom-field-dropdown-options-placeholder": "Appuyez sur Entrée pour ajouter d'autres options", + "custom-field-dropdown-unknown": "(inconnu)", + "custom-field-number": "Nombre", + "custom-field-text": "Texte", + "custom-fields": "Champs personnalisés", + "date": "Date", + "decline": "Refuser", + "default-avatar": "Avatar par défaut", + "delete": "Supprimer", + "deleteCustomFieldPopup-title": "Supprimer le champ personnalisé ?", + "deleteLabelPopup-title": "Supprimer l'étiquette ?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Préciser l'action sur l'étiquette", + "disambiguateMultiMemberPopup-title": "Préciser l'action sur le membre", + "discard": "Mettre à la corbeille", + "done": "Fait", + "download": "Télécharger", + "edit": "Modifier", + "edit-avatar": "Modifier l'avatar", + "edit-profile": "Modifier le profil", + "edit-wip-limit": "Éditer la limite WIP", + "soft-wip-limit": "Limite WIP douce", + "editCardStartDatePopup-title": "Modifier la date de début", + "editCardDueDatePopup-title": "Modifier la date d'échéance", + "editCustomFieldPopup-title": "Éditer le champ personnalisé", + "editCardSpentTimePopup-title": "Changer le temps passé", + "editLabelPopup-title": "Modifier l'étiquette", + "editNotificationPopup-title": "Modifier la notification", + "editProfilePopup-title": "Modifier le profil", + "email": "Email", + "email-enrollAccount-subject": "Un compte a été créé pour vous sur __siteName__", + "email-enrollAccount-text": "Bonjour __user__,\n\nPour commencer à utiliser ce service, il suffit de cliquer sur le lien ci-dessous.\n\n__url__\n\nMerci.", + "email-fail": "Échec de l'envoi du courriel.", + "email-fail-text": "Une erreur est survenue en tentant d'envoyer l'email", + "email-invalid": "Adresse email incorrecte.", + "email-invite": "Inviter par email", + "email-invite-subject": "__inviter__ vous a envoyé une invitation", + "email-invite-text": "Cher __user__,\n\n__inviter__ vous invite à rejoindre le tableau \"__board__\" pour collaborer.\n\nVeuillez suivre le lien ci-dessous :\n\n__url__\n\nMerci.", + "email-resetPassword-subject": "Réinitialiser votre mot de passe sur __siteName__", + "email-resetPassword-text": "Bonjour __user__,\n\nPour réinitialiser votre mot de passe, cliquez sur le lien ci-dessous.\n\n__url__\n\nMerci.", + "email-sent": "Courriel envoyé", + "email-verifyEmail-subject": "Vérifier votre adresse de courriel sur __siteName__", + "email-verifyEmail-text": "Bonjour __user__,\n\nPour vérifier votre compte courriel, il suffit de cliquer sur le lien ci-dessous.\n\n__url__\n\nMerci.", + "enable-wip-limit": "Activer la limite WIP", + "error-board-doesNotExist": "Ce tableau n'existe pas", + "error-board-notAdmin": "Vous devez être administrateur de ce tableau pour faire cela", + "error-board-notAMember": "Vous devez être membre de ce tableau pour faire cela", + "error-json-malformed": "Votre texte JSON n'est pas valide", + "error-json-schema": "Vos données JSON ne contiennent pas l'information appropriée dans un format correct", + "error-list-doesNotExist": "Cette liste n'existe pas", + "error-user-doesNotExist": "Cet utilisateur n'existe pas", + "error-user-notAllowSelf": "Vous ne pouvez pas vous inviter vous-même", + "error-user-notCreated": "Cet utilisateur n'a pas encore été créé", + "error-username-taken": "Ce nom d'utilisateur est déjà utilisé", + "error-email-taken": "Cette adresse mail est déjà utilisée", + "export-board": "Exporter le tableau", + "filter": "Filtrer", + "filter-cards": "Filtrer les cartes", + "filter-clear": "Supprimer les filtres", + "filter-no-label": "Aucune étiquette", + "filter-no-member": "Aucun membre", + "filter-no-custom-fields": "Pas de champs personnalisés", + "filter-on": "Le filtre est actif", + "filter-on-desc": "Vous êtes en train de filtrer les cartes sur ce tableau. Cliquez ici pour modifier les filtres.", + "filter-to-selection": "Filtre vers la sélection", + "advanced-filter-label": "Filtre avancé", + "advanced-filter-description": "Le filtre avancé permet d'écrire une chaîne contenant les opérateur suivants : == != <= >= && || ( ). Les opérateurs doivent être séparés par des espaces. Vous pouvez filtrer tous les champs personnalisés en saisissant leur nom et leur valeur. Par exemple : champ1 == valeur1. Note : si des champs ou valeurs contiennent des espaces, vous devez les mettre entre apostrophes. Par exemple : 'champ 1' = 'valeur 1'. Il est également possible de combiner plusieurs conditions. Par exemple : f1 == v1 || f2 == v2. Normalement, tous les opérateurs sont interprétés de gauche à droite. Vous pouvez changer l'ordre à l'aide de parenthèses. Par exemple : f1 == v1 and (f2 == v2 || f2 == v3).", + "fullname": "Nom complet", + "header-logo-title": "Retourner à la page des tableaux", + "hide-system-messages": "Masquer les messages système", + "headerBarCreateBoardPopup-title": "Créer un tableau", + "home": "Accueil", + "import": "Importer", + "import-board": "importer un tableau", + "import-board-c": "Importer un tableau", + "import-board-title-trello": "Importer le tableau depuis Trello", + "import-board-title-wekan": "Importer un tableau depuis Wekan", + "import-sandstorm-warning": "Le tableau importé supprimera toutes les données du tableau et les remplacera avec celles du tableau importé.", + "from-trello": "Depuis Trello", + "from-wekan": "Depuis Wekan", + "import-board-instruction-trello": "Dans votre tableau Trello, allez sur 'Menu', puis sur 'Plus', 'Imprimer et exporter', 'Exporter en JSON' et copiez le texte du résultat", + "import-board-instruction-wekan": "Dans votre tableau Wekan, allez dans 'Menu', puis 'Exporter un tableau', et copier le texte du fichier téléchargé.", + "import-json-placeholder": "Collez ici les données JSON valides", + "import-map-members": "Faire correspondre aux membres", + "import-members-map": "Le tableau que vous venez d'importer contient des membres. Veuillez associer les membres que vous souhaitez importer à des utilisateurs de Wekan.", + "import-show-user-mapping": "Contrôler l'association des membres", + "import-user-select": "Sélectionnez l'utilisateur Wekan que vous voulez associer à ce membre", + "importMapMembersAddPopup-title": "Sélectionner le membre Wekan", + "info": "Version", + "initials": "Initiales", + "invalid-date": "Date invalide", + "invalid-time": "Temps invalide", + "invalid-user": "Utilisateur invalide", + "joined": "a rejoint", + "just-invited": "Vous venez d'être invité à ce tableau", + "keyboard-shortcuts": "Raccourcis clavier", + "label-create": "Créer une étiquette", + "label-default": "étiquette %s (défaut)", + "label-delete-pop": "Cette action est irréversible. Elle supprimera cette étiquette de toutes les cartes ainsi que l'historique associé.", + "labels": "Étiquettes", + "language": "Langue", + "last-admin-desc": "Vous ne pouvez pas changer les rôles car il doit y avoir au moins un administrateur.", + "leave-board": "Quitter le tableau", + "leave-board-pop": "Êtes-vous sur de vouloir quitter __boardTitle__ ? Vous ne serez plus associé aux cartes de ce tableau.", + "leaveBoardPopup-title": "Quitter le tableau", + "link-card": "Lier à cette carte", + "list-archive-cards": "Déplacer toutes les cartes de la liste vers la corbeille", + "list-archive-cards-pop": "Cela supprimera du tableau toutes les cartes de cette liste. Pour voir les cartes dans la corbeille et les renvoyer vers le tableau, cliquez sur « Menu » puis « Corbeille ».", + "list-move-cards": "Déplacer toutes les cartes de cette liste", + "list-select-cards": "Sélectionner toutes les cartes de cette liste", + "listActionPopup-title": "Actions sur la liste", + "swimlaneActionPopup-title": "Actions du couloir", + "listImportCardPopup-title": "Importer une carte Trello", + "listMorePopup-title": "Plus", + "link-list": "Lien vers cette liste", + "list-delete-pop": "Toutes les actions seront supprimées du fil d'activité et il ne sera plus possible de les récupérer. Cette action ne peut pas être annulée.", + "list-delete-suggest-archive": "Vous pouvez déplacer une liste vers la corbeille pour l'enlever du tableau tout en conservant son activité.", + "lists": "Listes", + "swimlanes": "Couloirs", + "log-out": "Déconnexion", + "log-in": "Connexion", + "loginPopup-title": "Connexion", + "memberMenuPopup-title": "Préférence de membre", + "members": "Membres", + "menu": "Menu", + "move-selection": "Déplacer la sélection", + "moveCardPopup-title": "Déplacer la carte", + "moveCardToBottom-title": "Déplacer tout en bas", + "moveCardToTop-title": "Déplacer tout en haut", + "moveSelectionPopup-title": "Déplacer la sélection", + "multi-selection": "Sélection multiple", + "multi-selection-on": "Multi-Selection active", + "muted": "Silencieux", + "muted-info": "Vous ne serez jamais averti des modifications effectuées dans ce tableau", + "my-boards": "Mes tableaux", + "name": "Nom", + "no-archived-cards": "Aucune carte dans la corbeille.", + "no-archived-lists": "Aucune liste dans la corbeille.", + "no-archived-swimlanes": "Aucun couloir dans la corbeille.", + "no-results": "Pas de résultats", + "normal": "Normal", + "normal-desc": "Peut voir et modifier les cartes. Ne peut pas changer les paramètres.", + "not-accepted-yet": "L'invitation n'a pas encore été acceptée", + "notify-participate": "Recevoir les mises à jour de toutes les cartes auxquelles vous participez en tant que créateur ou que membre ", + "notify-watch": "Recevoir les mises à jour de tous les tableaux, listes ou cartes que vous suivez", + "optional": "optionnel", + "or": "ou", + "page-maybe-private": "Cette page est peut-être privée. Vous pourrez peut-être la voir en vous connectant.", + "page-not-found": "Page non trouvée", + "password": "Mot de passe", + "paste-or-dragdrop": "pour coller, ou glissez-déposez une image ici (seulement une image)", + "participating": "Participant", + "preview": "Prévisualiser", + "previewAttachedImagePopup-title": "Prévisualiser", + "previewClipboardImagePopup-title": "Prévisualiser", + "private": "Privé", + "private-desc": "Ce tableau est privé. Seuls les membres peuvent y accéder et le modifier.", + "profile": "Profil", + "public": "Public", + "public-desc": "Ce tableau est public. Il est accessible par toutes les personnes disposant du lien et apparaîtra dans les résultats des moteurs de recherche tels que Google. Seuls les membres peuvent le modifier.", + "quick-access-description": "Ajouter un tableau à vos favoris pour créer un raccourci dans cette barre.", + "remove-cover": "Enlever la page de présentation", + "remove-from-board": "Retirer du tableau", + "remove-label": "Retirer l'étiquette", + "listDeletePopup-title": "Supprimer la liste ?", + "remove-member": "Supprimer le membre", + "remove-member-from-card": "Supprimer de la carte", + "remove-member-pop": "Supprimer __name__ (__username__) de __boardTitle__ ? Ce membre sera supprimé de toutes les cartes du tableau et recevra une notification.", + "removeMemberPopup-title": "Supprimer le membre ?", + "rename": "Renommer", + "rename-board": "Renommer le tableau", + "restore": "Restaurer", + "save": "Enregistrer", + "search": "Chercher", + "search-cards": "Rechercher parmi les titres et descriptions des cartes de ce tableau", + "search-example": "Texte à rechercher ?", + "select-color": "Sélectionner une couleur", + "set-wip-limit-value": "Définit une limite maximale au nombre de cartes de cette liste", + "setWipLimitPopup-title": "Définir la limite WIP", + "shortcut-assign-self": "Affecter cette carte à vous-même", + "shortcut-autocomplete-emoji": "Auto-complétion des emoji", + "shortcut-autocomplete-members": "Auto-complétion des membres", + "shortcut-clear-filters": "Retirer tous les filtres", + "shortcut-close-dialog": "Fermer la boîte de dialogue", + "shortcut-filter-my-cards": "Filtrer mes cartes", + "shortcut-show-shortcuts": "Afficher cette liste de raccourcis", + "shortcut-toggle-filterbar": "Afficher/Cacher la barre latérale des filtres", + "shortcut-toggle-sidebar": "Afficher/Cacher la barre latérale du tableau", + "show-cards-minimum-count": "Afficher le nombre de cartes si la liste en contient plus de ", + "sidebar-open": "Ouvrir le panneau", + "sidebar-close": "Fermer le panneau", + "signupPopup-title": "Créer un compte", + "star-board-title": "Cliquer pour ajouter ce tableau aux favoris. Il sera affiché en tête de votre liste de tableaux.", + "starred-boards": "Tableaux favoris", + "starred-boards-description": "Les tableaux favoris s'affichent en tête de votre liste de tableaux.", + "subscribe": "Suivre", + "team": "Équipe", + "this-board": "ce tableau", + "this-card": "cette carte", + "spent-time-hours": "Temps passé (heures)", + "overtime-hours": "Temps supplémentaire (heures)", + "overtime": "Temps supplémentaire", + "has-overtime-cards": "A des cartes avec du temps supplémentaire", + "has-spenttime-cards": "A des cartes avec du temps passé", + "time": "Temps", + "title": "Titre", + "tracking": "Suivi", + "tracking-info": "Vous serez notifié de toute modification concernant les cartes pour lesquelles vous êtes impliqué en tant que créateur ou membre.", + "type": "Type", + "unassign-member": "Retirer le membre", + "unsaved-description": "Vous avez une description non sauvegardée", + "unwatch": "Arrêter de suivre", + "upload": "Télécharger", + "upload-avatar": "Télécharger un avatar", + "uploaded-avatar": "Avatar téléchargé", + "username": "Nom d'utilisateur", + "view-it": "Le voir", + "warn-list-archived": "Attention : cette carte est dans une liste se trouvant dans la corbeille", + "watch": "Suivre", + "watching": "Suivi", + "watching-info": "Vous serez notifié de toute modification dans ce tableau", + "welcome-board": "Tableau de bienvenue", + "welcome-swimlane": "Jalon 1", + "welcome-list1": "Basiques", + "welcome-list2": "Avancés", + "what-to-do": "Que voulez-vous faire ?", + "wipLimitErrorPopup-title": "Limite WIP invalide", + "wipLimitErrorPopup-dialog-pt1": "Le nombre de cartes de cette liste est supérieur à la limite WIP que vous avez définie.", + "wipLimitErrorPopup-dialog-pt2": "Veuillez enlever des cartes de cette liste, ou définir une limite WIP plus importante.", + "admin-panel": "Panneau d'administration", + "settings": "Paramètres", + "people": "Personne", + "registration": "Inscription", + "disable-self-registration": "Désactiver l'inscription", + "invite": "Inviter", + "invite-people": "Inviter une personne", + "to-boards": "Au(x) tableau(x)", + "email-addresses": "Adresses email", + "smtp-host-description": "L'adresse du serveur SMTP qui gère vos mails.", + "smtp-port-description": "Le port des mails sortants du serveur SMTP.", + "smtp-tls-description": "Activer la gestion de TLS sur le serveur SMTP", + "smtp-host": "Hôte SMTP", + "smtp-port": "Port SMTP", + "smtp-username": "Nom d'utilisateur", + "smtp-password": "Mot de passe", + "smtp-tls": "Prise en charge de TLS", + "send-from": "De", + "send-smtp-test": "Envoyer un mail de test à vous-même", + "invitation-code": "Code d'invitation", + "email-invite-register-subject": "__inviter__ vous a envoyé une invitation", + "email-invite-register-text": "Cher __user__,\n\n__inviter__ vous invite à le rejoindre sur Wekan pour collaborer.\n\nVeuillez suivre le lien ci-dessous :\n__url__\n\nVotre code d'invitation est : __icode__\n\nMerci.", + "email-smtp-test-subject": "Email de test SMTP de Wekan", + "email-smtp-test-text": "Vous avez envoyé un mail avec succès", + "error-invitation-code-not-exist": "Ce code d'invitation n'existe pas.", + "error-notAuthorized": "Vous n'êtes pas autorisé à accéder à cette page.", + "outgoing-webhooks": "Webhooks sortants", + "outgoingWebhooksPopup-title": "Webhooks sortants", + "new-outgoing-webhook": "Nouveau webhook sortant", + "no-name": "(Inconnu)", + "Wekan_version": "Version de Wekan", + "Node_version": "Version de Node", + "OS_Arch": "OS Architecture", + "OS_Cpus": "OS Nombre CPU", + "OS_Freemem": "OS Mémoire libre", + "OS_Loadavg": "OS Charge moyenne", + "OS_Platform": "OS Plate-forme", + "OS_Release": "OS Version", + "OS_Totalmem": "OS Mémoire totale", + "OS_Type": "OS Type", + "OS_Uptime": "OS Durée de fonctionnement", + "hours": "heures", + "minutes": "minutes", + "seconds": "secondes", + "show-field-on-card": "Afficher ce champ sur la carte", + "yes": "Oui", + "no": "Non", + "accounts": "Comptes", + "accounts-allowEmailChange": "Autoriser le changement d'adresse mail", + "accounts-allowUserNameChange": "Permettre la modification de l'identifiant", + "createdAt": "Créé le", + "verified": "Vérifié", + "active": "Actif", + "card-received": "Reçue", + "card-received-on": "Reçue le", + "card-end": "Fin", + "card-end-on": "Se termine le", + "editCardReceivedDatePopup-title": "Changer la date de réception", + "editCardEndDatePopup-title": "Changer la date de fin", + "assigned-by": "Assigné par", + "requested-by": "Demandé par", + "board-delete-notice": "La suppression est définitive. Vous perdrez toutes vos listes, cartes et actions associées à ce tableau.", + "delete-board-confirm-popup": "Toutes les listes, cartes, étiquettes et activités seront supprimées et vous ne pourrez pas retrouver le contenu du tableau. Il n'y a pas d'annulation possible.", + "boardDeletePopup-title": "Supprimer le tableau ?", + "delete-board": "Supprimer le tableau" +} \ No newline at end of file diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json new file mode 100644 index 00000000..702e9e0c --- /dev/null +++ b/i18n/gl.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Aceptar", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Accións", + "activities": "Actividades", + "activity": "Actividade", + "activity-added": "engadiuse %s a %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Engadir", + "add-attachment": "Engadir anexo", + "add-board": "Engadir taboleiro", + "add-card": "Engadir tarxeta", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Engadir etiqueta", + "add-list": "Engadir lista", + "add-members": "Engadir membros", + "added": "Added", + "addMemberPopup-title": "Membros", + "admin": "Admin", + "admin-desc": "Pode ver e editar tarxetas, retirar membros e cambiar a configuración do taboleiro.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "Todos os taboleiros", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restaurar taboleiro", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Anexo", + "attachment-delete-pop": "A eliminación de anexos é permanente. Non se pode desfacer.", + "attachmentDeletePopup-title": "Eliminar anexo?", + "attachments": "Anexos", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Cambiar cor", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Taboleiros", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Listas", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancelar", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Editar anexos", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Editar etiquetas", + "card-edit-members": "Editar membros", + "card-labels-title": "Cambiar as etiquetas da tarxeta.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Etiquetas", + "cardMembersPopup-title": "Membros", + "cardMorePopup-title": "Máis", + "cards": "Tarxetas", + "cards-count": "Tarxetas", + "change": "Cambiar", + "change-avatar": "Cambiar o avatar", + "change-password": "Cambiar o contrasinal", + "change-permissions": "Cambiar os permisos", + "change-settings": "Cambiar a configuración", + "changeAvatarPopup-title": "Cambiar o avatar", + "changeLanguagePopup-title": "Cambiar de idioma", + "changePasswordPopup-title": "Cambiar o contrasinal", + "changePermissionsPopup-title": "Cambiar os permisos", + "changeSettingsPopup-title": "Cambiar a configuración", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "negro", + "color-blue": "azul", + "color-green": "verde", + "color-lime": "lime", + "color-orange": "laranxa", + "color-pink": "rosa", + "color-purple": "purple", + "color-red": "vermello", + "color-sky": "celeste", + "color-yellow": "amarelo", + "comment": "Comentario", + "comment-placeholder": "Escribir un comentario", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computador", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Crear", + "createBoardPopup-title": "Crear taboleiro", + "chooseBoardSourcePopup-title": "Importar taboleiro", + "createLabelPopup-title": "Crear etiqueta", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "actual", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Data", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Data", + "decline": "Rexeitar", + "default-avatar": "Avatar predeterminado", + "delete": "Eliminar", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Eliminar a etiqueta?", + "description": "Descrición", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Desbotar", + "done": "Feito", + "download": "Descargar", + "edit": "Editar", + "edit-avatar": "Cambiar de avatar", + "edit-profile": "Editar o perfil", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Cambiar a data de inicio", + "editCardDueDatePopup-title": "Cambiar a data límite", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Cambiar a etiqueta", + "editNotificationPopup-title": "Editar a notificación", + "editProfilePopup-title": "Editar o perfil", + "email": "Correo electrónico", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "Esta lista non existe", + "error-user-doesNotExist": "Este usuario non existe", + "error-user-notAllowSelf": "Non é posíbel convidarse a un mesmo", + "error-user-notCreated": "Este usuario non está creado", + "error-username-taken": "Este nome de usuario xa está collido", + "error-email-taken": "Email has already been taken", + "export-board": "Exportar taboleiro", + "filter": "Filtro", + "filter-cards": "Filtrar tarxetas", + "filter-clear": "Limpar filtro", + "filter-no-label": "Non hai etiquetas", + "filter-no-member": "Non hai membros", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "O filtro está activado", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Nome completo", + "header-logo-title": "Retornar á páxina dos seus taboleiros.", + "hide-system-messages": "Agochar as mensaxes do sistema", + "headerBarCreateBoardPopup-title": "Crear taboleiro", + "home": "Inicio", + "import": "Importar", + "import-board": "importar taboleiro", + "import-board-c": "Importar taboleiro", + "import-board-title-trello": "Importar taboleiro de Trello", + "import-board-title-wekan": "Importar taboleiro de Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "De Trello", + "from-wekan": "De Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Iniciais", + "invalid-date": "A data é incorrecta", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Crear etiqueta", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Etiquetas", + "language": "Idioma", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Saír do taboleiro", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "Máis", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Listas", + "swimlanes": "Swimlanes", + "log-out": "Pechar a sesión", + "log-in": "Acceder", + "loginPopup-title": "Acceder", + "memberMenuPopup-title": "Member Settings", + "members": "Membros", + "menu": "Menú", + "move-selection": "Mover selección", + "moveCardPopup-title": "Mover tarxeta", + "moveCardToBottom-title": "Mover abaixo de todo", + "moveCardToTop-title": "Mover arriba de todo", + "moveSelectionPopup-title": "Mover selección", + "multi-selection": "Selección múltipla", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Nome", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Non hai resultados", + "normal": "Normal", + "normal-desc": "Pode ver e editar tarxetas. Non pode cambiar a configuración.", + "not-accepted-yet": "O convite aínda non foi aceptado", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "opcional", + "or": "ou", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Non se atopou a páxina.", + "password": "Contrasinal", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Perfil", + "public": "Público", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribir", + "team": "Equipo", + "this-board": "este taboleiro", + "this-card": "esta tarxeta", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Hora", + "title": "Título", + "tracking": "Seguimento", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Enviar", + "upload-avatar": "Enviar un avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Nome de usuario", + "view-it": "Velo", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Vixiar", + "watching": "Vixiando", + "watching-info": "Recibirá unha notificación sobre calquera cambio que se produza neste taboleiro", + "welcome-board": "Taboleiro de benvida", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Fundamentos", + "welcome-list2": "Avanzado", + "what-to-do": "Que desexa facer?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Panel de administración", + "settings": "Configuración", + "people": "Persoas", + "registration": "Rexistro", + "disable-self-registration": "Desactivar o auto-rexistro", + "invite": "Convidar", + "invite-people": "Convidar persoas", + "to-boards": "Ao(s) taboleiro(s)", + "email-addresses": "Enderezos de correo", + "smtp-host-description": "O enderezo do servidor de SMTP que xestiona os seu correo electrónico.", + "smtp-port-description": "O porto que o servidor de SMTP emprega para o correo saínte.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "Servidor de SMTP", + "smtp-port": "Porto de SMTP", + "smtp-username": "Nome de usuario", + "smtp-password": "Contrasinal", + "smtp-tls": "TLS support", + "send-from": "De", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json new file mode 100644 index 00000000..f1b30f73 --- /dev/null +++ b/i18n/he.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "אישור", + "act-activity-notify": "[Wekan] הודעת פעילות", + "act-addAttachment": " __attachment__ צורף לכרטיס __card__", + "act-addChecklist": "רשימת משימות __checklist__ נוספה ל __card__", + "act-addChecklistItem": " __checklistItem__ נוסף לרשימת משימות __checklist__ בכרטיס __card__", + "act-addComment": "התקבלה תגובה על הכרטיס __card__:‏ __comment__", + "act-createBoard": "הלוח __board__ נוצר", + "act-createCard": "הכרטיס __card__ התווסף לרשימה __list__", + "act-createCustomField": "נוצר שדה בהתאמה אישית __customField__", + "act-createList": "הרשימה __list__ התווספה ללוח __board__", + "act-addBoardMember": "המשתמש __member__ נוסף ללוח __board__", + "act-archivedBoard": "__board__ הועבר לסל המחזור", + "act-archivedCard": "__card__ הועבר לסל המחזור", + "act-archivedList": "__list__ הועבר לסל המחזור", + "act-archivedSwimlane": "__swimlane__ הועבר לסל המחזור", + "act-importBoard": "הלוח __board__ יובא", + "act-importCard": "הכרטיס __card__ יובא", + "act-importList": "הרשימה __list__ יובאה", + "act-joinMember": "המשתמש __member__ נוסף לכרטיס __card__", + "act-moveCard": "הכרטיס __card__ הועבר מהרשימה __oldList__ לרשימה __list__", + "act-removeBoardMember": "המשתמש __member__ הוסר מהלוח __board__", + "act-restoredCard": "הכרטיס __card__ שוחזר ללוח __board__", + "act-unjoinMember": "המשתמש __member__ הוסר מהכרטיס __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "פעולות", + "activities": "פעילויות", + "activity": "פעילות", + "activity-added": "%s נוסף ל%s", + "activity-archived": "%s הועבר לסל המחזור", + "activity-attached": "%s צורף ל%s", + "activity-created": "%s נוצר", + "activity-customfield-created": "נוצר שדה בהתאמה אישית %s", + "activity-excluded": "%s לא נכלל ב%s", + "activity-imported": "%s ייובא מ%s אל %s", + "activity-imported-board": "%s ייובא מ%s", + "activity-joined": "הצטרפות אל %s", + "activity-moved": "%s עבר מ%s ל%s", + "activity-on": "ב%s", + "activity-removed": "%s הוסר מ%s", + "activity-sent": "%s נשלח ל%s", + "activity-unjoined": "בטל צירוף %s", + "activity-checklist-added": "נוספה רשימת משימות אל %s", + "activity-checklist-item-added": "נוסף פריט רשימת משימות אל ‚%s‘ תחת %s", + "add": "הוספה", + "add-attachment": "הוספת קובץ מצורף", + "add-board": "הוספת לוח", + "add-card": "הוספת כרטיס", + "add-swimlane": "הוספת מסלול", + "add-checklist": "הוספת רשימת מטלות", + "add-checklist-item": "הוספת פריט לרשימת משימות", + "add-cover": "הוספת כיסוי", + "add-label": "הוספת תווית", + "add-list": "הוספת רשימה", + "add-members": "הוספת חברים", + "added": "התווסף", + "addMemberPopup-title": "חברים", + "admin": "מנהל", + "admin-desc": "יש הרשאות לצפייה ולעריכת כרטיסים, להסרת חברים ולשינוי הגדרות לוח.", + "admin-announcement": "הכרזה", + "admin-announcement-active": "הכרזת מערכת פעילה", + "admin-announcement-title": "הכרזה ממנהל המערכת", + "all-boards": "כל הלוחות", + "and-n-other-card": "וכרטיס אחר", + "and-n-other-card_plural": "ו־__count__ כרטיסים אחרים", + "apply": "החלה", + "app-is-offline": "Wekan בטעינה, נא להמתין. רענון העמוד עשוי להוביל לאובדן מידע. אם הטעינה של Wekan נעצרה, נא לבדוק ששרת ה־Wekan לא נעצר.", + "archive": "העברה לסל המחזור", + "archive-all": "להעביר הכול לסל המחזור", + "archive-board": "העברת הלוח לסל המחזור", + "archive-card": "העברת הכרטיס לסל המחזור", + "archive-list": "העברת הרשימה לסל המחזור", + "archive-swimlane": "העברת מסלול לסל המחזור", + "archive-selection": "העברת הבחירה לסל המחזור", + "archiveBoardPopup-title": "להעביר את הלוח לסל המחזור?", + "archived-items": "סל מחזור", + "archived-boards": "לוחות בסל המחזור", + "restore-board": "שחזור לוח", + "no-archived-boards": "אין לוחות בסל המחזור", + "archives": "סל מחזור", + "assign-member": "הקצאת חבר", + "attached": "מצורף", + "attachment": "קובץ מצורף", + "attachment-delete-pop": "מחיקת קובץ מצורף הנה סופית. אין דרך חזרה.", + "attachmentDeletePopup-title": "למחוק קובץ מצורף?", + "attachments": "קבצים מצורפים", + "auto-watch": "הוספת לוחות למעקב כשהם נוצרים", + "avatar-too-big": "תמונת המשתמש גדולה מדי (70 ק״ב לכל היותר)", + "back": "חזרה", + "board-change-color": "שינוי צבע", + "board-nb-stars": "%s כוכבים", + "board-not-found": "לוח לא נמצא", + "board-private-info": "לוח זה יהיה פרטי.", + "board-public-info": "לוח זה יהיה ציבורי.", + "boardChangeColorPopup-title": "שינוי רקע ללוח", + "boardChangeTitlePopup-title": "שינוי שם הלוח", + "boardChangeVisibilityPopup-title": "שינוי מצב הצגה", + "boardChangeWatchPopup-title": "שינוי הגדרת המעקב", + "boardMenuPopup-title": "תפריט לוח", + "boards": "לוחות", + "board-view": "תצוגת לוח", + "board-view-swimlanes": "מסלולים", + "board-view-lists": "רשימות", + "bucket-example": "כמו למשל „רשימת המשימות“", + "cancel": "ביטול", + "card-archived": "כרטיס זה הועבר לסל המחזור", + "card-comments-title": "לכרטיס זה %s תגובות.", + "card-delete-notice": "מחיקה היא סופית. כל הפעולות המשויכות לכרטיס זה תלכנה לאיוד.", + "card-delete-pop": "כל הפעולות יוסרו מלוח הפעילות ולא תהיה אפשרות לפתוח מחדש את הכרטיס. אין דרך חזרה.", + "card-delete-suggest-archive": "ניתן להעביר כרטיס לסל המחזור כדי להסיר אותו מהלוח ולשמר את הפעילות.", + "card-due": "תאריך יעד", + "card-due-on": "תאריך יעד", + "card-spent": "זמן שהושקע", + "card-edit-attachments": "עריכת קבצים מצורפים", + "card-edit-custom-fields": "עריכת שדות בהתאמה אישית", + "card-edit-labels": "עריכת תוויות", + "card-edit-members": "עריכת חברים", + "card-labels-title": "שינוי תוויות לכרטיס.", + "card-members-title": "הוספה או הסרה של חברי הלוח מהכרטיס.", + "card-start": "התחלה", + "card-start-on": "מתחיל ב־", + "cardAttachmentsPopup-title": "לצרף מ־", + "cardCustomField-datePopup-title": "החלפת תאריך", + "cardCustomFieldsPopup-title": "עריכת שדות בהתאמה אישית", + "cardDeletePopup-title": "למחוק כרטיס?", + "cardDetailsActionsPopup-title": "פעולות על הכרטיס", + "cardLabelsPopup-title": "תוויות", + "cardMembersPopup-title": "חברים", + "cardMorePopup-title": "עוד", + "cards": "כרטיסים", + "cards-count": "כרטיסים", + "change": "שינוי", + "change-avatar": "החלפת תמונת משתמש", + "change-password": "החלפת ססמה", + "change-permissions": "שינוי הרשאות", + "change-settings": "שינוי הגדרות", + "changeAvatarPopup-title": "שינוי תמונת משתמש", + "changeLanguagePopup-title": "החלפת שפה", + "changePasswordPopup-title": "החלפת ססמה", + "changePermissionsPopup-title": "שינוי הרשאות", + "changeSettingsPopup-title": "שינוי הגדרות", + "checklists": "רשימות", + "click-to-star": "יש ללחוץ להוספת הלוח למועדפים.", + "click-to-unstar": "יש ללחוץ להסרת הלוח מהמועדפים.", + "clipboard": "לוח גזירים או גרירה ושחרור", + "close": "סגירה", + "close-board": "סגירת לוח", + "close-board-pop": "תהיה לך אפשרות להסיר את הלוח על ידי לחיצה על הכפתור „סל מחזור” מכותרת הבית.", + "color-black": "שחור", + "color-blue": "כחול", + "color-green": "ירוק", + "color-lime": "ליים", + "color-orange": "כתום", + "color-pink": "ורוד", + "color-purple": "סגול", + "color-red": "אדום", + "color-sky": "תכלת", + "color-yellow": "צהוב", + "comment": "לפרסם", + "comment-placeholder": "כתיבת הערה", + "comment-only": "הערה בלבד", + "comment-only-desc": "ניתן להעיר על כרטיסים בלבד.", + "computer": "מחשב", + "confirm-checklist-delete-dialog": "האם אתה בטוח שברצונך למחוק את רשימת המשימות", + "copy-card-link-to-clipboard": "העתקת קישור הכרטיס ללוח הגזירים", + "copyCardPopup-title": "העתק כרטיס", + "copyChecklistToManyCardsPopup-title": "העתקת תבנית רשימת מטלות למגוון כרטיסים", + "copyChecklistToManyCardsPopup-instructions": "כותרות ותיאורים של כרטיסי יעד בתצורת JSON זו", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"כותרת כרטיס ראשון\", \"description\":\"תיאור כרטיס ראשון\"}, {\"title\":\"כותרת כרטיס שני\",\"description\":\"תיאור כרטיס שני\"},{\"title\":\"כותרת כרטיס אחרון\",\"description\":\"תיאור כרטיס אחרון\"} ]", + "create": "יצירה", + "createBoardPopup-title": "יצירת לוח", + "chooseBoardSourcePopup-title": "ייבוא לוח", + "createLabelPopup-title": "יצירת תווית", + "createCustomField": "יצירת שדה", + "createCustomFieldPopup-title": "יצירת שדה", + "current": "נוכחי", + "custom-field-delete-pop": "אין אפשרות לבטל את הפעולה. הפעולה תסיר את השדה שהותאם אישית מכל הכרטיסים ותשמיד את ההיסטוריה שלו.", + "custom-field-checkbox": "תיבת סימון", + "custom-field-date": "תאריך", + "custom-field-dropdown": "רשימה נגללת", + "custom-field-dropdown-none": "(ללא)", + "custom-field-dropdown-options": "אפשרויות רשימה", + "custom-field-dropdown-options-placeholder": "יש ללחוץ על enter כדי להוסיף עוד אפשרויות", + "custom-field-dropdown-unknown": "(לא ידוע)", + "custom-field-number": "מספר", + "custom-field-text": "טקסט", + "custom-fields": "שדות מותאמים אישית", + "date": "תאריך", + "decline": "סירוב", + "default-avatar": "תמונת משתמש כבררת מחדל", + "delete": "מחיקה", + "deleteCustomFieldPopup-title": "למחוק שדה מותאם אישית?", + "deleteLabelPopup-title": "למחוק תווית?", + "description": "תיאור", + "disambiguateMultiLabelPopup-title": "הבהרת פעולת תווית", + "disambiguateMultiMemberPopup-title": "הבהרת פעולת חבר", + "discard": "התעלמות", + "done": "בוצע", + "download": "הורדה", + "edit": "עריכה", + "edit-avatar": "החלפת תמונת משתמש", + "edit-profile": "עריכת פרופיל", + "edit-wip-limit": "עריכת מגבלת „בעבודה”", + "soft-wip-limit": "מגבלת „בעבודה” רכה", + "editCardStartDatePopup-title": "שינוי מועד התחלה", + "editCardDueDatePopup-title": "שינוי מועד סיום", + "editCustomFieldPopup-title": "עריכת שדה", + "editCardSpentTimePopup-title": "שינוי הזמן שהושקע", + "editLabelPopup-title": "שינוי תווית", + "editNotificationPopup-title": "שינוי דיווח", + "editProfilePopup-title": "עריכת פרופיל", + "email": "דוא״ל", + "email-enrollAccount-subject": "נוצר עבורך חשבון באתר __siteName__", + "email-enrollAccount-text": "__user__ שלום,\n\nכדי להתחיל להשתמש בשירות, יש ללחוץ על הקישור המופיע להלן.\n\n__url__\n\nתודה.", + "email-fail": "שליחת ההודעה בדוא״ל נכשלה", + "email-fail-text": "שגיאה בעת ניסיון לשליחת הודעת דוא״ל", + "email-invalid": "כתובת דוא״ל לא חוקית", + "email-invite": "הזמנה באמצעות דוא״ל", + "email-invite-subject": "נשלחה אליך הזמנה מאת __inviter__", + "email-invite-text": "__user__ שלום,\n\nהוזמנת על ידי __inviter__ להצטרף ללוח „__board__“ להמשך שיתוף הפעולה.\n\nנא ללחוץ על הקישור המופיע להלן:\n\n__url__\n\nתודה.", + "email-resetPassword-subject": "ניתן לאפס את ססמתך לאתר __siteName__", + "email-resetPassword-text": "__user__ שלום,\n\nכדי לאפס את ססמתך, יש ללחוץ על הקישור המופיע להלן.\n\n__url__\n\nתודה.", + "email-sent": "הודעת הדוא״ל נשלחה", + "email-verifyEmail-subject": "אימות כתובת הדוא״ל שלך באתר __siteName__", + "email-verifyEmail-text": "__user__ שלום,\n\nלאימות כתובת הדוא״ל המשויכת לחשבונך, עליך פשוט ללחוץ על הקישור המופיע להלן.\n\n__url__\n\nתודה.", + "enable-wip-limit": "הפעלת מגבלת „בעבודה”", + "error-board-doesNotExist": "לוח זה אינו קיים", + "error-board-notAdmin": "צריכות להיות לך הרשאות ניהול על לוח זה כדי לעשות זאת", + "error-board-notAMember": "עליך לקבל חברות בלוח זה כדי לעשות זאת", + "error-json-malformed": "הטקסט שלך אינו JSON תקין", + "error-json-schema": "נתוני ה־JSON שלך לא כוללים את המידע הנכון בתבנית הנכונה", + "error-list-doesNotExist": "רשימה זו לא קיימת", + "error-user-doesNotExist": "משתמש זה לא קיים", + "error-user-notAllowSelf": "אינך יכול להזמין את עצמך", + "error-user-notCreated": "משתמש זה לא נוצר", + "error-username-taken": "המשתמש כבר קיים במערכת", + "error-email-taken": "כתובת הדוא\"ל כבר נמצאת בשימוש", + "export-board": "ייצוא לוח", + "filter": "מסנן", + "filter-cards": "סינון כרטיסים", + "filter-clear": "ניקוי המסנן", + "filter-no-label": "אין תווית", + "filter-no-member": "אין חבר כזה", + "filter-no-custom-fields": "אין שדות מותאמים אישית", + "filter-on": "המסנן פועל", + "filter-on-desc": "מסנן כרטיסים פעיל בלוח זה. יש ללחוץ כאן לעריכת המסנן.", + "filter-to-selection": "סינון לבחירה", + "advanced-filter-label": "מסנן מתקדם", + "advanced-filter-description": "המסנן המתקדם מאפשר לך לכתוב מחרוזת שמכילה את הפעולות הבאות: == != <= >= && || ( ) רווח מכהן כמפריד בין הפעולות. ניתן לסנן את כל השדות המותאמים אישית על ידי הקלדת שמם והערך שלהם. למשל: שדה1 == ערך1. לתשומת לבך: אם שדות או ערכים מכילים רווח, יש לעטוף אותם במירכא מכל צד. למשל: 'שדה 1' == 'ערך 1'. ניתן גם לשלב מגוון תנאים. למשל: F1 == V1 || F1 = V2. על פי רוב כל הפעולות מפוענחות משמאל לימין. ניתן לשנות את הסדר על ידי הצבת סוגריים. למשל: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "שם מלא", + "header-logo-title": "חזרה לדף הלוחות שלך.", + "hide-system-messages": "הסתרת הודעות מערכת", + "headerBarCreateBoardPopup-title": "יצירת לוח", + "home": "בית", + "import": "יבוא", + "import-board": "ייבוא לוח", + "import-board-c": "יבוא לוח", + "import-board-title-trello": "ייבוא לוח מטרלו", + "import-board-title-wekan": "ייבוא לוח מ־Wekan", + "import-sandstorm-warning": "הלוח שייובא ימחק את כל הנתונים הקיימים בלוח ויחליף אותם בלוח שייובא.", + "from-trello": "מ־Trello", + "from-wekan": "מ־Wekan", + "import-board-instruction-trello": "בלוח הטרלו שלך, עליך ללחוץ על ‚תפריט‘, ואז על ‚עוד‘, ‚הדפסה וייצוא‘, ‚יצוא JSON‘ ולהעתיק את הטקסט שנוצר.", + "import-board-instruction-wekan": "בלוח ה־Wekan, יש לגשת אל ‚תפריט‘, לאחר מכן ‚יצוא לוח‘ ולהעתיק את הטקסט בקובץ שהתקבל.", + "import-json-placeholder": "יש להדביק את נתוני ה־JSON התקינים לכאן", + "import-map-members": "מיפוי חברים", + "import-members-map": "הלוחות המיובאים שלך מכילים חברים. נא למפות את החברים שברצונך לייבא למשתמשי Wekan", + "import-show-user-mapping": "סקירת מיפוי חברים", + "import-user-select": "נא לבחור את המשתמש ב־Wekan בו ברצונך להשתמש עבור חבר זה", + "importMapMembersAddPopup-title": "בחירת משתמש Wekan", + "info": "גרסא", + "initials": "ראשי תיבות", + "invalid-date": "תאריך שגוי", + "invalid-time": "זמן שגוי", + "invalid-user": "משתמש שגוי", + "joined": "הצטרף", + "just-invited": "הוזמנת ללוח זה", + "keyboard-shortcuts": "קיצורי מקלדת", + "label-create": "יצירת תווית", + "label-default": "תווית בצבע %s (בררת מחדל)", + "label-delete-pop": "אין דרך חזרה. התווית תוסר מכל הכרטיסים וההיסטוריה תימחק.", + "labels": "תוויות", + "language": "שפה", + "last-admin-desc": "אין אפשרות לשנות תפקידים כיוון שחייב להיות מנהל אחד לפחות.", + "leave-board": "עזיבת הלוח", + "leave-board-pop": "לעזוב את __boardTitle__? שמך יוסר מכל הכרטיסים שבלוח זה.", + "leaveBoardPopup-title": "לעזוב לוח ?", + "link-card": "קישור לכרטיס זה", + "list-archive-cards": "להעביר את כל הכרטיסים לסל המחזור", + "list-archive-cards-pop": "פעולה זו תסיר את כל הכרטיסים שברשימה זו מהלוח. כדי לצפות בכרטיסים בסל המחזור ולהשיב אותם ללוח ניתן ללחוץ על „תפריט” > „סל מחזור”.", + "list-move-cards": "העברת כל הכרטיסים שברשימה זו", + "list-select-cards": "בחירת כל הכרטיסים שברשימה זו", + "listActionPopup-title": "פעולות רשימה", + "swimlaneActionPopup-title": "פעולות על מסלול", + "listImportCardPopup-title": "יבוא כרטיס מ־Trello", + "listMorePopup-title": "עוד", + "link-list": "קישור לרשימה זו", + "list-delete-pop": "כל הפעולות תוסרנה מרצף הפעילות ולא תהיה לך אפשרות לשחזר את הרשימה. אין ביטול.", + "list-delete-suggest-archive": "ניתן להעביר רשימה לסל מחזור כדי להסיר אותה מהלוח ולשמר את הפעילות.", + "lists": "רשימות", + "swimlanes": "מסלולים", + "log-out": "יציאה", + "log-in": "כניסה", + "loginPopup-title": "כניסה", + "memberMenuPopup-title": "הגדרות חברות", + "members": "חברים", + "menu": "תפריט", + "move-selection": "העברת הבחירה", + "moveCardPopup-title": "העברת כרטיס", + "moveCardToBottom-title": "העברת כרטיס לתחתית הרשימה", + "moveCardToTop-title": "העברת כרטיס לראש הרשימה ", + "moveSelectionPopup-title": "העברת בחירה", + "multi-selection": "בחירה מרובה", + "multi-selection-on": "בחירה מרובה פועלת", + "muted": "מושתק", + "muted-info": "מעתה לא תתקבלנה אצלך התרעות על שינויים בלוח זה", + "my-boards": "הלוחות שלי", + "name": "שם", + "no-archived-cards": "אין כרטיסים בסל המחזור.", + "no-archived-lists": "אין רשימות בסל המחזור.", + "no-archived-swimlanes": "אין מסלולים בסל המחזור.", + "no-results": "אין תוצאות", + "normal": "רגיל", + "normal-desc": "הרשאה לצפות ולערוך כרטיסים. לא ניתן לשנות הגדרות.", + "not-accepted-yet": "ההזמנה לא אושרה עדיין", + "notify-participate": "קבלת עדכונים על כרטיסים בהם יש לך מעורבות הן בתהליך היצירה והן כחבר", + "notify-watch": "קבלת עדכונים על כל לוח, רשימה או כרטיס שסימנת למעקב", + "optional": "רשות", + "or": "או", + "page-maybe-private": "יתכן שדף זה פרטי. ניתן לצפות בו על ידי כניסה למערכת", + "page-not-found": "דף לא נמצא.", + "password": "ססמה", + "paste-or-dragdrop": "כדי להדביק או לגרור ולשחרר קובץ תמונה אליו (תמונות בלבד)", + "participating": "משתתפים", + "preview": "תצוגה מקדימה", + "previewAttachedImagePopup-title": "תצוגה מקדימה", + "previewClipboardImagePopup-title": "תצוגה מקדימה", + "private": "פרטי", + "private-desc": "לוח זה פרטי. רק אנשים שנוספו ללוח יכולים לצפות ולערוך אותו.", + "profile": "פרופיל", + "public": "ציבורי", + "public-desc": "לוח זה ציבורי. כל מי שמחזיק בקישור יכול לצפות בלוח והוא יופיע בתוצאות מנועי חיפוש כגון גוגל. רק אנשים שנוספו ללוח יכולים לערוך אותו.", + "quick-access-description": "לחיצה על הכוכב תוסיף קיצור דרך ללוח בשורה זו.", + "remove-cover": "הסרת כיסוי", + "remove-from-board": "הסרה מהלוח", + "remove-label": "הסרת תווית", + "listDeletePopup-title": "למחוק את הרשימה?", + "remove-member": "הסרת חבר", + "remove-member-from-card": "הסרה מהכרטיס", + "remove-member-pop": "להסיר את __name__ (__username__) מ__boardTitle__? התהליך יגרום להסרת החבר מכל הכרטיסים בלוח זה. תישלח הודעה אל החבר.", + "removeMemberPopup-title": "להסיר חבר?", + "rename": "שינוי שם", + "rename-board": "שינוי שם ללוח", + "restore": "שחזור", + "save": "שמירה", + "search": "חיפוש", + "search-cards": "חיפוש אחר כותרות ותיאורים של כרטיסים בלוח זה", + "search-example": "טקסט לחיפוש ?", + "select-color": "בחירת צבע", + "set-wip-limit-value": "הגדרת מגבלה למספר המרבי של משימות ברשימה זו", + "setWipLimitPopup-title": "הגדרת מגבלת „בעבודה”", + "shortcut-assign-self": "להקצות אותי לכרטיס הנוכחי", + "shortcut-autocomplete-emoji": "השלמה אוטומטית לאימוג׳י", + "shortcut-autocomplete-members": "השלמה אוטומטית של חברים", + "shortcut-clear-filters": "ביטול כל המסננים", + "shortcut-close-dialog": "סגירת החלון", + "shortcut-filter-my-cards": "סינון הכרטיסים שלי", + "shortcut-show-shortcuts": "העלאת רשימת קיצורים זו", + "shortcut-toggle-filterbar": "הצגה או הסתרה של סרגל צד הסינון", + "shortcut-toggle-sidebar": "הצגה או הסתרה של סרגל צד הלוח", + "show-cards-minimum-count": "הצגת ספירת כרטיסים אם רשימה מכילה למעלה מ־", + "sidebar-open": "פתיחת סרגל צד", + "sidebar-close": "סגירת סרגל צד", + "signupPopup-title": "יצירת חשבון", + "star-board-title": "ניתן ללחוץ כדי לסמן בכוכב. הלוח יופיע בראש רשימת הלוחות שלך.", + "starred-boards": "לוחות שסומנו בכוכב", + "starred-boards-description": "לוחות מסומנים בכוכב מופיעים בראש רשימת הלוחות שלך.", + "subscribe": "הרשמה", + "team": "צוות", + "this-board": "לוח זה", + "this-card": "כרטיס זה", + "spent-time-hours": "זמן שהושקע (שעות)", + "overtime-hours": "שעות נוספות", + "overtime": "שעות נוספות", + "has-overtime-cards": "יש כרטיסי שעות נוספות", + "has-spenttime-cards": "ניצל את כרטיסי הזמן שהושקע", + "time": "זמן", + "title": "כותרת", + "tracking": "מעקב", + "tracking-info": "על כל שינוי בכרטיסים בהם הייתה לך מעורבות ברמת היצירה או כחברות תגיע אליך הודעה.", + "type": "סוג", + "unassign-member": "ביטול הקצאת חבר", + "unsaved-description": "יש לך תיאור לא שמור.", + "unwatch": "ביטול מעקב", + "upload": "העלאה", + "upload-avatar": "העלאת תמונת משתמש", + "uploaded-avatar": "הועלתה תמונה משתמש", + "username": "שם משתמש", + "view-it": "הצגה", + "warn-list-archived": "אזהרה: כרטיס זה נמצא ברשימה בסל המחזור", + "watch": "לעקוב", + "watching": "במעקב", + "watching-info": "מעתה יגיעו אליך דיווחים על כל שינוי בלוח זה", + "welcome-board": "לוח קבלת פנים", + "welcome-swimlane": "ציון דרך 1", + "welcome-list1": "יסודות", + "welcome-list2": "מתקדם", + "what-to-do": "מה ברצונך לעשות?", + "wipLimitErrorPopup-title": "מגבלת „בעבודה” שגויה", + "wipLimitErrorPopup-dialog-pt1": "מספר המשימות ברשימה זו גדולה ממגבלת הפריטים „בעבודה” שהגדרת.", + "wipLimitErrorPopup-dialog-pt2": "נא להוציא חלק מהמשימות מרשימה זו או להגדיר מגבלת „בעבודה” גדולה יותר.", + "admin-panel": "חלונית ניהול המערכת", + "settings": "הגדרות", + "people": "אנשים", + "registration": "הרשמה", + "disable-self-registration": "השבתת הרשמה עצמית", + "invite": "הזמנה", + "invite-people": "הזמנת אנשים", + "to-boards": "ללוח/ות", + "email-addresses": "כתובות דוא״ל", + "smtp-host-description": "כתובת שרת ה־SMTP שמטפל בהודעות הדוא״ל שלך.", + "smtp-port-description": "מספר הפתחה בה שרת ה־SMTP שלך משתמש לדוא״ל יוצא.", + "smtp-tls-description": "הפעל תמיכה ב־TLS עבור שרת ה־SMTP", + "smtp-host": "כתובת ה־SMTP", + "smtp-port": "פתחת ה־SMTP", + "smtp-username": "שם משתמש", + "smtp-password": "ססמה", + "smtp-tls": "תמיכה ב־TLS", + "send-from": "מאת", + "send-smtp-test": "שליחת דוא״ל בדיקה לעצמך", + "invitation-code": "קוד הזמנה", + "email-invite-register-subject": "נשלחה אליך הזמנה מאת __inviter__", + "email-invite-register-text": "__user__ יקר,\n\nקיבלת הזמנה מאת __inviter__ לשתף פעולה ב־Wekan.\n\nנא ללחוץ על הקישור:\n__url__\n\nקוד ההזמנה שלך הוא: __icode__\n\nתודה.", + "email-smtp-test-subject": "הודעת בדיקה דרך SMTP מאת Wekan", + "email-smtp-test-text": "שלחת הודעת דוא״ל בהצלחה", + "error-invitation-code-not-exist": "קוד ההזמנה אינו קיים", + "error-notAuthorized": "אין לך הרשאה לצפות בעמוד זה.", + "outgoing-webhooks": "קרסי רשת יוצאים", + "outgoingWebhooksPopup-title": "קרסי רשת יוצאים", + "new-outgoing-webhook": "קרסי רשת יוצאים חדשים", + "no-name": "(לא ידוע)", + "Wekan_version": "גרסת Wekan", + "Node_version": "גרסת Node", + "OS_Arch": "ארכיטקטורת מערכת הפעלה", + "OS_Cpus": "מספר מעבדים", + "OS_Freemem": "זיכרון (RAM) פנוי", + "OS_Loadavg": "עומס ממוצע ", + "OS_Platform": "מערכת הפעלה", + "OS_Release": "גרסת מערכת הפעלה", + "OS_Totalmem": "סך הכל זיכרון (RAM)", + "OS_Type": "סוג מערכת ההפעלה", + "OS_Uptime": "זמן שעבר מאז האתחול האחרון", + "hours": "שעות", + "minutes": "דקות", + "seconds": "שניות", + "show-field-on-card": "הצגת שדה זה בכרטיס", + "yes": "כן", + "no": "לא", + "accounts": "חשבונות", + "accounts-allowEmailChange": "אפשר שינוי דוא\"ל", + "accounts-allowUserNameChange": "לאפשר שינוי שם משתמש", + "createdAt": "נוצר ב", + "verified": "עבר אימות", + "active": "פעיל", + "card-received": "התקבל", + "card-received-on": "התקבל במועד", + "card-end": "סיום", + "card-end-on": "מועד הסיום", + "editCardReceivedDatePopup-title": "החלפת מועד הקבלה", + "editCardEndDatePopup-title": "החלפת מועד הסיום", + "assigned-by": "הוקצה על ידי", + "requested-by": "התבקש על ידי", + "board-delete-notice": "מחיקה היא לצמיתות. כל הרשימות, הכרטיבים והפעולות שקשורים בלוח הזה ילכו לאיבוד.", + "delete-board-confirm-popup": "כל הרשימות, הכרטיסים, התווית והפעולות יימחקו ולא תהיה לך דרך לשחזר את תכני הלוח. אין אפשרות לבטל.", + "boardDeletePopup-title": "למחוק את הלוח?", + "delete-board": "מחיקת לוח" +} \ No newline at end of file diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json new file mode 100644 index 00000000..0dfb11f0 --- /dev/null +++ b/i18n/hu.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Elfogadás", + "act-activity-notify": "[Wekan] Tevékenység értesítés", + "act-addAttachment": "__attachment__ mellékletet csatolt a kártyához: __card__", + "act-addChecklist": "__checklist__ ellenőrzőlistát adott hozzá a kártyához: __card__", + "act-addChecklistItem": "__checklistItem__ elemet adott hozzá a(z) __checklist__ ellenőrzőlistához ezen a kártyán: __card__", + "act-addComment": "hozzászólt a(z) __card__ kártyán: __comment__", + "act-createBoard": "létrehozta a táblát: __board__", + "act-createCard": "__card__ kártyát adott hozzá a listához: __list__", + "act-createCustomField": "létrehozta a(z) __customField__ egyéni listát", + "act-createList": "__list__ listát adott hozzá a táblához: __board__", + "act-addBoardMember": "__member__ tagot hozzáadta a táblához: __board__", + "act-archivedBoard": "A(z) __board__ tábla áthelyezve a lomtárba", + "act-archivedCard": "A(z) __card__ kártya áthelyezve a lomtárba", + "act-archivedList": "A(z) __list__ lista áthelyezve a lomtárba", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "importálta a táblát: __board__", + "act-importCard": "importálta a kártyát: __card__", + "act-importList": "importálta a listát: __list__", + "act-joinMember": "__member__ tagot hozzáadta a kártyához: __card__", + "act-moveCard": "áthelyezte a(z) __card__ kártyát: __oldList__ → __list__", + "act-removeBoardMember": "eltávolította __member__ tagot a tábláról: __board__", + "act-restoredCard": "visszaállította a(z) __card__ kártyát ide: __board__", + "act-unjoinMember": "eltávolította __member__ tagot a kártyáról: __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Műveletek", + "activities": "Tevékenységek", + "activity": "Tevékenység", + "activity-added": "%s hozzáadva ehhez: %s", + "activity-archived": "%s áthelyezve a lomtárba", + "activity-attached": "%s mellékletet csatolt a kártyához: %s", + "activity-created": "%s létrehozva", + "activity-customfield-created": "létrehozta a(z) %s egyéni mezőt", + "activity-excluded": "%s kizárva innen: %s", + "activity-imported": "%s importálva ebbe: %s, innen: %s", + "activity-imported-board": "%s importálva innen: %s", + "activity-joined": "%s csatlakozott", + "activity-moved": "%s áthelyezve: %s → %s", + "activity-on": "ekkor: %s", + "activity-removed": "%s eltávolítva innen: %s", + "activity-sent": "%s elküldve ide: %s", + "activity-unjoined": "%s kilépett a csoportból", + "activity-checklist-added": "ellenőrzőlista hozzáadva ehhez: %s", + "activity-checklist-item-added": "ellenőrzőlista elem hozzáadva ehhez: „%s”, ebben: %s", + "add": "Hozzáadás", + "add-attachment": "Melléklet hozzáadása", + "add-board": "Tábla hozzáadása", + "add-card": "Kártya hozzáadása", + "add-swimlane": "Add Swimlane", + "add-checklist": "Ellenőrzőlista hozzáadása", + "add-checklist-item": "Elem hozzáadása az ellenőrzőlistához", + "add-cover": "Borító hozzáadása", + "add-label": "Címke hozzáadása", + "add-list": "Lista hozzáadása", + "add-members": "Tagok hozzáadása", + "added": "Hozzáadva", + "addMemberPopup-title": "Tagok", + "admin": "Adminisztrátor", + "admin-desc": "Megtekintheti és szerkesztheti a kártyákat, eltávolíthat tagokat, valamint megváltoztathatja a tábla beállításait.", + "admin-announcement": "Bejelentés", + "admin-announcement-active": "Bekapcsolt rendszerszintű bejelentés", + "admin-announcement-title": "Bejelentés az adminisztrátortól", + "all-boards": "Összes tábla", + "and-n-other-card": "És __count__ egyéb kártya", + "and-n-other-card_plural": "És __count__ egyéb kártya", + "apply": "Alkalmaz", + "app-is-offline": "A Wekan betöltés alatt van, kérem várjon. Az oldal újratöltése adatvesztést okoz. Ha a Wekan nem töltődik be, akkor ellenőrizze, hogy a Wekan kiszolgáló nem állt-e le.", + "archive": "Lomtárba", + "archive-all": "Összes lomtárba helyezése", + "archive-board": "Tábla lomtárba helyezése", + "archive-card": "Kártya lomtárba helyezése", + "archive-list": "Lista lomtárba helyezése", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Kijelölés lomtárba helyezése", + "archiveBoardPopup-title": "Lomtárba helyezi a táblát?", + "archived-items": "Lomtár", + "archived-boards": "Lomtárban lévő táblák", + "restore-board": "Tábla visszaállítása", + "no-archived-boards": "Nincs tábla a lomtárban.", + "archives": "Lomtár", + "assign-member": "Tag hozzárendelése", + "attached": "csatolva", + "attachment": "Melléklet", + "attachment-delete-pop": "A melléklet törlése végeleges. Nincs visszaállítás.", + "attachmentDeletePopup-title": "Törli a mellékletet?", + "attachments": "Mellékletek", + "auto-watch": "Táblák automatikus megtekintése, amikor létrejönnek", + "avatar-too-big": "Az avatár túl nagy (legfeljebb 70 KB)", + "back": "Vissza", + "board-change-color": "Szín megváltoztatása", + "board-nb-stars": "%s csillag", + "board-not-found": "A tábla nem található", + "board-private-info": "Ez a tábla legyen személyes.", + "board-public-info": "Ez a tábla legyen nyilvános.", + "boardChangeColorPopup-title": "Tábla hátterének megváltoztatása", + "boardChangeTitlePopup-title": "Tábla átnevezése", + "boardChangeVisibilityPopup-title": "Láthatóság megváltoztatása", + "boardChangeWatchPopup-title": "Megfigyelés megváltoztatása", + "boardMenuPopup-title": "Tábla menü", + "boards": "Táblák", + "board-view": "Tábla nézet", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Listák", + "bucket-example": "Mint például „Bakancslista”", + "cancel": "Mégse", + "card-archived": "Ez a kártya a lomtárba került.", + "card-comments-title": "Ez a kártya %s hozzászólást tartalmaz.", + "card-delete-notice": "A törlés végleges. Az összes műveletet elveszíti, amely ehhez a kártyához tartozik.", + "card-delete-pop": "Az összes művelet el lesz távolítva a tevékenységlistából, és nem lesz képes többé újra megnyitni a kártyát. Nincs visszaállítási lehetőség.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Esedékes", + "card-due-on": "Esedékes ekkor", + "card-spent": "Eltöltött idő", + "card-edit-attachments": "Mellékletek szerkesztése", + "card-edit-custom-fields": "Egyéni mezők szerkesztése", + "card-edit-labels": "Címkék szerkesztése", + "card-edit-members": "Tagok szerkesztése", + "card-labels-title": "A kártya címkéinek megváltoztatása.", + "card-members-title": "A tábla tagjainak hozzáadása vagy eltávolítása a kártyáról.", + "card-start": "Kezdés", + "card-start-on": "Kezdés ekkor", + "cardAttachmentsPopup-title": "Innen csatolva", + "cardCustomField-datePopup-title": "Dátum megváltoztatása", + "cardCustomFieldsPopup-title": "Egyéni mezők szerkesztése", + "cardDeletePopup-title": "Törli a kártyát?", + "cardDetailsActionsPopup-title": "Kártyaműveletek", + "cardLabelsPopup-title": "Címkék", + "cardMembersPopup-title": "Tagok", + "cardMorePopup-title": "Több", + "cards": "Kártyák", + "cards-count": "Kártyák", + "change": "Változtatás", + "change-avatar": "Avatár megváltoztatása", + "change-password": "Jelszó megváltoztatása", + "change-permissions": "Jogosultságok megváltoztatása", + "change-settings": "Beállítások megváltoztatása", + "changeAvatarPopup-title": "Avatár megváltoztatása", + "changeLanguagePopup-title": "Nyelv megváltoztatása", + "changePasswordPopup-title": "Jelszó megváltoztatása", + "changePermissionsPopup-title": "Jogosultságok megváltoztatása", + "changeSettingsPopup-title": "Beállítások megváltoztatása", + "checklists": "Ellenőrzőlisták", + "click-to-star": "Kattintson a tábla csillagozásához.", + "click-to-unstar": "Kattintson a tábla csillagának eltávolításához.", + "clipboard": "Vágólap vagy fogd és vidd", + "close": "Bezárás", + "close-board": "Tábla bezárása", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "fekete", + "color-blue": "kék", + "color-green": "zöld", + "color-lime": "citrus", + "color-orange": "narancssárga", + "color-pink": "rózsaszín", + "color-purple": "lila", + "color-red": "piros", + "color-sky": "égszínkék", + "color-yellow": "sárga", + "comment": "Megjegyzés", + "comment-placeholder": "Megjegyzés írása", + "comment-only": "Csak megjegyzés", + "comment-only-desc": "Csak megjegyzést írhat a kártyákhoz.", + "computer": "Számítógép", + "confirm-checklist-delete-dialog": "Biztosan törölni szeretné az ellenőrzőlistát?", + "copy-card-link-to-clipboard": "Kártya hivatkozásának másolása a vágólapra", + "copyCardPopup-title": "Kártya másolása", + "copyChecklistToManyCardsPopup-title": "Ellenőrzőlista sablon másolása több kártyára", + "copyChecklistToManyCardsPopup-instructions": "A célkártyák címe és a leírások ebben a JSON formátumban", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Első kártya címe\", \"description\":\"Első kártya leírása\"}, {\"title\":\"Második kártya címe\",\"description\":\"Második kártya leírása\"},{\"title\":\"Utolsó kártya címe\",\"description\":\"Utolsó kártya leírása\"} ]", + "create": "Létrehozás", + "createBoardPopup-title": "Tábla létrehozása", + "chooseBoardSourcePopup-title": "Tábla importálása", + "createLabelPopup-title": "Címke létrehozása", + "createCustomField": "Mező létrehozása", + "createCustomFieldPopup-title": "Mező létrehozása", + "current": "jelenlegi", + "custom-field-delete-pop": "Nincs visszavonás. Ez el fogja távolítani az egyéni mezőt az összes kártyáról, és megsemmisíti az előzményeit.", + "custom-field-checkbox": "Jelölőnégyzet", + "custom-field-date": "Dátum", + "custom-field-dropdown": "Legördülő lista", + "custom-field-dropdown-none": "(nincs)", + "custom-field-dropdown-options": "Lista lehetőségei", + "custom-field-dropdown-options-placeholder": "Nyomja meg az Enter billentyűt több lehetőség hozzáadásához", + "custom-field-dropdown-unknown": "(ismeretlen)", + "custom-field-number": "Szám", + "custom-field-text": "Szöveg", + "custom-fields": "Egyéni mezők", + "date": "Dátum", + "decline": "Elutasítás", + "default-avatar": "Alapértelmezett avatár", + "delete": "Törlés", + "deleteCustomFieldPopup-title": "Törli az egyéni mezőt?", + "deleteLabelPopup-title": "Törli a címkét?", + "description": "Leírás", + "disambiguateMultiLabelPopup-title": "Címkeművelet egyértelműsítése", + "disambiguateMultiMemberPopup-title": "Tagművelet egyértelműsítése", + "discard": "Eldobás", + "done": "Kész", + "download": "Letöltés", + "edit": "Szerkesztés", + "edit-avatar": "Avatár megváltoztatása", + "edit-profile": "Profil szerkesztése", + "edit-wip-limit": "WIP korlát szerkesztése", + "soft-wip-limit": "Gyenge WIP korlát", + "editCardStartDatePopup-title": "Kezdődátum megváltoztatása", + "editCardDueDatePopup-title": "Esedékesség dátumának megváltoztatása", + "editCustomFieldPopup-title": "Mező szerkesztése", + "editCardSpentTimePopup-title": "Eltöltött idő megváltoztatása", + "editLabelPopup-title": "Címke megváltoztatása", + "editNotificationPopup-title": "Értesítés szerkesztése", + "editProfilePopup-title": "Profil szerkesztése", + "email": "E-mail", + "email-enrollAccount-subject": "Létrejött a profilja a következő oldalon: __siteName__", + "email-enrollAccount-text": "Kedves __user__!\n\nA szolgáltatás használatának megkezdéséhez egyszerűen kattintson a lenti hivatkozásra.\n\n__url__\n\nKöszönjük.", + "email-fail": "Az e-mail küldése nem sikerült", + "email-fail-text": "Hiba az e-mail küldésének kísérlete közben", + "email-invalid": "Érvénytelen e-mail", + "email-invite": "Meghívás e-mailben", + "email-invite-subject": "__inviter__ egy meghívást küldött Önnek", + "email-invite-text": "Kedves __user__!\n\n__inviter__ meghívta Önt, hogy csatlakozzon a(z) „__board__” táblán történő együttműködéshez.\n\nKattintson az alábbi hivatkozásra:\n\n__url__\n\nKöszönjük.", + "email-resetPassword-subject": "Jelszó visszaállítása ezen az oldalon: __siteName__", + "email-resetPassword-text": "Kedves __user__!\n\nA jelszava visszaállításához egyszerűen kattintson a lenti hivatkozásra.\n\n__url__\n\nKöszönjük.", + "email-sent": "E-mail elküldve", + "email-verifyEmail-subject": "Igazolja vissza az e-mail címét a következő oldalon: __siteName__", + "email-verifyEmail-text": "Kedves __user__!\n\nAz e-mail fiókjának visszaigazolásához egyszerűen kattintson a lenti hivatkozásra.\n\n__url__\n\nKöszönjük.", + "enable-wip-limit": "WIP korlát engedélyezése", + "error-board-doesNotExist": "Ez a tábla nem létezik", + "error-board-notAdmin": "A tábla adminisztrátorának kell lennie, hogy ezt megtehesse", + "error-board-notAMember": "A tábla tagjának kell lennie, hogy ezt megtehesse", + "error-json-malformed": "A szöveg nem érvényes JSON", + "error-json-schema": "A JSON adatok nem a helyes formátumban tartalmazzák a megfelelő információkat", + "error-list-doesNotExist": "Ez a lista nem létezik", + "error-user-doesNotExist": "Ez a felhasználó nem létezik", + "error-user-notAllowSelf": "Nem hívhatja meg saját magát", + "error-user-notCreated": "Ez a felhasználó nincs létrehozva", + "error-username-taken": "Ez a felhasználónév már foglalt", + "error-email-taken": "Az e-mail már foglalt", + "export-board": "Tábla exportálása", + "filter": "Szűrő", + "filter-cards": "Kártyák szűrése", + "filter-clear": "Szűrő törlése", + "filter-no-label": "Nincs címke", + "filter-no-member": "Nincs tag", + "filter-no-custom-fields": "Nincsenek egyéni mezők", + "filter-on": "Szűrő bekapcsolva", + "filter-on-desc": "A kártyaszűrés be van kapcsolva ezen a táblán. Kattintson ide a szűrő szerkesztéséhez.", + "filter-to-selection": "Szűrés a kijelöléshez", + "advanced-filter-label": "Speciális szűrő", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Teljes név", + "header-logo-title": "Vissza a táblák oldalára.", + "hide-system-messages": "Rendszerüzenetek elrejtése", + "headerBarCreateBoardPopup-title": "Tábla létrehozása", + "home": "Kezdőlap", + "import": "Importálás", + "import-board": "tábla importálása", + "import-board-c": "Tábla importálása", + "import-board-title-trello": "Tábla importálása a Trello oldalról", + "import-board-title-wekan": "Tábla importálása a Wekan oldalról", + "import-sandstorm-warning": "Az importált tábla törölni fogja a táblán lévő összes meglévő adatot, és kicseréli az importált táblával.", + "from-trello": "A Trello oldalról", + "from-wekan": "A Wekan oldalról", + "import-board-instruction-trello": "A Trello tábláján menjen a „Menü”, majd a „Több”, „Nyomtatás és exportálás”, „JSON exportálása” menüpontokra, és másolja ki az eredményül kapott szöveget.", + "import-board-instruction-wekan": "A Wekan tábláján menjen a „Menü”, majd a „Tábla exportálás” menüpontra, és másolja ki a letöltött fájlban lévő szöveget.", + "import-json-placeholder": "Illessze be ide az érvényes JSON adatokat", + "import-map-members": "Tagok leképezése", + "import-members-map": "Az importált táblának van néhány tagja. Képezze le a tagokat, akiket importálni szeretne a Wekan felhasználókba.", + "import-show-user-mapping": "Tagok leképezésének vizsgálata", + "import-user-select": "Válassza ki a Wekan felhasználót, akit ezen tagként használni szeretne", + "importMapMembersAddPopup-title": "Wekan tag kiválasztása", + "info": "Verzió", + "initials": "Kezdőbetűk", + "invalid-date": "Érvénytelen dátum", + "invalid-time": "Érvénytelen idő", + "invalid-user": "Érvénytelen felhasználó", + "joined": "csatlakozott", + "just-invited": "Éppen most hívták meg erre a táblára", + "keyboard-shortcuts": "Gyorsbillentyűk", + "label-create": "Címke létrehozása", + "label-default": "%s címke (alapértelmezett)", + "label-delete-pop": "Nincs visszavonás. Ez el fogja távolítani ezt a címkét az összes kártyáról, és törli az előzményeit.", + "labels": "Címkék", + "language": "Nyelv", + "last-admin-desc": "Nem változtathatja meg a szerepeket, mert legalább egy adminisztrátora szükség van.", + "leave-board": "Tábla elhagyása", + "leave-board-pop": "Biztosan el szeretné hagyni ezt a táblát: __boardTitle__? El lesz távolítva a táblán lévő összes kártyáról.", + "leaveBoardPopup-title": "Elhagyja a táblát?", + "link-card": "Összekapcsolás ezzel a kártyával", + "list-archive-cards": "Az összes kártya lomtárba helyezése ezen a listán.", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "A listán lévő összes kártya áthelyezése", + "list-select-cards": "A listán lévő összes kártya kiválasztása", + "listActionPopup-title": "Műveletek felsorolása", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Trello kártya importálása", + "listMorePopup-title": "Több", + "link-list": "Összekapcsolás ezzel a listával", + "list-delete-pop": "Az összes művelet el lesz távolítva a tevékenységlistából, és nem lesz lehetősége visszaállítani a listát. Nincs visszavonás.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Listák", + "swimlanes": "Swimlanes", + "log-out": "Kijelentkezés", + "log-in": "Bejelentkezés", + "loginPopup-title": "Bejelentkezés", + "memberMenuPopup-title": "Tagok beállításai", + "members": "Tagok", + "menu": "Menü", + "move-selection": "Kijelölés áthelyezése", + "moveCardPopup-title": "Kártya áthelyezése", + "moveCardToBottom-title": "Áthelyezés az aljára", + "moveCardToTop-title": "Áthelyezés a tetejére", + "moveSelectionPopup-title": "Kijelölés áthelyezése", + "multi-selection": "Többszörös kijelölés", + "multi-selection-on": "Többszörös kijelölés bekapcsolva", + "muted": "Némítva", + "muted-info": "Soha sem lesz értesítve a táblán lévő semmilyen változásról.", + "my-boards": "Saját tábláim", + "name": "Név", + "no-archived-cards": "Nincs kártya a lomtárban.", + "no-archived-lists": "Nincs lista a lomtárban.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Nincs találat", + "normal": "Normál", + "normal-desc": "Megtekintheti és szerkesztheti a kártyákat. Nem változtathatja meg a beállításokat.", + "not-accepted-yet": "A meghívás még nincs elfogadva", + "notify-participate": "Frissítések fogadása bármely kártyánál, amelynél létrehozóként vagy tagként vesz részt", + "notify-watch": "Frissítések fogadása bármely táblánál, listánál vagy kártyánál, amelyet megtekint", + "optional": "opcionális", + "or": "vagy", + "page-maybe-private": "Ez az oldal személyes lehet. Esetleg megtekintheti, ha bejelentkezik.", + "page-not-found": "Az oldal nem található.", + "password": "Jelszó", + "paste-or-dragdrop": "illessze be, vagy fogd és vidd módon húzza ide a képfájlt (csak képeket)", + "participating": "Részvétel", + "preview": "Előnézet", + "previewAttachedImagePopup-title": "Előnézet", + "previewClipboardImagePopup-title": "Előnézet", + "private": "Személyes", + "private-desc": "Ez a tábla személyes. Csak a táblához hozzáadott emberek tekinthetik meg és szerkeszthetik.", + "profile": "Profil", + "public": "Nyilvános", + "public-desc": "Ez a tábla nyilvános. A hivatkozás birtokában bárki számára látható, és megjelenik az olyan keresőmotorokban, mint például a Google. Csak a táblához hozzáadott emberek szerkeszthetik.", + "quick-access-description": "Csillagozzon meg egy táblát egy gyors hivatkozás hozzáadásához ebbe a sávba.", + "remove-cover": "Borító eltávolítása", + "remove-from-board": "Eltávolítás a tábláról", + "remove-label": "Címke eltávolítása", + "listDeletePopup-title": "Törli a listát?", + "remove-member": "Tag eltávolítása", + "remove-member-from-card": "Eltávolítás a kártyáról", + "remove-member-pop": "Eltávolítja __name__ (__username__) felhasználót a tábláról: __boardTitle__? A tag el lesz távolítva a táblán lévő összes kártyáról. Értesítést fog kapni erről.", + "removeMemberPopup-title": "Eltávolítja a tagot?", + "rename": "Átnevezés", + "rename-board": "Tábla átnevezése", + "restore": "Visszaállítás", + "save": "Mentés", + "search": "Keresés", + "search-cards": "Keresés a táblán lévő kártyák címében illetve leírásában", + "search-example": "keresőkifejezés", + "select-color": "Szín kiválasztása", + "set-wip-limit-value": "Korlát beállítása a listán lévő feladatok legnagyobb számához", + "setWipLimitPopup-title": "WIP korlát beállítása", + "shortcut-assign-self": "Önmaga hozzárendelése a jelenlegi kártyához", + "shortcut-autocomplete-emoji": "Emodzsi automatikus kiegészítése", + "shortcut-autocomplete-members": "Tagok automatikus kiegészítése", + "shortcut-clear-filters": "Összes szűrő törlése", + "shortcut-close-dialog": "Párbeszédablak bezárása", + "shortcut-filter-my-cards": "Kártyáim szűrése", + "shortcut-show-shortcuts": "A hivatkozási lista előre hozása", + "shortcut-toggle-filterbar": "Szűrő oldalsáv ki- és bekapcsolása", + "shortcut-toggle-sidebar": "Tábla oldalsáv ki- és bekapcsolása", + "show-cards-minimum-count": "Kártyaszámok megjelenítése, ha a lista többet tartalmaz mint", + "sidebar-open": "Oldalsáv megnyitása", + "sidebar-close": "Oldalsáv bezárása", + "signupPopup-title": "Fiók létrehozása", + "star-board-title": "Kattintson a tábla csillagozásához. Meg fog jelenni a táblalistája tetején.", + "starred-boards": "Csillagozott táblák", + "starred-boards-description": "A csillagozott táblák megjelennek a táblalistája tetején.", + "subscribe": "Feliratkozás", + "team": "Csapat", + "this-board": "ez a tábla", + "this-card": "ez a kártya", + "spent-time-hours": "Eltöltött idő (óra)", + "overtime-hours": "Túlóra (óra)", + "overtime": "Túlóra", + "has-overtime-cards": "Van túlórás kártyája", + "has-spenttime-cards": "Has spent time cards", + "time": "Idő", + "title": "Cím", + "tracking": "Követés", + "tracking-info": "Értesítve lesz az összes olyan kártya változásáról, amelyen létrehozóként vagy tagként vesz részt.", + "type": "Típus", + "unassign-member": "Tag hozzárendelésének megszüntetése", + "unsaved-description": "Van egy mentetlen leírása.", + "unwatch": "Megfigyelés megszüntetése", + "upload": "Feltöltés", + "upload-avatar": "Egy avatár feltöltése", + "uploaded-avatar": "Egy avatár feltöltve", + "username": "Felhasználónév", + "view-it": "Megtekintés", + "warn-list-archived": "figyelem: ez a kártya egy lomtárban lévő listán van", + "watch": "Megfigyelés", + "watching": "Megfigyelés", + "watching-info": "Értesítve lesz a táblán lévő összes változásról", + "welcome-board": "Üdvözlő tábla", + "welcome-swimlane": "1. mérföldkő", + "welcome-list1": "Alapok", + "welcome-list2": "Speciális", + "what-to-do": "Mit szeretne tenni?", + "wipLimitErrorPopup-title": "Érvénytelen WIP korlát", + "wipLimitErrorPopup-dialog-pt1": "A listán lévő feladatok száma magasabb a meghatározott WIP korlátnál.", + "wipLimitErrorPopup-dialog-pt2": "Helyezzen át néhány feladatot a listáról, vagy állítson be magasabb WIP korlátot.", + "admin-panel": "Adminisztrációs panel", + "settings": "Beállítások", + "people": "Emberek", + "registration": "Regisztráció", + "disable-self-registration": "Önregisztráció letiltása", + "invite": "Meghívás", + "invite-people": "Emberek meghívása", + "to-boards": "Táblákhoz", + "email-addresses": "E-mail címek", + "smtp-host-description": "Az SMTP kiszolgáló címe, amely az e-maileket kezeli.", + "smtp-port-description": "Az SMTP kiszolgáló által használt port a kimenő e-mailekhez.", + "smtp-tls-description": "TLS támogatás engedélyezése az SMTP kiszolgálónál", + "smtp-host": "SMTP kiszolgáló", + "smtp-port": "SMTP port", + "smtp-username": "Felhasználónév", + "smtp-password": "Jelszó", + "smtp-tls": "TLS támogatás", + "send-from": "Feladó", + "send-smtp-test": "Teszt e-mail küldése magamnak", + "invitation-code": "Meghívási kód", + "email-invite-register-subject": "__inviter__ egy meghívás küldött Önnek", + "email-invite-register-text": "Kedves __user__!\n\n__inviter__ meghívta Önt közreműködésre a Wekan oldalra.\n\nKövesse a lenti hivatkozást:\n__url__\n\nÉs a meghívási kódja: __icode__\n\nKöszönjük.", + "email-smtp-test-subject": "SMTP teszt e-mail a Wekantól", + "email-smtp-test-text": "Sikeresen elküldött egy e-mailt", + "error-invitation-code-not-exist": "A meghívási kód nem létezik", + "error-notAuthorized": "Nincs jogosultsága az oldal megtekintéséhez.", + "outgoing-webhooks": "Kimenő webhurkok", + "outgoingWebhooksPopup-title": "Kimenő webhurkok", + "new-outgoing-webhook": "Új kimenő webhurok", + "no-name": "(Ismeretlen)", + "Wekan_version": "Wekan verzió", + "Node_version": "Node verzió", + "OS_Arch": "Operációs rendszer architektúrája", + "OS_Cpus": "Operációs rendszer CPU száma", + "OS_Freemem": "Operációs rendszer szabad memóriája", + "OS_Loadavg": "Operációs rendszer átlagos terhelése", + "OS_Platform": "Operációs rendszer platformja", + "OS_Release": "Operációs rendszer kiadása", + "OS_Totalmem": "Operációs rendszer összes memóriája", + "OS_Type": "Operációs rendszer típusa", + "OS_Uptime": "Operációs rendszer üzemideje", + "hours": "óra", + "minutes": "perc", + "seconds": "másodperc", + "show-field-on-card": "A mező megjelenítése a kártyán", + "yes": "Igen", + "no": "Nem", + "accounts": "Fiókok", + "accounts-allowEmailChange": "E-mail megváltoztatásának engedélyezése", + "accounts-allowUserNameChange": "Felhasználónév megváltoztatásának engedélyezése", + "createdAt": "Létrehozva", + "verified": "Ellenőrizve", + "active": "Aktív", + "card-received": "Érkezett", + "card-received-on": "Ekkor érkezett", + "card-end": "Befejezés", + "card-end-on": "Befejeződik ekkor", + "editCardReceivedDatePopup-title": "Érkezési dátum megváltoztatása", + "editCardEndDatePopup-title": "Befejezési dátum megváltoztatása", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json new file mode 100644 index 00000000..03cb71da --- /dev/null +++ b/i18n/hy.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Ընդունել", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "ավելացրել է __checklistItem__ __checklist__ on __card__-ին", + "act-addComment": "մեկնաբանել է __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Add", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Members", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Members", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Members", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json new file mode 100644 index 00000000..95da897f --- /dev/null +++ b/i18n/id.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Terima", + "act-activity-notify": "[Wekan] Pemberitahuan Kegiatan", + "act-addAttachment": "Lampirkan__attachment__ke__kartu__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "Dikomentari di__kartu__:__comment__", + "act-createBoard": "Panel__dibuat__", + "act-createCard": "Kartu__dilampirkan__ke__Daftar", + "act-createCustomField": "created custom field __customField__", + "act-createList": "Daftar__ditambahkan__ke__Panel", + "act-addBoardMember": "Partisipan__ditambahkan__ke__Kartu", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "Panel__diimpor", + "act-importCard": "Kartu__diimpor__", + "act-importList": "Daftar__diimpor__", + "act-joinMember": "Partisipan__ditambahkan__ke__kartu", + "act-moveCard": "Pindahkan__kartu__dari__daftarlama__ke__daftar", + "act-removeBoardMember": "Hapus__partisipan__dari__panel", + "act-restoredCard": "Kembalikan__kartu__ke__panel", + "act-unjoinMember": "hapus__partisipan__dari__kartu__", + "act-withBoardTitle": "Panel__[Wekan}__", + "act-withCardTitle": "__kartu__[__Panel__]", + "actions": "Daftar Tindakan", + "activities": "Daftar Kegiatan", + "activity": "Kegiatan", + "activity-added": "ditambahkan %s ke %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "dilampirkan %s ke %s", + "activity-created": "dibuat %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "tidak termasuk %s dari %s", + "activity-imported": "diimpor %s kedalam %s dari %s", + "activity-imported-board": "diimpor %s dari %s", + "activity-joined": "bergabung %s", + "activity-moved": "dipindahkan %s dari %s ke %s", + "activity-on": "pada %s", + "activity-removed": "dihapus %s dari %s", + "activity-sent": "terkirim %s ke %s", + "activity-unjoined": "tidak bergabung %s", + "activity-checklist-added": "daftar periksa ditambahkan ke %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Tambah", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Tambahkan hal ke daftar periksa", + "add-cover": "Tambahkan Sampul", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Tambahkan Anggota", + "added": "Ditambahkan", + "addMemberPopup-title": "Daftar Anggota", + "admin": "Admin", + "admin-desc": "Bisa tampilkan dan sunting kartu, menghapus partisipan, dan merubah setting panel", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "Semua Panel", + "and-n-other-card": "Dan__menghitung__kartu lain", + "and-n-other-card_plural": "Dan__menghitung__kartu lain", + "apply": "Terapkan", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Tugaskan anggota", + "attached": "terlampir", + "attachment": "Lampiran", + "attachment-delete-pop": "Menghapus lampiran bersifat permanen. Tidak bisa dipulihkan.", + "attachmentDeletePopup-title": "Hapus Lampiran?", + "attachments": "Daftar Lampiran", + "auto-watch": "Otomatis diawasi saat membuat Panel", + "avatar-too-big": "Berkas avatar terlalu besar (70KB maks)", + "back": "Kembali", + "board-change-color": "Ubah warna", + "board-nb-stars": "%s bintang", + "board-not-found": "Panel tidak ditemukan", + "board-private-info": "Panel ini akan jadi Pribadi", + "board-public-info": "Panel ini akan jadi Publik= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Nama Lengkap", + "header-logo-title": "Kembali ke laman panel anda", + "hide-system-messages": "Sembunyikan pesan-pesan sistem", + "headerBarCreateBoardPopup-title": "Buat Panel", + "home": "Beranda", + "import": "Impor", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Impor panel dari Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "Di panel Trello anda, ke 'Menu', terus 'More', 'Print and Export','Export JSON', dan salin hasilnya", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Tempelkan data JSON yang sah disini", + "import-map-members": "Petakan partisipan", + "import-members-map": "Panel yang anda impor punya partisipan. Silahkan petakan anggota yang anda ingin impor ke user [Wekan]", + "import-show-user-mapping": "Review pemetaan partisipan", + "import-user-select": "Pilih nama pengguna yang Anda mau gunakan sebagai anggota ini", + "importMapMembersAddPopup-title": "Pilih anggota Wekan", + "info": "Versi", + "initials": "Inisial", + "invalid-date": "Tanggal tidak sah", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "bergabung", + "just-invited": "Anda baru diundang di panel ini", + "keyboard-shortcuts": "Pintasan kibor", + "label-create": "Buat Label", + "label-default": "label %s (default)", + "label-delete-pop": "Ini tidak bisa dikembalikan, akan menghapus label ini dari semua kartu dan menghapus semua riwayatnya", + "labels": "Daftar Label", + "language": "Bahasa", + "last-admin-desc": "Anda tidak dapat mengubah aturan karena harus ada minimal seorang Admin.", + "leave-board": "Tingalkan Panel", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link ke kartu ini", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Pindah semua kartu ke daftar ini", + "list-select-cards": "Pilih semua kartu di daftar ini", + "listActionPopup-title": "Daftar Tindakan", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Impor dari Kartu Trello", + "listMorePopup-title": "Lainnya", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Daftar", + "swimlanes": "Swimlanes", + "log-out": "Keluar", + "log-in": "Masuk", + "loginPopup-title": "Masuk", + "memberMenuPopup-title": "Setelan Anggota", + "members": "Daftar Anggota", + "menu": "Menu", + "move-selection": "Pindahkan yang dipilih", + "moveCardPopup-title": "Pindahkan kartu", + "moveCardToBottom-title": "Pindahkan ke bawah", + "moveCardToTop-title": "Pindahkan ke atas", + "moveSelectionPopup-title": "Pindahkan yang dipilih", + "multi-selection": "Multi Pilihan", + "multi-selection-on": "Multi Pilihan aktif", + "muted": "Pemberitahuan tidak aktif", + "muted-info": "Anda tidak akan pernah dinotifikasi semua perubahan di panel ini", + "my-boards": "Panel saya", + "name": "Nama", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Tidak ada hasil", + "normal": "Normal", + "normal-desc": "Bisa tampilkan dan edit kartu. Tidak bisa ubah setting", + "not-accepted-yet": "Undangan belum diterima", + "notify-participate": "Terima update ke semua kartu dimana anda menjadi creator atau partisipan", + "notify-watch": "Terima update dari semua panel, daftar atau kartu yang anda amati", + "optional": "opsi", + "or": "atau", + "page-maybe-private": "Halaman ini hanya untuk kalangan terbatas. Anda dapat melihatnya dengan masuk ke dalam sistem.", + "page-not-found": "Halaman tidak ditemukan.", + "password": "Kata Sandi", + "paste-or-dragdrop": "untuk menempelkan, atau drag& drop gambar pada ini (hanya gambar)", + "participating": "Berpartisipasi", + "preview": "Pratinjau", + "previewAttachedImagePopup-title": "Pratinjau", + "previewClipboardImagePopup-title": "Pratinjau", + "private": "Terbatas", + "private-desc": "Panel ini Pribadi. Hanya orang yang ditambahkan ke panel ini yang bisa melihat dan menyuntingnya", + "profile": "Profil", + "public": "Umum", + "public-desc": "Panel ini publik. Akan terlihat oleh siapapun dengan link terkait dan muncul di mesin pencari seperti Google. Hanya orang yang ditambahkan di panel yang bisa sunting", + "quick-access-description": "Beri bintang panel untuk menambah shortcut di papan ini", + "remove-cover": "Hapus Sampul", + "remove-from-board": "Hapus dari panel", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Hapus Anggota", + "remove-member-from-card": "Hapus dari Kartu", + "remove-member-pop": "Hapus__nama__(__username__) dari __boardTitle__? Partisipan akan dihapus dari semua kartu di panel ini. Mereka akan diberi tahu", + "removeMemberPopup-title": "Hapus Anggota?", + "rename": "Ganti Nama", + "rename-board": "Ubah nama Panel", + "restore": "Pulihkan", + "save": "Simpan", + "search": "Cari", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Masukkan diri anda sendiri ke kartu ini", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete partisipan", + "shortcut-clear-filters": "Bersihkan semua saringan", + "shortcut-close-dialog": "Tutup Dialog", + "shortcut-filter-my-cards": "Filter kartu saya", + "shortcut-show-shortcuts": "Angkat naik shortcut daftar ini", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Tampilkan jumlah kartu jika daftar punya lebih dari ", + "sidebar-open": "Buka Sidebar", + "sidebar-close": "Tutup Sidebar", + "signupPopup-title": "Buat Akun", + "star-board-title": "Klik untuk beri bintang panel ini. Akan muncul paling atas dari daftar panel", + "starred-boards": "Panel dengan bintang", + "starred-boards-description": "Panel berbintang muncul paling atas dari daftar panel anda", + "subscribe": "Langganan", + "team": "Tim", + "this-board": "Panel ini", + "this-card": "Kartu ini", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Waktu", + "title": "Judul", + "tracking": "Pelacakan", + "tracking-info": "Anda akan dinotifikasi semua perubahan di kartu tersebut diaman anda terlibat sebagai creator atau partisipan", + "type": "Type", + "unassign-member": "Tidak sertakan partisipan", + "unsaved-description": "Anda memiliki deskripsi yang belum disimpan.", + "unwatch": "Tidak mengamati", + "upload": "Unggah", + "upload-avatar": "Unggah avatar", + "uploaded-avatar": "Avatar diunggah", + "username": "Nama Pengguna", + "view-it": "Lihat", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Amati", + "watching": "Mengamati", + "watching-info": "Anda akan diberitahu semua perubahan di panel ini", + "welcome-board": "Panel Selamat Datang", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Tingkat dasar", + "welcome-list2": "Tingkat lanjut", + "what-to-do": "Apa yang mau Anda lakukan?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Panel Admin", + "settings": "Setelan", + "people": "Orang-orang", + "registration": "Registrasi", + "disable-self-registration": "Nonaktifkan Swa Registrasi", + "invite": "Undang", + "invite-people": "Undang Orang-orang", + "to-boards": "ke panel", + "email-addresses": "Alamat surel", + "smtp-host-description": "Alamat server SMTP yang menangani surel Anda.", + "smtp-port-description": "Port server SMTP yang Anda gunakan untuk mengirim surel.", + "smtp-tls-description": "Aktifkan dukungan TLS untuk server SMTP", + "smtp-host": "Host SMTP", + "smtp-port": "Port SMTP", + "smtp-username": "Nama Pengguna", + "smtp-password": "Kata Sandi", + "smtp-tls": "Dukungan TLS", + "send-from": "Dari", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Kode Undangan", + "email-invite-register-subject": "__inviter__ mengirim undangan ke Anda", + "email-invite-register-text": "Halo __user__,\n\n__inviter__ mengundang Anda untuk berkolaborasi menggunakan Wekan.\n\nMohon ikuti tautan berikut:\n__url__\n\nDan kode undangan Anda adalah: __icode__\n\nTerima kasih.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Kode undangan tidak ada", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json new file mode 100644 index 00000000..9569f9e1 --- /dev/null +++ b/i18n/ig.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Kwere", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "na %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Tinye", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Tinye ndị otu ọhụrụ", + "added": "Etinyere ", + "addMemberPopup-title": "Ndị otu", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Bido", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Aha", + "cardMembersPopup-title": "Ndị otu", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Gbanwe", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Họrọ asụsụ ọzọ", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Aha", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Ndị otu", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Banye aha ọzọ", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "Hụ ya", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Hụ", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "Ndị mmadụ", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "elekere", + "minutes": "nkeji", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Ee", + "no": "Mba", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Ekere na", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json new file mode 100644 index 00000000..f6ede789 --- /dev/null +++ b/i18n/it.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accetta", + "act-activity-notify": "[Wekan] Notifiche attività", + "act-addAttachment": "ha allegato __attachment__ a __card__", + "act-addChecklist": "aggiunta checklist __checklist__ a __card__", + "act-addChecklistItem": "aggiunto __checklistItem__ alla checklist __checklist__ di __card__", + "act-addComment": "ha commentato su __card__: __comment__", + "act-createBoard": "ha creato __board__", + "act-createCard": "ha aggiunto __card__ a __list__", + "act-createCustomField": "campo personalizzato __customField__ creato", + "act-createList": "ha aggiunto __list__ a __board__", + "act-addBoardMember": "ha aggiunto __member__ a __board__", + "act-archivedBoard": "__board__ spostata nel cestino", + "act-archivedCard": "__card__ spostata nel cestino", + "act-archivedList": "__list__ spostata nel cestino", + "act-archivedSwimlane": "__swimlane__ spostata nel cestino", + "act-importBoard": "ha importato __board__", + "act-importCard": "ha importato __card__", + "act-importList": "ha importato __list__", + "act-joinMember": "ha aggiunto __member__ a __card__", + "act-moveCard": "ha spostato __card__ da __oldList__ a __list__", + "act-removeBoardMember": "ha rimosso __member__ a __board__", + "act-restoredCard": "ha ripristinato __card__ su __board__", + "act-unjoinMember": "ha rimosso __member__ da __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Azioni", + "activities": "Attività", + "activity": "Attività", + "activity-added": "ha aggiunto %s a %s", + "activity-archived": "%s spostato nel cestino", + "activity-attached": "allegato %s a %s", + "activity-created": "creato %s", + "activity-customfield-created": "Campo personalizzato creato", + "activity-excluded": "escluso %s da %s", + "activity-imported": "importato %s in %s da %s", + "activity-imported-board": "importato %s da %s", + "activity-joined": "si è unito a %s", + "activity-moved": "spostato %s da %s a %s", + "activity-on": "su %s", + "activity-removed": "rimosso %s da %s", + "activity-sent": "inviato %s a %s", + "activity-unjoined": "ha abbandonato %s", + "activity-checklist-added": "aggiunta checklist a %s", + "activity-checklist-item-added": "Aggiunto l'elemento checklist a '%s' in %s", + "add": "Aggiungere", + "add-attachment": "Aggiungi Allegato", + "add-board": "Aggiungi Bacheca", + "add-card": "Aggiungi Scheda", + "add-swimlane": "Aggiungi Corsia", + "add-checklist": "Aggiungi Checklist", + "add-checklist-item": "Aggiungi un elemento alla checklist", + "add-cover": "Aggiungi copertina", + "add-label": "Aggiungi Etichetta", + "add-list": "Aggiungi Lista", + "add-members": "Aggiungi membri", + "added": "Aggiunto", + "addMemberPopup-title": "Membri", + "admin": "Amministratore", + "admin-desc": "Può vedere e modificare schede, rimuovere membri e modificare le impostazioni della bacheca.", + "admin-announcement": "Annunci", + "admin-announcement-active": "Attiva annunci di sistema", + "admin-announcement-title": "Annunci dall'Amministratore", + "all-boards": "Tutte le bacheche", + "and-n-other-card": "E __count__ altra scheda", + "and-n-other-card_plural": "E __count__ altre schede", + "apply": "Applica", + "app-is-offline": "Wekan è in caricamento, attendi per favore. Ricaricare la pagina causerà una perdita di dati. Se Wekan non si carica, controlla per favore che non ci siano problemi al server.", + "archive": "Sposta nel cestino", + "archive-all": "Sposta tutto nel cestino", + "archive-board": "Sposta la bacheca nel cestino", + "archive-card": "Sposta la scheda nel cestino", + "archive-list": "Sposta la lista nel cestino", + "archive-swimlane": "Sposta la corsia nel cestino", + "archive-selection": "Sposta la selezione nel cestino", + "archiveBoardPopup-title": "Sposta la bacheca nel cestino", + "archived-items": "Cestino", + "archived-boards": "Bacheche cestinate", + "restore-board": "Ripristina Bacheca", + "no-archived-boards": "Nessuna bacheca nel cestino", + "archives": "Cestino", + "assign-member": "Aggiungi membro", + "attached": "allegato", + "attachment": "Allegato", + "attachment-delete-pop": "L'eliminazione di un allegato è permanente. Non è possibile annullare.", + "attachmentDeletePopup-title": "Eliminare l'allegato?", + "attachments": "Allegati", + "auto-watch": "Segui automaticamente le bacheche quando vengono create.", + "avatar-too-big": "L'avatar è troppo grande (70KB max)", + "back": "Indietro", + "board-change-color": "Cambia colore", + "board-nb-stars": "%s stelle", + "board-not-found": "Bacheca non trovata", + "board-private-info": "Questa bacheca sarà privata.", + "board-public-info": "Questa bacheca sarà pubblica.", + "boardChangeColorPopup-title": "Cambia sfondo della bacheca", + "boardChangeTitlePopup-title": "Rinomina bacheca", + "boardChangeVisibilityPopup-title": "Cambia visibilità", + "boardChangeWatchPopup-title": "Cambia faccia", + "boardMenuPopup-title": "Menu bacheca", + "boards": "Bacheche", + "board-view": "Visualizza bacheca", + "board-view-swimlanes": "Corsie", + "board-view-lists": "Liste", + "bucket-example": "Per esempio come \"una lista di cose da fare\"", + "cancel": "Cancella", + "card-archived": "Questa scheda è stata spostata nel cestino.", + "card-comments-title": "Questa scheda ha %s commenti.", + "card-delete-notice": "L'eliminazione è permanente. Tutte le azioni associate a questa scheda andranno perse.", + "card-delete-pop": "Tutte le azioni saranno rimosse dal flusso attività e non sarai in grado di riaprire la scheda. Non potrai tornare indietro.", + "card-delete-suggest-archive": "Puoi cestinare una scheda per rimuoverla dalla bacheca e preservare la sua attività.", + "card-due": "Scadenza", + "card-due-on": "Scade", + "card-spent": "Tempo trascorso", + "card-edit-attachments": "Modifica allegati", + "card-edit-custom-fields": "Modifica campo personalizzato", + "card-edit-labels": "Modifica etichette", + "card-edit-members": "Modifica membri", + "card-labels-title": "Cambia le etichette per questa scheda.", + "card-members-title": "Aggiungi o rimuovi membri della bacheca da questa scheda", + "card-start": "Inizio", + "card-start-on": "Inizia", + "cardAttachmentsPopup-title": "Allega da", + "cardCustomField-datePopup-title": "Cambia data", + "cardCustomFieldsPopup-title": "Modifica campo personalizzato", + "cardDeletePopup-title": "Elimina scheda?", + "cardDetailsActionsPopup-title": "Azioni scheda", + "cardLabelsPopup-title": "Etichette", + "cardMembersPopup-title": "Membri", + "cardMorePopup-title": "Altro", + "cards": "Schede", + "cards-count": "Schede", + "change": "Cambia", + "change-avatar": "Cambia avatar", + "change-password": "Cambia password", + "change-permissions": "Cambia permessi", + "change-settings": "Cambia impostazioni", + "changeAvatarPopup-title": "Cambia avatar", + "changeLanguagePopup-title": "Cambia lingua", + "changePasswordPopup-title": "Cambia password", + "changePermissionsPopup-title": "Cambia permessi", + "changeSettingsPopup-title": "Cambia impostazioni", + "checklists": "Checklist", + "click-to-star": "Clicca per stellare questa bacheca", + "click-to-unstar": "Clicca per togliere la stella da questa bacheca", + "clipboard": "Clipboard o drag & drop", + "close": "Chiudi", + "close-board": "Chiudi bacheca", + "close-board-pop": "Sarai in grado di ripristinare la bacheca cliccando il tasto \"Cestino\" dall'intestazione della pagina principale.", + "color-black": "nero", + "color-blue": "blu", + "color-green": "verde", + "color-lime": "lime", + "color-orange": "arancione", + "color-pink": "rosa", + "color-purple": "viola", + "color-red": "rosso", + "color-sky": "azzurro", + "color-yellow": "giallo", + "comment": "Commento", + "comment-placeholder": "Scrivi Commento", + "comment-only": "Solo commenti", + "comment-only-desc": "Puoi commentare solo le schede.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Sei sicuro di voler cancellare questa checklist?", + "copy-card-link-to-clipboard": "Copia link della scheda sulla clipboard", + "copyCardPopup-title": "Copia Scheda", + "copyChecklistToManyCardsPopup-title": "Copia template checklist su più schede", + "copyChecklistToManyCardsPopup-instructions": "Titolo e la descrizione della scheda di destinazione in questo formato JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titolo prima scheda\", \"description\":\"Descrizione prima scheda\"}, {\"title\":\"Titolo seconda scheda\",\"description\":\"Descrizione seconda scheda\"},{\"title\":\"Titolo ultima scheda\",\"description\":\"Descrizione ultima scheda\"} ]", + "create": "Crea", + "createBoardPopup-title": "Crea bacheca", + "chooseBoardSourcePopup-title": "Importa bacheca", + "createLabelPopup-title": "Crea etichetta", + "createCustomField": "Crea campo", + "createCustomFieldPopup-title": "Crea campo", + "current": "corrente", + "custom-field-delete-pop": "Non potrai tornare indietro. Questa azione rimuoverà questo campo personalizzato da tutte le schede ed eliminerà ogni sua traccia.", + "custom-field-checkbox": "Casella di scelta", + "custom-field-date": "Data", + "custom-field-dropdown": "Lista a discesa", + "custom-field-dropdown-none": "(nessun)", + "custom-field-dropdown-options": "Lista opzioni", + "custom-field-dropdown-options-placeholder": "Premi invio per aggiungere altre opzioni", + "custom-field-dropdown-unknown": "(sconosciuto)", + "custom-field-number": "Numero", + "custom-field-text": "Testo", + "custom-fields": "Campi personalizzati", + "date": "Data", + "decline": "Declina", + "default-avatar": "Avatar predefinito", + "delete": "Elimina", + "deleteCustomFieldPopup-title": "Elimina il campo personalizzato?", + "deleteLabelPopup-title": "Eliminare etichetta?", + "description": "Descrizione", + "disambiguateMultiLabelPopup-title": "Disambiguare l'azione Etichetta", + "disambiguateMultiMemberPopup-title": "Disambiguare l'azione Membro", + "discard": "Scarta", + "done": "Fatto", + "download": "Download", + "edit": "Modifica", + "edit-avatar": "Cambia avatar", + "edit-profile": "Modifica profilo", + "edit-wip-limit": "Modifica limite di work in progress", + "soft-wip-limit": "Limite Work in progress soft", + "editCardStartDatePopup-title": "Cambia data di inizio", + "editCardDueDatePopup-title": "Cambia data di scadenza", + "editCustomFieldPopup-title": "Modifica campo", + "editCardSpentTimePopup-title": "Cambia tempo trascorso", + "editLabelPopup-title": "Cambia etichetta", + "editNotificationPopup-title": "Modifica notifiche", + "editProfilePopup-title": "Modifica profilo", + "email": "Email", + "email-enrollAccount-subject": "Creato un account per te su __siteName__", + "email-enrollAccount-text": "Ciao __user__,\n\nPer iniziare ad usare il servizio, clicca sul link seguente:\n\n__url__\n\nGrazie.", + "email-fail": "Invio email fallito", + "email-fail-text": "Errore nel tentativo di invio email", + "email-invalid": "Email non valida", + "email-invite": "Invita via email", + "email-invite-subject": "__inviter__ ti ha inviato un invito", + "email-invite-text": "Caro __user__,\n\n__inviter__ ti ha invitato ad unirti alla bacheca \"__board__\" per le collaborazioni.\n\nPer favore clicca sul link seguente:\n\n__url__\n\nGrazie.", + "email-resetPassword-subject": "Ripristina la tua password su on __siteName__", + "email-resetPassword-text": "Ciao __user__,\n\nPer ripristinare la tua password, clicca sul link seguente:\n\n__url__\n\nGrazie.", + "email-sent": "Email inviata", + "email-verifyEmail-subject": "Verifica il tuo indirizzo email su on __siteName__", + "email-verifyEmail-text": "Ciao __user__,\n\nPer verificare il tuo account email, clicca sul link seguente:\n\n__url__\n\nGrazie.", + "enable-wip-limit": "Abilita limite di work in progress", + "error-board-doesNotExist": "Questa bacheca non esiste", + "error-board-notAdmin": "Devi essere admin di questa bacheca per poterlo fare", + "error-board-notAMember": "Devi essere un membro di questa bacheca per poterlo fare", + "error-json-malformed": "Il tuo testo non è un JSON valido", + "error-json-schema": "Il tuo file JSON non contiene le giuste informazioni nel formato corretto", + "error-list-doesNotExist": "Questa lista non esiste", + "error-user-doesNotExist": "Questo utente non esiste", + "error-user-notAllowSelf": "Non puoi invitare te stesso", + "error-user-notCreated": "L'utente non è stato creato", + "error-username-taken": "Questo username è già utilizzato", + "error-email-taken": "L'email è già stata presa", + "export-board": "Esporta bacheca", + "filter": "Filtra", + "filter-cards": "Filtra schede", + "filter-clear": "Pulisci filtri", + "filter-no-label": "Nessuna etichetta", + "filter-no-member": "Nessun membro", + "filter-no-custom-fields": "Nessun campo personalizzato", + "filter-on": "Il filtro è attivo", + "filter-on-desc": "Stai filtrando le schede su questa bacheca. Clicca qui per modificare il filtro,", + "filter-to-selection": "Seleziona", + "advanced-filter-label": "Filtro avanzato", + "advanced-filter-description": "Il filtro avanzato consente di scrivere una stringa contenente i seguenti operatori: == != <= >= && || ( ). Lo spazio è usato come separatore tra gli operatori. E' possibile filtrare per tutti i campi personalizzati, digitando i loro nomi e valori. Ad esempio: Campo1 == Valore1. Nota: Se i campi o i valori contengono spazi, devi racchiuderli dentro le virgolette singole. Ad esempio: 'Campo 1' == 'Valore 1'. E' possibile combinare condizioni multiple. Ad esempio: F1 == V1 || F1 = V2. Normalmente tutti gli operatori sono interpretati da sinistra a destra. Puoi modificare l'ordine utilizzando le parentesi. Ad Esempio: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Nome completo", + "header-logo-title": "Torna alla tua bacheca.", + "hide-system-messages": "Nascondi i messaggi di sistema", + "headerBarCreateBoardPopup-title": "Crea bacheca", + "home": "Home", + "import": "Importa", + "import-board": "Importa bacheca", + "import-board-c": "Importa bacheca", + "import-board-title-trello": "Importa una bacheca da Trello", + "import-board-title-wekan": "Importa bacheca da Wekan", + "import-sandstorm-warning": "La bacheca importata cancellerà tutti i dati esistenti su questa bacheca e li rimpiazzerà con quelli della bacheca importata.", + "from-trello": "Da Trello", + "from-wekan": "Da Wekan", + "import-board-instruction-trello": "Nella tua bacheca Trello vai a 'Menu', poi 'Altro', 'Stampa ed esporta', 'Esporta JSON', e copia il testo che compare.", + "import-board-instruction-wekan": "Nella tua bacheca Wekan, vai su 'Menu', poi 'Esporta bacheca', e copia il testo nel file scaricato.", + "import-json-placeholder": "Incolla un JSON valido qui", + "import-map-members": "Mappatura dei membri", + "import-members-map": "La bacheca che hai importato ha alcuni membri. Per favore scegli i membri che vuoi vengano importati negli utenti di Wekan", + "import-show-user-mapping": "Rivedi la mappatura dei membri", + "import-user-select": "Scegli l'utente Wekan che vuoi utilizzare come questo membro", + "importMapMembersAddPopup-title": "Seleziona i membri di Wekan", + "info": "Versione", + "initials": "Iniziali", + "invalid-date": "Data non valida", + "invalid-time": "Tempo non valido", + "invalid-user": "User non valido", + "joined": "si è unito a", + "just-invited": "Sei stato appena invitato a questa bacheca", + "keyboard-shortcuts": "Scorciatoie da tastiera", + "label-create": "Crea etichetta", + "label-default": "%s etichetta (default)", + "label-delete-pop": "Non potrai tornare indietro. Procedendo, rimuoverai questa etichetta da tutte le schede e distruggerai la sua cronologia.", + "labels": "Etichette", + "language": "Lingua", + "last-admin-desc": "Non puoi cambiare i ruoli perché deve esserci almeno un admin.", + "leave-board": "Abbandona bacheca", + "leave-board-pop": "Sei sicuro di voler abbandonare __boardTitle__? Sarai rimosso da tutte le schede in questa bacheca.", + "leaveBoardPopup-title": "Abbandona Bacheca?", + "link-card": "Link a questa scheda", + "list-archive-cards": "Cestina tutte le schede in questa lista", + "list-archive-cards-pop": "Questo rimuoverà dalla bacheca tutte le schede in questa lista. Per vedere le schede cestinate e portarle indietro alla bacheca, clicca “Menu” > “Elementi cestinati”", + "list-move-cards": "Sposta tutte le schede in questa lista", + "list-select-cards": "Selezione tutte le schede in questa lista", + "listActionPopup-title": "Azioni disponibili", + "swimlaneActionPopup-title": "Azioni corsia", + "listImportCardPopup-title": "Importa una scheda di Trello", + "listMorePopup-title": "Altro", + "link-list": "Link a questa lista", + "list-delete-pop": "Tutte le azioni saranno rimosse dal flusso attività e non sarai in grado di recuperare la lista. Non potrai tornare indietro.", + "list-delete-suggest-archive": "Puoi cestinare una scheda per rimuoverla dalla bacheca e preservare la sua attività.", + "lists": "Liste", + "swimlanes": "Corsie", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Impostazioni membri", + "members": "Membri", + "menu": "Menu", + "move-selection": "Sposta selezione", + "moveCardPopup-title": "Sposta scheda", + "moveCardToBottom-title": "Sposta in fondo", + "moveCardToTop-title": "Sposta in alto", + "moveSelectionPopup-title": "Sposta selezione", + "multi-selection": "Multi-Selezione", + "multi-selection-on": "Multi-Selezione attiva", + "muted": "Silenziato", + "muted-info": "Non sarai mai notificato delle modifiche in questa bacheca", + "my-boards": "Le mie bacheche", + "name": "Nome", + "no-archived-cards": "Nessuna scheda nel cestino", + "no-archived-lists": "Nessuna lista nel cestino", + "no-archived-swimlanes": "Nessuna corsia nel cestino", + "no-results": "Nessun risultato", + "normal": "Normale", + "normal-desc": "Può visionare e modificare le schede. Non può cambiare le impostazioni.", + "not-accepted-yet": "Invitato non ancora accettato", + "notify-participate": "Ricevi aggiornamenti per qualsiasi scheda a cui partecipi come creatore o membro", + "notify-watch": "Ricevi aggiornamenti per tutte le bacheche, liste o schede che stai seguendo", + "optional": "opzionale", + "or": "o", + "page-maybe-private": "Questa pagina potrebbe essere privata. Potresti essere in grado di vederla facendo il log-in.", + "page-not-found": "Pagina non trovata.", + "password": "Password", + "paste-or-dragdrop": "per incollare, oppure trascina & rilascia il file immagine (solo immagini)", + "participating": "Partecipando", + "preview": "Anteprima", + "previewAttachedImagePopup-title": "Anteprima", + "previewClipboardImagePopup-title": "Anteprima", + "private": "Privata", + "private-desc": "Questa bacheca è privata. Solo le persone aggiunte alla bacheca possono vederla e modificarla.", + "profile": "Profilo", + "public": "Pubblica", + "public-desc": "Questa bacheca è pubblica. È visibile a chiunque abbia il link e sarà mostrata dai motori di ricerca come Google. Solo le persone aggiunte alla bacheca possono modificarla.", + "quick-access-description": "Stella una bacheca per aggiungere una scorciatoia in questa barra.", + "remove-cover": "Rimuovi cover", + "remove-from-board": "Rimuovi dalla bacheca", + "remove-label": "Rimuovi Etichetta", + "listDeletePopup-title": "Eliminare Lista?", + "remove-member": "Rimuovi utente", + "remove-member-from-card": "Rimuovi dalla scheda", + "remove-member-pop": "Rimuovere __name__ (__username__) da __boardTitle__? L'utente sarà rimosso da tutte le schede in questa bacheca. Riceveranno una notifica.", + "removeMemberPopup-title": "Rimuovere membro?", + "rename": "Rinomina", + "rename-board": "Rinomina bacheca", + "restore": "Ripristina", + "save": "Salva", + "search": "Cerca", + "search-cards": "Ricerca per titolo e descrizione scheda su questa bacheca", + "search-example": "Testo da ricercare?", + "select-color": "Seleziona Colore", + "set-wip-limit-value": "Seleziona un limite per il massimo numero di attività in questa lista", + "setWipLimitPopup-title": "Imposta limite di work in progress", + "shortcut-assign-self": "Aggiungi te stesso alla scheda corrente", + "shortcut-autocomplete-emoji": "Autocompletamento emoji", + "shortcut-autocomplete-members": "Autocompletamento membri", + "shortcut-clear-filters": "Pulisci tutti i filtri", + "shortcut-close-dialog": "Chiudi finestra di dialogo", + "shortcut-filter-my-cards": "Filtra le mie schede", + "shortcut-show-shortcuts": "Apri questa lista di scorciatoie", + "shortcut-toggle-filterbar": "Apri/chiudi la barra laterale dei filtri", + "shortcut-toggle-sidebar": "Apri/chiudi la barra laterale della bacheca", + "show-cards-minimum-count": "Mostra il contatore delle schede se la lista ne contiene più di", + "sidebar-open": "Apri Sidebar", + "sidebar-close": "Chiudi Sidebar", + "signupPopup-title": "Crea un account", + "star-board-title": "Clicca per stellare questa bacheca. Sarà mostrata all'inizio della tua lista bacheche.", + "starred-boards": "Bacheche stellate", + "starred-boards-description": "Le bacheche stellate vengono mostrato all'inizio della tua lista bacheche.", + "subscribe": "Sottoscrivi", + "team": "Team", + "this-board": "questa bacheca", + "this-card": "questa scheda", + "spent-time-hours": "Tempo trascorso (ore)", + "overtime-hours": "Overtime (ore)", + "overtime": "Overtime", + "has-overtime-cards": "Ci sono scheda scadute", + "has-spenttime-cards": "Ci sono scheda con tempo impiegato", + "time": "Ora", + "title": "Titolo", + "tracking": "Monitoraggio", + "tracking-info": "Sarai notificato per tutte le modifiche alle schede delle quali sei creatore o membro.", + "type": "Tipo", + "unassign-member": "Rimuovi membro", + "unsaved-description": "Hai una descrizione non salvata", + "unwatch": "Non seguire", + "upload": "Upload", + "upload-avatar": "Carica un avatar", + "uploaded-avatar": "Avatar caricato", + "username": "Username", + "view-it": "Vedi", + "warn-list-archived": "attenzione: questa scheda è in una lista cestinata", + "watch": "Segui", + "watching": "Stai seguendo", + "watching-info": "Sarai notificato per tutte le modifiche in questa bacheca", + "welcome-board": "Bacheca di benvenuto", + "welcome-swimlane": "Pietra miliare 1", + "welcome-list1": "Basi", + "welcome-list2": "Avanzate", + "what-to-do": "Cosa vuoi fare?", + "wipLimitErrorPopup-title": "Limite work in progress non valido. ", + "wipLimitErrorPopup-dialog-pt1": "Il numero di compiti in questa lista è maggiore del limite di work in progress che hai definito in precedenza. ", + "wipLimitErrorPopup-dialog-pt2": "Per favore, sposta alcuni dei compiti fuori da questa lista, oppure imposta un limite di work in progress più alto. ", + "admin-panel": "Pannello dell'Amministratore", + "settings": "Impostazioni", + "people": "Persone", + "registration": "Registrazione", + "disable-self-registration": "Disabilita Auto-registrazione", + "invite": "Invita", + "invite-people": "Invita persone", + "to-boards": "Alla(e) bacheche(a)", + "email-addresses": "Indirizzi email", + "smtp-host-description": "L'indirizzo del server SMTP che gestisce le tue email.", + "smtp-port-description": "La porta che il tuo server SMTP utilizza per le email in uscita.", + "smtp-tls-description": "Abilita supporto TLS per server SMTP", + "smtp-host": "SMTP Host", + "smtp-port": "Porta SMTP", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "Supporto TLS", + "send-from": "Da", + "send-smtp-test": "Invia un'email di test a te stesso", + "invitation-code": "Codice d'invito", + "email-invite-register-subject": "__inviter__ ti ha inviato un invito", + "email-invite-register-text": "Gentile __user__,\n\n__inviter__ ti ha invitato su Wekan per collaborare.\n\nPer favore segui il link qui sotto:\n__url__\n\nIl tuo codice d'invito è: __icode__\n\nGrazie.", + "email-smtp-test-subject": "Test invio email SMTP per Wekan", + "email-smtp-test-text": "Hai inviato un'email con successo", + "error-invitation-code-not-exist": "Il codice d'invito non esiste", + "error-notAuthorized": "Non sei autorizzato ad accedere a questa pagina.", + "outgoing-webhooks": "Server esterni", + "outgoingWebhooksPopup-title": "Server esterni", + "new-outgoing-webhook": "Nuovo webhook in uscita", + "no-name": "(Sconosciuto)", + "Wekan_version": "Versione di Wekan", + "Node_version": "Versione di Node", + "OS_Arch": "Architettura del sistema operativo", + "OS_Cpus": "Conteggio della CPU del sistema operativo", + "OS_Freemem": "Memoria libera del sistema operativo ", + "OS_Loadavg": "Carico medio del sistema operativo ", + "OS_Platform": "Piattaforma del sistema operativo", + "OS_Release": "Versione di rilascio del sistema operativo", + "OS_Totalmem": "Memoria totale del sistema operativo ", + "OS_Type": "Tipo di sistema operativo ", + "OS_Uptime": "Tempo di attività del sistema operativo. ", + "hours": "ore", + "minutes": "minuti", + "seconds": "secondi", + "show-field-on-card": "Visualizza questo campo sulla scheda", + "yes": "Sì", + "no": "No", + "accounts": "Profili", + "accounts-allowEmailChange": "Permetti modifica dell'email", + "accounts-allowUserNameChange": "Consenti la modifica del nome utente", + "createdAt": "creato alle", + "verified": "Verificato", + "active": "Attivo", + "card-received": "Ricevuta", + "card-received-on": "Ricevuta il", + "card-end": "Fine", + "card-end-on": "Termina il", + "editCardReceivedDatePopup-title": "Cambia data ricezione", + "editCardEndDatePopup-title": "Cambia data finale", + "assigned-by": "Assegnato da", + "requested-by": "Richiesto da", + "board-delete-notice": "L'eliminazione è permanente. Tutte le azioni, liste e schede associate a questa bacheca andranno perse.", + "delete-board-confirm-popup": "Tutte le liste, schede, etichette e azioni saranno rimosse e non sarai più in grado di recuperare il contenuto della bacheca. L'azione non è annullabile.", + "boardDeletePopup-title": "Eliminare la bacheca?", + "delete-board": "Elimina bacheca" +} \ No newline at end of file diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json new file mode 100644 index 00000000..7f9a3c40 --- /dev/null +++ b/i18n/ja.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "受け入れ", + "act-activity-notify": "[Wekan] アクティビティ通知", + "act-addAttachment": "__card__ に __attachment__ を添付しました", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "__card__: __comment__ をコメントしました", + "act-createBoard": "__board__ を作成しました", + "act-createCard": "__list__ に __card__ を追加しました", + "act-createCustomField": "created custom field __customField__", + "act-createList": "__board__ に __list__ を追加しました", + "act-addBoardMember": "__board__ に __member__ を追加しました", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "__board__ をインポートしました", + "act-importCard": "__card__ をインポートしました", + "act-importList": "__list__ をインポートしました", + "act-joinMember": "__card__ に __member__ を追加しました", + "act-moveCard": "__card__ を __oldList__ から __list__ に 移動しました", + "act-removeBoardMember": "__board__ から __member__ を削除しました", + "act-restoredCard": "__card__ を __board__ にリストアしました", + "act-unjoinMember": "__card__ から __member__ を削除しました", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "操作", + "activities": "アクティビティ", + "activity": "アクティビティ", + "activity-added": "%s を %s に追加しました", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "%s を %s に添付しました", + "activity-created": "%s を作成しました", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "%s を %s から除外しました", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "%s にジョインしました", + "activity-moved": "%s を %s から %s に移動しました", + "activity-on": "%s", + "activity-removed": "%s を %s から削除しました", + "activity-sent": "%s を %s に送りました", + "activity-unjoined": "%s への参加を止めました", + "activity-checklist-added": "%s にチェックリストを追加しました", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "追加", + "add-attachment": "添付ファイルを追加", + "add-board": "ボードを追加", + "add-card": "カードを追加", + "add-swimlane": "Add Swimlane", + "add-checklist": "チェックリストを追加", + "add-checklist-item": "チェックリストに項目を追加", + "add-cover": "カバーの追加", + "add-label": "ラベルを追加", + "add-list": "リストを追加", + "add-members": "メンバーの追加", + "added": "追加しました", + "addMemberPopup-title": "メンバー", + "admin": "管理", + "admin-desc": "カードの閲覧と編集、メンバーの削除、ボードの設定変更が可能", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "全てのボード", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "適用", + "app-is-offline": "現在オフラインです。ページを更新すると保存していないデータは失われます。", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "ボードをリストア", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "メンバーの割当", + "attached": "添付されました", + "attachment": "添付ファイル", + "attachment-delete-pop": "添付ファイルの削除をすると取り消しできません。", + "attachmentDeletePopup-title": "添付ファイルを削除しますか?", + "attachments": "添付ファイル", + "auto-watch": "作成されたボードを自動的にウォッチする", + "avatar-too-big": "アバターが大きすぎます(最大70KB)", + "back": "戻る", + "board-change-color": "色の変更", + "board-nb-stars": "%s stars", + "board-not-found": "ボードが見つかりません", + "board-private-info": "ボードは 非公開 になります。", + "board-public-info": "ボードは公開されます。", + "boardChangeColorPopup-title": "ボードの背景を変更", + "boardChangeTitlePopup-title": "ボード名の変更", + "boardChangeVisibilityPopup-title": "公開範囲の変更", + "boardChangeWatchPopup-title": "ウォッチの変更", + "boardMenuPopup-title": "ボードメニュー", + "boards": "ボード", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "リスト", + "bucket-example": "Like “Bucket List” for example", + "cancel": "キャンセル", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "%s 件のコメントがあります。", + "card-delete-notice": "削除は取り消しできません。このカードに関係するすべてのアクションがなくなります。", + "card-delete-pop": "すべての内容がアクティビティから削除されます。この削除は元に戻すことができません。", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "期限", + "card-due-on": "期限日", + "card-spent": "Spent Time", + "card-edit-attachments": "添付ファイルの編集", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "ラベルの編集", + "card-edit-members": "メンバーの編集", + "card-labels-title": "カードのラベルを変更する", + "card-members-title": "カードからボードメンバーを追加・削除する", + "card-start": "開始", + "card-start-on": "開始日", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "カードを削除しますか?", + "cardDetailsActionsPopup-title": "カード操作", + "cardLabelsPopup-title": "ラベル", + "cardMembersPopup-title": "メンバー", + "cardMorePopup-title": "さらに見る", + "cards": "カード", + "cards-count": "カード", + "change": "変更", + "change-avatar": "アバターの変更", + "change-password": "パスワードの変更", + "change-permissions": "権限の変更", + "change-settings": "設定の変更", + "changeAvatarPopup-title": "アバターの変更", + "changeLanguagePopup-title": "言語の変更", + "changePasswordPopup-title": "パスワードの変更", + "changePermissionsPopup-title": "パーミッションの変更", + "changeSettingsPopup-title": "設定の変更", + "checklists": "チェックリスト", + "click-to-star": "ボードにスターをつける", + "click-to-unstar": "ボードからスターを外す", + "clipboard": "クリップボードもしくはドラッグ&ドロップ", + "close": "閉じる", + "close-board": "ボードを閉じる", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "黒", + "color-blue": "青", + "color-green": "緑", + "color-lime": "ライム", + "color-orange": "オレンジ", + "color-pink": "ピンク", + "color-purple": "紫", + "color-red": "赤", + "color-sky": "空", + "color-yellow": "黄", + "comment": "コメント", + "comment-placeholder": "コメントを書く", + "comment-only": "コメントのみ", + "comment-only-desc": "カードにのみコメント可能", + "computer": "コンピューター", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "カードへのリンクをクリップボードにコピー", + "copyCardPopup-title": "カードをコピー", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "作成", + "createBoardPopup-title": "ボードの作成", + "chooseBoardSourcePopup-title": "ボードをインポート", + "createLabelPopup-title": "ラベルの作成", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "現在", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "日付", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "日付", + "decline": "拒否", + "default-avatar": "デフォルトのアバター", + "delete": "削除", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "ラベルを削除しますか?", + "description": "詳細", + "disambiguateMultiLabelPopup-title": "不正なラベル操作", + "disambiguateMultiMemberPopup-title": "不正なメンバー操作", + "discard": "捨てる", + "done": "完了", + "download": "ダウンロード", + "edit": "編集", + "edit-avatar": "アバターの変更", + "edit-profile": "プロフィールの編集", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "開始日の変更", + "editCardDueDatePopup-title": "期限の変更", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "ラベルの変更", + "editNotificationPopup-title": "通知の変更", + "editProfilePopup-title": "プロフィールの編集", + "email": "メールアドレス", + "email-enrollAccount-subject": "__siteName__であなたのアカウントが作成されました", + "email-enrollAccount-text": "こんにちは、__user__さん。\n\nサービスを開始するには、以下をクリックしてください。\n\n__url__\n\nよろしくお願いします。", + "email-fail": "メールの送信に失敗しました", + "email-fail-text": "Error trying to send email", + "email-invalid": "無効なメールアドレス", + "email-invite": "メールで招待", + "email-invite-subject": "__inviter__があなたを招待しています", + "email-invite-text": "__user__さんへ。\n\n__inviter__さんがあなたをボード\"__board__\"へ招待しています。\n\n以下のリンクをクリックしてください。\n\n__url__\n\nよろしくお願いします。", + "email-resetPassword-subject": "あなたの __siteName__ のパスワードをリセットする", + "email-resetPassword-text": "こんにちは、__user__さん。\n\nパスワードをリセットするには、以下のリンクをクリックしてください。\n\n__url__\n\nよろしくお願いします。", + "email-sent": "メールを送信しました", + "email-verifyEmail-subject": "あなたの __siteName__ のメールアドレスを確認する", + "email-verifyEmail-text": "こんにちは、__user__さん。\n\nメールアドレスを認証するために、以下のリンクをクリックしてください。\n\n__url__\n\nよろしくお願いします。", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "ボードがありません", + "error-board-notAdmin": "操作にはボードの管理者権限が必要です", + "error-board-notAMember": "操作にはボードメンバーである必要があります", + "error-json-malformed": "このテキストは、有効なJSON形式ではありません", + "error-json-schema": "JSONデータが不正な値を含んでいます", + "error-list-doesNotExist": "このリストは存在しません", + "error-user-doesNotExist": "ユーザーが存在しません", + "error-user-notAllowSelf": "自分を招待することはできません。", + "error-user-notCreated": "ユーザーが作成されていません", + "error-username-taken": "このユーザ名は既に使用されています", + "error-email-taken": "メールは既に受け取られています", + "export-board": "ボードのエクスポート", + "filter": "フィルター", + "filter-cards": "カードをフィルターする", + "filter-clear": "フィルターの解除", + "filter-no-label": "ラベルなし", + "filter-no-member": "メンバーなし", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "フィルター有効", + "filter-on-desc": "このボードのカードをフィルターしています。フィルターを編集するにはこちらをクリックしてください。", + "filter-to-selection": "フィルターした項目を全選択", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "フルネーム", + "header-logo-title": "自分のボードページに戻る。", + "hide-system-messages": "システムメッセージを隠す", + "headerBarCreateBoardPopup-title": "ボードの作成", + "home": "ホーム", + "import": "インポート", + "import-board": "ボードをインポート", + "import-board-c": "ボードをインポート", + "import-board-title-trello": "Trelloからボードをインポート", + "import-board-title-wekan": "Wekanからボードをインポート", + "import-sandstorm-warning": "ボードのインポートは、既存ボードのすべてのデータを置き換えます。", + "from-trello": "Trelloから", + "from-wekan": "Wekanから", + "import-board-instruction-trello": "Trelloボードの、 'Menu' → 'More' → 'Print and Export' → 'Export JSON'を選択し、テキストをコピーしてください。", + "import-board-instruction-wekan": "Wekanボードの、'Menu' → 'Export board'を選択し、ダウンロードされたファイルからテキストをコピーしてください。", + "import-json-placeholder": "JSONデータをここに貼り付けする", + "import-map-members": "メンバーを紐付け", + "import-members-map": "インポートしたボードにはメンバーが含まれます。これらのメンバーをWekanのメンバーに紐付けしてください。", + "import-show-user-mapping": "メンバー紐付けの確認", + "import-user-select": "メンバーとして利用したいWekanユーザーを選択", + "importMapMembersAddPopup-title": "Wekanメンバーを選択", + "info": "バージョン", + "initials": "初期状態", + "invalid-date": "無効な日付", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "参加しました", + "just-invited": "このボードのメンバーに招待されています", + "keyboard-shortcuts": "キーボード・ショートカット", + "label-create": "ラベルの作成", + "label-default": "%s ラベル(デフォルト)", + "label-delete-pop": "この操作は取り消しできません。このラベルはすべてのカードから外され履歴からも見えなくなります。", + "labels": "ラベル", + "language": "言語", + "last-admin-desc": "最低でも1人以上の管理者が必要なためロールを変更できません。", + "leave-board": "ボードから退出する", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "ボードから退出しますか?", + "link-card": "このカードへのリンク", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "リストの全カードを移動する", + "list-select-cards": "リストの全カードを選択", + "listActionPopup-title": "操作一覧", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Trelloのカードをインポート", + "listMorePopup-title": "さらに見る", + "link-list": "このリストへのリンク", + "list-delete-pop": "すべての内容がアクティビティから削除されます。この削除は元に戻すことができません。", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "リスト", + "swimlanes": "Swimlanes", + "log-out": "ログアウト", + "log-in": "ログイン", + "loginPopup-title": "ログイン", + "memberMenuPopup-title": "メンバー設定", + "members": "メンバー", + "menu": "メニュー", + "move-selection": "選択したものを移動", + "moveCardPopup-title": "カードの移動", + "moveCardToBottom-title": "最下部に移動", + "moveCardToTop-title": "先頭に移動", + "moveSelectionPopup-title": "選択箇所に移動", + "multi-selection": "複数選択", + "multi-selection-on": "複数選択有効", + "muted": "ミュート", + "muted-info": "このボードの変更は通知されません", + "my-boards": "自分のボード", + "name": "名前", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "該当するものはありません", + "normal": "通常", + "normal-desc": "カードの閲覧と編集が可能。設定変更不可。", + "not-accepted-yet": "招待はアクセプトされていません", + "notify-participate": "作成した、またはメンバーとなったカードの更新情報を受け取る", + "notify-watch": "ウォッチしているすべてのボード、リスト、カードの更新情報を受け取る", + "optional": "任意", + "or": "or", + "page-maybe-private": "このページはプライベートです。ログインして見てください。", + "page-not-found": "ページが見つかりません。", + "password": "パスワード", + "paste-or-dragdrop": "貼り付けか、ドラッグアンドロップで画像を添付 (画像のみ)", + "participating": "参加", + "preview": "プレビュー", + "previewAttachedImagePopup-title": "プレビュー", + "previewClipboardImagePopup-title": "プレビュー", + "private": "プライベート", + "private-desc": "このボードはプライベートです。ボードメンバーのみが閲覧・編集可能です。", + "profile": "プロフィール", + "public": "公開", + "public-desc": "このボードはパブリックです。リンクを知っていれば誰でもアクセス可能でGoogleのような検索エンジンの結果に表示されます。このボードに追加されている人だけがカード追加が可能です。", + "quick-access-description": "ボードにスターをつけると、ここににショートカットができます。", + "remove-cover": "カバーの削除", + "remove-from-board": "ボードから外す", + "remove-label": "ラベルの削除", + "listDeletePopup-title": "リストを削除しますか?", + "remove-member": "メンバーを外す", + "remove-member-from-card": "カードから外す", + "remove-member-pop": "__boardTitle__ から __name__ (__username__) を外しますか?メンバーはこのボードのすべてのカードから外れ、通知を受けます。", + "removeMemberPopup-title": "メンバーを外しますか?", + "rename": "名前変更", + "rename-board": "ボード名の変更", + "restore": "復元", + "save": "保存", + "search": "検索", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "色を選択", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "自分をこのカードに割り当てる", + "shortcut-autocomplete-emoji": "絵文字の補完", + "shortcut-autocomplete-members": "メンバーの補完", + "shortcut-clear-filters": "すべてのフィルターを解除する", + "shortcut-close-dialog": "ダイアログを閉じる", + "shortcut-filter-my-cards": "カードをフィルター", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "フィルターサイドバーの切り替え", + "shortcut-toggle-sidebar": "ボードサイドバーの切り替え", + "show-cards-minimum-count": "以下より多い場合、リストにカード数を表示", + "sidebar-open": "サイドバーを開く", + "sidebar-close": "サイドバーを閉じる", + "signupPopup-title": "アカウント作成", + "star-board-title": "ボードにスターをつけると自分のボード一覧のトップに表示されます。", + "starred-boards": "スターのついたボード", + "starred-boards-description": "スターのついたボードはボードリストの先頭に表示されます。", + "subscribe": "購読", + "team": "チーム", + "this-board": "このボード", + "this-card": "このカード", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "時間", + "title": "タイトル", + "tracking": "トラッキング", + "tracking-info": "これらのカードへの変更が通知されるようになります。", + "type": "Type", + "unassign-member": "未登録のメンバー", + "unsaved-description": "未保存の変更があります。", + "unwatch": "アンウォッチ", + "upload": "アップロード", + "upload-avatar": "アバターのアップロード", + "uploaded-avatar": "アップロードされたアバター", + "username": "ユーザー名", + "view-it": "見る", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "ウォッチ", + "watching": "ウォッチしています", + "watching-info": "このボードの変更が通知されます", + "welcome-board": "ウェルカムボード", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "基本", + "welcome-list2": "高度", + "what-to-do": "何をしたいですか?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "管理パネル", + "settings": "設定", + "people": "メンバー", + "registration": "登録", + "disable-self-registration": "自己登録を無効化", + "invite": "招待", + "invite-people": "メンバーを招待", + "to-boards": "ボードへ移動", + "email-addresses": "Emailアドレス", + "smtp-host-description": "Emailを処理するSMTPサーバーのアドレス", + "smtp-port-description": "SMTPサーバーがEmail送信に使用するポート", + "smtp-tls-description": "SMTPサーバのTLSサポートを有効化", + "smtp-host": "SMTPホスト", + "smtp-port": "SMTPポート", + "smtp-username": "ユーザー名", + "smtp-password": "パスワード", + "smtp-tls": "TLSサポート", + "send-from": "送信元", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "招待コード", + "email-invite-register-subject": "__inviter__さんがあなたを招待しています", + "email-invite-register-text": " __user__ さん\n\n__inviter__ があなたをWekanに招待しました。\n\n以下のリンクをクリックしてください。\n__url__\n\nあなたの招待コードは、 __icode__ です。\n\nよろしくお願いします。", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "招待コードが存在しません", + "error-notAuthorized": "このページを参照する権限がありません。", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekanバージョン", + "Node_version": "Nodeバージョン", + "OS_Arch": "OSアーキテクチャ", + "OS_Cpus": "OS CPU数", + "OS_Freemem": "OSフリーメモリ", + "OS_Loadavg": "OSロードアベレージ", + "OS_Platform": "OSプラットフォーム", + "OS_Release": "OSリリース", + "OS_Totalmem": "OSトータルメモリ", + "OS_Type": "OS種類", + "OS_Uptime": "OSアップタイム", + "hours": "時", + "minutes": "分", + "seconds": "秒", + "show-field-on-card": "Show this field on card", + "yes": "はい", + "no": "いいえ", + "accounts": "アカウント", + "accounts-allowEmailChange": "メールアドレスの変更を許可", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json new file mode 100644 index 00000000..b9550ff6 --- /dev/null +++ b/i18n/km.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "យល់ព្រម", + "act-activity-notify": "[Wekan] សកម្មភាពជូនដំណឹង", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Add", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Members", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Members", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Members", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "បិទផ្ទាំង", + "shortcut-filter-my-cards": "តម្រងកាតរបស់ខ្ញុំ", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "បង្កើតគណនីមួយ", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "កាតនេះ", + "spent-time-hours": "ចំណាយពេល (ម៉ោង)", + "overtime-hours": "លើសពេល (ម៉ោង)", + "overtime": "លើសពេល", + "has-overtime-cards": "មានកាតលើសពេល", + "has-spenttime-cards": "មានកាតដែលបានចំណាយពេល", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json new file mode 100644 index 00000000..edf978a7 --- /dev/null +++ b/i18n/ko.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "확인", + "act-activity-notify": "[Wekan] 활동 알림", + "act-addAttachment": "__attachment__를 __card__에 첨부", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "__card__에 내용 추가 : __comment__", + "act-createBoard": "__board__ 생성", + "act-createCard": "__list__에 __card__ 추가", + "act-createCustomField": "created custom field __customField__", + "act-createList": "__board__에 __list__ 추가", + "act-addBoardMember": "__board__에 __member__ 추가", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "가져온 __board__", + "act-importCard": "가져온 __card__", + "act-importList": "가져온 __list__", + "act-joinMember": "__card__에 __member__ 추가", + "act-moveCard": "__card__을 __oldList__에서 __list__로 이동", + "act-removeBoardMember": "__board__에서 __member__를 삭제", + "act-restoredCard": "__card__를 __board__에 복원했습니다.", + "act-unjoinMember": "__card__에서 __member__를 삭제", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "동작", + "activities": "활동 내역", + "activity": "활동 상태", + "activity-added": "%s를 %s에 추가함", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "%s를 %s에 첨부함", + "activity-created": "%s 생성됨", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "%s를 %s에서 제외함", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "%s에 참여", + "activity-moved": "%s를 %s에서 %s로 옮김", + "activity-on": "%s에", + "activity-removed": "%s를 %s에서 삭제함", + "activity-sent": "%s를 %s로 보냄", + "activity-unjoined": "%s에서 멤버 해제", + "activity-checklist-added": "%s에 체크리스트를 추가함", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "추가", + "add-attachment": "첨부파일 추가", + "add-board": "보드 추가", + "add-card": "카드 추가", + "add-swimlane": "Add Swimlane", + "add-checklist": "체크리스트 추가", + "add-checklist-item": "체크리스트에 항목 추가", + "add-cover": "커버 추가", + "add-label": "라벨 추가", + "add-list": "리스트 추가", + "add-members": "멤버 추가", + "added": "추가됨", + "addMemberPopup-title": "멤버", + "admin": "관리자", + "admin-desc": "카드를 보거나 수정하고, 멤버를 삭제하고, 보드에 대한 설정을 수정할 수 있습니다.", + "admin-announcement": "Announcement", + "admin-announcement-active": "시스템에 공지사항을 표시합니다", + "admin-announcement-title": "관리자 공지사항 메시지", + "all-boards": "전체 보드", + "and-n-other-card": "__count__ 개의 다른 카드", + "and-n-other-card_plural": "__count__ 개의 다른 카드들", + "apply": "적용", + "app-is-offline": "Wekan 로딩 중 입니다. 잠시 기다려주세요. 페이지를 새로고침 하시면 데이터가 손실될 수 있습니다. Wekan 을 불러오는데 실패한다면 서버가 중지되지 않았는지 확인 바랍니다.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "보드 복구", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "멤버 지정", + "attached": "첨부됨", + "attachment": "첨부 파일", + "attachment-delete-pop": "영구 첨부파일을 삭제합니다. 되돌릴 수 없습니다.", + "attachmentDeletePopup-title": "첨부 파일을 삭제합니까?", + "attachments": "첨부 파일", + "auto-watch": "생성한 보드를 자동으로 감시합니다.", + "avatar-too-big": "아바타 파일이 너무 큽니다. (최대 70KB)", + "back": "뒤로", + "board-change-color": "보드 색 변경", + "board-nb-stars": "%s개의 별", + "board-not-found": "보드를 찾을 수 없습니다", + "board-private-info": "이 보드는 비공개입니다.", + "board-public-info": "이 보드는 공개로 설정됩니다", + "boardChangeColorPopup-title": "보드 배경 변경", + "boardChangeTitlePopup-title": "보드 이름 바꾸기", + "boardChangeVisibilityPopup-title": "표시 여부 변경", + "boardChangeWatchPopup-title": "감시상태 변경", + "boardMenuPopup-title": "보드 메뉴", + "boards": "보드", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "목록들", + "bucket-example": "예: “프로젝트 이름“ 입력", + "cancel": "취소", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "이 카드에 %s 코멘트가 있습니다.", + "card-delete-notice": "영구 삭제입니다. 이 카드와 관련된 모든 작업들을 잃게됩니다.", + "card-delete-pop": "모든 작업이 활동 내역에서 제거되며 카드를 다시 열 수 없습니다. 복구가 안되니 주의하시기 바랍니다.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "종료일", + "card-due-on": "종료일", + "card-spent": "Spent Time", + "card-edit-attachments": "첨부 파일 수정", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "라벨 수정", + "card-edit-members": "멤버 수정", + "card-labels-title": "카드의 라벨 변경.", + "card-members-title": "카드에서 보드의 멤버를 추가하거나 삭제합니다.", + "card-start": "시작일", + "card-start-on": "시작일", + "cardAttachmentsPopup-title": "첨부 파일", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "카드를 삭제합니까?", + "cardDetailsActionsPopup-title": "카드 액션", + "cardLabelsPopup-title": "라벨", + "cardMembersPopup-title": "멤버", + "cardMorePopup-title": "더보기", + "cards": "카드", + "cards-count": "카드", + "change": "변경", + "change-avatar": "아바타 변경", + "change-password": "암호 변경", + "change-permissions": "권한 변경", + "change-settings": "설정 변경", + "changeAvatarPopup-title": "아바타 변경", + "changeLanguagePopup-title": "언어 변경", + "changePasswordPopup-title": "암호 변경", + "changePermissionsPopup-title": "권한 변경", + "changeSettingsPopup-title": "설정 변경", + "checklists": "체크리스트", + "click-to-star": "보드에 별 추가.", + "click-to-unstar": "보드에 별 삭제.", + "clipboard": "클립보드 또는 드래그 앤 드롭", + "close": "닫기", + "close-board": "보드 닫기", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "블랙", + "color-blue": "블루", + "color-green": "그린", + "color-lime": "라임", + "color-orange": "오렌지", + "color-pink": "핑크", + "color-purple": "퍼플", + "color-red": "레드", + "color-sky": "스카이", + "color-yellow": "옐로우", + "comment": "댓글", + "comment-placeholder": "댓글 입력", + "comment-only": "댓글만 입력 가능", + "comment-only-desc": "카드에 댓글만 달수 있습니다.", + "computer": "내 컴퓨터", + "confirm-checklist-delete-dialog": "정말 이 체크리스트를 삭제할까요?", + "copy-card-link-to-clipboard": "클립보드에 카드의 링크가 복사되었습니다.", + "copyCardPopup-title": "카드 복사", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "생성", + "createBoardPopup-title": "보드 생성", + "chooseBoardSourcePopup-title": "보드 가져오기", + "createLabelPopup-title": "라벨 생성", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "경향", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "날짜", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "날짜", + "decline": "쇠퇴", + "default-avatar": "기본 아바타", + "delete": "삭제", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "라벨을 삭제합니까?", + "description": "설명", + "disambiguateMultiLabelPopup-title": "라벨 액션의 모호성 제거", + "disambiguateMultiMemberPopup-title": "멤버 액션의 모호성 제거", + "discard": "포기", + "done": "완료", + "download": "다운로드", + "edit": "수정", + "edit-avatar": "아바타 변경", + "edit-profile": "프로필 변경", + "edit-wip-limit": "WIP 제한 변경", + "soft-wip-limit": "원만한 WIP 제한", + "editCardStartDatePopup-title": "시작일 변경", + "editCardDueDatePopup-title": "종료일 변경", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "라벨 변경", + "editNotificationPopup-title": "알림 수정", + "editProfilePopup-title": "프로필 변경", + "email": "이메일", + "email-enrollAccount-subject": "__siteName__에 계정 생성이 완료되었습니다.", + "email-enrollAccount-text": "안녕하세요. __user__님,\n\n시작하려면 아래링크를 클릭해 주세요.\n\n__url__\n\n감사합니다.", + "email-fail": "이메일 전송 실패", + "email-fail-text": "Error trying to send email", + "email-invalid": "잘못된 이메일 주소", + "email-invite": "이메일로 초대", + "email-invite-subject": "__inviter__님이 당신을 초대하였습니다.", + "email-invite-text": "__user__님,\n\n__inviter__님이 협업을 위해 \"__board__\"보드에 가입하도록 초대하셨습니다.\n\n아래 링크를 클릭해주십시오.\n\n__url__\n\n감사합니다.", + "email-resetPassword-subject": "패스워드 초기화: __siteName__", + "email-resetPassword-text": "안녕하세요 __user__님,\n\n비밀번호를 재설정하려면 아래 링크를 클릭하십시오.\n\n__url__\n\n감사합니다.", + "email-sent": "이메일 전송", + "email-verifyEmail-subject": "이메일 인증: __siteName__", + "email-verifyEmail-text": "안녕하세요. __user__님,\n\n당신의 계정과 이메일을 활성하려면 아래 링크를 클릭하십시오.\n\n__url__\n\n감사합니다.", + "enable-wip-limit": "WIP 제한 활성화", + "error-board-doesNotExist": "보드가 없습니다.", + "error-board-notAdmin": "이 작업은 보드의 관리자만 실행할 수 있습니다.", + "error-board-notAMember": "이 작업은 보드의 멤버만 실행할 수 있습니다.", + "error-json-malformed": "텍스트가 JSON 형식에 유효하지 않습니다.", + "error-json-schema": "JSON 데이터에 정보가 올바른 형식으로 포함되어 있지 않습니다.", + "error-list-doesNotExist": "목록이 없습니다.", + "error-user-doesNotExist": "멤버의 정보가 없습니다.", + "error-user-notAllowSelf": "자기 자신을 초대할 수 없습니다.", + "error-user-notCreated": "유저가 생성되지 않았습니다.", + "error-username-taken": "중복된 아이디 입니다.", + "error-email-taken": "Email has already been taken", + "export-board": "보드 내보내기", + "filter": "필터", + "filter-cards": "카드 필터", + "filter-clear": "필터 초기화", + "filter-no-label": "라벨 없음", + "filter-no-member": "멤버 없음", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "필터 사용", + "filter-on-desc": "보드에서 카드를 필터링합니다. 여기를 클릭하여 필터를 수정합니다.", + "filter-to-selection": "선택 항목으로 필터링", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "실명", + "header-logo-title": "보드 페이지로 돌아가기.", + "hide-system-messages": "시스템 메시지 숨기기", + "headerBarCreateBoardPopup-title": "보드 생성", + "home": "홈", + "import": "가져오기", + "import-board": "보드 가져오기", + "import-board-c": "보드 가져오기", + "import-board-title-trello": "Trello에서 보드 가져오기", + "import-board-title-wekan": "Wekan에서 보드 가져오기", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "Trello 게시판에서 'Menu' -> 'More' -> 'Print and Export', 'Export JSON' 선택하여 텍스트 결과값 복사", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "유효한 JSON 데이터를 여기에 붙여 넣으십시오.", + "import-map-members": "보드 멤버들", + "import-members-map": "가져온 보드에는 멤버가 있습니다. 원하는 멤버를 Wekan 멤버로 매핑하세요.", + "import-show-user-mapping": "멤버 매핑 미리보기", + "import-user-select": "이 멤버로 사용하려는 Wekan 유저를 선택하십시오.", + "importMapMembersAddPopup-title": "Wekan 멤버 선택", + "info": "Version", + "initials": "이니셜", + "invalid-date": "적절하지 않은 날짜", + "invalid-time": "적절하지 않은 시각", + "invalid-user": "적절하지 않은 사용자", + "joined": "참가함", + "just-invited": "보드에 방금 초대되었습니다.", + "keyboard-shortcuts": "키보드 단축키", + "label-create": "라벨 생성", + "label-default": "%s 라벨 (기본)", + "label-delete-pop": "되돌릴 수 없습니다. 모든 카드에서 라벨을 제거하고, 이력을 제거합니다.", + "labels": "라벨", + "language": "언어", + "last-admin-desc": "적어도 하나의 관리자가 필요하기에 이 역할을 변경할 수 없습니다.", + "leave-board": "보드 멤버에서 나가기", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "카드에대한 링크", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "목록에 있는 모든 카드를 이동", + "list-select-cards": "목록에 있는 모든 카드를 선택", + "listActionPopup-title": "동작 목록", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Trello 카드 가져 오기", + "listMorePopup-title": "더보기", + "link-list": "이 리스트에 링크", + "list-delete-pop": "모든 작업이 활동내역에서 제거되며 리스트를 복구 할 수 없습니다. 실행 취소는 불가능 합니다.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "목록들", + "swimlanes": "Swimlanes", + "log-out": "로그아웃", + "log-in": "로그인", + "loginPopup-title": "로그인", + "memberMenuPopup-title": "멤버 설정", + "members": "멤버", + "menu": "메뉴", + "move-selection": "선택 항목 이동", + "moveCardPopup-title": "카드 이동", + "moveCardToBottom-title": "최하단으로 이동", + "moveCardToTop-title": "최상단으로 이동", + "moveSelectionPopup-title": "선택 항목 이동", + "multi-selection": "다중 선택", + "multi-selection-on": "다중 선택 사용", + "muted": "알림 해제", + "muted-info": "보드의 변경된 사항들의 알림을 받지 않습니다.", + "my-boards": "내 보드", + "name": "이름", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "결과 값 없음", + "normal": "표준", + "normal-desc": "카드를 보거나 수정할 수 있습니다. 설정값은 변경할 수 없습니다.", + "not-accepted-yet": "초대장이 수락되지 않았습니다.", + "notify-participate": "보드 생성자 또는 멤버로 참여하는 모든 카드에 대한 변경사항 알림 받음", + "notify-watch": "감시중인 보드, 목록 또는 카드에 대한 변경사항 알림 받음", + "optional": "옵션", + "or": "또는", + "page-maybe-private": "이 페이지를 비공개일 수 있습니다. 이것을 보고 싶으면 로그인을 하십시오.", + "page-not-found": "페이지를 찾지 못 했습니다", + "password": "암호", + "paste-or-dragdrop": "이미지 파일을 붙여 넣거나 드래그 앤 드롭 (이미지 전용)", + "participating": "참여", + "preview": "미리보기", + "previewAttachedImagePopup-title": "미리보기", + "previewClipboardImagePopup-title": "미리보기", + "private": "비공개", + "private-desc": "비공개된 보드입니다. 오직 보드에 추가된 사람들만 보고 수정할 수 있습니다", + "profile": "프로파일", + "public": "공개", + "public-desc": "공개된 보드입니다. 링크를 가진 모든 사람과 구글과 같은 검색 엔진에서 찾아서 볼수 있습니다. 보드에 추가된 사람들만 수정이 가능합니다.", + "quick-access-description": "여기에 바로 가기를 추가하려면 보드에 별 표시를 체크하세요.", + "remove-cover": "커버 제거", + "remove-from-board": "보드에서 제거", + "remove-label": "라벨 제거", + "listDeletePopup-title": "리스트를 삭제합니까?", + "remove-member": "멤버 제거", + "remove-member-from-card": "카드에서 제거", + "remove-member-pop": "__boardTitle__에서 __name__(__username__) 을 제거합니까? 이 보드의 모든 카드에서 제거됩니다. 해당 내용을 __name__(__username__) 은(는) 알림으로 받게됩니다.", + "removeMemberPopup-title": "멤버를 제거합니까?", + "rename": "새이름", + "rename-board": "보드 이름 바꾸기", + "restore": "복구", + "save": "저장", + "search": "검색", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "색 선택", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "현재 카드에 자신을 지정하세요.", + "shortcut-autocomplete-emoji": "이모티콘 자동완성", + "shortcut-autocomplete-members": "멤버 자동완성", + "shortcut-clear-filters": "모든 필터 초기화", + "shortcut-close-dialog": "대화 상자 닫기", + "shortcut-filter-my-cards": "내 카드 필터링", + "shortcut-show-shortcuts": "바로가기 목록을 가져오십시오.", + "shortcut-toggle-filterbar": "토글 필터 사이드바", + "shortcut-toggle-sidebar": "보드 사이드바 토글", + "show-cards-minimum-count": "목록에 카드 수량 표시(입력된 수량 넘을 경우 표시)", + "sidebar-open": "사이드바 열기", + "sidebar-close": "사이드바 닫기", + "signupPopup-title": "계정 생성", + "star-board-title": "보드에 별 표시를 클릭합니다. 보드 목록에서 최상위로 둘 수 있습니다.", + "starred-boards": "별표된 보드", + "starred-boards-description": "별 표시된 보드들은 보드 목록의 최상단에서 보입니다.", + "subscribe": "구독", + "team": "팀", + "this-board": "보드", + "this-card": "카드", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "시간", + "title": "제목", + "tracking": "추적", + "tracking-info": "보드 생성자 또는 멤버로 참여하는 모든 카드에 대한 변경사항 알림 받음", + "type": "Type", + "unassign-member": "멤버 할당 해제", + "unsaved-description": "저장되지 않은 설명이 있습니다.", + "unwatch": "감시 해제", + "upload": "업로드", + "upload-avatar": "아바타 업로드", + "uploaded-avatar": "업로드한 아바타", + "username": "아이디", + "view-it": "보기", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "감시", + "watching": "감시 중", + "watching-info": "\"이 보드의 변경사항을 알림으로 받습니다.", + "welcome-board": "보드예제", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "신규", + "welcome-list2": "진행", + "what-to-do": "무엇을 하고 싶으신가요?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "관리자 패널", + "settings": "설정", + "people": "사람", + "registration": "회원가입", + "disable-self-registration": "일반 유저의 회원 가입 막기", + "invite": "초대", + "invite-people": "사람 초대", + "to-boards": "보드로 부터", + "email-addresses": "이메일 주소", + "smtp-host-description": "이메일을 처리하는 SMTP 서버의 주소입니다.", + "smtp-port-description": "SMTP 서버가 보내는 전자 메일에 사용하는 포트입니다.", + "smtp-tls-description": "SMTP 서버에 TLS 지원 사용", + "smtp-host": "SMTP 호스트", + "smtp-port": "SMTP 포트", + "smtp-username": "사용자 이름", + "smtp-password": "암호", + "smtp-tls": "TLS 지원", + "send-from": "보낸 사람", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "초대 코드", + "email-invite-register-subject": "\"__inviter__ 님이 당신에게 초대장을 보냈습니다.", + "email-invite-register-text": "\"__user__ 님, \n\n__inviter__ 님이 Wekan 보드에 협업을 위하여 당신을 초대합니다.\n\n아래 링크를 클릭해주세요 : \n__url__\n\n그리고 초대 코드는 __icode__ 입니다.\n\n감사합니다.", + "email-smtp-test-subject": "SMTP 테스트 이메일이 발송되었습니다.", + "email-smtp-test-text": "테스트 메일을 성공적으로 발송하였습니다.", + "error-invitation-code-not-exist": "초대 코드가 존재하지 않습니다.", + "error-notAuthorized": "이 페이지를 볼 수있는 권한이 없습니다.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json new file mode 100644 index 00000000..128e847a --- /dev/null +++ b/i18n/lv.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Piekrist", + "act-activity-notify": "[Wekan] Aktivitātes paziņojums", + "act-addAttachment": "pievienots __attachment__ to __card__", + "act-addChecklist": "pievienots checklist __checklist__ to __card__", + "act-addChecklistItem": "pievienots __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "komentēja __card__: __comment__", + "act-createBoard": "izveidoja __board__", + "act-createCard": "pievienoja __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "pievienoja __list__ to __board__", + "act-addBoardMember": "pievienoja __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "importēja __board__", + "act-importCard": "importēja __card__", + "act-importList": "importēja __list__", + "act-joinMember": "pievienoja __member__ to __card__", + "act-moveCard": "pārvietoja __card__ from __oldList__ to __list__", + "act-removeBoardMember": "noņēma __member__ from __board__", + "act-restoredCard": "atjaunoja __card__ to __board__", + "act-unjoinMember": "noņēma __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Darbības", + "activities": "Aktivitātes", + "activity": "Aktivitāte", + "activity-added": "pievienoja %s pie %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "pievienoja %s pie %s", + "activity-created": "izveidoja%s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "izslēdza%s no%s", + "activity-imported": "importēja %s iekšā%s no%s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Add", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Members", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Members", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Members", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json new file mode 100644 index 00000000..794f9ce8 --- /dev/null +++ b/i18n/mn.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Зөвшөөрөх", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "_attachment__ хавсралтыг __card__-д хавсаргав", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Нэмэх", + "add-attachment": "Хавсралт нэмэх", + "add-board": "Самбар нэмэх", + "add-card": "Карт нэмэх", + "add-swimlane": "Add Swimlane", + "add-checklist": "Чеклист нэмэх", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Шошго нэмэх", + "add-list": "Жагсаалт нэмэх", + "add-members": "Гишүүд нэмэх", + "added": "Нэмсэн", + "addMemberPopup-title": "Гишүүд", + "admin": "Админ", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "Бүх самбарууд", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Гишүүд", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Аватар өөрчлөх", + "change-password": "Нууц үг солих", + "change-permissions": "Change permissions", + "change-settings": "Тохиргоо өөрчлөх", + "changeAvatarPopup-title": "Аватар өөрчлөх", + "changeLanguagePopup-title": "Хэл солих", + "changePasswordPopup-title": "Нууц үг солих", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Тохиргоо өөрчлөх", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Үүсгэх", + "createBoardPopup-title": "Самбар үүсгэх", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Шошго үүсгэх", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Аватар өөрчлөх", + "edit-profile": "Бүртгэл засварлах", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Мэдэгдэл тохируулах", + "editProfilePopup-title": "Бүртгэл засварлах", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Самбар үүсгэх", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Шошго үүсгэх", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Гарах", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Гишүүний тохиргоо", + "members": "Гишүүд", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "Миний самбарууд", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Хэрэглэгч үүсгэх", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json new file mode 100644 index 00000000..205db808 --- /dev/null +++ b/i18n/nb.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Godta", + "act-activity-notify": "[Wekan] Aktivitetsvarsel", + "act-addAttachment": "la ved __attachment__ til __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "kommenterte til __card__: __comment__", + "act-createBoard": "opprettet __board__", + "act-createCard": "la __card__ til __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "la __list__ til __board__", + "act-addBoardMember": "la __member__ til __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "importerte __board__", + "act-importCard": "importerte __card__", + "act-importList": "importerte __list__", + "act-joinMember": "la __member__ til __card__", + "act-moveCard": "flyttet __card__ fra __oldList__ til __list__", + "act-removeBoardMember": "fjernet __member__ fra __board__", + "act-restoredCard": "gjenopprettet __card__ til __board__", + "act-unjoinMember": "fjernet __member__ fra __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Aktiviteter", + "activity": "Aktivitet", + "activity-added": "la %s til %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "la %s til %s", + "activity-created": "opprettet %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "ekskluderte %s fra %s", + "activity-imported": "importerte %s til %s fra %s", + "activity-imported-board": "importerte %s fra %s", + "activity-joined": "ble med %s", + "activity-moved": "flyttet %s fra %s til %s", + "activity-on": "på %s", + "activity-removed": "fjernet %s fra %s", + "activity-sent": "sendte %s til %s", + "activity-unjoined": "forlot %s", + "activity-checklist-added": "la til sjekkliste til %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Legg til", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Nytt punkt på sjekklisten", + "add-cover": "Nytt omslag", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Legg til medlemmer", + "added": "Lagt til", + "addMemberPopup-title": "Medlemmer", + "admin": "Admin", + "admin-desc": "Kan se og redigere kort, fjerne medlemmer, og endre innstillingene for tavlen.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "Alle tavler", + "and-n-other-card": "Og __count__ andre kort", + "and-n-other-card_plural": "Og __count__ andre kort", + "apply": "Lagre", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Tildel medlem", + "attached": "la ved", + "attachment": "Vedlegg", + "attachment-delete-pop": "Sletting av vedlegg er permanent og kan ikke angres", + "attachmentDeletePopup-title": "Slette vedlegg?", + "attachments": "Vedlegg", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Tilbake", + "board-change-color": "Endre farge", + "board-nb-stars": "%s stjerner", + "board-not-found": "Kunne ikke finne tavlen", + "board-private-info": "Denne tavlen vil være privat.", + "board-public-info": "Denne tavlen vil være offentlig.", + "boardChangeColorPopup-title": "Ende tavlens bakgrunnsfarge", + "boardChangeTitlePopup-title": "Endre navn på tavlen", + "boardChangeVisibilityPopup-title": "Endre synlighet", + "boardChangeWatchPopup-title": "Endre overvåkning", + "boardMenuPopup-title": "Tavlemeny", + "boards": "Tavler", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Som \"Bucket List\" for eksempel", + "cancel": "Avbryt", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "Dette kortet har %s kommentar.", + "card-delete-notice": "Sletting er permanent. Du vil miste alle hendelser knyttet til dette kortet.", + "card-delete-pop": "Alle handlinger vil fjernes fra feeden for aktiviteter og du vil ikke kunne åpne kortet på nytt. Det er ingen mulighet å angre.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Frist", + "card-due-on": "Frist til", + "card-spent": "Spent Time", + "card-edit-attachments": "Rediger vedlegg", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Rediger etiketter", + "card-edit-members": "Endre medlemmer", + "card-labels-title": "Endre etiketter for kortet.", + "card-members-title": "Legg til eller fjern tavle-medlemmer fra dette kortet.", + "card-start": "Start", + "card-start-on": "Starter på", + "cardAttachmentsPopup-title": "Legg ved fra", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Slett kort?", + "cardDetailsActionsPopup-title": "Kort-handlinger", + "cardLabelsPopup-title": "Etiketter", + "cardMembersPopup-title": "Medlemmer", + "cardMorePopup-title": "Mer", + "cards": "Kort", + "cards-count": "Kort", + "change": "Endre", + "change-avatar": "Endre avatar", + "change-password": "Endre passord", + "change-permissions": "Endre rettigheter", + "change-settings": "Endre innstillinger", + "changeAvatarPopup-title": "Endre Avatar", + "changeLanguagePopup-title": "Endre språk", + "changePasswordPopup-title": "Endre passord", + "changePermissionsPopup-title": "Endre tillatelser", + "changeSettingsPopup-title": "Endre innstillinger", + "checklists": "Sjekklister", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Endre avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Etiketter", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "Mer", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Medlemmer", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Endre navn på tavlen", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json new file mode 100644 index 00000000..4515d1c2 --- /dev/null +++ b/i18n/nl.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accepteren", + "act-activity-notify": "[Wekan] Activiteit Notificatie", + "act-addAttachment": "__attachment__ als bijlage toegevoegd aan __card__", + "act-addChecklist": "__checklist__ toegevoegd aan __card__", + "act-addChecklistItem": "__checklistItem__ aan checklist toegevoegd aan __checklist__ op __card__", + "act-addComment": "gereageerd op __card__:__comment__", + "act-createBoard": "aangemaakte __bord__", + "act-createCard": "toegevoegd __kaart__ aan __lijst__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "toegevoegd __lijst__ aan __bord__", + "act-addBoardMember": "__member__ aan __board__ toegevoegd", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": " __board__ geïmporteerd", + "act-importCard": "__card__ geïmporteerd", + "act-importList": "__list__ geïmporteerd", + "act-joinMember": "__member__ aan __card__ toegevoegd", + "act-moveCard": "verplaatst __card__ van __oldList__ naar __list__", + "act-removeBoardMember": "verwijderd __member__ van __board__", + "act-restoredCard": "hersteld __card__ naar __board__", + "act-unjoinMember": "verwijderd __member__ van __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Acties", + "activities": "Activiteiten", + "activity": "Activiteit", + "activity-added": "%s toegevoegd aan %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "%s bijgevoegd aan %s", + "activity-created": "%s aangemaakt", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "%s uitgesloten van %s", + "activity-imported": "%s geimporteerd in %s van %s", + "activity-imported-board": "%s geimporteerd van %s", + "activity-joined": "%s toegetreden", + "activity-moved": "%s verplaatst van %s naar %s", + "activity-on": "bij %s", + "activity-removed": "%s verwijderd van %s", + "activity-sent": "%s gestuurd naar %s", + "activity-unjoined": "uit %s gegaan", + "activity-checklist-added": "checklist toegevoegd aan %s", + "activity-checklist-item-added": "checklist punt toegevoegd aan '%s' in '%s'", + "add": "Toevoegen", + "add-attachment": "Voeg Bijlage Toe", + "add-board": "Voeg Bord Toe", + "add-card": "Voeg Kaart Toe", + "add-swimlane": "Swimlane Toevoegen", + "add-checklist": "Voeg Checklist Toe", + "add-checklist-item": "Voeg item toe aan checklist", + "add-cover": "Voeg Cover Toe", + "add-label": "Voeg Label Toe", + "add-list": "Voeg Lijst Toe", + "add-members": "Voeg Leden Toe", + "added": "Toegevoegd", + "addMemberPopup-title": "Leden", + "admin": "Administrator", + "admin-desc": "Kan kaarten bekijken en wijzigen, leden verwijderen, en instellingen voor het bord aanpassen.", + "admin-announcement": "Melding", + "admin-announcement-active": "Systeem melding", + "admin-announcement-title": "Melding van de administrator", + "all-boards": "Alle borden", + "and-n-other-card": "En nog __count__ ander", + "and-n-other-card_plural": "En __count__ andere kaarten", + "apply": "Aanmelden", + "app-is-offline": "Wekan is aan het laden, wacht alstublieft. Het verversen van de pagina zorgt voor verlies van gegevens. Als Wekan niet laadt, check of de Wekan server is gestopt.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Herstel Bord", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Wijs lid aan", + "attached": "bijgevoegd", + "attachment": "Bijlage", + "attachment-delete-pop": "Een bijlage verwijderen is permanent. Er is geen herstelmogelijkheid.", + "attachmentDeletePopup-title": "Verwijder Bijlage?", + "attachments": "Bijlagen", + "auto-watch": "Automatisch borden bekijken wanneer deze aangemaakt worden", + "avatar-too-big": "De bestandsgrootte van je avatar is te groot (70KB max)", + "back": "Terug", + "board-change-color": "Verander kleur", + "board-nb-stars": "%s sterren", + "board-not-found": "Bord is niet gevonden", + "board-private-info": "Dit bord is nu privé.", + "board-public-info": "Dit bord is nu openbaar.", + "boardChangeColorPopup-title": "Verander achtergrond van bord", + "boardChangeTitlePopup-title": "Hernoem bord", + "boardChangeVisibilityPopup-title": "Verander zichtbaarheid", + "boardChangeWatchPopup-title": "Verander naar 'Watch'", + "boardMenuPopup-title": "Bord menu", + "boards": "Borden", + "board-view": "Bord overzicht", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lijsten", + "bucket-example": "Zoals \"Bucket List\" bijvoorbeeld", + "cancel": "Annuleren", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "Deze kaart heeft %s reactie.", + "card-delete-notice": "Verwijdering is permanent. Als je dit doet, verlies je alle informatie die op deze kaart is opgeslagen.", + "card-delete-pop": "Alle acties worden verwijderd van de activiteiten feed, en er zal geen mogelijkheid zijn om de kaart opnieuw te openen. Deze actie kan je niet ongedaan maken.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Deadline: ", + "card-due-on": "Deadline: ", + "card-spent": "gespendeerde tijd", + "card-edit-attachments": "Wijzig bijlagen", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Wijzig labels", + "card-edit-members": "Wijzig leden", + "card-labels-title": "Wijzig de labels vam de kaart.", + "card-members-title": "Voeg of verwijder leden van het bord toe aan de kaart.", + "card-start": "Begin", + "card-start-on": "Begint op", + "cardAttachmentsPopup-title": "Voeg bestand toe vanuit", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Kaart verwijderen?", + "cardDetailsActionsPopup-title": "Kaart actie ondernemen", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Leden", + "cardMorePopup-title": "Meer", + "cards": "Kaarten", + "cards-count": "Kaarten", + "change": "Wijzig", + "change-avatar": "Wijzig avatar", + "change-password": "Wijzig wachtwoord", + "change-permissions": "Wijzig permissies", + "change-settings": "Wijzig instellingen", + "changeAvatarPopup-title": "Wijzig avatar", + "changeLanguagePopup-title": "Verander van taal", + "changePasswordPopup-title": "Wijzig wachtwoord", + "changePermissionsPopup-title": "Wijzig permissies", + "changeSettingsPopup-title": "Wijzig instellingen", + "checklists": "Checklists", + "click-to-star": "Klik om het bord als favoriet in te stellen", + "click-to-unstar": "Klik om het bord uit favorieten weg te halen", + "clipboard": "Vanuit clipboard of sleep het bestand hierheen", + "close": "Sluiten", + "close-board": "Sluit bord", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "zwart", + "color-blue": "blauw", + "color-green": "groen", + "color-lime": "Felgroen", + "color-orange": "Oranje", + "color-pink": "Roze", + "color-purple": "Paars", + "color-red": "Rood", + "color-sky": "Lucht", + "color-yellow": "Geel", + "comment": "Reageer", + "comment-placeholder": "Schrijf reactie", + "comment-only": "Alleen reageren", + "comment-only-desc": "Kan alleen op kaarten reageren.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Weet u zeker dat u de checklist wilt verwijderen", + "copy-card-link-to-clipboard": "Kopieer kaart link naar klembord", + "copyCardPopup-title": "Kopieer kaart", + "copyChecklistToManyCardsPopup-title": "Checklist sjabloon kopiëren naar meerdere kaarten", + "copyChecklistToManyCardsPopup-instructions": "Doel kaart titels en omschrijvingen in dit JSON formaat", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Titel eerste kaart\", \"description\":\"Omschrijving eerste kaart\"}, {\"title\":\"Titel tweede kaart\",\"description\":\"Omschrijving tweede kaart\"},{\"title\":\"Titel laatste kaart\",\"description\":\"Omschrijving laatste kaart\"} ]", + "create": "Aanmaken", + "createBoardPopup-title": "Bord aanmaken", + "chooseBoardSourcePopup-title": "Importeer bord", + "createLabelPopup-title": "Label aanmaken", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "Huidige", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Datum", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Datum", + "decline": "Weigeren", + "default-avatar": "Standaard avatar", + "delete": "Verwijderen", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Verwijder label?", + "description": "Beschrijving", + "disambiguateMultiLabelPopup-title": "Disambigueer Label Actie", + "disambiguateMultiMemberPopup-title": "Disambigueer Lid Actie", + "discard": "Weggooien", + "done": "Klaar", + "download": "Download", + "edit": "Wijzig", + "edit-avatar": "Wijzig avatar", + "edit-profile": "Wijzig profiel", + "edit-wip-limit": "Verander WIP limiet", + "soft-wip-limit": "Zachte WIP limiet", + "editCardStartDatePopup-title": "Wijzig start datum", + "editCardDueDatePopup-title": "Wijzig deadline", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Verander gespendeerde tijd", + "editLabelPopup-title": "Wijzig label", + "editNotificationPopup-title": "Wijzig notificatie", + "editProfilePopup-title": "Wijzig profiel", + "email": "E-mail", + "email-enrollAccount-subject": "Er is een account voor je aangemaakt op __siteName__", + "email-enrollAccount-text": "Hallo __user__,\n\nOm gebruik te maken van de online dienst, kan je op de volgende link klikken.\n\n__url__\n\nBedankt.", + "email-fail": "E-mail verzenden is mislukt", + "email-fail-text": "Fout tijdens het verzenden van de email", + "email-invalid": "Ongeldige e-mail", + "email-invite": "Nodig uit via e-mail", + "email-invite-subject": "__inviter__ heeft je een uitnodiging gestuurd", + "email-invite-text": "Beste __user__,\n\n__inviter__ heeft je uitgenodigd om voor een samenwerking deel te nemen aan het bord \"__board__\".\n\nKlik op de link hieronder:\n\n__url__\n\nBedankt.", + "email-resetPassword-subject": "Reset je wachtwoord op __siteName__", + "email-resetPassword-text": "Hallo __user__,\n\nKlik op de link hier beneden om je wachtwoord te resetten.\n\n__url__\n\nBedankt.", + "email-sent": "E-mail is verzonden", + "email-verifyEmail-subject": "Verifieer je e-mailadres op __siteName__", + "email-verifyEmail-text": "Hallo __user__,\n\nOm je e-mail te verifiëren vragen we je om op de link hieronder te drukken.\n\n__url__\n\nBedankt.", + "enable-wip-limit": "Activeer WIP limiet", + "error-board-doesNotExist": "Dit bord bestaat niet.", + "error-board-notAdmin": "Je moet een administrator zijn van dit bord om dat te doen.", + "error-board-notAMember": "Je moet een lid zijn van dit bord om dat te doen.", + "error-json-malformed": "JSON format klopt niet", + "error-json-schema": "De JSON data bevat niet de juiste informatie in de juiste format", + "error-list-doesNotExist": "Deze lijst bestaat niet", + "error-user-doesNotExist": "Deze gebruiker bestaat niet", + "error-user-notAllowSelf": "Je kan jezelf niet uitnodigen", + "error-user-notCreated": "Deze gebruiker is niet aangemaakt", + "error-username-taken": "Deze gebruikersnaam is al bezet", + "error-email-taken": "Deze e-mail is al eerder gebruikt", + "export-board": "Exporteer bord", + "filter": "Filter", + "filter-cards": "Filter kaarten", + "filter-clear": "Reset filter", + "filter-no-label": "Geen label", + "filter-no-member": "Geen lid", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter staat aan", + "filter-on-desc": "Je bent nu kaarten aan het filteren op dit bord. Klik hier om het filter te wijzigen.", + "filter-to-selection": "Filter zoals selectie", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Volledige naam", + "header-logo-title": "Ga terug naar jouw borden pagina.", + "hide-system-messages": "Verberg systeemberichten", + "headerBarCreateBoardPopup-title": "Bord aanmaken", + "home": "Voorpagina", + "import": "Importeer", + "import-board": "Importeer bord", + "import-board-c": "Importeer bord", + "import-board-title-trello": "Importeer bord van Trello", + "import-board-title-wekan": "Importeer bord van Wekan", + "import-sandstorm-warning": "Het geïmporteerde bord verwijdert alle data op het huidige bord, om het daarna te vervangen.", + "from-trello": "Van Trello", + "from-wekan": "Van Wekan", + "import-board-instruction-trello": "Op jouw Trello bord, ga naar 'Menu', dan naar 'Meer', 'Print en Exporteer', 'Exporteer JSON', en kopieer de tekst.", + "import-board-instruction-wekan": "In jouw Wekan bord, ga naar 'Menu', dan 'Exporteer bord', en kopieer de tekst in het gedownloade bestand.", + "import-json-placeholder": "Plak geldige JSON data hier", + "import-map-members": "Breng leden in kaart", + "import-members-map": "Jouw geïmporteerde borden heeft een paar leden. Selecteer de leden die je wilt importeren naar Wekan gebruikers. ", + "import-show-user-mapping": "Breng leden overzicht tevoorschijn", + "import-user-select": "Kies de Wekan gebruiker uit die je hier als lid wilt hebben", + "importMapMembersAddPopup-title": "Selecteer een Wekan lid", + "info": "Versie", + "initials": "Initialen", + "invalid-date": "Ongeldige datum", + "invalid-time": "Ongeldige tijd", + "invalid-user": "Ongeldige gebruiker", + "joined": "doet nu mee met", + "just-invited": "Je bent zojuist uitgenodigd om mee toen doen met dit bord", + "keyboard-shortcuts": "Toetsenbord snelkoppelingen", + "label-create": "Label aanmaken", + "label-default": "%s label (standaard)", + "label-delete-pop": "Je kan het niet ongedaan maken. Deze actie zal de label van alle kaarten verwijderen, en de feed.", + "labels": "Labels", + "language": "Taal", + "last-admin-desc": "Je kan de permissies niet veranderen omdat er maar een administrator is.", + "leave-board": "Verlaat bord", + "leave-board-pop": "Weet u zeker dat u __boardTitle__ wilt verlaten? U wordt verwijderd van alle kaarten binnen dit bord", + "leaveBoardPopup-title": "Bord verlaten?", + "link-card": "Link naar deze kaart", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Verplaats alle kaarten in deze lijst", + "list-select-cards": "Selecteer alle kaarten in deze lijst", + "listActionPopup-title": "Lijst acties", + "swimlaneActionPopup-title": "Swimlane handelingen", + "listImportCardPopup-title": "Importeer een Trello kaart", + "listMorePopup-title": "Meer", + "link-list": "Link naar deze lijst", + "list-delete-pop": "Alle acties zullen verwijderd worden van de activiteiten feed, en je zult deze niet meer kunnen herstellen. Je kan deze actie niet ongedaan maken.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lijsten", + "swimlanes": "Swimlanes", + "log-out": "Uitloggen", + "log-in": "Inloggen", + "loginPopup-title": "Inloggen", + "memberMenuPopup-title": "Instellingen van leden", + "members": "Leden", + "menu": "Menu", + "move-selection": "Verplaats selectie", + "moveCardPopup-title": "Verplaats kaart", + "moveCardToBottom-title": "Verplaats naar beneden", + "moveCardToTop-title": "Verplaats naar boven", + "moveSelectionPopup-title": "Verplaats selectie", + "multi-selection": "Multi-selectie", + "multi-selection-on": "Multi-selectie staat aan", + "muted": "Stil", + "muted-info": "Je zal nooit meer geïnformeerd worden bij veranderingen in dit bord.", + "my-boards": "Mijn Borden", + "name": "Naam", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Geen resultaten", + "normal": "Normaal", + "normal-desc": "Kan de kaarten zien en wijzigen. Kan de instellingen niet wijzigen.", + "not-accepted-yet": "Uitnodiging niet geaccepteerd", + "notify-participate": "Ontvang updates van elke kaart die je hebt gemaakt of lid van bent", + "notify-watch": "Ontvang updates van elke bord, lijst of kaart die je bekijkt.", + "optional": "optioneel", + "or": "of", + "page-maybe-private": "Deze pagina is privé. Je kan het bekijken door in te loggen.", + "page-not-found": "Pagina niet gevonden.", + "password": "Wachtwoord", + "paste-or-dragdrop": "Om te plakken, of slepen & neer te laten (alleen afbeeldingen)", + "participating": "Deelnemen", + "preview": "Voorbeeld", + "previewAttachedImagePopup-title": "Voorbeeld", + "previewClipboardImagePopup-title": "Voorbeeld", + "private": "Privé", + "private-desc": "Dit bord is privé. Alleen mensen die toegevoegd zijn aan het bord kunnen het bekijken en wijzigen.", + "profile": "Profiel", + "public": "Publiek", + "public-desc": "Dit bord is publiek. Het is zichtbaar voor iedereen met de link en zal tevoorschijn komen op zoekmachines zoals Google. Alleen mensen die toegevoegd zijn kunnen het bord wijzigen.", + "quick-access-description": "Maak een bord favoriet om een snelkoppeling toe te voegen aan deze balk.", + "remove-cover": "Verwijder Cover", + "remove-from-board": "Verwijder van bord", + "remove-label": "Verwijder label", + "listDeletePopup-title": "Verwijder lijst?", + "remove-member": "Verwijder lid", + "remove-member-from-card": "Verwijder van kaart", + "remove-member-pop": "Verwijder __name__ (__username__) van __boardTitle__? Het lid zal verwijderd worden van alle kaarten op dit bord, en zal een notificatie ontvangen.", + "removeMemberPopup-title": "Verwijder lid?", + "rename": "Hernoem", + "rename-board": "Hernoem bord", + "restore": "Herstel", + "save": "Opslaan", + "search": "Zoek", + "search-cards": "Zoeken in kaart titels en omschrijvingen op dit bord", + "search-example": "Tekst om naar te zoeken?", + "select-color": "Selecteer kleur", + "set-wip-limit-value": "Zet een limiet voor het maximaal aantal taken in deze lijst", + "setWipLimitPopup-title": "Zet een WIP limiet", + "shortcut-assign-self": "Wijs jezelf toe aan huidige kaart", + "shortcut-autocomplete-emoji": "Emojis automatisch aanvullen", + "shortcut-autocomplete-members": "Leden automatisch aanvullen", + "shortcut-clear-filters": "Alle filters vrijmaken", + "shortcut-close-dialog": "Sluit dialoog", + "shortcut-filter-my-cards": "Filter mijn kaarten", + "shortcut-show-shortcuts": "Haal lijst met snelkoppelingen tevoorschijn", + "shortcut-toggle-filterbar": "Schakel Filter Zijbalk", + "shortcut-toggle-sidebar": "Schakel Bord Zijbalk", + "show-cards-minimum-count": "Laat het aantal kaarten zien wanneer de lijst meer kaarten heeft dan", + "sidebar-open": "Open Zijbalk", + "sidebar-close": "Sluit Zijbalk", + "signupPopup-title": "Maak een account aan", + "star-board-title": "Klik om het bord toe te voegen aan favorieten, waarna hij aan de bovenbalk tevoorschijn komt.", + "starred-boards": "Favoriete Borden", + "starred-boards-description": "Favoriete borden komen tevoorschijn aan de bovenbalk.", + "subscribe": "Abonneer", + "team": "Team", + "this-board": "dit bord", + "this-card": "deze kaart", + "spent-time-hours": "Gespendeerde tijd (in uren)", + "overtime-hours": "Overwerk (in uren)", + "overtime": "Overwerk", + "has-overtime-cards": "Heeft kaarten met overwerk", + "has-spenttime-cards": "Heeft tijd besteed aan kaarten", + "time": "Tijd", + "title": "Titel", + "tracking": "Volgen", + "tracking-info": "Je wordt op de hoogte gesteld als er veranderingen zijn aan de kaarten waar je lid of maker van bent.", + "type": "Type", + "unassign-member": "Lid ontkennen", + "unsaved-description": "Je hebt een niet opgeslagen beschrijving.", + "unwatch": "Niet bekijken", + "upload": "Upload", + "upload-avatar": "Upload een avatar", + "uploaded-avatar": "Avatar is geüpload", + "username": "Gebruikersnaam", + "view-it": "Bekijk het", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Bekijk", + "watching": "Bekijken", + "watching-info": "Je zal op de hoogte worden gesteld als er een verandering gebeurt op dit bord.", + "welcome-board": "Welkom Bord", + "welcome-swimlane": "Mijlpaal 1", + "welcome-list1": "Basis", + "welcome-list2": "Geadvanceerd", + "what-to-do": "Wat wil je doen?", + "wipLimitErrorPopup-title": "Ongeldige WIP limiet", + "wipLimitErrorPopup-dialog-pt1": "Het aantal taken in deze lijst is groter dan de gedefinieerde WIP limiet ", + "wipLimitErrorPopup-dialog-pt2": "Verwijder een aantal taken uit deze lijst, of zet de WIP limiet hoger", + "admin-panel": "Administrator paneel", + "settings": "Instellingen", + "people": "Mensen", + "registration": "Registratie", + "disable-self-registration": "Schakel zelf-registratie uit", + "invite": "Uitnodigen", + "invite-people": "Nodig mensen uit", + "to-boards": "Voor bord(en)", + "email-addresses": "E-mailadressen", + "smtp-host-description": "Het adres van de SMTP server die e-mails zal versturen.", + "smtp-port-description": "De poort van de SMTP server wordt gebruikt voor uitgaande e-mails.", + "smtp-tls-description": "Gebruik TLS ondersteuning voor SMTP server.", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Poort", + "smtp-username": "Gebruikersnaam", + "smtp-password": "Wachtwoord", + "smtp-tls": "TLS ondersteuning", + "send-from": "Van", + "send-smtp-test": "Verzend een email naar uzelf", + "invitation-code": "Uitnodigings code", + "email-invite-register-subject": "__inviter__ heeft je een uitnodiging gestuurd", + "email-invite-register-text": "Beste __user__,\n\n__inviter__ heeft je uitgenodigd voor Wekan om samen te werken.\n\nKlik op de volgende link:\n__url__\n\nEn je uitnodigingscode is __icode__\n\nBedankt.", + "email-smtp-test-subject": "SMTP Test email van Wekan", + "email-smtp-test-text": "U heeft met succes een email verzonden", + "error-invitation-code-not-exist": "Uitnodigings code bestaat niet", + "error-notAuthorized": "Je bent niet toegestaan om deze pagina te bekijken.", + "outgoing-webhooks": "Uitgaande Webhooks", + "outgoingWebhooksPopup-title": "Uitgaande Webhooks", + "new-outgoing-webhook": "Nieuwe webhook", + "no-name": "(Onbekend)", + "Wekan_version": "Wekan versie", + "Node_version": "Node versie", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Vrij Geheugen", + "OS_Loadavg": "OS Gemiddelde Lading", + "OS_Platform": "OS Platform", + "OS_Release": "OS Versie", + "OS_Totalmem": "OS Totaal Geheugen", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "uren", + "minutes": "minuten", + "seconds": "seconden", + "show-field-on-card": "Show this field on card", + "yes": "Ja", + "no": "Nee", + "accounts": "Accounts", + "accounts-allowEmailChange": "Sta E-mailadres wijzigingen toe", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Gemaakt op", + "verified": "Geverifieerd", + "active": "Actief", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json new file mode 100644 index 00000000..5ac7e2f9 --- /dev/null +++ b/i18n/pl.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Akceptuj", + "act-activity-notify": "[Wekan] Powiadomienia - aktywności", + "act-addAttachment": "załączono __attachement__ do __karty__", + "act-addChecklist": "dodano listę zadań __checklist__ to __card__", + "act-addChecklistItem": "dodano __checklistItem__ do listy zadań __checklist__ na karcie __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Akcje", + "activities": "Aktywności", + "activity": "Aktywność", + "activity-added": "dodano %s z %s", + "activity-archived": "%s przeniesiono do Kosza", + "activity-attached": "załączono %s z %s", + "activity-created": "utworzono %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "wyłączono %s z %s", + "activity-imported": "zaimportowano %s to %s z %s", + "activity-imported-board": "zaimportowano %s z %s", + "activity-joined": "dołączono %s", + "activity-moved": "przeniesiono % z %s to %s", + "activity-on": "w %s", + "activity-removed": "usunięto %s z %s", + "activity-sent": "wysłano %s z %s", + "activity-unjoined": "odłączono %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Dodaj", + "add-attachment": "Dodaj załącznik", + "add-board": "Dodaj tablicę", + "add-card": "Dodaj kartę", + "add-swimlane": "Add Swimlane", + "add-checklist": "Dodaj listę kontrolną", + "add-checklist-item": "Dodaj element do listy kontrolnej", + "add-cover": "Dodaj okładkę", + "add-label": "Dodaj etykietę", + "add-list": "Dodaj listę", + "add-members": "Dodaj członków", + "added": "Dodano", + "addMemberPopup-title": "Członkowie", + "admin": "Admin", + "admin-desc": "Może widzieć i edytować karty, usuwać członków oraz zmieniać ustawienia tablicy.", + "admin-announcement": "Ogłoszenie", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Ogłoszenie od Administratora", + "all-boards": "Wszystkie tablice", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Zastosuj", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Przenieś do Kosza", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Przywróć tablicę", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Dodaj członka", + "attached": "załączono", + "attachment": "Załącznik", + "attachment-delete-pop": "Usunięcie załącznika jest nieodwracalne.", + "attachmentDeletePopup-title": "Usunąć załącznik?", + "attachments": "Załączniki", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "Awatar jest za duży (maksymalnie 70Kb)", + "back": "Wstecz", + "board-change-color": "Zmień kolor", + "board-nb-stars": "%s odznaczeń", + "board-not-found": "Nie znaleziono tablicy", + "board-private-info": "Ta tablica będzie prywatna.", + "board-public-info": "Ta tablica będzie publiczna.", + "boardChangeColorPopup-title": "Zmień tło tablicy", + "boardChangeTitlePopup-title": "Zmień nazwę tablicy", + "boardChangeVisibilityPopup-title": "Zmień widoczność", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Menu tablicy", + "boards": "Tablice", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Listy", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Anuluj", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "Ta karta ma %s komentarzy.", + "card-delete-notice": "Usunięcie jest trwałe. Stracisz wszystkie akcje powiązane z tą kartą.", + "card-delete-pop": "Wszystkie akcje będą usunięte z widoku aktywności, nie można będzie ponownie otworzyć karty. Usunięcie jest nieodwracalne.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edytuj załączniki", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edytuj etykiety", + "card-edit-members": "Edytuj członków", + "card-labels-title": "Zmień etykiety karty", + "card-members-title": "Dodaj lub usuń członków tablicy z karty.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Załącz z", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Usunąć kartę?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Etykiety", + "cardMembersPopup-title": "Członkowie", + "cardMorePopup-title": "Więcej", + "cards": "Karty", + "cards-count": "Karty", + "change": "Zmień", + "change-avatar": "Zmień Avatar", + "change-password": "Zmień hasło", + "change-permissions": "Zmień uprawnienia", + "change-settings": "Zmień ustawienia", + "changeAvatarPopup-title": "Zmień Avatar", + "changeLanguagePopup-title": "Zmień język", + "changePasswordPopup-title": "Zmień hasło", + "changePermissionsPopup-title": "Zmień uprawnienia", + "changeSettingsPopup-title": "Zmień ustawienia", + "checklists": "Checklists", + "click-to-star": "Kliknij by odznaczyć tę tablicę.", + "click-to-unstar": "Kliknij by usunąć odznaczenie tej tablicy.", + "clipboard": "Schowek lub przeciągnij & upuść", + "close": "Zamknij", + "close-board": "Zamknij tablicę", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "czarny", + "color-blue": "niebieski", + "color-green": "zielony", + "color-lime": "limonkowy", + "color-orange": "pomarańczowy", + "color-pink": "różowy", + "color-purple": "fioletowy", + "color-red": "czerwony", + "color-sky": "błękitny", + "color-yellow": "żółty", + "comment": "Komentarz", + "comment-placeholder": "Dodaj komentarz", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Komputer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Skopiuj kartę", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Utwórz", + "createBoardPopup-title": "Utwórz tablicę", + "chooseBoardSourcePopup-title": "Import tablicy", + "createLabelPopup-title": "Utwórz etykietę", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "obecny", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Data", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Data", + "decline": "Odrzuć", + "default-avatar": "Domyślny avatar", + "delete": "Usuń", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Usunąć etykietę?", + "description": "Opis", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Odrzuć", + "done": "Zrobiono", + "download": "Pobierz", + "edit": "Edytuj", + "edit-avatar": "Zmień Avatar", + "edit-profile": "Edytuj profil", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Zmień etykietę", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edytuj profil", + "email": "Email", + "email-enrollAccount-subject": "Konto zostało utworzone na __siteName__", + "email-enrollAccount-text": "Witaj __user__,\nAby zacząć korzystać z serwisu, kliknij w link poniżej.\n__url__\nDzięki.", + "email-fail": "Wysyłanie emaila nie powiodło się.", + "email-fail-text": "Error trying to send email", + "email-invalid": "Nieprawidłowy email", + "email-invite": "Zaproś przez email", + "email-invite-subject": "__inviter__ wysłał Ci zaproszenie", + "email-invite-text": "Drogi __user__,\n__inviter__ zaprosił Cię do współpracy w tablicy \"__board__\".\nZobacz więcej:\n__url__\nDzięki.", + "email-resetPassword-subject": "Zresetuj swoje hasło na __siteName__", + "email-resetPassword-text": "Witaj __user__,\nAby zresetować hasło, kliknij w link poniżej.\n__url__\nDzięki.", + "email-sent": "Email wysłany", + "email-verifyEmail-subject": "Zweryfikuj swój adres email na __siteName__", + "email-verifyEmail-text": "Witaj __user__,\nAby zweryfikować adres email, kliknij w link poniżej.\n__url__\nDzięki.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "Ta tablica nie istnieje", + "error-board-notAdmin": "Musisz być administratorem tej tablicy żeby to zrobić", + "error-board-notAMember": "Musisz być członkiem tej tablicy żeby to zrobić", + "error-json-malformed": "Twój tekst nie jest poprawnym JSONem", + "error-json-schema": "Twój JSON nie zawiera prawidłowych informacji w poprawnym formacie", + "error-list-doesNotExist": "Ta lista nie isnieje", + "error-user-doesNotExist": "Ten użytkownik nie istnieje", + "error-user-notAllowSelf": "Nie możesz zaprosić samego siebie", + "error-user-notCreated": "Ten użytkownik nie został stworzony", + "error-username-taken": "Ta nazwa jest już zajęta", + "error-email-taken": "Email has already been taken", + "export-board": "Eksportuj tablicę", + "filter": "Filtr", + "filter-cards": "Odfiltruj karty", + "filter-clear": "Usuń filter", + "filter-no-label": "Brak etykiety", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filtr jest włączony", + "filter-on-desc": "Filtrujesz karty na tej tablicy. Kliknij tutaj by edytować filtr.", + "filter-to-selection": "Odfiltruj zaznaczenie", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Wróć do swojej strony z tablicami.", + "hide-system-messages": "Ukryj wiadomości systemowe", + "headerBarCreateBoardPopup-title": "Utwórz tablicę", + "home": "Strona główna", + "import": "Importu", + "import-board": "importuj tablice", + "import-board-c": "Import tablicy", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Importuj tablice z Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "Z Trello", + "from-wekan": "Z Wekan", + "import-board-instruction-trello": "W twojej tablicy na Trello, idź do 'Menu', następnie 'More', 'Print and Export', 'Export JSON' i skopiuj wynik", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Wklej twój JSON tutaj", + "import-map-members": "Map members", + "import-members-map": "Twoje zaimportowane tablice mają kilku członków. Proszę wybierz członków których chcesz zaimportować do Wekan", + "import-show-user-mapping": "Przejrzyj wybranych członków", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Wersja", + "initials": "Initials", + "invalid-date": "Błędna data", + "invalid-time": "Błędny czas", + "invalid-user": "Zła nazwa użytkownika", + "joined": "dołączył", + "just-invited": "Właśnie zostałeś zaproszony do tej tablicy", + "keyboard-shortcuts": "Skróty klawiaturowe", + "label-create": "Utwórz etykietę", + "label-default": "%s etykieta (domyślna)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Etykiety", + "language": "Język", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Opuść tablicę", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link do tej karty", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Przenieś wszystkie karty z tej listy", + "list-select-cards": "Zaznacz wszystkie karty z tej listy", + "listActionPopup-title": "Lista akcji", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Zaimportuj kartę z Trello", + "listMorePopup-title": "Więcej", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Listy", + "swimlanes": "Swimlanes", + "log-out": "Wyloguj", + "log-in": "Zaloguj", + "loginPopup-title": "Zaloguj", + "memberMenuPopup-title": "Member Settings", + "members": "Członkowie", + "menu": "Menu", + "move-selection": "Przenieś zaznaczone", + "moveCardPopup-title": "Przenieś kartę", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Przenieś zaznaczone", + "multi-selection": "Wielokrotne zaznaczenie", + "multi-selection-on": "Wielokrotne zaznaczenie jest włączone", + "muted": "Wyciszona", + "muted-info": "Nie zostaniesz powiadomiony o zmianach w tablicy", + "my-boards": "Moje tablice", + "name": "Nazwa", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Brak wyników", + "normal": "Normal", + "normal-desc": "Może widzieć i edytować karty. Nie może zmieniać ustawiań.", + "not-accepted-yet": "Zaproszenie jeszcze nie zaakceptowane", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "opcjonalny", + "or": "lub", + "page-maybe-private": "Ta strona może być prywatna. Możliwe, że możesz ją zobaczyć po zalogowaniu.", + "page-not-found": "Strona nie znaleziona.", + "password": "Hasło", + "paste-or-dragdrop": "wklej lub przeciągnij & upuść obrazek", + "participating": "Participating", + "preview": "Podgląd", + "previewAttachedImagePopup-title": "Podgląd", + "previewClipboardImagePopup-title": "Podgląd", + "private": "Prywatny", + "private-desc": "Ta tablica jest prywatna. Tylko osoby dodane do tej tablicy mogą ją zobaczyć i edytować.", + "profile": "Profil", + "public": "Publiczny", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Odznacz tablicę aby dodać skrót na tym pasku.", + "remove-cover": "Usuń okładkę", + "remove-from-board": "Usuń z tablicy", + "remove-label": "Usuń etykietę", + "listDeletePopup-title": "Usunąć listę?", + "remove-member": "Usuń członka", + "remove-member-from-card": "Usuń z karty", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Usunąć członka?", + "rename": "Zmień nazwę", + "rename-board": "Zmień nazwę tablicy", + "restore": "Przywróć", + "save": "Zapisz", + "search": "Wyszukaj", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Wybierz kolor", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Przypisz siebie do obecnej karty", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Usuń wszystkie filtry", + "shortcut-close-dialog": "Zamknij okno", + "shortcut-filter-my-cards": "Filtruj moje karty", + "shortcut-show-shortcuts": "Przypnij do listy skrótów", + "shortcut-toggle-filterbar": "Przełącz boczny pasek filtru", + "shortcut-toggle-sidebar": "Przełącz boczny pasek tablicy", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Utwórz konto", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Odznaczone tablice", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Zapisz się", + "team": "Zespół", + "this-board": "ta tablica", + "this-card": "ta karta", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Tytuł", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Nieprzypisany członek", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Wyślij", + "upload-avatar": "Wyślij avatar", + "uploaded-avatar": "Wysłany avatar", + "username": "Nazwa użytkownika", + "view-it": "Zobacz", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Obserwuj", + "watching": "Obserwujesz", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Podstawy", + "welcome-list2": "Zaawansowane", + "what-to-do": "Co chcesz zrobić?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Panel administracyjny", + "settings": "Ustawienia", + "people": "Osoby", + "registration": "Rejestracja", + "disable-self-registration": "Disable Self-Registration", + "invite": "Zaproś", + "invite-people": "Zaproś osoby", + "to-boards": "To board(s)", + "email-addresses": "Adres e-mail", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "Serwer SMTP", + "smtp-port": "Port SMTP", + "smtp-username": "Nazwa użytkownika", + "smtp-password": "Hasło", + "smtp-tls": "TLS support", + "send-from": "Od", + "send-smtp-test": "Wyślij wiadomość testową do siebie", + "invitation-code": "Kod z zaproszenia", + "email-invite-register-subject": "__inviter__ wysłał Ci zaproszenie", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(nieznany)", + "Wekan_version": "Wersja Wekan", + "Node_version": "Wersja Node", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "godzin", + "minutes": "minut", + "seconds": "sekund", + "show-field-on-card": "Show this field on card", + "yes": "Tak", + "no": "Nie", + "accounts": "Konto", + "accounts-allowEmailChange": "Zezwól na zmianę adresu email", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Stworzono o", + "verified": "Zweryfikowane", + "active": "Aktywny", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json new file mode 100644 index 00000000..86fd65e0 --- /dev/null +++ b/i18n/pt-BR.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Aceitar", + "act-activity-notify": "[Wekan] Notificação de Atividade", + "act-addAttachment": "anexo __attachment__ de __card__", + "act-addChecklist": "added checklist __checklist__ no __card__", + "act-addChecklistItem": "adicionado __checklistitem__ para a lista de checagem __checklist__ em __card__", + "act-addComment": "comentou em __card__: __comment__", + "act-createBoard": "criou __board__", + "act-createCard": "__card__ adicionado à __list__", + "act-createCustomField": "criado campo customizado __customField__", + "act-createList": "__list__ adicionada à __board__", + "act-addBoardMember": "__member__ adicionado à __board__", + "act-archivedBoard": "__board__ movido para a lixeira", + "act-archivedCard": "__card__ movido para a lixeira", + "act-archivedList": "__list__ movido para a lixeira", + "act-archivedSwimlane": "__swimlane__ movido para a lixeira", + "act-importBoard": "__board__ importado", + "act-importCard": "__card__ importado", + "act-importList": "__list__ importada", + "act-joinMember": "__member__ adicionado à __card__", + "act-moveCard": "__card__ movido de __oldList__ para __list__", + "act-removeBoardMember": "__member__ removido de __board__", + "act-restoredCard": "__card__ restaurado para __board__", + "act-unjoinMember": "__member__ removido de __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Ações", + "activities": "Atividades", + "activity": "Atividade", + "activity-added": "adicionou %s a %s", + "activity-archived": "%s movido para a lixeira", + "activity-attached": "anexou %s a %s", + "activity-created": "criou %s", + "activity-customfield-created": "criado campo customizado %s", + "activity-excluded": "excluiu %s de %s", + "activity-imported": "importado %s em %s de %s", + "activity-imported-board": "importado %s de %s", + "activity-joined": "juntou-se a %s", + "activity-moved": "moveu %s de %s para %s", + "activity-on": "em %s", + "activity-removed": "removeu %s de %s", + "activity-sent": "enviou %s de %s", + "activity-unjoined": "saiu de %s", + "activity-checklist-added": "Adicionado lista de verificação a %s", + "activity-checklist-item-added": "adicionado o item de checklist para '%s' em %s", + "add": "Novo", + "add-attachment": "Adicionar Anexos", + "add-board": "Adicionar Quadro", + "add-card": "Adicionar Cartão", + "add-swimlane": "Adicionar Swimlane", + "add-checklist": "Adicionar Checklist", + "add-checklist-item": "Adicionar um item à lista de verificação", + "add-cover": "Adicionar Capa", + "add-label": "Adicionar Etiqueta", + "add-list": "Adicionar Lista", + "add-members": "Adicionar Membros", + "added": "Criado", + "addMemberPopup-title": "Membros", + "admin": "Administrador", + "admin-desc": "Pode ver e editar cartões, remover membros e alterar configurações do quadro.", + "admin-announcement": "Anúncio", + "admin-announcement-active": "Anúncio ativo em todo o sistema", + "admin-announcement-title": "Anúncio do Administrador", + "all-boards": "Todos os quadros", + "and-n-other-card": "E __count__ outro cartão", + "and-n-other-card_plural": "E __count__ outros cartões", + "apply": "Aplicar", + "app-is-offline": "O Wekan está carregando, por favor espere. Recarregar a página irá causar perda de dado. Se o Wekan não carregar por favor verifique se o servidor Wekan não está parado.", + "archive": "Mover para a lixeira", + "archive-all": "Mover tudo para a lixeira", + "archive-board": "Mover quadro para a lixeira", + "archive-card": "Mover cartão para a lixeira", + "archive-list": "Mover lista para a lixeira", + "archive-swimlane": "Mover Swimlane para a lixeira", + "archive-selection": "Mover seleção para a lixeira", + "archiveBoardPopup-title": "Mover o quadro para a lixeira?", + "archived-items": "Lixeira", + "archived-boards": "Quadros na lixeira", + "restore-board": "Restaurar Quadro", + "no-archived-boards": "Não há quadros na lixeira", + "archives": "Lixeira", + "assign-member": "Atribuir Membro", + "attached": "anexado", + "attachment": "Anexo", + "attachment-delete-pop": "Excluir um anexo é permanente. Não será possível recuperá-lo.", + "attachmentDeletePopup-title": "Excluir Anexo?", + "attachments": "Anexos", + "auto-watch": "Veja automaticamente os boards que são criados", + "avatar-too-big": "O avatar é muito grande (70KB max)", + "back": "Voltar", + "board-change-color": "Alterar cor", + "board-nb-stars": "%s estrelas", + "board-not-found": "Quadro não encontrado", + "board-private-info": "Este quadro será privado.", + "board-public-info": "Este quadro será público.", + "boardChangeColorPopup-title": "Alterar Tela de Fundo", + "boardChangeTitlePopup-title": "Renomear Quadro", + "boardChangeVisibilityPopup-title": "Alterar Visibilidade", + "boardChangeWatchPopup-title": "Alterar observação", + "boardMenuPopup-title": "Menu do Quadro", + "boards": "Quadros", + "board-view": "Visão de quadro", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Listas", + "bucket-example": "\"Bucket List\", por exemplo", + "cancel": "Cancelar", + "card-archived": "Este cartão foi movido para a lixeira", + "card-comments-title": "Este cartão possui %s comentários.", + "card-delete-notice": "A exclusão será permanente. Você perderá todas as ações associadas a este cartão.", + "card-delete-pop": "Todas as ações serão removidas da lista de Atividades e vocês não poderá re-abrir o cartão. Não há como desfazer.", + "card-delete-suggest-archive": "Você pode mover um cartão para fora da lixeira e movê-lo para o quadro e preservar a atividade.", + "card-due": "Data fim", + "card-due-on": "Finaliza em", + "card-spent": "Tempo Gasto", + "card-edit-attachments": "Editar anexos", + "card-edit-custom-fields": "Editar campos customizados", + "card-edit-labels": "Editar etiquetas", + "card-edit-members": "Editar membros", + "card-labels-title": "Alterar etiquetas do cartão.", + "card-members-title": "Acrescentar ou remover membros do quadro deste cartão.", + "card-start": "Data início", + "card-start-on": "Começa em", + "cardAttachmentsPopup-title": "Anexar a partir de", + "cardCustomField-datePopup-title": "Mudar data", + "cardCustomFieldsPopup-title": "Editar campos customizados", + "cardDeletePopup-title": "Excluir Cartão?", + "cardDetailsActionsPopup-title": "Ações do cartão", + "cardLabelsPopup-title": "Etiquetas", + "cardMembersPopup-title": "Membros", + "cardMorePopup-title": "Mais", + "cards": "Cartões", + "cards-count": "Cartões", + "change": "Alterar", + "change-avatar": "Alterar Avatar", + "change-password": "Alterar Senha", + "change-permissions": "Alterar permissões", + "change-settings": "Altera configurações", + "changeAvatarPopup-title": "Alterar Avatar", + "changeLanguagePopup-title": "Alterar Idioma", + "changePasswordPopup-title": "Alterar Senha", + "changePermissionsPopup-title": "Alterar Permissões", + "changeSettingsPopup-title": "Altera configurações", + "checklists": "Checklists", + "click-to-star": "Marcar quadro como favorito.", + "click-to-unstar": "Remover quadro dos favoritos.", + "clipboard": "Área de Transferência ou arraste e solte", + "close": "Fechar", + "close-board": "Fechar Quadro", + "close-board-pop": "Você poderá restaurar o quadro clicando no botão lixeira no cabeçalho da página inicial", + "color-black": "preto", + "color-blue": "azul", + "color-green": "verde", + "color-lime": "verde limão", + "color-orange": "laranja", + "color-pink": "cor-de-rosa", + "color-purple": "roxo", + "color-red": "vermelho", + "color-sky": "céu", + "color-yellow": "amarelo", + "comment": "Comentário", + "comment-placeholder": "Escrever Comentário", + "comment-only": "Somente comentários", + "comment-only-desc": "Pode comentar apenas em cartões.", + "computer": "Computador", + "confirm-checklist-delete-dialog": "Tem a certeza de que pretende eliminar lista de verificação", + "copy-card-link-to-clipboard": "Copiar link do cartão para a área de transferência", + "copyCardPopup-title": "Copiar o cartão", + "copyChecklistToManyCardsPopup-title": "Copiar modelo de checklist para vários cartões", + "copyChecklistToManyCardsPopup-instructions": "Títulos e descrições do cartão de destino neste formato JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Título do primeiro cartão\", \"description\":\"Descrição do primeiro cartão\"}, {\"title\":\"Título do segundo cartão\",\"description\":\"Descrição do segundo cartão\"},{\"title\":\"Título do último cartão\",\"description\":\"Descrição do último cartão\"} ]", + "create": "Criar", + "createBoardPopup-title": "Criar Quadro", + "chooseBoardSourcePopup-title": "Importar quadro", + "createLabelPopup-title": "Criar Etiqueta", + "createCustomField": "Criar campo", + "createCustomFieldPopup-title": "Criar campo", + "current": "atual", + "custom-field-delete-pop": "Não existe desfazer. Isso irá remover o campo customizado de todos os cartões e destruir seu histórico", + "custom-field-checkbox": "Caixa de seleção", + "custom-field-date": "Data", + "custom-field-dropdown": "Lista suspensa", + "custom-field-dropdown-none": "(nada)", + "custom-field-dropdown-options": "Lista de opções", + "custom-field-dropdown-options-placeholder": "Pressione enter para adicionar mais opções", + "custom-field-dropdown-unknown": "(desconhecido)", + "custom-field-number": "Número", + "custom-field-text": "Texto", + "custom-fields": "Campos customizados", + "date": "Data", + "decline": "Rejeitar", + "default-avatar": "Avatar padrão", + "delete": "Excluir", + "deleteCustomFieldPopup-title": "Deletar campo customizado?", + "deleteLabelPopup-title": "Excluir Etiqueta?", + "description": "Descrição", + "disambiguateMultiLabelPopup-title": "Desambiguar ações de etiquetas", + "disambiguateMultiMemberPopup-title": "Desambiguar ações de membros", + "discard": "Descartar", + "done": "Feito", + "download": "Baixar", + "edit": "Editar", + "edit-avatar": "Alterar Avatar", + "edit-profile": "Editar Perfil", + "edit-wip-limit": "Editar Limite WIP", + "soft-wip-limit": "Limite de WIP", + "editCardStartDatePopup-title": "Altera data de início", + "editCardDueDatePopup-title": "Altera data fim", + "editCustomFieldPopup-title": "Editar campo", + "editCardSpentTimePopup-title": "Editar tempo gasto", + "editLabelPopup-title": "Alterar Etiqueta", + "editNotificationPopup-title": "Editar Notificações", + "editProfilePopup-title": "Editar Perfil", + "email": "E-mail", + "email-enrollAccount-subject": "Uma conta foi criada para você em __siteName__", + "email-enrollAccount-text": "Olá __user__\npara iniciar utilizando o serviço basta clicar no link abaixo.\n__url__\nMuito Obrigado.", + "email-fail": "Falhou ao enviar email", + "email-fail-text": "Erro ao tentar enviar e-mail", + "email-invalid": "Email inválido", + "email-invite": "Convite via Email", + "email-invite-subject": "__inviter__ lhe enviou um convite", + "email-invite-text": "Caro __user__\n__inviter__ lhe convidou para ingressar no quadro \"__board__\" como colaborador.\nPor favor prossiga através do link abaixo:\n__url__\nMuito obrigado.", + "email-resetPassword-subject": "Redefina sua senha em __siteName__", + "email-resetPassword-text": "Olá __user__\nPara redefinir sua senha, por favor clique no link abaixo.\n__url__\nMuito obrigado.", + "email-sent": "Email enviado", + "email-verifyEmail-subject": "Verifique seu endereço de email em __siteName__", + "email-verifyEmail-text": "Olá __user__\nPara verificar sua conta de email, clique no link abaixo.\n__url__\nObrigado.", + "enable-wip-limit": "Ativar Limite WIP", + "error-board-doesNotExist": "Este quadro não existe", + "error-board-notAdmin": "Você precisa ser administrador desse quadro para fazer isto", + "error-board-notAMember": "Você precisa ser um membro desse quadro para fazer isto", + "error-json-malformed": "Seu texto não é um JSON válido", + "error-json-schema": "Seu JSON não inclui as informações no formato correto", + "error-list-doesNotExist": "Esta lista não existe", + "error-user-doesNotExist": "Este usuário não existe", + "error-user-notAllowSelf": "Você não pode convidar a si mesmo", + "error-user-notCreated": "Este usuário não foi criado", + "error-username-taken": "Esse username já existe", + "error-email-taken": "E-mail já está em uso", + "export-board": "Exportar quadro", + "filter": "Filtrar", + "filter-cards": "Filtrar Cartões", + "filter-clear": "Limpar filtro", + "filter-no-label": "Sem labels", + "filter-no-member": "Sem membros", + "filter-no-custom-fields": "Não há campos customizados", + "filter-on": "Filtro está ativo", + "filter-on-desc": "Você está filtrando cartões neste quadro. Clique aqui para editar o filtro.", + "filter-to-selection": "Filtrar esta seleção", + "advanced-filter-label": "Filtro avançado", + "advanced-filter-description": "Um Filtro Avançado permite escrever uma string contendo os seguintes operadores: == != <= >= && || () Um espaço é utilizado como separador entre os operadores. Você pode filtrar todos os campos customizados digitando seus nomes e valores. Por exemplo: campo1 == valor1. Nota: se campos ou valores contém espaços, você precisa encapsular eles em aspas simples. Por exemplo: 'campo 1' == 'valor 1'. Você também pode combinar múltiplas condições. Por exemplo: F1 == V1 || F1 == V2. Normalmente todos os operadores são interpretados da esquerda para a direita. Você pode mudar a ordem ao incluir parênteses. Por exemplo: F1 == V1 e (F2 == V2 || F2 == V3)", + "fullname": "Nome Completo", + "header-logo-title": "Voltar para a lista de quadros.", + "hide-system-messages": "Esconde mensagens de sistema", + "headerBarCreateBoardPopup-title": "Criar Quadro", + "home": "Início", + "import": "Importar", + "import-board": "importar quadro", + "import-board-c": "Importar quadro", + "import-board-title-trello": "Importar board do Trello", + "import-board-title-wekan": "Importar quadro do Wekan", + "import-sandstorm-warning": "O quadro importado irá excluir todos os dados existentes no quadro e irá sobrescrever com o quadro importado.", + "from-trello": "Do Trello", + "from-wekan": "Do Wekan", + "import-board-instruction-trello": "No seu quadro do Trello, vá em 'Menu', depois em 'Mais', 'Imprimir e Exportar', 'Exportar JSON', então copie o texto emitido", + "import-board-instruction-wekan": "Em seu quadro Wekan, vá para 'Menu', em seguida 'Exportar quadro', e copie o texto no arquivo baixado.", + "import-json-placeholder": "Cole seus dados JSON válidos aqui", + "import-map-members": "Mapear membros", + "import-members-map": "O seu quadro importado tem alguns membros. Por favor determine os membros que você deseja importar para os usuários Wekan", + "import-show-user-mapping": "Revisar mapeamento dos membros", + "import-user-select": "Selecione o usuário Wekan que você gostaria de usar como este membro", + "importMapMembersAddPopup-title": "Seleciona um membro", + "info": "Versão", + "initials": "Iniciais", + "invalid-date": "Data inválida", + "invalid-time": "Hora inválida", + "invalid-user": "Usuário inválido", + "joined": "juntou-se", + "just-invited": "Você já foi convidado para este quadro", + "keyboard-shortcuts": "Atalhos do teclado", + "label-create": "Criar Etiqueta", + "label-default": "%s etiqueta (padrão)", + "label-delete-pop": "Não será possível recuperá-la. A etiqueta será removida de todos os cartões e seu histórico será destruído.", + "labels": "Etiquetas", + "language": "Idioma", + "last-admin-desc": "Você não pode alterar funções porque deve existir pelo menos um administrador.", + "leave-board": "Sair do Quadro", + "leave-board-pop": "Tem a certeza de que pretende sair de __boardTitle__? Você será removido de todos os cartões neste quadro.", + "leaveBoardPopup-title": "Sair do Quadro ?", + "link-card": "Vincular a este cartão", + "list-archive-cards": "Mover todos os cartões nesta lista para a lixeira", + "list-archive-cards-pop": "Isso irá remover todos os cartões nesta lista do quadro. Para visualizar cartões na lixeira e trazê-los de volta ao quadro, clique em \"Menu\" > \"Lixeira\".", + "list-move-cards": "Mover todos os cartões desta lista", + "list-select-cards": "Selecionar todos os cartões nesta lista", + "listActionPopup-title": "Listar Ações", + "swimlaneActionPopup-title": "Ações de Swimlane", + "listImportCardPopup-title": "Importe um cartão do Trello", + "listMorePopup-title": "Mais", + "link-list": "Vincular a esta lista", + "list-delete-pop": "Todas as ações serão removidas da lista de atividades e você não poderá recuperar a lista. Não há como desfazer.", + "list-delete-suggest-archive": "Você pode mover a lista para a lixeira para removê-la do quadro e preservar a atividade.", + "lists": "Listas", + "swimlanes": "Swimlanes", + "log-out": "Sair", + "log-in": "Entrar", + "loginPopup-title": "Entrar", + "memberMenuPopup-title": "Configuração de Membros", + "members": "Membros", + "menu": "Menu", + "move-selection": "Mover seleção", + "moveCardPopup-title": "Mover Cartão", + "moveCardToBottom-title": "Mover para o final", + "moveCardToTop-title": "Mover para o topo", + "moveSelectionPopup-title": "Mover seleção", + "multi-selection": "Multi-Seleção", + "multi-selection-on": "Multi-seleção está ativo", + "muted": "Silenciar", + "muted-info": "Você nunca receberá qualquer notificação desse board", + "my-boards": "Meus Quadros", + "name": "Nome", + "no-archived-cards": "Não há cartões na lixeira", + "no-archived-lists": "Não há listas na lixeira", + "no-archived-swimlanes": "Não há swimlanes na lixeira", + "no-results": "Nenhum resultado.", + "normal": "Normal", + "normal-desc": "Pode ver e editar cartões. Não pode alterar configurações.", + "not-accepted-yet": "Convite ainda não aceito", + "notify-participate": "Receber atualizações de qualquer card que você criar ou participar como membro", + "notify-watch": "Receber atualizações de qualquer board, lista ou cards que você estiver observando", + "optional": "opcional", + "or": "ou", + "page-maybe-private": "Esta página pode ser privada. Você poderá vê-la se estiver logado.", + "page-not-found": "Página não encontrada.", + "password": "Senha", + "paste-or-dragdrop": "para colar, ou arraste e solte o arquivo da imagem para ca (somente imagens)", + "participating": "Participando", + "preview": "Previsualizar", + "previewAttachedImagePopup-title": "Previsualizar", + "previewClipboardImagePopup-title": "Previsualizar", + "private": "Privado", + "private-desc": "Este quadro é privado. Apenas seus membros podem acessar e editá-lo.", + "profile": "Perfil", + "public": "Público", + "public-desc": "Este quadro é público. Ele é visível a qualquer pessoa com o link e será exibido em mecanismos de busca como o Google. Apenas seus membros podem editá-lo.", + "quick-access-description": "Clique na estrela para adicionar um atalho nesta barra.", + "remove-cover": "Remover Capa", + "remove-from-board": "Remover do Quadro", + "remove-label": "Remover Etiqueta", + "listDeletePopup-title": "Excluir Lista ?", + "remove-member": "Remover Membro", + "remove-member-from-card": "Remover do Cartão", + "remove-member-pop": "Remover __name__ (__username__) de __boardTitle__? O membro será removido de todos os cartões neste quadro e será notificado.", + "removeMemberPopup-title": "Remover Membro?", + "rename": "Renomear", + "rename-board": "Renomear Quadro", + "restore": "Restaurar", + "save": "Salvar", + "search": "Buscar", + "search-cards": "Pesquisa em títulos e descrições de cartões neste quadro", + "search-example": "Texto para procurar", + "select-color": "Selecionar Cor", + "set-wip-limit-value": "Defina um limite máximo para o número de tarefas nesta lista", + "setWipLimitPopup-title": "Definir Limite WIP", + "shortcut-assign-self": "Atribuir a si o cartão atual", + "shortcut-autocomplete-emoji": "Autocompletar emoji", + "shortcut-autocomplete-members": "Preenchimento automático de membros", + "shortcut-clear-filters": "Limpar todos filtros", + "shortcut-close-dialog": "Fechar dialogo", + "shortcut-filter-my-cards": "Filtrar meus cartões", + "shortcut-show-shortcuts": "Mostrar lista de atalhos", + "shortcut-toggle-filterbar": "Alternar barra de filtro", + "shortcut-toggle-sidebar": "Fechar barra lateral.", + "show-cards-minimum-count": "Mostrar contador de cards se a lista tiver mais de", + "sidebar-open": "Abrir barra lateral", + "sidebar-close": "Fechar barra lateral", + "signupPopup-title": "Criar uma Conta", + "star-board-title": "Clique para marcar este quadro como favorito. Ele aparecerá no topo na lista dos seus quadros.", + "starred-boards": "Quadros Favoritos", + "starred-boards-description": "Quadros favoritos aparecem no topo da lista dos seus quadros.", + "subscribe": "Acompanhar", + "team": "Equipe", + "this-board": "este quadro", + "this-card": "este cartão", + "spent-time-hours": "Tempo gasto (Horas)", + "overtime-hours": "Tempo extras (Horas)", + "overtime": "Tempo extras", + "has-overtime-cards": "Tem cartões de horas extras", + "has-spenttime-cards": "Gastou cartões de tempo", + "time": "Tempo", + "title": "Título", + "tracking": "Tracking", + "tracking-info": "Você será notificado se houver qualquer alteração em cards em que você é o criador ou membro", + "type": "Tipo", + "unassign-member": "Membro não associado", + "unsaved-description": "Você possui uma descrição não salva", + "unwatch": "Deixar de observar", + "upload": "Upload", + "upload-avatar": "Carregar um avatar", + "uploaded-avatar": "Avatar carregado", + "username": "Nome de usuário", + "view-it": "Visualizar", + "warn-list-archived": "Aviso: este cartão está em uma lista na lixeira", + "watch": "Observar", + "watching": "Observando", + "watching-info": "Você será notificado em qualquer alteração desse board", + "welcome-board": "Board de Boas Vindas", + "welcome-swimlane": "Marco 1", + "welcome-list1": "Básico", + "welcome-list2": "Avançado", + "what-to-do": "O que você gostaria de fazer?", + "wipLimitErrorPopup-title": "Limite WIP Inválido", + "wipLimitErrorPopup-dialog-pt1": "O número de tarefas nesta lista excede o limite WIP definido.", + "wipLimitErrorPopup-dialog-pt2": "Por favor, mova algumas tarefas para fora desta lista, ou defina um limite WIP mais elevado.", + "admin-panel": "Painel Administrativo", + "settings": "Configurações", + "people": "Pessoas", + "registration": "Registro", + "disable-self-registration": "Desabilitar Cadastrar-se", + "invite": "Convite", + "invite-people": "Convide Pessoas", + "to-boards": "Para o/os quadro(s)", + "email-addresses": "Endereço de Email", + "smtp-host-description": "O endereço do servidor SMTP que envia seus emails.", + "smtp-port-description": "A porta que o servidor SMTP usa para enviar os emails.", + "smtp-tls-description": "Habilitar suporte TLS para servidor SMTP", + "smtp-host": "Servidor SMTP", + "smtp-port": "Porta SMTP", + "smtp-username": "Nome de usuário", + "smtp-password": "Senha", + "smtp-tls": "Suporte TLS", + "send-from": "De", + "send-smtp-test": "Enviar um email de teste para você mesmo", + "invitation-code": "Código do Convite", + "email-invite-register-subject": "__inviter__ lhe enviou um convite", + "email-invite-register-text": "Caro __user__,\n\n__inviter__ convidou você para colaborar no Wekan.\n\nPor favor, vá no link abaixo:\n__url__\n\nE seu código de convite é: __icode__\n\nObrigado.", + "email-smtp-test-subject": "Email Teste SMTP de Wekan", + "email-smtp-test-text": "Você enviou um email com sucesso", + "error-invitation-code-not-exist": "O código do convite não existe", + "error-notAuthorized": "Você não está autorizado à ver esta página.", + "outgoing-webhooks": "Webhook de saída", + "outgoingWebhooksPopup-title": "Webhook de saída", + "new-outgoing-webhook": "Novo Webhook de saída", + "no-name": "(Desconhecido)", + "Wekan_version": "Versão do Wekan", + "Node_version": "Versão do Node", + "OS_Arch": "Arquitetura do SO", + "OS_Cpus": "Quantidade de CPUS do SO", + "OS_Freemem": "Memória Disponível do SO", + "OS_Loadavg": "Carga Média do SO", + "OS_Platform": "Plataforma do SO", + "OS_Release": "Versão do SO", + "OS_Totalmem": "Memória Total do SO", + "OS_Type": "Tipo do SO", + "OS_Uptime": "Disponibilidade do SO", + "hours": "horas", + "minutes": "minutos", + "seconds": "segundos", + "show-field-on-card": "Mostrar este campo no cartão", + "yes": "Sim", + "no": "Não", + "accounts": "Contas", + "accounts-allowEmailChange": "Permitir Mudança de Email", + "accounts-allowUserNameChange": "Permitir alteração de nome de usuário", + "createdAt": "Criado em", + "verified": "Verificado", + "active": "Ativo", + "card-received": "Recebido", + "card-received-on": "Recebido em", + "card-end": "Fim", + "card-end-on": "Termina em", + "editCardReceivedDatePopup-title": "Modificar data de recebimento", + "editCardEndDatePopup-title": "Mudar data de fim", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json new file mode 100644 index 00000000..06b5ba2d --- /dev/null +++ b/i18n/pt.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Aceitar", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "Criado %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Adicionar", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Membros", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Renomear Quadro", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Etiquetas", + "cardMembersPopup-title": "Membros", + "cardMorePopup-title": "Mais", + "cards": "Cartões", + "cards-count": "Cartões", + "change": "Alterar", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comentário", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computador", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Etiquetas", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "Mais", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Membros", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Nome", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Nenhum resultado", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remover Membro?", + "rename": "Renomear", + "rename-board": "Renomear Quadro", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "Não", + "accounts": "Contas", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verificado", + "active": "Ativo", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json new file mode 100644 index 00000000..dd4d2b58 --- /dev/null +++ b/i18n/ro.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accept", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Add", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Members", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Ataşament", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Ataşamente", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Înapoi", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Liste", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Members", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Închide", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Iniţiale", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Liste", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Members", + "menu": "Meniu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Nume", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Parolă", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Privat", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profil", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Salvează", + "search": "Caută", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Titlu", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "Ce ai vrea sa faci?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Parolă", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json new file mode 100644 index 00000000..ca9d3673 --- /dev/null +++ b/i18n/ru.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Принять", + "act-activity-notify": "[Wekan] Уведомление о действиях участников", + "act-addAttachment": "вложено __attachment__ в __card__", + "act-addChecklist": "добавил контрольный список __checklist__ в __card__", + "act-addChecklistItem": "добавил __checklistItem__ в контрольный список __checklist__ в __card__", + "act-addComment": "прокомментировал __card__: __comment__", + "act-createBoard": "создал __board__", + "act-createCard": "добавил __card__ в __list__", + "act-createCustomField": "Расширенный фильтр позволяет написать строку, содержащую следующие операторы: ==! = <=> = && || () Пространство используется как разделитель между Операторами. Вы можете фильтровать все пользовательские поля, введя их имена и значения. Например: Field1 == Value1. Примечание. Если поля или значения содержат пробелы, вам необходимо инкапсулировать их в одинарные кавычки. Например: «Поле 1» == «Значение 1». Также вы можете комбинировать несколько условий. Например: F1 == V1 || F1 = V2. Обычно все операторы интерпретируются слева направо. Вы можете изменить порядок, разместив скобки. Например: F1 == V1 и (F2 == V2 || F2 == V3)", + "act-createList": "добавил __list__ для __board__", + "act-addBoardMember": "добавил __member__ в __board__", + "act-archivedBoard": "Доска __board__ перемещена в Корзину", + "act-archivedCard": "Карточка __card__ перемещена в Корзину", + "act-archivedList": "Список __list__ перемещён в Корзину", + "act-archivedSwimlane": "Дорожка __swimlane__ перемещена в Корзину", + "act-importBoard": "__board__ импортирована", + "act-importCard": "__card__ импортирована", + "act-importList": "__list__ импортирован", + "act-joinMember": "добавил __member__ в __card__", + "act-moveCard": "__card__ перемещена из __oldList__ в __list__", + "act-removeBoardMember": "__member__ удален из __board__", + "act-restoredCard": "__card__ востановлена в __board__", + "act-unjoinMember": "__member__ удален из __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Действия", + "activities": "История действий", + "activity": "Действия участников", + "activity-added": "добавил %s на %s", + "activity-archived": "%s перемещено в Корзину", + "activity-attached": "прикрепил %s к %s", + "activity-created": "создал %s", + "activity-customfield-created": "создать настраиваемое поле", + "activity-excluded": "исключил %s из %s", + "activity-imported": "импортировал %s в %s из %s", + "activity-imported-board": "импортировал %s из %s", + "activity-joined": "присоединился к %s", + "activity-moved": "переместил %s из %s в %s", + "activity-on": "%s", + "activity-removed": "удалил %s из %s", + "activity-sent": "отправил %s в %s", + "activity-unjoined": "вышел из %s", + "activity-checklist-added": "добавил контрольный список в %s", + "activity-checklist-item-added": "добавил пункт контрольного списка в '%s' в карточке %s", + "add": "Создать", + "add-attachment": "Добавить вложение", + "add-board": "Добавить доску", + "add-card": "Добавить карту", + "add-swimlane": "Добавить дорожку", + "add-checklist": "Добавить контрольный список", + "add-checklist-item": "Добавить пункт в контрольный список", + "add-cover": "Прикрепить", + "add-label": "Добавить метку", + "add-list": "Добавить простой список", + "add-members": "Добавить участника", + "added": "Добавлено", + "addMemberPopup-title": "Участники", + "admin": "Администратор", + "admin-desc": "Может просматривать и редактировать карточки, удалять участников и управлять настройками доски.", + "admin-announcement": "Объявление", + "admin-announcement-active": "Действующее общесистемное объявление", + "admin-announcement-title": "Объявление от Администратора", + "all-boards": "Все доски", + "and-n-other-card": "И __count__ другая карточка", + "and-n-other-card_plural": "И __count__ другие карточки", + "apply": "Применить", + "app-is-offline": "Wekan загружается, пожалуйста подождите. Обновление страницы может привести к потере данных. Если Wekan не загрузился, пожалуйста проверьте что связь с сервером доступна.", + "archive": "Переместить в Корзину", + "archive-all": "Переместить всё в Корзину", + "archive-board": "Переместить Доску в Корзину", + "archive-card": "Переместить Карточку в Корзину", + "archive-list": "Переместить Список в Корзину", + "archive-swimlane": "Переместить Дорожку в Корзину", + "archive-selection": "Переместить выбранное в Корзину", + "archiveBoardPopup-title": "Переместить Доску в Корзину?", + "archived-items": "Корзина", + "archived-boards": "Доски находящиеся в Корзине", + "restore-board": "Востановить доску", + "no-archived-boards": "В Корзине нет никаких Досок", + "archives": "Корзина", + "assign-member": "Назначить участника", + "attached": "прикреплено", + "attachment": "Вложение", + "attachment-delete-pop": "Если удалить вложение, его нельзя будет восстановить.", + "attachmentDeletePopup-title": "Удалить вложение?", + "attachments": "Вложения", + "auto-watch": "Автоматически следить за созданными досками", + "avatar-too-big": "Аватар слишком большой (максимум 70КБ)", + "back": "Назад", + "board-change-color": "Изменить цвет", + "board-nb-stars": "%s избранное", + "board-not-found": "Доска не найдена", + "board-private-info": "Это доска будет частной.", + "board-public-info": "Эта доска будет доступной всем.", + "boardChangeColorPopup-title": "Изменить фон доски", + "boardChangeTitlePopup-title": "Переименовать доску", + "boardChangeVisibilityPopup-title": "Изменить настройки видимости", + "boardChangeWatchPopup-title": "Изменить Отслеживание", + "boardMenuPopup-title": "Меню доски", + "boards": "Доски", + "board-view": "Вид доски", + "board-view-swimlanes": "Дорожки", + "board-view-lists": "Списки", + "bucket-example": "Например “Список дел”", + "cancel": "Отмена", + "card-archived": "Эта карточка перемещена в Корзину", + "card-comments-title": "Комментарии (%s)", + "card-delete-notice": "Это действие невозможно будет отменить. Все изменения, которые вы вносили в карточку будут потеряны.", + "card-delete-pop": "Все действия будут удалены из ленты активности участников и вы не сможете заново открыть карточку. Действие необратимо", + "card-delete-suggest-archive": "Вы можете переместить карточку в Корзину, чтобы удалить ее с доски и сохранить активность .", + "card-due": "Выполнить к", + "card-due-on": "Выполнить до", + "card-spent": "Затраченное время", + "card-edit-attachments": "Изменить вложения", + "card-edit-custom-fields": "Редактировать настраиваемые поля", + "card-edit-labels": "Изменить метку", + "card-edit-members": "Изменить участников", + "card-labels-title": "Изменить метки для этой карточки.", + "card-members-title": "Добавить или удалить с карточки участников доски.", + "card-start": "Дата начала", + "card-start-on": "Начнётся с", + "cardAttachmentsPopup-title": "Прикрепить из", + "cardCustomField-datePopup-title": "Изменить дату", + "cardCustomFieldsPopup-title": "редактировать настраиваемые поля", + "cardDeletePopup-title": "Удалить карточку?", + "cardDetailsActionsPopup-title": "Действия в карточке", + "cardLabelsPopup-title": "Метки", + "cardMembersPopup-title": "Участники", + "cardMorePopup-title": "Поделиться", + "cards": "Карточки", + "cards-count": "Карточки", + "change": "Изменить", + "change-avatar": "Изменить аватар", + "change-password": "Изменить пароль", + "change-permissions": "Изменить права доступа", + "change-settings": "Изменить настройки", + "changeAvatarPopup-title": "Изменить аватар", + "changeLanguagePopup-title": "Сменить язык", + "changePasswordPopup-title": "Изменить пароль", + "changePermissionsPopup-title": "Изменить настройки доступа", + "changeSettingsPopup-title": "Изменить Настройки", + "checklists": "Контрольные списки", + "click-to-star": "Добавить в «Избранное»", + "click-to-unstar": "Удалить из «Избранного»", + "clipboard": "Буфер обмена или drag & drop", + "close": "Закрыть", + "close-board": "Закрыть доску", + "close-board-pop": "Вы можете восстановить доску, нажав “Корзина” в заголовке.", + "color-black": "черный", + "color-blue": "синий", + "color-green": "зеленый", + "color-lime": "лимоновый", + "color-orange": "оранжевый", + "color-pink": "розовый", + "color-purple": "фиолетовый", + "color-red": "красный", + "color-sky": "голубой", + "color-yellow": "желтый", + "comment": "Добавить комментарий", + "comment-placeholder": "Написать комментарий", + "comment-only": "Только комментирование", + "comment-only-desc": "Может комментировать только карточки.", + "computer": "Загрузить с компьютера", + "confirm-checklist-delete-dialog": "Вы уверены, что хотите удалить контрольный список?", + "copy-card-link-to-clipboard": "Копировать ссылку на карточку в буфер обмена", + "copyCardPopup-title": "Копировать карточку", + "copyChecklistToManyCardsPopup-title": "Копировать шаблон контрольного списка в несколько карточек", + "copyChecklistToManyCardsPopup-instructions": "Названия и описания целевых карт в формате JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Создать", + "createBoardPopup-title": "Создать доску", + "chooseBoardSourcePopup-title": "Импортировать доску", + "createLabelPopup-title": "Создать метку", + "createCustomField": "Создать поле", + "createCustomFieldPopup-title": "Создать поле", + "current": "текущий", + "custom-field-delete-pop": "Отменить нельзя. Это удалит настраиваемое поле со всех карт и уничтожит его историю.", + "custom-field-checkbox": "Галочка", + "custom-field-date": "Дата", + "custom-field-dropdown": "Выпадающий список", + "custom-field-dropdown-none": "(нет)", + "custom-field-dropdown-options": "Параметры списка", + "custom-field-dropdown-options-placeholder": "Нажмите «Ввод», чтобы добавить дополнительные параметры.", + "custom-field-dropdown-unknown": "(неизвестно)", + "custom-field-number": "Номер", + "custom-field-text": "Текст", + "custom-fields": "Настраиваемые поля", + "date": "Дата", + "decline": "Отклонить", + "default-avatar": "Аватар по умолчанию", + "delete": "Удалить", + "deleteCustomFieldPopup-title": "Удалить настраиваемые поля?", + "deleteLabelPopup-title": "Удалить метку?", + "description": "Описание", + "disambiguateMultiLabelPopup-title": "Разрешить конфликт меток", + "disambiguateMultiMemberPopup-title": "Разрешить конфликт участников", + "discard": "Отказать", + "done": "Готово", + "download": "Скачать", + "edit": "Редактировать", + "edit-avatar": "Изменить аватар", + "edit-profile": "Изменить профиль", + "edit-wip-limit": " Изменить лимит на кол-во задач", + "soft-wip-limit": "Мягкий лимит на кол-во задач", + "editCardStartDatePopup-title": "Изменить дату начала", + "editCardDueDatePopup-title": "Изменить дату выполнения", + "editCustomFieldPopup-title": "Редактировать поле", + "editCardSpentTimePopup-title": "Изменить затраченное время", + "editLabelPopup-title": "Изменить метки", + "editNotificationPopup-title": "Редактировать уведомления", + "editProfilePopup-title": "Редактировать профиль", + "email": "Эл.почта", + "email-enrollAccount-subject": "Аккаунт создан для вас здесь __url__", + "email-enrollAccount-text": "Привет __user__,\n\nДля того, чтобы начать использовать сервис, просто нажми на ссылку ниже.\n\n__url__\n\nСпасибо.", + "email-fail": "Отправка письма на EMail не удалась", + "email-fail-text": "Ошибка при попытке отправить письмо", + "email-invalid": "Неверный адрес электронной почти", + "email-invite": "Пригласить по электронной почте", + "email-invite-subject": "__inviter__ прислал вам приглашение", + "email-invite-text": "Дорогой __user__,\n\n__inviter__ пригласил вас присоединиться к доске \"__board__\" для сотрудничества.\n\nПожалуйста проследуйте по ссылке ниже:\n\n__url__\n\nСпасибо.", + "email-resetPassword-subject": "Перейдите по ссылке, чтобы сбросить пароль __url__", + "email-resetPassword-text": "Привет __user__,\n\nДля сброса пароля перейдите по ссылке ниже.\n\n__url__\n\nThanks.", + "email-sent": "Письмо отправлено", + "email-verifyEmail-subject": "Подтвердите вашу эл.почту перейдя по ссылке __url__", + "email-verifyEmail-text": "Привет __user__,\n\nДля подтверждения вашей электронной почты перейдите по ссылке ниже.\n\n__url__\n\nСпасибо.", + "enable-wip-limit": "Включить лимит на кол-во задач", + "error-board-doesNotExist": "Доска не найдена", + "error-board-notAdmin": "Вы должны обладать правами администратора этой доски, чтобы сделать это", + "error-board-notAMember": "Вы должны быть участником доски, чтобы сделать это", + "error-json-malformed": "Ваше текст не является правильным JSON", + "error-json-schema": "Содержимое вашего JSON не содержит информацию в корректном формате", + "error-list-doesNotExist": "Список не найден", + "error-user-doesNotExist": "Пользователь не найден", + "error-user-notAllowSelf": "Вы не можете пригласить себя", + "error-user-notCreated": "Пользователь не создан", + "error-username-taken": "Это имя пользователя уже занято", + "error-email-taken": "Этот адрес уже занят", + "export-board": "Экспортировать доску", + "filter": "Фильтр", + "filter-cards": "Фильтр карточек", + "filter-clear": "Очистить фильтр", + "filter-no-label": "Нет метки", + "filter-no-member": "Нет участников", + "filter-no-custom-fields": "Нет настраиваемых полей", + "filter-on": "Включен фильтр", + "filter-on-desc": "Показываются карточки, соответствующие настройкам фильтра. Нажмите для редактирования.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Расширенный фильтр", + "advanced-filter-description": "Расширенный фильтр позволяет написать строку, содержащую следующие операторы: ==! = <=> = && || () Пространство используется как разделитель между Операторами. Вы можете фильтровать все пользовательские поля, введя их имена и значения. Например: Field1 == Value1. Примечание: Если поля или значения содержат пробелы, вам необходимо 'брать' их в одинарные кавычки. Например: 'Поле 1' == 'Значение 1'. Также вы можете комбинировать несколько условий. Например: F1 == V1 || F1 = V2. Обычно все операторы интерпретируются слева направо. Вы можете изменить порядок, разместив скобки. Например: F1 == V1 и (F2 == V2 || F2 == V3)", + "fullname": "Полное имя", + "header-logo-title": "Вернуться к доскам.", + "hide-system-messages": "Скрыть системные сообщения", + "headerBarCreateBoardPopup-title": "Создать доску", + "home": "Главная", + "import": "Импорт", + "import-board": "импортировать доску", + "import-board-c": "Импортировать доску", + "import-board-title-trello": "Импортировать доску из Trello", + "import-board-title-wekan": "Импортировать доску из Wekan", + "import-sandstorm-warning": "Импортированная доска удалит все существующие данные на текущей доске и заменит её импортированной доской.", + "from-trello": "Из Trello", + "from-wekan": "Из Wekan", + "import-board-instruction-trello": "На вашей Trello доске нажмите “Menu” - “More” - “Print and export - “Export JSON” и скопируйте полученный текст", + "import-board-instruction-wekan": "На вашей Wekan доске, перейдите в “Меню”, далее “Экспортировать доску” и скопируйте текст из скачаного файла", + "import-json-placeholder": "Вставьте JSON сюда", + "import-map-members": "Составить карту участников", + "import-members-map": "Вы импортировали доску с участниками. Пожалуйста, составьте карту участников, которых вы хотите импортировать в качестве пользователей Wekan", + "import-show-user-mapping": "Проверить карту участников", + "import-user-select": "Выберите пользователя Wekan, которого вы хотите использовать в качестве участника", + "importMapMembersAddPopup-title": "Выбрать участника Wekan", + "info": "Версия", + "initials": "Инициалы", + "invalid-date": "Неверная дата", + "invalid-time": "Некорректное время", + "invalid-user": "Неверный пользователь", + "joined": "вступил", + "just-invited": "Вас только что пригласили на эту доску", + "keyboard-shortcuts": "Сочетания клавиш", + "label-create": "Создать метку", + "label-default": "%sметка (по умолчанию)", + "label-delete-pop": "Это действие невозможно будет отменить. Эта метка будут удалена во всех карточках. Также будет удалена вся история этой метки.", + "labels": "Метки", + "language": "Язык", + "last-admin-desc": "Вы не можете изменять роли, для этого требуются права администратора.", + "leave-board": "Покинуть доску", + "leave-board-pop": "Вы уверенны, что хотите покинуть __boardTitle__? Вы будете удалены из всех карточек на этой доске.", + "leaveBoardPopup-title": "Покинуть доску?", + "link-card": "Доступна по ссылке", + "list-archive-cards": "Переместить все карточки в этом списке в Корзину", + "list-archive-cards-pop": "Это действие переместит все карточки в Корзину и они перестанут быть видимым на доске. Для просмотра карточек в Корзине и их восстановления нажмите “Меню” > “Корзина”.", + "list-move-cards": "Переместить все карточки в этом списке", + "list-select-cards": "Выбрать все карточки в этом списке", + "listActionPopup-title": "Список действий", + "swimlaneActionPopup-title": "Действия с дорожкой", + "listImportCardPopup-title": "Импортировать Trello карточку", + "listMorePopup-title": "Поделиться", + "link-list": "Ссылка на список", + "list-delete-pop": "Все действия будут удалены из ленты активности участников и вы не сможете восстановить список. Данное действие необратимо.", + "list-delete-suggest-archive": "Вы можете переместить карточку в Корзину, чтобы удалить ее с доски и сохранить активность .", + "lists": "Списки", + "swimlanes": "Дорожки", + "log-out": "Выйти", + "log-in": "Войти", + "loginPopup-title": "Войти", + "memberMenuPopup-title": "Настройки участника", + "members": "Участники", + "menu": "Меню", + "move-selection": "Переместить выделение", + "moveCardPopup-title": "Переместить карточку", + "moveCardToBottom-title": "Переместить вниз", + "moveCardToTop-title": "Переместить вверх", + "moveSelectionPopup-title": "Переместить выделение", + "multi-selection": "Выбрать несколько", + "multi-selection-on": "Выбрать несколько из", + "muted": "Заглушен", + "muted-info": "Вы НИКОГДА не будете уведомлены ни о каких изменениях в этой доске.", + "my-boards": "Мои доски", + "name": "Имя", + "no-archived-cards": "В Корзине нет никаких Карточек", + "no-archived-lists": "В Корзине нет никаких Списков", + "no-archived-swimlanes": "В Корзине нет никаких Дорожек", + "no-results": "Ничего не найдено", + "normal": "Обычный", + "normal-desc": "Может редактировать карточки. Не может управлять настройками.", + "not-accepted-yet": "Приглашение еще не принято", + "notify-participate": "Получать обновления по любым карточкам, которые вы создавали или участником которых являетесь.", + "notify-watch": "Получать обновления по любым доскам, спискам и карточкам, на которые вы подписаны как наблюдатель.", + "optional": "не обязательно", + "or": "или", + "page-maybe-private": "Возможно, эта страница скрыта от незарегистрированных пользователей. Попробуйте войти на сайт.", + "page-not-found": "Страница не найдена.", + "password": "Пароль", + "paste-or-dragdrop": "вставьте, или перетащите файл с изображением сюда (только графический файл)", + "participating": "Участвую", + "preview": "Предпросмотр", + "previewAttachedImagePopup-title": "Предпросмотр", + "previewClipboardImagePopup-title": "Предпросмотр", + "private": "Закрытая", + "private-desc": "Эта доска с ограниченным доступом. Только участники могут работать с ней.", + "profile": "Профиль", + "public": "Открытая", + "public-desc": "Эта доска может быть видна всем у кого есть ссылка. Также может быть проиндексирована поисковыми системами. Вносить изменения могут только участники.", + "quick-access-description": "Нажмите на звезду, что добавить ярлык доски на панель.", + "remove-cover": "Открепить", + "remove-from-board": "Удалить с доски", + "remove-label": "Удалить метку", + "listDeletePopup-title": "Удалить список?", + "remove-member": "Удалить участника", + "remove-member-from-card": "Удалить из карточки", + "remove-member-pop": "Удалить участника __name__ (__username__) из доски __boardTitle__? Участник будет удален из всех карточек на этой доске. Также он получит уведомление о совершаемом действии.", + "removeMemberPopup-title": "Удалить участника?", + "rename": "Переименовать", + "rename-board": "Переименовать доску", + "restore": "Восстановить", + "save": "Сохранить", + "search": "Поиск", + "search-cards": "Искать в названиях и описаниях карточек на этой доске", + "search-example": "Искать текст?", + "select-color": "Выбрать цвет", + "set-wip-limit-value": "Устанавливает ограничение на максимальное количество задач в этом списке", + "setWipLimitPopup-title": "Задать лимит на кол-во задач", + "shortcut-assign-self": "Связать себя с текущей карточкой", + "shortcut-autocomplete-emoji": "Автозаполнение emoji", + "shortcut-autocomplete-members": "Автозаполнение участников", + "shortcut-clear-filters": "Сбросить все фильтры", + "shortcut-close-dialog": "Закрыть диалог", + "shortcut-filter-my-cards": "Показать мои карточки", + "shortcut-show-shortcuts": "Поднять список ярлыков", + "shortcut-toggle-filterbar": "Переместить фильтр на бововую панель", + "shortcut-toggle-sidebar": "Переместить доску на боковую панель", + "show-cards-minimum-count": "Показывать количество карточек если их больше", + "sidebar-open": "Открыть Панель", + "sidebar-close": "Скрыть Панель", + "signupPopup-title": "Создать учетную запись", + "star-board-title": "Добавить в «Избранное». Эта доска будет всегда на виду.", + "starred-boards": "Добавленные в «Избранное»", + "starred-boards-description": "Избранные доски будут всегда вверху списка.", + "subscribe": "Подписаться", + "team": "Участники", + "this-board": "эту доску", + "this-card": "текущая карточка", + "spent-time-hours": "Затраченное время (в часах)", + "overtime-hours": "Переработка (в часах)", + "overtime": "Переработка", + "has-overtime-cards": "Имеются карточки с переработкой", + "has-spenttime-cards": "Имеются карточки с учетом затраченного времени", + "time": "Время", + "title": "Название", + "tracking": "Отслеживание", + "tracking-info": "Вы будете уведомлены о любых изменениях в тех карточках, в которых вы являетесь создателем или участником.", + "type": "Тип", + "unassign-member": "Отменить назначение участника", + "unsaved-description": "У вас есть несохраненное описание.", + "unwatch": "Перестать следить", + "upload": "Загрузить", + "upload-avatar": "Загрузить аватар", + "uploaded-avatar": "Загруженный аватар", + "username": "Имя пользователя", + "view-it": "Просмотреть", + "warn-list-archived": "Внимание: Данная карточка находится в списке, который перемещен в Корзину", + "watch": "Следить", + "watching": "Отслеживается", + "watching-info": "Вы будете уведомлены об любых изменениях в этой доске.", + "welcome-board": "Приветственная Доска", + "welcome-swimlane": "Этап 1", + "welcome-list1": "Основы", + "welcome-list2": "Расширенно", + "what-to-do": "Что вы хотите сделать?", + "wipLimitErrorPopup-title": "Некорректный лимит на кол-во задач", + "wipLimitErrorPopup-dialog-pt1": "Количество задач в этом списке превышает установленный вами лимит", + "wipLimitErrorPopup-dialog-pt2": "Пожалуйста, перенесите некоторые задачи из этого списка или увеличьте лимит на кол-во задач", + "admin-panel": "Административная Панель", + "settings": "Настройки", + "people": "Люди", + "registration": "Регистрация", + "disable-self-registration": "Отключить самостоятельную регистрацию", + "invite": "Пригласить", + "invite-people": "Пригласить людей", + "to-boards": "В Доску(и)", + "email-addresses": "Email адрес", + "smtp-host-description": "Адрес SMTP сервера, который отправляет ваши электронные письма.", + "smtp-port-description": "Порт который SMTP-сервер использует для исходящих сообщений.", + "smtp-tls-description": "Включить поддержку TLS для SMTP сервера", + "smtp-host": "SMTP Хост", + "smtp-port": "SMTP Порт", + "smtp-username": "Имя пользователя", + "smtp-password": "Пароль", + "smtp-tls": "поддержка TLS", + "send-from": "От", + "send-smtp-test": "Отправьте тестовое письмо себе", + "invitation-code": "Код приглашения", + "email-invite-register-subject": "__inviter__ прислал вам приглашение", + "email-invite-register-text": "Уважаемый __user__,\n\n__inviter__ приглашает вас в Wekan для сотрудничества.\n\nПожалуйста, проследуйте по ссылке:\n__url__\n\nВаш код приглашения: __icode__\n\nСпасибо.", + "email-smtp-test-subject": "SMTP Тестовое письмо от Wekan", + "email-smtp-test-text": "Вы успешно отправили письмо", + "error-invitation-code-not-exist": "Код приглашения не существует", + "error-notAuthorized": "У вас нет доступа на просмотр этой страницы.", + "outgoing-webhooks": "Исходящие Веб-хуки", + "outgoingWebhooksPopup-title": "Исходящие Веб-хуки", + "new-outgoing-webhook": "Новый исходящий Веб-хук", + "no-name": "(Неизвестный)", + "Wekan_version": "Версия Wekan", + "Node_version": "Версия NodeJS", + "OS_Arch": "Архитектура", + "OS_Cpus": "Количество процессоров", + "OS_Freemem": "Свободная память", + "OS_Loadavg": "Средняя загрузка", + "OS_Platform": "Платформа", + "OS_Release": "Релиз", + "OS_Totalmem": "Общая память", + "OS_Type": "Тип ОС", + "OS_Uptime": "Время работы", + "hours": "часы", + "minutes": "минуты", + "seconds": "секунды", + "show-field-on-card": "Показать это поле на карте", + "yes": "Да", + "no": "Нет", + "accounts": "Учетные записи", + "accounts-allowEmailChange": "Разрешить изменение электронной почты", + "accounts-allowUserNameChange": "Разрешить изменение имени пользователя", + "createdAt": "Создано на", + "verified": "Проверено", + "active": "Действующий", + "card-received": "Получено", + "card-received-on": "Получено с", + "card-end": "Дата окончания", + "card-end-on": "Завершится до", + "editCardReceivedDatePopup-title": "Изменить дату получения", + "editCardEndDatePopup-title": "Изменить дату завершения", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json new file mode 100644 index 00000000..fa939432 --- /dev/null +++ b/i18n/sr.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Prihvati", + "act-activity-notify": "[Wekan] Obaveštenje o aktivnostima", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Akcije", + "activities": "Aktivnosti", + "activity": "Aktivnost", + "activity-added": "dodao %s u %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "prikačio %s u %s", + "activity-created": "kreirao %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "izuzmi %s iz %s", + "activity-imported": "uvezao %s u %s iz %s", + "activity-imported-board": "uvezao %s iz %s", + "activity-joined": "spojio %s", + "activity-moved": "premestio %s iz %s u %s", + "activity-on": "na %s", + "activity-removed": "uklonio %s iz %s", + "activity-sent": "poslao %s %s-u", + "activity-unjoined": "rastavio %s", + "activity-checklist-added": "lista je dodata u %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Dodaj", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Dodaj novu stavku u listu", + "add-cover": "Dodaj zaglavlje", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Dodaj Članove", + "added": "Dodao", + "addMemberPopup-title": "Članovi", + "admin": "Administrator", + "admin-desc": "Može da pregleda i menja kartice, uklanja članove i menja podešavanja table", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "Sve table", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Primeni", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Dodeli člana", + "attached": "Prikačeno", + "attachment": "Prikačeni dokument", + "attachment-delete-pop": "Brisanje prikačenog dokumenta je trajno. Ne postoji vraćanje obrisanog.", + "attachmentDeletePopup-title": "Obrisati prikačeni dokument ?", + "attachments": "Prikačeni dokumenti", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Nazad", + "board-change-color": "Promeni boju", + "board-nb-stars": "%s zvezdice", + "board-not-found": "Tabla nije pronađena", + "board-private-info": "Ova tabla će biti privatna.", + "board-public-info": "Ova tabla će biti javna.", + "boardChangeColorPopup-title": "Promeni pozadinu table", + "boardChangeTitlePopup-title": "Preimenuj tablu", + "boardChangeVisibilityPopup-title": "Promeni Vidljivost", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Meni table", + "boards": "Table", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Na primer \"Lista zadataka\"", + "cancel": "Otkaži", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "Ova kartica ima %s komentar.", + "card-delete-notice": "Brisanje je trajno. Izgubićeš sve akcije povezane sa ovom karticom.", + "card-delete-pop": "Sve akcije će biti uklonjene sa liste aktivnosti i kartica neće moći biti ponovo otvorena. Nema vraćanja unazad.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Krajnji datum", + "card-due-on": "Završava se", + "card-spent": "Spent Time", + "card-edit-attachments": "Uredi priloge", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Uredi natpise", + "card-edit-members": "Uredi članove", + "card-labels-title": "Promeni natpis na kartici.", + "card-members-title": "Dodaj ili ukloni članove table sa kartice.", + "card-start": "Početak", + "card-start-on": "Počinje", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Članovi", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Izmeni podešavanja", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Izmeni podešavanja", + "checklists": "Liste", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Datum", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Datum", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Izmeni početni datum", + "editCardDueDatePopup-title": "Izmeni krajnji datum", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Izmeni notifikaciju", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "Korisničko ime je već zauzeto", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "Nema oznake", + "filter-no-member": "Nema člana", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Sakrij sistemske poruke", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Uvezi tablu iz Trella", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Mapiraj članove", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Izaberi člana Wekan-a", + "info": "Version", + "initials": "Initials", + "invalid-date": "Neispravan datum", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Članovi", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Premesti na dno", + "moveCardToTop-title": "Premesti na vrh", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Utišano", + "muted-info": "Nećete biti obavešteni o promenama u ovoj tabli", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "Nema rezultata", + "normal": "Normalno", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Budite obavešteni o novim događajima u tablama, listama ili karticama koje pratite.", + "optional": "opciono", + "or": "ili", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Stranica nije pronađena.", + "password": "Lozinka", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Učestvujem", + "preview": "Prikaz", + "previewAttachedImagePopup-title": "Prikaz", + "previewClipboardImagePopup-title": "Prikaz", + "private": "Privatno", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profil", + "public": "Javno", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Ukloni iz table", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Ukloni člana", + "remove-member-from-card": "Ukloni iz kartice", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Ukloni člana ?", + "rename": "Preimenuj", + "rename-board": "Preimenuj tablu", + "restore": "Oporavi", + "save": "Snimi", + "search": "Pretraga", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Pridruži sebe trenutnoj kartici", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Sam popuni članove", + "shortcut-clear-filters": "Očisti sve filtere", + "shortcut-close-dialog": "Zatvori dijalog", + "shortcut-filter-my-cards": "Filtriraj kartice", + "shortcut-show-shortcuts": "Prikaži ovu listu prečica", + "shortcut-toggle-filterbar": "Uključi ili isključi bočni meni filtera", + "shortcut-toggle-sidebar": "Uključi ili isključi bočni meni table", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Kreiraj nalog", + "star-board-title": "Klikni da označiš zvezdicom ovu tablu. Pokazaće se na vrhu tvoje liste tabli.", + "starred-boards": "Table sa zvezdicom", + "starred-boards-description": "Table sa zvezdicom se pokazuju na vrhu liste tabli.", + "subscribe": "Pretplati se", + "team": "Tim", + "this-board": "ova tabla", + "this-card": "ova kartica", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Vreme", + "title": "Naslov", + "tracking": "Praćenje", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "Imaš nesnimljen opis.", + "unwatch": "Ne posmatraj", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Korisničko ime", + "view-it": "Pregledaj je", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Posmatraj", + "watching": "Posmatranje", + "watching-info": "Bićete obavešteni o promenama u ovoj tabli", + "welcome-board": "Tabla dobrodošlice", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Osnove", + "welcome-list2": "Napredno", + "what-to-do": "Šta želiš da uradiš ?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Korisničko ime", + "smtp-password": "Lozinka", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json new file mode 100644 index 00000000..99a39773 --- /dev/null +++ b/i18n/sv.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Acceptera", + "act-activity-notify": "[Wekan] Aktivitetsavisering", + "act-addAttachment": "bifogade __attachment__ to __card__", + "act-addChecklist": "lade till checklist __checklist__ till __card__", + "act-addChecklistItem": "lade till __checklistItem__ till checklistan __checklist__ on __card__", + "act-addComment": "kommenterade __card__: __comment__", + "act-createBoard": "skapade __board__", + "act-createCard": "lade till __card__ to __list__", + "act-createCustomField": "skapa anpassat fält __customField__", + "act-createList": "lade till __list__ to __board__", + "act-addBoardMember": "lade till __member__ to __board__", + "act-archivedBoard": "__board__ flyttad till papperskorgen", + "act-archivedCard": "__card__ flyttad till papperskorgen", + "act-archivedList": "__list__ flyttad till papperskorgen", + "act-archivedSwimlane": "__swimlane__ flyttad till papperskorgen", + "act-importBoard": "importerade __board__", + "act-importCard": "importerade __card__", + "act-importList": "importerade __list__", + "act-joinMember": "lade __member__ till __card__", + "act-moveCard": "flyttade __card__ från __oldList__ till __list__", + "act-removeBoardMember": "tog bort __member__ från __board__", + "act-restoredCard": "återställde __card__ to __board__", + "act-unjoinMember": "tog bort __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Åtgärder", + "activities": "Aktiviteter", + "activity": "Aktivitet", + "activity-added": "Lade %s till %s", + "activity-archived": "%s flyttad till papperskorgen", + "activity-attached": "bifogade %s to %s", + "activity-created": "skapade %s", + "activity-customfield-created": "skapa anpassat fält %s", + "activity-excluded": "exkluderade %s från %s", + "activity-imported": "importerade %s till %s från %s", + "activity-imported-board": "importerade %s från %s", + "activity-joined": "anslöt sig till %s", + "activity-moved": "tog bort %s från %s till %s", + "activity-on": "på %s", + "activity-removed": "tog bort %s från %s", + "activity-sent": "skickade %s till %s", + "activity-unjoined": "gick ur %s", + "activity-checklist-added": "lade kontrollista till %s", + "activity-checklist-item-added": "lade checklista objekt till '%s' i %s", + "add": "Lägg till", + "add-attachment": "Lägg till bilaga", + "add-board": "Lägg till anslagstavla", + "add-card": "Lägg till kort", + "add-swimlane": "Lägg till simbana", + "add-checklist": "Lägg till checklista", + "add-checklist-item": "Lägg till ett objekt till kontrollista", + "add-cover": "Lägg till omslag", + "add-label": "Lägg till etikett", + "add-list": "Lägg till lista", + "add-members": "Lägg till medlemmar", + "added": "Lade till", + "addMemberPopup-title": "Medlemmar", + "admin": "Adminstratör", + "admin-desc": "Kan visa och redigera kort, ta bort medlemmar och ändra inställningarna för anslagstavlan.", + "admin-announcement": "Meddelande", + "admin-announcement-active": "Aktivt system-brett meddelande", + "admin-announcement-title": "Meddelande från administratör", + "all-boards": "Alla anslagstavlor", + "and-n-other-card": "Och __count__ annat kort", + "and-n-other-card_plural": "Och __count__ andra kort", + "apply": "Tillämpa", + "app-is-offline": "Wekan laddar, vänta. Uppdatering av sidan kommer att leda till förlust av data. Om Wekan inte laddas, kontrollera att Wekan-servern inte har stoppats.", + "archive": "Flytta till papperskorgen", + "archive-all": "Flytta alla till papperskorgen", + "archive-board": "Flytta anslagstavla till papperskorgen", + "archive-card": "Flytta kort till papperskorgen", + "archive-list": "Flytta lista till papperskorgen", + "archive-swimlane": "Flytta simbana till papperskorgen", + "archive-selection": "Flytta val till papperskorgen", + "archiveBoardPopup-title": "Flytta anslagstavla till papperskorgen?", + "archived-items": "Papperskorgen", + "archived-boards": "Anslagstavlor i papperskorgen", + "restore-board": "Återställ anslagstavla", + "no-archived-boards": "Inga anslagstavlor i papperskorgen", + "archives": "Papperskorgen", + "assign-member": "Tilldela medlem", + "attached": "bifogad", + "attachment": "Bilaga", + "attachment-delete-pop": "Ta bort en bilaga är permanent. Det går inte att ångra.", + "attachmentDeletePopup-title": "Ta bort bilaga?", + "attachments": "Bilagor", + "auto-watch": "Bevaka automatiskt anslagstavlor när de skapas", + "avatar-too-big": "Avatar är för stor (70KB max)", + "back": "Tillbaka", + "board-change-color": "Ändra färg", + "board-nb-stars": "%s stjärnor", + "board-not-found": "Anslagstavla hittades inte", + "board-private-info": "Denna anslagstavla kommer att vara privat.", + "board-public-info": "Denna anslagstavla kommer att vara officiell.", + "boardChangeColorPopup-title": "Ändra bakgrund på anslagstavla", + "boardChangeTitlePopup-title": "Byt namn på anslagstavla", + "boardChangeVisibilityPopup-title": "Ändra synlighet", + "boardChangeWatchPopup-title": "Ändra bevaka", + "boardMenuPopup-title": "Anslagstavla meny", + "boards": "Anslagstavlor", + "board-view": "Board View", + "board-view-swimlanes": "Simbanor", + "board-view-lists": "Listor", + "bucket-example": "Gilla \"att-göra-innan-jag-dör-lista\" till exempel", + "cancel": "Avbryt", + "card-archived": "Detta kort flyttas till papperskorgen.", + "card-comments-title": "Detta kort har %s kommentar.", + "card-delete-notice": "Ta bort är permanent. Du kommer att förlora alla åtgärder i samband med detta kort.", + "card-delete-pop": "Alla åtgärder kommer att tas bort från aktivitetsflöde och du kommer inte att kunna öppna kortet igen. Det går inte att ångra.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Förfaller", + "card-due-on": "Förfaller på", + "card-spent": "Spenderad tid", + "card-edit-attachments": "Redigera bilaga", + "card-edit-custom-fields": "Redigera anpassade fält", + "card-edit-labels": "Redigera etiketter", + "card-edit-members": "Redigera medlemmar", + "card-labels-title": "Ändra etiketter för kortet.", + "card-members-title": "Lägg till eller ta bort medlemmar av anslagstavlan från kortet.", + "card-start": "Börja", + "card-start-on": "Börja med", + "cardAttachmentsPopup-title": "Bifoga från", + "cardCustomField-datePopup-title": "Ändra datum", + "cardCustomFieldsPopup-title": "Redigera anpassade fält", + "cardDeletePopup-title": "Ta bort kort?", + "cardDetailsActionsPopup-title": "Kortåtgärder", + "cardLabelsPopup-title": "Etiketter", + "cardMembersPopup-title": "Medlemmar", + "cardMorePopup-title": "Mera", + "cards": "Kort", + "cards-count": "Kort", + "change": "Ändra", + "change-avatar": "Ändra avatar", + "change-password": "Ändra lösenord", + "change-permissions": "Ändra behörigheter", + "change-settings": "Ändra inställningar", + "changeAvatarPopup-title": "Ändra avatar", + "changeLanguagePopup-title": "Ändra språk", + "changePasswordPopup-title": "Ändra lösenord", + "changePermissionsPopup-title": "Ändra behörigheter", + "changeSettingsPopup-title": "Ändra inställningar", + "checklists": "Kontrollistor", + "click-to-star": "Klicka för att stjärnmärka denna anslagstavla.", + "click-to-unstar": "Klicka för att ta bort stjärnmärkningen från denna anslagstavla.", + "clipboard": "Urklipp eller dra och släpp", + "close": "Stäng", + "close-board": "Stäng anslagstavla", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "svart", + "color-blue": "blå", + "color-green": "grön", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "rosa", + "color-purple": "lila", + "color-red": "röd", + "color-sky": "himmel", + "color-yellow": "gul", + "comment": "Kommentera", + "comment-placeholder": "Skriv kommentar", + "comment-only": "Kommentera endast", + "comment-only-desc": "Kan endast kommentera kort.", + "computer": "Dator", + "confirm-checklist-delete-dialog": "Är du säker på att du vill ta bort checklista", + "copy-card-link-to-clipboard": "Kopiera kortlänk till urklipp", + "copyCardPopup-title": "Kopiera kort", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destinationskorttitlar och beskrivningar i detta JSON-format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Skapa", + "createBoardPopup-title": "Skapa anslagstavla", + "chooseBoardSourcePopup-title": "Importera anslagstavla", + "createLabelPopup-title": "Skapa etikett", + "createCustomField": "Skapa fält", + "createCustomFieldPopup-title": "Skapa fält", + "current": "aktuell", + "custom-field-delete-pop": "Det går inte att ångra. Detta tar bort det här anpassade fältet från alla kort och förstör dess historia.", + "custom-field-checkbox": "Kryssruta", + "custom-field-date": "Datum", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(inga)", + "custom-field-dropdown-options": "Listalternativ", + "custom-field-dropdown-options-placeholder": "Tryck på enter för att lägga till fler alternativ", + "custom-field-dropdown-unknown": "(okänd)", + "custom-field-number": "Nummer", + "custom-field-text": "Text", + "custom-fields": "Anpassade fält", + "date": "Datum", + "decline": "Nedgång", + "default-avatar": "Standard avatar", + "delete": "Ta bort", + "deleteCustomFieldPopup-title": "Ta bort anpassade fält?", + "deleteLabelPopup-title": "Ta bort etikett?", + "description": "Beskrivning", + "disambiguateMultiLabelPopup-title": "Otvetydig etikettåtgärd", + "disambiguateMultiMemberPopup-title": "Otvetydig medlemsåtgärd", + "discard": "Kassera", + "done": "Färdig", + "download": "Hämta", + "edit": "Redigera", + "edit-avatar": "Ändra avatar", + "edit-profile": "Redigera profil", + "edit-wip-limit": "Redigera WIP-gränsen", + "soft-wip-limit": "Mjuk WIP-gräns", + "editCardStartDatePopup-title": "Ändra startdatum", + "editCardDueDatePopup-title": "Ändra förfallodatum", + "editCustomFieldPopup-title": "Redigera fält", + "editCardSpentTimePopup-title": "Ändra spenderad tid", + "editLabelPopup-title": "Ändra etikett", + "editNotificationPopup-title": "Redigera avisering", + "editProfilePopup-title": "Redigera profil", + "email": "E-post", + "email-enrollAccount-subject": "Ett konto skapas för dig på __siteName__", + "email-enrollAccount-text": "Hej __user__,\n\nFör att börja använda tjänsten, klicka på länken nedan.\n\n__url__\n\nTack.", + "email-fail": "Sändning av e-post misslyckades", + "email-fail-text": "Ett fel vid försök att skicka e-post", + "email-invalid": "Ogiltig e-post", + "email-invite": "Bjud in via e-post", + "email-invite-subject": "__inviter__ skickade dig en inbjudan", + "email-invite-text": "Bästa __user__,\n\n__inviter__ inbjuder dig till anslagstavlan \"__board__\" för samarbete.\n\nFölj länken nedan:\n\n__url__\n\nTack.", + "email-resetPassword-subject": "Återställa lösenordet för __siteName__", + "email-resetPassword-text": "Hej __user__,\n\nFör att återställa ditt lösenord, klicka på länken nedan.\n\n__url__\n\nTack.", + "email-sent": "E-post skickad", + "email-verifyEmail-subject": "Verifiera din e-post adress på __siteName__", + "email-verifyEmail-text": "Hej __user__,\n\nFör att verifiera din konto e-post, klicka på länken nedan.\n\n__url__\n\nTack.", + "enable-wip-limit": "Aktivera WIP-gräns", + "error-board-doesNotExist": "Denna anslagstavla finns inte", + "error-board-notAdmin": "Du måste vara administratör för denna anslagstavla för att göra det", + "error-board-notAMember": "Du måste vara medlem i denna anslagstavla för att göra det", + "error-json-malformed": "Din text är inte giltigt JSON", + "error-json-schema": "Din JSON data inkluderar inte korrekt information i rätt format", + "error-list-doesNotExist": "Denna lista finns inte", + "error-user-doesNotExist": "Denna användare finns inte", + "error-user-notAllowSelf": "Du kan inte bjuda in dig själv", + "error-user-notCreated": "Den här användaren har inte skapats", + "error-username-taken": "Detta användarnamn är redan taget", + "error-email-taken": "E-post har redan tagits", + "export-board": "Exportera anslagstavla", + "filter": "Filtrera", + "filter-cards": "Filtrera kort", + "filter-clear": "Rensa filter", + "filter-no-label": "Ingen etikett", + "filter-no-member": "Ingen medlem", + "filter-no-custom-fields": "Inga anpassade fält", + "filter-on": "Filter är på", + "filter-on-desc": "Du filtrerar kort på denna anslagstavla. Klicka här för att redigera filter.", + "filter-to-selection": "Filter till val", + "advanced-filter-label": "Avancerat filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Namn", + "header-logo-title": "Gå tillbaka till din anslagstavlor-sida.", + "hide-system-messages": "Göm systemmeddelanden", + "headerBarCreateBoardPopup-title": "Skapa anslagstavla", + "home": "Hem", + "import": "Importera", + "import-board": "importera anslagstavla", + "import-board-c": "Importera anslagstavla", + "import-board-title-trello": "Importera anslagstavla från Trello", + "import-board-title-wekan": "Importera anslagstavla från Wekan", + "import-sandstorm-warning": "Importerad anslagstavla raderar all befintlig data på anslagstavla och ersätter den med importerat anslagstavla.", + "from-trello": "Från Trello", + "from-wekan": "Från Wekan", + "import-board-instruction-trello": "I din Trello-anslagstavla, gå till 'Meny', sedan 'Mera', 'Skriv ut och exportera', 'Exportera JSON' och kopiera den resulterande text.", + "import-board-instruction-wekan": "I din Wekan-anslagstavla, gå till \"Meny\", sedan \"Exportera anslagstavla\" och kopiera texten i den hämtade filen.", + "import-json-placeholder": "Klistra in giltigt JSON data här", + "import-map-members": "Kartlägg medlemmar", + "import-members-map": "Din importerade anslagstavla har några medlemmar. Kartlägg medlemmarna som du vill importera till Wekan-användare", + "import-show-user-mapping": "Granska medlemskartläggning", + "import-user-select": "Välj Wekan-användare du vill använda som denna medlem", + "importMapMembersAddPopup-title": "Välj Wekan member", + "info": "Version", + "initials": "Initialer ", + "invalid-date": "Ogiltigt datum", + "invalid-time": "Ogiltig tid", + "invalid-user": "Ogiltig användare", + "joined": "gick med", + "just-invited": "Du blev nyss inbjuden till denna anslagstavla", + "keyboard-shortcuts": "Tangentbordsgenvägar", + "label-create": "Skapa etikett", + "label-default": "%s etikett (standard)", + "label-delete-pop": "Det finns ingen ångra. Detta tar bort denna etikett från alla kort och förstöra dess historik.", + "labels": "Etiketter", + "language": "Språk", + "last-admin-desc": "Du kan inte ändra roller för det måste finnas minst en administratör.", + "leave-board": "Lämna anslagstavla", + "leave-board-pop": "Är du säker på att du vill lämna __boardTitle__? Du kommer att tas bort från alla kort på den här anslagstavlan.", + "leaveBoardPopup-title": "Lämna anslagstavla ?", + "link-card": "Länka till detta kort", + "list-archive-cards": "Flytta alla kort i den här listan till papperskorgen", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Flytta alla kort i denna lista", + "list-select-cards": "Välj alla kort i denna lista", + "listActionPopup-title": "Liståtgärder", + "swimlaneActionPopup-title": "Simbana-åtgärder", + "listImportCardPopup-title": "Importera ett Trello kort", + "listMorePopup-title": "Mera", + "link-list": "Länk till den här listan", + "list-delete-pop": "Alla åtgärder kommer att tas bort från aktivitetsmatningen och du kommer inte att kunna återställa listan. Det går inte att ångra.", + "list-delete-suggest-archive": "Du kan flytta en lista till papperskorgen för att ta bort den från brädet och bevara aktiviteten.", + "lists": "Listor", + "swimlanes": "Simbanor ", + "log-out": "Logga ut", + "log-in": "Logga in", + "loginPopup-title": "Logga in", + "memberMenuPopup-title": "Användarinställningar", + "members": "Medlemmar", + "menu": "Meny", + "move-selection": "Flytta vald", + "moveCardPopup-title": "Flytta kort", + "moveCardToBottom-title": "Flytta längst ner", + "moveCardToTop-title": "Flytta högst upp", + "moveSelectionPopup-title": "Flytta vald", + "multi-selection": "Flerval", + "multi-selection-on": "Flerval är på", + "muted": "Tystad", + "muted-info": "Du kommer aldrig att meddelas om eventuella ändringar i denna anslagstavla", + "my-boards": "Mina anslagstavlor", + "name": "Namn", + "no-archived-cards": "Inga kort i papperskorgen.", + "no-archived-lists": "Inga listor i papperskorgen.", + "no-archived-swimlanes": "Inga simbanor i papperskorgen.", + "no-results": "Inga reslutat", + "normal": "Normal", + "normal-desc": "Kan se och redigera kort. Kan inte ändra inställningar.", + "not-accepted-yet": "Inbjudan inte ännu accepterad", + "notify-participate": "Få uppdateringar till alla kort du deltar i som skapare eller medlem", + "notify-watch": "Få uppdateringar till alla anslagstavlor, listor, eller kort du bevakar", + "optional": "valfri", + "or": "eller", + "page-maybe-private": "Denna sida kan vara privat. Du kanske kan se den genom att logga in.", + "page-not-found": "Sidan hittades inte.", + "password": "Lösenord", + "paste-or-dragdrop": "klistra in eller dra och släpp bildfil till den (endast bilder)", + "participating": "Deltagande", + "preview": "Förhandsvisning", + "previewAttachedImagePopup-title": "Förhandsvisning", + "previewClipboardImagePopup-title": "Förhandsvisning", + "private": "Privat", + "private-desc": "Denna anslagstavla är privat. Endast personer tillagda till anslagstavlan kan se och redigera den.", + "profile": "Profil", + "public": "Officiell", + "public-desc": "Denna anslagstavla är offentlig. Den är synligt för alla med länken och kommer att dyka upp i sökmotorer som Google. Endast personer tillagda till anslagstavlan kan redigera.", + "quick-access-description": "Stjärnmärk en anslagstavla för att lägga till en genväg i detta fält.", + "remove-cover": "Ta bort omslag", + "remove-from-board": "Ta bort från anslagstavla", + "remove-label": "Ta bort etikett", + "listDeletePopup-title": "Ta bort lista", + "remove-member": "Ta bort medlem", + "remove-member-from-card": "Ta bort från kort", + "remove-member-pop": "Ta bort __name__ (__username__) från __boardTitle__? Medlemmen kommer att bli borttagen från alla kort i denna anslagstavla. De kommer att få en avisering.", + "removeMemberPopup-title": "Ta bort medlem?", + "rename": "Byt namn", + "rename-board": "Byt namn på anslagstavla", + "restore": "Återställ", + "save": "Spara", + "search": "Sök", + "search-cards": "Sök från korttitlar och beskrivningar på det här brädet", + "search-example": "Text att söka efter?", + "select-color": "Välj färg", + "set-wip-limit-value": "Ange en gräns för det maximala antalet uppgifter i den här listan", + "setWipLimitPopup-title": "Ställ in WIP-gräns", + "shortcut-assign-self": "Tilldela dig nuvarande kort", + "shortcut-autocomplete-emoji": "Komplettera automatiskt emoji", + "shortcut-autocomplete-members": "Komplettera automatiskt medlemmar", + "shortcut-clear-filters": "Rensa alla filter", + "shortcut-close-dialog": "Stäng dialog", + "shortcut-filter-my-cards": "Filtrera mina kort", + "shortcut-show-shortcuts": "Ta fram denna genvägslista", + "shortcut-toggle-filterbar": "Växla filtrets sidofält", + "shortcut-toggle-sidebar": "Växla anslagstavlans sidofält", + "show-cards-minimum-count": "Visa kortantal om listan innehåller mer än", + "sidebar-open": "Stäng sidofält", + "sidebar-close": "Stäng sidofält", + "signupPopup-title": "Skapa ett konto", + "star-board-title": "Klicka för att stjärnmärka denna anslagstavla. Den kommer att visas högst upp på din lista över anslagstavlor.", + "starred-boards": "Stjärnmärkta anslagstavlor", + "starred-boards-description": "Stjärnmärkta anslagstavlor visas högst upp på din lista över anslagstavlor.", + "subscribe": "Prenumenera", + "team": "Grupp", + "this-board": "denna anslagstavla", + "this-card": "detta kort", + "spent-time-hours": "Spenderad tid (timmar)", + "overtime-hours": "Övertid (timmar)", + "overtime": "Övertid", + "has-overtime-cards": "Har övertidskort", + "has-spenttime-cards": "Har spenderat tidkort", + "time": "Tid", + "title": "Titel", + "tracking": "Spårning", + "tracking-info": "Du kommer att meddelas om eventuella ändringar av dessa kort du deltar i som skapare eller medlem.", + "type": "Skriv", + "unassign-member": "Ta bort tilldelad medlem", + "unsaved-description": "Du har en osparad beskrivning.", + "unwatch": "Avbevaka", + "upload": "Ladda upp", + "upload-avatar": "Ladda upp en avatar", + "uploaded-avatar": "Laddade upp en avatar", + "username": "Änvandarnamn", + "view-it": "Visa det", + "warn-list-archived": "varning: det här kortet finns i en lista i papperskorgen", + "watch": "Bevaka", + "watching": "Bevakar", + "watching-info": "Du kommer att meddelas om alla ändringar på denna anslagstavla", + "welcome-board": "Välkomstanslagstavla", + "welcome-swimlane": "Milstolpe 1", + "welcome-list1": "Grunderna", + "welcome-list2": "Avancerad", + "what-to-do": "Vad vill du göra?", + "wipLimitErrorPopup-title": "Ogiltig WIP-gräns", + "wipLimitErrorPopup-dialog-pt1": "Antalet uppgifter i den här listan är högre än WIP-gränsen du har definierat.", + "wipLimitErrorPopup-dialog-pt2": "Flytta några uppgifter ur listan, eller ställ in en högre WIP-gräns.", + "admin-panel": "Administratörspanel ", + "settings": "Inställningar", + "people": "Personer", + "registration": "Registrering", + "disable-self-registration": "Avaktiverar självregistrering", + "invite": "Bjud in", + "invite-people": "Bjud in personer", + "to-boards": "Till anslagstavl(a/or)", + "email-addresses": "E-post adresser", + "smtp-host-description": "Adressen till SMTP-servern som hanterar din e-post.", + "smtp-port-description": "Porten SMTP-servern använder för utgående e-post.", + "smtp-tls-description": "Aktivera TLS-stöd för SMTP-server", + "smtp-host": "SMTP-värd", + "smtp-port": "SMTP-port", + "smtp-username": "Användarnamn", + "smtp-password": "Lösenord", + "smtp-tls": "TLS-stöd", + "send-from": "Från", + "send-smtp-test": "Skicka ett prov e-postmeddelande till dig själv", + "invitation-code": "Inbjudningskod", + "email-invite-register-subject": "__inviter__ skickade dig en inbjudan", + "email-invite-register-text": "Bästa __user__,\n\n__inviter__ inbjuder dig till Wekan för samarbeten.\n\nVänligen följ länken nedan:\n__url__\n\nOch din inbjudningskod är: __icode__\n\nTack.", + "email-smtp-test-subject": "SMTP-prov e-post från Wekan", + "email-smtp-test-text": "Du har skickat ett e-postmeddelande", + "error-invitation-code-not-exist": "Inbjudningskod finns inte", + "error-notAuthorized": "Du är inte behörig att se den här sidan.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Okänd)", + "Wekan_version": "Wekan version", + "Node_version": "Nodversion", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU-räkning", + "OS_Freemem": "OS ledigt minne", + "OS_Loadavg": "OS belastningsgenomsnitt", + "OS_Platform": "OS plattforme", + "OS_Release": "OS utgåva", + "OS_Totalmem": "OS totalt minne", + "OS_Type": "OS Typ", + "OS_Uptime": "OS drifttid", + "hours": "timmar", + "minutes": "minuter", + "seconds": "sekunder", + "show-field-on-card": "Visa detta fält på kort", + "yes": "Ja", + "no": "Nej", + "accounts": "Konton", + "accounts-allowEmailChange": "Tillåt e-poständring", + "accounts-allowUserNameChange": "Tillåt användarnamnändring", + "createdAt": "Skapad vid", + "verified": "Verifierad", + "active": "Aktiv", + "card-received": "Mottagen", + "card-received-on": "Mottagen den", + "card-end": "Slut", + "card-end-on": "Slutar den", + "editCardReceivedDatePopup-title": "Ändra mottagningsdatum", + "editCardEndDatePopup-title": "Ändra slutdatum", + "assigned-by": "Tilldelad av", + "requested-by": "Efterfrågad av", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Ta bort anslagstavla?", + "delete-board": "Ta bort anslagstavla" +} \ No newline at end of file diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json new file mode 100644 index 00000000..317f2e3b --- /dev/null +++ b/i18n/ta.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accept", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Add", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Members", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Members", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Members", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json new file mode 100644 index 00000000..e383b3d8 --- /dev/null +++ b/i18n/th.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "ยอมรับ", + "act-activity-notify": "[Wekan] แจ้งกิจกรรม", + "act-addAttachment": "แนบไฟล์ __attachment__ ไปยัง __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "ออกความเห็นที่ __card__: __comment__", + "act-createBoard": "สร้าง __board__", + "act-createCard": "เพิ่ม __card__ ไปยัง __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "เพิ่ม __list__ ไปยัง __board__", + "act-addBoardMember": "เพิ่ม __member__ ไปยัง __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "นำเข้า __board__", + "act-importCard": "นำเข้า __card__", + "act-importList": "นำเข้า __list__", + "act-joinMember": "เพิ่ม __member__ ไปยัง __card__", + "act-moveCard": "ย้าย __card__ จาก __oldList__ ไป __list__", + "act-removeBoardMember": "ลบ __member__ จาก __board__", + "act-restoredCard": "กู้คืน __card__ ไปยัง __board__", + "act-unjoinMember": "ลบ __member__ จาก __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "ปฎิบัติการ", + "activities": "กิจกรรม", + "activity": "กิจกรรม", + "activity-added": "เพิ่ม %s ไปยัง %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "แนบ %s ไปยัง %s", + "activity-created": "สร้าง %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "ยกเว้น %s จาก %s", + "activity-imported": "ถูกนำเข้า %s ไปยัง %s จาก %s", + "activity-imported-board": "นำเข้า %s จาก %s", + "activity-joined": "เข้าร่วม %s", + "activity-moved": "ย้าย %s จาก %s ถึง %s", + "activity-on": "บน %s", + "activity-removed": "ลบ %s จาด %s", + "activity-sent": "ส่ง %s ถึง %s", + "activity-unjoined": "ยกเลิกเข้าร่วม %s", + "activity-checklist-added": "รายการถูกเพิ่มไป %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "เพิ่ม", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "เพิ่มรายการตรวจสอบ", + "add-cover": "เพิ่มหน้าปก", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "เพิ่มสมาชิก", + "added": "เพิ่ม", + "addMemberPopup-title": "สมาชิก", + "admin": "ผู้ดูแลระบบ", + "admin-desc": "สามารถดูและแก้ไขการ์ด ลบสมาชิก และเปลี่ยนการตั้งค่าบอร์ดได้", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "บอร์ดทั้งหมด", + "and-n-other-card": "และการ์ดอื่น __count__", + "and-n-other-card_plural": "และการ์ดอื่น ๆ __count__", + "apply": "นำมาใช้", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "กำหนดสมาชิก", + "attached": "แนบมาด้วย", + "attachment": "สิ่งที่แนบมา", + "attachment-delete-pop": "ลบสิ่งที่แนบมาถาวร ไม่สามารถเลิกทำได้", + "attachmentDeletePopup-title": "ลบสิ่งที่แนบมาหรือไม่", + "attachments": "สิ่งที่แนบมา", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "ย้อนกลับ", + "board-change-color": "เปลี่ยนสี", + "board-nb-stars": "ติดดาว %s", + "board-not-found": "ไม่มีบอร์ด", + "board-private-info": "บอร์ดนี้จะเป็น ส่วนตัว.", + "board-public-info": "บอร์ดนี้จะเป็น สาธารณะ.", + "boardChangeColorPopup-title": "เปลี่ยนสีพื้นหลังบอร์ด", + "boardChangeTitlePopup-title": "เปลี่ยนชื่อบอร์ด", + "boardChangeVisibilityPopup-title": "เปลี่ยนการเข้าถึง", + "boardChangeWatchPopup-title": "เปลี่ยนการเฝ้าดู", + "boardMenuPopup-title": "เมนูบอร์ด", + "boards": "บอร์ด", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "รายการ", + "bucket-example": "ตัวอย่างเช่น “ระบบที่ต้องทำ”", + "cancel": "ยกเลิก", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "การ์ดนี้มี %s ความเห็น.", + "card-delete-notice": "เป็นการลบถาวร คุณจะสูญเสียข้อมูลที่เกี่ยวข้องกับการ์ดนี้ทั้งหมด", + "card-delete-pop": "การดำเนินการทั้งหมดจะถูกลบจาก feed กิจกรรมและคุณไม่สามารถเปิดได้อีกครั้งหรือยกเลิกการทำ", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "ครบกำหนด", + "card-due-on": "ครบกำหนดเมื่อ", + "card-spent": "Spent Time", + "card-edit-attachments": "แก้ไขสิ่งที่แนบมา", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "แก้ไขป้ายกำกับ", + "card-edit-members": "แก้ไขสมาชิก", + "card-labels-title": "เปลี่ยนป้ายกำกับของการ์ด", + "card-members-title": "เพิ่มหรือลบสมาชิกของบอร์ดจากการ์ด", + "card-start": "เริ่ม", + "card-start-on": "เริ่มเมื่อ", + "cardAttachmentsPopup-title": "แนบจาก", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "ลบการ์ดนี้หรือไม่", + "cardDetailsActionsPopup-title": "การดำเนินการการ์ด", + "cardLabelsPopup-title": "ป้ายกำกับ", + "cardMembersPopup-title": "สมาชิก", + "cardMorePopup-title": "เพิ่มเติม", + "cards": "การ์ด", + "cards-count": "การ์ด", + "change": "เปลี่ยน", + "change-avatar": "เปลี่ยนภาพ", + "change-password": "เปลี่ยนรหัสผ่าน", + "change-permissions": "เปลี่ยนสิทธิ์", + "change-settings": "เปลี่ยนการตั้งค่า", + "changeAvatarPopup-title": "เปลี่ยนภาพ", + "changeLanguagePopup-title": "เปลี่ยนภาษา", + "changePasswordPopup-title": "เปลี่ยนรหัสผ่าน", + "changePermissionsPopup-title": "เปลี่ยนสิทธิ์", + "changeSettingsPopup-title": "เปลี่ยนการตั้งค่า", + "checklists": "รายการตรวจสอบ", + "click-to-star": "คลิกดาวบอร์ดนี้", + "click-to-unstar": "คลิกยกเลิกดาวบอร์ดนี้", + "clipboard": "Clipboard หรือลากและวาง", + "close": "ปิด", + "close-board": "ปิดบอร์ด", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "ดำ", + "color-blue": "น้ำเงิน", + "color-green": "เขียว", + "color-lime": "เหลืองมะนาว", + "color-orange": "ส้ม", + "color-pink": "ชมพู", + "color-purple": "ม่วง", + "color-red": "แดง", + "color-sky": "ฟ้า", + "color-yellow": "เหลือง", + "comment": "คอมเม็นต์", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "คอมพิวเตอร์", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "สร้าง", + "createBoardPopup-title": "สร้างบอร์ด", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "สร้างป้ายกำกับ", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "ปัจจุบัน", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "วันที่", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "วันที่", + "decline": "ปฎิเสธ", + "default-avatar": "ภาพเริ่มต้น", + "delete": "ลบ", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "ลบป้ายกำกับนี้หรือไม่", + "description": "คำอธิบาย", + "disambiguateMultiLabelPopup-title": "การดำเนินการกำกับป้ายชัดเจน", + "disambiguateMultiMemberPopup-title": "การดำเนินการสมาชิกชัดเจน", + "discard": "ทิ้ง", + "done": "เสร็จสิ้น", + "download": "ดาวน์โหลด", + "edit": "แก้ไข", + "edit-avatar": "เปลี่ยนภาพ", + "edit-profile": "แก้ไขโปรไฟล์", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "เปลี่ยนวันเริ่มต้น", + "editCardDueDatePopup-title": "เปลี่ยนวันครบกำหนด", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "เปลี่ยนป้ายกำกับ", + "editNotificationPopup-title": "แก้ไขการแจ้งเตือน", + "editProfilePopup-title": "แก้ไขโปรไฟล์", + "email": "อีเมล์", + "email-enrollAccount-subject": "บัญชีคุณถูกสร้างใน __siteName__", + "email-enrollAccount-text": "สวัสดี __user__,\n\nเริ่มใช้บริการง่าย ๆ , ด้วยการคลิกลิงค์ด้านล่าง.\n\n__url__\n\n ขอบคุณค่ะ", + "email-fail": "การส่งอีเมล์ล้มเหลว", + "email-fail-text": "Error trying to send email", + "email-invalid": "อีเมล์ไม่ถูกต้อง", + "email-invite": "เชิญผ่านทางอีเมล์", + "email-invite-subject": "__inviter__ ส่งคำเชิญให้คุณ", + "email-invite-text": "สวัสดี __user__,\n\n__inviter__ ขอเชิญคุณเข้าร่วม \"__board__\" เพื่อขอความร่วมมือ \n\n โปรดคลิกตามลิงค์ข้างล่างนี้ \n\n__url__\n\n ขอบคุณ", + "email-resetPassword-subject": "ตั้งรหัสผ่่านใหม่ของคุณบน __siteName__", + "email-resetPassword-text": "สวัสดี __user__,\n\nในการรีเซ็ตรหัสผ่านของคุณ, คลิกตามลิงค์ด้านล่าง \n\n__url__\n\nขอบคุณค่ะ", + "email-sent": "ส่งอีเมล์", + "email-verifyEmail-subject": "ยืนยันที่อยู่อีเม์ของคุณบน __siteName__", + "email-verifyEmail-text": "สวัสดี __user__,\n\nตรวจสอบบัญชีอีเมล์ของคุณ ง่าย ๆ ตามลิงค์ด้านล่าง \n\n__url__\n\n ขอบคุณค่ะ", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "บอร์ดนี้ไม่มีอยู่แล้ว", + "error-board-notAdmin": "คุณจะต้องเป็นผู้ดูแลระบบถึงจะทำสิ่งเหล่านี้ได้", + "error-board-notAMember": "คุณต้องเป็นสมาชิกของบอร์ดนี้ถึงจะทำได้", + "error-json-malformed": "ข้อความของคุณไม่ใช่ JSON", + "error-json-schema": "รูปแบบข้้้อมูล JSON ของคุณไม่ถูกต้อง", + "error-list-doesNotExist": "รายการนี้ไม่มีอยู่", + "error-user-doesNotExist": "ผู้ใช้นี้ไม่มีอยู่", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "ผู้ใช้รายนี้ไม่ได้สร้าง", + "error-username-taken": "ชื่อนี้ถูกใช้งานแล้ว", + "error-email-taken": "Email has already been taken", + "export-board": "ส่งออกกระดาน", + "filter": "กรอง", + "filter-cards": "กรองการ์ด", + "filter-clear": "ล้างตัวกรอง", + "filter-no-label": "ไม่มีฉลาก", + "filter-no-member": "ไม่มีสมาชิก", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "กรองบน", + "filter-on-desc": "คุณกำลังกรองการ์ดในบอร์ดนี้ คลิกที่นี่เพื่อแก้ไขตัวกรอง", + "filter-to-selection": "กรองตัวเลือก", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "ชื่อ นามสกุล", + "header-logo-title": "ย้อนกลับไปที่หน้าบอร์ดของคุณ", + "hide-system-messages": "ซ่อนข้อความของระบบ", + "headerBarCreateBoardPopup-title": "สร้างบอร์ด", + "home": "หน้าหลัก", + "import": "นำเข้า", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "นำเข้าบอร์ดจาก Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "ใน Trello ของคุณให้ไปที่ 'Menu' และไปที่ More -> Print and Export -> Export JSON และคัดลอกข้อความจากนั้น", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "วางข้อมูล JSON ที่ถูกต้องของคุณที่นี่", + "import-map-members": "แผนที่สมาชิก", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review การทำแผนที่สมาชิก", + "import-user-select": "เลือกผู้ใช้ Wekan ที่คุณต้องการใช้เป็นเหมือนสมาชิกนี้", + "importMapMembersAddPopup-title": "เลือกสมาชิก", + "info": "Version", + "initials": "ชื่อย่อ", + "invalid-date": "วันที่ไม่ถูกต้อง", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "เข้าร่วม", + "just-invited": "คุณพึ่งได้รับเชิญบอร์ดนี้", + "keyboard-shortcuts": "แป้นพิมพ์ลัด", + "label-create": "สร้างป้ายกำกับ", + "label-default": "ป้าย %s (ค่าเริ่มต้น)", + "label-delete-pop": "ไม่มีการยกเลิกการทำนี้ ลบป้ายกำกับนี้จากทุกการ์ดและล้างประวัติทิ้ง", + "labels": "ป้ายกำกับ", + "language": "ภาษา", + "last-admin-desc": "คุณไม่สามารถเปลี่ยนบทบาทเพราะต้องมีผู้ดูแลระบบหนึ่งคนเป็นอย่างน้อย", + "leave-board": "ทิ้งบอร์ด", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "เชื่อมโยงไปยังการ์ดใบนี้", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "ย้ายการ์ดทั้งหมดในรายการนี้", + "list-select-cards": "เลือกการ์ดทั้งหมดในรายการนี้", + "listActionPopup-title": "รายการการดำเนิน", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "นำเข้าการ์ด Trello", + "listMorePopup-title": "เพิ่มเติม", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "รายการ", + "swimlanes": "Swimlanes", + "log-out": "ออกจากระบบ", + "log-in": "เข้าสู่ระบบ", + "loginPopup-title": "เข้าสู่ระบบ", + "memberMenuPopup-title": "การตั้งค่า", + "members": "สมาชิก", + "menu": "เมนู", + "move-selection": "ย้ายตัวเลือก", + "moveCardPopup-title": "ย้ายการ์ด", + "moveCardToBottom-title": "ย้ายไปล่าง", + "moveCardToTop-title": "ย้ายไปบน", + "moveSelectionPopup-title": "เลือกย้าย", + "multi-selection": "เลือกหลายรายการ", + "multi-selection-on": "เลือกหลายรายการเมื่อ", + "muted": "ไม่ออกเสียง", + "muted-info": "คุณจะไม่ได้รับแจ้งการเปลี่ยนแปลงใด ๆ ในบอร์ดนี้", + "my-boards": "บอร์ดของฉัน", + "name": "ชื่อ", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "ไม่มีข้อมูล", + "normal": "ธรรมดา", + "normal-desc": "สามารถดูและแก้ไขการ์ดได้ แต่ไม่สามารถเปลี่ยนการตั้งค่าได้", + "not-accepted-yet": "ยังไม่ยอมรับคำเชิญ", + "notify-participate": "ได้รับการแจ้งปรับปรุงการ์ดอื่น ๆ ที่คุณมีส่วนร่วมในฐานะผู้สร้างหรือสมาชิก", + "notify-watch": "ได้รับการแจ้งปรับปรุงบอร์ด รายการหรือการ์ดที่คุณเฝ้าติดตาม", + "optional": "ไม่จำเป็น", + "or": "หรือ", + "page-maybe-private": "หน้านี้อาจจะเป็นส่วนตัว. คุณอาจจะสามารถดูจาก logging in.", + "page-not-found": "ไม่พบหน้า", + "password": "รหัสผ่าน", + "paste-or-dragdrop": "วาง หรือลากและวาง ไฟล์ภาพ(ภาพเท่านั้น)", + "participating": "Participating", + "preview": "ภาพตัวอย่าง", + "previewAttachedImagePopup-title": "ตัวอย่าง", + "previewClipboardImagePopup-title": "ตัวอย่าง", + "private": "ส่วนตัว", + "private-desc": "บอร์ดนี้เป็นส่วนตัว. คนที่ถูกเพิ่มเข้าในบอร์ดเท่านั้นที่สามารถดูและแก้ไขได้", + "profile": "โปรไฟล์", + "public": "สาธารณะ", + "public-desc": "บอร์ดนี้เป็นสาธารณะ. ทุกคนสามารถเข้าถึงได้ผ่าน url นี้ แต่สามารถแก้ไขได้เฉพาะผู้ที่ถูกเพิ่มเข้าไปในการ์ดเท่านั้น", + "quick-access-description": "เพิ่มไว้ในนี้เพื่อเป็นทางลัด", + "remove-cover": "ลบหน้าปก", + "remove-from-board": "ลบจากบอร์ด", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "ลบสมาชิก", + "remove-member-from-card": "ลบจากการ์ด", + "remove-member-pop": "ลบ __name__ (__username__) จาก __boardTitle__ หรือไม่ สมาชิกจะถูกลบออกจากการ์ดทั้งหมดบนบอร์ดนี้ และพวกเขาจะได้รับการแจ้งเตือน", + "removeMemberPopup-title": "ลบสมาชิกหรือไม่", + "rename": "ตั้งชื่อใหม่", + "rename-board": "ตั้งชื่อบอร์ดใหม่", + "restore": "กู้คืน", + "save": "บันทึก", + "search": "ค้นหา", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "กำหนดตัวเองให้การ์ดนี้", + "shortcut-autocomplete-emoji": "เติม emoji อัตโนมัติ", + "shortcut-autocomplete-members": "เติมสมาชิกอัตโนมัติ", + "shortcut-clear-filters": "ล้างตัวกรองทั้งหมด", + "shortcut-close-dialog": "ปิดหน้าต่าง", + "shortcut-filter-my-cards": "กรองการ์ดฉัน", + "shortcut-show-shortcuts": "นำรายการทางลัดนี้ขึ้น", + "shortcut-toggle-filterbar": "สลับแถบกรองสไลด์ด้้านข้าง", + "shortcut-toggle-sidebar": "สลับโชว์แถบด้านข้าง", + "show-cards-minimum-count": "แสดงจำนวนของการ์ดถ้ารายการมีมากกว่า(เลื่อนกำหนดตัวเลข)", + "sidebar-open": "เปิดแถบเลื่อน", + "sidebar-close": "ปิดแถบเลื่อน", + "signupPopup-title": "สร้างบัญชี", + "star-board-title": "คลิกติดดาวบอร์ดนี้ มันจะแสดงอยู่บนสุดของรายการบอร์ดของคุณ", + "starred-boards": "ติดดาวบอร์ด", + "starred-boards-description": "ติดดาวบอร์ดและแสดงไว้บนสุดของรายการบอร์ด", + "subscribe": "บอกรับสมาชิก", + "team": "ทีม", + "this-board": "บอร์ดนี้", + "this-card": "การ์ดนี้", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "เวลา", + "title": "หัวข้อ", + "tracking": "ติดตาม", + "tracking-info": "คุณจะได้รับแจ้งการเปลี่ยนแปลงใด ๆ กับการ์ดที่คุณมีส่วนร่วมในฐานะผู้สร้างหรือสมาชิก", + "type": "Type", + "unassign-member": "ยกเลิกสมาชิก", + "unsaved-description": "คุณมีคำอธิบายที่ไม่ได้บันทึก", + "unwatch": "เลิกเฝ้าดู", + "upload": "อัพโหลด", + "upload-avatar": "อัพโหลดรูปภาพ", + "uploaded-avatar": "ภาพอัพโหลดแล้ว", + "username": "ชื่อผู้ใช้งาน", + "view-it": "ดู", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "เฝ้าดู", + "watching": "เฝ้าดู", + "watching-info": "คุณจะได้รับแจ้งหากมีการเปลี่ยนแปลงใด ๆ ในบอร์ดนี้", + "welcome-board": "ยินดีต้อนรับสู่บอร์ด", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "พื้นฐาน", + "welcome-list2": "ก้าวหน้า", + "what-to-do": "ต้องการทำอะไร", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "ชื่อผู้ใช้งาน", + "smtp-password": "รหัสผ่าน", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ ส่งคำเชิญให้คุณ", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json new file mode 100644 index 00000000..29d8006d --- /dev/null +++ b/i18n/tr.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Kabul Et", + "act-activity-notify": "[Wekan] Etkinlik Bildirimi", + "act-addAttachment": "__card__ kartına __attachment__ dosyasını ekledi", + "act-addChecklist": "__card__ kartında __checklist__ yapılacak listesini ekledi", + "act-addChecklistItem": "__checklistItem__ öğesini __card__ kartındaki __checklist__ yapılacak listesine ekledi", + "act-addComment": "__card__ kartına bir yorum bıraktı: __comment__", + "act-createBoard": "__board__ panosunu oluşturdu", + "act-createCard": "__card__ kartını ___list__ listesine ekledi", + "act-createCustomField": "__customField__ adlı özel alan yaratıldı", + "act-createList": "__list__ listesini __board__ panosuna ekledi", + "act-addBoardMember": "__member__ kullanıcısını __board__ panosuna ekledi", + "act-archivedBoard": "__board__ Geri Dönüşüm Kutusu'na taşındı", + "act-archivedCard": "__card__ Geri Dönüşüm Kutusu'na taşındı", + "act-archivedList": "__list__ Geri Dönüşüm Kutusu'na taşındı", + "act-archivedSwimlane": "__swimlane__ Geri Dönüşüm Kutusu'na taşındı", + "act-importBoard": "__board__ panosunu içe aktardı", + "act-importCard": "__card__ kartını içe aktardı", + "act-importList": "__list__ listesini içe aktardı", + "act-joinMember": "__member__ kullanıcısnı __card__ kartına ekledi", + "act-moveCard": "__card__ kartını __oldList__ listesinden __list__ listesine taşıdı", + "act-removeBoardMember": "__board__ panosundan __member__ kullanıcısını çıkarttı", + "act-restoredCard": "__card__ kartını __board__ panosuna geri getirdi", + "act-unjoinMember": "__member__ kullanıcısnı __card__ kartından çıkarttı", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "İşlemler", + "activities": "Etkinlikler", + "activity": "Etkinlik", + "activity-added": "%s içine %s ekledi", + "activity-archived": "%s Geri Dönüşüm Kutusu'na taşındı", + "activity-attached": "%s içine %s ekledi", + "activity-created": "%s öğesini oluşturdu", + "activity-customfield-created": "%s adlı özel alan yaratıldı", + "activity-excluded": "%s içinden %s çıkarttı", + "activity-imported": "%s kaynağından %s öğesini %s öğesinin içine taşıdı ", + "activity-imported-board": "%s i %s içinden aktardı", + "activity-joined": "şuna katıldı: %s", + "activity-moved": "%s i %s içinden %s içine taşıdı", + "activity-on": "%s", + "activity-removed": "%s i %s ten kaldırdı", + "activity-sent": "%s i %s e gönderdi", + "activity-unjoined": "%s içinden ayrıldı", + "activity-checklist-added": "%s içine yapılacak listesi ekledi", + "activity-checklist-item-added": "%s içinde %s yapılacak listesine öğe ekledi", + "add": "Ekle", + "add-attachment": "Ek Ekle", + "add-board": "Pano Ekle", + "add-card": "Kart Ekle", + "add-swimlane": "Kulvar Ekle", + "add-checklist": "Yapılacak Listesi Ekle", + "add-checklist-item": "Yapılacak listesine yeni bir öğe ekle", + "add-cover": "Kapak resmi ekle", + "add-label": "Etiket Ekle", + "add-list": "Liste Ekle", + "add-members": "Üye ekle", + "added": "Eklendi", + "addMemberPopup-title": "Üyeler", + "admin": "Yönetici", + "admin-desc": "Kartları görüntüleyebilir ve düzenleyebilir, üyeleri çıkarabilir ve pano ayarlarını değiştirebilir.", + "admin-announcement": "Duyuru", + "admin-announcement-active": "Tüm Sistemde Etkin Duyuru", + "admin-announcement-title": "Yöneticiden Duyuru", + "all-boards": "Tüm panolar", + "and-n-other-card": "Ve __count__ diğer kart", + "and-n-other-card_plural": "Ve __count__ diğer kart", + "apply": "Uygula", + "app-is-offline": "Wekan yükleniyor, lütfen bekleyin. Sayfayı yenilemek veri kaybına sebep olabilir. Eğer Wekan yüklenmezse, lütfen Wekan sunucusunun çalıştığından emin olun.", + "archive": "Geri Dönüşüm Kutusu'na taşı", + "archive-all": "Tümünü Geri Dönüşüm Kutusu'na taşı", + "archive-board": "Panoyu Geri Dönüşüm Kutusu'na taşı", + "archive-card": "Kartı Geri Dönüşüm Kutusu'na taşı", + "archive-list": "Listeyi Geri Dönüşüm Kutusu'na taşı", + "archive-swimlane": "Kulvarı Geri Dönüşüm Kutusu'na taşı", + "archive-selection": "Seçimi Geri Dönüşüm Kutusu'na taşı", + "archiveBoardPopup-title": "Panoyu Geri Dönüşüm Kutusu'na taşı", + "archived-items": "Geri Dönüşüm Kutusu", + "archived-boards": "Geri Dönüşüm Kutusu'ndaki panolar", + "restore-board": "Panoyu Geri Getir", + "no-archived-boards": "Geri Dönüşüm Kutusu'nda pano yok.", + "archives": "Geri Dönüşüm Kutusu", + "assign-member": "Üye ata", + "attached": "dosya(sı) eklendi", + "attachment": "Ek Dosya", + "attachment-delete-pop": "Ek silme işlemi kalıcıdır ve geri alınamaz.", + "attachmentDeletePopup-title": "Ek Silinsin mi?", + "attachments": "Ekler", + "auto-watch": "Oluşan yeni panoları kendiliğinden izlemeye al", + "avatar-too-big": "Avatar boyutu çok büyük (En fazla 70KB olabilir)", + "back": "Geri", + "board-change-color": "Renk değiştir", + "board-nb-stars": "%s yıldız", + "board-not-found": "Pano bulunamadı", + "board-private-info": "Bu pano gizli olacak.", + "board-public-info": "Bu pano genele açılacaktır.", + "boardChangeColorPopup-title": "Pano arkaplan rengini değiştir", + "boardChangeTitlePopup-title": "Panonun Adını Değiştir", + "boardChangeVisibilityPopup-title": "Görünebilirliği Değiştir", + "boardChangeWatchPopup-title": "İzleme Durumunu Değiştir", + "boardMenuPopup-title": "Pano menüsü", + "boards": "Panolar", + "board-view": "Pano Görünümü", + "board-view-swimlanes": "Kulvarlar", + "board-view-lists": "Listeler", + "bucket-example": "Örn: \"Marketten Alacaklarım\"", + "cancel": "İptal", + "card-archived": "Bu kart Geri Dönüşüm Kutusu'na taşındı", + "card-comments-title": "Bu kartta %s yorum var.", + "card-delete-notice": "Silme işlemi kalıcıdır. Bu kartla ilişkili tüm eylemleri kaybedersiniz.", + "card-delete-pop": "Son hareketler alanındaki tüm veriler silinecek, ayrıca bu kartı yeniden açamayacaksın. Bu işlemin geri dönüşü yok.", + "card-delete-suggest-archive": "Kartları Geri Dönüşüm Kutusu'na taşıyarak panodan kaldırabilir ve içindeki aktiviteleri saklayabilirsiniz.", + "card-due": "Bitiş", + "card-due-on": "Bitiş tarihi:", + "card-spent": "Harcanan Zaman", + "card-edit-attachments": "Ek dosyasını düzenle", + "card-edit-custom-fields": "Özel alanları düzenle", + "card-edit-labels": "Etiketleri düzenle", + "card-edit-members": "Üyeleri düzenle", + "card-labels-title": "Bu kart için etiketleri düzenle", + "card-members-title": "Karta pano içindeki üyeleri ekler veya çıkartır.", + "card-start": "Başlama", + "card-start-on": "Başlama tarihi:", + "cardAttachmentsPopup-title": "Eklenme", + "cardCustomField-datePopup-title": "Tarihi değiştir", + "cardCustomFieldsPopup-title": "Özel alanları düzenle", + "cardDeletePopup-title": "Kart Silinsin mi?", + "cardDetailsActionsPopup-title": "Kart işlemleri", + "cardLabelsPopup-title": "Etiketler", + "cardMembersPopup-title": "Üyeler", + "cardMorePopup-title": "Daha", + "cards": "Kartlar", + "cards-count": "Kartlar", + "change": "Değiştir", + "change-avatar": "Avatar Değiştir", + "change-password": "Parola Değiştir", + "change-permissions": "İzinleri değiştir", + "change-settings": "Ayarları değiştir", + "changeAvatarPopup-title": "Avatar Değiştir", + "changeLanguagePopup-title": "Dil Değiştir", + "changePasswordPopup-title": "Parola Değiştir", + "changePermissionsPopup-title": "Yetkileri Değiştirme", + "changeSettingsPopup-title": "Ayarları değiştir", + "checklists": "Yapılacak Listeleri", + "click-to-star": "Bu panoyu yıldızlamak için tıkla.", + "click-to-unstar": "Bu panunun yıldızını kaldırmak için tıkla.", + "clipboard": "Yapıştır veya sürükleyip bırak", + "close": "Kapat", + "close-board": "Panoyu kapat", + "close-board-pop": "Silinen panoyu geri getirmek için menüden \"Geri Dönüşüm Kutusu\"'na tıklayabilirsiniz.", + "color-black": "siyah", + "color-blue": "mavi", + "color-green": "yeşil", + "color-lime": "misket limonu", + "color-orange": "turuncu", + "color-pink": "pembe", + "color-purple": "mor", + "color-red": "kırmızı", + "color-sky": "açık mavi", + "color-yellow": "sarı", + "comment": "Yorum", + "comment-placeholder": "Yorum Yaz", + "comment-only": "Sadece yorum", + "comment-only-desc": "Sadece kartlara yorum yazabilir.", + "computer": "Bilgisayar", + "confirm-checklist-delete-dialog": "Yapılacak listesini silmek istediğinize emin misiniz", + "copy-card-link-to-clipboard": "Kartın linkini kopyala", + "copyCardPopup-title": "Kartı Kopyala", + "copyChecklistToManyCardsPopup-title": "Yapılacaklar Listesi şemasını birden çok karta kopyala", + "copyChecklistToManyCardsPopup-instructions": "Hedef Kart Başlıkları ve Açıklamaları bu JSON formatında", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"İlk kart başlığı\", \"description\":\"İlk kart açıklaması\"}, {\"title\":\"İkinci kart başlığı\",\"description\":\"İkinci kart açıklaması\"},{\"title\":\"Son kart başlığı\",\"description\":\"Son kart açıklaması\"} ]", + "create": "Oluştur", + "createBoardPopup-title": "Pano Oluşturma", + "chooseBoardSourcePopup-title": "Panoyu içe aktar", + "createLabelPopup-title": "Etiket Oluşturma", + "createCustomField": "Alanı yarat", + "createCustomFieldPopup-title": "Alanı yarat", + "current": "mevcut", + "custom-field-delete-pop": "Bunun geri dönüşü yoktur. Bu özel alan tüm kartlardan kaldırılıp tarihçesi yokedilecektir.", + "custom-field-checkbox": "İşaret kutusu", + "custom-field-date": "Tarih", + "custom-field-dropdown": "Açılır liste", + "custom-field-dropdown-none": "(hiçbiri)", + "custom-field-dropdown-options": "Liste seçenekleri", + "custom-field-dropdown-options-placeholder": "Başka seçenekler eklemek için giriş tuşuna basınız", + "custom-field-dropdown-unknown": "(bilinmeyen)", + "custom-field-number": "Sayı", + "custom-field-text": "Metin", + "custom-fields": "Özel alanlar", + "date": "Tarih", + "decline": "Reddet", + "default-avatar": "Varsayılan avatar", + "delete": "Sil", + "deleteCustomFieldPopup-title": "Özel alan silinsin mi?", + "deleteLabelPopup-title": "Etiket Silinsin mi?", + "description": "Açıklama", + "disambiguateMultiLabelPopup-title": "Etiket işlemini izah et", + "disambiguateMultiMemberPopup-title": "Üye işlemini izah et", + "discard": "At", + "done": "Tamam", + "download": "İndir", + "edit": "Düzenle", + "edit-avatar": "Avatar Değiştir", + "edit-profile": "Profili Düzenle", + "edit-wip-limit": "Devam Eden İş Sınırını Düzenle", + "soft-wip-limit": "Zayıf Devam Eden İş Sınırı", + "editCardStartDatePopup-title": "Başlangıç tarihini değiştir", + "editCardDueDatePopup-title": "Bitiş tarihini değiştir", + "editCustomFieldPopup-title": "Alanı düzenle", + "editCardSpentTimePopup-title": "Harcanan zamanı değiştir", + "editLabelPopup-title": "Etiket Değiştir", + "editNotificationPopup-title": "Bildirimi değiştir", + "editProfilePopup-title": "Profili Düzenle", + "email": "E-posta", + "email-enrollAccount-subject": "Hesabınız __siteName__ üzerinde oluşturuldu", + "email-enrollAccount-text": "Merhaba __user__,\n\nBu servisi kullanmaya başlamak için aşağıdaki linke tıklamalısın:\n\n__url__\n\nTeşekkürler.", + "email-fail": "E-posta gönderimi başarısız", + "email-fail-text": "E-Posta gönderilme çalışırken hata oluştu", + "email-invalid": "Geçersiz e-posta", + "email-invite": "E-posta ile davet et", + "email-invite-subject": "__inviter__ size bir davetiye gönderdi", + "email-invite-text": "Sevgili __user__,\n\n__inviter__ seni birlikte çalışmak için \"__board__\" panosuna davet ediyor.\n\nLütfen aşağıdaki linke tıkla:\n\n__url__\n\nTeşekkürler.", + "email-resetPassword-subject": "__siteName__ üzerinde parolanı sıfırla", + "email-resetPassword-text": "Merhaba __user__,\n\nParolanı sıfırlaman için aşağıdaki linke tıklaman yeterli.\n\n__url__\n\nTeşekkürler.", + "email-sent": "E-posta gönderildi", + "email-verifyEmail-subject": "__siteName__ üzerindeki e-posta adresini doğrulama", + "email-verifyEmail-text": "Merhaba __user__,\n\nHesap e-posta adresini doğrulamak için aşağıdaki linke tıklaman yeterli.\n\n__url__\n\nTeşekkürler.", + "enable-wip-limit": "Devam Eden İş Sınırını Aç", + "error-board-doesNotExist": "Pano bulunamadı", + "error-board-notAdmin": "Bu işlemi yapmak için pano yöneticisi olmalısın.", + "error-board-notAMember": "Bu işlemi yapmak için panoya üye olmalısın.", + "error-json-malformed": "Girilen metin geçerli bir JSON formatında değil", + "error-json-schema": "Girdiğin JSON metni tüm bilgileri doğru biçimde barındırmıyor", + "error-list-doesNotExist": "Liste bulunamadı", + "error-user-doesNotExist": "Kullanıcı bulunamadı", + "error-user-notAllowSelf": "Kendi kendini davet edemezsin", + "error-user-notCreated": "Bu üye oluşturulmadı", + "error-username-taken": "Kullanıcı adı zaten alınmış", + "error-email-taken": "Bu e-posta adresi daha önceden alınmış", + "export-board": "Panoyu dışarı aktar", + "filter": "Filtre", + "filter-cards": "Kartları Filtrele", + "filter-clear": "Filtreyi temizle", + "filter-no-label": "Etiket yok", + "filter-no-member": "Üye yok", + "filter-no-custom-fields": "Hiç özel alan yok", + "filter-on": "Filtre aktif", + "filter-on-desc": "Bu panodaki kartları filtreliyorsunuz. Fitreyi düzenlemek için tıklayın.", + "filter-to-selection": "Seçime göre filtreleme yap", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Ad Soyad", + "header-logo-title": "Panolar sayfanıza geri dön.", + "hide-system-messages": "Sistem mesajlarını gizle", + "headerBarCreateBoardPopup-title": "Pano Oluşturma", + "home": "Ana Sayfa", + "import": "İçeri aktar", + "import-board": "panoyu içe aktar", + "import-board-c": "Panoyu içe aktar", + "import-board-title-trello": "Trello'dan panoyu içeri aktar", + "import-board-title-wekan": "Wekan'dan panoyu içe aktar", + "import-sandstorm-warning": "İçe aktarılan pano şu anki panonun verilerinin üzerine yazılacak ve var olan veriler silinecek.", + "from-trello": "Trello'dan", + "from-wekan": "Wekan'dan", + "import-board-instruction-trello": "Trello panonuzda 'Menü'ye gidip 'Daha fazlası'na tıklayın, ardından 'Yazdır ve Çıktı Al'ı seçip 'JSON biçiminde çıktı al' diyerek çıkan metni buraya kopyalayın.", + "import-board-instruction-wekan": "Wekan panonuzda önce Menü'yü, ardından \"Panoyu dışa aktar\"ı seçip bilgisayarınıza indirilen dosyanın içindeki metni kopyalayın.", + "import-json-placeholder": "Geçerli JSON verisini buraya yapıştırın", + "import-map-members": "Üyeleri eşleştirme", + "import-members-map": "İçe aktardığın panoda bazı kullanıcılar var. Lütfen bu kullanıcıları Wekan panosundaki kullanıcılarla eşleştirin.", + "import-show-user-mapping": "Üye eşleştirmesini kontrol et", + "import-user-select": "Bu üyenin sistemdeki hangi kullanıcı olduğunu seçin", + "importMapMembersAddPopup-title": "Üye seç", + "info": "Sürüm", + "initials": "İlk Harfleri", + "invalid-date": "Geçersiz tarih", + "invalid-time": "Geçersiz zaman", + "invalid-user": "Geçersiz kullanıcı", + "joined": "katıldı", + "just-invited": "Bu panoya şimdi davet edildin.", + "keyboard-shortcuts": "Klavye kısayolları", + "label-create": "Etiket Oluşturma", + "label-default": "%s etiket (varsayılan)", + "label-delete-pop": "Bu işlem geri alınamaz. Bu etiket tüm kartlardan kaldırılacaktır ve geçmişi yok edecektir.", + "labels": "Etiketler", + "language": "Dil", + "last-admin-desc": "En az bir yönetici olması gerektiğinden rolleri değiştiremezsiniz.", + "leave-board": "Panodan ayrıl", + "leave-board-pop": "__boardTitle__ panosundan ayrılmak istediğinize emin misiniz? Panodaki tüm kartlardan kaldırılacaksınız.", + "leaveBoardPopup-title": "Panodan ayrılmak istediğinize emin misiniz?", + "link-card": "Bu kartın bağlantısı", + "list-archive-cards": "Listedeki tüm kartları Geri Dönüşüm Kutusu'na gönder", + "list-archive-cards-pop": "Bu işlem listedeki tüm kartları kaldıracak. Silinmiş kartları görüntülemek ve geri yüklemek için menüden Geri Dönüşüm Kutusu'na tıklayabilirsiniz.", + "list-move-cards": "Listedeki tüm kartları taşı", + "list-select-cards": "Listedeki tüm kartları seç", + "listActionPopup-title": "Liste İşlemleri", + "swimlaneActionPopup-title": "Kulvar İşlemleri", + "listImportCardPopup-title": "Bir Trello kartını içeri aktar", + "listMorePopup-title": "Daha", + "link-list": "Listeye doğrudan bağlantı", + "list-delete-pop": "Etkinlik akışınızdaki tüm eylemler geri kurtarılamaz şekilde kaldırılacak. Bu işlem geri alınamaz.", + "list-delete-suggest-archive": "Bir listeyi Dönüşüm Kutusuna atarak panodan kaldırabilir, ancak eylemleri koruyarak saklayabilirsiniz. ", + "lists": "Listeler", + "swimlanes": "Kulvarlar", + "log-out": "Oturum Kapat", + "log-in": "Oturum Aç", + "loginPopup-title": "Oturum Aç", + "memberMenuPopup-title": "Üye Ayarları", + "members": "Üyeler", + "menu": "Menü", + "move-selection": "Seçimi taşı", + "moveCardPopup-title": "Kartı taşı", + "moveCardToBottom-title": "Aşağı taşı", + "moveCardToTop-title": "Yukarı taşı", + "moveSelectionPopup-title": "Seçimi taşı", + "multi-selection": "Çoklu seçim", + "multi-selection-on": "Çoklu seçim açık", + "muted": "Sessiz", + "muted-info": "Bu panodaki hiçbir değişiklik hakkında bildirim almayacaksınız", + "my-boards": "Panolarım", + "name": "Adı", + "no-archived-cards": "Dönüşüm Kutusunda hiç kart yok.", + "no-archived-lists": "Dönüşüm Kutusunda hiç liste yok.", + "no-archived-swimlanes": "Dönüşüm Kutusunda hiç kulvar yok.", + "no-results": "Sonuç yok", + "normal": "Normal", + "normal-desc": "Kartları görüntüleyebilir ve düzenleyebilir. Ayarları değiştiremez.", + "not-accepted-yet": "Davet henüz kabul edilmemiş", + "notify-participate": "Oluşturduğunuz veya üye olduğunuz tüm kartlar hakkında bildirim al", + "notify-watch": "Takip ettiğiniz tüm pano, liste ve kartlar hakkında bildirim al", + "optional": "isteğe bağlı", + "or": "veya", + "page-maybe-private": "Bu sayfa gizli olabilir. Oturum açarak görmeyi deneyin.", + "page-not-found": "Sayda bulunamadı.", + "password": "Parola", + "paste-or-dragdrop": "Dosya eklemek için yapıştırabilir, veya (eğer resimse) sürükle bırak yapabilirsiniz", + "participating": "Katılımcılar", + "preview": "Önizleme", + "previewAttachedImagePopup-title": "Önizleme", + "previewClipboardImagePopup-title": "Önizleme", + "private": "Gizli", + "private-desc": "Bu pano gizli. Sadece panoya ekli kişiler görüntüleyebilir ve düzenleyebilir.", + "profile": "Kullanıcı Sayfası", + "public": "Genel", + "public-desc": "Bu pano genel. Bağlantı adresi ile herhangi bir kimseye görünür ve Google gibi arama motorlarında gösterilecektir. Panoyu, sadece eklenen kişiler düzenleyebilir.", + "quick-access-description": "Bu bara kısayol olarak bir pano eklemek için panoyu yıldızlamalısınız", + "remove-cover": "Kapak Resmini Kaldır", + "remove-from-board": "Panodan Kaldır", + "remove-label": "Etiketi Kaldır", + "listDeletePopup-title": "Liste silinsin mi?", + "remove-member": "Üyeyi Çıkar", + "remove-member-from-card": "Karttan Çıkar", + "remove-member-pop": "__boardTitle__ panosundan __name__ (__username__) çıkarılsın mı? Üye, bu panodaki tüm kartlardan çıkarılacak. Panodan çıkarıldığı üyeye bildirilecektir.", + "removeMemberPopup-title": "Üye çıkarılsın mı?", + "rename": "Yeniden adlandır", + "rename-board": "Panonun Adını Değiştir", + "restore": "Geri Getir", + "save": "Kaydet", + "search": "Arama", + "search-cards": "Bu tahta da ki kart başlıkları ve açıklamalarında arama yap", + "search-example": "Aranılacak metin?", + "select-color": "Renk Seç", + "set-wip-limit-value": "Bu listedeki en fazla öğe sayısı için bir sınır belirleyin", + "setWipLimitPopup-title": "Devam Eden İş Sınırı Belirle", + "shortcut-assign-self": "Kendini karta ata", + "shortcut-autocomplete-emoji": "Emojileri otomatik tamamla", + "shortcut-autocomplete-members": "Üye isimlerini otomatik tamamla", + "shortcut-clear-filters": "Tüm filtreleri temizle", + "shortcut-close-dialog": "Diyaloğu kapat", + "shortcut-filter-my-cards": "Kartlarımı filtrele", + "shortcut-show-shortcuts": "Kısayollar listesini getir", + "shortcut-toggle-filterbar": "Filtre kenar çubuğunu aç/kapa", + "shortcut-toggle-sidebar": "Pano kenar çubuğunu aç/kapa", + "show-cards-minimum-count": "Eğer listede şu sayıdan fazla öğe varsa kart sayısını göster: ", + "sidebar-open": "Kenar Çubuğunu Aç", + "sidebar-close": "Kenar Çubuğunu Kapat", + "signupPopup-title": "Bir Hesap Oluştur", + "star-board-title": "Bu panoyu yıldızlamak için tıkla. Yıldızlı panolar pano listesinin en üstünde gösterilir.", + "starred-boards": "Yıldızlı Panolar", + "starred-boards-description": "Yıldızlanmış panolar, pano listesinin en üstünde gösterilir.", + "subscribe": "Abone ol", + "team": "Takım", + "this-board": "bu panoyu", + "this-card": "bu kart", + "spent-time-hours": "Harcanan zaman (saat)", + "overtime-hours": "Aşılan süre (saat)", + "overtime": "Aşılan süre", + "has-overtime-cards": "Süresi aşılmış kartlar", + "has-spenttime-cards": "Zaman geçirilmiş kartlar", + "time": "Zaman", + "title": "Başlık", + "tracking": "Takip", + "tracking-info": "Oluşturduğunuz veya üyesi olduğunuz tüm kartlardaki değişiklikler size bildirim olarak gelecek.", + "type": "Tür", + "unassign-member": "Üyeye atamayı kaldır", + "unsaved-description": "Kaydedilmemiş bir açıklama metnin bulunmakta", + "unwatch": "Takibi bırak", + "upload": "Yükle", + "upload-avatar": "Avatar yükle", + "uploaded-avatar": "Avatar yüklendi", + "username": "Kullanıcı adı", + "view-it": "Görüntüle", + "warn-list-archived": "uyarı: bu kart Dönüşüm Kutusundaki bir listede var", + "watch": "Takip Et", + "watching": "Takip Ediliyor", + "watching-info": "Bu pano hakkındaki tüm değişiklikler hakkında bildirim alacaksınız", + "welcome-board": "Hoş Geldiniz Panosu", + "welcome-swimlane": "Kilometre taşı", + "welcome-list1": "Temel", + "welcome-list2": "Gelişmiş", + "what-to-do": "Ne yapmak istiyorsunuz?", + "wipLimitErrorPopup-title": "Geçersiz Devam Eden İş Sınırı", + "wipLimitErrorPopup-dialog-pt1": "Bu listedeki iş sayısı belirlediğiniz sınırdan daha fazla.", + "wipLimitErrorPopup-dialog-pt2": "Lütfen bazı işleri bu listeden başka listeye taşıyın ya da devam eden iş sınırını yükseltin.", + "admin-panel": "Yönetici Paneli", + "settings": "Ayarlar", + "people": "Kullanıcılar", + "registration": "Kayıt", + "disable-self-registration": "Ziyaretçilere kaydı kapa", + "invite": "Davet", + "invite-people": "Kullanıcı davet et", + "to-boards": "Şu pano(lar)a", + "email-addresses": "E-posta adresleri", + "smtp-host-description": "E-posta gönderimi yapan SMTP sunucu adresi", + "smtp-port-description": "E-posta gönderimi yapan SMTP sunucu portu", + "smtp-tls-description": "SMTP mail sunucusu için TLS kriptolama desteği açılsın", + "smtp-host": "SMTP sunucu adresi", + "smtp-port": "SMTP portu", + "smtp-username": "Kullanıcı adı", + "smtp-password": "Parola", + "smtp-tls": "TLS desteği", + "send-from": "Gönderen", + "send-smtp-test": "Kendinize deneme E-Postası gönderin", + "invitation-code": "Davetiye kodu", + "email-invite-register-subject": "__inviter__ size bir davetiye gönderdi", + "email-invite-register-text": "Sevgili __user__,\n\n__inviter__ sizi beraber çalışabilmek için Wekan'a davet etti.\n\nLütfen aşağıdaki linke tıklayın:\n__url__\n\nDavetiye kodunuz: __icode__\n\nTeşekkürler.", + "email-smtp-test-subject": "Wekan' dan SMTP E-Postası", + "email-smtp-test-text": "E-Posta başarıyla gönderildi", + "error-invitation-code-not-exist": "Davetiye kodu bulunamadı", + "error-notAuthorized": "Bu sayfayı görmek için yetkiniz yok.", + "outgoing-webhooks": "Dışarı giden bağlantılar", + "outgoingWebhooksPopup-title": "Dışarı giden bağlantılar", + "new-outgoing-webhook": "Yeni Dışarı Giden Web Bağlantısı", + "no-name": "(Bilinmeyen)", + "Wekan_version": "Wekan sürümü", + "Node_version": "Node sürümü", + "OS_Arch": "İşletim Sistemi Mimarisi", + "OS_Cpus": "İşletim Sistemi İşlemci Sayısı", + "OS_Freemem": "İşletim Sistemi Kullanılmayan Bellek", + "OS_Loadavg": "İşletim Sistemi Ortalama Yük", + "OS_Platform": "İşletim Sistemi Platformu", + "OS_Release": "İşletim Sistemi Sürümü", + "OS_Totalmem": "İşletim Sistemi Toplam Belleği", + "OS_Type": "İşletim Sistemi Tipi", + "OS_Uptime": "İşletim Sistemi Toplam Açık Kalınan Süre", + "hours": "saat", + "minutes": "dakika", + "seconds": "saniye", + "show-field-on-card": "Bu alanı kartta göster", + "yes": "Evet", + "no": "Hayır", + "accounts": "Hesaplar", + "accounts-allowEmailChange": "E-posta Değiştirmeye İzin Ver", + "accounts-allowUserNameChange": "Kullanıcı adı değiştirmeye izin ver", + "createdAt": "Oluşturulma tarihi", + "verified": "Doğrulanmış", + "active": "Aktif", + "card-received": "Giriş", + "card-received-on": "Giriş zamanı", + "card-end": "Bitiş", + "card-end-on": "Bitiş zamanı", + "editCardReceivedDatePopup-title": "Giriş tarihini değiştir", + "editCardEndDatePopup-title": "Bitiş tarihini değiştir", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json new file mode 100644 index 00000000..b0c88c4a --- /dev/null +++ b/i18n/uk.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Прийняти", + "act-activity-notify": "[Wekan] Сповіщення Діяльності", + "act-addAttachment": "__attachment__ додане до __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "комментар в __card__: __comment__", + "act-createBoard": "__board__ створенна", + "act-createCard": "__card__ карта додана до __list__ листа", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "__card__ заімпортована", + "act-importList": "imported __list__", + "act-joinMember": "__member__ був доданий до __card__", + "act-moveCard": " __card__ була перенесена з __oldList__ до __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": " __card__ відновлена у __board__", + "act-unjoinMember": " __member__ був виделений з __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Дії", + "activities": "Діяльність", + "activity": "Активність", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Додати", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Додати елемент в список", + "add-cover": "Додати обкладинку", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Додати користувача", + "added": "Доданно", + "addMemberPopup-title": "Користувачі", + "admin": "Адмін", + "admin-desc": "Може переглядати і редагувати картки, відаляти учасників та змінювати налаштування для дошки.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "Всі дошки", + "and-n-other-card": "та __count__ інших карток", + "and-n-other-card_plural": "та __count__ інших карток", + "apply": "Прийняти", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "доданно", + "attachment": "Додаток", + "attachment-delete-pop": "Видалення Додатку безповоротне. Тут нема відміні (undo).", + "attachmentDeletePopup-title": "Видалити Додаток?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Назад", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Дошки", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Відміна", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Користувачі", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Користувачі", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json new file mode 100644 index 00000000..ba609c92 --- /dev/null +++ b/i18n/vi.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Chấp nhận", + "act-activity-notify": "[Wekan] Thông Báo Hoạt Động", + "act-addAttachment": "đã đính kèm __attachment__ vào __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "đã bình luận trong __card__: __comment__", + "act-createBoard": "đã tạo __board__", + "act-createCard": "đã thêm __card__ vào __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "đã thêm __list__ vào __board__", + "act-addBoardMember": "đã thêm __member__ vào __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "đã nạp bảng __board__", + "act-importCard": "đã nạp thẻ __card__", + "act-importList": "đã nạp danh sách __list__", + "act-joinMember": "đã thêm thành viên __member__ vào __card__", + "act-moveCard": "đã chuyển thẻ __card__ từ __oldList__ sang __list__", + "act-removeBoardMember": "đã xóa thành viên __member__ khỏi __board__", + "act-restoredCard": "đã khôi phục thẻ __card__ vào bảng __board__", + "act-unjoinMember": "đã xóa thành viên __member__ khỏi thẻ __card__", + "act-withBoardTitle": "[Wekan] Bảng __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Hành Động", + "activities": "Hoạt Động", + "activity": "Hoạt Động", + "activity-added": "đã thêm %s vào %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "đã đính kèm %s vào %s", + "activity-created": "đã tạo %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "đã loại bỏ %s khỏi %s", + "activity-imported": "đã nạp %s vào %s từ %s", + "activity-imported-board": "đã nạp %s từ %s", + "activity-joined": "đã tham gia %s", + "activity-moved": "đã di chuyển %s từ %s đến %s", + "activity-on": "trên %s", + "activity-removed": "đã xóa %s từ %s", + "activity-sent": "gửi %s đến %s", + "activity-unjoined": "đã rời khỏi %s", + "activity-checklist-added": "đã thêm checklist vào %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Thêm", + "add-attachment": "Thêm Bản Đính Kèm", + "add-board": "Thêm Bảng", + "add-card": "Thêm Thẻ", + "add-swimlane": "Add Swimlane", + "add-checklist": "Thêm Danh Sách Kiểm Tra", + "add-checklist-item": "Thêm Một Mục Vào Danh Sách Kiểm Tra", + "add-cover": "Thêm Bìa", + "add-label": "Thêm Nhãn", + "add-list": "Thêm Danh Sách", + "add-members": "Thêm Thành Viên", + "added": "Đã Thêm", + "addMemberPopup-title": "Thành Viên", + "admin": "Quản Trị Viên", + "admin-desc": "Có thể xem và chỉnh sửa những thẻ, xóa thành viên và thay đổi cài đặt cho bảng.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "Tất cả các bảng", + "and-n-other-card": "Và __count__ thẻ khác", + "and-n-other-card_plural": "Và __count__ thẻ khác", + "apply": "Ứng Dụng", + "app-is-offline": "Wekan đang tải, vui lòng đợi. Tải lại trang có thể làm mất dữ liệu. Nếu Wekan không thể tải được, Vui lòng kiểm tra lại Wekan server.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Khôi Phục Bảng", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Chỉ định thành viên", + "attached": "đã đính kèm", + "attachment": "Phần đính kèm", + "attachment-delete-pop": "Xóa tệp đính kèm là vĩnh viễn. Không có khôi phục.", + "attachmentDeletePopup-title": "Xóa tệp đính kèm không?", + "attachments": "Tệp Đính Kèm", + "auto-watch": "Tự động xem bảng lúc được tạo ra", + "avatar-too-big": "Hình đại diện quá to (70KB tối đa)", + "back": "Trở Lại", + "board-change-color": "Đổi màu", + "board-nb-stars": "%s sao", + "board-not-found": "Không tìm được bảng", + "board-private-info": "Bảng này sẽ chuyển sang chế độ private.", + "board-public-info": "Bảng này sẽ chuyển sang chế độ public.", + "boardChangeColorPopup-title": "Thay hình nền của bảng", + "boardChangeTitlePopup-title": "Đổi tên bảng", + "boardChangeVisibilityPopup-title": "Đổi cách hiển thị", + "boardChangeWatchPopup-title": "Đổi cách xem", + "boardMenuPopup-title": "Board Menu", + "boards": "Bảng", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Hủy", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "Thẻ này có %s bình luận.", + "card-delete-notice": "Hành động xóa là không thể khôi phục. Bạn sẽ mất hết các hoạt động liên quan đến thẻ này.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Thành Viên", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Thành Viên", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Đổi tên bảng", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json new file mode 100644 index 00000000..ad821bef --- /dev/null +++ b/i18n/zh-CN.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "接受", + "act-activity-notify": "[Wekan] 活动通知", + "act-addAttachment": "添加附件 __attachment__ 至卡片 __card__", + "act-addChecklist": "添加清单 __checklist__ 到 __card__", + "act-addChecklistItem": "向 __card__ 中的清单 __checklist__ 添加 __checklistItem__", + "act-addComment": "在 __card__ 发布评论: __comment__", + "act-createBoard": "创建看板 __board__", + "act-createCard": "添加卡片 __card__ 至列表 __list__", + "act-createCustomField": "创建了自定义字段 __customField__", + "act-createList": "添加列表 __list__ 至看板 __board__", + "act-addBoardMember": "添加成员 __member__ 至看板 __board__", + "act-archivedBoard": "__board__ 已被移入回收站 ", + "act-archivedCard": "__card__ 已被移入回收站", + "act-archivedList": "__list__ 已被移入回收站", + "act-archivedSwimlane": "__swimlane__ 已被移入回收站", + "act-importBoard": "导入看板 __board__", + "act-importCard": "导入卡片 __card__", + "act-importList": "导入列表 __list__", + "act-joinMember": "添加成员 __member__ 至卡片 __card__", + "act-moveCard": "从列表 __oldList__ 移动卡片 __card__ 至列表 __list__", + "act-removeBoardMember": "从看板 __board__ 移除成员 __member__", + "act-restoredCard": "恢复卡片 __card__ 至看板 __board__", + "act-unjoinMember": "从卡片 __card__ 移除成员 __member__", + "act-withBoardTitle": "[Wekan] 看板 __board__", + "act-withCardTitle": "[看板 __board__] 卡片 __card__", + "actions": "操作", + "activities": "活动", + "activity": "活动", + "activity-added": "添加 %s 至 %s", + "activity-archived": "%s 已被移入回收站", + "activity-attached": "添加附件 %s 至 %s", + "activity-created": "创建 %s", + "activity-customfield-created": "创建了自定义字段 %s", + "activity-excluded": "排除 %s 从 %s", + "activity-imported": "导入 %s 至 %s 从 %s 中", + "activity-imported-board": "已导入 %s 从 %s 中", + "activity-joined": "已关联 %s", + "activity-moved": "将 %s 从 %s 移动到 %s", + "activity-on": "在 %s", + "activity-removed": "从 %s 中移除 %s", + "activity-sent": "发送 %s 至 %s", + "activity-unjoined": "已解除 %s 关联", + "activity-checklist-added": "已经将清单添加到 %s", + "activity-checklist-item-added": "添加清单项至'%s' 于 %s", + "add": "添加", + "add-attachment": "添加附件", + "add-board": "添加看板", + "add-card": "添加卡片", + "add-swimlane": "添加泳道图", + "add-checklist": "添加待办清单", + "add-checklist-item": "扩充清单", + "add-cover": "添加封面", + "add-label": "添加标签", + "add-list": "添加列表", + "add-members": "添加成员", + "added": "添加", + "addMemberPopup-title": "成员", + "admin": "管理员", + "admin-desc": "可以浏览并编辑卡片,移除成员,并且更改该看板的设置", + "admin-announcement": "通知", + "admin-announcement-active": "激活系统通知", + "admin-announcement-title": "管理员的通知", + "all-boards": "全部看板", + "and-n-other-card": "和其他 __count__ 个卡片", + "and-n-other-card_plural": "和其他 __count__ 个卡片", + "apply": "应用", + "app-is-offline": "Wekan 正在加载,请稍等。刷新页面将导致数据丢失。如果 Wekan 无法加载,请检查 Wekan 服务器是否已经停止。", + "archive": "移入回收站", + "archive-all": "全部移入回收站", + "archive-board": "移动看板到回收站", + "archive-card": "移动卡片到回收站", + "archive-list": "移动列表到回收站", + "archive-swimlane": "移动泳道到回收站", + "archive-selection": "移动选择内容到回收站", + "archiveBoardPopup-title": "移动看板到回收站?", + "archived-items": "回收站", + "archived-boards": "回收站中的看板", + "restore-board": "还原看板", + "no-archived-boards": "回收站中无看板", + "archives": "回收站", + "assign-member": "分配成员", + "attached": "附加", + "attachment": "附件", + "attachment-delete-pop": "删除附件的操作不可逆。", + "attachmentDeletePopup-title": "删除附件?", + "attachments": "附件", + "auto-watch": "自动关注新建的看板", + "avatar-too-big": "头像过大 (上限 70 KB)", + "back": "返回", + "board-change-color": "更改颜色", + "board-nb-stars": "%s 星标", + "board-not-found": "看板不存在", + "board-private-info": "该看板将被设为 私有.", + "board-public-info": "该看板将被设为 公开.", + "boardChangeColorPopup-title": "修改看板背景", + "boardChangeTitlePopup-title": "重命名看板", + "boardChangeVisibilityPopup-title": "更改可视级别", + "boardChangeWatchPopup-title": "更改关注状态", + "boardMenuPopup-title": "看板菜单", + "boards": "看板", + "board-view": "看板视图", + "board-view-swimlanes": "泳道图", + "board-view-lists": "列表", + "bucket-example": "例如 “目标清单”", + "cancel": "取消", + "card-archived": "此卡片已经被移入回收站。", + "card-comments-title": "该卡片有 %s 条评论", + "card-delete-notice": "彻底删除的操作不可恢复,你将会丢失该卡片相关的所有操作记录。", + "card-delete-pop": "所有的活动将从活动摘要中被移除且您将无法重新打开该卡片。此操作无法撤销。", + "card-delete-suggest-archive": "将卡片移入回收站可以从看板中删除卡片,相关活动记录将被保留。", + "card-due": "到期", + "card-due-on": "期限", + "card-spent": "耗时", + "card-edit-attachments": "编辑附件", + "card-edit-custom-fields": "编辑自定义字段", + "card-edit-labels": "编辑标签", + "card-edit-members": "编辑成员", + "card-labels-title": "更改该卡片上的标签", + "card-members-title": "在该卡片中添加或移除看板成员", + "card-start": "开始", + "card-start-on": "始于", + "cardAttachmentsPopup-title": "附件来源", + "cardCustomField-datePopup-title": "修改日期", + "cardCustomFieldsPopup-title": "编辑自定义字段", + "cardDeletePopup-title": "彻底删除卡片?", + "cardDetailsActionsPopup-title": "卡片操作", + "cardLabelsPopup-title": "标签", + "cardMembersPopup-title": "成员", + "cardMorePopup-title": "更多", + "cards": "卡片", + "cards-count": "卡片", + "change": "变更", + "change-avatar": "更改头像", + "change-password": "更改密码", + "change-permissions": "更改权限", + "change-settings": "更改设置", + "changeAvatarPopup-title": "更改头像", + "changeLanguagePopup-title": "更改语言", + "changePasswordPopup-title": "更改密码", + "changePermissionsPopup-title": "更改权限", + "changeSettingsPopup-title": "更改设置", + "checklists": "清单", + "click-to-star": "点此来标记该看板", + "click-to-unstar": "点此来去除该看板的标记", + "clipboard": "剪贴板或者拖放文件", + "close": "关闭", + "close-board": "关闭看板", + "close-board-pop": "在主页中点击顶部的“回收站”按钮可以恢复看板。", + "color-black": "黑色", + "color-blue": "蓝色", + "color-green": "绿色", + "color-lime": "绿黄", + "color-orange": "橙色", + "color-pink": "粉红", + "color-purple": "紫色", + "color-red": "红色", + "color-sky": "天蓝", + "color-yellow": "黄色", + "comment": "评论", + "comment-placeholder": "添加评论", + "comment-only": "仅能评论", + "comment-only-desc": "只能在卡片上评论。", + "computer": "从本机上传", + "confirm-checklist-delete-dialog": "确认要删除清单吗", + "copy-card-link-to-clipboard": "复制卡片链接到剪贴板", + "copyCardPopup-title": "复制卡片", + "copyChecklistToManyCardsPopup-title": "复制清单模板至多个卡片", + "copyChecklistToManyCardsPopup-instructions": "以JSON格式表示目标卡片的标题和描述", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"第一个卡片的标题\", \"description\":\"第一个卡片的描述\"}, {\"title\":\"第二个卡片的标题\",\"description\":\"第二个卡片的描述\"},{\"title\":\"最后一个卡片的标题\",\"description\":\"最后一个卡片的描述\"} ]", + "create": "创建", + "createBoardPopup-title": "创建看板", + "chooseBoardSourcePopup-title": "导入看板", + "createLabelPopup-title": "创建标签", + "createCustomField": "创建字段", + "createCustomFieldPopup-title": "创建字段", + "current": "当前", + "custom-field-delete-pop": "没有撤销,此动作将从所有卡片中移除自定义字段并销毁历史。", + "custom-field-checkbox": "选择框", + "custom-field-date": "日期", + "custom-field-dropdown": "下拉列表", + "custom-field-dropdown-none": "(无)", + "custom-field-dropdown-options": "列表选项", + "custom-field-dropdown-options-placeholder": "回车可以加入更多选项", + "custom-field-dropdown-unknown": "(未知)", + "custom-field-number": "数字", + "custom-field-text": "文本", + "custom-fields": "自定义字段", + "date": "日期", + "decline": "拒绝", + "default-avatar": "默认头像", + "delete": "删除", + "deleteCustomFieldPopup-title": "删除自定义字段?", + "deleteLabelPopup-title": "删除标签?", + "description": "描述", + "disambiguateMultiLabelPopup-title": "标签消歧 [?]", + "disambiguateMultiMemberPopup-title": "成员消歧 [?]", + "discard": "放弃", + "done": "完成", + "download": "下载", + "edit": "编辑", + "edit-avatar": "更改头像", + "edit-profile": "编辑资料", + "edit-wip-limit": "编辑最大任务数", + "soft-wip-limit": "软在制品限制", + "editCardStartDatePopup-title": "修改起始日期", + "editCardDueDatePopup-title": "修改截止日期", + "editCustomFieldPopup-title": "编辑字段", + "editCardSpentTimePopup-title": "修改耗时", + "editLabelPopup-title": "更改标签", + "editNotificationPopup-title": "编辑通知", + "editProfilePopup-title": "编辑资料", + "email": "邮箱", + "email-enrollAccount-subject": "已为您在 __siteName__ 创建帐号", + "email-enrollAccount-text": "尊敬的 __user__,\n\n点击下面的链接,即刻开始使用这项服务。\n\n__url__\n\n谢谢。", + "email-fail": "邮件发送失败", + "email-fail-text": "尝试发送邮件时出错", + "email-invalid": "邮件地址错误", + "email-invite": "发送邮件邀请", + "email-invite-subject": "__inviter__ 向您发出邀请", + "email-invite-text": "尊敬的 __user__,\n\n__inviter__ 邀请您加入看板 \"__board__\" 参与协作。\n\n请点击下面的链接访问看板:\n\n__url__\n\n谢谢。", + "email-resetPassword-subject": "重置您的 __siteName__ 密码", + "email-resetPassword-text": "尊敬的 __user__,\n\n点击下面的链接,重置您的密码:\n\n__url__\n\n谢谢。", + "email-sent": "邮件已发送", + "email-verifyEmail-subject": "在 __siteName__ 验证您的邮件地址", + "email-verifyEmail-text": "尊敬的 __user__,\n\n点击下面的链接,验证您的邮件地址:\n\n__url__\n\n谢谢。", + "enable-wip-limit": "启用最大任务数限制", + "error-board-doesNotExist": "该看板不存在", + "error-board-notAdmin": "需要成为管理员才能执行此操作", + "error-board-notAMember": "需要成为看板成员才能执行此操作", + "error-json-malformed": "文本不是合法的 JSON", + "error-json-schema": "JSON 数据没有用正确的格式包含合适的信息", + "error-list-doesNotExist": "不存在此列表", + "error-user-doesNotExist": "该用户不存在", + "error-user-notAllowSelf": "无法邀请自己", + "error-user-notCreated": "该用户未能成功创建", + "error-username-taken": "此用户名已存在", + "error-email-taken": "此EMail已存在", + "export-board": "导出看板", + "filter": "过滤", + "filter-cards": "过滤卡片", + "filter-clear": "清空过滤器", + "filter-no-label": "无标签", + "filter-no-member": "无成员", + "filter-no-custom-fields": "无自定义字段", + "filter-on": "过滤器启用", + "filter-on-desc": "你正在过滤该看板上的卡片,点此编辑过滤。", + "filter-to-selection": "要选择的过滤器", + "advanced-filter-label": "高级过滤器", + "advanced-filter-description": "高级过滤器可以使用包含如下操作符的字符串进行过滤:== != <= >= && || ( ) 。操作符之间用空格隔开。输入字段名和数值就可以过滤所有自定义字段。例如:Field1 == Value1. 注意如果字段名或数值包含空格,需要用单引号。例如: 'Field 1' == 'Value 1'。支持组合使用多个条件,例如: F1 == V1 || F1 = V2。通常以从左到右的顺序进行判断。可以通过括号修改顺序,例如:F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "全称", + "header-logo-title": "返回您的看板页", + "hide-system-messages": "隐藏系统消息", + "headerBarCreateBoardPopup-title": "创建看板", + "home": "首页", + "import": "导入", + "import-board": "导入看板", + "import-board-c": "导入看板", + "import-board-title-trello": "从Trello导入看板", + "import-board-title-wekan": "从Wekan 导入看板", + "import-sandstorm-warning": "导入的面板将删除所有已存在于面板上的数据并替换他们为导入的面板。 ", + "from-trello": "自 Trello", + "from-wekan": "自 Wekan", + "import-board-instruction-trello": "在你的Trello看板中,点击“菜单”,然后选择“更多”,“打印与导出”,“导出为 JSON” 并拷贝结果文本", + "import-board-instruction-wekan": "在你的Wekan面板中点'菜单',然后点‘导出面板’并在已下载的文档复制文本。", + "import-json-placeholder": "粘贴您有效的 JSON 数据至此", + "import-map-members": "映射成员", + "import-members-map": "您导入的看板有一些成员。请将您想导入的成员映射到 Wekan 用户。", + "import-show-user-mapping": "核对成员映射", + "import-user-select": "选择您想将此成员映射到的 Wekan 用户", + "importMapMembersAddPopup-title": "选择Wekan成员", + "info": "版本", + "initials": "缩写", + "invalid-date": "无效日期", + "invalid-time": "非法时间", + "invalid-user": "非法用户", + "joined": "关联", + "just-invited": "您刚刚被邀请加入此看板", + "keyboard-shortcuts": "键盘快捷键", + "label-create": "创建标签", + "label-default": "%s 标签 (默认)", + "label-delete-pop": "此操作不可逆,这将会删除该标签并清除它的历史记录。", + "labels": "标签", + "language": "语言", + "last-admin-desc": "你不能更改角色,因为至少需要一名管理员。", + "leave-board": "离开看板", + "leave-board-pop": "确认要离开 __boardTitle__ 吗?此看板的所有卡片都会将您移除。", + "leaveBoardPopup-title": "离开看板?", + "link-card": "关联至该卡片", + "list-archive-cards": "移动此列表中的所有卡片到回收站", + "list-archive-cards-pop": "此操作会从看板中删除所有此列表包含的卡片。要查看回收站中的卡片并恢复到看板,请点击“菜单” > “回收站”。", + "list-move-cards": "移动列表中的所有卡片", + "list-select-cards": "选择列表中的所有卡片", + "listActionPopup-title": "列表操作", + "swimlaneActionPopup-title": "泳道图操作", + "listImportCardPopup-title": "导入 Trello 卡片", + "listMorePopup-title": "更多", + "link-list": "关联到这个列表", + "list-delete-pop": "所有活动将被从活动动态中删除并且你无法恢复他们,此操作无法撤销。 ", + "list-delete-suggest-archive": "可以将列表移入回收站,看板中将删除列表,但是相关活动记录会被保留。", + "lists": "列表", + "swimlanes": "泳道图", + "log-out": "登出", + "log-in": "登录", + "loginPopup-title": "登录", + "memberMenuPopup-title": "成员设置", + "members": "成员", + "menu": "菜单", + "move-selection": "移动选择", + "moveCardPopup-title": "移动卡片", + "moveCardToBottom-title": "移动至底端", + "moveCardToTop-title": "移动至顶端", + "moveSelectionPopup-title": "移动选择", + "multi-selection": "多选", + "multi-selection-on": "多选启用", + "muted": "静默", + "muted-info": "你将不会收到此看板的任何变更通知", + "my-boards": "我的看板", + "name": "名称", + "no-archived-cards": "回收站中无卡片。", + "no-archived-lists": "回收站中无列表。", + "no-archived-swimlanes": "回收站中无泳道。", + "no-results": "无结果", + "normal": "普通", + "normal-desc": "可以创建以及编辑卡片,无法更改设置。", + "not-accepted-yet": "邀请尚未接受", + "notify-participate": "接收以创建者或成员身份参与的卡片的更新", + "notify-watch": "接收所有关注的面板、列表、及卡片的更新", + "optional": "可选", + "or": "或", + "page-maybe-private": "本页面被设为私有. 您必须 登录以浏览其中内容。", + "page-not-found": "页面不存在。", + "password": "密码", + "paste-or-dragdrop": "从剪贴板粘贴,或者拖放文件到它上面 (仅限于图片)", + "participating": "参与", + "preview": "预览", + "previewAttachedImagePopup-title": "预览", + "previewClipboardImagePopup-title": "预览", + "private": "私有", + "private-desc": "该看板将被设为私有。只有该看板成员才可以进行查看和编辑。", + "profile": "资料", + "public": "公开", + "public-desc": "该看板将被公开。任何人均可通过链接查看,并且将对Google和其他搜索引擎开放。只有添加至该看板的成员才可进行编辑。", + "quick-access-description": "星标看板在导航条中添加快捷方式", + "remove-cover": "移除封面", + "remove-from-board": "从看板中删除", + "remove-label": "移除标签", + "listDeletePopup-title": "删除列表", + "remove-member": "移除成员", + "remove-member-from-card": "从该卡片中移除", + "remove-member-pop": "确定从 __boardTitle__ 中移除 __name__ (__username__) 吗? 该成员将被从该看板的所有卡片中移除,同时他会收到一条提醒。", + "removeMemberPopup-title": "删除成员?", + "rename": "重命名", + "rename-board": "重命名看板", + "restore": "还原", + "save": "保存", + "search": "搜索", + "search-cards": "搜索当前看板上的卡片标题和描述", + "search-example": "搜索", + "select-color": "选择颜色", + "set-wip-limit-value": "设置此列表中的最大任务数", + "setWipLimitPopup-title": "设置最大任务数", + "shortcut-assign-self": "分配当前卡片给自己", + "shortcut-autocomplete-emoji": "表情符号自动补全", + "shortcut-autocomplete-members": "自动补全成员", + "shortcut-clear-filters": "清空全部过滤器", + "shortcut-close-dialog": "关闭对话框", + "shortcut-filter-my-cards": "过滤我的卡片", + "shortcut-show-shortcuts": "显示此快捷键列表", + "shortcut-toggle-filterbar": "切换过滤器边栏", + "shortcut-toggle-sidebar": "切换面板边栏", + "show-cards-minimum-count": "当列表中的卡片多于此阈值时将显示数量", + "sidebar-open": "打开侧栏", + "sidebar-close": "打开侧栏", + "signupPopup-title": "创建账户", + "star-board-title": "点此来标记该看板,它将会出现在您的看板列表顶部。", + "starred-boards": "已标记看板", + "starred-boards-description": "已标记看板将会出现在您的看板列表顶部。", + "subscribe": "订阅", + "team": "团队", + "this-board": "该看板", + "this-card": "该卡片", + "spent-time-hours": "耗时 (小时)", + "overtime-hours": "超时 (小时)", + "overtime": "超时", + "has-overtime-cards": "有超时卡片", + "has-spenttime-cards": "耗时卡", + "time": "时间", + "title": "标题", + "tracking": "跟踪", + "tracking-info": "当任何包含您(作为创建者或成员)的卡片发生变更时,您将得到通知。", + "type": "类型", + "unassign-member": "取消分配成员", + "unsaved-description": "存在未保存的描述", + "unwatch": "取消关注", + "upload": "上传", + "upload-avatar": "上传头像", + "uploaded-avatar": "头像已经上传", + "username": "用户名", + "view-it": "查看", + "warn-list-archived": "警告:此卡片属于回收站中的一个列表", + "watch": "关注", + "watching": "关注", + "watching-info": "当此看板发生变更时会通知你", + "welcome-board": "“欢迎”看板", + "welcome-swimlane": "里程碑 1", + "welcome-list1": "基本", + "welcome-list2": "高阶", + "what-to-do": "要做什么?", + "wipLimitErrorPopup-title": "无效的最大任务数", + "wipLimitErrorPopup-dialog-pt1": "此列表中的任务数量已经超过了设置的最大任务数。", + "wipLimitErrorPopup-dialog-pt2": "请将一些任务移出此列表,或者设置一个更大的最大任务数。", + "admin-panel": "管理面板", + "settings": "设置", + "people": "人员", + "registration": "注册", + "disable-self-registration": "禁止自助注册", + "invite": "邀请", + "invite-people": "邀请人员", + "to-boards": "邀请到看板 (可多选)", + "email-addresses": "电子邮箱地址", + "smtp-host-description": "用于发送邮件的SMTP服务器地址。", + "smtp-port-description": "SMTP服务器端口。", + "smtp-tls-description": "对SMTP服务器启用TLS支持", + "smtp-host": "SMTP服务器", + "smtp-port": "SMTP端口", + "smtp-username": "用户名", + "smtp-password": "密码", + "smtp-tls": "TLS支持", + "send-from": "发件人", + "send-smtp-test": "给自己发送一封测试邮件", + "invitation-code": "邀请码", + "email-invite-register-subject": "__inviter__ 向您发出邀请", + "email-invite-register-text": "亲爱的 __user__,\n\n__inviter__ 邀请您加入 Wekan 进行协作。\n\n请访问下面的链接︰\n__url__\n\n您的的邀请码是︰\n__icode__\n\n非常感谢。", + "email-smtp-test-subject": "从Wekan发送SMTP测试邮件", + "email-smtp-test-text": "你已成功发送邮件", + "error-invitation-code-not-exist": "邀请码不存在", + "error-notAuthorized": "您无权查看此页面。", + "outgoing-webhooks": "外部Web挂钩", + "outgoingWebhooksPopup-title": "外部Web挂钩", + "new-outgoing-webhook": "新建外部Web挂钩", + "no-name": "(未知)", + "Wekan_version": "Wekan版本", + "Node_version": "Node.js版本", + "OS_Arch": "系统架构", + "OS_Cpus": "系统 CPU数量", + "OS_Freemem": "系统可用内存", + "OS_Loadavg": "系统负载均衡", + "OS_Platform": "系统平台", + "OS_Release": "系统发布版本", + "OS_Totalmem": "系统全部内存", + "OS_Type": "系统类型", + "OS_Uptime": "系统运行时间", + "hours": "小时", + "minutes": "分钟", + "seconds": "秒", + "show-field-on-card": "在卡片上显示此字段", + "yes": "是", + "no": "否", + "accounts": "账号", + "accounts-allowEmailChange": "允许邮箱变更", + "accounts-allowUserNameChange": "允许变更用户名", + "createdAt": "创建于", + "verified": "已验证", + "active": "活跃", + "card-received": "已接收", + "card-received-on": "接收于", + "card-end": "终止", + "card-end-on": "终止于", + "editCardReceivedDatePopup-title": "修改接收日期", + "editCardEndDatePopup-title": "修改终止日期", + "assigned-by": "分配人", + "requested-by": "需求人", + "board-delete-notice": "删除时永久操作,将会丢失此看板上的所有列表、卡片和动作。", + "delete-board-confirm-popup": "所有列表、卡片、标签和活动都回被删除,将无法恢复看板内容。不支持撤销。", + "boardDeletePopup-title": "删除看板?", + "delete-board": "删除看板" +} \ No newline at end of file diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json new file mode 100644 index 00000000..8d28bc5f --- /dev/null +++ b/i18n/zh-TW.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "接受", + "act-activity-notify": "[Wekan] 活動通知", + "act-addAttachment": "新增附件__attachment__至__card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "評論__card__: __comment__", + "act-createBoard": "完成新增 __board__", + "act-createCard": "將__card__加入__list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "新增__list__至__board__", + "act-addBoardMember": "在__board__中新增成員__member__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "匯入__board__", + "act-importCard": "匯入__card__", + "act-importList": "匯入__list__", + "act-joinMember": "在__card__中新增成員__member__", + "act-moveCard": "將__card__從__oldList__移動至__list__", + "act-removeBoardMember": "從__board__中移除成員__member__", + "act-restoredCard": "將__card__回復至__board__", + "act-unjoinMember": "從__card__中移除成員__member__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "操作", + "activities": "活動", + "activity": "活動", + "activity-added": "新增 %s 至 %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "新增附件 %s 至 %s", + "activity-created": "建立 %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "排除 %s 從 %s", + "activity-imported": "匯入 %s 至 %s 從 %s 中", + "activity-imported-board": "已匯入 %s 從 %s 中", + "activity-joined": "關聯 %s", + "activity-moved": "將 %s 從 %s 移動到 %s", + "activity-on": "在 %s", + "activity-removed": "移除 %s 從 %s 中", + "activity-sent": "寄送 %s 至 %s", + "activity-unjoined": "解除關聯 %s", + "activity-checklist-added": "新增待辦清單至 %s", + "activity-checklist-item-added": "新增待辦清單項目從 %s 到 %s", + "add": "新增", + "add-attachment": "新增附件", + "add-board": "新增看板", + "add-card": "新增卡片", + "add-swimlane": "Add Swimlane", + "add-checklist": "新增待辦清單", + "add-checklist-item": "新增項目", + "add-cover": "新增封面", + "add-label": "新增標籤", + "add-list": "新增清單", + "add-members": "新增成員", + "added": "新增", + "addMemberPopup-title": "成員", + "admin": "管理員", + "admin-desc": "可以瀏覽並編輯卡片,移除成員,並且更改該看板的設定", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "全部看板", + "and-n-other-card": "和其他 __count__ 個卡片", + "and-n-other-card_plural": "和其他 __count__ 個卡片", + "apply": "送出", + "app-is-offline": "請稍候,資料讀取中,重整頁面可能會導致資料遺失。如果一直讀取,請檢查 Wekan 的伺服器是否正確運行。", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "還原看板", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "分配成員", + "attached": "附加", + "attachment": "附件", + "attachment-delete-pop": "刪除附件的操作無法還原。", + "attachmentDeletePopup-title": "刪除附件?", + "attachments": "附件", + "auto-watch": "新增看板時自動加入觀察", + "avatar-too-big": "頭像檔案太大 (最大 70 KB)", + "back": "返回", + "board-change-color": "更改顏色", + "board-nb-stars": "%s 星號標記", + "board-not-found": "看板不存在", + "board-private-info": "該看板將被設為 私有.", + "board-public-info": "該看板將被設為 公開.", + "boardChangeColorPopup-title": "修改看板背景", + "boardChangeTitlePopup-title": "重新命名看板", + "boardChangeVisibilityPopup-title": "更改可視級別", + "boardChangeWatchPopup-title": "更改觀察", + "boardMenuPopup-title": "看板選單", + "boards": "看板", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "清單", + "bucket-example": "例如 “目標清單”", + "cancel": "取消", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "該卡片有 %s 則評論", + "card-delete-notice": "徹底刪除的操作不可復原,你將會遺失該卡片相關的所有操作記錄。", + "card-delete-pop": "所有的動作將從活動動態中被移除且您將無法重新打開該卡片。此操作無法復原。", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "到期", + "card-due-on": "到期", + "card-spent": "Spent Time", + "card-edit-attachments": "編輯附件", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "編輯標籤", + "card-edit-members": "編輯成員", + "card-labels-title": "更改該卡片上的標籤", + "card-members-title": "在該卡片中新增或移除看板成員", + "card-start": "開始", + "card-start-on": "開始", + "cardAttachmentsPopup-title": "附件來源", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "徹底刪除卡片?", + "cardDetailsActionsPopup-title": "卡片動作", + "cardLabelsPopup-title": "標籤", + "cardMembersPopup-title": "成員", + "cardMorePopup-title": "更多", + "cards": "卡片", + "cards-count": "卡片", + "change": "變更", + "change-avatar": "更改大頭貼", + "change-password": "更改密碼", + "change-permissions": "更改許可權", + "change-settings": "更改設定", + "changeAvatarPopup-title": "更改大頭貼", + "changeLanguagePopup-title": "更改語言", + "changePasswordPopup-title": "更改密碼", + "changePermissionsPopup-title": "更改許可權", + "changeSettingsPopup-title": "更改設定", + "checklists": "待辦清單", + "click-to-star": "點此來標記該看板", + "click-to-unstar": "點此來去除該看板的標記", + "clipboard": "剪貼簿貼上或者拖曳檔案", + "close": "關閉", + "close-board": "關閉看板", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "黑色", + "color-blue": "藍色", + "color-green": "綠色", + "color-lime": "綠黃", + "color-orange": "橙色", + "color-pink": "粉紅", + "color-purple": "紫色", + "color-red": "紅色", + "color-sky": "天藍", + "color-yellow": "黃色", + "comment": "留言", + "comment-placeholder": "新增評論", + "comment-only": "只可以發表評論", + "comment-only-desc": "只可以對卡片發表評論", + "computer": "從本機上傳", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "將卡片連結複製到剪貼板", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "建立", + "createBoardPopup-title": "建立看板", + "chooseBoardSourcePopup-title": "匯入看板", + "createLabelPopup-title": "建立標籤", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "目前", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "日期", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "日期", + "decline": "拒絕", + "default-avatar": "預設大頭貼", + "delete": "刪除", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "刪除標籤?", + "description": "描述", + "disambiguateMultiLabelPopup-title": "清除標籤動作歧義", + "disambiguateMultiMemberPopup-title": "清除成員動作歧義", + "discard": "取消", + "done": "完成", + "download": "下載", + "edit": "編輯", + "edit-avatar": "更改大頭貼", + "edit-profile": "編輯資料", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "更改開始日期", + "editCardDueDatePopup-title": "更改到期日期", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "更改標籤", + "editNotificationPopup-title": "更改通知", + "editProfilePopup-title": "編輯資料", + "email": "電子郵件", + "email-enrollAccount-subject": "您在 __siteName__ 的帳號已經建立", + "email-enrollAccount-text": "親愛的 __user__,\n\n點選下面的連結,即刻開始使用這項服務。\n\n__url__\n\n謝謝。", + "email-fail": "郵件寄送失敗", + "email-fail-text": "Error trying to send email", + "email-invalid": "電子郵件地址錯誤", + "email-invite": "寄送郵件邀請", + "email-invite-subject": "__inviter__ 向您發出邀請", + "email-invite-text": "親愛的 __user__,\n\n__inviter__ 邀請您加入看板 \"__board__\" 參與協作。\n\n請點選下面的連結訪問看板:\n\n__url__\n\n謝謝。", + "email-resetPassword-subject": "重設您在 __siteName__ 的密碼", + "email-resetPassword-text": "親愛的 __user__,\n\n點選下面的連結,重置您的密碼:\n\n__url__\n\n謝謝。", + "email-sent": "郵件已寄送", + "email-verifyEmail-subject": "驗證您在 __siteName__ 的電子郵件", + "email-verifyEmail-text": "親愛的 __user__,\n\n點選下面的連結,驗證您的電子郵件地址:\n\n__url__\n\n謝謝。", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "該看板不存在", + "error-board-notAdmin": "需要成為管理員才能執行此操作", + "error-board-notAMember": "需要成為看板成員才能執行此操作", + "error-json-malformed": "不是有效的 JSON", + "error-json-schema": "JSON 資料沒有用正確的格式包含合適的資訊", + "error-list-doesNotExist": "不存在此列表", + "error-user-doesNotExist": "該使用者不存在", + "error-user-notAllowSelf": "不允許對自己執行此操作", + "error-user-notCreated": "該使用者未能成功建立", + "error-username-taken": "這個使用者名稱已被使用", + "error-email-taken": "電子信箱已被使用", + "export-board": "Export board", + "filter": "過濾", + "filter-cards": "過濾卡片", + "filter-clear": "清空過濾條件", + "filter-no-label": "沒有標籤", + "filter-no-member": "沒有成員", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "過濾條件啟用", + "filter-on-desc": "你正在過濾該看板上的卡片,點此編輯過濾條件。", + "filter-to-selection": "要選擇的過濾條件", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "fullname": "全稱", + "header-logo-title": "返回您的看板頁面", + "hide-system-messages": "隱藏系統訊息", + "headerBarCreateBoardPopup-title": "建立看板", + "home": "首頁", + "import": "匯入", + "import-board": "匯入看板", + "import-board-c": "匯入看板", + "import-board-title-trello": "匯入在 Trello 的看板", + "import-board-title-wekan": "從 Wekan 匯入看板", + "import-sandstorm-warning": "匯入資料將會移除所有現有的看版資料,並取代成此次匯入的看板資料", + "from-trello": "來自 Trello", + "from-wekan": "來自 Wekan", + "import-board-instruction-trello": "在你的Trello看板中,點選“功能表”,然後選擇“更多”,“列印與匯出”,“匯出為 JSON” 並拷貝結果文本", + "import-board-instruction-wekan": "在 Wekan 看板中點選“功能表”,然後選擇“匯出看版”且複製文字到下載的檔案", + "import-json-placeholder": "貼上您有效的 JSON 資料至此", + "import-map-members": "複製成員", + "import-members-map": "您匯入的看板有一些成員。請將您想匯入的成員映射到 Wekan 使用者。", + "import-show-user-mapping": "核對成員映射", + "import-user-select": "選擇您想將此成員映射到的 Wekan 使用者", + "importMapMembersAddPopup-title": "選擇 Wekan 成員", + "info": "版本", + "initials": "縮寫", + "invalid-date": "無效的日期", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "關聯", + "just-invited": "您剛剛被邀請加入此看板", + "keyboard-shortcuts": "鍵盤快速鍵", + "label-create": "建立標籤", + "label-default": "%s 標籤 (預設)", + "label-delete-pop": "此操作無法還原,這將會刪除該標籤並清除它的歷史記錄。", + "labels": "標籤", + "language": "語言", + "last-admin-desc": "你不能更改角色,因為至少需要一名管理員。", + "leave-board": "離開看板", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "關聯至該卡片", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "移動清單中的所有卡片", + "list-select-cards": "選擇清單中的所有卡片", + "listActionPopup-title": "清單操作", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "匯入 Trello 卡片", + "listMorePopup-title": "更多", + "link-list": "連結到這個清單", + "list-delete-pop": "所有的動作將從活動動態中被移除且您將無法再開啟該清單\b。此操作無法復原。", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "清單", + "swimlanes": "Swimlanes", + "log-out": "登出", + "log-in": "登入", + "loginPopup-title": "登入", + "memberMenuPopup-title": "成員更改", + "members": "成員", + "menu": "選單", + "move-selection": "移動被選擇的項目", + "moveCardPopup-title": "移動卡片", + "moveCardToBottom-title": "移至最下面", + "moveCardToTop-title": "移至最上面", + "moveSelectionPopup-title": "移動選取的項目", + "multi-selection": "多選", + "multi-selection-on": "多選啟用", + "muted": "靜音", + "muted-info": "您將不會收到有關這個看板的任何訊息", + "my-boards": "我的看板", + "name": "名稱", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "無結果", + "normal": "普通", + "normal-desc": "可以建立以及編輯卡片,無法更改。", + "not-accepted-yet": "邀請尚未接受", + "notify-participate": "接收與你有關的卡片更新", + "notify-watch": "接收您關注的看板、清單或卡片的更新", + "optional": "選擇性的", + "or": "或", + "page-maybe-private": "本頁面被設為私有. 您必須 登入以瀏覽其中內容。", + "page-not-found": "頁面不存在。", + "password": "密碼", + "paste-or-dragdrop": "從剪貼簿貼上,或者拖曳檔案到它上面 (僅限於圖片)", + "participating": "參與", + "preview": "預覽", + "previewAttachedImagePopup-title": "預覽", + "previewClipboardImagePopup-title": "預覽", + "private": "私有", + "private-desc": "該看板將被設為私有。只有該看板成員才可以進行檢視和編輯。", + "profile": "資料", + "public": "公開", + "public-desc": "該看板將被公開。任何人均可透過連結檢視,並且將對Google和其他搜尋引擎開放。只有加入至該看板的成員才可進行編輯。", + "quick-access-description": "被星號標記的看板在導航列中新增快速啟動方式", + "remove-cover": "移除封面", + "remove-from-board": "從看板中刪除", + "remove-label": "移除標籤", + "listDeletePopup-title": "刪除標籤", + "remove-member": "移除成員", + "remove-member-from-card": "從該卡片中移除", + "remove-member-pop": "確定從 __boardTitle__ 中移除 __name__ (__username__) 嗎? 該成員將被從該看板的所有卡片中移除,同時他會收到一則提醒。", + "removeMemberPopup-title": "刪除成員?", + "rename": "重新命名", + "rename-board": "重新命名看板", + "restore": "還原", + "save": "儲存", + "search": "搜尋", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "選擇顏色", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "分配目前卡片給自己", + "shortcut-autocomplete-emoji": "自動完成表情符號", + "shortcut-autocomplete-members": "自動補齊成員", + "shortcut-clear-filters": "清空全部過濾條件", + "shortcut-close-dialog": "關閉對話方塊", + "shortcut-filter-my-cards": "過濾我的卡片", + "shortcut-show-shortcuts": "顯示此快速鍵清單", + "shortcut-toggle-filterbar": "切換過濾程式邊欄", + "shortcut-toggle-sidebar": "切換面板邊欄", + "show-cards-minimum-count": "顯示卡片數量,當內容超過數量", + "sidebar-open": "開啟側邊欄", + "sidebar-close": "關閉側邊欄", + "signupPopup-title": "建立帳戶", + "star-board-title": "點此標記該看板,它將會出現在您的看板列表上方。", + "starred-boards": "已標記看板", + "starred-boards-description": "已標記看板將會出現在您的看板列表上方。", + "subscribe": "訂閱", + "team": "團隊", + "this-board": "這個看板", + "this-card": "這個卡片", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "時間", + "title": "標題", + "tracking": "追蹤", + "tracking-info": "你將會收到與你有關的卡片的所有變更通知", + "type": "Type", + "unassign-member": "取消分配成員", + "unsaved-description": "未儲存的描述", + "unwatch": "取消觀察", + "upload": "上傳", + "upload-avatar": "上傳大頭貼", + "uploaded-avatar": "大頭貼已經上傳", + "username": "使用者名稱", + "view-it": "檢視", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "觀察", + "watching": "觀察中", + "watching-info": "你將會收到關於這個看板所有的變更通知", + "welcome-board": "歡迎進入看板", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "基本", + "welcome-list2": "進階", + "what-to-do": "要做什麼?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "控制台", + "settings": "設定", + "people": "成員", + "registration": "註冊", + "disable-self-registration": "關閉自我註冊", + "invite": "邀請", + "invite-people": "邀請成員", + "to-boards": "至看板()", + "email-addresses": "電子郵件", + "smtp-host-description": "SMTP 外寄郵件伺服器", + "smtp-port-description": "SMTP 外寄郵件伺服器埠號", + "smtp-tls-description": "對 SMTP 啟動 TLS 支援", + "smtp-host": "SMTP 位置", + "smtp-port": "SMTP 埠號", + "smtp-username": "使用者名稱", + "smtp-password": "密碼", + "smtp-tls": "支援 TLS", + "send-from": "從", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "邀請碼", + "email-invite-register-subject": "__inviter__ 向您發出邀請", + "email-invite-register-text": "親愛的 __user__,\n\n__inviter__ 邀請您加入 Wekan 一同協作\n\n請點擊下列連結:\n__url__\n\n您的邀請碼為:__icode__\n\n謝謝。", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "邀請碼不存在", + "error-notAuthorized": "沒有適合的權限觀看", + "outgoing-webhooks": "設定 Webhooks", + "outgoingWebhooksPopup-title": "設定 Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan 版本", + "Node_version": "Node 版本", + "OS_Arch": "系統架構", + "OS_Cpus": "系統\b CPU 數", + "OS_Freemem": "undefined", + "OS_Loadavg": "系統平均讀取", + "OS_Platform": "系統平臺", + "OS_Release": "系統發佈版本", + "OS_Totalmem": "系統總記憶體", + "OS_Type": "系統類型", + "OS_Uptime": "系統運行時間", + "hours": "小時", + "minutes": "分鐘", + "seconds": "秒", + "show-field-on-card": "Show this field on card", + "yes": "是", + "no": "否", + "accounts": "帳號", + "accounts-allowEmailChange": "准許變更電子信箱", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 3e8b2620a17674df466939e200e395a3ff344f7b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 14 Jun 2018 19:43:33 +0300 Subject: Fix minicardReceivedDate typo in 1.04 regression: Socket connection error and boards not loading Thanks to Fran-KTA and rjevnikar ! Closes #1694 --- CHANGELOG.md | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 3be0b8a1..a55867f3 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -13,9 +13,11 @@ and fixes the following bugs: Sandstorm Wekan](https://github.com/wekan/wekan/commit/8d5cbf1e6c2b6d467fe1c0708cd794fd11b98a2e#commitcomment-29362180); * [Fix Issue with custom fields shown on card](https://github.com/wekan/wekan/issues/1659); * [Fix showing public board in list mode](https://github.com/wekan/wekan/issues/1623); -* [Fix for not able to remove Custom Field "Show on Card"](https://github.com/wekan/wekan/pull/1699). +* [Fix for not able to remove Custom Field "Show on Card"](https://github.com/wekan/wekan/pull/1699); +* [Fix minicardReceivedDate typo in 1.04 regression: Socket connection error and boards + not loading](https://github.com/wekan/wekan/issues/1694). -Thanks to GitHub users feuerball11, oec and xet7 for their contributions. +Thanks to GitHub users feuerball11, Fran-KTA, oec, rjevnikar and xet7 for their contributions. # v1.04 2018-06-12 Wekan release -- cgit v1.2.3-1-g7c22 From c46817f23a95a42b24fc0ed9df5c967671430555 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 14 Jun 2018 20:14:43 +0300 Subject: Fix lint errors. --- client/lib/filter.js | 196 +++++++++++++++++++++++++-------------------------- 1 file changed, 98 insertions(+), 98 deletions(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index ea1811de..e3658e1e 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -149,11 +149,11 @@ class AdvancedFilter { { const found = CustomFields.findOne({ 'name': field }); if (found.settings.dropdownItems && found.settings.dropdownItems.length > 0) - { + { for (let i = 0; i < found.settings.dropdownItems.length; i++) - { + { if (found.settings.dropdownItems[i].name === value) - { + { return found.settings.dropdownItems[i]._id; } } @@ -179,27 +179,27 @@ class AdvancedFilter { if (commands[i].cmd) { switch (commands[i].cmd) { case '(': - { - level++; - if (start === -1) start = i; - continue; - } + { + level++; + if (start === -1) start = i; + continue; + } case ')': - { - level--; + { + level--; + commands.splice(i, 1); + i--; + continue; + } + default: + { + if (level > 0) { + subcommands.push(commands[i]); commands.splice(i, 1); i--; continue; } - default: - { - if (level > 0) { - subcommands.push(commands[i]); - commands.splice(i, 1); - i--; - continue; - } - } + } } } } @@ -221,86 +221,86 @@ class AdvancedFilter { case '=': case '==': case '===': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': {$in: [this._fieldValueToId(field, str), parseInt(str, 10)]} }; - commands.splice(i - 1, 1); - commands.splice(i, 1); + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': {$in: [this._fieldValueToId(field, str), parseInt(str, 10)]} }; + commands.splice(i - 1, 1); + commands.splice(i, 1); //changed = true; - i--; - break; - } + i--; + break; + } case '!=': case '!==': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $not: {$in: [this._fieldValueToId(field, str), parseInt(str, 10)]} } }; - commands.splice(i - 1, 1); - commands.splice(i, 1); + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $not: {$in: [this._fieldValueToId(field, str), parseInt(str, 10)]} } }; + commands.splice(i - 1, 1); + commands.splice(i, 1); //changed = true; - i--; - break; - } + i--; + break; + } case '>': case 'gt': case 'Gt': case 'GT': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $gt: parseInt(str, 10) } }; - commands.splice(i - 1, 1); - commands.splice(i, 1); + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $gt: parseInt(str, 10) } }; + commands.splice(i - 1, 1); + commands.splice(i, 1); //changed = true; - i--; - break; - } + i--; + break; + } case '>=': case '>==': case 'gte': case 'Gte': case 'GTE': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $gte: parseInt(str, 10) } }; - commands.splice(i - 1, 1); - commands.splice(i, 1); + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $gte: parseInt(str, 10) } }; + commands.splice(i - 1, 1); + commands.splice(i, 1); //changed = true; - i--; - break; - } + i--; + break; + } case '<': case 'lt': case 'Lt': case 'LT': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $lt: parseInt(str, 10) } }; - commands.splice(i - 1, 1); - commands.splice(i, 1); + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $lt: parseInt(str, 10) } }; + commands.splice(i - 1, 1); + commands.splice(i, 1); //changed = true; - i--; - break; - } + i--; + break; + } case '<=': case '<==': case 'lte': case 'Lte': case 'LTE': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $lte: parseInt(str, 10) } }; - commands.splice(i - 1, 1); - commands.splice(i, 1); + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $lte: parseInt(str, 10) } }; + commands.splice(i - 1, 1); + commands.splice(i, 1); //changed = true; - i--; - break; - } + i--; + break; + } } } @@ -316,44 +316,44 @@ class AdvancedFilter { case 'OR': case '|': case '||': - { - const op1 = commands[i - 1]; - const op2 = commands[i + 1]; - commands[i] = { $or: [op1, op2] }; - commands.splice(i - 1, 1); - commands.splice(i, 1); + { + const op1 = commands[i - 1]; + const op2 = commands[i + 1]; + commands[i] = { $or: [op1, op2] }; + commands.splice(i - 1, 1); + commands.splice(i, 1); //changed = true; - i--; - break; - } + i--; + break; + } case 'and': case 'And': case 'AND': case '&': case '&&': - { - const op1 = commands[i - 1]; - const op2 = commands[i + 1]; - commands[i] = { $and: [op1, op2] }; - commands.splice(i - 1, 1); - commands.splice(i, 1); + { + const op1 = commands[i - 1]; + const op2 = commands[i + 1]; + commands[i] = { $and: [op1, op2] }; + commands.splice(i - 1, 1); + commands.splice(i, 1); //changed = true; - i--; - break; - } + i--; + break; + } case 'not': case 'Not': case 'NOT': case '!': - { - const op1 = commands[i + 1]; - commands[i] = { $not: op1 }; - commands.splice(i + 1, 1); + { + const op1 = commands[i + 1]; + commands[i] = { $not: op1 }; + commands.splice(i + 1, 1); //changed = true; - i--; - break; - } + i--; + break; + } } } -- cgit v1.2.3-1-g7c22 From 991e74bfc287d840951b7c707b7ff2a2f26e5001 Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Thu, 14 Jun 2018 19:38:57 +0200 Subject: testing mobile detail view fix. --- client/components/cards/cardDetails.js | 20 +++++++++++++------- 1 file changed, 13 insertions(+), 7 deletions(-) diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index 26549fda..a2bf2d02 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -21,8 +21,10 @@ BlazeComponent.extendComponent({ onCreated() { this.isLoaded = new ReactiveVar(false); - this.parentComponent().parentComponent().showOverlay.set(true); - this.parentComponent().parentComponent().mouseHasEnterCardDetails = false; + let parentComponent = this.parentComponent().parentComponent(); + if (parentComponent === null) parentComponent = this.parentComponent(); + parentComponent.showOverlay.set(true); + parentComponent.mouseHasEnterCardDetails = false; this.calculateNextPeak(); Meteor.subscribe('unsaved-edits'); @@ -43,8 +45,8 @@ BlazeComponent.extendComponent({ scrollParentContainer() { const cardPanelWidth = 510; - const bodyBoardComponent = this.parentComponent().parentComponent(); - + let bodyBoardComponent = this.parentComponent().parentComponent(); + if (bodyBoardComponent === null) bodyBoardComponent = this.parentComponent(); const $cardView = this.$(this.firstNode()); const $cardContainer = bodyBoardComponent.$('.js-swimlanes'); const cardContainerScroll = $cardContainer.scrollLeft(); @@ -115,7 +117,9 @@ BlazeComponent.extendComponent({ }, onDestroyed() { - this.parentComponent().parentComponent().showOverlay.set(false); + let parentComponent = this.parentComponent().parentComponent(); + if (parentComponent === null) parentComponent = this.parentComponent(); + parentComponent.showOverlay.set(false); }, events() { @@ -154,8 +158,10 @@ BlazeComponent.extendComponent({ 'click .js-due-date': Popup.open('editCardDueDate'), 'click .js-end-date': Popup.open('editCardEndDate'), 'mouseenter .js-card-details' () { - this.parentComponent().parentComponent().showOverlay.set(true); - this.parentComponent().parentComponent().mouseHasEnterCardDetails = true; + let parentComponent = this.parentComponent().parentComponent(); + if (parentComponent === null) parentComponent = this.parentComponent(); + parentComponent.showOverlay.set(true); + parentComponent.mouseHasEnterCardDetails = true; }, 'click #toggleButton'() { Meteor.call('toggleSystemMessages'); -- cgit v1.2.3-1-g7c22 From 8a7ad0df54b1664f2fc540fb9e33835d697e185f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 14 Jun 2018 20:43:28 +0300 Subject: v1.05 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index a55867f3..af018d46 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.05 2018-06-14 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index 1e1db802..4da56a02 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.04.0", + "version": "1.05.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 7953f0f9..3c12205e 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 89, + appVersion = 90, # Increment this for every release. - appMarketingVersion = (defaultText = "1.04.0~2018-06-12"), + appMarketingVersion = (defaultText = "1.05.0~2018-06-14"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 04925f7347b7bb1f4384a96e1d56cd2cf3c351e9 Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Thu, 14 Jun 2018 20:11:29 +0200 Subject: trying to understand hirachy --- client/components/cards/cardDetails.js | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index 1a8a8bef..a7b18fc3 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -21,6 +21,10 @@ BlazeComponent.extendComponent({ onCreated() { this.isLoaded = new ReactiveVar(false); + console.log(this.parentComponent()); + console.log(this.parentComponent().parentComponent()); + console.log(JSON.stringify(this.parentComponent())); + console.log(JSON.stringify(this.parentComponent().parentComponent())); let parentComponent = this.parentComponent().parentComponent(); if (parentComponent === null) parentComponent = this.parentComponent(); parentComponent.showOverlay.set(true); -- cgit v1.2.3-1-g7c22 From 61ee6cf09fd4829136c598bcfce25b5e522d0097 Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Thu, 14 Jun 2018 20:26:44 +0200 Subject: This seems to make more sense. --- client/components/cards/cardDetails.js | 29 +++++++++++++++-------------- 1 file changed, 15 insertions(+), 14 deletions(-) diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index a7b18fc3..72ed678b 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -21,14 +21,12 @@ BlazeComponent.extendComponent({ onCreated() { this.isLoaded = new ReactiveVar(false); - console.log(this.parentComponent()); - console.log(this.parentComponent().parentComponent()); - console.log(JSON.stringify(this.parentComponent())); - console.log(JSON.stringify(this.parentComponent().parentComponent())); - let parentComponent = this.parentComponent().parentComponent(); - if (parentComponent === null) parentComponent = this.parentComponent(); - parentComponent.showOverlay.set(true); - parentComponent.mouseHasEnterCardDetails = false; + const boardBody = this.parentComponent().parentComponent(); + //in Miniview parent is Board, not BoardBody. + if (boardBody !== null){ + boardBody.showOverlay.set(true); + boardBody.mouseHasEnterCardDetails = false; + } this.calculateNextPeak(); Meteor.subscribe('unsaved-edits'); @@ -49,8 +47,9 @@ BlazeComponent.extendComponent({ scrollParentContainer() { const cardPanelWidth = 510; - let bodyBoardComponent = this.parentComponent().parentComponent(); - if (bodyBoardComponent === null) bodyBoardComponent = this.parentComponent(); + const bodyBoardComponent = this.parentComponent().parentComponent(); + //On Mobile View Parent is Board, Not Board Body. I cant see how this funciton should work then. + if (bodyBoardComponent === null) return; const $cardView = this.$(this.firstNode()); const $cardContainer = bodyBoardComponent.$('.js-swimlanes'); const cardContainerScroll = $cardContainer.scrollLeft(); @@ -121,8 +120,9 @@ BlazeComponent.extendComponent({ }, onDestroyed() { - let parentComponent = this.parentComponent().parentComponent(); - if (parentComponent === null) parentComponent = this.parentComponent(); + const parentComponent = this.parentComponent().parentComponent(); + //on mobile view parent is Board, not board body. + if (parentComponent === null) return; parentComponent.showOverlay.set(false); }, @@ -176,8 +176,9 @@ BlazeComponent.extendComponent({ 'click .js-due-date': Popup.open('editCardDueDate'), 'click .js-end-date': Popup.open('editCardEndDate'), 'mouseenter .js-card-details' () { - let parentComponent = this.parentComponent().parentComponent(); - if (parentComponent === null) parentComponent = this.parentComponent(); + const parentComponent = this.parentComponent().parentComponent(); + //on mobile view parent is Board, not BoardBody. + if (parentComponent === null) return; parentComponent.showOverlay.set(true); parentComponent.mouseHasEnterCardDetails = true; }, -- cgit v1.2.3-1-g7c22 From ba2012af43bdccbff74e40fa6fee9678744c9965 Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Thu, 14 Jun 2018 21:14:16 +0200 Subject: regex for advanced filter --- client/lib/filter.js | 44 +++++++++++++++++++++++++++++++++++++++----- 1 file changed, 39 insertions(+), 5 deletions(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index e3658e1e..a4e58692 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -109,12 +109,20 @@ class AdvancedFilter { const commands = []; let current = ''; let string = false; + let regex = false; let wasString = false; let ignore = false; for (let i = 0; i < this._filter.length; i++) { const char = this._filter.charAt(i); if (ignore) { ignore = false; + current += char; + continue; + } + if (char === '/'){ + string = !string; + if (string) regex = true; + current += char; continue; } if (char === '\'') { @@ -122,12 +130,12 @@ class AdvancedFilter { if (string) wasString = true; continue; } - if (char === '\\') { + if (char === '\\' && !string) { ignore = true; continue; } if (char === ' ' && !string) { - commands.push({ 'cmd': current, 'string': wasString }); + commands.push({ 'cmd': current, 'string': wasString, regex}); wasString = false; current = ''; continue; @@ -135,7 +143,7 @@ class AdvancedFilter { current += char; } if (current !== '') { - commands.push({ 'cmd': current, 'string': wasString }); + commands.push({ 'cmd': current, 'string': wasString, regex}); } return commands; } @@ -224,7 +232,20 @@ class AdvancedFilter { { const field = commands[i - 1].cmd; const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': {$in: [this._fieldValueToId(field, str), parseInt(str, 10)]} }; + if (commands[i + 1].regex) + { + const match = str.match(new RegExp('^/(.*?)/([gimy]*)$')); + let regex = null; + if (match.length > 2) + regex = new RegExp(match[1], match[2]); + else + regex = new RegExp(match[1]); + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': regex }; + } + else + { + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': {$in: [this._fieldValueToId(field, str), parseInt(str, 10)]} }; + } commands.splice(i - 1, 1); commands.splice(i, 1); //changed = true; @@ -236,7 +257,20 @@ class AdvancedFilter { { const field = commands[i - 1].cmd; const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $not: {$in: [this._fieldValueToId(field, str), parseInt(str, 10)]} } }; + if (commands[i + 1].regex) + { + const match = str.match(new RegExp('^/(.*?)/([gimy]*)$')); + let regex = null; + if (match.length > 2) + regex = new RegExp(match[1], match[2]); + else + regex = new RegExp(match[1]); + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $not: regex } }; + } + else + { + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $not: {$in: [this._fieldValueToId(field, str), parseInt(str, 10)]} } }; + } commands.splice(i - 1, 1); commands.splice(i, 1); //changed = true; -- cgit v1.2.3-1-g7c22 From 8c0d61c4a5587f3fb4f310c971ce7a0863cc6f60 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 14 Jun 2018 22:29:54 +0300 Subject: v1.06 --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index af018d46..5dc76b55 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# v1.06 2018-06-14 Wekan release + +This release fixes the following bugs: + +* [Fix CardDetail of Mobile View](https://github.com/wekan/wekan/pull/1701). + +Thanks to GitHub users feuerball11 and xet7 for their contributions. + # v1.05 2018-06-14 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From 1214af04a9bdaad4390d6f3eb157f5dd430ab48a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 14 Jun 2018 22:30:36 +0300 Subject: v1.06 --- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/package.json b/package.json index 4da56a02..15d03fc0 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.05.0", + "version": "1.06.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 3c12205e..5ed6676d 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 90, + appVersion = 91, # Increment this for every release. - appMarketingVersion = (defaultText = "1.05.0~2018-06-14"), + appMarketingVersion = (defaultText = "1.06.0~2018-06-14"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 8509dad58f14817fc2b0bcb6b19623673de4ff16 Mon Sep 17 00:00:00 2001 From: IgnatzHome Date: Thu, 14 Jun 2018 21:42:18 +0200 Subject: changing loca to explain regex and escape character --- i18n/en.i18n.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index cd74b6ac..49a66fee 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single controll characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i ", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", -- cgit v1.2.3-1-g7c22 From 98eb4453c5d2559b3c4e758d052aea09dc83d006 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 14 Jun 2018 23:09:47 +0300 Subject: Fix typo. --- i18n/en.i18n.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 49a66fee..83b5caed 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single controll characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i ", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", -- cgit v1.2.3-1-g7c22 From 880dcab0b15388eae10e7d17353c7fb5b4f190a9 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 14 Jun 2018 23:24:29 +0300 Subject: Update translations. --- i18n/ar.i18n.json | 2 +- i18n/bg.i18n.json | 2 +- i18n/br.i18n.json | 2 +- i18n/ca.i18n.json | 2 +- i18n/cs.i18n.json | 2 +- i18n/de.i18n.json | 2 +- i18n/el.i18n.json | 2 +- i18n/en-GB.i18n.json | 2 +- i18n/eo.i18n.json | 2 +- i18n/es-AR.i18n.json | 2 +- i18n/es.i18n.json | 2 +- i18n/eu.i18n.json | 2 +- i18n/fa.i18n.json | 2 +- i18n/fi.i18n.json | 2 +- i18n/fr.i18n.json | 2 +- i18n/gl.i18n.json | 2 +- i18n/he.i18n.json | 2 +- i18n/hu.i18n.json | 2 +- i18n/hy.i18n.json | 2 +- i18n/id.i18n.json | 2 +- i18n/ig.i18n.json | 2 +- i18n/it.i18n.json | 2 +- i18n/ja.i18n.json | 2 +- i18n/km.i18n.json | 2 +- i18n/ko.i18n.json | 2 +- i18n/lv.i18n.json | 2 +- i18n/mn.i18n.json | 2 +- i18n/nb.i18n.json | 2 +- i18n/nl.i18n.json | 2 +- i18n/pl.i18n.json | 2 +- i18n/pt-BR.i18n.json | 2 +- i18n/pt.i18n.json | 2 +- i18n/ro.i18n.json | 2 +- i18n/ru.i18n.json | 2 +- i18n/sr.i18n.json | 2 +- i18n/sv.i18n.json | 2 +- i18n/ta.i18n.json | 2 +- i18n/th.i18n.json | 2 +- i18n/tr.i18n.json | 2 +- i18n/uk.i18n.json | 2 +- i18n/vi.i18n.json | 2 +- i18n/zh-CN.i18n.json | 2 +- i18n/zh-TW.i18n.json | 2 +- 43 files changed, 43 insertions(+), 43 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index cf8f7f49..edb39a94 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "أنت بصدد تصفية بطاقات هذه اللوحة. اضغط هنا لتعديل التصفية.", "filter-to-selection": "تصفية بالتحديد", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "الإسم الكامل", "header-logo-title": "الرجوع إلى صفحة اللوحات", "hide-system-messages": "إخفاء رسائل النظام", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 3940e33a..162c44ee 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "В момента филтрирате картите в това табло. Моля, натиснете тук, за да промените филтъра.", "filter-to-selection": "Филтрирай избраните", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Име", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Скриване на системните съобщения", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index 3d424578..8123445a 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 249056aa..6354e495 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Estau filtrant fitxes en aquest tauler. Feu clic aquí per editar el filtre.", "filter-to-selection": "Filtra selecció", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Nom complet", "header-logo-title": "Torna a la teva pàgina de taulers", "hide-system-messages": "Oculta missatges del sistema", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 97e02e06..92dceb95 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Filtrujete karty tohoto tabla. Pro úpravu filtru klikni sem.", "filter-to-selection": "Filtrovat výběr", "advanced-filter-label": "Pokročilý filtr", - "advanced-filter-description": "Pokročilý filtr dovoluje zapsat řetězec následujících operátorů: == != <= >= && || () Operátory jsou odděleny mezerou. Můžete filtrovat všechny vlastní pole zadáním jejich názvů nebo hodnot. Například: Pole1 == Hodnota1. Poznámka: Pokud pole nebo hodnoty obsahují mezery, je potřeba je obalit v jednoduchých uvozovkách. Například: 'Pole 1' == 'Hodnota 1'. Můžete také kombinovat více podmínek. Například P1 == H1 || P1 == H2. Obvykle jsou operátory interpretovány zleva doprava. Jejich pořadí můžete měnit pomocí závorek. Například: P1 == H1 && (P2 == H2 || P2 == H3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Celé jméno", "header-logo-title": "Jit zpět na stránku s tably.", "hide-system-messages": "Skrýt systémové zprávy", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index fffcd205..03efb61f 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Sie filtern die Karten in diesem Board. Klicken Sie, um den Filter zu bearbeiten.", "filter-to-selection": "Ergebnisse auswählen", "advanced-filter-label": "Erweiterter Filter", - "advanced-filter-description": "Der erweiterte Filter erlaubt die Eingabe von Zeichenfolgen, die folgende Operatoren enthalten: == != <= >= && || ( ). Ein Leerzeichen wird als Trennzeichen zwischen den Operatoren verwendet. Sie können nach allen benutzerdefinierten Feldern filtern, indem Sie deren Namen und Werte eingeben. Zum Beispiel: Feld1 == Wert1. Beachten Sie: Wenn Felder oder Werte Leerzeichen enthalten, müssen Sie sie in einfache Anführungszeichen setzen. Zum Beispiel: 'Feld 1' == 'Wert 1'. Sie können außerdem mehrere Bedingungen kombinieren. Zum Beispiel: F1 == W1 || F1 == W2. Normalerweise werden alle Operatoren von links nach rechts interpretiert. Sie können die Reihenfolge ändern, indem Sie Klammern setzen. Zum Beispiel: F1 == W1 && ( F2 == W2 || F2 == W3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Vollständiger Name", "header-logo-title": "Zurück zur Board Seite.", "hide-system-messages": "Systemmeldungen ausblenden", diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index f863b23a..bc6ad374 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Πλήρες Όνομα", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 44140081..48888c99 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index df268772..276f0e3a 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index 5262568f..b48395e3 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Estás filtrando cartas en este tablero. Clickeá acá para editar el filtro.", "filter-to-selection": "Filtrar en la selección", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Nombre Completo", "header-logo-title": "Retroceder a tu página de tableros.", "hide-system-messages": "Esconder mensajes del sistema", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 755094bb..202423d4 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Estás filtrando tarjetas en este tablero. Haz clic aquí para editar el filtro.", "filter-to-selection": "Filtrar la selección", "advanced-filter-label": "Filtrado avanzado", - "advanced-filter-description": "El filtrado avanzado permite escribir una cadena que contiene los siguientes operadores: == != <= >= && || ( ) Se utiliza un espacio como separador entre los operadores. Se pueden filtrar todos los campos personalizados escribiendo sus nombres y valores. Por ejemplo: Campo1 == Valor1. Nota: Si los campos o valores contienen espacios, debe encapsularlos entre comillas simples. Por ejemplo: 'Campo 1' == 'Valor 1'. También puedes combinar múltiples condiciones. Por ejemplo: C1 == V1 || C1 = V2. Normalmente todos los operadores se interpretan de izquierda a derecha. Puede cambiar el orden colocando corchetes. Por ejemplo: C1 == V1 y ( C2 == V2 || C2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Nombre completo", "header-logo-title": "Volver a tu página de tableros", "hide-system-messages": "Ocultar las notificaciones de actividad", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index 51de292b..973b4bf9 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Arbel honetako txartela iragazten ari zara. Egin klik hemen iragazkia editatzeko.", "filter-to-selection": "Iragazketa aukerara", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Izen abizenak", "header-logo-title": "Itzuli zure arbelen orrira.", "hide-system-messages": "Ezkutatu sistemako mezuak", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index 69cb80d2..7078b334 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "شما صافی ـFilterـ برای کارتهای تخته را روشن کرده اید. جهت ویرایش کلیک نمایید.", "filter-to-selection": "صافی ـFilterـ برای موارد انتخابی", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "نام و نام خانوادگی", "header-logo-title": "بازگشت به صفحه تخته.", "hide-system-messages": "عدم نمایش پیامهای سیستمی", diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index d8db9f14..2f23c6c0 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Suodatat kortteja tällä taululla. Klikkaa tästä muokataksesi suodatinta.", "filter-to-selection": "Suodata valintaan", "advanced-filter-label": "Edistynyt suodatin", - "advanced-filter-description": "Edistynyt suodatin mahdollistaa merkkijonon, joka sisältää seuraavat operaattorit: ==! = <=> = && || () Operaattorien välissä käytetään välilyöntiä. Voit suodattaa kaikki mukautetut kentät kirjoittamalla niiden nimet ja arvot. Esimerkiksi: Field1 == Value1. Huomaa: Jos kentillä tai arvoilla on välilyöntejä, sinun on sijoitettava ne yksittäisiin lainausmerkkeihin. Esimerkki: 'Kenttä 1' == 'Arvo 1'. Voit myös yhdistää useita ehtoja. Esimerkiksi: F1 == V1 || F1 = V2. Yleensä kaikki operaattorit tulkitaan vasemmalta oikealle. Voit muuttaa järjestystä asettamalla sulkuja. Esimerkiksi: F1 == V1 ja (F2 == V2 || F2 == V3)", + "advanced-filter-description": "Edistynyt suodatin mahdollistaa merkkijonon, joka sisältää seuraavat operaattorit: == != <= >= && || ( ) Operaattorien välissä käytetään välilyöntiä. Voit suodattaa kaikki mukautetut kentät kirjoittamalla niiden nimet ja arvot. Esimerkiksi: Field1 == Value1. Huom: Jos kentillä tai arvoilla on välilyöntejä, sinun on sijoitettava ne yksittäisiin lainausmerkkeihin. Esimerkki: 'Kenttä 1' == 'Arvo 1'. Voit hypätä yksittäisen kontrollimerkkien (' \\/) yli käyttämällä \\. Esimerkki: Field1 = I\\'m. Voit myös yhdistää useita ehtoja. Esimerkiksi: F1 == V1 || F1 = V2. Yleensä kaikki operaattorit tulkitaan vasemmalta oikealle. Voit muuttaa järjestystä asettamalla sulkuja. Esimerkiksi: F1 == V1 && (F2 == V2 || F2 == V3). Voit myös etsiä tekstikentistä regexillä: F1 == /Tes.*/i", "fullname": "Koko nimi", "header-logo-title": "Palaa taulut sivullesi.", "hide-system-messages": "Piilota järjestelmäviestit", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 258eeed4..cb698723 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Vous êtes en train de filtrer les cartes sur ce tableau. Cliquez ici pour modifier les filtres.", "filter-to-selection": "Filtre vers la sélection", "advanced-filter-label": "Filtre avancé", - "advanced-filter-description": "Le filtre avancé permet d'écrire une chaîne contenant les opérateur suivants : == != <= >= && || ( ). Les opérateurs doivent être séparés par des espaces. Vous pouvez filtrer tous les champs personnalisés en saisissant leur nom et leur valeur. Par exemple : champ1 == valeur1. Note : si des champs ou valeurs contiennent des espaces, vous devez les mettre entre apostrophes. Par exemple : 'champ 1' = 'valeur 1'. Il est également possible de combiner plusieurs conditions. Par exemple : f1 == v1 || f2 == v2. Normalement, tous les opérateurs sont interprétés de gauche à droite. Vous pouvez changer l'ordre à l'aide de parenthèses. Par exemple : f1 == v1 and (f2 == v2 || f2 == v3).", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Nom complet", "header-logo-title": "Retourner à la page des tableaux", "hide-system-messages": "Masquer les messages système", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 702e9e0c..b8904e16 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Nome completo", "header-logo-title": "Retornar á páxina dos seus taboleiros.", "hide-system-messages": "Agochar as mensaxes do sistema", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index f1b30f73..cff16540 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "מסנן כרטיסים פעיל בלוח זה. יש ללחוץ כאן לעריכת המסנן.", "filter-to-selection": "סינון לבחירה", "advanced-filter-label": "מסנן מתקדם", - "advanced-filter-description": "המסנן המתקדם מאפשר לך לכתוב מחרוזת שמכילה את הפעולות הבאות: == != <= >= && || ( ) רווח מכהן כמפריד בין הפעולות. ניתן לסנן את כל השדות המותאמים אישית על ידי הקלדת שמם והערך שלהם. למשל: שדה1 == ערך1. לתשומת לבך: אם שדות או ערכים מכילים רווח, יש לעטוף אותם במירכא מכל צד. למשל: 'שדה 1' == 'ערך 1'. ניתן גם לשלב מגוון תנאים. למשל: F1 == V1 || F1 = V2. על פי רוב כל הפעולות מפוענחות משמאל לימין. ניתן לשנות את הסדר על ידי הצבת סוגריים. למשל: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "שם מלא", "header-logo-title": "חזרה לדף הלוחות שלך.", "hide-system-messages": "הסתרת הודעות מערכת", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index 0dfb11f0..2ce43437 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "A kártyaszűrés be van kapcsolva ezen a táblán. Kattintson ide a szűrő szerkesztéséhez.", "filter-to-selection": "Szűrés a kijelöléshez", "advanced-filter-label": "Speciális szűrő", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Teljes név", "header-logo-title": "Vissza a táblák oldalára.", "hide-system-messages": "Rendszerüzenetek elrejtése", diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index 03cb71da..bf0f1076 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 95da897f..8d76113c 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Anda memfilter kartu di panel ini. Klik di sini untuk menyunting filter", "filter-to-selection": "Saring berdasarkan yang dipilih", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Nama Lengkap", "header-logo-title": "Kembali ke laman panel anda", "hide-system-messages": "Sembunyikan pesan-pesan sistem", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 9569f9e1..2014b801 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index f6ede789..c373eda0 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Stai filtrando le schede su questa bacheca. Clicca qui per modificare il filtro,", "filter-to-selection": "Seleziona", "advanced-filter-label": "Filtro avanzato", - "advanced-filter-description": "Il filtro avanzato consente di scrivere una stringa contenente i seguenti operatori: == != <= >= && || ( ). Lo spazio è usato come separatore tra gli operatori. E' possibile filtrare per tutti i campi personalizzati, digitando i loro nomi e valori. Ad esempio: Campo1 == Valore1. Nota: Se i campi o i valori contengono spazi, devi racchiuderli dentro le virgolette singole. Ad esempio: 'Campo 1' == 'Valore 1'. E' possibile combinare condizioni multiple. Ad esempio: F1 == V1 || F1 = V2. Normalmente tutti gli operatori sono interpretati da sinistra a destra. Puoi modificare l'ordine utilizzando le parentesi. Ad Esempio: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Nome completo", "header-logo-title": "Torna alla tua bacheca.", "hide-system-messages": "Nascondi i messaggi di sistema", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 7f9a3c40..69ce017e 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "このボードのカードをフィルターしています。フィルターを編集するにはこちらをクリックしてください。", "filter-to-selection": "フィルターした項目を全選択", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "フルネーム", "header-logo-title": "自分のボードページに戻る。", "hide-system-messages": "システムメッセージを隠す", diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index b9550ff6..6ffee930 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index edf978a7..409bfc94 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "보드에서 카드를 필터링합니다. 여기를 클릭하여 필터를 수정합니다.", "filter-to-selection": "선택 항목으로 필터링", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "실명", "header-logo-title": "보드 페이지로 돌아가기.", "hide-system-messages": "시스템 메시지 숨기기", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 128e847a..203847e4 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index 794f9ce8..d0205a45 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index 205db808..5ecda2ce 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 4515d1c2..621630fd 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Je bent nu kaarten aan het filteren op dit bord. Klik hier om het filter te wijzigen.", "filter-to-selection": "Filter zoals selectie", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Volledige naam", "header-logo-title": "Ga terug naar jouw borden pagina.", "hide-system-messages": "Verberg systeemberichten", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 5ac7e2f9..6cdc2d7f 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Filtrujesz karty na tej tablicy. Kliknij tutaj by edytować filtr.", "filter-to-selection": "Odfiltruj zaznaczenie", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Wróć do swojej strony z tablicami.", "hide-system-messages": "Ukryj wiadomości systemowe", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 86fd65e0..9047b695 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Você está filtrando cartões neste quadro. Clique aqui para editar o filtro.", "filter-to-selection": "Filtrar esta seleção", "advanced-filter-label": "Filtro avançado", - "advanced-filter-description": "Um Filtro Avançado permite escrever uma string contendo os seguintes operadores: == != <= >= && || () Um espaço é utilizado como separador entre os operadores. Você pode filtrar todos os campos customizados digitando seus nomes e valores. Por exemplo: campo1 == valor1. Nota: se campos ou valores contém espaços, você precisa encapsular eles em aspas simples. Por exemplo: 'campo 1' == 'valor 1'. Você também pode combinar múltiplas condições. Por exemplo: F1 == V1 || F1 == V2. Normalmente todos os operadores são interpretados da esquerda para a direita. Você pode mudar a ordem ao incluir parênteses. Por exemplo: F1 == V1 e (F2 == V2 || F2 == V3)", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Nome Completo", "header-logo-title": "Voltar para a lista de quadros.", "hide-system-messages": "Esconde mensagens de sistema", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 06b5ba2d..6c2fa56f 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index dd4d2b58..c8e902ea 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index ca9d3673..b49887fc 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Показываются карточки, соответствующие настройкам фильтра. Нажмите для редактирования.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Расширенный фильтр", - "advanced-filter-description": "Расширенный фильтр позволяет написать строку, содержащую следующие операторы: ==! = <=> = && || () Пространство используется как разделитель между Операторами. Вы можете фильтровать все пользовательские поля, введя их имена и значения. Например: Field1 == Value1. Примечание: Если поля или значения содержат пробелы, вам необходимо 'брать' их в одинарные кавычки. Например: 'Поле 1' == 'Значение 1'. Также вы можете комбинировать несколько условий. Например: F1 == V1 || F1 = V2. Обычно все операторы интерпретируются слева направо. Вы можете изменить порядок, разместив скобки. Например: F1 == V1 и (F2 == V2 || F2 == V3)", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Полное имя", "header-logo-title": "Вернуться к доскам.", "hide-system-messages": "Скрыть системные сообщения", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index fa939432..39ed5e01 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Sakrij sistemske poruke", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 99a39773..4ab69efb 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Du filtrerar kort på denna anslagstavla. Klicka här för att redigera filter.", "filter-to-selection": "Filter till val", "advanced-filter-label": "Avancerat filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Namn", "header-logo-title": "Gå tillbaka till din anslagstavlor-sida.", "hide-system-messages": "Göm systemmeddelanden", diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index 317f2e3b..d68b0de6 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index e383b3d8..a2fc1885 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "คุณกำลังกรองการ์ดในบอร์ดนี้ คลิกที่นี่เพื่อแก้ไขตัวกรอง", "filter-to-selection": "กรองตัวเลือก", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "ชื่อ นามสกุล", "header-logo-title": "ย้อนกลับไปที่หน้าบอร์ดของคุณ", "hide-system-messages": "ซ่อนข้อความของระบบ", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index 29d8006d..1b63d6a0 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Bu panodaki kartları filtreliyorsunuz. Fitreyi düzenlemek için tıklayın.", "filter-to-selection": "Seçime göre filtreleme yap", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Ad Soyad", "header-logo-title": "Panolar sayfanıza geri dön.", "hide-system-messages": "Sistem mesajlarını gizle", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index b0c88c4a..9d34f905 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index ba609c92..c7827c59 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index ad821bef..3ad1f915 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "你正在过滤该看板上的卡片,点此编辑过滤。", "filter-to-selection": "要选择的过滤器", "advanced-filter-label": "高级过滤器", - "advanced-filter-description": "高级过滤器可以使用包含如下操作符的字符串进行过滤:== != <= >= && || ( ) 。操作符之间用空格隔开。输入字段名和数值就可以过滤所有自定义字段。例如:Field1 == Value1. 注意如果字段名或数值包含空格,需要用单引号。例如: 'Field 1' == 'Value 1'。支持组合使用多个条件,例如: F1 == V1 || F1 = V2。通常以从左到右的顺序进行判断。可以通过括号修改顺序,例如:F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "全称", "header-logo-title": "返回您的看板页", "hide-system-messages": "隐藏系统消息", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 8d28bc5f..a46ba569 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "你正在過濾該看板上的卡片,點此編輯過濾條件。", "filter-to-selection": "要選擇的過濾條件", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 and ( F2 == V2 || F2 == V3 )", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "全稱", "header-logo-title": "返回您的看板頁面", "hide-system-messages": "隱藏系統訊息", -- cgit v1.2.3-1-g7c22 From 896a149fb96600b065a56e73e5425c1080b1cf0c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 14 Jun 2018 23:29:58 +0300 Subject: - Regex for Advanced filter. It aims to solve search in bigger text fields, and using wildcards. A change to translations was made for adding info about regex and escaping characters with \ Thanks to feuerball11 and xet7 ! --- CHANGELOG.md | 10 ++++++++++ 1 file changed, 10 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 5dc76b55..e334befc 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,13 @@ +# v1.07 2018-06-14 Wekan release + +This release adds the following new features: + +* [Regex for Advanced filter. It aims to solve search in bigger text fields, and using wildcards. + A change to translations was made for adding info about regex and escaping characters + with \](https://github.com/wekan/wekan/pull/1702). + +Thanks to GitHub users feuerball11 and xet7 for their contributions. + # v1.06 2018-06-14 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 73c6c07c4718b08fee59ae8936df3a2d2e70e37f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 14 Jun 2018 23:32:30 +0300 Subject: v1.07 --- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/package.json b/package.json index 15d03fc0..078e8c88 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.06.0", + "version": "1.07.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 5ed6676d..a7d46939 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 91, + appVersion = 92, # Increment this for every release. - appMarketingVersion = (defaultText = "1.06.0~2018-06-14"), + appMarketingVersion = (defaultText = "1.07.0~2018-06-14"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From dfbcca2a2d6701adeb13dc991394637e712915ad Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 14 Jun 2018 23:55:55 +0300 Subject: Try to fix broken markdown of \ character. --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index e334befc..198ff639 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,7 +4,7 @@ This release adds the following new features: * [Regex for Advanced filter. It aims to solve search in bigger text fields, and using wildcards. A change to translations was made for adding info about regex and escaping characters - with \](https://github.com/wekan/wekan/pull/1702). + with \\](https://github.com/wekan/wekan/pull/1702). Thanks to GitHub users feuerball11 and xet7 for their contributions. -- cgit v1.2.3-1-g7c22 From 484d4952597b063d73ccc05bb0c8b80aa1811151 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 15 Jun 2018 19:21:32 +0300 Subject: Update translations (de). --- i18n/de.i18n.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 03efb61f..d0973aa3 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Sie filtern die Karten in diesem Board. Klicken Sie, um den Filter zu bearbeiten.", "filter-to-selection": "Ergebnisse auswählen", "advanced-filter-label": "Erweiterter Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Der erweiterte Filter erlaubt die Eingabe von Zeichenfolgen, die folgende Operatoren enthalten: == != <= >= && || ( ). Ein Leerzeichen wird als Trennzeichen zwischen den Operatoren verwendet. Sie können nach allen benutzerdefinierten Feldern filtern, indem Sie deren Namen und Werte eingeben. Zum Beispiel: Feld1 == Wert1. Hinweis: Wenn Felder oder Werte Leerzeichen enthalten, müssen Sie sie in einfache Anführungszeichen setzen. Zum Beispiel: 'Feld 1' == 'Wert 1'. Um einzelne Steuerzeichen (' \\/) zu überspringen, können Sie \\ verwenden. Zum Beispiel: Feld1 == Ich bin\\'s. Sie können außerdem mehrere Bedingungen kombinieren. Zum Beispiel: F1 == W1 || F1 == W2. Normalerweise werden alle Operatoren von links nach rechts interpretiert. Sie können die Reihenfolge ändern, indem Sie Klammern setzen. Zum Beispiel: F1 == W1 && ( F2 == W2 || F2 == W3 ). Sie können Textfelder auch mithilfe regulärer Ausdrücke durchsuchen: F1 == /Tes.*/i", "fullname": "Vollständiger Name", "header-logo-title": "Zurück zur Board Seite.", "hide-system-messages": "Systemmeldungen ausblenden", -- cgit v1.2.3-1-g7c22 From c94edb6bb01933f6dae2cfb61bef0d43d7588414 Mon Sep 17 00:00:00 2001 From: Yuping Zuo Date: Tue, 19 Jun 2018 10:37:59 +0800 Subject: Update en.i18n.json Fixed incorrect syntax in advanced filter description. --- i18n/en.i18n.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 83b5caed..68a7612d 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", -- cgit v1.2.3-1-g7c22 From 18e936fd28192538cc39d0413d7a85a69b65c6cb Mon Sep 17 00:00:00 2001 From: pravdomil Date: Tue, 19 Jun 2018 14:12:17 +0200 Subject: less margin-bottom after minicard --- client/components/cards/minicard.styl | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/components/cards/minicard.styl b/client/components/cards/minicard.styl index 38f829d0..335182a3 100644 --- a/client/components/cards/minicard.styl +++ b/client/components/cards/minicard.styl @@ -5,7 +5,7 @@ position: relative display: flex align-items: center - margin-bottom: 9px + margin-bottom: 2px &.placeholder background: darken(white, 20%) -- cgit v1.2.3-1-g7c22 From b8bbdcc4c5e69871054ef379d751cbef4f52a1b2 Mon Sep 17 00:00:00 2001 From: pravdomil Date: Tue, 19 Jun 2018 14:19:52 +0200 Subject: fix vertical align of user avatar initials --- client/components/users/userAvatar.jade | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/components/users/userAvatar.jade b/client/components/users/userAvatar.jade index 83e2c8d0..df2ac461 100644 --- a/client/components/users/userAvatar.jade +++ b/client/components/users/userAvatar.jade @@ -17,7 +17,7 @@ template(name="userAvatar") template(name="userAvatarInitials") svg.avatar.avatar-initials(viewBox="0 0 {{viewPortWidth}} 15") - text(x="50%" y="13" text-anchor="middle")= initials + text(x="50%" y="50%" text-anchor="middle" alignment-baseline="central")= initials template(name="userPopup") .board-member-menu -- cgit v1.2.3-1-g7c22 From 77ae6c17e718669edcae8898792e20be3db18053 Mon Sep 17 00:00:00 2001 From: pravdomil Date: Tue, 19 Jun 2018 16:35:06 +0200 Subject: submit inline form on click outside --- client/lib/inlinedform.js | 12 +++++++++++- 1 file changed, 11 insertions(+), 1 deletion(-) diff --git a/client/lib/inlinedform.js b/client/lib/inlinedform.js index 56768a13..c652c646 100644 --- a/client/lib/inlinedform.js +++ b/client/lib/inlinedform.js @@ -75,6 +75,16 @@ InlinedForm = BlazeComponent.extendComponent({ EscapeActions.register('inlinedForm', () => { currentlyOpenedForm.get().close(); }, () => { return currentlyOpenedForm.get() !== null; }, { - noClickEscapeOn: '.js-inlined-form', + enabledOnClick: false } ); + +// submit on click outside +document.addEventListener("click", function(evt) { + const formIsOpen = currentlyOpenedForm.get() && currentlyOpenedForm.get().isOpen.get(); + const isClickOutside = $(evt.target).closest(".js-inlined-form").length === 0; + if (formIsOpen && isClickOutside) { + $('.js-inlined-form button[type=submit]').click(); + currentlyOpenedForm.get().close(); + } +}, true); -- cgit v1.2.3-1-g7c22 From 620bbb3394bdfabeb63eb7a43f822b37da7ceab5 Mon Sep 17 00:00:00 2001 From: pravdomil Date: Tue, 19 Jun 2018 16:41:27 +0200 Subject: refactor --- client/lib/inlinedform.js | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/client/lib/inlinedform.js b/client/lib/inlinedform.js index c652c646..272d79f7 100644 --- a/client/lib/inlinedform.js +++ b/client/lib/inlinedform.js @@ -81,10 +81,10 @@ EscapeActions.register('inlinedForm', // submit on click outside document.addEventListener("click", function(evt) { - const formIsOpen = currentlyOpenedForm.get() && currentlyOpenedForm.get().isOpen.get(); + const openedForm = currentlyOpenedForm.get() const isClickOutside = $(evt.target).closest(".js-inlined-form").length === 0; - if (formIsOpen && isClickOutside) { + if (openedForm && isClickOutside) { $('.js-inlined-form button[type=submit]').click(); - currentlyOpenedForm.get().close(); + openedForm.close(); } }, true); -- cgit v1.2.3-1-g7c22 From 09c8f29de8ead34978722b08d1c0bc8f66124f7a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 23 Jun 2018 02:11:44 +0300 Subject: Update translations. --- i18n/es.i18n.json | 2 +- i18n/fr.i18n.json | 2 +- i18n/ja.i18n.json | 94 ++++++++++++++++++++++++++-------------------------- i18n/ru.i18n.json | 14 ++++---- i18n/zh-CN.i18n.json | 2 +- 5 files changed, 57 insertions(+), 57 deletions(-) diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 202423d4..8a7c5cc5 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Estás filtrando tarjetas en este tablero. Haz clic aquí para editar el filtro.", "filter-to-selection": "Filtrar la selección", "advanced-filter-label": "Filtrado avanzado", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "El filtrado avanzado permite escribir una cadena que contiene los siguientes operadores: == != <= >= && || ( ) Se utiliza un espacio como separador entre los operadores. Se pueden filtrar todos los campos personalizados escribiendo sus nombres y valores. Por ejemplo: Campo1 == Valor1. Nota: Si los campos o valores contienen espacios, deben encapsularse entre comillas simples. Por ejemplo: 'Campo 1' == 'Valor 1'. Para omitir los caracteres de control único (' \\/), se usa \\. Por ejemplo: Campo1 = I\\'m. También se pueden combinar múltiples condiciones. Por ejemplo: C1 == V1 || C1 == V2. Normalmente todos los operadores se interpretan de izquierda a derecha. Se puede cambiar el orden colocando paréntesis. Por ejemplo: C1 == V1 && ( C2 == V2 || C2 == V3 ). También se puede buscar en campos de texto usando expresiones regulares: C1 == /Tes.*/i", "fullname": "Nombre completo", "header-logo-title": "Volver a tu página de tableros", "hide-system-messages": "Ocultar las notificaciones de actividad", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index cb698723..2cdbe2fc 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Vous êtes en train de filtrer les cartes sur ce tableau. Cliquez ici pour modifier les filtres.", "filter-to-selection": "Filtre vers la sélection", "advanced-filter-label": "Filtre avancé", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Le filtre avancé permet d'écrire une chaîne contenant les opérateur suivants : == != <= >= && || ( ). Les opérateurs doivent être séparés par des espaces. Vous pouvez filtrer tous les champs personnalisés en saisissant leur nom et leur valeur. Par exemple : champ1 == valeur1. Remarque : si des champs ou valeurs contiennent des espaces, vous devez les mettre entre apostrophes. Par exemple : 'champ 1' = 'valeur 1'. Pour échapper un caractère de contrôle (' \\/), vous pouvez utiliser \\. Par exemple : champ1 = I\\'m. Il est également possible de combiner plusieurs conditions. Par exemple : f1 == v1 || f2 == v2. Normalement, tous les opérateurs sont interprétés de gauche à droite. Vous pouvez changer l'ordre à l'aide de parenthèses. Par exemple : f1 == v1 and (f2 == v2 || f2 == v3). Vous pouvez également chercher parmi les champs texte en utilisant des expressions régulières : f1 == /Test.*/i", "fullname": "Nom complet", "header-logo-title": "Retourner à la page des tableaux", "hide-system-messages": "Masquer les messages système", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 69ce017e..a66e9668 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -2,18 +2,18 @@ "accept": "受け入れ", "act-activity-notify": "[Wekan] アクティビティ通知", "act-addAttachment": "__card__ に __attachment__ を添付しました", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addChecklist": "__card__ に __checklist__ を追加しました", + "act-addChecklistItem": "__checklist__ on __card__ に __checklistItem__ を追加しました", "act-addComment": "__card__: __comment__ をコメントしました", "act-createBoard": "__board__ を作成しました", "act-createCard": "__list__ に __card__ を追加しました", - "act-createCustomField": "created custom field __customField__", + "act-createCustomField": "__customField__ を作成しました", "act-createList": "__board__ に __list__ を追加しました", "act-addBoardMember": "__board__ に __member__ を追加しました", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-archivedBoard": "__board__ をゴミ箱に移動しました", + "act-archivedCard": "__card__ をゴミ箱に移動しました", + "act-archivedList": "__list__ をゴミ箱に移動しました", + "act-archivedSwimlane": "__swimlane__ をゴミ箱に移動しました", "act-importBoard": "__board__ をインポートしました", "act-importCard": "__card__ をインポートしました", "act-importList": "__list__ をインポートしました", @@ -28,10 +28,10 @@ "activities": "アクティビティ", "activity": "アクティビティ", "activity-added": "%s を %s に追加しました", - "activity-archived": "%s moved to Recycle Bin", + "activity-archived": "%s をゴミ箱へ移動しました", "activity-attached": "%s を %s に添付しました", "activity-created": "%s を作成しました", - "activity-customfield-created": "created custom field %s", + "activity-customfield-created": "%s を作成しました", "activity-excluded": "%s を %s から除外しました", "activity-imported": "imported %s into %s from %s", "activity-imported-board": "imported %s from %s", @@ -47,7 +47,7 @@ "add-attachment": "添付ファイルを追加", "add-board": "ボードを追加", "add-card": "カードを追加", - "add-swimlane": "Add Swimlane", + "add-swimlane": "スイムレーンを追加", "add-checklist": "チェックリストを追加", "add-checklist-item": "チェックリストに項目を追加", "add-cover": "カバーの追加", @@ -66,19 +66,19 @@ "and-n-other-card_plural": "And __count__ other cards", "apply": "適用", "app-is-offline": "現在オフラインです。ページを更新すると保存していないデータは失われます。", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive": "ゴミ箱へ移動", + "archive-all": "すべてゴミ箱へ移動", + "archive-board": "ボードをゴミ箱へ移動", + "archive-card": "カードをゴミ箱へ移動", + "archive-list": "リストをゴミ箱へ移動", + "archive-swimlane": "スイムレーンをゴミ箱へ移動", + "archive-selection": "選択したものをゴミ箱へ移動", + "archiveBoardPopup-title": "ボードをゴミ箱へ移動しますか?", + "archived-items": "ゴミ箱", + "archived-boards": "ゴミ箱のボード", "restore-board": "ボードをリストア", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "ゴミ箱にボードはありません", + "archives": "ゴミ箱", "assign-member": "メンバーの割当", "attached": "添付されました", "attachment": "添付ファイル", @@ -100,11 +100,11 @@ "boardMenuPopup-title": "ボードメニュー", "boards": "ボード", "board-view": "Board View", - "board-view-swimlanes": "Swimlanes", + "board-view-swimlanes": "スイムレーン", "board-view-lists": "リスト", - "bucket-example": "Like “Bucket List” for example", + "bucket-example": "例:バケットリスト", "cancel": "キャンセル", - "card-archived": "This card is moved to Recycle Bin.", + "card-archived": "このカードはゴミ箱に移動されます", "card-comments-title": "%s 件のコメントがあります。", "card-delete-notice": "削除は取り消しできません。このカードに関係するすべてのアクションがなくなります。", "card-delete-pop": "すべての内容がアクティビティから削除されます。この削除は元に戻すことができません。", @@ -113,7 +113,7 @@ "card-due-on": "期限日", "card-spent": "Spent Time", "card-edit-attachments": "添付ファイルの編集", - "card-edit-custom-fields": "Edit custom fields", + "card-edit-custom-fields": "カスタムフィールドの編集", "card-edit-labels": "ラベルの編集", "card-edit-members": "メンバーの編集", "card-labels-title": "カードのラベルを変更する", @@ -122,7 +122,7 @@ "card-start-on": "開始日", "cardAttachmentsPopup-title": "Attach From", "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", + "cardCustomFieldsPopup-title": "カスタムフィールドの編集", "cardDeletePopup-title": "カードを削除しますか?", "cardDetailsActionsPopup-title": "カード操作", "cardLabelsPopup-title": "ラベル", @@ -146,7 +146,7 @@ "clipboard": "クリップボードもしくはドラッグ&ドロップ", "close": "閉じる", "close-board": "ボードを閉じる", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "ホームヘッダから「ごみ箱」ボタンをクリックすると、ボードを復元できます。", "color-black": "黒", "color-blue": "青", "color-green": "緑", @@ -172,8 +172,8 @@ "createBoardPopup-title": "ボードの作成", "chooseBoardSourcePopup-title": "ボードをインポート", "createLabelPopup-title": "ラベルの作成", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", + "createCustomField": "フィールドを作成", + "createCustomFieldPopup-title": "フィールドを作成", "current": "現在", "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", "custom-field-checkbox": "Checkbox", @@ -185,12 +185,12 @@ "custom-field-dropdown-unknown": "(unknown)", "custom-field-number": "Number", "custom-field-text": "Text", - "custom-fields": "Custom Fields", + "custom-fields": "カスタムフィールド", "date": "日付", "decline": "拒否", "default-avatar": "デフォルトのアバター", "delete": "削除", - "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteCustomFieldPopup-title": "カスタムフィールドを削除しますか?", "deleteLabelPopup-title": "ラベルを削除しますか?", "description": "詳細", "disambiguateMultiLabelPopup-title": "不正なラベル操作", @@ -205,7 +205,7 @@ "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "開始日の変更", "editCardDueDatePopup-title": "期限の変更", - "editCustomFieldPopup-title": "Edit Field", + "editCustomFieldPopup-title": "フィールドを編集", "editCardSpentTimePopup-title": "Change spent time", "editLabelPopup-title": "ラベルの変更", "editNotificationPopup-title": "通知の変更", @@ -246,7 +246,7 @@ "filter-on": "フィルター有効", "filter-on-desc": "このボードのカードをフィルターしています。フィルターを編集するにはこちらをクリックしてください。", "filter-to-selection": "フィルターした項目を全選択", - "advanced-filter-label": "Advanced Filter", + "advanced-filter-label": "高度なフィルター", "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "フルネーム", "header-logo-title": "自分のボードページに戻る。", @@ -270,7 +270,7 @@ "import-user-select": "メンバーとして利用したいWekanユーザーを選択", "importMapMembersAddPopup-title": "Wekanメンバーを選択", "info": "バージョン", - "initials": "初期状態", + "initials": "イニシャル", "invalid-date": "無効な日付", "invalid-time": "Invalid time", "invalid-user": "Invalid user", @@ -299,7 +299,7 @@ "list-delete-pop": "すべての内容がアクティビティから削除されます。この削除は元に戻すことができません。", "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", "lists": "リスト", - "swimlanes": "Swimlanes", + "swimlanes": "スイムレーン", "log-out": "ログアウト", "log-in": "ログイン", "loginPopup-title": "ログイン", @@ -317,9 +317,9 @@ "muted-info": "このボードの変更は通知されません", "my-boards": "自分のボード", "name": "名前", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "ゴミ箱にカードはありません", + "no-archived-lists": "ゴミ箱にリストはありません", + "no-archived-swimlanes": "ゴミ箱にスイムレーンはありません", "no-results": "該当するものはありません", "normal": "通常", "normal-desc": "カードの閲覧と編集が可能。設定変更不可。", @@ -355,8 +355,8 @@ "restore": "復元", "save": "保存", "search": "検索", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", + "search-cards": "カードのタイトルと詳細から検索", + "search-example": "検索文字", "select-color": "色を選択", "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", "setWipLimitPopup-title": "Set WIP Limit", @@ -436,9 +436,9 @@ "email-smtp-test-text": "You have successfully sent an email", "error-invitation-code-not-exist": "招待コードが存在しません", "error-notAuthorized": "このページを参照する権限がありません。", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", + "outgoing-webhooks": "発信Webフック", + "outgoingWebhooksPopup-title": "発信Webフック", + "new-outgoing-webhook": "発信Webフックの作成", "no-name": "(Unknown)", "Wekan_version": "Wekanバージョン", "Node_version": "Nodeバージョン", @@ -472,7 +472,7 @@ "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board-confirm-popup": "すべてのリスト、カード、ラベル、アクティビティは削除され、ボードの内容を元に戻すことができません。", + "boardDeletePopup-title": "ボードを削除しますか?", + "delete-board": "ボードを削除" } \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index b49887fc..b5a06d2b 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Показываются карточки, соответствующие настройкам фильтра. Нажмите для редактирования.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Расширенный фильтр", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Расширенный фильтр позволяет написать строку, содержащую следующие операторы: ==! = <=> = && || () Пространство используется как разделитель между Операторами. Вы можете фильтровать все пользовательские поля, введя их имена и значения. Например: Field1 == Value1. Примечание. Если поля или значения содержат пробелы, вам необходимо взять их в кавычки. Например: «Поле 1» == «Значение 1». Для одиночных управляющих символов ('\\ /), которые нужно пропустить, вы можете использовать \\. Например: Field1 = I \\ m. Также вы можете комбинировать несколько условий. Например: F1 == V1 || F1 = V2. Обычно все операторы интерпретируются слева направо. Вы можете изменить порядок, разместив скобки. Например: F1 == V1 && (F2 == V2 || F2 == V3). Также вы можете искать текстовые поля с помощью regex: F1 == /Tes.*/i", "fullname": "Полное имя", "header-logo-title": "Вернуться к доскам.", "hide-system-messages": "Скрыть системные сообщения", @@ -469,10 +469,10 @@ "card-end-on": "Завершится до", "editCardReceivedDatePopup-title": "Изменить дату получения", "editCardEndDatePopup-title": "Изменить дату завершения", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "assigned-by": "Назначено", + "requested-by": "Запрошен", + "board-delete-notice": "Удаление является постоянным. Вы потеряете все списки, карты и действия, связанные с этой доской.", + "delete-board-confirm-popup": "Все списки, карточки, ярлыки и действия будут удалены, и вы не сможете восстановить содержимое доски. Отменить нельзя.", + "boardDeletePopup-title": "Удалить доску?", + "delete-board": "Удалить доску" } \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 3ad1f915..bfa9cb6e 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "你正在过滤该看板上的卡片,点此编辑过滤。", "filter-to-selection": "要选择的过滤器", "advanced-filter-label": "高级过滤器", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "高级过滤器可以使用包含如下操作符的字符串进行过滤:== != <= >= && || ( ) 。操作符之间用空格隔开。输入字段名和数值就可以过滤所有自定义字段。例如:Field1 == Value1。注意如果字段名或数值包含空格,需要用单引号。例如: 'Field 1' == 'Value 1'。要跳过单个控制字符(' \\/),请使用 \\ 转义字符。例如: Field1 = I\\'m。支持组合使用多个条件,例如: F1 == V1 || F1 = V2。通常以从左到右的顺序进行判断。可以通过括号修改顺序,例如:F1 == V1 && ( F2 == V2 || F2 == V3 )。也支持使用正则表达式搜索文本字段。", "fullname": "全称", "header-logo-title": "返回您的看板页", "hide-system-messages": "隐藏系统消息", -- cgit v1.2.3-1-g7c22 From 9a55f38d90dcaa20c1cad988547b256b36968058 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 25 Jun 2018 23:57:53 +0300 Subject: Change fr.md to not be executeable. --- meta/t9n-changelog/fr.md | 0 1 file changed, 0 insertions(+), 0 deletions(-) mode change 100755 => 100644 meta/t9n-changelog/fr.md diff --git a/meta/t9n-changelog/fr.md b/meta/t9n-changelog/fr.md old mode 100755 new mode 100644 -- cgit v1.2.3-1-g7c22 From 0b5ecd24f996305bed741f6ad81e4ce290290108 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 26 Jun 2018 00:01:02 +0300 Subject: Update translations. --- i18n/ja.i18n.json | 14 +++++++------- 1 file changed, 7 insertions(+), 7 deletions(-) diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index a66e9668..03a4224f 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -292,7 +292,7 @@ "list-move-cards": "リストの全カードを移動する", "list-select-cards": "リストの全カードを選択", "listActionPopup-title": "操作一覧", - "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneActionPopup-title": "スイムレーン操作", "listImportCardPopup-title": "Trelloのカードをインポート", "listMorePopup-title": "さらに見る", "link-list": "このリストへのリンク", @@ -463,12 +463,12 @@ "createdAt": "Created at", "verified": "Verified", "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", + "card-received": "受付", + "card-received-on": "受付日", + "card-end": "終了", + "card-end-on": "終了日", + "editCardReceivedDatePopup-title": "受付日の変更", + "editCardEndDatePopup-title": "終了日の変更", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", -- cgit v1.2.3-1-g7c22 From 43a967b2740e123187f98022d2ec6abd186b7d51 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 26 Jun 2018 00:37:02 +0300 Subject: - Fix typo in English translation. Thanks to zypA13510 ! --- CHANGELOG.md | 8 ++++++++ i18n/ar.i18n.json | 2 +- i18n/bg.i18n.json | 2 +- i18n/br.i18n.json | 2 +- i18n/ca.i18n.json | 2 +- i18n/cs.i18n.json | 2 +- i18n/el.i18n.json | 2 +- i18n/en-GB.i18n.json | 2 +- i18n/eo.i18n.json | 2 +- i18n/es-AR.i18n.json | 2 +- i18n/eu.i18n.json | 2 +- i18n/fa.i18n.json | 2 +- i18n/fi.i18n.json | 2 +- i18n/gl.i18n.json | 2 +- i18n/he.i18n.json | 2 +- i18n/hu.i18n.json | 2 +- i18n/hy.i18n.json | 2 +- i18n/id.i18n.json | 2 +- i18n/ig.i18n.json | 2 +- i18n/it.i18n.json | 2 +- i18n/ja.i18n.json | 2 +- i18n/km.i18n.json | 2 +- i18n/ko.i18n.json | 2 +- i18n/lv.i18n.json | 2 +- i18n/mn.i18n.json | 2 +- i18n/nb.i18n.json | 2 +- i18n/nl.i18n.json | 2 +- i18n/pl.i18n.json | 2 +- i18n/pt-BR.i18n.json | 2 +- i18n/pt.i18n.json | 2 +- i18n/ro.i18n.json | 2 +- i18n/ru.i18n.json | 2 +- i18n/sr.i18n.json | 2 +- i18n/sv.i18n.json | 2 +- i18n/ta.i18n.json | 2 +- i18n/th.i18n.json | 2 +- i18n/tr.i18n.json | 2 +- i18n/uk.i18n.json | 2 +- i18n/vi.i18n.json | 2 +- i18n/zh-CN.i18n.json | 2 +- i18n/zh-TW.i18n.json | 2 +- 41 files changed, 48 insertions(+), 40 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 198ff639..210b7fef 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +* [Fix typo in English translation](https://github.com/wekan/wekan/commit/c94edb6bb01933f6dae2cfb61bef0d43d7588414). + +Thanks to GitHub user zypA13510 for contributions. + # v1.07 2018-06-14 Wekan release This release adds the following new features: diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index edb39a94..e3522abf 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "أنت بصدد تصفية بطاقات هذه اللوحة. اضغط هنا لتعديل التصفية.", "filter-to-selection": "تصفية بالتحديد", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "الإسم الكامل", "header-logo-title": "الرجوع إلى صفحة اللوحات", "hide-system-messages": "إخفاء رسائل النظام", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 162c44ee..a09cd94b 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "В момента филтрирате картите в това табло. Моля, натиснете тук, за да промените филтъра.", "filter-to-selection": "Филтрирай избраните", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Име", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Скриване на системните съобщения", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index 8123445a..58415db1 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 6354e495..66b4a2c1 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Estau filtrant fitxes en aquest tauler. Feu clic aquí per editar el filtre.", "filter-to-selection": "Filtra selecció", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Nom complet", "header-logo-title": "Torna a la teva pàgina de taulers", "hide-system-messages": "Oculta missatges del sistema", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 92dceb95..aec46191 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Filtrujete karty tohoto tabla. Pro úpravu filtru klikni sem.", "filter-to-selection": "Filtrovat výběr", "advanced-filter-label": "Pokročilý filtr", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Celé jméno", "header-logo-title": "Jit zpět na stránku s tably.", "hide-system-messages": "Skrýt systémové zprávy", diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index bc6ad374..9436d7bd 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Πλήρες Όνομα", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 48888c99..13b0ae52 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index 276f0e3a..0ef39411 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index b48395e3..61a31ebb 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Estás filtrando cartas en este tablero. Clickeá acá para editar el filtro.", "filter-to-selection": "Filtrar en la selección", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Nombre Completo", "header-logo-title": "Retroceder a tu página de tableros.", "hide-system-messages": "Esconder mensajes del sistema", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index 973b4bf9..a2d99631 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Arbel honetako txartela iragazten ari zara. Egin klik hemen iragazkia editatzeko.", "filter-to-selection": "Iragazketa aukerara", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Izen abizenak", "header-logo-title": "Itzuli zure arbelen orrira.", "hide-system-messages": "Ezkutatu sistemako mezuak", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index 7078b334..107b5894 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "شما صافی ـFilterـ برای کارتهای تخته را روشن کرده اید. جهت ویرایش کلیک نمایید.", "filter-to-selection": "صافی ـFilterـ برای موارد انتخابی", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "نام و نام خانوادگی", "header-logo-title": "بازگشت به صفحه تخته.", "hide-system-messages": "عدم نمایش پیامهای سیستمی", diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 2f23c6c0..0b363b7b 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Suodatat kortteja tällä taululla. Klikkaa tästä muokataksesi suodatinta.", "filter-to-selection": "Suodata valintaan", "advanced-filter-label": "Edistynyt suodatin", - "advanced-filter-description": "Edistynyt suodatin mahdollistaa merkkijonon, joka sisältää seuraavat operaattorit: == != <= >= && || ( ) Operaattorien välissä käytetään välilyöntiä. Voit suodattaa kaikki mukautetut kentät kirjoittamalla niiden nimet ja arvot. Esimerkiksi: Field1 == Value1. Huom: Jos kentillä tai arvoilla on välilyöntejä, sinun on sijoitettava ne yksittäisiin lainausmerkkeihin. Esimerkki: 'Kenttä 1' == 'Arvo 1'. Voit hypätä yksittäisen kontrollimerkkien (' \\/) yli käyttämällä \\. Esimerkki: Field1 = I\\'m. Voit myös yhdistää useita ehtoja. Esimerkiksi: F1 == V1 || F1 = V2. Yleensä kaikki operaattorit tulkitaan vasemmalta oikealle. Voit muuttaa järjestystä asettamalla sulkuja. Esimerkiksi: F1 == V1 && (F2 == V2 || F2 == V3). Voit myös etsiä tekstikentistä regexillä: F1 == /Tes.*/i", + "advanced-filter-description": "Edistynyt suodatin mahdollistaa merkkijonon, joka sisältää seuraavat operaattorit: == != <= >= && || ( ) Operaattorien välissä käytetään välilyöntiä. Voit suodattaa kaikki mukautetut kentät kirjoittamalla niiden nimet ja arvot. Esimerkiksi: Field1 == Value1. Huom: Jos kentillä tai arvoilla on välilyöntejä, sinun on sijoitettava ne yksittäisiin lainausmerkkeihin. Esimerkki: 'Kenttä 1' == 'Arvo 1'. Voit hypätä yksittäisen kontrollimerkkien (' \\/) yli käyttämällä \\. Esimerkki: Field1 = I\\'m. Voit myös yhdistää useita ehtoja. Esimerkiksi: F1 == V1 || F1 == V2. Yleensä kaikki operaattorit tulkitaan vasemmalta oikealle. Voit muuttaa järjestystä asettamalla sulkuja. Esimerkiksi: F1 == V1 && (F2 == V2 || F2 == V3). Voit myös etsiä tekstikentistä regexillä: F1 == /Tes.*/i", "fullname": "Koko nimi", "header-logo-title": "Palaa taulut sivullesi.", "hide-system-messages": "Piilota järjestelmäviestit", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index b8904e16..7462b1d3 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Nome completo", "header-logo-title": "Retornar á páxina dos seus taboleiros.", "hide-system-messages": "Agochar as mensaxes do sistema", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index cff16540..943062e1 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "מסנן כרטיסים פעיל בלוח זה. יש ללחוץ כאן לעריכת המסנן.", "filter-to-selection": "סינון לבחירה", "advanced-filter-label": "מסנן מתקדם", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "המסנן המתקדם מאפשר לך לכתוב מחרוזת שמכילה את הפעולות הבאות: == != <= >= && || ( ) רווח מכהן כמפריד בין הפעולות. ניתן לסנן את כל השדות המותאמים אישית על ידי הקלדת שמם והערך שלהם. למשל: שדה1 == ערך1. לתשומת לבך: אם שדות או ערכים מכילים רווח, יש לעטוף אותם במירכא מכל צד. למשל: 'שדה 1' == 'ערך 1'. ניתן גם לשלב מגוון תנאים. למשל: F1 == V1 || F1 == V2. על פי רוב כל הפעולות מפוענחות משמאל לימין. ניתן לשנות את הסדר על ידי הצבת סוגריים. למשל: ( F1 == V1 && ( F2 == V2 || F2 == V3 ", "fullname": "שם מלא", "header-logo-title": "חזרה לדף הלוחות שלך.", "hide-system-messages": "הסתרת הודעות מערכת", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index 2ce43437..a4fc3c8c 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "A kártyaszűrés be van kapcsolva ezen a táblán. Kattintson ide a szűrő szerkesztéséhez.", "filter-to-selection": "Szűrés a kijelöléshez", "advanced-filter-label": "Speciális szűrő", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Teljes név", "header-logo-title": "Vissza a táblák oldalára.", "hide-system-messages": "Rendszerüzenetek elrejtése", diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index bf0f1076..fcbb7a9a 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 8d76113c..8eb0d2de 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Anda memfilter kartu di panel ini. Klik di sini untuk menyunting filter", "filter-to-selection": "Saring berdasarkan yang dipilih", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Nama Lengkap", "header-logo-title": "Kembali ke laman panel anda", "hide-system-messages": "Sembunyikan pesan-pesan sistem", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 2014b801..ece8e7cc 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index c373eda0..d3e5870f 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Stai filtrando le schede su questa bacheca. Clicca qui per modificare il filtro,", "filter-to-selection": "Seleziona", "advanced-filter-label": "Filtro avanzato", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Nome completo", "header-logo-title": "Torna alla tua bacheca.", "hide-system-messages": "Nascondi i messaggi di sistema", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 03a4224f..0f478842 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "このボードのカードをフィルターしています。フィルターを編集するにはこちらをクリックしてください。", "filter-to-selection": "フィルターした項目を全選択", "advanced-filter-label": "高度なフィルター", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "フルネーム", "header-logo-title": "自分のボードページに戻る。", "hide-system-messages": "システムメッセージを隠す", diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index 6ffee930..29b82bf5 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index 409bfc94..b9996c88 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "보드에서 카드를 필터링합니다. 여기를 클릭하여 필터를 수정합니다.", "filter-to-selection": "선택 항목으로 필터링", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "실명", "header-logo-title": "보드 페이지로 돌아가기.", "hide-system-messages": "시스템 메시지 숨기기", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 203847e4..47667c40 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index d0205a45..8f2475fe 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index 5ecda2ce..30e1963b 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 621630fd..903f6a8f 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Je bent nu kaarten aan het filteren op dit bord. Klik hier om het filter te wijzigen.", "filter-to-selection": "Filter zoals selectie", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Volledige naam", "header-logo-title": "Ga terug naar jouw borden pagina.", "hide-system-messages": "Verberg systeemberichten", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 6cdc2d7f..3f618075 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Filtrujesz karty na tej tablicy. Kliknij tutaj by edytować filtr.", "filter-to-selection": "Odfiltruj zaznaczenie", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Wróć do swojej strony z tablicami.", "hide-system-messages": "Ukryj wiadomości systemowe", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 9047b695..3193da3e 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Você está filtrando cartões neste quadro. Clique aqui para editar o filtro.", "filter-to-selection": "Filtrar esta seleção", "advanced-filter-label": "Filtro avançado", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Nome Completo", "header-logo-title": "Voltar para a lista de quadros.", "hide-system-messages": "Esconde mensagens de sistema", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 6c2fa56f..7404cc09 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index c8e902ea..3795e189 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index b5a06d2b..5ad4a4fb 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Показываются карточки, соответствующие настройкам фильтра. Нажмите для редактирования.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Расширенный фильтр", - "advanced-filter-description": "Расширенный фильтр позволяет написать строку, содержащую следующие операторы: ==! = <=> = && || () Пространство используется как разделитель между Операторами. Вы можете фильтровать все пользовательские поля, введя их имена и значения. Например: Field1 == Value1. Примечание. Если поля или значения содержат пробелы, вам необходимо взять их в кавычки. Например: «Поле 1» == «Значение 1». Для одиночных управляющих символов ('\\ /), которые нужно пропустить, вы можете использовать \\. Например: Field1 = I \\ m. Также вы можете комбинировать несколько условий. Например: F1 == V1 || F1 = V2. Обычно все операторы интерпретируются слева направо. Вы можете изменить порядок, разместив скобки. Например: F1 == V1 && (F2 == V2 || F2 == V3). Также вы можете искать текстовые поля с помощью regex: F1 == /Tes.*/i", + "advanced-filter-description": "Расширенный фильтр позволяет написать строку, содержащую следующие операторы: ==! = <=> = && || () Пространство используется как разделитель между Операторами. Вы можете фильтровать все пользовательские поля, введя их имена и значения. Например: Field1 == Value1. Примечание. Если поля или значения содержат пробелы, вам необходимо взять их в кавычки. Например: «Поле 1» == «Значение 1». Для одиночных управляющих символов ('\\ /), которые нужно пропустить, вы можете использовать \\. Например: Field1 = I \\ m. Также вы можете комбинировать несколько условий. Например: F1 == V1 || F1 == V2. Обычно все операторы интерпретируются слева направо. Вы можете изменить порядок, разместив скобки. Например: F1 == V1 && (F2 == V2 || F2 == V3). Также вы можете искать текстовые поля с помощью regex: F1 == /Tes.*/i", "fullname": "Полное имя", "header-logo-title": "Вернуться к доскам.", "hide-system-messages": "Скрыть системные сообщения", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index 39ed5e01..4debc5e5 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Sakrij sistemske poruke", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 4ab69efb..c91f1928 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Du filtrerar kort på denna anslagstavla. Klicka här för att redigera filter.", "filter-to-selection": "Filter till val", "advanced-filter-label": "Avancerat filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Namn", "header-logo-title": "Gå tillbaka till din anslagstavlor-sida.", "hide-system-messages": "Göm systemmeddelanden", diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index d68b0de6..f8f74ce7 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index a2fc1885..673e4d80 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "คุณกำลังกรองการ์ดในบอร์ดนี้ คลิกที่นี่เพื่อแก้ไขตัวกรอง", "filter-to-selection": "กรองตัวเลือก", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "ชื่อ นามสกุล", "header-logo-title": "ย้อนกลับไปที่หน้าบอร์ดของคุณ", "hide-system-messages": "ซ่อนข้อความของระบบ", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index 1b63d6a0..b7a35156 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "Bu panodaki kartları filtreliyorsunuz. Fitreyi düzenlemek için tıklayın.", "filter-to-selection": "Seçime göre filtreleme yap", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Ad Soyad", "header-logo-title": "Panolar sayfanıza geri dön.", "hide-system-messages": "Sistem mesajlarını gizle", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 9d34f905..1d6605d9 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index c7827c59..9529b016 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index bfa9cb6e..de79364c 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "你正在过滤该看板上的卡片,点此编辑过滤。", "filter-to-selection": "要选择的过滤器", "advanced-filter-label": "高级过滤器", - "advanced-filter-description": "高级过滤器可以使用包含如下操作符的字符串进行过滤:== != <= >= && || ( ) 。操作符之间用空格隔开。输入字段名和数值就可以过滤所有自定义字段。例如:Field1 == Value1。注意如果字段名或数值包含空格,需要用单引号。例如: 'Field 1' == 'Value 1'。要跳过单个控制字符(' \\/),请使用 \\ 转义字符。例如: Field1 = I\\'m。支持组合使用多个条件,例如: F1 == V1 || F1 = V2。通常以从左到右的顺序进行判断。可以通过括号修改顺序,例如:F1 == V1 && ( F2 == V2 || F2 == V3 )。也支持使用正则表达式搜索文本字段。", + "advanced-filter-description": "高级过滤器可以使用包含如下操作符的字符串进行过滤:== != <= >= && || ( ) 。操作符之间用空格隔开。输入字段名和数值就可以过滤所有自定义字段。例如:Field1 == Value1。注意如果字段名或数值包含空格,需要用单引号。例如: 'Field 1' == 'Value 1'。要跳过单个控制字符(' \\/),请使用 \\ 转义字符。例如: Field1 = I\\'m。支持组合使用多个条件,例如: F1 == V1 || F1 == V2。通常以从左到右的顺序进行判断。可以通过括号修改顺序,例如:F1 == V1 && ( F2 == V2 || F2 == V3 )。也支持使用正则表达式搜索文本字段。", "fullname": "全称", "header-logo-title": "返回您的看板页", "hide-system-messages": "隐藏系统消息", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index a46ba569..043cad12 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -247,7 +247,7 @@ "filter-on-desc": "你正在過濾該看板上的卡片,點此編輯過濾條件。", "filter-to-selection": "要選擇的過濾條件", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 = I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 = V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "全稱", "header-logo-title": "返回您的看板頁面", "hide-system-messages": "隱藏系統訊息", -- cgit v1.2.3-1-g7c22 From fde26c21834cf5e817e5bd7b04fa1cb9d4de55f3 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 26 Jun 2018 00:45:51 +0300 Subject: - Fix vertical align of user avatar initials. Thanks to pravdomil ! --- CHANGELOG.md | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 210b7fef..358763c3 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,9 +2,10 @@ This release fixes the following bugs: -* [Fix typo in English translation](https://github.com/wekan/wekan/commit/c94edb6bb01933f6dae2cfb61bef0d43d7588414). +* [Fix typo in English translation](https://github.com/wekan/wekan/pull/1710); +* [Fix vertical align of user avatar initials](https://github.com/wekan/wekan/pull/1714). -Thanks to GitHub user zypA13510 for contributions. +Thanks to GitHub users pravdomil and zypA13510 for their contributions. # v1.07 2018-06-14 Wekan release -- cgit v1.2.3-1-g7c22 From 6a587299b80a49fce0789628ff65885b5ed2c837 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 26 Jun 2018 01:02:19 +0300 Subject: - Add more card inner shadow. Thanks to pravdomil and xet7 ! Related #1690 --- client/components/cards/minicard.styl | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/components/cards/minicard.styl b/client/components/cards/minicard.styl index 335182a3..391a6316 100644 --- a/client/components/cards/minicard.styl +++ b/client/components/cards/minicard.styl @@ -37,7 +37,7 @@ flex-wrap: wrap background-color: #fff min-height: 20px - box-shadow: 0 1px 2px rgba(0,0,0,.15) + box-shadow: 0 0px 16px rgba(0,0,0,0.15) inset border-radius: 2px color: #4d4d4d overflow: hidden -- cgit v1.2.3-1-g7c22 From b7d51456eb859cbdf5fbd627796d2c5038ad26d8 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 26 Jun 2018 01:06:14 +0300 Subject: - Add more card inner shadow; - Less margin-bottom after minicard. Thanks pravdomil and xet7 ! Related #1690 Related https://github.com/wekan/wekan/pull/1713 --- CHANGELOG.md | 9 +++++++-- 1 file changed, 7 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 358763c3..a801988c 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,11 +1,16 @@ # Upcoming Wekan release -This release fixes the following bugs: +This release adds the following new features: + +* [Add more card inner shadow](https://github.com/wekan/wekan/commit/6a587299b80a49fce0789628ff65885b5ed2c837); +* [Less margin-bottom after minicard](https://github.com/wekan/wekan/pull/1713); + +and fixes the following bugs: * [Fix typo in English translation](https://github.com/wekan/wekan/pull/1710); * [Fix vertical align of user avatar initials](https://github.com/wekan/wekan/pull/1714). -Thanks to GitHub users pravdomil and zypA13510 for their contributions. +Thanks to GitHub users pravdomil, xet7 and zypA13510 for their contributions. # v1.07 2018-06-14 Wekan release -- cgit v1.2.3-1-g7c22 From aa2a15bf1b1c7cc95bc6cb93a25c0932db402573 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 26 Jun 2018 01:36:44 +0300 Subject: Fix lint errors. --- client/lib/inlinedform.js | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/client/lib/inlinedform.js b/client/lib/inlinedform.js index 272d79f7..e5e4d4ed 100644 --- a/client/lib/inlinedform.js +++ b/client/lib/inlinedform.js @@ -75,14 +75,14 @@ InlinedForm = BlazeComponent.extendComponent({ EscapeActions.register('inlinedForm', () => { currentlyOpenedForm.get().close(); }, () => { return currentlyOpenedForm.get() !== null; }, { - enabledOnClick: false + enabledOnClick: false, } ); // submit on click outside -document.addEventListener("click", function(evt) { - const openedForm = currentlyOpenedForm.get() - const isClickOutside = $(evt.target).closest(".js-inlined-form").length === 0; +document.addEventListener('click', function(evt) { + const openedForm = currentlyOpenedForm.get(); + const isClickOutside = $(evt.target).closest('.js-inlined-form').length === 0; if (openedForm && isClickOutside) { $('.js-inlined-form button[type=submit]').click(); openedForm.close(); -- cgit v1.2.3-1-g7c22 From daa95c582e9f11e15bb67389de5a97ded45dbc42 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 26 Jun 2018 01:40:13 +0300 Subject: - Submit inline form on click outside, fixes "You have an unsaved description" doesn't go away after saving. Thanks to pravdomil and xet7 ! Fixes #1287 --- CHANGELOG.md | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index a801988c..e1fe261c 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -8,7 +8,9 @@ This release adds the following new features: and fixes the following bugs: * [Fix typo in English translation](https://github.com/wekan/wekan/pull/1710); -* [Fix vertical align of user avatar initials](https://github.com/wekan/wekan/pull/1714). +* [Fix vertical align of user avatar initials](https://github.com/wekan/wekan/pull/1714); +* [Submit inline form on click outside]https://github.com/wekan/wekan/pull/1717), fixes + ["You have an unsaved description" doesn't go away after saving](https://github.com/wekan/wekan/issues/1287). Thanks to GitHub users pravdomil, xet7 and zypA13510 for their contributions. -- cgit v1.2.3-1-g7c22 From 97922c90cb42be6c6615639bb164173748982f56 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 26 Jun 2018 02:11:37 +0300 Subject: - Fix "Error: title is required" by removing find() from all of migrations. Thanks to xet7 ! Closes #1576 --- server/migrations.js | 18 +++++++++--------- 1 file changed, 9 insertions(+), 9 deletions(-) diff --git a/server/migrations.js b/server/migrations.js index a1a5c65a..976e478c 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -55,7 +55,7 @@ Migrations.add('lowercase-board-permission', () => { // Security migration: see https://github.com/wekan/wekan/issues/99 Migrations.add('change-attachments-type-for-non-images', () => { const newTypeForNonImage = 'application/octet-stream'; - Attachments.find().forEach((file) => { + Attachments.forEach((file) => { if (!file.isImage()) { Attachments.update(file._id, { $set: { @@ -68,7 +68,7 @@ Migrations.add('change-attachments-type-for-non-images', () => { }); Migrations.add('card-covers', () => { - Cards.find().forEach((card) => { + Cards.forEach((card) => { const cover = Attachments.findOne({ cardId: card._id, cover: true }); if (cover) { Cards.update(card._id, {$set: {coverId: cover._id}}, noValidate); @@ -86,7 +86,7 @@ Migrations.add('use-css-class-for-boards-colors', () => { '#2C3E50': 'midnight', '#E67E22': 'pumpkin', }; - Boards.find().forEach((board) => { + Boards.forEach((board) => { const oldBoardColor = board.background.color; const newBoardColor = associationTable[oldBoardColor]; Boards.update(board._id, { @@ -97,7 +97,7 @@ Migrations.add('use-css-class-for-boards-colors', () => { }); Migrations.add('denormalize-star-number-per-board', () => { - Boards.find().forEach((board) => { + Boards.forEach((board) => { const nStars = Users.find({'profile.starredBoards': board._id}).count(); Boards.update(board._id, {$set: {stars: nStars}}, noValidate); }); @@ -132,7 +132,7 @@ Migrations.add('add-member-isactive-field', () => { }); Migrations.add('add-sort-checklists', () => { - Checklists.find().forEach((checklist, index) => { + Checklists.forEach((checklist, index) => { if (!checklist.hasOwnProperty('sort')) { Checklists.direct.update( checklist._id, @@ -153,7 +153,7 @@ Migrations.add('add-sort-checklists', () => { }); Migrations.add('add-swimlanes', () => { - Boards.find().forEach((board) => { + Boards.forEach((board) => { const swimlane = Swimlanes.findOne({ boardId: board._id }); let swimlaneId = ''; if (swimlane) @@ -177,7 +177,7 @@ Migrations.add('add-swimlanes', () => { }); Migrations.add('add-views', () => { - Boards.find().forEach((board) => { + Boards.forEach((board) => { if (!board.hasOwnProperty('view')) { Boards.direct.update( { _id: board._id }, @@ -189,7 +189,7 @@ Migrations.add('add-views', () => { }); Migrations.add('add-checklist-items', () => { - Checklists.find().forEach((checklist) => { + Checklists.forEach((checklist) => { // Create new items _.sortBy(checklist.items, 'sort').forEach((item, index) => { ChecklistItems.direct.insert({ @@ -210,7 +210,7 @@ Migrations.add('add-checklist-items', () => { }); Migrations.add('add-profile-view', () => { - Users.find().forEach((user) => { + Users.forEach((user) => { if (!user.hasOwnProperty('profile.boardView')) { // Set default view Users.direct.update( -- cgit v1.2.3-1-g7c22 From 43dde4a10fc7980089f9344a7be04b8fe673cf28 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 26 Jun 2018 02:14:52 +0300 Subject: - Fix "Error: title is required" by removing find() from all of migrations. Thanks to xet7 ! Closes #1576 --- CHANGELOG.md | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index e1fe261c..d3c4aa55 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -10,7 +10,8 @@ and fixes the following bugs: * [Fix typo in English translation](https://github.com/wekan/wekan/pull/1710); * [Fix vertical align of user avatar initials](https://github.com/wekan/wekan/pull/1714); * [Submit inline form on click outside]https://github.com/wekan/wekan/pull/1717), fixes - ["You have an unsaved description" doesn't go away after saving](https://github.com/wekan/wekan/issues/1287). + ["You have an unsaved description" doesn't go away after saving](https://github.com/wekan/wekan/issues/1287); +* [Fix "Error: title is required" by removing find() from all of migrations](https://github.com/wekan/wekan/commit/97922c90cb42be6c6615639bb164173748982f56). Thanks to GitHub users pravdomil, xet7 and zypA13510 for their contributions. -- cgit v1.2.3-1-g7c22 From c3e839c885bef820b15bcebf75a721b1ce2799f9 Mon Sep 17 00:00:00 2001 From: pravdomil Date: Tue, 26 Jun 2018 10:54:22 +0200 Subject: revert 6a58729 --- client/components/cards/minicard.styl | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/components/cards/minicard.styl b/client/components/cards/minicard.styl index 391a6316..335182a3 100644 --- a/client/components/cards/minicard.styl +++ b/client/components/cards/minicard.styl @@ -37,7 +37,7 @@ flex-wrap: wrap background-color: #fff min-height: 20px - box-shadow: 0 0px 16px rgba(0,0,0,0.15) inset + box-shadow: 0 1px 2px rgba(0,0,0,.15) border-radius: 2px color: #4d4d4d overflow: hidden -- cgit v1.2.3-1-g7c22 From c3037b155fc0de1ef44d1d1c1fc65c25790ca3ad Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Sun, 17 Jun 2018 22:46:03 +0300 Subject: Added subtasks model and APIs for it --- .eslintrc.json | 1 + models/subtasks.js | 139 +++++++++++++++++++++++++++++++++++++++++++++++++++++ 2 files changed, 140 insertions(+) create mode 100644 models/subtasks.js diff --git a/.eslintrc.json b/.eslintrc.json index 255e00ba..1adaa623 100644 --- a/.eslintrc.json +++ b/.eslintrc.json @@ -134,6 +134,7 @@ "Announcements": true, "Swimlanes": true, "ChecklistItems": true, + "Subtasks": true, "Npm": true } } diff --git a/models/subtasks.js b/models/subtasks.js new file mode 100644 index 00000000..6c42072e --- /dev/null +++ b/models/subtasks.js @@ -0,0 +1,139 @@ +Subtasks = new Mongo.Collection('subtasks'); + +Subtasks.attachSchema(new SimpleSchema({ + title: { + type: String, + }, + sort: { + type: Number, + decimal: true, + }, + isFinished: { + type: Boolean, + defaultValue: false, + }, + cardId: { + type: String, + }, +})); + +Subtasks.allow({ + insert(userId, doc) { + return allowIsBoardMemberByCard(userId, Cards.findOne(doc.cardId)); + }, + update(userId, doc) { + return allowIsBoardMemberByCard(userId, Cards.findOne(doc.cardId)); + }, + remove(userId, doc) { + return allowIsBoardMemberByCard(userId, Cards.findOne(doc.cardId)); + }, + fetch: ['userId', 'cardId'], +}); + +Subtasks.before.insert((userId, doc) => { + if (!doc.userId) { + doc.userId = userId; + } +}); + +// Mutations +Subtasks.mutations({ + setTitle(title) { + return { $set: { title } }; + }, + toggleItem() { + return { $set: { isFinished: !this.isFinished } }; + }, + move(sortIndex) { + const mutatedFields = { + sort: sortIndex, + }; + + return {$set: mutatedFields}; + }, +}); + +// Activities helper +function itemCreation(userId, doc) { + const card = Cards.findOne(doc.cardId); + const boardId = card.boardId; + Activities.insert({ + userId, + activityType: 'addSubtaskItem', + cardId: doc.cardId, + boardId, + subtaskItemId: doc._id, + }); +} + +function itemRemover(userId, doc) { + Activities.remove({ + subtaskItemId: doc._id, + }); +} + +// Activities +if (Meteor.isServer) { + Meteor.startup(() => { + Subtasks._collection._ensureIndex({ cardId: 1 }); + }); + + Subtasks.after.insert((userId, doc) => { + itemCreation(userId, doc); + }); + + Subtasks.after.remove((userId, doc) => { + itemRemover(userId, doc); + }); +} + +// APIs +if (Meteor.isServer) { + JsonRoutes.add('GET', '/api/boards/:boardId/cards/:cardId/subtasks/:itemId', function (req, res) { + Authentication.checkUserId( req.userId); + const paramItemId = req.params.itemId; + const subtaskItem = Subtasks.findOne({ _id: paramItemId }); + if (subtaskItem) { + JsonRoutes.sendResult(res, { + code: 200, + data: subtaskItem, + }); + } else { + JsonRoutes.sendResult(res, { + code: 500, + }); + } + }); + + JsonRoutes.add('PUT', '/api/boards/:boardId/cards/:cardId/subtasks/:itemId', function (req, res) { + Authentication.checkUserId( req.userId); + + const paramItemId = req.params.itemId; + + if (req.body.hasOwnProperty('isFinished')) { + Subtasks.direct.update({_id: paramItemId}, {$set: {isFinished: req.body.isFinished}}); + } + if (req.body.hasOwnProperty('title')) { + Subtasks.direct.update({_id: paramItemId}, {$set: {title: req.body.title}}); + } + + JsonRoutes.sendResult(res, { + code: 200, + data: { + _id: paramItemId, + }, + }); + }); + + JsonRoutes.add('DELETE', '/api/boards/:boardId/cards/:cardId/subtasks/:itemId', function (req, res) { + Authentication.checkUserId( req.userId); + const paramItemId = req.params.itemId; + Subtasks.direct.remove({ _id: paramItemId }); + JsonRoutes.sendResult(res, { + code: 200, + data: { + _id: paramItemId, + }, + }); + }); +} -- cgit v1.2.3-1-g7c22 From b627ced605f0ab98eb2977420da954f31df4f592 Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Sun, 17 Jun 2018 22:55:01 +0300 Subject: Some inspiration from checklists to subtasks --- models/subtasks.js | 34 ++++++++++++++++++++++++++++++++++ 1 file changed, 34 insertions(+) diff --git a/models/subtasks.js b/models/subtasks.js index 6c42072e..e842d11d 100644 --- a/models/subtasks.js +++ b/models/subtasks.js @@ -4,6 +4,29 @@ Subtasks.attachSchema(new SimpleSchema({ title: { type: String, }, + startAt: { // this is a predicted time + type: Date, + optional: true, + }, + endAt: { // this is a predicted time + type: Date, + optional: true, + }, + finishedAt: { // The date & time when it is marked as being done + type: Date, + optional: true, + }, + createdAt: { + type: Date, + denyUpdate: false, + autoValue() { // eslint-disable-line consistent-return + if (this.isInsert) { + return new Date(); + } else { + this.unset(); + } + }, + }, sort: { type: Number, decimal: true, @@ -17,6 +40,16 @@ Subtasks.attachSchema(new SimpleSchema({ }, })); +Subtasks.helpers({ + isFinished() { + return 0 !== this.itemCount() && this.itemCount() === this.finishedCount(); + }, + itemIndex(itemId) { + const items = self.findOne({_id : this._id}).items; + return _.pluck(items, '_id').indexOf(itemId); + }, +}); + Subtasks.allow({ insert(userId, doc) { return allowIsBoardMemberByCard(userId, Cards.findOne(doc.cardId)); @@ -31,6 +64,7 @@ Subtasks.allow({ }); Subtasks.before.insert((userId, doc) => { + doc.createdAt = new Date(); if (!doc.userId) { doc.userId = userId; } -- cgit v1.2.3-1-g7c22 From d59583915cca24d53a11251c54ca7caf6b5edb4e Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Mon, 18 Jun 2018 23:25:56 +0300 Subject: Initial implementation for subtasks --- client/components/cards/cardDetails.jade | 3 + client/components/cards/cardDetails.js | 56 +++++++---- client/components/cards/checklists.jade | 5 +- client/components/cards/checklists.js | 4 +- client/components/cards/subtasks.jade | 96 ++++++++++++++++++ client/components/cards/subtasks.js | 166 +++++++++++++++++++++++++++++++ client/components/cards/subtasks.styl | 139 ++++++++++++++++++++++++++ i18n/en.i18n.json | 5 + models/activities.js | 3 + models/cards.js | 24 +++++ models/export.js | 2 + models/subtasks.js | 8 +- server/publications/boards.js | 1 + 13 files changed, 478 insertions(+), 34 deletions(-) create mode 100644 client/components/cards/subtasks.jade create mode 100644 client/components/cards/subtasks.js create mode 100644 client/components/cards/subtasks.styl diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index aa4829a9..bc0ce45c 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -144,6 +144,9 @@ template(name="cardDetails") hr +checklists(cardId = _id) + hr + +subtasks(cardId = _id) + hr h3 i.fa.fa-paperclip diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index 72ed678b..22dacb70 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -364,6 +364,20 @@ BlazeComponent.extendComponent({ }, }).register('boardsAndLists'); +function cloneCheckList(_id, checklist) { + 'use strict'; + const checklistId = checklist._id; + checklist.cardId = _id; + checklist._id = null; + const newChecklistId = Checklists.insert(checklist); + ChecklistItems.find({checklistId}).forEach(function(item) { + item._id = null; + item.checklistId = newChecklistId; + item.cardId = _id; + ChecklistItems.insert(item); + }); +} + Template.copyCardPopup.events({ 'click .js-done'() { const card = Cards.findOne(Session.get('currentCard')); @@ -392,19 +406,18 @@ Template.copyCardPopup.events({ // copy checklists let cursor = Checklists.find({cardId: oldId}); + cursor.forEach(function() { + cloneCheckList(_id, arguments[0]); + }); + + // copy subtasks + cursor = Subtasks.find({cardId: oldId}); cursor.forEach(function() { 'use strict'; - const checklist = arguments[0]; - const checklistId = checklist._id; - checklist.cardId = _id; - checklist._id = null; - const newChecklistId = Checklists.insert(checklist); - ChecklistItems.find({checklistId}).forEach(function(item) { - item._id = null; - item.checklistId = newChecklistId; - item.cardId = _id; - ChecklistItems.insert(item); - }); + const subtask = arguments[0]; + subtask.cardId = _id; + subtask._id = null; + /* const newSubtaskId = */ Subtasks.insert(subtask); }); // copy card comments @@ -453,19 +466,18 @@ Template.copyChecklistToManyCardsPopup.events({ // copy checklists let cursor = Checklists.find({cardId: oldId}); + cursor.forEach(function() { + cloneCheckList(_id, arguments[0]); + }); + + // copy subtasks + cursor = Subtasks.find({cardId: oldId}); cursor.forEach(function() { 'use strict'; - const checklist = arguments[0]; - const checklistId = checklist._id; - checklist.cardId = _id; - checklist._id = null; - const newChecklistId = Checklists.insert(checklist); - ChecklistItems.find({checklistId}).forEach(function(item) { - item._id = null; - item.checklistId = newChecklistId; - item.cardId = _id; - ChecklistItems.insert(item); - }); + const subtask = arguments[0]; + subtask.cardId = _id; + subtask._id = null; + /* const newSubtaskId = */ Subtasks.insert(subtask); }); // copy card comments diff --git a/client/components/cards/checklists.jade b/client/components/cards/checklists.jade index ae680bd5..7678f524 100644 --- a/client/components/cards/checklists.jade +++ b/client/components/cards/checklists.jade @@ -27,7 +27,6 @@ template(name="checklistDetail") if canModifyCard a.js-delete-checklist.toggle-delete-checklist-dialog {{_ "delete"}}... - span.checklist-stat(class="{{#if checklist.isFinished}}is-finished{{/if}}") {{checklist.finishedCount}}/{{checklist.itemCount}} if canModifyCard h2.title.js-open-inlined-form.is-editable +viewer @@ -75,7 +74,7 @@ template(name="checklistItems") +inlinedForm(classNames="js-edit-checklist-item" item = item checklist = checklist) +editChecklistItemForm(type = 'item' item = item checklist = checklist) else - +itemDetail(item = item checklist = checklist) + +cjecklistItemDetail(item = item checklist = checklist) if canModifyCard +inlinedForm(autoclose=false classNames="js-add-checklist-item" checklist = checklist) +addChecklistItemForm @@ -84,7 +83,7 @@ template(name="checklistItems") i.fa.fa-plus | {{_ 'add-checklist-item'}}... -template(name='itemDetail') +template(name='cjecklistItemDetail') .js-checklist-item.checklist-item if canModifyCard .check-box.materialCheckBox(class="{{#if item.isFinished }}is-checked{{/if}}") diff --git a/client/components/cards/checklists.js b/client/components/cards/checklists.js index 1f05aded..a62e493e 100644 --- a/client/components/cards/checklists.js +++ b/client/components/cards/checklists.js @@ -204,7 +204,7 @@ Template.checklistDeleteDialog.onDestroyed(() => { $cardDetails.animate( { scrollTop: this.scrollState.position }); }); -Template.itemDetail.helpers({ +Template.cjecklistItemDetail.helpers({ canModifyCard() { return Meteor.user() && Meteor.user().isBoardMember() && !Meteor.user().isCommentOnly(); }, @@ -223,4 +223,4 @@ BlazeComponent.extendComponent({ 'click .js-checklist-item .check-box': this.toggleItem, }]; }, -}).register('itemDetail'); +}).register('cjecklistItemDetail'); diff --git a/client/components/cards/subtasks.jade b/client/components/cards/subtasks.jade new file mode 100644 index 00000000..378d7a46 --- /dev/null +++ b/client/components/cards/subtasks.jade @@ -0,0 +1,96 @@ +template(name="subtasks") + h3 {{_ 'subtasks'}} + if toggleDeleteDialog.get + .board-overlay#card-details-overlay + +subtaskDeleteDialog(subtasks = subtasksToDelete) + + + .card-subtasks-items + each subtasks in currentCard.subtasks + +subtasksDetail(subtasks = subtasks) + + if canModifyCard + +inlinedForm(autoclose=false classNames="js-add-subtask" cardId = cardId) + +addSubtaskItemForm + else + a.js-open-inlined-form + i.fa.fa-plus + | {{_ 'add-subtask'}}... + +template(name="subtasksDetail") + .js-subtasks.subtasks + +inlinedForm(classNames="js-edit-subtasks-title" subtasks = subtasks) + +editsubtasksItemForm(subtasks = subtasks) + else + .subtasks-title + span + if canModifyCard + a.js-delete-subtasks.toggle-delete-subtasks-dialog {{_ "delete"}}... + + if canModifyCard + h2.title.js-open-inlined-form.is-editable + +viewer + = subtasks.title + else + h2.title + +viewer + = subtasks.title + +template(name="subtaskDeleteDialog") + .js-confirm-subtasks-delete + p + i(class="fa fa-exclamation-triangle" aria-hidden="true") + p + | {{_ 'confirm-subtask-delete-dialog'}} + span {{subtasks.title}} + | ? + .js-subtasks-delete-buttons + button.confirm-subtasks-delete(type="button") {{_ 'delete'}} + button.toggle-delete-subtasks-dialog(type="button") {{_ 'cancel'}} + +template(name="addSubtaskItemForm") + textarea.js-add-subtask-item(rows='1' autofocus) + .edit-controls.clearfix + button.primary.confirm.js-submit-add-subtask-item-form(type="submit") {{_ 'save'}} + a.fa.fa-times-thin.js-close-inlined-form + +template(name="editsubtasksItemForm") + textarea.js-edit-subtasks-item(rows='1' autofocus) + if $eq type 'item' + = item.title + else + = subtasks.title + .edit-controls.clearfix + button.primary.confirm.js-submit-edit-subtasks-item-form(type="submit") {{_ 'save'}} + a.fa.fa-times-thin.js-close-inlined-form + span(title=createdAt) {{ moment createdAt }} + if canModifyCard + a.js-delete-subtasks-item {{_ "delete"}}... + +template(name="subtasksItems") + .subtasks-items.js-subtasks-items + each item in subtasks.items + +inlinedForm(classNames="js-edit-subtasks-item" item = item subtasks = subtasks) + +editsubtasksItemForm(type = 'item' item = item subtasks = subtasks) + else + +subtaskItemDetail(item = item subtasks = subtasks) + if canModifyCard + +inlinedForm(autoclose=false classNames="js-add-subtask-item" subtasks = subtasks) + +addSubtaskItemForm + else + a.add-subtask-item.js-open-inlined-form + i.fa.fa-plus + | {{_ 'add-subtask-item'}}... + +template(name='subtaskItemDetail') + .js-subtasks-item.subtasks-item + if canModifyCard + .check-box.materialCheckBox(class="{{#if item.isFinished }}is-checked{{/if}}") + .item-title.js-open-inlined-form.is-editable(class="{{#if item.isFinished }}is-checked{{/if}}") + +viewer + = item.title + else + .materialCheckBox(class="{{#if item.isFinished }}is-checked{{/if}}") + .item-title(class="{{#if item.isFinished }}is-checked{{/if}}") + +viewer + = item.title diff --git a/client/components/cards/subtasks.js b/client/components/cards/subtasks.js new file mode 100644 index 00000000..a611ae26 --- /dev/null +++ b/client/components/cards/subtasks.js @@ -0,0 +1,166 @@ +const { calculateIndexData } = Utils; + +function initSorting(items) { + items.sortable({ + tolerance: 'pointer', + helper: 'clone', + items: '.js-subtasks-item:not(.placeholder)', + connectWith: '.js-subtasks-items', + appendTo: '.board-canvas', + distance: 7, + placeholder: 'subtasks-item placeholder', + scroll: false, + start(evt, ui) { + ui.placeholder.height(ui.helper.height()); + EscapeActions.executeUpTo('popup-close'); + }, + stop(evt, ui) { + const parent = ui.item.parents('.js-subtasks-items'); + const subtasksId = Blaze.getData(parent.get(0)).subtasks._id; + let prevItem = ui.item.prev('.js-subtasks-item').get(0); + if (prevItem) { + prevItem = Blaze.getData(prevItem).item; + } + let nextItem = ui.item.next('.js-subtasks-item').get(0); + if (nextItem) { + nextItem = Blaze.getData(nextItem).item; + } + const nItems = 1; + const sortIndex = calculateIndexData(prevItem, nextItem, nItems); + const subtasksDomElement = ui.item.get(0); + const subtasksData = Blaze.getData(subtasksDomElement); + const subtasksItem = subtasksData.item; + + items.sortable('cancel'); + + subtasksItem.move(subtasksId, sortIndex.base); + }, + }); +} + +BlazeComponent.extendComponent({ + canModifyCard() { + return Meteor.user() && Meteor.user().isBoardMember() && !Meteor.user().isCommentOnly(); + }, +}).register('subtasksDetail'); + +BlazeComponent.extendComponent({ + + addSubtask(event) { + event.preventDefault(); + const textarea = this.find('textarea.js-add-subtask-item'); + const title = textarea.value.trim(); + const cardId = this.currentData().cardId; + const card = Cards.findOne(cardId); + + if (title) { + Subtasks.insert({ + cardId, + title, + sort: card.subtasks().count(), + }); + setTimeout(() => { + this.$('.add-subtask-item').last().click(); + }, 100); + } + textarea.value = ''; + textarea.focus(); + }, + + canModifyCard() { + return Meteor.user() && Meteor.user().isBoardMember() && !Meteor.user().isCommentOnly(); + }, + + deleteSubtask() { + const subtasks = this.currentData().subtasks; + if (subtasks && subtasks._id) { + Subtasks.remove(subtasks._id); + this.toggleDeleteDialog.set(false); + } + }, + + editSubtask(event) { + event.preventDefault(); + const textarea = this.find('textarea.js-edit-subtasks-item'); + const title = textarea.value.trim(); + const subtasks = this.currentData().subtasks; + subtasks.setTitle(title); + }, + + onCreated() { + this.toggleDeleteDialog = new ReactiveVar(false); + this.subtasksToDelete = null; //Store data context to pass to subtaskDeleteDialog template + }, + + pressKey(event) { + //If user press enter key inside a form, submit it + //Unless the user is also holding down the 'shift' key + if (event.keyCode === 13 && !event.shiftKey) { + event.preventDefault(); + const $form = $(event.currentTarget).closest('form'); + $form.find('button[type=submit]').click(); + } + }, + + events() { + const events = { + 'click .toggle-delete-subtasks-dialog'(event) { + if($(event.target).hasClass('js-delete-subtasks')){ + this.subtasksToDelete = this.currentData().subtasks; //Store data context + } + this.toggleDeleteDialog.set(!this.toggleDeleteDialog.get()); + }, + }; + + return [{ + ...events, + 'submit .js-add-subtask': this.addSubtask, + 'submit .js-edit-subtasks-title': this.editSubtask, + 'click .confirm-subtasks-delete': this.deleteSubtask, + keydown: this.pressKey, + }]; + }, +}).register('subtasks'); + +Template.subtaskDeleteDialog.onCreated(() => { + const $cardDetails = this.$('.card-details'); + this.scrollState = { position: $cardDetails.scrollTop(), //save current scroll position + top: false, //required for smooth scroll animation + }; + //Callback's purpose is to only prevent scrolling after animation is complete + $cardDetails.animate({ scrollTop: 0 }, 500, () => { this.scrollState.top = true; }); + + //Prevent scrolling while dialog is open + $cardDetails.on('scroll', () => { + if(this.scrollState.top) { //If it's already in position, keep it there. Otherwise let animation scroll + $cardDetails.scrollTop(0); + } + }); +}); + +Template.subtaskDeleteDialog.onDestroyed(() => { + const $cardDetails = this.$('.card-details'); + $cardDetails.off('scroll'); //Reactivate scrolling + $cardDetails.animate( { scrollTop: this.scrollState.position }); +}); + +Template.subtaskItemDetail.helpers({ + canModifyCard() { + return Meteor.user() && Meteor.user().isBoardMember() && !Meteor.user().isCommentOnly(); + }, +}); + +BlazeComponent.extendComponent({ + toggleItem() { + const subtasks = this.currentData().subtasks; + const item = this.currentData().item; + if (subtasks && item && item._id) { + item.toggleItem(); + } + }, + events() { + return [{ + 'click .js-subtasks-item .check-box': this.toggleItem, + }]; + }, +}).register('subtaskItemDetail'); diff --git a/client/components/cards/subtasks.styl b/client/components/cards/subtasks.styl new file mode 100644 index 00000000..2d18407c --- /dev/null +++ b/client/components/cards/subtasks.styl @@ -0,0 +1,139 @@ +.js-add-subtask + color: #8c8c8c + +textarea.js-add-subtask-item, textarea.js-edit-subtasks-item + overflow: hidden + word-wrap: break-word + resize: none + height: 34px + +.delete-text + color: #8c8c8c + text-decoration: underline + word-wrap: break-word + float: right + padding-top: 6px + &:hover + color: inherit + +.subtasks-title + .checkbox + float: left + width: 30px + height 30px + font-size: 18px + line-height: 30px + + .title + font-size: 18px + line-height: 25px + + .subtasks-stat + margin: 0 0.5em + float: right + padding-top: 6px + &.is-finished + color: #3cb500 + + .js-delete-subtasks + @extends .delete-text + + +.js-confirm-subtasks-delete + background-color: darken(white, 3%) + position: absolute + float: left; + width: 60% + margin-top: 0 + margin-left: 13% + padding-bottom: 2% + padding-left: 3% + padding-right: 3% + z-index: 17 + border-radius: 3px + + p + position: relative + margin-top: 3% + width: 100% + text-align: center + span + font-weight: bold + + i + font-size: 2em + + .js-subtasks-delete-buttons + position: relative + padding: left 2% right 2% + .confirm-subtasks-delete + margin-left: 12% + float: left + .toggle-delete-subtasks-dialog + margin-right: 12% + float: right + +#card-details-overlay + top: 0 + bottom: -600px + right: 0 + +.subtasks + background: darken(white, 3%) + + &.placeholder + background: darken(white, 20%) + border-radius: 2px + + &.ui-sortable-helper + box-shadow: -2px 2px 8px rgba(0, 0, 0, .3), + 0 0 1px rgba(0, 0, 0, .5) + transform: rotate(4deg) + cursor: grabbing + + +.subtasks-item + margin: 0 0 0 0.1em + line-height: 18px + font-size: 1.1em + margin-top: 3px + display: flex + background: darken(white, 3%) + + &.placeholder + background: darken(white, 20%) + border-radius: 2px + + &.ui-sortable-helper + box-shadow: -2px 2px 8px rgba(0, 0, 0, .3), + 0 0 1px rgba(0, 0, 0, .5) + transform: rotate(4deg) + cursor: grabbing + + &:hover + background-color: darken(white, 8%) + + .check-box + margin: 0.1em 0 0 0; + &.is-checked + border-bottom: 2px solid #3cb500 + border-right: 2px solid #3cb500 + + .item-title + flex: 1 + padding-left: 10px; + &.is-checked + color: #8c8c8c + font-style: italic + & .viewer + p + margin-bottom: 2px + +.js-delete-subtasks-item + margin: 0 0 0.5em 1.33em + @extends .delete-text + padding: 12px 0 0 0 + +.add-subtask-item + margin: 0.2em 0 0.5em 1.33em + display: inline-block diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 83b5caed..17d0ff71 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -2,6 +2,7 @@ "accept": "Accept", "act-activity-notify": "[Wekan] Activity Notification", "act-addAttachment": "attached __attachment__ to __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", "act-addComment": "commented on __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "removed %s from %s", "activity-sent": "sent %s to %s", "activity-unjoined": "unjoined %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "add": "Add", @@ -48,6 +50,7 @@ "add-board": "Add Board", "add-card": "Add Card", "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", "add-checklist": "Add Checklist", "add-checklist-item": "Add an item to checklist", "add-cover": "Add Cover", @@ -140,6 +143,7 @@ "changePasswordPopup-title": "Change Password", "changePermissionsPopup-title": "Change Permissions", "changeSettingsPopup-title": "Change Settings", + "subtasks": "Subtasks", "checklists": "Checklists", "click-to-star": "Click to star this board.", "click-to-unstar": "Click to unstar this board.", @@ -162,6 +166,7 @@ "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", "computer": "Computer", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", "copy-card-link-to-clipboard": "Copy card link to clipboard", "copyCardPopup-title": "Copy Card", diff --git a/models/activities.js b/models/activities.js index f64b53f8..1ff0a299 100644 --- a/models/activities.js +++ b/models/activities.js @@ -44,6 +44,9 @@ Activities.helpers({ checklistItem() { return ChecklistItems.findOne(this.checklistItemId); }, + subtasks() { + return Subtasks.findOne(this.subtaskId); + }, customField() { return CustomFields.findOne(this.customFieldId); }, diff --git a/models/cards.js b/models/cards.js index 00ec14c2..6edffb79 100644 --- a/models/cards.js +++ b/models/cards.js @@ -215,6 +215,27 @@ Cards.helpers({ return this.checklistItemCount() !== 0; }, + subtasks() { + return Subtasks.find({cardId: this._id}, {sort: { sort: 1 } }); + }, + + subtasksCount() { + return Subtasks.find({cardId: this._id}).count(); + }, + + subtasksFinishedCount() { + return Subtasks.find({cardId: this._id, isFinished: true}).count(); + }, + + subtasksFinished() { + const finishCount = this.subtasksFinishedCount(); + return finishCount > 0 && this.subtasksCount() === finishCount; + }, + + hasSubtasks() { + return this.subtasksCount() !== 0; + }, + customFieldIndex(customFieldId) { return _.pluck(this.customFields, '_id').indexOf(customFieldId); }, @@ -513,6 +534,9 @@ function cardRemover(userId, doc) { Checklists.remove({ cardId: doc._id, }); + Subtasks.remove({ + cardId: doc._id, + }); CardComments.remove({ cardId: doc._id, }); diff --git a/models/export.js b/models/export.js index aff66801..778633f9 100644 --- a/models/export.js +++ b/models/export.js @@ -58,9 +58,11 @@ class Exporter { result.activities = Activities.find(byBoard, noBoardId).fetch(); result.checklists = []; result.checklistItems = []; + result.subtaskItems = []; result.cards.forEach((card) => { result.checklists.push(...Checklists.find({ cardId: card._id }).fetch()); result.checklistItems.push(...ChecklistItems.find({ cardId: card._id }).fetch()); + result.subtaskItems.push(...Subtasks.find({ cardId: card._id }).fetch()); }); // [Old] for attachments we only export IDs and absolute url to original doc diff --git a/models/subtasks.js b/models/subtasks.js index e842d11d..3f8b932c 100644 --- a/models/subtasks.js +++ b/models/subtasks.js @@ -41,13 +41,7 @@ Subtasks.attachSchema(new SimpleSchema({ })); Subtasks.helpers({ - isFinished() { - return 0 !== this.itemCount() && this.itemCount() === this.finishedCount(); - }, - itemIndex(itemId) { - const items = self.findOne({_id : this._id}).items; - return _.pluck(items, '_id').indexOf(itemId); - }, + // ... }); Subtasks.allow({ diff --git a/server/publications/boards.js b/server/publications/boards.js index b52ac49f..5b6bf139 100644 --- a/server/publications/boards.js +++ b/server/publications/boards.js @@ -103,6 +103,7 @@ Meteor.publishRelations('board', function(boardId) { this.cursor(Attachments.find({ cardId })); this.cursor(Checklists.find({ cardId })); this.cursor(ChecklistItems.find({ cardId })); + this.cursor(Subtasks.find({ cardId })); }); if (board.members) { -- cgit v1.2.3-1-g7c22 From 5f20e56721cd23ef6b65138f1b2aa074d7f830c6 Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Mon, 18 Jun 2018 23:38:41 +0300 Subject: Remove leftovers from checklist conversion --- client/components/cards/subtasks.js | 53 +------------------------------------ 1 file changed, 1 insertion(+), 52 deletions(-) diff --git a/client/components/cards/subtasks.js b/client/components/cards/subtasks.js index a611ae26..e65ef518 100644 --- a/client/components/cards/subtasks.js +++ b/client/components/cards/subtasks.js @@ -1,43 +1,3 @@ -const { calculateIndexData } = Utils; - -function initSorting(items) { - items.sortable({ - tolerance: 'pointer', - helper: 'clone', - items: '.js-subtasks-item:not(.placeholder)', - connectWith: '.js-subtasks-items', - appendTo: '.board-canvas', - distance: 7, - placeholder: 'subtasks-item placeholder', - scroll: false, - start(evt, ui) { - ui.placeholder.height(ui.helper.height()); - EscapeActions.executeUpTo('popup-close'); - }, - stop(evt, ui) { - const parent = ui.item.parents('.js-subtasks-items'); - const subtasksId = Blaze.getData(parent.get(0)).subtasks._id; - let prevItem = ui.item.prev('.js-subtasks-item').get(0); - if (prevItem) { - prevItem = Blaze.getData(prevItem).item; - } - let nextItem = ui.item.next('.js-subtasks-item').get(0); - if (nextItem) { - nextItem = Blaze.getData(nextItem).item; - } - const nItems = 1; - const sortIndex = calculateIndexData(prevItem, nextItem, nItems); - const subtasksDomElement = ui.item.get(0); - const subtasksData = Blaze.getData(subtasksDomElement); - const subtasksItem = subtasksData.item; - - items.sortable('cancel'); - - subtasksItem.move(subtasksId, sortIndex.base); - }, - }); -} - BlazeComponent.extendComponent({ canModifyCard() { return Meteor.user() && Meteor.user().isBoardMember() && !Meteor.user().isCommentOnly(); @@ -151,16 +111,5 @@ Template.subtaskItemDetail.helpers({ }); BlazeComponent.extendComponent({ - toggleItem() { - const subtasks = this.currentData().subtasks; - const item = this.currentData().item; - if (subtasks && item && item._id) { - item.toggleItem(); - } - }, - events() { - return [{ - 'click .js-subtasks-item .check-box': this.toggleItem, - }]; - }, + // ... }).register('subtaskItemDetail'); -- cgit v1.2.3-1-g7c22 From f89de026c414879bdb61a0f3117e92fde6acf5aa Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Tue, 19 Jun 2018 00:25:43 +0300 Subject: Change order using drag-n-drop for subtasks --- client/components/cards/cardDetails.js | 38 ++++++++++++++++++++++++++++ client/components/cards/subtasks.jade | 46 +++++++++++++++++----------------- client/components/cards/subtasks.js | 26 +++++++++---------- client/components/cards/subtasks.styl | 16 ++++++------ 4 files changed, 82 insertions(+), 44 deletions(-) diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index 22dacb70..8d917830 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -107,6 +107,41 @@ BlazeComponent.extendComponent({ }, }); + const $subtasksDom = this.$('.card-subtasks-items'); + + $subtasksDom.sortable({ + tolerance: 'pointer', + helper: 'clone', + handle: '.subtask-title', + items: '.js-subtasks', + placeholder: 'subtasks placeholder', + distance: 7, + start(evt, ui) { + ui.placeholder.height(ui.helper.height()); + EscapeActions.executeUpTo('popup-close'); + }, + stop(evt, ui) { + let prevChecklist = ui.item.prev('.js-subtasks').get(0); + if (prevChecklist) { + prevChecklist = Blaze.getData(prevChecklist).subtask; + } + let nextChecklist = ui.item.next('.js-subtasks').get(0); + if (nextChecklist) { + nextChecklist = Blaze.getData(nextChecklist).subtask; + } + const sortIndex = calculateIndexData(prevChecklist, nextChecklist, 1); + + $subtasksDom.sortable('cancel'); + const subtask = Blaze.getData(ui.item.get(0)).subtask; + + Subtasks.update(subtask._id, { + $set: { + sort: sortIndex.base, + }, + }); + }, + }); + function userIsMember() { return Meteor.user() && Meteor.user().isBoardMember(); } @@ -116,6 +151,9 @@ BlazeComponent.extendComponent({ if ($checklistsDom.data('sortable')) { $checklistsDom.sortable('option', 'disabled', !userIsMember()); } + if ($subtasksDom.data('sortable')) { + $subtasksDom.sortable('option', 'disabled', !userIsMember()); + } }); }, diff --git a/client/components/cards/subtasks.jade b/client/components/cards/subtasks.jade index 378d7a46..5bf6c7ce 100644 --- a/client/components/cards/subtasks.jade +++ b/client/components/cards/subtasks.jade @@ -2,12 +2,12 @@ template(name="subtasks") h3 {{_ 'subtasks'}} if toggleDeleteDialog.get .board-overlay#card-details-overlay - +subtaskDeleteDialog(subtasks = subtasksToDelete) + +subtaskDeleteDialog(subtask = subtaskToDelete) .card-subtasks-items - each subtasks in currentCard.subtasks - +subtasksDetail(subtasks = subtasks) + each subtask in currentCard.subtasks + +subtaskDetail(subtask = subtask) if canModifyCard +inlinedForm(autoclose=false classNames="js-add-subtask" cardId = cardId) @@ -17,36 +17,36 @@ template(name="subtasks") i.fa.fa-plus | {{_ 'add-subtask'}}... -template(name="subtasksDetail") - .js-subtasks.subtasks - +inlinedForm(classNames="js-edit-subtasks-title" subtasks = subtasks) - +editsubtasksItemForm(subtasks = subtasks) +template(name="subtaskDetail") + .js-subtasks.subtask + +inlinedForm(classNames="js-edit-subtask-title" subtask = subtask) + +editSubtaskItemForm(subtask = subtask) else - .subtasks-title + .subtask-title span if canModifyCard - a.js-delete-subtasks.toggle-delete-subtasks-dialog {{_ "delete"}}... + a.js-delete-subtask.toggle-delete-subtask-dialog {{_ "delete"}}... if canModifyCard h2.title.js-open-inlined-form.is-editable +viewer - = subtasks.title + = subtask.title else h2.title +viewer - = subtasks.title + = subtask.title template(name="subtaskDeleteDialog") - .js-confirm-subtasks-delete + .js-confirm-subtask-delete p i(class="fa fa-exclamation-triangle" aria-hidden="true") p | {{_ 'confirm-subtask-delete-dialog'}} - span {{subtasks.title}} + span {{subtask.title}} | ? - .js-subtasks-delete-buttons - button.confirm-subtasks-delete(type="button") {{_ 'delete'}} - button.toggle-delete-subtasks-dialog(type="button") {{_ 'cancel'}} + .js-subtask-delete-buttons + button.confirm-subtask-delete(type="button") {{_ 'delete'}} + button.toggle-delete-subtask-dialog(type="button") {{_ 'cancel'}} template(name="addSubtaskItemForm") textarea.js-add-subtask-item(rows='1' autofocus) @@ -54,24 +54,24 @@ template(name="addSubtaskItemForm") button.primary.confirm.js-submit-add-subtask-item-form(type="submit") {{_ 'save'}} a.fa.fa-times-thin.js-close-inlined-form -template(name="editsubtasksItemForm") - textarea.js-edit-subtasks-item(rows='1' autofocus) +template(name="editSubtaskItemForm") + textarea.js-edit-subtask-item(rows='1' autofocus) if $eq type 'item' = item.title else - = subtasks.title + = subtask.title .edit-controls.clearfix - button.primary.confirm.js-submit-edit-subtasks-item-form(type="submit") {{_ 'save'}} + button.primary.confirm.js-submit-edit-subtask-item-form(type="submit") {{_ 'save'}} a.fa.fa-times-thin.js-close-inlined-form span(title=createdAt) {{ moment createdAt }} if canModifyCard - a.js-delete-subtasks-item {{_ "delete"}}... + a.js-delete-subtask-item {{_ "delete"}}... template(name="subtasksItems") .subtasks-items.js-subtasks-items each item in subtasks.items - +inlinedForm(classNames="js-edit-subtasks-item" item = item subtasks = subtasks) - +editsubtasksItemForm(type = 'item' item = item subtasks = subtasks) + +inlinedForm(classNames="js-edit-subtask-item" item = item subtasks = subtasks) + +editSubtaskItemForm(type = 'item' item = item subtasks = subtasks) else +subtaskItemDetail(item = item subtasks = subtasks) if canModifyCard diff --git a/client/components/cards/subtasks.js b/client/components/cards/subtasks.js index e65ef518..dc6c607f 100644 --- a/client/components/cards/subtasks.js +++ b/client/components/cards/subtasks.js @@ -2,7 +2,7 @@ BlazeComponent.extendComponent({ canModifyCard() { return Meteor.user() && Meteor.user().isBoardMember() && !Meteor.user().isCommentOnly(); }, -}).register('subtasksDetail'); +}).register('subtaskDetail'); BlazeComponent.extendComponent({ @@ -32,24 +32,24 @@ BlazeComponent.extendComponent({ }, deleteSubtask() { - const subtasks = this.currentData().subtasks; - if (subtasks && subtasks._id) { - Subtasks.remove(subtasks._id); + const subtask = this.currentData().subtask; + if (subtask && subtask._id) { + Subtasks.remove(subtask._id); this.toggleDeleteDialog.set(false); } }, editSubtask(event) { event.preventDefault(); - const textarea = this.find('textarea.js-edit-subtasks-item'); + const textarea = this.find('textarea.js-edit-subtask-item'); const title = textarea.value.trim(); - const subtasks = this.currentData().subtasks; - subtasks.setTitle(title); + const subtask = this.currentData().subtask; + subtask.setTitle(title); }, onCreated() { this.toggleDeleteDialog = new ReactiveVar(false); - this.subtasksToDelete = null; //Store data context to pass to subtaskDeleteDialog template + this.subtaskToDelete = null; //Store data context to pass to subtaskDeleteDialog template }, pressKey(event) { @@ -64,9 +64,9 @@ BlazeComponent.extendComponent({ events() { const events = { - 'click .toggle-delete-subtasks-dialog'(event) { - if($(event.target).hasClass('js-delete-subtasks')){ - this.subtasksToDelete = this.currentData().subtasks; //Store data context + 'click .toggle-delete-subtask-dialog'(event) { + if($(event.target).hasClass('js-delete-subtask')){ + this.subtaskToDelete = this.currentData().subtask; //Store data context } this.toggleDeleteDialog.set(!this.toggleDeleteDialog.get()); }, @@ -75,8 +75,8 @@ BlazeComponent.extendComponent({ return [{ ...events, 'submit .js-add-subtask': this.addSubtask, - 'submit .js-edit-subtasks-title': this.editSubtask, - 'click .confirm-subtasks-delete': this.deleteSubtask, + 'submit .js-edit-subtask-title': this.editSubtask, + 'click .confirm-subtask-delete': this.deleteSubtask, keydown: this.pressKey, }]; }, diff --git a/client/components/cards/subtasks.styl b/client/components/cards/subtasks.styl index 2d18407c..5bb2d4bd 100644 --- a/client/components/cards/subtasks.styl +++ b/client/components/cards/subtasks.styl @@ -1,7 +1,7 @@ .js-add-subtask color: #8c8c8c -textarea.js-add-subtask-item, textarea.js-edit-subtasks-item +textarea.js-add-subtask-item, textarea.js-edit-subtask-item overflow: hidden word-wrap: break-word resize: none @@ -16,7 +16,7 @@ textarea.js-add-subtask-item, textarea.js-edit-subtasks-item &:hover color: inherit -.subtasks-title +.subtask-title .checkbox float: left width: 30px @@ -35,11 +35,11 @@ textarea.js-add-subtask-item, textarea.js-edit-subtasks-item &.is-finished color: #3cb500 - .js-delete-subtasks + .js-delete-subtask @extends .delete-text -.js-confirm-subtasks-delete +.js-confirm-subtask-delete background-color: darken(white, 3%) position: absolute float: left; @@ -63,13 +63,13 @@ textarea.js-add-subtask-item, textarea.js-edit-subtasks-item i font-size: 2em - .js-subtasks-delete-buttons + .js-subtask-delete-buttons position: relative padding: left 2% right 2% - .confirm-subtasks-delete + .confirm-subtask-delete margin-left: 12% float: left - .toggle-delete-subtasks-dialog + .toggle-delete-subtask-dialog margin-right: 12% float: right @@ -129,7 +129,7 @@ textarea.js-add-subtask-item, textarea.js-edit-subtasks-item p margin-bottom: 2px -.js-delete-subtasks-item +.js-delete-subtask-item margin: 0 0 0.5em 1.33em @extends .delete-text padding: 12px 0 0 0 -- cgit v1.2.3-1-g7c22 From 879a84184ff2f9b8719f5ac1e25d35e0fa5f52fb Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Tue, 19 Jun 2018 00:42:54 +0300 Subject: added ability to create a tree of cards --- models/cards.js | 5 +++++ server/migrations.js | 12 ++++++++++++ 2 files changed, 17 insertions(+) diff --git a/models/cards.js b/models/cards.js index 6edffb79..c5d7cdf9 100644 --- a/models/cards.js +++ b/models/cards.js @@ -15,6 +15,11 @@ Cards.attachSchema(new SimpleSchema({ } }, }, + parentId: { + type: String, + optional: true, + defaultValue: '', + }, listId: { type: String, }, diff --git a/server/migrations.js b/server/migrations.js index a1a5c65a..a32c2f2d 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -258,3 +258,15 @@ Migrations.add('add-assigner-field', () => { }, noValidateMulti); }); + +Migrations.add('add-parent-field-to-cards', () => { + Cards.update({ + parentId: { + $exists: false, + }, + }, { + $set: { + parentId:'', + }, + }, noValidateMulti); +}); -- cgit v1.2.3-1-g7c22 From fd465fbb60bd92c169991e050b094904c2eec95e Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Tue, 19 Jun 2018 01:00:14 +0300 Subject: Helpers for dealing with trees of cards --- models/cards.js | 19 +++++++++++++++++++ server/migrations.js | 1 - 2 files changed, 19 insertions(+), 1 deletion(-) diff --git a/models/cards.js b/models/cards.js index c5d7cdf9..1e001501 100644 --- a/models/cards.js +++ b/models/cards.js @@ -297,14 +297,33 @@ Cards.helpers({ } return true; }, + + parentCard() { + if (this.parentId === '') { + return null; + } + return Cards.findOne(this.parentId); + }, + + isTopLevel() { + return this.parentId === ''; + }, }); Cards.mutations({ + applyToKids(funct) { + Cards.find({ parentId: this._id }).forEach((card) => { + funct(card); + }); + }, + archive() { + this.applyToKids((card) => { return card.archive(); }); return {$set: {archived: true}}; }, restore() { + this.applyToKids((card) => { return card.restore(); }); return {$set: {archived: false}}; }, diff --git a/server/migrations.js b/server/migrations.js index a32c2f2d..cfc0d5ab 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -258,7 +258,6 @@ Migrations.add('add-assigner-field', () => { }, noValidateMulti); }); - Migrations.add('add-parent-field-to-cards', () => { Cards.update({ parentId: { -- cgit v1.2.3-1-g7c22 From adb7f5b2ca9e8394db314f7ff97d0d0f811c51c0 Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Sat, 23 Jun 2018 17:40:53 +0300 Subject: Switch from subtasks to cards in model --- models/cards.js | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/models/cards.js b/models/cards.js index 1e001501..8cf0ef65 100644 --- a/models/cards.js +++ b/models/cards.js @@ -221,15 +221,15 @@ Cards.helpers({ }, subtasks() { - return Subtasks.find({cardId: this._id}, {sort: { sort: 1 } }); + return Cards.find({parentId: this._id}, {sort: { sort: 1 } }); }, subtasksCount() { - return Subtasks.find({cardId: this._id}).count(); + return Cards.find({parentId: this._id}).count(); }, subtasksFinishedCount() { - return Subtasks.find({cardId: this._id, isFinished: true}).count(); + return Cards.find({parentId: this._id, archived: true}).count(); }, subtasksFinished() { -- cgit v1.2.3-1-g7c22 From 5a023e431504f7573723db6e0d2262ecb1fc61c5 Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Sat, 23 Jun 2018 23:22:38 +0300 Subject: Can add cards as subtasks --- client/components/cards/subtasks.js | 26 +++++++++++++++--- i18n/en.i18n.json | 4 ++- models/boards.js | 54 +++++++++++++++++++++++++++++++++++++ server/migrations.js | 13 +++++++++ 4 files changed, 92 insertions(+), 5 deletions(-) diff --git a/client/components/cards/subtasks.js b/client/components/cards/subtasks.js index dc6c607f..0df5d21f 100644 --- a/client/components/cards/subtasks.js +++ b/client/components/cards/subtasks.js @@ -12,13 +12,31 @@ BlazeComponent.extendComponent({ const title = textarea.value.trim(); const cardId = this.currentData().cardId; const card = Cards.findOne(cardId); + const sortIndex = -1; + const crtBoard = Boards.findOne(card.boardId); + const targetBoard = crtBoard.getDefaultSubtasksBoard(); + const listId = targetBoard.getDefaultSubtasksListId(); + const swimlaneId = Swimlanes.findOne({boardId: targetBoard._id})._id; if (title) { - Subtasks.insert({ - cardId, + const _id = Cards.insert({ title, - sort: card.subtasks().count(), + parentId: cardId, + members: [], + labelIds: [], + customFields: [], + listId, + boardId: targetBoard._id, + sort: sortIndex, + swimlaneId, }); + // In case the filter is active we need to add the newly inserted card in + // the list of exceptions -- cards that are not filtered. Otherwise the + // card will disappear instantly. + // See https://github.com/wekan/wekan/issues/80 + Filter.addException(_id); + + setTimeout(() => { this.$('.add-subtask-item').last().click(); }, 100); @@ -34,7 +52,7 @@ BlazeComponent.extendComponent({ deleteSubtask() { const subtask = this.currentData().subtask; if (subtask && subtask._id) { - Subtasks.remove(subtask._id); + Cards.remove(subtask._id); this.toggleDeleteDialog.set(false); } }, diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 17d0ff71..3a87179a 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -479,5 +479,7 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default" } diff --git a/models/boards.js b/models/boards.js index 911d82a1..6836a320 100644 --- a/models/boards.js +++ b/models/boards.js @@ -151,6 +151,16 @@ Boards.attachSchema(new SimpleSchema({ type: String, optional: true, }, + subtasksDefaultBoardId: { + type: String, + optional: true, + defaultValue: null, + }, + subtasksDefaultListId: { + type: String, + optional: true, + defaultValue: null, + }, })); @@ -284,8 +294,52 @@ Boards.helpers({ return Cards.find(query, projection); }, + // A board alwasy has another board where it deposits subtasks of thasks + // that belong to itself. + getDefaultSubtasksBoardId() { + if (this.subtasksDefaultBoardId === null) { + this.subtasksDefaultBoardId = Boards.insert({ + title: `^${this.title}^`, + permission: this.permission, + members: this.members, + color: this.color, + description: TAPi18n.__('default-subtasks-board', {board: this.title}), + }); + + Swimlanes.insert({ + title: TAPi18n.__('default'), + boardId: this.subtasksDefaultBoardId, + }); + Boards.update(this._id, {$set: { + subtasksDefaultBoardId: this.subtasksDefaultBoardId, + }}); + } + return this.subtasksDefaultBoardId; + }, + + getDefaultSubtasksBoard() { + return Boards.findOne(this.getDefaultSubtasksBoardId()); + }, + + getDefaultSubtasksListId() { + if (this.subtasksDefaultListId === null) { + this.subtasksDefaultListId = Lists.insert({ + title: TAPi18n.__('new'), + boardId: this._id, + }); + Boards.update(this._id, {$set: { + subtasksDefaultListId: this.subtasksDefaultListId, + }}); + } + return this.subtasksDefaultListId; + }, + + getDefaultSubtasksList() { + return Lists.findOne(this.getDefaultSubtasksListId()); + }, }); + Boards.mutations({ archive() { return { $set: { archived: true } }; diff --git a/server/migrations.js b/server/migrations.js index cfc0d5ab..3ab3070d 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -269,3 +269,16 @@ Migrations.add('add-parent-field-to-cards', () => { }, }, noValidateMulti); }); + +Migrations.add('add-subtasks-boards', () => { + Boards.update({ + subtasksDefaultBoardId: { + $exists: false, + }, + }, { + $set: { + subtasksDefaultBoardId: null, + subtasksDefaultListId: null, + }, + }, noValidateMulti); +}); -- cgit v1.2.3-1-g7c22 From 6ab1cbb341da44cbaffc296ea177a8cd146e5244 Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Sat, 23 Jun 2018 23:31:44 +0300 Subject: Take archived status into consideration for subtasks --- models/cards.js | 21 ++++++++++++++++++--- 1 file changed, 18 insertions(+), 3 deletions(-) diff --git a/models/cards.js b/models/cards.js index 8cf0ef65..ca0e16be 100644 --- a/models/cards.js +++ b/models/cards.js @@ -221,15 +221,30 @@ Cards.helpers({ }, subtasks() { - return Cards.find({parentId: this._id}, {sort: { sort: 1 } }); + return Cards.find({ + parentId: this._id, + archived: false, + }, {sort: { sort: 1 } }); + }, + + allSubtasks() { + return Cards.find({ + parentId: this._id, + archived: false, + }, {sort: { sort: 1 } }); }, subtasksCount() { - return Cards.find({parentId: this._id}).count(); + return Cards.find({ + parentId: this._id, + archived: false, + }).count(); }, subtasksFinishedCount() { - return Cards.find({parentId: this._id, archived: true}).count(); + return Cards.find({ + parentId: this._id, + archived: true}).count(); }, subtasksFinished() { -- cgit v1.2.3-1-g7c22 From cd36194477593f12103bc3d69e3cdd594c831099 Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Sat, 23 Jun 2018 23:44:45 +0300 Subject: Archive subtask instead of permanent delete --- client/components/cards/subtasks.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/components/cards/subtasks.js b/client/components/cards/subtasks.js index 0df5d21f..9a6666a3 100644 --- a/client/components/cards/subtasks.js +++ b/client/components/cards/subtasks.js @@ -52,7 +52,7 @@ BlazeComponent.extendComponent({ deleteSubtask() { const subtask = this.currentData().subtask; if (subtask && subtask._id) { - Cards.remove(subtask._id); + subtask.archive(); this.toggleDeleteDialog.set(false); } }, -- cgit v1.2.3-1-g7c22 From 4ac6a507cdd3e7a4610c8961e0a9f76f945a5e6d Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Sun, 24 Jun 2018 00:21:23 +0300 Subject: Get rid of old implementation for substacks --- client/components/cards/cardDetails.js | 14 +-- models/activities.js | 2 +- models/cards.js | 6 ++ models/export.js | 2 +- models/subtasks.js | 167 --------------------------------- server/migrations.js | 13 +++ server/publications/boards.js | 2 +- 7 files changed, 29 insertions(+), 177 deletions(-) delete mode 100644 models/subtasks.js diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index 8d917830..4731e448 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -136,7 +136,7 @@ BlazeComponent.extendComponent({ Subtasks.update(subtask._id, { $set: { - sort: sortIndex.base, + subtaskSort: sortIndex.base, }, }); }, @@ -449,13 +449,13 @@ Template.copyCardPopup.events({ }); // copy subtasks - cursor = Subtasks.find({cardId: oldId}); + cursor = Cards.find({parentId: oldId}); cursor.forEach(function() { 'use strict'; const subtask = arguments[0]; - subtask.cardId = _id; + subtask.parentId = _id; subtask._id = null; - /* const newSubtaskId = */ Subtasks.insert(subtask); + /* const newSubtaskId = */ Cards.insert(subtask); }); // copy card comments @@ -509,13 +509,13 @@ Template.copyChecklistToManyCardsPopup.events({ }); // copy subtasks - cursor = Subtasks.find({cardId: oldId}); + cursor = Cards.find({parentId: oldId}); cursor.forEach(function() { 'use strict'; const subtask = arguments[0]; - subtask.cardId = _id; + subtask.parentId = _id; subtask._id = null; - /* const newSubtaskId = */ Subtasks.insert(subtask); + /* const newSubtaskId = */ Cards.insert(subtask); }); // copy card comments diff --git a/models/activities.js b/models/activities.js index 1ff0a299..5b54759c 100644 --- a/models/activities.js +++ b/models/activities.js @@ -45,7 +45,7 @@ Activities.helpers({ return ChecklistItems.findOne(this.checklistItemId); }, subtasks() { - return Subtasks.findOne(this.subtaskId); + return Cards.findOne(this.subtaskId); }, customField() { return CustomFields.findOne(this.customFieldId); diff --git a/models/cards.js b/models/cards.js index ca0e16be..4ec3ea7c 100644 --- a/models/cards.js +++ b/models/cards.js @@ -127,6 +127,12 @@ Cards.attachSchema(new SimpleSchema({ type: Number, decimal: true, }, + subtaskSort: { + type: Number, + decimal: true, + defaultValue: -1, + optional: true, + }, })); Cards.allow({ diff --git a/models/export.js b/models/export.js index 778633f9..8c4c29d4 100644 --- a/models/export.js +++ b/models/export.js @@ -62,7 +62,7 @@ class Exporter { result.cards.forEach((card) => { result.checklists.push(...Checklists.find({ cardId: card._id }).fetch()); result.checklistItems.push(...ChecklistItems.find({ cardId: card._id }).fetch()); - result.subtaskItems.push(...Subtasks.find({ cardId: card._id }).fetch()); + result.subtaskItems.push(...Cards.find({ parentid: card._id }).fetch()); }); // [Old] for attachments we only export IDs and absolute url to original doc diff --git a/models/subtasks.js b/models/subtasks.js deleted file mode 100644 index 3f8b932c..00000000 --- a/models/subtasks.js +++ /dev/null @@ -1,167 +0,0 @@ -Subtasks = new Mongo.Collection('subtasks'); - -Subtasks.attachSchema(new SimpleSchema({ - title: { - type: String, - }, - startAt: { // this is a predicted time - type: Date, - optional: true, - }, - endAt: { // this is a predicted time - type: Date, - optional: true, - }, - finishedAt: { // The date & time when it is marked as being done - type: Date, - optional: true, - }, - createdAt: { - type: Date, - denyUpdate: false, - autoValue() { // eslint-disable-line consistent-return - if (this.isInsert) { - return new Date(); - } else { - this.unset(); - } - }, - }, - sort: { - type: Number, - decimal: true, - }, - isFinished: { - type: Boolean, - defaultValue: false, - }, - cardId: { - type: String, - }, -})); - -Subtasks.helpers({ - // ... -}); - -Subtasks.allow({ - insert(userId, doc) { - return allowIsBoardMemberByCard(userId, Cards.findOne(doc.cardId)); - }, - update(userId, doc) { - return allowIsBoardMemberByCard(userId, Cards.findOne(doc.cardId)); - }, - remove(userId, doc) { - return allowIsBoardMemberByCard(userId, Cards.findOne(doc.cardId)); - }, - fetch: ['userId', 'cardId'], -}); - -Subtasks.before.insert((userId, doc) => { - doc.createdAt = new Date(); - if (!doc.userId) { - doc.userId = userId; - } -}); - -// Mutations -Subtasks.mutations({ - setTitle(title) { - return { $set: { title } }; - }, - toggleItem() { - return { $set: { isFinished: !this.isFinished } }; - }, - move(sortIndex) { - const mutatedFields = { - sort: sortIndex, - }; - - return {$set: mutatedFields}; - }, -}); - -// Activities helper -function itemCreation(userId, doc) { - const card = Cards.findOne(doc.cardId); - const boardId = card.boardId; - Activities.insert({ - userId, - activityType: 'addSubtaskItem', - cardId: doc.cardId, - boardId, - subtaskItemId: doc._id, - }); -} - -function itemRemover(userId, doc) { - Activities.remove({ - subtaskItemId: doc._id, - }); -} - -// Activities -if (Meteor.isServer) { - Meteor.startup(() => { - Subtasks._collection._ensureIndex({ cardId: 1 }); - }); - - Subtasks.after.insert((userId, doc) => { - itemCreation(userId, doc); - }); - - Subtasks.after.remove((userId, doc) => { - itemRemover(userId, doc); - }); -} - -// APIs -if (Meteor.isServer) { - JsonRoutes.add('GET', '/api/boards/:boardId/cards/:cardId/subtasks/:itemId', function (req, res) { - Authentication.checkUserId( req.userId); - const paramItemId = req.params.itemId; - const subtaskItem = Subtasks.findOne({ _id: paramItemId }); - if (subtaskItem) { - JsonRoutes.sendResult(res, { - code: 200, - data: subtaskItem, - }); - } else { - JsonRoutes.sendResult(res, { - code: 500, - }); - } - }); - - JsonRoutes.add('PUT', '/api/boards/:boardId/cards/:cardId/subtasks/:itemId', function (req, res) { - Authentication.checkUserId( req.userId); - - const paramItemId = req.params.itemId; - - if (req.body.hasOwnProperty('isFinished')) { - Subtasks.direct.update({_id: paramItemId}, {$set: {isFinished: req.body.isFinished}}); - } - if (req.body.hasOwnProperty('title')) { - Subtasks.direct.update({_id: paramItemId}, {$set: {title: req.body.title}}); - } - - JsonRoutes.sendResult(res, { - code: 200, - data: { - _id: paramItemId, - }, - }); - }); - - JsonRoutes.add('DELETE', '/api/boards/:boardId/cards/:cardId/subtasks/:itemId', function (req, res) { - Authentication.checkUserId( req.userId); - const paramItemId = req.params.itemId; - Subtasks.direct.remove({ _id: paramItemId }); - JsonRoutes.sendResult(res, { - code: 200, - data: { - _id: paramItemId, - }, - }); - }); -} diff --git a/server/migrations.js b/server/migrations.js index 3ab3070d..c49581f5 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -282,3 +282,16 @@ Migrations.add('add-subtasks-boards', () => { }, }, noValidateMulti); }); + +Migrations.add('add-subtasks-sort', () => { + Boards.update({ + subtaskSort: { + $exists: false, + }, + }, { + $set: { + subtaskSort: -1, + }, + }, noValidateMulti); +}); + diff --git a/server/publications/boards.js b/server/publications/boards.js index 5b6bf139..5d095c17 100644 --- a/server/publications/boards.js +++ b/server/publications/boards.js @@ -103,7 +103,7 @@ Meteor.publishRelations('board', function(boardId) { this.cursor(Attachments.find({ cardId })); this.cursor(Checklists.find({ cardId })); this.cursor(ChecklistItems.find({ cardId })); - this.cursor(Subtasks.find({ cardId })); + this.cursor(Cards.find({ parentId: cardId })); }); if (board.members) { -- cgit v1.2.3-1-g7c22 From 989b026b33508feaa6ba806a624b95a93298327c Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Sun, 24 Jun 2018 10:44:09 +0300 Subject: Can now navigate to subtask --- client/components/cards/subtasks.jade | 1 + client/components/cards/subtasks.js | 11 +++++++++++ client/components/cards/subtasks.styl | 3 +++ 3 files changed, 15 insertions(+) diff --git a/client/components/cards/subtasks.jade b/client/components/cards/subtasks.jade index 5bf6c7ce..b0ef2f33 100644 --- a/client/components/cards/subtasks.jade +++ b/client/components/cards/subtasks.jade @@ -24,6 +24,7 @@ template(name="subtaskDetail") else .subtask-title span + a.js-view-subtask(title="{{ subtask.title }}") {{_ "view-it"}} if canModifyCard a.js-delete-subtask.toggle-delete-subtask-dialog {{_ "delete"}}... diff --git a/client/components/cards/subtasks.js b/client/components/cards/subtasks.js index 9a6666a3..087824f7 100644 --- a/client/components/cards/subtasks.js +++ b/client/components/cards/subtasks.js @@ -88,6 +88,17 @@ BlazeComponent.extendComponent({ } this.toggleDeleteDialog.set(!this.toggleDeleteDialog.get()); }, + 'click .js-view-subtask'(event) { + if($(event.target).hasClass('js-view-subtask')){ + const subtask = this.currentData().subtask; + const board = subtask.board(); + FlowRouter.go('card', { + boardId: board._id, + slug: board.slug, + cardId: subtask._id, + }); + } + }, }; return [{ diff --git a/client/components/cards/subtasks.styl b/client/components/cards/subtasks.styl index 5bb2d4bd..c2f09aa1 100644 --- a/client/components/cards/subtasks.styl +++ b/client/components/cards/subtasks.styl @@ -37,7 +37,10 @@ textarea.js-add-subtask-item, textarea.js-edit-subtask-item .js-delete-subtask @extends .delete-text + margin: 0 0.5em + .js-view-subtask + @extends .delete-text .js-confirm-subtask-delete background-color: darken(white, 3%) -- cgit v1.2.3-1-g7c22 From 50f170b75d9d149bd333091fb5f7ba150c245b15 Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Sun, 24 Jun 2018 10:59:48 +0300 Subject: A better name for incoming subtasks --- i18n/en.i18n.json | 3 ++- models/boards.js | 2 +- 2 files changed, 3 insertions(+), 2 deletions(-) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 3a87179a..5e1a99e8 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -481,5 +481,6 @@ "boardDeletePopup-title": "Delete Board?", "delete-board": "Delete Board", "default-subtasks-board": "Subtasks for __board__ board", - "default": "Default" + "default": "Default", + "queue": "Queue" } diff --git a/models/boards.js b/models/boards.js index 6836a320..6f0f7293 100644 --- a/models/boards.js +++ b/models/boards.js @@ -324,7 +324,7 @@ Boards.helpers({ getDefaultSubtasksListId() { if (this.subtasksDefaultListId === null) { this.subtasksDefaultListId = Lists.insert({ - title: TAPi18n.__('new'), + title: TAPi18n.__('queue'), boardId: this._id, }); Boards.update(this._id, {$set: { -- cgit v1.2.3-1-g7c22 From a0c02f4a5008f9ce47a4dac811aad7efdef5cc21 Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Sun, 24 Jun 2018 17:42:58 +0300 Subject: typo in renaming itemDetail to checklistItemDetail --- client/components/cards/checklists.jade | 4 ++-- client/components/cards/checklists.js | 4 ++-- 2 files changed, 4 insertions(+), 4 deletions(-) diff --git a/client/components/cards/checklists.jade b/client/components/cards/checklists.jade index 7678f524..e45e7ad9 100644 --- a/client/components/cards/checklists.jade +++ b/client/components/cards/checklists.jade @@ -74,7 +74,7 @@ template(name="checklistItems") +inlinedForm(classNames="js-edit-checklist-item" item = item checklist = checklist) +editChecklistItemForm(type = 'item' item = item checklist = checklist) else - +cjecklistItemDetail(item = item checklist = checklist) + +checklistItemDetail(item = item checklist = checklist) if canModifyCard +inlinedForm(autoclose=false classNames="js-add-checklist-item" checklist = checklist) +addChecklistItemForm @@ -83,7 +83,7 @@ template(name="checklistItems") i.fa.fa-plus | {{_ 'add-checklist-item'}}... -template(name='cjecklistItemDetail') +template(name='checklistItemDetail') .js-checklist-item.checklist-item if canModifyCard .check-box.materialCheckBox(class="{{#if item.isFinished }}is-checked{{/if}}") diff --git a/client/components/cards/checklists.js b/client/components/cards/checklists.js index a62e493e..519af629 100644 --- a/client/components/cards/checklists.js +++ b/client/components/cards/checklists.js @@ -204,7 +204,7 @@ Template.checklistDeleteDialog.onDestroyed(() => { $cardDetails.animate( { scrollTop: this.scrollState.position }); }); -Template.cjecklistItemDetail.helpers({ +Template.checklistItemDetail.helpers({ canModifyCard() { return Meteor.user() && Meteor.user().isBoardMember() && !Meteor.user().isCommentOnly(); }, @@ -223,4 +223,4 @@ BlazeComponent.extendComponent({ 'click .js-checklist-item .check-box': this.toggleItem, }]; }, -}).register('cjecklistItemDetail'); +}).register('checklistItemDetail'); -- cgit v1.2.3-1-g7c22 From aead18eb58e230ed06ac090f7ea36c64fd597992 Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Sun, 24 Jun 2018 17:47:57 +0300 Subject: change all mentions of Kids => Children --- models/cards.js | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/models/cards.js b/models/cards.js index 4ec3ea7c..2563fdf8 100644 --- a/models/cards.js +++ b/models/cards.js @@ -332,19 +332,19 @@ Cards.helpers({ }); Cards.mutations({ - applyToKids(funct) { + applyToChildren(funct) { Cards.find({ parentId: this._id }).forEach((card) => { funct(card); }); }, archive() { - this.applyToKids((card) => { return card.archive(); }); + this.applyToChildren((card) => { return card.archive(); }); return {$set: {archived: true}}; }, restore() { - this.applyToKids((card) => { return card.restore(); }); + this.applyToChildren((card) => { return card.restore(); }); return {$set: {archived: false}}; }, -- cgit v1.2.3-1-g7c22 From 04745f0c2fe83f044032713e1864c5ac00d38ac9 Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Mon, 25 Jun 2018 22:01:02 +0300 Subject: implement getDefaultSwimline for boards --- client/components/cards/subtasks.js | 2 +- client/components/lists/listBody.js | 2 +- models/boards.js | 12 ++++++++++++ server/migrations.js | 10 +--------- 4 files changed, 15 insertions(+), 11 deletions(-) diff --git a/client/components/cards/subtasks.js b/client/components/cards/subtasks.js index 087824f7..335eba36 100644 --- a/client/components/cards/subtasks.js +++ b/client/components/cards/subtasks.js @@ -16,7 +16,7 @@ BlazeComponent.extendComponent({ const crtBoard = Boards.findOne(card.boardId); const targetBoard = crtBoard.getDefaultSubtasksBoard(); const listId = targetBoard.getDefaultSubtasksListId(); - const swimlaneId = Swimlanes.findOne({boardId: targetBoard._id})._id; + const swimlaneId = targetBoard.getDefaultSwimline()._id; if (title) { const _id = Cards.insert({ diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 4bf7b369..34aeb8a8 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -46,7 +46,7 @@ BlazeComponent.extendComponent({ if (boardView === 'board-view-swimlanes') swimlaneId = this.parentComponent().parentComponent().data()._id; else if (boardView === 'board-view-lists') - swimlaneId = Swimlanes.findOne({boardId})._id; + swimlaneId = this.data().board().getDefaultSwimline()._id; if (title) { const _id = Cards.insert({ diff --git a/models/boards.js b/models/boards.js index 6f0f7293..a8b7191e 100644 --- a/models/boards.js +++ b/models/boards.js @@ -337,6 +337,18 @@ Boards.helpers({ getDefaultSubtasksList() { return Lists.findOne(this.getDefaultSubtasksListId()); }, + + getDefaultSwimline() { + let result = Swimlanes.findOne({boardId: this._id}); + if (result === undefined) { + Swimlanes.insert({ + title: TAPi18n.__('default'), + boardId: this._id, + }); + result = Swimlanes.findOne({boardId: this._id}); + } + return result; + }, }); diff --git a/server/migrations.js b/server/migrations.js index c49581f5..af866d13 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -154,15 +154,7 @@ Migrations.add('add-sort-checklists', () => { Migrations.add('add-swimlanes', () => { Boards.find().forEach((board) => { - const swimlane = Swimlanes.findOne({ boardId: board._id }); - let swimlaneId = ''; - if (swimlane) - swimlaneId = swimlane._id; - else - swimlaneId = Swimlanes.direct.insert({ - boardId: board._id, - title: 'Default', - }); + const swimlaneId = board.getDefaultSwimline()._id; Cards.find({ boardId: board._id }).forEach((card) => { if (!card.hasOwnProperty('swimlaneId')) { -- cgit v1.2.3-1-g7c22 From c9f70cf382707141561732a46dbd3e3e2f159e6e Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Mon, 25 Jun 2018 22:52:50 +0300 Subject: Check for null and undefined in board defaults --- models/boards.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/models/boards.js b/models/boards.js index a8b7191e..fce674ae 100644 --- a/models/boards.js +++ b/models/boards.js @@ -297,7 +297,7 @@ Boards.helpers({ // A board alwasy has another board where it deposits subtasks of thasks // that belong to itself. getDefaultSubtasksBoardId() { - if (this.subtasksDefaultBoardId === null) { + if ((this.subtasksDefaultBoardId === null) || (this.subtasksDefaultBoardId === undefined)) { this.subtasksDefaultBoardId = Boards.insert({ title: `^${this.title}^`, permission: this.permission, @@ -322,7 +322,7 @@ Boards.helpers({ }, getDefaultSubtasksListId() { - if (this.subtasksDefaultListId === null) { + if ((this.subtasksDefaultListId === null) || (this.subtasksDefaultListId === undefined)) { this.subtasksDefaultListId = Lists.insert({ title: TAPi18n.__('queue'), boardId: this._id, -- cgit v1.2.3-1-g7c22 From 94a52080cff14f7587c0ee837c1fca131cd6aff0 Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Mon, 25 Jun 2018 23:12:20 +0300 Subject: Board level settings for subtasks --- client/components/boards/boardHeader.jade | 31 ++++++++++++++ client/components/boards/boardHeader.js | 70 +++++++++++++++++++++++++++++++ client/components/cards/cardDetails.jade | 5 ++- client/components/cards/subtasks.js | 1 + i18n/en.i18n.json | 7 +++- models/boards.js | 16 +++++++ models/cards.js | 2 +- server/migrations.js | 12 ++++++ 8 files changed, 140 insertions(+), 4 deletions(-) diff --git a/client/components/boards/boardHeader.jade b/client/components/boards/boardHeader.jade index b4ccd3b3..59691a61 100644 --- a/client/components/boards/boardHeader.jade +++ b/client/components/boards/boardHeader.jade @@ -130,6 +130,10 @@ template(name="boardMenuPopup") li: a(href="{{exportUrl}}", download="{{exportFilename}}") {{_ 'export-board'}} li: a.js-archive-board {{_ 'archive-board'}} li: a.js-outgoing-webhooks {{_ 'outgoing-webhooks'}} + hr + ul.pop-over-list + li: a.js-subtask-settings {{_ 'subtask-settings'}} + if isSandstorm hr ul.pop-over-list @@ -193,6 +197,33 @@ template(name="boardChangeColorPopup") if isSelected i.fa.fa-check +template(name="boardSubtaskSettingsPopup") + form.board-subtask-settings + a.flex.js-field-has-subtasks(class="{{#if allowsSubtasks}}is-checked{{/if}}") + .materialCheckBox(class="{{#if allowsSubtasks}}is-checked{{/if}}") + span {{_ 'show-subtasks-field'}} + label + | {{_ 'deposit-subtasks-board'}} + select.js-field-deposit-board(disabled="{{#unless allowsSubtasks}}disabled{{/unless}}") + each boards + if isBoardSelected + option(value=_id selected="selected") {{title}} + else + option(value=_id) {{title}} + if isNullBoardSelected + option(value='null' selected="selected") {{_ 'custom-field-dropdown-none'}} + else + option(value='null') {{_ 'custom-field-dropdown-none'}} + hr + label + | {{_ 'deposit-subtasks-list'}} + select.js-field-deposit-list(disabled="{{#unless hasLists}}disabled{{/unless}}") + each lists + if isListSelected + option(value=_id selected="selected") {{title}} + else + option(value=_id) {{title}} + template(name="createBoard") form label diff --git a/client/components/boards/boardHeader.js b/client/components/boards/boardHeader.js index b2640474..bafee9b9 100644 --- a/client/components/boards/boardHeader.js +++ b/client/components/boards/boardHeader.js @@ -25,6 +25,7 @@ Template.boardMenuPopup.events({ }), 'click .js-outgoing-webhooks': Popup.open('outgoingWebhooks'), 'click .js-import-board': Popup.open('chooseBoardSource'), + 'click .js-subtask-settings': Popup.open('boardSubtaskSettings'), }); Template.boardMenuPopup.helpers({ @@ -151,6 +152,75 @@ BlazeComponent.extendComponent({ }, }).register('boardChangeColorPopup'); +BlazeComponent.extendComponent({ + onCreated() { + this.currentBoard = Boards.findOne(Session.get('currentBoard')); + }, + + allowsSubtasks() { + return this.currentBoard.allowsSubtasks; + }, + + isBoardSelected() { + return this.currentBoard.subtasksDefaultBoardId === this.currentData()._id; + }, + + isNullBoardSelected() { + return (this.currentBoard.subtasksDefaultBoardId === null) || (this.currentBoard.subtasksDefaultBoardId === undefined); + }, + + boards() { + return Boards.find({ + archived: false, + 'members.userId': Meteor.userId(), + }, { + sort: ['title'], + }); + }, + + lists() { + return Lists.find({ + boardId: this.currentBoard._id, + archived: false, + }, { + sort: ['title'], + }); + }, + + hasLists() { + return this.lists().count() > 0; + }, + + isListSelected() { + return this.currentBoard.subtasksDefaultBoardId === this.currentData()._id; + }, + + events() { + return [{ + 'click .js-field-has-subtasks'(evt) { + evt.preventDefault(); + this.currentBoard.allowsSubtasks = !this.currentBoard.allowsSubtasks; + this.currentBoard.setAllowsSubtasks(this.currentBoard.allowsSubtasks); + $('.js-field-has-subtasks .materialCheckBox').toggleClass('is-checked', this.currentBoard.allowsSubtasks); + $('.js-field-has-subtasks').toggleClass('is-checked', this.currentBoard.allowsSubtasks); + $('.js-field-deposit-board').prop('disabled', !this.currentBoard.allowsSubtasks); + }, + 'change .js-field-deposit-board'(evt) { + let value = evt.target.value; + if (value === 'null') { + value = null; + } + this.currentBoard.setSubtasksDefaultBoardId(value); + evt.preventDefault(); + }, + 'change .js-field-deposit-list'(evt) { + this.currentBoard.setSubtasksDefaultListId(evt.target.value); + evt.preventDefault(); + }, + }]; + }, +}).register('boardSubtaskSettingsPopup'); + const CreateBoard = BlazeComponent.extendComponent({ template() { return 'createBoard'; diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index bc0ce45c..789cc4b1 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -144,8 +144,9 @@ template(name="cardDetails") hr +checklists(cardId = _id) - hr - +subtasks(cardId = _id) + if currentBoard.allowsSubtasks + hr + +subtasks(cardId = _id) hr h3 diff --git a/client/components/cards/subtasks.js b/client/components/cards/subtasks.js index 335eba36..9c6f265e 100644 --- a/client/components/cards/subtasks.js +++ b/client/components/cards/subtasks.js @@ -30,6 +30,7 @@ BlazeComponent.extendComponent({ sort: sortIndex, swimlaneId, }); + // In case the filter is active we need to add the newly inserted card in // the list of exceptions -- cards that are not filtered. Otherwise the // card will disappear instantly. diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 5e1a99e8..e410572f 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -482,5 +482,10 @@ "delete-board": "Delete Board", "default-subtasks-board": "Subtasks for __board__ board", "default": "Default", - "queue": "Queue" + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks:", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:" } diff --git a/models/boards.js b/models/boards.js index fce674ae..b5b0b0fc 100644 --- a/models/boards.js +++ b/models/boards.js @@ -161,6 +161,10 @@ Boards.attachSchema(new SimpleSchema({ optional: true, defaultValue: null, }, + allowsSubtasks: { + type: Boolean, + defaultValue: true, + }, })); @@ -473,6 +477,18 @@ Boards.mutations({ }, }; }, + + setAllowsSubtasks(allowsSubtasks) { + return { $set: { allowsSubtasks } }; + }, + + setSubtasksDefaultBoardId(subtasksDefaultBoardId) { + return { $set: { subtasksDefaultBoardId } }; + }, + + setSubtasksDefaultListId(subtasksDefaultListId) { + return { $set: { subtasksDefaultListId } }; + }, }); if (Meteor.isServer) { diff --git a/models/cards.js b/models/cards.js index 2563fdf8..8d7a93d0 100644 --- a/models/cards.js +++ b/models/cards.js @@ -258,7 +258,7 @@ Cards.helpers({ return finishCount > 0 && this.subtasksCount() === finishCount; }, - hasSubtasks() { + allowsSubtasks() { return this.subtasksCount() !== 0; }, diff --git a/server/migrations.js b/server/migrations.js index af866d13..c3da3221 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -287,3 +287,15 @@ Migrations.add('add-subtasks-sort', () => { }, noValidateMulti); }); +Migrations.add('add-subtasks-allowed', () => { + Boards.update({ + allowsSubtasks: { + $exists: false, + }, + }, { + $set: { + allowsSubtasks: -1, + }, + }, noValidateMulti); +}); + -- cgit v1.2.3-1-g7c22 From c0ffd6c20f2a04bd1436ea2f0953f1c3c8afe145 Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Tue, 26 Jun 2018 02:13:31 +0300 Subject: Show parent in card (no links, yet) --- client/components/boards/boardHeader.jade | 31 +++++++++++++++--- client/components/boards/boardHeader.js | 27 ++++++++++++++++ client/components/boards/boardHeader.styl | 19 +++++++++++ client/components/cards/cardDetails.jade | 6 ++++ client/components/cards/cardDetails.js | 8 +++++ client/components/cards/minicard.jade | 16 +++++++++- i18n/en.i18n.json | 11 +++++-- models/boards.js | 16 ++++++++++ models/cards.js | 53 +++++++++++++++++++++++++++++++ server/migrations.js | 14 +++++++- 10 files changed, 193 insertions(+), 8 deletions(-) diff --git a/client/components/boards/boardHeader.jade b/client/components/boards/boardHeader.jade index 59691a61..a4abfac6 100644 --- a/client/components/boards/boardHeader.jade +++ b/client/components/boards/boardHeader.jade @@ -199,9 +199,30 @@ template(name="boardChangeColorPopup") template(name="boardSubtaskSettingsPopup") form.board-subtask-settings - a.flex.js-field-has-subtasks(class="{{#if allowsSubtasks}}is-checked{{/if}}") - .materialCheckBox(class="{{#if allowsSubtasks}}is-checked{{/if}}") - span {{_ 'show-subtasks-field'}} + h3 {{_ 'show-parent-in-minicard'}} + a#prefix-with-full-path.flex.js-field-show-parent-in-minicard(class="{{#if $eq presentParentTask 'prefix-with-full-path'}}is-checked{{/if}}") + .materialCheckBox(class="{{#if $eq presentParentTask 'prefix-with-full-path'}}is-checked{{/if}}") + span {{_ 'prefix-with-full-path'}} + a#prefix-with-parent.flex.js-field-show-parent-in-minicard(class="{{#if $eq presentParentTask 'prefix-with-parent'}}is-checked{{/if}}") + .materialCheckBox(class="{{#if $eq presentParentTask 'prefix-with-parent'}}is-checked{{/if}}") + span {{_ 'prefix-with-parent'}} + a#subtext-with-full-path.flex.js-field-show-parent-in-minicard(class="{{#if $eq presentParentTask 'subtext-with-full-path'}}is-checked{{/if}}") + .materialCheckBox(class="{{#if $eq presentParentTask 'subtext-with-full-path'}}is-checked{{/if}}") + span {{_ 'subtext-with-full-path'}} + a#subtext-with-parent.flex.js-field-show-parent-in-minicard(class="{{#if $eq presentParentTask 'subtext-with-parent'}}is-checked{{/if}}") + .materialCheckBox(class="{{#if $eq presentParentTask 'subtext-with-parent'}}is-checked{{/if}}") + span {{_ 'subtext-with-parent'}} + a#no-parent.flex.js-field-show-parent-in-minicard(class="{{#if $eq presentParentTask 'no-parent'}}is-checked{{/if}}") + .materialCheckBox(class="{{#if $eq presentParentTask 'no-parent'}}is-checked{{/if}}") + span {{_ 'no-parent'}} + div + hr + + div.check-div + a.flex.js-field-has-subtasks(class="{{#if allowsSubtasks}}is-checked{{/if}}") + .materialCheckBox(class="{{#if allowsSubtasks}}is-checked{{/if}}") + span {{_ 'show-subtasks-field'}} + label | {{_ 'deposit-subtasks-board'}} select.js-field-deposit-board(disabled="{{#unless allowsSubtasks}}disabled{{/unless}}") @@ -214,7 +235,9 @@ template(name="boardSubtaskSettingsPopup") option(value='null' selected="selected") {{_ 'custom-field-dropdown-none'}} else option(value='null') {{_ 'custom-field-dropdown-none'}} - hr + div + hr + label | {{_ 'deposit-subtasks-list'}} select.js-field-deposit-list(disabled="{{#unless hasLists}}disabled{{/unless}}") diff --git a/client/components/boards/boardHeader.js b/client/components/boards/boardHeader.js index bafee9b9..865bb212 100644 --- a/client/components/boards/boardHeader.js +++ b/client/components/boards/boardHeader.js @@ -195,6 +195,14 @@ BlazeComponent.extendComponent({ return this.currentBoard.subtasksDefaultBoardId === this.currentData()._id; }, + presentParentTask() { + let result = this.currentBoard.presentParentTask; + if ((result === null) || (result === undefined)) { + result = 'no-parent'; + } + return result; + }, + events() { return [{ 'click .js-field-has-subtasks'(evt) { @@ -217,6 +225,25 @@ BlazeComponent.extendComponent({ this.currentBoard.setSubtasksDefaultListId(evt.target.value); evt.preventDefault(); }, + 'click .js-field-show-parent-in-minicard'(evt) { + const value = evt.target.id || $(evt.target).parent()[0].id || $(evt.target).parent()[0].parent()[0].id; + const options = [ + 'prefix-with-full-path', + 'prefix-with-parent', + 'subtext-with-full-path', + 'subtext-with-parent', + 'no-parent']; + options.forEach(function(element) { + if (element !== value) { + $(`#${element} .materialCheckBox`).toggleClass('is-checked', false); + $(`#${element}`).toggleClass('is-checked', false); + } + }); + $(`#${value} .materialCheckBox`).toggleClass('is-checked', true); + $(`#${value}`).toggleClass('is-checked', true); + this.currentBoard.setPresentParentTask(value); + evt.preventDefault(); + }, }]; }, }).register('boardSubtaskSettingsPopup'); diff --git a/client/components/boards/boardHeader.styl b/client/components/boards/boardHeader.styl index 0abdb5bd..402b4f1e 100644 --- a/client/components/boards/boardHeader.styl +++ b/client/components/boards/boardHeader.styl @@ -1,3 +1,22 @@ .integration-form padding: 5px border-bottom: 1px solid #ccc + +.flex + display: -webkit-box + display: -moz-box + display: -webkit-flex + display: -moz-flex + display: -ms-flexbox + display: flex + +.option + @extends .flex + -webkit-border-radius: 3px; + border-radius: 3px; + background: #fff; + text-decoration: none; + -webkit-box-shadow: 0 1px 2px rgba(0,0,0,0.2); + box-shadow: 0 1px 2px rgba(0,0,0,0.2); + margin-top: 5px; + padding: 5px; diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index 789cc4b1..a5b8a2b3 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -13,6 +13,12 @@ template(name="cardDetails") = title if isWatching i.fa.fa-eye.card-details-watch + .card-details-path + each parentList + |   >   + a.js-parent-card {{title}} + // else + {{_ 'top-level-card'}} if archived p.warning {{_ 'card-archived'}} diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index 4731e448..1c85580f 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -70,6 +70,14 @@ BlazeComponent.extendComponent({ } }, + presentParentTask() { + let result = this.currentBoard.presentParentTask; + if ((result === null) || (result === undefined)) { + result = 'no-parent'; + } + return result; + }, + onRendered() { if (!Utils.isMiniScreen()) this.scrollParentContainer(); const $checklistsDom = this.$('.card-checklist-items'); diff --git a/client/components/cards/minicard.jade b/client/components/cards/minicard.jade index 2a8e95ab..9a9b897f 100644 --- a/client/components/cards/minicard.jade +++ b/client/components/cards/minicard.jade @@ -8,7 +8,21 @@ template(name="minicard") .minicard-label(class="card-label-{{color}}" title="{{name}}") .minicard-title +viewer - = title + if isTopLevel + = title + else + if $eq 'prefix-with-full-path' currentBoard.presentParentTask + [{{ parentString ' > ' }}] {{ title }} + else + if $eq 'prefix-with-parent' currentBoard.presentParentTask + [{{ parentCardName }}] {{ title }} + else + = title + if $eq 'subtext-with-full-path' currentBoard.presentParentTask + .small {{ parentString ' > ' }} + if $eq 'subtext-with-parent' currentBoard.presentParentTask + .small {{ parentCardName }} + .dates if receivedAt unless startAt diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index e410572f..ed2c45af 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -485,7 +485,14 @@ "queue": "Queue", "subtask-settings": "Subtasks Settings", "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", - "show-subtasks-field": "Cards can have subtasks:", + "show-subtasks-field": "Cards can have subtasks", "deposit-subtasks-board": "Deposit subtasks to this board:", - "deposit-subtasks-list": "Landing list for subtasks deposited here:" + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with full parent", + "no-parent": "Don't show parent" + } diff --git a/models/boards.js b/models/boards.js index b5b0b0fc..2d80a56a 100644 --- a/models/boards.js +++ b/models/boards.js @@ -165,6 +165,18 @@ Boards.attachSchema(new SimpleSchema({ type: Boolean, defaultValue: true, }, + presentParentTask: { + type: String, + allowedValues: [ + 'prefix-with-full-path', + 'prefix-with-parent', + 'subtext-with-full-path', + 'subtext-with-parent', + 'no-parent', + ], + optional: true, + defaultValue: 'no-parent', + }, })); @@ -489,6 +501,10 @@ Boards.mutations({ setSubtasksDefaultListId(subtasksDefaultListId) { return { $set: { subtasksDefaultListId } }; }, + + setPresentParentTask(presentParentTask) { + return { $set: { presentParentTask } }; + }, }); if (Meteor.isServer) { diff --git a/models/cards.js b/models/cards.js index 8d7a93d0..323ec407 100644 --- a/models/cards.js +++ b/models/cards.js @@ -326,6 +326,59 @@ Cards.helpers({ return Cards.findOne(this.parentId); }, + parentCardName() { + if (this.parentId === '') { + return ''; + } + return Cards.findOne(this.parentId).title; + }, + + parentListId() { + const result = []; + let crtParentId = this.parentId; + while (crtParentId !== '') { + const crt = Cards.findOne(crtParentId); + if ((crt === null) || (crt === undefined)) { + // maybe it has been deleted + break; + } + if (crtParentId in result) { + // circular reference + break; + } + result.unshift(crtParentId); + crtParentId = crt.parentId; + } + return result; + }, + + parentList() { + const resultId = []; + const result = []; + let crtParentId = this.parentId; + while (crtParentId !== '') { + const crt = Cards.findOne(crtParentId); + if ((crt === null) || (crt === undefined)) { + // maybe it has been deleted + break; + } + if (crtParentId in resultId) { + // circular reference + break; + } + resultId.unshift(crtParentId); + result.unshift(crt); + crtParentId = crt.parentId; + } + return result; + }, + + parentString(sep) { + return this.parentList().map(function(elem){ + return elem.title; + }).join(sep); + }, + isTopLevel() { return this.parentId === ''; }, diff --git a/server/migrations.js b/server/migrations.js index c3da3221..5194b79f 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -294,7 +294,19 @@ Migrations.add('add-subtasks-allowed', () => { }, }, { $set: { - allowsSubtasks: -1, + allowsSubtasks: true, + }, + }, noValidateMulti); +}); + +Migrations.add('add-subtasks-allowed', () => { + Boards.update({ + presentParentTask: { + $exists: false, + }, + }, { + $set: { + presentParentTask: 'no-parent', }, }, noValidateMulti); }); -- cgit v1.2.3-1-g7c22 From 3a4a075dbadba8c1ce12fa86730a4507985729f7 Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Tue, 26 Jun 2018 13:22:51 +0300 Subject: Fix minicard parents display --- client/components/cards/minicard.jade | 27 +++++++++++++-------------- client/components/cards/minicard.styl | 7 +++++++ i18n/en.i18n.json | 2 +- 3 files changed, 21 insertions(+), 15 deletions(-) diff --git a/client/components/cards/minicard.jade b/client/components/cards/minicard.jade index 9a9b897f..57913669 100644 --- a/client/components/cards/minicard.jade +++ b/client/components/cards/minicard.jade @@ -7,21 +7,20 @@ template(name="minicard") each labels .minicard-label(class="card-label-{{color}}" title="{{name}}") .minicard-title + if $eq 'prefix-with-full-path' currentBoard.presentParentTask + .parent-prefix + | {{ parentString ' > ' }} + if $eq 'prefix-with-parent' currentBoard.presentParentTask + .parent-prefix + | {{ parentCardName }} +viewer - if isTopLevel - = title - else - if $eq 'prefix-with-full-path' currentBoard.presentParentTask - [{{ parentString ' > ' }}] {{ title }} - else - if $eq 'prefix-with-parent' currentBoard.presentParentTask - [{{ parentCardName }}] {{ title }} - else - = title - if $eq 'subtext-with-full-path' currentBoard.presentParentTask - .small {{ parentString ' > ' }} - if $eq 'subtext-with-parent' currentBoard.presentParentTask - .small {{ parentCardName }} + {{ title }} + if $eq 'subtext-with-full-path' currentBoard.presentParentTask + .parent-subtext + | {{ parentString ' > ' }} + if $eq 'subtext-with-parent' currentBoard.presentParentTask + .parent-subtext + | {{ parentCardName }} .dates if receivedAt diff --git a/client/components/cards/minicard.styl b/client/components/cards/minicard.styl index 38f829d0..6c9414a7 100644 --- a/client/components/cards/minicard.styl +++ b/client/components/cards/minicard.styl @@ -162,6 +162,13 @@ margin-bottom: 20px overflow-y: auto +.parent-prefix + color: darken(white, 30%) + font-size: 0.9em +.parent-subtext + color: darken(white, 30%) + font-size: 0.9em + @media screen and (max-width: 800px) .minicard .is-selected & diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index ed2c45af..e89d6928 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -492,7 +492,7 @@ "prefix-with-full-path": "Prefix with full path", "prefix-with-parent": "Prefix with parent", "subtext-with-full-path": "Subtext with full path", - "subtext-with-parent": "Subtext with full parent", + "subtext-with-parent": "Subtext with parent", "no-parent": "Don't show parent" } -- cgit v1.2.3-1-g7c22 From bac490d2f3b5531125694ff0cd9fa1e55d255c80 Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Tue, 26 Jun 2018 14:10:58 +0300 Subject: Links for parents in card details. --- client/components/cards/cardDetails.jade | 2 +- client/components/cards/cardDetails.js | 19 ++++++++++++++++++- 2 files changed, 19 insertions(+), 2 deletions(-) diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index a5b8a2b3..0110d12e 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -16,7 +16,7 @@ template(name="cardDetails") .card-details-path each parentList |   >   - a.js-parent-card {{title}} + a.js-parent-card(href=linkForCard) {{title}} // else {{_ 'top-level-card'}} diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index 1c85580f..d4957964 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -20,10 +20,11 @@ BlazeComponent.extendComponent({ }, onCreated() { + this.currentBoard = Boards.findOne(Session.get('currentBoard')); this.isLoaded = new ReactiveVar(false); const boardBody = this.parentComponent().parentComponent(); //in Miniview parent is Board, not BoardBody. - if (boardBody !== null){ + if (boardBody !== null) { boardBody.showOverlay.set(true); boardBody.mouseHasEnterCardDetails = false; } @@ -78,6 +79,22 @@ BlazeComponent.extendComponent({ return result; }, + linkForCard() { + const card = this.currentData(); + let result = '#'; + if (card) { + const board = Boards.findOne(card.boardId); + if (board) { + result = FlowRouter.url('card', { + boardId: card.boardId, + slug: board.slug, + cardId: card._id, + }); + } + } + return result; + }, + onRendered() { if (!Utils.isMiniScreen()) this.scrollParentContainer(); const $checklistsDom = this.$('.card-checklist-items'); -- cgit v1.2.3-1-g7c22 From 439d7c3dbc38e6b8165b3d65f78d0f90e7e5d7db Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Tue, 26 Jun 2018 14:49:21 +0300 Subject: Fix conflict in migrations (Error: title is required by removing find() from all of migrations.) --- server/migrations.js | 19 +++++++++---------- 1 file changed, 9 insertions(+), 10 deletions(-) diff --git a/server/migrations.js b/server/migrations.js index 5194b79f..10097d41 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -55,7 +55,7 @@ Migrations.add('lowercase-board-permission', () => { // Security migration: see https://github.com/wekan/wekan/issues/99 Migrations.add('change-attachments-type-for-non-images', () => { const newTypeForNonImage = 'application/octet-stream'; - Attachments.find().forEach((file) => { + Attachments.forEach((file) => { if (!file.isImage()) { Attachments.update(file._id, { $set: { @@ -68,7 +68,7 @@ Migrations.add('change-attachments-type-for-non-images', () => { }); Migrations.add('card-covers', () => { - Cards.find().forEach((card) => { + Cards.forEach((card) => { const cover = Attachments.findOne({ cardId: card._id, cover: true }); if (cover) { Cards.update(card._id, {$set: {coverId: cover._id}}, noValidate); @@ -86,7 +86,7 @@ Migrations.add('use-css-class-for-boards-colors', () => { '#2C3E50': 'midnight', '#E67E22': 'pumpkin', }; - Boards.find().forEach((board) => { + Boards.forEach((board) => { const oldBoardColor = board.background.color; const newBoardColor = associationTable[oldBoardColor]; Boards.update(board._id, { @@ -97,7 +97,7 @@ Migrations.add('use-css-class-for-boards-colors', () => { }); Migrations.add('denormalize-star-number-per-board', () => { - Boards.find().forEach((board) => { + Boards.forEach((board) => { const nStars = Users.find({'profile.starredBoards': board._id}).count(); Boards.update(board._id, {$set: {stars: nStars}}, noValidate); }); @@ -132,7 +132,7 @@ Migrations.add('add-member-isactive-field', () => { }); Migrations.add('add-sort-checklists', () => { - Checklists.find().forEach((checklist, index) => { + Checklists.forEach((checklist, index) => { if (!checklist.hasOwnProperty('sort')) { Checklists.direct.update( checklist._id, @@ -153,9 +153,8 @@ Migrations.add('add-sort-checklists', () => { }); Migrations.add('add-swimlanes', () => { - Boards.find().forEach((board) => { + Boards.forEach((board) => { const swimlaneId = board.getDefaultSwimline()._id; - Cards.find({ boardId: board._id }).forEach((card) => { if (!card.hasOwnProperty('swimlaneId')) { Cards.direct.update( @@ -169,7 +168,7 @@ Migrations.add('add-swimlanes', () => { }); Migrations.add('add-views', () => { - Boards.find().forEach((board) => { + Boards.forEach((board) => { if (!board.hasOwnProperty('view')) { Boards.direct.update( { _id: board._id }, @@ -181,7 +180,7 @@ Migrations.add('add-views', () => { }); Migrations.add('add-checklist-items', () => { - Checklists.find().forEach((checklist) => { + Checklists.forEach((checklist) => { // Create new items _.sortBy(checklist.items, 'sort').forEach((item, index) => { ChecklistItems.direct.insert({ @@ -202,7 +201,7 @@ Migrations.add('add-checklist-items', () => { }); Migrations.add('add-profile-view', () => { - Users.find().forEach((user) => { + Users.forEach((user) => { if (!user.hasOwnProperty('profile.boardView')) { // Set default view Users.direct.update( -- cgit v1.2.3-1-g7c22 From b7d508e8c4cf858559e144053d119ceaebfa9697 Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Tue, 26 Jun 2018 17:39:31 +0300 Subject: Added ability to change card's parent. --- client/components/cards/cardDetails.jade | 27 ++++++ client/components/cards/cardDetails.js | 137 +++++++++++++++++++++++++------ i18n/en.i18n.json | 3 + models/boards.js | 4 + models/cards.js | 15 +++- 5 files changed, 156 insertions(+), 30 deletions(-) diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index 0110d12e..aaad7c7c 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -283,10 +283,37 @@ template(name="cardMorePopup") button.js-copy-card-link-to-clipboard(class="btn") {{_ 'copy-card-link-to-clipboard'}} span.clearfix br + h2 {{_ 'change-card-parent'}} + label {{_ 'source-board'}}: + select.js-field-parent-board + each boards + if isParentBoard + option(value="{{_id}}" selected) {{title}} + else + option(value="{{_id}}") {{title}} + if isTopLevel + option(value="none" selected) {{_ 'custom-field-dropdown-none'}} + else + option(value="none") {{_ 'custom-field-dropdown-none'}} + + label {{_ 'parent-card'}}: + select.js-field-parent-card + if isTopLevel + option(value="none" selected) {{_ 'custom-field-dropdown-none'}} + else + each cards + if isParentCard + option(value="{{_id}}" selected) {{title}} + else + option(value="{{_id}}") {{title}} + option(value="none") {{_ 'custom-field-dropdown-none'}} + br | {{_ 'added'}} span.date(title=card.createdAt) {{ moment createdAt 'LLL' }} a.js-delete(title="{{_ 'card-delete-notice'}}") {{_ 'delete'}} + + template(name="cardDeletePopup") p {{_ "card-delete-pop"}} unless archived diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index d4957964..5fee1680 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -390,7 +390,6 @@ Template.moveCardPopup.events({ Popup.close(); }, }); - BlazeComponent.extendComponent({ onCreated() { subManager.subscribe('board', Session.get('currentBoard')); @@ -427,6 +426,7 @@ BlazeComponent.extendComponent({ }, }).register('boardsAndLists'); + function cloneCheckList(_id, checklist) { 'use strict'; const checklistId = checklist._id; @@ -558,36 +558,119 @@ Template.copyChecklistToManyCardsPopup.events({ }, }); +BlazeComponent.extendComponent({ + onCreated() { + this.currentCard = this.currentData(); + this.parentCard = this.currentCard.parentCard(); + if (this.parentCard) { + this.parentBoard = this.parentCard.board(); + } else { + this.parentBoard = null; + } + }, + + boards() { + const boards = Boards.find({ + archived: false, + 'members.userId': Meteor.userId(), + }, { + sort: ['title'], + }); + return boards; + }, -Template.cardMorePopup.events({ - 'click .js-copy-card-link-to-clipboard' () { - // Clipboard code from: - // https://stackoverflow.com/questions/6300213/copy-selected-text-to-the-clipboard-without-using-flash-must-be-cross-browser - const StringToCopyElement = document.getElementById('cardURL'); - StringToCopyElement.select(); - if (document.execCommand('copy')) { - StringToCopyElement.blur(); + cards() { + if (this.parentBoard) { + return this.parentBoard.cards(); } else { - document.getElementById('cardURL').selectionStart = 0; - document.getElementById('cardURL').selectionEnd = 999; - document.execCommand('copy'); - if (window.getSelection) { - if (window.getSelection().empty) { // Chrome - window.getSelection().empty(); - } else if (window.getSelection().removeAllRanges) { // Firefox - window.getSelection().removeAllRanges(); - } - } else if (document.selection) { // IE? - document.selection.empty(); - } + return []; } }, - 'click .js-delete': Popup.afterConfirm('cardDelete', function () { - Popup.close(); - Cards.remove(this._id); - Utils.goBoardId(this.boardId); - }), -}); + + isParentBoard() { + const board = this.currentData(); + if (this.parentBoard) { + return board._id === this.parentBoard; + } + return false; + }, + + isParentCard() { + const card = this.currentData(); + if (this.parentCard) { + return card._id === this.parentCard; + } + return false; + }, + + setParentCardId(cardId) { + if (cardId === 'null') { + cardId = null; + this.parentCard = null; + } else { + this.parentCard = Cards.findOne(cardId); + } + this.currentCard.setParentId(cardId); + }, + + events() { + return [{ + 'click .js-copy-card-link-to-clipboard' () { + // Clipboard code from: + // https://stackoverflow.com/questions/6300213/copy-selected-text-to-the-clipboard-without-using-flash-must-be-cross-browser + const StringToCopyElement = document.getElementById('cardURL'); + StringToCopyElement.select(); + if (document.execCommand('copy')) { + StringToCopyElement.blur(); + } else { + document.getElementById('cardURL').selectionStart = 0; + document.getElementById('cardURL').selectionEnd = 999; + document.execCommand('copy'); + if (window.getSelection) { + if (window.getSelection().empty) { // Chrome + window.getSelection().empty(); + } else if (window.getSelection().removeAllRanges) { // Firefox + window.getSelection().removeAllRanges(); + } + } else if (document.selection) { // IE? + document.selection.empty(); + } + } + }, + 'click .js-delete': Popup.afterConfirm('cardDelete', function () { + Popup.close(); + Cards.remove(this._id); + Utils.goBoardId(this.boardId); + }), + 'change .js-field-parent-board'(evt) { + const selection = $(evt.currentTarget).val(); + const list = $('.js-field-parent-card'); + list.empty(); + if (selection === 'none') { + this.parentBoard = null; + list.prop('disabled', true); + } else { + this.parentBoard = Boards.findOne(selection); + this.parentBoard.cards().forEach(function(card) { + list.append( + $('').val(card._id).html(card.title) + ); + }); + list.prop('disabled', false); + } + list.append( + `` + ); + this.setParentCardId('null'); + }, + 'change .js-field-parent-card'(evt) { + const selection = $(evt.currentTarget).val(); + this.setParentCardId(selection); + }, + }]; + }, +}).register('cardMorePopup'); + // Close the card details pane by pressing escape EscapeActions.register('detailsPane', diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index e89d6928..42dbd2d5 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -493,6 +493,9 @@ "prefix-with-parent": "Prefix with parent", "subtext-with-full-path": "Subtext with full path", "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", "no-parent": "Don't show parent" } diff --git a/models/boards.js b/models/boards.js index 2d80a56a..c83050c0 100644 --- a/models/boards.js +++ b/models/boards.js @@ -220,6 +220,10 @@ Boards.helpers({ return Swimlanes.find({ boardId: this._id, archived: false }, { sort: { sort: 1 } }); }, + cards() { + return Cards.find({ boardId: this._id, archived: false }, { sort: { sort: 1 } }); + }, + hasOvertimeCards(){ const card = Cards.findOne({isOvertime: true, boardId: this._id, archived: false} ); return card !== undefined; diff --git a/models/cards.js b/models/cards.js index 323ec407..b6a7b4c6 100644 --- a/models/cards.js +++ b/models/cards.js @@ -327,10 +327,14 @@ Cards.helpers({ }, parentCardName() { - if (this.parentId === '') { - return ''; + let result = ''; + if (this.parentId !== '') { + const card = Cards.findOne(this.parentId); + if (card) { + result = card.title; + } } - return Cards.findOne(this.parentId).title; + return result; }, parentListId() { @@ -541,6 +545,11 @@ Cards.mutations({ unsetSpentTime() { return {$unset: {spentTime: '', isOvertime: false}}; }, + + setParentId(parentId) { + return {$set: {parentId}}; + }, + }); -- cgit v1.2.3-1-g7c22 From 226d25ca943e3be8256639f0fc9b517cb0c217a0 Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Tue, 26 Jun 2018 19:55:23 +0300 Subject: Introducing third board view: calendar. A dependency to rzymek:fullcalendar has also been added. --- .meteor/packages | 1 + .meteor/versions | 2 ++ client/components/boards/boardBody.js | 6 ++++++ client/components/boards/boardHeader.js | 4 +++- client/components/lists/listBody.js | 2 +- client/components/swimlanes/swimlanes.js | 2 ++ i18n/en.i18n.json | 1 + models/users.js | 5 +++++ 8 files changed, 21 insertions(+), 2 deletions(-) diff --git a/.meteor/packages b/.meteor/packages index c1b8ab88..c2b0aff7 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -84,3 +84,4 @@ accounts-password@1.5.0 cfs:gridfs browser-policy eluck:accounts-lockout +rzymek:fullcalendar diff --git a/.meteor/versions b/.meteor/versions index 2ab1af11..5dd1f2ce 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -103,6 +103,7 @@ mixmax:smart-disconnect@0.0.4 mobile-status-bar@1.0.14 modules@0.11.0 modules-runtime@0.9.1 +momentjs:moment@2.8.4 mongo@1.3.1 mongo-dev-server@1.1.0 mongo-id@1.0.6 @@ -139,6 +140,7 @@ reactive-var@1.0.11 reload@1.1.11 retry@1.0.9 routepolicy@1.0.12 +rzymek:fullcalendar@3.8.0 service-configuration@1.0.11 session@1.1.7 sha@1.0.9 diff --git a/client/components/boards/boardBody.js b/client/components/boards/boardBody.js index dfe7b8d2..a377dd73 100644 --- a/client/components/boards/boardBody.js +++ b/client/components/boards/boardBody.js @@ -98,6 +98,12 @@ BlazeComponent.extendComponent({ return (currentUser.profile.boardView === 'board-view-lists'); }, + isViewCalendar() { + const currentUser = Meteor.user(); + if (!currentUser) return true; + return (currentUser.profile.boardView === 'board-view-cal'); + }, + openNewListForm() { if (this.isViewSwimlanes()) { this.childComponents('swimlane')[0] diff --git a/client/components/boards/boardHeader.js b/client/components/boards/boardHeader.js index b2640474..222cc404 100644 --- a/client/components/boards/boardHeader.js +++ b/client/components/boards/boardHeader.js @@ -89,9 +89,11 @@ BlazeComponent.extendComponent({ 'click .js-toggle-board-view'() { const currentUser = Meteor.user(); if (currentUser.profile.boardView === 'board-view-swimlanes') { - currentUser.setBoardView('board-view-lists'); + currentUser.setBoardView('board-view-cal'); } else if (currentUser.profile.boardView === 'board-view-lists') { currentUser.setBoardView('board-view-swimlanes'); + } else if (currentUser.profile.boardView === 'board-view-cal') { + currentUser.setBoardView('board-view-lists'); } }, 'click .js-open-filter-view'() { diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 4bf7b369..adb2fadb 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -45,7 +45,7 @@ BlazeComponent.extendComponent({ const boardView = Meteor.user().profile.boardView; if (boardView === 'board-view-swimlanes') swimlaneId = this.parentComponent().parentComponent().data()._id; - else if (boardView === 'board-view-lists') + else if ((boardView === 'board-view-lists') || (boardView === 'board-view-cal')) swimlaneId = Swimlanes.findOne({boardId})._id; if (title) { diff --git a/client/components/swimlanes/swimlanes.js b/client/components/swimlanes/swimlanes.js index 7965c2bc..c67fe6af 100644 --- a/client/components/swimlanes/swimlanes.js +++ b/client/components/swimlanes/swimlanes.js @@ -7,6 +7,8 @@ function currentCardIsInThisList(listId, swimlaneId) { return currentCard && currentCard.listId === listId; else if (currentUser.profile.boardView === 'board-view-swimlanes') return currentCard && currentCard.listId === listId && currentCard.swimlaneId === swimlaneId; + else if (currentUser.profile.boardView === 'board-view-cal') + return currentCard; else return false; } diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 68a7612d..51a9b4cc 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Board Menu", "boards": "Boards", "board-view": "Board View", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Lists", "bucket-example": "Like “Bucket List” for example", diff --git a/models/users.js b/models/users.js index 0093f7cb..5a7fbbe5 100644 --- a/models/users.js +++ b/models/users.js @@ -100,6 +100,11 @@ Users.attachSchema(new SimpleSchema({ 'profile.boardView': { type: String, optional: true, + allowedValues: [ + 'board-view-lists', + 'board-view-swimlanes', + 'board-view-cal', + ], }, services: { type: Object, -- cgit v1.2.3-1-g7c22 From b198a3ed993f161f110929330d80fd21c516024c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 26 Jun 2018 21:29:38 +0300 Subject: Fix typo. --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index d3c4aa55..acb1dc5c 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -9,7 +9,7 @@ and fixes the following bugs: * [Fix typo in English translation](https://github.com/wekan/wekan/pull/1710); * [Fix vertical align of user avatar initials](https://github.com/wekan/wekan/pull/1714); -* [Submit inline form on click outside]https://github.com/wekan/wekan/pull/1717), fixes +* [Submit inline form on click outside](https://github.com/wekan/wekan/pull/1717), fixes ["You have an unsaved description" doesn't go away after saving](https://github.com/wekan/wekan/issues/1287); * [Fix "Error: title is required" by removing find() from all of migrations](https://github.com/wekan/wekan/commit/97922c90cb42be6c6615639bb164173748982f56). -- cgit v1.2.3-1-g7c22 From d501e5832ab5ac2548f1b814bce3e1d3411fa2b5 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 26 Jun 2018 21:31:29 +0300 Subject: Fix typo. --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index acb1dc5c..123303b8 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,7 +3,7 @@ This release adds the following new features: * [Add more card inner shadow](https://github.com/wekan/wekan/commit/6a587299b80a49fce0789628ff65885b5ed2c837); -* [Less margin-bottom after minicard](https://github.com/wekan/wekan/pull/1713); +* [Less margin-bottom after minicard](https://github.com/wekan/wekan/pull/1713). and fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 2a165dccd4a17f2797876ce349b4cfbf4c7b5882 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 26 Jun 2018 21:37:21 +0300 Subject: Update translations (sv). --- i18n/sv.i18n.json | 26 +++++++++++++------------- 1 file changed, 13 insertions(+), 13 deletions(-) diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index c91f1928..ba9c8f3f 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -99,7 +99,7 @@ "boardChangeWatchPopup-title": "Ändra bevaka", "boardMenuPopup-title": "Anslagstavla meny", "boards": "Anslagstavlor", - "board-view": "Board View", + "board-view": "Anslagstavelsvy", "board-view-swimlanes": "Simbanor", "board-view-lists": "Listor", "bucket-example": "Gilla \"att-göra-innan-jag-dör-lista\" till exempel", @@ -108,7 +108,7 @@ "card-comments-title": "Detta kort har %s kommentar.", "card-delete-notice": "Ta bort är permanent. Du kommer att förlora alla åtgärder i samband med detta kort.", "card-delete-pop": "Alla åtgärder kommer att tas bort från aktivitetsflöde och du kommer inte att kunna öppna kortet igen. Det går inte att ångra.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "Du kan flytta ett kort till papperskorgen for att ta bort det från anslagstavlan och bevara aktiviteten.", "card-due": "Förfaller", "card-due-on": "Förfaller på", "card-spent": "Spenderad tid", @@ -146,7 +146,7 @@ "clipboard": "Urklipp eller dra och släpp", "close": "Stäng", "close-board": "Stäng anslagstavla", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "Du kan återskapa anslagstavlan genom att klicka på \"Papperskorgen\" från huvudmenyn.", "color-black": "svart", "color-blue": "blå", "color-green": "grön", @@ -165,9 +165,9 @@ "confirm-checklist-delete-dialog": "Är du säker på att du vill ta bort checklista", "copy-card-link-to-clipboard": "Kopiera kortlänk till urklipp", "copyCardPopup-title": "Kopiera kort", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-title": "Kopiera checklist-mallen till flera kort", "copyChecklistToManyCardsPopup-instructions": "Destinationskorttitlar och beskrivningar i detta JSON-format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Första kortets titel\", \"description\":\"Första kortets beskrivning\"}, {\"title\":\"Andra kortets titel\",\"description\":\"Andra kortets beskrivning\"},{\"title\":\"Sista kortets titel\",\"description\":\"Sista kortets beskrivning\"} ]", "create": "Skapa", "createBoardPopup-title": "Skapa anslagstavla", "chooseBoardSourcePopup-title": "Importera anslagstavla", @@ -178,7 +178,7 @@ "custom-field-delete-pop": "Det går inte att ångra. Detta tar bort det här anpassade fältet från alla kort och förstör dess historia.", "custom-field-checkbox": "Kryssruta", "custom-field-date": "Datum", - "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown": "Rullgardingsmeny", "custom-field-dropdown-none": "(inga)", "custom-field-dropdown-options": "Listalternativ", "custom-field-dropdown-options-placeholder": "Tryck på enter för att lägga till fler alternativ", @@ -247,7 +247,7 @@ "filter-on-desc": "Du filtrerar kort på denna anslagstavla. Klicka här för att redigera filter.", "filter-to-selection": "Filter till val", "advanced-filter-label": "Avancerat filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Avancerade Filter låter dig skriva en sträng innehållande följande operatorer: == != <= >= && || ( ). Ett mellanslag används som separator mellan operatorerna. Du kan filtrera alla specialfält genom att skriva dess namn och värde. Till exempel: Fält1 == Vårde1. Notera: om fälten eller värden innehåller mellanrum behöver du innesluta dem med enkla citatstecken. Till exempel: 'Fält 1' == 'Värde 1'. För att skippa enkla kontrolltecken (' \\/) kan du använda \\. Till exempel: Fält1 == I\\'m. Du kan även kombinera fler villkor. TIll exempel: F1 == V1 || F1 == V2. Vanligtvis läses operatorerna från vänster till höger. Du kan ändra ordning genom att använda paranteser. TIll exempel: F1 == V1 && ( F2 == V2 || F2 == V3 ). Du kan även söka efter textfält med hjälp av regex: F1 == /Tes.*/i", "fullname": "Namn", "header-logo-title": "Gå tillbaka till din anslagstavlor-sida.", "hide-system-messages": "Göm systemmeddelanden", @@ -288,7 +288,7 @@ "leaveBoardPopup-title": "Lämna anslagstavla ?", "link-card": "Länka till detta kort", "list-archive-cards": "Flytta alla kort i den här listan till papperskorgen", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards-pop": "Detta tar bort alla kort i den här listan från anslagstavlan. För att se kort i papperskorgen och få tillbaka dem till den här anslagstavlan, klicka på \"Meny\" > \"Papperskorgen\".", "list-move-cards": "Flytta alla kort i denna lista", "list-select-cards": "Välj alla kort i denna lista", "listActionPopup-title": "Liståtgärder", @@ -436,9 +436,9 @@ "email-smtp-test-text": "Du har skickat ett e-postmeddelande", "error-invitation-code-not-exist": "Inbjudningskod finns inte", "error-notAuthorized": "Du är inte behörig att se den här sidan.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", + "outgoing-webhooks": "Utgående Webhookar", + "outgoingWebhooksPopup-title": "Utgående Webhookar", + "new-outgoing-webhook": "Ny utgående webhook", "no-name": "(Okänd)", "Wekan_version": "Wekan version", "Node_version": "Nodversion", @@ -471,8 +471,8 @@ "editCardEndDatePopup-title": "Ändra slutdatum", "assigned-by": "Tilldelad av", "requested-by": "Efterfrågad av", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "board-delete-notice": "Borttagningen är permanent. Du kommer förlora alla listor, kort och händelser kopplade till den här anslagstavlan.", + "delete-board-confirm-popup": "Alla listor, kort, etiketter och aktiviteter kommer tas bort och du kommer inte kunna återställa anslagstavlans innehåll. Det går inte att ångra.", "boardDeletePopup-title": "Ta bort anslagstavla?", "delete-board": "Ta bort anslagstavla" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 18467dfe40f2f715262b79c35f6084cc7814d363 Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Tue, 26 Jun 2018 22:11:51 +0300 Subject: Show cards in calendar --- .meteor/packages | 1 + .meteor/versions | 2 +- client/components/boards/boardBody.jade | 2 ++ client/components/boards/boardBody.js | 56 +++++++++++++++++++++++++++++++++ models/boards.js | 27 ++++++++++++++++ 5 files changed, 87 insertions(+), 1 deletion(-) diff --git a/.meteor/packages b/.meteor/packages index c2b0aff7..15d3aa59 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -85,3 +85,4 @@ cfs:gridfs browser-policy eluck:accounts-lockout rzymek:fullcalendar +momentjs:moment@2.22.2 diff --git a/.meteor/versions b/.meteor/versions index 5dd1f2ce..caad25fa 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -103,7 +103,7 @@ mixmax:smart-disconnect@0.0.4 mobile-status-bar@1.0.14 modules@0.11.0 modules-runtime@0.9.1 -momentjs:moment@2.8.4 +momentjs:moment@2.22.2 mongo@1.3.1 mongo-dev-server@1.1.0 mongo-id@1.0.6 diff --git a/client/components/boards/boardBody.jade b/client/components/boards/boardBody.jade index 29a613b9..b480bc0f 100644 --- a/client/components/boards/boardBody.jade +++ b/client/components/boards/boardBody.jade @@ -25,3 +25,5 @@ template(name="boardBody") +swimlane(this) if isViewLists +listsGroup + if isViewCalendar + +fullcalendar(calendarOptions) diff --git a/client/components/boards/boardBody.js b/client/components/boards/boardBody.js index a377dd73..935c550f 100644 --- a/client/components/boards/boardBody.js +++ b/client/components/boards/boardBody.js @@ -114,6 +114,62 @@ BlazeComponent.extendComponent({ } }, + calendarOptions() { + return { + id: 'calendar-view', + defaultView: 'basicWeek', + header: { + left: 'title', + center: 'agendaDay,listDay,timelineDay agendaWeek,listWeek,timelineWeek month,timelineMonth timelineYear', + right: 'today prev,next', + }, + views: { + basic: { + // options apply to basicWeek and basicDay views + }, + agenda: { + // options apply to agendaWeek and agendaDay views + }, + week: { + // options apply to basicWeek and agendaWeek views + }, + day: { + // options apply to basicDay and agendaDay views + }, + }, + themeSystem: 'jquery-ui', + height: 'parent', + /* TODO: lists as resources: https://fullcalendar.io/docs/vertical-resource-view */ + navLinks: true, + nowIndicator: true, + businessHours: { + // days of week. an array of zero-based day of week integers (0=Sunday) + dow: [ 1, 2, 3, 4, 5 ], // Monday - Thursday + start: '8:00', + end: '18:00', + }, + locale: TAPi18n.getLanguage(), + events(start, end, timezone, callback) { + const currentBoard = Boards.findOne(Session.get('currentBoard')); + const events = []; + currentBoard.cardsInInterval(start.toDate(), end.toDate()).forEach(function(card){ + events.push({ + id: card.id, + title: card.title, + start: card.startAt, + end: card.endAt, + url: FlowRouter.url('card', { + boardId: currentBoard._id, + slug: currentBoard.slug, + cardId: card._id, + }), + }); + }); + callback(events); + }, + }; + }, + events() { return [{ // XXX The board-overlay div should probably be moved to the parent diff --git a/models/boards.js b/models/boards.js index 911d82a1..3b6c280b 100644 --- a/models/boards.js +++ b/models/boards.js @@ -284,6 +284,33 @@ Boards.helpers({ return Cards.find(query, projection); }, + + cardsInInterval(start, end) { + return Cards.find({ + $or: [ + { + startAt: { + $lte: start, + }, endAt: { + $gte: start, + }, + }, { + startAt: { + $lte: end, + }, endAt: { + $gte: end, + }, + }, { + startAt: { + $gte: start, + }, endAt: { + $lte: end, + }, + }, + ], + }); + }, + }); Boards.mutations({ -- cgit v1.2.3-1-g7c22 From 663a4040f965be6e6b120d93cd9fbcf86dcf8906 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 27 Jun 2018 10:24:07 +0300 Subject: Add Georgian language. --- CHANGELOG.md | 3 +- i18n/ka.i18n.json | 478 ++++++++++++++++++++++++++++++++++++++++++++++++++++++ 2 files changed, 480 insertions(+), 1 deletion(-) create mode 100644 i18n/ka.i18n.json diff --git a/CHANGELOG.md b/CHANGELOG.md index 123303b8..2393effd 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,7 +3,8 @@ This release adds the following new features: * [Add more card inner shadow](https://github.com/wekan/wekan/commit/6a587299b80a49fce0789628ff65885b5ed2c837); -* [Less margin-bottom after minicard](https://github.com/wekan/wekan/pull/1713). +* [Less margin-bottom after minicard](https://github.com/wekan/wekan/pull/1713); +* Add Georgian language. and fixes the following bugs: diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json new file mode 100644 index 00000000..f8f74ce7 --- /dev/null +++ b/i18n/ka.i18n.json @@ -0,0 +1,478 @@ +{ + "accept": "Accept", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Recycle Bin", + "act-archivedCard": "__card__ moved to Recycle Bin", + "act-archivedList": "__list__ moved to Recycle Bin", + "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Recycle Bin", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "add": "Add", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Members", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Recycle Bin", + "archive-all": "Move All to Recycle Bin", + "archive-board": "Move Board to Recycle Bin", + "archive-card": "Move Card to Recycle Bin", + "archive-list": "Move List to Recycle Bin", + "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-selection": "Move selection to Recycle Bin", + "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archived-items": "Recycle Bin", + "archived-boards": "Boards in Recycle Bin", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Recycle Bin.", + "archives": "Recycle Bin", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Recycle Bin.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Members", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "computer": "Computer", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Members", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Recycle Bin.", + "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board" +} \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 766b58d91b7a76738ee7c95da2522ef62de866b1 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 27 Jun 2018 11:06:37 +0300 Subject: v1.08 --- CHANGELOG.md | 3 ++- Dockerfile | 3 +-- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- snapcraft.yaml | 3 +-- 5 files changed, 7 insertions(+), 8 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 2393effd..67bf5d07 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,9 +1,10 @@ -# Upcoming Wekan release +# v1.08 2018-06-27 Wekan release This release adds the following new features: * [Add more card inner shadow](https://github.com/wekan/wekan/commit/6a587299b80a49fce0789628ff65885b5ed2c837); * [Less margin-bottom after minicard](https://github.com/wekan/wekan/pull/1713); +* Updated newest node fork binary from Sandstorm to Wekan, see https://releases.wekan.team/node.txt * Add Georgian language. and fixes the following bugs: diff --git a/Dockerfile b/Dockerfile index 19612429..8b8b6a09 100644 --- a/Dockerfile +++ b/Dockerfile @@ -47,9 +47,8 @@ RUN \ # Fiber.poolSize = 1e9; # Download node version 8.11.1 that has fix included, node binary copied from Sandstorm # Description at https://releases.wekan.team/node.txt - # SHA256SUM: 18c99d5e79e2fe91e75157a31be30e5420787213684d4048eb91e602e092725d wget https://releases.wekan.team/node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ - echo "509e79f1bfccc849b65bd3f207a56095dfa608f17502997e844fa9c9d01e6c20 node-v8.11.1-linux-x64.tar.gz" >> SHASUMS256.txt.asc && \ + echo "308d0caaef0a1da3e98d1a1615016aad9659b3caf31d0f09ced20cabedb8acbf node-v8.11.1-linux-x64.tar.gz" >> SHASUMS256.txt.asc && \ \ # Verify nodejs authenticity grep ${NODE_VERSION}-${ARCHITECTURE}.tar.gz SHASUMS256.txt.asc | shasum -a 256 -c - && \ diff --git a/package.json b/package.json index 078e8c88..6dd21217 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.07.0", + "version": "1.08.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index a7d46939..56c0640d 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 92, + appVersion = 93, # Increment this for every release. - appMarketingVersion = (defaultText = "1.07.0~2018-06-14"), + appMarketingVersion = (defaultText = "1.07.0~2018-06-27"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, diff --git a/snapcraft.yaml b/snapcraft.yaml index d1b89a67..b1895701 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -110,8 +110,7 @@ parts: # Fiber.poolSize = 1e9; # Download node version 8.11.1 that has fix included, node binary copied from Sandstorm # Description at https://releases.wekan.team/node.txt - # SHA256SUM: 18c99d5e79e2fe91e75157a31be30e5420787213684d4048eb91e602e092725d - echo "5f2703af5f7bd48e85fc8ed32d61de7c7cf81c53d0dcd73f6c218ed87e950fae node" >> node-SHASUMS256.txt.asc + echo "13baa1b3114a5ea3248875e0f36cb46fcf8acd212de1fb74ba68ef4c9a4e1d93 node" >> node-SHASUMS256.txt.asc curl https://releases.wekan.team/node -o node # Verify Fibers patched node authenticity echo "Fibers 100% CPU issue patched node authenticity:" -- cgit v1.2.3-1-g7c22 From d23ac2b385d777f6ea22cb0c78557a75ee0018b1 Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Wed, 27 Jun 2018 15:30:52 +0300 Subject: Restore invitation code logic --- client/components/settings/invitationCode.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/components/settings/invitationCode.js b/client/components/settings/invitationCode.js index c02f860f..a403d8ab 100644 --- a/client/components/settings/invitationCode.js +++ b/client/components/settings/invitationCode.js @@ -1,6 +1,6 @@ Template.invitationCode.onRendered(() => { const setting = Settings.findOne(); - if (setting || setting.disableRegistration) { + if (!setting || !setting.disableRegistration) { $('#invitationcode').hide(); } }); -- cgit v1.2.3-1-g7c22 From 19d239f4cf90686db9c775bb0c3899b65760b06c Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Wed, 27 Jun 2018 16:25:57 +0300 Subject: Prevent errors due to missing date fields --- client/components/cards/cardDate.js | 57 +++++++++++++++++++++++-------------- 1 file changed, 36 insertions(+), 21 deletions(-) diff --git a/client/components/cards/cardDate.js b/client/components/cards/cardDate.js index c3e0524d..02ea09ae 100644 --- a/client/components/cards/cardDate.js +++ b/client/components/cards/cardDate.js @@ -218,10 +218,13 @@ class CardReceivedDate extends CardDate { } classes() { - let classes = 'received-date' + ' '; - if (this.date.get().isBefore(this.now.get(), 'minute') && - this.now.get().isBefore(this.data().dueAt)) { - classes += 'current'; + let classes = 'received-date '; + const dueAt = this.data().dueAt; + if (dueAt) { + if (this.date.get().isBefore(this.now.get(), 'minute') && + this.now.get().isBefore(dueAt)) { + classes += 'current'; + } } return classes; } @@ -249,9 +252,12 @@ class CardStartDate extends CardDate { classes() { let classes = 'start-date' + ' '; - if (this.date.get().isBefore(this.now.get(), 'minute') && - this.now.get().isBefore(this.data().dueAt)) { - classes += 'current'; + const dueAt = this.data().dueAt; + if (dueAt) { + if (this.date.get().isBefore(this.now.get(), 'minute') && + this.now.get().isBefore(dueAt)) { + classes += 'current'; + } } return classes; } @@ -279,18 +285,23 @@ class CardDueDate extends CardDate { classes() { let classes = 'due-date' + ' '; + // if endAt exists & is < dueAt, dueAt doesn't need to be flagged - if ((this.data().endAt !== 0) && - (this.data().endAt !== null) && - (this.data().endAt !== '') && - (this.data().endAt !== undefined) && - (this.date.get().isBefore(this.data().endAt))) + const endAt = this.data().endAt; + const theDate = this.date.get(); + const now = this.now.get(); + + if ((endAt !== 0) && + (endAt !== null) && + (endAt !== '') && + (endAt !== undefined) && + (theDate.isBefore(endAt))) classes += 'current'; - else if (this.now.get().diff(this.date.get(), 'days') >= 2) + else if (now.diff(theDate, 'days') >= 2) classes += 'long-overdue'; - else if (this.now.get().diff(this.date.get(), 'minute') >= 0) + else if (now.diff(theDate, 'minute') >= 0) classes += 'due'; - else if (this.now.get().diff(this.date.get(), 'days') >= -1) + else if (now.diff(theDate, 'days') >= -1) classes += 'almost-due'; return classes; } @@ -318,12 +329,16 @@ class CardEndDate extends CardDate { classes() { let classes = 'end-date' + ' '; - if (this.data.dueAt.diff(this.date.get(), 'days') >= 2) - classes += 'long-overdue'; - else if (this.data.dueAt.diff(this.date.get(), 'days') > 0) - classes += 'due'; - else if (this.data.dueAt.diff(this.date.get(), 'days') <= 0) - classes += 'current'; + const dueAt = this.data.dueAt; + if (dueAt) { + const diff = dueAt.diff(this.date.get(), 'days'); + if (diff >= 2) + classes += 'long-overdue'; + else if (diff > 0) + classes += 'due'; + else if (diff <= 0) + classes += 'current'; + } return classes; } -- cgit v1.2.3-1-g7c22 From 0394a78ecea21c0174dd0b6f1d9d31947fa3b48e Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Wed, 27 Jun 2018 17:39:29 +0300 Subject: Get rid of extra package staringatlights:flow-router is another incarnation of kadira:flow-router kadira:flow-router is not an explicit dependency but useraccounts:flow-routing depends on it. This commit gets rid of an anoying message informing that a route has not been found. --- .meteor/packages | 1 - .meteor/versions | 1 - 2 files changed, 2 deletions(-) diff --git a/.meteor/packages b/.meteor/packages index 15d3aa59..8f83280f 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -77,7 +77,6 @@ email@1.2.3 horka:swipebox dynamic-import@0.2.0 staringatlights:fast-render -staringatlights:flow-router mixmax:smart-disconnect accounts-password@1.5.0 diff --git a/.meteor/versions b/.meteor/versions index caad25fa..a173e7e4 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -157,7 +157,6 @@ srp@1.0.10 standard-minifier-css@1.3.5 standard-minifier-js@2.2.3 staringatlights:fast-render@2.16.5 -staringatlights:flow-router@2.12.2 staringatlights:inject-data@2.0.5 stylus@2.513.13 tap:i18n@1.8.2 -- cgit v1.2.3-1-g7c22 From 3c4549fe64c8b57f1f9e2eb700889aa1488ad056 Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Wed, 27 Jun 2018 22:23:28 +0300 Subject: Can show card on top of calendar --- client/components/boards/boardBody.jade | 8 ++++- client/components/boards/boardBody.js | 63 ++++----------------------------- 2 files changed, 13 insertions(+), 58 deletions(-) diff --git a/client/components/boards/boardBody.jade b/client/components/boards/boardBody.jade index b480bc0f..0a454e92 100644 --- a/client/components/boards/boardBody.jade +++ b/client/components/boards/boardBody.jade @@ -26,4 +26,10 @@ template(name="boardBody") if isViewLists +listsGroup if isViewCalendar - +fullcalendar(calendarOptions) + +calendarView + +template(name="calendarView") + .swimlane.list-group.js-lists + if currentCard + +cardDetails(currentCard) + +fullcalendar diff --git a/client/components/boards/boardBody.js b/client/components/boards/boardBody.js index 935c550f..911b0120 100644 --- a/client/components/boards/boardBody.js +++ b/client/components/boards/boardBody.js @@ -113,63 +113,6 @@ BlazeComponent.extendComponent({ .childComponents('addListForm')[0].open(); } }, - - calendarOptions() { - return { - id: 'calendar-view', - defaultView: 'basicWeek', - header: { - left: 'title', - center: 'agendaDay,listDay,timelineDay agendaWeek,listWeek,timelineWeek month,timelineMonth timelineYear', - right: 'today prev,next', - }, - views: { - basic: { - // options apply to basicWeek and basicDay views - }, - agenda: { - // options apply to agendaWeek and agendaDay views - }, - week: { - // options apply to basicWeek and agendaWeek views - }, - day: { - // options apply to basicDay and agendaDay views - }, - }, - themeSystem: 'jquery-ui', - height: 'parent', - /* TODO: lists as resources: https://fullcalendar.io/docs/vertical-resource-view */ - navLinks: true, - nowIndicator: true, - businessHours: { - // days of week. an array of zero-based day of week integers (0=Sunday) - dow: [ 1, 2, 3, 4, 5 ], // Monday - Thursday - start: '8:00', - end: '18:00', - }, - locale: TAPi18n.getLanguage(), - events(start, end, timezone, callback) { - const currentBoard = Boards.findOne(Session.get('currentBoard')); - const events = []; - currentBoard.cardsInInterval(start.toDate(), end.toDate()).forEach(function(card){ - events.push({ - id: card.id, - title: card.title, - start: card.startAt, - end: card.endAt, - url: FlowRouter.url('card', { - boardId: currentBoard._id, - slug: currentBoard.slug, - cardId: card._id, - }), - }); - }); - callback(events); - }, - }; - }, - events() { return [{ // XXX The board-overlay div should probably be moved to the parent @@ -202,3 +145,9 @@ BlazeComponent.extendComponent({ }, }).register('boardBody'); + +BlazeComponent.extendComponent({ + onRendered() { + + }, +}).register('calendarView'); -- cgit v1.2.3-1-g7c22 From 374e9865792dd8219d1d7d10fcc23f98ed7c5817 Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Wed, 27 Jun 2018 22:37:32 +0300 Subject: Can show card on event click --- client/components/boards/boardBody.jade | 4 ++-- client/components/boards/boardBody.js | 24 ++++++++++++++++++++++++ 2 files changed, 26 insertions(+), 2 deletions(-) diff --git a/client/components/boards/boardBody.jade b/client/components/boards/boardBody.jade index 0a454e92..9e4b9c61 100644 --- a/client/components/boards/boardBody.jade +++ b/client/components/boards/boardBody.jade @@ -29,7 +29,7 @@ template(name="boardBody") +calendarView template(name="calendarView") - .swimlane.list-group.js-lists + .calendar-view.swimlane if currentCard +cardDetails(currentCard) - +fullcalendar + +fullcalendar(calendarOptions) diff --git a/client/components/boards/boardBody.js b/client/components/boards/boardBody.js index 911b0120..1308c280 100644 --- a/client/components/boards/boardBody.js +++ b/client/components/boards/boardBody.js @@ -150,4 +150,28 @@ BlazeComponent.extendComponent({ onRendered() { }, + calendarOptions() { + return { + id: 'calendar-view', + defaultView: 'basicWeek', + events(start, end, timezone, callback) { + const currentBoard = Boards.findOne(Session.get('currentBoard')); + const events = []; + currentBoard.cardsInInterval(start.toDate(), end.toDate()).forEach(function(card){ + events.push({ + id: card.id, + title: card.title, + start: card.startAt, + end: card.endAt, + url: FlowRouter.url('card', { + boardId: currentBoard._id, + slug: currentBoard.slug, + cardId: card._id, + }), + }); + }); + callback(events); + }, + }; + }, }).register('calendarView'); -- cgit v1.2.3-1-g7c22 From 9cb8aab3ba8554ae85141ac5e7e199867949bef2 Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Wed, 27 Jun 2018 23:00:14 +0300 Subject: Reactive change when a date is modified. --- client/components/boards/boardBody.js | 23 +++++++++++++++++++++-- 1 file changed, 21 insertions(+), 2 deletions(-) diff --git a/client/components/boards/boardBody.js b/client/components/boards/boardBody.js index 1308c280..dc6b9bef 100644 --- a/client/components/boards/boardBody.js +++ b/client/components/boards/boardBody.js @@ -148,12 +148,31 @@ BlazeComponent.extendComponent({ BlazeComponent.extendComponent({ onRendered() { - + this.autorun(function(){ + $('#calendar-view').fullCalendar('refetchEvents'); + }); }, calendarOptions() { return { id: 'calendar-view', - defaultView: 'basicWeek', + defaultView: 'agendaDay', + header: { + left: 'title today prev,next', + center: 'agendaDay,listDay,timelineDay agendaWeek,listWeek,timelineWeek month,timelineMonth timelineYear', + right: '', + }, + // height: 'parent', nope, doesn't work as the parent might be small + height: 'auto', + /* TODO: lists as resources: https://fullcalendar.io/docs/vertical-resource-view */ + navLinks: true, + nowIndicator: true, + businessHours: { + // days of week. an array of zero-based day of week integers (0=Sunday) + dow: [ 1, 2, 3, 4, 5 ], // Monday - Friday + start: '8:00', + end: '18:00', + }, + locale: TAPi18n.getLanguage(), events(start, end, timezone, callback) { const currentBoard = Boards.findOne(Session.get('currentBoard')); const events = []; -- cgit v1.2.3-1-g7c22 From 864ad3827d07653f489fc6b5ae87e6e81af7dd81 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 27 Jun 2018 23:25:48 +0300 Subject: - To fix "title is required" fix only add-checklist-items and revert all other migration changes. Closes #1576, closes #1734 --- server/migrations.js | 16 ++++++++-------- 1 file changed, 8 insertions(+), 8 deletions(-) diff --git a/server/migrations.js b/server/migrations.js index 976e478c..91ab4cb9 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -55,7 +55,7 @@ Migrations.add('lowercase-board-permission', () => { // Security migration: see https://github.com/wekan/wekan/issues/99 Migrations.add('change-attachments-type-for-non-images', () => { const newTypeForNonImage = 'application/octet-stream'; - Attachments.forEach((file) => { + Attachments.find().forEach((file) => { if (!file.isImage()) { Attachments.update(file._id, { $set: { @@ -68,7 +68,7 @@ Migrations.add('change-attachments-type-for-non-images', () => { }); Migrations.add('card-covers', () => { - Cards.forEach((card) => { + Cards.find().forEach((card) => { const cover = Attachments.findOne({ cardId: card._id, cover: true }); if (cover) { Cards.update(card._id, {$set: {coverId: cover._id}}, noValidate); @@ -86,7 +86,7 @@ Migrations.add('use-css-class-for-boards-colors', () => { '#2C3E50': 'midnight', '#E67E22': 'pumpkin', }; - Boards.forEach((board) => { + Boards.find().forEach((board) => { const oldBoardColor = board.background.color; const newBoardColor = associationTable[oldBoardColor]; Boards.update(board._id, { @@ -97,7 +97,7 @@ Migrations.add('use-css-class-for-boards-colors', () => { }); Migrations.add('denormalize-star-number-per-board', () => { - Boards.forEach((board) => { + Boards.find().forEach((board) => { const nStars = Users.find({'profile.starredBoards': board._id}).count(); Boards.update(board._id, {$set: {stars: nStars}}, noValidate); }); @@ -132,7 +132,7 @@ Migrations.add('add-member-isactive-field', () => { }); Migrations.add('add-sort-checklists', () => { - Checklists.forEach((checklist, index) => { + Checklists.find().forEach((checklist, index) => { if (!checklist.hasOwnProperty('sort')) { Checklists.direct.update( checklist._id, @@ -153,7 +153,7 @@ Migrations.add('add-sort-checklists', () => { }); Migrations.add('add-swimlanes', () => { - Boards.forEach((board) => { + Boards.find().forEach((board) => { const swimlane = Swimlanes.findOne({ boardId: board._id }); let swimlaneId = ''; if (swimlane) @@ -177,7 +177,7 @@ Migrations.add('add-swimlanes', () => { }); Migrations.add('add-views', () => { - Boards.forEach((board) => { + Boards.find().forEach((board) => { if (!board.hasOwnProperty('view')) { Boards.direct.update( { _id: board._id }, @@ -210,7 +210,7 @@ Migrations.add('add-checklist-items', () => { }); Migrations.add('add-profile-view', () => { - Users.forEach((user) => { + Users.find().forEach((user) => { if (!user.hasOwnProperty('profile.boardView')) { // Set default view Users.direct.update( -- cgit v1.2.3-1-g7c22 From 5619eef6202f3c6f0f483310676724e89ee89632 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 27 Jun 2018 23:37:50 +0300 Subject: - Restore invitation code logic. Please test and add comment to those invitation code issues that this fixes. Thanks to TNick ! --- CHANGELOG.md | 11 +++++++++++ 1 file changed, 11 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 67bf5d07..e261c68e 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,14 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +* To fix ["title is required"](https://github.com/wekan/wekan/issues/1576) fix only + add-checklist-items and revert all other migration changes](https://github.com/wekan/wekan/issues/1734); +* [Restore invitation code logic](https://github.com/wekan/wekan/pull/1732). Please test and add comment + to those invitation code issues that this fixes. + +Thanks to GitHub users TNick and xet7 for their contributions. + # v1.08 2018-06-27 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From bccfa320a96511fc9576cf127e9d28d244a22f3d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 27 Jun 2018 23:56:15 +0300 Subject: - Calendar. Thanks to TNick ! --- CHANGELOG.md | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index e261c68e..c9ed8cf2 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,6 +1,10 @@ # Upcoming Wekan release -This release fixes the following bugs: +This release adds the following new features: + +* [Calendar](https://github.com/wekan/wekan/pull/1728). + +and fixes the following bugs: * To fix ["title is required"](https://github.com/wekan/wekan/issues/1576) fix only add-checklist-items and revert all other migration changes](https://github.com/wekan/wekan/issues/1734); -- cgit v1.2.3-1-g7c22 From d0611e1bffc05cc4cd66ac936a6b3c568f4a2387 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 28 Jun 2018 00:09:52 +0300 Subject: Update translations. --- i18n/ar.i18n.json | 1 + i18n/bg.i18n.json | 1 + i18n/br.i18n.json | 1 + i18n/ca.i18n.json | 1 + i18n/cs.i18n.json | 1 + i18n/de.i18n.json | 1 + i18n/el.i18n.json | 1 + i18n/en-GB.i18n.json | 1 + i18n/eo.i18n.json | 1 + i18n/es-AR.i18n.json | 1 + i18n/es.i18n.json | 1 + i18n/eu.i18n.json | 1 + i18n/fa.i18n.json | 1 + i18n/fi.i18n.json | 1 + i18n/fr.i18n.json | 1 + i18n/gl.i18n.json | 1 + i18n/he.i18n.json | 1 + i18n/hu.i18n.json | 1 + i18n/hy.i18n.json | 1 + i18n/id.i18n.json | 1 + i18n/ig.i18n.json | 1 + i18n/it.i18n.json | 1 + i18n/ja.i18n.json | 1 + i18n/ka.i18n.json | 1 + i18n/km.i18n.json | 1 + i18n/ko.i18n.json | 1 + i18n/lv.i18n.json | 1 + i18n/mn.i18n.json | 1 + i18n/nb.i18n.json | 1 + i18n/nl.i18n.json | 1 + i18n/pl.i18n.json | 1 + i18n/pt-BR.i18n.json | 1 + i18n/pt.i18n.json | 1 + i18n/ro.i18n.json | 1 + i18n/ru.i18n.json | 1 + i18n/sr.i18n.json | 1 + i18n/sv.i18n.json | 1 + i18n/ta.i18n.json | 1 + i18n/th.i18n.json | 1 + i18n/tr.i18n.json | 1 + i18n/uk.i18n.json | 1 + i18n/vi.i18n.json | 1 + i18n/zh-CN.i18n.json | 1 + i18n/zh-TW.i18n.json | 1 + 44 files changed, 44 insertions(+) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index e3522abf..47c120e8 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "قائمة اللوحة", "boards": "لوحات", "board-view": "Board View", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "القائمات", "bucket-example": "مثل « todo list » على سبيل المثال", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index a09cd94b..c2874364 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Меню на Таблото", "boards": "Табла", "board-view": "Board View", + "board-view-cal": "Calendar", "board-view-swimlanes": "Коридори", "board-view-lists": "Списъци", "bucket-example": "Like “Bucket List” for example", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index 58415db1..fa2c25e2 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Board Menu", "boards": "Boards", "board-view": "Board View", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Lists", "bucket-example": "Like “Bucket List” for example", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 66b4a2c1..5badc85e 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Menú del tauler", "boards": "Taulers", "board-view": "Visió del tauler", + "board-view-cal": "Calendar", "board-view-swimlanes": "Carrils de Natació", "board-view-lists": "Llistes", "bucket-example": "Igual que “Bucket List”, per exemple", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index aec46191..f067e9d3 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Menu tabla", "boards": "Tabla", "board-view": "Náhled tabla", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Seznamy", "bucket-example": "Například \"Než mě odvedou\"", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index d0973aa3..756bc8f6 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Boardmenü", "boards": "Boards", "board-view": "Boardansicht", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Listen", "bucket-example": "z.B. \"Löffelliste\"", diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 9436d7bd..cd00671a 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Board Menu", "boards": "Boards", "board-view": "Board View", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Λίστες", "bucket-example": "Like “Bucket List” for example", diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 13b0ae52..0fe7b237 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Board Menu", "boards": "Boards", "board-view": "Board View", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Lists", "bucket-example": "Like “Bucket List” for example", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index 0ef39411..a0897302 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Board Menu", "boards": "Boards", "board-view": "Board View", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Listoj", "bucket-example": "Like “Bucket List” for example", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index 61a31ebb..97a740e2 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Menú del Tablero", "boards": "Tableros", "board-view": "Vista de Tablero", + "board-view-cal": "Calendar", "board-view-swimlanes": "Calles", "board-view-lists": "Listas", "bucket-example": "Como \"Lista de Contenedores\" por ejemplo", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 8a7c5cc5..fa4f2f11 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Menú del tablero", "boards": "Tableros", "board-view": "Vista del tablero", + "board-view-cal": "Calendar", "board-view-swimlanes": "Carriles", "board-view-lists": "Listas", "bucket-example": "Como “Cosas por hacer” por ejemplo", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index a2d99631..9bd3510a 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Arbelaren menua", "boards": "Arbelak", "board-view": "Board View", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Zerrendak", "bucket-example": "Esaterako \"Pertz zerrenda\"", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index 107b5894..caa87ded 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "منوی تخته", "boards": "تخته‌ها", "board-view": "نمایش تخته", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "فهرست‌ها", "bucket-example": "برای مثال چیزی شبیه \"لیست سبدها\"", diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 0b363b7b..34e58d1b 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Taulu valikko", "boards": "Taulut", "board-view": "Taulu näkymä", + "board-view-cal": "Kalenteri", "board-view-swimlanes": "Swimlanet", "board-view-lists": "Listat", "bucket-example": "Kuten “Laatikko lista” esimerkiksi", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 2cdbe2fc..53e45eb8 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Menu du tableau", "boards": "Tableaux", "board-view": "Vue du tableau", + "board-view-cal": "Calendar", "board-view-swimlanes": "Couloirs", "board-view-lists": "Listes", "bucket-example": "Comme « todo list » par exemple", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 7462b1d3..25e3e662 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Board Menu", "boards": "Taboleiros", "board-view": "Board View", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Listas", "bucket-example": "Like “Bucket List” for example", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 943062e1..6d5dd812 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "תפריט לוח", "boards": "לוחות", "board-view": "תצוגת לוח", + "board-view-cal": "Calendar", "board-view-swimlanes": "מסלולים", "board-view-lists": "רשימות", "bucket-example": "כמו למשל „רשימת המשימות“", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index a4fc3c8c..e14e7995 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Tábla menü", "boards": "Táblák", "board-view": "Tábla nézet", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Listák", "bucket-example": "Mint például „Bakancslista”", diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index fcbb7a9a..0911aed1 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Board Menu", "boards": "Boards", "board-view": "Board View", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Lists", "bucket-example": "Like “Bucket List” for example", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 8eb0d2de..3954f67c 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Menu Panel", "boards": "Panel", "board-view": "Board View", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Daftar", "bucket-example": "Contohnya seperti “Bucket List” ", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index ece8e7cc..f522a92c 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Board Menu", "boards": "Boards", "board-view": "Board View", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Lists", "bucket-example": "Like “Bucket List” for example", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index d3e5870f..99c84699 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Menu bacheca", "boards": "Bacheche", "board-view": "Visualizza bacheca", + "board-view-cal": "Calendar", "board-view-swimlanes": "Corsie", "board-view-lists": "Liste", "bucket-example": "Per esempio come \"una lista di cose da fare\"", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 0f478842..4b8a6d8d 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "ボードメニュー", "boards": "ボード", "board-view": "Board View", + "board-view-cal": "Calendar", "board-view-swimlanes": "スイムレーン", "board-view-lists": "リスト", "bucket-example": "例:バケットリスト", diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index f8f74ce7..53c2f91a 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Board Menu", "boards": "Boards", "board-view": "Board View", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Lists", "bucket-example": "Like “Bucket List” for example", diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index 29b82bf5..9484c7cc 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Board Menu", "boards": "Boards", "board-view": "Board View", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Lists", "bucket-example": "Like “Bucket List” for example", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index b9996c88..97963a8a 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "보드 메뉴", "boards": "보드", "board-view": "Board View", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "목록들", "bucket-example": "예: “프로젝트 이름“ 입력", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 47667c40..46d958cc 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Board Menu", "boards": "Boards", "board-view": "Board View", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Lists", "bucket-example": "Like “Bucket List” for example", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index 8f2475fe..b5b97822 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Board Menu", "boards": "Boards", "board-view": "Board View", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Lists", "bucket-example": "Like “Bucket List” for example", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index 30e1963b..1d09cb7c 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Tavlemeny", "boards": "Tavler", "board-view": "Board View", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Lists", "bucket-example": "Som \"Bucket List\" for eksempel", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 903f6a8f..5dd23d41 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Bord menu", "boards": "Borden", "board-view": "Bord overzicht", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Lijsten", "bucket-example": "Zoals \"Bucket List\" bijvoorbeeld", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 3f618075..1d52d2ee 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Menu tablicy", "boards": "Tablice", "board-view": "Board View", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Listy", "bucket-example": "Like “Bucket List” for example", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 3193da3e..15496c0d 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Menu do Quadro", "boards": "Quadros", "board-view": "Visão de quadro", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Listas", "bucket-example": "\"Bucket List\", por exemplo", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 7404cc09..9f8b9b96 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Board Menu", "boards": "Boards", "board-view": "Board View", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Lists", "bucket-example": "Like “Bucket List” for example", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index 3795e189..0d854bbd 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Board Menu", "boards": "Boards", "board-view": "Board View", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Liste", "bucket-example": "Like “Bucket List” for example", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 5ad4a4fb..1b85c355 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Меню доски", "boards": "Доски", "board-view": "Вид доски", + "board-view-cal": "Calendar", "board-view-swimlanes": "Дорожки", "board-view-lists": "Списки", "bucket-example": "Например “Список дел”", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index 4debc5e5..853e867d 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Meni table", "boards": "Table", "board-view": "Board View", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Lists", "bucket-example": "Na primer \"Lista zadataka\"", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index ba9c8f3f..164a5620 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Anslagstavla meny", "boards": "Anslagstavlor", "board-view": "Anslagstavelsvy", + "board-view-cal": "Calendar", "board-view-swimlanes": "Simbanor", "board-view-lists": "Listor", "bucket-example": "Gilla \"att-göra-innan-jag-dör-lista\" till exempel", diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index f8f74ce7..53c2f91a 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Board Menu", "boards": "Boards", "board-view": "Board View", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Lists", "bucket-example": "Like “Bucket List” for example", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index 673e4d80..e7048f6e 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "เมนูบอร์ด", "boards": "บอร์ด", "board-view": "Board View", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "รายการ", "bucket-example": "ตัวอย่างเช่น “ระบบที่ต้องทำ”", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index b7a35156..03798130 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Pano menüsü", "boards": "Panolar", "board-view": "Pano Görünümü", + "board-view-cal": "Calendar", "board-view-swimlanes": "Kulvarlar", "board-view-lists": "Listeler", "bucket-example": "Örn: \"Marketten Alacaklarım\"", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 1d6605d9..ef76ed5f 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Board Menu", "boards": "Дошки", "board-view": "Board View", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Lists", "bucket-example": "Like “Bucket List” for example", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index 9529b016..320942e1 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "Board Menu", "boards": "Bảng", "board-view": "Board View", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Lists", "bucket-example": "Like “Bucket List” for example", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index de79364c..3205f107 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "看板菜单", "boards": "看板", "board-view": "看板视图", + "board-view-cal": "Calendar", "board-view-swimlanes": "泳道图", "board-view-lists": "列表", "bucket-example": "例如 “目标清单”", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 043cad12..88e9bc18 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -100,6 +100,7 @@ "boardMenuPopup-title": "看板選單", "boards": "看板", "board-view": "Board View", + "board-view-cal": "Calendar", "board-view-swimlanes": "Swimlanes", "board-view-lists": "清單", "bucket-example": "例如 “目標清單”", -- cgit v1.2.3-1-g7c22 From db5ff4e1e2640b7312533cb276b545c4b9920110 Mon Sep 17 00:00:00 2001 From: Nicu Tofan Date: Thu, 28 Jun 2018 00:13:35 +0300 Subject: Changing events in calendar updates the card --- client/components/boards/boardBody.js | 32 +++++++++++++++++++++++++++++++- 1 file changed, 31 insertions(+), 1 deletion(-) diff --git a/client/components/boards/boardBody.js b/client/components/boards/boardBody.js index dc6b9bef..68ac8b27 100644 --- a/client/components/boards/boardBody.js +++ b/client/components/boards/boardBody.js @@ -156,6 +156,8 @@ BlazeComponent.extendComponent({ return { id: 'calendar-view', defaultView: 'agendaDay', + editable: true, + timezone: 'local', header: { left: 'title today prev,next', center: 'agendaDay,listDay,timelineDay agendaWeek,listWeek,timelineWeek month,timelineMonth timelineYear', @@ -178,10 +180,11 @@ BlazeComponent.extendComponent({ const events = []; currentBoard.cardsInInterval(start.toDate(), end.toDate()).forEach(function(card){ events.push({ - id: card.id, + id: card._id, title: card.title, start: card.startAt, end: card.endAt, + allDay: Math.abs(card.endAt.getTime() - card.startAt.getTime()) / 1000 === 24*3600, url: FlowRouter.url('card', { boardId: currentBoard._id, slug: currentBoard.slug, @@ -191,6 +194,33 @@ BlazeComponent.extendComponent({ }); callback(events); }, + eventResize(event, delta, revertFunc) { + let isOk = false; + const card = Cards.findOne(event.id); + + if (card) { + card.setEnd(event.end.toDate()); + isOk = true; + } + if (!isOk) { + revertFunc(); + } + }, + eventDrop(event, delta, revertFunc) { + let isOk = false; + const card = Cards.findOne(event.id); + if (card) { + // TODO: add a flag for allDay events + if (!event.allDay) { + card.setStart(event.start.toDate()); + card.setEnd(event.end.toDate()); + isOk = true; + } + } + if (!isOk) { + revertFunc(); + } + }, }; }, }).register('calendarView'); -- cgit v1.2.3-1-g7c22 From 541dc67a02fbcaaddd106d9aded49c60184d9ce6 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 28 Jun 2018 00:14:02 +0300 Subject: v1.09 --- CHANGELOG.md | 4 ++-- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index c9ed8cf2..c7701572 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,8 +1,8 @@ -# Upcoming Wekan release +# v1.09 2018-06-28 Wekan release This release adds the following new features: -* [Calendar](https://github.com/wekan/wekan/pull/1728). +* [Calendar](https://github.com/wekan/wekan/pull/1728). Click Lists / Swimlanes / Calendar. and fixes the following bugs: diff --git a/package.json b/package.json index 6dd21217..e6113045 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.08.0", + "version": "1.09.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 56c0640d..1553133e 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 93, + appVersion = 94, # Increment this for every release. - appMarketingVersion = (defaultText = "1.07.0~2018-06-27"), + appMarketingVersion = (defaultText = "1.09.0~2018-06-28"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From a86a8eff2dc1c1862f9ffd53fe722b01faaba8c0 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 28 Jun 2018 00:26:37 +0300 Subject: Fix typo. --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index c7701572..f1524622 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -7,7 +7,7 @@ This release adds the following new features: and fixes the following bugs: * To fix ["title is required"](https://github.com/wekan/wekan/issues/1576) fix only - add-checklist-items and revert all other migration changes](https://github.com/wekan/wekan/issues/1734); + [add-checklist-items and revert all other migration changes](https://github.com/wekan/wekan/issues/1734); * [Restore invitation code logic](https://github.com/wekan/wekan/pull/1732). Please test and add comment to those invitation code issues that this fixes. -- cgit v1.2.3-1-g7c22 From e044769d854dbbce18f2c6af3adbdf6869156694 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 28 Jun 2018 13:48:36 +0300 Subject: - Fix migration error "TypeError: Checklists.foreach" Thanks to Jubi94, kestrelhawk and xet7 ! Fixes #1736, fixes wekan/wekan-snap#51 --- server/migrations.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/server/migrations.js b/server/migrations.js index 91ab4cb9..a1a5c65a 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -189,7 +189,7 @@ Migrations.add('add-views', () => { }); Migrations.add('add-checklist-items', () => { - Checklists.forEach((checklist) => { + Checklists.find().forEach((checklist) => { // Create new items _.sortBy(checklist.items, 'sort').forEach((item, index) => { ChecklistItems.direct.insert({ -- cgit v1.2.3-1-g7c22 From 9fceb212d9339977d659421fef7d0c820145dd20 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 28 Jun 2018 13:56:41 +0300 Subject: Fix migration error "TypeError: Checklists.foreach" at Snap, Docker etc. Thanks to Jubi94, kestrelhawk and xet7 ! --- CHANGELOG.md | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index f1524622..444cd970 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +* Fix migration error "TypeError: Checklists.foreach" at [Snap](https://github.com/wekan/wekan-snap/issues/51), + [Docker](https://github.com/wekan/wekan/issues/1736) etc. + +Thanks to Jubi94, kestrelhawk and xet7 ! + # v1.09 2018-06-28 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From 5adce79842be8539f6051b951af47488c0e20cfa Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 28 Jun 2018 13:59:43 +0300 Subject: Update translations (de) --- i18n/de.i18n.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 756bc8f6..2ae21b93 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -100,7 +100,7 @@ "boardMenuPopup-title": "Boardmenü", "boards": "Boards", "board-view": "Boardansicht", - "board-view-cal": "Calendar", + "board-view-cal": "Kalender", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Listen", "bucket-example": "z.B. \"Löffelliste\"", -- cgit v1.2.3-1-g7c22 From ad54a8a48404a84b0bf5ff7dab5348be6dda574e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 28 Jun 2018 14:02:57 +0300 Subject: v1.10 --- CHANGELOG.md | 4 ++-- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 444cd970..56fc9f2a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,11 +1,11 @@ -# Upcoming Wekan release +# v1.10 2018-06-28 Wekan release This release fixes the following bugs: * Fix migration error "TypeError: Checklists.foreach" at [Snap](https://github.com/wekan/wekan-snap/issues/51), [Docker](https://github.com/wekan/wekan/issues/1736) etc. -Thanks to Jubi94, kestrelhawk and xet7 ! +Thanks to GitHub users Jubi94, kestrelhawk and xet7 for their contributions. # v1.09 2018-06-28 Wekan release diff --git a/package.json b/package.json index e6113045..e3f7b0d8 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.09.0", + "version": "1.10.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 1553133e..6dccb65d 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 94, + appVersion = 95, # Increment this for every release. - appMarketingVersion = (defaultText = "1.09.0~2018-06-28"), + appMarketingVersion = (defaultText = "1.10.0~2018-06-28"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 5bca2f802bed6183a9020c2168574bc6486a473b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 30 Jun 2018 11:34:00 +0300 Subject: Update translations. --- i18n/fr.i18n.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 53e45eb8..cae8c836 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -100,7 +100,7 @@ "boardMenuPopup-title": "Menu du tableau", "boards": "Tableaux", "board-view": "Vue du tableau", - "board-view-cal": "Calendar", + "board-view-cal": "Calendrier", "board-view-swimlanes": "Couloirs", "board-view-lists": "Listes", "bucket-example": "Comme « todo list » par exemple", -- cgit v1.2.3-1-g7c22 From 08a1927c0c01b19ca40efde0f8e9d490dbc7df7d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 30 Jun 2018 11:42:03 +0300 Subject: - Remove card shadow, Wekan users now prefer not to have it. Thanks to GitHub users pravdomil and xet7 for their contributions. --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 56fc9f2a..03cdee3d 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +* [Remove card shadow, Wekan users now prefer not to have it](https://github.com/wekan/wekan/pull/1726). + +Thanks to GitHub users pravdomil and xet7 for their contributions. + # v1.10 2018-06-28 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 4f5086c5cd4647e210d743c64edbbe09cb30dcd4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 30 Jun 2018 12:03:15 +0300 Subject: - Revert previous More margin-bottom after minicard. Thanks to pravdomil and xet7 ! --- CHANGELOG.md | 4 +++- client/components/cards/minicard.styl | 2 +- 2 files changed, 4 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 03cdee3d..1938ed77 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,7 +2,9 @@ This release fixes the following bugs: -* [Remove card shadow, Wekan users now prefer not to have it](https://github.com/wekan/wekan/pull/1726). +* [Remove card shadow](https://github.com/wekan/wekan/pull/1726), Wekan users now prefer not to have it; +* [Revert](https://github.com/wekan/wekan/commit/fe69ab90309953ff4de363d41aed539480922016) previous + [More margin-bottom after minicard](https://github.com/wekan/wekan/pull/1713). Thanks to GitHub users pravdomil and xet7 for their contributions. diff --git a/client/components/cards/minicard.styl b/client/components/cards/minicard.styl index 335182a3..d7e55d8d 100644 --- a/client/components/cards/minicard.styl +++ b/client/components/cards/minicard.styl @@ -9,7 +9,7 @@ &.placeholder background: darken(white, 20%) - border-radius: 2px + border-radius: 9px &.ui-sortable-helper cursor: grabbing -- cgit v1.2.3-1-g7c22 From 928d88cfe1da4187797519c929cd2fdd9ffe9c2e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 30 Jun 2018 12:22:35 +0300 Subject: - More margin-bottom after minicard. Thanks to pravdomil and xet7 ! --- client/components/cards/minicard.styl | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/components/cards/minicard.styl b/client/components/cards/minicard.styl index d7e55d8d..b89805be 100644 --- a/client/components/cards/minicard.styl +++ b/client/components/cards/minicard.styl @@ -5,7 +5,7 @@ position: relative display: flex align-items: center - margin-bottom: 2px + margin-bottom: 9px &.placeholder background: darken(white, 20%) -- cgit v1.2.3-1-g7c22 From 6ba4574c67a705de0d9e8d76a3881ccfacd29628 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 30 Jun 2018 12:23:49 +0300 Subject: - Less margin-bottom after minicard. Thanks to pravdomil and xet7 ! --- CHANGELOG.md | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 1938ed77..3c91b907 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,8 +3,8 @@ This release fixes the following bugs: * [Remove card shadow](https://github.com/wekan/wekan/pull/1726), Wekan users now prefer not to have it; -* [Revert](https://github.com/wekan/wekan/commit/fe69ab90309953ff4de363d41aed539480922016) previous - [More margin-bottom after minicard](https://github.com/wekan/wekan/pull/1713). +* [Revert](https://github.com/wekan/wekan/commit/928d88cfe1da4187797519c929cd2fdd9ffe9c2e) previous + [Less margin-bottom after minicard](https://github.com/wekan/wekan/pull/1713). Thanks to GitHub users pravdomil and xet7 for their contributions. -- cgit v1.2.3-1-g7c22 From 8fbbc104f7e2b680698d286859adab9adf5ff2ae Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 30 Jun 2018 12:38:40 +0300 Subject: v1.11 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 3c91b907..91c52200 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.11 2018-06-30 Wekan release This release fixes the following bugs: diff --git a/package.json b/package.json index e3f7b0d8..117baa70 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.10.0", + "version": "1.11.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 6dccb65d..22f53168 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 95, + appVersion = 96, # Increment this for every release. - appMarketingVersion = (defaultText = "1.10.0~2018-06-28"), + appMarketingVersion = (defaultText = "1.11.0~2018-06-30"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From bbdb6a90b29040aeb6afe8541e3549b043b2610d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 2 Jul 2018 18:40:08 +0300 Subject: Download node from sandstorm in Dockerfile. --- Dockerfile | 83 ++++++++++++++++++++++++++++++++++++++++++++++++++------------ 1 file changed, 68 insertions(+), 15 deletions(-) diff --git a/Dockerfile b/Dockerfile index 8b8b6a09..e6bc5382 100644 --- a/Dockerfile +++ b/Dockerfile @@ -28,10 +28,10 @@ ENV SRC_PATH ${SRC_PATH:-./} COPY ${SRC_PATH} /home/wekan/app RUN \ - # Add non-root user wekan + echo "=== Add non-root user wekan" && \ useradd --user-group --system --home-dir /home/wekan wekan && \ \ - # OS dependencies + echo "=== OS dependencies" && \ apt-get update -y && apt-get install -y --no-install-recommends ${BUILD_DEPS} && \ \ # Download nodejs @@ -45,13 +45,65 @@ RUN \ # Also see beginning of wekan/server/authentication.js # import Fiber from "fibers"; # Fiber.poolSize = 1e9; + echo "=== Getting newest Node from Sandstorm fork of Node" && \ + echo "=== Source: https://github.com/sandstorm-io/node ===" && \ + \ + # From https://github.com/sandstorm-io/sandstorm/blob/master/branch.conf + SANDSTORM_BRANCH_NUMBER=0 && \ + \ + # From https://github.com/sandstorm-io/sandstorm/blob/master/release.sh + SANDSTORM_CHANNEL=dev && \ + SANDSTORM_LAST_BUILD=$(curl -fs https://install.sandstorm.io/$SANDSTORM_CHANNEL) && \ + \ + echo "=== Latest Sandstorm Release: ${SANDSTORM_LAST_BUILD}===" && \ + if (( SANDSTORM_LAST_BUILD / 1000 > SANDSTORM_BRANCH_NUMBER )); && \ + then && \ + echo "SANDSTORM BRANCH ERROR: $CHANNEL has already moved past this branch!" >&2 && \ + echo " I refuse to replace it with an older branch." >&2 && \ + exit 1 && \ + fi && \ + BASE_BUILD=$(( BRANCH_NUMBER * 1000 )) && \ + BUILD=$(( BASE_BUILD > LAST_BUILD ? BASE_BUILD : LAST_BUILD + 1 )) && \ + BUILD_MINOR="$(( $BUILD % 1000 ))" && \ + DISPLAY_VERSION="${BRANCH_NUMBER}.${BUILD_MINOR}" && \ + TAG_NAME="v${DISPLAY_VERSION}" && \ + SIGNING_KEY_ID=160D2D577518B58D94C9800B63F227499DA8CCBD && \ + TARBALL=sandstorm-$SANDSTORM_LAST_BUILD.tar.xz && \ + NODE_EXE=sandstorm-$SANDSTORM_LAST_BUILD/bin/node && \ + echo "=== Downloading Sandstorm GPG keys to verify Sandstorm release" && \ + # Do verification in custom GPG workspace + # https://docs.sandstorm.io/en/latest/install/#option-3-pgp-verified-install + export GNUPGHOME=$(mktemp -d) && \ + curl https://raw.githubusercontent.com/sandstorm-io/sandstorm/master/keys/release-keyring.gpg | gpg --import && \ + wget https://raw.githubusercontent.com/sandstorm-io/sandstorm/master/keys/release-certificate.kentonv.sig && \ + gpg --decrypt release-certificate.kentonv.sig && \ + echo "=== Downloading Sandstorm release from https://dl.sandstorm.io/${TARBALL} ===" && \ + wget https://dl.sandstorm.io/$TARBALL && \ + echo "=== Downloading signature for Sandstorm release from https://dl.sandstorm.io/${TARBALL}.sig ===" && \ + wget https://dl.sandstorm.io/$TARBALL.sig && \ + echo "=== Verifying signature of Sandstorm release" && \ + gpg --verify $TARBALL.sig $TARBALL && \ + \ + if [ $? -eq 0 ] && \ + then && \ + echo "=== All is well. Good signature in Sandstorm." && \ + else && \ + echo "=== PROBLEM WITH SANDSTORM SIGNATURE." && \ + exit 1 && \ + fi && \ + echo "=== Extracting Node from Sandstorm release tarball" && \ + # --strip 2 removes path of 2 subdirectories + tar -xf $TARBALL $NODE_EXE --strip=2 && \ + echo "=== Deleting Sandstorm release tarball and signature" && \ + rm $TARBALL $TARBALL.sig release-certificate.kentonv.si* && \ + # == OLD == # Download node version 8.11.1 that has fix included, node binary copied from Sandstorm # Description at https://releases.wekan.team/node.txt - wget https://releases.wekan.team/node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ - echo "308d0caaef0a1da3e98d1a1615016aad9659b3caf31d0f09ced20cabedb8acbf node-v8.11.1-linux-x64.tar.gz" >> SHASUMS256.txt.asc && \ - \ + ##wget https://releases.wekan.team/node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ + ##echo "308d0caaef0a1da3e98d1a1615016aad9659b3caf31d0f09ced20cabedb8acbf node-v8.11.1-linux-x64.tar.gz" >> SHASUMS256.txt.asc && \ + ##\ # Verify nodejs authenticity - grep ${NODE_VERSION}-${ARCHITECTURE}.tar.gz SHASUMS256.txt.asc | shasum -a 256 -c - && \ + ##grep ${NODE_VERSION}-${ARCHITECTURE}.tar.gz SHASUMS256.txt.asc | shasum -a 256 -c - && \ #export GNUPGHOME="$(mktemp -d)" && \ #\ # Try other key servers if ha.pool.sks-keyservers.net is unreachable @@ -75,24 +127,25 @@ RUN \ # Ignore socket files then delete files then delete directories #find "$GNUPGHOME" -type f | xargs rm -f && \ #find "$GNUPGHOME" -type d | xargs rm -fR && \ - rm -f SHASUMS256.txt.asc && \ + ##rm -f SHASUMS256.txt.asc && \ \ # Install Node - tar xvzf node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ - rm node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ - mv node-${NODE_VERSION}-${ARCHITECTURE} /opt/nodejs && \ + #tar xvzf node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ + #rm node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ + #mv node-${NODE_VERSION}-${ARCHITECTURE} /opt/nodejs && \ + mv node /opt/nodejs && \ ln -s /opt/nodejs/bin/node /usr/bin/node && \ ln -s /opt/nodejs/bin/npm /usr/bin/npm && \ \ #DOES NOT WORK: paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303 #paxctl -mC `which node` && \ \ - # Install Node dependencies + echo "=== Install Node dependencies" && \ npm install -g npm@${NPM_VERSION} && \ npm install -g node-gyp && \ npm install -g fibers@${FIBERS_VERSION} && \ \ - # Change user to wekan and install meteor + echo "=== Change user to wekan and install meteor" && \ cd /home/wekan/ && \ chown wekan:wekan --recursive /home/wekan && \ curl https://install.meteor.com -o /home/wekan/install_meteor.sh && \ @@ -107,7 +160,7 @@ RUN \ gosu wekan:wekan git clone --recursive --depth 1 -b release/METEOR@${METEOR_EDGE} git://github.com/meteor/meteor.git /home/wekan/.meteor; \ fi; \ \ - # Get additional packages + echo "=== Get additional packages" && \ mkdir -p /home/wekan/app/packages && \ chown wekan:wekan --recursive /home/wekan && \ cd /home/wekan/app/packages && \ @@ -117,7 +170,7 @@ RUN \ cd /home/wekan/.meteor && \ gosu wekan:wekan /home/wekan/.meteor/meteor -- help; \ \ - # Build app + echo "=== Build app" && \ cd /home/wekan/app && \ gosu wekan:wekan /home/wekan/.meteor/meteor add standard-minifier-js && \ gosu wekan:wekan /home/wekan/.meteor/meteor npm install && \ @@ -135,7 +188,7 @@ RUN \ #gosu wekan:wekan npm install bcrypt && \ mv /home/wekan/app_build/bundle /build && \ \ - # Cleanup + echo "=== Cleanup" && \ apt-get remove --purge -y ${BUILD_DEPS} && \ apt-get autoremove -y && \ rm -R /var/lib/apt/lists/* && \ -- cgit v1.2.3-1-g7c22 From aea5ed78486b4709163d803f332ed2eed7fcfd3b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 2 Jul 2018 18:48:49 +0300 Subject: Try to fix Dockerfile. --- Dockerfile | 30 +++++++++++++++--------------- 1 file changed, 15 insertions(+), 15 deletions(-) diff --git a/Dockerfile b/Dockerfile index e6bc5382..e199c7c8 100644 --- a/Dockerfile +++ b/Dockerfile @@ -28,10 +28,10 @@ ENV SRC_PATH ${SRC_PATH:-./} COPY ${SRC_PATH} /home/wekan/app RUN \ - echo "=== Add non-root user wekan" && \ + # Add non-root user wekan useradd --user-group --system --home-dir /home/wekan wekan && \ \ - echo "=== OS dependencies" && \ + # OS dependencies apt-get update -y && apt-get install -y --no-install-recommends ${BUILD_DEPS} && \ \ # Download nodejs @@ -45,8 +45,8 @@ RUN \ # Also see beginning of wekan/server/authentication.js # import Fiber from "fibers"; # Fiber.poolSize = 1e9; - echo "=== Getting newest Node from Sandstorm fork of Node" && \ - echo "=== Source: https://github.com/sandstorm-io/node ===" && \ + # Getting newest Node from Sandstorm fork of Node + # Source: https://github.com/sandstorm-io/node \ # From https://github.com/sandstorm-io/sandstorm/blob/master/branch.conf SANDSTORM_BRANCH_NUMBER=0 && \ @@ -55,7 +55,7 @@ RUN \ SANDSTORM_CHANNEL=dev && \ SANDSTORM_LAST_BUILD=$(curl -fs https://install.sandstorm.io/$SANDSTORM_CHANNEL) && \ \ - echo "=== Latest Sandstorm Release: ${SANDSTORM_LAST_BUILD}===" && \ + # Latest Sandstorm Release if (( SANDSTORM_LAST_BUILD / 1000 > SANDSTORM_BRANCH_NUMBER )); && \ then && \ echo "SANDSTORM BRANCH ERROR: $CHANNEL has already moved past this branch!" >&2 && \ @@ -70,18 +70,18 @@ RUN \ SIGNING_KEY_ID=160D2D577518B58D94C9800B63F227499DA8CCBD && \ TARBALL=sandstorm-$SANDSTORM_LAST_BUILD.tar.xz && \ NODE_EXE=sandstorm-$SANDSTORM_LAST_BUILD/bin/node && \ - echo "=== Downloading Sandstorm GPG keys to verify Sandstorm release" && \ + # Downloading Sandstorm GPG keys to verify Sandstorm release. # Do verification in custom GPG workspace # https://docs.sandstorm.io/en/latest/install/#option-3-pgp-verified-install export GNUPGHOME=$(mktemp -d) && \ curl https://raw.githubusercontent.com/sandstorm-io/sandstorm/master/keys/release-keyring.gpg | gpg --import && \ wget https://raw.githubusercontent.com/sandstorm-io/sandstorm/master/keys/release-certificate.kentonv.sig && \ gpg --decrypt release-certificate.kentonv.sig && \ - echo "=== Downloading Sandstorm release from https://dl.sandstorm.io/${TARBALL} ===" && \ + # Downloading Sandstorm release from https://dl.sandstorm.io/${TARBALL} wget https://dl.sandstorm.io/$TARBALL && \ - echo "=== Downloading signature for Sandstorm release from https://dl.sandstorm.io/${TARBALL}.sig ===" && \ + # Downloading signature for Sandstorm release from https://dl.sandstorm.io/${TARBALL}.sig wget https://dl.sandstorm.io/$TARBALL.sig && \ - echo "=== Verifying signature of Sandstorm release" && \ + # Verifying signature of Sandstorm release gpg --verify $TARBALL.sig $TARBALL && \ \ if [ $? -eq 0 ] && \ @@ -94,7 +94,7 @@ RUN \ echo "=== Extracting Node from Sandstorm release tarball" && \ # --strip 2 removes path of 2 subdirectories tar -xf $TARBALL $NODE_EXE --strip=2 && \ - echo "=== Deleting Sandstorm release tarball and signature" && \ + # Deleting Sandstorm release tarball and signature rm $TARBALL $TARBALL.sig release-certificate.kentonv.si* && \ # == OLD == # Download node version 8.11.1 that has fix included, node binary copied from Sandstorm @@ -140,12 +140,12 @@ RUN \ #DOES NOT WORK: paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303 #paxctl -mC `which node` && \ \ - echo "=== Install Node dependencies" && \ + # Install Node dependencies npm install -g npm@${NPM_VERSION} && \ npm install -g node-gyp && \ npm install -g fibers@${FIBERS_VERSION} && \ \ - echo "=== Change user to wekan and install meteor" && \ + # Change user to wekan and install meteor cd /home/wekan/ && \ chown wekan:wekan --recursive /home/wekan && \ curl https://install.meteor.com -o /home/wekan/install_meteor.sh && \ @@ -160,7 +160,7 @@ RUN \ gosu wekan:wekan git clone --recursive --depth 1 -b release/METEOR@${METEOR_EDGE} git://github.com/meteor/meteor.git /home/wekan/.meteor; \ fi; \ \ - echo "=== Get additional packages" && \ + # Get additional packages mkdir -p /home/wekan/app/packages && \ chown wekan:wekan --recursive /home/wekan && \ cd /home/wekan/app/packages && \ @@ -170,7 +170,7 @@ RUN \ cd /home/wekan/.meteor && \ gosu wekan:wekan /home/wekan/.meteor/meteor -- help; \ \ - echo "=== Build app" && \ + # Build app cd /home/wekan/app && \ gosu wekan:wekan /home/wekan/.meteor/meteor add standard-minifier-js && \ gosu wekan:wekan /home/wekan/.meteor/meteor npm install && \ @@ -188,7 +188,7 @@ RUN \ #gosu wekan:wekan npm install bcrypt && \ mv /home/wekan/app_build/bundle /build && \ \ - echo "=== Cleanup" && \ + # Cleanup apt-get remove --purge -y ${BUILD_DEPS} && \ apt-get autoremove -y && \ rm -R /var/lib/apt/lists/* && \ -- cgit v1.2.3-1-g7c22 From e03ee1bd2f4217b0ac2be05ed556aeba0480ff83 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 2 Jul 2018 18:51:42 +0300 Subject: Try to fix Dockerfile. --- Dockerfile | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/Dockerfile b/Dockerfile index e199c7c8..34edeac3 100644 --- a/Dockerfile +++ b/Dockerfile @@ -84,12 +84,12 @@ RUN \ # Verifying signature of Sandstorm release gpg --verify $TARBALL.sig $TARBALL && \ \ - if [ $? -eq 0 ] && \ - then && \ - echo "=== All is well. Good signature in Sandstorm." && \ - else && \ - echo "=== PROBLEM WITH SANDSTORM SIGNATURE." && \ - exit 1 && \ + if [ $? -eq 0 ] \ + then \ + echo "=== All is well. Good signature in Sandstorm." \ + else \ + echo "=== PROBLEM WITH SANDSTORM SIGNATURE." \ + exit 1 \ fi && \ echo "=== Extracting Node from Sandstorm release tarball" && \ # --strip 2 removes path of 2 subdirectories -- cgit v1.2.3-1-g7c22 From 44e20023cce82d7f10fba2c97ece53287eb6f3f1 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 2 Jul 2018 19:05:39 +0300 Subject: Try to fix Dockerfile. --- Dockerfile | 52 +++--------------------------------- download-sandstorm-node.sh | 66 ++++++++++++++++++++++++++++++++++++++++++++++ 2 files changed, 69 insertions(+), 49 deletions(-) create mode 100755 download-sandstorm-node.sh diff --git a/Dockerfile b/Dockerfile index 34edeac3..dbeeef5b 100644 --- a/Dockerfile +++ b/Dockerfile @@ -47,55 +47,9 @@ RUN \ # Fiber.poolSize = 1e9; # Getting newest Node from Sandstorm fork of Node # Source: https://github.com/sandstorm-io/node - \ - # From https://github.com/sandstorm-io/sandstorm/blob/master/branch.conf - SANDSTORM_BRANCH_NUMBER=0 && \ - \ - # From https://github.com/sandstorm-io/sandstorm/blob/master/release.sh - SANDSTORM_CHANNEL=dev && \ - SANDSTORM_LAST_BUILD=$(curl -fs https://install.sandstorm.io/$SANDSTORM_CHANNEL) && \ - \ - # Latest Sandstorm Release - if (( SANDSTORM_LAST_BUILD / 1000 > SANDSTORM_BRANCH_NUMBER )); && \ - then && \ - echo "SANDSTORM BRANCH ERROR: $CHANNEL has already moved past this branch!" >&2 && \ - echo " I refuse to replace it with an older branch." >&2 && \ - exit 1 && \ - fi && \ - BASE_BUILD=$(( BRANCH_NUMBER * 1000 )) && \ - BUILD=$(( BASE_BUILD > LAST_BUILD ? BASE_BUILD : LAST_BUILD + 1 )) && \ - BUILD_MINOR="$(( $BUILD % 1000 ))" && \ - DISPLAY_VERSION="${BRANCH_NUMBER}.${BUILD_MINOR}" && \ - TAG_NAME="v${DISPLAY_VERSION}" && \ - SIGNING_KEY_ID=160D2D577518B58D94C9800B63F227499DA8CCBD && \ - TARBALL=sandstorm-$SANDSTORM_LAST_BUILD.tar.xz && \ - NODE_EXE=sandstorm-$SANDSTORM_LAST_BUILD/bin/node && \ - # Downloading Sandstorm GPG keys to verify Sandstorm release. - # Do verification in custom GPG workspace - # https://docs.sandstorm.io/en/latest/install/#option-3-pgp-verified-install - export GNUPGHOME=$(mktemp -d) && \ - curl https://raw.githubusercontent.com/sandstorm-io/sandstorm/master/keys/release-keyring.gpg | gpg --import && \ - wget https://raw.githubusercontent.com/sandstorm-io/sandstorm/master/keys/release-certificate.kentonv.sig && \ - gpg --decrypt release-certificate.kentonv.sig && \ - # Downloading Sandstorm release from https://dl.sandstorm.io/${TARBALL} - wget https://dl.sandstorm.io/$TARBALL && \ - # Downloading signature for Sandstorm release from https://dl.sandstorm.io/${TARBALL}.sig - wget https://dl.sandstorm.io/$TARBALL.sig && \ - # Verifying signature of Sandstorm release - gpg --verify $TARBALL.sig $TARBALL && \ - \ - if [ $? -eq 0 ] \ - then \ - echo "=== All is well. Good signature in Sandstorm." \ - else \ - echo "=== PROBLEM WITH SANDSTORM SIGNATURE." \ - exit 1 \ - fi && \ - echo "=== Extracting Node from Sandstorm release tarball" && \ - # --strip 2 removes path of 2 subdirectories - tar -xf $TARBALL $NODE_EXE --strip=2 && \ - # Deleting Sandstorm release tarball and signature - rm $TARBALL $TARBALL.sig release-certificate.kentonv.si* && \ + wget https://github.com/wekan/wekan/blob/devel/download-sandstorm-node.sh && \ + bash download-sandstorm-node.sh && \ + rm download-sandstorm-node.sh && \ # == OLD == # Download node version 8.11.1 that has fix included, node binary copied from Sandstorm # Description at https://releases.wekan.team/node.txt diff --git a/download-sandstorm-node.sh b/download-sandstorm-node.sh new file mode 100755 index 00000000..2e611f05 --- /dev/null +++ b/download-sandstorm-node.sh @@ -0,0 +1,66 @@ +#!/bin/bash + +echo "=== GETTING NEWEST NODE FROM SANDSTORM FORK OF NODE ===" +echo "=== SOURCE: https://github.com/sandstorm-io/node ===" + +# From https://github.com/sandstorm-io/sandstorm/blob/master/branch.conf +SANDSTORM_BRANCH_NUMBER=0 + +# From https://github.com/sandstorm-io/sandstorm/blob/master/release.sh +SANDSTORM_CHANNEL=dev +SANDSTORM_LAST_BUILD=$(curl -fs https://install.sandstorm.io/$SANDSTORM_CHANNEL) + +echo "=== LATEST SANDSTORM RELEASE: ${SANDSTORM_LAST_BUILD}===" + +if (( SANDSTORM_LAST_BUILD / 1000 > SANDSTORM_BRANCH_NUMBER )); then + echo "SANDSTORM BRANCH ERROR: $CHANNEL has already moved past this branch!" >&2 + echo " I refuse to replace it with an older branch." >&2 + exit 1 +fi + +BASE_BUILD=$(( BRANCH_NUMBER * 1000 )) +BUILD=$(( BASE_BUILD > LAST_BUILD ? BASE_BUILD : LAST_BUILD + 1 )) +BUILD_MINOR="$(( $BUILD % 1000 ))" +DISPLAY_VERSION="${BRANCH_NUMBER}.${BUILD_MINOR}" +TAG_NAME="v${DISPLAY_VERSION}" +SIGNING_KEY_ID=160D2D577518B58D94C9800B63F227499DA8CCBD + +TARBALL=sandstorm-$SANDSTORM_LAST_BUILD.tar.xz +NODE_EXE=sandstorm-$SANDSTORM_LAST_BUILD/bin/node + +echo "=== DOWNLOADING SANDSTORM GPG KEYS TO VERIFY SANDSTORM RELEASE ===" + +# Do verification in custom GPG workspace +# https://docs.sandstorm.io/en/latest/install/#option-3-pgp-verified-install +export GNUPGHOME=$(mktemp -d) + +curl https://raw.githubusercontent.com/sandstorm-io/sandstorm/master/keys/release-keyring.gpg | \ + gpg --import + +wget https://raw.githubusercontent.com/sandstorm-io/sandstorm/master/keys/release-certificate.kentonv.sig + +gpg --decrypt release-certificate.kentonv.sig + +echo "=== DOWNLOADING SANDSTORM RELEASE FROM https://dl.sandstorm.io/${TARBALL} ===" +wget https://dl.sandstorm.io/$TARBALL + +echo "=== DOWNLOADING SIGNATURE FOR SANDSTORM RELEASE FROM https://dl.sandstorm.io/${TARBALL}.sig ===" +wget https://dl.sandstorm.io/$TARBALL.sig + +echo "=== VERIFYING SIGNATURE OF SANDSTORM RELEASE ===" +gpg --verify $TARBALL.sig $TARBALL + +if [ $? -eq 0 ] +then + echo "=== ALL IS WELL. GOOD SIGNATURE IN SANDSTORM. ===" +else + echo "=== PROBLEM WITH SANDSTORM SIGNATURE. ===" + exit 1 +fi + +echo "=== EXTRACTING NODE FROM SANDSTORM RELEASE TARBALL ===" +# --strip 2 removes path of 2 subdirectories +tar -xf $TARBALL $NODE_EXE --strip=2 + +echo "=== REMOVING SANDSTORM RELEASE TARBALL AND SIGNATURE ===" +rm $TARBALL $TARBALL.sig release-certificate.kentonv.si* -- cgit v1.2.3-1-g7c22 From bf06c715fe41b1689f451c1ae1112a06b377768f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 2 Jul 2018 19:09:57 +0300 Subject: Fix URL. --- Dockerfile | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/Dockerfile b/Dockerfile index dbeeef5b..1f44fced 100644 --- a/Dockerfile +++ b/Dockerfile @@ -47,7 +47,7 @@ RUN \ # Fiber.poolSize = 1e9; # Getting newest Node from Sandstorm fork of Node # Source: https://github.com/sandstorm-io/node - wget https://github.com/wekan/wekan/blob/devel/download-sandstorm-node.sh && \ + wget https://raw.githubusercontent.com/wekan/wekan/devel/download-sandstorm-node.sh && \ bash download-sandstorm-node.sh && \ rm download-sandstorm-node.sh && \ # == OLD == -- cgit v1.2.3-1-g7c22 From 1f7db171d94af97187ac22ae07f3cad2b11d7ae1 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 2 Jul 2018 19:38:49 +0300 Subject: Try to fix Dockerfile. --- Dockerfile | 4 +++- download-sandstorm-node.sh | 3 ++- 2 files changed, 5 insertions(+), 2 deletions(-) diff --git a/Dockerfile b/Dockerfile index 1f44fced..b52b62ff 100644 --- a/Dockerfile +++ b/Dockerfile @@ -87,7 +87,9 @@ RUN \ #tar xvzf node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ #rm node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ #mv node-${NODE_VERSION}-${ARCHITECTURE} /opt/nodejs && \ - mv node /opt/nodejs && \ + mkdir -p /opt/nodejs/bin && + mv node /opt/nodejs/bin/ && \ + mv npm /opt/nodejs/bin/ && \ ln -s /opt/nodejs/bin/node /usr/bin/node && \ ln -s /opt/nodejs/bin/npm /usr/bin/npm && \ \ diff --git a/download-sandstorm-node.sh b/download-sandstorm-node.sh index 2e611f05..ec2b9394 100755 --- a/download-sandstorm-node.sh +++ b/download-sandstorm-node.sh @@ -27,6 +27,7 @@ SIGNING_KEY_ID=160D2D577518B58D94C9800B63F227499DA8CCBD TARBALL=sandstorm-$SANDSTORM_LAST_BUILD.tar.xz NODE_EXE=sandstorm-$SANDSTORM_LAST_BUILD/bin/node +NPM_EXE=sandstorm-$SANDSTORM_LAST_BUILD/bin/npm echo "=== DOWNLOADING SANDSTORM GPG KEYS TO VERIFY SANDSTORM RELEASE ===" @@ -60,7 +61,7 @@ fi echo "=== EXTRACTING NODE FROM SANDSTORM RELEASE TARBALL ===" # --strip 2 removes path of 2 subdirectories -tar -xf $TARBALL $NODE_EXE --strip=2 +tar -xf $TARBALL $NODE_EXE $NPM_EXE --strip=2 echo "=== REMOVING SANDSTORM RELEASE TARBALL AND SIGNATURE ===" rm $TARBALL $TARBALL.sig release-certificate.kentonv.si* -- cgit v1.2.3-1-g7c22 From e139e140f4b4a6b3415d2592466d656504f1ade7 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 2 Jul 2018 19:42:04 +0300 Subject: Fix typo. --- Dockerfile | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/Dockerfile b/Dockerfile index b52b62ff..d21854d5 100644 --- a/Dockerfile +++ b/Dockerfile @@ -87,7 +87,7 @@ RUN \ #tar xvzf node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ #rm node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ #mv node-${NODE_VERSION}-${ARCHITECTURE} /opt/nodejs && \ - mkdir -p /opt/nodejs/bin && + mkdir -p /opt/nodejs/bin && \ mv node /opt/nodejs/bin/ && \ mv npm /opt/nodejs/bin/ && \ ln -s /opt/nodejs/bin/node /usr/bin/node && \ -- cgit v1.2.3-1-g7c22 From abf7890941e7139e77aadb9c75ba4c314a9a6a1a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 2 Jul 2018 19:59:00 +0300 Subject: Try to fix Dockerfile. --- Dockerfile | 1 + download-sandstorm-node.sh | 3 +-- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/Dockerfile b/Dockerfile index d21854d5..906638dc 100644 --- a/Dockerfile +++ b/Dockerfile @@ -47,6 +47,7 @@ RUN \ # Fiber.poolSize = 1e9; # Getting newest Node from Sandstorm fork of Node # Source: https://github.com/sandstorm-io/node + curl -sL https://deb.nodesource.com/setup_8.x | bash - wget https://raw.githubusercontent.com/wekan/wekan/devel/download-sandstorm-node.sh && \ bash download-sandstorm-node.sh && \ rm download-sandstorm-node.sh && \ diff --git a/download-sandstorm-node.sh b/download-sandstorm-node.sh index ec2b9394..2e611f05 100755 --- a/download-sandstorm-node.sh +++ b/download-sandstorm-node.sh @@ -27,7 +27,6 @@ SIGNING_KEY_ID=160D2D577518B58D94C9800B63F227499DA8CCBD TARBALL=sandstorm-$SANDSTORM_LAST_BUILD.tar.xz NODE_EXE=sandstorm-$SANDSTORM_LAST_BUILD/bin/node -NPM_EXE=sandstorm-$SANDSTORM_LAST_BUILD/bin/npm echo "=== DOWNLOADING SANDSTORM GPG KEYS TO VERIFY SANDSTORM RELEASE ===" @@ -61,7 +60,7 @@ fi echo "=== EXTRACTING NODE FROM SANDSTORM RELEASE TARBALL ===" # --strip 2 removes path of 2 subdirectories -tar -xf $TARBALL $NODE_EXE $NPM_EXE --strip=2 +tar -xf $TARBALL $NODE_EXE --strip=2 echo "=== REMOVING SANDSTORM RELEASE TARBALL AND SIGNATURE ===" rm $TARBALL $TARBALL.sig release-certificate.kentonv.si* -- cgit v1.2.3-1-g7c22 From 2ac7660f29bae026350595596207b918286a2c23 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 2 Jul 2018 20:01:13 +0300 Subject: Fix typo. --- Dockerfile | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/Dockerfile b/Dockerfile index 906638dc..ac1fa9fc 100644 --- a/Dockerfile +++ b/Dockerfile @@ -47,7 +47,7 @@ RUN \ # Fiber.poolSize = 1e9; # Getting newest Node from Sandstorm fork of Node # Source: https://github.com/sandstorm-io/node - curl -sL https://deb.nodesource.com/setup_8.x | bash - + curl -sL https://deb.nodesource.com/setup_8.x | bash - && \ wget https://raw.githubusercontent.com/wekan/wekan/devel/download-sandstorm-node.sh && \ bash download-sandstorm-node.sh && \ rm download-sandstorm-node.sh && \ -- cgit v1.2.3-1-g7c22 From 05869792ad09edbe9dacc67460b5e98e9642bb2a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 2 Jul 2018 20:06:22 +0300 Subject: Revert Dockerfile changes. --- Dockerfile | 26 ++++++------------ download-sandstorm-node.sh | 66 ---------------------------------------------- 2 files changed, 8 insertions(+), 84 deletions(-) delete mode 100755 download-sandstorm-node.sh diff --git a/Dockerfile b/Dockerfile index ac1fa9fc..8b8b6a09 100644 --- a/Dockerfile +++ b/Dockerfile @@ -45,20 +45,13 @@ RUN \ # Also see beginning of wekan/server/authentication.js # import Fiber from "fibers"; # Fiber.poolSize = 1e9; - # Getting newest Node from Sandstorm fork of Node - # Source: https://github.com/sandstorm-io/node - curl -sL https://deb.nodesource.com/setup_8.x | bash - && \ - wget https://raw.githubusercontent.com/wekan/wekan/devel/download-sandstorm-node.sh && \ - bash download-sandstorm-node.sh && \ - rm download-sandstorm-node.sh && \ - # == OLD == # Download node version 8.11.1 that has fix included, node binary copied from Sandstorm # Description at https://releases.wekan.team/node.txt - ##wget https://releases.wekan.team/node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ - ##echo "308d0caaef0a1da3e98d1a1615016aad9659b3caf31d0f09ced20cabedb8acbf node-v8.11.1-linux-x64.tar.gz" >> SHASUMS256.txt.asc && \ - ##\ + wget https://releases.wekan.team/node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ + echo "308d0caaef0a1da3e98d1a1615016aad9659b3caf31d0f09ced20cabedb8acbf node-v8.11.1-linux-x64.tar.gz" >> SHASUMS256.txt.asc && \ + \ # Verify nodejs authenticity - ##grep ${NODE_VERSION}-${ARCHITECTURE}.tar.gz SHASUMS256.txt.asc | shasum -a 256 -c - && \ + grep ${NODE_VERSION}-${ARCHITECTURE}.tar.gz SHASUMS256.txt.asc | shasum -a 256 -c - && \ #export GNUPGHOME="$(mktemp -d)" && \ #\ # Try other key servers if ha.pool.sks-keyservers.net is unreachable @@ -82,15 +75,12 @@ RUN \ # Ignore socket files then delete files then delete directories #find "$GNUPGHOME" -type f | xargs rm -f && \ #find "$GNUPGHOME" -type d | xargs rm -fR && \ - ##rm -f SHASUMS256.txt.asc && \ + rm -f SHASUMS256.txt.asc && \ \ # Install Node - #tar xvzf node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ - #rm node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ - #mv node-${NODE_VERSION}-${ARCHITECTURE} /opt/nodejs && \ - mkdir -p /opt/nodejs/bin && \ - mv node /opt/nodejs/bin/ && \ - mv npm /opt/nodejs/bin/ && \ + tar xvzf node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ + rm node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ + mv node-${NODE_VERSION}-${ARCHITECTURE} /opt/nodejs && \ ln -s /opt/nodejs/bin/node /usr/bin/node && \ ln -s /opt/nodejs/bin/npm /usr/bin/npm && \ \ diff --git a/download-sandstorm-node.sh b/download-sandstorm-node.sh deleted file mode 100755 index 2e611f05..00000000 --- a/download-sandstorm-node.sh +++ /dev/null @@ -1,66 +0,0 @@ -#!/bin/bash - -echo "=== GETTING NEWEST NODE FROM SANDSTORM FORK OF NODE ===" -echo "=== SOURCE: https://github.com/sandstorm-io/node ===" - -# From https://github.com/sandstorm-io/sandstorm/blob/master/branch.conf -SANDSTORM_BRANCH_NUMBER=0 - -# From https://github.com/sandstorm-io/sandstorm/blob/master/release.sh -SANDSTORM_CHANNEL=dev -SANDSTORM_LAST_BUILD=$(curl -fs https://install.sandstorm.io/$SANDSTORM_CHANNEL) - -echo "=== LATEST SANDSTORM RELEASE: ${SANDSTORM_LAST_BUILD}===" - -if (( SANDSTORM_LAST_BUILD / 1000 > SANDSTORM_BRANCH_NUMBER )); then - echo "SANDSTORM BRANCH ERROR: $CHANNEL has already moved past this branch!" >&2 - echo " I refuse to replace it with an older branch." >&2 - exit 1 -fi - -BASE_BUILD=$(( BRANCH_NUMBER * 1000 )) -BUILD=$(( BASE_BUILD > LAST_BUILD ? BASE_BUILD : LAST_BUILD + 1 )) -BUILD_MINOR="$(( $BUILD % 1000 ))" -DISPLAY_VERSION="${BRANCH_NUMBER}.${BUILD_MINOR}" -TAG_NAME="v${DISPLAY_VERSION}" -SIGNING_KEY_ID=160D2D577518B58D94C9800B63F227499DA8CCBD - -TARBALL=sandstorm-$SANDSTORM_LAST_BUILD.tar.xz -NODE_EXE=sandstorm-$SANDSTORM_LAST_BUILD/bin/node - -echo "=== DOWNLOADING SANDSTORM GPG KEYS TO VERIFY SANDSTORM RELEASE ===" - -# Do verification in custom GPG workspace -# https://docs.sandstorm.io/en/latest/install/#option-3-pgp-verified-install -export GNUPGHOME=$(mktemp -d) - -curl https://raw.githubusercontent.com/sandstorm-io/sandstorm/master/keys/release-keyring.gpg | \ - gpg --import - -wget https://raw.githubusercontent.com/sandstorm-io/sandstorm/master/keys/release-certificate.kentonv.sig - -gpg --decrypt release-certificate.kentonv.sig - -echo "=== DOWNLOADING SANDSTORM RELEASE FROM https://dl.sandstorm.io/${TARBALL} ===" -wget https://dl.sandstorm.io/$TARBALL - -echo "=== DOWNLOADING SIGNATURE FOR SANDSTORM RELEASE FROM https://dl.sandstorm.io/${TARBALL}.sig ===" -wget https://dl.sandstorm.io/$TARBALL.sig - -echo "=== VERIFYING SIGNATURE OF SANDSTORM RELEASE ===" -gpg --verify $TARBALL.sig $TARBALL - -if [ $? -eq 0 ] -then - echo "=== ALL IS WELL. GOOD SIGNATURE IN SANDSTORM. ===" -else - echo "=== PROBLEM WITH SANDSTORM SIGNATURE. ===" - exit 1 -fi - -echo "=== EXTRACTING NODE FROM SANDSTORM RELEASE TARBALL ===" -# --strip 2 removes path of 2 subdirectories -tar -xf $TARBALL $NODE_EXE --strip=2 - -echo "=== REMOVING SANDSTORM RELEASE TARBALL AND SIGNATURE ===" -rm $TARBALL $TARBALL.sig release-certificate.kentonv.si* -- cgit v1.2.3-1-g7c22 From ee81775dc8306a9e88d6c7573864f12269f78c01 Mon Sep 17 00:00:00 2001 From: ppoulard Date: Tue, 3 Jul 2018 15:55:19 +0200 Subject: Adding SSO CAS to Wekan --- .meteor/packages | 1 + .meteor/versions | 1 + client/components/main/layouts.jade | 3 +++ client/components/main/layouts.js | 17 +++++++++++++++++ i18n/en.i18n.json | 1 + settings.json | 1 + 6 files changed, 24 insertions(+) create mode 100644 settings.json diff --git a/.meteor/packages b/.meteor/packages index 8f83280f..e76e15fb 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -85,3 +85,4 @@ browser-policy eluck:accounts-lockout rzymek:fullcalendar momentjs:moment@2.22.2 +atoy40:accounts-cas \ No newline at end of file diff --git a/.meteor/versions b/.meteor/versions index a173e7e4..9de09a74 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -9,6 +9,7 @@ aldeed:simple-schema@1.5.3 alethes:pages@1.8.6 allow-deny@1.1.0 arillo:flow-router-helpers@0.5.2 +atoy40:accounts-cas@0.0.2 audit-argument-checks@1.0.7 autoupdate@1.3.12 babel-compiler@6.24.7 diff --git a/client/components/main/layouts.jade b/client/components/main/layouts.jade index 4d76aabb..911f23f4 100644 --- a/client/components/main/layouts.jade +++ b/client/components/main/layouts.jade @@ -17,6 +17,9 @@ template(name="userFormsLayout") img(src="{{pathFor '/wekan-logo.png'}}" alt="Wekan") section.auth-dialog +Template.dynamic(template=content) + if isCas + .at-form + button#cas(class='at-btn submit' type='submit') {{casSignInLabel}} div.at-form-lang select.select-lang.js-userform-set-language each languages diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index f12718a7..ab47c8ed 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -39,6 +39,16 @@ Template.userFormsLayout.helpers({ const curLang = T9n.getLanguage() || 'en'; return t9nTag === curLang; }, + + isCas() { + return Meteor.settings.public && + Meteor.settings.public.cas && + Meteor.settings.public.cas.loginUrl + }, + + casSignInLabel() { + return TAPi18n.__('casSignIn', {}, T9n.getLanguage() || 'en'); + }, }); Template.userFormsLayout.events({ @@ -47,6 +57,13 @@ Template.userFormsLayout.events({ T9n.setLanguage(i18nTagToT9n(i18nTag)); evt.preventDefault(); }, + 'click button#cas'() { + Meteor.loginWithCas(function() { + if (FlowRouter.getRouteName() == 'atSignIn') { + FlowRouter.go('/'); + } + }); + }, }); Template.defaultLayout.events({ diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 51a9b4cc..fa95f162 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -131,6 +131,7 @@ "cardMorePopup-title": "More", "cards": "Cards", "cards-count": "Cards", + "casSignIn" : "Sign In with CAS", "change": "Change", "change-avatar": "Change Avatar", "change-password": "Change Password", diff --git a/settings.json b/settings.json new file mode 100644 index 00000000..9e26dfee --- /dev/null +++ b/settings.json @@ -0,0 +1 @@ +{} \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 49a89b80cfec69d715e8b13db540d10c9fa97ffe Mon Sep 17 00:00:00 2001 From: ppoulard Date: Tue, 3 Jul 2018 16:08:18 +0200 Subject: Fix QA --- client/components/main/layouts.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index ab47c8ed..943a94e7 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -43,7 +43,7 @@ Template.userFormsLayout.helpers({ isCas() { return Meteor.settings.public && Meteor.settings.public.cas && - Meteor.settings.public.cas.loginUrl + Meteor.settings.public.cas.loginUrl; }, casSignInLabel() { @@ -59,7 +59,7 @@ Template.userFormsLayout.events({ }, 'click button#cas'() { Meteor.loginWithCas(function() { - if (FlowRouter.getRouteName() == 'atSignIn') { + if (FlowRouter.getRouteName() ==== 'atSignIn') { FlowRouter.go('/'); } }); -- cgit v1.2.3-1-g7c22 From 122a61b3333fb77c0f08bbdc6fe0d3c2f6db97df Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 3 Jul 2018 17:19:13 +0300 Subject: - Revert "Fix vertical align of user avatar initials", so that initials are again visible. Thanks to pravdomil and xet7 ! Reverts https://github.com/wekan/wekan/pull/1714 --- client/components/users/userAvatar.jade | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/components/users/userAvatar.jade b/client/components/users/userAvatar.jade index df2ac461..83e2c8d0 100644 --- a/client/components/users/userAvatar.jade +++ b/client/components/users/userAvatar.jade @@ -17,7 +17,7 @@ template(name="userAvatar") template(name="userAvatarInitials") svg.avatar.avatar-initials(viewBox="0 0 {{viewPortWidth}} 15") - text(x="50%" y="50%" text-anchor="middle" alignment-baseline="central")= initials + text(x="50%" y="13" text-anchor="middle")= initials template(name="userPopup") .board-member-menu -- cgit v1.2.3-1-g7c22 From 02f14d967f3f1cdd633131a31782297ef564a6d8 Mon Sep 17 00:00:00 2001 From: ppoulard Date: Tue, 3 Jul 2018 16:21:51 +0200 Subject: =?UTF-8?q?Fix=20stupid=20error=20=F0=9F=92=A5=F0=9F=97=AF?= =?UTF-8?q?=F0=9F=92=A3=F0=9F=95=B3=F0=9F=92=A2=E2=98=A0?= MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit --- client/components/main/layouts.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index 943a94e7..6d6e616d 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -59,7 +59,7 @@ Template.userFormsLayout.events({ }, 'click button#cas'() { Meteor.loginWithCas(function() { - if (FlowRouter.getRouteName() ==== 'atSignIn') { + if (FlowRouter.getRouteName() === 'atSignIn') { FlowRouter.go('/'); } }); -- cgit v1.2.3-1-g7c22 From 067aef9de948ef0cb6037d52602100b00d214706 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 3 Jul 2018 23:33:28 +0300 Subject: Fix warning about missing space in jade file. Thanks to xet7 ! --- client/components/sidebar/sidebarFilters.jade | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/client/components/sidebar/sidebarFilters.jade b/client/components/sidebar/sidebarFilters.jade index 514870b8..f11528b1 100644 --- a/client/components/sidebar/sidebarFilters.jade +++ b/client/components/sidebar/sidebarFilters.jade @@ -52,9 +52,9 @@ template(name="filterSidebar") li(class="{{#if Filter.customFields.isSelected _id}}active{{/if}}") a.name.js-toggle-custom-fields-filter span.sidebar-list-item-description - {{ name }} + | {{ name }} if Filter.customFields.isSelected _id - i.fa.fa-check + i.fa.fa-check hr span {{_ 'advanced-filter-label'}} input.js-field-advanced-filter(type="text") -- cgit v1.2.3-1-g7c22 From 177c00e97427ab6280b3c6f3acd84cda5167a23c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 3 Jul 2018 23:40:31 +0300 Subject: - Fix warning about missing space in jade file. Thanks to xet7 ! --- CHANGELOG.md | 10 ++++++++++ 1 file changed, 10 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 91c52200..0fac4a69 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,13 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +* [Fix warning about missing space in jade file](https://github.com/wekan/wekan/commit/067aef9de948ef0cb6037d52602100b00d214706); +* [Revert "[Fix vertical align of user avatar initials](https://github.com/wekan/wekan/pull/1714)", so that [initials are again + visible](https://github.com/wekan/wekan/commit/122a61b3333fb77c0f08bbdc6fe0d3c2f6db97df). + +Thanks to GitHub users pravdomil and xet7 for their contributions. + # v1.11 2018-06-30 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From dd324aa581bed7ea31f20968c6b596f373e7054f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 3 Jul 2018 23:57:05 +0300 Subject: - Fix lint warning: EditCardDate is assigned a value but never used no-unused-vars Thanks to xet7 ! --- client/components/cards/cardDate.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/components/cards/cardDate.js b/client/components/cards/cardDate.js index 02ea09ae..b0f2baa3 100644 --- a/client/components/cards/cardDate.js +++ b/client/components/cards/cardDate.js @@ -1,5 +1,5 @@ // Edit received, start, due & end dates -const EditCardDate = BlazeComponent.extendComponent({ +BlazeComponent.extendComponent({ template() { return 'editCardDate'; }, -- cgit v1.2.3-1-g7c22 From c997786e6435a7e5728eab32c0e24bd458db75ae Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 4 Jul 2018 00:01:05 +0300 Subject: - Fix lint warning: EditCardDate is assigned a value but never used no-unused-vars Thanks to xet7 ! --- CHANGELOG.md | 8 +++++--- 1 file changed, 5 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 0fac4a69..b23eb958 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,9 +2,11 @@ This release fixes the following bugs: -* [Fix warning about missing space in jade file](https://github.com/wekan/wekan/commit/067aef9de948ef0cb6037d52602100b00d214706); -* [Revert "[Fix vertical align of user avatar initials](https://github.com/wekan/wekan/pull/1714)", so that [initials are again - visible](https://github.com/wekan/wekan/commit/122a61b3333fb77c0f08bbdc6fe0d3c2f6db97df). +- [Fix warning about missing space in jade file](https://github.com/wekan/wekan/commit/067aef9de948ef0cb6037d52602100b00d214706); +- Revert [Fix vertical align of user avatar initials](https://github.com/wekan/wekan/pull/1714), so that [initials are again + visible](https://github.com/wekan/wekan/commit/122a61b3333fb77c0f08bbdc6fe0d3c2f6db97df); +- Fix lint warning: [EditCardDate is assigned a value but never used + no-unused-vars](https://github.com/wekan/wekan/commit/dd324aa581bed7ea31f20968c6b596f373e7054f). Thanks to GitHub users pravdomil and xet7 for their contributions. -- cgit v1.2.3-1-g7c22 From 515c9be051272b91563c6de516424a246503853a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 5 Jul 2018 21:57:17 +0300 Subject: - Fix Minimize board sidebar actually just moves it over. Thanks to dagomar ! Closes #1589 --- CHANGELOG.md | 5 +++-- client/components/boards/boardBody.styl | 5 +++-- 2 files changed, 6 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index b23eb958..1c3a038c 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -6,9 +6,10 @@ This release fixes the following bugs: - Revert [Fix vertical align of user avatar initials](https://github.com/wekan/wekan/pull/1714), so that [initials are again visible](https://github.com/wekan/wekan/commit/122a61b3333fb77c0f08bbdc6fe0d3c2f6db97df); - Fix lint warning: [EditCardDate is assigned a value but never used - no-unused-vars](https://github.com/wekan/wekan/commit/dd324aa581bed7ea31f20968c6b596f373e7054f). + no-unused-vars](https://github.com/wekan/wekan/commit/dd324aa581bed7ea31f20968c6b596f373e7054f); +- Fix [Minimize board sidebar actually just moves it over](https://github.com/wekan/wekan/issues/1589). -Thanks to GitHub users pravdomil and xet7 for their contributions. +Thanks to GitHub users dagomar, pravdomil and xet7 for their contributions. # v1.11 2018-06-30 Wekan release diff --git a/client/components/boards/boardBody.styl b/client/components/boards/boardBody.styl index a614c7ed..148c6ce1 100644 --- a/client/components/boards/boardBody.styl +++ b/client/components/boards/boardBody.styl @@ -15,12 +15,13 @@ position() .board-wrapper position: cover - overflow-y: hidden; + overflow-x: hidden + overflow-y: hidden .board-canvas position: cover transition: margin .1s - overflow-y: auto; + overflow-y: auto &.is-sibling-sidebar-open margin-right: 248px -- cgit v1.2.3-1-g7c22 From 7e4fddd9325331092cf7a982f64f1d6ef83ebfbd Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 5 Jul 2018 22:49:25 +0300 Subject: Update translations. --- i18n/ar.i18n.json | 26 ++++++++++++++++++++++++-- i18n/bg.i18n.json | 26 ++++++++++++++++++++++++-- i18n/br.i18n.json | 26 ++++++++++++++++++++++++-- i18n/ca.i18n.json | 26 ++++++++++++++++++++++++-- i18n/cs.i18n.json | 26 ++++++++++++++++++++++++-- i18n/de.i18n.json | 26 ++++++++++++++++++++++++-- i18n/el.i18n.json | 26 ++++++++++++++++++++++++-- i18n/en-GB.i18n.json | 26 ++++++++++++++++++++++++-- i18n/en.i18n.json | 4 ++-- i18n/eo.i18n.json | 26 ++++++++++++++++++++++++-- i18n/es-AR.i18n.json | 26 ++++++++++++++++++++++++-- i18n/es.i18n.json | 26 ++++++++++++++++++++++++-- i18n/eu.i18n.json | 26 ++++++++++++++++++++++++-- i18n/fa.i18n.json | 26 ++++++++++++++++++++++++-- i18n/fi.i18n.json | 26 ++++++++++++++++++++++++-- i18n/fr.i18n.json | 26 ++++++++++++++++++++++++-- i18n/gl.i18n.json | 26 ++++++++++++++++++++++++-- i18n/he.i18n.json | 26 ++++++++++++++++++++++++-- i18n/hu.i18n.json | 26 ++++++++++++++++++++++++-- i18n/hy.i18n.json | 26 ++++++++++++++++++++++++-- i18n/id.i18n.json | 26 ++++++++++++++++++++++++-- i18n/ig.i18n.json | 26 ++++++++++++++++++++++++-- i18n/it.i18n.json | 26 ++++++++++++++++++++++++-- i18n/ja.i18n.json | 26 ++++++++++++++++++++++++-- i18n/ka.i18n.json | 26 ++++++++++++++++++++++++-- i18n/km.i18n.json | 26 ++++++++++++++++++++++++-- i18n/ko.i18n.json | 26 ++++++++++++++++++++++++-- i18n/lv.i18n.json | 26 ++++++++++++++++++++++++-- i18n/mn.i18n.json | 26 ++++++++++++++++++++++++-- i18n/nb.i18n.json | 26 ++++++++++++++++++++++++-- i18n/nl.i18n.json | 26 ++++++++++++++++++++++++-- i18n/pl.i18n.json | 26 ++++++++++++++++++++++++-- i18n/pt-BR.i18n.json | 26 ++++++++++++++++++++++++-- i18n/pt.i18n.json | 26 ++++++++++++++++++++++++-- i18n/ro.i18n.json | 26 ++++++++++++++++++++++++-- i18n/ru.i18n.json | 26 ++++++++++++++++++++++++-- i18n/sr.i18n.json | 26 ++++++++++++++++++++++++-- i18n/sv.i18n.json | 26 ++++++++++++++++++++++++-- i18n/ta.i18n.json | 26 ++++++++++++++++++++++++-- i18n/th.i18n.json | 26 ++++++++++++++++++++++++-- i18n/tr.i18n.json | 26 ++++++++++++++++++++++++-- i18n/uk.i18n.json | 26 ++++++++++++++++++++++++-- i18n/vi.i18n.json | 26 ++++++++++++++++++++++++-- i18n/zh-CN.i18n.json | 26 ++++++++++++++++++++++++-- i18n/zh-TW.i18n.json | 26 ++++++++++++++++++++++++-- 45 files changed, 1058 insertions(+), 90 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 47c120e8..5f423ddf 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -2,6 +2,7 @@ "accept": "اقبلboard", "act-activity-notify": "[Wekan] اشعار عن نشاط", "act-addAttachment": "ربط __attachment__ الى __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", "act-addComment": "علق على __comment__ : __card__", @@ -41,6 +42,7 @@ "activity-removed": "حذف %s إلى %s", "activity-sent": "إرسال %s إلى %s", "activity-unjoined": "غادر %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "أضاف قائمة تحقق إلى %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "add": "أضف", @@ -48,6 +50,7 @@ "add-board": "إضافة لوحة", "add-card": "إضافة بطاقة", "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", "add-checklist": "إضافة قائمة تدقيق", "add-checklist-item": "إضافة عنصر إلى قائمة التحقق", "add-cover": "إضافة غلاف", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "تغيير كلمة المرور", "changePermissionsPopup-title": "تعديل الصلاحيات", "changeSettingsPopup-title": "تغيير الاعدادات", + "subtasks": "Subtasks", "checklists": "قوائم التّدقيق", "click-to-star": "اضغط لإضافة اللوحة للمفضلة.", "click-to-unstar": "اضغط لحذف اللوحة من المفضلة.", @@ -163,7 +167,8 @@ "comment-only": "التعليق فقط", "comment-only-desc": "يمكن التعليق على بطاقات فقط.", "computer": "حاسوب", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "نسخ رابط البطاقة إلى الحافظة", "copyCardPopup-title": "نسخ البطاقة", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index c2874364..69fe5188 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -2,6 +2,7 @@ "accept": "Accept", "act-activity-notify": "[Wekan] Известия за дейности", "act-addAttachment": "прикачи __attachment__ към __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "добави списък със задачи __checklist__ към __card__", "act-addChecklistItem": "добави __checklistItem__ към списък със задачи __checklist__ в __card__", "act-addComment": "Коментира в __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "премахна %s от %s", "activity-sent": "изпрати %s до %s", "activity-unjoined": "вече не е част от %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "добави списък със задачи към %s", "activity-checklist-item-added": "добави точка към '%s' в/във %s", "add": "Добави", @@ -48,6 +50,7 @@ "add-board": "Добави Табло", "add-card": "Добави карта", "add-swimlane": "Добави коридор", + "add-subtask": "Add Subtask", "add-checklist": "Добави списък със задачи", "add-checklist-item": "Добави точка към списъка със задачи", "add-cover": "Добави корица", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Промени паролата", "changePermissionsPopup-title": "Change Permissions", "changeSettingsPopup-title": "Промяна на настройките", + "subtasks": "Subtasks", "checklists": "Списъци със задачи", "click-to-star": "Click to star this board.", "click-to-unstar": "Натиснете, за да премахнете това табло от любими.", @@ -163,7 +167,8 @@ "comment-only": "Само коментар", "comment-only-desc": "Може да коментира само в карти.", "computer": "Компютър", - "confirm-checklist-delete-dialog": "Сигурни ли сте, че искате да изтриете този чеклист?", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Копирай връзката на картата в клипборда", "copyCardPopup-title": "Копирай картата", "copyChecklistToManyCardsPopup-title": "Копирай чеклисти в други карти", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index fa2c25e2..a1043e89 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -2,6 +2,7 @@ "accept": "Asantiñ", "act-activity-notify": "[Wekan] Activity Notification", "act-addAttachment": "attached __attachment__ to __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", "act-addComment": "commented on __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "removed %s from %s", "activity-sent": "sent %s to %s", "activity-unjoined": "unjoined %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "add": "Ouzhpenn", @@ -48,6 +50,7 @@ "add-board": "Add Board", "add-card": "Add Card", "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", "add-checklist": "Add Checklist", "add-checklist-item": "Add an item to checklist", "add-cover": "Ouzphenn ur golo", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Kemmañ ger-tremen", "changePermissionsPopup-title": "Change Permissions", "changeSettingsPopup-title": "Change Settings", + "subtasks": "Subtasks", "checklists": "Checklists", "click-to-star": "Click to star this board.", "click-to-unstar": "Click to unstar this board.", @@ -163,7 +167,8 @@ "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 5badc85e..6cceb936 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -2,6 +2,7 @@ "accept": "Accepta", "act-activity-notify": "[Wekan] Notificació d'activitat", "act-addAttachment": "adjuntat __attachment__ a __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "afegida la checklist _checklist__ a __card__", "act-addChecklistItem": "afegit __checklistItem__ a la checklist __checklist__ on __card__", "act-addComment": "comentat a __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "ha eliminat %s de %s", "activity-sent": "ha enviat %s %s", "activity-unjoined": "desassignat %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "Checklist afegida a %s", "activity-checklist-item-added": "afegida entrada de checklist de '%s' a %s", "add": "Afegeix", @@ -48,6 +50,7 @@ "add-board": "Afegeix Tauler", "add-card": "Afegeix fitxa", "add-swimlane": "Afegix Carril de Natació", + "add-subtask": "Add Subtask", "add-checklist": "Afegeix checklist", "add-checklist-item": "Afegeix un ítem", "add-cover": "Afegeix coberta", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Canvia la contrasenya", "changePermissionsPopup-title": "Canvia permisos", "changeSettingsPopup-title": "Canvia configuració", + "subtasks": "Subtasks", "checklists": "Checklists", "click-to-star": "Fes clic per destacar aquest tauler.", "click-to-unstar": "Fes clic per deixar de destacar aquest tauler.", @@ -163,7 +167,8 @@ "comment-only": "Només comentaris", "comment-only-desc": "Només pots fer comentaris a les fitxes", "computer": "Ordinador", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copia l'enllaç de la ftixa al porta-retalls", "copyCardPopup-title": "Copia la fitxa", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index f067e9d3..61b5402c 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -2,6 +2,7 @@ "accept": "Přijmout", "act-activity-notify": "[Wekan] Notifikace aktivit", "act-addAttachment": "přiložen __attachment__ do __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "přidán checklist __checklist__ do __card__", "act-addChecklistItem": "přidán __checklistItem__ do checklistu __checklist__ v __card__", "act-addComment": "komentář k __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "odstraněn %s z %s", "activity-sent": "%s posláno na %s", "activity-unjoined": "odpojen %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "přidán checklist do %s", "activity-checklist-item-added": "přidána položka checklist do '%s' v %s", "add": "Přidat", @@ -48,6 +50,7 @@ "add-board": "Přidat tablo", "add-card": "Přidat kartu", "add-swimlane": "Přidat Swimlane", + "add-subtask": "Add Subtask", "add-checklist": "Přidat zaškrtávací seznam", "add-checklist-item": "Přidat položku do zaškrtávacího seznamu", "add-cover": "Přidat obal", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Změnit heslo", "changePermissionsPopup-title": "Změnit oprávnění", "changeSettingsPopup-title": "Změnit nastavení", + "subtasks": "Subtasks", "checklists": "Checklisty", "click-to-star": "Kliknutím přidat hvězdičku tomuto tablu.", "click-to-unstar": "Kliknutím odebrat hvězdičku tomuto tablu.", @@ -163,7 +167,8 @@ "comment-only": "Pouze komentáře", "comment-only-desc": "Může přidávat komentáře pouze do karet.", "computer": "Počítač", - "confirm-checklist-delete-dialog": "Opravdu chcete smazat tento checklist?", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Kopírovat adresu karty do mezipaměti", "copyCardPopup-title": "Kopírovat kartu", "copyChecklistToManyCardsPopup-title": "Kopírovat checklist do více karet", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Smazat tablo?", - "delete-board": "Smazat tablo" + "delete-board": "Smazat tablo", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 2ae21b93..ac7f544b 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -2,6 +2,7 @@ "accept": "Akzeptieren", "act-activity-notify": "[Wekan] Aktivitätsbenachrichtigung", "act-addAttachment": "hat __attachment__ an __card__ angehängt", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "hat die Checkliste __checklist__ zu __card__ hinzugefügt", "act-addChecklistItem": "hat __checklistItem__ zur Checkliste __checklist__ in __card__ hinzugefügt", "act-addComment": "hat __card__ kommentiert: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "hat %s von %s entfernt", "activity-sent": "hat %s an %s gesendet", "activity-unjoined": "hat %s verlassen", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "hat eine Checkliste zu %s hinzugefügt", "activity-checklist-item-added": "hat eine Checklistenposition zu '%s' in %s hinzugefügt", "add": "Hinzufügen", @@ -48,6 +50,7 @@ "add-board": "neues Board", "add-card": "Karte hinzufügen", "add-swimlane": "Swimlane hinzufügen", + "add-subtask": "Add Subtask", "add-checklist": "Checkliste hinzufügen", "add-checklist-item": "Position zu einer Checkliste hinzufügen", "add-cover": "Cover hinzufügen", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Passwort ändern", "changePermissionsPopup-title": "Berechtigungen ändern", "changeSettingsPopup-title": "Einstellungen ändern", + "subtasks": "Subtasks", "checklists": "Checklisten", "click-to-star": "Klicken Sie, um das Board mit einem Stern zu markieren.", "click-to-unstar": "Klicken Sie, um den Stern vom Board zu entfernen.", @@ -163,7 +167,8 @@ "comment-only": "Nur kommentierbar", "comment-only-desc": "Kann Karten nur Kommentieren", "computer": "Computer", - "confirm-checklist-delete-dialog": "Sind Sie sicher, dass Sie die Checkliste löschen möchten?", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Kopiere Link zur Karte in die Zwischenablage", "copyCardPopup-title": "Karte kopieren", "copyChecklistToManyCardsPopup-title": "Checklistenvorlage in mehrere Karten kopieren", @@ -475,5 +480,22 @@ "board-delete-notice": "Löschen kann nicht rückgängig gemacht werden. Sie werden alle Listen, Karten und Aktionen, die mit diesem Board verbunden sind, verlieren.", "delete-board-confirm-popup": "Alle Listen, Karten, Labels und Akivitäten werden gelöscht und Sie können die Inhalte des Boards nicht wiederherstellen! Die Aktion kann nicht rückgängig gemacht werden.", "boardDeletePopup-title": "Board löschen?", - "delete-board": "Board löschen" + "delete-board": "Board löschen", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index cd00671a..0cfb4b25 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -2,6 +2,7 @@ "accept": "Accept", "act-activity-notify": "[Wekan] Activity Notification", "act-addAttachment": "attached __attachment__ to __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", "act-addComment": "commented on __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "removed %s from %s", "activity-sent": "sent %s to %s", "activity-unjoined": "unjoined %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "add": "Προσθήκη", @@ -48,6 +50,7 @@ "add-board": "Add Board", "add-card": "Προσθήκη Κάρτας", "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", "add-checklist": "Add Checklist", "add-checklist-item": "Add an item to checklist", "add-cover": "Add Cover", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Αλλαγή Κωδικού", "changePermissionsPopup-title": "Change Permissions", "changeSettingsPopup-title": "Αλλαγή Ρυθμίσεων", + "subtasks": "Subtasks", "checklists": "Checklists", "click-to-star": "Click to star this board.", "click-to-unstar": "Click to unstar this board.", @@ -163,7 +167,8 @@ "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", "computer": "Υπολογιστής", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 0fe7b237..f900def4 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -2,6 +2,7 @@ "accept": "Accept", "act-activity-notify": "[Wekan] Activity Notification", "act-addAttachment": "attached _ attachment _ to _ card _", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", "act-addComment": "commented on __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "removed %s from %s", "activity-sent": "sent %s to %s", "activity-unjoined": "unjoined %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "add": "Add", @@ -48,6 +50,7 @@ "add-board": "Add Board", "add-card": "Add Card", "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", "add-checklist": "Add Checklist", "add-checklist-item": "Add an item to checklist", "add-cover": "Add Cover", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Change Password", "changePermissionsPopup-title": "Change Permissions", "changeSettingsPopup-title": "Change Settings", + "subtasks": "Subtasks", "checklists": "Checklists", "click-to-star": "Click to star this board.", "click-to-unstar": "Click to unstar this board.", @@ -163,7 +167,8 @@ "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 9afadd29..d5488ad0 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -167,8 +167,8 @@ "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", "computer": "Computer", - "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index a0897302..3d8000c4 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -2,6 +2,7 @@ "accept": "Akcepti", "act-activity-notify": "[Wekan] Activity Notification", "act-addAttachment": "attached __attachment__ to __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", "act-addComment": "commented on __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "removed %s from %s", "activity-sent": "Sendis %s al %s", "activity-unjoined": "unjoined %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "add": "Aldoni", @@ -48,6 +50,7 @@ "add-board": "Add Board", "add-card": "Add Card", "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", "add-checklist": "Add Checklist", "add-checklist-item": "Add an item to checklist", "add-cover": "Add Cover", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Ŝangi pasvorton", "changePermissionsPopup-title": "Change Permissions", "changeSettingsPopup-title": "Ŝanĝi agordojn", + "subtasks": "Subtasks", "checklists": "Checklists", "click-to-star": "Click to star this board.", "click-to-unstar": "Click to unstar this board.", @@ -163,7 +167,8 @@ "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", "computer": "Komputilo", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index 97a740e2..95553e31 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -2,6 +2,7 @@ "accept": "Aceptar", "act-activity-notify": "[Wekan] Notificación de Actividad", "act-addAttachment": "adjunto __attachment__ a __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "lista de ítems __checklist__ agregada a __card__", "act-addChecklistItem": " __checklistItem__ agregada a lista de ítems __checklist__ en __card__", "act-addComment": "comentado en __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "eliminadas %s de %s", "activity-sent": "enviadas %s a %s", "activity-unjoined": "separadas %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "agregada lista de tareas a %s", "activity-checklist-item-added": "agregado item de lista de tareas a '%s' en %s", "add": "Agregar", @@ -48,6 +50,7 @@ "add-board": "Agregar Tablero", "add-card": "Agregar Tarjeta", "add-swimlane": "Agregar Calle", + "add-subtask": "Add Subtask", "add-checklist": "Agregar Lista de Tareas", "add-checklist-item": "Agregar ítem a lista de tareas", "add-cover": "Agregar Portadas", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Cambiar Contraseña", "changePermissionsPopup-title": "Cambiar Permisos", "changeSettingsPopup-title": "Cambiar Opciones", + "subtasks": "Subtasks", "checklists": "Listas de ítems", "click-to-star": "Clickeá para darle una estrella a este tablero.", "click-to-unstar": "Clickeá para sacarle la estrella al tablero.", @@ -163,7 +167,8 @@ "comment-only": "Comentar solamente", "comment-only-desc": "Puede comentar en tarjetas solamente.", "computer": "Computadora", - "confirm-checklist-delete-dialog": "¿Estás segur@ que querés borrar la lista de ítems?", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copiar enlace a tarjeta en el portapapeles", "copyCardPopup-title": "Copiar Tarjeta", "copyChecklistToManyCardsPopup-title": "Copiar Plantilla Checklist a Muchas Tarjetas", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index fa4f2f11..67f4d46e 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -2,6 +2,7 @@ "accept": "Aceptar", "act-activity-notify": "[Wekan] Notificación de actividad", "act-addAttachment": "ha adjuntado __attachment__ a __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "ha añadido la lista de verificación __checklist__ a __card__", "act-addChecklistItem": "ha añadido __checklistItem__ a la lista de verificación __checklist__ en __card__", "act-addComment": "ha comentado en __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "ha eliminado %s de %s", "activity-sent": "ha enviado %s a %s", "activity-unjoined": "se ha desvinculado de %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "ha añadido una lista de verificación a %s", "activity-checklist-item-added": "ha añadido el elemento de la lista de verificación a '%s' en %s", "add": "Añadir", @@ -48,6 +50,7 @@ "add-board": "Añadir tablero", "add-card": "Añadir una tarjeta", "add-swimlane": "Añadir un carril de flujo", + "add-subtask": "Add Subtask", "add-checklist": "Añadir una lista de verificación", "add-checklist-item": "Añadir un elemento a la lista de verificación", "add-cover": "Añadir portada", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Cambiar la contraseña", "changePermissionsPopup-title": "Cambiar los permisos", "changeSettingsPopup-title": "Cambiar las preferencias", + "subtasks": "Subtasks", "checklists": "Lista de verificación", "click-to-star": "Haz clic para destacar este tablero.", "click-to-unstar": "Haz clic para dejar de destacar este tablero.", @@ -163,7 +167,8 @@ "comment-only": "Sólo comentarios", "comment-only-desc": "Solo puedes comentar en las tarjetas.", "computer": "el ordenador", - "confirm-checklist-delete-dialog": "¿Seguro que desea eliminar la lista de verificación?", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copiar el enlace de la tarjeta al portapapeles", "copyCardPopup-title": "Copiar la tarjeta", "copyChecklistToManyCardsPopup-title": "Copiar la plantilla de la lista de verificación en varias tarjetas", @@ -475,5 +480,22 @@ "board-delete-notice": "Se eliminarán todas las listas, tarjetas y acciones asociadas a este tablero. Esta acción no puede deshacerse.", "delete-board-confirm-popup": "Se eliminarán todas las listas, tarjetas, etiquetas y actividades, y no podrás recuperar los contenidos del tablero. Esta acción no puede deshacerse.", "boardDeletePopup-title": "¿Borrar el tablero?", - "delete-board": "Borrar el tablero" + "delete-board": "Borrar el tablero", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index 9bd3510a..9ca140d8 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -2,6 +2,7 @@ "accept": "Onartu", "act-activity-notify": "[Wekan] Jarduera-jakinarazpena", "act-addAttachment": "__attachment__ __card__ txartelera erantsita", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "gehituta checklist __checklist__ __card__ -ri", "act-addChecklistItem": "gehituta __checklistItem__ checklist __checklist__ on __card__ -ri", "act-addComment": "__card__ txartelean iruzkina: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "%s %s(e)tik kenduta", "activity-sent": "%s %s(e)ri bidalita", "activity-unjoined": "%s utzita", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "egiaztaketa zerrenda %s(e)ra gehituta", "activity-checklist-item-added": "egiaztaketa zerrendako elementuak '%s'(e)ra gehituta %s(e)n", "add": "Gehitu", @@ -48,6 +50,7 @@ "add-board": "Gehitu arbela", "add-card": "Gehitu txartela", "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", "add-checklist": "Gehitu egiaztaketa zerrenda", "add-checklist-item": "Gehitu elementu bat egiaztaketa zerrendara", "add-cover": "Gehitu azala", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Aldatu pasahitza", "changePermissionsPopup-title": "Aldatu baimenak", "changeSettingsPopup-title": "Aldatu ezarpenak", + "subtasks": "Subtasks", "checklists": "Egiaztaketa zerrenda", "click-to-star": "Egin klik arbel honi izarra jartzeko", "click-to-unstar": "Egin klik arbel honi izarra kentzeko", @@ -163,7 +167,8 @@ "comment-only": "Iruzkinak besterik ez", "comment-only-desc": "Iruzkinak txarteletan soilik egin ditzake", "computer": "Ordenagailua", - "confirm-checklist-delete-dialog": "Ziur zaude kontrol-zerrenda ezabatu nahi duzula", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Kopiatu txartela arbelera", "copyCardPopup-title": "Kopiatu txartela", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index caa87ded..481a56ac 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -2,6 +2,7 @@ "accept": "پذیرش", "act-activity-notify": "[wekan] اطلاع فعالیت", "act-addAttachment": "پیوست __attachment__ به __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "سیاهه __checklist__ به __card__ افزوده شد", "act-addChecklistItem": "__checklistItem__ به سیاهه __checklist__ در __card__ افزوده شد", "act-addComment": "درج نظر برای __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "%s از %s حذف شد", "activity-sent": "ارسال %s به %s", "activity-unjoined": "قطع اتصال %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "سیاهه به %s اضافه شد", "activity-checklist-item-added": "added checklist item to '%s' in %s", "add": "افزودن", @@ -48,6 +50,7 @@ "add-board": "افزودن برد", "add-card": "افزودن کارت", "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", "add-checklist": "افزودن چک لیست", "add-checklist-item": "افزودن مورد به سیاهه", "add-cover": "جلد کردن", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "تغییر کلمه عبور", "changePermissionsPopup-title": "تغییر دسترسی‌ها", "changeSettingsPopup-title": "تغییر تنظیمات", + "subtasks": "Subtasks", "checklists": "سیاهه‌ها", "click-to-star": "با کلیک کردن ستاره بدهید", "click-to-unstar": "با کلیک کردن ستاره را کم کنید", @@ -163,7 +167,8 @@ "comment-only": "فقط نظر", "comment-only-desc": "فقط می‌تواند روی کارت‌ها نظر دهد.", "computer": "رایانه", - "confirm-checklist-delete-dialog": "مطمئنید که می‌خواهید سیاهه را حذف کنید؟", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "درج پیوند کارت در حافظه", "copyCardPopup-title": "کپی کارت", "copyChecklistToManyCardsPopup-title": "کپی قالب کارت به کارت‌های متعدد", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 34e58d1b..3677dacb 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -2,6 +2,7 @@ "accept": "Hyväksy", "act-activity-notify": "[Wekan] Toimintailmoitus", "act-addAttachment": "liitetty __attachment__ kortille __card__", + "act-addSubtask": "lisätty alitehtävä __checklist__ kortille __card__", "act-addChecklist": "lisätty tarkistuslista __checklist__ kortille __card__", "act-addChecklistItem": "lisätty kohta __checklistItem__ tarkistuslistaan __checklist__ kortilla __card__", "act-addComment": "kommentoitu __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "poistettu %s kohteesta %s", "activity-sent": "lähetetty %s kohteeseen %s", "activity-unjoined": "peruttu %s liittyminen", + "activity-subtask-added": "lisätty alitehtävä kohteeseen %s", "activity-checklist-added": "lisätty tarkistuslista kortille %s", "activity-checklist-item-added": "lisäsi kohdan tarkistuslistaan '%s' kortilla %s", "add": "Lisää", @@ -48,6 +50,7 @@ "add-board": "Lisää taulu", "add-card": "Lisää kortti", "add-swimlane": "Lisää Swimlane", + "add-subtask": "Lisää alitehtävä", "add-checklist": "Lisää tarkistuslista", "add-checklist-item": "Lisää kohta tarkistuslistaan", "add-cover": "Lisää kansi", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Vaihda salasana", "changePermissionsPopup-title": "Muokkaa oikeuksia", "changeSettingsPopup-title": "Muokkaa asetuksia", + "subtasks": "Alitehtävät", "checklists": "Tarkistuslistat", "click-to-star": "Klikkaa merkataksesi tämä taulu tähdellä.", "click-to-unstar": "Klikkaa poistaaksesi tähtimerkintä taululta.", @@ -163,7 +167,8 @@ "comment-only": "Vain kommentointi", "comment-only-desc": "Voi vain kommentoida kortteja", "computer": "Tietokone", - "confirm-checklist-delete-dialog": "Haluatko varmasti poistaa tarkistuslistan", + "confirm-subtask-delete-dialog": "Oletko varma että haluat poistaa alitehtävän?", + "confirm-checklist-delete-dialog": "Oletko varma että haluat poistaa tarkistuslistan?", "copy-card-link-to-clipboard": "Kopioi kortin linkki leikepöydälle", "copyCardPopup-title": "Kopioi kortti", "copyChecklistToManyCardsPopup-title": "Kopioi tarkistuslistan malli monille korteille", @@ -475,5 +480,22 @@ "board-delete-notice": "Poistaminen on lopullista. Menetät kaikki listat, kortit ja toimet tällä taululla.", "delete-board-confirm-popup": "Kaikki listat, kortit, tunnisteet ja toimet poistetaan ja et pysty palauttamaan taulun sisältöä. Tätä ei voi peruuttaa.", "boardDeletePopup-title": "Poista taulu?", - "delete-board": "Poista taulu" + "delete-board": "Poista taulu", + "default-subtasks-board": "Alitehtävät __board__ taululle", + "default": "Oletus", + "queue": "Jono", + "subtask-settings": "Alitehtävä asetukset", + "boardSubtaskSettingsPopup-title": "Taulu alitehtävien asetukset", + "show-subtasks-field": "Korteilla voi olla alitehtäviä", + "deposit-subtasks-board": "Tallenta alitehtävät tälle taululle:", + "deposit-subtasks-list": "Laskeutumislista alatehtäville tallennettu tänne:", + "show-parent-in-minicard": "Näytä ylätehtävä minikortilla:", + "prefix-with-full-path": "Etuliite koko polulla", + "prefix-with-parent": "Etuliite ylätehtävällä", + "subtext-with-full-path": "Aliteksti koko polulla", + "subtext-with-parent": "Aliteksti ylätehtävällä", + "change-card-parent": "Muuta kortin ylätehtävää", + "parent-card": "Ylätehtävä kortti", + "source-board": "Lähdetaulu", + "no-parent": "Älä näytä ylätehtävää" } \ No newline at end of file diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index cae8c836..22a3e8cf 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -2,6 +2,7 @@ "accept": "Accepter", "act-activity-notify": "[Wekan] Notification d'activité", "act-addAttachment": "a joint __attachment__ à __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "a ajouté la checklist __checklist__ à __card__", "act-addChecklistItem": "a ajouté l'élément __checklistItem__ à la checklist __checklist__ de __card__", "act-addComment": "a commenté __card__ : __comment__", @@ -41,6 +42,7 @@ "activity-removed": "a supprimé %s de %s", "activity-sent": "a envoyé %s vers %s", "activity-unjoined": "a quitté %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "a ajouté une checklist à %s", "activity-checklist-item-added": "a ajouté un élément à la checklist '%s' dans %s", "add": "Ajouter", @@ -48,6 +50,7 @@ "add-board": "Ajouter un tableau", "add-card": "Ajouter une carte", "add-swimlane": "Ajouter un couloir", + "add-subtask": "Add Subtask", "add-checklist": "Ajouter une checklist", "add-checklist-item": "Ajouter un élément à la checklist", "add-cover": "Ajouter la couverture", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Modifier le mot de passe", "changePermissionsPopup-title": "Modifier les permissions", "changeSettingsPopup-title": "Modifier les paramètres", + "subtasks": "Subtasks", "checklists": "Checklists", "click-to-star": "Cliquez pour ajouter ce tableau aux favoris.", "click-to-unstar": "Cliquez pour retirer ce tableau des favoris.", @@ -163,7 +167,8 @@ "comment-only": "Commentaire uniquement", "comment-only-desc": "Ne peut que commenter des cartes.", "computer": "Ordinateur", - "confirm-checklist-delete-dialog": "Êtes-vous sûr de vouloir supprimer la checklist", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copier le lien vers la carte dans le presse-papier", "copyCardPopup-title": "Copier la carte", "copyChecklistToManyCardsPopup-title": "Copier le modèle de checklist vers plusieurs cartes", @@ -475,5 +480,22 @@ "board-delete-notice": "La suppression est définitive. Vous perdrez toutes vos listes, cartes et actions associées à ce tableau.", "delete-board-confirm-popup": "Toutes les listes, cartes, étiquettes et activités seront supprimées et vous ne pourrez pas retrouver le contenu du tableau. Il n'y a pas d'annulation possible.", "boardDeletePopup-title": "Supprimer le tableau ?", - "delete-board": "Supprimer le tableau" + "delete-board": "Supprimer le tableau", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 25e3e662..5422314d 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -2,6 +2,7 @@ "accept": "Aceptar", "act-activity-notify": "[Wekan] Activity Notification", "act-addAttachment": "attached __attachment__ to __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", "act-addComment": "commented on __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "removed %s from %s", "activity-sent": "sent %s to %s", "activity-unjoined": "unjoined %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "add": "Engadir", @@ -48,6 +50,7 @@ "add-board": "Engadir taboleiro", "add-card": "Engadir tarxeta", "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", "add-checklist": "Add Checklist", "add-checklist-item": "Add an item to checklist", "add-cover": "Add Cover", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Cambiar o contrasinal", "changePermissionsPopup-title": "Cambiar os permisos", "changeSettingsPopup-title": "Cambiar a configuración", + "subtasks": "Subtasks", "checklists": "Checklists", "click-to-star": "Click to star this board.", "click-to-unstar": "Click to unstar this board.", @@ -163,7 +167,8 @@ "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", "computer": "Computador", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 6d5dd812..f15c7f9b 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -2,6 +2,7 @@ "accept": "אישור", "act-activity-notify": "[Wekan] הודעת פעילות", "act-addAttachment": " __attachment__ צורף לכרטיס __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "רשימת משימות __checklist__ נוספה ל __card__", "act-addChecklistItem": " __checklistItem__ נוסף לרשימת משימות __checklist__ בכרטיס __card__", "act-addComment": "התקבלה תגובה על הכרטיס __card__:‏ __comment__", @@ -41,6 +42,7 @@ "activity-removed": "%s הוסר מ%s", "activity-sent": "%s נשלח ל%s", "activity-unjoined": "בטל צירוף %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "נוספה רשימת משימות אל %s", "activity-checklist-item-added": "נוסף פריט רשימת משימות אל ‚%s‘ תחת %s", "add": "הוספה", @@ -48,6 +50,7 @@ "add-board": "הוספת לוח", "add-card": "הוספת כרטיס", "add-swimlane": "הוספת מסלול", + "add-subtask": "Add Subtask", "add-checklist": "הוספת רשימת מטלות", "add-checklist-item": "הוספת פריט לרשימת משימות", "add-cover": "הוספת כיסוי", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "החלפת ססמה", "changePermissionsPopup-title": "שינוי הרשאות", "changeSettingsPopup-title": "שינוי הגדרות", + "subtasks": "Subtasks", "checklists": "רשימות", "click-to-star": "יש ללחוץ להוספת הלוח למועדפים.", "click-to-unstar": "יש ללחוץ להסרת הלוח מהמועדפים.", @@ -163,7 +167,8 @@ "comment-only": "הערה בלבד", "comment-only-desc": "ניתן להעיר על כרטיסים בלבד.", "computer": "מחשב", - "confirm-checklist-delete-dialog": "האם אתה בטוח שברצונך למחוק את רשימת המשימות", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "העתקת קישור הכרטיס ללוח הגזירים", "copyCardPopup-title": "העתק כרטיס", "copyChecklistToManyCardsPopup-title": "העתקת תבנית רשימת מטלות למגוון כרטיסים", @@ -475,5 +480,22 @@ "board-delete-notice": "מחיקה היא לצמיתות. כל הרשימות, הכרטיבים והפעולות שקשורים בלוח הזה ילכו לאיבוד.", "delete-board-confirm-popup": "כל הרשימות, הכרטיסים, התווית והפעולות יימחקו ולא תהיה לך דרך לשחזר את תכני הלוח. אין אפשרות לבטל.", "boardDeletePopup-title": "למחוק את הלוח?", - "delete-board": "מחיקת לוח" + "delete-board": "מחיקת לוח", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index e14e7995..07379611 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -2,6 +2,7 @@ "accept": "Elfogadás", "act-activity-notify": "[Wekan] Tevékenység értesítés", "act-addAttachment": "__attachment__ mellékletet csatolt a kártyához: __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "__checklist__ ellenőrzőlistát adott hozzá a kártyához: __card__", "act-addChecklistItem": "__checklistItem__ elemet adott hozzá a(z) __checklist__ ellenőrzőlistához ezen a kártyán: __card__", "act-addComment": "hozzászólt a(z) __card__ kártyán: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "%s eltávolítva innen: %s", "activity-sent": "%s elküldve ide: %s", "activity-unjoined": "%s kilépett a csoportból", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "ellenőrzőlista hozzáadva ehhez: %s", "activity-checklist-item-added": "ellenőrzőlista elem hozzáadva ehhez: „%s”, ebben: %s", "add": "Hozzáadás", @@ -48,6 +50,7 @@ "add-board": "Tábla hozzáadása", "add-card": "Kártya hozzáadása", "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", "add-checklist": "Ellenőrzőlista hozzáadása", "add-checklist-item": "Elem hozzáadása az ellenőrzőlistához", "add-cover": "Borító hozzáadása", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Jelszó megváltoztatása", "changePermissionsPopup-title": "Jogosultságok megváltoztatása", "changeSettingsPopup-title": "Beállítások megváltoztatása", + "subtasks": "Subtasks", "checklists": "Ellenőrzőlisták", "click-to-star": "Kattintson a tábla csillagozásához.", "click-to-unstar": "Kattintson a tábla csillagának eltávolításához.", @@ -163,7 +167,8 @@ "comment-only": "Csak megjegyzés", "comment-only-desc": "Csak megjegyzést írhat a kártyákhoz.", "computer": "Számítógép", - "confirm-checklist-delete-dialog": "Biztosan törölni szeretné az ellenőrzőlistát?", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Kártya hivatkozásának másolása a vágólapra", "copyCardPopup-title": "Kártya másolása", "copyChecklistToManyCardsPopup-title": "Ellenőrzőlista sablon másolása több kártyára", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index 0911aed1..124bc7dd 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -2,6 +2,7 @@ "accept": "Ընդունել", "act-activity-notify": "[Wekan] Activity Notification", "act-addAttachment": "attached __attachment__ to __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", "act-addChecklistItem": "ավելացրել է __checklistItem__ __checklist__ on __card__-ին", "act-addComment": "մեկնաբանել է __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "removed %s from %s", "activity-sent": "sent %s to %s", "activity-unjoined": "unjoined %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "add": "Add", @@ -48,6 +50,7 @@ "add-board": "Add Board", "add-card": "Add Card", "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", "add-checklist": "Add Checklist", "add-checklist-item": "Add an item to checklist", "add-cover": "Add Cover", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Change Password", "changePermissionsPopup-title": "Change Permissions", "changeSettingsPopup-title": "Change Settings", + "subtasks": "Subtasks", "checklists": "Checklists", "click-to-star": "Click to star this board.", "click-to-unstar": "Click to unstar this board.", @@ -163,7 +167,8 @@ "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 3954f67c..a80444a7 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -2,6 +2,7 @@ "accept": "Terima", "act-activity-notify": "[Wekan] Pemberitahuan Kegiatan", "act-addAttachment": "Lampirkan__attachment__ke__kartu__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", "act-addComment": "Dikomentari di__kartu__:__comment__", @@ -41,6 +42,7 @@ "activity-removed": "dihapus %s dari %s", "activity-sent": "terkirim %s ke %s", "activity-unjoined": "tidak bergabung %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "daftar periksa ditambahkan ke %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "add": "Tambah", @@ -48,6 +50,7 @@ "add-board": "Add Board", "add-card": "Add Card", "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", "add-checklist": "Add Checklist", "add-checklist-item": "Tambahkan hal ke daftar periksa", "add-cover": "Tambahkan Sampul", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Ubah Kata Sandi", "changePermissionsPopup-title": "Ubah Hak Akses", "changeSettingsPopup-title": "Ubah Setelan", + "subtasks": "Subtasks", "checklists": "Daftar Periksa", "click-to-star": "Klik untuk tandai bintang panel ini", "click-to-unstar": "Klik untuk tidak memberi bintang pada panel ini", @@ -163,7 +167,8 @@ "comment-only": "Hanya komentar", "comment-only-desc": "Bisa komen hanya di kartu", "computer": "Komputer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index f522a92c..90ce0668 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -2,6 +2,7 @@ "accept": "Kwere", "act-activity-notify": "[Wekan] Activity Notification", "act-addAttachment": "attached __attachment__ to __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", "act-addComment": "commented on __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "removed %s from %s", "activity-sent": "sent %s to %s", "activity-unjoined": "unjoined %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "add": "Tinye", @@ -48,6 +50,7 @@ "add-board": "Add Board", "add-card": "Add Card", "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", "add-checklist": "Add Checklist", "add-checklist-item": "Add an item to checklist", "add-cover": "Add Cover", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Change Password", "changePermissionsPopup-title": "Change Permissions", "changeSettingsPopup-title": "Change Settings", + "subtasks": "Subtasks", "checklists": "Checklists", "click-to-star": "Click to star this board.", "click-to-unstar": "Click to unstar this board.", @@ -163,7 +167,8 @@ "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 99c84699..b067d567 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -2,6 +2,7 @@ "accept": "Accetta", "act-activity-notify": "[Wekan] Notifiche attività", "act-addAttachment": "ha allegato __attachment__ a __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "aggiunta checklist __checklist__ a __card__", "act-addChecklistItem": "aggiunto __checklistItem__ alla checklist __checklist__ di __card__", "act-addComment": "ha commentato su __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "rimosso %s da %s", "activity-sent": "inviato %s a %s", "activity-unjoined": "ha abbandonato %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "aggiunta checklist a %s", "activity-checklist-item-added": "Aggiunto l'elemento checklist a '%s' in %s", "add": "Aggiungere", @@ -48,6 +50,7 @@ "add-board": "Aggiungi Bacheca", "add-card": "Aggiungi Scheda", "add-swimlane": "Aggiungi Corsia", + "add-subtask": "Add Subtask", "add-checklist": "Aggiungi Checklist", "add-checklist-item": "Aggiungi un elemento alla checklist", "add-cover": "Aggiungi copertina", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Cambia password", "changePermissionsPopup-title": "Cambia permessi", "changeSettingsPopup-title": "Cambia impostazioni", + "subtasks": "Subtasks", "checklists": "Checklist", "click-to-star": "Clicca per stellare questa bacheca", "click-to-unstar": "Clicca per togliere la stella da questa bacheca", @@ -163,7 +167,8 @@ "comment-only": "Solo commenti", "comment-only-desc": "Puoi commentare solo le schede.", "computer": "Computer", - "confirm-checklist-delete-dialog": "Sei sicuro di voler cancellare questa checklist?", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copia link della scheda sulla clipboard", "copyCardPopup-title": "Copia Scheda", "copyChecklistToManyCardsPopup-title": "Copia template checklist su più schede", @@ -475,5 +480,22 @@ "board-delete-notice": "L'eliminazione è permanente. Tutte le azioni, liste e schede associate a questa bacheca andranno perse.", "delete-board-confirm-popup": "Tutte le liste, schede, etichette e azioni saranno rimosse e non sarai più in grado di recuperare il contenuto della bacheca. L'azione non è annullabile.", "boardDeletePopup-title": "Eliminare la bacheca?", - "delete-board": "Elimina bacheca" + "delete-board": "Elimina bacheca", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 4b8a6d8d..9910b002 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -2,6 +2,7 @@ "accept": "受け入れ", "act-activity-notify": "[Wekan] アクティビティ通知", "act-addAttachment": "__card__ に __attachment__ を添付しました", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "__card__ に __checklist__ を追加しました", "act-addChecklistItem": "__checklist__ on __card__ に __checklistItem__ を追加しました", "act-addComment": "__card__: __comment__ をコメントしました", @@ -41,6 +42,7 @@ "activity-removed": "%s を %s から削除しました", "activity-sent": "%s を %s に送りました", "activity-unjoined": "%s への参加を止めました", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "%s にチェックリストを追加しました", "activity-checklist-item-added": "added checklist item to '%s' in %s", "add": "追加", @@ -48,6 +50,7 @@ "add-board": "ボードを追加", "add-card": "カードを追加", "add-swimlane": "スイムレーンを追加", + "add-subtask": "Add Subtask", "add-checklist": "チェックリストを追加", "add-checklist-item": "チェックリストに項目を追加", "add-cover": "カバーの追加", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "パスワードの変更", "changePermissionsPopup-title": "パーミッションの変更", "changeSettingsPopup-title": "設定の変更", + "subtasks": "Subtasks", "checklists": "チェックリスト", "click-to-star": "ボードにスターをつける", "click-to-unstar": "ボードからスターを外す", @@ -163,7 +167,8 @@ "comment-only": "コメントのみ", "comment-only-desc": "カードにのみコメント可能", "computer": "コンピューター", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "カードへのリンクをクリップボードにコピー", "copyCardPopup-title": "カードをコピー", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "すべてのリスト、カード、ラベル、アクティビティは削除され、ボードの内容を元に戻すことができません。", "boardDeletePopup-title": "ボードを削除しますか?", - "delete-board": "ボードを削除" + "delete-board": "ボードを削除", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index 53c2f91a..83751851 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -2,6 +2,7 @@ "accept": "Accept", "act-activity-notify": "[Wekan] Activity Notification", "act-addAttachment": "attached __attachment__ to __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", "act-addComment": "commented on __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "removed %s from %s", "activity-sent": "sent %s to %s", "activity-unjoined": "unjoined %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "add": "Add", @@ -48,6 +50,7 @@ "add-board": "Add Board", "add-card": "Add Card", "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", "add-checklist": "Add Checklist", "add-checklist-item": "Add an item to checklist", "add-cover": "Add Cover", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Change Password", "changePermissionsPopup-title": "Change Permissions", "changeSettingsPopup-title": "Change Settings", + "subtasks": "Subtasks", "checklists": "Checklists", "click-to-star": "Click to star this board.", "click-to-unstar": "Click to unstar this board.", @@ -163,7 +167,8 @@ "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index 9484c7cc..e1a26fcb 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -2,6 +2,7 @@ "accept": "យល់ព្រម", "act-activity-notify": "[Wekan] សកម្មភាពជូនដំណឹង", "act-addAttachment": "attached __attachment__ to __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", "act-addComment": "commented on __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "removed %s from %s", "activity-sent": "sent %s to %s", "activity-unjoined": "unjoined %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "add": "Add", @@ -48,6 +50,7 @@ "add-board": "Add Board", "add-card": "Add Card", "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", "add-checklist": "Add Checklist", "add-checklist-item": "Add an item to checklist", "add-cover": "Add Cover", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Change Password", "changePermissionsPopup-title": "Change Permissions", "changeSettingsPopup-title": "Change Settings", + "subtasks": "Subtasks", "checklists": "Checklists", "click-to-star": "Click to star this board.", "click-to-unstar": "Click to unstar this board.", @@ -163,7 +167,8 @@ "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index 97963a8a..d9a980df 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -2,6 +2,7 @@ "accept": "확인", "act-activity-notify": "[Wekan] 활동 알림", "act-addAttachment": "__attachment__를 __card__에 첨부", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", "act-addComment": "__card__에 내용 추가 : __comment__", @@ -41,6 +42,7 @@ "activity-removed": "%s를 %s에서 삭제함", "activity-sent": "%s를 %s로 보냄", "activity-unjoined": "%s에서 멤버 해제", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "%s에 체크리스트를 추가함", "activity-checklist-item-added": "added checklist item to '%s' in %s", "add": "추가", @@ -48,6 +50,7 @@ "add-board": "보드 추가", "add-card": "카드 추가", "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", "add-checklist": "체크리스트 추가", "add-checklist-item": "체크리스트에 항목 추가", "add-cover": "커버 추가", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "암호 변경", "changePermissionsPopup-title": "권한 변경", "changeSettingsPopup-title": "설정 변경", + "subtasks": "Subtasks", "checklists": "체크리스트", "click-to-star": "보드에 별 추가.", "click-to-unstar": "보드에 별 삭제.", @@ -163,7 +167,8 @@ "comment-only": "댓글만 입력 가능", "comment-only-desc": "카드에 댓글만 달수 있습니다.", "computer": "내 컴퓨터", - "confirm-checklist-delete-dialog": "정말 이 체크리스트를 삭제할까요?", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "클립보드에 카드의 링크가 복사되었습니다.", "copyCardPopup-title": "카드 복사", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 46d958cc..b79c7043 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -2,6 +2,7 @@ "accept": "Piekrist", "act-activity-notify": "[Wekan] Aktivitātes paziņojums", "act-addAttachment": "pievienots __attachment__ to __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "pievienots checklist __checklist__ to __card__", "act-addChecklistItem": "pievienots __checklistItem__ to checklist __checklist__ on __card__", "act-addComment": "komentēja __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "removed %s from %s", "activity-sent": "sent %s to %s", "activity-unjoined": "unjoined %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "add": "Add", @@ -48,6 +50,7 @@ "add-board": "Add Board", "add-card": "Add Card", "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", "add-checklist": "Add Checklist", "add-checklist-item": "Add an item to checklist", "add-cover": "Add Cover", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Change Password", "changePermissionsPopup-title": "Change Permissions", "changeSettingsPopup-title": "Change Settings", + "subtasks": "Subtasks", "checklists": "Checklists", "click-to-star": "Click to star this board.", "click-to-unstar": "Click to unstar this board.", @@ -163,7 +167,8 @@ "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index b5b97822..7f0c2fc1 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -2,6 +2,7 @@ "accept": "Зөвшөөрөх", "act-activity-notify": "[Wekan] Activity Notification", "act-addAttachment": "_attachment__ хавсралтыг __card__-д хавсаргав", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", "act-addComment": "commented on __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "removed %s from %s", "activity-sent": "sent %s to %s", "activity-unjoined": "unjoined %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "add": "Нэмэх", @@ -48,6 +50,7 @@ "add-board": "Самбар нэмэх", "add-card": "Карт нэмэх", "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", "add-checklist": "Чеклист нэмэх", "add-checklist-item": "Add an item to checklist", "add-cover": "Add Cover", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Нууц үг солих", "changePermissionsPopup-title": "Change Permissions", "changeSettingsPopup-title": "Тохиргоо өөрчлөх", + "subtasks": "Subtasks", "checklists": "Checklists", "click-to-star": "Click to star this board.", "click-to-unstar": "Click to unstar this board.", @@ -163,7 +167,8 @@ "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index 1d09cb7c..1838aa0f 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -2,6 +2,7 @@ "accept": "Godta", "act-activity-notify": "[Wekan] Aktivitetsvarsel", "act-addAttachment": "la ved __attachment__ til __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", "act-addComment": "kommenterte til __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "fjernet %s fra %s", "activity-sent": "sendte %s til %s", "activity-unjoined": "forlot %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "la til sjekkliste til %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "add": "Legg til", @@ -48,6 +50,7 @@ "add-board": "Add Board", "add-card": "Add Card", "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", "add-checklist": "Add Checklist", "add-checklist-item": "Nytt punkt på sjekklisten", "add-cover": "Nytt omslag", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Endre passord", "changePermissionsPopup-title": "Endre tillatelser", "changeSettingsPopup-title": "Endre innstillinger", + "subtasks": "Subtasks", "checklists": "Sjekklister", "click-to-star": "Click to star this board.", "click-to-unstar": "Click to unstar this board.", @@ -163,7 +167,8 @@ "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 5dd23d41..90832ea6 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -2,6 +2,7 @@ "accept": "Accepteren", "act-activity-notify": "[Wekan] Activiteit Notificatie", "act-addAttachment": "__attachment__ als bijlage toegevoegd aan __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "__checklist__ toegevoegd aan __card__", "act-addChecklistItem": "__checklistItem__ aan checklist toegevoegd aan __checklist__ op __card__", "act-addComment": "gereageerd op __card__:__comment__", @@ -41,6 +42,7 @@ "activity-removed": "%s verwijderd van %s", "activity-sent": "%s gestuurd naar %s", "activity-unjoined": "uit %s gegaan", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "checklist toegevoegd aan %s", "activity-checklist-item-added": "checklist punt toegevoegd aan '%s' in '%s'", "add": "Toevoegen", @@ -48,6 +50,7 @@ "add-board": "Voeg Bord Toe", "add-card": "Voeg Kaart Toe", "add-swimlane": "Swimlane Toevoegen", + "add-subtask": "Add Subtask", "add-checklist": "Voeg Checklist Toe", "add-checklist-item": "Voeg item toe aan checklist", "add-cover": "Voeg Cover Toe", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Wijzig wachtwoord", "changePermissionsPopup-title": "Wijzig permissies", "changeSettingsPopup-title": "Wijzig instellingen", + "subtasks": "Subtasks", "checklists": "Checklists", "click-to-star": "Klik om het bord als favoriet in te stellen", "click-to-unstar": "Klik om het bord uit favorieten weg te halen", @@ -163,7 +167,8 @@ "comment-only": "Alleen reageren", "comment-only-desc": "Kan alleen op kaarten reageren.", "computer": "Computer", - "confirm-checklist-delete-dialog": "Weet u zeker dat u de checklist wilt verwijderen", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Kopieer kaart link naar klembord", "copyCardPopup-title": "Kopieer kaart", "copyChecklistToManyCardsPopup-title": "Checklist sjabloon kopiëren naar meerdere kaarten", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 1d52d2ee..fcaa5bab 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -2,6 +2,7 @@ "accept": "Akceptuj", "act-activity-notify": "[Wekan] Powiadomienia - aktywności", "act-addAttachment": "załączono __attachement__ do __karty__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "dodano listę zadań __checklist__ to __card__", "act-addChecklistItem": "dodano __checklistItem__ do listy zadań __checklist__ na karcie __card__", "act-addComment": "commented on __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "usunięto %s z %s", "activity-sent": "wysłano %s z %s", "activity-unjoined": "odłączono %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "add": "Dodaj", @@ -48,6 +50,7 @@ "add-board": "Dodaj tablicę", "add-card": "Dodaj kartę", "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", "add-checklist": "Dodaj listę kontrolną", "add-checklist-item": "Dodaj element do listy kontrolnej", "add-cover": "Dodaj okładkę", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Zmień hasło", "changePermissionsPopup-title": "Zmień uprawnienia", "changeSettingsPopup-title": "Zmień ustawienia", + "subtasks": "Subtasks", "checklists": "Checklists", "click-to-star": "Kliknij by odznaczyć tę tablicę.", "click-to-unstar": "Kliknij by usunąć odznaczenie tej tablicy.", @@ -163,7 +167,8 @@ "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", "computer": "Komputer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "copyCardPopup-title": "Skopiuj kartę", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 15496c0d..f92f3d21 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -2,6 +2,7 @@ "accept": "Aceitar", "act-activity-notify": "[Wekan] Notificação de Atividade", "act-addAttachment": "anexo __attachment__ de __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ no __card__", "act-addChecklistItem": "adicionado __checklistitem__ para a lista de checagem __checklist__ em __card__", "act-addComment": "comentou em __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "removeu %s de %s", "activity-sent": "enviou %s de %s", "activity-unjoined": "saiu de %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "Adicionado lista de verificação a %s", "activity-checklist-item-added": "adicionado o item de checklist para '%s' em %s", "add": "Novo", @@ -48,6 +50,7 @@ "add-board": "Adicionar Quadro", "add-card": "Adicionar Cartão", "add-swimlane": "Adicionar Swimlane", + "add-subtask": "Add Subtask", "add-checklist": "Adicionar Checklist", "add-checklist-item": "Adicionar um item à lista de verificação", "add-cover": "Adicionar Capa", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Alterar Senha", "changePermissionsPopup-title": "Alterar Permissões", "changeSettingsPopup-title": "Altera configurações", + "subtasks": "Subtasks", "checklists": "Checklists", "click-to-star": "Marcar quadro como favorito.", "click-to-unstar": "Remover quadro dos favoritos.", @@ -163,7 +167,8 @@ "comment-only": "Somente comentários", "comment-only-desc": "Pode comentar apenas em cartões.", "computer": "Computador", - "confirm-checklist-delete-dialog": "Tem a certeza de que pretende eliminar lista de verificação", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copiar link do cartão para a área de transferência", "copyCardPopup-title": "Copiar o cartão", "copyChecklistToManyCardsPopup-title": "Copiar modelo de checklist para vários cartões", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 9f8b9b96..0c988d43 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -2,6 +2,7 @@ "accept": "Aceitar", "act-activity-notify": "[Wekan] Activity Notification", "act-addAttachment": "attached __attachment__ to __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", "act-addComment": "commented on __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "removed %s from %s", "activity-sent": "sent %s to %s", "activity-unjoined": "unjoined %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "add": "Adicionar", @@ -48,6 +50,7 @@ "add-board": "Add Board", "add-card": "Add Card", "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", "add-checklist": "Add Checklist", "add-checklist-item": "Add an item to checklist", "add-cover": "Add Cover", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Change Password", "changePermissionsPopup-title": "Change Permissions", "changeSettingsPopup-title": "Change Settings", + "subtasks": "Subtasks", "checklists": "Checklists", "click-to-star": "Click to star this board.", "click-to-unstar": "Click to unstar this board.", @@ -163,7 +167,8 @@ "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", "computer": "Computador", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index 0d854bbd..a70e3972 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -2,6 +2,7 @@ "accept": "Accept", "act-activity-notify": "[Wekan] Activity Notification", "act-addAttachment": "attached __attachment__ to __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", "act-addComment": "commented on __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "removed %s from %s", "activity-sent": "sent %s to %s", "activity-unjoined": "unjoined %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "add": "Add", @@ -48,6 +50,7 @@ "add-board": "Add Board", "add-card": "Add Card", "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", "add-checklist": "Add Checklist", "add-checklist-item": "Add an item to checklist", "add-cover": "Add Cover", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Change Password", "changePermissionsPopup-title": "Change Permissions", "changeSettingsPopup-title": "Change Settings", + "subtasks": "Subtasks", "checklists": "Checklists", "click-to-star": "Click to star this board.", "click-to-unstar": "Click to unstar this board.", @@ -163,7 +167,8 @@ "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 1b85c355..1d55aedf 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -2,6 +2,7 @@ "accept": "Принять", "act-activity-notify": "[Wekan] Уведомление о действиях участников", "act-addAttachment": "вложено __attachment__ в __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "добавил контрольный список __checklist__ в __card__", "act-addChecklistItem": "добавил __checklistItem__ в контрольный список __checklist__ в __card__", "act-addComment": "прокомментировал __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "удалил %s из %s", "activity-sent": "отправил %s в %s", "activity-unjoined": "вышел из %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "добавил контрольный список в %s", "activity-checklist-item-added": "добавил пункт контрольного списка в '%s' в карточке %s", "add": "Создать", @@ -48,6 +50,7 @@ "add-board": "Добавить доску", "add-card": "Добавить карту", "add-swimlane": "Добавить дорожку", + "add-subtask": "Add Subtask", "add-checklist": "Добавить контрольный список", "add-checklist-item": "Добавить пункт в контрольный список", "add-cover": "Прикрепить", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Изменить пароль", "changePermissionsPopup-title": "Изменить настройки доступа", "changeSettingsPopup-title": "Изменить Настройки", + "subtasks": "Subtasks", "checklists": "Контрольные списки", "click-to-star": "Добавить в «Избранное»", "click-to-unstar": "Удалить из «Избранного»", @@ -163,7 +167,8 @@ "comment-only": "Только комментирование", "comment-only-desc": "Может комментировать только карточки.", "computer": "Загрузить с компьютера", - "confirm-checklist-delete-dialog": "Вы уверены, что хотите удалить контрольный список?", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Копировать ссылку на карточку в буфер обмена", "copyCardPopup-title": "Копировать карточку", "copyChecklistToManyCardsPopup-title": "Копировать шаблон контрольного списка в несколько карточек", @@ -475,5 +480,22 @@ "board-delete-notice": "Удаление является постоянным. Вы потеряете все списки, карты и действия, связанные с этой доской.", "delete-board-confirm-popup": "Все списки, карточки, ярлыки и действия будут удалены, и вы не сможете восстановить содержимое доски. Отменить нельзя.", "boardDeletePopup-title": "Удалить доску?", - "delete-board": "Удалить доску" + "delete-board": "Удалить доску", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index 853e867d..6f25bc3b 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -2,6 +2,7 @@ "accept": "Prihvati", "act-activity-notify": "[Wekan] Obaveštenje o aktivnostima", "act-addAttachment": "attached __attachment__ to __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", "act-addComment": "commented on __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "uklonio %s iz %s", "activity-sent": "poslao %s %s-u", "activity-unjoined": "rastavio %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "lista je dodata u %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "add": "Dodaj", @@ -48,6 +50,7 @@ "add-board": "Add Board", "add-card": "Add Card", "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", "add-checklist": "Add Checklist", "add-checklist-item": "Dodaj novu stavku u listu", "add-cover": "Dodaj zaglavlje", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Change Password", "changePermissionsPopup-title": "Change Permissions", "changeSettingsPopup-title": "Izmeni podešavanja", + "subtasks": "Subtasks", "checklists": "Liste", "click-to-star": "Click to star this board.", "click-to-unstar": "Click to unstar this board.", @@ -163,7 +167,8 @@ "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 164a5620..25bcf6f3 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -2,6 +2,7 @@ "accept": "Acceptera", "act-activity-notify": "[Wekan] Aktivitetsavisering", "act-addAttachment": "bifogade __attachment__ to __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "lade till checklist __checklist__ till __card__", "act-addChecklistItem": "lade till __checklistItem__ till checklistan __checklist__ on __card__", "act-addComment": "kommenterade __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "tog bort %s från %s", "activity-sent": "skickade %s till %s", "activity-unjoined": "gick ur %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "lade kontrollista till %s", "activity-checklist-item-added": "lade checklista objekt till '%s' i %s", "add": "Lägg till", @@ -48,6 +50,7 @@ "add-board": "Lägg till anslagstavla", "add-card": "Lägg till kort", "add-swimlane": "Lägg till simbana", + "add-subtask": "Add Subtask", "add-checklist": "Lägg till checklista", "add-checklist-item": "Lägg till ett objekt till kontrollista", "add-cover": "Lägg till omslag", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Ändra lösenord", "changePermissionsPopup-title": "Ändra behörigheter", "changeSettingsPopup-title": "Ändra inställningar", + "subtasks": "Subtasks", "checklists": "Kontrollistor", "click-to-star": "Klicka för att stjärnmärka denna anslagstavla.", "click-to-unstar": "Klicka för att ta bort stjärnmärkningen från denna anslagstavla.", @@ -163,7 +167,8 @@ "comment-only": "Kommentera endast", "comment-only-desc": "Kan endast kommentera kort.", "computer": "Dator", - "confirm-checklist-delete-dialog": "Är du säker på att du vill ta bort checklista", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Kopiera kortlänk till urklipp", "copyCardPopup-title": "Kopiera kort", "copyChecklistToManyCardsPopup-title": "Kopiera checklist-mallen till flera kort", @@ -475,5 +480,22 @@ "board-delete-notice": "Borttagningen är permanent. Du kommer förlora alla listor, kort och händelser kopplade till den här anslagstavlan.", "delete-board-confirm-popup": "Alla listor, kort, etiketter och aktiviteter kommer tas bort och du kommer inte kunna återställa anslagstavlans innehåll. Det går inte att ångra.", "boardDeletePopup-title": "Ta bort anslagstavla?", - "delete-board": "Ta bort anslagstavla" + "delete-board": "Ta bort anslagstavla", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index 53c2f91a..83751851 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -2,6 +2,7 @@ "accept": "Accept", "act-activity-notify": "[Wekan] Activity Notification", "act-addAttachment": "attached __attachment__ to __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", "act-addComment": "commented on __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "removed %s from %s", "activity-sent": "sent %s to %s", "activity-unjoined": "unjoined %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "add": "Add", @@ -48,6 +50,7 @@ "add-board": "Add Board", "add-card": "Add Card", "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", "add-checklist": "Add Checklist", "add-checklist-item": "Add an item to checklist", "add-cover": "Add Cover", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Change Password", "changePermissionsPopup-title": "Change Permissions", "changeSettingsPopup-title": "Change Settings", + "subtasks": "Subtasks", "checklists": "Checklists", "click-to-star": "Click to star this board.", "click-to-unstar": "Click to unstar this board.", @@ -163,7 +167,8 @@ "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index e7048f6e..fcde0e71 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -2,6 +2,7 @@ "accept": "ยอมรับ", "act-activity-notify": "[Wekan] แจ้งกิจกรรม", "act-addAttachment": "แนบไฟล์ __attachment__ ไปยัง __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", "act-addComment": "ออกความเห็นที่ __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "ลบ %s จาด %s", "activity-sent": "ส่ง %s ถึง %s", "activity-unjoined": "ยกเลิกเข้าร่วม %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "รายการถูกเพิ่มไป %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "add": "เพิ่ม", @@ -48,6 +50,7 @@ "add-board": "Add Board", "add-card": "Add Card", "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", "add-checklist": "Add Checklist", "add-checklist-item": "เพิ่มรายการตรวจสอบ", "add-cover": "เพิ่มหน้าปก", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "เปลี่ยนรหัสผ่าน", "changePermissionsPopup-title": "เปลี่ยนสิทธิ์", "changeSettingsPopup-title": "เปลี่ยนการตั้งค่า", + "subtasks": "Subtasks", "checklists": "รายการตรวจสอบ", "click-to-star": "คลิกดาวบอร์ดนี้", "click-to-unstar": "คลิกยกเลิกดาวบอร์ดนี้", @@ -163,7 +167,8 @@ "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", "computer": "คอมพิวเตอร์", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index 03798130..c0d2026a 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -2,6 +2,7 @@ "accept": "Kabul Et", "act-activity-notify": "[Wekan] Etkinlik Bildirimi", "act-addAttachment": "__card__ kartına __attachment__ dosyasını ekledi", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "__card__ kartında __checklist__ yapılacak listesini ekledi", "act-addChecklistItem": "__checklistItem__ öğesini __card__ kartındaki __checklist__ yapılacak listesine ekledi", "act-addComment": "__card__ kartına bir yorum bıraktı: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "%s i %s ten kaldırdı", "activity-sent": "%s i %s e gönderdi", "activity-unjoined": "%s içinden ayrıldı", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "%s içine yapılacak listesi ekledi", "activity-checklist-item-added": "%s içinde %s yapılacak listesine öğe ekledi", "add": "Ekle", @@ -48,6 +50,7 @@ "add-board": "Pano Ekle", "add-card": "Kart Ekle", "add-swimlane": "Kulvar Ekle", + "add-subtask": "Add Subtask", "add-checklist": "Yapılacak Listesi Ekle", "add-checklist-item": "Yapılacak listesine yeni bir öğe ekle", "add-cover": "Kapak resmi ekle", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Parola Değiştir", "changePermissionsPopup-title": "Yetkileri Değiştirme", "changeSettingsPopup-title": "Ayarları değiştir", + "subtasks": "Subtasks", "checklists": "Yapılacak Listeleri", "click-to-star": "Bu panoyu yıldızlamak için tıkla.", "click-to-unstar": "Bu panunun yıldızını kaldırmak için tıkla.", @@ -163,7 +167,8 @@ "comment-only": "Sadece yorum", "comment-only-desc": "Sadece kartlara yorum yazabilir.", "computer": "Bilgisayar", - "confirm-checklist-delete-dialog": "Yapılacak listesini silmek istediğinize emin misiniz", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Kartın linkini kopyala", "copyCardPopup-title": "Kartı Kopyala", "copyChecklistToManyCardsPopup-title": "Yapılacaklar Listesi şemasını birden çok karta kopyala", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index ef76ed5f..459aad9e 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -2,6 +2,7 @@ "accept": "Прийняти", "act-activity-notify": "[Wekan] Сповіщення Діяльності", "act-addAttachment": "__attachment__ додане до __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", "act-addComment": "комментар в __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "removed %s from %s", "activity-sent": "sent %s to %s", "activity-unjoined": "unjoined %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "add": "Додати", @@ -48,6 +50,7 @@ "add-board": "Add Board", "add-card": "Add Card", "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", "add-checklist": "Add Checklist", "add-checklist-item": "Додати елемент в список", "add-cover": "Додати обкладинку", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Change Password", "changePermissionsPopup-title": "Change Permissions", "changeSettingsPopup-title": "Change Settings", + "subtasks": "Subtasks", "checklists": "Checklists", "click-to-star": "Click to star this board.", "click-to-unstar": "Click to unstar this board.", @@ -163,7 +167,8 @@ "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index 320942e1..e785f0d0 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -2,6 +2,7 @@ "accept": "Chấp nhận", "act-activity-notify": "[Wekan] Thông Báo Hoạt Động", "act-addAttachment": "đã đính kèm __attachment__ vào __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", "act-addComment": "đã bình luận trong __card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "đã xóa %s từ %s", "activity-sent": "gửi %s đến %s", "activity-unjoined": "đã rời khỏi %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "đã thêm checklist vào %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "add": "Thêm", @@ -48,6 +50,7 @@ "add-board": "Thêm Bảng", "add-card": "Thêm Thẻ", "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", "add-checklist": "Thêm Danh Sách Kiểm Tra", "add-checklist-item": "Thêm Một Mục Vào Danh Sách Kiểm Tra", "add-cover": "Thêm Bìa", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "Change Password", "changePermissionsPopup-title": "Change Permissions", "changeSettingsPopup-title": "Change Settings", + "subtasks": "Subtasks", "checklists": "Checklists", "click-to-star": "Click to star this board.", "click-to-unstar": "Click to unstar this board.", @@ -163,7 +167,8 @@ "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", "computer": "Computer", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 3205f107..6ea7ee27 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -2,6 +2,7 @@ "accept": "接受", "act-activity-notify": "[Wekan] 活动通知", "act-addAttachment": "添加附件 __attachment__ 至卡片 __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "添加清单 __checklist__ 到 __card__", "act-addChecklistItem": "向 __card__ 中的清单 __checklist__ 添加 __checklistItem__", "act-addComment": "在 __card__ 发布评论: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "从 %s 中移除 %s", "activity-sent": "发送 %s 至 %s", "activity-unjoined": "已解除 %s 关联", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "已经将清单添加到 %s", "activity-checklist-item-added": "添加清单项至'%s' 于 %s", "add": "添加", @@ -48,6 +50,7 @@ "add-board": "添加看板", "add-card": "添加卡片", "add-swimlane": "添加泳道图", + "add-subtask": "Add Subtask", "add-checklist": "添加待办清单", "add-checklist-item": "扩充清单", "add-cover": "添加封面", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "更改密码", "changePermissionsPopup-title": "更改权限", "changeSettingsPopup-title": "更改设置", + "subtasks": "Subtasks", "checklists": "清单", "click-to-star": "点此来标记该看板", "click-to-unstar": "点此来去除该看板的标记", @@ -163,7 +167,8 @@ "comment-only": "仅能评论", "comment-only-desc": "只能在卡片上评论。", "computer": "从本机上传", - "confirm-checklist-delete-dialog": "确认要删除清单吗", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "复制卡片链接到剪贴板", "copyCardPopup-title": "复制卡片", "copyChecklistToManyCardsPopup-title": "复制清单模板至多个卡片", @@ -475,5 +480,22 @@ "board-delete-notice": "删除时永久操作,将会丢失此看板上的所有列表、卡片和动作。", "delete-board-confirm-popup": "所有列表、卡片、标签和活动都回被删除,将无法恢复看板内容。不支持撤销。", "boardDeletePopup-title": "删除看板?", - "delete-board": "删除看板" + "delete-board": "删除看板", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 88e9bc18..ced49edd 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -2,6 +2,7 @@ "accept": "接受", "act-activity-notify": "[Wekan] 活動通知", "act-addAttachment": "新增附件__attachment__至__card__", + "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", "act-addComment": "評論__card__: __comment__", @@ -41,6 +42,7 @@ "activity-removed": "移除 %s 從 %s 中", "activity-sent": "寄送 %s 至 %s", "activity-unjoined": "解除關聯 %s", + "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "新增待辦清單至 %s", "activity-checklist-item-added": "新增待辦清單項目從 %s 到 %s", "add": "新增", @@ -48,6 +50,7 @@ "add-board": "新增看板", "add-card": "新增卡片", "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", "add-checklist": "新增待辦清單", "add-checklist-item": "新增項目", "add-cover": "新增封面", @@ -141,6 +144,7 @@ "changePasswordPopup-title": "更改密碼", "changePermissionsPopup-title": "更改許可權", "changeSettingsPopup-title": "更改設定", + "subtasks": "Subtasks", "checklists": "待辦清單", "click-to-star": "點此來標記該看板", "click-to-unstar": "點此來去除該看板的標記", @@ -163,7 +167,8 @@ "comment-only": "只可以發表評論", "comment-only-desc": "只可以對卡片發表評論", "computer": "從本機上傳", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "將卡片連結複製到剪貼板", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", @@ -475,5 +480,22 @@ "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board" + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From cc753cf4e45436ca2318b1e2cb67ee7bf804c50d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 5 Jul 2018 22:51:10 +0300 Subject: - Nested tasks. Thanks to TNick ! Closes #709 --- CHANGELOG.md | 8 ++++++-- 1 file changed, 6 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 1c3a038c..a47636d8 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,6 +1,10 @@ # Upcoming Wekan release -This release fixes the following bugs: +This release adds the following new features: + +- [Nested tasks](https://github.com/wekan/wekan/pull/1723). + +and fixes the following bugs: - [Fix warning about missing space in jade file](https://github.com/wekan/wekan/commit/067aef9de948ef0cb6037d52602100b00d214706); - Revert [Fix vertical align of user avatar initials](https://github.com/wekan/wekan/pull/1714), so that [initials are again @@ -9,7 +13,7 @@ This release fixes the following bugs: no-unused-vars](https://github.com/wekan/wekan/commit/dd324aa581bed7ea31f20968c6b596f373e7054f); - Fix [Minimize board sidebar actually just moves it over](https://github.com/wekan/wekan/issues/1589). -Thanks to GitHub users dagomar, pravdomil and xet7 for their contributions. +Thanks to GitHub users dagomar, pravdomil, TNick and xet7 for their contributions. # v1.11 2018-06-30 Wekan release -- cgit v1.2.3-1-g7c22 From cc63a575ab653814d9b211323b2fae2043a2eeca Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 5 Jul 2018 23:03:48 +0300 Subject: - Calendar improvements. Thanks to TNick ! --- CHANGELOG.md | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index a47636d8..c704e31a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,7 +2,8 @@ This release adds the following new features: -- [Nested tasks](https://github.com/wekan/wekan/pull/1723). +- [Nested tasks](https://github.com/wekan/wekan/pull/1723); +- [Calendar improvements](https://github.com/wekan/wekan/pull/1752). and fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 13e5ccb56e68eb7563b76b5f8b8eaf01b6ed552f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 5 Jul 2018 23:06:02 +0300 Subject: Fix missing space in jade file. Thanks to xet7 ! --- client/components/cards/minicard.jade | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/components/cards/minicard.jade b/client/components/cards/minicard.jade index 57913669..3f7e0940 100644 --- a/client/components/cards/minicard.jade +++ b/client/components/cards/minicard.jade @@ -14,7 +14,7 @@ template(name="minicard") .parent-prefix | {{ parentCardName }} +viewer - {{ title }} + | {{ title }} if $eq 'subtext-with-full-path' currentBoard.presentParentTask .parent-subtext | {{ parentString ' > ' }} -- cgit v1.2.3-1-g7c22 From 5986f64d7278418a78402a9e4a3ffe97826c478e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 5 Jul 2018 23:23:37 +0300 Subject: Update translations. --- i18n/ar.i18n.json | 1 + i18n/bg.i18n.json | 1 + i18n/br.i18n.json | 1 + i18n/ca.i18n.json | 1 + i18n/cs.i18n.json | 1 + i18n/de.i18n.json | 1 + i18n/el.i18n.json | 1 + i18n/en-GB.i18n.json | 1 + i18n/eo.i18n.json | 1 + i18n/es-AR.i18n.json | 1 + i18n/es.i18n.json | 1 + i18n/eu.i18n.json | 1 + i18n/fa.i18n.json | 1 + i18n/fi.i18n.json | 1 + i18n/fr.i18n.json | 1 + i18n/gl.i18n.json | 1 + i18n/he.i18n.json | 1 + i18n/hu.i18n.json | 1 + i18n/hy.i18n.json | 1 + i18n/id.i18n.json | 1 + i18n/ig.i18n.json | 1 + i18n/it.i18n.json | 1 + i18n/ja.i18n.json | 1 + i18n/ka.i18n.json | 1 + i18n/km.i18n.json | 1 + i18n/ko.i18n.json | 1 + i18n/lv.i18n.json | 1 + i18n/mn.i18n.json | 1 + i18n/nb.i18n.json | 1 + i18n/nl.i18n.json | 1 + i18n/pl.i18n.json | 1 + i18n/pt-BR.i18n.json | 1 + i18n/pt.i18n.json | 1 + i18n/ro.i18n.json | 1 + i18n/ru.i18n.json | 1 + i18n/sr.i18n.json | 1 + i18n/sv.i18n.json | 1 + i18n/ta.i18n.json | 1 + i18n/th.i18n.json | 1 + i18n/tr.i18n.json | 1 + i18n/uk.i18n.json | 1 + i18n/vi.i18n.json | 1 + i18n/zh-CN.i18n.json | 1 + i18n/zh-TW.i18n.json | 1 + 44 files changed, 44 insertions(+) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 5f423ddf..53fa803b 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "المزيد", "cards": "بطاقات", "cards-count": "بطاقات", + "casSignIn": "Sign In with CAS", "change": "Change", "change-avatar": "تعديل الصورة الشخصية", "change-password": "تغيير كلمة المرور", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 69fe5188..c8ca3b35 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "Още", "cards": "Карти", "cards-count": "Карти", + "casSignIn": "Sign In with CAS", "change": "Промени", "change-avatar": "Промени аватара", "change-password": "Промени паролата", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index a1043e89..7b511bf1 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "Muioc’h", "cards": "Kartennoù", "cards-count": "Kartennoù", + "casSignIn": "Sign In with CAS", "change": "Change", "change-avatar": "Change Avatar", "change-password": "Kemmañ ger-tremen", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 6cceb936..bf891c90 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "Més", "cards": "Fitxes", "cards-count": "Fitxes", + "casSignIn": "Sign In with CAS", "change": "Canvia", "change-avatar": "Canvia Avatar", "change-password": "Canvia la clau", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 61b5402c..daf21326 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "Více", "cards": "Karty", "cards-count": "Karty", + "casSignIn": "Sign In with CAS", "change": "Změnit", "change-avatar": "Změnit avatar", "change-password": "Změnit heslo", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index ac7f544b..614d4b80 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "Mehr", "cards": "Karten", "cards-count": "Karten", + "casSignIn": "Sign In with CAS", "change": "Ändern", "change-avatar": "Profilbild ändern", "change-password": "Passwort ändern", diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 0cfb4b25..13844004 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "Περισσότερα", "cards": "Κάρτες", "cards-count": "Κάρτες", + "casSignIn": "Sign In with CAS", "change": "Αλλαγή", "change-avatar": "Change Avatar", "change-password": "Αλλαγή Κωδικού", diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index f900def4..937fc657 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "More", "cards": "Cards", "cards-count": "Cards", + "casSignIn": "Sign In with CAS", "change": "Change", "change-avatar": "Change Avatar", "change-password": "Change Password", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index 3d8000c4..ef7c6476 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "Pli", "cards": "Kartoj", "cards-count": "Kartoj", + "casSignIn": "Sign In with CAS", "change": "Ŝanĝi", "change-avatar": "Change Avatar", "change-password": "Ŝangi pasvorton", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index 95553e31..64935585 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "Mas", "cards": "Tarjetas", "cards-count": "Tarjetas", + "casSignIn": "Sign In with CAS", "change": "Cambiar", "change-avatar": "Cambiar Avatar", "change-password": "Cambiar Contraseña", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 67f4d46e..6f2d6cd6 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "Más", "cards": "Tarjetas", "cards-count": "Tarjetas", + "casSignIn": "Sign In with CAS", "change": "Cambiar", "change-avatar": "Cambiar el avatar", "change-password": "Cambiar la contraseña", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index 9ca140d8..08729670 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "Gehiago", "cards": "Txartelak", "cards-count": "Txartelak", + "casSignIn": "Sign In with CAS", "change": "Aldatu", "change-avatar": "Aldatu avatarra", "change-password": "Aldatu pasahitza", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index 481a56ac..2cd998be 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "بیشتر", "cards": "کارت‌ها", "cards-count": "کارت‌ها", + "casSignIn": "Sign In with CAS", "change": "تغییر", "change-avatar": "تغییر تصویر", "change-password": "تغییر کلمه عبور", diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 3677dacb..2b1e9286 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "Lisää", "cards": "Kortit", "cards-count": "korttia", + "casSignIn": "CAS kirjautuminen", "change": "Muokkaa", "change-avatar": "Muokkaa profiilikuvaa", "change-password": "Vaihda salasana", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 22a3e8cf..c783490d 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "Plus", "cards": "Cartes", "cards-count": "Cartes", + "casSignIn": "Sign In with CAS", "change": "Modifier", "change-avatar": "Modifier l'avatar", "change-password": "Modifier le mot de passe", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 5422314d..aec06426 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "Máis", "cards": "Tarxetas", "cards-count": "Tarxetas", + "casSignIn": "Sign In with CAS", "change": "Cambiar", "change-avatar": "Cambiar o avatar", "change-password": "Cambiar o contrasinal", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index f15c7f9b..c035fd1e 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "עוד", "cards": "כרטיסים", "cards-count": "כרטיסים", + "casSignIn": "Sign In with CAS", "change": "שינוי", "change-avatar": "החלפת תמונת משתמש", "change-password": "החלפת ססמה", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index 07379611..3e3f3903 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "Több", "cards": "Kártyák", "cards-count": "Kártyák", + "casSignIn": "Sign In with CAS", "change": "Változtatás", "change-avatar": "Avatár megváltoztatása", "change-password": "Jelszó megváltoztatása", diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index 124bc7dd..a56db758 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "More", "cards": "Cards", "cards-count": "Cards", + "casSignIn": "Sign In with CAS", "change": "Change", "change-avatar": "Change Avatar", "change-password": "Change Password", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index a80444a7..06076aa5 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "Lainnya", "cards": "Daftar Kartu", "cards-count": "Daftar Kartu", + "casSignIn": "Sign In with CAS", "change": "Ubah", "change-avatar": "Ubah Avatar", "change-password": "Ubah Kata Sandi", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 90ce0668..5b759739 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "More", "cards": "Cards", "cards-count": "Cards", + "casSignIn": "Sign In with CAS", "change": "Gbanwe", "change-avatar": "Change Avatar", "change-password": "Change Password", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index b067d567..7968967d 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "Altro", "cards": "Schede", "cards-count": "Schede", + "casSignIn": "Sign In with CAS", "change": "Cambia", "change-avatar": "Cambia avatar", "change-password": "Cambia password", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 9910b002..c70b0d35 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "さらに見る", "cards": "カード", "cards-count": "カード", + "casSignIn": "Sign In with CAS", "change": "変更", "change-avatar": "アバターの変更", "change-password": "パスワードの変更", diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index 83751851..f2b32e0f 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "More", "cards": "Cards", "cards-count": "Cards", + "casSignIn": "Sign In with CAS", "change": "Change", "change-avatar": "Change Avatar", "change-password": "Change Password", diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index e1a26fcb..e0838ffc 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "More", "cards": "Cards", "cards-count": "Cards", + "casSignIn": "Sign In with CAS", "change": "Change", "change-avatar": "Change Avatar", "change-password": "Change Password", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index d9a980df..ddcc3c0c 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "더보기", "cards": "카드", "cards-count": "카드", + "casSignIn": "Sign In with CAS", "change": "변경", "change-avatar": "아바타 변경", "change-password": "암호 변경", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index b79c7043..abeec5ad 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "More", "cards": "Cards", "cards-count": "Cards", + "casSignIn": "Sign In with CAS", "change": "Change", "change-avatar": "Change Avatar", "change-password": "Change Password", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index 7f0c2fc1..f2f093b3 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "More", "cards": "Cards", "cards-count": "Cards", + "casSignIn": "Sign In with CAS", "change": "Change", "change-avatar": "Аватар өөрчлөх", "change-password": "Нууц үг солих", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index 1838aa0f..72bd0430 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "Mer", "cards": "Kort", "cards-count": "Kort", + "casSignIn": "Sign In with CAS", "change": "Endre", "change-avatar": "Endre avatar", "change-password": "Endre passord", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 90832ea6..6a54b9c5 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "Meer", "cards": "Kaarten", "cards-count": "Kaarten", + "casSignIn": "Sign In with CAS", "change": "Wijzig", "change-avatar": "Wijzig avatar", "change-password": "Wijzig wachtwoord", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index fcaa5bab..a12a5389 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "Więcej", "cards": "Karty", "cards-count": "Karty", + "casSignIn": "Sign In with CAS", "change": "Zmień", "change-avatar": "Zmień Avatar", "change-password": "Zmień hasło", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index f92f3d21..6135ae54 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "Mais", "cards": "Cartões", "cards-count": "Cartões", + "casSignIn": "Sign In with CAS", "change": "Alterar", "change-avatar": "Alterar Avatar", "change-password": "Alterar Senha", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 0c988d43..0d6df67e 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "Mais", "cards": "Cartões", "cards-count": "Cartões", + "casSignIn": "Sign In with CAS", "change": "Alterar", "change-avatar": "Change Avatar", "change-password": "Change Password", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index a70e3972..8146ee3b 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "More", "cards": "Cards", "cards-count": "Cards", + "casSignIn": "Sign In with CAS", "change": "Change", "change-avatar": "Change Avatar", "change-password": "Change Password", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 1d55aedf..577d7b43 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "Поделиться", "cards": "Карточки", "cards-count": "Карточки", + "casSignIn": "Sign In with CAS", "change": "Изменить", "change-avatar": "Изменить аватар", "change-password": "Изменить пароль", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index 6f25bc3b..db8e9792 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "More", "cards": "Cards", "cards-count": "Cards", + "casSignIn": "Sign In with CAS", "change": "Change", "change-avatar": "Change Avatar", "change-password": "Change Password", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 25bcf6f3..7d0fa978 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "Mera", "cards": "Kort", "cards-count": "Kort", + "casSignIn": "Sign In with CAS", "change": "Ändra", "change-avatar": "Ändra avatar", "change-password": "Ändra lösenord", diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index 83751851..f2b32e0f 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "More", "cards": "Cards", "cards-count": "Cards", + "casSignIn": "Sign In with CAS", "change": "Change", "change-avatar": "Change Avatar", "change-password": "Change Password", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index fcde0e71..86e3a65d 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "เพิ่มเติม", "cards": "การ์ด", "cards-count": "การ์ด", + "casSignIn": "Sign In with CAS", "change": "เปลี่ยน", "change-avatar": "เปลี่ยนภาพ", "change-password": "เปลี่ยนรหัสผ่าน", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index c0d2026a..c1e2d7f8 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "Daha", "cards": "Kartlar", "cards-count": "Kartlar", + "casSignIn": "Sign In with CAS", "change": "Değiştir", "change-avatar": "Avatar Değiştir", "change-password": "Parola Değiştir", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 459aad9e..d2b27f81 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "More", "cards": "Cards", "cards-count": "Cards", + "casSignIn": "Sign In with CAS", "change": "Change", "change-avatar": "Change Avatar", "change-password": "Change Password", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index e785f0d0..43852935 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "More", "cards": "Cards", "cards-count": "Cards", + "casSignIn": "Sign In with CAS", "change": "Change", "change-avatar": "Change Avatar", "change-password": "Change Password", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 6ea7ee27..bbc060fb 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "更多", "cards": "卡片", "cards-count": "卡片", + "casSignIn": "Sign In with CAS", "change": "变更", "change-avatar": "更改头像", "change-password": "更改密码", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index ced49edd..e8bcbd2c 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -134,6 +134,7 @@ "cardMorePopup-title": "更多", "cards": "卡片", "cards-count": "卡片", + "casSignIn": "Sign In with CAS", "change": "變更", "change-avatar": "更改大頭貼", "change-password": "更改密碼", -- cgit v1.2.3-1-g7c22 From a4ca6dce256042e87e3bb400d563db075e14cc58 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 5 Jul 2018 23:25:13 +0300 Subject: - SSO CAS. Thanks to ppoulard ! Closes #620 --- CHANGELOG.md | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index c704e31a..4ba46b67 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,7 +3,8 @@ This release adds the following new features: - [Nested tasks](https://github.com/wekan/wekan/pull/1723); -- [Calendar improvements](https://github.com/wekan/wekan/pull/1752). +- [Calendar improvements](https://github.com/wekan/wekan/pull/1752); +- [SSO CAS](https://github.com/wekan/wekan/pull/1742). and fixes the following bugs: @@ -14,7 +15,7 @@ and fixes the following bugs: no-unused-vars](https://github.com/wekan/wekan/commit/dd324aa581bed7ea31f20968c6b596f373e7054f); - Fix [Minimize board sidebar actually just moves it over](https://github.com/wekan/wekan/issues/1589). -Thanks to GitHub users dagomar, pravdomil, TNick and xet7 for their contributions. +Thanks to GitHub users dagomar, ppoulard, pravdomil, TNick and xet7 for their contributions. # v1.11 2018-06-30 Wekan release -- cgit v1.2.3-1-g7c22 From 62e5e5db49c94ba6b4a26aa96a48dd7bd216a351 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 6 Jul 2018 01:03:51 +0300 Subject: v1.12 --- CHANGELOG.md | 2 +- Dockerfile | 4 ++-- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 6 insertions(+), 6 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 4ba46b67..9e84c537 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.12 2018-07-06 Wekan release This release adds the following new features: diff --git a/Dockerfile b/Dockerfile index 8b8b6a09..6d68867d 100644 --- a/Dockerfile +++ b/Dockerfile @@ -15,7 +15,7 @@ ARG SRC_PATH # DOES NOT WORK: paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303 # ENV BUILD_DEPS="paxctl" ENV BUILD_DEPS="apt-utils gnupg gosu wget curl bzip2 build-essential python git ca-certificates gcc-7" -ENV NODE_VERSION ${NODE_VERSION:-v8.11.1} +ENV NODE_VERSION ${NODE_VERSION:-v8.11.3} ENV METEOR_RELEASE ${METEOR_RELEASE:-1.6.0.1} ENV USE_EDGE ${USE_EDGE:-false} ENV METEOR_EDGE ${METEOR_EDGE:-1.5-beta.17} @@ -48,7 +48,7 @@ RUN \ # Download node version 8.11.1 that has fix included, node binary copied from Sandstorm # Description at https://releases.wekan.team/node.txt wget https://releases.wekan.team/node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ - echo "308d0caaef0a1da3e98d1a1615016aad9659b3caf31d0f09ced20cabedb8acbf node-v8.11.1-linux-x64.tar.gz" >> SHASUMS256.txt.asc && \ + echo "40e7990489c13a1ed1173d8fe03af258c6ed964b92a4bd59a0927ac5931054aa node-v8.11.3-linux-x64.tar.gz" >> SHASUMS256.txt.asc && \ \ # Verify nodejs authenticity grep ${NODE_VERSION}-${ARCHITECTURE}.tar.gz SHASUMS256.txt.asc | shasum -a 256 -c - && \ diff --git a/package.json b/package.json index 117baa70..c96b3208 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.11.0", + "version": "1.12.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 22f53168..fc1db3ee 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 96, + appVersion = 97, # Increment this for every release. - appMarketingVersion = (defaultText = "1.11.0~2018-06-30"), + appMarketingVersion = (defaultText = "1.12.0~2018-07-06"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 5220111822913bbaa0378d5272f66608aad7b097 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 6 Jul 2018 01:14:02 +0300 Subject: v1.13 --- CHANGELOG.md | 8 ++++++++ package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- snapcraft.yaml | 2 +- 4 files changed, 12 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 9e84c537..371cf9ca 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# v1.13 2018-07-06 Wekan release + +This release adds the following new features: + +- Added snapcraft.yml new node version changes, that were missing from v1.12. + +Thanks to GitHub user xet7 for contibutions. + # v1.12 2018-07-06 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index c96b3208..a37e5edd 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.12.0", + "version": "1.13.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index fc1db3ee..e066fdee 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 97, + appVersion = 98, # Increment this for every release. - appMarketingVersion = (defaultText = "1.12.0~2018-07-06"), + appMarketingVersion = (defaultText = "1.13.0~2018-07-06"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, diff --git a/snapcraft.yaml b/snapcraft.yaml index b1895701..70b9d44d 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -110,7 +110,7 @@ parts: # Fiber.poolSize = 1e9; # Download node version 8.11.1 that has fix included, node binary copied from Sandstorm # Description at https://releases.wekan.team/node.txt - echo "13baa1b3114a5ea3248875e0f36cb46fcf8acd212de1fb74ba68ef4c9a4e1d93 node" >> node-SHASUMS256.txt.asc + echo "5263dc1c571885921179b11a1c6eb9ca82a95a89b69c15b366f885e9b5a32d66 node" >> node-SHASUMS256.txt.asc curl https://releases.wekan.team/node -o node # Verify Fibers patched node authenticity echo "Fibers 100% CPU issue patched node authenticity:" -- cgit v1.2.3-1-g7c22 From af8bf1af2e493578a38c1b641cc5623952aa762e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 6 Jul 2018 11:33:13 +0300 Subject: - Fix Checklists.forEach is not a function. Thanks to xet7 ! Closes #1753 --- server/migrations.js | 17 ++++++++--------- 1 file changed, 8 insertions(+), 9 deletions(-) diff --git a/server/migrations.js b/server/migrations.js index 10097d41..ae9cb8da 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -55,7 +55,7 @@ Migrations.add('lowercase-board-permission', () => { // Security migration: see https://github.com/wekan/wekan/issues/99 Migrations.add('change-attachments-type-for-non-images', () => { const newTypeForNonImage = 'application/octet-stream'; - Attachments.forEach((file) => { + Attachments.find().forEach((file) => { if (!file.isImage()) { Attachments.update(file._id, { $set: { @@ -68,7 +68,7 @@ Migrations.add('change-attachments-type-for-non-images', () => { }); Migrations.add('card-covers', () => { - Cards.forEach((card) => { + Cards.find().forEach((card) => { const cover = Attachments.findOne({ cardId: card._id, cover: true }); if (cover) { Cards.update(card._id, {$set: {coverId: cover._id}}, noValidate); @@ -86,7 +86,7 @@ Migrations.add('use-css-class-for-boards-colors', () => { '#2C3E50': 'midnight', '#E67E22': 'pumpkin', }; - Boards.forEach((board) => { + Boards.find().forEach((board) => { const oldBoardColor = board.background.color; const newBoardColor = associationTable[oldBoardColor]; Boards.update(board._id, { @@ -97,7 +97,7 @@ Migrations.add('use-css-class-for-boards-colors', () => { }); Migrations.add('denormalize-star-number-per-board', () => { - Boards.forEach((board) => { + Boards.find().forEach((board) => { const nStars = Users.find({'profile.starredBoards': board._id}).count(); Boards.update(board._id, {$set: {stars: nStars}}, noValidate); }); @@ -132,7 +132,7 @@ Migrations.add('add-member-isactive-field', () => { }); Migrations.add('add-sort-checklists', () => { - Checklists.forEach((checklist, index) => { + Checklists.find().forEach((checklist, index) => { if (!checklist.hasOwnProperty('sort')) { Checklists.direct.update( checklist._id, @@ -168,7 +168,7 @@ Migrations.add('add-swimlanes', () => { }); Migrations.add('add-views', () => { - Boards.forEach((board) => { + Boards.find().forEach((board) => { if (!board.hasOwnProperty('view')) { Boards.direct.update( { _id: board._id }, @@ -180,7 +180,7 @@ Migrations.add('add-views', () => { }); Migrations.add('add-checklist-items', () => { - Checklists.forEach((checklist) => { + Checklists.find().forEach((checklist) => { // Create new items _.sortBy(checklist.items, 'sort').forEach((item, index) => { ChecklistItems.direct.insert({ @@ -201,7 +201,7 @@ Migrations.add('add-checklist-items', () => { }); Migrations.add('add-profile-view', () => { - Users.forEach((user) => { + Users.find().forEach((user) => { if (!user.hasOwnProperty('profile.boardView')) { // Set default view Users.direct.update( @@ -309,4 +309,3 @@ Migrations.add('add-subtasks-allowed', () => { }, }, noValidateMulti); }); - -- cgit v1.2.3-1-g7c22 From 4b65c5cc3359eb090e87498b3501629cb54081e2 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 6 Jul 2018 11:36:24 +0300 Subject: - Fix Checklists.forEach is not a function. Thanks to xet7 ! Closes #1753 --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 371cf9ca..5eb79a1c 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- Fix [Checklists.forEach is not a function](https://github.com/wekan/wekan/issues/1753). + +Thanks to GitHub user xet7 for contributions. + # v1.13 2018-07-06 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From c26a31f498a022fb5c7f70c5e00cdad81a6e3c04 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 6 Jul 2018 11:42:56 +0300 Subject: v1.14 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- snapcraft.yaml | 4 ++-- 4 files changed, 6 insertions(+), 6 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 5eb79a1c..afb3d643 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.14 2018-07-06 Wekan release This release fixes the following bugs: diff --git a/package.json b/package.json index a37e5edd..f5da7d1b 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.13.0", + "version": "1.14.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index e066fdee..0aedaa90 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 98, + appVersion = 99, # Increment this for every release. - appMarketingVersion = (defaultText = "1.13.0~2018-07-06"), + appMarketingVersion = (defaultText = "1.14.0~2018-07-06"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, diff --git a/snapcraft.yaml b/snapcraft.yaml index 70b9d44d..a25299aa 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -81,7 +81,7 @@ parts: wekan: source: . plugin: nodejs - node-engine: 8.11.1 + node-engine: 8.11.3 node-packages: - npm - node-gyp @@ -108,7 +108,7 @@ parts: # Also see beginning of wekan/server/authentication.js # import Fiber from "fibers"; # Fiber.poolSize = 1e9; - # Download node version 8.11.1 that has fix included, node binary copied from Sandstorm + # Download node version 8.11.3 that has fix included, node binary copied from Sandstorm # Description at https://releases.wekan.team/node.txt echo "5263dc1c571885921179b11a1c6eb9ca82a95a89b69c15b366f885e9b5a32d66 node" >> node-SHASUMS256.txt.asc curl https://releases.wekan.team/node -o node -- cgit v1.2.3-1-g7c22 From 074a1218fdcfbc30a4629694294832838256abe8 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 6 Jul 2018 13:29:05 +0300 Subject: - Fix [Title is required](https://github.com/wekan/wekan/issues/1576) by making [Checkist title optional](https://github.com/wekan/wekan/issues/1753). Thanks to xet7 ! Closes #1576, closes #1753 --- models/checklists.js | 1 + 1 file changed, 1 insertion(+) diff --git a/models/checklists.js b/models/checklists.js index c58453ef..2277736e 100644 --- a/models/checklists.js +++ b/models/checklists.js @@ -7,6 +7,7 @@ Checklists.attachSchema(new SimpleSchema({ title: { type: String, defaultValue: 'Checklist', + optional: true, }, finishedAt: { type: Date, -- cgit v1.2.3-1-g7c22 From c31602da42ee830abbf37fdcbfad4099eb3cef0c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 6 Jul 2018 13:34:54 +0300 Subject: - Fix Title is required by making Checklist title optional. Thanks to centigrade-kdk and xet7 ! Closes #1576, closes #1753 --- CHANGELOG.md | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index afb3d643..212acd1b 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- Fix [Title is required](https://github.com/wekan/wekan/issues/1576) + by making [Checklist title optional](https://github.com/wekan/wekan/issues/1753). + +Thanks to GitHub users centigrade-kdk and xet7 for their contributions. + # v1.14 2018-07-06 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 9a053164acac9943bf4773d5f3b8c13e2c0fdf50 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 6 Jul 2018 13:37:44 +0300 Subject: v1.15 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 212acd1b..fb9ac1a0 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.15 2018-07-06 Wekan release This release fixes the following bugs: diff --git a/package.json b/package.json index f5da7d1b..47137ee7 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.14.0", + "version": "1.15.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 0aedaa90..cfcfba84 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 99, + appVersion = 100, # Increment this for every release. - appMarketingVersion = (defaultText = "1.14.0~2018-07-06"), + appMarketingVersion = (defaultText = "1.15.0~2018-07-06"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From a41190cdf024df65ad1c9931b3065c6ababeaf25 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 6 Jul 2018 14:32:57 +0300 Subject: - Fix: Boards.forEach is not function. Thanks to xet7 ! --- server/migrations.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/server/migrations.js b/server/migrations.js index ae9cb8da..d0e63388 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -153,7 +153,7 @@ Migrations.add('add-sort-checklists', () => { }); Migrations.add('add-swimlanes', () => { - Boards.forEach((board) => { + Boards.find().forEach((board) => { const swimlaneId = board.getDefaultSwimline()._id; Cards.find({ boardId: board._id }).forEach((card) => { if (!card.hasOwnProperty('swimlaneId')) { -- cgit v1.2.3-1-g7c22 From 3d3096104ee46d38dd511adecdba3f9e414e830a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 6 Jul 2018 14:35:33 +0300 Subject: - Fix: Boards.forEach is not function. Thanks to xet7 ! --- CHANGELOG.md | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index fb9ac1a0..3eae8d4a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,9 @@ +# Upcoming Wekan release + +- Fix: [Boards.forEach is not function](https://github.com/wekan/wekan/commit/a41190cdf024df65ad1c9931b3065c6ababeaf25). + +Thanks to GitHub user xet7 for contributions. + # v1.15 2018-07-06 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 644b235bbb85666725ab4994fd7b00bdb3c7fea0 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 6 Jul 2018 14:38:23 +0300 Subject: v1.16 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 3eae8d4a..ca7bcdbb 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.16 2018-07-06 Wekan release - Fix: [Boards.forEach is not function](https://github.com/wekan/wekan/commit/a41190cdf024df65ad1c9931b3065c6ababeaf25). diff --git a/package.json b/package.json index 47137ee7..fe45137b 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.15.0", + "version": "1.16.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index cfcfba84..c9630158 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 100, + appVersion = 101, # Increment this for every release. - appMarketingVersion = (defaultText = "1.15.0~2018-07-06"), + appMarketingVersion = (defaultText = "1.16.0~2018-07-06"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 884cd0e6b888edc9752cbed80e7ac75e2ce232de Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 6 Jul 2018 15:23:29 +0300 Subject: - Made Subtask Settings visible at Board menu at Sandstorm. Thanks to xet7 ! --- client/components/boards/boardHeader.jade | 3 +++ 1 file changed, 3 insertions(+) diff --git a/client/components/boards/boardHeader.jade b/client/components/boards/boardHeader.jade index a4abfac6..1c6c8f8c 100644 --- a/client/components/boards/boardHeader.jade +++ b/client/components/boards/boardHeader.jade @@ -139,6 +139,9 @@ template(name="boardMenuPopup") ul.pop-over-list li: a(href="{{exportUrl}}", download="{{exportFilename}}") {{_ 'export-board'}} li: a.js-import-board {{_ 'import-board-c'}} + hr + ul.pop-over-list + li: a.js-subtask-settings {{_ 'subtask-settings'}} template(name="boardVisibilityList") ul.pop-over-list -- cgit v1.2.3-1-g7c22 From 94a1446a08c5365a7883bbaa7a81b129b4f75678 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 6 Jul 2018 15:27:04 +0300 Subject: - Made Subtask Settings visible at Board menu at Sandstorm. Thanks to xet7 ! --- CHANGELOG.md | 10 ++++++++++ 1 file changed, 10 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index ca7bcdbb..c342a6a6 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,5 +1,15 @@ +# Upcoming Wekan release + +This release adds the following new features: + +- [Made Subtask Settings visible at Board menu at Sandstorm](https://github.com/wekan/wekan/commit/884cd0e6b888edc9752cbed80e7ac75e2ce232de). + +Thanks to GitHub user xet7 for contributions. + # v1.16 2018-07-06 Wekan release +This release fixes the following bugs: + - Fix: [Boards.forEach is not function](https://github.com/wekan/wekan/commit/a41190cdf024df65ad1c9931b3065c6ababeaf25). Thanks to GitHub user xet7 for contributions. -- cgit v1.2.3-1-g7c22 From 369da1e09dd8756b7be22d3d63aa22f995712f16 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 6 Jul 2018 15:33:34 +0300 Subject: v1.17 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index c342a6a6..dc26d9d5 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.17 2018-07-06 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index fe45137b..d2e5d0a0 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.16.0", + "version": "1.17.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index c9630158..8624d596 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 101, + appVersion = 102, # Increment this for every release. - appMarketingVersion = (defaultText = "1.16.0~2018-07-06"), + appMarketingVersion = (defaultText = "1.17.0~2018-07-06"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 7683f98b7be221b419c1dacee5289411f3872212 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 6 Jul 2018 16:14:07 +0300 Subject: - Fix Title is required by setting Checklist title during migration. Thanks to centigrade-kdk and xet7 ! Closes #1576, closes #1753 --- models/checklists.js | 1 - server/migrations.js | 2 +- 2 files changed, 1 insertion(+), 2 deletions(-) diff --git a/models/checklists.js b/models/checklists.js index 2277736e..c58453ef 100644 --- a/models/checklists.js +++ b/models/checklists.js @@ -7,7 +7,6 @@ Checklists.attachSchema(new SimpleSchema({ title: { type: String, defaultValue: 'Checklist', - optional: true, }, finishedAt: { type: Date, diff --git a/server/migrations.js b/server/migrations.js index d0e63388..6135f1be 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -184,7 +184,7 @@ Migrations.add('add-checklist-items', () => { // Create new items _.sortBy(checklist.items, 'sort').forEach((item, index) => { ChecklistItems.direct.insert({ - title: item.title, + title: (item.title ? item.title : 'Checklist'), sort: index, isFinished: item.isFinished, checklistId: checklist._id, -- cgit v1.2.3-1-g7c22 From 35a3b0b62e5b30a1153d688bae59570e234437e3 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 6 Jul 2018 16:17:09 +0300 Subject: - Fix Title is required by setting Checklist title during migration. Thanks to centigrade-kdk and xet7 ! --- CHANGELOG.md | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index dc26d9d5..24b92b7f 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- Fix [Title is required](https://github.com/wekan/wekan/issues/1576) + by [setting Checklist title during migration](https://github.com/wekan/wekan/issues/1753). + +Thanks to GitHub users centigrade-kdk and xet7 for their contributions. + # v1.17 2018-07-06 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From 6c7eab4456f8608ae3893d2200b759d426863cd2 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 6 Jul 2018 16:20:31 +0300 Subject: v1.18 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 24b92b7f..64e52b84 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.18 2018-07-06 Wekan release This release fixes the following bugs: diff --git a/package.json b/package.json index d2e5d0a0..a773b645 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.17.0", + "version": "1.18.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 8624d596..c894cce2 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 102, + appVersion = 103, # Increment this for every release. - appMarketingVersion = (defaultText = "1.17.0~2018-07-06"), + appMarketingVersion = (defaultText = "1.18.0~2018-07-06"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 43d86d7d5d3f3b34b0500f6d5d3afe7bd86b0060 Mon Sep 17 00:00:00 2001 From: Haocen Xu Date: Fri, 6 Jul 2018 12:48:46 -0400 Subject: Hotfix for mobile device --- client/components/boards/boardBody.js | 7 ++++- client/components/cards/checklists.js | 7 ++++- client/components/lists/list.js | 7 ++++- client/components/main/header.styl | 2 +- client/components/mixins/perfectScrollbar.js | 18 ++++++----- client/components/swimlanes/swimlanes.js | 7 ++++- client/lib/utils.js | 46 ++++++++++++++++++++++++++++ 7 files changed, 82 insertions(+), 12 deletions(-) diff --git a/client/components/boards/boardBody.js b/client/components/boards/boardBody.js index 68ac8b27..6ff40ca4 100644 --- a/client/components/boards/boardBody.js +++ b/client/components/boards/boardBody.js @@ -1,5 +1,5 @@ const subManager = new SubsManager(); -const { calculateIndex } = Utils; +const { calculateIndex, enableClickOnTouch } = Utils; BlazeComponent.extendComponent({ onCreated() { @@ -74,6 +74,11 @@ BlazeComponent.extendComponent({ }, }); + // ugly touch event hotfix + $('.js-swimlane:not(.placeholder)').each(function() { + enableClickOnTouch(this); + }); + function userIsMember() { return Meteor.user() && Meteor.user().isBoardMember() && !Meteor.user().isCommentOnly(); } diff --git a/client/components/cards/checklists.js b/client/components/cards/checklists.js index 519af629..7fc54f9e 100644 --- a/client/components/cards/checklists.js +++ b/client/components/cards/checklists.js @@ -1,4 +1,4 @@ -const { calculateIndexData } = Utils; +const { calculateIndexData, enableClickOnTouch } = Utils; function initSorting(items) { items.sortable({ @@ -36,6 +36,11 @@ function initSorting(items) { checklistItem.move(checklistId, sortIndex.base); }, }); + + // ugly touch event hotfix + $('.js-checklist-item:not(.placeholder)').each(function() { + enableClickOnTouch(this); + }); } BlazeComponent.extendComponent({ diff --git a/client/components/lists/list.js b/client/components/lists/list.js index 38a87674..3f7c6dea 100644 --- a/client/components/lists/list.js +++ b/client/components/lists/list.js @@ -1,4 +1,4 @@ -const { calculateIndex } = Utils; +const { calculateIndex, enableClickOnTouch } = Utils; BlazeComponent.extendComponent({ // Proxy @@ -83,6 +83,11 @@ BlazeComponent.extendComponent({ }, }); + // ugly touch event hotfix + $(itemsSelector).each(function() { + enableClickOnTouch(this); + }); + // Disable drag-dropping if the current user is not a board member or is comment only this.autorun(() => { $cards.sortable('option', 'disabled', !userIsMember()); diff --git a/client/components/main/header.styl b/client/components/main/header.styl index f9455f8e..495716e1 100644 --- a/client/components/main/header.styl +++ b/client/components/main/header.styl @@ -218,7 +218,7 @@ position: absolute right: 0px padding: 10px - margin: -10px + margin: -10px 0 -10px -10px .announcement, .offline-warning diff --git a/client/components/mixins/perfectScrollbar.js b/client/components/mixins/perfectScrollbar.js index f652f043..12f8a892 100644 --- a/client/components/mixins/perfectScrollbar.js +++ b/client/components/mixins/perfectScrollbar.js @@ -1,12 +1,16 @@ +const { isTouchDevice } = Utils; + Mixins.PerfectScrollbar = BlazeComponent.extendComponent({ onRendered() { - const component = this.mixinParent(); - const domElement = component.find('.js-perfect-scrollbar'); - Ps.initialize(domElement); + if (!isTouchDevice()) { + const component = this.mixinParent(); + const domElement = component.find('.js-perfect-scrollbar'); + Ps.initialize(domElement); - // XXX We should create an event map to be consistent with other components - // but since BlazeComponent doesn't merge Mixins events transparently I - // prefered to use a jQuery event (which is what an event map ends up doing) - component.$(domElement).on('mouseenter', () => Ps.update(domElement)); + // XXX We should create an event map to be consistent with other components + // but since BlazeComponent doesn't merge Mixins events transparently I + // prefered to use a jQuery event (which is what an event map ends up doing) + component.$(domElement).on('mouseenter', () => Ps.update(domElement)); + } }, }); diff --git a/client/components/swimlanes/swimlanes.js b/client/components/swimlanes/swimlanes.js index c67fe6af..2acf4a82 100644 --- a/client/components/swimlanes/swimlanes.js +++ b/client/components/swimlanes/swimlanes.js @@ -1,4 +1,4 @@ -const { calculateIndex } = Utils; +const { calculateIndex, enableClickOnTouch } = Utils; function currentCardIsInThisList(listId, swimlaneId) { const currentCard = Cards.findOne(Session.get('currentCard')); @@ -66,6 +66,11 @@ function initSortable(boardComponent, $listsDom) { }, }); + // ugly touch event hotfix + $('.js-list:not(.js-list-composer)').each(function() { + enableClickOnTouch(this); + }); + function userIsMember() { return Meteor.user() && Meteor.user().isBoardMember() && !Meteor.user().isCommentOnly(); } diff --git a/client/lib/utils.js b/client/lib/utils.js index 1f44c60d..7e2651d2 100644 --- a/client/lib/utils.js +++ b/client/lib/utils.js @@ -95,6 +95,52 @@ Utils = { increment, }; }, + + // Detect touch device + isTouchDevice() { + const isTouchable = (() => { + const prefixes = ' -webkit- -moz- -o- -ms- '.split(' '); + const mq = function(query) { + return window.matchMedia(query).matches; + }; + + if (('ontouchstart' in window) || window.DocumentTouch && document instanceof window.DocumentTouch) { + return true; + } + + // include the 'heartz' as a way to have a non matching MQ to help terminate the join + // https://git.io/vznFH + const query = ['(', prefixes.join('touch-enabled),('), 'heartz', ')'].join(''); + return mq(query); + })(); + return isTouchable; + }, + + calculateTouchDistance(touchA, touchB) { + return Math.sqrt( + Math.pow(touchA.screenX - touchB.screenX, 2) + + Math.pow(touchA.screenY - touchB.screenY, 2) + ); + }, + + enableClickOnTouch(element) { + let touchStart = null; + let lastTouch = null; + element.addEventListener('touchstart', function(e) { + touchStart = e.touches[0]; + }, false); + element.addEventListener('touchmove', function(e) { + const touches = e.touches; + lastTouch = touches[touches.length - 1]; + }, true); + element.addEventListener('touchend', function() { + if (touchStart && lastTouch && Utils.calculateTouchDistance(touchStart, lastTouch) <= 20) { + const clickEvent = document.createEvent('MouseEvents'); + clickEvent.initEvent('click', true, true); + this.dispatchEvent(clickEvent); + } + }, false); + }, }; // A simple tracker dependency that we invalidate every time the window is -- cgit v1.2.3-1-g7c22 From 616dade81c25b10fc409aee1bcc9a93ddbfee81b Mon Sep 17 00:00:00 2001 From: Haocen Xu Date: Fri, 6 Jul 2018 14:42:36 -0400 Subject: Hotfix more sortable elements --- client/components/boards/boardBody.js | 4 +--- client/components/cards/cardDetails.js | 6 ++++++ client/components/cards/checklists.js | 4 +--- client/components/lists/list.js | 4 +--- client/components/swimlanes/swimlanes.js | 4 +--- client/lib/utils.js | 21 +++++++++++---------- 6 files changed, 21 insertions(+), 22 deletions(-) diff --git a/client/components/boards/boardBody.js b/client/components/boards/boardBody.js index 6ff40ca4..b68c9b12 100644 --- a/client/components/boards/boardBody.js +++ b/client/components/boards/boardBody.js @@ -75,9 +75,7 @@ BlazeComponent.extendComponent({ }); // ugly touch event hotfix - $('.js-swimlane:not(.placeholder)').each(function() { - enableClickOnTouch(this); - }); + enableClickOnTouch('.js-swimlane:not(.placeholder)'); function userIsMember() { return Meteor.user() && Meteor.user().isBoardMember() && !Meteor.user().isCommentOnly(); diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index 5fee1680..1583a51f 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -132,6 +132,9 @@ BlazeComponent.extendComponent({ }, }); + // ugly touch event hotfix + enableClickOnTouch('.card-checklist-items .js-checklist'); + const $subtasksDom = this.$('.card-subtasks-items'); $subtasksDom.sortable({ @@ -167,6 +170,9 @@ BlazeComponent.extendComponent({ }, }); + // ugly touch event hotfix + enableClickOnTouch('.card-subtasks-items .js-subtasks'); + function userIsMember() { return Meteor.user() && Meteor.user().isBoardMember(); } diff --git a/client/components/cards/checklists.js b/client/components/cards/checklists.js index 7fc54f9e..e014abba 100644 --- a/client/components/cards/checklists.js +++ b/client/components/cards/checklists.js @@ -38,9 +38,7 @@ function initSorting(items) { }); // ugly touch event hotfix - $('.js-checklist-item:not(.placeholder)').each(function() { - enableClickOnTouch(this); - }); + enableClickOnTouch('.js-checklist-item:not(.placeholder)'); } BlazeComponent.extendComponent({ diff --git a/client/components/lists/list.js b/client/components/lists/list.js index 3f7c6dea..267af31c 100644 --- a/client/components/lists/list.js +++ b/client/components/lists/list.js @@ -84,9 +84,7 @@ BlazeComponent.extendComponent({ }); // ugly touch event hotfix - $(itemsSelector).each(function() { - enableClickOnTouch(this); - }); + enableClickOnTouch(itemsSelector); // Disable drag-dropping if the current user is not a board member or is comment only this.autorun(() => { diff --git a/client/components/swimlanes/swimlanes.js b/client/components/swimlanes/swimlanes.js index 2acf4a82..865895a9 100644 --- a/client/components/swimlanes/swimlanes.js +++ b/client/components/swimlanes/swimlanes.js @@ -67,9 +67,7 @@ function initSortable(boardComponent, $listsDom) { }); // ugly touch event hotfix - $('.js-list:not(.js-list-composer)').each(function() { - enableClickOnTouch(this); - }); + enableClickOnTouch('.js-list:not(.js-list-composer)'); function userIsMember() { return Meteor.user() && Meteor.user().isBoardMember() && !Meteor.user().isCommentOnly(); diff --git a/client/lib/utils.js b/client/lib/utils.js index 7e2651d2..b70faec6 100644 --- a/client/lib/utils.js +++ b/client/lib/utils.js @@ -123,23 +123,24 @@ Utils = { ); }, - enableClickOnTouch(element) { + enableClickOnTouch(selector) { let touchStart = null; let lastTouch = null; - element.addEventListener('touchstart', function(e) { - touchStart = e.touches[0]; - }, false); - element.addEventListener('touchmove', function(e) { - const touches = e.touches; + + $(document).on('touchstart', selector, function(e) { + touchStart = e.originalEvent.touches[0]; + }); + $(document).on('touchmove', selector, function(e) { + const touches = e.originalEvent.touches; lastTouch = touches[touches.length - 1]; - }, true); - element.addEventListener('touchend', function() { + }); + $(document).on('touchend', selector, function(e) { if (touchStart && lastTouch && Utils.calculateTouchDistance(touchStart, lastTouch) <= 20) { const clickEvent = document.createEvent('MouseEvents'); clickEvent.initEvent('click', true, true); - this.dispatchEvent(clickEvent); + e.target.dispatchEvent(clickEvent); } - }, false); + }); }, }; -- cgit v1.2.3-1-g7c22 From 9c204d9bbe4845bc3e352e839615dfb782a753f4 Mon Sep 17 00:00:00 2001 From: Haocen Xu Date: Fri, 6 Jul 2018 15:25:26 -0400 Subject: Avoid default behavior --- client/lib/utils.js | 1 + 1 file changed, 1 insertion(+) diff --git a/client/lib/utils.js b/client/lib/utils.js index b70faec6..71e2f1f1 100644 --- a/client/lib/utils.js +++ b/client/lib/utils.js @@ -136,6 +136,7 @@ Utils = { }); $(document).on('touchend', selector, function(e) { if (touchStart && lastTouch && Utils.calculateTouchDistance(touchStart, lastTouch) <= 20) { + e.preventDefault(); const clickEvent = document.createEvent('MouseEvents'); clickEvent.initEvent('click', true, true); e.target.dispatchEvent(clickEvent); -- cgit v1.2.3-1-g7c22 From 5c774070617357c25c7bb35b43f4b122eb4b3e34 Mon Sep 17 00:00:00 2001 From: Haocen Xu Date: Fri, 6 Jul 2018 20:15:39 -0400 Subject: Fix missing utility function. --- client/components/cards/cardDetails.js | 2 +- client/lib/utils.js | 1 + 2 files changed, 2 insertions(+), 1 deletion(-) diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index 1583a51f..b41bfc17 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -1,5 +1,5 @@ const subManager = new SubsManager(); -const { calculateIndexData } = Utils; +const { calculateIndexData, enableClickOnTouch } = Utils; BlazeComponent.extendComponent({ mixins() { diff --git a/client/lib/utils.js b/client/lib/utils.js index 71e2f1f1..6b8e3524 100644 --- a/client/lib/utils.js +++ b/client/lib/utils.js @@ -113,6 +113,7 @@ Utils = { const query = ['(', prefixes.join('touch-enabled),('), 'heartz', ')'].join(''); return mq(query); })(); + Utils.isTouchDevice = () => isTouchable; return isTouchable; }, -- cgit v1.2.3-1-g7c22 From d5870472fbc988d1a4a4fcec0aa46544bbedefab Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 7 Jul 2018 08:57:37 +0300 Subject: - Hotfix for mobile device. Thanks to Haocen ! --- CHANGELOG.md | 11 +++++++++++ 1 file changed, 11 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 64e52b84..f8aa04fd 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,14 @@ +# Upcoming Wekan release + +This release fixes the following mobile bugs: + +- [Fix missing utility function](https://github.com/wekan/wekan/commit/5c774070617357c25c7bb35b43f4b122eb4b3e34); +- [Avoid default behavior](https://github.com/wekan/wekan/commit/9c204d9bbe4845bc3e352e839615dfb782a753f4); +- [Hotfix more sortable elements](https://github.com/wekan/wekan/commit/616dade81c25b10fc409aee1bcc9a93ddbfee81b); +- [Hotfix for mobile device](https://github.com/wekan/wekan/commit/43d86d7d5d3f3b34b0500f6d5d3afe7bd86b0060). + +Thanks to GitHub user Haocen for contributions. + # v1.18 2018-07-06 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 90707aaab32ecd5993e28c9705dd3d8678d44599 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 9 Jul 2018 14:35:21 +0300 Subject: Build from source on macOS. --- CHANGELOG.md | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index f8aa04fd..35f78306 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,6 +1,10 @@ # Upcoming Wekan release -This release fixes the following mobile bugs: +This release adds the following new features: + +- [Build from source on macOS](https://github.com/wekan/wekan/wiki/Mac) + +and fixes the following mobile bugs: - [Fix missing utility function](https://github.com/wekan/wekan/commit/5c774070617357c25c7bb35b43f4b122eb4b3e34); - [Avoid default behavior](https://github.com/wekan/wekan/commit/9c204d9bbe4845bc3e352e839615dfb782a753f4); -- cgit v1.2.3-1-g7c22 From 687c7923e7d5963f294ce0c3173790ac96e64fbd Mon Sep 17 00:00:00 2001 From: Andras Gyacsok Date: Wed, 11 Jul 2018 18:22:03 +0200 Subject: Wekan integration with OpenShift Added OpenShift template to run WeCan in OpenShift. Tested on OpensShift 3.7 Dedicated. --- wekan-openshift/README.md | 19 +++ wekan-openshift/wekan.yml | 341 ++++++++++++++++++++++++++++++++++++++++++++++ 2 files changed, 360 insertions(+) create mode 100644 wekan-openshift/README.md create mode 100644 wekan-openshift/wekan.yml diff --git a/wekan-openshift/README.md b/wekan-openshift/README.md new file mode 100644 index 00000000..4be97048 --- /dev/null +++ b/wekan-openshift/README.md @@ -0,0 +1,19 @@ +# WeKan on OpenShift + +Openshift Template for WeKan backed by MongoDB + +#### Create Template +```sh +oc create -f wekan.yml +``` + +#### Delete Instance Resources +Clean up all resources created. Note label filters assume single instance of template deployed in the current namespace. + +```sh +oc delete all -l app=wekan +oc delete pods -l app=wekan +oc delete persistentvolumeclaim -l app=wekan +oc delete serviceaccount -l app=wekan +oc delete secret -l app=wekan +``` diff --git a/wekan-openshift/wekan.yml b/wekan-openshift/wekan.yml new file mode 100644 index 00000000..34a67271 --- /dev/null +++ b/wekan-openshift/wekan.yml @@ -0,0 +1,341 @@ +--- +apiVersion: v1 +kind: Template +labels: + template: wekan-mongodb-persistent-template +message: |- + The following service(s) have been created in your project: ${WEKAN_SERVICE_NAME}. +metadata: + annotations: + description: |- + This template provides a WeKan instance backed by a standalone MongoDB + server. The database is stored on persistent storage. + iconClass: pficon-trend-up + openshift.io/display-name: WEKAN backed by MongoDB + openshift.io/documentation-url: https://wekan.github.io/ + openshift.io/long-description: This template provides a WeKan platphorm + with a MongoDB database created. The database is stored on persistent storage. The + database name, username, and password are chosen via parameters when provisioning + this service. + tags: wekan,kanban,mongodb + name: wekan-mongodb-persistent +objects: +- apiVersion: v1 + kind: ServiceAccount + metadata: + name: ${WEKAN_SERVICE_NAME} + labels: + app: wekan + service: ${WEKAN_SERVICE_NAME} +- apiVersion: v1 + kind: Secret + metadata: + annotations: + template.openshift.io/expose-admin_password: "{.data['database-admin-password']}" + template.openshift.io/expose-database_name: "{.data['database-name']}" + template.openshift.io/expose-password: "{.data['database-password']}" + template.openshift.io/expose-username: "{.data['database-user']}" + name: "${DATABASE_SERVICE_NAME}" + labels: + app: wekan + service: ${WEKAN_SERVICE_NAME} + stringData: + database-admin-password: "${MONGODB_ADMIN_PASSWORD}" + database-name: "${MONGODB_DATABASE}" + database-password: "${MONGODB_PASSWORD}" + database-user: "${MONGODB_USER}" +- apiVersion: v1 + kind: Service + metadata: + annotations: + template.openshift.io/expose-uri: http://{.spec.clusterIP}:{.spec.ports[?(.name=="wekan")].port} + name: "${WEKAN_SERVICE_NAME}" + labels: + app: wekan + service: ${WEKAN_SERVICE_NAME} + spec: + ports: + - name: wekan + nodePort: 0 + port: 8080 + protocol: TCP + targetPort: 8080 + selector: + name: "${WEKAN_SERVICE_NAME}" + sessionAffinity: None + type: ClusterIP + status: + loadBalancer: {} +- apiVersion: v1 + kind: Service + metadata: + annotations: + template.openshift.io/expose-uri: mongodb://{.spec.clusterIP}:{.spec.ports[?(.name=="mongo")].port} + name: "${DATABASE_SERVICE_NAME}" + labels: + app: wekan + service: ${WEKAN_SERVICE_NAME} + spec: + ports: + - name: mongo + nodePort: 0 + port: 27017 + protocol: TCP + targetPort: 27017 + selector: + name: "${DATABASE_SERVICE_NAME}" + sessionAffinity: None + type: ClusterIP + status: + loadBalancer: {} +- apiVersion: v1 + kind: PersistentVolumeClaim + metadata: + name: "${DATABASE_SERVICE_NAME}" + labels: + app: wekan + service: ${WEKAN_SERVICE_NAME} + spec: + accessModes: + - ReadWriteOnce + resources: + requests: + storage: "${VOLUME_CAPACITY}" +- apiVersion: image.openshift.io/v1 + kind: ImageStream + metadata: + labels: + app: wekan + name: ${WEKAN_SERVICE_NAME} + spec: + tags: + - from: + kind: DockerImage + name: ${WEKAN_IMAGE} + generation: 2 + name: latest + referencePolicy: + type: Source +- apiVersion: v1 + kind: DeploymentConfig + metadata: + name: ${WEKAN_SERVICE_NAME} + labels: + app: wekan + service: ${WEKAN_SERVICE_NAME} + spec: + replicas: 1 + selector: + app: wekan + deploymentconfig: ${WEKAN_SERVICE_NAME} + strategy: + type: Recreate + template: + metadata: + labels: + app: wekan + service: ${WEKAN_SERVICE_NAME} + deploymentconfig: ${WEKAN_SERVICE_NAME} + template: wekan + name: ${WEKAN_SERVICE_NAME} + spec: + containers: + - name: ${WEKAN_SERVICE_NAME} + image: ${WEKAN_IMAGE} + imagePullPolicy: Always + env: + - name: MONGO_URL + value: mongodb://${MONGODB_USER}:${MONGODB_PASSWORD}@${DATABASE_SERVICE_NAME}:27017/${MONGODB_DATABASE} + - name: ROOT_URL + value: http://localhost + - name: PORT + value: "8080" + ports: + - containerPort: 8080 + name: ${WEKAN_SERVICE_NAME} + protocol: TCP + terminationMessagePath: /dev/termination-log + livenessProbe: + failureThreshold: 30 + httpGet: + path: / + port: 8080 + initialDelaySeconds: 240 + timeoutSeconds: 3 + readinessProbe: + httpGet: + path: / + port: 8080 + initialDelaySeconds: 3 + timeoutSeconds: 3 + dnsPolicy: ClusterFirst + restartPolicy: Always + serviceAccount: ${WEKAN_SERVICE_NAME} + serviceAccountName: ${WEKAN_SERVICE_NAME} + terminationGracePeriodSeconds: 30 + triggers: + - type: ConfigChange + - type: ImageChange + imageChangeParams: + automatic: true + containerNames: + - ${WEKAN_SERVICE_NAME} + from: + kind: ImageStreamTag + name: ${WEKAN_SERVICE_NAME}:latest + lastTriggeredImage: "" +- apiVersion: v1 + kind: DeploymentConfig + metadata: + annotations: + template.alpha.openshift.io/wait-for-ready: 'true' + name: "${DATABASE_SERVICE_NAME}" + labels: + app: wekan + service: ${WEKAN_SERVICE_NAME} + spec: + replicas: 1 + selector: + name: "${DATABASE_SERVICE_NAME}" + strategy: + type: Recreate + template: + metadata: + labels: + name: "${DATABASE_SERVICE_NAME}" + spec: + containers: + - capabilities: {} + env: + - name: MONGODB_USER + valueFrom: + secretKeyRef: + key: database-user + name: "${DATABASE_SERVICE_NAME}" + - name: MONGODB_PASSWORD + valueFrom: + secretKeyRef: + key: database-password + name: "${DATABASE_SERVICE_NAME}" + - name: MONGODB_ADMIN_PASSWORD + valueFrom: + secretKeyRef: + key: database-admin-password + name: "${DATABASE_SERVICE_NAME}" + - name: MONGODB_DATABASE + valueFrom: + secretKeyRef: + key: database-name + name: "${DATABASE_SERVICE_NAME}" + image: " " + imagePullPolicy: IfNotPresent + livenessProbe: + initialDelaySeconds: 30 + tcpSocket: + port: 27017 + timeoutSeconds: 1 + name: mongodb + ports: + - containerPort: 27017 + protocol: TCP + readinessProbe: + exec: + command: + - "/bin/sh" + - "-i" + - "-c" + - mongo 127.0.0.1:27017/$MONGODB_DATABASE -u $MONGODB_USER -p $MONGODB_PASSWORD + --eval="quit()" + initialDelaySeconds: 3 + timeoutSeconds: 1 + resources: + limits: + memory: "${MEMORY_LIMIT}" + securityContext: + capabilities: {} + privileged: false + terminationMessagePath: "/dev/termination-log" + volumeMounts: + - mountPath: "/var/lib/mongodb/data" + name: "${DATABASE_SERVICE_NAME}-data" + dnsPolicy: ClusterFirst + restartPolicy: Always + volumes: + - name: "${DATABASE_SERVICE_NAME}-data" + persistentVolumeClaim: + claimName: "${DATABASE_SERVICE_NAME}" + triggers: + - imageChangeParams: + automatic: true + containerNames: + - mongodb + from: + kind: ImageStreamTag + name: mongodb:${MONGODB_VERSION} + namespace: "${NAMESPACE}" + lastTriggeredImage: '' + type: ImageChange + - type: ConfigChange + status: {} +parameters: +- description: Maximum amount of memory the container can use. + displayName: Memory Limit + name: MEMORY_LIMIT + required: true + value: 512Mi +- description: The OpenShift Namespace where the ImageStream resides. + displayName: Namespace + name: NAMESPACE + value: openshift +- description: The name of the OpenShift Service exposed for the database. + displayName: Database Service Name + name: DATABASE_SERVICE_NAME + required: true + value: mongodb +- description: Username for MongoDB user that will be used for accessing the database. + displayName: MongoDB Connection Username + from: user[A-Z0-9]{3} + generate: expression + name: MONGODB_USER + required: true +- description: Password for the MongoDB connection user. + displayName: MongoDB Connection Password + from: "[a-zA-Z0-9]{16}" + generate: expression + name: MONGODB_PASSWORD + required: true +- description: Name of the MongoDB database accessed. + displayName: MongoDB Database Name + name: MONGODB_DATABASE + required: true + value: wekan +- description: Password for the database admin user. + displayName: MongoDB Admin Password + from: "[a-zA-Z0-9]{16}" + generate: expression + name: MONGODB_ADMIN_PASSWORD + required: true +- description: Volume space available for data, e.g. 512Mi, 2Gi. + displayName: Volume Capacity + name: VOLUME_CAPACITY + required: true + value: 1Gi +- description: Version of MongoDB image to be used (2.4, 2.6, 3.2 or latest). + displayName: Version of MongoDB Image + name: MONGODB_VERSION + required: true + value: '3.2' +- name: WEKAN_SERVICE_NAME + displayName: WeKan Service Name + value: wekan + required: true +- name: WEKAN_IMAGE + displayName: WeKan Docker Image + value: quay.io/wekan/wekan:latest + description: The metabase docker image to use + required: true +- name: WEKAN_SERVICE_NAME + displayName: WeKan Service Name + value: wekan + required: true + -- cgit v1.2.3-1-g7c22 From 5dd43fa147a217db141a1b0595472a1b36dc3f57 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 13 Jul 2018 02:05:33 +0300 Subject: - Wekan integration with OpenShift. Thanks to adyachok ! --- CHANGELOG.md | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 35f78306..9a08e64e 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,7 +2,8 @@ This release adds the following new features: -- [Build from source on macOS](https://github.com/wekan/wekan/wiki/Mac) +- [Build from source on macOS](https://github.com/wekan/wekan/wiki/Mac); +- [Wekan integration with OpenShift](https://github.com/wekan/wekan/pull/1765). and fixes the following mobile bugs: @@ -11,7 +12,7 @@ and fixes the following mobile bugs: - [Hotfix more sortable elements](https://github.com/wekan/wekan/commit/616dade81c25b10fc409aee1bcc9a93ddbfee81b); - [Hotfix for mobile device](https://github.com/wekan/wekan/commit/43d86d7d5d3f3b34b0500f6d5d3afe7bd86b0060). -Thanks to GitHub user Haocen for contributions. +Thanks to GitHub users adyachok and Haocen for their contributions. # v1.18 2018-07-06 Wekan release -- cgit v1.2.3-1-g7c22 From d50e78c78744154f3a93def33b80fcb1512911e8 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 13 Jul 2018 02:07:56 +0300 Subject: - Snap Caddy: set -agree flag for Let's Encrypt. Thanks to halunk3 and xet7 ! --- snap-src/bin/caddy-control | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/snap-src/bin/caddy-control b/snap-src/bin/caddy-control index 46d36c6b..1905603c 100755 --- a/snap-src/bin/caddy-control +++ b/snap-src/bin/caddy-control @@ -4,7 +4,7 @@ source $SNAP/bin/wekan-read-settings if [ "$CADDY_ENABLED" = "true" ]; then - env LC_ALL=C caddy -conf=$SNAP_COMMON/Caddyfile -host=localhost:${CADDY_PORT} + env LC_ALL=C caddy -conf=$SNAP_COMMON/Caddyfile -host=localhost:${CADDY_PORT} -agree else echo "caddy is disabled. Stop service" snapctl stop --disable ${SNAP_NAME}.caddy -- cgit v1.2.3-1-g7c22 From bf35b09998200ecfa39ca89f42399936909ca731 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 13 Jul 2018 02:11:34 +0300 Subject: - Snap Caddy: set -agree flag for Let's Encrypt. Thanks to halunk3 and xet7 ! Closes wekan/wekan-snap#54 --- CHANGELOG.md | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 9a08e64e..04b1e025 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,7 +3,8 @@ This release adds the following new features: - [Build from source on macOS](https://github.com/wekan/wekan/wiki/Mac); -- [Wekan integration with OpenShift](https://github.com/wekan/wekan/pull/1765). +- [Wekan integration with OpenShift](https://github.com/wekan/wekan/pull/1765); +- [Snap Caddy: set -agree flag for Let's Encrypt](https://github.com/wekan/wekan-snap/issues/54). and fixes the following mobile bugs: @@ -12,7 +13,7 @@ and fixes the following mobile bugs: - [Hotfix more sortable elements](https://github.com/wekan/wekan/commit/616dade81c25b10fc409aee1bcc9a93ddbfee81b); - [Hotfix for mobile device](https://github.com/wekan/wekan/commit/43d86d7d5d3f3b34b0500f6d5d3afe7bd86b0060). -Thanks to GitHub users adyachok and Haocen for their contributions. +Thanks to GitHub users adyachok, halunk3, Haocen and xet7 for their contributions. # v1.18 2018-07-06 Wekan release -- cgit v1.2.3-1-g7c22 From 9487406fc3768acd313b0dcfce5b50f7d5f495e1 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 13 Jul 2018 02:34:55 +0300 Subject: Fix typos. --- openshift/README.md | 19 +++ openshift/wekan.yml | 341 ++++++++++++++++++++++++++++++++++++++++++++++ wekan-openshift/README.md | 19 --- wekan-openshift/wekan.yml | 341 ---------------------------------------------- 4 files changed, 360 insertions(+), 360 deletions(-) create mode 100644 openshift/README.md create mode 100644 openshift/wekan.yml delete mode 100644 wekan-openshift/README.md delete mode 100644 wekan-openshift/wekan.yml diff --git a/openshift/README.md b/openshift/README.md new file mode 100644 index 00000000..a97657f3 --- /dev/null +++ b/openshift/README.md @@ -0,0 +1,19 @@ +# Wekan on OpenShift + +OpenShift Template for Wekan backed by MongoDB + +#### Create Template +```sh +oc create -f wekan.yml +``` + +#### Delete Instance Resources +Clean up all resources created. Note label filters assume single instance of template deployed in the current namespace. + +```sh +oc delete all -l app=wekan +oc delete pods -l app=wekan +oc delete persistentvolumeclaim -l app=wekan +oc delete serviceaccount -l app=wekan +oc delete secret -l app=wekan +``` diff --git a/openshift/wekan.yml b/openshift/wekan.yml new file mode 100644 index 00000000..dd23f6ea --- /dev/null +++ b/openshift/wekan.yml @@ -0,0 +1,341 @@ +--- +apiVersion: v1 +kind: Template +labels: + template: wekan-mongodb-persistent-template +message: |- + The following service(s) have been created in your project: ${WEKAN_SERVICE_NAME}. +metadata: + annotations: + description: |- + This template provides a Wekan instance backed by a standalone MongoDB + server. The database is stored on persistent storage. + iconClass: pficon-trend-up + openshift.io/display-name: Wekan backed by MongoDB + openshift.io/documentation-url: https://wekan.github.io/ + openshift.io/long-description: This template provides a Wekan platform + with a MongoDB database created. The database is stored on persistent storage. The + database name, username, and password are chosen via parameters when provisioning + this service. + tags: wekan,kanban,mongodb + name: wekan-mongodb-persistent +objects: +- apiVersion: v1 + kind: ServiceAccount + metadata: + name: ${WEKAN_SERVICE_NAME} + labels: + app: wekan + service: ${WEKAN_SERVICE_NAME} +- apiVersion: v1 + kind: Secret + metadata: + annotations: + template.openshift.io/expose-admin_password: "{.data['database-admin-password']}" + template.openshift.io/expose-database_name: "{.data['database-name']}" + template.openshift.io/expose-password: "{.data['database-password']}" + template.openshift.io/expose-username: "{.data['database-user']}" + name: "${DATABASE_SERVICE_NAME}" + labels: + app: wekan + service: ${WEKAN_SERVICE_NAME} + stringData: + database-admin-password: "${MONGODB_ADMIN_PASSWORD}" + database-name: "${MONGODB_DATABASE}" + database-password: "${MONGODB_PASSWORD}" + database-user: "${MONGODB_USER}" +- apiVersion: v1 + kind: Service + metadata: + annotations: + template.openshift.io/expose-uri: http://{.spec.clusterIP}:{.spec.ports[?(.name=="wekan")].port} + name: "${WEKAN_SERVICE_NAME}" + labels: + app: wekan + service: ${WEKAN_SERVICE_NAME} + spec: + ports: + - name: wekan + nodePort: 0 + port: 8080 + protocol: TCP + targetPort: 8080 + selector: + name: "${WEKAN_SERVICE_NAME}" + sessionAffinity: None + type: ClusterIP + status: + loadBalancer: {} +- apiVersion: v1 + kind: Service + metadata: + annotations: + template.openshift.io/expose-uri: mongodb://{.spec.clusterIP}:{.spec.ports[?(.name=="mongo")].port} + name: "${DATABASE_SERVICE_NAME}" + labels: + app: wekan + service: ${WEKAN_SERVICE_NAME} + spec: + ports: + - name: mongo + nodePort: 0 + port: 27017 + protocol: TCP + targetPort: 27017 + selector: + name: "${DATABASE_SERVICE_NAME}" + sessionAffinity: None + type: ClusterIP + status: + loadBalancer: {} +- apiVersion: v1 + kind: PersistentVolumeClaim + metadata: + name: "${DATABASE_SERVICE_NAME}" + labels: + app: wekan + service: ${WEKAN_SERVICE_NAME} + spec: + accessModes: + - ReadWriteOnce + resources: + requests: + storage: "${VOLUME_CAPACITY}" +- apiVersion: image.openshift.io/v1 + kind: ImageStream + metadata: + labels: + app: wekan + name: ${WEKAN_SERVICE_NAME} + spec: + tags: + - from: + kind: DockerImage + name: ${WEKAN_IMAGE} + generation: 2 + name: latest + referencePolicy: + type: Source +- apiVersion: v1 + kind: DeploymentConfig + metadata: + name: ${WEKAN_SERVICE_NAME} + labels: + app: wekan + service: ${WEKAN_SERVICE_NAME} + spec: + replicas: 1 + selector: + app: wekan + deploymentconfig: ${WEKAN_SERVICE_NAME} + strategy: + type: Recreate + template: + metadata: + labels: + app: wekan + service: ${WEKAN_SERVICE_NAME} + deploymentconfig: ${WEKAN_SERVICE_NAME} + template: wekan + name: ${WEKAN_SERVICE_NAME} + spec: + containers: + - name: ${WEKAN_SERVICE_NAME} + image: ${WEKAN_IMAGE} + imagePullPolicy: Always + env: + - name: MONGO_URL + value: mongodb://${MONGODB_USER}:${MONGODB_PASSWORD}@${DATABASE_SERVICE_NAME}:27017/${MONGODB_DATABASE} + - name: ROOT_URL + value: http://localhost + - name: PORT + value: "8080" + ports: + - containerPort: 8080 + name: ${WEKAN_SERVICE_NAME} + protocol: TCP + terminationMessagePath: /dev/termination-log + livenessProbe: + failureThreshold: 30 + httpGet: + path: / + port: 8080 + initialDelaySeconds: 240 + timeoutSeconds: 3 + readinessProbe: + httpGet: + path: / + port: 8080 + initialDelaySeconds: 3 + timeoutSeconds: 3 + dnsPolicy: ClusterFirst + restartPolicy: Always + serviceAccount: ${WEKAN_SERVICE_NAME} + serviceAccountName: ${WEKAN_SERVICE_NAME} + terminationGracePeriodSeconds: 30 + triggers: + - type: ConfigChange + - type: ImageChange + imageChangeParams: + automatic: true + containerNames: + - ${WEKAN_SERVICE_NAME} + from: + kind: ImageStreamTag + name: ${WEKAN_SERVICE_NAME}:latest + lastTriggeredImage: "" +- apiVersion: v1 + kind: DeploymentConfig + metadata: + annotations: + template.alpha.openshift.io/wait-for-ready: 'true' + name: "${DATABASE_SERVICE_NAME}" + labels: + app: wekan + service: ${WEKAN_SERVICE_NAME} + spec: + replicas: 1 + selector: + name: "${DATABASE_SERVICE_NAME}" + strategy: + type: Recreate + template: + metadata: + labels: + name: "${DATABASE_SERVICE_NAME}" + spec: + containers: + - capabilities: {} + env: + - name: MONGODB_USER + valueFrom: + secretKeyRef: + key: database-user + name: "${DATABASE_SERVICE_NAME}" + - name: MONGODB_PASSWORD + valueFrom: + secretKeyRef: + key: database-password + name: "${DATABASE_SERVICE_NAME}" + - name: MONGODB_ADMIN_PASSWORD + valueFrom: + secretKeyRef: + key: database-admin-password + name: "${DATABASE_SERVICE_NAME}" + - name: MONGODB_DATABASE + valueFrom: + secretKeyRef: + key: database-name + name: "${DATABASE_SERVICE_NAME}" + image: " " + imagePullPolicy: IfNotPresent + livenessProbe: + initialDelaySeconds: 30 + tcpSocket: + port: 27017 + timeoutSeconds: 1 + name: mongodb + ports: + - containerPort: 27017 + protocol: TCP + readinessProbe: + exec: + command: + - "/bin/sh" + - "-i" + - "-c" + - mongo 127.0.0.1:27017/$MONGODB_DATABASE -u $MONGODB_USER -p $MONGODB_PASSWORD + --eval="quit()" + initialDelaySeconds: 3 + timeoutSeconds: 1 + resources: + limits: + memory: "${MEMORY_LIMIT}" + securityContext: + capabilities: {} + privileged: false + terminationMessagePath: "/dev/termination-log" + volumeMounts: + - mountPath: "/var/lib/mongodb/data" + name: "${DATABASE_SERVICE_NAME}-data" + dnsPolicy: ClusterFirst + restartPolicy: Always + volumes: + - name: "${DATABASE_SERVICE_NAME}-data" + persistentVolumeClaim: + claimName: "${DATABASE_SERVICE_NAME}" + triggers: + - imageChangeParams: + automatic: true + containerNames: + - mongodb + from: + kind: ImageStreamTag + name: mongodb:${MONGODB_VERSION} + namespace: "${NAMESPACE}" + lastTriggeredImage: '' + type: ImageChange + - type: ConfigChange + status: {} +parameters: +- description: Maximum amount of memory the container can use. + displayName: Memory Limit + name: MEMORY_LIMIT + required: true + value: 512Mi +- description: The OpenShift Namespace where the ImageStream resides. + displayName: Namespace + name: NAMESPACE + value: openshift +- description: The name of the OpenShift Service exposed for the database. + displayName: Database Service Name + name: DATABASE_SERVICE_NAME + required: true + value: mongodb +- description: Username for MongoDB user that will be used for accessing the database. + displayName: MongoDB Connection Username + from: user[A-Z0-9]{3} + generate: expression + name: MONGODB_USER + required: true +- description: Password for the MongoDB connection user. + displayName: MongoDB Connection Password + from: "[a-zA-Z0-9]{16}" + generate: expression + name: MONGODB_PASSWORD + required: true +- description: Name of the MongoDB database accessed. + displayName: MongoDB Database Name + name: MONGODB_DATABASE + required: true + value: wekan +- description: Password for the database admin user. + displayName: MongoDB Admin Password + from: "[a-zA-Z0-9]{16}" + generate: expression + name: MONGODB_ADMIN_PASSWORD + required: true +- description: Volume space available for data, e.g. 512Mi, 2Gi. + displayName: Volume Capacity + name: VOLUME_CAPACITY + required: true + value: 1Gi +- description: Version of MongoDB image to be used (2.4, 2.6, 3.2 or latest). + displayName: Version of MongoDB Image + name: MONGODB_VERSION + required: true + value: '3.2' +- name: WEKAN_SERVICE_NAME + displayName: WeKan Service Name + value: wekan + required: true +- name: WEKAN_IMAGE + displayName: WeKan Docker Image + value: quay.io/wekan/wekan:latest + description: The metabase docker image to use + required: true +- name: WEKAN_SERVICE_NAME + displayName: WeKan Service Name + value: wekan + required: true + diff --git a/wekan-openshift/README.md b/wekan-openshift/README.md deleted file mode 100644 index 4be97048..00000000 --- a/wekan-openshift/README.md +++ /dev/null @@ -1,19 +0,0 @@ -# WeKan on OpenShift - -Openshift Template for WeKan backed by MongoDB - -#### Create Template -```sh -oc create -f wekan.yml -``` - -#### Delete Instance Resources -Clean up all resources created. Note label filters assume single instance of template deployed in the current namespace. - -```sh -oc delete all -l app=wekan -oc delete pods -l app=wekan -oc delete persistentvolumeclaim -l app=wekan -oc delete serviceaccount -l app=wekan -oc delete secret -l app=wekan -``` diff --git a/wekan-openshift/wekan.yml b/wekan-openshift/wekan.yml deleted file mode 100644 index 34a67271..00000000 --- a/wekan-openshift/wekan.yml +++ /dev/null @@ -1,341 +0,0 @@ ---- -apiVersion: v1 -kind: Template -labels: - template: wekan-mongodb-persistent-template -message: |- - The following service(s) have been created in your project: ${WEKAN_SERVICE_NAME}. -metadata: - annotations: - description: |- - This template provides a WeKan instance backed by a standalone MongoDB - server. The database is stored on persistent storage. - iconClass: pficon-trend-up - openshift.io/display-name: WEKAN backed by MongoDB - openshift.io/documentation-url: https://wekan.github.io/ - openshift.io/long-description: This template provides a WeKan platphorm - with a MongoDB database created. The database is stored on persistent storage. The - database name, username, and password are chosen via parameters when provisioning - this service. - tags: wekan,kanban,mongodb - name: wekan-mongodb-persistent -objects: -- apiVersion: v1 - kind: ServiceAccount - metadata: - name: ${WEKAN_SERVICE_NAME} - labels: - app: wekan - service: ${WEKAN_SERVICE_NAME} -- apiVersion: v1 - kind: Secret - metadata: - annotations: - template.openshift.io/expose-admin_password: "{.data['database-admin-password']}" - template.openshift.io/expose-database_name: "{.data['database-name']}" - template.openshift.io/expose-password: "{.data['database-password']}" - template.openshift.io/expose-username: "{.data['database-user']}" - name: "${DATABASE_SERVICE_NAME}" - labels: - app: wekan - service: ${WEKAN_SERVICE_NAME} - stringData: - database-admin-password: "${MONGODB_ADMIN_PASSWORD}" - database-name: "${MONGODB_DATABASE}" - database-password: "${MONGODB_PASSWORD}" - database-user: "${MONGODB_USER}" -- apiVersion: v1 - kind: Service - metadata: - annotations: - template.openshift.io/expose-uri: http://{.spec.clusterIP}:{.spec.ports[?(.name=="wekan")].port} - name: "${WEKAN_SERVICE_NAME}" - labels: - app: wekan - service: ${WEKAN_SERVICE_NAME} - spec: - ports: - - name: wekan - nodePort: 0 - port: 8080 - protocol: TCP - targetPort: 8080 - selector: - name: "${WEKAN_SERVICE_NAME}" - sessionAffinity: None - type: ClusterIP - status: - loadBalancer: {} -- apiVersion: v1 - kind: Service - metadata: - annotations: - template.openshift.io/expose-uri: mongodb://{.spec.clusterIP}:{.spec.ports[?(.name=="mongo")].port} - name: "${DATABASE_SERVICE_NAME}" - labels: - app: wekan - service: ${WEKAN_SERVICE_NAME} - spec: - ports: - - name: mongo - nodePort: 0 - port: 27017 - protocol: TCP - targetPort: 27017 - selector: - name: "${DATABASE_SERVICE_NAME}" - sessionAffinity: None - type: ClusterIP - status: - loadBalancer: {} -- apiVersion: v1 - kind: PersistentVolumeClaim - metadata: - name: "${DATABASE_SERVICE_NAME}" - labels: - app: wekan - service: ${WEKAN_SERVICE_NAME} - spec: - accessModes: - - ReadWriteOnce - resources: - requests: - storage: "${VOLUME_CAPACITY}" -- apiVersion: image.openshift.io/v1 - kind: ImageStream - metadata: - labels: - app: wekan - name: ${WEKAN_SERVICE_NAME} - spec: - tags: - - from: - kind: DockerImage - name: ${WEKAN_IMAGE} - generation: 2 - name: latest - referencePolicy: - type: Source -- apiVersion: v1 - kind: DeploymentConfig - metadata: - name: ${WEKAN_SERVICE_NAME} - labels: - app: wekan - service: ${WEKAN_SERVICE_NAME} - spec: - replicas: 1 - selector: - app: wekan - deploymentconfig: ${WEKAN_SERVICE_NAME} - strategy: - type: Recreate - template: - metadata: - labels: - app: wekan - service: ${WEKAN_SERVICE_NAME} - deploymentconfig: ${WEKAN_SERVICE_NAME} - template: wekan - name: ${WEKAN_SERVICE_NAME} - spec: - containers: - - name: ${WEKAN_SERVICE_NAME} - image: ${WEKAN_IMAGE} - imagePullPolicy: Always - env: - - name: MONGO_URL - value: mongodb://${MONGODB_USER}:${MONGODB_PASSWORD}@${DATABASE_SERVICE_NAME}:27017/${MONGODB_DATABASE} - - name: ROOT_URL - value: http://localhost - - name: PORT - value: "8080" - ports: - - containerPort: 8080 - name: ${WEKAN_SERVICE_NAME} - protocol: TCP - terminationMessagePath: /dev/termination-log - livenessProbe: - failureThreshold: 30 - httpGet: - path: / - port: 8080 - initialDelaySeconds: 240 - timeoutSeconds: 3 - readinessProbe: - httpGet: - path: / - port: 8080 - initialDelaySeconds: 3 - timeoutSeconds: 3 - dnsPolicy: ClusterFirst - restartPolicy: Always - serviceAccount: ${WEKAN_SERVICE_NAME} - serviceAccountName: ${WEKAN_SERVICE_NAME} - terminationGracePeriodSeconds: 30 - triggers: - - type: ConfigChange - - type: ImageChange - imageChangeParams: - automatic: true - containerNames: - - ${WEKAN_SERVICE_NAME} - from: - kind: ImageStreamTag - name: ${WEKAN_SERVICE_NAME}:latest - lastTriggeredImage: "" -- apiVersion: v1 - kind: DeploymentConfig - metadata: - annotations: - template.alpha.openshift.io/wait-for-ready: 'true' - name: "${DATABASE_SERVICE_NAME}" - labels: - app: wekan - service: ${WEKAN_SERVICE_NAME} - spec: - replicas: 1 - selector: - name: "${DATABASE_SERVICE_NAME}" - strategy: - type: Recreate - template: - metadata: - labels: - name: "${DATABASE_SERVICE_NAME}" - spec: - containers: - - capabilities: {} - env: - - name: MONGODB_USER - valueFrom: - secretKeyRef: - key: database-user - name: "${DATABASE_SERVICE_NAME}" - - name: MONGODB_PASSWORD - valueFrom: - secretKeyRef: - key: database-password - name: "${DATABASE_SERVICE_NAME}" - - name: MONGODB_ADMIN_PASSWORD - valueFrom: - secretKeyRef: - key: database-admin-password - name: "${DATABASE_SERVICE_NAME}" - - name: MONGODB_DATABASE - valueFrom: - secretKeyRef: - key: database-name - name: "${DATABASE_SERVICE_NAME}" - image: " " - imagePullPolicy: IfNotPresent - livenessProbe: - initialDelaySeconds: 30 - tcpSocket: - port: 27017 - timeoutSeconds: 1 - name: mongodb - ports: - - containerPort: 27017 - protocol: TCP - readinessProbe: - exec: - command: - - "/bin/sh" - - "-i" - - "-c" - - mongo 127.0.0.1:27017/$MONGODB_DATABASE -u $MONGODB_USER -p $MONGODB_PASSWORD - --eval="quit()" - initialDelaySeconds: 3 - timeoutSeconds: 1 - resources: - limits: - memory: "${MEMORY_LIMIT}" - securityContext: - capabilities: {} - privileged: false - terminationMessagePath: "/dev/termination-log" - volumeMounts: - - mountPath: "/var/lib/mongodb/data" - name: "${DATABASE_SERVICE_NAME}-data" - dnsPolicy: ClusterFirst - restartPolicy: Always - volumes: - - name: "${DATABASE_SERVICE_NAME}-data" - persistentVolumeClaim: - claimName: "${DATABASE_SERVICE_NAME}" - triggers: - - imageChangeParams: - automatic: true - containerNames: - - mongodb - from: - kind: ImageStreamTag - name: mongodb:${MONGODB_VERSION} - namespace: "${NAMESPACE}" - lastTriggeredImage: '' - type: ImageChange - - type: ConfigChange - status: {} -parameters: -- description: Maximum amount of memory the container can use. - displayName: Memory Limit - name: MEMORY_LIMIT - required: true - value: 512Mi -- description: The OpenShift Namespace where the ImageStream resides. - displayName: Namespace - name: NAMESPACE - value: openshift -- description: The name of the OpenShift Service exposed for the database. - displayName: Database Service Name - name: DATABASE_SERVICE_NAME - required: true - value: mongodb -- description: Username for MongoDB user that will be used for accessing the database. - displayName: MongoDB Connection Username - from: user[A-Z0-9]{3} - generate: expression - name: MONGODB_USER - required: true -- description: Password for the MongoDB connection user. - displayName: MongoDB Connection Password - from: "[a-zA-Z0-9]{16}" - generate: expression - name: MONGODB_PASSWORD - required: true -- description: Name of the MongoDB database accessed. - displayName: MongoDB Database Name - name: MONGODB_DATABASE - required: true - value: wekan -- description: Password for the database admin user. - displayName: MongoDB Admin Password - from: "[a-zA-Z0-9]{16}" - generate: expression - name: MONGODB_ADMIN_PASSWORD - required: true -- description: Volume space available for data, e.g. 512Mi, 2Gi. - displayName: Volume Capacity - name: VOLUME_CAPACITY - required: true - value: 1Gi -- description: Version of MongoDB image to be used (2.4, 2.6, 3.2 or latest). - displayName: Version of MongoDB Image - name: MONGODB_VERSION - required: true - value: '3.2' -- name: WEKAN_SERVICE_NAME - displayName: WeKan Service Name - value: wekan - required: true -- name: WEKAN_IMAGE - displayName: WeKan Docker Image - value: quay.io/wekan/wekan:latest - description: The metabase docker image to use - required: true -- name: WEKAN_SERVICE_NAME - displayName: WeKan Service Name - value: wekan - required: true - -- cgit v1.2.3-1-g7c22 From 058f7e430bd2b629acc23fb9f89a45a07c4ed17f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 13 Jul 2018 02:45:13 +0300 Subject: Update translations. --- i18n/de.i18n.json | 46 +++++++++++++++++++++++----------------------- i18n/fr.i18n.json | 46 +++++++++++++++++++++++----------------------- i18n/sv.i18n.json | 20 ++++++++++---------- 3 files changed, 56 insertions(+), 56 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 614d4b80..ffdb67b9 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -2,7 +2,7 @@ "accept": "Akzeptieren", "act-activity-notify": "[Wekan] Aktivitätsbenachrichtigung", "act-addAttachment": "hat __attachment__ an __card__ angehängt", - "act-addSubtask": "added subtask __checklist__ to __card__", + "act-addSubtask": "hat die Teilaufgabe __checklist__ zu __card__ hinzugefügt", "act-addChecklist": "hat die Checkliste __checklist__ zu __card__ hinzugefügt", "act-addChecklistItem": "hat __checklistItem__ zur Checkliste __checklist__ in __card__ hinzugefügt", "act-addComment": "hat __card__ kommentiert: __comment__", @@ -42,7 +42,7 @@ "activity-removed": "hat %s von %s entfernt", "activity-sent": "hat %s an %s gesendet", "activity-unjoined": "hat %s verlassen", - "activity-subtask-added": "added subtask to %s", + "activity-subtask-added": "Teilaufgabe zu %s hinzugefügt", "activity-checklist-added": "hat eine Checkliste zu %s hinzugefügt", "activity-checklist-item-added": "hat eine Checklistenposition zu '%s' in %s hinzugefügt", "add": "Hinzufügen", @@ -50,7 +50,7 @@ "add-board": "neues Board", "add-card": "Karte hinzufügen", "add-swimlane": "Swimlane hinzufügen", - "add-subtask": "Add Subtask", + "add-subtask": "Teilaufgabe hinzufügen", "add-checklist": "Checkliste hinzufügen", "add-checklist-item": "Position zu einer Checkliste hinzufügen", "add-cover": "Cover hinzufügen", @@ -134,7 +134,7 @@ "cardMorePopup-title": "Mehr", "cards": "Karten", "cards-count": "Karten", - "casSignIn": "Sign In with CAS", + "casSignIn": "Mit CAS anmelden", "change": "Ändern", "change-avatar": "Profilbild ändern", "change-password": "Passwort ändern", @@ -145,7 +145,7 @@ "changePasswordPopup-title": "Passwort ändern", "changePermissionsPopup-title": "Berechtigungen ändern", "changeSettingsPopup-title": "Einstellungen ändern", - "subtasks": "Subtasks", + "subtasks": "Teilaufgaben", "checklists": "Checklisten", "click-to-star": "Klicken Sie, um das Board mit einem Stern zu markieren.", "click-to-unstar": "Klicken Sie, um den Stern vom Board zu entfernen.", @@ -168,8 +168,8 @@ "comment-only": "Nur kommentierbar", "comment-only-desc": "Kann Karten nur Kommentieren", "computer": "Computer", - "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", + "confirm-subtask-delete-dialog": "Teilaufgabe wirklich löschen?", + "confirm-checklist-delete-dialog": "Checkliste wirklich löschen?", "copy-card-link-to-clipboard": "Kopiere Link zur Karte in die Zwischenablage", "copyCardPopup-title": "Karte kopieren", "copyChecklistToManyCardsPopup-title": "Checklistenvorlage in mehrere Karten kopieren", @@ -482,21 +482,21 @@ "delete-board-confirm-popup": "Alle Listen, Karten, Labels und Akivitäten werden gelöscht und Sie können die Inhalte des Boards nicht wiederherstellen! Die Aktion kann nicht rückgängig gemacht werden.", "boardDeletePopup-title": "Board löschen?", "delete-board": "Board löschen", - "default-subtasks-board": "Subtasks for __board__ board", - "default": "Default", + "default-subtasks-board": "Teilaufgabe für __board__ Board", + "default": "Standard", "queue": "Queue", - "subtask-settings": "Subtasks Settings", - "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", - "show-subtasks-field": "Cards can have subtasks", - "deposit-subtasks-board": "Deposit subtasks to this board:", - "deposit-subtasks-list": "Landing list for subtasks deposited here:", - "show-parent-in-minicard": "Show parent in minicard:", - "prefix-with-full-path": "Prefix with full path", - "prefix-with-parent": "Prefix with parent", - "subtext-with-full-path": "Subtext with full path", - "subtext-with-parent": "Subtext with parent", - "change-card-parent": "Change card's parent", - "parent-card": "Parent card", - "source-board": "Source board", - "no-parent": "Don't show parent" + "subtask-settings": "Teilaufgaben Einstellungen", + "boardSubtaskSettingsPopup-title": "Board Teilaufgaben Einstellungen", + "show-subtasks-field": "Karten können Teilaufgaben haben", + "deposit-subtasks-board": "Teilaufgaben zu diesem Board hinterlegen:", + "deposit-subtasks-list": "Landing-Liste für die hinterlegten Teilaufgaben:", + "show-parent-in-minicard": "Zeige übergeordnetes Element auf Minikarte", + "prefix-with-full-path": "Prefix mit vollständigem Pfad", + "prefix-with-parent": "Präfix mit übergeordneten Element", + "subtext-with-full-path": "Subtext mit vollständigem Pfad", + "subtext-with-parent": "Subtext mit übergeordneten Element", + "change-card-parent": "Ändere übergeordnete Karte", + "parent-card": "Übergeordnete Karte", + "source-board": "Quell Board", + "no-parent": "Eltern nicht zeigen" } \ No newline at end of file diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index c783490d..eebd2b1c 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -2,7 +2,7 @@ "accept": "Accepter", "act-activity-notify": "[Wekan] Notification d'activité", "act-addAttachment": "a joint __attachment__ à __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", + "act-addSubtask": "a ajouté une sous-tâche __checklist__ à __card__", "act-addChecklist": "a ajouté la checklist __checklist__ à __card__", "act-addChecklistItem": "a ajouté l'élément __checklistItem__ à la checklist __checklist__ de __card__", "act-addComment": "a commenté __card__ : __comment__", @@ -42,7 +42,7 @@ "activity-removed": "a supprimé %s de %s", "activity-sent": "a envoyé %s vers %s", "activity-unjoined": "a quitté %s", - "activity-subtask-added": "added subtask to %s", + "activity-subtask-added": "a ajouté une sous-tâche à %s", "activity-checklist-added": "a ajouté une checklist à %s", "activity-checklist-item-added": "a ajouté un élément à la checklist '%s' dans %s", "add": "Ajouter", @@ -50,7 +50,7 @@ "add-board": "Ajouter un tableau", "add-card": "Ajouter une carte", "add-swimlane": "Ajouter un couloir", - "add-subtask": "Add Subtask", + "add-subtask": "Ajouter une sous-tâche", "add-checklist": "Ajouter une checklist", "add-checklist-item": "Ajouter un élément à la checklist", "add-cover": "Ajouter la couverture", @@ -134,7 +134,7 @@ "cardMorePopup-title": "Plus", "cards": "Cartes", "cards-count": "Cartes", - "casSignIn": "Sign In with CAS", + "casSignIn": "Se connecter avec CAS", "change": "Modifier", "change-avatar": "Modifier l'avatar", "change-password": "Modifier le mot de passe", @@ -145,7 +145,7 @@ "changePasswordPopup-title": "Modifier le mot de passe", "changePermissionsPopup-title": "Modifier les permissions", "changeSettingsPopup-title": "Modifier les paramètres", - "subtasks": "Subtasks", + "subtasks": "Sous-tâches", "checklists": "Checklists", "click-to-star": "Cliquez pour ajouter ce tableau aux favoris.", "click-to-unstar": "Cliquez pour retirer ce tableau des favoris.", @@ -168,8 +168,8 @@ "comment-only": "Commentaire uniquement", "comment-only-desc": "Ne peut que commenter des cartes.", "computer": "Ordinateur", - "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", + "confirm-subtask-delete-dialog": "Êtes-vous sûr de vouloir supprimer la sous-tâche ?", + "confirm-checklist-delete-dialog": "Êtes-vous sûr de vouloir supprimer la checklist ?", "copy-card-link-to-clipboard": "Copier le lien vers la carte dans le presse-papier", "copyCardPopup-title": "Copier la carte", "copyChecklistToManyCardsPopup-title": "Copier le modèle de checklist vers plusieurs cartes", @@ -482,21 +482,21 @@ "delete-board-confirm-popup": "Toutes les listes, cartes, étiquettes et activités seront supprimées et vous ne pourrez pas retrouver le contenu du tableau. Il n'y a pas d'annulation possible.", "boardDeletePopup-title": "Supprimer le tableau ?", "delete-board": "Supprimer le tableau", - "default-subtasks-board": "Subtasks for __board__ board", - "default": "Default", + "default-subtasks-board": "Sous-tâches du tableau __board__", + "default": "Défaut", "queue": "Queue", - "subtask-settings": "Subtasks Settings", - "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", - "show-subtasks-field": "Cards can have subtasks", - "deposit-subtasks-board": "Deposit subtasks to this board:", - "deposit-subtasks-list": "Landing list for subtasks deposited here:", - "show-parent-in-minicard": "Show parent in minicard:", - "prefix-with-full-path": "Prefix with full path", - "prefix-with-parent": "Prefix with parent", - "subtext-with-full-path": "Subtext with full path", - "subtext-with-parent": "Subtext with parent", - "change-card-parent": "Change card's parent", - "parent-card": "Parent card", - "source-board": "Source board", - "no-parent": "Don't show parent" + "subtask-settings": "Paramètres des sous-tâches", + "boardSubtaskSettingsPopup-title": "Paramètres des sous-tâches du tableau", + "show-subtasks-field": "Les cartes peuvent avoir des sous-tâches", + "deposit-subtasks-board": "Déposer des sous-tâches dans ce tableau :", + "deposit-subtasks-list": "Liste de destination pour les sous-tâches déposées ici :", + "show-parent-in-minicard": "Voir le parent dans la mini-carte :", + "prefix-with-full-path": "Préfixer avec le chemin complet", + "prefix-with-parent": "Préfixer avec le parent", + "subtext-with-full-path": "Sous-texte avec le chemin complet", + "subtext-with-parent": "Sous-texte avec le parent", + "change-card-parent": "Changer le parent de la carte", + "parent-card": "Carte parente", + "source-board": "Tableau source", + "no-parent": "Ne pas afficher le parent" } \ No newline at end of file diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 7d0fa978..dd9f365b 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -103,7 +103,7 @@ "boardMenuPopup-title": "Anslagstavla meny", "boards": "Anslagstavlor", "board-view": "Anslagstavelsvy", - "board-view-cal": "Calendar", + "board-view-cal": "Kalender", "board-view-swimlanes": "Simbanor", "board-view-lists": "Listor", "bucket-example": "Gilla \"att-göra-innan-jag-dör-lista\" till exempel", @@ -134,7 +134,7 @@ "cardMorePopup-title": "Mera", "cards": "Kort", "cards-count": "Kort", - "casSignIn": "Sign In with CAS", + "casSignIn": "Logga in med CAS", "change": "Ändra", "change-avatar": "Ändra avatar", "change-password": "Ändra lösenord", @@ -145,7 +145,7 @@ "changePasswordPopup-title": "Ändra lösenord", "changePermissionsPopup-title": "Ändra behörigheter", "changeSettingsPopup-title": "Ändra inställningar", - "subtasks": "Subtasks", + "subtasks": "Deluppgifter", "checklists": "Kontrollistor", "click-to-star": "Klicka för att stjärnmärka denna anslagstavla.", "click-to-unstar": "Klicka för att ta bort stjärnmärkningen från denna anslagstavla.", @@ -168,8 +168,8 @@ "comment-only": "Kommentera endast", "comment-only-desc": "Kan endast kommentera kort.", "computer": "Dator", - "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", + "confirm-subtask-delete-dialog": "Är du säker på att du vill radera deluppgift?", + "confirm-checklist-delete-dialog": "Är du säker på att du vill radera checklista?", "copy-card-link-to-clipboard": "Kopiera kortlänk till urklipp", "copyCardPopup-title": "Kopiera kort", "copyChecklistToManyCardsPopup-title": "Kopiera checklist-mallen till flera kort", @@ -482,12 +482,12 @@ "delete-board-confirm-popup": "Alla listor, kort, etiketter och aktiviteter kommer tas bort och du kommer inte kunna återställa anslagstavlans innehåll. Det går inte att ångra.", "boardDeletePopup-title": "Ta bort anslagstavla?", "delete-board": "Ta bort anslagstavla", - "default-subtasks-board": "Subtasks for __board__ board", - "default": "Default", - "queue": "Queue", - "subtask-settings": "Subtasks Settings", + "default-subtasks-board": "Deluppgifter för __board__ board", + "default": "Standard", + "queue": "Kö", + "subtask-settings": "Deluppgift inställningar", "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", - "show-subtasks-field": "Cards can have subtasks", + "show-subtasks-field": "Kort kan ha deluppgifter", "deposit-subtasks-board": "Deposit subtasks to this board:", "deposit-subtasks-list": "Landing list for subtasks deposited here:", "show-parent-in-minicard": "Show parent in minicard:", -- cgit v1.2.3-1-g7c22 From 0dd82fedafa4cef98167bfd88917ec34624ae487 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 13 Jul 2018 02:51:40 +0300 Subject: Remove Greenkeeper. --- README.md | 1 - 1 file changed, 1 deletion(-) diff --git a/README.md b/README.md index 8255e352..ba9a3a10 100644 --- a/README.md +++ b/README.md @@ -14,7 +14,6 @@ [![Code Climate](https://codeclimate.com/github/wekan/wekan/badges/gpa.svg "Code Climate")](https://codeclimate.com/github/wekan/wekan) [![Project Dependencies](https://david-dm.org/wekan/wekan.svg "Project Dependencies")](https://david-dm.org/wekan/wekan) [![Code analysis at Open Hub](https://img.shields.io/badge/code%20analysis-at%20Open%20Hub-brightgreen.svg "Code analysis at Open Hub")](https://www.openhub.net/p/wekan) -[![Greenkeeper badge](https://badges.greenkeeper.io/wekan/wekan.svg)](https://greenkeeper.io/) Please read [FAQ](https://github.com/wekan/wekan/wiki/FAQ). Please don't feed the trolls and spammers that are mentioned in the FAQ :) -- cgit v1.2.3-1-g7c22 From 980fd4f61e0fb8086e1ffc9bc5e73c294b5febe4 Mon Sep 17 00:00:00 2001 From: Akuket <32392661+Akuket@users.noreply.github.com> Date: Mon, 16 Jul 2018 12:51:18 +0200 Subject: Patch Invitation Code --- client/components/settings/invitationCode.js | 17 ++++++++++++----- 1 file changed, 12 insertions(+), 5 deletions(-) diff --git a/client/components/settings/invitationCode.js b/client/components/settings/invitationCode.js index a403d8ab..ce2e9a5b 100644 --- a/client/components/settings/invitationCode.js +++ b/client/components/settings/invitationCode.js @@ -1,6 +1,13 @@ -Template.invitationCode.onRendered(() => { - const setting = Settings.findOne(); - if (!setting || !setting.disableRegistration) { - $('#invitationcode').hide(); - } +Template.invitationCode.onRendered(function() { + Meteor.subscribe('setting', { + onReady : function() { + const setting = Settings.findOne(); + + if (!setting || !setting.disableRegistration) { + $('#invitationcode').hide(); + } + + return this.stop(); + } + }); }); -- cgit v1.2.3-1-g7c22 From d8c62cf242c6f90473bd4edaa1ae8812726e0dab Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 16 Jul 2018 14:16:51 +0300 Subject: Update translations. --- i18n/ka.i18n.json | 340 +++++++++++++++++++++++++++--------------------------- 1 file changed, 170 insertions(+), 170 deletions(-) diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index f2b32e0f..16e7cd07 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -1,12 +1,12 @@ { - "accept": "Accept", - "act-activity-notify": "[Wekan] Activity Notification", + "accept": "დათანხმება", + "act-activity-notify": "[ვეკანი] აქტივობის შეტყობინება", "act-addAttachment": "attached __attachment__ to __card__", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", + "act-createBoard": "შექმნილია __დაფა__", "act-createCard": "added __card__ to __list__", "act-createCustomField": "created custom field __customField__", "act-createList": "added __list__ to __board__", @@ -25,13 +25,13 @@ "act-unjoinMember": "removed __member__ from __card__", "act-withBoardTitle": "[Wekan] __board__", "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", + "actions": "მოქმედებები", + "activities": "აქტივეობები", + "activity": "აქტივობები", + "activity-added": "დამატებულია %s ზე %s", + "activity-archived": "%s-მა გადაინაცვლა წაშლილებში", "activity-attached": "attached %s to %s", - "activity-created": "created %s", + "activity-created": "შექმნილია %s", "activity-customfield-created": "created custom field %s", "activity-excluded": "excluded %s from %s", "activity-imported": "imported %s into %s from %s", @@ -39,35 +39,35 @@ "activity-joined": "joined %s", "activity-moved": "moved %s from %s to %s", "activity-on": "on %s", - "activity-removed": "removed %s from %s", + "activity-removed": "წაიშალა %s %s-დან", "activity-sent": "sent %s to %s", "activity-unjoined": "unjoined %s", "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", - "add": "Add", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", + "add": "დამატება", + "add-attachment": "მიბმული ფაილის დამატება", + "add-board": "დაფის დამატება", + "add-card": "ბარათის დამატება", "add-swimlane": "Add Swimlane", - "add-subtask": "Add Subtask", - "add-checklist": "Add Checklist", + "add-subtask": "ქვესაქმიანობის დამატება", + "add-checklist": "კატალოგის დამატება", "add-checklist-item": "Add an item to checklist", "add-cover": "Add Cover", "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", - "addMemberPopup-title": "Members", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", + "add-list": "ჩამონათვალის დამატება", + "add-members": "წევრების დამატება", + "added": "დამატებულია", + "addMemberPopup-title": "წევრები", + "admin": "ადმინი", + "admin-desc": "შეუძლია ნახოს და შეასწოროს ბარათები, წაშალოს წევრები და შეცვალოს დაფის პარამეტრები. ", + "admin-announcement": "განცხადება", "admin-announcement-active": "Active System-Wide Announcement", "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", + "all-boards": "ყველა დაფა", "and-n-other-card": "And __count__ other card", "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", + "apply": "გამოყენება", "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", "archive": "Move to Recycle Bin", "archive-all": "Move All to Recycle Bin", @@ -83,31 +83,31 @@ "no-archived-boards": "No Boards in Recycle Bin.", "archives": "Recycle Bin", "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", + "attached": "მიბმული", + "attachment": "მიბმული ფიალი", + "attachment-delete-pop": "მიბმული ფაილის წაშლა მუდმივია. შეუძლებელია მისი უკან დაბრუნება. ", + "attachmentDeletePopup-title": "გსურთ მიბმული ფაილის წაშლა? ", + "attachments": "მიბმული ფაილები", "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", + "avatar-too-big": "დიდი მოცულობის სურათი (მაქსიმუმ 70KB)", + "back": "უკან", + "board-change-color": "ფერის შეცვლა", + "board-nb-stars": "%s ვარსკვლავი", + "board-not-found": "დაფა არ მოიძებნა", + "board-private-info": "ეს დაფა იქნება პირადი.", + "board-public-info": "ეს დაფა იქნება საჯარო.", + "boardChangeColorPopup-title": "დაფის ფონის ცვლილება", + "boardChangeTitlePopup-title": "დაფის სახელის ცვლილება", + "boardChangeVisibilityPopup-title": "ხილვადობის შეცვლა", "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", - "board-view": "Board View", - "board-view-cal": "Calendar", + "boardMenuPopup-title": "დაფის მენიუ", + "boards": "დაფები", + "board-view": "დაფის ნახვა", + "board-view-cal": "კალენდარი", "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", + "board-view-lists": "ჩამონათვალი", "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", + "cancel": "გაუქმება", "card-archived": "This card is moved to Recycle Bin.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", @@ -115,42 +115,42 @@ "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", + "card-spent": "დახარჯული დრო", + "card-edit-attachments": "მიბმული ფაილის შესწორება", "card-edit-custom-fields": "Edit custom fields", "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", + "card-edit-members": "მომხმარებლების შესწორება", "card-labels-title": "Change the labels for the card.", "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", + "card-start": "დაწყება", + "card-start-on": "დაიწყება", + "cardAttachmentsPopup-title": "მიბმა შემდეგი წყაროდან: ", + "cardCustomField-datePopup-title": "დროის ცვლილება", "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", + "cardDeletePopup-title": "წავშალოთ ბარათი? ", "cardDetailsActionsPopup-title": "Card Actions", "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Members", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", + "cardMembersPopup-title": "წევრები", + "cardMorePopup-title": "მეტი", + "cards": "ბარათები", + "cards-count": "ბარათები", "casSignIn": "Sign In with CAS", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", + "change": "ცვლილება", + "change-avatar": "სურათის შეცვლა", + "change-password": "პაროლის შეცვლა", "change-permissions": "Change permissions", "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", + "changeAvatarPopup-title": "სურათის შეცვლა", + "changeLanguagePopup-title": "ენის შეცვლა", + "changePasswordPopup-title": "პაროლის შეცვლა", "changePermissionsPopup-title": "Change Permissions", "changeSettingsPopup-title": "Change Settings", - "subtasks": "Subtasks", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", + "subtasks": "ქვეამოცანა", + "checklists": "კატალოგი", + "click-to-star": "დააჭირეთ დაფის ვარსკვლავით მოსანიშნად", "click-to-unstar": "Click to unstar this board.", "clipboard": "Clipboard or drag & drop", - "close": "Close", + "close": "დახურვა", "close-board": "Close Board", "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", "color-black": "black", @@ -175,60 +175,60 @@ "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", + "create": "შექმნა", + "createBoardPopup-title": "დაფის შექმნა", + "chooseBoardSourcePopup-title": "დაფის იმპორტი", "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", + "createCustomField": "ველის შექმნა", + "createCustomFieldPopup-title": "ველის შექმნა", + "current": "მიმდინარე", "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", + "custom-field-date": "თარიღი", + "custom-field-dropdown": "ჩამოსაშლელი სია", "custom-field-dropdown-none": "(none)", "custom-field-dropdown-options": "List Options", "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", + "custom-field-dropdown-unknown": "(უცნობი)", + "custom-field-number": "რიცხვი", + "custom-field-text": "ტექსტი", "custom-fields": "Custom Fields", - "date": "Date", + "date": "თარიღი", "decline": "Decline", "default-avatar": "Default avatar", - "delete": "Delete", + "delete": "წაშლა", "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "Delete Label?", "description": "Description", "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", + "done": "დასრულებული", + "download": "ჩამოტვირთვა", + "edit": "შესწორება", + "edit-avatar": "სურათის შეცვლა", + "edit-profile": "პროფილის შესწორება", + "edit-wip-limit": " WIP ლიმიტის შესწორება", "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", + "editCardStartDatePopup-title": "დაწყების დროის შეცვლა", "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", + "editCustomFieldPopup-title": "ველების შესწორება", + "editCardSpentTimePopup-title": "დახარჯული დროის შეცვლა", "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", + "editNotificationPopup-title": "შეტყობინებების შესწორება", + "editProfilePopup-title": "პროფილის შესწორება", + "email": "ელ.ფოსტა", "email-enrollAccount-subject": "An account created for you on __siteName__", "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", + "email-fail": "ელ.ფოსტის გაგზავნა ვერ მოხერხდა", "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", + "email-invalid": "არასწორი ელ.ფოსტა", + "email-invite": "მოწვევა ელ.ფოსტის მეშვეობით", "email-invite-subject": "__inviter__ sent you an invitation", "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", "email-resetPassword-subject": "Reset your password on __siteName__", "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", + "email-sent": "ელ.ფოსტა გაგზავნილია", "email-verifyEmail-subject": "Verify your email address on __siteName__", "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", "enable-wip-limit": "Enable WIP Limit", @@ -244,7 +244,7 @@ "error-username-taken": "This username is already taken", "error-email-taken": "Email has already been taken", "export-board": "Export board", - "filter": "Filter", + "filter": "ფილტრი", "filter-cards": "Filter Cards", "filter-clear": "Clear filter", "filter-no-label": "No label", @@ -258,11 +258,11 @@ "fullname": "Full Name", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", + "headerBarCreateBoardPopup-title": "დაფის შექმნა", + "home": "სახლი", + "import": "იმპორტირება", "import-board": "import board", - "import-board-c": "Import board", + "import-board-c": "დაფის იმპორტი", "import-board-title-trello": "Import board from Trello", "import-board-title-wekan": "Import board from Wekan", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", @@ -276,11 +276,11 @@ "import-show-user-mapping": "Review members mapping", "import-user-select": "Pick the Wekan user you want to use as this member", "importMapMembersAddPopup-title": "Select Wekan member", - "info": "Version", + "info": "ვერსია", "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", + "invalid-date": "არასწორი თარიღი", + "invalid-time": "არასწორი დრო", + "invalid-user": "არასწორი მომხმარებელი", "joined": "joined", "just-invited": "You are just invited to this board", "keyboard-shortcuts": "Keyboard shortcuts", @@ -288,7 +288,7 @@ "label-default": "%s label (default)", "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", "labels": "Labels", - "language": "Language", + "language": "ენა", "last-admin-desc": "You can’t change roles because there must be at least one admin.", "leave-board": "Leave Board", "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", @@ -301,52 +301,52 @@ "listActionPopup-title": "List Actions", "swimlaneActionPopup-title": "Swimlane Actions", "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", + "listMorePopup-title": "მეტი", "link-list": "Link to this list", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", - "lists": "Lists", + "lists": "ჩამონათვალი", "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Members", - "menu": "Menu", - "move-selection": "Move selection", + "log-out": "გამოსვლა", + "log-in": "შესვლა", + "loginPopup-title": "შესვლა", + "memberMenuPopup-title": "მომხმარებლის პარამეტრები", + "members": "წევრები", + "menu": "მენიუ", + "move-selection": "მონიშნულის მოძრაობა", "moveCardPopup-title": "Move Card", "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", + "moveCardToTop-title": "ზევით აწევა", + "moveSelectionPopup-title": "მონიშნულის მოძრაობა", "multi-selection": "Multi-Selection", "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", + "muted": "ხმა გათიშულია", "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", + "my-boards": "ჩემი დაფები", + "name": "სახელი", "no-archived-cards": "No cards in Recycle Bin.", "no-archived-lists": "No lists in Recycle Bin.", "no-archived-swimlanes": "No swimlanes in Recycle Bin.", - "no-results": "No results", - "normal": "Normal", + "no-results": "შედეგის გარეშე", + "normal": "ნორმალური", "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", + "not-accepted-yet": "მოწვევა ჯერ არ დადასტურებულა", "notify-participate": "Receive updates to any cards you participate as creater or member", "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", + "optional": "არჩევითი", + "or": "ან", "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", + "page-not-found": "გვერდი არ მოიძებნა.", + "password": "პაროლი", "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", + "preview": "წინასწარ ნახვა", + "previewAttachedImagePopup-title": "წინასწარ ნახვა", + "previewClipboardImagePopup-title": "წინასწარ ნახვა", + "private": "კერძო", "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", + "profile": "პროფილი", + "public": "საჯარო", "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", "quick-access-description": "Star a board to add a shortcut in this bar.", "remove-cover": "Remove Cover", @@ -357,21 +357,21 @@ "remove-member-from-card": "Remove from Card", "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", + "rename": "სახელის შეცვლა", + "rename-board": "დაფის სახელის ცვლილება", + "restore": "აღდგენა", + "save": "დამახსოვრება", + "search": "ძებნა", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", - "select-color": "Select Color", + "select-color": "ფერის მონიშვნა", "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", "setWipLimitPopup-title": "Set WIP Limit", "shortcut-assign-self": "Assign yourself to current card", "shortcut-autocomplete-emoji": "Autocomplete emoji", "shortcut-autocomplete-members": "Autocomplete members", "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", + "shortcut-close-dialog": "დიალოგის დახურვა", "shortcut-filter-my-cards": "Filter my cards", "shortcut-show-shortcuts": "Bring up this shortcuts list", "shortcut-toggle-filterbar": "Toggle Filter Sidebar", @@ -383,66 +383,66 @@ "star-board-title": "Click to star this board. It will show up at top of your boards list.", "starred-boards": "Starred Boards", "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", + "subscribe": "გამოწერა", + "team": "ჯგუფი", "this-board": "this board", "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", + "spent-time-hours": "დახარჯული დრო (საათები)", + "overtime-hours": "ზედმეტი დრო (საათები) ", + "overtime": "ზედმეტი დრო", "has-overtime-cards": "Has overtime cards", "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", + "time": "დრო", + "title": "სათაური", "tracking": "Tracking", "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", "type": "Type", "unassign-member": "Unassign member", "unsaved-description": "You have an unsaved description.", "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", + "upload": "ატვირთვა", + "upload-avatar": "სურათის ატვირთვა", + "uploaded-avatar": "სურათი ატვირთულია", + "username": "მომხმარებლის სახელი", "view-it": "View it", "warn-list-archived": "warning: this card is in an list at Recycle Bin", - "watch": "Watch", - "watching": "Watching", + "watch": "ნახვა", + "watching": "ნახვის პროცესი", "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", + "welcome-board": "მისასალმებელი დაფა", "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", + "welcome-list1": "ბაზისური ", "welcome-list2": "Advanced", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", + "admin-panel": "ადმინის პანელი", + "settings": "პარამეტრები", + "people": "ხალხი", + "registration": "რეგისტრაცია", "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", + "invite": "მოწვევა", + "invite-people": "ხალხის მოწვევა", "to-boards": "To board(s)", - "email-addresses": "Email Addresses", + "email-addresses": "ელ.ფოსტის მისამართები", "smtp-host-description": "The address of the SMTP server that handles your emails.", "smtp-port-description": "The port your SMTP server uses for outgoing emails.", "smtp-tls-description": "Enable TLS support for SMTP server", "smtp-host": "SMTP Host", "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", + "smtp-username": "მომხმარებლის სახელი", + "smtp-password": "პაროლი", "smtp-tls": "TLS support", - "send-from": "From", + "send-from": "დან", "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", + "invitation-code": "მოწვევის კოდი", "email-invite-register-subject": "__inviter__ sent you an invitation", "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", + "email-smtp-test-text": "თქვენ წარმატებით გააგზავნეთ ელ.ფოსტა.", + "error-invitation-code-not-exist": "მსგავსი მოსაწვევი კოდი არ არსებობს", + "error-notAuthorized": "თქვენ არ გაქვთ ამ გვერდის ნახვის უფლება", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", -- cgit v1.2.3-1-g7c22 From 1b32509496f14d2d10a598a7005de6d6ced054ca Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 16 Jul 2018 14:46:33 +0300 Subject: Fix lint errors. --- client/components/settings/invitationCode.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/client/components/settings/invitationCode.js b/client/components/settings/invitationCode.js index ce2e9a5b..fa355179 100644 --- a/client/components/settings/invitationCode.js +++ b/client/components/settings/invitationCode.js @@ -1,6 +1,6 @@ Template.invitationCode.onRendered(function() { Meteor.subscribe('setting', { - onReady : function() { + onReady() { const setting = Settings.findOne(); if (!setting || !setting.disableRegistration) { @@ -8,6 +8,6 @@ Template.invitationCode.onRendered(function() { } return this.stop(); - } + }, }); }); -- cgit v1.2.3-1-g7c22 From 7119896a3ca8397568a38c54763578a6e36e8f96 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 16 Jul 2018 14:47:48 +0300 Subject: - Fix invitation code. Thanks to Akuket and xet7 ! Closes #1749 --- CHANGELOG.md | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 04b1e025..8757b379 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -13,7 +13,11 @@ and fixes the following mobile bugs: - [Hotfix more sortable elements](https://github.com/wekan/wekan/commit/616dade81c25b10fc409aee1bcc9a93ddbfee81b); - [Hotfix for mobile device](https://github.com/wekan/wekan/commit/43d86d7d5d3f3b34b0500f6d5d3afe7bd86b0060). -Thanks to GitHub users adyachok, halunk3, Haocen and xet7 for their contributions. +and fixes the following bugs: + +- [Fix invitation code](https://github.com/wekan/wekan/pull/1777). + +Thanks to GitHub users adyachok, Akuket, halunk3, Haocen and xet7 for their contributions. # v1.18 2018-07-06 Wekan release -- cgit v1.2.3-1-g7c22 From c0ddecb2eeea3277dcab5a750eac991b7b0945ea Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 16 Jul 2018 15:27:14 +0300 Subject: v1.19 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 8757b379..1448b4c1 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.19 2018-07-16 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index a773b645..fc75c814 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.18.0", + "version": "1.19.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index c894cce2..0c70f4ef 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 103, + appVersion = 104, # Increment this for every release. - appMarketingVersion = (defaultText = "1.18.0~2018-07-06"), + appMarketingVersion = (defaultText = "1.19.0~2018-07-16"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From df54f15ecb36e105ad2116443672c99d52569958 Mon Sep 17 00:00:00 2001 From: guillaume Date: Mon, 16 Jul 2018 19:20:47 +0200 Subject: patch re-invit --- client/components/settings/settingBody.js | 3 +++ models/settings.js | 29 +++++++++++++++++++++-------- models/users.js | 3 +++ 3 files changed, 27 insertions(+), 8 deletions(-) diff --git a/client/components/settings/settingBody.js b/client/components/settings/settingBody.js index 7230d893..ff563fc1 100644 --- a/client/components/settings/settingBody.js +++ b/client/components/settings/settingBody.js @@ -82,6 +82,7 @@ BlazeComponent.extendComponent({ }, inviteThroughEmail() { + /* eslint-disable no-console */ const emails = $('#email-to-invite').val().trim().split('\n').join(',').split(','); const boardsToInvite = []; $('.js-toggle-board-choose .materialCheckBox.is-checked').each(function () { @@ -99,9 +100,11 @@ BlazeComponent.extendComponent({ // if (!err) { // TODO - show more info to user // } + this.setLoading(false); }); } + /* eslint-enable no-console */ }, saveMailServerInfo() { diff --git a/models/settings.js b/models/settings.js index 34f693d9..308d867d 100644 --- a/models/settings.js +++ b/models/settings.js @@ -124,20 +124,33 @@ if (Meteor.isServer) { sendInvitation(emails, boards) { check(emails, [String]); check(boards, [String]); + const user = Users.findOne(Meteor.userId()); if(!user.isAdmin){ throw new Meteor.Error('not-allowed'); } emails.forEach((email) => { if (email && SimpleSchema.RegEx.Email.test(email)) { - const code = getRandomNum(100000, 999999); - InvitationCodes.insert({code, email, boardsToBeInvited: boards, createdAt: new Date(), authorId: Meteor.userId()}, function(err, _id){ - if (!err && _id) { - sendInvitationEmail(_id); - } else { - throw new Meteor.Error('invitation-generated-fail', err.message); - } - }); + // Checks if the email is already link to an account. + const userExist = Users.findOne({email}); + if (userExist){ + throw new Meteor.Error('user-exist', `The user with the email ${email} has already an account.`); + } + // Checks if the email is already link to an invitation. + const invitation = InvitationCodes.findOne({email}); + if (invitation){ + InvitationCodes.update(invitation, {$set : {boardsToBeInvited: boards}}); + sendInvitationEmail(invitation._id); + }else { + const code = getRandomNum(100000, 999999); + InvitationCodes.insert({code, email, boardsToBeInvited: boards, createdAt: new Date(), authorId: Meteor.userId()}, function(err, _id){ + if (!err && _id) { + sendInvitationEmail(_id); + } else { + throw new Meteor.Error('invitation-generated-fail', err.message); + } + }); + } } }); }, diff --git a/models/users.js b/models/users.js index 5a7fbbe5..31590cea 100644 --- a/models/users.js +++ b/models/users.js @@ -503,6 +503,9 @@ if (Meteor.isServer) { user.profile.boardView = 'board-view-lists'; } + // Deletes the invitation. + InvitationCodes.remove(invitationCode._id); + return user; }); } -- cgit v1.2.3-1-g7c22 From b0f410f82ddc7e0dd02692c984610a4afe244cfb Mon Sep 17 00:00:00 2001 From: Jonas Olsson Date: Tue, 17 Jul 2018 16:22:57 +0400 Subject: bug fix: #1780 Cards that are longer than the screen height can now scroll on the y-axis in order to be able to see the whole card. --- client/components/cards/cardDetails.styl | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/client/components/cards/cardDetails.styl b/client/components/cards/cardDetails.styl index 11660593..42d27d11 100644 --- a/client/components/cards/cardDetails.styl +++ b/client/components/cards/cardDetails.styl @@ -5,7 +5,8 @@ flex-shrink: 0 flex-basis: 470px will-change: flex-basis - overflow: hidden + overflow-y: scroll + overflow-x: hidden background: darken(white, 3%) border-radius: bottom 3px z-index: 20 !important -- cgit v1.2.3-1-g7c22 From bf5596b20182628a6a9285c86a239b1f61b96fdf Mon Sep 17 00:00:00 2001 From: Akuket <32392661+Akuket@users.noreply.github.com> Date: Tue, 17 Jul 2018 16:07:46 +0200 Subject: patch re invit --- client/components/settings/settingBody.js | 2 -- 1 file changed, 2 deletions(-) diff --git a/client/components/settings/settingBody.js b/client/components/settings/settingBody.js index ff563fc1..6a69fcb6 100644 --- a/client/components/settings/settingBody.js +++ b/client/components/settings/settingBody.js @@ -82,7 +82,6 @@ BlazeComponent.extendComponent({ }, inviteThroughEmail() { - /* eslint-disable no-console */ const emails = $('#email-to-invite').val().trim().split('\n').join(',').split(','); const boardsToInvite = []; $('.js-toggle-board-choose .materialCheckBox.is-checked').each(function () { @@ -104,7 +103,6 @@ BlazeComponent.extendComponent({ this.setLoading(false); }); } - /* eslint-enable no-console */ }, saveMailServerInfo() { -- cgit v1.2.3-1-g7c22 From a8f41f7994b0c3a43aa4b82be06d35911eacab4d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 18 Jul 2018 00:46:45 +0300 Subject: Remove SMTP settings from Admin Panel, because they are set in environment variable settings like source/snap/docker already, and password was exposed in plain text. Thanks to xet7 ! Closes #1783 --- client/components/settings/settingBody.jade | 34 ----------------------------- client/components/settings/settingBody.js | 13 ++++++++--- 2 files changed, 10 insertions(+), 37 deletions(-) diff --git a/client/components/settings/settingBody.jade b/client/components/settings/settingBody.jade index 5bc7972d..1832894c 100644 --- a/client/components/settings/settingBody.jade +++ b/client/components/settings/settingBody.jade @@ -55,40 +55,6 @@ template(name="general") template(name='email') ul#email-setting.setting-detail - li.smtp-form - .title {{_ 'smtp-host'}} - .description {{_ 'smtp-host-description'}} - .form-group - input.form-control#mail-server-host(type="text", placeholder="smtp.domain.com" value="{{currentSetting.mailServer.host}}") - li.smtp-form - .title {{_ 'smtp-port'}} - .description {{_ 'smtp-port-description'}} - .form-group - input.form-control#mail-server-port(type="text", placeholder="25" value="{{currentSetting.mailServer.port}}") - li.smtp-form - .title {{_ 'smtp-username'}} - .form-group - input.form-control#mail-server-username(type="text", placeholder="{{_ 'username'}}" value="{{currentSetting.mailServer.username}}") - li.smtp-form - .title {{_ 'smtp-password'}} - .form-group - input.form-control#mail-server-password(type="text", placeholder="{{_ 'password'}}" value="{{currentSetting.mailServer.password}}") - li.smtp-form - .title {{_ 'smtp-tls'}} - .form-group - a.flex.js-toggle-tls - .materialCheckBox#mail-server-tls(class="{{#if currentSetting.mailServer.enableTLS}}is-checked{{/if}}") - - span {{_ 'smtp-tls-description'}} - - li.smtp-form - .title {{_ 'send-from'}} - .form-group - input.form-control#mail-server-from(type="email", placeholder="no-reply@domain.com" value="{{currentSetting.mailServer.from}}") - - li - button.js-save.primary {{_ 'save'}} - li button.js-send-smtp-test-email.primary {{_ 'send-smtp-test'}} diff --git a/client/components/settings/settingBody.js b/client/components/settings/settingBody.js index 7230d893..5995cbf1 100644 --- a/client/components/settings/settingBody.js +++ b/client/components/settings/settingBody.js @@ -20,7 +20,7 @@ BlazeComponent.extendComponent({ setLoading(w) { this.loading.set(w); }, - + /* checkField(selector) { const value = $(selector).val(); if (!value || value.trim() === '') { @@ -30,7 +30,7 @@ BlazeComponent.extendComponent({ return value; } }, - +*/ currentSetting() { return Settings.findOne(); }, @@ -55,9 +55,11 @@ BlazeComponent.extendComponent({ $('.invite-people').slideDown(); } }, + /* toggleTLS() { $('#mail-server-tls').toggleClass('is-checked'); }, +*/ switchMenu(event) { const target = $(event.target); if (!target.hasClass('active')) { @@ -104,6 +106,7 @@ BlazeComponent.extendComponent({ } }, + /* saveMailServerInfo() { this.setLoading(true); $('li').removeClass('has-error'); @@ -128,7 +131,7 @@ BlazeComponent.extendComponent({ } }, - +*/ sendSMTPTestEmail() { Meteor.call('sendSMTPTestEmail', (err, ret) => { if (!err && ret) { /* eslint-disable no-console */ @@ -148,11 +151,15 @@ BlazeComponent.extendComponent({ events() { return [{ 'click a.js-toggle-registration': this.toggleRegistration, + /* 'click a.js-toggle-tls': this.toggleTLS, +*/ 'click a.js-setting-menu': this.switchMenu, 'click a.js-toggle-board-choose': this.checkBoard, 'click button.js-email-invite': this.inviteThroughEmail, + /* 'click button.js-save': this.saveMailServerInfo, +*/ 'click button.js-send-smtp-test-email': this.sendSMTPTestEmail, }]; }, -- cgit v1.2.3-1-g7c22 From f8d5c9165994dfd607bc9b1d9a50f51f52770b84 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 18 Jul 2018 01:02:41 +0300 Subject: - Remove SMTP settings from Admin Panel, because they are set in environment variable settings like source/snap/docker already, and password was exposed in plain text. - Added info how to limit snap to root user. Thanks to LyR33x and xet7 ! Closes #1783 --- CHANGELOG.md | 12 ++++++++++++ 1 file changed, 12 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 1448b4c1..aac9a052 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,15 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- [Remove SMTP settings from Admin Panel, because they are set in environment + variable settings like source/snap/docker already, and password was + exposed in plain text](https://github.com/wekan/wekan/issues/1783); +- [Added info how to limit snap to root + user](https://github.com/wekan/wekan-snap/wiki/Limit-snap-to-root-user-only). + +Thanks to GitHub users LyR33x and xet7 for their contributions. + # v1.19 2018-07-16 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From 1c35f0522417373889afff794983da0ce2a42d8c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 18 Jul 2018 01:13:21 +0300 Subject: - Add scrolling to long cards. Thanks to jnso ! Closes #1780 --- CHANGELOG.md | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index aac9a052..44148c70 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -6,9 +6,10 @@ This release fixes the following bugs: variable settings like source/snap/docker already, and password was exposed in plain text](https://github.com/wekan/wekan/issues/1783); - [Added info how to limit snap to root - user](https://github.com/wekan/wekan-snap/wiki/Limit-snap-to-root-user-only). + user](https://github.com/wekan/wekan-snap/wiki/Limit-snap-to-root-user-only); +- [Add scrolling to long cards](https://github.com/wekan/wekan/pull/1782). -Thanks to GitHub users LyR33x and xet7 for their contributions. +Thanks to GitHub users jnso, LyR33x and xet7 for their contributions. # v1.19 2018-07-16 Wekan release -- cgit v1.2.3-1-g7c22 From 2beb91ba5d13ec9298d72ba98a38f4a5e7fad4e6 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 18 Jul 2018 01:19:46 +0300 Subject: Update translations. --- i18n/de.i18n.json | 18 ++-- i18n/ka.i18n.json | 246 +++++++++++++++++++++++++++--------------------------- 2 files changed, 132 insertions(+), 132 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index ffdb67b9..5e8ce176 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -168,8 +168,8 @@ "comment-only": "Nur kommentierbar", "comment-only-desc": "Kann Karten nur Kommentieren", "computer": "Computer", - "confirm-subtask-delete-dialog": "Teilaufgabe wirklich löschen?", - "confirm-checklist-delete-dialog": "Checkliste wirklich löschen?", + "confirm-subtask-delete-dialog": "Wollen Sie die Teilaufgabe wirklich löschen?", + "confirm-checklist-delete-dialog": "Wollen Sie die Checkliste wirklich löschen?", "copy-card-link-to-clipboard": "Kopiere Link zur Karte in die Zwischenablage", "copyCardPopup-title": "Karte kopieren", "copyChecklistToManyCardsPopup-title": "Checklistenvorlage in mehrere Karten kopieren", @@ -484,19 +484,19 @@ "delete-board": "Board löschen", "default-subtasks-board": "Teilaufgabe für __board__ Board", "default": "Standard", - "queue": "Queue", - "subtask-settings": "Teilaufgaben Einstellungen", - "boardSubtaskSettingsPopup-title": "Board Teilaufgaben Einstellungen", + "queue": "Warteschlange", + "subtask-settings": "Einstellungen für Teilaufgaben", + "boardSubtaskSettingsPopup-title": "Boardeinstellungen für Teilaufgaben", "show-subtasks-field": "Karten können Teilaufgaben haben", - "deposit-subtasks-board": "Teilaufgaben zu diesem Board hinterlegen:", - "deposit-subtasks-list": "Landing-Liste für die hinterlegten Teilaufgaben:", + "deposit-subtasks-board": "Teilaufgaben in diesem Board ablegen:", + "deposit-subtasks-list": "Zielliste für die dort abgelegten Teilaufgaben:", "show-parent-in-minicard": "Zeige übergeordnetes Element auf Minikarte", "prefix-with-full-path": "Prefix mit vollständigem Pfad", "prefix-with-parent": "Präfix mit übergeordneten Element", "subtext-with-full-path": "Subtext mit vollständigem Pfad", "subtext-with-parent": "Subtext mit übergeordneten Element", - "change-card-parent": "Ändere übergeordnete Karte", + "change-card-parent": "Übergeordnete Karte ändern", "parent-card": "Übergeordnete Karte", - "source-board": "Quell Board", + "source-board": "Quellboard", "no-parent": "Eltern nicht zeigen" } \ No newline at end of file diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index 16e7cd07..11c8f5e8 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -1,7 +1,7 @@ { "accept": "დათანხმება", "act-activity-notify": "[ვეკანი] აქტივობის შეტყობინება", - "act-addAttachment": "attached __attachment__ to __card__", + "act-addAttachment": "მიბმულია__მიბმა __ბარათზე__", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", @@ -15,16 +15,16 @@ "act-archivedCard": "__card__ moved to Recycle Bin", "act-archivedList": "__list__ moved to Recycle Bin", "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", + "act-importBoard": "იმპორტირებულია__დაფა__", + "act-importCard": "იმპორტირებულია __ბარათი__", + "act-importList": "იმპორტირებულია __სია__", "act-joinMember": "added __member__ to __card__", "act-moveCard": "moved __card__ from __oldList__ to __list__", "act-removeBoardMember": "removed __member__ from __board__", "act-restoredCard": "restored __card__ to __board__", "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", - "act-withCardTitle": "[__board__] __card__", + "act-withBoardTitle": "[Wekan] __დაფა__", + "act-withCardTitle": "[__დაფა__] __ბარათი__", "actions": "მოქმედებები", "activities": "აქტივეობები", "activity": "აქტივობები", @@ -36,12 +36,12 @@ "activity-excluded": "excluded %s from %s", "activity-imported": "imported %s into %s from %s", "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", + "activity-joined": "შეუერთდა %s", "activity-moved": "moved %s from %s to %s", "activity-on": "on %s", "activity-removed": "წაიშალა %s %s-დან", "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", + "activity-unjoined": "არ შემოუერთდა %s", "activity-subtask-added": "added subtask to %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", @@ -52,9 +52,9 @@ "add-swimlane": "Add Swimlane", "add-subtask": "ქვესაქმიანობის დამატება", "add-checklist": "კატალოგის დამატება", - "add-checklist-item": "Add an item to checklist", + "add-checklist-item": "დაამატეთ საგანი ჩამონათვალს", "add-cover": "Add Cover", - "add-label": "Add Label", + "add-label": "ნიშნის დამატება", "add-list": "ჩამონათვალის დამატება", "add-members": "წევრების დამატება", "added": "დამატებულია", @@ -69,19 +69,19 @@ "and-n-other-card_plural": "And __count__ other cards", "apply": "გამოყენება", "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", + "archive": "სანაგვე ურნაში გადატანა", + "archive-all": "ყველას სანაგვე ურნაში გადატანა", "archive-board": "Move Board to Recycle Bin", "archive-card": "Move Card to Recycle Bin", "archive-list": "Move List to Recycle Bin", "archive-swimlane": "Move Swimlane to Recycle Bin", "archive-selection": "Move selection to Recycle Bin", "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", + "archived-items": "სანაგვე ურნა", "archived-boards": "Boards in Recycle Bin", - "restore-board": "Restore Board", + "restore-board": "ბარათის აღდგენა", "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "archives": "სანაგვე ურნა", "assign-member": "Assign member", "attached": "მიბმული", "attachment": "მიბმული ფიალი", @@ -118,9 +118,9 @@ "card-spent": "დახარჯული დრო", "card-edit-attachments": "მიბმული ფაილის შესწორება", "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", + "card-edit-labels": "ნიშნის შესწორება", "card-edit-members": "მომხმარებლების შესწორება", - "card-labels-title": "Change the labels for the card.", + "card-labels-title": "ნიშნის შეცვლა ბარათისთვის.", "card-members-title": "Add or remove members of the board from the card.", "card-start": "დაწყება", "card-start-on": "დაიწყება", @@ -129,7 +129,7 @@ "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "წავშალოთ ბარათი? ", "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", + "cardLabelsPopup-title": "ნიშნები", "cardMembersPopup-title": "წევრები", "cardMorePopup-title": "მეტი", "cards": "ბარათები", @@ -138,47 +138,47 @@ "change": "ცვლილება", "change-avatar": "სურათის შეცვლა", "change-password": "პაროლის შეცვლა", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", + "change-permissions": "პარამეტრების შეცვლა", + "change-settings": "პარამეტრების შეცვლა", "changeAvatarPopup-title": "სურათის შეცვლა", "changeLanguagePopup-title": "ენის შეცვლა", "changePasswordPopup-title": "პაროლის შეცვლა", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", + "changePermissionsPopup-title": "უფლებების შეცვლა", + "changeSettingsPopup-title": "პარამეტრების შეცვლა", "subtasks": "ქვეამოცანა", "checklists": "კატალოგი", "click-to-star": "დააჭირეთ დაფის ვარსკვლავით მოსანიშნად", "click-to-unstar": "Click to unstar this board.", "clipboard": "Clipboard or drag & drop", "close": "დახურვა", - "close-board": "Close Board", + "close-board": "დაფის დახურვა", "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", + "color-black": "შავი", + "color-blue": "ლურჯი", + "color-green": "მწვანე", + "color-lime": "ღია ყვითელი", + "color-orange": "ნარინჯისფერი", + "color-pink": "ვარდისფერი", + "color-purple": "იასამნისფერი", + "color-red": "წითელი ", + "color-sky": "ცისფერი", + "color-yellow": "ყვითელი", + "comment": "კომენტარი", + "comment-placeholder": "დაწერეთ კომენტარი", + "comment-only": "მხოლოდ კომენტარები", "comment-only-desc": "Can comment on cards only.", - "computer": "Computer", - "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", + "computer": "კომპიუტერი", + "confirm-subtask-delete-dialog": "დარწმუნებული ხართ, რომ გსურთ ქვესაქმიანობის წაშლა? ", + "confirm-checklist-delete-dialog": "დარწმუნებული ხართ, რომ გსურთ კატალოგის წაშლა ? ", "copy-card-link-to-clipboard": "Copy card link to clipboard", - "copyCardPopup-title": "Copy Card", + "copyCardPopup-title": "ბარათის ასლი", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", "create": "შექმნა", "createBoardPopup-title": "დაფის შექმნა", "chooseBoardSourcePopup-title": "დაფის იმპორტი", - "createLabelPopup-title": "Create Label", + "createLabelPopup-title": "ნიშნის შექმნა", "createCustomField": "ველის შექმნა", "createCustomFieldPopup-title": "ველის შექმნა", "current": "მიმდინარე", @@ -194,15 +194,15 @@ "custom-field-text": "ტექსტი", "custom-fields": "Custom Fields", "date": "თარიღი", - "decline": "Decline", + "decline": "უარყოფა", "default-avatar": "Default avatar", "delete": "წაშლა", "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", + "deleteLabelPopup-title": "ნამდვილად გსურთ ნიშნის წაშლა? ", + "description": "აღწერა", "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", + "discard": "უარყოფა", "done": "დასრულებული", "download": "ჩამოტვირთვა", "edit": "შესწორება", @@ -214,7 +214,7 @@ "editCardDueDatePopup-title": "Change due date", "editCustomFieldPopup-title": "ველების შესწორება", "editCardSpentTimePopup-title": "დახარჯული დროის შეცვლა", - "editLabelPopup-title": "Change Label", + "editLabelPopup-title": "ნიშნის შეცვლა", "editNotificationPopup-title": "შეტყობინებების შესწორება", "editProfilePopup-title": "პროფილის შესწორება", "email": "ელ.ფოსტა", @@ -235,72 +235,72 @@ "error-board-doesNotExist": "This board does not exist", "error-board-notAdmin": "You need to be admin of this board to do that", "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", + "error-json-malformed": "შენი ტექსტი არ არის ვალიდური JSON", "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", + "error-list-doesNotExist": "ეს ცხრილი არ არსებობს", "error-user-doesNotExist": "This user does not exist", "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", + "error-user-notCreated": "მომხმარებელი არ შეიქმნა", + "error-username-taken": "არსებობს მსგავსი მომხმარებელი", + "error-email-taken": "უკვე არსებობს მსგავსი ელ.ფოსტა", "export-board": "Export board", "filter": "ფილტრი", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", + "filter-cards": "ბარათების გაფილტვრა", + "filter-clear": "ფილტრის გასუფთავება", + "filter-no-label": "ნიშანი არ გვაქვს", + "filter-no-member": "არ არის წევრები ", "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", + "filter-on": "ფილტრი ჩართულია", "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", + "filter-to-selection": "მონიშნულის გაფილტვრა", + "advanced-filter-label": "გაფართოებული ფილტრაცია", "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", + "fullname": "სახელი და გვარი", + "header-logo-title": "დაბრუნდით უკან დაფების გვერდზე.", + "hide-system-messages": "დამალეთ სისტემური შეტყობინებები", "headerBarCreateBoardPopup-title": "დაფის შექმნა", "home": "სახლი", "import": "იმპორტირება", - "import-board": "import board", + "import-board": " დაფის იმპორტი", "import-board-c": "დაფის იმპორტი", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", + "import-board-title-trello": "დაფის იმპორტი Trello-დან", + "import-board-title-wekan": "დაფის იმპორტი Wekan-დან", + "import-sandstorm-warning": "იმპორტირებული დაფა წაშლის ყველა არსებულ მონაცემს დაფაზე და შეანაცვლებს მას იმპორტირებული დაფა. ", + "from-trello": "Trello-დან", + "from-wekan": "Wekan-დან", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", + "import-json-placeholder": "მოათავსეთ თქვენი ვალიდური JSON მონაცემები აქ. ", + "import-map-members": "რუკის წევრები", "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", "import-show-user-mapping": "Review members mapping", "import-user-select": "Pick the Wekan user you want to use as this member", "importMapMembersAddPopup-title": "Select Wekan member", "info": "ვერსია", - "initials": "Initials", + "initials": "ინიციალები", "invalid-date": "არასწორი თარიღი", "invalid-time": "არასწორი დრო", "invalid-user": "არასწორი მომხმარებელი", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", + "joined": "შემოუერთდა", + "just-invited": "თქვენ მოწვეული ხართ ამ დაფაზე", + "keyboard-shortcuts": "კლავიატურის კომბინაციები", + "label-create": "ნიშნის შექმნა", + "label-default": "%s ნიშანი (default)", + "label-delete-pop": "იმ შემთხვევაში თუ წაშლით ნიშანს, ყველა ბარათიდან ისტორია ავტომატურად წაიშლება და შეუძლებელი იქნება მისი უკან დაბრუნება.", + "labels": "ნიშნები", "language": "ენა", "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", + "leave-board": "დატოვეთ დაფა", "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", + "leaveBoardPopup-title": "გსურთ დაფის დატოვება? ", "link-card": "Link to this card", "list-archive-cards": "Move all cards in this list to Recycle Bin", "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "listActionPopup-title": "List Actions", + "list-move-cards": "გადაიტანე ყველა ბარათი ამ სიაში", + "list-select-cards": "მონიშნე ყველა ბარათი ამ სიაში", + "listActionPopup-title": "მოქმედებების სია", "swimlaneActionPopup-title": "Swimlane Actions", - "listImportCardPopup-title": "Import a Trello card", + "listImportCardPopup-title": "Trello ბარათის იმპორტი", "listMorePopup-title": "მეტი", "link-list": "Link to this list", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", @@ -314,8 +314,8 @@ "members": "წევრები", "menu": "მენიუ", "move-selection": "მონიშნულის მოძრაობა", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", + "moveCardPopup-title": "ბარათის გადატანა", + "moveCardToBottom-title": "ქვევით ჩამოწევა", "moveCardToTop-title": "ზევით აწევა", "moveSelectionPopup-title": "მონიშნულის მოძრაობა", "multi-selection": "Multi-Selection", @@ -339,7 +339,7 @@ "page-not-found": "გვერდი არ მოიძებნა.", "password": "პაროლი", "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", + "participating": "მონაწილეობა", "preview": "წინასწარ ნახვა", "previewAttachedImagePopup-title": "წინასწარ ნახვა", "previewClipboardImagePopup-title": "წინასწარ ნახვა", @@ -350,13 +350,13 @@ "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", "quick-access-description": "Star a board to add a shortcut in this bar.", "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", + "remove-from-board": "დაფიდან წაშლა", + "remove-label": "ნიშნის წაშლა", + "listDeletePopup-title": "ნამდვილად გსურთ სიის წაშლა? ", + "remove-member": "წევრის წაშლა", + "remove-member-from-card": "ბარათიდან წაშლა", "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", - "removeMemberPopup-title": "Remove Member?", + "removeMemberPopup-title": "ნამდვილად გსურთ წევრის წაშლა? ", "rename": "სახელის შეცვლა", "rename-board": "დაფის სახელის ცვლილება", "restore": "აღდგენა", @@ -370,23 +370,23 @@ "shortcut-assign-self": "Assign yourself to current card", "shortcut-autocomplete-emoji": "Autocomplete emoji", "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", + "shortcut-clear-filters": "ყველა ფილტრის გასუფთავება", "shortcut-close-dialog": "დიალოგის დახურვა", - "shortcut-filter-my-cards": "Filter my cards", + "shortcut-filter-my-cards": "ჩემი ბარათების გაფილტვრა", "shortcut-show-shortcuts": "Bring up this shortcuts list", "shortcut-toggle-filterbar": "Toggle Filter Sidebar", "shortcut-toggle-sidebar": "Toggle Board Sidebar", "show-cards-minimum-count": "Show cards count if list contains more than", "sidebar-open": "Open Sidebar", "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", + "signupPopup-title": "ანგარიშის შექმნა", "star-board-title": "Click to star this board. It will show up at top of your boards list.", "starred-boards": "Starred Boards", "starred-boards-description": "Starred boards show up at the top of your boards list.", "subscribe": "გამოწერა", "team": "ჯგუფი", - "this-board": "this board", - "this-card": "this card", + "this-board": "ეს დაფა", + "this-card": "ეს ბარათი", "spent-time-hours": "დახარჯული დრო (საათები)", "overtime-hours": "ზედმეტი დრო (საათები) ", "overtime": "ზედმეტი დრო", @@ -404,7 +404,7 @@ "upload-avatar": "სურათის ატვირთვა", "uploaded-avatar": "სურათი ატვირთულია", "username": "მომხმარებლის სახელი", - "view-it": "View it", + "view-it": "ნახვა", "warn-list-archived": "warning: this card is in an list at Recycle Bin", "watch": "ნახვა", "watching": "ნახვის პროცესი", @@ -421,7 +421,7 @@ "settings": "პარამეტრები", "people": "ხალხი", "registration": "რეგისტრაცია", - "disable-self-registration": "Disable Self-Registration", + "disable-self-registration": "თვით რეგისტრაციის გამორთვა", "invite": "მოწვევა", "invite-people": "ხალხის მოწვევა", "to-boards": "To board(s)", @@ -433,9 +433,9 @@ "smtp-port": "SMTP Port", "smtp-username": "მომხმარებლის სახელი", "smtp-password": "პაროლი", - "smtp-tls": "TLS support", + "smtp-tls": "TLS მხარდაჭერა", "send-from": "დან", - "send-smtp-test": "Send a test email to yourself", + "send-smtp-test": "გაუგზავნეთ სატესტო ელ.ფოსტა საკუთარ თავს", "invitation-code": "მოწვევის კოდი", "email-invite-register-subject": "__inviter__ sent you an invitation", "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", @@ -446,8 +446,8 @@ "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Wekan_version": "Wekan version", + "no-name": "(უცნობი)", + "Wekan_version": "Wekan ვერსია", "Node_version": "Node version", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", @@ -458,34 +458,34 @@ "OS_Totalmem": "OS Total Memory", "OS_Type": "OS Type", "OS_Uptime": "OS Uptime", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", + "hours": "საათები", + "minutes": "წუთები", + "seconds": "წამები", "show-field-on-card": "Show this field on card", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", + "yes": "დიახ", + "no": "არა", + "accounts": "ანგარიშები", + "accounts-allowEmailChange": "ელ.ფოსტის ცვლილების უფლების დაშვება", + "accounts-allowUserNameChange": "მომხმარებლის სახელის ცვლილების უფლების დაშვება ", + "createdAt": "შექმნილია", + "verified": "შემოწმებული", + "active": "აქტიური", + "card-received": "მიღებული", + "card-received-on": "მიღებულია", + "card-end": "დასასრული", + "card-end-on": "დასრულდება : ", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", "assigned-by": "Assigned By", - "requested-by": "Requested By", + "requested-by": "მომთხოვნი", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board", + "boardDeletePopup-title": "წავშალოთ დაფა? ", + "delete-board": "დაფის წაშლა", "default-subtasks-board": "Subtasks for __board__ board", "default": "Default", - "queue": "Queue", - "subtask-settings": "Subtasks Settings", + "queue": "რიგი", + "subtask-settings": "ქვესაქმიანობების პარამეტრები", "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", "show-subtasks-field": "Cards can have subtasks", "deposit-subtasks-board": "Deposit subtasks to this board:", -- cgit v1.2.3-1-g7c22 From 19402f5850adcc2505533f08ed065e580f807f9c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 18 Jul 2018 01:24:05 +0300 Subject: v1.20 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 44148c70..f66e110b 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.20 2018-07-18 Wekan release This release fixes the following bugs: diff --git a/package.json b/package.json index fc75c814..6eb51401 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.19.0", + "version": "1.20.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 0c70f4ef..6162e2d9 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 104, + appVersion = 105, # Increment this for every release. - appMarketingVersion = (defaultText = "1.19.0~2018-07-16"), + appMarketingVersion = (defaultText = "1.20.0~2018-07-18"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From e2ae5d6b8e5d2b8b23ecfb48c54a7a748eb425a6 Mon Sep 17 00:00:00 2001 From: guillaume Date: Wed, 18 Jul 2018 10:07:03 +0200 Subject: remove invitation code --- models/users.js | 11 ++++++----- 1 file changed, 6 insertions(+), 5 deletions(-) diff --git a/models/users.js b/models/users.js index 31590cea..9d859664 100644 --- a/models/users.js +++ b/models/users.js @@ -501,12 +501,13 @@ if (Meteor.isServer) { } else { user.profile = {icode: options.profile.invitationcode}; user.profile.boardView = 'board-view-lists'; - } - - // Deletes the invitation. - InvitationCodes.remove(invitationCode._id); - return user; + // Deletes the invitation code after the user was created successfully. + setTimeout(Meteor.bindEnvironment(() => { + InvitationCodes.remove({'_id': invitationCode._id}); + }), 200); + return user; + } }); } -- cgit v1.2.3-1-g7c22 From 2b02e09b074f0fb00a60ba3ee54d249b60fd140d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 18 Jul 2018 14:22:59 +0300 Subject: - Allow to resend invites. Thanks to Akuket and xet7 ! Closes #1320 --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index f66e110b..760b3172 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- [Allow to resend invites](https://github.com/wekan/wekan/pull/1785). + +Thanks to GitHub users Akuket and xet7 for their contributions. + # v1.20 2018-07-18 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 4eed23afe06d5fab8d45ba3decc7c1d3b85efbd8 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 18 Jul 2018 14:52:41 +0300 Subject: Add new Wekan logo. --- public/old-wekan-logo.png | Bin 0 -> 8433 bytes public/wekan-logo.png | Bin 8433 -> 10342 bytes 2 files changed, 0 insertions(+), 0 deletions(-) create mode 100644 public/old-wekan-logo.png diff --git a/public/old-wekan-logo.png b/public/old-wekan-logo.png new file mode 100644 index 00000000..6a2740f2 Binary files /dev/null and b/public/old-wekan-logo.png differ diff --git a/public/wekan-logo.png b/public/wekan-logo.png index 6a2740f2..b553239e 100644 Binary files a/public/wekan-logo.png and b/public/wekan-logo.png differ -- cgit v1.2.3-1-g7c22 From 6204edd76ed32ae044a6dcd7eef0bcdf1e5cf689 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 18 Jul 2018 14:55:03 +0300 Subject: - Add logo from Wekan website to login logo. Thanks to xet7 ! --- CHANGELOG.md | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 760b3172..a6fe4a35 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,5 +1,9 @@ # Upcoming Wekan release +This release adds the following new features: + +- [Add logo from Wekan website to login logo](https://github.com/wekan/wekan/commit/4eed23afe06d5fab8d45ba3decc7c1d3b85efbd8). + This release fixes the following bugs: - [Allow to resend invites](https://github.com/wekan/wekan/pull/1785). -- cgit v1.2.3-1-g7c22 From e5148b45714d2f84cb3020feb6121410401ce3b3 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 18 Jul 2018 15:14:56 +0300 Subject: v1.21 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index a6fe4a35..e1364c00 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.21 2018-07-18 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index 6eb51401..afc3c419 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.20.0", + "version": "1.21.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 6162e2d9..32867885 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 105, + appVersion = 106, # Increment this for every release. - appMarketingVersion = (defaultText = "1.20.0~2018-07-18"), + appMarketingVersion = (defaultText = "1.21.0~2018-07-18"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From aca4bffac8cf8f2a1f1586c37e63163011bec495 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 18 Jul 2018 16:23:09 +0300 Subject: Fix typos. --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index e1364c00..b421a86e 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,7 +4,7 @@ This release adds the following new features: - [Add logo from Wekan website to login logo](https://github.com/wekan/wekan/commit/4eed23afe06d5fab8d45ba3decc7c1d3b85efbd8). -This release fixes the following bugs: +and fixes the following bugs: - [Allow to resend invites](https://github.com/wekan/wekan/pull/1785). -- cgit v1.2.3-1-g7c22 From b77be874e0385610cd8efad0526466014ddf101f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 18 Jul 2018 17:26:05 +0300 Subject: - Backup script now uses mongodump from snap to do backups: https://github.com/wekan/wekan/wiki/Backup Thanks to Akuket ! --- CHANGELOG.md | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index b421a86e..0742623c 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# Upcoming Wekan release + +This release adds the following new features: + +- [Backup script now uses mongodump from snap to + do backups](https://github.com/wekan/wekan/wiki/Backup). + +Thanks to GitHub user Akuket for contributions. + # v1.21 2018-07-18 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From dafe1e39a53543a20505705185c84053ae0a1918 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 20 Jul 2018 20:30:29 +0300 Subject: Update translations (pt-BR). --- i18n/pt-BR.i18n.json | 64 ++++++++++++++++++++++++++-------------------------- 1 file changed, 32 insertions(+), 32 deletions(-) diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 6135ae54..82bdf952 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -2,7 +2,7 @@ "accept": "Aceitar", "act-activity-notify": "[Wekan] Notificação de Atividade", "act-addAttachment": "anexo __attachment__ de __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", + "act-addSubtask": "Subtarefa adicionada__checklist__ao__cartão", "act-addChecklist": "added checklist __checklist__ no __card__", "act-addChecklistItem": "adicionado __checklistitem__ para a lista de checagem __checklist__ em __card__", "act-addComment": "comentou em __card__: __comment__", @@ -42,7 +42,7 @@ "activity-removed": "removeu %s de %s", "activity-sent": "enviou %s de %s", "activity-unjoined": "saiu de %s", - "activity-subtask-added": "added subtask to %s", + "activity-subtask-added": "Adcionar subtarefa à", "activity-checklist-added": "Adicionado lista de verificação a %s", "activity-checklist-item-added": "adicionado o item de checklist para '%s' em %s", "add": "Novo", @@ -50,7 +50,7 @@ "add-board": "Adicionar Quadro", "add-card": "Adicionar Cartão", "add-swimlane": "Adicionar Swimlane", - "add-subtask": "Add Subtask", + "add-subtask": "Adicionar subtarefa", "add-checklist": "Adicionar Checklist", "add-checklist-item": "Adicionar um item à lista de verificação", "add-cover": "Adicionar Capa", @@ -103,7 +103,7 @@ "boardMenuPopup-title": "Menu do Quadro", "boards": "Quadros", "board-view": "Visão de quadro", - "board-view-cal": "Calendar", + "board-view-cal": "Calendário", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Listas", "bucket-example": "\"Bucket List\", por exemplo", @@ -134,7 +134,7 @@ "cardMorePopup-title": "Mais", "cards": "Cartões", "cards-count": "Cartões", - "casSignIn": "Sign In with CAS", + "casSignIn": "Entrar com CAS", "change": "Alterar", "change-avatar": "Alterar Avatar", "change-password": "Alterar Senha", @@ -145,7 +145,7 @@ "changePasswordPopup-title": "Alterar Senha", "changePermissionsPopup-title": "Alterar Permissões", "changeSettingsPopup-title": "Altera configurações", - "subtasks": "Subtasks", + "subtasks": "Subtarefas", "checklists": "Checklists", "click-to-star": "Marcar quadro como favorito.", "click-to-unstar": "Remover quadro dos favoritos.", @@ -168,8 +168,8 @@ "comment-only": "Somente comentários", "comment-only-desc": "Pode comentar apenas em cartões.", "computer": "Computador", - "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", + "confirm-subtask-delete-dialog": "Tem certeza que deseja deletar a subtarefa?", + "confirm-checklist-delete-dialog": "Tem certeza que quer deletar o checklist?", "copy-card-link-to-clipboard": "Copiar link do cartão para a área de transferência", "copyCardPopup-title": "Copiar o cartão", "copyChecklistToManyCardsPopup-title": "Copiar modelo de checklist para vários cartões", @@ -254,7 +254,7 @@ "filter-on-desc": "Você está filtrando cartões neste quadro. Clique aqui para editar o filtro.", "filter-to-selection": "Filtrar esta seleção", "advanced-filter-label": "Filtro avançado", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Filtros avançados permitem escrever uma \"string\" contendo os seguintes operadores: == != <= >= && || (). Um espaco é utilizado como separador entre os operadores. Você pode filtrar para todos os campos personalizados escrevendo os nomes e valores. Exemplo: Campo1 == Valor1. Nota^Se o campo ou valor tiver espaços você precisa encapsular eles em citações sozinhas. Exemplo: Campo1 == Eu\\sou. Também você pode combinar múltiplas condições. Exemplo: C1 == V1 || C1 == V2. Normalmente todos os operadores são interpretados da esquerda para direita. Você pode alterar a ordem colocando parênteses - como ma expressão matemática. Exemplo: C1 == V1 && (C2 == V2 || C2 == V3). Você tamb~em pode pesquisar campos de texto usando regex: C1 == /Tes.*/i", "fullname": "Nome Completo", "header-logo-title": "Voltar para a lista de quadros.", "hide-system-messages": "Esconde mensagens de sistema", @@ -476,27 +476,27 @@ "card-end-on": "Termina em", "editCardReceivedDatePopup-title": "Modificar data de recebimento", "editCardEndDatePopup-title": "Mudar data de fim", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board", - "default-subtasks-board": "Subtasks for __board__ board", - "default": "Default", - "queue": "Queue", - "subtask-settings": "Subtasks Settings", - "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", - "show-subtasks-field": "Cards can have subtasks", - "deposit-subtasks-board": "Deposit subtasks to this board:", - "deposit-subtasks-list": "Landing list for subtasks deposited here:", - "show-parent-in-minicard": "Show parent in minicard:", - "prefix-with-full-path": "Prefix with full path", - "prefix-with-parent": "Prefix with parent", - "subtext-with-full-path": "Subtext with full path", - "subtext-with-parent": "Subtext with parent", - "change-card-parent": "Change card's parent", - "parent-card": "Parent card", - "source-board": "Source board", - "no-parent": "Don't show parent" + "assigned-by": "Atribuído por", + "requested-by": "Solicitado por", + "board-delete-notice": "Deletar é permanente. Você perderá todas as listas, cartões e ações associados nesse painel.", + "delete-board-confirm-popup": "Todas as listas, cartões, etiquetas e atividades serão deletadas e você não poderá recuperar o conteúdo do painel. Não há como desfazer.", + "boardDeletePopup-title": "Deletar painel?", + "delete-board": "Deletar painel", + "default-subtasks-board": "Subtarefas para __painel__ painel", + "default": "Padrão", + "queue": "Fila", + "subtask-settings": "Configurações de subtarefas", + "boardSubtaskSettingsPopup-title": "Configurações das subtarefas do painel", + "show-subtasks-field": "Cartões podem ter subtarefas", + "deposit-subtasks-board": "Inserir subtarefas à este painel:", + "deposit-subtasks-list": "Listas de subtarefas inseridas aqui:", + "show-parent-in-minicard": "Mostrar Pai do mini cartão:", + "prefix-with-full-path": "Prefixo com caminho completo", + "prefix-with-parent": "Prefixo com Pai", + "subtext-with-full-path": "Subtexto com caminho completo", + "subtext-with-parent": "Subtexto com Pai", + "change-card-parent": "Mudar Pai do cartão", + "parent-card": "Pai do cartão", + "source-board": "Painel de fonte", + "no-parent": "Não mostrar Pai" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 6173a7338135c87321be909482ff356d32977de6 Mon Sep 17 00:00:00 2001 From: guillaume Date: Tue, 24 Jul 2018 18:09:30 +0200 Subject: enable/disable api with env var --- Dockerfile | 2 +- docker-compose.yml | 1 + models/users.js | 13 ++++++++++++- snap-src/bin/config | 6 +++++- snap-src/bin/wekan-help | 4 ++++ 5 files changed, 23 insertions(+), 3 deletions(-) diff --git a/Dockerfile b/Dockerfile index 6d68867d..4268e472 100644 --- a/Dockerfile +++ b/Dockerfile @@ -1,5 +1,5 @@ FROM debian:buster-slim -MAINTAINER wekan +LABEL maintainer="wekan" # Declare Arguments ARG NODE_VERSION diff --git a/docker-compose.yml b/docker-compose.yml index eb82c3aa..b2e12629 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -37,6 +37,7 @@ services: environment: - MONGO_URL=mongodb://wekandb:27017/wekan - ROOT_URL=http://localhost + - WITH_API=false depends_on: - wekandb diff --git a/models/users.js b/models/users.js index 9d859664..9b070c43 100644 --- a/models/users.js +++ b/models/users.js @@ -622,9 +622,20 @@ if (Meteor.isServer) { }); } - // USERS REST API if (Meteor.isServer) { + // Middleware which checks that API is enabled. + JsonRoutes.Middleware.use(function (req, res, next) { + const api = req.url.search('api'); + if (api === 1 && process.env.WITH_API === 'true' || api === -1){ + return next(); + } + else { + res.writeHead(301, {Location: '/'}); + return res.end(); + } + }); + JsonRoutes.add('GET', '/api/user', function(req, res) { try { Authentication.checkLoggedIn(req.userId); diff --git a/snap-src/bin/config b/snap-src/bin/config index 813c3d3f..9feada7b 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -3,7 +3,7 @@ # All supported keys are defined here together with descriptions and default values # list of supported keys -keys="MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT" +keys="MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API" # default values DESCRIPTION_MONGODB_BIND_UNIX_SOCKET="mongodb binding unix socket:\n"\ @@ -47,3 +47,7 @@ KEY_CADDY_ENABLED="caddy-enabled" DESCRIPTION_CADDY_BIND_PORT="Port on which caddy will expect proxy, value set here will be set in $SNAP_COMMON/Caddyfile" DEFAULT_CADDY_BIND_PORT="3001" KEY_CADDY_BIND_PORT="caddy-bind-port" + +DESCRIPTION_WITH_API="Enable/disable the api of wekan" +DEFAULT_WITH_API="false" +KEY_WITH_API="with-api" diff --git a/snap-src/bin/wekan-help b/snap-src/bin/wekan-help index ee565500..5c3f9b31 100755 --- a/snap-src/bin/wekan-help +++ b/snap-src/bin/wekan-help @@ -28,6 +28,10 @@ echo -e "\t\t-connect mongodb-plug with slot from snap providing mongodb" echo -e "\t\t-disable mongodb in $SNAP_NAME by calling: $ snap set $SNAP_NAME set disable-mongodb='true'" echo -e "\t\t-set mongodb-bind-unix-socket to point to serving mongodb. Use relative path inside shared directory, e.g run/mongodb-27017.sock" echo -e "\n" +echo -e "To enable the API of wekan:" +echo -e "\t$ snap set $SNAP_NAME WITH_API='true'" +echo -e "\t-Disable the API:" +echo -e "\t$ snap set $SNAP_NAME WITH_API='false'" # parse config file for supported settings keys echo -e "wekan supports settings keys" echo -e "values can be changed by calling\n$ snap set $SNAP_NAME =''" -- cgit v1.2.3-1-g7c22 From 397dda11cea5bb43f3c300c1244457d4af65656e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 26 Jul 2018 15:41:04 +0300 Subject: Upggrade xss to v1.0.3 --- package.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/package.json b/package.json index afc3c419..35aefca6 100644 --- a/package.json +++ b/package.json @@ -28,6 +28,6 @@ "es6-promise": "^4.2.4", "meteor-node-stubs": "^0.4.1", "os": "^0.1.1", - "xss": "^0.3.8" + "xss": "^1.0.3" } } -- cgit v1.2.3-1-g7c22 From ec59af3777f5ac88ee6ad44a502c0de5d35213e2 Mon Sep 17 00:00:00 2001 From: guillaume Date: Fri, 27 Jul 2018 18:08:09 +0200 Subject: Integration of matomo with env vars --- client/lib/utils.js | 45 +++++++++++++++++++++++++++++++++++++++++++++ config/router.js | 6 ++++++ models/settings.js | 17 +++++++++++++++++ server/policy.js | 9 +++++++++ snap-src/bin/config | 16 +++++++++++++++- 5 files changed, 92 insertions(+), 1 deletion(-) create mode 100644 server/policy.js diff --git a/client/lib/utils.js b/client/lib/utils.js index 6b8e3524..5349e500 100644 --- a/client/lib/utils.js +++ b/client/lib/utils.js @@ -144,6 +144,51 @@ Utils = { } }); }, + + setMatomo(data){ + window._paq = window._paq || []; + window._paq.push(['setDoNotTrack', data.doNotTrack]); + if (data.withUserName){ + window._paq.push(['setUserId', Meteor.user().username]); + } + window._paq.push(['trackPageView']); + window._paq.push(['enableLinkTracking']); + + (function() { + window._paq.push(['setTrackerUrl', `${data.address}piwik.php`]); + window._paq.push(['setSiteId', data.siteId]); + + const script = document.createElement('script'); + Object.assign(script, { + id: 'scriptMatomo', + type: 'text/javascript', + async: 'true', + defer: 'true', + src: `${data.address}piwik.js`, + }); + + const s = document.getElementsByTagName('script')[0]; + s.parentNode.insertBefore(script, s); + })(); + + Session.set('matomo', true); + }, + + manageMatomo() { + const matomo = Session.get('matomo'); + if (matomo === undefined){ + Meteor.call('getMatomoConf', (err, data) => { + if (err && err.error[0] === 'var-not-exist'){ + Session.set('matomo', false); // siteId || address server not defined + } + if (!err){ + Utils.setMatomo(data); + } + }); + } else if (matomo) { + window._paq.push(['trackPageView']); + } + }, }; // A simple tracker dependency that we invalidate every time the window is diff --git a/config/router.js b/config/router.js index 1f80004a..91d08897 100644 --- a/config/router.js +++ b/config/router.js @@ -14,6 +14,8 @@ FlowRouter.route('/', { Filter.reset(); EscapeActions.executeAll(); + Utils.manageMatomo(); + BlazeLayout.render('defaultLayout', { headerBar: 'boardListHeaderBar', content: 'boardList', @@ -38,6 +40,8 @@ FlowRouter.route('/b/:id/:slug', { EscapeActions.executeUpTo('popup-close'); } + Utils.manageMatomo(); + BlazeLayout.render('defaultLayout', { headerBar: 'boardHeaderBar', content: 'board', @@ -53,6 +57,8 @@ FlowRouter.route('/b/:boardId/:slug/:cardId', { Session.set('currentBoard', params.boardId); Session.set('currentCard', params.cardId); + Utils.manageMatomo(); + BlazeLayout.render('defaultLayout', { headerBar: 'boardHeaderBar', content: 'board', diff --git a/models/settings.js b/models/settings.js index 308d867d..3b9b4eae 100644 --- a/models/settings.js +++ b/models/settings.js @@ -96,6 +96,14 @@ if (Meteor.isServer) { return (min + Math.round(rand * range)); } + function getEnvVar(name){ + const value = process.env[name]; + if (value){ + return value; + } + throw new Meteor.Error(['var-not-exist', `The environment variable ${name} does not exist`]); + } + function sendInvitationEmail (_id){ const icode = InvitationCodes.findOne(_id); const author = Users.findOne(Meteor.userId()); @@ -180,5 +188,14 @@ if (Meteor.isServer) { email: user.emails[0].address, }; }, + + getMatomoConf(){ + return { + address: getEnvVar('MATOMO_ADDRESS'), + siteId: getEnvVar('MATOMO_SITE_ID'), + doNotTrack: process.env.MATOMO_DO_NOT_TRACK || false, + withUserName: process.env.MATOMO_WITH_USERNAME || false, + }; + }, }); } diff --git a/server/policy.js b/server/policy.js new file mode 100644 index 00000000..17c90c1c --- /dev/null +++ b/server/policy.js @@ -0,0 +1,9 @@ +import { BrowserPolicy } from 'meteor/browser-policy-common'; + +Meteor.startup(() => { + const matomoUrl = process.env.MATOMO_ADDRESS; + if (matomoUrl){ + BrowserPolicy.content.allowScriptOrigin(matomoUrl); + BrowserPolicy.content.allowImageOrigin(matomoUrl); + } +}); diff --git a/snap-src/bin/config b/snap-src/bin/config index 9feada7b..46fa2c3f 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -3,7 +3,7 @@ # All supported keys are defined here together with descriptions and default values # list of supported keys -keys="MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API" +keys="MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME" # default values DESCRIPTION_MONGODB_BIND_UNIX_SOCKET="mongodb binding unix socket:\n"\ @@ -51,3 +51,17 @@ KEY_CADDY_BIND_PORT="caddy-bind-port" DESCRIPTION_WITH_API="Enable/disable the api of wekan" DEFAULT_WITH_API="false" KEY_WITH_API="with-api" + +DESCRIPTION_MATOMO_ADDRESS="The address of the server where matomo is hosted" +KEY_MATOMO_ADDRESS="matomo-address" + +DESCRIPTION_MATOMO_SITE_ID="The value of the site ID given in matomo server for wekan" +KEY_MATOMO_SITE_ID="matomo-site-id" + +DESCRIPTION_MATOMO_DO_NOT_TRACK="The option do not track which enables users to not be tracked by matomo" +DEFAULT_CADDY_BIND_PORT="false" +KEY_MATOMO_DO_NOT_TRACK="matomo-do-not-track" + +DESCRIPTION_MATOMO_WITH_USERNAME="The option that allows matomo to retrieve the username" +DEFAULT_CADDY_BIND_PORT="false" +KEY_MATOMO_WITH_USERNAME="matomo-with-username" -- cgit v1.2.3-1-g7c22 From 2e62524d5e0920351e557ea5ae0fc5c14d425b14 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 27 Jul 2018 21:12:35 +0300 Subject: Update translations. --- i18n/de.i18n.json | 14 +-- i18n/es.i18n.json | 56 ++++++------ i18n/ka.i18n.json | 250 +++++++++++++++++++++++++-------------------------- i18n/sv.i18n.json | 10 +-- i18n/zh-CN.i18n.json | 56 ++++++------ 5 files changed, 193 insertions(+), 193 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 5e8ce176..bb4a317d 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -489,14 +489,14 @@ "boardSubtaskSettingsPopup-title": "Boardeinstellungen für Teilaufgaben", "show-subtasks-field": "Karten können Teilaufgaben haben", "deposit-subtasks-board": "Teilaufgaben in diesem Board ablegen:", - "deposit-subtasks-list": "Zielliste für die dort abgelegten Teilaufgaben:", - "show-parent-in-minicard": "Zeige übergeordnetes Element auf Minikarte", - "prefix-with-full-path": "Prefix mit vollständigem Pfad", - "prefix-with-parent": "Präfix mit übergeordneten Element", - "subtext-with-full-path": "Subtext mit vollständigem Pfad", - "subtext-with-parent": "Subtext mit übergeordneten Element", + "deposit-subtasks-list": "Zielliste für hier abgelegte Teilaufgaben:", + "show-parent-in-minicard": "Übergeordnetes Element auf Minikarte anzeigen:", + "prefix-with-full-path": "Vollständiger Pfad über Titel", + "prefix-with-parent": "Über Titel", + "subtext-with-full-path": "Vollständiger Pfad unter Titel", + "subtext-with-parent": "Unter Titel", "change-card-parent": "Übergeordnete Karte ändern", "parent-card": "Übergeordnete Karte", "source-board": "Quellboard", - "no-parent": "Eltern nicht zeigen" + "no-parent": "Nicht anzeigen" } \ No newline at end of file diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 6f2d6cd6..c49f7e17 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -2,7 +2,7 @@ "accept": "Aceptar", "act-activity-notify": "[Wekan] Notificación de actividad", "act-addAttachment": "ha adjuntado __attachment__ a __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", + "act-addSubtask": "ha añadido la subtarea __checklist__ a __card__", "act-addChecklist": "ha añadido la lista de verificación __checklist__ a __card__", "act-addChecklistItem": "ha añadido __checklistItem__ a la lista de verificación __checklist__ en __card__", "act-addComment": "ha comentado en __card__: __comment__", @@ -20,9 +20,9 @@ "act-importList": "ha importado __list__", "act-joinMember": "ha añadido a __member__ a __card__", "act-moveCard": "ha movido __card__ desde __oldList__ a __list__", - "act-removeBoardMember": "ha desvinculado a __member__ de __board__", + "act-removeBoardMember": "ha eliminado a __member__ de __board__", "act-restoredCard": "ha restaurado __card__ en __board__", - "act-unjoinMember": "ha desvinculado a __member__ de __card__", + "act-unjoinMember": "ha eliminado a __member__ de __card__", "act-withBoardTitle": "[Wekan] __board__", "act-withCardTitle": "[__board__] __card__", "actions": "Acciones", @@ -42,7 +42,7 @@ "activity-removed": "ha eliminado %s de %s", "activity-sent": "ha enviado %s a %s", "activity-unjoined": "se ha desvinculado de %s", - "activity-subtask-added": "added subtask to %s", + "activity-subtask-added": "ha añadido la subtarea a %s", "activity-checklist-added": "ha añadido una lista de verificación a %s", "activity-checklist-item-added": "ha añadido el elemento de la lista de verificación a '%s' en %s", "add": "Añadir", @@ -50,7 +50,7 @@ "add-board": "Añadir tablero", "add-card": "Añadir una tarjeta", "add-swimlane": "Añadir un carril de flujo", - "add-subtask": "Add Subtask", + "add-subtask": "Añadir subtarea", "add-checklist": "Añadir una lista de verificación", "add-checklist-item": "Añadir un elemento a la lista de verificación", "add-cover": "Añadir portada", @@ -103,7 +103,7 @@ "boardMenuPopup-title": "Menú del tablero", "boards": "Tableros", "board-view": "Vista del tablero", - "board-view-cal": "Calendar", + "board-view-cal": "Calendario", "board-view-swimlanes": "Carriles", "board-view-lists": "Listas", "bucket-example": "Como “Cosas por hacer” por ejemplo", @@ -134,7 +134,7 @@ "cardMorePopup-title": "Más", "cards": "Tarjetas", "cards-count": "Tarjetas", - "casSignIn": "Sign In with CAS", + "casSignIn": "Iniciar sesión con CAS", "change": "Cambiar", "change-avatar": "Cambiar el avatar", "change-password": "Cambiar la contraseña", @@ -145,7 +145,7 @@ "changePasswordPopup-title": "Cambiar la contraseña", "changePermissionsPopup-title": "Cambiar los permisos", "changeSettingsPopup-title": "Cambiar las preferencias", - "subtasks": "Subtasks", + "subtasks": "Subtareas", "checklists": "Lista de verificación", "click-to-star": "Haz clic para destacar este tablero.", "click-to-unstar": "Haz clic para dejar de destacar este tablero.", @@ -168,8 +168,8 @@ "comment-only": "Sólo comentarios", "comment-only-desc": "Solo puedes comentar en las tarjetas.", "computer": "el ordenador", - "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", + "confirm-subtask-delete-dialog": "¿Seguro que quieres eliminar la subtarea?", + "confirm-checklist-delete-dialog": "¿Seguro que quieres eliminar la lista de verificación?", "copy-card-link-to-clipboard": "Copiar el enlace de la tarjeta al portapapeles", "copyCardPopup-title": "Copiar la tarjeta", "copyChecklistToManyCardsPopup-title": "Copiar la plantilla de la lista de verificación en varias tarjetas", @@ -310,7 +310,7 @@ "log-out": "Finalizar la sesión", "log-in": "Iniciar sesión", "loginPopup-title": "Iniciar sesión", - "memberMenuPopup-title": "Mis preferencias", + "memberMenuPopup-title": "Preferencias de miembro", "members": "Miembros", "menu": "Menú", "move-selection": "Mover la selección", @@ -482,21 +482,21 @@ "delete-board-confirm-popup": "Se eliminarán todas las listas, tarjetas, etiquetas y actividades, y no podrás recuperar los contenidos del tablero. Esta acción no puede deshacerse.", "boardDeletePopup-title": "¿Borrar el tablero?", "delete-board": "Borrar el tablero", - "default-subtasks-board": "Subtasks for __board__ board", - "default": "Default", - "queue": "Queue", - "subtask-settings": "Subtasks Settings", - "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", - "show-subtasks-field": "Cards can have subtasks", - "deposit-subtasks-board": "Deposit subtasks to this board:", - "deposit-subtasks-list": "Landing list for subtasks deposited here:", - "show-parent-in-minicard": "Show parent in minicard:", - "prefix-with-full-path": "Prefix with full path", - "prefix-with-parent": "Prefix with parent", - "subtext-with-full-path": "Subtext with full path", - "subtext-with-parent": "Subtext with parent", - "change-card-parent": "Change card's parent", - "parent-card": "Parent card", - "source-board": "Source board", - "no-parent": "Don't show parent" + "default-subtasks-board": "Subtareas para el tablero __board__", + "default": "Por defecto", + "queue": "Cola", + "subtask-settings": "Subtareas del tablero", + "boardSubtaskSettingsPopup-title": "Configuración de las subtareas del tablero", + "show-subtasks-field": "Las tarjetas pueden tener subtareas", + "deposit-subtasks-board": "Depositar subtareas en este tablero:", + "deposit-subtasks-list": "Lista de destino para subtareas depositadas aquí:", + "show-parent-in-minicard": "Mostrar el padre en una minitarjeta:", + "prefix-with-full-path": "Prefijo con ruta completa", + "prefix-with-parent": "Prefijo con el padre", + "subtext-with-full-path": "Subtexto con ruta completa", + "subtext-with-parent": "Subtexto con el padre", + "change-card-parent": "Cambiar la tarjeta padre", + "parent-card": "Tarjeta padre", + "source-board": "Tablero de origen", + "no-parent": "No mostrar la tarjeta padre" } \ No newline at end of file diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index 11c8f5e8..63a448bb 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -2,23 +2,23 @@ "accept": "დათანხმება", "act-activity-notify": "[ვეკანი] აქტივობის შეტყობინება", "act-addAttachment": "მიბმულია__მიბმა __ბარათზე__", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", + "act-addSubtask": "დამატებულია ქვესაქმიანობა__ჩამონათვალი__ ბარათზე__", + "act-addChecklist": "დაამატა ჩამონათვალი__ჩამონათვალი__ ბარათზე__", + "act-addChecklistItem": "დაამატა __ჩამონათვალის ელემენტი__ ჩამონათვალში __ჩამონათვალი __ბარათზე__", + "act-addComment": "დააკომენტარა__ბარათზე__: __კომენტარი__", "act-createBoard": "შექმნილია __დაფა__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-createCard": "დაამატა __ბარათი__ ჩამონათვალში__", + "act-createCustomField": "შექმნა სტანდარტული ველი __სტანდარტული ველი__", + "act-createList": "დაამატა __ჩამონათვალი__ დაფაზე__", + "act-addBoardMember": "დაამატა __წევრი__ დაფაზე__", + "act-archivedBoard": "__board__ გადატანილია სანაგვე ურნაში", + "act-archivedCard": "__ბარათი__ გადატანილია სანაგვე ურნაში", + "act-archivedList": "__list__ გადატანილია სანაგვე ურნაში", + "act-archivedSwimlane": "__swimlane__ გადატანილია სანაგვე ურნაში", "act-importBoard": "იმპორტირებულია__დაფა__", "act-importCard": "იმპორტირებულია __ბარათი__", "act-importList": "იმპორტირებულია __სია__", - "act-joinMember": "added __member__ to __card__", + "act-joinMember": "დაამატა __წევრი__ ბარათზე__", "act-moveCard": "moved __card__ from __oldList__ to __list__", "act-removeBoardMember": "removed __member__ from __board__", "act-restoredCard": "restored __card__ to __board__", @@ -30,65 +30,65 @@ "activity": "აქტივობები", "activity-added": "დამატებულია %s ზე %s", "activity-archived": "%s-მა გადაინაცვლა წაშლილებში", - "activity-attached": "attached %s to %s", + "activity-attached": "მიბმულია %s %s-დან", "activity-created": "შექმნილია %s", "activity-customfield-created": "created custom field %s", "activity-excluded": "excluded %s from %s", "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", + "activity-imported-board": "იმპორტირებულია%s %s-დან", "activity-joined": "შეუერთდა %s", "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", + "activity-on": " %s-ზე", "activity-removed": "წაიშალა %s %s-დან", "activity-sent": "sent %s to %s", "activity-unjoined": "არ შემოუერთდა %s", - "activity-subtask-added": "added subtask to %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-subtask-added": "დაამატა ქვესაქმიანობა %s", + "activity-checklist-added": "დაემატა ჩამონათვალი %s-ს", + "activity-checklist-item-added": "დამატებულია ჩამონათვალის ელემენტები '%s' %s-ში", "add": "დამატება", "add-attachment": "მიბმული ფაილის დამატება", "add-board": "დაფის დამატება", "add-card": "ბარათის დამატება", - "add-swimlane": "Add Swimlane", + "add-swimlane": "ბილიკის დამატება", "add-subtask": "ქვესაქმიანობის დამატება", "add-checklist": "კატალოგის დამატება", "add-checklist-item": "დაამატეთ საგანი ჩამონათვალს", - "add-cover": "Add Cover", + "add-cover": "გარეკანის დამატება", "add-label": "ნიშნის დამატება", "add-list": "ჩამონათვალის დამატება", "add-members": "წევრების დამატება", - "added": "დამატებულია", + "added": "-მა დაამატა", "addMemberPopup-title": "წევრები", "admin": "ადმინი", "admin-desc": "შეუძლია ნახოს და შეასწოროს ბარათები, წაშალოს წევრები და შეცვალოს დაფის პარამეტრები. ", "admin-announcement": "განცხადება", "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", + "admin-announcement-title": "შეტყობინება ადმინისტრატორისთვის", "all-boards": "ყველა დაფა", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", + "and-n-other-card": "და __count__ სხვა ბარათი", + "and-n-other-card_plural": "და __count__ სხვა ბარათები", "apply": "გამოყენება", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "app-is-offline": "Wekan იტვირთება, გთხოვთ დაელოდოთ. გვერდის განახლებამ შეიძლება გამოიწვიოს მონაცემების დაკარგვა. იმ შემთხვევაში თუ Wekan არ იტვირთება, შეამოწმეთ სერვერი მუშაობს თუ არა. ", "archive": "სანაგვე ურნაში გადატანა", "archive-all": "ყველას სანაგვე ურნაში გადატანა", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", + "archive-board": "გადავიტანოთ დაფა სანაგვე ურნაში ", + "archive-card": "გადავიტანოთ ბარათი სანაგვე ურნაში ", + "archive-list": "გავიტანოთ ჩამონათვალი სანაგვე ურნაში ", + "archive-swimlane": "გადავიტანოთ ბილიკი სანაგვე ურნაში ", + "archive-selection": "გადავიტანოთ მონიშნული სანაგვე ურნაში ", + "archiveBoardPopup-title": "გადავიტანოთ დაფა სანაგვე ურნაში ", "archived-items": "სანაგვე ურნა", - "archived-boards": "Boards in Recycle Bin", + "archived-boards": "დაფები სანაგვე ურნაში ", "restore-board": "ბარათის აღდგენა", - "no-archived-boards": "No Boards in Recycle Bin.", + "no-archived-boards": "სანაგვე ურნაში დაფები არ მოიძებნა.", "archives": "სანაგვე ურნა", - "assign-member": "Assign member", + "assign-member": "უფლებამოსილი წევრი", "attached": "მიბმული", "attachment": "მიბმული ფიალი", "attachment-delete-pop": "მიბმული ფაილის წაშლა მუდმივია. შეუძლებელია მისი უკან დაბრუნება. ", "attachmentDeletePopup-title": "გსურთ მიბმული ფაილის წაშლა? ", "attachments": "მიბმული ფაილები", - "auto-watch": "Automatically watch boards when they are created", + "auto-watch": "დაფის ავტომატური ნახვა მას შემდეგ რაც ის შეიქმნება", "avatar-too-big": "დიდი მოცულობის სურათი (მაქსიმუმ 70KB)", "back": "უკან", "board-change-color": "ფერის შეცვლა", @@ -99,22 +99,22 @@ "boardChangeColorPopup-title": "დაფის ფონის ცვლილება", "boardChangeTitlePopup-title": "დაფის სახელის ცვლილება", "boardChangeVisibilityPopup-title": "ხილვადობის შეცვლა", - "boardChangeWatchPopup-title": "Change Watch", + "boardChangeWatchPopup-title": "საათის შეცვლა", "boardMenuPopup-title": "დაფის მენიუ", "boards": "დაფები", "board-view": "დაფის ნახვა", "board-view-cal": "კალენდარი", - "board-view-swimlanes": "Swimlanes", + "board-view-swimlanes": "ბილიკები", "board-view-lists": "ჩამონათვალი", - "bucket-example": "Like “Bucket List” for example", + "bucket-example": "მოიწონეთ “Bucket List” მაგალითად", "cancel": "გაუქმება", - "card-archived": "This card is moved to Recycle Bin.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-archived": "ბარათი გადატანილია სანაგვე ურნაში ", + "card-comments-title": "ამ ბარათს ჰქონდა%s კომენტარი.", + "card-delete-notice": "წაშლის შემთხვევაში ამ ბარათთან ასცირებული ყველა მოქმედება დაიკარგება.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", + "card-due": "საბოლოო ვადა ", + "card-due-on": "საბოლოო ვადა", "card-spent": "დახარჯული დრო", "card-edit-attachments": "მიბმული ფაილის შესწორება", "card-edit-custom-fields": "Edit custom fields", @@ -128,13 +128,13 @@ "cardCustomField-datePopup-title": "დროის ცვლილება", "cardCustomFieldsPopup-title": "Edit custom fields", "cardDeletePopup-title": "წავშალოთ ბარათი? ", - "cardDetailsActionsPopup-title": "Card Actions", + "cardDetailsActionsPopup-title": "ბარათის მოქმედებები", "cardLabelsPopup-title": "ნიშნები", "cardMembersPopup-title": "წევრები", "cardMorePopup-title": "მეტი", "cards": "ბარათები", "cards-count": "ბარათები", - "casSignIn": "Sign In with CAS", + "casSignIn": "შესვლა CAS-ით", "change": "ცვლილება", "change-avatar": "სურათის შეცვლა", "change-password": "პაროლის შეცვლა", @@ -148,8 +148,8 @@ "subtasks": "ქვეამოცანა", "checklists": "კატალოგი", "click-to-star": "დააჭირეთ დაფის ვარსკვლავით მოსანიშნად", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", + "click-to-unstar": "დააკლიკეთ დაფიდან ვარსკვლავის მოსახსნელად. ", + "clipboard": "Clipboard ან drag & drop", "close": "დახურვა", "close-board": "დაფის დახურვა", "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", @@ -166,7 +166,7 @@ "comment": "კომენტარი", "comment-placeholder": "დაწერეთ კომენტარი", "comment-only": "მხოლოდ კომენტარები", - "comment-only-desc": "Can comment on cards only.", + "comment-only-desc": "თქვენ შეგიძლიათ კომენტარის გაკეთება მხოლოდ ბარათებზე.", "computer": "კომპიუტერი", "confirm-subtask-delete-dialog": "დარწმუნებული ხართ, რომ გსურთ ქვესაქმიანობის წაშლა? ", "confirm-checklist-delete-dialog": "დარწმუნებული ხართ, რომ გსურთ კატალოგის წაშლა ? ", @@ -186,16 +186,16 @@ "custom-field-checkbox": "Checkbox", "custom-field-date": "თარიღი", "custom-field-dropdown": "ჩამოსაშლელი სია", - "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-none": "(ცარიელი)", "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-options-placeholder": "დამატებითი პარამეტრების სანახავად დააჭირეთ enter-ს. ", "custom-field-dropdown-unknown": "(უცნობი)", "custom-field-number": "რიცხვი", "custom-field-text": "ტექსტი", "custom-fields": "Custom Fields", "date": "თარიღი", "decline": "უარყოფა", - "default-avatar": "Default avatar", + "default-avatar": "სტანდარტული ავატარი", "delete": "წაშლა", "deleteCustomFieldPopup-title": "Delete Custom Field?", "deleteLabelPopup-title": "ნამდვილად გსურთ ნიშნის წაშლა? ", @@ -211,7 +211,7 @@ "edit-wip-limit": " WIP ლიმიტის შესწორება", "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "დაწყების დროის შეცვლა", - "editCardDueDatePopup-title": "Change due date", + "editCardDueDatePopup-title": "შეცვალეთ დედლაინი", "editCustomFieldPopup-title": "ველების შესწორება", "editCardSpentTimePopup-title": "დახარჯული დროის შეცვლა", "editLabelPopup-title": "ნიშნის შეცვლა", @@ -219,31 +219,31 @@ "editProfilePopup-title": "პროფილის შესწორება", "email": "ელ.ფოსტა", "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-enrollAccount-text": "მოგესალმებით __user__,\n\nამ სერვისის გამოსაყენებლად დააკლიკეთ ქვედა ბმულს.\n\n__url__\n\nმადლობა.", "email-fail": "ელ.ფოსტის გაგზავნა ვერ მოხერხდა", - "email-fail-text": "Error trying to send email", + "email-fail-text": "ელ.ფოსტის გაგზავნისას დაფიქსირდა შეცდომა", "email-invalid": "არასწორი ელ.ფოსტა", "email-invite": "მოწვევა ელ.ფოსტის მეშვეობით", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-invite-subject": "__inviter__ გამოგიგზავნათ მოწვევა", + "email-invite-text": "ძვირფასო __user__,\n\n__inviter__ გიწვევთ დაფაზე \"__board__\" თანამშრომლობისთვის.\n\nგთხოვთ მიყვეთ ქვემოთ მოცემულ ბმულს:\n\n__url__\n\nმადლობა.", + "email-resetPassword-subject": "შეცვალეთ თქვენი პაროლი __siteName-ზე__", + "email-resetPassword-text": "გამარჯობა__user__,\n\nპაროლის შესაცვლელად დააკლიკეთ ქვედა ბმულს .\n\n__url__\n\nმადლობა.", "email-sent": "ელ.ფოსტა გაგზავნილია", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "email-verifyEmail-subject": "შეამოწმეთ ელ.ფოსტის მისამართი __siteName-ზე__", + "email-verifyEmail-text": "გამარჯობა __user__,\n\nანგარიშის ელ.ფოსტის შესამოწმებლად დააკლიკეთ ქვედა ბმულს.\n\n__url__\n\nმადლობა.", "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", + "error-board-doesNotExist": "მსგავსი დაფა არ არსებობს", + "error-board-notAdmin": "ამის გასაკეთებლად საჭიროა იყოთ დაფის ადმინისტრატორი", + "error-board-notAMember": "ამის გასაკეთებლად საჭიროა იყოთ დაფის წევრი", "error-json-malformed": "შენი ტექსტი არ არის ვალიდური JSON", "error-json-schema": "Your JSON data does not include the proper information in the correct format", "error-list-doesNotExist": "ეს ცხრილი არ არსებობს", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", + "error-user-doesNotExist": "მსგავსი მომხმარებელი არ არსებობს", + "error-user-notAllowSelf": "თქვენ არ შეგიძლიათ საკუთარი თავის მოწვევა", "error-user-notCreated": "მომხმარებელი არ შეიქმნა", "error-username-taken": "არსებობს მსგავსი მომხმარებელი", "error-email-taken": "უკვე არსებობს მსგავსი ელ.ფოსტა", - "export-board": "Export board", + "export-board": "დაფის ექსპორტი", "filter": "ფილტრი", "filter-cards": "ბარათების გაფილტვრა", "filter-clear": "ფილტრის გასუფთავება", @@ -251,7 +251,7 @@ "filter-no-member": "არ არის წევრები ", "filter-no-custom-fields": "No Custom Fields", "filter-on": "ფილტრი ჩართულია", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-on-desc": "თქვენ ფილტრავთ ბარათებს ამ დაფაზე. დააკლიკეთ აქ ფილტრაციის შესწორებისთვის. ", "filter-to-selection": "მონიშნულის გაფილტვრა", "advanced-filter-label": "გაფართოებული ფილტრაცია", "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", @@ -268,14 +268,14 @@ "import-sandstorm-warning": "იმპორტირებული დაფა წაშლის ყველა არსებულ მონაცემს დაფაზე და შეანაცვლებს მას იმპორტირებული დაფა. ", "from-trello": "Trello-დან", "from-wekan": "Wekan-დან", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-trello": "თქვენს Trello დაფაზე, შედით \"მენიუ\"-ში, შემდეგ დააკლიკეთ \"მეტი\", \"ამოპრინტერება და ექსპორტი\", \"JSON-ის ექსპორტი\" და დააკოპირეთ შედეგი. ", + "import-board-instruction-wekan": "თქვენს Wekan დაფაზე, შედით \"მენიუ\"-ში შემდეგ დააკლიკეთ \"დაფის ექსპორტი\" და დააკოპირეთ ტექსტი ჩამოტვირთულ ფაილში.", "import-json-placeholder": "მოათავსეთ თქვენი ვალიდური JSON მონაცემები აქ. ", "import-map-members": "რუკის წევრები", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", - "import-show-user-mapping": "Review members mapping", + "import-members-map": "თქვენს იმპორტირებულ დაფას ჰყავს მომხმარებლები. გთხოვთ დაამატოთ ის წევრები რომლის იმპორტიც გსურთ Wekan მომხმარებლებში", + "import-show-user-mapping": "მომხმარებლის რუკების განხილვა", "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", + "importMapMembersAddPopup-title": "მონიშნეთ Wekan მომხმარებელი", "info": "ვერსია", "initials": "ინიციალები", "invalid-date": "არასწორი თარიღი", @@ -293,20 +293,20 @@ "leave-board": "დატოვეთ დაფა", "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "გსურთ დაფის დატოვება? ", - "link-card": "Link to this card", + "link-card": "დააკავშირეთ ამ ბარათთან", "list-archive-cards": "Move all cards in this list to Recycle Bin", "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", "list-move-cards": "გადაიტანე ყველა ბარათი ამ სიაში", "list-select-cards": "მონიშნე ყველა ბარათი ამ სიაში", "listActionPopup-title": "მოქმედებების სია", - "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneActionPopup-title": "ბილიკის მოქმედებები", "listImportCardPopup-title": "Trello ბარათის იმპორტი", "listMorePopup-title": "მეტი", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "link-list": "დააკავშირეთ ამ ჩამონათვალთან", + "list-delete-pop": "ყველა მოქმედება წაიშლება აქტივობების ველიდან და თქვენ ვეღარ შეძლებთ მის აღდგენას ჩამონათვალში", + "list-delete-suggest-archive": "თქვენ შეგიძლიათ გადაიტანოთ ჩამონათვალი სანაგვე ურნაში, იმისთვის, რომ წაშალოთ დაფიდან და შეინახოთ აქტივობა. ", "lists": "ჩამონათვალი", - "swimlanes": "Swimlanes", + "swimlanes": "ბილიკები", "log-out": "გამოსვლა", "log-in": "შესვლა", "loginPopup-title": "შესვლა", @@ -318,24 +318,24 @@ "moveCardToBottom-title": "ქვევით ჩამოწევა", "moveCardToTop-title": "ზევით აწევა", "moveSelectionPopup-title": "მონიშნულის მოძრაობა", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", + "multi-selection": "რამდენიმეს მონიშვნა", + "multi-selection-on": "რამდენიმეს მონიშვნა ჩართულია", "muted": "ხმა გათიშულია", - "muted-info": "You will never be notified of any changes in this board", + "muted-info": "თქვენ აღარ მიიღებთ შეტყობინებას ამ დაფაზე მიმდინარე ცვლილებების შესახებ. ", "my-boards": "ჩემი დაფები", "name": "სახელი", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "სანაგვე ურნაში ბარათები არ მოიძებნა.", + "no-archived-lists": "სანაგვე ურნაში ჩამონათვალი არ მოიძებნა. ", + "no-archived-swimlanes": "სანაგვე ურნაში ბილიკები არ მოიძებნა.", "no-results": "შედეგის გარეშე", "normal": "ნორმალური", - "normal-desc": "Can view and edit cards. Can't change settings.", + "normal-desc": "შეუძლია ნახოს და შეასწოროს ბარათები. ამ პარამეტრების შეცვლა შეუძლებელია. ", "not-accepted-yet": "მოწვევა ჯერ არ დადასტურებულა", "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "notify-watch": "მიიღეთ განახლებები ყველა დაფაზე, ჩამონათვალზე ან ბარათებზე, რომელსაც თქვენ აკვირდებით", "optional": "არჩევითი", "or": "ან", - "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-maybe-private": "ეს გვერდი შესაძლოა იყოს კერძო. თქვენ შეგეძლებათ მისი ნახვა logging in მეშვეობით.", "page-not-found": "გვერდი არ მოიძებნა.", "password": "პაროლი", "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", @@ -344,12 +344,12 @@ "previewAttachedImagePopup-title": "წინასწარ ნახვა", "previewClipboardImagePopup-title": "წინასწარ ნახვა", "private": "კერძო", - "private-desc": "This board is private. Only people added to the board can view and edit it.", + "private-desc": "ეს არის კერძო დაფა. დაფაზე წვდომის, ნახვის და რედაქტირების უფლება აქვთ მხოლოდ მასზე დამატებულ წევრებს. ", "profile": "პროფილი", "public": "საჯარო", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "public-desc": "ეს დაფა არის საჯარო. ის ხილვადია ყველასთვის და შესაძლოა გამოჩნდეს საძიებო სისტემებში. შესწორების უფლება აქვს მხოლოდ მასზე დამატებულ პირებს. ", "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", + "remove-cover": "გარეკანის წაშლა", "remove-from-board": "დაფიდან წაშლა", "remove-label": "ნიშნის წაშლა", "listDeletePopup-title": "ნამდვილად გსურთ სიის წაშლა? ", @@ -363,25 +363,25 @@ "save": "დამახსოვრება", "search": "ძებნა", "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", + "search-example": "საძიებო ტექსტი", "select-color": "ფერის მონიშვნა", "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", + "setWipLimitPopup-title": "დააყენეთ WIP ლიმიტი", + "shortcut-assign-self": "მონიშნეთ საკუთარი თავი აღნიშნულ ბარათზე", + "shortcut-autocomplete-emoji": "emoji-ის ავტომატური შევსება", + "shortcut-autocomplete-members": "მომხმარებლების ავტომატური შევსება", "shortcut-clear-filters": "ყველა ფილტრის გასუფთავება", "shortcut-close-dialog": "დიალოგის დახურვა", "shortcut-filter-my-cards": "ჩემი ბარათების გაფილტვრა", "shortcut-show-shortcuts": "Bring up this shortcuts list", "shortcut-toggle-filterbar": "Toggle Filter Sidebar", "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", + "show-cards-minimum-count": "აჩვენეთ ბარათების დათვლილი რაოდენობა თუ ჩამონათვალი შეიცავს უფრო მეტს ვიდრე ", + "sidebar-open": "გახსენით მცირე სტატია", + "sidebar-close": "დახურეთ მცირე სტატია", "signupPopup-title": "ანგარიშის შექმნა", "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", + "starred-boards": "ვარსკვლავიანი დაფები", "starred-boards-description": "Starred boards show up at the top of your boards list.", "subscribe": "გამოწერა", "team": "ჯგუფი", @@ -394,18 +394,18 @@ "has-spenttime-cards": "Has spent time cards", "time": "დრო", "title": "სათაური", - "tracking": "Tracking", + "tracking": "მონიტორინგი", "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", + "type": "ტიპი", + "unassign-member": "არაუფლებამოსილი წევრი", + "unsaved-description": "თქვან გაქვთ დაუმახსოვრებელი აღწერა. ", + "unwatch": "ნახვის გამორთვა", "upload": "ატვირთვა", "upload-avatar": "სურათის ატვირთვა", "uploaded-avatar": "სურათი ატვირთულია", "username": "მომხმარებლის სახელი", "view-it": "ნახვა", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "გაფრთხილება: ეს ბარათი არის ჩამონათვალში სანაგვე ურნაში", "watch": "ნახვა", "watching": "ნახვის პროცესი", "watching-info": "You will be notified of any change in this board", @@ -413,8 +413,8 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "ბაზისური ", "welcome-list2": "Advanced", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", + "what-to-do": "რისი გაკეთება გსურთ? ", + "wipLimitErrorPopup-title": "არასწორი WIP ლიმიტი", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", "admin-panel": "ადმინის პანელი", @@ -424,11 +424,11 @@ "disable-self-registration": "თვით რეგისტრაციის გამორთვა", "invite": "მოწვევა", "invite-people": "ხალხის მოწვევა", - "to-boards": "To board(s)", + "to-boards": "დაფა(ებ)ზე", "email-addresses": "ელ.ფოსტის მისამართები", "smtp-host-description": "The address of the SMTP server that handles your emails.", "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-tls-description": "ჩართეთ TLS მხარდაჭერა SMTP სერვერისთვის", "smtp-host": "SMTP Host", "smtp-port": "SMTP Port", "smtp-username": "მომხმარებლის სახელი", @@ -437,8 +437,8 @@ "send-from": "დან", "send-smtp-test": "გაუგზავნეთ სატესტო ელ.ფოსტა საკუთარ თავს", "invitation-code": "მოწვევის კოდი", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-invite-register-subject": "__inviter__ გამოგიგზავნათ მოწვევა", + "email-invite-register-text": "ძვირგასო __user__,\n\n__inviter__ გიწვევთ Wekan-ში თანამშრომლობისთვის.\n\nგთხოვთ მიყვეთ ქვემოთ მოცემულ ბმულს:\n__url__\n\nდა ჩაწეროთ თქვენი მოწვევის კოდი: __icode__\n\nმადლობა.", "email-smtp-test-subject": "SMTP Test Email From Wekan", "email-smtp-test-text": "თქვენ წარმატებით გააგზავნეთ ელ.ფოსტა.", "error-invitation-code-not-exist": "მსგავსი მოსაწვევი კოდი არ არსებობს", @@ -451,17 +451,17 @@ "Node_version": "Node version", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", + "OS_Freemem": "OS თავისუფალი მეხსიერება", "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", + "OS_Platform": "OS პლატფორმა", + "OS_Release": "OS რელიზი", + "OS_Totalmem": "OS მთლიანი მეხსიერება", + "OS_Type": "OS ტიპი", "OS_Uptime": "OS Uptime", "hours": "საათები", "minutes": "წუთები", "seconds": "წამები", - "show-field-on-card": "Show this field on card", + "show-field-on-card": "აჩვენეთ ეს ველი ბარათზე", "yes": "დიახ", "no": "არა", "accounts": "ანგარიშები", @@ -475,19 +475,19 @@ "card-end": "დასასრული", "card-end-on": "დასრულდება : ", "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", + "editCardEndDatePopup-title": "შეცვალეთ საბოლოო თარიღი", + "assigned-by": "უფლებამოსილების გამცემი ", "requested-by": "მომთხოვნი", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "board-delete-notice": "წაშლის შემთხვევაში თქვენ დაკარგავთ ამ დაფასთან ასოცირებულ ყველა მონაცემს მათ შორის : ჩამონათვალს, ბარათებს და მოქმედებებს. ", + "delete-board-confirm-popup": "ყველა ჩამონათვალი, ბარათი, ნიშანი და აქტივობა წაიშლება და თქვენ ვეღარ შეძლებთ მის აღდგენას. ", "boardDeletePopup-title": "წავშალოთ დაფა? ", "delete-board": "დაფის წაშლა", - "default-subtasks-board": "Subtasks for __board__ board", + "default-subtasks-board": "ქვესაქმიანობა __board__ დაფისთვის", "default": "Default", "queue": "რიგი", "subtask-settings": "ქვესაქმიანობების პარამეტრები", "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", - "show-subtasks-field": "Cards can have subtasks", + "show-subtasks-field": "ბარათებს შესაძლოა ჰქონდეს ქვესაქმიანობები", "deposit-subtasks-board": "Deposit subtasks to this board:", "deposit-subtasks-list": "Landing list for subtasks deposited here:", "show-parent-in-minicard": "Show parent in minicard:", @@ -497,6 +497,6 @@ "subtext-with-parent": "Subtext with parent", "change-card-parent": "Change card's parent", "parent-card": "Parent card", - "source-board": "Source board", + "source-board": "ძირითადი დაფა", "no-parent": "Don't show parent" } \ No newline at end of file diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index dd9f365b..b0d50237 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -2,7 +2,7 @@ "accept": "Acceptera", "act-activity-notify": "[Wekan] Aktivitetsavisering", "act-addAttachment": "bifogade __attachment__ to __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", + "act-addSubtask": "lade till deluppgift __checklist__ till __card__", "act-addChecklist": "lade till checklist __checklist__ till __card__", "act-addChecklistItem": "lade till __checklistItem__ till checklistan __checklist__ on __card__", "act-addComment": "kommenterade __card__: __comment__", @@ -42,7 +42,7 @@ "activity-removed": "tog bort %s från %s", "activity-sent": "skickade %s till %s", "activity-unjoined": "gick ur %s", - "activity-subtask-added": "added subtask to %s", + "activity-subtask-added": "lade till deluppgift till %s", "activity-checklist-added": "lade kontrollista till %s", "activity-checklist-item-added": "lade checklista objekt till '%s' i %s", "add": "Lägg till", @@ -50,7 +50,7 @@ "add-board": "Lägg till anslagstavla", "add-card": "Lägg till kort", "add-swimlane": "Lägg till simbana", - "add-subtask": "Add Subtask", + "add-subtask": "Lägg till deluppgift", "add-checklist": "Lägg till checklista", "add-checklist-item": "Lägg till ett objekt till kontrollista", "add-cover": "Lägg till omslag", @@ -486,9 +486,9 @@ "default": "Standard", "queue": "Kö", "subtask-settings": "Deluppgift inställningar", - "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Deluppgiftsinställningar för anslagstavla", "show-subtasks-field": "Kort kan ha deluppgifter", - "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-board": "Insättnings deluppgifter på denna anslagstavla:", "deposit-subtasks-list": "Landing list for subtasks deposited here:", "show-parent-in-minicard": "Show parent in minicard:", "prefix-with-full-path": "Prefix with full path", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index bbc060fb..f8e3821f 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -2,7 +2,7 @@ "accept": "接受", "act-activity-notify": "[Wekan] 活动通知", "act-addAttachment": "添加附件 __attachment__ 至卡片 __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", + "act-addSubtask": "添加清单 __checklist__ 到__card__", "act-addChecklist": "添加清单 __checklist__ 到 __card__", "act-addChecklistItem": "向 __card__ 中的清单 __checklist__ 添加 __checklistItem__", "act-addComment": "在 __card__ 发布评论: __comment__", @@ -42,7 +42,7 @@ "activity-removed": "从 %s 中移除 %s", "activity-sent": "发送 %s 至 %s", "activity-unjoined": "已解除 %s 关联", - "activity-subtask-added": "added subtask to %s", + "activity-subtask-added": "添加子任务到%s", "activity-checklist-added": "已经将清单添加到 %s", "activity-checklist-item-added": "添加清单项至'%s' 于 %s", "add": "添加", @@ -50,7 +50,7 @@ "add-board": "添加看板", "add-card": "添加卡片", "add-swimlane": "添加泳道图", - "add-subtask": "Add Subtask", + "add-subtask": "添加子任务", "add-checklist": "添加待办清单", "add-checklist-item": "扩充清单", "add-cover": "添加封面", @@ -103,7 +103,7 @@ "boardMenuPopup-title": "看板菜单", "boards": "看板", "board-view": "看板视图", - "board-view-cal": "Calendar", + "board-view-cal": "日历", "board-view-swimlanes": "泳道图", "board-view-lists": "列表", "bucket-example": "例如 “目标清单”", @@ -134,7 +134,7 @@ "cardMorePopup-title": "更多", "cards": "卡片", "cards-count": "卡片", - "casSignIn": "Sign In with CAS", + "casSignIn": "用CAS登录", "change": "变更", "change-avatar": "更改头像", "change-password": "更改密码", @@ -145,7 +145,7 @@ "changePasswordPopup-title": "更改密码", "changePermissionsPopup-title": "更改权限", "changeSettingsPopup-title": "更改设置", - "subtasks": "Subtasks", + "subtasks": "子任务", "checklists": "清单", "click-to-star": "点此来标记该看板", "click-to-unstar": "点此来去除该看板的标记", @@ -168,8 +168,8 @@ "comment-only": "仅能评论", "comment-only-desc": "只能在卡片上评论。", "computer": "从本机上传", - "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", + "confirm-subtask-delete-dialog": "确定要删除子任务吗?", + "confirm-checklist-delete-dialog": "确定要删除清单吗?", "copy-card-link-to-clipboard": "复制卡片链接到剪贴板", "copyCardPopup-title": "复制卡片", "copyChecklistToManyCardsPopup-title": "复制清单模板至多个卡片", @@ -200,8 +200,8 @@ "deleteCustomFieldPopup-title": "删除自定义字段?", "deleteLabelPopup-title": "删除标签?", "description": "描述", - "disambiguateMultiLabelPopup-title": "标签消歧 [?]", - "disambiguateMultiMemberPopup-title": "成员消歧 [?]", + "disambiguateMultiLabelPopup-title": "消除标签歧义", + "disambiguateMultiMemberPopup-title": "消除成员歧义", "discard": "放弃", "done": "完成", "download": "下载", @@ -209,7 +209,7 @@ "edit-avatar": "更改头像", "edit-profile": "编辑资料", "edit-wip-limit": "编辑最大任务数", - "soft-wip-limit": "软在制品限制", + "soft-wip-limit": "最大任务数软限制", "editCardStartDatePopup-title": "修改起始日期", "editCardDueDatePopup-title": "修改截止日期", "editCustomFieldPopup-title": "编辑字段", @@ -482,21 +482,21 @@ "delete-board-confirm-popup": "所有列表、卡片、标签和活动都回被删除,将无法恢复看板内容。不支持撤销。", "boardDeletePopup-title": "删除看板?", "delete-board": "删除看板", - "default-subtasks-board": "Subtasks for __board__ board", - "default": "Default", - "queue": "Queue", - "subtask-settings": "Subtasks Settings", - "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", - "show-subtasks-field": "Cards can have subtasks", - "deposit-subtasks-board": "Deposit subtasks to this board:", - "deposit-subtasks-list": "Landing list for subtasks deposited here:", - "show-parent-in-minicard": "Show parent in minicard:", - "prefix-with-full-path": "Prefix with full path", - "prefix-with-parent": "Prefix with parent", - "subtext-with-full-path": "Subtext with full path", - "subtext-with-parent": "Subtext with parent", - "change-card-parent": "Change card's parent", - "parent-card": "Parent card", - "source-board": "Source board", - "no-parent": "Don't show parent" + "default-subtasks-board": "__board__ 看板的子任务", + "default": "缺省", + "queue": "队列", + "subtask-settings": "子任务设置", + "boardSubtaskSettingsPopup-title": "看板子任务设置", + "show-subtasks-field": "卡片包含子任务", + "deposit-subtasks-board": "将子任务放入以下看板:", + "deposit-subtasks-list": "将子任务放入以下列表:", + "show-parent-in-minicard": "显示上一级卡片:", + "prefix-with-full-path": "完整路径前缀", + "prefix-with-parent": "上级前缀", + "subtext-with-full-path": "子标题显示完整路径", + "subtext-with-parent": "子标题显示上级", + "change-card-parent": "修改卡片的上级", + "parent-card": "上级卡片", + "source-board": "源看板", + "no-parent": "不显示上级" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 01c12d7abc2a22801818bf2b4ee613f876736888 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 30 Jul 2018 17:28:52 +0300 Subject: Add missing packages. --- package.json | 2 ++ 1 file changed, 2 insertions(+) diff --git a/package.json b/package.json index 35aefca6..7073ed96 100644 --- a/package.json +++ b/package.json @@ -28,6 +28,8 @@ "es6-promise": "^4.2.4", "meteor-node-stubs": "^0.4.1", "os": "^0.1.1", + "page": "^1.8.6", + "qs": "^6.5.2", "xss": "^1.0.3" } } -- cgit v1.2.3-1-g7c22 From 43c38f87a53ed25456f45e5666b6a3a06dd1dbc3 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 30 Jul 2018 17:42:16 +0300 Subject: v1.22 --- CHANGELOG.md | 8 +++++--- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 8 insertions(+), 6 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 0742623c..24370dde 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,11 +1,13 @@ -# Upcoming Wekan release +# v1.22 2018-07-30 Wekan release This release adds the following new features: - [Backup script now uses mongodump from snap to - do backups](https://github.com/wekan/wekan/wiki/Backup). + do backups](https://github.com/wekan/wekan/wiki/Backup); +- [Integration of Matomo](https://github.com/wekan/wekan/pull/1806); +- [Enable/Disable API with env var](https://github.com/wekan/wekan/pull/1799). -Thanks to GitHub user Akuket for contributions. +Thanks to GitHub user Akuket and xet7 for their contributions. # v1.21 2018-07-18 Wekan release diff --git a/package.json b/package.json index 7073ed96..48561127 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.21.0", + "version": "1.22.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 32867885..48e228b9 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 106, + appVersion = 107, # Increment this for every release. - appMarketingVersion = (defaultText = "1.21.0~2018-07-18"), + appMarketingVersion = (defaultText = "1.22.0~2018-07-30"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From a48f560a85860451914dbaad8cae6ff5120a0c38 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 30 Jul 2018 21:18:04 +0300 Subject: No error if existing directory, with mkdir. --- snapcraft.yaml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/snapcraft.yaml b/snapcraft.yaml index a25299aa..2ec92f08 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -128,7 +128,7 @@ parts: chmod +x install_meteor.sh sh install_meteor.sh rm install_meteor.sh - mkdir packages + mkdir -p packages cd packages git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-flow-router git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core -- cgit v1.2.3-1-g7c22 From 5bfb6c6411c928bfffa7ed6fe829f030e3ea57da Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 30 Jul 2018 21:27:22 +0300 Subject: Check for existing directories when building snap. --- snapcraft.yaml | 20 ++++++++++++++------ 1 file changed, 14 insertions(+), 6 deletions(-) diff --git a/snapcraft.yaml b/snapcraft.yaml index 2ec92f08..1c772f76 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -128,12 +128,20 @@ parts: chmod +x install_meteor.sh sh install_meteor.sh rm install_meteor.sh - mkdir -p packages - cd packages - git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-flow-router - git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core - sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' meteor-useraccounts-core/package.js - cd .. + if [ ! -d "packages" ]; then + mkdir packages + fi + if [ ! -d "packages/kadira-flow-router" ]; then + cd packages + git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-flow-router + cd .. + fi + if [ ! -d "packages/meteor-useraccounts-core" ]; then + cd packages + git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core + sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' meteor-useraccounts-core/package.js + cd .. + fi rm -rf package-lock.json .build meteor add standard-minifier-js --allow-superuser meteor npm install --allow-superuser -- cgit v1.2.3-1-g7c22 From 1cc8452752ad75649b8de42072dc6645cad4f83a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 30 Jul 2018 21:44:12 +0300 Subject: v1.23 --- CHANGELOG.md | 11 +++++++++++ package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 14 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 24370dde..8fc23991 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,14 @@ +# v1.23 2018-07-30 + +This release tries to fix the following bugs: + +- Checking for [existing](https://github.com/wekan/wekan/commit/a48f560a85860451914dbaad8cae6ff5120a0c38) + [directories](https://github.com/wekan/wekan/commit/5bfb6c6411c928bfffa7ed6fe829f030e3ea57da) when + building snap etc, trying to [get snap to build somehow](https://github.com/wekan/wekan-snap/issues/58). + This is just a test, does it build this time correctly. + +Thanks to GitHub user xet7 for contributions. + # v1.22 2018-07-30 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index 48561127..1902bf20 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.22.0", + "version": "1.23.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 48e228b9..99abc34e 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 107, + appVersion = 108, # Increment this for every release. - appMarketingVersion = (defaultText = "1.22.0~2018-07-30"), + appMarketingVersion = (defaultText = "1.23.0~2018-07-30"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From b9bcb8f9797dc2f90067ff5e7428a667aae9f669 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 30 Jul 2018 22:07:17 +0300 Subject: Try to fix glibc in Dockerfile. --- Dockerfile | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/Dockerfile b/Dockerfile index 4268e472..19bc150b 100644 --- a/Dockerfile +++ b/Dockerfile @@ -14,7 +14,7 @@ ARG SRC_PATH # Set the environment variables (defaults where required) # DOES NOT WORK: paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303 # ENV BUILD_DEPS="paxctl" -ENV BUILD_DEPS="apt-utils gnupg gosu wget curl bzip2 build-essential python git ca-certificates gcc-7" +ENV BUILD_DEPS="glibc apt-utils gnupg gosu wget curl bzip2 build-essential python git ca-certificates gcc-7" ENV NODE_VERSION ${NODE_VERSION:-v8.11.3} ENV METEOR_RELEASE ${METEOR_RELEASE:-1.6.0.1} ENV USE_EDGE ${USE_EDGE:-false} -- cgit v1.2.3-1-g7c22 From 6a23f73d94ad6b4136e815c61b0bf132b8e476e1 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 30 Jul 2018 22:10:49 +0300 Subject: Reverting change, Docker container did not build. --- Dockerfile | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/Dockerfile b/Dockerfile index 19bc150b..4268e472 100644 --- a/Dockerfile +++ b/Dockerfile @@ -14,7 +14,7 @@ ARG SRC_PATH # Set the environment variables (defaults where required) # DOES NOT WORK: paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303 # ENV BUILD_DEPS="paxctl" -ENV BUILD_DEPS="glibc apt-utils gnupg gosu wget curl bzip2 build-essential python git ca-certificates gcc-7" +ENV BUILD_DEPS="apt-utils gnupg gosu wget curl bzip2 build-essential python git ca-certificates gcc-7" ENV NODE_VERSION ${NODE_VERSION:-v8.11.3} ENV METEOR_RELEASE ${METEOR_RELEASE:-1.6.0.1} ENV USE_EDGE ${USE_EDGE:-false} -- cgit v1.2.3-1-g7c22 From a8146e61f326dbe2bddd1d0c1bd781bcc6bca443 Mon Sep 17 00:00:00 2001 From: RJevnikar <12701645+rjevnikar@users.noreply.github.com> Date: Tue, 31 Jul 2018 22:01:14 +0000 Subject: Fix flagging of dates (i.e. due date only flagged when before end date) --- client/components/cards/cardDate.js | 60 +++++++++++++++++--------------- client/components/cards/cardDate.styl | 4 +-- client/components/cards/cardDetails.jade | 14 ++++---- 3 files changed, 41 insertions(+), 37 deletions(-) diff --git a/client/components/cards/cardDate.js b/client/components/cards/cardDate.js index b0f2baa3..831a0f39 100644 --- a/client/components/cards/cardDate.js +++ b/client/components/cards/cardDate.js @@ -220,12 +220,16 @@ class CardReceivedDate extends CardDate { classes() { let classes = 'received-date '; const dueAt = this.data().dueAt; - if (dueAt) { - if (this.date.get().isBefore(this.now.get(), 'minute') && - this.now.get().isBefore(dueAt)) { - classes += 'current'; - } - } + const endAt = this.data().endAt; + const startAt = this.data().startAt; + const theDate = this.date.get(); + // if dueAt, endAt and startAt exist & are > receivedAt, receivedAt doesn't need to be flagged + if (((startAt) && (theDate.isAfter(dueAt))) || + ((endAt) && (theDate.isAfter(endAt))) || + ((dueAt) && (theDate.isAfter(dueAt)))) + classes += 'long-overdue'; + else + classes += 'current'; return classes; } @@ -253,12 +257,17 @@ class CardStartDate extends CardDate { classes() { let classes = 'start-date' + ' '; const dueAt = this.data().dueAt; - if (dueAt) { - if (this.date.get().isBefore(this.now.get(), 'minute') && - this.now.get().isBefore(dueAt)) { - classes += 'current'; - } - } + const endAt = this.data().endAt; + const theDate = this.date.get(); + const now = this.now.get(); + // if dueAt or endAt exist & are > startAt, startAt doesn't need to be flagged + if (((endAt) && (theDate.isAfter(endAt))) || + ((dueAt) && (theDate.isAfter(dueAt)))) + classes += 'long-overdue'; + else if (theDate.isBefore(now, 'minute')) + classes += 'almost-due'; + else + classes += 'current'; return classes; } @@ -286,17 +295,15 @@ class CardDueDate extends CardDate { classes() { let classes = 'due-date' + ' '; - // if endAt exists & is < dueAt, dueAt doesn't need to be flagged const endAt = this.data().endAt; const theDate = this.date.get(); const now = this.now.get(); - - if ((endAt !== 0) && - (endAt !== null) && - (endAt !== '') && - (endAt !== undefined) && - (theDate.isBefore(endAt))) + // if the due date is after the end date, green - done early + if ((endAt) && (theDate.isAfter(endAt))) classes += 'current'; + // if there is an end date, don't need to flag the due date + else if (endAt) + classes += ''; else if (now.diff(theDate, 'days') >= 2) classes += 'long-overdue'; else if (now.diff(theDate, 'minute') >= 0) @@ -330,15 +337,12 @@ class CardEndDate extends CardDate { classes() { let classes = 'end-date' + ' '; const dueAt = this.data.dueAt; - if (dueAt) { - const diff = dueAt.diff(this.date.get(), 'days'); - if (diff >= 2) - classes += 'long-overdue'; - else if (diff > 0) - classes += 'due'; - else if (diff <= 0) - classes += 'current'; - } + const theDate = this.date.get(); + // if dueAt exists & is after endAt, endAt doesn't need to be flagged + if ((dueAt) && (theDate.isAfter(dueAt, 'minute'))) + classes += 'long-overdue'; + else + classes += 'current'; return classes; } diff --git a/client/components/cards/cardDate.styl b/client/components/cards/cardDate.styl index 9775e82b..3e736f43 100644 --- a/client/components/cards/cardDate.styl +++ b/client/components/cards/cardDate.styl @@ -43,12 +43,12 @@ &.start-date time &::before - content: "\f08b" // symbol: fa-sign-out + content: "\f251" // symbol: fa-hourglass-start &.received-date time &::before - content: "\f251" // symbol: fa-hourglass-start + content: "\f08b" // symbol: fa-ign-out time &::before diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index aaad7c7c..34dbc117 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -38,13 +38,6 @@ template(name="cardDetails") else a.js-start-date {{_ 'add'}} - .card-details-item.card-details-item-due - h3.card-details-item-title {{_ 'card-due'}} - if dueAt - +cardDueDate - else - a.js-due-date {{_ 'add'}} - .card-details-item.card-details-item-end h3.card-details-item-title {{_ 'card-end'}} if endAt @@ -52,6 +45,13 @@ template(name="cardDetails") else a.js-end-date {{_ 'add'}} + .card-details-item.card-details-item-due + h3.card-details-item-title {{_ 'card-due'}} + if dueAt + +cardDueDate + else + a.js-due-date {{_ 'add'}} + .card-details-items .card-details-item.card-details-item-members h3.card-details-item-title {{_ 'members'}} -- cgit v1.2.3-1-g7c22 From b2eeff96977592deaeb23a8171fc3b13f8c6c5dc Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 1 Aug 2018 21:21:14 +0300 Subject: Enable Wekan API by default, so that Export Board to JSON works. --- docker-compose.yml | 4 +++- snap-src/bin/config | 2 +- 2 files changed, 4 insertions(+), 2 deletions(-) diff --git a/docker-compose.yml b/docker-compose.yml index b2e12629..5d49318c 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -37,7 +37,9 @@ services: environment: - MONGO_URL=mongodb://wekandb:27017/wekan - ROOT_URL=http://localhost - - WITH_API=false + # Wekan Export Board works when WITH_API='true'. + # If you disable Wekan API with 'false', Export Board does not work. + - WITH_API=true depends_on: - wekandb diff --git a/snap-src/bin/config b/snap-src/bin/config index 46fa2c3f..db2a0221 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -49,7 +49,7 @@ DEFAULT_CADDY_BIND_PORT="3001" KEY_CADDY_BIND_PORT="caddy-bind-port" DESCRIPTION_WITH_API="Enable/disable the api of wekan" -DEFAULT_WITH_API="false" +DEFAULT_WITH_API="true" KEY_WITH_API="with-api" DESCRIPTION_MATOMO_ADDRESS="The address of the server where matomo is hosted" -- cgit v1.2.3-1-g7c22 From 0498671cd4fe9da79a5c1a83f9ba804d94928065 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 1 Aug 2018 21:30:42 +0300 Subject: Update translations (ru). --- i18n/ru.i18n.json | 22 +++++++++++----------- 1 file changed, 11 insertions(+), 11 deletions(-) diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 577d7b43..1ae38aea 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -8,9 +8,9 @@ "act-addComment": "прокомментировал __card__: __comment__", "act-createBoard": "создал __board__", "act-createCard": "добавил __card__ в __list__", - "act-createCustomField": "Расширенный фильтр позволяет написать строку, содержащую следующие операторы: ==! = <=> = && || () Пространство используется как разделитель между Операторами. Вы можете фильтровать все пользовательские поля, введя их имена и значения. Например: Field1 == Value1. Примечание. Если поля или значения содержат пробелы, вам необходимо инкапсулировать их в одинарные кавычки. Например: «Поле 1» == «Значение 1». Также вы можете комбинировать несколько условий. Например: F1 == V1 || F1 = V2. Обычно все операторы интерпретируются слева направо. Вы можете изменить порядок, разместив скобки. Например: F1 == V1 и (F2 == V2 || F2 == V3)", - "act-createList": "добавил __list__ для __board__", - "act-addBoardMember": "добавил __member__ в __board__", + "act-createCustomField": "создано настраиваемое поле __customField__", + "act-createList": "добавил __list__ на __board__", + "act-addBoardMember": "добавил __member__ на __board__", "act-archivedBoard": "Доска __board__ перемещена в Корзину", "act-archivedCard": "Карточка __card__ перемещена в Корзину", "act-archivedList": "Список __list__ перемещён в Корзину", @@ -42,7 +42,7 @@ "activity-removed": "удалил %s из %s", "activity-sent": "отправил %s в %s", "activity-unjoined": "вышел из %s", - "activity-subtask-added": "added subtask to %s", + "activity-subtask-added": "добавил подзадачу в %s", "activity-checklist-added": "добавил контрольный список в %s", "activity-checklist-item-added": "добавил пункт контрольного списка в '%s' в карточке %s", "add": "Создать", @@ -50,7 +50,7 @@ "add-board": "Добавить доску", "add-card": "Добавить карту", "add-swimlane": "Добавить дорожку", - "add-subtask": "Add Subtask", + "add-subtask": "Добавить подзадачу", "add-checklist": "Добавить контрольный список", "add-checklist-item": "Добавить пункт в контрольный список", "add-cover": "Прикрепить", @@ -103,7 +103,7 @@ "boardMenuPopup-title": "Меню доски", "boards": "Доски", "board-view": "Вид доски", - "board-view-cal": "Calendar", + "board-view-cal": "Календарь", "board-view-swimlanes": "Дорожки", "board-view-lists": "Списки", "bucket-example": "Например “Список дел”", @@ -145,7 +145,7 @@ "changePasswordPopup-title": "Изменить пароль", "changePermissionsPopup-title": "Изменить настройки доступа", "changeSettingsPopup-title": "Изменить Настройки", - "subtasks": "Subtasks", + "subtasks": "Подзадачи", "checklists": "Контрольные списки", "click-to-star": "Добавить в «Избранное»", "click-to-unstar": "Удалить из «Избранного»", @@ -168,8 +168,8 @@ "comment-only": "Только комментирование", "comment-only-desc": "Может комментировать только карточки.", "computer": "Загрузить с компьютера", - "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", + "confirm-subtask-delete-dialog": "Вы уверены, что хотите удалить подзадачу?", + "confirm-checklist-delete-dialog": "Вы уверены, что хотите удалить чеклист?", "copy-card-link-to-clipboard": "Копировать ссылку на карточку в буфер обмена", "copyCardPopup-title": "Копировать карточку", "copyChecklistToManyCardsPopup-title": "Копировать шаблон контрольного списка в несколько карточек", @@ -482,10 +482,10 @@ "delete-board-confirm-popup": "Все списки, карточки, ярлыки и действия будут удалены, и вы не сможете восстановить содержимое доски. Отменить нельзя.", "boardDeletePopup-title": "Удалить доску?", "delete-board": "Удалить доску", - "default-subtasks-board": "Subtasks for __board__ board", + "default-subtasks-board": "Подзадача для доски __board__ ", "default": "Default", "queue": "Queue", - "subtask-settings": "Subtasks Settings", + "subtask-settings": "Настройки подзадач", "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", "show-subtasks-field": "Cards can have subtasks", "deposit-subtasks-board": "Deposit subtasks to this board:", -- cgit v1.2.3-1-g7c22 From 10a6dbd080450b1c28e70d0f9052872603d53c08 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 1 Aug 2018 21:38:03 +0300 Subject: Enable API by default, so that Export Board works. Thanks to xet7 ! --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 8fc23991..5282a350 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- [Enable Wekan API by default, so that Export Board to JSON works](https://github.com/wekan/wekan/commit/b2eeff96977592deaeb23a8171fc3b13f8c6c5dc). + +Thanks to GitHub user xet7 for contributions. + # v1.23 2018-07-30 This release tries to fix the following bugs: -- cgit v1.2.3-1-g7c22 From 57d43f916f92c06e563b92579cc91c59432cd1dd Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 1 Aug 2018 21:45:11 +0300 Subject: Optional integration with Matomo. --- docker-compose.yml | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/docker-compose.yml b/docker-compose.yml index 5d49318c..4d77e626 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -40,6 +40,10 @@ services: # Wekan Export Board works when WITH_API='true'. # If you disable Wekan API with 'false', Export Board does not work. - WITH_API=true + # Optional: Integration with Matomo https://matomo.org that is installed to your server + # - MATOMO_ADDRESS='https://example.com/matomo' + # - MATOMO_SITE_ID='123456789' + depends_on: - wekandb -- cgit v1.2.3-1-g7c22 From da6c2b5503f08deba63421606ae7c09bc8f95763 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 1 Aug 2018 22:04:33 +0300 Subject: Add Matomo options. --- docker-compose.yml | 7 ++++++- snap-src/bin/config | 6 ++++-- 2 files changed, 10 insertions(+), 3 deletions(-) diff --git a/docker-compose.yml b/docker-compose.yml index 4d77e626..34e32d5e 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -41,9 +41,14 @@ services: # If you disable Wekan API with 'false', Export Board does not work. - WITH_API=true # Optional: Integration with Matomo https://matomo.org that is installed to your server + # The address of the server where Matomo is hosted: # - MATOMO_ADDRESS='https://example.com/matomo' + # The value of the site ID given in Matomo server for Wekan # - MATOMO_SITE_ID='123456789' - + # The option do not track which enables users to not be tracked by matomo" + # - MATOMO_DO_NOT_TRACK='false' + # The option that allows matomo to retrieve the username: + # - MATOMO_WITH_USERNAME='true' depends_on: - wekandb diff --git a/snap-src/bin/config b/snap-src/bin/config index db2a0221..9aa2841e 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -53,15 +53,17 @@ DEFAULT_WITH_API="true" KEY_WITH_API="with-api" DESCRIPTION_MATOMO_ADDRESS="The address of the server where matomo is hosted" +DEFAULT_MATOMO_ADDRESS="" KEY_MATOMO_ADDRESS="matomo-address" DESCRIPTION_MATOMO_SITE_ID="The value of the site ID given in matomo server for wekan" +DEFAULT_MATOMO_SITE_ID="" KEY_MATOMO_SITE_ID="matomo-site-id" DESCRIPTION_MATOMO_DO_NOT_TRACK="The option do not track which enables users to not be tracked by matomo" -DEFAULT_CADDY_BIND_PORT="false" +DEFAULT_MATOMO_DO_NOT_TRACK="false" KEY_MATOMO_DO_NOT_TRACK="matomo-do-not-track" DESCRIPTION_MATOMO_WITH_USERNAME="The option that allows matomo to retrieve the username" -DEFAULT_CADDY_BIND_PORT="false" +DEFAULT_MATOMO_WITH_USERNAME="false" KEY_MATOMO_WITH_USERNAME="matomo-with-username" -- cgit v1.2.3-1-g7c22 From d2e93c4927541f04c154111677def9d94bea8bb7 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 2 Aug 2018 00:51:45 +0300 Subject: Fix typo. --- client/components/cards/cardDate.styl | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/components/cards/cardDate.styl b/client/components/cards/cardDate.styl index 3e736f43..62cfdcd9 100644 --- a/client/components/cards/cardDate.styl +++ b/client/components/cards/cardDate.styl @@ -48,7 +48,7 @@ &.received-date time &::before - content: "\f08b" // symbol: fa-ign-out + content: "\f08b" // symbol: fa-sign-out time &::before -- cgit v1.2.3-1-g7c22 From 83d6ef7301cb7b5c68dca77f976f4be5839b972e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 2 Aug 2018 00:54:20 +0300 Subject: - Fix the flagging of dates. Thanks to rjevnikar and xet7 ! --- CHANGELOG.md | 7 ++++--- 1 file changed, 4 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 5282a350..67be920c 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,11 +2,12 @@ This release fixes the following bugs: -- [Enable Wekan API by default, so that Export Board to JSON works](https://github.com/wekan/wekan/commit/b2eeff96977592deaeb23a8171fc3b13f8c6c5dc). +- [Enable Wekan API by default, so that Export Board to JSON works](https://github.com/wekan/wekan/commit/b2eeff96977592deaeb23a8171fc3b13f8c6c5dc); +- [Fix the flagging of dates](https://github.com/wekan/wekan/pull/1814). -Thanks to GitHub user xet7 for contributions. +Thanks to GitHub users rjevnikar and xet7 for their contributions. -# v1.23 2018-07-30 +# v1.23 2018-07-30 Wekan release This release tries to fix the following bugs: -- cgit v1.2.3-1-g7c22 From 53d545eeef7e796bd910f7cce666686ca05de544 Mon Sep 17 00:00:00 2001 From: Thibaut Demaret Date: Thu, 2 Aug 2018 15:09:34 +0200 Subject: Change Run User for Openshift compliance --- Dockerfile | 3 ++- docker-compose.yml | 2 +- 2 files changed, 3 insertions(+), 2 deletions(-) diff --git a/Dockerfile b/Dockerfile index 4268e472..bfdce234 100644 --- a/Dockerfile +++ b/Dockerfile @@ -144,7 +144,8 @@ RUN \ rm -R /home/wekan/app_build && \ rm /home/wekan/install_meteor.sh -ENV PORT=80 +ENV PORT=8080 EXPOSE $PORT +USER wekan CMD ["node", "/build/main.js"] diff --git a/docker-compose.yml b/docker-compose.yml index 34e32d5e..79c4ec43 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -33,7 +33,7 @@ services: - METEOR_EDGE=${METEOR_EDGE} - USE_EDGE=${USE_EDGE} ports: - - 80:80 + - 8080:80 environment: - MONGO_URL=mongodb://wekandb:27017/wekan - ROOT_URL=http://localhost -- cgit v1.2.3-1-g7c22 From 95b21943ee7a9fa5a27efe5276307febc2fbad94 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 2 Aug 2018 16:47:50 +0300 Subject: Fix port order, hopefully correctly. Related #1778 Thanks to xet7 ! --- docker-compose.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/docker-compose.yml b/docker-compose.yml index 79c4ec43..e769cb82 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -33,7 +33,7 @@ services: - METEOR_EDGE=${METEOR_EDGE} - USE_EDGE=${USE_EDGE} ports: - - 8080:80 + - 80:8080 environment: - MONGO_URL=mongodb://wekandb:27017/wekan - ROOT_URL=http://localhost -- cgit v1.2.3-1-g7c22 From f63482b58775a2f52fdd5f932ce7d14f16757133 Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Fri, 3 Aug 2018 19:47:20 +0200 Subject: UI for rules list --- .DS_Store | Bin 0 -> 6148 bytes .meteor/packages | 4 +- RASD.txt | 22 +++++++++ client/components/boards/boardHeader.jade | 9 ++++ client/components/boards/boardHeader.js | 3 ++ client/components/lists/listBody.js | 2 + client/components/rules/rules.jade | 27 +++++++++++ client/components/rules/rules.js | 25 ++++++++++ client/components/rules/rules.styl | 34 ++++++++++++++ client/lib/popup.js | 1 + i18n/en.i18n.json | 1 + models/.DS_Store | Bin 0 -> 6148 bytes models/cards.js | 1 + models/rules.js | 38 +++++++++++++++ models/triggers.js | 74 ++++++++++++++++++++++++++++++ server/.DS_Store | Bin 0 -> 6148 bytes server/lib/.DS_Store | Bin 0 -> 6148 bytes server/lib/utils.js | 3 ++ server/publications/rules.js | 14 ++++++ 19 files changed, 256 insertions(+), 2 deletions(-) create mode 100644 .DS_Store create mode 100644 RASD.txt create mode 100644 client/components/rules/rules.jade create mode 100644 client/components/rules/rules.js create mode 100644 client/components/rules/rules.styl create mode 100644 models/.DS_Store create mode 100644 models/rules.js create mode 100644 models/triggers.js create mode 100644 server/.DS_Store create mode 100644 server/lib/.DS_Store create mode 100644 server/publications/rules.js diff --git a/.DS_Store b/.DS_Store new file mode 100644 index 00000000..06b93641 Binary files /dev/null and b/.DS_Store differ diff --git a/.meteor/packages b/.meteor/packages index e76e15fb..2ea5e19f 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -6,7 +6,7 @@ meteor-base@1.2.0 # Build system -ecmascript@0.9.0 +ecmascript stylus@2.513.13 standard-minifier-css@1.3.5 standard-minifier-js@2.2.0 @@ -85,4 +85,4 @@ browser-policy eluck:accounts-lockout rzymek:fullcalendar momentjs:moment@2.22.2 -atoy40:accounts-cas \ No newline at end of file +atoy40:accounts-cas diff --git a/RASD.txt b/RASD.txt new file mode 100644 index 00000000..fc1b4190 --- /dev/null +++ b/RASD.txt @@ -0,0 +1,22 @@ +Rules + + Triggers + + Board: create card, card moved to, card moved from + Card: [label, attachement, person ] added/removed, name starts with + Checklists : checklist added/removed, check item checked/unchecked, checklist completed + + Actions + Board: move card to list, move to top/bottom, archive/unarchive + Card: [label, attachement, person ] add/remove, set title/description + Checklists : checklist add/remove, check/uncheck item + Mail: send email to + +Calendar + + Triggers + Recurrent day/month/year/day of the week + + Actions + Board: create card with [title, description, label, checklist, person, date] + \ No newline at end of file diff --git a/client/components/boards/boardHeader.jade b/client/components/boards/boardHeader.jade index 1c6c8f8c..5116de28 100644 --- a/client/components/boards/boardHeader.jade +++ b/client/components/boards/boardHeader.jade @@ -88,6 +88,10 @@ template(name="boardHeaderBar") a.board-header-btn-close.js-filter-reset(title="{{_ 'filter-clear'}}") i.fa.fa-times-thin + a.board-header-btn.js-open-rules-view(title="{{_ 'rules'}}") + i.fa.fa-cutlery + span {{_ 'rules'}} + a.board-header-btn.js-open-search-view(title="{{_ 'search'}}") i.fa.fa-search span {{_ 'search'}} @@ -290,6 +294,11 @@ template(name="boardChangeTitlePopup") textarea.js-board-desc= description input.primary.wide(type="submit" value="{{_ 'rename'}}") +template(name="boardCreateRulePopup") + p {{_ 'close-board-pop'}} + button.js-confirm.negate.full(type="submit") {{_ 'archive'}} + + template(name="archiveBoardPopup") p {{_ 'close-board-pop'}} button.js-confirm.negate.full(type="submit") {{_ 'archive'}} diff --git a/client/components/boards/boardHeader.js b/client/components/boards/boardHeader.js index 2dfd58c1..bf36da7d 100644 --- a/client/components/boards/boardHeader.js +++ b/client/components/boards/boardHeader.js @@ -108,6 +108,9 @@ BlazeComponent.extendComponent({ 'click .js-open-search-view'() { Sidebar.setView('search'); }, + 'click .js-open-rules-view'() { + Modal.open('rules'); + }, 'click .js-multiselection-activate'() { const currentCard = Session.get('currentCard'); MultiSelection.activate(); diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 0a10f7d5..b93b7e67 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -95,6 +95,8 @@ BlazeComponent.extendComponent({ evt.preventDefault(); Utils.goBoardId(Session.get('currentBoard')); } + console.log(evt) + }, cardIsSelected() { diff --git a/client/components/rules/rules.jade b/client/components/rules/rules.jade new file mode 100644 index 00000000..8f482b06 --- /dev/null +++ b/client/components/rules/rules.jade @@ -0,0 +1,27 @@ +template(name="rules") + .rules + h2 + i.fa.fa-cutlery + | Project rules + + ul.rules-lists + each triggers + li.rules-lists-item + p + = toId + div.rules-btns-group + button + i.fa.fa-eye + | View rule + button + i.fa.fa-trash-o + | Delete rule + else + li.no-items-message No rules + div.rules-add + button + i.fa.fa-plus + | Add rule + input(type=text) + + diff --git a/client/components/rules/rules.js b/client/components/rules/rules.js new file mode 100644 index 00000000..e679431a --- /dev/null +++ b/client/components/rules/rules.js @@ -0,0 +1,25 @@ + +BlazeComponent.extendComponent({ + onCreated() { + this.subscribe('allTriggers'); + }, + + triggers() { + return Triggers.find({}); + }, + events() { + return [{'click .js-add-trigger'(event) { + + event.preventDefault(); + const toName = this.find('#toName').value; + const fromName = this.find('#fromName').value; + const toId = Triggers.findOne().findList(toName)._id; + const fromId = Triggers.findOne().findList(fromName)._id; + console.log(toId); + console.log(fromId); + Triggers.insert({group: "cards", activityType: "moveCard","fromId":fromId,"toId":toId }); + + + },}]; + }, +}).register('rules'); diff --git a/client/components/rules/rules.styl b/client/components/rules/rules.styl new file mode 100644 index 00000000..2aab1b40 --- /dev/null +++ b/client/components/rules/rules.styl @@ -0,0 +1,34 @@ +.rules-list + overflow-y: scroll +.rules-lists-item + display: block + position: relative + overflow: auto + p + display: inline-block + float: left + margin: revert + +.rules-btns-group + position: absolute + right: 0 + top: 50% + transform: translateY(-50%) + button + margin: auto +.rules-add + display: block + overflow: auto + margin-top: 25px + margin-bottom: 5px + input + display: inline-block + float: right + margin: auto + margin-right: 10px + button + display: inline-block + float: right + margin: auto + + \ No newline at end of file diff --git a/client/lib/popup.js b/client/lib/popup.js index 0a700f82..cb56858f 100644 --- a/client/lib/popup.js +++ b/client/lib/popup.js @@ -83,6 +83,7 @@ window.Popup = new class { // our internal dependency, and since we just changed the top element of // our internal stack, the popup will be updated with the new data. if (!self.isOpen()) { + console.log(self.template) self.current = Blaze.renderWithData(self.template, () => { self._dep.depend(); return { ...self._getTopStack(), stack: self._stack }; diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 9244af9c..38d200e6 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -362,6 +362,7 @@ "restore": "Restore", "save": "Save", "search": "Search", + "rules": "Rules", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", "select-color": "Select Color", diff --git a/models/.DS_Store b/models/.DS_Store new file mode 100644 index 00000000..5008ddfc Binary files /dev/null and b/models/.DS_Store differ diff --git a/models/cards.js b/models/cards.js index b6a7b4c6..618c191e 100644 --- a/models/cards.js +++ b/models/cards.js @@ -806,3 +806,4 @@ if (Meteor.isServer) { }); } + diff --git a/models/rules.js b/models/rules.js new file mode 100644 index 00000000..2304d2dc --- /dev/null +++ b/models/rules.js @@ -0,0 +1,38 @@ +Rules = new Mongo.Collection('rules'); + +Rules.attachSchema(new SimpleSchema({ + title: { + type: String, + optional: true, + }, + description: { + type: String, + optional: true, + }, +})); + +Rules.mutations({ + rename(description) { + return { $set: { description } }; + }, +}); + +Rules.allow({ + update: function () { + // add custom authentication code here + return true; + }, +}); + + + + +if (Meteor.isServer) { + Meteor.startup(() => { + const rules = Rules.findOne({}); + if(!rules){ + Rules.insert({title: "regola1", description: "bella"}); + Rules.insert({title: "regola2", description: "bella2"}); + } + }); +} diff --git a/models/triggers.js b/models/triggers.js new file mode 100644 index 00000000..f8dbb50d --- /dev/null +++ b/models/triggers.js @@ -0,0 +1,74 @@ +Triggers = new Mongo.Collection('triggers'); + + + +Triggers.mutations({ + rename(description) { + return { $set: { description } }; + }, +}); + +Triggers.allow({ + update: function () { + // add custom authentication code here + return true; + }, + insert: function () { + // add custom authentication code here + return true; + } +}); + + +Triggers.helpers({ + fromList() { + return Lists.findOne(this.fromId); + }, + + toList() { + return Lists.findOne(this.toId); + }, + + findList(title) { + return Lists.findOne({title:title}); + }, + + labels() { + const boardLabels = this.board().labels; + const cardLabels = _.filter(boardLabels, (label) => { + return _.contains(this.labelIds, label._id); + }); + return cardLabels; + }}); + + + +if (Meteor.isServer) { + Meteor.startup(() => { + const rules = Triggers.findOne({}); + if(!rules){ + Triggers.insert({group: "cards", activityType: "moveCard","fromId":-1,"toId":-1 }); + } + }); +} + + + + Activities.after.insert((userId, doc) => { + const activity = Activities._transform(doc); + const matchedTriggers = Triggers.find({activityType: activity.activityType,fromId:activity.oldListId,toId:activity.listId}) + if(matchedTriggers.count() > 0){ + const card = activity.card(); + const oldTitle = card.title; + const fromListTitle = activity.oldList().title; + Cards.direct.update({_id: card._id, listId: card.listId, boardId: card.boardId, archived: false}, + {$set: {title: "[From "+fromListTitle +"] "+ oldTitle}}); + } + }); + + + + + + + diff --git a/server/.DS_Store b/server/.DS_Store new file mode 100644 index 00000000..75d47436 Binary files /dev/null and b/server/.DS_Store differ diff --git a/server/lib/.DS_Store b/server/lib/.DS_Store new file mode 100644 index 00000000..5008ddfc Binary files /dev/null and b/server/lib/.DS_Store differ diff --git a/server/lib/utils.js b/server/lib/utils.js index c7763933..bdf914ef 100644 --- a/server/lib/utils.js +++ b/server/lib/utils.js @@ -14,3 +14,6 @@ allowIsBoardMemberByCard = function(userId, card) { const board = card.board(); return board && board.hasMember(userId); }; + + + diff --git a/server/publications/rules.js b/server/publications/rules.js new file mode 100644 index 00000000..ae4b898e --- /dev/null +++ b/server/publications/rules.js @@ -0,0 +1,14 @@ +Meteor.publish('rules', (ruleId) => { + check(ruleId, String); + return Rules.find({ _id: ruleId }); +}); + + +Meteor.publish('allRules', () => { + return Rules.find({}); +}); + + +Meteor.publish('allTriggers', () => { + return Triggers.find({}); +}); -- cgit v1.2.3-1-g7c22 From 7e4bd4a0a753531c2716ff39ce88f05b7fc30c0d Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Fri, 3 Aug 2018 20:43:37 +0200 Subject: Add and remove ui --- client/components/rules/rules.jade | 10 +++++----- client/components/rules/rules.js | 30 +++++++++++++++--------------- models/rules.js | 17 ++++++++++++++++- 3 files changed, 36 insertions(+), 21 deletions(-) diff --git a/client/components/rules/rules.jade b/client/components/rules/rules.jade index 8f482b06..6b49b5a7 100644 --- a/client/components/rules/rules.jade +++ b/client/components/rules/rules.jade @@ -5,23 +5,23 @@ template(name="rules") | Project rules ul.rules-lists - each triggers + each rules li.rules-lists-item p - = toId + = title div.rules-btns-group button i.fa.fa-eye | View rule - button + button.js-delete-rule i.fa.fa-trash-o | Delete rule else li.no-items-message No rules div.rules-add - button + button.js-add-rule i.fa.fa-plus | Add rule - input(type=text) + input(type=text,placeholder="New rule name",id="ruleTitle") diff --git a/client/components/rules/rules.js b/client/components/rules/rules.js index e679431a..ed781f9a 100644 --- a/client/components/rules/rules.js +++ b/client/components/rules/rules.js @@ -1,25 +1,25 @@ BlazeComponent.extendComponent({ onCreated() { - this.subscribe('allTriggers'); + this.subscribe('allRules'); }, - triggers() { - return Triggers.find({}); + rules() { + return Rules.find({}); }, events() { - return [{'click .js-add-trigger'(event) { + return [{'click .js-delete-rule'(event) { + const rule = this.currentData(); + Rules.remove(rule._id); + + }, + 'click .js-add-rule'(event) { event.preventDefault(); - const toName = this.find('#toName').value; - const fromName = this.find('#fromName').value; - const toId = Triggers.findOne().findList(toName)._id; - const fromId = Triggers.findOne().findList(fromName)._id; - console.log(toId); - console.log(fromId); - Triggers.insert({group: "cards", activityType: "moveCard","fromId":fromId,"toId":toId }); - + const ruleTitle = this.find('#ruleTitle').value; + Rules.insert({title: ruleTitle}); + this.find('#ruleTitle').value = ""; - },}]; - }, -}).register('rules'); + }}]; + }, + }).register('rules'); diff --git a/models/rules.js b/models/rules.js index 2304d2dc..df0cccea 100644 --- a/models/rules.js +++ b/models/rules.js @@ -5,7 +5,11 @@ Rules.attachSchema(new SimpleSchema({ type: String, optional: true, }, - description: { + triggerId: { + type: String, + optional: true, + }, + actionId: { type: String, optional: true, }, @@ -17,11 +21,22 @@ Rules.mutations({ }, }); + + + Rules.allow({ update: function () { // add custom authentication code here return true; }, + remove: function () { + // add custom authentication code here + return true; + }, + insert: function () { + // add custom authentication code here + return true; + }, }); -- cgit v1.2.3-1-g7c22 From 93cc7f0232ee456aff07e456b9c4601264f47ab4 Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Sat, 4 Aug 2018 15:15:04 +0200 Subject: Triggers view --- client/components/rules/rules.jade | 40 +++++++++++++- client/components/rules/rules.js | 34 +++++++++--- client/components/rules/rules.styl | 106 +++++++++++++++++++++++++++++++++++-- 3 files changed, 170 insertions(+), 10 deletions(-) diff --git a/client/components/rules/rules.jade b/client/components/rules/rules.jade index 6b49b5a7..46c69a8d 100644 --- a/client/components/rules/rules.jade +++ b/client/components/rules/rules.jade @@ -1,10 +1,16 @@ template(name="rules") + if rulesListVar.get + +rulesList + else if rulesTriggerVar.get + +rulesTrigger + +template(name="rulesList") .rules h2 i.fa.fa-cutlery | Project rules - ul.rules-lists + ul.rules-list each rules li.rules-lists-item p @@ -24,4 +30,36 @@ template(name="rules") | Add rule input(type=text,placeholder="New rule name",id="ruleTitle") +template(name="rulesTrigger") + h2 + i.fa.fa-cutlery + | Rule "#{ruleName.get}"" - Add triggers + .triggers-content + .triggers-body + .triggers-side-menu + ul + li.active + i.fa.fa-columns + li + i.fa.fa-sticky-note + li + i.fa.fa-check + .triggers-main-body + +boardTriggers + +template(name="boardTriggers") + div.trigger-item + div.trigger-content + div.trigger-text + | When a card is + div.trigger-dropdown + select + div.trigger-button + i.fa.fa-plus + + + + + + diff --git a/client/components/rules/rules.js b/client/components/rules/rules.js index ed781f9a..9bca3460 100644 --- a/client/components/rules/rules.js +++ b/client/components/rules/rules.js @@ -1,12 +1,15 @@ - BlazeComponent.extendComponent({ onCreated() { - this.subscribe('allRules'); + this.rulesListVar = new ReactiveVar(true); + this.rulesTriggerVar = new ReactiveVar(false); + this.ruleName = new ReactiveVar(""); }, - rules() { - return Rules.find({}); + setTrigger() { + this.rulesListVar.set(false); + this.rulesTriggerVar.set(true); }, + events() { return [{'click .js-delete-rule'(event) { const rule = this.currentData(); @@ -19,7 +22,26 @@ BlazeComponent.extendComponent({ const ruleTitle = this.find('#ruleTitle').value; Rules.insert({title: ruleTitle}); this.find('#ruleTitle').value = ""; - + this.ruleName.set(ruleTitle) + this.setTrigger(); + }}]; + }, + +}).register('rules'); + + +BlazeComponent.extendComponent({ + onCreated() { + this.subscribe('allRules'); + }, + + rules() { + return Rules.find({}); + }, + events() { + return [{}]; }, - }).register('rules'); +}).register('rulesList'); + + diff --git a/client/components/rules/rules.styl b/client/components/rules/rules.styl index 2aab1b40..48a175a5 100644 --- a/client/components/rules/rules.styl +++ b/client/components/rules/rules.styl @@ -1,5 +1,7 @@ .rules-list - overflow-y: scroll + overflow:hidden + overflow-y:scroll + max-height: 400px .rules-lists-item display: block position: relative @@ -19,7 +21,7 @@ .rules-add display: block overflow: auto - margin-top: 25px + margin-top: 15px margin-bottom: 5px input display: inline-block @@ -30,5 +32,103 @@ display: inline-block float: right margin: auto +.flex + display: -webkit-box + display: -moz-box + display: -webkit-flex + display: -moz-flex + display: -ms-flexbox + display: flex + +.triggers-content + color: #727479 + background: #dedede + .triggers-body + display flex + padding-top 15px + height 100% + + .triggers-side-menu + background-color: #f7f7f7; + border: 1px solid #f0f0f0; + border-radius: 4px; + box-shadow: inset -1px -1px 3px rgba(0,0,0,.05); + + ul + + li + margin: 0.1rem 0.2rem; + width:50px + height:50px + text-align:center + font-size: 25px + position: relative + + i + position: absolute; + top: 50%; + left: 50%; + box-shadow: none + transform: translate(-50%,-50%); + + + &.active + background #fff + box-shadow 0 1px 2px rgba(0,0,0,0.15); + + &:hover + background #fff + box-shadow 0 1px 2px rgba(0,0,0,0.15); + a + @extends .flex + padding: 1rem 0 1rem 1rem + width: 100% - 5rem + + + span + font-size: 13px + .triggers-main-body + padding: 0.1em 1em + width:100% + .trigger-item + overflow:auto + padding:10px + height:30px + border-radius: 3px + position: relative + background-color: white + .trigger-content + position:absolute + top:50% + transform: translateY(-50%) + left:10px + .trigger-text + font-size: 16px + display:inline-block + .trigger-dropdown + display:inline-block + select + width:100px + height:30px + margin:0px + .trigger-button + position:absolute + top:50% + transform: translateY(-50%) + width:30px + height:30px + border: 1px solid #eee; + border-radius: 4px; + box-shadow: inset -1px -1px 3px rgba(0,0,0,.05); + text-align:center + font-size: 20px + right:10px + i + position: absolute; + top: 50%; + left: 50%; + box-shadow: none + transform: translate(-50%,-50%); + + - \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 9f65696fccada98dd759b85c4446568fa5cc7458 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 4 Aug 2018 16:47:21 +0300 Subject: Try to fix snap. --- snapcraft.yaml | 15 +++++++-------- 1 file changed, 7 insertions(+), 8 deletions(-) diff --git a/snapcraft.yaml b/snapcraft.yaml index 1c772f76..15cce7d2 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -83,7 +83,6 @@ parts: plugin: nodejs node-engine: 8.11.3 node-packages: - - npm - node-gyp - node-pre-gyp - fibers@2.0.0 @@ -110,14 +109,14 @@ parts: # Fiber.poolSize = 1e9; # Download node version 8.11.3 that has fix included, node binary copied from Sandstorm # Description at https://releases.wekan.team/node.txt - echo "5263dc1c571885921179b11a1c6eb9ca82a95a89b69c15b366f885e9b5a32d66 node" >> node-SHASUMS256.txt.asc - curl https://releases.wekan.team/node -o node + ##echo "5263dc1c571885921179b11a1c6eb9ca82a95a89b69c15b366f885e9b5a32d66 node" >> node-SHASUMS256.txt.asc + ##curl https://releases.wekan.team/node -o node # Verify Fibers patched node authenticity - echo "Fibers 100% CPU issue patched node authenticity:" - grep node node-SHASUMS256.txt.asc | shasum -a 256 -c - - rm -f node-SHASUMS256.txt.asc - chmod +x node - mv node `which node` + ##echo "Fibers 100% CPU issue patched node authenticity:" + ##grep node node-SHASUMS256.txt.asc | shasum -a 256 -c - + ##rm -f node-SHASUMS256.txt.asc + ##chmod +x node + ##mv node `which node` # DOES NOT WORK: paxctl fix. # Removed from build-packages: - paxctl #echo "Applying paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303" -- cgit v1.2.3-1-g7c22 From 9c94ea58b406726c77239965456df50381ba24ef Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 4 Aug 2018 18:47:46 +0300 Subject: Revert snap changes. --- snapcraft.yaml | 15 ++++++++------- 1 file changed, 8 insertions(+), 7 deletions(-) diff --git a/snapcraft.yaml b/snapcraft.yaml index 15cce7d2..1c772f76 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -83,6 +83,7 @@ parts: plugin: nodejs node-engine: 8.11.3 node-packages: + - npm - node-gyp - node-pre-gyp - fibers@2.0.0 @@ -109,14 +110,14 @@ parts: # Fiber.poolSize = 1e9; # Download node version 8.11.3 that has fix included, node binary copied from Sandstorm # Description at https://releases.wekan.team/node.txt - ##echo "5263dc1c571885921179b11a1c6eb9ca82a95a89b69c15b366f885e9b5a32d66 node" >> node-SHASUMS256.txt.asc - ##curl https://releases.wekan.team/node -o node + echo "5263dc1c571885921179b11a1c6eb9ca82a95a89b69c15b366f885e9b5a32d66 node" >> node-SHASUMS256.txt.asc + curl https://releases.wekan.team/node -o node # Verify Fibers patched node authenticity - ##echo "Fibers 100% CPU issue patched node authenticity:" - ##grep node node-SHASUMS256.txt.asc | shasum -a 256 -c - - ##rm -f node-SHASUMS256.txt.asc - ##chmod +x node - ##mv node `which node` + echo "Fibers 100% CPU issue patched node authenticity:" + grep node node-SHASUMS256.txt.asc | shasum -a 256 -c - + rm -f node-SHASUMS256.txt.asc + chmod +x node + mv node `which node` # DOES NOT WORK: paxctl fix. # Removed from build-packages: - paxctl #echo "Applying paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303" -- cgit v1.2.3-1-g7c22 From 04d7c47f4ca990311079be8dd6dc383448ee342f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 4 Aug 2018 21:47:02 +0300 Subject: Update node to v8.12.0 prerelease build. --- Dockerfile | 6 +++--- snapcraft.yaml | 4 ++-- 2 files changed, 5 insertions(+), 5 deletions(-) diff --git a/Dockerfile b/Dockerfile index bfdce234..593e9909 100644 --- a/Dockerfile +++ b/Dockerfile @@ -15,7 +15,7 @@ ARG SRC_PATH # DOES NOT WORK: paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303 # ENV BUILD_DEPS="paxctl" ENV BUILD_DEPS="apt-utils gnupg gosu wget curl bzip2 build-essential python git ca-certificates gcc-7" -ENV NODE_VERSION ${NODE_VERSION:-v8.11.3} +ENV NODE_VERSION ${NODE_VERSION:-v8.12.0} ENV METEOR_RELEASE ${METEOR_RELEASE:-1.6.0.1} ENV USE_EDGE ${USE_EDGE:-false} ENV METEOR_EDGE ${METEOR_EDGE:-1.5-beta.17} @@ -45,10 +45,10 @@ RUN \ # Also see beginning of wekan/server/authentication.js # import Fiber from "fibers"; # Fiber.poolSize = 1e9; - # Download node version 8.11.1 that has fix included, node binary copied from Sandstorm + # Download node version 8.12.0 prerelease that has fix included, # Description at https://releases.wekan.team/node.txt wget https://releases.wekan.team/node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ - echo "40e7990489c13a1ed1173d8fe03af258c6ed964b92a4bd59a0927ac5931054aa node-v8.11.3-linux-x64.tar.gz" >> SHASUMS256.txt.asc && \ + echo "1ed54adb8497ad8967075a0b5d03dd5d0a502be43d4a4d84e5af489c613d7795 node-v8.12.0-linux-x64.tar.gz" >> SHASUMS256.txt.asc && \ \ # Verify nodejs authenticity grep ${NODE_VERSION}-${ARCHITECTURE}.tar.gz SHASUMS256.txt.asc | shasum -a 256 -c - && \ diff --git a/snapcraft.yaml b/snapcraft.yaml index 1c772f76..93c50ae8 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -108,9 +108,9 @@ parts: # Also see beginning of wekan/server/authentication.js # import Fiber from "fibers"; # Fiber.poolSize = 1e9; - # Download node version 8.11.3 that has fix included, node binary copied from Sandstorm + # Download node version 8.12.0 prerelease build, # Description at https://releases.wekan.team/node.txt - echo "5263dc1c571885921179b11a1c6eb9ca82a95a89b69c15b366f885e9b5a32d66 node" >> node-SHASUMS256.txt.asc + echo "375bd8db50b9c692c0bbba6e96d4114cd29bee3770f901c1ff2249d1038f1348 node" >> node-SHASUMS256.txt.asc curl https://releases.wekan.team/node -o node # Verify Fibers patched node authenticity echo "Fibers 100% CPU issue patched node authenticity:" -- cgit v1.2.3-1-g7c22 From 6a2b494713d9e5a36df88626f0b078fd5bb57cf4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 8 Aug 2018 10:38:26 +0300 Subject: Update translations. --- i18n/fa.i18n.json | 42 ++++++++++++------------- i18n/he.i18n.json | 16 +++++----- i18n/ka.i18n.json | 94 +++++++++++++++++++++++++++---------------------------- 3 files changed, 76 insertions(+), 76 deletions(-) diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index 2cd998be..af711d21 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -26,7 +26,7 @@ "act-withBoardTitle": "[Wekan] __board__", "act-withCardTitle": "[__board__] __card__", "actions": "اعمال", - "activities": "فعالیت ها", + "activities": "فعالیت‌ها", "activity": "فعالیت", "activity-added": "%s به %s اضافه شد", "activity-archived": "%s به سطل زباله منتقل شد", @@ -103,7 +103,7 @@ "boardMenuPopup-title": "منوی تخته", "boards": "تخته‌ها", "board-view": "نمایش تخته", - "board-view-cal": "Calendar", + "board-view-cal": "تقویم", "board-view-swimlanes": "Swimlanes", "board-view-lists": "فهرست‌ها", "bucket-example": "برای مثال چیزی شبیه \"لیست سبدها\"", @@ -113,8 +113,8 @@ "card-delete-notice": "حذف دائمی. تمامی موارد مرتبط با این کارت از بین خواهند رفت.", "card-delete-pop": "همه اقدامات از این پردازه (خوراک) حذف خواهد شد و امکان بازگرداندن کارت وجود نخواهد داشت.", "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", - "card-due": "ناشی از", - "card-due-on": "مقتضی بر", + "card-due": "تا", + "card-due-on": "تا", "card-spent": "زمان صرف شده", "card-edit-attachments": "ویرایش ضمائم", "card-edit-custom-fields": "ویرایش فیلدهای شخصی", @@ -169,7 +169,7 @@ "comment-only-desc": "فقط می‌تواند روی کارت‌ها نظر دهد.", "computer": "رایانه", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", + "confirm-checklist-delete-dialog": "مطمئنا چک لیست پاک شود؟", "copy-card-link-to-clipboard": "درج پیوند کارت در حافظه", "copyCardPopup-title": "کپی کارت", "copyChecklistToManyCardsPopup-title": "کپی قالب کارت به کارت‌های متعدد", @@ -186,10 +186,10 @@ "custom-field-checkbox": "جعبه انتخابی", "custom-field-date": "تاریخ", "custom-field-dropdown": "لیست افتادنی", - "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-none": "(هیچ)", "custom-field-dropdown-options": "لیست امکانات", "custom-field-dropdown-options-placeholder": "کلید Enter را جهت افزودن امکانات بیشتر فشار دهید", - "custom-field-dropdown-unknown": "(unknown)", + "custom-field-dropdown-unknown": "(ناشناخته)", "custom-field-number": "عدد", "custom-field-text": "متن", "custom-fields": "فیلدهای شخصی", @@ -211,7 +211,7 @@ "edit-wip-limit": "Edit WIP Limit", "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "تغییر تاریخ آغاز", - "editCardDueDatePopup-title": "تغییر تاریخ بدلیل", + "editCardDueDatePopup-title": "تغییر تاریخ پایان", "editCustomFieldPopup-title": "ویرایش فیلد", "editCardSpentTimePopup-title": "تغییر زمان صرف شده", "editLabelPopup-title": "تغیر برچسب", @@ -253,7 +253,7 @@ "filter-on": "صافی ـFilterـ فعال است", "filter-on-desc": "شما صافی ـFilterـ برای کارتهای تخته را روشن کرده اید. جهت ویرایش کلیک نمایید.", "filter-to-selection": "صافی ـFilterـ برای موارد انتخابی", - "advanced-filter-label": "Advanced Filter", + "advanced-filter-label": "صافی پیشرفته", "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "نام و نام خانوادگی", "header-logo-title": "بازگشت به صفحه تخته.", @@ -304,7 +304,7 @@ "listMorePopup-title": "بیشتر", "link-list": "پیوند به این فهرست", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "با انتقال سیاهه به سطل ذباله می‌توانید ضمن حفظ فعالیت، سیاهه را از تخته حذف کنید.", "lists": "لیست ها", "swimlanes": "Swimlanes", "log-out": "خروج", @@ -324,8 +324,8 @@ "muted-info": "شما هیچگاه از تغییرات این تخته مطلع نخواهید شد", "my-boards": "تخته‌های من", "name": "نام", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", + "no-archived-cards": "کارتی در سطل ذباله نیست.", + "no-archived-lists": "سیاهه‌ای در سطل ذباله نیست.", "no-archived-swimlanes": "No swimlanes in Recycle Bin.", "no-results": "بدون نتیجه", "normal": "عادی", @@ -396,7 +396,7 @@ "title": "عنوان", "tracking": "پیگردی", "tracking-info": "شما از هرگونه تغییر در کارتهایی که بعنوان ایجاد کننده ویا عضو آن هستید، آگاه خواهید شد", - "type": "Type", + "type": "نوع", "unassign-member": "عدم انتصاب کاربر", "unsaved-description": "شما توضیحات ذخیره نشده دارید.", "unwatch": "عدم دیده بانی", @@ -405,7 +405,7 @@ "uploaded-avatar": "تصویر ارسال شد", "username": "نام کاربری", "view-it": "مشاهده", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "هشدار: این کارت در سیاهه‌ای داخل سطح ذباله است", "watch": "دیده بانی", "watching": "درحال دیده بانی", "watching-info": "شما از هر تغییری دراین تخته آگاه خواهید شد", @@ -466,7 +466,7 @@ "no": "خیر", "accounts": "حساب‌ها", "accounts-allowEmailChange": "اجازه تغییر رایانامه", - "accounts-allowUserNameChange": "Allow Username Change", + "accounts-allowUserNameChange": "اجازه تغییر نام کاربری", "createdAt": "ساخته شده در", "verified": "معتبر", "active": "فعال", @@ -476,15 +476,15 @@ "card-end-on": "پایان در", "editCardReceivedDatePopup-title": "تغییر تاریخ رسید", "editCardEndDatePopup-title": "تغییر تاریخ پایان", - "assigned-by": "Assigned By", - "requested-by": "Requested By", + "assigned-by": "محول شده توسط", + "requested-by": "تقاضا شده توسط", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board", + "boardDeletePopup-title": "حذف تخته؟", + "delete-board": "حذف تخته", "default-subtasks-board": "Subtasks for __board__ board", - "default": "Default", - "queue": "Queue", + "default": "پیش‌فرض", + "queue": "صف", "subtask-settings": "Subtasks Settings", "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", "show-subtasks-field": "Cards can have subtasks", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index c035fd1e..68d51c34 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -50,7 +50,7 @@ "add-board": "הוספת לוח", "add-card": "הוספת כרטיס", "add-swimlane": "הוספת מסלול", - "add-subtask": "Add Subtask", + "add-subtask": "הוסף תת משימה", "add-checklist": "הוספת רשימת מטלות", "add-checklist-item": "הוספת פריט לרשימת משימות", "add-cover": "הוספת כיסוי", @@ -103,7 +103,7 @@ "boardMenuPopup-title": "תפריט לוח", "boards": "לוחות", "board-view": "תצוגת לוח", - "board-view-cal": "Calendar", + "board-view-cal": "לוח שנה", "board-view-swimlanes": "מסלולים", "board-view-lists": "רשימות", "bucket-example": "כמו למשל „רשימת המשימות“", @@ -145,7 +145,7 @@ "changePasswordPopup-title": "החלפת ססמה", "changePermissionsPopup-title": "שינוי הרשאות", "changeSettingsPopup-title": "שינוי הגדרות", - "subtasks": "Subtasks", + "subtasks": "תתי משימות", "checklists": "רשימות", "click-to-star": "יש ללחוץ להוספת הלוח למועדפים.", "click-to-unstar": "יש ללחוץ להסרת הלוח מהמועדפים.", @@ -168,8 +168,8 @@ "comment-only": "הערה בלבד", "comment-only-desc": "ניתן להעיר על כרטיסים בלבד.", "computer": "מחשב", - "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", + "confirm-subtask-delete-dialog": "האם למחוק את תת המשימה?", + "confirm-checklist-delete-dialog": "האם אתה בטוח שברצונך למחוק את רשימת המשימות?", "copy-card-link-to-clipboard": "העתקת קישור הכרטיס ללוח הגזירים", "copyCardPopup-title": "העתק כרטיס", "copyChecklistToManyCardsPopup-title": "העתקת תבנית רשימת מטלות למגוון כרטיסים", @@ -483,9 +483,9 @@ "boardDeletePopup-title": "למחוק את הלוח?", "delete-board": "מחיקת לוח", "default-subtasks-board": "Subtasks for __board__ board", - "default": "Default", - "queue": "Queue", - "subtask-settings": "Subtasks Settings", + "default": "ברירת מחדל", + "queue": "תור", + "subtask-settings": "הגדרות תתי משימות", "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", "show-subtasks-field": "Cards can have subtasks", "deposit-subtasks-board": "Deposit subtasks to this board:", diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index 63a448bb..be7cce21 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -19,10 +19,10 @@ "act-importCard": "იმპორტირებულია __ბარათი__", "act-importList": "იმპორტირებულია __სია__", "act-joinMember": "დაამატა __წევრი__ ბარათზე__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", + "act-moveCard": "გადაიტანა __ბარათი __oldList__ დან__ ჩამონათვალ__ში__", + "act-removeBoardMember": "წაშალა__წევრი__ დაფიდან__", + "act-restoredCard": "აღადგინა __ბარათი __დაფა__ზე__", + "act-unjoinMember": "წაშალა__წევრი__ ბარათი __დან__", "act-withBoardTitle": "[Wekan] __დაფა__", "act-withCardTitle": "[__დაფა__] __ბარათი__", "actions": "მოქმედებები", @@ -40,7 +40,7 @@ "activity-moved": "moved %s from %s to %s", "activity-on": " %s-ზე", "activity-removed": "წაიშალა %s %s-დან", - "activity-sent": "sent %s to %s", + "activity-sent": "გაიგზავნა %s %s-ში", "activity-unjoined": "არ შემოუერთდა %s", "activity-subtask-added": "დაამატა ქვესაქმიანობა %s", "activity-checklist-added": "დაემატა ჩამონათვალი %s-ს", @@ -62,7 +62,7 @@ "admin": "ადმინი", "admin-desc": "შეუძლია ნახოს და შეასწოროს ბარათები, წაშალოს წევრები და შეცვალოს დაფის პარამეტრები. ", "admin-announcement": "განცხადება", - "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-active": "აქტიური სისტემა-ფართო განცხადება", "admin-announcement-title": "შეტყობინება ადმინისტრატორისთვის", "all-boards": "ყველა დაფა", "and-n-other-card": "და __count__ სხვა ბარათი", @@ -106,27 +106,27 @@ "board-view-cal": "კალენდარი", "board-view-swimlanes": "ბილიკები", "board-view-lists": "ჩამონათვალი", - "bucket-example": "მოიწონეთ “Bucket List” მაგალითად", + "bucket-example": "მაგალითად “Bucket List” ", "cancel": "გაუქმება", "card-archived": "ბარათი გადატანილია სანაგვე ურნაში ", "card-comments-title": "ამ ბარათს ჰქონდა%s კომენტარი.", "card-delete-notice": "წაშლის შემთხვევაში ამ ბარათთან ასცირებული ყველა მოქმედება დაიკარგება.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-pop": "ყველა მოქმედება წაიშლება აქტივობების ველიდან და თქვენ აღარ შეგეძლებათ ბარათის ხელახლა გახსნა. დაბრუნება შეუძლებელია.", + "card-delete-suggest-archive": "თქვენ შეგიძლიათ გადაიტანოთ ბარათი სანაგვე ურნაში რათა წაშალოთ ის დაფიდან და დაიცვათ აქტივობა. ", "card-due": "საბოლოო ვადა ", "card-due-on": "საბოლოო ვადა", "card-spent": "დახარჯული დრო", "card-edit-attachments": "მიბმული ფაილის შესწორება", - "card-edit-custom-fields": "Edit custom fields", + "card-edit-custom-fields": "მომხმარებლის ველის შესწორება", "card-edit-labels": "ნიშნის შესწორება", "card-edit-members": "მომხმარებლების შესწორება", "card-labels-title": "ნიშნის შეცვლა ბარათისთვის.", - "card-members-title": "Add or remove members of the board from the card.", + "card-members-title": "დაამატეთ ან წაშალეთ დაფის წევრი ბარათიდან. ", "card-start": "დაწყება", "card-start-on": "დაიწყება", "cardAttachmentsPopup-title": "მიბმა შემდეგი წყაროდან: ", "cardCustomField-datePopup-title": "დროის ცვლილება", - "cardCustomFieldsPopup-title": "Edit custom fields", + "cardCustomFieldsPopup-title": "მომხმარებლის ველის შესწორება", "cardDeletePopup-title": "წავშალოთ ბარათი? ", "cardDetailsActionsPopup-title": "ბარათის მოქმედებები", "cardLabelsPopup-title": "ნიშნები", @@ -170,11 +170,11 @@ "computer": "კომპიუტერი", "confirm-subtask-delete-dialog": "დარწმუნებული ხართ, რომ გსურთ ქვესაქმიანობის წაშლა? ", "confirm-checklist-delete-dialog": "დარწმუნებული ხართ, რომ გსურთ კატალოგის წაშლა ? ", - "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copy-card-link-to-clipboard": "დააკოპირეთ ბარათის ბმული clipboard-ზე", "copyCardPopup-title": "ბარათის ასლი", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "copyChecklistToManyCardsPopup-format": "[ {\"სათაური\": \"პირველი ბარათის სათაური\", \"აღწერა\":\"პირველი ბარათის აღწერა\"}, {\"სათაური\":\"მეორე ბარათის სათაური\",\"აღწერა\":\"მეორე ბარათის აღწერა\"},{\"სათაური\":\"ბოლო ბარათის სათაური\",\"აღწერა\":\"ბოლო ბარათის აღწერა\"} ]", "create": "შექმნა", "createBoardPopup-title": "დაფის შექმნა", "chooseBoardSourcePopup-title": "დაფის იმპორტი", @@ -182,26 +182,26 @@ "createCustomField": "ველის შექმნა", "createCustomFieldPopup-title": "ველის შექმნა", "current": "მიმდინარე", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", + "custom-field-delete-pop": "ქმედება გამოიწვევს მომხმარებლის ველის წაშლას ყველა ბარათიდან და გაანადგურებს მის ისტორიას, რის შემდეგაც შეუძლებელი იქნება მისი უკან დაბრუნება. ", + "custom-field-checkbox": "მოსანიშნი გრაფა", "custom-field-date": "თარიღი", "custom-field-dropdown": "ჩამოსაშლელი სია", "custom-field-dropdown-none": "(ცარიელი)", - "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options": "პარამეტრების სია", "custom-field-dropdown-options-placeholder": "დამატებითი პარამეტრების სანახავად დააჭირეთ enter-ს. ", "custom-field-dropdown-unknown": "(უცნობი)", "custom-field-number": "რიცხვი", "custom-field-text": "ტექსტი", - "custom-fields": "Custom Fields", + "custom-fields": "მომხმარებლის ველი", "date": "თარიღი", "decline": "უარყოფა", "default-avatar": "სტანდარტული ავატარი", "delete": "წაშლა", - "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteCustomFieldPopup-title": "წავშალოთ მომხმარებლის ველი? ", "deleteLabelPopup-title": "ნამდვილად გსურთ ნიშნის წაშლა? ", "description": "აღწერა", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "disambiguateMultiLabelPopup-title": "გაუგებარი ნიშნის მოქმედება", + "disambiguateMultiMemberPopup-title": "გაუგებარი წევრის მოქმედება", "discard": "უარყოფა", "done": "დასრულებული", "download": "ჩამოტვირთვა", @@ -209,7 +209,7 @@ "edit-avatar": "სურათის შეცვლა", "edit-profile": "პროფილის შესწორება", "edit-wip-limit": " WIP ლიმიტის შესწორება", - "soft-wip-limit": "Soft WIP Limit", + "soft-wip-limit": "მსუბუქი WIP შეზღუდვა ", "editCardStartDatePopup-title": "დაწყების დროის შეცვლა", "editCardDueDatePopup-title": "შეცვალეთ დედლაინი", "editCustomFieldPopup-title": "ველების შესწორება", @@ -231,12 +231,12 @@ "email-sent": "ელ.ფოსტა გაგზავნილია", "email-verifyEmail-subject": "შეამოწმეთ ელ.ფოსტის მისამართი __siteName-ზე__", "email-verifyEmail-text": "გამარჯობა __user__,\n\nანგარიშის ელ.ფოსტის შესამოწმებლად დააკლიკეთ ქვედა ბმულს.\n\n__url__\n\nმადლობა.", - "enable-wip-limit": "Enable WIP Limit", + "enable-wip-limit": "გავააქტიუროთ WIP ლიმიტი", "error-board-doesNotExist": "მსგავსი დაფა არ არსებობს", "error-board-notAdmin": "ამის გასაკეთებლად საჭიროა იყოთ დაფის ადმინისტრატორი", "error-board-notAMember": "ამის გასაკეთებლად საჭიროა იყოთ დაფის წევრი", "error-json-malformed": "შენი ტექსტი არ არის ვალიდური JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-json-schema": "თქვენი JSON მონაცემები არ შეიცავს ზუსტ ინფორმაციას სწორ ფორმატში ", "error-list-doesNotExist": "ეს ცხრილი არ არსებობს", "error-user-doesNotExist": "მსგავსი მომხმარებელი არ არსებობს", "error-user-notAllowSelf": "თქვენ არ შეგიძლიათ საკუთარი თავის მოწვევა", @@ -249,12 +249,12 @@ "filter-clear": "ფილტრის გასუფთავება", "filter-no-label": "ნიშანი არ გვაქვს", "filter-no-member": "არ არის წევრები ", - "filter-no-custom-fields": "No Custom Fields", + "filter-no-custom-fields": "არა მომხმარებლის ველი", "filter-on": "ფილტრი ჩართულია", "filter-on-desc": "თქვენ ფილტრავთ ბარათებს ამ დაფაზე. დააკლიკეთ აქ ფილტრაციის შესწორებისთვის. ", "filter-to-selection": "მონიშნულის გაფილტვრა", "advanced-filter-label": "გაფართოებული ფილტრაცია", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "გაფართოებული ფილტრაცია, უფლებას გაძლევთ დაწეროთ მწკრივი რომლებიც შეიცავენ შემდეგ ოპერაციებს : == != <= >= && || ( ) space გამოიყენება როგორც გამმიჯნავი ოპერაციებს შორის. თქვენ შეგიძლიათ გაფილტროთ მომხმარებლის ველი მათი სახელებისა და ღირებულებების მიხედვით. მაგალითად: Field1 == Value1. გაითვალისწინეთ რომ თუ ველი ან ღირებულება შეიცავს space-ს თქვენ დაგჭირდებათ მათი მოთავსება ერთ ციტატაში მაგ: 'Field 1' == 'Value 1'. ერთი კონტროლის სიმბოლოებისთვის (' \\/) გამოტოვება, შეგიძლიათ გამოიყენოთ \\. მაგ: Field1 == I\\'m. აგრეთვე თქვენ შეგიძლიათ შეურიოთ რამოდენიმე კომბინაცია. მაგალითად: F1 == V1 || F1 == V2. როგორც წესი ყველა ოპერაცია ინტერპრეტირებულია მარცხნიდან მარჯვნივ. თქვენ შეგიძლიათ შეცვალოთ რიგითობა ფრჩხილების შეცვლით მაგალითად: F1 == V1 && ( F2 == V2 || F2 == V3 ). აგრეთვე შეგიძლიათ მოძებნოთ ტექსტის ველები რეგექსით F1 == /Tes.*/i", "fullname": "სახელი და გვარი", "header-logo-title": "დაბრუნდით უკან დაფების გვერდზე.", "hide-system-messages": "დამალეთ სისტემური შეტყობინებები", @@ -274,7 +274,7 @@ "import-map-members": "რუკის წევრები", "import-members-map": "თქვენს იმპორტირებულ დაფას ჰყავს მომხმარებლები. გთხოვთ დაამატოთ ის წევრები რომლის იმპორტიც გსურთ Wekan მომხმარებლებში", "import-show-user-mapping": "მომხმარებლის რუკების განხილვა", - "import-user-select": "Pick the Wekan user you want to use as this member", + "import-user-select": "აირჩიეთ Wekan მომხმარებელი, რომელიც გსურთ რომ გახდეს წევრი", "importMapMembersAddPopup-title": "მონიშნეთ Wekan მომხმარებელი", "info": "ვერსია", "initials": "ინიციალები", @@ -289,12 +289,12 @@ "label-delete-pop": "იმ შემთხვევაში თუ წაშლით ნიშანს, ყველა ბარათიდან ისტორია ავტომატურად წაიშლება და შეუძლებელი იქნება მისი უკან დაბრუნება.", "labels": "ნიშნები", "language": "ენა", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "last-admin-desc": "თქვენ ვერ შეცვლით როლებს რადგან უნდა არსებობდეს ერთი ადმინი მაინც.", "leave-board": "დატოვეთ დაფა", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leave-board-pop": "დარწმუნებული ხართ, რომ გინდათ დატოვოთ __boardTitle__? თქვენ წაიშლებით ამ დაფის ყველა ბარათიდან. ", "leaveBoardPopup-title": "გსურთ დაფის დატოვება? ", "link-card": "დააკავშირეთ ამ ბარათთან", - "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards": "ყველა ბარათის სანაგვე ურნაში გადატანა", "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", "list-move-cards": "გადაიტანე ყველა ბარათი ამ სიაში", "list-select-cards": "მონიშნე ყველა ბარათი ამ სიაში", @@ -331,14 +331,14 @@ "normal": "ნორმალური", "normal-desc": "შეუძლია ნახოს და შეასწოროს ბარათები. ამ პარამეტრების შეცვლა შეუძლებელია. ", "not-accepted-yet": "მოწვევა ჯერ არ დადასტურებულა", - "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-participate": "მიიღეთ განახლებები ნებისმიერ ბარათზე, რომელშიც მონაწილეობთ, როგორც შემქმნელი ან წევრი. ", "notify-watch": "მიიღეთ განახლებები ყველა დაფაზე, ჩამონათვალზე ან ბარათებზე, რომელსაც თქვენ აკვირდებით", "optional": "არჩევითი", "or": "ან", "page-maybe-private": "ეს გვერდი შესაძლოა იყოს კერძო. თქვენ შეგეძლებათ მისი ნახვა logging in მეშვეობით.", "page-not-found": "გვერდი არ მოიძებნა.", "password": "პაროლი", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "paste-or-dragdrop": "ჩასმისთვის, ან drag & drop-ისთვის ჩააგდეთ სურათი აქ (მხოლოდ სურათი)", "participating": "მონაწილეობა", "preview": "წინასწარ ნახვა", "previewAttachedImagePopup-title": "წინასწარ ნახვა", @@ -348,7 +348,7 @@ "profile": "პროფილი", "public": "საჯარო", "public-desc": "ეს დაფა არის საჯარო. ის ხილვადია ყველასთვის და შესაძლოა გამოჩნდეს საძიებო სისტემებში. შესწორების უფლება აქვს მხოლოდ მასზე დამატებულ პირებს. ", - "quick-access-description": "Star a board to add a shortcut in this bar.", + "quick-access-description": "მონიშნეთ დაფა ვარსკვლავით იმისთვის, რომ დაამატოთ სწრაფი ბმული ამ ნაწილში.", "remove-cover": "გარეკანის წაშლა", "remove-from-board": "დაფიდან წაშლა", "remove-label": "ნიშნის წაშლა", @@ -362,10 +362,10 @@ "restore": "აღდგენა", "save": "დამახსოვრება", "search": "ძებნა", - "search-cards": "Search from card titles and descriptions on this board", + "search-cards": "მოძებნეთ ბარათის სახელით და აღწერით ამ დაფაზე", "search-example": "საძიებო ტექსტი", "select-color": "ფერის მონიშვნა", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "set-wip-limit-value": "დააყენეთ შეზღუდვა დავალებების მაქსიმალურ რაოდენობაზე ", "setWipLimitPopup-title": "დააყენეთ WIP ლიმიტი", "shortcut-assign-self": "მონიშნეთ საკუთარი თავი აღნიშნულ ბარათზე", "shortcut-autocomplete-emoji": "emoji-ის ავტომატური შევსება", @@ -374,13 +374,13 @@ "shortcut-close-dialog": "დიალოგის დახურვა", "shortcut-filter-my-cards": "ჩემი ბარათების გაფილტვრა", "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "shortcut-toggle-filterbar": "ფილტრაციის გვერდითა ღილაკი", + "shortcut-toggle-sidebar": "გვერდით მენიუს ჩართვა/გამორთვა", "show-cards-minimum-count": "აჩვენეთ ბარათების დათვლილი რაოდენობა თუ ჩამონათვალი შეიცავს უფრო მეტს ვიდრე ", "sidebar-open": "გახსენით მცირე სტატია", "sidebar-close": "დახურეთ მცირე სტატია", "signupPopup-title": "ანგარიშის შექმნა", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "star-board-title": "დააკლიკეთ დაფის ვარსკვლავით მონიშვნისთვის. ეს ქმედება დაგეხმარებათ გამოაჩინოთ დაფა ჩამონათვალში ზედა პოზიციებზე. ", "starred-boards": "ვარსკვლავიანი დაფები", "starred-boards-description": "Starred boards show up at the top of your boards list.", "subscribe": "გამოწერა", @@ -390,12 +390,12 @@ "spent-time-hours": "დახარჯული დრო (საათები)", "overtime-hours": "ზედმეტი დრო (საათები) ", "overtime": "ზედმეტი დრო", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", + "has-overtime-cards": "აქვს ვადაგადაცდილებული ბარათები", + "has-spenttime-cards": "აქვს გახარჯული დროის ბარათები", "time": "დრო", "title": "სათაური", "tracking": "მონიტორინგი", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "tracking-info": "თქვენ მოგივათ შეტყობინება ამ ბარათებში განხორციელებული ნებისმიერი ცვლილებების შესახებ, როგორც შემქმნელს ან წევრს. ", "type": "ტიპი", "unassign-member": "არაუფლებამოსილი წევრი", "unsaved-description": "თქვან გაქვთ დაუმახსოვრებელი აღწერა. ", @@ -408,11 +408,11 @@ "warn-list-archived": "გაფრთხილება: ეს ბარათი არის ჩამონათვალში სანაგვე ურნაში", "watch": "ნახვა", "watching": "ნახვის პროცესი", - "watching-info": "You will be notified of any change in this board", + "watching-info": "თქვენ მოგივათ შეტყობინება ამ დაფაზე არსებული ნებისმიერი ცვლილების შესახებ. ", "welcome-board": "მისასალმებელი დაფა", - "welcome-swimlane": "Milestone 1", + "welcome-swimlane": "ეტაპი 1 ", "welcome-list1": "ბაზისური ", - "welcome-list2": "Advanced", + "welcome-list2": "დაწინაურებული", "what-to-do": "რისი გაკეთება გსურთ? ", "wipLimitErrorPopup-title": "არასწორი WIP ლიმიტი", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", @@ -443,12 +443,12 @@ "email-smtp-test-text": "თქვენ წარმატებით გააგზავნეთ ელ.ფოსტა.", "error-invitation-code-not-exist": "მსგავსი მოსაწვევი კოდი არ არსებობს", "error-notAuthorized": "თქვენ არ გაქვთ ამ გვერდის ნახვის უფლება", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "outgoing-webhooks": "გამავალი Webhook", + "outgoingWebhooksPopup-title": "გამავალი Webhook", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(უცნობი)", "Wekan_version": "Wekan ვერსია", - "Node_version": "Node version", + "Node_version": "Node ვერსია", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", "OS_Freemem": "OS თავისუფალი მეხსიერება", -- cgit v1.2.3-1-g7c22 From 787941857d14fb63d4a292e4452c08d3fec1036d Mon Sep 17 00:00:00 2001 From: Yanonix Date: Thu, 9 Aug 2018 12:23:34 +0300 Subject: Fix showing only the cards of the current board in calendar view --- models/boards.js | 1 + 1 file changed, 1 insertion(+) diff --git a/models/boards.js b/models/boards.js index 76a8f704..c51a9865 100644 --- a/models/boards.js +++ b/models/boards.js @@ -372,6 +372,7 @@ Boards.helpers({ cardsInInterval(start, end) { return Cards.find({ + boardId: this._id, $or: [ { startAt: { -- cgit v1.2.3-1-g7c22 From 445aa89e4f7b41eb94902d75dfd3fc2074d1e950 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 9 Aug 2018 12:46:19 +0300 Subject: - Use new WITH_API and Matomo env variables at Dockerfile. Closes #1820 --- Dockerfile | 11 +++++++++++ 1 file changed, 11 insertions(+) diff --git a/Dockerfile b/Dockerfile index 593e9909..39002070 100644 --- a/Dockerfile +++ b/Dockerfile @@ -10,6 +10,11 @@ ARG NPM_VERSION ARG FIBERS_VERSION ARG ARCHITECTURE ARG SRC_PATH +ARG WITH_API +ARG MATOMO_ADDRESS +ARG MATOMO_SITE_ID +ARG MATOMO_DO_NOT_TRACK +ARG MATOMO_WITH_USERNAME # Set the environment variables (defaults where required) # DOES NOT WORK: paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303 @@ -23,6 +28,12 @@ ENV NPM_VERSION ${NPM_VERSION:-latest} ENV FIBERS_VERSION ${FIBERS_VERSION:-2.0.0} ENV ARCHITECTURE ${ARCHITECTURE:-linux-x64} ENV SRC_PATH ${SRC_PATH:-./} +ENV WITH_API ${WITH_API:-true} +ENV MATOMO_ADDRESS ${MATOMO_ADDRESS:-} +ENV MATOMO_SITE_ID ${MATOMO_SITE_ID:-} +ENV MATOMO_DO_NOT_TRACK ${MATOMO_DO_NOT_TRACK:-false} +ENV MATOMO_WITH_USERNAME ${MATOMO_WITH_USERNAME:-true} + # Copy the app to the image COPY ${SRC_PATH} /home/wekan/app -- cgit v1.2.3-1-g7c22 From 49c471d8164079dd6b485226bc7e44dcf5f3cada Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 9 Aug 2018 12:50:04 +0300 Subject: Use new WITH_API and Matomo env variables at Dockerfile. Thanks to xadagaras and xet7 ! --- CHANGELOG.md | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 67be920c..4f1c3727 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,7 +3,8 @@ This release fixes the following bugs: - [Enable Wekan API by default, so that Export Board to JSON works](https://github.com/wekan/wekan/commit/b2eeff96977592deaeb23a8171fc3b13f8c6c5dc); -- [Fix the flagging of dates](https://github.com/wekan/wekan/pull/1814). +- [Fix the flagging of dates](https://github.com/wekan/wekan/pull/1814); +- [Use new WITH_API and Matomo env variables at Dockerfile](https://github.com/wekan/wekan/issues/1820). Thanks to GitHub users rjevnikar and xet7 for their contributions. -- cgit v1.2.3-1-g7c22 From b5022529ac255d16b8f588846fe3e2f50de8b499 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 9 Aug 2018 12:51:28 +0300 Subject: - Use new WITH_API and Matomo env variables at Dockerfile. Thanks to xadagaras and xet7 ! Closes #1820 --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 4f1c3727..001639e8 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -6,7 +6,7 @@ This release fixes the following bugs: - [Fix the flagging of dates](https://github.com/wekan/wekan/pull/1814); - [Use new WITH_API and Matomo env variables at Dockerfile](https://github.com/wekan/wekan/issues/1820). -Thanks to GitHub users rjevnikar and xet7 for their contributions. +Thanks to GitHub users rjevnikar, xadagaras and xet7 for their contributions. # v1.23 2018-07-30 Wekan release -- cgit v1.2.3-1-g7c22 From ae5ea46d7f924ab6a99ec901aa2342c1f31c91e2 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 9 Aug 2018 13:15:53 +0300 Subject: v1.24 --- CHANGELOG.md | 15 +++++++++++---- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 14 insertions(+), 7 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 001639e8..033ab137 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,12 +1,19 @@ -# Upcoming Wekan release +# v1.24 2018-08-09 Wekan release -This release fixes the following bugs: +This release add the following new features: + +- [Update node to v8.12.0 prerelease build](https://github.com/wekan/wekan/commit/04d7c47f4ca990311079be8dd6dc383448ee342f). + +and fixes the following bugs: - [Enable Wekan API by default, so that Export Board to JSON works](https://github.com/wekan/wekan/commit/b2eeff96977592deaeb23a8171fc3b13f8c6c5dc); - [Fix the flagging of dates](https://github.com/wekan/wekan/pull/1814); -- [Use new WITH_API and Matomo env variables at Dockerfile](https://github.com/wekan/wekan/issues/1820). +- [Use new WITH_API and Matomo env variables at Dockerfile](https://github.com/wekan/wekan/issues/1820); +- For OpenShift compliance, [change](https://github.com/wekan/wekan/commit/53d545eeef7e796bd910f7cce666686ca05de544) + [run user](https://github.com/wekan/wekan/pull/1816) + and [Docker internal port to 8080](https://github.com/wekan/wekan/commit/95b21943ee7a9fa5a27efe5276307febc2fbad94). -Thanks to GitHub users rjevnikar, xadagaras and xet7 for their contributions. +Thanks to GitHub users rjevnikar, tdemaret, xadagaras and xet7 for their contributions. # v1.23 2018-07-30 Wekan release diff --git a/package.json b/package.json index 1902bf20..d2856af6 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.23.0", + "version": "1.24.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 99abc34e..9eb192c0 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 108, + appVersion = 109, # Increment this for every release. - appMarketingVersion = (defaultText = "1.23.0~2018-07-30"), + appMarketingVersion = (defaultText = "1.24.0~2018-08-09"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 945ffeda3488d8b24064fb1e0021c16a97d2c1dd Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 9 Aug 2018 13:27:18 +0300 Subject: v1.25 --- CHANGELOG.md | 8 ++++++++ package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 11 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 033ab137..d6727562 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# v1.25 2018-08-09 Wekan release + +This release fixes the following bugs: + +- [Fix showing only the cards of the current board in calendar view](https://github.com/wekan/wekan/pull/1822). + +Thanks to GitHub user Yanonix for contributions. + # v1.24 2018-08-09 Wekan release This release add the following new features: diff --git a/package.json b/package.json index d2856af6..77c831da 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.24.0", + "version": "1.25.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 9eb192c0..d9e24978 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 109, + appVersion = 110, # Increment this for every release. - appMarketingVersion = (defaultText = "1.24.0~2018-08-09"), + appMarketingVersion = (defaultText = "1.25.0~2018-08-09"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From a300b73d56750a1a5645767d375be60839314e84 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 9 Aug 2018 16:56:58 +0300 Subject: - Set WITH_API=true on Sandstorm, so that export works. Thanks to xet7 ! --- sandstorm-pkgdef.capnp | 1 + 1 file changed, 1 insertion(+) diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index d9e24978..9cc7070a 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -237,6 +237,7 @@ const myCommand :Spk.Manifest.Command = ( environ = [ # Note that this defines the *entire* environment seen by your app. (key = "PATH", value = "/usr/local/bin:/usr/bin:/bin"), + (key = "WITH_API", value = "true"), (key = "SANDSTORM", value = "1"), (key = "METEOR_SETTINGS", value = "{\"public\": {\"sandstorm\": true}}") ] -- cgit v1.2.3-1-g7c22 From acd105e61b9dca5a78354047bbc23b0a01e71d8c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 9 Aug 2018 17:08:22 +0300 Subject: - Set Matomo blank settings on Sandstorm. Thanks to xet7 ! --- CHANGELOG.md | 8 ++++++++ sandstorm-pkgdef.capnp | 4 ++++ 2 files changed, 12 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index d6727562..d22bdf27 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# v1.26 2018-08-09 Wekan release + +This release fixes the following bugs: + +- [Set WITH_API=true on Sandstorm, so that export works]((https://github.com/wekan/wekan/commit/a300b73d56750a1a5645767d375be60839314e84). + +Thanks to GitHub user xet7 for contributions. + # v1.25 2018-08-09 Wekan release This release fixes the following bugs: diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 9cc7070a..e95fe711 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -238,6 +238,10 @@ const myCommand :Spk.Manifest.Command = ( # Note that this defines the *entire* environment seen by your app. (key = "PATH", value = "/usr/local/bin:/usr/bin:/bin"), (key = "WITH_API", value = "true"), + (key = "MATOMO_ADDRESS", value=""), + (key = "MATOMO_SITE_ID", value=""), + (key = "MATOMO_DO_NOT_TRACK", value="false"), + (key = "MATOMO_WITH_USERNAME", value="true"), (key = "SANDSTORM", value = "1"), (key = "METEOR_SETTINGS", value = "{\"public\": {\"sandstorm\": true}}") ] -- cgit v1.2.3-1-g7c22 From 193af893ee4da894e9494792306f5825e99de74a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 9 Aug 2018 17:11:02 +0300 Subject: v1.26 --- CHANGELOG.md | 3 ++- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 5 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index d22bdf27..a8be1680 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,7 +2,8 @@ This release fixes the following bugs: -- [Set WITH_API=true on Sandstorm, so that export works]((https://github.com/wekan/wekan/commit/a300b73d56750a1a5645767d375be60839314e84). +- [Set WITH_API=true setting on Sandstorm, and so that export works](https://github.com/wekan/wekan/commit/a300b73d56750a1a5645767d375be60839314e84); +- [Set Matomo blank settings on Sandstorm](https://github.com/wekan/wekan/commit/acd105e61b9dca5a78354047bbc23b0a01e71d8c). Thanks to GitHub user xet7 for contributions. diff --git a/package.json b/package.json index 77c831da..520a197e 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.25.0", + "version": "1.26.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index e95fe711..570ff46d 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 110, + appVersion = 111, # Increment this for every release. - appMarketingVersion = (defaultText = "1.25.0~2018-08-09"), + appMarketingVersion = (defaultText = "1.26.0~2018-08-09"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From dcc7b2970f3635b95bc71e3fc163a51cacad0931 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Tue, 20 Mar 2018 00:13:42 -0300 Subject: Add UI for importing card-as-card and board-as-card --- client/components/forms/forms.styl | 3 + client/components/lists/list.styl | 11 ++++ client/components/lists/listBody.jade | 53 ++++++++++++++++- client/components/lists/listBody.js | 106 ++++++++++++++++++++++++++++++++++ i18n/en.i18n.json | 5 ++ models/boards.js | 4 ++ models/cards.js | 7 +++ server/migrations.js | 11 ++++ 8 files changed, 199 insertions(+), 1 deletion(-) diff --git a/client/components/forms/forms.styl b/client/components/forms/forms.styl index 0a905943..5be70b7a 100644 --- a/client/components/forms/forms.styl +++ b/client/components/forms/forms.styl @@ -225,9 +225,12 @@ textarea .edit-controls, .add-controls + display: flex + align-items: baseline margin-top: 0 button[type=submit] + input[type=button] float: left height: 32px margin-top: -2px diff --git a/client/components/lists/list.styl b/client/components/lists/list.styl index fa32ff6d..0e170ebf 100644 --- a/client/components/lists/list.styl +++ b/client/components/lists/list.styl @@ -187,3 +187,14 @@ padding: 7px top: -@padding right: 17px + +.import-board-wrapper + display: flex + align-items: baseline + + .js-import-board + margin-left: 15px + +.search-card-results + max-height: 250px + overflow: hidden diff --git a/client/components/lists/listBody.jade b/client/components/lists/listBody.jade index 32c6b278..e0655fc2 100644 --- a/client/components/lists/listBody.jade +++ b/client/components/lists/listBody.jade @@ -34,8 +34,59 @@ template(name="addCardForm") .add-controls.clearfix button.primary.confirm(type="submit") {{_ 'add'}} - a.fa.fa-times-thin.js-close-inlined-form + span.quiet + | {{_ 'or'}} + a.js-import {{_ 'import'}} template(name="autocompleteLabelLine") .minicard-label(class="card-label-{{colorName}}" title=labelName) span(class="{{#if hasNoName}}quiet{{/if}}")= labelName + +template(name="importCardPopup") + label {{_ 'boards'}}: + .import-board-wrapper + select.js-select-boards + each boards + if $eq _id currentBoard._id + option(value="{{_id}}" selected) {{_ 'current'}} + else + option(value="{{_id}}") {{title}} + input.primary.confirm.js-import-board(type="submit" value="{{_ 'add'}}") + + label {{_ 'swimlanes'}}: + select.js-select-swimlanes + each swimlanes + option(value="{{_id}}") {{title}} + + label {{_ 'lists'}}: + select.js-select-lists + each lists + option(value="{{_id}}") {{title}} + + label {{_ 'cards'}}: + select.js-select-lists + each cards + option(value="{{_id}}") {{title}} + + .edit-controls.clearfix + input.primary.confirm.js-done(type="submit" value="{{_ 'done'}}") + span.quiet + | {{_ 'or'}} + a.js-search {{_ 'search'}} + +template(name="searchCardPopup") + label {{_ 'boards'}}: + .import-board-wrapper + select.js-select-boards + each boards + if $eq _id currentBoard._id + option(value="{{_id}}" selected) {{_ 'current'}} + else + option(value="{{_id}}") {{title}} + form.js-search-term-form + input(type="text" name="searchTerm" placeholder="{{_ 'search-example'}}" autofocus) + .list-body.js-perfect-scrollbar.search-card-results + .minicards.clearfix.js-minicards + each results + a.minicard-wrapper.js-minicard + +minicard(this) diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 0a10f7d5..4cae9f0b 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -1,3 +1,5 @@ +const subManager = new SubsManager(); + BlazeComponent.extendComponent({ mixins() { return [Mixins.PerfectScrollbar]; @@ -55,6 +57,7 @@ BlazeComponent.extendComponent({ boardId: boardId._id, sort: sortIndex, swimlaneId, + type: 'cardType-card', }); // In case the filter is active we need to add the newly inserted card in // the list of exceptions -- cards that are not filtered. Otherwise the @@ -197,6 +200,7 @@ BlazeComponent.extendComponent({ events() { return [{ keydown: this.pressKey, + 'click .js-import': Popup.open('importCard'), }]; }, @@ -268,3 +272,105 @@ BlazeComponent.extendComponent({ }); }, }).register('addCardForm'); + +BlazeComponent.extendComponent({ + onCreated() { + subManager.subscribe('board', Session.get('currentBoard')); + this.selectedBoardId = new ReactiveVar(Session.get('currentBoard')); + }, + + boards() { + const boards = Boards.find({ + archived: false, + 'members.userId': Meteor.userId(), + }, { + sort: ['title'], + }); + return boards; + }, + + swimlanes() { + const board = Boards.findOne(this.selectedBoardId.get()); + return board.swimlanes(); + }, + + lists() { + const board = Boards.findOne(this.selectedBoardId.get()); + return board.lists(); + }, + + cards() { + const board = Boards.findOne(this.selectedBoardId.get()); + return board.cards(); + }, + + events() { + return [{ + 'change .js-select-boards'(evt) { + this.selectedBoardId.set($(evt.currentTarget).val()); + subManager.subscribe('board', this.selectedBoardId.get()); + }, + 'submit .js-done' (evt) { + // IMPORT CARD + evt.preventDefault(); + // XXX We should *not* get the currentCard from the global state, but + // instead from a “component” state. + const card = Cards.findOne(Session.get('currentCard')); + const lSelect = $('.js-select-lists')[0]; + const newListId = lSelect.options[lSelect.selectedIndex].value; + const slSelect = $('.js-select-swimlanes')[0]; + card.swimlaneId = slSelect.options[slSelect.selectedIndex].value; + Popup.close(); + }, + 'submit .js-import-board' (evt) { + //IMPORT BOARD + evt.preventDefault(); + Popup.close(); + }, + 'click .js-search': Popup.open('searchCard'), + }]; + }, +}).register('importCardPopup'); + +BlazeComponent.extendComponent({ + mixins() { + return [Mixins.PerfectScrollbar]; + }, + + onCreated() { + subManager.subscribe('board', Session.get('currentBoard')); + this.selectedBoardId = new ReactiveVar(Session.get('currentBoard')); + this.term = new ReactiveVar(''); + }, + + boards() { + const boards = Boards.find({ + archived: false, + 'members.userId': Meteor.userId(), + }, { + sort: ['title'], + }); + return boards; + }, + + results() { + const board = Boards.findOne(this.selectedBoardId.get()); + return board.searchCards(this.term.get()); + }, + + events() { + return [{ + 'change .js-select-boards'(evt) { + this.selectedBoardId.set($(evt.currentTarget).val()); + subManager.subscribe('board', this.selectedBoardId.get()); + }, + 'submit .js-search-term-form'(evt) { + evt.preventDefault(); + this.term.set(evt.target.searchTerm.value); + }, + 'click .js-minicard'() { + // IMPORT CARD + }, + }]; + }, +}).register('searchCardPopup'); diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 9244af9c..08fc129f 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -135,6 +135,9 @@ "cards": "Cards", "cards-count": "Cards", "casSignIn" : "Sign In with CAS", + "cardType-card": "Card", + "cardType-importedCard": "Imported Card", + "cardType-importedBoard": "Imported Board", "change": "Change", "change-avatar": "Change Avatar", "change-password": "Change Password", @@ -171,6 +174,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", + "importCardPopup-title": "Import Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", diff --git a/models/boards.js b/models/boards.js index c51a9865..eda34bf4 100644 --- a/models/boards.js +++ b/models/boards.js @@ -212,6 +212,10 @@ Boards.helpers({ return this.permission === 'public'; }, + cards() { + return Cards.find({ boardId: this._id, archived: false }, { sort: { title: 1 } }); + }, + lists() { return Lists.find({ boardId: this._id, archived: false }, { sort: { sort: 1 } }); }, diff --git a/models/cards.js b/models/cards.js index b6a7b4c6..af8bea48 100644 --- a/models/cards.js +++ b/models/cards.js @@ -133,6 +133,13 @@ Cards.attachSchema(new SimpleSchema({ defaultValue: -1, optional: true, }, + type: { + type: String, + }, + importedId: { + type: String, + optional: true, + }, })); Cards.allow({ diff --git a/server/migrations.js b/server/migrations.js index 6135f1be..32f24e4c 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -213,6 +213,17 @@ Migrations.add('add-profile-view', () => { }); }); +Migrations.add('add-card-types', () => { + Cards.find().forEach((card) => { + Cards.direct.update( + { _id: card._id }, + { $set: { + type: 'cardType-card', + importedId: null } }, + noValidate + ); + }); + Migrations.add('add-custom-fields-to-cards', () => { Cards.update({ customFields: { -- cgit v1.2.3-1-g7c22 From 061a13e46e41f2bfed76860fadd96737caa8e0d0 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Tue, 20 Mar 2018 00:40:24 -0300 Subject: Avoid showing current board --- client/components/lists/listBody.js | 12 +++++++++--- 1 file changed, 9 insertions(+), 3 deletions(-) diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 4cae9f0b..1aece121 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -338,8 +338,13 @@ BlazeComponent.extendComponent({ }, onCreated() { - subManager.subscribe('board', Session.get('currentBoard')); - this.selectedBoardId = new ReactiveVar(Session.get('currentBoard')); + const boardId = Boards.findOne({ + archived: false, + 'members.userId': Meteor.userId(), + _id: {$ne: Session.get('currentBoard')}, + })._id; + subManager.subscribe('board', boardId); + this.selectedBoardId = new ReactiveVar(boardId); this.term = new ReactiveVar(''); }, @@ -347,6 +352,7 @@ BlazeComponent.extendComponent({ const boards = Boards.find({ archived: false, 'members.userId': Meteor.userId(), + _id: {$ne: Session.get('currentBoard')}, }, { sort: ['title'], }); @@ -368,7 +374,7 @@ BlazeComponent.extendComponent({ evt.preventDefault(); this.term.set(evt.target.searchTerm.value); }, - 'click .js-minicard'() { + 'click .js-minicard'(evt) { // IMPORT CARD }, }]; -- cgit v1.2.3-1-g7c22 From 5644ef66af2fb6e2bfb629a499bb21130bfd5c73 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Tue, 20 Mar 2018 15:56:16 -0300 Subject: Import card-as-card, board-as-card. Add styling. Missing details and links --- client/components/cards/minicard.jade | 6 +- client/components/cards/minicard.js | 9 +++ client/components/cards/minicard.styl | 37 +++++++++++ client/components/lists/listBody.jade | 13 ++-- client/components/lists/listBody.js | 119 +++++++++++++++++++++++++++++----- 5 files changed, 159 insertions(+), 25 deletions(-) diff --git a/client/components/cards/minicard.jade b/client/components/cards/minicard.jade index 3f7e0940..95fa6e31 100644 --- a/client/components/cards/minicard.jade +++ b/client/components/cards/minicard.jade @@ -1,5 +1,7 @@ template(name="minicard") - .minicard + .minicard( + class="{{#if importedCard}}imported-card{{/if}}" + class="{{#if importedBoard}}imported-board{{/if}}") if cover .minicard-cover(style="background-image: url('{{cover.url}}');") if labels @@ -13,6 +15,8 @@ template(name="minicard") if $eq 'prefix-with-parent' currentBoard.presentParentTask .parent-prefix | {{ parentCardName }} + if imported + span.imported-icon.fa.fa-share-alt +viewer | {{ title }} if $eq 'subtext-with-full-path' currentBoard.presentParentTask diff --git a/client/components/cards/minicard.js b/client/components/cards/minicard.js index a98b5730..5202232b 100644 --- a/client/components/cards/minicard.js +++ b/client/components/cards/minicard.js @@ -6,4 +6,13 @@ BlazeComponent.extendComponent({ template() { return 'minicard'; }, + importedCard() { + return this.currentData().type === 'cardType-importedCard'; + }, + importedBoard() { + return this.currentData().type === 'cardType-importedBoard'; + }, + imported() { + return this.importedCard() || this.importedBoard(); + }, }).register('minicard'); diff --git a/client/components/cards/minicard.styl b/client/components/cards/minicard.styl index 5624787c..ea737c6b 100644 --- a/client/components/cards/minicard.styl +++ b/client/components/cards/minicard.styl @@ -44,6 +44,41 @@ transition: transform 0.2s, border-radius 0.2s + &.imported-board + background-color: #efd8e6 + &:hover:not(.minicard-composer), + .is-selected &, + .draggable-hover-card & + background: darken(#efd8e6, 3%) + + .is-selected & + border-left: 3px solid darken(#efd8e6, 50%) + + .minicard-title + font-style: italic + font-weight: bold + + &.imported-card + background-color: #d5e4bd + &:hover:not(.minicard-composer), + .is-selected &, + .draggable-hover-card & + background: darken(#d5e4bd, 3%) + + .is-selected & + border-left: 3px solid darken(#d5e4bd, 50%) + + .minicard-title + font-style: italic + + &.imported-board + &.imported-card + .imported-icon + display: inline-block + margin-right: 11px + vertical-align: baseline + font-size: 0.9em + .is-selected & transform: translateX(11px) border-bottom-right-radius: 0 @@ -87,6 +122,8 @@ .minicard-title p:last-child margin-bottom: 0 + .viewer + display: inline-block .dates display: flex; flex-direction: row; diff --git a/client/components/lists/listBody.jade b/client/components/lists/listBody.jade index e0655fc2..419e158a 100644 --- a/client/components/lists/listBody.jade +++ b/client/components/lists/listBody.jade @@ -37,6 +37,10 @@ template(name="addCardForm") span.quiet | {{_ 'or'}} a.js-import {{_ 'import'}} + span.quiet + |   + | / + a.js-search {{_ 'search'}} template(name="autocompleteLabelLine") .minicard-label(class="card-label-{{colorName}}" title=labelName) @@ -51,7 +55,7 @@ template(name="importCardPopup") option(value="{{_id}}" selected) {{_ 'current'}} else option(value="{{_id}}") {{title}} - input.primary.confirm.js-import-board(type="submit" value="{{_ 'add'}}") + input.primary.confirm.js-import-board(type="button" value="{{_ 'import'}}") label {{_ 'swimlanes'}}: select.js-select-swimlanes @@ -64,15 +68,12 @@ template(name="importCardPopup") option(value="{{_id}}") {{title}} label {{_ 'cards'}}: - select.js-select-lists + select.js-select-cards each cards option(value="{{_id}}") {{title}} .edit-controls.clearfix - input.primary.confirm.js-done(type="submit" value="{{_ 'done'}}") - span.quiet - | {{_ 'or'}} - a.js-search {{_ 'search'}} + input.primary.confirm.js-done(type="button" value="{{_ 'import'}}") template(name="searchCardPopup") label {{_ 'boards'}}: diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 1aece121..39614108 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -201,6 +201,7 @@ BlazeComponent.extendComponent({ return [{ keydown: this.pressKey, 'click .js-import': Popup.open('importCard'), + 'click .js-search': Popup.open('searchCard'), }]; }, @@ -275,14 +276,39 @@ BlazeComponent.extendComponent({ BlazeComponent.extendComponent({ onCreated() { - subManager.subscribe('board', Session.get('currentBoard')); - this.selectedBoardId = new ReactiveVar(Session.get('currentBoard')); + // Prefetch first non-current board id + const boardId = Boards.findOne({ + archived: false, + 'members.userId': Meteor.userId(), + _id: {$ne: Session.get('currentBoard')}, + })._id; + // Subscribe to this board + subManager.subscribe('board', boardId); + this.selectedBoardId = new ReactiveVar(boardId); + this.selectedSwimlaneId = new ReactiveVar(''); + this.selectedListId = new ReactiveVar(''); + + this.boardId = Session.get('currentBoard'); + // In order to get current board info + subManager.subscribe('board', this.boardId); + const board = Boards.findOne(this.boardId); + // List where to insert card + const list = $(Popup._getTopStack().openerElement).closest('.js-list'); + this.listId = Blaze.getData(list[0])._id; + // Swimlane where to insert card + const swimlane = $(Popup._getTopStack().openerElement).closest('.js-swimlane'); + this.swimlaneId = ''; + if (board.view === 'board-view-swimlanes') + this.swimlaneId = Blaze.getData(swimlane[0])._id; + else + this.swimlaneId = Swimlanes.findOne({boardId: this.boardId})._id; }, boards() { const boards = Boards.find({ archived: false, 'members.userId': Meteor.userId(), + _id: {$ne: Session.get('currentBoard')}, }, { sort: ['title'], }); @@ -290,18 +316,26 @@ BlazeComponent.extendComponent({ }, swimlanes() { - const board = Boards.findOne(this.selectedBoardId.get()); - return board.swimlanes(); + const swimlanes = Swimlanes.find({boardId: this.selectedBoardId.get()}); + if (swimlanes.count()) + this.selectedSwimlaneId.set(swimlanes.fetch()[0]._id); + return swimlanes; }, lists() { - const board = Boards.findOne(this.selectedBoardId.get()); - return board.lists(); + const lists = Lists.find({boardId: this.selectedBoardId.get()}); + if (lists.count()) + this.selectedListId.set(lists.fetch()[0]._id); + return lists; }, cards() { - const board = Boards.findOne(this.selectedBoardId.get()); - return board.cards(); + return Cards.find({ + boardId: this.selectedBoardId.get(), + swimlaneId: this.selectedSwimlaneId.get(), + listId: this.selectedListId.get(), + archived: false, + }); }, events() { @@ -310,24 +344,44 @@ BlazeComponent.extendComponent({ this.selectedBoardId.set($(evt.currentTarget).val()); subManager.subscribe('board', this.selectedBoardId.get()); }, - 'submit .js-done' (evt) { + 'change .js-select-swimlanes'(evt) { + this.selectedSwimlaneId.set($(evt.currentTarget).val()); + }, + 'change .js-select-lists'(evt) { + this.selectedListId.set($(evt.currentTarget).val()); + }, + 'click .js-done' (evt) { // IMPORT CARD + evt.stopPropagation(); evt.preventDefault(); - // XXX We should *not* get the currentCard from the global state, but - // instead from a “component” state. - const card = Cards.findOne(Session.get('currentCard')); - const lSelect = $('.js-select-lists')[0]; - const newListId = lSelect.options[lSelect.selectedIndex].value; - const slSelect = $('.js-select-swimlanes')[0]; - card.swimlaneId = slSelect.options[slSelect.selectedIndex].value; + const _id = Cards.insert({ + title: $('.js-select-cards option:selected').text(), //dummy + listId: this.listId, + swimlaneId: this.swimlaneId, + boardId: this.boardId, + sort: Lists.findOne(this.listId).cards().count(), + type: 'cardType-importedCard', + importedId: $('.js-select-cards option:selected').val(), + }); + Filter.addException(_id); Popup.close(); }, - 'submit .js-import-board' (evt) { + 'click .js-import-board' (evt) { //IMPORT BOARD + evt.stopPropagation(); evt.preventDefault(); + const _id = Cards.insert({ + title: $('.js-select-boards option:selected').text(), //dummy + listId: this.listId, + swimlaneId: this.swimlaneId, + boardId: this.boardId, + sort: Lists.findOne(this.listId).cards().count(), + type: 'cardType-importedBoard', + importedId: $('.js-select-boards option:selected').val(), + }); + Filter.addException(_id); Popup.close(); }, - 'click .js-search': Popup.open('searchCard'), }]; }, }).register('importCardPopup'); @@ -338,13 +392,30 @@ BlazeComponent.extendComponent({ }, onCreated() { + // Prefetch first non-current board id const boardId = Boards.findOne({ archived: false, 'members.userId': Meteor.userId(), _id: {$ne: Session.get('currentBoard')}, })._id; + // Subscribe to this board subManager.subscribe('board', boardId); this.selectedBoardId = new ReactiveVar(boardId); + + this.boardId = Session.get('currentBoard'); + // In order to get current board info + subManager.subscribe('board', this.boardId); + const board = Boards.findOne(this.boardId); + // List where to insert card + const list = $(Popup._getTopStack().openerElement).closest('.js-list'); + this.listId = Blaze.getData(list[0])._id; + // Swimlane where to insert card + const swimlane = $(Popup._getTopStack().openerElement).closest('.js-swimlane'); + this.swimlaneId = ''; + if (board.view === 'board-view-swimlanes') + this.swimlaneId = Blaze.getData(swimlane[0])._id; + else + this.swimlaneId = Swimlanes.findOne({boardId: this.boardId})._id; this.term = new ReactiveVar(''); }, @@ -376,6 +447,18 @@ BlazeComponent.extendComponent({ }, 'click .js-minicard'(evt) { // IMPORT CARD + const card = Blaze.getData(evt.currentTarget); + const _id = Cards.insert({ + title: card.title, //dummy + listId: this.listId, + swimlaneId: this.swimlaneId, + boardId: this.boardId, + sort: Lists.findOne(this.listId).cards().count(), + type: 'cardType-importedCard', + importedId: card._id, + }); + Filter.addException(_id); + Popup.close(); }, }]; }, -- cgit v1.2.3-1-g7c22 From 64367a01dd6b86982c22b4c124e8f37474e9cb08 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Mon, 16 Apr 2018 16:38:20 -0300 Subject: Link description --- client/components/cards/cardDetails.jade | 4 ++-- client/components/cards/cardDetails.js | 3 ++- client/components/cards/minicard.jade | 10 +++++----- client/components/cards/minicard.js | 9 --------- client/components/lists/listBody.js | 6 +++++- models/cards.js | 33 ++++++++++++++++++++++++++++++++ server/publications/boards.js | 4 +++- 7 files changed, 50 insertions(+), 19 deletions(-) diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index 34dbc117..3d0bfb98 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -109,10 +109,10 @@ template(name="cardDetails") a.js-open-inlined-form {{_ 'view-it'}} = ' - ' a.js-close-inlined-form {{_ 'discard'}} - else if description + else if getDescription h3.card-details-item-title {{_ 'description'}} +viewer - = description + = getDescription .card-details-items .card-details-item.card-details-item-name diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index b41bfc17..181fea1b 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -43,7 +43,8 @@ BlazeComponent.extendComponent({ }, canModifyCard() { - return Meteor.user() && Meteor.user().isBoardMember() && !Meteor.user().isCommentOnly(); + return Meteor.user() && Meteor.user().isBoardMember() && + !Meteor.user().isCommentOnly() && !this.currentData().isImported(); }, scrollParentContainer() { diff --git a/client/components/cards/minicard.jade b/client/components/cards/minicard.jade index 95fa6e31..7e2999d3 100644 --- a/client/components/cards/minicard.jade +++ b/client/components/cards/minicard.jade @@ -1,7 +1,7 @@ template(name="minicard") .minicard( - class="{{#if importedCard}}imported-card{{/if}}" - class="{{#if importedBoard}}imported-board{{/if}}") + class="{{#if isImportedCard}}imported-card{{/if}}" + class="{{#if isImportedBoard}}imported-board{{/if}}") if cover .minicard-cover(style="background-image: url('{{cover.url}}');") if labels @@ -15,7 +15,7 @@ template(name="minicard") if $eq 'prefix-with-parent' currentBoard.presentParentTask .parent-prefix | {{ parentCardName }} - if imported + if isImported span.imported-icon.fa.fa-share-alt +viewer | {{ title }} @@ -67,8 +67,8 @@ template(name="minicard") .badge(title="{{_ 'card-comments-title' comments.count }}") span.badge-icon.fa.fa-comment-o.badge-comment span.badge-text= comments.count - if description - .badge.badge-state-image-only(title=description) + if getDescription + .badge.badge-state-image-only(title=getDescription) span.badge-icon.fa.fa-align-left if attachments.count .badge diff --git a/client/components/cards/minicard.js b/client/components/cards/minicard.js index 5202232b..a98b5730 100644 --- a/client/components/cards/minicard.js +++ b/client/components/cards/minicard.js @@ -6,13 +6,4 @@ BlazeComponent.extendComponent({ template() { return 'minicard'; }, - importedCard() { - return this.currentData().type === 'cardType-importedCard'; - }, - importedBoard() { - return this.currentData().type === 'cardType-importedBoard'; - }, - imported() { - return this.importedCard() || this.importedBoard(); - }, }).register('minicard'); diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 39614108..2c8b1af7 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -281,6 +281,8 @@ BlazeComponent.extendComponent({ archived: false, 'members.userId': Meteor.userId(), _id: {$ne: Session.get('currentBoard')}, + }, { + sort: ['title'], })._id; // Subscribe to this board subManager.subscribe('board', boardId); @@ -370,6 +372,7 @@ BlazeComponent.extendComponent({ //IMPORT BOARD evt.stopPropagation(); evt.preventDefault(); + const impBoardId = $('.js-select-boards option:selected').val(); const _id = Cards.insert({ title: $('.js-select-boards option:selected').text(), //dummy listId: this.listId, @@ -377,7 +380,8 @@ BlazeComponent.extendComponent({ boardId: this.boardId, sort: Lists.findOne(this.listId).cards().count(), type: 'cardType-importedBoard', - importedId: $('.js-select-boards option:selected').val(), + importedId: impBoardId, + description: Boards.findOne({_id: impBoardId}).description, }); Filter.addException(_id); Popup.close(); diff --git a/models/cards.js b/models/cards.js index af8bea48..4b18b8f3 100644 --- a/models/cards.js +++ b/models/cards.js @@ -393,6 +393,39 @@ Cards.helpers({ isTopLevel() { return this.parentId === ''; }, + + isImportedCard() { + return this.type === 'cardType-importedCard'; + }, + + isImportedBoard() { + return this.type === 'cardType-importedBoard'; + }, + + isImported() { + return this.isImportedCard() || this.isImportedBoard(); + }, + + getDescription() { + if (this.isImportedCard()) { + const card = Cards.findOne({_id: this.importedId}); + if (card && card.description) + return card.description; + else + return null; + } else if (this.isImportedBoard()) { + const board = Boards.findOne({_id: this.importedId}); + if (board && board.description) + return board.description; + else + return null; + } else { + if (this.description) + return this.description; + else + return null; + } + }, }); Cards.mutations({ diff --git a/server/publications/boards.js b/server/publications/boards.js index 5d095c17..bf75196a 100644 --- a/server/publications/boards.js +++ b/server/publications/boards.js @@ -98,7 +98,9 @@ Meteor.publishRelations('board', function(boardId) { // // And in the meantime our code below works pretty well -- it's not even a // hack! - this.cursor(Cards.find({ boardId }), function(cardId) { + this.cursor(Cards.find({ boardId }), function(cardId, card) { + this.cursor(Cards.find({_id: card.importedId})); + this.cursor(Boards.find({_id: card.importedId})); this.cursor(CardComments.find({ cardId })); this.cursor(Attachments.find({ cardId })); this.cursor(Checklists.find({ cardId })); -- cgit v1.2.3-1-g7c22 From a93de07fb9b85f97da274bf549e5244ee8e30484 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Mon, 16 Apr 2018 16:48:54 -0300 Subject: Avoid importing imported cards or boards --- client/components/lists/listBody.js | 3 ++- models/boards.js | 12 ++++++------ 2 files changed, 8 insertions(+), 7 deletions(-) diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 2c8b1af7..c0533008 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -337,6 +337,7 @@ BlazeComponent.extendComponent({ swimlaneId: this.selectedSwimlaneId.get(), listId: this.selectedListId.get(), archived: false, + importedId: null, }); }, @@ -436,7 +437,7 @@ BlazeComponent.extendComponent({ results() { const board = Boards.findOne(this.selectedBoardId.get()); - return board.searchCards(this.term.get()); + return board.searchCards(this.term.get(), true); }, events() { diff --git a/models/boards.js b/models/boards.js index eda34bf4..d5ccc954 100644 --- a/models/boards.js +++ b/models/boards.js @@ -298,22 +298,22 @@ Boards.helpers({ return _id; }, - searchCards(term) { + searchCards(term, excludeImported) { check(term, Match.OneOf(String, null, undefined)); let query = { boardId: this._id }; + if (excludeImported) { + query.importedId = null; + } const projection = { limit: 10, sort: { createdAt: -1 } }; if (term) { const regex = new RegExp(term, 'i'); - query = { - boardId: this._id, - $or: [ + query.$or = [ { title: regex }, { description: regex }, - ], - }; + ]; } return Cards.find(query, projection); -- cgit v1.2.3-1-g7c22 From 0a62089df02b2ab308d4749a837e08c4164cb770 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Tue, 17 Apr 2018 01:55:57 -0300 Subject: Allow description and member two way binding --- client/components/cards/cardDetails.jade | 8 ++-- client/components/cards/cardDetails.js | 5 +-- client/components/cards/minicard.jade | 4 +- client/components/lists/listBody.js | 6 +-- client/components/users/userAvatar.js | 5 ++- models/cards.js | 68 ++++++++++++++++++++++++++++++++ 6 files changed, 82 insertions(+), 14 deletions(-) diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index 3d0bfb98..64ce7f66 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -55,7 +55,7 @@ template(name="cardDetails") .card-details-items .card-details-item.card-details-item-members h3.card-details-item-title {{_ 'members'}} - each members + each getMembers +userAvatar(userId=this cardId=../_id) | {{! XXX Hack to hide syntaxic coloration /// }} if canModifyCard @@ -92,15 +92,15 @@ template(name="cardDetails") h3.card-details-item-title {{_ 'description'}} +inlinedCardDescription(classNames="card-description js-card-description") +editor(autofocus=true) - | {{getUnsavedValue 'cardDescription' _id description}} + | {{getUnsavedValue 'cardDescription' _id getDescription}} .edit-controls.clearfix button.primary(type="submit") {{_ 'save'}} a.fa.fa-times-thin.js-close-inlined-form else a.js-open-inlined-form - if description + if getDescription +viewer - = description + = getDescription else | {{_ 'edit'}} if (hasUnsavedValue 'cardDescription' _id) diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index 181fea1b..2cd399c1 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -43,8 +43,7 @@ BlazeComponent.extendComponent({ }, canModifyCard() { - return Meteor.user() && Meteor.user().isBoardMember() && - !Meteor.user().isCommentOnly() && !this.currentData().isImported(); + return Meteor.user() && Meteor.user().isBoardMember() && !Meteor.user().isCommentOnly(); }, scrollParentContainer() { @@ -275,7 +274,7 @@ BlazeComponent.extendComponent({ close(isReset = false) { if (this.isOpen.get() && !isReset) { const draft = this.getValue().trim(); - if (draft !== Cards.findOne(Session.get('currentCard')).description) { + if (draft !== Cards.findOne(Session.get('currentCard')).getDescription()) { UnsavedEdits.set(this._getUnsavedEditKey(), this.getValue()); } } diff --git a/client/components/cards/minicard.jade b/client/components/cards/minicard.jade index 7e2999d3..00120882 100644 --- a/client/components/cards/minicard.jade +++ b/client/components/cards/minicard.jade @@ -57,9 +57,9 @@ template(name="minicard") +viewer = trueValue - if members + if getMembers .minicard-members.js-minicard-members - each members + each getMembers +userAvatar(userId=this) .badges diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index c0533008..778312d2 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -300,9 +300,10 @@ BlazeComponent.extendComponent({ // Swimlane where to insert card const swimlane = $(Popup._getTopStack().openerElement).closest('.js-swimlane'); this.swimlaneId = ''; - if (board.view === 'board-view-swimlanes') + const boardView = Meteor.user().profile.boardView; + if (boardView === 'board-view-swimlanes') this.swimlaneId = Blaze.getData(swimlane[0])._id; - else + else if (boardView === 'board-view-lists') this.swimlaneId = Swimlanes.findOne({boardId: this.boardId})._id; }, @@ -382,7 +383,6 @@ BlazeComponent.extendComponent({ sort: Lists.findOne(this.listId).cards().count(), type: 'cardType-importedBoard', importedId: impBoardId, - description: Boards.findOne({_id: impBoardId}).description, }); Filter.addException(_id); Popup.close(); diff --git a/client/components/users/userAvatar.js b/client/components/users/userAvatar.js index be7a85d2..91cad237 100644 --- a/client/components/users/userAvatar.js +++ b/client/components/users/userAvatar.js @@ -134,8 +134,9 @@ BlazeComponent.extendComponent({ Template.cardMembersPopup.helpers({ isCardMember() { - const cardId = Template.parentData()._id; - const cardMembers = Cards.findOne(cardId).members || []; + const card = Template.parentData(); + const cardMembers = card.getMembers(); + return _.contains(cardMembers, this.userId); }, diff --git a/models/cards.js b/models/cards.js index 4b18b8f3..de868dde 100644 --- a/models/cards.js +++ b/models/cards.js @@ -406,6 +406,18 @@ Cards.helpers({ return this.isImportedCard() || this.isImportedBoard(); }, + setDescription(description) { + if (this.isImportedCard()) { + const card = Cards.findOne({_id: this.importedId}); + return Cards.update({_id: this.importedId}, {$set: {description}}); + } else if (this.isImportedBoard()) { + const board = Boards.findOne({_id: this.importedId}); + return Boards.update({_id: this.importedId}, {$set: {description}}); + } else { + return {$set: {description}}; + } + }, + getDescription() { if (this.isImportedCard()) { const card = Cards.findOne({_id: this.importedId}); @@ -426,6 +438,62 @@ Cards.helpers({ return null; } }, + + getMembers() { + if (this.isImportedCard()) { + const card = Cards.findOne({_id: this.importedId}); + return card.members; + } else if (this.isImportedBoard()) { + const board = Boards.findOne({_id: this.importedId}); + return board.activeMembers().map((member) => { + return member.userId; + }); + } else { + return this.members; + } + }, + + assignMember(memberId) { + if (this.isImportedCard()) { + return Cards.update( + { _id: this.importedId }, + { $addToSet: { members: memberId }} + ); + } else if (this.isImportedBoard()) { + const board = Boards.findOne({_id: this.importedId}); + return board.addMember(memberId); + } else { + return Cards.update( + { _id: this._id }, + { $addToSet: { members: memberId}} + ); + } + }, + + unassignMember(memberId) { + if (this.isImportedCard()) { + return Cards.update( + { _id: this.importedId }, + { $pull: { members: memberId }} + ); + } else if (this.isImportedBoard()) { + const board = Boards.findOne({_id: this.importedId}); + return board.removeMember(memberId); + } else { + return Cards.update( + { _id: this._id }, + { $pull: { members: memberId}} + ); + } + }, + + toggleMember(memberId) { + if (this.getMembers() && this.getMembers().indexOf(memberId) > -1) { + return this.unassignMember(memberId); + } else { + return this.assignMember(memberId); + } + }, }); Cards.mutations({ -- cgit v1.2.3-1-g7c22 From 724d26379c33afc2c3d44d3722b0c5c35c1b80ed Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Tue, 17 Apr 2018 23:17:44 -0300 Subject: Add two way binding of card/board times --- client/components/cards/cardDate.js | 56 +++++++---- client/components/cards/cardDetails.jade | 17 +++- client/components/cards/cardTime.jade | 8 +- client/components/cards/cardTime.js | 18 ++-- client/components/cards/minicard.jade | 20 ++-- models/boards.js | 22 +++++ models/cards.js | 161 ++++++++++++++++++++++++++++++- 7 files changed, 250 insertions(+), 52 deletions(-) diff --git a/client/components/cards/cardDate.js b/client/components/cards/cardDate.js index 831a0f39..aa0dca4c 100644 --- a/client/components/cards/cardDate.js +++ b/client/components/cards/cardDate.js @@ -96,7 +96,7 @@ Template.dateBadge.helpers({ (class extends DatePicker { onCreated() { super.onCreated(); - this.data().receivedAt && this.date.set(moment(this.data().receivedAt)); + this.data().getReceived() && this.date.set(moment(this.data().getReceived())); } _storeDate(date) { @@ -104,7 +104,7 @@ Template.dateBadge.helpers({ } _deleteDate() { - this.card.unsetReceived(); + this.card.setReceived(null); } }).register('editCardReceivedDatePopup'); @@ -113,13 +113,13 @@ Template.dateBadge.helpers({ (class extends DatePicker { onCreated() { super.onCreated(); - this.data().startAt && this.date.set(moment(this.data().startAt)); + this.data().getStart() && this.date.set(moment(this.data().getStart())); } onRendered() { super.onRendered(); - if (moment.isDate(this.card.receivedAt)) { - this.$('.js-datepicker').datepicker('setStartDate', this.card.receivedAt); + if (moment.isDate(this.card.getReceived())) { + this.$('.js-datepicker').datepicker('setStartDate', this.card.getReceived()); } } @@ -128,7 +128,7 @@ Template.dateBadge.helpers({ } _deleteDate() { - this.card.unsetStart(); + this.card.setStart(null); } }).register('editCardStartDatePopup'); @@ -136,13 +136,13 @@ Template.dateBadge.helpers({ (class extends DatePicker { onCreated() { super.onCreated(); - this.data().dueAt && this.date.set(moment(this.data().dueAt)); + this.data().getDue() && this.date.set(moment(this.data().getDue())); } onRendered() { super.onRendered(); - if (moment.isDate(this.card.startAt)) { - this.$('.js-datepicker').datepicker('setStartDate', this.card.startAt); + if (moment.isDate(this.card.getStart())) { + this.$('.js-datepicker').datepicker('setStartDate', this.card.getStart()); } } @@ -151,7 +151,7 @@ Template.dateBadge.helpers({ } _deleteDate() { - this.card.unsetDue(); + this.card.setDue(null); } }).register('editCardDueDatePopup'); @@ -159,13 +159,13 @@ Template.dateBadge.helpers({ (class extends DatePicker { onCreated() { super.onCreated(); - this.data().endAt && this.date.set(moment(this.data().endAt)); + this.data().getEnd() && this.date.set(moment(this.data().getEnd())); } onRendered() { super.onRendered(); - if (moment.isDate(this.card.startAt)) { - this.$('.js-datepicker').datepicker('setStartDate', this.card.startAt); + if (moment.isDate(this.card.getStart())) { + this.$('.js-datepicker').datepicker('setStartDate', this.card.getStart()); } } @@ -174,7 +174,7 @@ Template.dateBadge.helpers({ } _deleteDate() { - this.card.unsetEnd(); + this.card.setEnd(null); } }).register('editCardEndDatePopup'); @@ -213,15 +213,15 @@ class CardReceivedDate extends CardDate { super.onCreated(); const self = this; self.autorun(() => { - self.date.set(moment(self.data().receivedAt)); + self.date.set(moment(self.data().getReceived())); }); } classes() { let classes = 'received-date '; - const dueAt = this.data().dueAt; - const endAt = this.data().endAt; - const startAt = this.data().startAt; + const dueAt = this.data().getDue(); + const endAt = this.data().getEnd(); + const startAt = this.data().getStart(); const theDate = this.date.get(); // if dueAt, endAt and startAt exist & are > receivedAt, receivedAt doesn't need to be flagged if (((startAt) && (theDate.isAfter(dueAt))) || @@ -250,12 +250,13 @@ class CardStartDate extends CardDate { super.onCreated(); const self = this; self.autorun(() => { - self.date.set(moment(self.data().startAt)); + self.date.set(moment(self.data().getStart())); }); } classes() { let classes = 'start-date' + ' '; +<<<<<<< HEAD const dueAt = this.data().dueAt; const endAt = this.data().endAt; const theDate = this.date.get(); @@ -267,6 +268,10 @@ class CardStartDate extends CardDate { else if (theDate.isBefore(now, 'minute')) classes += 'almost-due'; else +======= + if (this.date.get().isBefore(this.now.get(), 'minute') && + this.now.get().isBefore(this.data().getDue())) { +>>>>>>> Add two way binding of card/board times classes += 'current'; return classes; } @@ -288,7 +293,7 @@ class CardDueDate extends CardDate { super.onCreated(); const self = this; self.autorun(() => { - self.date.set(moment(self.data().dueAt)); + self.date.set(moment(self.data().getDue())); }); } @@ -330,12 +335,13 @@ class CardEndDate extends CardDate { super.onCreated(); const self = this; self.autorun(() => { - self.date.set(moment(self.data().endAt)); + self.date.set(moment(self.data().getEnd())); }); } classes() { let classes = 'end-date' + ' '; +<<<<<<< HEAD const dueAt = this.data.dueAt; const theDate = this.date.get(); // if dueAt exists & is after endAt, endAt doesn't need to be flagged @@ -343,6 +349,14 @@ class CardEndDate extends CardDate { classes += 'long-overdue'; else classes += 'current'; +======= + if (this.date.get().diff(this.data().getDue(), 'days') >= 2) + classes += 'long-overdue'; + else if (this.date.get().diff(this.data().getDue(), 'days') >= 0) + classes += 'due'; + else if (this.date.get().diff(this.data().getDue(), 'days') >= -2) + classes += 'almost-due'; +>>>>>>> Add two way binding of card/board times return classes; } diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index 64ce7f66..b8c16f80 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -26,21 +26,28 @@ template(name="cardDetails") .card-details-items .card-details-item.card-details-item-received h3.card-details-item-title {{_ 'card-received'}} - if receivedAt + if getReceived +cardReceivedDate else a.js-received-date {{_ 'add'}} .card-details-item.card-details-item-start h3.card-details-item-title {{_ 'card-start'}} - if startAt + if getStart +cardStartDate else a.js-start-date {{_ 'add'}} + .card-details-item.card-details-item-due + h3.card-details-item-title {{_ 'card-due'}} + if getDue + +cardDueDate + else + a.js-due-date {{_ 'add'}} + .card-details-item.card-details-item-end h3.card-details-item-title {{_ 'card-end'}} - if endAt + if getEnd +cardEndDate else a.js-end-date {{_ 'add'}} @@ -79,9 +86,9 @@ template(name="cardDetails") +cardCustomField .card-details-items - if spentTime + if getSpentTime .card-details-item.card-details-item-spent - if isOvertime + if getIsOvertime h3.card-details-item-title {{_ 'overtime-hours'}} else h3.card-details-item-title {{_ 'spent-time-hours'}} diff --git a/client/components/cards/cardTime.jade b/client/components/cards/cardTime.jade index dcfc92f0..041af65a 100644 --- a/client/components/cards/cardTime.jade +++ b/client/components/cards/cardTime.jade @@ -3,10 +3,10 @@ template(name="editCardSpentTime") form.edit-time .fields label(for="time") {{_ 'time'}} - input.js-time-field#time(type="number" step="0.01" name="time" value="{{card.spentTime}}" placeholder=timeFormat autofocus) + input.js-time-field#time(type="number" step="0.01" name="time" value="{{card.getSpentTime}}" placeholder=timeFormat autofocus) label(for="overtime") {{_ 'overtime'}} a.js-toggle-overtime - .materialCheckBox#overtime(class="{{#if card.isOvertime}}is-checked{{/if}}" name="overtime") + .materialCheckBox#overtime(class="{{#if card.getIsOvertime}}is-checked{{/if}}" name="overtime") if error.get .warning {{_ error.get}} @@ -15,8 +15,8 @@ template(name="editCardSpentTime") template(name="timeBadge") if canModifyCard - a.js-edit-time.card-time(title="{{showTitle}}" class="{{#if isOvertime}}card-label-red{{else}}card-label-green{{/if}}") + a.js-edit-time.card-time(title="{{showTitle}}" class="{{#if getIsOvertime}}card-label-red{{else}}card-label-green{{/if}}") | {{showTime}} else - a.card-time(title="{{showTitle}}" class="{{#if isOvertime}}card-label-red{{else}}card-label-green{{/if}}") + a.card-time(title="{{showTitle}}" class="{{#if getIsOvertime}}card-label-red{{else}}card-label-green{{/if}}") | {{showTime}} diff --git a/client/components/cards/cardTime.js b/client/components/cards/cardTime.js index eadcc88e..9bab8e72 100644 --- a/client/components/cards/cardTime.js +++ b/client/components/cards/cardTime.js @@ -7,17 +7,17 @@ BlazeComponent.extendComponent({ this.card = this.data(); }, toggleOvertime() { - this.card.isOvertime = !this.card.isOvertime; + this.card.setIsOvertime(!this.card.getIsOvertime()); $('#overtime .materialCheckBox').toggleClass('is-checked'); $('#overtime').toggleClass('is-checked'); }, storeTime(spentTime, isOvertime) { this.card.setSpentTime(spentTime); - this.card.setOvertime(isOvertime); + this.card.setIsOvertime(isOvertime); }, deleteTime() { - this.card.unsetSpentTime(); + this.card.setSpentTime(null); }, events() { return [{ @@ -26,7 +26,7 @@ BlazeComponent.extendComponent({ evt.preventDefault(); const spentTime = parseFloat(evt.target.time.value); - const isOvertime = this.card.isOvertime; + const isOvertime = this.card.getIsOvertime(); if (spentTime >= 0) { this.storeTime(spentTime, isOvertime); @@ -55,17 +55,17 @@ BlazeComponent.extendComponent({ self.time = ReactiveVar(); }, showTitle() { - if (this.data().isOvertime) { - return `${TAPi18n.__('overtime')} ${this.data().spentTime} ${TAPi18n.__('hours')}`; + if (this.data().getIsOvertime()) { + return `${TAPi18n.__('overtime')} ${this.data().getSpentTime()} ${TAPi18n.__('hours')}`; } else { - return `${TAPi18n.__('card-spent')} ${this.data().spentTime} ${TAPi18n.__('hours')}`; + return `${TAPi18n.__('card-spent')} ${this.data().getSpentTime()} ${TAPi18n.__('hours')}`; } }, showTime() { - return this.data().spentTime; + return this.data().getSpentTime(); }, isOvertime() { - return this.data().isOvertime; + return this.data().getIsOvertime(); }, events() { return [{ diff --git a/client/components/cards/minicard.jade b/client/components/cards/minicard.jade index 00120882..88ad5564 100644 --- a/client/components/cards/minicard.jade +++ b/client/components/cards/minicard.jade @@ -27,23 +27,19 @@ template(name="minicard") | {{ parentCardName }} .dates - if receivedAt - unless startAt - unless dueAt - unless endAt + if getReceived + unless getStart + unless getDue + unless getEnd .date +minicardReceivedDate - if startAt + if getStart .date +minicardStartDate - if dueAt - unless endAt - .date - +minicardDueDate - if endAt + if getDue .date - +minicardEndDate - if spentTime + +minicardDueDate + if getSpentTime .date +cardSpentTime diff --git a/models/boards.js b/models/boards.js index d5ccc954..a37981e0 100644 --- a/models/boards.js +++ b/models/boards.js @@ -177,6 +177,28 @@ Boards.attachSchema(new SimpleSchema({ optional: true, defaultValue: 'no-parent', }, + startAt: { + type: Date, + optional: true, + }, + dueAt: { + type: Date, + optional: true, + }, + endAt: { + type: Date, + optional: true, + }, + spentTime: { + type: Number, + decimal: true, + optional: true, + }, + isOvertime: { + type: Boolean, + defaultValue: false, + optional: true, + }, })); diff --git a/models/cards.js b/models/cards.js index de868dde..710b9d85 100644 --- a/models/cards.js +++ b/models/cards.js @@ -494,6 +494,166 @@ Cards.helpers({ return this.assignMember(memberId); } }, + + getReceived() { + if (this.isImportedCard()) { + const card = Cards.findOne({_id: this.importedId}); + return card.receivedAt; + } else { + return this.receivedAt; + } + }, + + setReceived(receivedAt) { + if (this.isImportedCard()) { + return Cards.update( + {_id: this.importedId}, + {$set: {receivedAt}} + ); + } else { + return {$set: {receivedAt}}; + } + }, + + getStart() { + if (this.isImportedCard()) { + const card = Cards.findOne({_id: this.importedId}); + return card.startAt; + } else if (this.isImportedBoard()) { + const board = Boards.findOne({_id: this.importedId}); + return board.startAt + } else { + return this.startAt; + } + }, + + setStart(startAt) { + if (this.isImportedCard()) { + return Cards.update( + { _id: this.importedId }, + {$set: {startAt}} + ); + } else if (this.isImportedBoard()) { + return Boards.update( + {_id: this.importedId}, + {$set: {startAt}} + ); + } else { + return {$set: {startAt}}; + } + }, + + getDue() { + if (this.isImportedCard()) { + const card = Cards.findOne({_id: this.importedId}); + return card.dueAt; + } else if (this.isImportedBoard()) { + const board = Boards.findOne({_id: this.importedId}); + return board.dueAt + } else { + return this.dueAt; + } + }, + + setDue(dueAt) { + if (this.isImportedCard()) { + return Cards.update( + { _id: this.importedId }, + {$set: {dueAt}} + ); + } else if (this.isImportedBoard()) { + return Boards.update( + {_id: this.importedId}, + {$set: {dueAt}} + ); + } else { + return {$set: {dueAt}}; + } + }, + + getEnd() { + if (this.isImportedCard()) { + const card = Cards.findOne({_id: this.importedId}); + return card.endAt; + } else if (this.isImportedBoard()) { + const board = Boards.findOne({_id: this.importedId}); + return board.endAt; + } else { + return this.endAt; + } + }, + + setEnd(endAt) { + if (this.isImportedCard()) { + return Cards.update( + { _id: this.importedId }, + {$set: {endAt}} + ); + } else if (this.isImportedBoard()) { + return Boards.update( + {_id: this.importedId}, + {$set: {endAt}} + ); + } else { + return {$set: {endAt}}; + } + }, + + getIsOvertime() { + if (this.isImportedCard()) { + const card = Cards.findOne({ _id: this.importedId }); + return card.isOvertime; + } else if (this.isImportedBoard()) { + const board = Boards.findOne({ _id: this.importedId}); + return board.isOvertime; + } else { + return this.isOvertime; + } + }, + + setIsOvertime(isOvertime) { + if (this.isImportedCard()) { + return Cards.update( + { _id: this.importedId }, + {$set: {isOvertime}} + ); + } else if (this.isImportedBoard()) { + return Boards.update( + {_id: this.importedId}, + {$set: {isOvertime}} + ); + } else { + return {$set: {isOvertime}}; + } + }, + + getSpentTime() { + if (this.isImportedCard()) { + const card = Cards.findOne({ _id: this.importedId }); + return card.spentTime; + } else if (this.isImportedBoard()) { + const board = Boards.findOne({ _id: this.importedId}); + return board.spentTime; + } else { + return this.spentTime; + } + }, + + setSpentTime(spentTime) { + if (this.isImportedCard()) { + return Cards.update( + { _id: this.importedId }, + {$set: {spentTime}} + ); + } else if (this.isImportedBoard()) { + return Boards.update( + {_id: this.importedId}, + {$set: {spentTime}} + ); + } else { + return {$set: {spentTime}}; + } + }, }); Cards.mutations({ @@ -657,7 +817,6 @@ Cards.mutations({ setParentId(parentId) { return {$set: {parentId}}; }, - }); -- cgit v1.2.3-1-g7c22 From b2e175ba8ceb644e7ddd0a4c74283f1cd0c1c8aa Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Tue, 17 Apr 2018 23:39:09 -0300 Subject: Avoid exporting imported cards --- models/export.js | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/models/export.js b/models/export.js index 8c4c29d4..8d4f5448 100644 --- a/models/export.js +++ b/models/export.js @@ -45,6 +45,7 @@ class Exporter { build() { const byBoard = { boardId: this._boardId }; + const byBoardNoImported = { boardId: this._boardId, importedId: null }; // we do not want to retrieve boardId in related elements const noBoardId = { fields: { boardId: 0 } }; const result = { @@ -52,7 +53,7 @@ class Exporter { }; _.extend(result, Boards.findOne(this._boardId, { fields: { stars: 0 } })); result.lists = Lists.find(byBoard, noBoardId).fetch(); - result.cards = Cards.find(byBoard, noBoardId).fetch(); + result.cards = Cards.find(byBoardNoImported, noBoardId).fetch(); result.swimlanes = Swimlanes.find(byBoard, noBoardId).fetch(); result.comments = CardComments.find(byBoard, noBoardId).fetch(); result.activities = Activities.find(byBoard, noBoardId).fetch(); -- cgit v1.2.3-1-g7c22 From 49c415f0239d6645c41881690acfb2a18395fae8 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Wed, 18 Apr 2018 00:59:22 -0300 Subject: Add two way binding of checklists --- client/components/cards/cardTime.jade | 2 +- client/components/cards/cardTime.js | 3 --- client/components/cards/checklists.js | 4 +++- models/cards.js | 41 ++++++++++++++++++++++++++++------- 4 files changed, 37 insertions(+), 13 deletions(-) diff --git a/client/components/cards/cardTime.jade b/client/components/cards/cardTime.jade index 041af65a..8af8c414 100644 --- a/client/components/cards/cardTime.jade +++ b/client/components/cards/cardTime.jade @@ -6,7 +6,7 @@ template(name="editCardSpentTime") input.js-time-field#time(type="number" step="0.01" name="time" value="{{card.getSpentTime}}" placeholder=timeFormat autofocus) label(for="overtime") {{_ 'overtime'}} a.js-toggle-overtime - .materialCheckBox#overtime(class="{{#if card.getIsOvertime}}is-checked{{/if}}" name="overtime") + .materialCheckBox#overtime(class="{{#if getIsOvertime}}is-checked{{/if}}" name="overtime") if error.get .warning {{_ error.get}} diff --git a/client/components/cards/cardTime.js b/client/components/cards/cardTime.js index 9bab8e72..80b7fc84 100644 --- a/client/components/cards/cardTime.js +++ b/client/components/cards/cardTime.js @@ -64,9 +64,6 @@ BlazeComponent.extendComponent({ showTime() { return this.data().getSpentTime(); }, - isOvertime() { - return this.data().getIsOvertime(); - }, events() { return [{ 'click .js-edit-time': Popup.open('editCardSpentTime'), diff --git a/client/components/cards/checklists.js b/client/components/cards/checklists.js index e014abba..5a612a51 100644 --- a/client/components/cards/checklists.js +++ b/client/components/cards/checklists.js @@ -74,8 +74,10 @@ BlazeComponent.extendComponent({ event.preventDefault(); const textarea = this.find('textarea.js-add-checklist-item'); const title = textarea.value.trim(); - const cardId = this.currentData().cardId; + let cardId = this.currentData().cardId; const card = Cards.findOne(cardId); + if (card.isImported()) + cardId = card.importedId; if (title) { Checklists.insert({ diff --git a/models/cards.js b/models/cards.js index 710b9d85..9a715ca3 100644 --- a/models/cards.js +++ b/models/cards.js @@ -204,7 +204,11 @@ Cards.helpers({ }, checklists() { - return Checklists.find({cardId: this._id}, {sort: { sort: 1 } }); + if (this.isImportedCard()) { + return Checklists.find({cardId: this.importedId}, {sort: { sort: 1 } }); + } else { + return Checklists.find({cardId: this._id}, {sort: { sort: 1 } }); + } }, checklistItemCount() { @@ -414,7 +418,10 @@ Cards.helpers({ const board = Boards.findOne({_id: this.importedId}); return Boards.update({_id: this.importedId}, {$set: {description}}); } else { - return {$set: {description}}; + return Cards.update( + {_id: this._id}, + {$set: {description}} + ); } }, @@ -511,7 +518,10 @@ Cards.helpers({ {$set: {receivedAt}} ); } else { - return {$set: {receivedAt}}; + return Cards.update( + {_id: this._id}, + {$set: {receivedAt}} + ); } }, @@ -539,7 +549,10 @@ Cards.helpers({ {$set: {startAt}} ); } else { - return {$set: {startAt}}; + return Cards.update( + {_id: this._id}, + {$set: {startAt}} + ); } }, @@ -567,7 +580,10 @@ Cards.helpers({ {$set: {dueAt}} ); } else { - return {$set: {dueAt}}; + return Cards.update( + {_id: this._id}, + {$set: {dueAt}} + ); } }, @@ -595,7 +611,10 @@ Cards.helpers({ {$set: {endAt}} ); } else { - return {$set: {endAt}}; + return Cards.update( + {_id: this._id}, + {$set: {endAt}} + ); } }, @@ -623,7 +642,10 @@ Cards.helpers({ {$set: {isOvertime}} ); } else { - return {$set: {isOvertime}}; + return Cards.update( + {_id: this._id}, + {$set: {isOvertime}} + ); } }, @@ -651,7 +673,10 @@ Cards.helpers({ {$set: {spentTime}} ); } else { - return {$set: {spentTime}}; + return Cards.update( + {_id: this._id}, + {$set: {spentTime}} + ); } }, }); -- cgit v1.2.3-1-g7c22 From 74a01691e3490675d78cc4f24b3b99959e702c8d Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Wed, 18 Apr 2018 01:35:46 -0300 Subject: Add two way binding of activities, comments, and attachments --- client/components/activities/comments.js | 11 +++++++++-- client/components/cards/attachments.js | 9 +++++++-- models/cards.js | 22 ++++++++++++++++++---- server/publications/boards.js | 14 ++++++++++++-- 4 files changed, 46 insertions(+), 10 deletions(-) diff --git a/client/components/activities/comments.js b/client/components/activities/comments.js index 9b6aedd6..137b6872 100644 --- a/client/components/activities/comments.js +++ b/client/components/activities/comments.js @@ -21,11 +21,18 @@ BlazeComponent.extendComponent({ 'submit .js-new-comment-form'(evt) { const input = this.getInput(); const text = input.val().trim(); + const card = this.currentData(); + let boardId = card.boardId; + let cardId = card._id; + if (card.isImportedCard()) { + boardId = Cards.findOne(card.importedId).boardId; + cardId = card.importedId; + } if (text) { CardComments.insert({ text, - boardId: this.currentData().boardId, - cardId: this.currentData()._id, + boardId, + cardId, }); resetCommentInput(input); Tracker.flush(); diff --git a/client/components/cards/attachments.js b/client/components/cards/attachments.js index bc7d3979..1a4d5bb6 100644 --- a/client/components/cards/attachments.js +++ b/client/components/cards/attachments.js @@ -57,8 +57,13 @@ Template.cardAttachmentsPopup.events({ const card = this; FS.Utility.eachFile(evt, (f) => { const file = new FS.File(f); - file.boardId = card.boardId; - file.cardId = card._id; + if (card.isImportedCard()) { + file.boardId = Cards.findOne(card.importedId).boardId; + file.cardId = card.importedId; + } else { + file.boardId = card.boardId; + file.cardId = card._id; + } file.userId = Meteor.userId(); const attachment = Attachments.insert(file); diff --git a/models/cards.js b/models/cards.js index 9a715ca3..b295a4fe 100644 --- a/models/cards.js +++ b/models/cards.js @@ -181,19 +181,33 @@ Cards.helpers({ }, isAssigned(memberId) { - return _.contains(this.members, memberId); + return _.contains(this.getMembers(), memberId); }, activities() { - return Activities.find({cardId: this._id}, {sort: {createdAt: -1}}); + if (this.isImportedCard()) { + return Activities.find({cardId: this.importedId}, {sort: {createdAt: -1}}); + } else if (this.isImportedBoard()) { + return Activities.find({boardId: this.importedId}, {sort: {createdAt: -1}}); + } else { + return Activities.find({cardId: this._id}, {sort: {createdAt: -1}}); + } }, comments() { - return CardComments.find({cardId: this._id}, {sort: {createdAt: -1}}); + if (this.isImportedCard()) { + return CardComments.find({cardId: this.importedId}, {sort: {createdAt: -1}}); + } else { + return CardComments.find({cardId: this._id}, {sort: {createdAt: -1}}); + } }, attachments() { - return Attachments.find({cardId: this._id}, {sort: {uploadedAt: -1}}); + if (this.isImportedCard()) { + return Attachments.find({cardId: this.importedId}, {sort: {uploadedAt: -1}}); + } else { + return Attachments.find({cardId: this._id}, {sort: {uploadedAt: -1}}); + } }, cover() { diff --git a/server/publications/boards.js b/server/publications/boards.js index bf75196a..1d95c3d9 100644 --- a/server/publications/boards.js +++ b/server/publications/boards.js @@ -99,8 +99,18 @@ Meteor.publishRelations('board', function(boardId) { // And in the meantime our code below works pretty well -- it's not even a // hack! this.cursor(Cards.find({ boardId }), function(cardId, card) { - this.cursor(Cards.find({_id: card.importedId})); - this.cursor(Boards.find({_id: card.importedId})); + if (card.type === 'cardType-importedCard') { + const impCardId = card.importedId; + this.cursor(Cards.find({ _id: impCardId })); + this.cursor(CardComments.find({ cardId: impCardId })); + this.cursor(Activities.find({ cardId: impCardId })); + this.cursor(Attachments.find({ cardId: impCardId })); + this.cursor(Checklists.find({ cardId: impCardId })); + this.cursor(ChecklistItems.find({ cardId: impCardId })); + } else if (card.type === 'cardType-importedBoard') { + this.cursor(Boards.find({ _id: card.importedId})); + } + this.cursor(Activities.find({ cardId })); this.cursor(CardComments.find({ cardId })); this.cursor(Attachments.find({ cardId })); this.cursor(Checklists.find({ cardId })); -- cgit v1.2.3-1-g7c22 From 4ffa8784a25913fda5ba2046b7e5d179569e5af8 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Wed, 18 Apr 2018 01:42:55 -0300 Subject: Avoid reimport imported card --- client/components/lists/listBody.js | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 778312d2..48532cac 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -293,7 +293,7 @@ BlazeComponent.extendComponent({ this.boardId = Session.get('currentBoard'); // In order to get current board info subManager.subscribe('board', this.boardId); - const board = Boards.findOne(this.boardId); + this.board = Boards.findOne(this.boardId); // List where to insert card const list = $(Popup._getTopStack().openerElement).closest('.js-list'); this.listId = Blaze.getData(list[0])._id; @@ -339,6 +339,7 @@ BlazeComponent.extendComponent({ listId: this.selectedListId.get(), archived: false, importedId: null, + _id: {$nin: this.board.cards().map((card) => { return card.importedId || card._id})}, }); }, -- cgit v1.2.3-1-g7c22 From 37306c8d2244c33aa924de375f2e17f438117d54 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Wed, 18 Apr 2018 02:30:24 -0300 Subject: Add title binding --- client/components/cards/cardDetails.jade | 6 +- client/components/cards/minicard.jade | 2 +- models/cards.js | 107 +++++++++---------------------- 3 files changed, 35 insertions(+), 80 deletions(-) diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index b8c16f80..71b3bce4 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -10,7 +10,7 @@ template(name="cardDetails") h2.card-details-title.js-card-title( class="{{#if canModifyCard}}js-open-inlined-form is-editable{{/if}}") +viewer - = title + = getTitle if isWatching i.fa.fa-eye.card-details-watch .card-details-path @@ -186,7 +186,7 @@ template(name="cardDetails") template(name="editCardTitleForm") textarea.js-edit-card-title(rows='1' autofocus) - = title + = getTitle .edit-controls.clearfix button.primary.confirm.js-submit-edit-card-title-form(type="submit") {{_ 'save'}} a.fa.fa-times-thin.js-close-inlined-form @@ -237,7 +237,7 @@ template(name="moveCardPopup") template(name="copyCardPopup") label(for='copy-card-title') {{_ 'title'}}: textarea#copy-card-title.minicard-composer-textarea.js-card-title(autofocus) - = title + = getTitle +boardsAndLists template(name="copyChecklistToManyCardsPopup") diff --git a/client/components/cards/minicard.jade b/client/components/cards/minicard.jade index 88ad5564..e7e38e7a 100644 --- a/client/components/cards/minicard.jade +++ b/client/components/cards/minicard.jade @@ -18,7 +18,7 @@ template(name="minicard") if isImported span.imported-icon.fa.fa-share-alt +viewer - | {{ title }} + = getTitle if $eq 'subtext-with-full-path' currentBoard.presentParentTask .parent-subtext | {{ parentString ' > ' }} diff --git a/models/cards.js b/models/cards.js index b295a4fe..c48c5fa1 100644 --- a/models/cards.js +++ b/models/cards.js @@ -693,6 +693,37 @@ Cards.helpers({ ); } }, + + getTitle() { + if (this.isImportedCard()) { + const card = Cards.findOne({ _id: this.importedId }); + return card.title; + } else if (this.isImportedBoard()) { + const board = Boards.findOne({ _id: this.importedId}); + return board.title; + } else { + return this.title; + } + }, + + setTitle(title) { + if (this.isImportedCard()) { + return Cards.update( + { _id: this.importedId }, + {$set: {title}} + ); + } else if (this.isImportedBoard()) { + return Boards.update( + {_id: this.importedId}, + {$set: {title}} + ); + } else { + return Cards.update( + {_id: this._id}, + {$set: {title}} + ); + } + }, }); Cards.mutations({ @@ -712,22 +743,6 @@ Cards.mutations({ return {$set: {archived: false}}; }, - setTitle(title) { - return {$set: {title}}; - }, - - setDescription(description) { - return {$set: {description}}; - }, - - setRequestedBy(requestedBy) { - return {$set: {requestedBy}}; - }, - - setAssignedBy(assignedBy) { - return {$set: {assignedBy}}; - }, - move(swimlaneId, listId, sortIndex) { const list = Lists.findOne(listId); const mutatedFields = { @@ -756,22 +771,6 @@ Cards.mutations({ } }, - assignMember(memberId) { - return {$addToSet: {members: memberId}}; - }, - - unassignMember(memberId) { - return {$pull: {members: memberId}}; - }, - - toggleMember(memberId) { - if (this.members && this.members.indexOf(memberId) > -1) { - return this.unassignMember(memberId); - } else { - return this.assignMember(memberId); - } - }, - assignCustomField(customFieldId) { return {$addToSet: {customFields: {_id: customFieldId, value: null}}}; }, @@ -809,50 +808,6 @@ Cards.mutations({ return {$unset: {coverId: ''}}; }, - setReceived(receivedAt) { - return {$set: {receivedAt}}; - }, - - unsetReceived() { - return {$unset: {receivedAt: ''}}; - }, - - setStart(startAt) { - return {$set: {startAt}}; - }, - - unsetStart() { - return {$unset: {startAt: ''}}; - }, - - setDue(dueAt) { - return {$set: {dueAt}}; - }, - - unsetDue() { - return {$unset: {dueAt: ''}}; - }, - - setEnd(endAt) { - return {$set: {endAt}}; - }, - - unsetEnd() { - return {$unset: {endAt: ''}}; - }, - - setOvertime(isOvertime) { - return {$set: {isOvertime}}; - }, - - setSpentTime(spentTime) { - return {$set: {spentTime}}; - }, - - unsetSpentTime() { - return {$unset: {spentTime: '', isOvertime: false}}; - }, - setParentId(parentId) { return {$set: {parentId}}; }, -- cgit v1.2.3-1-g7c22 From fb75a487fcde4f04a371a5ed097ba97cc7134c24 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Wed, 18 Apr 2018 02:37:20 -0300 Subject: Fix lint errors --- client/components/lists/listBody.js | 2 +- models/boards.js | 8 ++++---- models/cards.js | 13 +++++-------- 3 files changed, 10 insertions(+), 13 deletions(-) diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 48532cac..02e4ab7c 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -339,7 +339,7 @@ BlazeComponent.extendComponent({ listId: this.selectedListId.get(), archived: false, importedId: null, - _id: {$nin: this.board.cards().map((card) => { return card.importedId || card._id})}, + _id: {$nin: this.board.cards().map((card) => { return card.importedId || card._id; })}, }); }, diff --git a/models/boards.js b/models/boards.js index a37981e0..e3d82fc9 100644 --- a/models/boards.js +++ b/models/boards.js @@ -323,7 +323,7 @@ Boards.helpers({ searchCards(term, excludeImported) { check(term, Match.OneOf(String, null, undefined)); - let query = { boardId: this._id }; + const query = { boardId: this._id }; if (excludeImported) { query.importedId = null; } @@ -333,9 +333,9 @@ Boards.helpers({ const regex = new RegExp(term, 'i'); query.$or = [ - { title: regex }, - { description: regex }, - ]; + { title: regex }, + { description: regex }, + ]; } return Cards.find(query, projection); diff --git a/models/cards.js b/models/cards.js index c48c5fa1..8e1ffcaa 100644 --- a/models/cards.js +++ b/models/cards.js @@ -426,10 +426,8 @@ Cards.helpers({ setDescription(description) { if (this.isImportedCard()) { - const card = Cards.findOne({_id: this.importedId}); return Cards.update({_id: this.importedId}, {$set: {description}}); } else if (this.isImportedBoard()) { - const board = Boards.findOne({_id: this.importedId}); return Boards.update({_id: this.importedId}, {$set: {description}}); } else { return Cards.update( @@ -452,11 +450,10 @@ Cards.helpers({ return board.description; else return null; + } else if (this.description) { + return this.description; } else { - if (this.description) - return this.description; - else - return null; + return null; } }, @@ -545,7 +542,7 @@ Cards.helpers({ return card.startAt; } else if (this.isImportedBoard()) { const board = Boards.findOne({_id: this.importedId}); - return board.startAt + return board.startAt; } else { return this.startAt; } @@ -576,7 +573,7 @@ Cards.helpers({ return card.dueAt; } else if (this.isImportedBoard()) { const board = Boards.findOne({_id: this.importedId}); - return board.dueAt + return board.dueAt; } else { return this.dueAt; } -- cgit v1.2.3-1-g7c22 From 10aab8a7336ff9a6c313eb34b22771b70b3df5d0 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Fri, 20 Apr 2018 13:17:33 -0300 Subject: Remove imported cards and boards colors --- client/components/cards/minicard.styl | 27 --------------------------- 1 file changed, 27 deletions(-) diff --git a/client/components/cards/minicard.styl b/client/components/cards/minicard.styl index ea737c6b..f593c342 100644 --- a/client/components/cards/minicard.styl +++ b/client/components/cards/minicard.styl @@ -44,33 +44,6 @@ transition: transform 0.2s, border-radius 0.2s - &.imported-board - background-color: #efd8e6 - &:hover:not(.minicard-composer), - .is-selected &, - .draggable-hover-card & - background: darken(#efd8e6, 3%) - - .is-selected & - border-left: 3px solid darken(#efd8e6, 50%) - - .minicard-title - font-style: italic - font-weight: bold - - &.imported-card - background-color: #d5e4bd - &:hover:not(.minicard-composer), - .is-selected &, - .draggable-hover-card & - background: darken(#d5e4bd, 3%) - - .is-selected & - border-left: 3px solid darken(#d5e4bd, 50%) - - .minicard-title - font-style: italic - &.imported-board &.imported-card .imported-icon -- cgit v1.2.3-1-g7c22 From f0597ef0c496352cb102d85227a46831a8b04c57 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Fri, 20 Apr 2018 23:52:13 -0300 Subject: Indicate board or card through icons. Indicate if archived --- client/components/cards/cardDetails.jade | 7 +++++-- client/components/cards/minicard.jade | 11 +++++++++-- client/components/cards/minicard.js | 11 +++++++++++ client/components/cards/minicard.styl | 2 ++ i18n/en.i18n.json | 1 + models/cards.js | 12 ++++++++++++ 6 files changed, 40 insertions(+), 4 deletions(-) diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index 71b3bce4..d8efc7a6 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -20,8 +20,11 @@ template(name="cardDetails") // else {{_ 'top-level-card'}} - if archived - p.warning {{_ 'card-archived'}} + if getArchived + if isImportedBoard + p.warning {{_ 'board-archived'}} + else + p.warning {{_ 'card-archived'}} .card-details-items .card-details-item.card-details-item-received diff --git a/client/components/cards/minicard.jade b/client/components/cards/minicard.jade index e7e38e7a..450af3c6 100644 --- a/client/components/cards/minicard.jade +++ b/client/components/cards/minicard.jade @@ -15,8 +15,15 @@ template(name="minicard") if $eq 'prefix-with-parent' currentBoard.presentParentTask .parent-prefix | {{ parentCardName }} - if isImported - span.imported-icon.fa.fa-share-alt + if isImportedBoard + a.js-imported-link + span.imported-icon.fa.fa-folder + else if isImportedCard + a.js-imported-link + span.imported-icon.fa.fa-id-card + if getArchived + span.imported-icon.imported-archived.fa.fa-archive + +viewer = getTitle if $eq 'subtext-with-full-path' currentBoard.presentParentTask diff --git a/client/components/cards/minicard.js b/client/components/cards/minicard.js index a98b5730..e81705a9 100644 --- a/client/components/cards/minicard.js +++ b/client/components/cards/minicard.js @@ -6,4 +6,15 @@ BlazeComponent.extendComponent({ template() { return 'minicard'; }, + + events() { + return [{ + 'click .js-imported-link' (evt) { + if (this.data().isImportedCard()) + Utils.goCardId(this.data().importedId); + else if (this.data().isImportedBoard()) + Utils.goBoardId(this.data().importedId); + }, + }]; + }, }).register('minicard'); diff --git a/client/components/cards/minicard.styl b/client/components/cards/minicard.styl index f593c342..89beb1c2 100644 --- a/client/components/cards/minicard.styl +++ b/client/components/cards/minicard.styl @@ -51,6 +51,8 @@ margin-right: 11px vertical-align: baseline font-size: 0.9em + .imported-archived + color: #937760 .is-selected & transform: translateX(11px) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 08fc129f..bd9780a7 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Like “Bucket List” for example", "cancel": "Cancel", "card-archived": "This card is moved to Recycle Bin.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", diff --git a/models/cards.js b/models/cards.js index 8e1ffcaa..987ce330 100644 --- a/models/cards.js +++ b/models/cards.js @@ -721,6 +721,18 @@ Cards.helpers({ ); } }, + + getArchived() { + if (this.isImportedCard()) { + const card = Cards.findOne({ _id: this.importedId }); + return card.archived; + } else if (this.isImportedBoard()) { + const board = Boards.findOne({ _id: this.importedId}); + return board.archived; + } else { + return this.archived; + } + }, }); Cards.mutations({ -- cgit v1.2.3-1-g7c22 From bce22425280248eda01132ccc58c9f5beefb712a Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Sat, 21 Apr 2018 00:14:10 -0300 Subject: Add imported card location --- client/components/cards/cardDetails.jade | 4 ++++ client/components/cards/cardDetails.styl | 6 ++++++ models/cards.js | 14 ++++++++++++++ 3 files changed, 24 insertions(+) diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index d8efc7a6..7f206569 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -19,6 +19,10 @@ template(name="cardDetails") a.js-parent-card(href=linkForCard) {{title}} // else {{_ 'top-level-card'}} + if isImportedCard + h3.imported-card-location + +viewer + | {{getBoardTitle}} > {{getTitle}} if getArchived if isImportedBoard diff --git a/client/components/cards/cardDetails.styl b/client/components/cards/cardDetails.styl index 42d27d11..ab65a5d6 100644 --- a/client/components/cards/cardDetails.styl +++ b/client/components/cards/cardDetails.styl @@ -47,6 +47,12 @@ margin: 7px 0 0 padding: 0 + .imported-card-location + font-style: italic + font-size: 1em + margin-bottom: 0 + & p + margin-bottom: 0 form.inlined-form margin-top: 5px diff --git a/models/cards.js b/models/cards.js index 987ce330..c6e80ea8 100644 --- a/models/cards.js +++ b/models/cards.js @@ -703,6 +703,20 @@ Cards.helpers({ } }, + getBoardTitle() { + if (this.isImportedCard()) { + const card = Cards.findOne({ _id: this.importedId }); + const board = Boards.findOne({ _id: card.boardId }); + return board.title; + } else if (this.isImportedBoard()) { + const board = Boards.findOne({ _id: this.importedId}); + return board.title; + } else { + const board = Boards.findOne({ _id: this.boardId }); + return board.title; + } + }, + setTitle(title) { if (this.isImportedCard()) { return Cards.update( -- cgit v1.2.3-1-g7c22 From 6adfcb35138259c5969e63d20a68cd6f9e8c393c Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Wed, 2 May 2018 14:20:55 -0300 Subject: Refactor imported -> linked in models --- models/boards.js | 6 +- models/cards.js | 194 +++++++++++++++++++++++++++---------------------------- models/export.js | 4 +- 3 files changed, 102 insertions(+), 102 deletions(-) diff --git a/models/boards.js b/models/boards.js index e3d82fc9..11df0bb5 100644 --- a/models/boards.js +++ b/models/boards.js @@ -320,12 +320,12 @@ Boards.helpers({ return _id; }, - searchCards(term, excludeImported) { + searchCards(term, excludeLinked) { check(term, Match.OneOf(String, null, undefined)); const query = { boardId: this._id }; - if (excludeImported) { - query.importedId = null; + if (excludeLinked) { + query.linkedId = null; } const projection = { limit: 10, sort: { createdAt: -1 } }; diff --git a/models/cards.js b/models/cards.js index c6e80ea8..2c0da093 100644 --- a/models/cards.js +++ b/models/cards.js @@ -136,7 +136,7 @@ Cards.attachSchema(new SimpleSchema({ type: { type: String, }, - importedId: { + linkedId: { type: String, optional: true, }, @@ -185,26 +185,26 @@ Cards.helpers({ }, activities() { - if (this.isImportedCard()) { - return Activities.find({cardId: this.importedId}, {sort: {createdAt: -1}}); - } else if (this.isImportedBoard()) { - return Activities.find({boardId: this.importedId}, {sort: {createdAt: -1}}); + if (this.isLinkedCard()) { + return Activities.find({cardId: this.linkedId}, {sort: {createdAt: -1}}); + } else if (this.isLinkedBoard()) { + return Activities.find({boardId: this.linkedId}, {sort: {createdAt: -1}}); } else { return Activities.find({cardId: this._id}, {sort: {createdAt: -1}}); } }, comments() { - if (this.isImportedCard()) { - return CardComments.find({cardId: this.importedId}, {sort: {createdAt: -1}}); + if (this.isLinkedCard()) { + return CardComments.find({cardId: this.linkedId}, {sort: {createdAt: -1}}); } else { return CardComments.find({cardId: this._id}, {sort: {createdAt: -1}}); } }, attachments() { - if (this.isImportedCard()) { - return Attachments.find({cardId: this.importedId}, {sort: {uploadedAt: -1}}); + if (this.isLinkedCard()) { + return Attachments.find({cardId: this.linkedId}, {sort: {uploadedAt: -1}}); } else { return Attachments.find({cardId: this._id}, {sort: {uploadedAt: -1}}); } @@ -218,8 +218,8 @@ Cards.helpers({ }, checklists() { - if (this.isImportedCard()) { - return Checklists.find({cardId: this.importedId}, {sort: { sort: 1 } }); + if (this.isLinkedCard()) { + return Checklists.find({cardId: this.linkedId}, {sort: { sort: 1 } }); } else { return Checklists.find({cardId: this._id}, {sort: { sort: 1 } }); } @@ -412,23 +412,23 @@ Cards.helpers({ return this.parentId === ''; }, - isImportedCard() { - return this.type === 'cardType-importedCard'; + isLinkedCard() { + return this.type === 'cardType-linkedCard'; }, - isImportedBoard() { - return this.type === 'cardType-importedBoard'; + isLinkedBoard() { + return this.type === 'cardType-linkedBoard'; }, - isImported() { - return this.isImportedCard() || this.isImportedBoard(); + isLinked() { + return this.isLinkedCard() || this.isLinkedBoard(); }, setDescription(description) { - if (this.isImportedCard()) { - return Cards.update({_id: this.importedId}, {$set: {description}}); - } else if (this.isImportedBoard()) { - return Boards.update({_id: this.importedId}, {$set: {description}}); + if (this.isLinkedCard()) { + return Cards.update({_id: this.linkedId}, {$set: {description}}); + } else if (this.isLinkedBoard()) { + return Boards.update({_id: this.linkedId}, {$set: {description}}); } else { return Cards.update( {_id: this._id}, @@ -438,14 +438,14 @@ Cards.helpers({ }, getDescription() { - if (this.isImportedCard()) { - const card = Cards.findOne({_id: this.importedId}); + if (this.isLinkedCard()) { + const card = Cards.findOne({_id: this.linkedId}); if (card && card.description) return card.description; else return null; - } else if (this.isImportedBoard()) { - const board = Boards.findOne({_id: this.importedId}); + } else if (this.isLinkedBoard()) { + const board = Boards.findOne({_id: this.linkedId}); if (board && board.description) return board.description; else @@ -458,11 +458,11 @@ Cards.helpers({ }, getMembers() { - if (this.isImportedCard()) { - const card = Cards.findOne({_id: this.importedId}); + if (this.isLinkedCard()) { + const card = Cards.findOne({_id: this.linkedId}); return card.members; - } else if (this.isImportedBoard()) { - const board = Boards.findOne({_id: this.importedId}); + } else if (this.isLinkedBoard()) { + const board = Boards.findOne({_id: this.linkedId}); return board.activeMembers().map((member) => { return member.userId; }); @@ -472,13 +472,13 @@ Cards.helpers({ }, assignMember(memberId) { - if (this.isImportedCard()) { + if (this.isLinkedCard()) { return Cards.update( - { _id: this.importedId }, + { _id: this.linkedId }, { $addToSet: { members: memberId }} ); - } else if (this.isImportedBoard()) { - const board = Boards.findOne({_id: this.importedId}); + } else if (this.isLinkedBoard()) { + const board = Boards.findOne({_id: this.linkedId}); return board.addMember(memberId); } else { return Cards.update( @@ -489,13 +489,13 @@ Cards.helpers({ }, unassignMember(memberId) { - if (this.isImportedCard()) { + if (this.isLinkedCard()) { return Cards.update( - { _id: this.importedId }, + { _id: this.linkedId }, { $pull: { members: memberId }} ); - } else if (this.isImportedBoard()) { - const board = Boards.findOne({_id: this.importedId}); + } else if (this.isLinkedBoard()) { + const board = Boards.findOne({_id: this.linkedId}); return board.removeMember(memberId); } else { return Cards.update( @@ -514,8 +514,8 @@ Cards.helpers({ }, getReceived() { - if (this.isImportedCard()) { - const card = Cards.findOne({_id: this.importedId}); + if (this.isLinkedCard()) { + const card = Cards.findOne({_id: this.linkedId}); return card.receivedAt; } else { return this.receivedAt; @@ -523,9 +523,9 @@ Cards.helpers({ }, setReceived(receivedAt) { - if (this.isImportedCard()) { + if (this.isLinkedCard()) { return Cards.update( - {_id: this.importedId}, + {_id: this.linkedId}, {$set: {receivedAt}} ); } else { @@ -537,11 +537,11 @@ Cards.helpers({ }, getStart() { - if (this.isImportedCard()) { - const card = Cards.findOne({_id: this.importedId}); + if (this.isLinkedCard()) { + const card = Cards.findOne({_id: this.linkedId}); return card.startAt; - } else if (this.isImportedBoard()) { - const board = Boards.findOne({_id: this.importedId}); + } else if (this.isLinkedBoard()) { + const board = Boards.findOne({_id: this.linkedId}); return board.startAt; } else { return this.startAt; @@ -549,14 +549,14 @@ Cards.helpers({ }, setStart(startAt) { - if (this.isImportedCard()) { + if (this.isLinkedCard()) { return Cards.update( - { _id: this.importedId }, + { _id: this.linkedId }, {$set: {startAt}} ); - } else if (this.isImportedBoard()) { + } else if (this.isLinkedBoard()) { return Boards.update( - {_id: this.importedId}, + {_id: this.linkedId}, {$set: {startAt}} ); } else { @@ -568,11 +568,11 @@ Cards.helpers({ }, getDue() { - if (this.isImportedCard()) { - const card = Cards.findOne({_id: this.importedId}); + if (this.isLinkedCard()) { + const card = Cards.findOne({_id: this.linkedId}); return card.dueAt; - } else if (this.isImportedBoard()) { - const board = Boards.findOne({_id: this.importedId}); + } else if (this.isLinkedBoard()) { + const board = Boards.findOne({_id: this.linkedId}); return board.dueAt; } else { return this.dueAt; @@ -580,14 +580,14 @@ Cards.helpers({ }, setDue(dueAt) { - if (this.isImportedCard()) { + if (this.isLinkedCard()) { return Cards.update( - { _id: this.importedId }, + { _id: this.linkedId }, {$set: {dueAt}} ); - } else if (this.isImportedBoard()) { + } else if (this.isLinkedBoard()) { return Boards.update( - {_id: this.importedId}, + {_id: this.linkedId}, {$set: {dueAt}} ); } else { @@ -599,11 +599,11 @@ Cards.helpers({ }, getEnd() { - if (this.isImportedCard()) { - const card = Cards.findOne({_id: this.importedId}); + if (this.isLinkedCard()) { + const card = Cards.findOne({_id: this.linkedId}); return card.endAt; - } else if (this.isImportedBoard()) { - const board = Boards.findOne({_id: this.importedId}); + } else if (this.isLinkedBoard()) { + const board = Boards.findOne({_id: this.linkedId}); return board.endAt; } else { return this.endAt; @@ -611,14 +611,14 @@ Cards.helpers({ }, setEnd(endAt) { - if (this.isImportedCard()) { + if (this.isLinkedCard()) { return Cards.update( - { _id: this.importedId }, + { _id: this.linkedId }, {$set: {endAt}} ); - } else if (this.isImportedBoard()) { + } else if (this.isLinkedBoard()) { return Boards.update( - {_id: this.importedId}, + {_id: this.linkedId}, {$set: {endAt}} ); } else { @@ -630,11 +630,11 @@ Cards.helpers({ }, getIsOvertime() { - if (this.isImportedCard()) { - const card = Cards.findOne({ _id: this.importedId }); + if (this.isLinkedCard()) { + const card = Cards.findOne({ _id: this.linkedId }); return card.isOvertime; - } else if (this.isImportedBoard()) { - const board = Boards.findOne({ _id: this.importedId}); + } else if (this.isLinkedBoard()) { + const board = Boards.findOne({ _id: this.linkedId}); return board.isOvertime; } else { return this.isOvertime; @@ -642,14 +642,14 @@ Cards.helpers({ }, setIsOvertime(isOvertime) { - if (this.isImportedCard()) { + if (this.isLinkedCard()) { return Cards.update( - { _id: this.importedId }, + { _id: this.linkedId }, {$set: {isOvertime}} ); - } else if (this.isImportedBoard()) { + } else if (this.isLinkedBoard()) { return Boards.update( - {_id: this.importedId}, + {_id: this.linkedId}, {$set: {isOvertime}} ); } else { @@ -661,11 +661,11 @@ Cards.helpers({ }, getSpentTime() { - if (this.isImportedCard()) { - const card = Cards.findOne({ _id: this.importedId }); + if (this.isLinkedCard()) { + const card = Cards.findOne({ _id: this.linkedId }); return card.spentTime; - } else if (this.isImportedBoard()) { - const board = Boards.findOne({ _id: this.importedId}); + } else if (this.isLinkedBoard()) { + const board = Boards.findOne({ _id: this.linkedId}); return board.spentTime; } else { return this.spentTime; @@ -673,14 +673,14 @@ Cards.helpers({ }, setSpentTime(spentTime) { - if (this.isImportedCard()) { + if (this.isLinkedCard()) { return Cards.update( - { _id: this.importedId }, + { _id: this.linkedId }, {$set: {spentTime}} ); - } else if (this.isImportedBoard()) { + } else if (this.isLinkedBoard()) { return Boards.update( - {_id: this.importedId}, + {_id: this.linkedId}, {$set: {spentTime}} ); } else { @@ -692,11 +692,11 @@ Cards.helpers({ }, getTitle() { - if (this.isImportedCard()) { - const card = Cards.findOne({ _id: this.importedId }); + if (this.isLinkedCard()) { + const card = Cards.findOne({ _id: this.linkedId }); return card.title; - } else if (this.isImportedBoard()) { - const board = Boards.findOne({ _id: this.importedId}); + } else if (this.isLinkedBoard()) { + const board = Boards.findOne({ _id: this.linkedId}); return board.title; } else { return this.title; @@ -704,12 +704,12 @@ Cards.helpers({ }, getBoardTitle() { - if (this.isImportedCard()) { - const card = Cards.findOne({ _id: this.importedId }); + if (this.isLinkedCard()) { + const card = Cards.findOne({ _id: this.linkedId }); const board = Boards.findOne({ _id: card.boardId }); return board.title; - } else if (this.isImportedBoard()) { - const board = Boards.findOne({ _id: this.importedId}); + } else if (this.isLinkedBoard()) { + const board = Boards.findOne({ _id: this.linkedId}); return board.title; } else { const board = Boards.findOne({ _id: this.boardId }); @@ -718,14 +718,14 @@ Cards.helpers({ }, setTitle(title) { - if (this.isImportedCard()) { + if (this.isLinkedCard()) { return Cards.update( - { _id: this.importedId }, + { _id: this.linkedId }, {$set: {title}} ); - } else if (this.isImportedBoard()) { + } else if (this.isLinkedBoard()) { return Boards.update( - {_id: this.importedId}, + {_id: this.linkedId}, {$set: {title}} ); } else { @@ -737,11 +737,11 @@ Cards.helpers({ }, getArchived() { - if (this.isImportedCard()) { - const card = Cards.findOne({ _id: this.importedId }); + if (this.isLinkedCard()) { + const card = Cards.findOne({ _id: this.linkedId }); return card.archived; - } else if (this.isImportedBoard()) { - const board = Boards.findOne({ _id: this.importedId}); + } else if (this.isLinkedBoard()) { + const board = Boards.findOne({ _id: this.linkedId}); return board.archived; } else { return this.archived; diff --git a/models/export.js b/models/export.js index 8d4f5448..ed4c52d9 100644 --- a/models/export.js +++ b/models/export.js @@ -45,7 +45,7 @@ class Exporter { build() { const byBoard = { boardId: this._boardId }; - const byBoardNoImported = { boardId: this._boardId, importedId: null }; + const byBoardNoLinked = { boardId: this._boardId, linkedId: null }; // we do not want to retrieve boardId in related elements const noBoardId = { fields: { boardId: 0 } }; const result = { @@ -53,7 +53,7 @@ class Exporter { }; _.extend(result, Boards.findOne(this._boardId, { fields: { stars: 0 } })); result.lists = Lists.find(byBoard, noBoardId).fetch(); - result.cards = Cards.find(byBoardNoImported, noBoardId).fetch(); + result.cards = Cards.find(byBoardNoLinked, noBoardId).fetch(); result.swimlanes = Swimlanes.find(byBoard, noBoardId).fetch(); result.comments = CardComments.find(byBoard, noBoardId).fetch(); result.activities = Activities.find(byBoard, noBoardId).fetch(); -- cgit v1.2.3-1-g7c22 From f76d8e47a859c64a99cfd460e3fd496965bf021a Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Wed, 2 May 2018 15:03:22 -0300 Subject: Refactor imported -> linked in components --- client/components/activities/comments.js | 6 +++--- client/components/cards/attachments.js | 6 +++--- client/components/cards/cardDetails.jade | 6 +++--- client/components/cards/cardDetails.styl | 2 +- client/components/cards/checklists.js | 4 ++-- client/components/cards/minicard.jade | 19 +++++++++---------- client/components/cards/minicard.js | 10 +++++----- client/components/cards/minicard.styl | 8 ++++---- client/components/lists/list.styl | 4 ++-- client/components/lists/listBody.jade | 12 ++++++------ client/components/lists/listBody.js | 28 ++++++++++++++-------------- 11 files changed, 52 insertions(+), 53 deletions(-) diff --git a/client/components/activities/comments.js b/client/components/activities/comments.js index 137b6872..34b6402c 100644 --- a/client/components/activities/comments.js +++ b/client/components/activities/comments.js @@ -24,9 +24,9 @@ BlazeComponent.extendComponent({ const card = this.currentData(); let boardId = card.boardId; let cardId = card._id; - if (card.isImportedCard()) { - boardId = Cards.findOne(card.importedId).boardId; - cardId = card.importedId; + if (card.isLinkedCard()) { + boardId = Cards.findOne(card.linkedId).boardId; + cardId = card.linkedId; } if (text) { CardComments.insert({ diff --git a/client/components/cards/attachments.js b/client/components/cards/attachments.js index 1a4d5bb6..5cac930d 100644 --- a/client/components/cards/attachments.js +++ b/client/components/cards/attachments.js @@ -57,9 +57,9 @@ Template.cardAttachmentsPopup.events({ const card = this; FS.Utility.eachFile(evt, (f) => { const file = new FS.File(f); - if (card.isImportedCard()) { - file.boardId = Cards.findOne(card.importedId).boardId; - file.cardId = card.importedId; + if (card.isLinkedCard()) { + file.boardId = Cards.findOne(card.linkedId).boardId; + file.cardId = card.linkedId; } else { file.boardId = card.boardId; file.cardId = card._id; diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index 7f206569..98fba692 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -19,13 +19,13 @@ template(name="cardDetails") a.js-parent-card(href=linkForCard) {{title}} // else {{_ 'top-level-card'}} - if isImportedCard - h3.imported-card-location + if isLinkedCard + h3.linked-card-location +viewer | {{getBoardTitle}} > {{getTitle}} if getArchived - if isImportedBoard + if isLinkedBoard p.warning {{_ 'board-archived'}} else p.warning {{_ 'card-archived'}} diff --git a/client/components/cards/cardDetails.styl b/client/components/cards/cardDetails.styl index ab65a5d6..1e290305 100644 --- a/client/components/cards/cardDetails.styl +++ b/client/components/cards/cardDetails.styl @@ -47,7 +47,7 @@ margin: 7px 0 0 padding: 0 - .imported-card-location + .linked-card-location font-style: italic font-size: 1em margin-bottom: 0 diff --git a/client/components/cards/checklists.js b/client/components/cards/checklists.js index 5a612a51..5d789351 100644 --- a/client/components/cards/checklists.js +++ b/client/components/cards/checklists.js @@ -76,8 +76,8 @@ BlazeComponent.extendComponent({ const title = textarea.value.trim(); let cardId = this.currentData().cardId; const card = Cards.findOne(cardId); - if (card.isImported()) - cardId = card.importedId; + if (card.isLinked()) + cardId = card.linkedId; if (title) { Checklists.insert({ diff --git a/client/components/cards/minicard.jade b/client/components/cards/minicard.jade index 450af3c6..37f537db 100644 --- a/client/components/cards/minicard.jade +++ b/client/components/cards/minicard.jade @@ -1,7 +1,7 @@ template(name="minicard") .minicard( - class="{{#if isImportedCard}}imported-card{{/if}}" - class="{{#if isImportedBoard}}imported-board{{/if}}") + class="{{#if isLinkedCard}}linked-card{{/if}}" + class="{{#if isLinkedBoard}}linked-board{{/if}}") if cover .minicard-cover(style="background-image: url('{{cover.url}}');") if labels @@ -15,15 +15,14 @@ template(name="minicard") if $eq 'prefix-with-parent' currentBoard.presentParentTask .parent-prefix | {{ parentCardName }} - if isImportedBoard - a.js-imported-link - span.imported-icon.fa.fa-folder - else if isImportedCard - a.js-imported-link - span.imported-icon.fa.fa-id-card + if isLinkedBoard + a.js-linked-link + span.linked-icon.fa.fa-folder + else if isLinkedCard + a.js-linked-link + span.linked-icon.fa.fa-id-card if getArchived - span.imported-icon.imported-archived.fa.fa-archive - + span.linked-icon.linked-archived.fa.fa-archive +viewer = getTitle if $eq 'subtext-with-full-path' currentBoard.presentParentTask diff --git a/client/components/cards/minicard.js b/client/components/cards/minicard.js index e81705a9..000836f9 100644 --- a/client/components/cards/minicard.js +++ b/client/components/cards/minicard.js @@ -9,11 +9,11 @@ BlazeComponent.extendComponent({ events() { return [{ - 'click .js-imported-link' (evt) { - if (this.data().isImportedCard()) - Utils.goCardId(this.data().importedId); - else if (this.data().isImportedBoard()) - Utils.goBoardId(this.data().importedId); + 'click .js-linked-link' (evt) { + if (this.data().isLinkedCard()) + Utils.goCardId(this.data().linkedId); + else if (this.data().isLinkedBoard()) + Utils.goBoardId(this.data().linkedId); }, }]; }, diff --git a/client/components/cards/minicard.styl b/client/components/cards/minicard.styl index 89beb1c2..8fec7238 100644 --- a/client/components/cards/minicard.styl +++ b/client/components/cards/minicard.styl @@ -44,14 +44,14 @@ transition: transform 0.2s, border-radius 0.2s - &.imported-board - &.imported-card - .imported-icon + &.linked-board + &.linked-card + .linked-icon display: inline-block margin-right: 11px vertical-align: baseline font-size: 0.9em - .imported-archived + .linked-archived color: #937760 .is-selected & diff --git a/client/components/lists/list.styl b/client/components/lists/list.styl index 0e170ebf..72cb19f4 100644 --- a/client/components/lists/list.styl +++ b/client/components/lists/list.styl @@ -188,11 +188,11 @@ top: -@padding right: 17px -.import-board-wrapper +.link-board-wrapper display: flex align-items: baseline - .js-import-board + .js-link-board margin-left: 15px .search-card-results diff --git a/client/components/lists/listBody.jade b/client/components/lists/listBody.jade index 419e158a..8069717e 100644 --- a/client/components/lists/listBody.jade +++ b/client/components/lists/listBody.jade @@ -36,7 +36,7 @@ template(name="addCardForm") button.primary.confirm(type="submit") {{_ 'add'}} span.quiet | {{_ 'or'}} - a.js-import {{_ 'import'}} + a.js-link {{_ 'link'}} span.quiet |   | / @@ -46,16 +46,16 @@ template(name="autocompleteLabelLine") .minicard-label(class="card-label-{{colorName}}" title=labelName) span(class="{{#if hasNoName}}quiet{{/if}}")= labelName -template(name="importCardPopup") +template(name="linkCardPopup") label {{_ 'boards'}}: - .import-board-wrapper + .link-board-wrapper select.js-select-boards each boards if $eq _id currentBoard._id option(value="{{_id}}" selected) {{_ 'current'}} else option(value="{{_id}}") {{title}} - input.primary.confirm.js-import-board(type="button" value="{{_ 'import'}}") + input.primary.confirm.js-link-board(type="button" value="{{_ 'link'}}") label {{_ 'swimlanes'}}: select.js-select-swimlanes @@ -73,11 +73,11 @@ template(name="importCardPopup") option(value="{{_id}}") {{title}} .edit-controls.clearfix - input.primary.confirm.js-done(type="button" value="{{_ 'import'}}") + input.primary.confirm.js-done(type="button" value="{{_ 'link'}}") template(name="searchCardPopup") label {{_ 'boards'}}: - .import-board-wrapper + .link-board-wrapper select.js-select-boards each boards if $eq _id currentBoard._id diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 02e4ab7c..83592a64 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -200,7 +200,7 @@ BlazeComponent.extendComponent({ events() { return [{ keydown: this.pressKey, - 'click .js-import': Popup.open('importCard'), + 'click .js-link': Popup.open('linkCard'), 'click .js-search': Popup.open('searchCard'), }]; }, @@ -338,8 +338,8 @@ BlazeComponent.extendComponent({ swimlaneId: this.selectedSwimlaneId.get(), listId: this.selectedListId.get(), archived: false, - importedId: null, - _id: {$nin: this.board.cards().map((card) => { return card.importedId || card._id; })}, + linkedId: null, + _id: {$nin: this.board.cards().map((card) => { return card.linkedId || card._id; })}, }); }, @@ -356,7 +356,7 @@ BlazeComponent.extendComponent({ this.selectedListId.set($(evt.currentTarget).val()); }, 'click .js-done' (evt) { - // IMPORT CARD + // LINK CARD evt.stopPropagation(); evt.preventDefault(); const _id = Cards.insert({ @@ -365,14 +365,14 @@ BlazeComponent.extendComponent({ swimlaneId: this.swimlaneId, boardId: this.boardId, sort: Lists.findOne(this.listId).cards().count(), - type: 'cardType-importedCard', - importedId: $('.js-select-cards option:selected').val(), + type: 'cardType-linkedCard', + linkedId: $('.js-select-cards option:selected').val(), }); Filter.addException(_id); Popup.close(); }, - 'click .js-import-board' (evt) { - //IMPORT BOARD + 'click .js-link-board' (evt) { + //LINK BOARD evt.stopPropagation(); evt.preventDefault(); const impBoardId = $('.js-select-boards option:selected').val(); @@ -382,15 +382,15 @@ BlazeComponent.extendComponent({ swimlaneId: this.swimlaneId, boardId: this.boardId, sort: Lists.findOne(this.listId).cards().count(), - type: 'cardType-importedBoard', - importedId: impBoardId, + type: 'cardType-linkedBoard', + linkedId: impBoardId, }); Filter.addException(_id); Popup.close(); }, }]; }, -}).register('importCardPopup'); +}).register('linkCardPopup'); BlazeComponent.extendComponent({ mixins() { @@ -452,7 +452,7 @@ BlazeComponent.extendComponent({ this.term.set(evt.target.searchTerm.value); }, 'click .js-minicard'(evt) { - // IMPORT CARD + // LINK CARD const card = Blaze.getData(evt.currentTarget); const _id = Cards.insert({ title: card.title, //dummy @@ -460,8 +460,8 @@ BlazeComponent.extendComponent({ swimlaneId: this.swimlaneId, boardId: this.boardId, sort: Lists.findOne(this.listId).cards().count(), - type: 'cardType-importedCard', - importedId: card._id, + type: 'cardType-linkedCard', + linkedId: card._id, }); Filter.addException(_id); Popup.close(); -- cgit v1.2.3-1-g7c22 From 692a1bc369314bc3f8464e2b7ae611775a07be6f Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Wed, 2 May 2018 15:11:26 -0300 Subject: Refactor imported -> linked in server and i18n --- i18n/en.i18n.json | 7 ++++--- server/migrations.js | 2 +- server/publications/boards.js | 8 ++++---- 3 files changed, 9 insertions(+), 8 deletions(-) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index bd9780a7..f4222c5b 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -137,8 +137,8 @@ "cards-count": "Cards", "casSignIn" : "Sign In with CAS", "cardType-card": "Card", - "cardType-importedCard": "Imported Card", - "cardType-importedBoard": "Imported Board", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Change", "change-avatar": "Change Avatar", "change-password": "Change Password", @@ -175,7 +175,7 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", - "importCardPopup-title": "Import Card", + "linkCardPopup-title": "Link Card", "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", @@ -267,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Create Board", "home": "Home", "import": "Import", + "link": "Link", "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", diff --git a/server/migrations.js b/server/migrations.js index 32f24e4c..16fe225e 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -219,7 +219,7 @@ Migrations.add('add-card-types', () => { { _id: card._id }, { $set: { type: 'cardType-card', - importedId: null } }, + linkedId: null } }, noValidate ); }); diff --git a/server/publications/boards.js b/server/publications/boards.js index 1d95c3d9..b68f7360 100644 --- a/server/publications/boards.js +++ b/server/publications/boards.js @@ -99,16 +99,16 @@ Meteor.publishRelations('board', function(boardId) { // And in the meantime our code below works pretty well -- it's not even a // hack! this.cursor(Cards.find({ boardId }), function(cardId, card) { - if (card.type === 'cardType-importedCard') { - const impCardId = card.importedId; + if (card.type === 'cardType-linkedCard') { + const impCardId = card.linkedId; this.cursor(Cards.find({ _id: impCardId })); this.cursor(CardComments.find({ cardId: impCardId })); this.cursor(Activities.find({ cardId: impCardId })); this.cursor(Attachments.find({ cardId: impCardId })); this.cursor(Checklists.find({ cardId: impCardId })); this.cursor(ChecklistItems.find({ cardId: impCardId })); - } else if (card.type === 'cardType-importedBoard') { - this.cursor(Boards.find({ _id: card.importedId})); + } else if (card.type === 'cardType-linkedBoard') { + this.cursor(Boards.find({ _id: card.linkedId})); } this.cursor(Activities.find({ cardId })); this.cursor(CardComments.find({ cardId })); -- cgit v1.2.3-1-g7c22 From 315db00e83d95c1a8a97d10c41de7a5e10d42cdb Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Wed, 2 May 2018 15:29:52 -0300 Subject: Fix lint warning --- client/components/cards/minicard.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/components/cards/minicard.js b/client/components/cards/minicard.js index 000836f9..da7f9e01 100644 --- a/client/components/cards/minicard.js +++ b/client/components/cards/minicard.js @@ -9,7 +9,7 @@ BlazeComponent.extendComponent({ events() { return [{ - 'click .js-linked-link' (evt) { + 'click .js-linked-link' () { if (this.data().isLinkedCard()) Utils.goCardId(this.data().linkedId); else if (this.data().isLinkedBoard()) -- cgit v1.2.3-1-g7c22 From 67301e07e277f715de1b9d909e53f0875140e4af Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Sat, 11 Aug 2018 00:50:20 +0200 Subject: Fix rebase errors --- client/components/cards/cardDate.js | 22 ++++------------------ client/components/cards/cardDetails.jade | 7 ------- client/components/cards/subtasks.js | 1 + server/migrations.js | 1 + 4 files changed, 6 insertions(+), 25 deletions(-) diff --git a/client/components/cards/cardDate.js b/client/components/cards/cardDate.js index aa0dca4c..e38143d5 100644 --- a/client/components/cards/cardDate.js +++ b/client/components/cards/cardDate.js @@ -256,9 +256,8 @@ class CardStartDate extends CardDate { classes() { let classes = 'start-date' + ' '; -<<<<<<< HEAD - const dueAt = this.data().dueAt; - const endAt = this.data().endAt; + const dueAt = this.data().getDue(); + const endAt = this.data().getEnd(); const theDate = this.date.get(); const now = this.now.get(); // if dueAt or endAt exist & are > startAt, startAt doesn't need to be flagged @@ -268,10 +267,6 @@ class CardStartDate extends CardDate { else if (theDate.isBefore(now, 'minute')) classes += 'almost-due'; else -======= - if (this.date.get().isBefore(this.now.get(), 'minute') && - this.now.get().isBefore(this.data().getDue())) { ->>>>>>> Add two way binding of card/board times classes += 'current'; return classes; } @@ -299,8 +294,7 @@ class CardDueDate extends CardDate { classes() { let classes = 'due-date' + ' '; - - const endAt = this.data().endAt; + const endAt = this.data().getEnd(); const theDate = this.date.get(); const now = this.now.get(); // if the due date is after the end date, green - done early @@ -341,22 +335,14 @@ class CardEndDate extends CardDate { classes() { let classes = 'end-date' + ' '; -<<<<<<< HEAD - const dueAt = this.data.dueAt; + const dueAt = this.data().getDue(); const theDate = this.date.get(); - // if dueAt exists & is after endAt, endAt doesn't need to be flagged - if ((dueAt) && (theDate.isAfter(dueAt, 'minute'))) - classes += 'long-overdue'; - else - classes += 'current'; -======= if (this.date.get().diff(this.data().getDue(), 'days') >= 2) classes += 'long-overdue'; else if (this.date.get().diff(this.data().getDue(), 'days') >= 0) classes += 'due'; else if (this.date.get().diff(this.data().getDue(), 'days') >= -2) classes += 'almost-due'; ->>>>>>> Add two way binding of card/board times return classes; } diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index 98fba692..4401d24b 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -59,13 +59,6 @@ template(name="cardDetails") else a.js-end-date {{_ 'add'}} - .card-details-item.card-details-item-due - h3.card-details-item-title {{_ 'card-due'}} - if dueAt - +cardDueDate - else - a.js-due-date {{_ 'add'}} - .card-details-items .card-details-item.card-details-item-members h3.card-details-item-title {{_ 'members'}} diff --git a/client/components/cards/subtasks.js b/client/components/cards/subtasks.js index 9c6f265e..1651d449 100644 --- a/client/components/cards/subtasks.js +++ b/client/components/cards/subtasks.js @@ -29,6 +29,7 @@ BlazeComponent.extendComponent({ boardId: targetBoard._id, sort: sortIndex, swimlaneId, + type: 'cardType-card', }); // In case the filter is active we need to add the newly inserted card in diff --git a/server/migrations.js b/server/migrations.js index 16fe225e..91c34be2 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -223,6 +223,7 @@ Migrations.add('add-card-types', () => { noValidate ); }); +}); Migrations.add('add-custom-fields-to-cards', () => { Cards.update({ -- cgit v1.2.3-1-g7c22 From 17308dc5f306e9b357045e97e0a1abe963dcb5d4 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Sat, 11 Aug 2018 01:00:21 +0200 Subject: Fix lint errors --- client/components/cards/cardDate.js | 6 +- client/lib/filter.js | 251 ++++++++++++++++++------------------ models/boards.js | 4 - 3 files changed, 127 insertions(+), 134 deletions(-) diff --git a/client/components/cards/cardDate.js b/client/components/cards/cardDate.js index e38143d5..182705d5 100644 --- a/client/components/cards/cardDate.js +++ b/client/components/cards/cardDate.js @@ -337,11 +337,11 @@ class CardEndDate extends CardDate { let classes = 'end-date' + ' '; const dueAt = this.data().getDue(); const theDate = this.date.get(); - if (this.date.get().diff(this.data().getDue(), 'days') >= 2) + if (theDate.diff(dueAt, 'days') >= 2) classes += 'long-overdue'; - else if (this.date.get().diff(this.data().getDue(), 'days') >= 0) + else if (theDate.diff(dueAt, 'days') >= 0) classes += 'due'; - else if (this.date.get().diff(this.data().getDue(), 'days') >= -2) + else if (theDate.diff(dueAt, 'days') >= -2) classes += 'almost-due'; return classes; } diff --git a/client/lib/filter.js b/client/lib/filter.js index a4e58692..26140ca6 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -187,27 +187,27 @@ class AdvancedFilter { if (commands[i].cmd) { switch (commands[i].cmd) { case '(': - { - level++; - if (start === -1) start = i; - continue; - } + { + level++; + if (start === -1) start = i; + continue; + } case ')': - { - level--; - commands.splice(i, 1); - i--; - continue; - } - default: - { - if (level > 0) { - subcommands.push(commands[i]); + { + level--; commands.splice(i, 1); i--; continue; } - } + default: + { + if (level > 0) { + subcommands.push(commands[i]); + commands.splice(i, 1); + i--; + continue; + } + } } } } @@ -229,113 +229,112 @@ class AdvancedFilter { case '=': case '==': case '===': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - if (commands[i + 1].regex) { - const match = str.match(new RegExp('^/(.*?)/([gimy]*)$')); - let regex = null; - if (match.length > 2) - regex = new RegExp(match[1], match[2]); + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + if (commands[i + 1].regex) + { + const match = str.match(new RegExp('^/(.*?)/([gimy]*)$')); + let regex = null; + if (match.length > 2) + regex = new RegExp(match[1], match[2]); + else + regex = new RegExp(match[1]); + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': regex }; + } else - regex = new RegExp(match[1]); - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': regex }; - } - else - { - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': {$in: [this._fieldValueToId(field, str), parseInt(str, 10)]} }; + { + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': {$in: [this._fieldValueToId(field, str), parseInt(str, 10)]} }; + } + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; } - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } case '!=': case '!==': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - if (commands[i + 1].regex) { - const match = str.match(new RegExp('^/(.*?)/([gimy]*)$')); - let regex = null; - if (match.length > 2) - regex = new RegExp(match[1], match[2]); + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + if (commands[i + 1].regex) + { + const match = str.match(new RegExp('^/(.*?)/([gimy]*)$')); + let regex = null; + if (match.length > 2) + regex = new RegExp(match[1], match[2]); + else + regex = new RegExp(match[1]); + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $not: regex } }; + } else - regex = new RegExp(match[1]); - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $not: regex } }; - } - else - { - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $not: {$in: [this._fieldValueToId(field, str), parseInt(str, 10)]} } }; + { + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $not: {$in: [this._fieldValueToId(field, str), parseInt(str, 10)]} } }; + } + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; } - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } case '>': case 'gt': case 'Gt': case 'GT': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $gt: parseInt(str, 10) } }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $gt: parseInt(str, 10) } }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } case '>=': case '>==': case 'gte': case 'Gte': case 'GTE': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $gte: parseInt(str, 10) } }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $gte: parseInt(str, 10) } }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } case '<': case 'lt': case 'Lt': case 'LT': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $lt: parseInt(str, 10) } }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $lt: parseInt(str, 10) } }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } case '<=': case '<==': case 'lte': case 'Lte': case 'LTE': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $lte: parseInt(str, 10) } }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } - + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $lte: parseInt(str, 10) } }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } } } } @@ -350,45 +349,43 @@ class AdvancedFilter { case 'OR': case '|': case '||': - { - const op1 = commands[i - 1]; - const op2 = commands[i + 1]; - commands[i] = { $or: [op1, op2] }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } + { + const op1 = commands[i - 1]; + const op2 = commands[i + 1]; + commands[i] = { $or: [op1, op2] }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } case 'and': case 'And': case 'AND': case '&': case '&&': - { - const op1 = commands[i - 1]; - const op2 = commands[i + 1]; - commands[i] = { $and: [op1, op2] }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } - + { + const op1 = commands[i - 1]; + const op2 = commands[i + 1]; + commands[i] = { $and: [op1, op2] }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } case 'not': case 'Not': case 'NOT': case '!': - { - const op1 = commands[i + 1]; - commands[i] = { $not: op1 }; - commands.splice(i + 1, 1); - //changed = true; - i--; - break; - } - + { + const op1 = commands[i + 1]; + commands[i] = { $not: op1 }; + commands.splice(i + 1, 1); + //changed = true; + i--; + break; + } } } } diff --git a/models/boards.js b/models/boards.js index 11df0bb5..a017eb3f 100644 --- a/models/boards.js +++ b/models/boards.js @@ -246,10 +246,6 @@ Boards.helpers({ return Swimlanes.find({ boardId: this._id, archived: false }, { sort: { sort: 1 } }); }, - cards() { - return Cards.find({ boardId: this._id, archived: false }, { sort: { sort: 1 } }); - }, - hasOvertimeCards(){ const card = Cards.findOne({isOvertime: true, boardId: this._id, archived: false} ); return card !== undefined; -- cgit v1.2.3-1-g7c22 From 8177a1ed0ac5f3061f4a9afb06ef779bcd798c23 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 12 Aug 2018 14:03:13 +0300 Subject: Update translations. --- i18n/ar.i18n.json | 7 +++++++ i18n/bg.i18n.json | 7 +++++++ i18n/br.i18n.json | 7 +++++++ i18n/ca.i18n.json | 7 +++++++ i18n/cs.i18n.json | 7 +++++++ i18n/de.i18n.json | 7 +++++++ i18n/el.i18n.json | 7 +++++++ i18n/en-GB.i18n.json | 7 +++++++ i18n/eo.i18n.json | 7 +++++++ i18n/es-AR.i18n.json | 7 +++++++ i18n/es.i18n.json | 7 +++++++ i18n/eu.i18n.json | 7 +++++++ i18n/fa.i18n.json | 7 +++++++ i18n/fi.i18n.json | 7 +++++++ i18n/fr.i18n.json | 7 +++++++ i18n/gl.i18n.json | 7 +++++++ i18n/he.i18n.json | 7 +++++++ i18n/hu.i18n.json | 7 +++++++ i18n/hy.i18n.json | 7 +++++++ i18n/id.i18n.json | 7 +++++++ i18n/ig.i18n.json | 7 +++++++ i18n/it.i18n.json | 7 +++++++ i18n/ja.i18n.json | 7 +++++++ i18n/ka.i18n.json | 7 +++++++ i18n/km.i18n.json | 7 +++++++ i18n/ko.i18n.json | 7 +++++++ i18n/lv.i18n.json | 7 +++++++ i18n/mn.i18n.json | 7 +++++++ i18n/nb.i18n.json | 7 +++++++ i18n/nl.i18n.json | 7 +++++++ i18n/pl.i18n.json | 7 +++++++ i18n/pt-BR.i18n.json | 7 +++++++ i18n/pt.i18n.json | 7 +++++++ i18n/ro.i18n.json | 7 +++++++ i18n/ru.i18n.json | 7 +++++++ i18n/sr.i18n.json | 7 +++++++ i18n/sv.i18n.json | 7 +++++++ i18n/ta.i18n.json | 7 +++++++ i18n/th.i18n.json | 7 +++++++ i18n/tr.i18n.json | 7 +++++++ i18n/uk.i18n.json | 7 +++++++ i18n/vi.i18n.json | 7 +++++++ i18n/zh-CN.i18n.json | 7 +++++++ i18n/zh-TW.i18n.json | 7 +++++++ 44 files changed, 308 insertions(+) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 53fa803b..4b07b711 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "مثل « todo list » على سبيل المثال", "cancel": "إلغاء", "card-archived": "This card is moved to Recycle Bin.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "%s تعليقات لهذه البطاقة", "card-delete-notice": "هذا حذف أبديّ . سوف تفقد كل الإجراءات المنوطة بهذه البطاقة", "card-delete-pop": "سيتم إزالة جميع الإجراءات من تبعات النشاط، وأنك لن تكون قادرا على إعادة فتح البطاقة. لا يوجد التراجع.", @@ -135,6 +136,9 @@ "cards": "بطاقات", "cards-count": "بطاقات", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Change", "change-avatar": "تعديل الصورة الشخصية", "change-password": "تغيير كلمة المرور", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "نسخ رابط البطاقة إلى الحافظة", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "نسخ البطاقة", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "إنشاء لوحة", "home": "الرئيسية", "import": "Import", + "link": "Link", "import-board": "استيراد لوحة", "import-board-c": "استيراد لوحة", "import-board-title-trello": "Import board from Trello", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index c8ca3b35..cb0618b4 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Like “Bucket List” for example", "cancel": "Cancel", "card-archived": "Картата е преместена в Кошчето.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "Тази карта има %s коментар.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", @@ -135,6 +136,9 @@ "cards": "Карти", "cards-count": "Карти", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Промени", "change-avatar": "Промени аватара", "change-password": "Промени паролата", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Копирай връзката на картата в клипборда", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Копирай картата", "copyChecklistToManyCardsPopup-title": "Копирай чеклисти в други карти", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Create Board", "home": "Начало", "import": "Import", + "link": "Link", "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index 7b511bf1..8832efc9 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Like “Bucket List” for example", "cancel": "Cancel", "card-archived": "This card is moved to Recycle Bin.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", @@ -135,6 +136,9 @@ "cards": "Kartennoù", "cards-count": "Kartennoù", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Change", "change-avatar": "Change Avatar", "change-password": "Kemmañ ger-tremen", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Create Board", "home": "Home", "import": "Import", + "link": "Link", "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index bf891c90..3c0fcd26 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Igual que “Bucket List”, per exemple", "cancel": "Cancel·la", "card-archived": "This card is moved to Recycle Bin.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "Aquesta fitxa té %s comentaris.", "card-delete-notice": "L'esborrat és permanent. Perdreu totes les accions associades a aquesta fitxa.", "card-delete-pop": "Totes les accions s'eliminaran de l'activitat i no podreu tornar a obrir la fitxa. No es pot desfer.", @@ -135,6 +136,9 @@ "cards": "Fitxes", "cards-count": "Fitxes", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Canvia", "change-avatar": "Canvia Avatar", "change-password": "Canvia la clau", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copia l'enllaç de la ftixa al porta-retalls", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Copia la fitxa", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Títols de fitxa i Descripcions de destí en aquest format JSON", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Crea tauler", "home": "Inici", "import": "importa", + "link": "Link", "import-board": "Importa tauler", "import-board-c": "Importa tauler", "import-board-title-trello": "Importa tauler des de Trello", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index daf21326..09b1549e 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Například \"Než mě odvedou\"", "cancel": "Zrušit", "card-archived": "Karta byla přesunuta do koše.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "Tato karta má %s komentářů.", "card-delete-notice": "Smazání je trvalé. Přijdete o všechny akce asociované s touto kartou.", "card-delete-pop": "Všechny akce budou odstraněny z kanálu aktivity a nebude možné kartu znovu otevřít. Toto nelze vrátit zpět.", @@ -135,6 +136,9 @@ "cards": "Karty", "cards-count": "Karty", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Změnit", "change-avatar": "Změnit avatar", "change-password": "Změnit heslo", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Kopírovat adresu karty do mezipaměti", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Kopírovat kartu", "copyChecklistToManyCardsPopup-title": "Kopírovat checklist do více karet", "copyChecklistToManyCardsPopup-instructions": "Názvy a popisy cílové karty v tomto formátu JSON", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Vytvořit tablo", "home": "Domů", "import": "Import", + "link": "Link", "import-board": "Importovat tablo", "import-board-c": "Importovat tablo", "import-board-title-trello": "Import board from Trello", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index bb4a317d..3bc75e2d 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "z.B. \"Löffelliste\"", "cancel": "Abbrechen", "card-archived": "Diese Karte wurde in den Papierkorb verschoben", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "Diese Karte hat %s Kommentar(e).", "card-delete-notice": "Löschen kann nicht rückgängig gemacht werden. Alle Aktionen, die dieser Karte zugeordnet sind, werden ebenfalls gelöscht.", "card-delete-pop": "Alle Aktionen werden aus dem Aktivitätsfeed entfernt und die Karte kann nicht wiedereröffnet werden. Die Aktion kann nicht rückgängig gemacht werden.", @@ -135,6 +136,9 @@ "cards": "Karten", "cards-count": "Karten", "casSignIn": "Mit CAS anmelden", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Ändern", "change-avatar": "Profilbild ändern", "change-password": "Passwort ändern", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Wollen Sie die Teilaufgabe wirklich löschen?", "confirm-checklist-delete-dialog": "Wollen Sie die Checkliste wirklich löschen?", "copy-card-link-to-clipboard": "Kopiere Link zur Karte in die Zwischenablage", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Karte kopieren", "copyChecklistToManyCardsPopup-title": "Checklistenvorlage in mehrere Karten kopieren", "copyChecklistToManyCardsPopup-instructions": "Titel und Beschreibungen der Zielkarten im folgenden JSON-Format", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Board erstellen", "home": "Home", "import": "Importieren", + "link": "Link", "import-board": "Board importieren", "import-board-c": "Board importieren", "import-board-title-trello": "Board von Trello importieren", diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 13844004..56afc6e4 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Like “Bucket List” for example", "cancel": "Ακύρωση", "card-archived": "This card is moved to Recycle Bin.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", @@ -135,6 +136,9 @@ "cards": "Κάρτες", "cards-count": "Κάρτες", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Αλλαγή", "change-avatar": "Change Avatar", "change-password": "Αλλαγή Κωδικού", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Create Board", "home": "Home", "import": "Εισαγωγή", + "link": "Link", "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 937fc657..70d8f2d1 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Like “Bucket List” for example", "cancel": "Cancel", "card-archived": "This card is moved to Recycle Bin.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", @@ -135,6 +136,9 @@ "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Change", "change-avatar": "Change Avatar", "change-password": "Change Password", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Create Board", "home": "Home", "import": "Import", + "link": "Link", "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index ef7c6476..c8561488 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Like “Bucket List” for example", "cancel": "Cancel", "card-archived": "This card is moved to Recycle Bin.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", @@ -135,6 +136,9 @@ "cards": "Kartoj", "cards-count": "Kartoj", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Ŝanĝi", "change-avatar": "Change Avatar", "change-password": "Ŝangi pasvorton", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Krei tavolon", "home": "Hejmo", "import": "Importi", + "link": "Link", "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index 64935585..b9a201ef 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Como \"Lista de Contenedores\" por ejemplo", "cancel": "Cancelar", "card-archived": "Esta tarjeta es movida a la Papelera de Reciclaje", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "Esta tarjeta tiene %s comentario.", "card-delete-notice": "Borrar es permanente. Perderás todas las acciones asociadas con esta tarjeta.", "card-delete-pop": "Todas las acciones van a ser eliminadas del agregador de actividad y no podrás re-abrir la tarjeta. No hay deshacer.", @@ -135,6 +136,9 @@ "cards": "Tarjetas", "cards-count": "Tarjetas", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Cambiar", "change-avatar": "Cambiar Avatar", "change-password": "Cambiar Contraseña", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copiar enlace a tarjeta en el portapapeles", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Copiar Tarjeta", "copyChecklistToManyCardsPopup-title": "Copiar Plantilla Checklist a Muchas Tarjetas", "copyChecklistToManyCardsPopup-instructions": "Títulos y Descripciones de la Tarjeta Destino en este formato JSON", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Crear Tablero", "home": "Inicio", "import": "Importar", + "link": "Link", "import-board": "importar tablero", "import-board-c": "Importar tablero", "import-board-title-trello": "Importar tablero de Trello", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index c49f7e17..d2f42ed3 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Como “Cosas por hacer” por ejemplo", "cancel": "Cancelar", "card-archived": "Esta tarjeta se ha enviado a la papelera de reciclaje.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "Esta tarjeta tiene %s comentarios.", "card-delete-notice": "la eliminación es permanente. Perderás todas las acciones asociadas a esta tarjeta.", "card-delete-pop": "Se eliminarán todas las acciones del historial de actividades y no se podrá volver a abrir la tarjeta. Esta acción no puede deshacerse.", @@ -135,6 +136,9 @@ "cards": "Tarjetas", "cards-count": "Tarjetas", "casSignIn": "Iniciar sesión con CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Cambiar", "change-avatar": "Cambiar el avatar", "change-password": "Cambiar la contraseña", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "¿Seguro que quieres eliminar la subtarea?", "confirm-checklist-delete-dialog": "¿Seguro que quieres eliminar la lista de verificación?", "copy-card-link-to-clipboard": "Copiar el enlace de la tarjeta al portapapeles", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Copiar la tarjeta", "copyChecklistToManyCardsPopup-title": "Copiar la plantilla de la lista de verificación en varias tarjetas", "copyChecklistToManyCardsPopup-instructions": "Títulos y descripciones de las tarjetas de destino en formato JSON", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Crear tablero", "home": "Inicio", "import": "Importar", + "link": "Link", "import-board": "importar un tablero", "import-board-c": "Importar un tablero", "import-board-title-trello": "Importar un tablero desde Trello", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index 08729670..9e5b9957 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Esaterako \"Pertz zerrenda\"", "cancel": "Utzi", "card-archived": "This card is moved to Recycle Bin.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "Txartel honek iruzkin %s dauka.", "card-delete-notice": "Ezabaketa behin betiko da. Txartel honi lotutako ekintza guztiak galduko dituzu.", "card-delete-pop": "Ekintza guztiak ekintza jariotik kenduko dira eta ezin izango duzu txartela berrireki. Ez dago desegiterik.", @@ -135,6 +136,9 @@ "cards": "Txartelak", "cards-count": "Txartelak", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Aldatu", "change-avatar": "Aldatu avatarra", "change-password": "Aldatu pasahitza", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Kopiatu txartela arbelera", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Kopiatu txartela", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Sortu arbela", "home": "Hasiera", "import": "Inportatu", + "link": "Link", "import-board": "inportatu arbela", "import-board-c": "Inportatu arbela", "import-board-title-trello": "Inportatu arbela Trellotik", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index af711d21..80139835 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "برای مثال چیزی شبیه \"لیست سبدها\"", "cancel": "انصراف", "card-archived": "این کارت به سطل زباله ریخته شده است", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "این کارت دارای %s نظر است.", "card-delete-notice": "حذف دائمی. تمامی موارد مرتبط با این کارت از بین خواهند رفت.", "card-delete-pop": "همه اقدامات از این پردازه (خوراک) حذف خواهد شد و امکان بازگرداندن کارت وجود نخواهد داشت.", @@ -135,6 +136,9 @@ "cards": "کارت‌ها", "cards-count": "کارت‌ها", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "تغییر", "change-avatar": "تغییر تصویر", "change-password": "تغییر کلمه عبور", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "مطمئنا چک لیست پاک شود؟", "copy-card-link-to-clipboard": "درج پیوند کارت در حافظه", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "کپی کارت", "copyChecklistToManyCardsPopup-title": "کپی قالب کارت به کارت‌های متعدد", "copyChecklistToManyCardsPopup-instructions": "عنوان و توضیحات کارت مقصد در این قالب JSON", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "ایجاد تخته", "home": "خانه", "import": "وارد کردن", + "link": "Link", "import-board": "وارد کردن تخته", "import-board-c": "وارد کردن تخته", "import-board-title-trello": "وارد کردن تخته از Trello", diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 2b1e9286..d02dae06 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Kuten “Laatikko lista” esimerkiksi", "cancel": "Peruuta", "card-archived": "Tämä kortti on siirretty roskakoriin.", + "board-archived": "Tämä taulu on siirretty roskakoriin.", "card-comments-title": "Tässä kortissa on %s kommenttia.", "card-delete-notice": "Poistaminen on lopullista. Menetät kaikki toimet jotka on liitetty tähän korttiin.", "card-delete-pop": "Kaikki toimet poistetaan toimintasyötteestä ja et tule pystymään uudelleenavaamaan korttia. Tätä ei voi peruuttaa.", @@ -135,6 +136,9 @@ "cards": "Kortit", "cards-count": "korttia", "casSignIn": "CAS kirjautuminen", + "cardType-card": "Kortti", + "cardType-linkedCard": "Linkitetty kortti", + "cardType-linkedBoard": "Linkitetty taulu", "change": "Muokkaa", "change-avatar": "Muokkaa profiilikuvaa", "change-password": "Vaihda salasana", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Oletko varma että haluat poistaa alitehtävän?", "confirm-checklist-delete-dialog": "Oletko varma että haluat poistaa tarkistuslistan?", "copy-card-link-to-clipboard": "Kopioi kortin linkki leikepöydälle", + "linkCardPopup-title": "Linkitä kortti", + "searchCardPopup-title": "Etsi kortti", "copyCardPopup-title": "Kopioi kortti", "copyChecklistToManyCardsPopup-title": "Kopioi tarkistuslistan malli monille korteille", "copyChecklistToManyCardsPopup-instructions": "Kohde korttien otsikot ja kuvaukset JSON muodossa", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Luo taulu", "home": "Koti", "import": "Tuo", + "link": "Linkitä", "import-board": "tuo taulu", "import-board-c": "Tuo taulu", "import-board-title-trello": "Tuo taulu Trellosta", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index eebd2b1c..0468a7af 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Comme « todo list » par exemple", "cancel": "Annuler", "card-archived": "Cette carte est déplacée vers la corbeille.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "Cette carte a %s commentaires.", "card-delete-notice": "La suppression est permanente. Vous perdrez toutes les actions associées à cette carte.", "card-delete-pop": "Toutes les actions vont être supprimées du suivi d'activités et vous ne pourrez plus utiliser cette carte. Cette action est irréversible.", @@ -135,6 +136,9 @@ "cards": "Cartes", "cards-count": "Cartes", "casSignIn": "Se connecter avec CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Modifier", "change-avatar": "Modifier l'avatar", "change-password": "Modifier le mot de passe", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Êtes-vous sûr de vouloir supprimer la sous-tâche ?", "confirm-checklist-delete-dialog": "Êtes-vous sûr de vouloir supprimer la checklist ?", "copy-card-link-to-clipboard": "Copier le lien vers la carte dans le presse-papier", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Copier la carte", "copyChecklistToManyCardsPopup-title": "Copier le modèle de checklist vers plusieurs cartes", "copyChecklistToManyCardsPopup-instructions": "Titres et descriptions des cartes de destination dans ce format JSON", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Créer un tableau", "home": "Accueil", "import": "Importer", + "link": "Link", "import-board": "importer un tableau", "import-board-c": "Importer un tableau", "import-board-title-trello": "Importer le tableau depuis Trello", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index aec06426..ab4cce62 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Like “Bucket List” for example", "cancel": "Cancelar", "card-archived": "This card is moved to Recycle Bin.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", @@ -135,6 +136,9 @@ "cards": "Tarxetas", "cards-count": "Tarxetas", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Cambiar", "change-avatar": "Cambiar o avatar", "change-password": "Cambiar o contrasinal", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Crear taboleiro", "home": "Inicio", "import": "Importar", + "link": "Link", "import-board": "importar taboleiro", "import-board-c": "Importar taboleiro", "import-board-title-trello": "Importar taboleiro de Trello", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 68d51c34..021e8095 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "כמו למשל „רשימת המשימות“", "cancel": "ביטול", "card-archived": "כרטיס זה הועבר לסל המחזור", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "לכרטיס זה %s תגובות.", "card-delete-notice": "מחיקה היא סופית. כל הפעולות המשויכות לכרטיס זה תלכנה לאיוד.", "card-delete-pop": "כל הפעולות יוסרו מלוח הפעילות ולא תהיה אפשרות לפתוח מחדש את הכרטיס. אין דרך חזרה.", @@ -135,6 +136,9 @@ "cards": "כרטיסים", "cards-count": "כרטיסים", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "שינוי", "change-avatar": "החלפת תמונת משתמש", "change-password": "החלפת ססמה", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "האם למחוק את תת המשימה?", "confirm-checklist-delete-dialog": "האם אתה בטוח שברצונך למחוק את רשימת המשימות?", "copy-card-link-to-clipboard": "העתקת קישור הכרטיס ללוח הגזירים", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "העתק כרטיס", "copyChecklistToManyCardsPopup-title": "העתקת תבנית רשימת מטלות למגוון כרטיסים", "copyChecklistToManyCardsPopup-instructions": "כותרות ותיאורים של כרטיסי יעד בתצורת JSON זו", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "יצירת לוח", "home": "בית", "import": "יבוא", + "link": "Link", "import-board": "ייבוא לוח", "import-board-c": "יבוא לוח", "import-board-title-trello": "ייבוא לוח מטרלו", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index 3e3f3903..2e886104 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Mint például „Bakancslista”", "cancel": "Mégse", "card-archived": "Ez a kártya a lomtárba került.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "Ez a kártya %s hozzászólást tartalmaz.", "card-delete-notice": "A törlés végleges. Az összes műveletet elveszíti, amely ehhez a kártyához tartozik.", "card-delete-pop": "Az összes művelet el lesz távolítva a tevékenységlistából, és nem lesz képes többé újra megnyitni a kártyát. Nincs visszaállítási lehetőség.", @@ -135,6 +136,9 @@ "cards": "Kártyák", "cards-count": "Kártyák", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Változtatás", "change-avatar": "Avatár megváltoztatása", "change-password": "Jelszó megváltoztatása", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Kártya hivatkozásának másolása a vágólapra", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Kártya másolása", "copyChecklistToManyCardsPopup-title": "Ellenőrzőlista sablon másolása több kártyára", "copyChecklistToManyCardsPopup-instructions": "A célkártyák címe és a leírások ebben a JSON formátumban", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Tábla létrehozása", "home": "Kezdőlap", "import": "Importálás", + "link": "Link", "import-board": "tábla importálása", "import-board-c": "Tábla importálása", "import-board-title-trello": "Tábla importálása a Trello oldalról", diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index a56db758..2161be39 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Like “Bucket List” for example", "cancel": "Cancel", "card-archived": "This card is moved to Recycle Bin.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", @@ -135,6 +136,9 @@ "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Change", "change-avatar": "Change Avatar", "change-password": "Change Password", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Create Board", "home": "Home", "import": "Import", + "link": "Link", "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 06076aa5..f273ccf4 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Contohnya seperti “Bucket List” ", "cancel": "Batal", "card-archived": "This card is moved to Recycle Bin.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "Kartu ini punya %s komentar", "card-delete-notice": "Menghapus sama dengan permanen. Anda akan kehilangan semua aksi yang terhubung ke kartu ini", "card-delete-pop": "Semua aksi akan dihapus dari aktivitas dan anda tidak bisa lagi buka kartu ini", @@ -135,6 +136,9 @@ "cards": "Daftar Kartu", "cards-count": "Daftar Kartu", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Ubah", "change-avatar": "Ubah Avatar", "change-password": "Ubah Kata Sandi", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Buat Panel", "home": "Beranda", "import": "Impor", + "link": "Link", "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Impor panel dari Trello", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 5b759739..07f1a824 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Like “Bucket List” for example", "cancel": "Cancel", "card-archived": "This card is moved to Recycle Bin.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", @@ -135,6 +136,9 @@ "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Gbanwe", "change-avatar": "Change Avatar", "change-password": "Change Password", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Create Board", "home": "Home", "import": "Import", + "link": "Link", "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 7968967d..b4d13dbe 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Per esempio come \"una lista di cose da fare\"", "cancel": "Cancella", "card-archived": "Questa scheda è stata spostata nel cestino.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "Questa scheda ha %s commenti.", "card-delete-notice": "L'eliminazione è permanente. Tutte le azioni associate a questa scheda andranno perse.", "card-delete-pop": "Tutte le azioni saranno rimosse dal flusso attività e non sarai in grado di riaprire la scheda. Non potrai tornare indietro.", @@ -135,6 +136,9 @@ "cards": "Schede", "cards-count": "Schede", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Cambia", "change-avatar": "Cambia avatar", "change-password": "Cambia password", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copia link della scheda sulla clipboard", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Copia Scheda", "copyChecklistToManyCardsPopup-title": "Copia template checklist su più schede", "copyChecklistToManyCardsPopup-instructions": "Titolo e la descrizione della scheda di destinazione in questo formato JSON", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Crea bacheca", "home": "Home", "import": "Importa", + "link": "Link", "import-board": "Importa bacheca", "import-board-c": "Importa bacheca", "import-board-title-trello": "Importa una bacheca da Trello", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index c70b0d35..67207dbc 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "例:バケットリスト", "cancel": "キャンセル", "card-archived": "このカードはゴミ箱に移動されます", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "%s 件のコメントがあります。", "card-delete-notice": "削除は取り消しできません。このカードに関係するすべてのアクションがなくなります。", "card-delete-pop": "すべての内容がアクティビティから削除されます。この削除は元に戻すことができません。", @@ -135,6 +136,9 @@ "cards": "カード", "cards-count": "カード", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "変更", "change-avatar": "アバターの変更", "change-password": "パスワードの変更", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "カードへのリンクをクリップボードにコピー", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "カードをコピー", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "ボードの作成", "home": "ホーム", "import": "インポート", + "link": "Link", "import-board": "ボードをインポート", "import-board-c": "ボードをインポート", "import-board-title-trello": "Trelloからボードをインポート", diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index be7cce21..2b3db17d 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "მაგალითად “Bucket List” ", "cancel": "გაუქმება", "card-archived": "ბარათი გადატანილია სანაგვე ურნაში ", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "ამ ბარათს ჰქონდა%s კომენტარი.", "card-delete-notice": "წაშლის შემთხვევაში ამ ბარათთან ასცირებული ყველა მოქმედება დაიკარგება.", "card-delete-pop": "ყველა მოქმედება წაიშლება აქტივობების ველიდან და თქვენ აღარ შეგეძლებათ ბარათის ხელახლა გახსნა. დაბრუნება შეუძლებელია.", @@ -135,6 +136,9 @@ "cards": "ბარათები", "cards-count": "ბარათები", "casSignIn": "შესვლა CAS-ით", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "ცვლილება", "change-avatar": "სურათის შეცვლა", "change-password": "პაროლის შეცვლა", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "დარწმუნებული ხართ, რომ გსურთ ქვესაქმიანობის წაშლა? ", "confirm-checklist-delete-dialog": "დარწმუნებული ხართ, რომ გსურთ კატალოგის წაშლა ? ", "copy-card-link-to-clipboard": "დააკოპირეთ ბარათის ბმული clipboard-ზე", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "ბარათის ასლი", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "დაფის შექმნა", "home": "სახლი", "import": "იმპორტირება", + "link": "Link", "import-board": " დაფის იმპორტი", "import-board-c": "დაფის იმპორტი", "import-board-title-trello": "დაფის იმპორტი Trello-დან", diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index e0838ffc..dc1e01bf 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Like “Bucket List” for example", "cancel": "Cancel", "card-archived": "This card is moved to Recycle Bin.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", @@ -135,6 +136,9 @@ "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Change", "change-avatar": "Change Avatar", "change-password": "Change Password", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Create Board", "home": "Home", "import": "Import", + "link": "Link", "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index ddcc3c0c..e1f24f2a 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "예: “프로젝트 이름“ 입력", "cancel": "취소", "card-archived": "This card is moved to Recycle Bin.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "이 카드에 %s 코멘트가 있습니다.", "card-delete-notice": "영구 삭제입니다. 이 카드와 관련된 모든 작업들을 잃게됩니다.", "card-delete-pop": "모든 작업이 활동 내역에서 제거되며 카드를 다시 열 수 없습니다. 복구가 안되니 주의하시기 바랍니다.", @@ -135,6 +136,9 @@ "cards": "카드", "cards-count": "카드", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "변경", "change-avatar": "아바타 변경", "change-password": "암호 변경", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "클립보드에 카드의 링크가 복사되었습니다.", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "카드 복사", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "보드 생성", "home": "홈", "import": "가져오기", + "link": "Link", "import-board": "보드 가져오기", "import-board-c": "보드 가져오기", "import-board-title-trello": "Trello에서 보드 가져오기", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index abeec5ad..0dd99237 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Like “Bucket List” for example", "cancel": "Cancel", "card-archived": "This card is moved to Recycle Bin.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", @@ -135,6 +136,9 @@ "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Change", "change-avatar": "Change Avatar", "change-password": "Change Password", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Create Board", "home": "Home", "import": "Import", + "link": "Link", "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index f2f093b3..bb4048c8 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Like “Bucket List” for example", "cancel": "Cancel", "card-archived": "This card is moved to Recycle Bin.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", @@ -135,6 +136,9 @@ "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Change", "change-avatar": "Аватар өөрчлөх", "change-password": "Нууц үг солих", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Самбар үүсгэх", "home": "Home", "import": "Import", + "link": "Link", "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index 72bd0430..edeb9e1f 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Som \"Bucket List\" for eksempel", "cancel": "Avbryt", "card-archived": "This card is moved to Recycle Bin.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "Dette kortet har %s kommentar.", "card-delete-notice": "Sletting er permanent. Du vil miste alle hendelser knyttet til dette kortet.", "card-delete-pop": "Alle handlinger vil fjernes fra feeden for aktiviteter og du vil ikke kunne åpne kortet på nytt. Det er ingen mulighet å angre.", @@ -135,6 +136,9 @@ "cards": "Kort", "cards-count": "Kort", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Endre", "change-avatar": "Endre avatar", "change-password": "Endre passord", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Create Board", "home": "Home", "import": "Import", + "link": "Link", "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 6a54b9c5..966d09c0 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Zoals \"Bucket List\" bijvoorbeeld", "cancel": "Annuleren", "card-archived": "This card is moved to Recycle Bin.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "Deze kaart heeft %s reactie.", "card-delete-notice": "Verwijdering is permanent. Als je dit doet, verlies je alle informatie die op deze kaart is opgeslagen.", "card-delete-pop": "Alle acties worden verwijderd van de activiteiten feed, en er zal geen mogelijkheid zijn om de kaart opnieuw te openen. Deze actie kan je niet ongedaan maken.", @@ -135,6 +136,9 @@ "cards": "Kaarten", "cards-count": "Kaarten", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Wijzig", "change-avatar": "Wijzig avatar", "change-password": "Wijzig wachtwoord", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Kopieer kaart link naar klembord", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Kopieer kaart", "copyChecklistToManyCardsPopup-title": "Checklist sjabloon kopiëren naar meerdere kaarten", "copyChecklistToManyCardsPopup-instructions": "Doel kaart titels en omschrijvingen in dit JSON formaat", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Bord aanmaken", "home": "Voorpagina", "import": "Importeer", + "link": "Link", "import-board": "Importeer bord", "import-board-c": "Importeer bord", "import-board-title-trello": "Importeer bord van Trello", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index a12a5389..5208ffba 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Like “Bucket List” for example", "cancel": "Anuluj", "card-archived": "This card is moved to Recycle Bin.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "Ta karta ma %s komentarzy.", "card-delete-notice": "Usunięcie jest trwałe. Stracisz wszystkie akcje powiązane z tą kartą.", "card-delete-pop": "Wszystkie akcje będą usunięte z widoku aktywności, nie można będzie ponownie otworzyć karty. Usunięcie jest nieodwracalne.", @@ -135,6 +136,9 @@ "cards": "Karty", "cards-count": "Karty", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Zmień", "change-avatar": "Zmień Avatar", "change-password": "Zmień hasło", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Skopiuj kartę", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Utwórz tablicę", "home": "Strona główna", "import": "Importu", + "link": "Link", "import-board": "importuj tablice", "import-board-c": "Import tablicy", "import-board-title-trello": "Import board from Trello", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 82bdf952..288dc70b 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "\"Bucket List\", por exemplo", "cancel": "Cancelar", "card-archived": "Este cartão foi movido para a lixeira", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "Este cartão possui %s comentários.", "card-delete-notice": "A exclusão será permanente. Você perderá todas as ações associadas a este cartão.", "card-delete-pop": "Todas as ações serão removidas da lista de Atividades e vocês não poderá re-abrir o cartão. Não há como desfazer.", @@ -135,6 +136,9 @@ "cards": "Cartões", "cards-count": "Cartões", "casSignIn": "Entrar com CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Alterar", "change-avatar": "Alterar Avatar", "change-password": "Alterar Senha", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Tem certeza que deseja deletar a subtarefa?", "confirm-checklist-delete-dialog": "Tem certeza que quer deletar o checklist?", "copy-card-link-to-clipboard": "Copiar link do cartão para a área de transferência", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Copiar o cartão", "copyChecklistToManyCardsPopup-title": "Copiar modelo de checklist para vários cartões", "copyChecklistToManyCardsPopup-instructions": "Títulos e descrições do cartão de destino neste formato JSON", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Criar Quadro", "home": "Início", "import": "Importar", + "link": "Link", "import-board": "importar quadro", "import-board-c": "Importar quadro", "import-board-title-trello": "Importar board do Trello", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 0d6df67e..46073e81 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Like “Bucket List” for example", "cancel": "Cancel", "card-archived": "This card is moved to Recycle Bin.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", @@ -135,6 +136,9 @@ "cards": "Cartões", "cards-count": "Cartões", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Alterar", "change-avatar": "Change Avatar", "change-password": "Change Password", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Create Board", "home": "Home", "import": "Import", + "link": "Link", "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index 8146ee3b..79230bcb 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Like “Bucket List” for example", "cancel": "Cancel", "card-archived": "This card is moved to Recycle Bin.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", @@ -135,6 +136,9 @@ "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Change", "change-avatar": "Change Avatar", "change-password": "Change Password", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Create Board", "home": "Home", "import": "Import", + "link": "Link", "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 1ae38aea..967fb426 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Например “Список дел”", "cancel": "Отмена", "card-archived": "Эта карточка перемещена в Корзину", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "Комментарии (%s)", "card-delete-notice": "Это действие невозможно будет отменить. Все изменения, которые вы вносили в карточку будут потеряны.", "card-delete-pop": "Все действия будут удалены из ленты активности участников и вы не сможете заново открыть карточку. Действие необратимо", @@ -135,6 +136,9 @@ "cards": "Карточки", "cards-count": "Карточки", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Изменить", "change-avatar": "Изменить аватар", "change-password": "Изменить пароль", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Вы уверены, что хотите удалить подзадачу?", "confirm-checklist-delete-dialog": "Вы уверены, что хотите удалить чеклист?", "copy-card-link-to-clipboard": "Копировать ссылку на карточку в буфер обмена", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Копировать карточку", "copyChecklistToManyCardsPopup-title": "Копировать шаблон контрольного списка в несколько карточек", "copyChecklistToManyCardsPopup-instructions": "Названия и описания целевых карт в формате JSON", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Создать доску", "home": "Главная", "import": "Импорт", + "link": "Link", "import-board": "импортировать доску", "import-board-c": "Импортировать доску", "import-board-title-trello": "Импортировать доску из Trello", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index db8e9792..f94b5240 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Na primer \"Lista zadataka\"", "cancel": "Otkaži", "card-archived": "This card is moved to Recycle Bin.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "Ova kartica ima %s komentar.", "card-delete-notice": "Brisanje je trajno. Izgubićeš sve akcije povezane sa ovom karticom.", "card-delete-pop": "Sve akcije će biti uklonjene sa liste aktivnosti i kartica neće moći biti ponovo otvorena. Nema vraćanja unazad.", @@ -135,6 +136,9 @@ "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Change", "change-avatar": "Change Avatar", "change-password": "Change Password", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Create Board", "home": "Home", "import": "Import", + "link": "Link", "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Uvezi tablu iz Trella", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index b0d50237..9be9b46a 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Gilla \"att-göra-innan-jag-dör-lista\" till exempel", "cancel": "Avbryt", "card-archived": "Detta kort flyttas till papperskorgen.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "Detta kort har %s kommentar.", "card-delete-notice": "Ta bort är permanent. Du kommer att förlora alla åtgärder i samband med detta kort.", "card-delete-pop": "Alla åtgärder kommer att tas bort från aktivitetsflöde och du kommer inte att kunna öppna kortet igen. Det går inte att ångra.", @@ -135,6 +136,9 @@ "cards": "Kort", "cards-count": "Kort", "casSignIn": "Logga in med CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Ändra", "change-avatar": "Ändra avatar", "change-password": "Ändra lösenord", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Är du säker på att du vill radera deluppgift?", "confirm-checklist-delete-dialog": "Är du säker på att du vill radera checklista?", "copy-card-link-to-clipboard": "Kopiera kortlänk till urklipp", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Kopiera kort", "copyChecklistToManyCardsPopup-title": "Kopiera checklist-mallen till flera kort", "copyChecklistToManyCardsPopup-instructions": "Destinationskorttitlar och beskrivningar i detta JSON-format", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Skapa anslagstavla", "home": "Hem", "import": "Importera", + "link": "Link", "import-board": "importera anslagstavla", "import-board-c": "Importera anslagstavla", "import-board-title-trello": "Importera anslagstavla från Trello", diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index f2b32e0f..dfc9eed1 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Like “Bucket List” for example", "cancel": "Cancel", "card-archived": "This card is moved to Recycle Bin.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", @@ -135,6 +136,9 @@ "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Change", "change-avatar": "Change Avatar", "change-password": "Change Password", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Create Board", "home": "Home", "import": "Import", + "link": "Link", "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index 86e3a65d..ff2b20e3 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "ตัวอย่างเช่น “ระบบที่ต้องทำ”", "cancel": "ยกเลิก", "card-archived": "This card is moved to Recycle Bin.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "การ์ดนี้มี %s ความเห็น.", "card-delete-notice": "เป็นการลบถาวร คุณจะสูญเสียข้อมูลที่เกี่ยวข้องกับการ์ดนี้ทั้งหมด", "card-delete-pop": "การดำเนินการทั้งหมดจะถูกลบจาก feed กิจกรรมและคุณไม่สามารถเปิดได้อีกครั้งหรือยกเลิกการทำ", @@ -135,6 +136,9 @@ "cards": "การ์ด", "cards-count": "การ์ด", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "เปลี่ยน", "change-avatar": "เปลี่ยนภาพ", "change-password": "เปลี่ยนรหัสผ่าน", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "สร้างบอร์ด", "home": "หน้าหลัก", "import": "นำเข้า", + "link": "Link", "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "นำเข้าบอร์ดจาก Trello", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index c1e2d7f8..cfc46a29 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Örn: \"Marketten Alacaklarım\"", "cancel": "İptal", "card-archived": "Bu kart Geri Dönüşüm Kutusu'na taşındı", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "Bu kartta %s yorum var.", "card-delete-notice": "Silme işlemi kalıcıdır. Bu kartla ilişkili tüm eylemleri kaybedersiniz.", "card-delete-pop": "Son hareketler alanındaki tüm veriler silinecek, ayrıca bu kartı yeniden açamayacaksın. Bu işlemin geri dönüşü yok.", @@ -135,6 +136,9 @@ "cards": "Kartlar", "cards-count": "Kartlar", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Değiştir", "change-avatar": "Avatar Değiştir", "change-password": "Parola Değiştir", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Kartın linkini kopyala", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Kartı Kopyala", "copyChecklistToManyCardsPopup-title": "Yapılacaklar Listesi şemasını birden çok karta kopyala", "copyChecklistToManyCardsPopup-instructions": "Hedef Kart Başlıkları ve Açıklamaları bu JSON formatında", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Pano Oluşturma", "home": "Ana Sayfa", "import": "İçeri aktar", + "link": "Link", "import-board": "panoyu içe aktar", "import-board-c": "Panoyu içe aktar", "import-board-title-trello": "Trello'dan panoyu içeri aktar", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index d2b27f81..4d1a60f6 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Like “Bucket List” for example", "cancel": "Відміна", "card-archived": "This card is moved to Recycle Bin.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", @@ -135,6 +136,9 @@ "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Change", "change-avatar": "Change Avatar", "change-password": "Change Password", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Create Board", "home": "Home", "import": "Import", + "link": "Link", "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index 43852935..120b2a92 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "Like “Bucket List” for example", "cancel": "Hủy", "card-archived": "This card is moved to Recycle Bin.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "Thẻ này có %s bình luận.", "card-delete-notice": "Hành động xóa là không thể khôi phục. Bạn sẽ mất hết các hoạt động liên quan đến thẻ này.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", @@ -135,6 +136,9 @@ "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "Change", "change-avatar": "Change Avatar", "change-password": "Change Password", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "Create Board", "home": "Home", "import": "Import", + "link": "Link", "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index f8e3821f..b296e2b6 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "例如 “目标清单”", "cancel": "取消", "card-archived": "此卡片已经被移入回收站。", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "该卡片有 %s 条评论", "card-delete-notice": "彻底删除的操作不可恢复,你将会丢失该卡片相关的所有操作记录。", "card-delete-pop": "所有的活动将从活动摘要中被移除且您将无法重新打开该卡片。此操作无法撤销。", @@ -135,6 +136,9 @@ "cards": "卡片", "cards-count": "卡片", "casSignIn": "用CAS登录", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "变更", "change-avatar": "更改头像", "change-password": "更改密码", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "确定要删除子任务吗?", "confirm-checklist-delete-dialog": "确定要删除清单吗?", "copy-card-link-to-clipboard": "复制卡片链接到剪贴板", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "复制卡片", "copyChecklistToManyCardsPopup-title": "复制清单模板至多个卡片", "copyChecklistToManyCardsPopup-instructions": "以JSON格式表示目标卡片的标题和描述", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "创建看板", "home": "首页", "import": "导入", + "link": "Link", "import-board": "导入看板", "import-board-c": "导入看板", "import-board-title-trello": "从Trello导入看板", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index e8bcbd2c..8926b779 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -109,6 +109,7 @@ "bucket-example": "例如 “目標清單”", "cancel": "取消", "card-archived": "This card is moved to Recycle Bin.", + "board-archived": "This board is moved to Recycle Bin.", "card-comments-title": "該卡片有 %s 則評論", "card-delete-notice": "徹底刪除的操作不可復原,你將會遺失該卡片相關的所有操作記錄。", "card-delete-pop": "所有的動作將從活動動態中被移除且您將無法重新打開該卡片。此操作無法復原。", @@ -135,6 +136,9 @@ "cards": "卡片", "cards-count": "卡片", "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", "change": "變更", "change-avatar": "更改大頭貼", "change-password": "更改密碼", @@ -171,6 +175,8 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "將卡片連結複製到剪貼板", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", @@ -261,6 +267,7 @@ "headerBarCreateBoardPopup-title": "建立看板", "home": "首頁", "import": "匯入", + "link": "Link", "import-board": "匯入看板", "import-board-c": "匯入看板", "import-board-title-trello": "匯入在 Trello 的看板", -- cgit v1.2.3-1-g7c22 From eac0b3e7bb73e54a61de368fe87c0817a0225838 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 12 Aug 2018 14:05:58 +0300 Subject: - Linked Cards and Linked Boards. Thanks to andresmanelli ! --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index a8be1680..4e6d0682 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release add the following new features: + +- [Linked Cards and Linked Boards](https://github.com/wekan/wekan/pull/1592). + +Thanks to GitHub user andresmanelli for contributions. + # v1.26 2018-08-09 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 32d9a2c10bf43f7e253e8dcca3cb972ce1a7210d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 12 Aug 2018 14:12:52 +0300 Subject: v1.27 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 4e6d0682..5d0a72e4 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.27 2018-08-12 Wekan release This release add the following new features: diff --git a/package.json b/package.json index 520a197e..59dad163 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.26.0", + "version": "1.27.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 570ff46d..e21edefd 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 111, + appVersion = 112, # Increment this for every release. - appMarketingVersion = (defaultText = "1.26.0~2018-08-09"), + appMarketingVersion = (defaultText = "1.27.0~2018-08-12"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From f5515cb95fc93882e5e1098d6043267b9260b9d7 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 12 Aug 2018 14:36:37 +0300 Subject: Fix lint errors. --- client/lib/filter.js | 248 +++++++++++++++++++++++++-------------------------- 1 file changed, 124 insertions(+), 124 deletions(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index 26140ca6..ccc0e16b 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -187,27 +187,27 @@ class AdvancedFilter { if (commands[i].cmd) { switch (commands[i].cmd) { case '(': - { - level++; - if (start === -1) start = i; - continue; - } + { + level++; + if (start === -1) start = i; + continue; + } case ')': - { - level--; + { + level--; + commands.splice(i, 1); + i--; + continue; + } + default: + { + if (level > 0) { + subcommands.push(commands[i]); commands.splice(i, 1); i--; continue; } - default: - { - if (level > 0) { - subcommands.push(commands[i]); - commands.splice(i, 1); - i--; - continue; - } - } + } } } } @@ -229,112 +229,112 @@ class AdvancedFilter { case '=': case '==': case '===': + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + if (commands[i + 1].regex) { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - if (commands[i + 1].regex) - { - const match = str.match(new RegExp('^/(.*?)/([gimy]*)$')); - let regex = null; - if (match.length > 2) - regex = new RegExp(match[1], match[2]); - else - regex = new RegExp(match[1]); - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': regex }; - } + const match = str.match(new RegExp('^/(.*?)/([gimy]*)$')); + let regex = null; + if (match.length > 2) + regex = new RegExp(match[1], match[2]); else - { - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': {$in: [this._fieldValueToId(field, str), parseInt(str, 10)]} }; - } - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; + regex = new RegExp(match[1]); + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': regex }; } + else + { + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': {$in: [this._fieldValueToId(field, str), parseInt(str, 10)]} }; + } + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } case '!=': case '!==': + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + if (commands[i + 1].regex) { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - if (commands[i + 1].regex) - { - const match = str.match(new RegExp('^/(.*?)/([gimy]*)$')); - let regex = null; - if (match.length > 2) - regex = new RegExp(match[1], match[2]); - else - regex = new RegExp(match[1]); - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $not: regex } }; - } + const match = str.match(new RegExp('^/(.*?)/([gimy]*)$')); + let regex = null; + if (match.length > 2) + regex = new RegExp(match[1], match[2]); else - { - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $not: {$in: [this._fieldValueToId(field, str), parseInt(str, 10)]} } }; - } - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; + regex = new RegExp(match[1]); + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $not: regex } }; + } + else + { + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $not: {$in: [this._fieldValueToId(field, str), parseInt(str, 10)]} } }; } + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } case '>': case 'gt': case 'Gt': case 'GT': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $gt: parseInt(str, 10) } }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $gt: parseInt(str, 10) } }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } case '>=': case '>==': case 'gte': case 'Gte': case 'GTE': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $gte: parseInt(str, 10) } }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $gte: parseInt(str, 10) } }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } case '<': case 'lt': case 'Lt': case 'LT': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $lt: parseInt(str, 10) } }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $lt: parseInt(str, 10) } }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } case '<=': case '<==': case 'lte': case 'Lte': case 'LTE': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $lte: parseInt(str, 10) } }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $lte: parseInt(str, 10) } }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } } } } @@ -349,43 +349,43 @@ class AdvancedFilter { case 'OR': case '|': case '||': - { - const op1 = commands[i - 1]; - const op2 = commands[i + 1]; - commands[i] = { $or: [op1, op2] }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } + { + const op1 = commands[i - 1]; + const op2 = commands[i + 1]; + commands[i] = { $or: [op1, op2] }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } case 'and': case 'And': case 'AND': case '&': case '&&': - { - const op1 = commands[i - 1]; - const op2 = commands[i + 1]; - commands[i] = { $and: [op1, op2] }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } + { + const op1 = commands[i - 1]; + const op2 = commands[i + 1]; + commands[i] = { $and: [op1, op2] }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } case 'not': case 'Not': case 'NOT': case '!': - { - const op1 = commands[i + 1]; - commands[i] = { $not: op1 }; - commands.splice(i + 1, 1); - //changed = true; - i--; - break; - } + { + const op1 = commands[i + 1]; + commands[i] = { $not: op1 }; + commands.splice(i + 1, 1); + //changed = true; + i--; + break; + } } } } -- cgit v1.2.3-1-g7c22 From b015b5b7240f5fb5a715843dce5d35907345eb4a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 12 Aug 2018 17:32:53 +0300 Subject: Revert eslint changes, because they caused breakage. --- client/lib/filter.js | 949 +++++++++++++++++++++++++++------------------------ 1 file changed, 506 insertions(+), 443 deletions(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index ccc0e16b..4652c397 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -3,9 +3,8 @@ // RangeFilter, dateFilter, etc.). We then define a global `Filter` object whose // goal is to filter complete documents by using the local filters for each // fields. - function showFilterSidebar() { - Sidebar.setView('filter'); + Sidebar.setView('filter'); } // Use a "set" filter for a field that is a set of documents uniquely @@ -13,389 +12,446 @@ function showFilterSidebar() { // use "subField" for searching inside object Fields. // For instance '{ 'customFields._id': ['field1','field2']} (subField would be: _id) class SetFilter { - constructor(subField = '') { - this._dep = new Tracker.Dependency(); - this._selectedElements = []; - this.subField = subField; - } - - isSelected(val) { - this._dep.depend(); - return this._selectedElements.indexOf(val) > -1; - } - - add(val) { - if (this._indexOfVal(val) === -1) { - this._selectedElements.push(val); - this._dep.changed(); - showFilterSidebar(); + constructor(subField = '') { + this._dep = new Tracker.Dependency(); + this._selectedElements = []; + this.subField = subField; + } + + isSelected(val) { + this._dep.depend(); + return this._selectedElements.indexOf(val) > -1; + } + + add(val) { + if (this._indexOfVal(val) === -1) { + this._selectedElements.push(val); + this._dep.changed(); + showFilterSidebar(); + } + } + + remove(val) { + const indexOfVal = this._indexOfVal(val); + if (this._indexOfVal(val) !== -1) { + this._selectedElements.splice(indexOfVal, 1); + this._dep.changed(); + } + } + + toggle(val) { + if (this._indexOfVal(val) === -1) { + this.add(val); + } else { + this.remove(val); + } } - } - remove(val) { - const indexOfVal = this._indexOfVal(val); - if (this._indexOfVal(val) !== -1) { - this._selectedElements.splice(indexOfVal, 1); - this._dep.changed(); + reset() { + this._selectedElements = []; + this._dep.changed(); } - } - toggle(val) { - if (this._indexOfVal(val) === -1) { - this.add(val); - } else { - this.remove(val); + _indexOfVal(val) { + return this._selectedElements.indexOf(val); + } + + _isActive() { + this._dep.depend(); + return this._selectedElements.length !== 0; + } + + _getMongoSelector() { + this._dep.depend(); + return { + $in: this._selectedElements + }; + } + + _getEmptySelector() { + this._dep.depend(); + let includeEmpty = false; + this._selectedElements.forEach((el) => { + if (el === undefined) { + includeEmpty = true; + } + }); + return includeEmpty ? { + $eq: [] + } : null; } - } - - reset() { - this._selectedElements = []; - this._dep.changed(); - } - - _indexOfVal(val) { - return this._selectedElements.indexOf(val); - } - - _isActive() { - this._dep.depend(); - return this._selectedElements.length !== 0; - } - - _getMongoSelector() { - this._dep.depend(); - return { $in: this._selectedElements }; - } - - _getEmptySelector() { - this._dep.depend(); - let includeEmpty = false; - this._selectedElements.forEach((el) => { - if (el === undefined) { - includeEmpty = true; - } - }); - return includeEmpty ? { $eq: [] } : null; - } } // Advanced filter forms a MongoSelector from a users String. // Build by: Ignatz 19.05.2018 (github feuerball11) class AdvancedFilter { - constructor() { - this._dep = new Tracker.Dependency(); - this._filter = ''; - this._lastValide = {}; - } - - set(str) { - this._filter = str; - this._dep.changed(); - } - - reset() { - this._filter = ''; - this._lastValide = {}; - this._dep.changed(); - } - - _isActive() { - this._dep.depend(); - return this._filter !== ''; - } - - _filterToCommands() { - const commands = []; - let current = ''; - let string = false; - let regex = false; - let wasString = false; - let ignore = false; - for (let i = 0; i < this._filter.length; i++) { - const char = this._filter.charAt(i); - if (ignore) { - ignore = false; - current += char; - continue; - } - if (char === '/'){ - string = !string; - if (string) regex = true; - current += char; - continue; - } - if (char === '\'') { - string = !string; - if (string) wasString = true; - continue; - } - if (char === '\\' && !string) { - ignore = true; - continue; - } - if (char === ' ' && !string) { - commands.push({ 'cmd': current, 'string': wasString, regex}); - wasString = false; - current = ''; - continue; - } - current += char; + constructor() { + this._dep = new Tracker.Dependency(); + this._filter = ''; + this._lastValide = {}; } - if (current !== '') { - commands.push({ 'cmd': current, 'string': wasString, regex}); + + set(str) { + this._filter = str; + this._dep.changed(); } - return commands; - } - - _fieldNameToId(field) { - const found = CustomFields.findOne({ 'name': field }); - return found._id; - } - - _fieldValueToId(field, value) - { - const found = CustomFields.findOne({ 'name': field }); - if (found.settings.dropdownItems && found.settings.dropdownItems.length > 0) - { - for (let i = 0; i < found.settings.dropdownItems.length; i++) - { - if (found.settings.dropdownItems[i].name === value) - { - return found.settings.dropdownItems[i]._id; - } - } + + reset() { + this._filter = ''; + this._lastValide = {}; + this._dep.changed(); } - return value; - } - _arrayToSelector(commands) { - try { - //let changed = false; - this._processSubCommands(commands); + _isActive() { + this._dep.depend(); + return this._filter !== ''; } - catch (e) { return this._lastValide; } - this._lastValide = { $or: commands }; - return { $or: commands }; - } - - _processSubCommands(commands) { - const subcommands = []; - let level = 0; - let start = -1; - for (let i = 0; i < commands.length; i++) { - if (commands[i].cmd) { - switch (commands[i].cmd) { - case '(': - { - level++; - if (start === -1) start = i; - continue; - } - case ')': - { - level--; - commands.splice(i, 1); - i--; - continue; - } - default: - { - if (level > 0) { - subcommands.push(commands[i]); - commands.splice(i, 1); - i--; - continue; - } + + _filterToCommands() { + const commands = []; + let current = ''; + let string = false; + let regex = false; + let wasString = false; + let ignore = false; + for (let i = 0; i < this._filter.length; i++) { + const char = this._filter.charAt(i); + if (ignore) { + ignore = false; + current += char; + continue; + } + if (char === '/') { + string = !string; + if (string) regex = true; + current += char; + continue; + } + if (char === '\'') { + string = !string; + if (string) wasString = true; + continue; + } + if (char === '\\' && !string) { + ignore = true; + continue; + } + if (char === ' ' && !string) { + commands.push({ + 'cmd': current, + 'string': wasString, + regex + }); + wasString = false; + current = ''; + continue; + } + current += char; } + if (current !== '') { + commands.push({ + 'cmd': current, + 'string': wasString, + regex + }); } - } + return commands; } - if (start !== -1) { - this._processSubCommands(subcommands); - if (subcommands.length === 1) - commands.splice(start, 0, subcommands[0]); - else - commands.splice(start, 0, subcommands); + + _fieldNameToId(field) { + const found = CustomFields.findOne({ + 'name': field + }); + return found._id; } - this._processConditions(commands); - this._processLogicalOperators(commands); - } - - _processConditions(commands) { - for (let i = 0; i < commands.length; i++) { - if (!commands[i].string && commands[i].cmd) { - switch (commands[i].cmd) { - case '=': - case '==': - case '===': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - if (commands[i + 1].regex) - { - const match = str.match(new RegExp('^/(.*?)/([gimy]*)$')); - let regex = null; - if (match.length > 2) - regex = new RegExp(match[1], match[2]); - else - regex = new RegExp(match[1]); - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': regex }; - } - else - { - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': {$in: [this._fieldValueToId(field, str), parseInt(str, 10)]} }; - } - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } - case '!=': - case '!==': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - if (commands[i + 1].regex) - { - const match = str.match(new RegExp('^/(.*?)/([gimy]*)$')); - let regex = null; - if (match.length > 2) - regex = new RegExp(match[1], match[2]); - else - regex = new RegExp(match[1]); - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $not: regex } }; - } - else - { - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $not: {$in: [this._fieldValueToId(field, str), parseInt(str, 10)]} } }; - } - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } - case '>': - case 'gt': - case 'Gt': - case 'GT': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $gt: parseInt(str, 10) } }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } - case '>=': - case '>==': - case 'gte': - case 'Gte': - case 'GTE': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $gte: parseInt(str, 10) } }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } - case '<': - case 'lt': - case 'Lt': - case 'LT': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $lt: parseInt(str, 10) } }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } - case '<=': - case '<==': - case 'lte': - case 'Lte': - case 'LTE': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { 'customFields._id': this._fieldNameToId(field), 'customFields.value': { $lte: parseInt(str, 10) } }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; + + _fieldValueToId(field, value) { + const found = CustomFields.findOne({ + 'name': field + }); + if (found.settings.dropdownItems && found.settings.dropdownItems.length > 0) { + for (let i = 0; i < found.settings.dropdownItems.length; i++) { + if (found.settings.dropdownItems[i].name === value) { + return found.settings.dropdownItems[i]._id; + } + } } + return value; + } + + _arrayToSelector(commands) { + try { + //let changed = false; + this._processSubCommands(commands); + } catch (e) { + return this._lastValide; } - } + this._lastValide = { + $or: commands + }; + return { + $or: commands + }; } - } - - _processLogicalOperators(commands) { - for (let i = 0; i < commands.length; i++) { - if (!commands[i].string && commands[i].cmd) { - switch (commands[i].cmd) { - case 'or': - case 'Or': - case 'OR': - case '|': - case '||': - { - const op1 = commands[i - 1]; - const op2 = commands[i + 1]; - commands[i] = { $or: [op1, op2] }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; + + _processSubCommands(commands) { + const subcommands = []; + let level = 0; + let start = -1; + for (let i = 0; i < commands.length; i++) { + if (commands[i].cmd) { + switch (commands[i].cmd) { + case '(': + { + level++; + if (start === -1) start = i; + continue; + } + case ')': + { + level--; + commands.splice(i, 1); + i--; + continue; + } + default: + { + if (level > 0) { + subcommands.push(commands[i]); + commands.splice(i, 1); + i--; + continue; + } + } + } + } } - case 'and': - case 'And': - case 'AND': - case '&': - case '&&': - { - const op1 = commands[i - 1]; - const op2 = commands[i + 1]; - commands[i] = { $and: [op1, op2] }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; + if (start !== -1) { + this._processSubCommands(subcommands); + if (subcommands.length === 1) + commands.splice(start, 0, subcommands[0]); + else + commands.splice(start, 0, subcommands); } - case 'not': - case 'Not': - case 'NOT': - case '!': - { - const op1 = commands[i + 1]; - commands[i] = { $not: op1 }; - commands.splice(i + 1, 1); - //changed = true; - i--; - break; + this._processConditions(commands); + this._processLogicalOperators(commands); + } + + _processConditions(commands) { + for (let i = 0; i < commands.length; i++) { + if (!commands[i].string && commands[i].cmd) { + switch (commands[i].cmd) { + case '=': + case '==': + case '===': + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + if (commands[i + 1].regex) { + const match = str.match(new RegExp('^/(.*?)/([gimy]*)$')); + let regex = null; + if (match.length > 2) + regex = new RegExp(match[1], match[2]); + else + regex = new RegExp(match[1]); + commands[i] = { + 'customFields._id': this._fieldNameToId(field), + 'customFields.value': regex + }; + } else { + commands[i] = { + 'customFields._id': this._fieldNameToId(field), + 'customFields.value': { + $in: [this._fieldValueToId(field, str), parseInt(str, 10)] + } + }; + } + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } + case '!=': + case '!==': + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + if (commands[i + 1].regex) { + const match = str.match(new RegExp('^/(.*?)/([gimy]*)$')); + let regex = null; + if (match.length > 2) + regex = new RegExp(match[1], match[2]); + else + regex = new RegExp(match[1]); + commands[i] = { + 'customFields._id': this._fieldNameToId(field), + 'customFields.value': { + $not: regex + } + }; + } else { + commands[i] = { + 'customFields._id': this._fieldNameToId(field), + 'customFields.value': { + $not: { + $in: [this._fieldValueToId(field, str), parseInt(str, 10)] + } + } + }; + } + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } + case '>': + case 'gt': + case 'Gt': + case 'GT': + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { + 'customFields._id': this._fieldNameToId(field), + 'customFields.value': { + $gt: parseInt(str, 10) + } + }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } + case '>=': + case '>==': + case 'gte': + case 'Gte': + case 'GTE': + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { + 'customFields._id': this._fieldNameToId(field), + 'customFields.value': { + $gte: parseInt(str, 10) + } + }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } + case '<': + case 'lt': + case 'Lt': + case 'LT': + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { + 'customFields._id': this._fieldNameToId(field), + 'customFields.value': { + $lt: parseInt(str, 10) + } + }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } + case '<=': + case '<==': + case 'lte': + case 'Lte': + case 'LTE': + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { + 'customFields._id': this._fieldNameToId(field), + 'customFields.value': { + $lte: parseInt(str, 10) + } + }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } + } + } } + } + + _processLogicalOperators(commands) { + for (let i = 0; i < commands.length; i++) { + if (!commands[i].string && commands[i].cmd) { + switch (commands[i].cmd) { + case 'or': + case 'Or': + case 'OR': + case '|': + case '||': + { + const op1 = commands[i - 1]; + const op2 = commands[i + 1]; + commands[i] = { + $or: [op1, op2] + }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } + case 'and': + case 'And': + case 'AND': + case '&': + case '&&': + { + const op1 = commands[i - 1]; + const op2 = commands[i + 1]; + commands[i] = { + $and: [op1, op2] + }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } + case 'not': + case 'Not': + case 'NOT': + case '!': + { + const op1 = commands[i + 1]; + commands[i] = { + $not: op1 + }; + commands.splice(i + 1, 1); + //changed = true; + i--; + break; + } + } + } } - } } - } - _getMongoSelector() { - this._dep.depend(); - const commands = this._filterToCommands(); - return this._arrayToSelector(commands); - } + _getMongoSelector() { + this._dep.depend(); + const commands = this._filterToCommands(); + return this._arrayToSelector(commands); + } } @@ -404,94 +460,101 @@ class AdvancedFilter { // the need to provide a list of `_fields`. We also should move methods into the // object prototype. Filter = { - // XXX I would like to rename this field into `labels` to be consistent with - // the rest of the schema, but we need to set some migrations architecture - // before changing the schema. - labelIds: new SetFilter(), - members: new SetFilter(), - customFields: new SetFilter('_id'), - advanced: new AdvancedFilter(), - - _fields: ['labelIds', 'members', 'customFields'], - - // We don't filter cards that have been added after the last filter change. To - // implement this we keep the id of these cards in this `_exceptions` fields - // and use a `$or` condition in the mongo selector we return. - _exceptions: [], - _exceptionsDep: new Tracker.Dependency(), - - isActive() { - return _.any(this._fields, (fieldName) => { - return this[fieldName]._isActive(); - }) || this.advanced._isActive(); - }, - - _getMongoSelector() { - if (!this.isActive()) - return {}; - - const filterSelector = {}; - const emptySelector = {}; - let includeEmptySelectors = false; - this._fields.forEach((fieldName) => { - const filter = this[fieldName]; - if (filter._isActive()) { - if (filter.subField !== '') { - filterSelector[`${fieldName}.${filter.subField}`] = filter._getMongoSelector(); - } - else { - filterSelector[fieldName] = filter._getMongoSelector(); + // XXX I would like to rename this field into `labels` to be consistent with + // the rest of the schema, but we need to set some migrations architecture + // before changing the schema. + labelIds: new SetFilter(), + members: new SetFilter(), + customFields: new SetFilter('_id'), + advanced: new AdvancedFilter(), + + _fields: ['labelIds', 'members', 'customFields'], + + // We don't filter cards that have been added after the last filter change. To + // implement this we keep the id of these cards in this `_exceptions` fields + // and use a `$or` condition in the mongo selector we return. + _exceptions: [], + _exceptionsDep: new Tracker.Dependency(), + + isActive() { + return _.any(this._fields, (fieldName) => { + return this[fieldName]._isActive(); + }) || this.advanced._isActive(); + }, + + _getMongoSelector() { + if (!this.isActive()) + return {}; + + const filterSelector = {}; + const emptySelector = {}; + let includeEmptySelectors = false; + this._fields.forEach((fieldName) => { + const filter = this[fieldName]; + if (filter._isActive()) { + if (filter.subField !== '') { + filterSelector[`${fieldName}.${filter.subField}`] = filter._getMongoSelector(); + } else { + filterSelector[fieldName] = filter._getMongoSelector(); + } + emptySelector[fieldName] = filter._getEmptySelector(); + if (emptySelector[fieldName] !== null) { + includeEmptySelectors = true; + } + } + }); + + const exceptionsSelector = { + _id: { + $in: this._exceptions + } + }; + this._exceptionsDep.depend(); + + const selectors = [exceptionsSelector]; + + if (_.any(this._fields, (fieldName) => { + return this[fieldName]._isActive(); + })) selectors.push(filterSelector); + if (includeEmptySelectors) selectors.push(emptySelector); + if (this.advanced._isActive()) selectors.push(this.advanced._getMongoSelector()); + + return { + $or: selectors + }; + }, + + mongoSelector(additionalSelector) { + const filterSelector = this._getMongoSelector(); + if (_.isUndefined(additionalSelector)) + return filterSelector; + else + return { + $and: [filterSelector, additionalSelector] + }; + }, + + reset() { + this._fields.forEach((fieldName) => { + const filter = this[fieldName]; + filter.reset(); + }); + this.advanced.reset(); + this.resetExceptions(); + }, + + addException(_id) { + if (this.isActive()) { + this._exceptions.push(_id); + this._exceptionsDep.changed(); + Tracker.flush(); } - emptySelector[fieldName] = filter._getEmptySelector(); - if (emptySelector[fieldName] !== null) { - includeEmptySelectors = true; - } - } - }); - - const exceptionsSelector = { _id: { $in: this._exceptions } }; - this._exceptionsDep.depend(); - - const selectors = [exceptionsSelector]; - - if (_.any(this._fields, (fieldName) => { - return this[fieldName]._isActive(); - })) selectors.push(filterSelector); - if (includeEmptySelectors) selectors.push(emptySelector); - if (this.advanced._isActive()) selectors.push(this.advanced._getMongoSelector()); - - return { $or: selectors }; - }, - - mongoSelector(additionalSelector) { - const filterSelector = this._getMongoSelector(); - if (_.isUndefined(additionalSelector)) - return filterSelector; - else - return { $and: [filterSelector, additionalSelector] }; - }, - - reset() { - this._fields.forEach((fieldName) => { - const filter = this[fieldName]; - filter.reset(); - }); - this.advanced.reset(); - this.resetExceptions(); - }, - - addException(_id) { - if (this.isActive()) { - this._exceptions.push(_id); - this._exceptionsDep.changed(); - Tracker.flush(); - } - }, + }, - resetExceptions() { - this._exceptions = []; - this._exceptionsDep.changed(); - }, + resetExceptions() { + this._exceptions = []; + this._exceptionsDep.changed(); + }, }; -Blaze.registerHelper('Filter', Filter); +Blaze.registerHelper('Filter', Filter); \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 79e464bf90171e1aabdee8470d0bcc5fd4339d5b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 12 Aug 2018 17:36:06 +0300 Subject: v1.29 --- CHANGELOG.md | 16 ++++++++++++++++ package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 19 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 5d0a72e4..3f043f25 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,19 @@ +# v1.29 2018-08-12 Wekan release + +This release fixes the following bugs: + +- [Revert Fix lint errors, that caused breakage](https://github.com/wekan/wekan/commit/b015b5b7240f5fb5a715843dce5d35907345eb4a). + +Thanks to GitHub user xet7 for contributions. + +# v1.28 2018-08-12 Wekan release + +This release fixes the following bugs: + +- [Fix lint errors](https://github.com/wekan/wekan/commit/f5515cb95fc93882e5e1098d6043267b9260b9d7). + +Thanks to GitHub user xet7 for contributions. + # v1.27 2018-08-12 Wekan release This release add the following new features: diff --git a/package.json b/package.json index 59dad163..2514b130 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.27.0", + "version": "1.29.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index e21edefd..239e1640 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 112, + appVersion = 114, # Increment this for every release. - appMarketingVersion = (defaultText = "1.27.0~2018-08-12"), + appMarketingVersion = (defaultText = "1.29.0~2018-08-12"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From b9929dc68297539a94d21950995e26e06745a263 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 13 Aug 2018 19:24:07 +0300 Subject: - When Content Policy is enabled, allow one URL to have iframe that embeds Wekan - Add option to turn off Content Policy - Allow always in Wekan markdown Thanks to xet7 ! Closes #1676 --- Dockerfile | 5 ++++- docker-compose.yml | 6 ++++++ sandstorm-pkgdef.capnp | 2 ++ server/policy.js | 24 ++++++++++++++++++++++++ snap-src/bin/config | 12 +++++++++++- snap-src/bin/wekan-help | 15 +++++++++++++++ 6 files changed, 62 insertions(+), 2 deletions(-) diff --git a/Dockerfile b/Dockerfile index 39002070..a548adf1 100644 --- a/Dockerfile +++ b/Dockerfile @@ -15,6 +15,8 @@ ARG MATOMO_ADDRESS ARG MATOMO_SITE_ID ARG MATOMO_DO_NOT_TRACK ARG MATOMO_WITH_USERNAME +ARG BROWSER_POLICY_ENABLED +ARG TRUSTED_URL # Set the environment variables (defaults where required) # DOES NOT WORK: paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303 @@ -33,7 +35,8 @@ ENV MATOMO_ADDRESS ${MATOMO_ADDRESS:-} ENV MATOMO_SITE_ID ${MATOMO_SITE_ID:-} ENV MATOMO_DO_NOT_TRACK ${MATOMO_DO_NOT_TRACK:-false} ENV MATOMO_WITH_USERNAME ${MATOMO_WITH_USERNAME:-true} - +ENV BROWSER_POLICY_ENABLED ${BROWSER_POLICY_ENABLED:-true} +ENV TRUSTED_URL ${TRUSTED_URL:-} # Copy the app to the image COPY ${SRC_PATH} /home/wekan/app diff --git a/docker-compose.yml b/docker-compose.yml index e769cb82..9e96bcf1 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -49,6 +49,12 @@ services: # - MATOMO_DO_NOT_TRACK='false' # The option that allows matomo to retrieve the username: # - MATOMO_WITH_USERNAME='true' + # Enable browser policy and allow one trusted URL that can have iframe that has Wekan embedded inside. + # Setting this to false is not recommended, it also disables all other browser policy protections + # and allows all iframing etc. See wekan/server/policy.js + - BROWSER_POLICY_ENABLED=true + # When browser policy is enabled, HTML code at this Trusted URL can have iframe that embeds Wekan inside. + - TRUSTED_URL= depends_on: - wekandb diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 239e1640..c1cd764c 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -242,6 +242,8 @@ const myCommand :Spk.Manifest.Command = ( (key = "MATOMO_SITE_ID", value=""), (key = "MATOMO_DO_NOT_TRACK", value="false"), (key = "MATOMO_WITH_USERNAME", value="true"), + (key = "BROWSER_POLICY_ENABLED", value="true"), + (key = "TRUSTED_URL", value=""), (key = "SANDSTORM", value = "1"), (key = "METEOR_SETTINGS", value = "{\"public\": {\"sandstorm\": true}}") ] diff --git a/server/policy.js b/server/policy.js index 17c90c1c..344e42e2 100644 --- a/server/policy.js +++ b/server/policy.js @@ -1,9 +1,33 @@ import { BrowserPolicy } from 'meteor/browser-policy-common'; Meteor.startup(() => { + + if ( process.env.BROWSER_POLICY_ENABLED === 'true' ) { + // Trusted URL that can embed Wekan in iFrame. + const trusted = process.env.TRUSTED_URL; + BrowserPolicy.framing.disallow(); + BrowserPolicy.content.disallowInlineScripts(); + BrowserPolicy.content.disallowEval(); + BrowserPolicy.content.allowInlineStyles(); + BrowserPolicy.content.allowFontDataUrl(); + BrowserPolicy.framing.restrictToOrigin(trusted); + BrowserPolicy.content.allowScriptOrigin(trusted); + } + else { + // Disable browser policy and allow all framing and including. + // Use only at internal LAN, not at Internet. + BrowserPolicy.framing.allowAll(); + BrowserPolicy.content.allowDataUrlForAll(); + } + + // Allow all images from anywhere + BrowserPolicy.content.allowImageOrigin('*'); + + // If Matomo URL is set, allow it. const matomoUrl = process.env.MATOMO_ADDRESS; if (matomoUrl){ BrowserPolicy.content.allowScriptOrigin(matomoUrl); BrowserPolicy.content.allowImageOrigin(matomoUrl); } + }); diff --git a/snap-src/bin/config b/snap-src/bin/config index 9aa2841e..2c50c074 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -3,7 +3,7 @@ # All supported keys are defined here together with descriptions and default values # list of supported keys -keys="MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME" +keys="MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL" # default values DESCRIPTION_MONGODB_BIND_UNIX_SOCKET="mongodb binding unix socket:\n"\ @@ -67,3 +67,13 @@ KEY_MATOMO_DO_NOT_TRACK="matomo-do-not-track" DESCRIPTION_MATOMO_WITH_USERNAME="The option that allows matomo to retrieve the username" DEFAULT_MATOMO_WITH_USERNAME="false" KEY_MATOMO_WITH_USERNAME="matomo-with-username" + +DESCRIPTION_BROWSER_POLICY_ENABLED="Enable browser policy and allow one trusted URL that can have iframe that has Wekan embedded inside.\n"\ +"\t\t\t Setting this to false is not recommended, it also disables all other browser policy protections\n"\ +"\t\t\t and allows all iframing etc. See wekan/server/policy.js" +DEFAULT_BROWSER_POLICY_ENABLED="true" +KEY_BROWSER_POLICY_ENABLED="browser-policy-enabled" + +DESCRIPTION_TRUSTED_URL="When browser policy is enabled, HTML code at this Trusted URL can have iframe that embeds Wekan inside." +DEFAULT_TRUSTED_URL="" +KEY_TRUSTED_URL="trusted-url" diff --git a/snap-src/bin/wekan-help b/snap-src/bin/wekan-help index 5c3f9b31..49270fb2 100755 --- a/snap-src/bin/wekan-help +++ b/snap-src/bin/wekan-help @@ -32,6 +32,21 @@ echo -e "To enable the API of wekan:" echo -e "\t$ snap set $SNAP_NAME WITH_API='true'" echo -e "\t-Disable the API:" echo -e "\t$ snap set $SNAP_NAME WITH_API='false'" +echo -e "\n" +echo -e "Enable browser policy and allow one trusted URL that can have iframe that has Wekan embedded inside." +echo -e "\t\t Setting this to false is not recommended, it also disables all other browser policy protections" +echo -e "\t\t and allows all iframing etc. See wekan/server/policy.js" +echo -e "To enable the Content Policy of Wekan:" +echo -e "\t$ snap set $SNAP_NAME CONTENT_POLICY_ENABLED='true'" +echo -e "\t-Disable the Content Policy of Wekan:" +echo -e "\t$ snap set $SNAP_NAME CONTENT_POLICY_ENABLED='false'" +echo -e "\n" +echo -e "When browser policy is enabled, HTML code at this URL can have iframe that embeds Wekan inside." +echo -e "To enable the Trusted URL of Wekan:" +echo -e "\t$ snap set $SNAP_NAME TRUSTED_URL='https://example.com'" +echo -e "\t-Disable the Trusted URL of Wekan:" +echo -e "\t$ snap set $SNAP_NAME TRUSTED_URL=''" +echo -e "\n" # parse config file for supported settings keys echo -e "wekan supports settings keys" echo -e "values can be changed by calling\n$ snap set $SNAP_NAME =''" -- cgit v1.2.3-1-g7c22 From 0b9748dff6e2f2a53ae431f9ff7dbbab9c3e7b49 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 13 Aug 2018 19:34:42 +0300 Subject: - When Content Policy is enabled, allow one URL to have iframe that embeds Wekan - Add option to turn off Content Policy - Allow always in Wekan markdown Thanks to xet7 ! Closes #1676 --- CHANGELOG.md | 10 ++++++++++ 1 file changed, 10 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 3f043f25..4946cd78 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,13 @@ +# Upcoming Wekan release + +This release add the following new features: + +- [When Content Policy is enabled, allow one URL to have iframe that embeds Wekan](https://github.com/wekan/wekan/commit/b9929dc68297539a94d21950995e26e06745a263); +- [Add option to turn off Content Policy](https://github.com/wekan/wekan/commit/b9929dc68297539a94d21950995e26e06745a263); +- [Allow always in Wekan markdown ``](https://github.com/wekan/wekan/commit/b9929dc68297539a94d21950995e26e06745a263). + +Thanks to GitHub user xet7 for contributions. + # v1.29 2018-08-12 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 3f937764cbeec59b96b104fa0281d59570ebfce2 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 13 Aug 2018 20:01:08 +0300 Subject: Fix lint errors. --- client/lib/filter.js | 1014 +++++++++++++++++++++++++------------------------- 1 file changed, 507 insertions(+), 507 deletions(-) diff --git a/client/lib/filter.js b/client/lib/filter.js index 4652c397..c3c1b070 100644 --- a/client/lib/filter.js +++ b/client/lib/filter.js @@ -4,7 +4,7 @@ // goal is to filter complete documents by using the local filters for each // fields. function showFilterSidebar() { - Sidebar.setView('filter'); + Sidebar.setView('filter'); } // Use a "set" filter for a field that is a set of documents uniquely @@ -12,446 +12,446 @@ function showFilterSidebar() { // use "subField" for searching inside object Fields. // For instance '{ 'customFields._id': ['field1','field2']} (subField would be: _id) class SetFilter { - constructor(subField = '') { - this._dep = new Tracker.Dependency(); - this._selectedElements = []; - this.subField = subField; + constructor(subField = '') { + this._dep = new Tracker.Dependency(); + this._selectedElements = []; + this.subField = subField; + } + + isSelected(val) { + this._dep.depend(); + return this._selectedElements.indexOf(val) > -1; + } + + add(val) { + if (this._indexOfVal(val) === -1) { + this._selectedElements.push(val); + this._dep.changed(); + showFilterSidebar(); } + } - isSelected(val) { - this._dep.depend(); - return this._selectedElements.indexOf(val) > -1; + remove(val) { + const indexOfVal = this._indexOfVal(val); + if (this._indexOfVal(val) !== -1) { + this._selectedElements.splice(indexOfVal, 1); + this._dep.changed(); } + } - add(val) { - if (this._indexOfVal(val) === -1) { - this._selectedElements.push(val); - this._dep.changed(); - showFilterSidebar(); - } - } - - remove(val) { - const indexOfVal = this._indexOfVal(val); - if (this._indexOfVal(val) !== -1) { - this._selectedElements.splice(indexOfVal, 1); - this._dep.changed(); - } - } - - toggle(val) { - if (this._indexOfVal(val) === -1) { - this.add(val); - } else { - this.remove(val); - } - } - - reset() { - this._selectedElements = []; - this._dep.changed(); - } - - _indexOfVal(val) { - return this._selectedElements.indexOf(val); - } - - _isActive() { - this._dep.depend(); - return this._selectedElements.length !== 0; - } - - _getMongoSelector() { - this._dep.depend(); - return { - $in: this._selectedElements - }; - } - - _getEmptySelector() { - this._dep.depend(); - let includeEmpty = false; - this._selectedElements.forEach((el) => { - if (el === undefined) { - includeEmpty = true; - } - }); - return includeEmpty ? { - $eq: [] - } : null; + toggle(val) { + if (this._indexOfVal(val) === -1) { + this.add(val); + } else { + this.remove(val); } + } + + reset() { + this._selectedElements = []; + this._dep.changed(); + } + + _indexOfVal(val) { + return this._selectedElements.indexOf(val); + } + + _isActive() { + this._dep.depend(); + return this._selectedElements.length !== 0; + } + + _getMongoSelector() { + this._dep.depend(); + return { + $in: this._selectedElements, + }; + } + + _getEmptySelector() { + this._dep.depend(); + let includeEmpty = false; + this._selectedElements.forEach((el) => { + if (el === undefined) { + includeEmpty = true; + } + }); + return includeEmpty ? { + $eq: [], + } : null; + } } // Advanced filter forms a MongoSelector from a users String. // Build by: Ignatz 19.05.2018 (github feuerball11) class AdvancedFilter { - constructor() { - this._dep = new Tracker.Dependency(); - this._filter = ''; - this._lastValide = {}; + constructor() { + this._dep = new Tracker.Dependency(); + this._filter = ''; + this._lastValide = {}; + } + + set(str) { + this._filter = str; + this._dep.changed(); + } + + reset() { + this._filter = ''; + this._lastValide = {}; + this._dep.changed(); + } + + _isActive() { + this._dep.depend(); + return this._filter !== ''; + } + + _filterToCommands() { + const commands = []; + let current = ''; + let string = false; + let regex = false; + let wasString = false; + let ignore = false; + for (let i = 0; i < this._filter.length; i++) { + const char = this._filter.charAt(i); + if (ignore) { + ignore = false; + current += char; + continue; + } + if (char === '/') { + string = !string; + if (string) regex = true; + current += char; + continue; + } + if (char === '\'') { + string = !string; + if (string) wasString = true; + continue; + } + if (char === '\\' && !string) { + ignore = true; + continue; + } + if (char === ' ' && !string) { + commands.push({ + 'cmd': current, + 'string': wasString, + regex, + }); + wasString = false; + current = ''; + continue; + } + current += char; } - - set(str) { - this._filter = str; - this._dep.changed(); + if (current !== '') { + commands.push({ + 'cmd': current, + 'string': wasString, + regex, + }); } - - reset() { - this._filter = ''; - this._lastValide = {}; - this._dep.changed(); + return commands; + } + + _fieldNameToId(field) { + const found = CustomFields.findOne({ + 'name': field, + }); + return found._id; + } + + _fieldValueToId(field, value) { + const found = CustomFields.findOne({ + 'name': field, + }); + if (found.settings.dropdownItems && found.settings.dropdownItems.length > 0) { + for (let i = 0; i < found.settings.dropdownItems.length; i++) { + if (found.settings.dropdownItems[i].name === value) { + return found.settings.dropdownItems[i]._id; + } + } } - - _isActive() { - this._dep.depend(); - return this._filter !== ''; + return value; + } + + _arrayToSelector(commands) { + try { + //let changed = false; + this._processSubCommands(commands); + } catch (e) { + return this._lastValide; } - - _filterToCommands() { - const commands = []; - let current = ''; - let string = false; - let regex = false; - let wasString = false; - let ignore = false; - for (let i = 0; i < this._filter.length; i++) { - const char = this._filter.charAt(i); - if (ignore) { - ignore = false; - current += char; - continue; - } - if (char === '/') { - string = !string; - if (string) regex = true; - current += char; - continue; - } - if (char === '\'') { - string = !string; - if (string) wasString = true; - continue; - } - if (char === '\\' && !string) { - ignore = true; - continue; - } - if (char === ' ' && !string) { - commands.push({ - 'cmd': current, - 'string': wasString, - regex - }); - wasString = false; - current = ''; - continue; - } - current += char; + this._lastValide = { + $or: commands, + }; + return { + $or: commands, + }; + } + + _processSubCommands(commands) { + const subcommands = []; + let level = 0; + let start = -1; + for (let i = 0; i < commands.length; i++) { + if (commands[i].cmd) { + switch (commands[i].cmd) { + case '(': + { + level++; + if (start === -1) start = i; + continue; } - if (current !== '') { - commands.push({ - 'cmd': current, - 'string': wasString, - regex - }); + case ')': + { + level--; + commands.splice(i, 1); + i--; + continue; } - return commands; - } - - _fieldNameToId(field) { - const found = CustomFields.findOne({ - 'name': field - }); - return found._id; - } - - _fieldValueToId(field, value) { - const found = CustomFields.findOne({ - 'name': field - }); - if (found.settings.dropdownItems && found.settings.dropdownItems.length > 0) { - for (let i = 0; i < found.settings.dropdownItems.length; i++) { - if (found.settings.dropdownItems[i].name === value) { - return found.settings.dropdownItems[i]._id; - } - } + default: + { + if (level > 0) { + subcommands.push(commands[i]); + commands.splice(i, 1); + i--; + continue; + } } - return value; - } - - _arrayToSelector(commands) { - try { - //let changed = false; - this._processSubCommands(commands); - } catch (e) { - return this._lastValide; } - this._lastValide = { - $or: commands - }; - return { - $or: commands - }; + } } - - _processSubCommands(commands) { - const subcommands = []; - let level = 0; - let start = -1; - for (let i = 0; i < commands.length; i++) { - if (commands[i].cmd) { - switch (commands[i].cmd) { - case '(': - { - level++; - if (start === -1) start = i; - continue; - } - case ')': - { - level--; - commands.splice(i, 1); - i--; - continue; - } - default: - { - if (level > 0) { - subcommands.push(commands[i]); - commands.splice(i, 1); - i--; - continue; - } - } - } - } + if (start !== -1) { + this._processSubCommands(subcommands); + if (subcommands.length === 1) + commands.splice(start, 0, subcommands[0]); + else + commands.splice(start, 0, subcommands); + } + this._processConditions(commands); + this._processLogicalOperators(commands); + } + + _processConditions(commands) { + for (let i = 0; i < commands.length; i++) { + if (!commands[i].string && commands[i].cmd) { + switch (commands[i].cmd) { + case '=': + case '==': + case '===': + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + if (commands[i + 1].regex) { + const match = str.match(new RegExp('^/(.*?)/([gimy]*)$')); + let regex = null; + if (match.length > 2) + regex = new RegExp(match[1], match[2]); + else + regex = new RegExp(match[1]); + commands[i] = { + 'customFields._id': this._fieldNameToId(field), + 'customFields.value': regex, + }; + } else { + commands[i] = { + 'customFields._id': this._fieldNameToId(field), + 'customFields.value': { + $in: [this._fieldValueToId(field, str), parseInt(str, 10)], + }, + }; + } + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; } - if (start !== -1) { - this._processSubCommands(subcommands); - if (subcommands.length === 1) - commands.splice(start, 0, subcommands[0]); + case '!=': + case '!==': + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + if (commands[i + 1].regex) { + const match = str.match(new RegExp('^/(.*?)/([gimy]*)$')); + let regex = null; + if (match.length > 2) + regex = new RegExp(match[1], match[2]); else - commands.splice(start, 0, subcommands); + regex = new RegExp(match[1]); + commands[i] = { + 'customFields._id': this._fieldNameToId(field), + 'customFields.value': { + $not: regex, + }, + }; + } else { + commands[i] = { + 'customFields._id': this._fieldNameToId(field), + 'customFields.value': { + $not: { + $in: [this._fieldValueToId(field, str), parseInt(str, 10)], + }, + }, + }; + } + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; } - this._processConditions(commands); - this._processLogicalOperators(commands); - } - - _processConditions(commands) { - for (let i = 0; i < commands.length; i++) { - if (!commands[i].string && commands[i].cmd) { - switch (commands[i].cmd) { - case '=': - case '==': - case '===': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - if (commands[i + 1].regex) { - const match = str.match(new RegExp('^/(.*?)/([gimy]*)$')); - let regex = null; - if (match.length > 2) - regex = new RegExp(match[1], match[2]); - else - regex = new RegExp(match[1]); - commands[i] = { - 'customFields._id': this._fieldNameToId(field), - 'customFields.value': regex - }; - } else { - commands[i] = { - 'customFields._id': this._fieldNameToId(field), - 'customFields.value': { - $in: [this._fieldValueToId(field, str), parseInt(str, 10)] - } - }; - } - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } - case '!=': - case '!==': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - if (commands[i + 1].regex) { - const match = str.match(new RegExp('^/(.*?)/([gimy]*)$')); - let regex = null; - if (match.length > 2) - regex = new RegExp(match[1], match[2]); - else - regex = new RegExp(match[1]); - commands[i] = { - 'customFields._id': this._fieldNameToId(field), - 'customFields.value': { - $not: regex - } - }; - } else { - commands[i] = { - 'customFields._id': this._fieldNameToId(field), - 'customFields.value': { - $not: { - $in: [this._fieldValueToId(field, str), parseInt(str, 10)] - } - } - }; - } - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } - case '>': - case 'gt': - case 'Gt': - case 'GT': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { - 'customFields._id': this._fieldNameToId(field), - 'customFields.value': { - $gt: parseInt(str, 10) - } - }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } - case '>=': - case '>==': - case 'gte': - case 'Gte': - case 'GTE': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { - 'customFields._id': this._fieldNameToId(field), - 'customFields.value': { - $gte: parseInt(str, 10) - } - }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } - case '<': - case 'lt': - case 'Lt': - case 'LT': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { - 'customFields._id': this._fieldNameToId(field), - 'customFields.value': { - $lt: parseInt(str, 10) - } - }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } - case '<=': - case '<==': - case 'lte': - case 'Lte': - case 'LTE': - { - const field = commands[i - 1].cmd; - const str = commands[i + 1].cmd; - commands[i] = { - 'customFields._id': this._fieldNameToId(field), - 'customFields.value': { - $lte: parseInt(str, 10) - } - }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } - } - } + case '>': + case 'gt': + case 'Gt': + case 'GT': + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { + 'customFields._id': this._fieldNameToId(field), + 'customFields.value': { + $gt: parseInt(str, 10), + }, + }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } + case '>=': + case '>==': + case 'gte': + case 'Gte': + case 'GTE': + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { + 'customFields._id': this._fieldNameToId(field), + 'customFields.value': { + $gte: parseInt(str, 10), + }, + }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } + case '<': + case 'lt': + case 'Lt': + case 'LT': + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { + 'customFields._id': this._fieldNameToId(field), + 'customFields.value': { + $lt: parseInt(str, 10), + }, + }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } + case '<=': + case '<==': + case 'lte': + case 'Lte': + case 'LTE': + { + const field = commands[i - 1].cmd; + const str = commands[i + 1].cmd; + commands[i] = { + 'customFields._id': this._fieldNameToId(field), + 'customFields.value': { + $lte: parseInt(str, 10), + }, + }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; } + } + } } - - _processLogicalOperators(commands) { - for (let i = 0; i < commands.length; i++) { - if (!commands[i].string && commands[i].cmd) { - switch (commands[i].cmd) { - case 'or': - case 'Or': - case 'OR': - case '|': - case '||': - { - const op1 = commands[i - 1]; - const op2 = commands[i + 1]; - commands[i] = { - $or: [op1, op2] - }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } - case 'and': - case 'And': - case 'AND': - case '&': - case '&&': - { - const op1 = commands[i - 1]; - const op2 = commands[i + 1]; - commands[i] = { - $and: [op1, op2] - }; - commands.splice(i - 1, 1); - commands.splice(i, 1); - //changed = true; - i--; - break; - } - case 'not': - case 'Not': - case 'NOT': - case '!': - { - const op1 = commands[i + 1]; - commands[i] = { - $not: op1 - }; - commands.splice(i + 1, 1); - //changed = true; - i--; - break; - } - } - } + } + + _processLogicalOperators(commands) { + for (let i = 0; i < commands.length; i++) { + if (!commands[i].string && commands[i].cmd) { + switch (commands[i].cmd) { + case 'or': + case 'Or': + case 'OR': + case '|': + case '||': + { + const op1 = commands[i - 1]; + const op2 = commands[i + 1]; + commands[i] = { + $or: [op1, op2], + }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } + case 'and': + case 'And': + case 'AND': + case '&': + case '&&': + { + const op1 = commands[i - 1]; + const op2 = commands[i + 1]; + commands[i] = { + $and: [op1, op2], + }; + commands.splice(i - 1, 1); + commands.splice(i, 1); + //changed = true; + i--; + break; + } + case 'not': + case 'Not': + case 'NOT': + case '!': + { + const op1 = commands[i + 1]; + commands[i] = { + $not: op1, + }; + commands.splice(i + 1, 1); + //changed = true; + i--; + break; } + } + } } + } - _getMongoSelector() { - this._dep.depend(); - const commands = this._filterToCommands(); - return this._arrayToSelector(commands); - } + _getMongoSelector() { + this._dep.depend(); + const commands = this._filterToCommands(); + return this._arrayToSelector(commands); + } } @@ -460,101 +460,101 @@ class AdvancedFilter { // the need to provide a list of `_fields`. We also should move methods into the // object prototype. Filter = { - // XXX I would like to rename this field into `labels` to be consistent with - // the rest of the schema, but we need to set some migrations architecture - // before changing the schema. - labelIds: new SetFilter(), - members: new SetFilter(), - customFields: new SetFilter('_id'), - advanced: new AdvancedFilter(), - - _fields: ['labelIds', 'members', 'customFields'], - - // We don't filter cards that have been added after the last filter change. To - // implement this we keep the id of these cards in this `_exceptions` fields - // and use a `$or` condition in the mongo selector we return. - _exceptions: [], - _exceptionsDep: new Tracker.Dependency(), - - isActive() { - return _.any(this._fields, (fieldName) => { - return this[fieldName]._isActive(); - }) || this.advanced._isActive(); - }, - - _getMongoSelector() { - if (!this.isActive()) - return {}; - - const filterSelector = {}; - const emptySelector = {}; - let includeEmptySelectors = false; - this._fields.forEach((fieldName) => { - const filter = this[fieldName]; - if (filter._isActive()) { - if (filter.subField !== '') { - filterSelector[`${fieldName}.${filter.subField}`] = filter._getMongoSelector(); - } else { - filterSelector[fieldName] = filter._getMongoSelector(); - } - emptySelector[fieldName] = filter._getEmptySelector(); - if (emptySelector[fieldName] !== null) { - includeEmptySelectors = true; - } - } - }); - - const exceptionsSelector = { - _id: { - $in: this._exceptions - } - }; - this._exceptionsDep.depend(); - - const selectors = [exceptionsSelector]; - - if (_.any(this._fields, (fieldName) => { - return this[fieldName]._isActive(); - })) selectors.push(filterSelector); - if (includeEmptySelectors) selectors.push(emptySelector); - if (this.advanced._isActive()) selectors.push(this.advanced._getMongoSelector()); - - return { - $or: selectors - }; - }, - - mongoSelector(additionalSelector) { - const filterSelector = this._getMongoSelector(); - if (_.isUndefined(additionalSelector)) - return filterSelector; - else - return { - $and: [filterSelector, additionalSelector] - }; - }, - - reset() { - this._fields.forEach((fieldName) => { - const filter = this[fieldName]; - filter.reset(); - }); - this.advanced.reset(); - this.resetExceptions(); - }, - - addException(_id) { - if (this.isActive()) { - this._exceptions.push(_id); - this._exceptionsDep.changed(); - Tracker.flush(); + // XXX I would like to rename this field into `labels` to be consistent with + // the rest of the schema, but we need to set some migrations architecture + // before changing the schema. + labelIds: new SetFilter(), + members: new SetFilter(), + customFields: new SetFilter('_id'), + advanced: new AdvancedFilter(), + + _fields: ['labelIds', 'members', 'customFields'], + + // We don't filter cards that have been added after the last filter change. To + // implement this we keep the id of these cards in this `_exceptions` fields + // and use a `$or` condition in the mongo selector we return. + _exceptions: [], + _exceptionsDep: new Tracker.Dependency(), + + isActive() { + return _.any(this._fields, (fieldName) => { + return this[fieldName]._isActive(); + }) || this.advanced._isActive(); + }, + + _getMongoSelector() { + if (!this.isActive()) + return {}; + + const filterSelector = {}; + const emptySelector = {}; + let includeEmptySelectors = false; + this._fields.forEach((fieldName) => { + const filter = this[fieldName]; + if (filter._isActive()) { + if (filter.subField !== '') { + filterSelector[`${fieldName}.${filter.subField}`] = filter._getMongoSelector(); + } else { + filterSelector[fieldName] = filter._getMongoSelector(); + } + emptySelector[fieldName] = filter._getEmptySelector(); + if (emptySelector[fieldName] !== null) { + includeEmptySelectors = true; } - }, + } + }); + + const exceptionsSelector = { + _id: { + $in: this._exceptions, + }, + }; + this._exceptionsDep.depend(); + + const selectors = [exceptionsSelector]; + + if (_.any(this._fields, (fieldName) => { + return this[fieldName]._isActive(); + })) selectors.push(filterSelector); + if (includeEmptySelectors) selectors.push(emptySelector); + if (this.advanced._isActive()) selectors.push(this.advanced._getMongoSelector()); + + return { + $or: selectors, + }; + }, + + mongoSelector(additionalSelector) { + const filterSelector = this._getMongoSelector(); + if (_.isUndefined(additionalSelector)) + return filterSelector; + else + return { + $and: [filterSelector, additionalSelector], + }; + }, + + reset() { + this._fields.forEach((fieldName) => { + const filter = this[fieldName]; + filter.reset(); + }); + this.advanced.reset(); + this.resetExceptions(); + }, + + addException(_id) { + if (this.isActive()) { + this._exceptions.push(_id); + this._exceptionsDep.changed(); + Tracker.flush(); + } + }, - resetExceptions() { - this._exceptions = []; - this._exceptionsDep.changed(); - }, + resetExceptions() { + this._exceptions = []; + this._exceptionsDep.changed(); + }, }; -Blaze.registerHelper('Filter', Filter); \ No newline at end of file +Blaze.registerHelper('Filter', Filter); -- cgit v1.2.3-1-g7c22 From be25e372a3f0b697572d37ae1ad580ec2262dd26 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 13 Aug 2018 20:10:41 +0300 Subject: Update translations. --- i18n/de.i18n.json | 14 +++++++------- i18n/zh-CN.i18n.json | 14 +++++++------- 2 files changed, 14 insertions(+), 14 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 3bc75e2d..9dd21129 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -109,7 +109,7 @@ "bucket-example": "z.B. \"Löffelliste\"", "cancel": "Abbrechen", "card-archived": "Diese Karte wurde in den Papierkorb verschoben", - "board-archived": "This board is moved to Recycle Bin.", + "board-archived": "Dieses Board wurde in den Papierkorb verschoben.", "card-comments-title": "Diese Karte hat %s Kommentar(e).", "card-delete-notice": "Löschen kann nicht rückgängig gemacht werden. Alle Aktionen, die dieser Karte zugeordnet sind, werden ebenfalls gelöscht.", "card-delete-pop": "Alle Aktionen werden aus dem Aktivitätsfeed entfernt und die Karte kann nicht wiedereröffnet werden. Die Aktion kann nicht rückgängig gemacht werden.", @@ -136,9 +136,9 @@ "cards": "Karten", "cards-count": "Karten", "casSignIn": "Mit CAS anmelden", - "cardType-card": "Card", - "cardType-linkedCard": "Linked Card", - "cardType-linkedBoard": "Linked Board", + "cardType-card": "Karte", + "cardType-linkedCard": "Verknüpfte Karte", + "cardType-linkedBoard": "Verknüpftes Board", "change": "Ändern", "change-avatar": "Profilbild ändern", "change-password": "Passwort ändern", @@ -175,8 +175,8 @@ "confirm-subtask-delete-dialog": "Wollen Sie die Teilaufgabe wirklich löschen?", "confirm-checklist-delete-dialog": "Wollen Sie die Checkliste wirklich löschen?", "copy-card-link-to-clipboard": "Kopiere Link zur Karte in die Zwischenablage", - "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "linkCardPopup-title": "Karte verknüpfen", + "searchCardPopup-title": "Karte suchen", "copyCardPopup-title": "Karte kopieren", "copyChecklistToManyCardsPopup-title": "Checklistenvorlage in mehrere Karten kopieren", "copyChecklistToManyCardsPopup-instructions": "Titel und Beschreibungen der Zielkarten im folgenden JSON-Format", @@ -267,7 +267,7 @@ "headerBarCreateBoardPopup-title": "Board erstellen", "home": "Home", "import": "Importieren", - "link": "Link", + "link": "Verknüpfung", "import-board": "Board importieren", "import-board-c": "Board importieren", "import-board-title-trello": "Board von Trello importieren", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index b296e2b6..bdb9e0e0 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -109,7 +109,7 @@ "bucket-example": "例如 “目标清单”", "cancel": "取消", "card-archived": "此卡片已经被移入回收站。", - "board-archived": "This board is moved to Recycle Bin.", + "board-archived": "将看板移动到回收站", "card-comments-title": "该卡片有 %s 条评论", "card-delete-notice": "彻底删除的操作不可恢复,你将会丢失该卡片相关的所有操作记录。", "card-delete-pop": "所有的活动将从活动摘要中被移除且您将无法重新打开该卡片。此操作无法撤销。", @@ -136,9 +136,9 @@ "cards": "卡片", "cards-count": "卡片", "casSignIn": "用CAS登录", - "cardType-card": "Card", - "cardType-linkedCard": "Linked Card", - "cardType-linkedBoard": "Linked Board", + "cardType-card": "卡片", + "cardType-linkedCard": "已链接卡片", + "cardType-linkedBoard": "已链接看板", "change": "变更", "change-avatar": "更改头像", "change-password": "更改密码", @@ -175,8 +175,8 @@ "confirm-subtask-delete-dialog": "确定要删除子任务吗?", "confirm-checklist-delete-dialog": "确定要删除清单吗?", "copy-card-link-to-clipboard": "复制卡片链接到剪贴板", - "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "linkCardPopup-title": "链接卡片", + "searchCardPopup-title": "搜索卡片", "copyCardPopup-title": "复制卡片", "copyChecklistToManyCardsPopup-title": "复制清单模板至多个卡片", "copyChecklistToManyCardsPopup-instructions": "以JSON格式表示目标卡片的标题和描述", @@ -267,7 +267,7 @@ "headerBarCreateBoardPopup-title": "创建看板", "home": "首页", "import": "导入", - "link": "Link", + "link": "链接", "import-board": "导入看板", "import-board-c": "导入看板", "import-board-title-trello": "从Trello导入看板", -- cgit v1.2.3-1-g7c22 From 2f557ae3a558c654cc6f3befff22f5ee4ea6c3d9 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 14 Aug 2018 01:28:53 +0300 Subject: - Fix Import from Trello error 400. Thanks to xet7 ! --- config/models.js | 4 ++++ models/cards.js | 22 ++++++++++++++++++++++ 2 files changed, 26 insertions(+) create mode 100644 config/models.js diff --git a/config/models.js b/config/models.js new file mode 100644 index 00000000..d5fe2a04 --- /dev/null +++ b/config/models.js @@ -0,0 +1,4 @@ +module.exports.models = { + connection: 'mongodb', + migrate: 'safe' +} diff --git a/models/cards.js b/models/cards.js index 2c0da093..04348e2f 100644 --- a/models/cards.js +++ b/models/cards.js @@ -6,6 +6,8 @@ Cards = new Mongo.Collection('cards'); Cards.attachSchema(new SimpleSchema({ title: { type: String, + optional: true, + defaultValue: '', }, archived: { type: Boolean, @@ -22,6 +24,8 @@ Cards.attachSchema(new SimpleSchema({ }, listId: { type: String, + optional: true, + defaultValue: '', }, swimlaneId: { type: String, @@ -31,10 +35,14 @@ Cards.attachSchema(new SimpleSchema({ // difficult to manage and less efficient. boardId: { type: String, + optional: true, + defaultValue: '', }, coverId: { type: String, optional: true, + defaultValue: '', + }, createdAt: { type: Date, @@ -49,15 +57,19 @@ Cards.attachSchema(new SimpleSchema({ customFields: { type: [Object], optional: true, + defaultValue: [], }, 'customFields.$': { type: new SimpleSchema({ _id: { type: String, + optional: true, + defaultValue: '', }, value: { type: Match.OneOf(String, Number, Boolean, Date), optional: true, + defaultValue: '', }, }), }, @@ -70,22 +82,28 @@ Cards.attachSchema(new SimpleSchema({ description: { type: String, optional: true, + defaultValue: '' }, requestedBy: { type: String, optional: true, + defaultValue: '', + }, assignedBy: { type: String, optional: true, + defaultValue: '', }, labelIds: { type: [String], optional: true, + defaultValue: '', }, members: { type: [String], optional: true, + defaultValue: [], }, receivedAt: { type: Date, @@ -107,6 +125,7 @@ Cards.attachSchema(new SimpleSchema({ type: Number, decimal: true, optional: true, + defaultValue: 0, }, isOvertime: { type: Boolean, @@ -126,6 +145,7 @@ Cards.attachSchema(new SimpleSchema({ sort: { type: Number, decimal: true, + defaultValue: '', }, subtaskSort: { type: Number, @@ -135,10 +155,12 @@ Cards.attachSchema(new SimpleSchema({ }, type: { type: String, + defaultValue: '', }, linkedId: { type: String, optional: true, + defaultValue: '', }, })); -- cgit v1.2.3-1-g7c22 From dc4e93ad56c6b73633b0189b1d6bb02144107a23 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 14 Aug 2018 01:33:52 +0300 Subject: - Fix Import from Trello error 400. Thanks to xet7 ! --- CHANGELOG.md | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 4946cd78..012c41cf 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -6,6 +6,10 @@ This release add the following new features: - [Add option to turn off Content Policy](https://github.com/wekan/wekan/commit/b9929dc68297539a94d21950995e26e06745a263); - [Allow always in Wekan markdown ``](https://github.com/wekan/wekan/commit/b9929dc68297539a94d21950995e26e06745a263). +and fixes the following bugs: + +- [Fix Import from Trello error 400](https://github.com/wekan/wekan/commit/2f557ae3a558c654cc6f3befff22f5ee4ea6c3d9). + Thanks to GitHub user xet7 for contributions. # v1.29 2018-08-12 Wekan release -- cgit v1.2.3-1-g7c22 From ab73afe17af78ebbe5186de53973136d3e9f9e39 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 14 Aug 2018 14:43:15 +0300 Subject: Fix lint errors. --- config/models.js | 4 ++-- models/cards.js | 2 +- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/config/models.js b/config/models.js index d5fe2a04..f70faae3 100644 --- a/config/models.js +++ b/config/models.js @@ -1,4 +1,4 @@ module.exports.models = { connection: 'mongodb', - migrate: 'safe' -} + migrate: 'safe', +}; diff --git a/models/cards.js b/models/cards.js index 04348e2f..171c21c5 100644 --- a/models/cards.js +++ b/models/cards.js @@ -82,7 +82,7 @@ Cards.attachSchema(new SimpleSchema({ description: { type: String, optional: true, - defaultValue: '' + defaultValue: '', }, requestedBy: { type: String, -- cgit v1.2.3-1-g7c22 From cec5f4545922d3c90186e73e8658b745472d1c44 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 14 Aug 2018 15:18:58 +0300 Subject: v1.30 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 012c41cf..46a6f014 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.30 2018-08-14 Wekan release This release add the following new features: diff --git a/package.json b/package.json index 2514b130..03c1346a 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.29.0", + "version": "1.30.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index c1cd764c..c07f3212 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 114, + appVersion = 115, # Increment this for every release. - appMarketingVersion = (defaultText = "1.29.0~2018-08-12"), + appMarketingVersion = (defaultText = "1.30.0~2018-08-14"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From c7e02ad2ee4a6aa85d23979d291bd8bf10b61ab4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 14 Aug 2018 17:09:46 +0300 Subject: Fix trusted url on docker-compose.yml. --- docker-compose.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/docker-compose.yml b/docker-compose.yml index 9e96bcf1..e7c1cbea 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -54,7 +54,7 @@ services: # and allows all iframing etc. See wekan/server/policy.js - BROWSER_POLICY_ENABLED=true # When browser policy is enabled, HTML code at this Trusted URL can have iframe that embeds Wekan inside. - - TRUSTED_URL= + - TRUSTED_URL='' depends_on: - wekandb -- cgit v1.2.3-1-g7c22 From 94079923128235ffcf15be30acddeb2d3e37063e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 14 Aug 2018 17:29:53 +0300 Subject: Fix typo. --- docker-compose.yml | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/docker-compose.yml b/docker-compose.yml index e7c1cbea..c46b3e3b 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -39,7 +39,7 @@ services: - ROOT_URL=http://localhost # Wekan Export Board works when WITH_API='true'. # If you disable Wekan API with 'false', Export Board does not work. - - WITH_API=true + - WITH_API='true' # Optional: Integration with Matomo https://matomo.org that is installed to your server # The address of the server where Matomo is hosted: # - MATOMO_ADDRESS='https://example.com/matomo' @@ -52,7 +52,7 @@ services: # Enable browser policy and allow one trusted URL that can have iframe that has Wekan embedded inside. # Setting this to false is not recommended, it also disables all other browser policy protections # and allows all iframing etc. See wekan/server/policy.js - - BROWSER_POLICY_ENABLED=true + - BROWSER_POLICY_ENABLED='true' # When browser policy is enabled, HTML code at this Trusted URL can have iframe that embeds Wekan inside. - TRUSTED_URL='' depends_on: -- cgit v1.2.3-1-g7c22 From bec12567274876428447f879a7974017b1636396 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 14 Aug 2018 17:36:03 +0300 Subject: Try to fix Docker env variables. --- Dockerfile | 30 +++++++++++++++--------------- 1 file changed, 15 insertions(+), 15 deletions(-) diff --git a/Dockerfile b/Dockerfile index a548adf1..9d981a6c 100644 --- a/Dockerfile +++ b/Dockerfile @@ -22,21 +22,21 @@ ARG TRUSTED_URL # DOES NOT WORK: paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303 # ENV BUILD_DEPS="paxctl" ENV BUILD_DEPS="apt-utils gnupg gosu wget curl bzip2 build-essential python git ca-certificates gcc-7" -ENV NODE_VERSION ${NODE_VERSION:-v8.12.0} -ENV METEOR_RELEASE ${METEOR_RELEASE:-1.6.0.1} -ENV USE_EDGE ${USE_EDGE:-false} -ENV METEOR_EDGE ${METEOR_EDGE:-1.5-beta.17} -ENV NPM_VERSION ${NPM_VERSION:-latest} -ENV FIBERS_VERSION ${FIBERS_VERSION:-2.0.0} -ENV ARCHITECTURE ${ARCHITECTURE:-linux-x64} -ENV SRC_PATH ${SRC_PATH:-./} -ENV WITH_API ${WITH_API:-true} -ENV MATOMO_ADDRESS ${MATOMO_ADDRESS:-} -ENV MATOMO_SITE_ID ${MATOMO_SITE_ID:-} -ENV MATOMO_DO_NOT_TRACK ${MATOMO_DO_NOT_TRACK:-false} -ENV MATOMO_WITH_USERNAME ${MATOMO_WITH_USERNAME:-true} -ENV BROWSER_POLICY_ENABLED ${BROWSER_POLICY_ENABLED:-true} -ENV TRUSTED_URL ${TRUSTED_URL:-} +ENV NODE_VERSION ${NODE_VERSION:-"v8.12.0"} +ENV METEOR_RELEASE ${METEOR_RELEASE:-"1.6.0.1"} +ENV USE_EDGE ${USE_EDGE:-"false"} +ENV METEOR_EDGE ${METEOR_EDGE:-"1.5-beta.17"} +ENV NPM_VERSION ${NPM_VERSION:-"latest"} +ENV FIBERS_VERSION ${FIBERS_VERSION:-"2.0.0"} +ENV ARCHITECTURE ${ARCHITECTURE:-"linux-x64"} +ENV SRC_PATH ${SRC_PATH:-"./"} +ENV WITH_API ${WITH_API:-"true"} +ENV MATOMO_ADDRESS ${MATOMO_ADDRESS:-""} +ENV MATOMO_SITE_ID ${MATOMO_SITE_ID:-""} +ENV MATOMO_DO_NOT_TRACK ${MATOMO_DO_NOT_TRACK:-"false"} +ENV MATOMO_WITH_USERNAME ${MATOMO_WITH_USERNAME:-"true"} +ENV BROWSER_POLICY_ENABLED ${BROWSER_POLICY_ENABLED:-"true"} +ENV TRUSTED_URL ${TRUSTED_URL:-""} # Copy the app to the image COPY ${SRC_PATH} /home/wekan/app -- cgit v1.2.3-1-g7c22 From f725291e148912e5cde97d3747aecbc73925b9d8 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 14 Aug 2018 18:27:37 +0300 Subject: Try to fix Dockerfile. --- Dockerfile | 32 ++++++++++++++++---------------- 1 file changed, 16 insertions(+), 16 deletions(-) diff --git a/Dockerfile b/Dockerfile index 9d981a6c..77cd648e 100644 --- a/Dockerfile +++ b/Dockerfile @@ -21,22 +21,22 @@ ARG TRUSTED_URL # Set the environment variables (defaults where required) # DOES NOT WORK: paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303 # ENV BUILD_DEPS="paxctl" -ENV BUILD_DEPS="apt-utils gnupg gosu wget curl bzip2 build-essential python git ca-certificates gcc-7" -ENV NODE_VERSION ${NODE_VERSION:-"v8.12.0"} -ENV METEOR_RELEASE ${METEOR_RELEASE:-"1.6.0.1"} -ENV USE_EDGE ${USE_EDGE:-"false"} -ENV METEOR_EDGE ${METEOR_EDGE:-"1.5-beta.17"} -ENV NPM_VERSION ${NPM_VERSION:-"latest"} -ENV FIBERS_VERSION ${FIBERS_VERSION:-"2.0.0"} -ENV ARCHITECTURE ${ARCHITECTURE:-"linux-x64"} -ENV SRC_PATH ${SRC_PATH:-"./"} -ENV WITH_API ${WITH_API:-"true"} -ENV MATOMO_ADDRESS ${MATOMO_ADDRESS:-""} -ENV MATOMO_SITE_ID ${MATOMO_SITE_ID:-""} -ENV MATOMO_DO_NOT_TRACK ${MATOMO_DO_NOT_TRACK:-"false"} -ENV MATOMO_WITH_USERNAME ${MATOMO_WITH_USERNAME:-"true"} -ENV BROWSER_POLICY_ENABLED ${BROWSER_POLICY_ENABLED:-"true"} -ENV TRUSTED_URL ${TRUSTED_URL:-""} +ENV BUILD_DEPS="apt-utils gnupg gosu wget curl bzip2 build-essential python git ca-certificates gcc-7" \ + NODE_VERSION=v8.12.0 \ + METEOR_RELEASE=1.6.0.1 \ + USE_EDGE=false \ + METEOR_EDGE=1.5-beta.17 \ + NPM_VERSION=latest \ + FIBERS_VERSION=2.0.0 \ + ARCHITECTURE=linux-x64 \ + SRC_PATH=./ \ + WITH_API=true \ + MATOMO_ADDRESS="" \ + MATOMO_SITE_ID="" \ + MATOMO_DO_NOT_TRACK=false \ + MATOMO_WITH_USERNAME=true \ + BROWSER_POLICY_ENABLED=true \ + TRUSTED_URL="" # Copy the app to the image COPY ${SRC_PATH} /home/wekan/app -- cgit v1.2.3-1-g7c22 From eea077e57e7a61d6fefc8918990d6a9015146359 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 14 Aug 2018 18:43:09 +0300 Subject: Fix quotes. --- docker-compose.yml | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/docker-compose.yml b/docker-compose.yml index c46b3e3b..ee87227b 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -39,20 +39,20 @@ services: - ROOT_URL=http://localhost # Wekan Export Board works when WITH_API='true'. # If you disable Wekan API with 'false', Export Board does not work. - - WITH_API='true' + - WITH_API=true # Optional: Integration with Matomo https://matomo.org that is installed to your server # The address of the server where Matomo is hosted: - # - MATOMO_ADDRESS='https://example.com/matomo' + # - MATOMO_ADDRESS=https://example.com/matomo # The value of the site ID given in Matomo server for Wekan - # - MATOMO_SITE_ID='123456789' + # - MATOMO_SITE_ID=123456789 # The option do not track which enables users to not be tracked by matomo" - # - MATOMO_DO_NOT_TRACK='false' + # - MATOMO_DO_NOT_TRACK=false # The option that allows matomo to retrieve the username: - # - MATOMO_WITH_USERNAME='true' + # - MATOMO_WITH_USERNAME=true # Enable browser policy and allow one trusted URL that can have iframe that has Wekan embedded inside. # Setting this to false is not recommended, it also disables all other browser policy protections # and allows all iframing etc. See wekan/server/policy.js - - BROWSER_POLICY_ENABLED='true' + - BROWSER_POLICY_ENABLED=true # When browser policy is enabled, HTML code at this Trusted URL can have iframe that embeds Wekan inside. - TRUSTED_URL='' depends_on: -- cgit v1.2.3-1-g7c22 From c2eb300e21d03c2ca66f4a80fc77c52aeb11a31d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 14 Aug 2018 18:50:05 +0300 Subject: v1.31 - Fix: Export of Board does not work on Docker. Thanks to xet7 ! Closes #1820 --- CHANGELOG.md | 8 ++++++++ package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 11 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 46a6f014..7a4db498 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# v1.31 2018-08-14 Wekan release + +This release fixes the following bugs: + +- [Export of Board does not work on Docker](https://github.com/wekan/wekan/issues/1820). + +Thanks to GitHub user xet7 for contributions. + # v1.30 2018-08-14 Wekan release This release add the following new features: diff --git a/package.json b/package.json index 03c1346a..2617ef02 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.30.0", + "version": "1.31.0", "description": "The open-source Trello-like kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index c07f3212..24107a1c 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 115, + appVersion = 116, # Increment this for every release. - appMarketingVersion = (defaultText = "1.30.0~2018-08-14"), + appMarketingVersion = (defaultText = "1.31.0~2018-08-14"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 53c0a5278888ad1f97005f5347df09b66e67c5d4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 14 Aug 2018 21:22:46 +0300 Subject: Remove Trello. --- app.json | 2 +- package.json | 2 +- scalingo.json | 4 ++-- snap-src/bin/wekan-help | 2 +- snapcraft.yaml | 2 +- 5 files changed, 6 insertions(+), 6 deletions(-) diff --git a/app.json b/app.json index 6d3ce917..3921dec9 100644 --- a/app.json +++ b/app.json @@ -1,6 +1,6 @@ { "name": "Wekan", - "description": "The open-source Trello-like kanban", + "description": "The open-source kanban", "repository": "https://github.com/wekan/wekan", "logo": "https://raw.githubusercontent.com/wekan/wekan/master/meta/icons/wekan-150.png", "keywords": ["productivity", "tool", "team", "kanban"], diff --git a/package.json b/package.json index 2617ef02..9f1a1d65 100644 --- a/package.json +++ b/package.json @@ -1,7 +1,7 @@ { "name": "wekan", "version": "1.31.0", - "description": "The open-source Trello-like kanban", + "description": "The open-source kanban", "private": true, "scripts": { "lint": "eslint --ignore-pattern 'packages/*' .", diff --git a/scalingo.json b/scalingo.json index 57acbacc..78601a45 100644 --- a/scalingo.json +++ b/scalingo.json @@ -1,8 +1,8 @@ { "name": "wekan", - "description": "The open-source Trello-like kanban (build with Meteor)", + "description": "The open-source kanban (built with Meteor)", "repository": "https://github.com/wekan/wekan/", "logo": "https://raw.githubusercontent.com/wekan/wekan/master/meta/icons/wekan-150.png", - "website": "https://wekan.io", + "website": "https://wekan.github.io", "addons": ["scalingo-mongodb"] } diff --git a/snap-src/bin/wekan-help b/snap-src/bin/wekan-help index 49270fb2..2cd0f037 100755 --- a/snap-src/bin/wekan-help +++ b/snap-src/bin/wekan-help @@ -7,7 +7,7 @@ if [ "$CADDY_ENABLED" = "true" ]; then export PORT=${CADDY_PORT} &>/dev/null fi -echo -e "Wekan: The open-source Trello-like kanban.\n" +echo -e "Wekan: The open-source kanban.\n" echo -e "Make sure you have connected all interfaces, check more by calling $ snap interfaces ${SNAP_NAME}" echo -e "\n" echo -e "${SNAP_NAME} has multiple services, to check status use systemctl" diff --git a/snapcraft.yaml b/snapcraft.yaml index 93c50ae8..f3f784e7 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -1,7 +1,7 @@ name: wekan version: 0 version-script: git describe --dirty --tags | cut -c 2- -summary: The open-source Trello-like kanban +summary: The open-source kanban description: | Wekan is an open-source and collaborative kanban board application. -- cgit v1.2.3-1-g7c22 From 9b0eb0a9f1973e05df7199cf2bff7518f2fa98dc Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Wed, 15 Aug 2018 18:47:09 +0200 Subject: Almost full circle --- client/components/boards/boardHeader.js | 2 +- client/components/forms/forms.styl | 1 + client/components/rules/.DS_Store | Bin 0 -> 6148 bytes client/components/rules/actions/boardActions.jade | 22 +++++++ client/components/rules/actions/boardActions.js | 32 ++++++++++ client/components/rules/rules.jade | 65 --------------------- client/components/rules/rules.js | 47 --------------- client/components/rules/rules.styl | 33 +++++++---- client/components/rules/rulesActions.jade | 17 ++++++ client/components/rules/rulesActions.js | 52 +++++++++++++++++ client/components/rules/rulesList.jade | 25 ++++++++ client/components/rules/rulesList.js | 12 ++++ client/components/rules/rulesMain.jade | 7 +++ client/components/rules/rulesMain.js | 62 ++++++++++++++++++++ client/components/rules/rulesTriggers.jade | 21 +++++++ client/components/rules/rulesTriggers.js | 52 +++++++++++++++++ .../components/rules/triggers/boardTriggers.jade | 45 ++++++++++++++ client/components/rules/triggers/boardTriggers.js | 28 +++++++++ client/components/rules/triggers/cardTriggers.jade | 10 ++++ .../rules/triggers/checklistTriggers.jade | 10 ++++ models/actions.js | 62 ++++++++++++++++++++ models/activities.js | 11 ++++ models/rules.js | 12 ---- models/triggers.js | 29 +-------- 24 files changed, 492 insertions(+), 165 deletions(-) create mode 100644 client/components/rules/.DS_Store create mode 100644 client/components/rules/actions/boardActions.jade create mode 100644 client/components/rules/actions/boardActions.js delete mode 100644 client/components/rules/rules.jade delete mode 100644 client/components/rules/rules.js create mode 100644 client/components/rules/rulesActions.jade create mode 100644 client/components/rules/rulesActions.js create mode 100644 client/components/rules/rulesList.jade create mode 100644 client/components/rules/rulesList.js create mode 100644 client/components/rules/rulesMain.jade create mode 100644 client/components/rules/rulesMain.js create mode 100644 client/components/rules/rulesTriggers.jade create mode 100644 client/components/rules/rulesTriggers.js create mode 100644 client/components/rules/triggers/boardTriggers.jade create mode 100644 client/components/rules/triggers/boardTriggers.js create mode 100644 client/components/rules/triggers/cardTriggers.jade create mode 100644 client/components/rules/triggers/checklistTriggers.jade create mode 100644 models/actions.js diff --git a/client/components/boards/boardHeader.js b/client/components/boards/boardHeader.js index bf36da7d..c4fc303f 100644 --- a/client/components/boards/boardHeader.js +++ b/client/components/boards/boardHeader.js @@ -109,7 +109,7 @@ BlazeComponent.extendComponent({ Sidebar.setView('search'); }, 'click .js-open-rules-view'() { - Modal.open('rules'); + Modal.open('rulesMain'); }, 'click .js-multiselection-activate'() { const currentCard = Session.get('currentCard'); diff --git a/client/components/forms/forms.styl b/client/components/forms/forms.styl index 0a905943..4fff1e02 100644 --- a/client/components/forms/forms.styl +++ b/client/components/forms/forms.styl @@ -1,5 +1,6 @@ @import 'nib' +select, textarea, input:not([type=file]), button diff --git a/client/components/rules/.DS_Store b/client/components/rules/.DS_Store new file mode 100644 index 00000000..5008ddfc Binary files /dev/null and b/client/components/rules/.DS_Store differ diff --git a/client/components/rules/actions/boardActions.jade b/client/components/rules/actions/boardActions.jade new file mode 100644 index 00000000..fe56c3ee --- /dev/null +++ b/client/components/rules/actions/boardActions.jade @@ -0,0 +1,22 @@ +template(name="boardActions") + div.trigger-item + div.trigger-content + div.trigger-text + | Move card to + div.trigger-dropdown + select(id="action") + option(value="top") Top of + option(value="bottom") Bottom of + div.trigger-text + | list + div.trigger-dropdown + input(type=text,placeholder="List Name") + div.trigger-button.js-add-move-action.js-goto-rules + i.fa.fa-plus + + + + + + + diff --git a/client/components/rules/actions/boardActions.js b/client/components/rules/actions/boardActions.js new file mode 100644 index 00000000..53325ca0 --- /dev/null +++ b/client/components/rules/actions/boardActions.js @@ -0,0 +1,32 @@ +BlazeComponent.extendComponent({ + onCreated() { + + }, + + + + events() { + return [ + {'click .js-add-move-action'(event) { + + console.log(this.data()); + console.log(this.data().triggerIdVar.get()); + const ruleName = this.data().ruleName.get(); + const triggerId = this.data().triggerIdVar.get(); + const actionSelected = this.find('#action').value; + + if(actionSelected == "top"){ + Actions.insert({actionType: "moveCardToTop"},function(err,id){ + Rules.insert({title: ruleName, triggerId: triggerId, actionId: id}); + }); + } + if(actionSelected == "bottom"){ + Actions.insert({actionType: "moveCardToBottom"},function(err,id){ + Rules.insert({title: ruleName, triggerId: triggerId, actionId: id}); + }); + } + }, + }]; +}, + +}).register('boardActions'); \ No newline at end of file diff --git a/client/components/rules/rules.jade b/client/components/rules/rules.jade deleted file mode 100644 index 46c69a8d..00000000 --- a/client/components/rules/rules.jade +++ /dev/null @@ -1,65 +0,0 @@ -template(name="rules") - if rulesListVar.get - +rulesList - else if rulesTriggerVar.get - +rulesTrigger - -template(name="rulesList") - .rules - h2 - i.fa.fa-cutlery - | Project rules - - ul.rules-list - each rules - li.rules-lists-item - p - = title - div.rules-btns-group - button - i.fa.fa-eye - | View rule - button.js-delete-rule - i.fa.fa-trash-o - | Delete rule - else - li.no-items-message No rules - div.rules-add - button.js-add-rule - i.fa.fa-plus - | Add rule - input(type=text,placeholder="New rule name",id="ruleTitle") - -template(name="rulesTrigger") - h2 - i.fa.fa-cutlery - | Rule "#{ruleName.get}"" - Add triggers - .triggers-content - .triggers-body - .triggers-side-menu - ul - li.active - i.fa.fa-columns - li - i.fa.fa-sticky-note - li - i.fa.fa-check - .triggers-main-body - +boardTriggers - -template(name="boardTriggers") - div.trigger-item - div.trigger-content - div.trigger-text - | When a card is - div.trigger-dropdown - select - div.trigger-button - i.fa.fa-plus - - - - - - - diff --git a/client/components/rules/rules.js b/client/components/rules/rules.js deleted file mode 100644 index 9bca3460..00000000 --- a/client/components/rules/rules.js +++ /dev/null @@ -1,47 +0,0 @@ -BlazeComponent.extendComponent({ - onCreated() { - this.rulesListVar = new ReactiveVar(true); - this.rulesTriggerVar = new ReactiveVar(false); - this.ruleName = new ReactiveVar(""); - }, - - setTrigger() { - this.rulesListVar.set(false); - this.rulesTriggerVar.set(true); - }, - - events() { - return [{'click .js-delete-rule'(event) { - const rule = this.currentData(); - Rules.remove(rule._id); - - }, - 'click .js-add-rule'(event) { - - event.preventDefault(); - const ruleTitle = this.find('#ruleTitle').value; - Rules.insert({title: ruleTitle}); - this.find('#ruleTitle').value = ""; - this.ruleName.set(ruleTitle) - this.setTrigger(); - - }}]; - }, - -}).register('rules'); - - -BlazeComponent.extendComponent({ - onCreated() { - this.subscribe('allRules'); - }, - - rules() { - return Rules.find({}); - }, - events() { - return [{}]; - }, -}).register('rulesList'); - - diff --git a/client/components/rules/rules.styl b/client/components/rules/rules.styl index 48a175a5..35fbabb2 100644 --- a/client/components/rules/rules.styl +++ b/client/components/rules/rules.styl @@ -49,10 +49,11 @@ height 100% .triggers-side-menu - background-color: #f7f7f7; - border: 1px solid #f0f0f0; - border-radius: 4px; - box-shadow: inset -1px -1px 3px rgba(0,0,0,.05); + background-color: #f7f7f7 + border: 1px solid #f0f0f0 + border-radius: 4px + height: intrinsic + box-shadow: inset -1px -1px 3px rgba(0,0,0,.05) ul @@ -93,7 +94,8 @@ .trigger-item overflow:auto padding:10px - height:30px + height:40px + margin-bottom:5px border-radius: 3px position: relative background-color: white @@ -111,24 +113,31 @@ width:100px height:30px margin:0px + margin-left:5px + input + display: inline-block + width: 80px; + margin: 0; .trigger-button position:absolute top:50% transform: translateY(-50%) width:30px height:30px - border: 1px solid #eee; - border-radius: 4px; - box-shadow: inset -1px -1px 3px rgba(0,0,0,.05); + border: 1px solid #eee + border-radius: 4px + box-shadow: inset -1px -1px 3px rgba(0,0,0,.05) text-align:center font-size: 20px right:10px i - position: absolute; - top: 50%; - left: 50%; + position: absolute + top: 50% + left: 50% box-shadow: none - transform: translate(-50%,-50%); + transform: translate(-50%,-50%) + &:hover, &.is-active + box-shadow: 0 0 0 2px darken(white, 60%) inset diff --git a/client/components/rules/rulesActions.jade b/client/components/rules/rulesActions.jade new file mode 100644 index 00000000..0e207495 --- /dev/null +++ b/client/components/rules/rulesActions.jade @@ -0,0 +1,17 @@ +template(name="rulesActions") + h2 + i.fa.fa-cutlery + | Rule "#{data.ruleName}" - Add action + .triggers-content + .triggers-body + .triggers-side-menu + ul + li.active.js-set-board-triggers + i.fa.fa-columns + li.js-set-card-triggers + i.fa.fa-sticky-note + li.js-set-checklist-triggers + i.fa.fa-check + .triggers-main-body + if showBoardActions.get + +boardActions(ruleName=data.ruleName triggerIdVar=data.triggerIdVar) \ No newline at end of file diff --git a/client/components/rules/rulesActions.js b/client/components/rules/rulesActions.js new file mode 100644 index 00000000..297fc806 --- /dev/null +++ b/client/components/rules/rulesActions.js @@ -0,0 +1,52 @@ +BlazeComponent.extendComponent({ + onCreated() { + this.showBoardActions = new ReactiveVar(true); + this.showCardActions = new ReactiveVar(false); + this.showChecklistAction = new ReactiveVar(false); + }, + + + setBoardTriggers(){ + this.showBoardActions.set(true); + this.showCardActions.set(false); + this.showChecklistActionsr.set(false); + $('.js-set-card-triggers').removeClass('active'); + $('.js-set-board-triggers').addClass('active'); + $('.js-set-checklist-triggers').removeClass('active'); + }, + setCardTriggers(){ + this.showBoardActions.set(false); + this.showCardActions.set(true); + this.showChecklistActions.set(false); + $('.js-set-card-triggers').addClass('active'); + $('.js-set-board-triggers').removeClass('active'); + $('.js-set-checklist-triggers').removeClass('active'); + }, + setChecklistTriggers(){ + this.showBoardActions.set(false); + this.showCardActions.set(false); + this.showChecklistActions.set(true); + $('.js-set-card-triggers').removeClass('active'); + $('.js-set-board-triggers').removeClass('active'); + $('.js-set-checklist-triggers').addClass('active'); + }, + + rules() { + return Rules.find({}); + }, + + name(){ + console.log(this.data()); + }, + events() { + return [{'click .js-set-board-triggers'(event) { + this.setBoardTriggers(); + }, + 'click .js-set-card-triggers'(event) { + this.setCardTriggers(); + }, + 'click .js-set-checklist-triggers'(event) { + this.setChecklistTriggers(); + },}]; + }, +}).register('rulesActions'); \ No newline at end of file diff --git a/client/components/rules/rulesList.jade b/client/components/rules/rulesList.jade new file mode 100644 index 00000000..a0d8143c --- /dev/null +++ b/client/components/rules/rulesList.jade @@ -0,0 +1,25 @@ +template(name="rulesList") + .rules + h2 + i.fa.fa-cutlery + | Project rules + + ul.rules-list + each rules + li.rules-lists-item + p + = title + div.rules-btns-group + button + i.fa.fa-eye + | View rule + button.js-delete-rule + i.fa.fa-trash-o + | Delete rule + else + li.no-items-message No rules + div.rules-add + button.js-goto-trigger + i.fa.fa-plus + | Add rule + input(type=text,placeholder="New rule name",id="ruleTitle") \ No newline at end of file diff --git a/client/components/rules/rulesList.js b/client/components/rules/rulesList.js new file mode 100644 index 00000000..caafe29f --- /dev/null +++ b/client/components/rules/rulesList.js @@ -0,0 +1,12 @@ +BlazeComponent.extendComponent({ + onCreated() { + this.subscribe('allRules'); + }, + + rules() { + return Rules.find({}); + }, + events() { + return [{}]; + }, +}).register('rulesList'); \ No newline at end of file diff --git a/client/components/rules/rulesMain.jade b/client/components/rules/rulesMain.jade new file mode 100644 index 00000000..8e0efd63 --- /dev/null +++ b/client/components/rules/rulesMain.jade @@ -0,0 +1,7 @@ +template(name="rulesMain") + if rulesListVar.get + +rulesList + else if rulesTriggerVar.get + +rulesTriggers(ruleName=ruleName triggerIdVar=triggerIdVar) + else if rulesActionVar.get + +rulesActions(ruleName=ruleName triggerIdVar=triggerIdVar) \ No newline at end of file diff --git a/client/components/rules/rulesMain.js b/client/components/rules/rulesMain.js new file mode 100644 index 00000000..c7e10512 --- /dev/null +++ b/client/components/rules/rulesMain.js @@ -0,0 +1,62 @@ +BlazeComponent.extendComponent({ + onCreated() { + this.rulesListVar = new ReactiveVar(true); + this.rulesTriggerVar = new ReactiveVar(false); + this.rulesActionVar = new ReactiveVar(false); + this.ruleName = new ReactiveVar(""); + this.triggerIdVar = new ReactiveVar(""); + }, + + setTrigger() { + this.rulesListVar.set(false); + this.rulesTriggerVar.set(true); + this.rulesActionVar.set(false); + }, + + setRulesList() { + this.rulesListVar.set(true); + this.rulesTriggerVar.set(false); + this.rulesActionVar.set(false); + }, + + setAction() { + this.rulesListVar.set(false); + this.rulesTriggerVar.set(false); + this.rulesActionVar.set(true); + }, + + events() { + return [{'click .js-delete-rule'(event) { + const rule = this.currentData(); + Rules.remove(rule._id); + + }, + 'click .js-goto-trigger'(event) { + event.preventDefault(); + const ruleTitle = this.find('#ruleTitle').value; + this.find('#ruleTitle').value = ""; + this.ruleName.set(ruleTitle) + this.setTrigger(); + }, + 'click .js-goto-action'(event) { + event.preventDefault(); + this.setAction(); + }, + 'click .js-goto-rules'(event) { + event.preventDefault(); + this.setRulesList(); + }, + + + }]; + }, + +}).register('rulesMain'); + + + + + + + + diff --git a/client/components/rules/rulesTriggers.jade b/client/components/rules/rulesTriggers.jade new file mode 100644 index 00000000..5ee563e0 --- /dev/null +++ b/client/components/rules/rulesTriggers.jade @@ -0,0 +1,21 @@ +template(name="rulesTriggers") + h2 + i.fa.fa-cutlery + | Rule "#{data.ruleName}" - Add trigger + .triggers-content + .triggers-body + .triggers-side-menu + ul + li.active.js-set-board-triggers + i.fa.fa-columns + li.js-set-card-triggers + i.fa.fa-sticky-note + li.js-set-checklist-triggers + i.fa.fa-check + .triggers-main-body + if showBoardTrigger.get + +boardTriggers + else if showCardTrigger.get + +cardTriggers + else if showChecklistTrigger.get + +checklistTriggers \ No newline at end of file diff --git a/client/components/rules/rulesTriggers.js b/client/components/rules/rulesTriggers.js new file mode 100644 index 00000000..0a4abd66 --- /dev/null +++ b/client/components/rules/rulesTriggers.js @@ -0,0 +1,52 @@ +BlazeComponent.extendComponent({ + onCreated() { + this.showBoardTrigger = new ReactiveVar(true); + this.showCardTrigger = new ReactiveVar(false); + this.showChecklistTrigger = new ReactiveVar(false); + }, + + + setBoardTriggers(){ + this.showBoardTrigger.set(true); + this.showCardTrigger.set(false); + this.showChecklistTrigger.set(false); + $('.js-set-card-triggers').removeClass('active'); + $('.js-set-board-triggers').addClass('active'); + $('.js-set-checklist-triggers').removeClass('active'); + }, + setCardTriggers(){ + this.showBoardTrigger.set(false); + this.showCardTrigger.set(true); + this.showChecklistTrigger.set(false); + $('.js-set-card-triggers').addClass('active'); + $('.js-set-board-triggers').removeClass('active'); + $('.js-set-checklist-triggers').removeClass('active'); + }, + setChecklistTriggers(){ + this.showBoardTrigger.set(false); + this.showCardTrigger.set(false); + this.showChecklistTrigger.set(true); + $('.js-set-card-triggers').removeClass('active'); + $('.js-set-board-triggers').removeClass('active'); + $('.js-set-checklist-triggers').addClass('active'); + }, + + rules() { + return Rules.find({}); + }, + + name(){ + console.log(this.data()); + }, + events() { + return [{'click .js-set-board-triggers'(event) { + this.setBoardTriggers(); + }, + 'click .js-set-card-triggers'(event) { + this.setCardTriggers(); + }, + 'click .js-set-checklist-triggers'(event) { + this.setChecklistTriggers(); + },}]; + }, +}).register('rulesTriggers'); \ No newline at end of file diff --git a/client/components/rules/triggers/boardTriggers.jade b/client/components/rules/triggers/boardTriggers.jade new file mode 100644 index 00000000..8b0b9489 --- /dev/null +++ b/client/components/rules/triggers/boardTriggers.jade @@ -0,0 +1,45 @@ +template(name="boardTriggers") + div.trigger-item + div.trigger-content + div.trigger-text + | When a card is + div.trigger-dropdown + select(id="action") + option(value="created") Added to + option(value="removed") Removed from + div.trigger-text + | the board + div.trigger-button.js-add-gen-trigger.js-goto-action + i.fa.fa-plus + + div.trigger-item + div.trigger-content + div.trigger-text + | When a card is + div.trigger-dropdown + select + option Moved to + div.trigger-text + | to list + div.trigger-dropdown + input(type=text,placeholder="List Name") + div.trigger-button.js-add-spec-trigger.js-goto-action + i.fa.fa-plus + + div.trigger-item + div.trigger-content + div.trigger-text + | When a card is + div.trigger-dropdown + select + option Archived + option Unarchived + div.trigger-button.js-add-arc-trigger.js-goto-action + i.fa.fa-plus + + + + + + + diff --git a/client/components/rules/triggers/boardTriggers.js b/client/components/rules/triggers/boardTriggers.js new file mode 100644 index 00000000..4c8594d3 --- /dev/null +++ b/client/components/rules/triggers/boardTriggers.js @@ -0,0 +1,28 @@ +BlazeComponent.extendComponent({ + onCreated() { + + }, + + events() { + return [ + {'click .js-add-gen-trigger'(event) { + + let datas = this.data(); + const actionSelected = this.find('#action').value; + const boardId = Session.get('currentBoard') + if(actionSelected == "created"){ + Triggers.insert({activityType: "createCard","boardId":boardId},function(error,id){ + datas.triggerIdVar.set(id); + }); + } + if(actionSelected == "removed"){ + Triggers.insert({activityType: "removeCard","boardId":boardId},function(error,id){ + datas.triggerIdVar.set(id); + }); + } + + }, + }]; + }, + +}).register('boardTriggers'); \ No newline at end of file diff --git a/client/components/rules/triggers/cardTriggers.jade b/client/components/rules/triggers/cardTriggers.jade new file mode 100644 index 00000000..c1a42ab5 --- /dev/null +++ b/client/components/rules/triggers/cardTriggers.jade @@ -0,0 +1,10 @@ +template(name="cardTriggers") + div.trigger-item + div.trigger-content + div.trigger-text + | When a label is + div.trigger-dropdown + select + option Moved to + div.trigger-button + i.fa.fa-plus \ No newline at end of file diff --git a/client/components/rules/triggers/checklistTriggers.jade b/client/components/rules/triggers/checklistTriggers.jade new file mode 100644 index 00000000..7364bfa7 --- /dev/null +++ b/client/components/rules/triggers/checklistTriggers.jade @@ -0,0 +1,10 @@ +template(name="checklistTriggers") + div.trigger-item + div.trigger-content + div.trigger-text + | When a check is + div.trigger-dropdown + select + option Checked + div.trigger-button + i.fa.fa-plus \ No newline at end of file diff --git a/models/actions.js b/models/actions.js new file mode 100644 index 00000000..0961abbb --- /dev/null +++ b/models/actions.js @@ -0,0 +1,62 @@ +Actions = new Mongo.Collection('actions'); + + + +Actions.mutations({ + rename(description) { + return { $set: { description } }; + }, +}); + +Actions.allow({ + update: function () { + // add custom authentication code here + return true; + }, + insert: function () { + // add custom authentication code here + return true; + } +}); + + +Actions.helpers({ + fromList() { + return Lists.findOne(this.fromId); + }, + + toList() { + return Lists.findOne(this.toId); + }, + + findList(title) { + return Lists.findOne({title:title}); + }, + + labels() { + const boardLabels = this.board().labels; + const cardLabels = _.filter(boardLabels, (label) => { + return _.contains(this.labelIds, label._id); + }); + return cardLabels; + }}); + + + +if (Meteor.isServer) { + Meteor.startup(() => { + const rules = Triggers.findOne({}); + if(!rules){ + Actions.insert({actionType: "moveCardToTop"}); + } + }); +} + + + + + + + + + diff --git a/models/activities.js b/models/activities.js index 5b54759c..beb741bc 100644 --- a/models/activities.js +++ b/models/activities.js @@ -56,6 +56,17 @@ Activities.before.insert((userId, doc) => { doc.createdAt = new Date(); }); + + +Activities.after.insert((userId, doc) => { + const activity = Activities._transform(doc); + const matchedTriggers = Triggers.find(activity); + if(matchedTriggers.count() > 0){ + const card = activity.card(); + Cards.direct.update({_id: card._id},{$set: {title: "ciaooo"}}); + } +}); + if (Meteor.isServer) { // For efficiency create indexes on the date of creation, and on the date of // creation in conjunction with the card or board id, as corresponding views diff --git a/models/rules.js b/models/rules.js index df0cccea..778622c4 100644 --- a/models/rules.js +++ b/models/rules.js @@ -39,15 +39,3 @@ Rules.allow({ }, }); - - - -if (Meteor.isServer) { - Meteor.startup(() => { - const rules = Rules.findOne({}); - if(!rules){ - Rules.insert({title: "regola1", description: "bella"}); - Rules.insert({title: "regola2", description: "bella2"}); - } - }); -} diff --git a/models/triggers.js b/models/triggers.js index f8dbb50d..660d8b94 100644 --- a/models/triggers.js +++ b/models/triggers.js @@ -39,34 +39,7 @@ Triggers.helpers({ return _.contains(this.labelIds, label._id); }); return cardLabels; - }}); - - - -if (Meteor.isServer) { - Meteor.startup(() => { - const rules = Triggers.findOne({}); - if(!rules){ - Triggers.insert({group: "cards", activityType: "moveCard","fromId":-1,"toId":-1 }); - } - }); -} - - - - Activities.after.insert((userId, doc) => { - const activity = Activities._transform(doc); - const matchedTriggers = Triggers.find({activityType: activity.activityType,fromId:activity.oldListId,toId:activity.listId}) - if(matchedTriggers.count() > 0){ - const card = activity.card(); - const oldTitle = card.title; - const fromListTitle = activity.oldList().title; - Cards.direct.update({_id: card._id, listId: card.listId, boardId: card.boardId, archived: false}, - {$set: {title: "[From "+fromListTitle +"] "+ oldTitle}}); - } - }); - - +}}); -- cgit v1.2.3-1-g7c22 From e55d7e4f72a4b425c4aca5ba04a7be1fc642649b Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Wed, 15 Aug 2018 20:50:51 +0200 Subject: Fix removed setters and getters --- client/components/cards/cardDetails.jade | 20 +++++++------- models/cards.js | 47 +++++++++++++++++++++++++++++++- 2 files changed, 56 insertions(+), 11 deletions(-) diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index 4401d24b..ac7218d4 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -129,14 +129,14 @@ template(name="cardDetails") +editCardRequesterForm else a.js-open-inlined-form - if requestedBy + if getRequestedBy +viewer - = requestedBy + = getRequestedBy else | {{_ 'add'}} - else if requestedBy + else if getRequestedBy +viewer - = requestedBy + = getRequestedBy .card-details-item.card-details-item-name h3.card-details-item-title {{_ 'assigned-by'}} @@ -145,14 +145,14 @@ template(name="cardDetails") +editCardAssignerForm else a.js-open-inlined-form - if assignedBy + if getAssignedBy +viewer - = assignedBy + = getAssignedBy else | {{_ 'add'}} - else if requestedBy + else if getRequestedBy +viewer - = assignedBy + = getAssignedBy hr +checklists(cardId = _id) @@ -192,13 +192,13 @@ template(name="editCardTitleForm") a.fa.fa-times-thin.js-close-inlined-form template(name="editCardRequesterForm") - input.js-edit-card-requester(type='text' autofocus value=requestedBy) + input.js-edit-card-requester(type='text' autofocus value=getRequestedBy) .edit-controls.clearfix button.primary.confirm.js-submit-edit-card-requester-form(type="submit") {{_ 'save'}} a.fa.fa-times-thin.js-close-inlined-form template(name="editCardAssignerForm") - input.js-edit-card-assigner(type='text' autofocus value=assignedBy) + input.js-edit-card-assigner(type='text' autofocus value=getAssignedBy) .edit-controls.clearfix button.primary.confirm.js-submit-edit-card-assigner-form(type="submit") {{_ 'save'}} a.fa.fa-times-thin.js-close-inlined-form diff --git a/models/cards.js b/models/cards.js index 171c21c5..1cb1e3d0 100644 --- a/models/cards.js +++ b/models/cards.js @@ -88,7 +88,6 @@ Cards.attachSchema(new SimpleSchema({ type: String, optional: true, defaultValue: '', - }, assignedBy: { type: String, @@ -769,6 +768,52 @@ Cards.helpers({ return this.archived; } }, + + setRequestedBy(requestedBy) { + if (this.isLinkedCard()) { + return Cards.update( + { _id: this.linkedId }, + {$set: {requestedBy}} + ); + } else { + return Cards.update( + {_id: this._id}, + {$set: {requestedBy}} + ); + } + }, + + getRequestedBy() { + if (this.isLinkedCard()) { + const card = Cards.findOne({ _id: this.linkedId }); + return card.requestedBy; + } else { + return this.requestedBy; + } + }, + + setAssignedBy(assignedBy) { + if (this.isLinkedCard()) { + return Cards.update( + { _id: this.linkedId }, + {$set: {assignedBy}} + ); + } else { + return Cards.update( + {_id: this._id}, + {$set: {assignedBy}} + ); + } + }, + + getAssignedBy() { + if (this.isLinkedCard()) { + const card = Cards.findOne({ _id: this.linkedId }); + return card.assignedBy; + } else { + return this.assignedBy; + } + }, }); Cards.mutations({ -- cgit v1.2.3-1-g7c22 From be00465e67931f2a5655ed47f6e075ed1c589f54 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Wed, 15 Aug 2018 22:17:52 +0200 Subject: Fix hiddenSystemMessages --- client/components/activities/activities.js | 16 ++++++++++++---- client/components/cards/cardDetails.jade | 7 ++++++- server/publications/boards.js | 2 -- 3 files changed, 18 insertions(+), 7 deletions(-) diff --git a/client/components/activities/activities.js b/client/components/activities/activities.js index 95699961..25e151fd 100644 --- a/client/components/activities/activities.js +++ b/client/components/activities/activities.js @@ -8,16 +8,24 @@ BlazeComponent.extendComponent({ const sidebar = this.parentComponent(); // XXX for some reason not working sidebar.callFirstWith(null, 'resetNextPeak'); this.autorun(() => { - const mode = this.data().mode; + let mode = this.data().mode; const capitalizedMode = Utils.capitalize(mode); - const id = Session.get(`current${capitalizedMode}`); + let thisId, searchId; + if (mode === 'linkedcard' || mode === 'linkedboard') { + thisId = Session.get('currentCard'); + searchId = Cards.findOne({_id: thisId}).linkedId; + mode = mode.replace('linked', ''); + } else { + thisId = Session.get(`current${capitalizedMode}`); + searchId = thisId; + } const limit = this.page.get() * activitiesPerPage; const user = Meteor.user(); const hideSystem = user ? user.hasHiddenSystemMessages() : false; - if (id === null) + if (searchId === null) return; - this.subscribe('activities', mode, id, limit, hideSystem, () => { + this.subscribe('activities', mode, searchId, limit, hideSystem, () => { this.loadNextPageLocked = false; // If the sibear peak hasn't increased, that mean that there are no more diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index ac7218d4..ad2044e8 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -182,7 +182,12 @@ template(name="cardDetails") if currentUser.isBoardMember +commentForm if isLoaded.get - +activities(card=this mode="card") + if isLinkedCard + +activities(card=this mode="linkedcard") + else if isLinkedBoard + +activities(card=this mode="linkedboard") + else + +activities(card=this mode="card") template(name="editCardTitleForm") textarea.js-edit-card-title(rows='1' autofocus) diff --git a/server/publications/boards.js b/server/publications/boards.js index b68f7360..fb4c8c84 100644 --- a/server/publications/boards.js +++ b/server/publications/boards.js @@ -103,14 +103,12 @@ Meteor.publishRelations('board', function(boardId) { const impCardId = card.linkedId; this.cursor(Cards.find({ _id: impCardId })); this.cursor(CardComments.find({ cardId: impCardId })); - this.cursor(Activities.find({ cardId: impCardId })); this.cursor(Attachments.find({ cardId: impCardId })); this.cursor(Checklists.find({ cardId: impCardId })); this.cursor(ChecklistItems.find({ cardId: impCardId })); } else if (card.type === 'cardType-linkedBoard') { this.cursor(Boards.find({ _id: card.linkedId})); } - this.cursor(Activities.find({ cardId })); this.cursor(CardComments.find({ cardId })); this.cursor(Attachments.find({ cardId })); this.cursor(Checklists.find({ cardId })); -- cgit v1.2.3-1-g7c22 From 807c6ce09e4b5d49049d343d73bbca24fa84d527 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 15 Aug 2018 23:41:01 +0300 Subject: - Content Policy: Allow inline scripts, otherwise there is errors in browser/inspect/console. - Set default matomo settings to disabled. Thanks to xet7 ! --- Dockerfile | 4 ++-- docker-compose.yml | 17 +++++++++++------ sandstorm-pkgdef.capnp | 4 ++-- server/policy.js | 3 ++- snap-src/bin/config | 2 +- 5 files changed, 18 insertions(+), 12 deletions(-) diff --git a/Dockerfile b/Dockerfile index 77cd648e..94528ec9 100644 --- a/Dockerfile +++ b/Dockerfile @@ -33,8 +33,8 @@ ENV BUILD_DEPS="apt-utils gnupg gosu wget curl bzip2 build-essential python git WITH_API=true \ MATOMO_ADDRESS="" \ MATOMO_SITE_ID="" \ - MATOMO_DO_NOT_TRACK=false \ - MATOMO_WITH_USERNAME=true \ + MATOMO_DO_NOT_TRACK=true \ + MATOMO_WITH_USERNAME=false \ BROWSER_POLICY_ENABLED=true \ TRUSTED_URL="" diff --git a/docker-compose.yml b/docker-compose.yml index ee87227b..54866996 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -33,6 +33,7 @@ services: - METEOR_EDGE=${METEOR_EDGE} - USE_EDGE=${USE_EDGE} ports: + # Docker outsideport:insideport - 80:8080 environment: - MONGO_URL=mongodb://wekandb:27017/wekan @@ -41,14 +42,18 @@ services: # If you disable Wekan API with 'false', Export Board does not work. - WITH_API=true # Optional: Integration with Matomo https://matomo.org that is installed to your server - # The address of the server where Matomo is hosted: - # - MATOMO_ADDRESS=https://example.com/matomo + # The address of the server where Matomo is hosted. + # example: - MATOMO_ADDRESS=https://example.com/matomo + - MATOMO_ADDRESS='' # The value of the site ID given in Matomo server for Wekan - # - MATOMO_SITE_ID=123456789 - # The option do not track which enables users to not be tracked by matomo" - # - MATOMO_DO_NOT_TRACK=false + # example: - MATOMO_SITE_ID=12345 + - MATOMO_SITE_ID='' + # The option do not track which enables users to not be tracked by matomo + # example: - MATOMO_DO_NOT_TRACK=false + - MATOMO_DO_NOT_TRACK=true # The option that allows matomo to retrieve the username: - # - MATOMO_WITH_USERNAME=true + # example: MATOMO_WITH_USERNAME=true + - MATOMO_WITH_USERNAME=false # Enable browser policy and allow one trusted URL that can have iframe that has Wekan embedded inside. # Setting this to false is not recommended, it also disables all other browser policy protections # and allows all iframing etc. See wekan/server/policy.js diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 24107a1c..20153f4e 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -240,8 +240,8 @@ const myCommand :Spk.Manifest.Command = ( (key = "WITH_API", value = "true"), (key = "MATOMO_ADDRESS", value=""), (key = "MATOMO_SITE_ID", value=""), - (key = "MATOMO_DO_NOT_TRACK", value="false"), - (key = "MATOMO_WITH_USERNAME", value="true"), + (key = "MATOMO_DO_NOT_TRACK", value="true"), + (key = "MATOMO_WITH_USERNAME", value="false"), (key = "BROWSER_POLICY_ENABLED", value="true"), (key = "TRUSTED_URL", value=""), (key = "SANDSTORM", value = "1"), diff --git a/server/policy.js b/server/policy.js index 344e42e2..94f80b21 100644 --- a/server/policy.js +++ b/server/policy.js @@ -6,7 +6,8 @@ Meteor.startup(() => { // Trusted URL that can embed Wekan in iFrame. const trusted = process.env.TRUSTED_URL; BrowserPolicy.framing.disallow(); - BrowserPolicy.content.disallowInlineScripts(); + //Allow inline scripts, otherwise there is errors in browser/inspect/console + //BrowserPolicy.content.disallowInlineScripts(); BrowserPolicy.content.disallowEval(); BrowserPolicy.content.allowInlineStyles(); BrowserPolicy.content.allowFontDataUrl(); diff --git a/snap-src/bin/config b/snap-src/bin/config index 2c50c074..5a745184 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -61,7 +61,7 @@ DEFAULT_MATOMO_SITE_ID="" KEY_MATOMO_SITE_ID="matomo-site-id" DESCRIPTION_MATOMO_DO_NOT_TRACK="The option do not track which enables users to not be tracked by matomo" -DEFAULT_MATOMO_DO_NOT_TRACK="false" +DEFAULT_MATOMO_DO_NOT_TRACK="true" KEY_MATOMO_DO_NOT_TRACK="matomo-do-not-track" DESCRIPTION_MATOMO_WITH_USERNAME="The option that allows matomo to retrieve the username" -- cgit v1.2.3-1-g7c22 From 36447ba1c0bf961b3f7a5cde0a82c240489c80e9 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 15 Aug 2018 23:52:32 +0300 Subject: - Content Policy: Allow inline scripts, otherwise there is errors in browser - Set default matomo settings to disabled - Fix hidden system [messages](https://github.com/wekan/wekan/issues/1830) - Fix Requested By and Assigned By fields. Thanks to andresmanelli and xet7 ! Closes #1830 --- CHANGELOG.md | 13 +++++++++++++ 1 file changed, 13 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 7a4db498..874bcbcb 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,16 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- [Content Policy: Allow inline scripts, otherwise there is errors in browser/inspect/console](807c6ce09e4b5d49049d343d73bbca24fa84d527); +- [Set default matomo settings to disabled](https://github.com/wekan/wekan/commit/807c6ce09e4b5d49049d343d73bbca24fa84d527); +- Fix [hidden](https://github.com/wekan/wekan/commit/be00465e67931f2a5655ed47f6e075ed1c589f54) + [system](https://github.com/wekan/wekan/commit/9fc3de8502919f9aeb18c9f8ea3b0678b66ce176) [messages](https://github.com/wekan/wekan/issues/1830); +- Fix [Requested By](https://github.com/wekan/wekan/commit/e55d7e4f72a4b425c4aca5ba04a7be1fc642649b) and + [Assigned By](https://github.com/wekan/wekan/commit/5c33a8534186920be642be8e2ac17743a54f16db) [fields](https://github.com/wekan/wekan/issues/1830). + +Thanks to GitHub users andresmanelli and xet7 for their contributions. + # v1.31 2018-08-14 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 6828ccd7f17d14f178e6742d78bdd14428ec6e07 Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Thu, 16 Aug 2018 00:32:31 +0200 Subject: Main flow implemented --- client/components/rules/rulesMain.js | 2 ++ client/components/rules/triggers/boardTriggers.js | 2 +- models/actions.js | 8 ----- models/activities.js | 10 +++--- models/lists.js | 2 +- models/rules.js | 5 +++ models/triggers.js | 6 ++++ server/rulesHelper.js | 41 +++++++++++++++++++++++ server/triggersDef.js | 39 +++++++++++++++++++++ 9 files changed, 100 insertions(+), 15 deletions(-) create mode 100644 server/rulesHelper.js create mode 100644 server/triggersDef.js diff --git a/client/components/rules/rulesMain.js b/client/components/rules/rulesMain.js index c7e10512..5a4b612a 100644 --- a/client/components/rules/rulesMain.js +++ b/client/components/rules/rulesMain.js @@ -29,6 +29,8 @@ BlazeComponent.extendComponent({ return [{'click .js-delete-rule'(event) { const rule = this.currentData(); Rules.remove(rule._id); + Actions.remove(rule.actionId); + Triggers.remove(rule.triggerId); }, 'click .js-goto-trigger'(event) { diff --git a/client/components/rules/triggers/boardTriggers.js b/client/components/rules/triggers/boardTriggers.js index 4c8594d3..08274777 100644 --- a/client/components/rules/triggers/boardTriggers.js +++ b/client/components/rules/triggers/boardTriggers.js @@ -11,7 +11,7 @@ BlazeComponent.extendComponent({ const actionSelected = this.find('#action').value; const boardId = Session.get('currentBoard') if(actionSelected == "created"){ - Triggers.insert({activityType: "createCard","boardId":boardId},function(error,id){ + Triggers.insert({activityType: "createCard","boardId":boardId,"listId":"*"},function(error,id){ datas.triggerIdVar.set(id); }); } diff --git a/models/actions.js b/models/actions.js index 0961abbb..93d45928 100644 --- a/models/actions.js +++ b/models/actions.js @@ -43,14 +43,6 @@ Actions.helpers({ -if (Meteor.isServer) { - Meteor.startup(() => { - const rules = Triggers.findOne({}); - if(!rules){ - Actions.insert({actionType: "moveCardToTop"}); - } - }); -} diff --git a/models/activities.js b/models/activities.js index beb741bc..fe24c9c4 100644 --- a/models/activities.js +++ b/models/activities.js @@ -60,13 +60,13 @@ Activities.before.insert((userId, doc) => { Activities.after.insert((userId, doc) => { const activity = Activities._transform(doc); - const matchedTriggers = Triggers.find(activity); - if(matchedTriggers.count() > 0){ - const card = activity.card(); - Cards.direct.update({_id: card._id},{$set: {title: "ciaooo"}}); - } + RulesHelper.executeRules(activity); + }); + + + if (Meteor.isServer) { // For efficiency create indexes on the date of creation, and on the date of // creation in conjunction with the card or board id, as corresponding views diff --git a/models/lists.js b/models/lists.js index 6f6996cb..ceda9ad1 100644 --- a/models/lists.js +++ b/models/lists.js @@ -82,7 +82,7 @@ Lists.helpers({ }; if (swimlaneId) selector.swimlaneId = swimlaneId; - return Cards.find(Filter.mongoSelector(selector), + return Cards.find(selector, { sort: ['sort'] }); }, diff --git a/models/rules.js b/models/rules.js index 778622c4..271e6b52 100644 --- a/models/rules.js +++ b/models/rules.js @@ -21,6 +21,11 @@ Rules.mutations({ }, }); +Rules.helpers({ + getAction(){ + return Actions.findOne({_id:this.actionId}); + }, +}); diff --git a/models/triggers.js b/models/triggers.js index 660d8b94..e4e5ac46 100644 --- a/models/triggers.js +++ b/models/triggers.js @@ -21,6 +21,12 @@ Triggers.allow({ Triggers.helpers({ + + + getRule(){ + return Rules.findOne({triggerId:this._id}); + }, + fromList() { return Lists.findOne(this.fromId); }, diff --git a/server/rulesHelper.js b/server/rulesHelper.js new file mode 100644 index 00000000..4af6c08c --- /dev/null +++ b/server/rulesHelper.js @@ -0,0 +1,41 @@ +RulesHelper = { + + + executeRules(activity){ + const matchingRules = this.findMatchingRules(activity); + for(let i = 0;i< matchingRules.length;i++){ + const actionType = matchingRules[i].getAction().actionType; + this.performAction(activity,actionType); + } + }, + + performAction(activity,actionType){ + if(actionType == "moveCardToTop"){ + const card = Cards.findOne({_id:activity.cardId}); + const minOrder = _.min(card.list().cards(card.swimlaneId).map((c) => c.sort)); + card.move(card.swimlaneId, card.listId, minOrder - 1); + } + }, + findMatchingRules(activity){ + const activityType = activity.activityType; + const matchingFields = TriggersDef[activityType].matchingFields; + const matchingMap = this.buildMatchingFieldsMap(activity,matchingFields); + let matchingTriggers = Triggers.find(matchingMap); + let matchingRules = []; + matchingTriggers.forEach(function(trigger){ + matchingRules.push(trigger.getRule()); + }); + return matchingRules; + }, + buildMatchingFieldsMap(activity, matchingFields){ + let matchingMap = {}; + for(let i = 0;i< matchingFields.length;i++){ + // Creating a matching map with the actual field of the activity + // and with the wildcard (for example: trigger when a card is added + // in any [*] board + matchingMap[matchingFields[i]] = { $in: [activity[matchingFields[i]],"*"]}; + } + return matchingMap; + } + +} \ No newline at end of file diff --git a/server/triggersDef.js b/server/triggersDef.js new file mode 100644 index 00000000..5625122e --- /dev/null +++ b/server/triggersDef.js @@ -0,0 +1,39 @@ +TriggersDef = { + createCard:{ + matchingFields: ["boardId","listId"] + }, + moveCard:{ + matchingFields: ["boardId","listId","oldListId"] + }, + archivedCard:{ + matchingFields: ["boardId"] + } +} + + + // if(activityType == "createCard"){ + + // } + // if(activityType == "moveCard"){ + + // } + // if(activityType == "archivedCard"){ + + // } + // if(activityType == "restoredCard"){ + + // } + // if(activityType == "joinMember"){ + + // } + // if(activityType == "unJoinMember"){ + + // } + // if(activityType == "addChecklist"){ + + // } + // if(activityType == "addChecklistItem"){ + + // } + + -- cgit v1.2.3-1-g7c22 From 99e7c659072943b80b08564465ee8cb5c90d3905 Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Thu, 16 Aug 2018 00:42:14 +0200 Subject: Fixed remove --- models/triggers.js | 4 ++++ server/rulesHelper.js | 2 ++ 2 files changed, 6 insertions(+) diff --git a/models/triggers.js b/models/triggers.js index e4e5ac46..083c860e 100644 --- a/models/triggers.js +++ b/models/triggers.js @@ -16,6 +16,10 @@ Triggers.allow({ insert: function () { // add custom authentication code here return true; + }, + remove: function () { + // add custom authentication code here + return true; } }); diff --git a/server/rulesHelper.js b/server/rulesHelper.js index 4af6c08c..1ce8db5e 100644 --- a/server/rulesHelper.js +++ b/server/rulesHelper.js @@ -3,7 +3,9 @@ RulesHelper = { executeRules(activity){ const matchingRules = this.findMatchingRules(activity); + console.log(matchingRules); for(let i = 0;i< matchingRules.length;i++){ + console.log(matchingRules[i]); const actionType = matchingRules[i].getAction().actionType; this.performAction(activity,actionType); } -- cgit v1.2.3-1-g7c22 From b3005f828dbf69bdf174d4bcd7654310fa9e0968 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 16 Aug 2018 14:29:38 +0300 Subject: - Use only framing policy, not all of content policy. - Fix Date and Time Formats are only US in every language. Thanks to xet7 ! Closes #1833 --- .meteor/packages | 6 +++--- .meteor/versions | 2 -- server/policy.js | 16 ++++++++-------- 3 files changed, 11 insertions(+), 13 deletions(-) diff --git a/.meteor/packages b/.meteor/packages index e76e15fb..13f1384a 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -49,7 +49,6 @@ kadira:dochead meteorhacks:picker meteorhacks:subs-manager mquandalle:autofocus -mquandalle:moment ongoworks:speakingurl raix:handlebar-helpers tap:i18n @@ -81,8 +80,9 @@ staringatlights:fast-render mixmax:smart-disconnect accounts-password@1.5.0 cfs:gridfs -browser-policy eluck:accounts-lockout rzymek:fullcalendar momentjs:moment@2.22.2 -atoy40:accounts-cas \ No newline at end of file +atoy40:accounts-cas +browser-policy-framing +mquandalle:moment diff --git a/.meteor/versions b/.meteor/versions index 9de09a74..f3470d97 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -19,9 +19,7 @@ binary-heap@1.0.10 blaze@2.3.2 blaze-tools@1.0.10 boilerplate-generator@1.3.1 -browser-policy@1.1.0 browser-policy-common@1.0.11 -browser-policy-content@1.1.0 browser-policy-framing@1.1.0 caching-compiler@1.1.9 caching-html-compiler@1.1.2 diff --git a/server/policy.js b/server/policy.js index 94f80b21..02a42cd4 100644 --- a/server/policy.js +++ b/server/policy.js @@ -8,27 +8,27 @@ Meteor.startup(() => { BrowserPolicy.framing.disallow(); //Allow inline scripts, otherwise there is errors in browser/inspect/console //BrowserPolicy.content.disallowInlineScripts(); - BrowserPolicy.content.disallowEval(); - BrowserPolicy.content.allowInlineStyles(); - BrowserPolicy.content.allowFontDataUrl(); + //BrowserPolicy.content.disallowEval(); + //BrowserPolicy.content.allowInlineStyles(); + //BrowserPolicy.content.allowFontDataUrl(); BrowserPolicy.framing.restrictToOrigin(trusted); - BrowserPolicy.content.allowScriptOrigin(trusted); + //BrowserPolicy.content.allowScriptOrigin(trusted); } else { // Disable browser policy and allow all framing and including. // Use only at internal LAN, not at Internet. BrowserPolicy.framing.allowAll(); - BrowserPolicy.content.allowDataUrlForAll(); + //BrowserPolicy.content.allowDataUrlForAll(); } // Allow all images from anywhere - BrowserPolicy.content.allowImageOrigin('*'); + //BrowserPolicy.content.allowImageOrigin('*'); // If Matomo URL is set, allow it. const matomoUrl = process.env.MATOMO_ADDRESS; if (matomoUrl){ - BrowserPolicy.content.allowScriptOrigin(matomoUrl); - BrowserPolicy.content.allowImageOrigin(matomoUrl); + //BrowserPolicy.content.allowScriptOrigin(matomoUrl); + //BrowserPolicy.content.allowImageOrigin(matomoUrl); } }); -- cgit v1.2.3-1-g7c22 From 62dd28d91c0a71c083ee94cfa41fbfbd75a97112 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 16 Aug 2018 14:34:01 +0300 Subject: - Use only framing policy, not all of content policy. - Fix Date and Time Formats are only US in every language. Thanks to xet7 ! Closes #1833 --- CHANGELOG.md | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 874bcbcb..a96a5b38 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,12 +2,14 @@ This release fixes the following bugs: -- [Content Policy: Allow inline scripts, otherwise there is errors in browser/inspect/console](807c6ce09e4b5d49049d343d73bbca24fa84d527); +- [Content Policy: Allow inline scripts, otherwise there is errors in browser/inspect/console](https://github.com/wekan/wekan/commit/807c6ce09e4b5d49049d343d73bbca24fa84d527); +- [Use only framing policy, not all of content policy](https://github.com/wekan/wekan/commit/b3005f828dbf69bdf174d4bcd7654310fa9e0968); - [Set default matomo settings to disabled](https://github.com/wekan/wekan/commit/807c6ce09e4b5d49049d343d73bbca24fa84d527); - Fix [hidden](https://github.com/wekan/wekan/commit/be00465e67931f2a5655ed47f6e075ed1c589f54) [system](https://github.com/wekan/wekan/commit/9fc3de8502919f9aeb18c9f8ea3b0678b66ce176) [messages](https://github.com/wekan/wekan/issues/1830); - Fix [Requested By](https://github.com/wekan/wekan/commit/e55d7e4f72a4b425c4aca5ba04a7be1fc642649b) and - [Assigned By](https://github.com/wekan/wekan/commit/5c33a8534186920be642be8e2ac17743a54f16db) [fields](https://github.com/wekan/wekan/issues/1830). + [Assigned By](https://github.com/wekan/wekan/commit/5c33a8534186920be642be8e2ac17743a54f16db) [fields](https://github.com/wekan/wekan/issues/1830); +- [Fix Date and Time Formats are only US in every language](https://github.com/wekan/wekan/commit/b3005f828dbf69bdf174d4bcd7654310fa9e0968). Thanks to GitHub users andresmanelli and xet7 for their contributions. -- cgit v1.2.3-1-g7c22 From 406442904743bdc19d3a54c425c63afd90768736 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 16 Aug 2018 14:39:19 +0300 Subject: v1.32 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index a96a5b38..cbbfa8e7 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.32 2018-08-16 Wekan release This release fixes the following bugs: diff --git a/package.json b/package.json index 9f1a1d65..36c4b3f4 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.31.0", + "version": "1.32.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 20153f4e..4927baaf 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 116, + appVersion = 117, # Increment this for every release. - appMarketingVersion = (defaultText = "1.31.0~2018-08-14"), + appMarketingVersion = (defaultText = "1.32.0~2018-08-16"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 9c6d374b950e8c4bd0c1c905cf36c953581a3156 Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Thu, 16 Aug 2018 16:54:29 +0200 Subject: Labels activities --- RASD.txt | 4 +- client/components/activities/activities.jade | 7 ++ client/components/activities/activities.js | 13 +++ client/components/boards/boardHeader.js | 2 +- client/components/main/layouts.jade | 17 +++- client/components/main/layouts.styl | 17 ++++ client/components/rules/rules.styl | 3 - client/components/rules/rulesTriggers.jade | 2 +- .../components/rules/triggers/boardTriggers.jade | 36 +++++-- client/components/rules/triggers/boardTriggers.js | 66 ++++++++++++- client/components/rules/triggers/cardTriggers.jade | 75 ++++++++++++++- client/components/rules/triggers/cardTriggers.js | 105 +++++++++++++++++++++ .../rules/triggers/checklistTriggers.jade | 81 +++++++++++++++- client/lib/modal.js | 14 ++- i18n/en.i18n.json | 4 +- models/boards.js | 4 + models/cards.js | 41 ++++++++ server/rulesHelper.js | 3 + server/triggersDef.js | 44 ++++----- 19 files changed, 479 insertions(+), 59 deletions(-) create mode 100644 client/components/rules/triggers/cardTriggers.js diff --git a/RASD.txt b/RASD.txt index fc1b4190..e14a2cdc 100644 --- a/RASD.txt +++ b/RASD.txt @@ -3,12 +3,12 @@ Rules Triggers Board: create card, card moved to, card moved from - Card: [label, attachement, person ] added/removed, name starts with + Card: [label, attachment, person ] added/removed, name starts with Checklists : checklist added/removed, check item checked/unchecked, checklist completed Actions Board: move card to list, move to top/bottom, archive/unarchive - Card: [label, attachement, person ] add/remove, set title/description + Card: [label, attachment, person ] add/remove, set title/description Checklists : checklist add/remove, check/uncheck item Mail: send email to diff --git a/client/components/activities/activities.jade b/client/components/activities/activities.jade index d3e3d5ba..735de57b 100644 --- a/client/components/activities/activities.jade +++ b/client/components/activities/activities.jade @@ -89,6 +89,13 @@ template(name="boardActivities") if($eq activityType 'restoredCard') | {{{_ 'activity-sent' cardLink boardLabel}}}. + if($eq activityType 'addedLabel') + | {{{_ 'activity-added-label' lastLabel cardLink}}}. + + if($eq activityType 'removedLabel') + | {{{_ 'activity-removed-label' lastLabel cardLink}}}. + + if($eq activityType 'unjoinMember') if($eq user._id member._id) | {{{_ 'activity-unjoined' cardLink}}}. diff --git a/client/components/activities/activities.js b/client/components/activities/activities.js index 95699961..93bbb469 100644 --- a/client/components/activities/activities.js +++ b/client/components/activities/activities.js @@ -58,6 +58,19 @@ BlazeComponent.extendComponent({ }, card.title)); }, + lastLabel(){ + const lastLabelId = this.currentData().labelId; + const lastLabel = Boards.findOne(Session.get('currentBoard')).getLabelById(lastLabelId); + console.log("LAST"); + console.log(lastLabel); + + if(lastLabel.name == undefined || lastLabel.name == ""){ + return lastLabel.color; + }else{ + return lastLabel.name; + } + }, + listLabel() { return this.currentData().list().title; }, diff --git a/client/components/boards/boardHeader.js b/client/components/boards/boardHeader.js index c4fc303f..89f686ab 100644 --- a/client/components/boards/boardHeader.js +++ b/client/components/boards/boardHeader.js @@ -109,7 +109,7 @@ BlazeComponent.extendComponent({ Sidebar.setView('search'); }, 'click .js-open-rules-view'() { - Modal.open('rulesMain'); + Modal.openWide('rulesMain'); }, 'click .js-multiselection-activate'() { const currentCard = Session.get('currentCard'); diff --git a/client/components/main/layouts.jade b/client/components/main/layouts.jade index 911f23f4..ff2d8d0a 100644 --- a/client/components/main/layouts.jade +++ b/client/components/main/layouts.jade @@ -35,11 +35,18 @@ template(name="defaultLayout") if (Modal.isOpen) #modal .overlay - .modal-content - a.modal-close-btn.js-close-modal - i.fa.fa-times-thin - +Template.dynamic(template=Modal.getHeaderName) - +Template.dynamic(template=Modal.getTemplateName) + if (Modal.isWide) + .modal-content-wide.modal-container + a.modal-close-btn.js-close-modal + i.fa.fa-times-thin + +Template.dynamic(template=Modal.getHeaderName) + +Template.dynamic(template=Modal.getTemplateName) + else + .modal-content.modal-container + a.modal-close-btn.js-close-modal + i.fa.fa-times-thin + +Template.dynamic(template=Modal.getHeaderName) + +Template.dynamic(template=Modal.getTemplateName) template(name="notFound") +message(label='page-not-found') diff --git a/client/components/main/layouts.styl b/client/components/main/layouts.styl index a79ff337..109dcf7b 100644 --- a/client/components/main/layouts.styl +++ b/client/components/main/layouts.styl @@ -61,6 +61,23 @@ body display: block float: right font-size: 24px + + .modal-content-wide + width: 800px + min-height: 160px + margin: 42px auto + padding: 12px + border-radius: 4px + background: darken(white, 13%) + z-index: 110 + + h2 + margin-bottom: 25px + + .modal-close-btn + display: block + float: right + font-size: 24px h1 font-size: 22px diff --git a/client/components/rules/rules.styl b/client/components/rules/rules.styl index 35fbabb2..c9684709 100644 --- a/client/components/rules/rules.styl +++ b/client/components/rules/rules.styl @@ -138,6 +138,3 @@ transform: translate(-50%,-50%) &:hover, &.is-active box-shadow: 0 0 0 2px darken(white, 60%) inset - - - diff --git a/client/components/rules/rulesTriggers.jade b/client/components/rules/rulesTriggers.jade index 5ee563e0..2848ad33 100644 --- a/client/components/rules/rulesTriggers.jade +++ b/client/components/rules/rulesTriggers.jade @@ -1,7 +1,7 @@ template(name="rulesTriggers") h2 i.fa.fa-cutlery - | Rule "#{data.ruleName}" - Add trigger + | Rule "#{data.ruleName.get}" - Add trigger .triggers-content .triggers-body .triggers-side-menu diff --git a/client/components/rules/triggers/boardTriggers.jade b/client/components/rules/triggers/boardTriggers.jade index 8b0b9489..375f50ba 100644 --- a/client/components/rules/triggers/boardTriggers.jade +++ b/client/components/rules/triggers/boardTriggers.jade @@ -4,7 +4,7 @@ template(name="boardTriggers") div.trigger-text | When a card is div.trigger-dropdown - select(id="action") + select(id="gen-action") option(value="created") Added to option(value="removed") Removed from div.trigger-text @@ -17,13 +17,29 @@ template(name="boardTriggers") div.trigger-text | When a card is div.trigger-dropdown - select - option Moved to + select(id="create-action") + option(value="created") Added to + option(value="removed") Removed from + div.trigger-text + | list + div.trigger-dropdown + input(id="create-list-name",type=text,placeholder="List Name") + div.trigger-button.js-add-create-trigger.js-goto-action + i.fa.fa-plus + + div.trigger-item + div.trigger-content + div.trigger-text + | When a card is + div.trigger-dropdown + select(id="move-action") + option(value="moved-to") Moved to + option(value="moved-from") Moved from div.trigger-text - | to list + | list div.trigger-dropdown - input(type=text,placeholder="List Name") - div.trigger-button.js-add-spec-trigger.js-goto-action + input(id="move-list-name",type=text,placeholder="List Name") + div.trigger-button.js-add-moved-trigger.js-goto-action i.fa.fa-plus div.trigger-item @@ -31,10 +47,10 @@ template(name="boardTriggers") div.trigger-text | When a card is div.trigger-dropdown - select - option Archived - option Unarchived - div.trigger-button.js-add-arc-trigger.js-goto-action + select(id="arch-action") + option(value="archived") Archived + option(value="unarchived") Unarchived + div.trigger-button.js-add-arch-trigger.js-goto-action i.fa.fa-plus diff --git a/client/components/rules/triggers/boardTriggers.js b/client/components/rules/triggers/boardTriggers.js index 08274777..6ec1ec4e 100644 --- a/client/components/rules/triggers/boardTriggers.js +++ b/client/components/rules/triggers/boardTriggers.js @@ -8,7 +8,7 @@ BlazeComponent.extendComponent({ {'click .js-add-gen-trigger'(event) { let datas = this.data(); - const actionSelected = this.find('#action').value; + const actionSelected = this.find('#gen-action').value; const boardId = Session.get('currentBoard') if(actionSelected == "created"){ Triggers.insert({activityType: "createCard","boardId":boardId,"listId":"*"},function(error,id){ @@ -20,8 +20,72 @@ BlazeComponent.extendComponent({ datas.triggerIdVar.set(id); }); } + }, + 'click .js-add-create-trigger'(event) { + let datas = this.data(); + const actionSelected = this.find('#create-action').value; + const listName = this.find('#create-list-name').value; + const boardId = Session.get('currentBoard') + const list = Lists.findOne({title:listName}); + let listId; + if(list == undefined){ + listId = "*" + }else{ + listId = list._id; + } + if(actionSelected == "created"){ + Triggers.insert({activityType: "createCard","boardId":boardId,"listId":listId},function(error,id){ + datas.triggerIdVar.set(id); + }); + } + if(actionSelected == "removed"){ + Triggers.insert({activityType: "removeCard","boardId":boardId,"listId":listId},function(error,id){ + datas.triggerIdVar.set(id); + }); + } }, + 'click .js-add-moved-trigger'(event) { + let datas = this.data(); + const actionSelected = this.find('#move-action').value; + const listName = this.find('#move-list-name').value; + const boardId = Session.get('currentBoard') + const list = Lists.findOne({title:listName}); + console.log(list); + let listId; + if(list == undefined){ + listId = "*" + }else{ + listId = list._id; + } + console.log(listId); + if(actionSelected == "moved-to"){ + Triggers.insert({activityType: "moveCard","boardId":boardId,"listId":listId,"oldListId":"*"},function(error,id){ + datas.triggerIdVar.set(id); + }); + } + if(actionSelected == "moved-from"){ + Triggers.insert({activityType: "moveCard","boardId":boardId,"listId":"*","oldListId":listId},function(error,id){ + datas.triggerIdVar.set(id); + }); + } + }, + 'click .js-add-arc-trigger'(event) { + let datas = this.data(); + const actionSelected = this.find('#arch-action').value; + const boardId = Session.get('currentBoard') + if(actionSelected == "archived"){ + Triggers.insert({activityType: "archivedCard","boardId":boardId},function(error,id){ + datas.triggerIdVar.set(id); + }); + } + if(actionSelected == "unarchived"){ + Triggers.insert({activityType: "restoredCard","boardId":boardId},function(error,id){ + datas.triggerIdVar.set(id); + }); + } + } + }]; }, diff --git a/client/components/rules/triggers/cardTriggers.jade b/client/components/rules/triggers/cardTriggers.jade index c1a42ab5..473ceb57 100644 --- a/client/components/rules/triggers/cardTriggers.jade +++ b/client/components/rules/triggers/cardTriggers.jade @@ -4,7 +4,76 @@ template(name="cardTriggers") div.trigger-text | When a label is div.trigger-dropdown - select - option Moved to - div.trigger-button + select(id="create-action") + option(value="created") Added to + option(value="removed") Removed from + div.trigger-text + | a card + div.trigger-button.js-add-gen-label-trigger.js-goto-action + i.fa.fa-plus + + div.trigger-item + div.trigger-content + div.trigger-text + | When the label + div.trigger-dropdown + select(id="label") + each labels + option + = name + div.trigger-text + | is + div.trigger-dropdown + select(id="create-action") + option(value="created") Added to + option(value="removed") Removed from + div.trigger-text + | a card + div.trigger-button.js-add-label-trigger.js-goto-action + i.fa.fa-plus + + div.trigger-item + div.trigger-content + div.trigger-text + | When a member is + div.trigger-dropdown + select(id="create-action") + option(value="created") Added to + option(value="removed") Removed from + div.trigger-text + | a card + div.trigger-button.js-add-gen.member-trigger.js-goto-action + i.fa.fa-plus + + + div.trigger-item + div.trigger-content + div.trigger-text + | When the member + div.trigger-dropdown + input(id="create-list-name",type=text,placeholder="name") + div.trigger-text + | is + div.trigger-dropdown + select(id="create-action") + option(value="created") Added to + option(value="removed") Removed from + div.trigger-text + | a card + div.trigger-button.js-add-member-trigger.js-goto-action + i.fa.fa-plus + + div.trigger-item + div.trigger-content + div.trigger-text + | When an attachment + div.trigger-text + | is + div.trigger-dropdown + select(id="create-action") + option(value="created") Added to + option(value="removed") Removed from + div.trigger-text + | a card + div.trigger-button.js-add-attachment-trigger.js-goto-action i.fa.fa-plus \ No newline at end of file diff --git a/client/components/rules/triggers/cardTriggers.js b/client/components/rules/triggers/cardTriggers.js new file mode 100644 index 00000000..2529641e --- /dev/null +++ b/client/components/rules/triggers/cardTriggers.js @@ -0,0 +1,105 @@ +BlazeComponent.extendComponent({ + onCreated() { + this.subscribe('allRules'); + }, + + labels(){ + const labels = Boards.findOne(Session.get('currentBoard')).labels; + console.log(labels); + for(let i = 0;i Modal.close(), () => Modal.isOpen(), - { noClickEscapeOn: '.modal-content' } + { noClickEscapeOn: '.modal-container' } ); diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 38d200e6..01a2da73 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -499,6 +499,8 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s" } diff --git a/models/boards.js b/models/boards.js index 76a8f704..c77c9de2 100644 --- a/models/boards.js +++ b/models/boards.js @@ -254,6 +254,10 @@ Boards.helpers({ return _.findWhere(this.labels, { name, color }); }, + getLabelById(labelId){ + return _.findWhere(this.labels, { _id: labelId }); + }, + labelIndex(labelId) { return _.pluck(this.labels, '_id').indexOf(labelId); }, diff --git a/models/cards.js b/models/cards.js index 618c191e..364f5a39 100644 --- a/models/cards.js +++ b/models/cards.js @@ -624,6 +624,41 @@ function cardMembers(userId, doc, fieldNames, modifier) { } } +function cardLabels(userId, doc, fieldNames, modifier) { + if (!_.contains(fieldNames, 'labelIds')) + return; + let labelId; + // Say hello to the new label + if (modifier.$addToSet && modifier.$addToSet.labelIds) { + labelId = modifier.$addToSet.labelIds; + if (!_.contains(doc.labelIds, labelId)) { + const act = { + userId, + labelId, + activityType: 'addedLabel', + boardId: doc.boardId, + cardId: doc._id, + } + Activities.insert(act); + } + } + + // Say goodbye to the label + if (modifier.$pull && modifier.$pull.labelIds) { + labelId = modifier.$pull.labelIds; + // Check that the former member is member of the card + if (_.contains(doc.labelIds, labelId)) { + Activities.insert({ + userId, + labelId, + activityType: 'removedLabel', + boardId: doc.boardId, + cardId: doc._id, + }); + } + } +} + function cardCreation(userId, doc) { Activities.insert({ userId, @@ -680,6 +715,12 @@ if (Meteor.isServer) { cardMembers(userId, doc, fieldNames, modifier); }); + // Add a new activity if we add or remove a label to the card + Cards.before.update((userId, doc, fieldNames, modifier) => { + cardLabels(userId, doc, fieldNames, modifier); + }); + + // Remove all activities associated with a card if we remove the card // Remove also card_comments / checklists / attachments Cards.after.remove((userId, doc) => { diff --git a/server/rulesHelper.js b/server/rulesHelper.js index 1ce8db5e..4c2a1ef1 100644 --- a/server/rulesHelper.js +++ b/server/rulesHelper.js @@ -20,6 +20,9 @@ RulesHelper = { }, findMatchingRules(activity){ const activityType = activity.activityType; + if(TriggersDef[activityType] == undefined){ + return []; + } const matchingFields = TriggersDef[activityType].matchingFields; const matchingMap = this.buildMatchingFieldsMap(activity,matchingFields); let matchingTriggers = Triggers.find(matchingMap); diff --git a/server/triggersDef.js b/server/triggersDef.js index 5625122e..89541147 100644 --- a/server/triggersDef.js +++ b/server/triggersDef.js @@ -1,39 +1,29 @@ TriggersDef = { createCard:{ - matchingFields: ["boardId","listId"] + matchingFields: ["boardId", "listId"] }, moveCard:{ - matchingFields: ["boardId","listId","oldListId"] + matchingFields: ["boardId", "listId", "oldListId"] }, archivedCard:{ matchingFields: ["boardId"] + }, + restoredCard:{ + matchingFields: ["boardId"] + }, + joinMember:{ + matchingFields: ["boardId","memberId"] + }, + unJoinMember:{ + matchingFields: ["boardId","memberId"] + }, + addChecklist:{ + matchingFields: ["boardId","checklistId"] + }, + addChecklistItem:{ + matchingFields: ["boardId","checklistItemId"] } } - // if(activityType == "createCard"){ - - // } - // if(activityType == "moveCard"){ - - // } - // if(activityType == "archivedCard"){ - - // } - // if(activityType == "restoredCard"){ - - // } - // if(activityType == "joinMember"){ - - // } - // if(activityType == "unJoinMember"){ - - // } - // if(activityType == "addChecklist"){ - - // } - // if(activityType == "addChecklistItem"){ - - // } - -- cgit v1.2.3-1-g7c22 From f7446ba9346d52431a9d37c8b4c856daf2c73621 Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Thu, 16 Aug 2018 17:18:55 +0200 Subject: Remove attachment activity --- client/components/activities/activities.jade | 5 +++++ i18n/en.i18n.json | 3 ++- models/attachments.js | 7 +++++++ server/triggersDef.js | 8 ++++++++ 4 files changed, 22 insertions(+), 1 deletion(-) diff --git a/client/components/activities/activities.jade b/client/components/activities/activities.jade index 735de57b..68d225f3 100644 --- a/client/components/activities/activities.jade +++ b/client/components/activities/activities.jade @@ -14,6 +14,9 @@ template(name="boardActivities") p.activity-desc +memberName(user=user) + if($eq activityType 'deleteAttachment') + | {{{_ 'activity-delete-attach' cardLink}}}. + if($eq activityType 'addAttachment') | {{{_ 'activity-attached' attachmentLink cardLink}}}. @@ -134,6 +137,8 @@ template(name="cardActivities") | {{{_ 'activity-attached' attachmentLink cardLabel}}}. if attachment.isImage img.attachment-image-preview(src=attachment.url) + if($eq activityType 'deleteAttachment') + | {{{_ 'activity-attached' attachmentLink cardLabel}}}. if($eq activityType 'addChecklist') | {{{_ 'activity-checklist-added' cardLabel}}}. .activity-checklist diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 01a2da73..b54787b9 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -501,6 +501,7 @@ "source-board": "Source board", "no-parent": "Don't show parent", "activity-added-label": "added label '%s' to %s", - "activity-removed-label": "removed label '%s' from %s" + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s" } diff --git a/models/attachments.js b/models/attachments.js index 91dd0dbc..d769de34 100644 --- a/models/attachments.js +++ b/models/attachments.js @@ -86,5 +86,12 @@ if (Meteor.isServer) { Activities.remove({ attachmentId: doc._id, }); + Activities.insert({ + userId, + type: 'card', + activityType: 'deleteAttachment', + boardId: doc.boardId, + cardId: doc.cardId, + }); }); } diff --git a/server/triggersDef.js b/server/triggersDef.js index 89541147..8a3dcb6f 100644 --- a/server/triggersDef.js +++ b/server/triggersDef.js @@ -22,7 +22,15 @@ TriggersDef = { }, addChecklistItem:{ matchingFields: ["boardId","checklistItemId"] + }, + addAttachment:{ + matchingFields: ["boardId","checklistId"] + }, + deleteAttachment:{ + matchingFields: ["boardId","checklistItemId"] } + + } -- cgit v1.2.3-1-g7c22 From 3c9aa65ca3481a363d1d7e03fccc467f9553c7da Mon Sep 17 00:00:00 2001 From: Omar Sy Date: Thu, 16 Aug 2018 19:10:47 +0200 Subject: Change of the default value of labelIds --- models/cards.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/models/cards.js b/models/cards.js index 1cb1e3d0..21a7f2ad 100644 --- a/models/cards.js +++ b/models/cards.js @@ -97,7 +97,7 @@ Cards.attachSchema(new SimpleSchema({ labelIds: { type: [String], optional: true, - defaultValue: '', + defaultValue: [], }, members: { type: [String], -- cgit v1.2.3-1-g7c22 From c60ae13b5ffc068c85ddad0cd5d7c09ef38f9dd6 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 16 Aug 2018 21:34:56 +0300 Subject: - Change default value of label ids. Thanks to omarsy ! --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index cbbfa8e7..33a952de 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- [Change default value of label ids](https://github.com/wekan/wekan/pull/1837). + +Thanks to GitHub user omarsy for contributions. + # v1.32 2018-08-16 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 6b4e6d0c63e06c15754216aae57ce6f4eb5c6a5b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 16 Aug 2018 22:12:37 +0300 Subject: v1.33 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 33a952de..d0cc802c 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.33 2018-08-16 Wekan release This release fixes the following bugs: diff --git a/package.json b/package.json index 36c4b3f4..c3fc8d67 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.32.0", + "version": "1.33.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 4927baaf..cc871287 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 117, + appVersion = 118, # Increment this for every release. - appMarketingVersion = (defaultText = "1.32.0~2018-08-16"), + appMarketingVersion = (defaultText = "1.33.0~2018-08-16"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From c9ca79aac8ff3e08ed26c8c828f8e314196839d5 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 16 Aug 2018 22:21:26 +0300 Subject: Update translations. --- i18n/fa.i18n.json | 42 +++++++++++++++++++++--------------------- 1 file changed, 21 insertions(+), 21 deletions(-) diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index 80139835..5a09e2dd 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -2,7 +2,7 @@ "accept": "پذیرش", "act-activity-notify": "[wekan] اطلاع فعالیت", "act-addAttachment": "پیوست __attachment__ به __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", + "act-addSubtask": "زیر وظیفه __checklist__ به __card__ اضافه شد", "act-addChecklist": "سیاهه __checklist__ به __card__ افزوده شد", "act-addChecklistItem": "__checklistItem__ به سیاهه __checklist__ در __card__ افزوده شد", "act-addComment": "درج نظر برای __card__: __comment__", @@ -11,10 +11,10 @@ "act-createCustomField": "فیلد __customField__ ایجاد شد", "act-createList": "__list__ به __board__ اضافه شد", "act-addBoardMember": "__member__ به __board__ اضافه شد", - "act-archivedBoard": "__board__ به سطل زباله ریخته شد", - "act-archivedCard": "__card__ به سطل زباله منتقل شد", - "act-archivedList": "__list__ به سطل زباله منتقل شد", - "act-archivedSwimlane": "__swimlane__ به سطل زباله منتقل شد", + "act-archivedBoard": "__board__ به بازیافتی ریخته شد", + "act-archivedCard": "__card__ به بازیافتی منتقل شد", + "act-archivedList": "__list__ به بازیافتی منتقل شد", + "act-archivedSwimlane": "__swimlane__ به بازیافتی منتقل شد", "act-importBoard": "__board__ وارد شده", "act-importCard": "__card__ وارد شده", "act-importList": "__list__ وارد شده", @@ -29,7 +29,7 @@ "activities": "فعالیت‌ها", "activity": "فعالیت", "activity-added": "%s به %s اضافه شد", - "activity-archived": "%s به سطل زباله منتقل شد", + "activity-archived": "%s به بازیافتی منتقل شد", "activity-attached": "%s به %s پیوست شد", "activity-created": "%s ایجاد شد", "activity-customfield-created": "%s فیلدشخصی ایجاد شد", @@ -42,7 +42,7 @@ "activity-removed": "%s از %s حذف شد", "activity-sent": "ارسال %s به %s", "activity-unjoined": "قطع اتصال %s", - "activity-subtask-added": "added subtask to %s", + "activity-subtask-added": "زیروظیفه به %s اضافه شد", "activity-checklist-added": "سیاهه به %s اضافه شد", "activity-checklist-item-added": "added checklist item to '%s' in %s", "add": "افزودن", @@ -50,7 +50,7 @@ "add-board": "افزودن برد", "add-card": "افزودن کارت", "add-swimlane": "Add Swimlane", - "add-subtask": "Add Subtask", + "add-subtask": "افزودن زیر وظیفه", "add-checklist": "افزودن چک لیست", "add-checklist-item": "افزودن مورد به سیاهه", "add-cover": "جلد کردن", @@ -69,7 +69,7 @@ "and-n-other-card_plural": "و __count__ کارت دیگر", "apply": "اعمال", "app-is-offline": "Wekan در حال بارگذاری است. لطفا صبر کنید. نوسازی صفحه، منجر به از دست رفتن داده‌ها می‌شود. اگر Wekan بارگذاری نشد، لطفا بررسی کنید که سرور Wekan متوقف نشده باشد.", - "archive": "ریختن به سطل زباله", + "archive": "انتقال به بازیافتی", "archive-all": "ریختن همه به سطل زباله", "archive-board": "ریختن تخته به سطل زباله", "archive-card": "ریختن کارت به سطل زباله", @@ -109,11 +109,11 @@ "bucket-example": "برای مثال چیزی شبیه \"لیست سبدها\"", "cancel": "انصراف", "card-archived": "این کارت به سطل زباله ریخته شده است", - "board-archived": "This board is moved to Recycle Bin.", + "board-archived": "این تخته به بازیافتی انتقال یافت.", "card-comments-title": "این کارت دارای %s نظر است.", "card-delete-notice": "حذف دائمی. تمامی موارد مرتبط با این کارت از بین خواهند رفت.", "card-delete-pop": "همه اقدامات از این پردازه (خوراک) حذف خواهد شد و امکان بازگرداندن کارت وجود نخواهد داشت.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "شما میتوانید این کارت را به سطل بازیافت انتقال دهید تا از تخته پاک و فعالیت ها حفظ شود", "card-due": "تا", "card-due-on": "تا", "card-spent": "زمان صرف شده", @@ -135,10 +135,10 @@ "cardMorePopup-title": "بیشتر", "cards": "کارت‌ها", "cards-count": "کارت‌ها", - "casSignIn": "Sign In with CAS", - "cardType-card": "Card", - "cardType-linkedCard": "Linked Card", - "cardType-linkedBoard": "Linked Board", + "casSignIn": "ورود با استفاده از CAS", + "cardType-card": "کارت", + "cardType-linkedCard": "کارت‌های مرتبط", + "cardType-linkedBoard": "تخته‌های مرتبط", "change": "تغییر", "change-avatar": "تغییر تصویر", "change-password": "تغییر کلمه عبور", @@ -149,7 +149,7 @@ "changePasswordPopup-title": "تغییر کلمه عبور", "changePermissionsPopup-title": "تغییر دسترسی‌ها", "changeSettingsPopup-title": "تغییر تنظیمات", - "subtasks": "Subtasks", + "subtasks": "زیر وظیفه", "checklists": "سیاهه‌ها", "click-to-star": "با کلیک کردن ستاره بدهید", "click-to-unstar": "با کلیک کردن ستاره را کم کنید", @@ -172,11 +172,11 @@ "comment-only": "فقط نظر", "comment-only-desc": "فقط می‌تواند روی کارت‌ها نظر دهد.", "computer": "رایانه", - "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-subtask-delete-dialog": "از حذف این زیر وظیفه اطمینان دارید؟", "confirm-checklist-delete-dialog": "مطمئنا چک لیست پاک شود؟", "copy-card-link-to-clipboard": "درج پیوند کارت در حافظه", - "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "linkCardPopup-title": "ارتباط دادن کارت", + "searchCardPopup-title": "جستجوی کارت", "copyCardPopup-title": "کپی کارت", "copyChecklistToManyCardsPopup-title": "کپی قالب کارت به کارت‌های متعدد", "copyChecklistToManyCardsPopup-instructions": "عنوان و توضیحات کارت مقصد در این قالب JSON", @@ -267,7 +267,7 @@ "headerBarCreateBoardPopup-title": "ایجاد تخته", "home": "خانه", "import": "وارد کردن", - "link": "Link", + "link": "ارتباط", "import-board": "وارد کردن تخته", "import-board-c": "وارد کردن تخته", "import-board-title-trello": "وارد کردن تخته از Trello", @@ -301,7 +301,7 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", "link-card": "ارجاع به این کارت", - "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards": "همه‌ کارت‌های این لیست را به بازیافتی انتقال بده", "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", "list-move-cards": "انتقال تمام کارت های این لیست", "list-select-cards": "انتخاب تمام کارت های این لیست", -- cgit v1.2.3-1-g7c22 From cc285afd5939dbc251ac0f5f64116d0dc17592bb Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Thu, 16 Aug 2018 21:49:56 +0200 Subject: Complete checklist activities --- client/components/activities/activities.jade | 18 +++++++ client/components/activities/activities.js | 6 +++ i18n/en.i18n.json | 6 +++ models/checklistItems.js | 76 ++++++++++++++++++++++++++++ models/checklists.js | 9 ++++ server/triggersDef.js | 9 ++++ 6 files changed, 124 insertions(+) diff --git a/client/components/activities/activities.jade b/client/components/activities/activities.jade index 68d225f3..fae1a51a 100644 --- a/client/components/activities/activities.jade +++ b/client/components/activities/activities.jade @@ -34,12 +34,30 @@ template(name="boardActivities") .activity-checklist(href="{{ card.absoluteUrl }}") +viewer = checklist.title + if($eq activityType 'removeChecklist') + | {{{_ 'activity-checklist-removed' cardLink}}} + + if($eq activityType 'checkedItem') + | {{{_ 'activity-checked-item' checkItem checklist.title cardLink}}} + + if($eq activityType 'uncheckedItem') + | {{{_ 'activity-unchecked-item' checkItem checklist.title cardLink}}} + + if($eq activityType 'checklistCompleted') + | {{{_ 'activity-checklist-completed' checklist.title cardLink}}} + + if($eq activityType 'checklistUncompleted') + | {{{_ 'activity-checklist-uncompleted' checklist.title cardLink}}} + + if($eq activityType 'addChecklistItem') | {{{_ 'activity-checklist-item-added' checklist.title cardLink}}}. .activity-checklist(href="{{ card.absoluteUrl }}") +viewer = checklistItem.title + if($eq activityType 'removedChecklistItem') + | {{{_ 'activity-checklist-item-removed' checklist.title cardLink}}} if($eq activityType 'archivedCard') | {{{_ 'activity-archived' cardLink}}}. diff --git a/client/components/activities/activities.js b/client/components/activities/activities.js index 93bbb469..11b39126 100644 --- a/client/components/activities/activities.js +++ b/client/components/activities/activities.js @@ -41,6 +41,12 @@ BlazeComponent.extendComponent({ this.loadNextPageLocked = true; } }, + + checkItem(){ + const checkItemId = this.currentData().checklistItemId; + const checkItem = ChecklistItems.findOne({_id:checkItemId}); + return checkItem.title; + }, boardLabel() { return TAPi18n.__('this-board'); diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index b54787b9..2b3e6c4d 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -43,8 +43,14 @@ "activity-sent": "sent %s to %s", "activity-unjoined": "unjoined %s", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Add", "add-attachment": "Add Attachment", "add-board": "Add Board", diff --git a/models/checklistItems.js b/models/checklistItems.js index e075eda2..1378e0f5 100644 --- a/models/checklistItems.js +++ b/models/checklistItems.js @@ -74,17 +74,93 @@ function itemCreation(userId, doc) { } function itemRemover(userId, doc) { + const card = Cards.findOne(doc.cardId); + const boardId = card.boardId; + Activities.insert({ + userId, + activityType: 'removedChecklistItem', + cardId: doc.cardId, + boardId, + checklistId: doc.checklistId, + checklistItemId: doc._id, + }); Activities.remove({ checklistItemId: doc._id, }); } +function publishCheckActivity(userId,doc){ + const card = Cards.findOne(doc.cardId); + const boardId = card.boardId; + let activityType; + if(doc.isFinished){ + activityType = "checkedItem"; + }else{ + activityType = "uncheckedItem"; + } + let act = { + userId, + activityType: activityType, + cardId: doc.cardId, + boardId, + checklistId: doc.checklistId, + checklistItemId: doc._id, + } + console.log(act); + Activities.insert(act); +} + +function publishChekListCompleted(userId,doc,fieldNames,modifier){ + const card = Cards.findOne(doc.cardId); + const boardId = card.boardId; + const checklistId = doc.checklistId; + const checkList = Checklists.findOne({_id:checklistId}); + if(checkList.isFinished()){ + let act = { + userId, + activityType: "checklistCompleted", + cardId: doc.cardId, + boardId, + checklistId: doc.checklistId, + } + Activities.insert(act); + } +} + +function publishChekListUncompleted(userId,doc,fieldNames,modifier){ + const card = Cards.findOne(doc.cardId); + const boardId = card.boardId; + const checklistId = doc.checklistId; + const checkList = Checklists.findOne({_id:checklistId}); + if(checkList.isFinished()){ + let act = { + userId, + activityType: "checklistUncompleted", + cardId: doc.cardId, + boardId, + checklistId: doc.checklistId, + } + Activities.insert(act); + } +} + // Activities if (Meteor.isServer) { Meteor.startup(() => { ChecklistItems._collection._ensureIndex({ checklistId: 1 }); }); + ChecklistItems.after.update((userId, doc, fieldNames, modifier) => { + publishCheckActivity(userId,doc); + publishChekListCompleted(userId,doc,fieldNames,modifier) + }); + + ChecklistItems.before.update((userId, doc, fieldNames, modifier) => { + publishChekListUncompleted(userId,doc,fieldNames,modifier) + }); + + + ChecklistItems.after.insert((userId, doc) => { itemCreation(userId, doc); }); diff --git a/models/checklists.js b/models/checklists.js index c58453ef..3f07c858 100644 --- a/models/checklists.js +++ b/models/checklists.js @@ -101,6 +101,15 @@ if (Meteor.isServer) { Activities.remove(activity._id); }); } + Activities.insert({ + userId, + activityType: 'removeChecklist', + cardId: doc.cardId, + boardId: Cards.findOne(doc.cardId).boardId, + checklistId: doc._id, + }); + + }); } diff --git a/server/triggersDef.js b/server/triggersDef.js index 8a3dcb6f..41136a78 100644 --- a/server/triggersDef.js +++ b/server/triggersDef.js @@ -20,9 +20,18 @@ TriggersDef = { addChecklist:{ matchingFields: ["boardId","checklistId"] }, + removeChecklist:{ + matchingFields: ["boardId","checklistId"] + }, addChecklistItem:{ matchingFields: ["boardId","checklistItemId"] }, + checkedItem:{ + matchingFields: ["boardId","checklistId"] + }, + uncheckedItem:{ + matchingFields: ["boardId","checklistItemId"] + }, addAttachment:{ matchingFields: ["boardId","checklistId"] }, -- cgit v1.2.3-1-g7c22 From fda4e954eb7202b4c1ed0d30812e3b9156dfd5c9 Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Thu, 16 Aug 2018 22:10:05 +0200 Subject: Completed activities log in card --- client/components/activities/activities.jade | 40 ++++++++++++++++++++-------- i18n/en.i18n.json | 9 ++++++- 2 files changed, 37 insertions(+), 12 deletions(-) diff --git a/client/components/activities/activities.jade b/client/components/activities/activities.jade index fae1a51a..f5ac2d0e 100644 --- a/client/components/activities/activities.jade +++ b/client/components/activities/activities.jade @@ -34,22 +34,20 @@ template(name="boardActivities") .activity-checklist(href="{{ card.absoluteUrl }}") +viewer = checklist.title - if($eq activityType 'removeChecklist') - | {{{_ 'activity-checklist-removed' cardLink}}} + if($eq activityType 'removedChecklist') + | {{{_ 'activity-checklist-removed' cardLink}}}. if($eq activityType 'checkedItem') - | {{{_ 'activity-checked-item' checkItem checklist.title cardLink}}} + | {{{_ 'activity-checked-item' checkItem checklist.title cardLink}}}. if($eq activityType 'uncheckedItem') - | {{{_ 'activity-unchecked-item' checkItem checklist.title cardLink}}} + | {{{_ 'activity-unchecked-item' checkItem checklist.title cardLink}}}. if($eq activityType 'checklistCompleted') - | {{{_ 'activity-checklist-completed' checklist.title cardLink}}} + | {{{_ 'activity-checklist-completed' checklist.title cardLink}}}. if($eq activityType 'checklistUncompleted') - | {{{_ 'activity-checklist-uncompleted' checklist.title cardLink}}} - - + | {{{_ 'activity-checklist-uncompleted' checklist.title cardLink}}}. if($eq activityType 'addChecklistItem') | {{{_ 'activity-checklist-item-added' checklist.title cardLink}}}. @@ -57,7 +55,7 @@ template(name="boardActivities") +viewer = checklistItem.title if($eq activityType 'removedChecklistItem') - | {{{_ 'activity-checklist-item-removed' checklist.title cardLink}}} + | {{{_ 'activity-checklist-item-removed' checklist.title cardLink}}}. if($eq activityType 'archivedCard') | {{{_ 'activity-archived' cardLink}}}. @@ -116,7 +114,6 @@ template(name="boardActivities") if($eq activityType 'removedLabel') | {{{_ 'activity-removed-label' lastLabel cardLink}}}. - if($eq activityType 'unjoinMember') if($eq user._id member._id) | {{{_ 'activity-unjoined' cardLink}}}. @@ -147,6 +144,25 @@ template(name="cardActivities") | {{{_ 'activity-removed' cardLabel memberLink}}}. if($eq activityType 'archivedCard') | {{_ 'activity-archived' cardLabel}}. + + if($eq activityType 'addedLabel') + | {{{_ 'activity-added-label-card' lastLabel }}}. + + if($eq activityType 'removedLabel') + | {{{_ 'activity-removed-label-card' lastLabel }}}. + + if($eq activityType 'checkedItem') + | {{{_ 'activity-checked-item-card' checkItem checklist.title }}}. + + if($eq activityType 'uncheckedItem') + | {{{_ 'activity-unchecked-item-card' checkItem checklist.title }}}. + + if($eq activityType 'checklistCompleted') + | {{{_ 'activity-checklist-completed-card' checklist.title }}}. + + if($eq activityType 'checklistUncompleted') + | {{{_ 'activity-checklist-uncompleted-card' checklist.title }}}. + if($eq activityType 'restoredCard') | {{_ 'activity-sent' cardLabel boardLabel}}. if($eq activityType 'moveCard') @@ -156,7 +172,9 @@ template(name="cardActivities") if attachment.isImage img.attachment-image-preview(src=attachment.url) if($eq activityType 'deleteAttachment') - | {{{_ 'activity-attached' attachmentLink cardLabel}}}. + | {{{_ 'activity-delete-attach' cardLabel}}}. + if($eq activityType 'removedChecklist') + | {{{_ 'activity-checklist-removed' cardLabel}}}. if($eq activityType 'addChecklist') | {{{_ 'activity-checklist-added' cardLabel}}}. .activity-checklist diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 2b3e6c4d..17cbb650 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -52,6 +52,10 @@ "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Add", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", "add-card": "Add Card", @@ -508,6 +512,9 @@ "no-parent": "Don't show parent", "activity-added-label": "added label '%s' to %s", "activity-removed-label": "removed label '%s' from %s", - "activity-delete-attach": "deleted an attachment from %s" + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment" } -- cgit v1.2.3-1-g7c22 From 2f24dcfc7d2f1b426e83459ed5328529a440955d Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Thu, 16 Aug 2018 23:37:29 +0200 Subject: Progress on triggers UI --- client/components/activities/activities.jade | 5 +- client/components/rules/rulesActions.jade | 2 +- client/components/rules/triggers/cardTriggers.jade | 32 ++++----- client/components/rules/triggers/cardTriggers.js | 83 +++++++++++----------- server/rulesHelper.js | 4 +- server/triggersDef.js | 27 +++++-- 6 files changed, 83 insertions(+), 70 deletions(-) diff --git a/client/components/activities/activities.jade b/client/components/activities/activities.jade index f5ac2d0e..bddc4dad 100644 --- a/client/components/activities/activities.jade +++ b/client/components/activities/activities.jade @@ -34,7 +34,7 @@ template(name="boardActivities") .activity-checklist(href="{{ card.absoluteUrl }}") +viewer = checklist.title - if($eq activityType 'removedChecklist') + if($eq activityType 'removeChecklist') | {{{_ 'activity-checklist-removed' cardLink}}}. if($eq activityType 'checkedItem') @@ -151,6 +151,9 @@ template(name="cardActivities") if($eq activityType 'removedLabel') | {{{_ 'activity-removed-label-card' lastLabel }}}. + if($eq activityType 'removeChecklist') + | {{{_ 'activity-checklist-removed' cardLabel}}}. + if($eq activityType 'checkedItem') | {{{_ 'activity-checked-item-card' checkItem checklist.title }}}. diff --git a/client/components/rules/rulesActions.jade b/client/components/rules/rulesActions.jade index 0e207495..35b070fc 100644 --- a/client/components/rules/rulesActions.jade +++ b/client/components/rules/rulesActions.jade @@ -1,7 +1,7 @@ template(name="rulesActions") h2 i.fa.fa-cutlery - | Rule "#{data.ruleName}" - Add action + | Rule "#{data.ruleName.get}" - Add action .triggers-content .triggers-body .triggers-side-menu diff --git a/client/components/rules/triggers/cardTriggers.jade b/client/components/rules/triggers/cardTriggers.jade index 473ceb57..9675324f 100644 --- a/client/components/rules/triggers/cardTriggers.jade +++ b/client/components/rules/triggers/cardTriggers.jade @@ -4,8 +4,8 @@ template(name="cardTriggers") div.trigger-text | When a label is div.trigger-dropdown - select(id="create-action") - option(value="created") Added to + select(id="label-action") + option(value="added") Added to option(value="removed") Removed from div.trigger-text | a card @@ -17,19 +17,19 @@ template(name="cardTriggers") div.trigger-text | When the label div.trigger-dropdown - select(id="label") + select(id="spec-label") each labels - option + option(value="#{_id}") = name div.trigger-text | is div.trigger-dropdown - select(id="create-action") - option(value="created") Added to + select(id="spec-label-action") + option(value="added") Added to option(value="removed") Removed from div.trigger-text | a card - div.trigger-button.js-add-label-trigger.js-goto-action + div.trigger-button.js-add-spec-label-trigger.js-goto-action i.fa.fa-plus div.trigger-item @@ -37,12 +37,12 @@ template(name="cardTriggers") div.trigger-text | When a member is div.trigger-dropdown - select(id="create-action") - option(value="created") Added to + select(id="gen-member-action") + option(value="added") Added to option(value="removed") Removed from div.trigger-text | a card - div.trigger-button.js-add-gen.member-trigger.js-goto-action + div.trigger-button.js-add-gen-member-trigger.js-goto-action i.fa.fa-plus @@ -51,16 +51,16 @@ template(name="cardTriggers") div.trigger-text | When the member div.trigger-dropdown - input(id="create-list-name",type=text,placeholder="name") + input(id="spec-member",type=text,placeholder="name") div.trigger-text | is div.trigger-dropdown - select(id="create-action") - option(value="created") Added to + select(id="spec-member-action") + option(value="added") Added to option(value="removed") Removed from div.trigger-text | a card - div.trigger-button.js-add-member-trigger.js-goto-action + div.trigger-button.js-add-spec-member-trigger.js-goto-action i.fa.fa-plus div.trigger-item @@ -70,8 +70,8 @@ template(name="cardTriggers") div.trigger-text | is div.trigger-dropdown - select(id="create-action") - option(value="created") Added to + select(id="attach-action") + option(value="added") Added to option(value="removed") Removed from div.trigger-text | a card diff --git a/client/components/rules/triggers/cardTriggers.js b/client/components/rules/triggers/cardTriggers.js index 2529641e..a9940e07 100644 --- a/client/components/rules/triggers/cardTriggers.js +++ b/client/components/rules/triggers/cardTriggers.js @@ -16,87 +16,86 @@ BlazeComponent.extendComponent({ }, events() { return [ - {'click .js-add-gen-trigger'(event) { + {'click .js-add-gen-label-trigger'(event) { let datas = this.data(); - const actionSelected = this.find('#gen-action').value; + const actionSelected = this.find('#label-action').value; const boardId = Session.get('currentBoard') - if(actionSelected == "created"){ - Triggers.insert({activityType: "createCard","boardId":boardId,"listId":"*"},function(error,id){ + if(actionSelected == "added"){ + Triggers.insert({activityType: "addedLabel","boardId":boardId,"labelId":"*"},function(error,id){ datas.triggerIdVar.set(id); }); } if(actionSelected == "removed"){ - Triggers.insert({activityType: "removeCard","boardId":boardId},function(error,id){ + Triggers.insert({activityType: "removedLabel","boardId":boardId,"labelId":"*"},function(error,id){ datas.triggerIdVar.set(id); }); } }, - 'click .js-add-create-trigger'(event) { - + 'click .js-add-spec-label-trigger'(event) { let datas = this.data(); - const actionSelected = this.find('#create-action').value; - const listName = this.find('#create-list-name').value; + const actionSelected = this.find('#spec-label-action').value; + const labelId = this.find('#spec-label').value; const boardId = Session.get('currentBoard') - const list = Lists.findOne({title:listName}); - let listId; - if(list == undefined){ - listId = "*" - }else{ - listId = list._id; - } - if(actionSelected == "created"){ - Triggers.insert({activityType: "createCard","boardId":boardId,"listId":listId},function(error,id){ + if(actionSelected == "added"){ + Triggers.insert({activityType: "addedLabel","boardId":boardId,"labelId":labelId},function(error,id){ datas.triggerIdVar.set(id); }); } if(actionSelected == "removed"){ - Triggers.insert({activityType: "removeCard","boardId":boardId,"listId":listId},function(error,id){ + Triggers.insert({activityType: "removedLabel","boardId":boardId,"labelId":labelId},function(error,id){ datas.triggerIdVar.set(id); }); } }, - 'click .js-add-moved-trigger'(event) { + 'click .js-add-gen-member-trigger'(event) { + let datas = this.data(); - const actionSelected = this.find('#move-action').value; - const listName = this.find('#move-list-name').value; + const actionSelected = this.find('#gen-member-action').value; const boardId = Session.get('currentBoard') - const list = Lists.findOne({title:listName}); - console.log(list); - let listId; - if(list == undefined){ - listId = "*" - }else{ - listId = list._id; - } - console.log(listId); - if(actionSelected == "moved-to"){ - Triggers.insert({activityType: "moveCard","boardId":boardId,"listId":listId,"oldListId":"*"},function(error,id){ + if(actionSelected == "added"){ + Triggers.insert({activityType: "joinMember","boardId":boardId,"memberId":"*"},function(error,id){ datas.triggerIdVar.set(id); }); } - if(actionSelected == "moved-from"){ - Triggers.insert({activityType: "moveCard","boardId":boardId,"listId":"*","oldListId":listId},function(error,id){ + if(actionSelected == "removed"){ + Triggers.insert({activityType: "unjoinMember","boardId":boardId,"memberId":"*"},function(error,id){ datas.triggerIdVar.set(id); }); } }, - 'click .js-add-arc-trigger'(event) { + 'click .js-add-spec-member-trigger'(event) { let datas = this.data(); - const actionSelected = this.find('#arch-action').value; + const actionSelected = this.find('#spec-member-action').value; + const memberId = this.find('#spec-member').value; const boardId = Session.get('currentBoard') - if(actionSelected == "archived"){ - Triggers.insert({activityType: "archivedCard","boardId":boardId},function(error,id){ + if(actionSelected == "added"){ + Triggers.insert({activityType: "joinMember","boardId":boardId,"memberId":memberId},function(error,id){ datas.triggerIdVar.set(id); }); } - if(actionSelected == "unarchived"){ - Triggers.insert({activityType: "restoredCard","boardId":boardId},function(error,id){ + if(actionSelected == "removed"){ + Triggers.insert({activityType: "unjoinMember","boardId":boardId,"memberId":memberId},function(error,id){ datas.triggerIdVar.set(id); }); } - } + }, + 'click .js-add-attachment-trigger'(event) { + let datas = this.data(); + const actionSelected = this.find('#attach-action').value; + const boardId = Session.get('currentBoard') + if(actionSelected == "added"){ + Triggers.insert({activityType: "addAttachment","boardId":boardId},function(error,id){ + datas.triggerIdVar.set(id); + }); + } + if(actionSelected == "removed"){ + Triggers.insert({activityType: "deleteAttachment","boardId":boardId},function(error,id){ + datas.triggerIdVar.set(id); + }); + } + }, }]; }, diff --git a/server/rulesHelper.js b/server/rulesHelper.js index 4c2a1ef1..1a00688e 100644 --- a/server/rulesHelper.js +++ b/server/rulesHelper.js @@ -1,6 +1,4 @@ RulesHelper = { - - executeRules(activity){ const matchingRules = this.findMatchingRules(activity); console.log(matchingRules); @@ -33,7 +31,7 @@ RulesHelper = { return matchingRules; }, buildMatchingFieldsMap(activity, matchingFields){ - let matchingMap = {}; + let matchingMap = {"activityType":activity.activityType}; for(let i = 0;i< matchingFields.length;i++){ // Creating a matching map with the actual field of the activity // and with the wildcard (for example: trigger when a card is added diff --git a/server/triggersDef.js b/server/triggersDef.js index 41136a78..fce7ff69 100644 --- a/server/triggersDef.js +++ b/server/triggersDef.js @@ -14,7 +14,7 @@ TriggersDef = { joinMember:{ matchingFields: ["boardId","memberId"] }, - unJoinMember:{ + unjoinMember:{ matchingFields: ["boardId","memberId"] }, addChecklist:{ @@ -23,23 +23,36 @@ TriggersDef = { removeChecklist:{ matchingFields: ["boardId","checklistId"] }, - addChecklistItem:{ + completeChecklist:{ + matchingFields: ["boardId","checklistId"] + }, + uncompleteChecklist:{ + matchingFields: ["boardId","checklistId"] + }, + addedChecklistItem:{ + matchingFields: ["boardId","checklistItemId"] + }, + removedChecklistItem:{ matchingFields: ["boardId","checklistItemId"] }, checkedItem:{ - matchingFields: ["boardId","checklistId"] + matchingFields: ["boardId","checklistItemId"] }, uncheckedItem:{ matchingFields: ["boardId","checklistItemId"] }, addAttachment:{ - matchingFields: ["boardId","checklistId"] + matchingFields: ["boardId"] }, deleteAttachment:{ - matchingFields: ["boardId","checklistItemId"] + matchingFields: ["boardId"] + }, + addedLabel:{ + matchingFields: ["boardId","labelId"] + }, + removedLabel:{ + matchingFields: ["boardId","labelId"] } - - } -- cgit v1.2.3-1-g7c22 From 3b62b5ec5dd34eec323c14d466fe07e34287e7b0 Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Fri, 17 Aug 2018 14:16:56 +0200 Subject: Fixed triggers to use names and not id --- client/components/rules/triggers/boardTriggers.js | 26 +---- .../rules/triggers/checklistTriggers.jade | 46 ++++----- .../components/rules/triggers/checklistTriggers.js | 108 +++++++++++++++++++++ models/cards.js | 4 + models/checklistItems.js | 5 + models/checklists.js | 2 + server/triggersDef.js | 20 ++-- 7 files changed, 157 insertions(+), 54 deletions(-) create mode 100644 client/components/rules/triggers/checklistTriggers.js diff --git a/client/components/rules/triggers/boardTriggers.js b/client/components/rules/triggers/boardTriggers.js index 6ec1ec4e..49c00c16 100644 --- a/client/components/rules/triggers/boardTriggers.js +++ b/client/components/rules/triggers/boardTriggers.js @@ -11,7 +11,7 @@ BlazeComponent.extendComponent({ const actionSelected = this.find('#gen-action').value; const boardId = Session.get('currentBoard') if(actionSelected == "created"){ - Triggers.insert({activityType: "createCard","boardId":boardId,"listId":"*"},function(error,id){ + Triggers.insert({activityType: "createCard","boardId":boardId,"listName":"*"},function(error,id){ datas.triggerIdVar.set(id); }); } @@ -27,20 +27,13 @@ BlazeComponent.extendComponent({ const actionSelected = this.find('#create-action').value; const listName = this.find('#create-list-name').value; const boardId = Session.get('currentBoard') - const list = Lists.findOne({title:listName}); - let listId; - if(list == undefined){ - listId = "*" - }else{ - listId = list._id; - } if(actionSelected == "created"){ - Triggers.insert({activityType: "createCard","boardId":boardId,"listId":listId},function(error,id){ + Triggers.insert({activityType: "createCard","boardId":boardId,"listName":listName},function(error,id){ datas.triggerIdVar.set(id); }); } if(actionSelected == "removed"){ - Triggers.insert({activityType: "removeCard","boardId":boardId,"listId":listId},function(error,id){ + Triggers.insert({activityType: "removeCard","boardId":boardId,"listName":listName},function(error,id){ datas.triggerIdVar.set(id); }); } @@ -50,22 +43,13 @@ BlazeComponent.extendComponent({ const actionSelected = this.find('#move-action').value; const listName = this.find('#move-list-name').value; const boardId = Session.get('currentBoard') - const list = Lists.findOne({title:listName}); - console.log(list); - let listId; - if(list == undefined){ - listId = "*" - }else{ - listId = list._id; - } - console.log(listId); if(actionSelected == "moved-to"){ - Triggers.insert({activityType: "moveCard","boardId":boardId,"listId":listId,"oldListId":"*"},function(error,id){ + Triggers.insert({activityType: "moveCard","boardId":boardId,"listName":listName,"oldListName":"*"},function(error,id){ datas.triggerIdVar.set(id); }); } if(actionSelected == "moved-from"){ - Triggers.insert({activityType: "moveCard","boardId":boardId,"listId":"*","oldListId":listId},function(error,id){ + Triggers.insert({activityType: "moveCard","boardId":boardId,"listName":"*","oldListName":listName},function(error,id){ datas.triggerIdVar.set(id); }); } diff --git a/client/components/rules/triggers/checklistTriggers.jade b/client/components/rules/triggers/checklistTriggers.jade index a34d89d0..e7d6d34e 100644 --- a/client/components/rules/triggers/checklistTriggers.jade +++ b/client/components/rules/triggers/checklistTriggers.jade @@ -4,12 +4,12 @@ template(name="checklistTriggers") div.trigger-text | When a checklist is div.trigger-dropdown - select(id="create-action") + select(id="gen-check-action") option(value="created") Added to option(value="removed") Removed from div.trigger-text | a card - div.trigger-button.js-add-gen.member-trigger.js-goto-action + div.trigger-button.js-add-gen-check-trigger.js-goto-action i.fa.fa-plus @@ -18,16 +18,16 @@ template(name="checklistTriggers") div.trigger-text | When the checklist div.trigger-dropdown - input(id="create-list-name",type=text,placeholder="Name") + input(id="check-name",type=text,placeholder="Name") div.trigger-text | is div.trigger-dropdown - select(id="create-action") + select(id="spec-check-action") option(value="created") Added to option(value="removed") Removed from div.trigger-text | a card - div.trigger-button.js-add-checklist-trigger.js-goto-action + div.trigger-button.js-add-spec-check-trigger.js-goto-action i.fa.fa-plus div.trigger-item @@ -35,10 +35,10 @@ template(name="checklistTriggers") div.trigger-text | When a checklist is div.trigger-dropdown - select(id="create-action") - option(value="created") Completed - option(value="removed") Made incomplete - div.trigger-button.js-add-gen.member-trigger.js-goto-action + select(id="gen-comp-check-action") + option(value="completed") Completed + option(value="uncompleted") Made incomplete + div.trigger-button.js-add-gen-comp-trigger.js-goto-action i.fa.fa-plus div.trigger-item @@ -46,14 +46,14 @@ template(name="checklistTriggers") div.trigger-text | When the checklist div.trigger-dropdown - input(id="create-list-name",type=text,placeholder="Name") + input(id="spec-comp-check-name",type=text,placeholder="Name") div.trigger-text | is div.trigger-dropdown - select(id="create-action") - option(value="created") Completed - option(value="removed") Made incomplete - div.trigger-button.js-add-checklist-trigger.js-goto-action + select(id="spec-comp-check-action") + option(value="completed") Completed + option(value="uncompleted") Made incomplete + div.trigger-button.js-add-spec-comp-trigger.js-goto-action i.fa.fa-plus div.trigger-item @@ -61,10 +61,10 @@ template(name="checklistTriggers") div.trigger-text | When a checklist item is div.trigger-dropdown - select(id="create-action") - option(value="created") Checked - option(value="removed") Unchecked - div.trigger-button.js-add-gen.member-trigger.js-goto-action + select(id="check-item-gen-action") + option(value="checked") Checked + option(value="unchecked") Unchecked + div.trigger-button.js-add-gen-check-item-trigger.js-goto-action i.fa.fa-plus div.trigger-item @@ -72,12 +72,12 @@ template(name="checklistTriggers") div.trigger-text | When the checklist item div.trigger-dropdown - input(id="create-list-name",type=text,placeholder="Name") + input(id="check-item-name",type=text,placeholder="Name") div.trigger-text | is div.trigger-dropdown - select(id="create-action") - option(value="created") Checked - option(value="removed") Unchecked - div.trigger-button.js-add-checklist-trigger.js-goto-action + select(id="check-item-spec-action") + option(value="checked") Checked + option(value="unchecked") Unchecked + div.trigger-button.js-add-spec-check-item-trigger.js-goto-action i.fa.fa-plus \ No newline at end of file diff --git a/client/components/rules/triggers/checklistTriggers.js b/client/components/rules/triggers/checklistTriggers.js new file mode 100644 index 00000000..9880e3bb --- /dev/null +++ b/client/components/rules/triggers/checklistTriggers.js @@ -0,0 +1,108 @@ +BlazeComponent.extendComponent({ + onCreated() { + this.subscribe('allRules'); + }, + events() { + return [ + {'click .js-add-gen-check-trigger'(event) { + + let datas = this.data(); + const actionSelected = this.find('#gen-check-action').value; + const boardId = Session.get('currentBoard') + if(actionSelected == "created"){ + Triggers.insert({activityType: "addChecklist","boardId":boardId,"checklistName":"*"},function(error,id){ + datas.triggerIdVar.set(id); + }); + } + if(actionSelected == "removed"){ + Triggers.insert({activityType: "removeChecklist","boardId":boardId,"checklistName":"*"},function(error,id){ + datas.triggerIdVar.set(id); + }); + } + }, + 'click .js-add-spec-check-trigger'(event) { + let datas = this.data(); + const actionSelected = this.find('#spec-check-action').value; + const checklistId = this.find('#check-name').value; + const boardId = Session.get('currentBoard') + if(actionSelected == "created"){ + Triggers.insert({activityType: "addChecklist","boardId":boardId,"checklistName":checklistId},function(error,id){ + datas.triggerIdVar.set(id); + }); + } + if(actionSelected == "removed"){ + Triggers.insert({activityType: "removeChecklist","boardId":boardId,"checklistName":checklistId},function(error,id){ + datas.triggerIdVar.set(id); + }); + } + }, + 'click .js-add-gen-comp-trigger'(event) { + + let datas = this.data(); + const actionSelected = this.find('#gen-comp-check-action').value; + const boardId = Session.get('currentBoard') + if(actionSelected == "completed"){ + Triggers.insert({activityType: "completeChecklist","boardId":boardId,"checklistName":"*"},function(error,id){ + datas.triggerIdVar.set(id); + }); + } + if(actionSelected == "uncompleted"){ + Triggers.insert({activityType: "uncompleteChecklist","boardId":boardId,"checklistName":"*"},function(error,id){ + datas.triggerIdVar.set(id); + }); + } + }, + 'click .js-add-spec-comp-trigger'(event) { + let datas = this.data(); + const actionSelected = this.find('#spec-comp-check-action').value; + const checklistId = this.find('#spec-comp-check-name').value; + const boardId = Session.get('currentBoard') + if(actionSelected == "added"){ + Triggers.insert({activityType: "joinMember","boardId":boardId,"checklistName":checklistId},function(error,id){ + datas.triggerIdVar.set(id); + }); + } + if(actionSelected == "removed"){ + Triggers.insert({activityType: "unjoinMember","boardId":boardId,"checklistName":checklistId},function(error,id){ + datas.triggerIdVar.set(id); + }); + } + }, + 'click .js-add-gen-check-item-trigger'(event) { + + let datas = this.data(); + const actionSelected = this.find('#check-item-gen-action').value; + const boardId = Session.get('currentBoard') + if(actionSelected == "checked"){ + Triggers.insert({activityType: "checkedItem","boardId":boardId,"checklistItemName":"*"},function(error,id){ + datas.triggerIdVar.set(id); + }); + } + if(actionSelected == "unchecked"){ + Triggers.insert({activityType: "uncheckedItem","boardId":boardId,"checklistItemName":"*"},function(error,id){ + datas.triggerIdVar.set(id); + }); + } + }, + 'click .js-add-spec-check-item-trigger'(event) { + let datas = this.data(); + const actionSelected = this.find('#check-item-spec-action').value; + const checklistItemId = this.find('#check-item-name').value; + const boardId = Session.get('currentBoard') + if(actionSelected == "added"){ + Triggers.insert({activityType: "joinMember","boardId":boardId,"checklistItemName":checklistItemId},function(error,id){ + datas.triggerIdVar.set(id); + }); + } + if(actionSelected == "removed"){ + Triggers.insert({activityType: "unjoinMember","boardId":boardId,"checklistItemName":checklistItemId},function(error,id){ + datas.triggerIdVar.set(id); + }); + } + }, + }]; + }, + +}).register('checklistTriggers'); + + diff --git a/models/cards.js b/models/cards.js index 364f5a39..c5aceeb7 100644 --- a/models/cards.js +++ b/models/cards.js @@ -561,6 +561,7 @@ function cardMove(userId, doc, fieldNames, oldListId) { userId, oldListId, activityType: 'moveCard', + listName: doc.title, listId: doc.listId, boardId: doc.boardId, cardId: doc._id, @@ -574,6 +575,7 @@ function cardState(userId, doc, fieldNames) { Activities.insert({ userId, activityType: 'archivedCard', + listName: doc.title, boardId: doc.boardId, listId: doc.listId, cardId: doc._id, @@ -583,6 +585,7 @@ function cardState(userId, doc, fieldNames) { userId, activityType: 'restoredCard', boardId: doc.boardId, + listName: doc.title, listId: doc.listId, cardId: doc._id, }); @@ -664,6 +667,7 @@ function cardCreation(userId, doc) { userId, activityType: 'createCard', boardId: doc.boardId, + listName: doc.title, listId: doc.listId, cardId: doc._id, }); diff --git a/models/checklistItems.js b/models/checklistItems.js index 1378e0f5..669003bb 100644 --- a/models/checklistItems.js +++ b/models/checklistItems.js @@ -70,6 +70,7 @@ function itemCreation(userId, doc) { boardId, checklistId: doc.checklistId, checklistItemId: doc._id, + checklistItemName:doc.title }); } @@ -83,6 +84,7 @@ function itemRemover(userId, doc) { boardId, checklistId: doc.checklistId, checklistItemId: doc._id, + checklistItemName:doc.title }); Activities.remove({ checklistItemId: doc._id, @@ -105,6 +107,7 @@ function publishCheckActivity(userId,doc){ boardId, checklistId: doc.checklistId, checklistItemId: doc._id, + checklistItemName:doc.title } console.log(act); Activities.insert(act); @@ -122,6 +125,7 @@ function publishChekListCompleted(userId,doc,fieldNames,modifier){ cardId: doc.cardId, boardId, checklistId: doc.checklistId, + checklistName:doc.title } Activities.insert(act); } @@ -139,6 +143,7 @@ function publishChekListUncompleted(userId,doc,fieldNames,modifier){ cardId: doc.cardId, boardId, checklistId: doc.checklistId, + checklistName:doc.title } Activities.insert(act); } diff --git a/models/checklists.js b/models/checklists.js index 3f07c858..4a43818c 100644 --- a/models/checklists.js +++ b/models/checklists.js @@ -91,6 +91,7 @@ if (Meteor.isServer) { cardId: doc.cardId, boardId: Cards.findOne(doc.cardId).boardId, checklistId: doc._id, + checklistName:doc.title }); }); @@ -107,6 +108,7 @@ if (Meteor.isServer) { cardId: doc.cardId, boardId: Cards.findOne(doc.cardId).boardId, checklistId: doc._id, + checklistName:doc.title }); diff --git a/server/triggersDef.js b/server/triggersDef.js index fce7ff69..8c52051b 100644 --- a/server/triggersDef.js +++ b/server/triggersDef.js @@ -1,9 +1,9 @@ TriggersDef = { createCard:{ - matchingFields: ["boardId", "listId"] + matchingFields: ["boardId", "listName"] }, moveCard:{ - matchingFields: ["boardId", "listId", "oldListId"] + matchingFields: ["boardId", "listName", "oldListName"] }, archivedCard:{ matchingFields: ["boardId"] @@ -18,28 +18,28 @@ TriggersDef = { matchingFields: ["boardId","memberId"] }, addChecklist:{ - matchingFields: ["boardId","checklistId"] + matchingFields: ["boardId","checklistName"] }, removeChecklist:{ - matchingFields: ["boardId","checklistId"] + matchingFields: ["boardId","checklistName"] }, completeChecklist:{ - matchingFields: ["boardId","checklistId"] + matchingFields: ["boardId","checklistName"] }, uncompleteChecklist:{ - matchingFields: ["boardId","checklistId"] + matchingFields: ["boardId","checklistName"] }, addedChecklistItem:{ - matchingFields: ["boardId","checklistItemId"] + matchingFields: ["boardId","checklistItemName"] }, removedChecklistItem:{ - matchingFields: ["boardId","checklistItemId"] + matchingFields: ["boardId","checklistItemName"] }, checkedItem:{ - matchingFields: ["boardId","checklistItemId"] + matchingFields: ["boardId","checklistItemName"] }, uncheckedItem:{ - matchingFields: ["boardId","checklistItemId"] + matchingFields: ["boardId","checklistItemName"] }, addAttachment:{ matchingFields: ["boardId"] -- cgit v1.2.3-1-g7c22 From 1f5f429fc4535d251d32335eea7e44904a924650 Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Sun, 19 Aug 2018 18:53:50 +0200 Subject: Completed rules --- client/components/rules/actions/boardActions.jade | 30 +++++- client/components/rules/actions/boardActions.js | 53 ++++++--- client/components/rules/actions/cardActions.jade | 43 ++++++++ client/components/rules/actions/cardActions.js | 66 ++++++++++++ .../components/rules/actions/checklistActions.jade | 51 +++++++++ .../components/rules/actions/checklistActions.js | 61 +++++++++++ client/components/rules/actions/mailActions.jade | 11 ++ client/components/rules/actions/mailActions.js | 21 ++++ client/components/rules/rules.styl | 16 +++ client/components/rules/rulesActions.jade | 18 +++- client/components/rules/rulesActions.js | 69 ++++++------ client/components/rules/rulesMain.jade | 4 +- client/components/rules/rulesMain.js | 2 +- client/components/rules/triggers/boardTriggers.js | 32 ++---- client/components/rules/triggers/cardTriggers.js | 40 ++----- .../components/rules/triggers/checklistTriggers.js | 52 +++------ models/actions.js | 4 + models/checklistItems.js | 6 ++ models/checklists.js | 12 +++ server/notifications/email.js | 2 + server/rulesHelper.js | 119 +++++++++++++++++++-- 21 files changed, 553 insertions(+), 159 deletions(-) create mode 100644 client/components/rules/actions/cardActions.jade create mode 100644 client/components/rules/actions/cardActions.js create mode 100644 client/components/rules/actions/checklistActions.jade create mode 100644 client/components/rules/actions/checklistActions.js create mode 100644 client/components/rules/actions/mailActions.jade create mode 100644 client/components/rules/actions/mailActions.js diff --git a/client/components/rules/actions/boardActions.jade b/client/components/rules/actions/boardActions.jade index fe56c3ee..81b2023d 100644 --- a/client/components/rules/actions/boardActions.jade +++ b/client/components/rules/actions/boardActions.jade @@ -4,16 +4,40 @@ template(name="boardActions") div.trigger-text | Move card to div.trigger-dropdown - select(id="action") + select(id="move-gen-action") + option(value="top") Top of + option(value="bottom") Bottom of + div.trigger-text + | its list + div.trigger-button.js-add-gen-move-action.js-goto-rules + i.fa.fa-plus + + div.trigger-item + div.trigger-content + div.trigger-text + | Move card to + div.trigger-dropdown + select(id="move-spec-action") option(value="top") Top of option(value="bottom") Bottom of div.trigger-text | list div.trigger-dropdown - input(type=text,placeholder="List Name") - div.trigger-button.js-add-move-action.js-goto-rules + input(id="listName",type=text,placeholder="List Name") + div.trigger-button.js-add-spec-move-action.js-goto-rules i.fa.fa-plus + div.trigger-item + div.trigger-content + div.trigger-dropdown + select(id="arch-action") + option(value="archive") Archive + option(value="unarchive") Unarchive + div.trigger-text + | card + div.trigger-button.js-add-arch-action.js-goto-rules + i.fa.fa-plus + diff --git a/client/components/rules/actions/boardActions.js b/client/components/rules/actions/boardActions.js index 53325ca0..94c2778d 100644 --- a/client/components/rules/actions/boardActions.js +++ b/client/components/rules/actions/boardActions.js @@ -7,23 +7,50 @@ BlazeComponent.extendComponent({ events() { return [ - {'click .js-add-move-action'(event) { - - console.log(this.data()); - console.log(this.data().triggerIdVar.get()); + {'click .js-add-spec-move-action'(event) { const ruleName = this.data().ruleName.get(); - const triggerId = this.data().triggerIdVar.get(); - const actionSelected = this.find('#action').value; - + const trigger = this.data().triggerVar.get(); + const actionSelected = this.find('#move-spec-action').value; + const listTitle = this.find('#listName').value; + if(actionSelected == "top"){ + const triggerId = Triggers.insert(trigger); + const actionId = Actions.insert({actionType: "moveCardToTop","listTitle":listTitle}); + Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId}); + } + if(actionSelected == "bottom"){ + const triggerId = Triggers.insert(trigger); + const actionId = Actions.insert({actionType: "moveCardToBottom","listTitle":listTitle}); + Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId}); + } + }, + 'click .js-add-gen-move-action'(event) { + const ruleName = this.data().ruleName.get(); + const trigger = this.data().triggerVar.get(); + const actionSelected = this.find('#move-gen-action').value; if(actionSelected == "top"){ - Actions.insert({actionType: "moveCardToTop"},function(err,id){ - Rules.insert({title: ruleName, triggerId: triggerId, actionId: id}); - }); + const triggerId = Triggers.insert(trigger); + const actionId = Actions.insert({actionType: "moveCardToTop","listTitle":"*"}); + Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId}); } if(actionSelected == "bottom"){ - Actions.insert({actionType: "moveCardToBottom"},function(err,id){ - Rules.insert({title: ruleName, triggerId: triggerId, actionId: id}); - }); + const triggerId = Triggers.insert(trigger); + const actionId = Actions.insert({actionType: "moveCardToBottom","listTitle":"*"}); + Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId}); + } + }, + 'click .js-add-arch-action'(event) { + const ruleName = this.data().ruleName.get(); + const trigger = this.data().triggerVar.get(); + const actionSelected = this.find('#arch-action').value; + if(actionSelected == "archive"){ + const triggerId = Triggers.insert(trigger); + const actionId = Actions.insert({actionType: "archive"}); + Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId}); + } + if(actionSelected == "unarchive"){ + const triggerId = Triggers.insert(trigger); + const actionId = Actions.insert({actionType: "unarchive"}); + Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId}); } }, }]; diff --git a/client/components/rules/actions/cardActions.jade b/client/components/rules/actions/cardActions.jade new file mode 100644 index 00000000..8d218a49 --- /dev/null +++ b/client/components/rules/actions/cardActions.jade @@ -0,0 +1,43 @@ +template(name="cardActions") + div.trigger-item + div.trigger-content + div.trigger-dropdown + select(id="label-action") + option(value="add") Add + option(value="remove") Remove + div.trigger-text + | label + div.trigger-dropdown + select(id="label-id") + each labels + option(value="#{_id}") + = name + div.trigger-button.js-add-label-action.js-goto-rules + i.fa.fa-plus + + div.trigger-item + div.trigger-content + div.trigger-dropdown + select(id="member-action") + option(value="add") Add + option(value="remove") Removed + div.trigger-text + | member + div.trigger-dropdown + input(id="member-name",type=text,placeholder="Member name") + div.trigger-button.js-add-member-action.js-goto-rules + i.fa.fa-plus + + div.trigger-item + div.trigger-content + div.trigger-text + | Remove all member from the card + div.trigger-button.js-add-removeall-action.js-goto-rules + i.fa.fa-plus + + + + + + + diff --git a/client/components/rules/actions/cardActions.js b/client/components/rules/actions/cardActions.js new file mode 100644 index 00000000..48120d91 --- /dev/null +++ b/client/components/rules/actions/cardActions.js @@ -0,0 +1,66 @@ +BlazeComponent.extendComponent({ + onCreated() { + this.subscribe('allRules'); + }, + + labels(){ + const labels = Boards.findOne(Session.get('currentBoard')).labels; + console.log(labels); + for(let i = 0;i { }, 30000); }); }); + + diff --git a/server/rulesHelper.js b/server/rulesHelper.js index 1a00688e..2e9f58f4 100644 --- a/server/rulesHelper.js +++ b/server/rulesHelper.js @@ -1,19 +1,12 @@ RulesHelper = { executeRules(activity){ const matchingRules = this.findMatchingRules(activity); + console.log("Matching rules:") console.log(matchingRules); for(let i = 0;i< matchingRules.length;i++){ console.log(matchingRules[i]); - const actionType = matchingRules[i].getAction().actionType; - this.performAction(activity,actionType); - } - }, - - performAction(activity,actionType){ - if(actionType == "moveCardToTop"){ - const card = Cards.findOne({_id:activity.cardId}); - const minOrder = _.min(card.list().cards(card.swimlaneId).map((c) => c.sort)); - card.move(card.swimlaneId, card.listId, minOrder - 1); + const action = matchingRules[i].getAction(); + this.performAction(activity,action); } }, findMatchingRules(activity){ @@ -39,6 +32,110 @@ RulesHelper = { matchingMap[matchingFields[i]] = { $in: [activity[matchingFields[i]],"*"]}; } return matchingMap; - } + }, + performAction(activity,action){ + + console.log("Performing action - Activity"); + console.log(activity); + console.log("Performing action - Action"); + console.log(action); + const card = Cards.findOne({_id:activity.cardId}); + if(action.actionType == "moveCardToTop"){ + let listId; + let list; + if(activity.listTitle == "*"){ + listId = card.swimlaneId; + list = card.list(); + }else{ + list = Lists.findOne({title: action.listTitle}); + listId = list._id; + } + const minOrder = _.min(list.cards(card.swimlaneId).map((c) => c.sort)); + card.move(card.swimlaneId, listId, minOrder - 1); + } + if(action.actionType == "moveCardToBottom"){ + let listId; + let list; + if(activity.listTitle == "*"){ + listId = card.swimlaneId; + list = card.list(); + }else{ + list = Lists.findOne({title: action.listTitle}); + listId = list._id; + } + const maxOrder = _.max(list.cards(card.swimlaneId).map((c) => c.sort)); + card.move(card.swimlaneId, listId, maxOrder + 1); + } + if(action.actionType == "sendEmail"){ + const emailTo = action.emailTo; + const emailMsg = action.emailMsg; + const emailSubject = action.emailSubject; + try { + Email.send({ + to: to, + from: Accounts.emailTemplates.from, + subject: subject, + text, + }); + } catch (e) { + return; + } + } + if(action.actionType == "archive"){ + card.archive(); + } + if(action.actionType == "unarchive"){ + card.restore(); + } + if(action.actionType == "addLabel"){ + card.addLabel(action.labelId); + } + if(action.actionType == "removeLabel"){ + card.removeLabel(action.labelId); + } + if(action.actionType == "addMember"){ + const memberId = Users.findOne({username:action.memberName})._id; + console.log(memberId); + card.assignMember(memberId); + } + if(action.actionType == "removeMember"){ + if(action.memberName == "*"){ + console.log(card); + const members = card.members; + console.log(members); + for(let i = 0;i< members.length;i++){ + card.unassignMember(members[i]); + } + }else{ + const memberId = Users.findOne({username:action.memberName})._id; + card.unassignMember(memberId); + } + } + if(action.actionType == "checkAll"){ + const checkList = Checklists.findOne({"title":action.checklistName,"cardId":card._id}); + checkList.checkAllItems(); + } + if(action.actionType == "uncheckAll"){ + const checkList = Checklists.findOne({"title":action.checklistName,"cardId":card._id}); + checkList.uncheckAllItems(); + } + if(action.actionType == "checkItem"){ + const checkList = Checklists.findOne({"title":action.checklistName,"cardId":card._id}); + const checkItem = ChecklistItems.findOne({"title":action.checkItemName,"checkListId":checkList._id}) + checkItem.check(); + } + if(action.actionType == "uncheckItem"){ + const checkList = Checklists.findOne({"title":action.checklistName,"cardId":card._id}); + const checkItem = ChecklistItems.findOne({"title":action.checkItemName,"checkListId":checkList._id}) + checkItem.uncheck(); + } + if(action.actionType == "addChecklist"){ + Checklists.insert({"title":action.checklistName,"cardId":card._id,"sort":0}); + } + if(action.actionType == "removeChecklist"){ + Checklists.remove({"title":action.checklistName,"cardId":card._id,"sort":0}); + } + + }, } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From b216c63c132e587e590e5faa0285ca5ca2641765 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 20 Aug 2018 23:16:24 +0300 Subject: - Restored SMTP settings at Admin Panel, and disabled showing password. Thanks to xet7 ! Closes #1790 --- client/components/settings/settingBody.jade | 34 +++++++++++++++++++++++++++++ client/components/settings/settingBody.js | 14 +++--------- 2 files changed, 37 insertions(+), 11 deletions(-) diff --git a/client/components/settings/settingBody.jade b/client/components/settings/settingBody.jade index 1832894c..dcf71f4d 100644 --- a/client/components/settings/settingBody.jade +++ b/client/components/settings/settingBody.jade @@ -55,6 +55,40 @@ template(name="general") template(name='email') ul#email-setting.setting-detail + li.smtp-form + .title {{_ 'smtp-host'}} + .description {{_ 'smtp-host-description'}} + .form-group + input.form-control#mail-server-host(type="text", placeholder="smtp.domain.com" value="{{currentSetting.mailServer.host}}") + li.smtp-form + .title {{_ 'smtp-port'}} + .description {{_ 'smtp-port-description'}} + .form-group + input.form-control#mail-server-port(type="text", placeholder="25" value="{{currentSetting.mailServer.port}}") + li.smtp-form + .title {{_ 'smtp-username'}} + .form-group + input.form-control#mail-server-username(type="text", placeholder="{{_ 'username'}}" value="{{currentSetting.mailServer.username}}") + li.smtp-form + .title {{_ 'smtp-password'}} + .form-group + input.form-control#mail-server-password(type="text", placeholder="{{_ 'password'}}" value="") + li.smtp-form + .title {{_ 'smtp-tls'}} + .form-group + a.flex.js-toggle-tls + .materialCheckBox#mail-server-tls(class="{{#if currentSetting.mailServer.enableTLS}}is-checked{{/if}}") + + span {{_ 'smtp-tls-description'}} + + li.smtp-form + .title {{_ 'send-from'}} + .form-group + input.form-control#mail-server-from(type="email", placeholder="no-reply@domain.com" value="{{currentSetting.mailServer.from}}") + + li + button.js-save.primary {{_ 'save'}} + li button.js-send-smtp-test-email.primary {{_ 'send-smtp-test'}} diff --git a/client/components/settings/settingBody.js b/client/components/settings/settingBody.js index de96c100..7230d893 100644 --- a/client/components/settings/settingBody.js +++ b/client/components/settings/settingBody.js @@ -20,7 +20,7 @@ BlazeComponent.extendComponent({ setLoading(w) { this.loading.set(w); }, - /* + checkField(selector) { const value = $(selector).val(); if (!value || value.trim() === '') { @@ -30,7 +30,7 @@ BlazeComponent.extendComponent({ return value; } }, -*/ + currentSetting() { return Settings.findOne(); }, @@ -55,11 +55,9 @@ BlazeComponent.extendComponent({ $('.invite-people').slideDown(); } }, - /* toggleTLS() { $('#mail-server-tls').toggleClass('is-checked'); }, -*/ switchMenu(event) { const target = $(event.target); if (!target.hasClass('active')) { @@ -101,13 +99,11 @@ BlazeComponent.extendComponent({ // if (!err) { // TODO - show more info to user // } - this.setLoading(false); }); } }, - /* saveMailServerInfo() { this.setLoading(true); $('li').removeClass('has-error'); @@ -132,7 +128,7 @@ BlazeComponent.extendComponent({ } }, -*/ + sendSMTPTestEmail() { Meteor.call('sendSMTPTestEmail', (err, ret) => { if (!err && ret) { /* eslint-disable no-console */ @@ -152,15 +148,11 @@ BlazeComponent.extendComponent({ events() { return [{ 'click a.js-toggle-registration': this.toggleRegistration, - /* 'click a.js-toggle-tls': this.toggleTLS, -*/ 'click a.js-setting-menu': this.switchMenu, 'click a.js-toggle-board-choose': this.checkBoard, 'click button.js-email-invite': this.inviteThroughEmail, - /* 'click button.js-save': this.saveMailServerInfo, -*/ 'click button.js-send-smtp-test-email': this.sendSMTPTestEmail, }]; }, -- cgit v1.2.3-1-g7c22 From 0588c2f6053430aaec2b0d84c6190798aba67fdd Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 20 Aug 2018 23:19:14 +0300 Subject: - Restored SMTP settings at Admin Panel, and disabled showing password. Thanks to xet7 ! Closes #1790 --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index d0cc802c..ec89d5ce 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- [Restored SMTP settings at Admin Panel, and disabled showing password](https://github.com/wekan/wekan/issues/1790). + +Thanks to GitHub user xet7 for contributions. + # v1.33 2018-08-16 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From f09d9b63de45ccdfb8184884b5fd383fad4c07a7 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 20 Aug 2018 23:59:43 +0300 Subject: - Move color labels on minicard to bottom of minicard. Thanks to xet7 ! Closes #1842 --- client/components/cards/minicard.jade | 9 +++++---- 1 file changed, 5 insertions(+), 4 deletions(-) diff --git a/client/components/cards/minicard.jade b/client/components/cards/minicard.jade index 37f537db..738cb598 100644 --- a/client/components/cards/minicard.jade +++ b/client/components/cards/minicard.jade @@ -4,10 +4,6 @@ template(name="minicard") class="{{#if isLinkedBoard}}linked-board{{/if}}") if cover .minicard-cover(style="background-image: url('{{cover.url}}');") - if labels - .minicard-labels - each labels - .minicard-label(class="card-label-{{color}}" title="{{name}}") .minicard-title if $eq 'prefix-with-full-path' currentBoard.presentParentTask .parent-prefix @@ -80,3 +76,8 @@ template(name="minicard") .badge(class="{{#if checklistFinished}}is-finished{{/if}}") span.badge-icon.fa.fa-check-square-o span.badge-text.check-list-text {{checklistFinishedCount}}/{{checklistItemCount}} + + if labels + .minicard-labels + each labels + .minicard-label(class="card-label-{{color}}" title="{{name}}") -- cgit v1.2.3-1-g7c22 From 9e29d4c8153dd9a52a3a5d9a6c2107633bcdeeda Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 21 Aug 2018 00:03:24 +0300 Subject: - Move color labels on minicard to bottom of minicard. Thanks to therampagerado and xet7 ! Closes #1842 --- CHANGELOG.md | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index ec89d5ce..2e1d1534 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,9 +2,10 @@ This release fixes the following bugs: -- [Restored SMTP settings at Admin Panel, and disabled showing password](https://github.com/wekan/wekan/issues/1790). +- [Restored SMTP settings at Admin Panel, and disabled showing password](https://github.com/wekan/wekan/issues/1790); +- [Move color labels on minicard to bottom of minicard](https://github.com/wekan/wekan/issues/1842). -Thanks to GitHub user xet7 for contributions. +Thanks to GitHub users therampagerado and xet7 for their contributions. # v1.33 2018-08-16 Wekan release -- cgit v1.2.3-1-g7c22 From b881c3b90824576ffcc75c7160a66c2314dab615 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 21 Aug 2018 00:10:15 +0300 Subject: Update translations. --- i18n/es.i18n.json | 14 +++++++------- i18n/fr.i18n.json | 14 +++++++------- 2 files changed, 14 insertions(+), 14 deletions(-) diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index d2f42ed3..6088cab2 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -109,7 +109,7 @@ "bucket-example": "Como “Cosas por hacer” por ejemplo", "cancel": "Cancelar", "card-archived": "Esta tarjeta se ha enviado a la papelera de reciclaje.", - "board-archived": "This board is moved to Recycle Bin.", + "board-archived": "Este tablero se ha enviado a la papelera de reciclaje.", "card-comments-title": "Esta tarjeta tiene %s comentarios.", "card-delete-notice": "la eliminación es permanente. Perderás todas las acciones asociadas a esta tarjeta.", "card-delete-pop": "Se eliminarán todas las acciones del historial de actividades y no se podrá volver a abrir la tarjeta. Esta acción no puede deshacerse.", @@ -136,9 +136,9 @@ "cards": "Tarjetas", "cards-count": "Tarjetas", "casSignIn": "Iniciar sesión con CAS", - "cardType-card": "Card", - "cardType-linkedCard": "Linked Card", - "cardType-linkedBoard": "Linked Board", + "cardType-card": "Tarjeta", + "cardType-linkedCard": "Tarjeta enlazada", + "cardType-linkedBoard": "Tablero enlazado", "change": "Cambiar", "change-avatar": "Cambiar el avatar", "change-password": "Cambiar la contraseña", @@ -175,8 +175,8 @@ "confirm-subtask-delete-dialog": "¿Seguro que quieres eliminar la subtarea?", "confirm-checklist-delete-dialog": "¿Seguro que quieres eliminar la lista de verificación?", "copy-card-link-to-clipboard": "Copiar el enlace de la tarjeta al portapapeles", - "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "linkCardPopup-title": "Enlazar tarjeta", + "searchCardPopup-title": "Buscar tarjeta", "copyCardPopup-title": "Copiar la tarjeta", "copyChecklistToManyCardsPopup-title": "Copiar la plantilla de la lista de verificación en varias tarjetas", "copyChecklistToManyCardsPopup-instructions": "Títulos y descripciones de las tarjetas de destino en formato JSON", @@ -267,7 +267,7 @@ "headerBarCreateBoardPopup-title": "Crear tablero", "home": "Inicio", "import": "Importar", - "link": "Link", + "link": "Enlace", "import-board": "importar un tablero", "import-board-c": "Importar un tablero", "import-board-title-trello": "Importar un tablero desde Trello", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 0468a7af..d3b41832 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -109,7 +109,7 @@ "bucket-example": "Comme « todo list » par exemple", "cancel": "Annuler", "card-archived": "Cette carte est déplacée vers la corbeille.", - "board-archived": "This board is moved to Recycle Bin.", + "board-archived": "Ce tableau a été déplacé dans la Corbeille.", "card-comments-title": "Cette carte a %s commentaires.", "card-delete-notice": "La suppression est permanente. Vous perdrez toutes les actions associées à cette carte.", "card-delete-pop": "Toutes les actions vont être supprimées du suivi d'activités et vous ne pourrez plus utiliser cette carte. Cette action est irréversible.", @@ -136,9 +136,9 @@ "cards": "Cartes", "cards-count": "Cartes", "casSignIn": "Se connecter avec CAS", - "cardType-card": "Card", - "cardType-linkedCard": "Linked Card", - "cardType-linkedBoard": "Linked Board", + "cardType-card": "Carte", + "cardType-linkedCard": "Carte liée", + "cardType-linkedBoard": "Tableau lié", "change": "Modifier", "change-avatar": "Modifier l'avatar", "change-password": "Modifier le mot de passe", @@ -175,8 +175,8 @@ "confirm-subtask-delete-dialog": "Êtes-vous sûr de vouloir supprimer la sous-tâche ?", "confirm-checklist-delete-dialog": "Êtes-vous sûr de vouloir supprimer la checklist ?", "copy-card-link-to-clipboard": "Copier le lien vers la carte dans le presse-papier", - "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "linkCardPopup-title": "Lier une Carte", + "searchCardPopup-title": "Chercher une Carte", "copyCardPopup-title": "Copier la carte", "copyChecklistToManyCardsPopup-title": "Copier le modèle de checklist vers plusieurs cartes", "copyChecklistToManyCardsPopup-instructions": "Titres et descriptions des cartes de destination dans ce format JSON", @@ -267,7 +267,7 @@ "headerBarCreateBoardPopup-title": "Créer un tableau", "home": "Accueil", "import": "Importer", - "link": "Link", + "link": "Lien", "import-board": "importer un tableau", "import-board-c": "Importer un tableau", "import-board-title-trello": "Importer le tableau depuis Trello", -- cgit v1.2.3-1-g7c22 From 3e715bbcc9e2cf3aad043dc7ab0ed76b519e80eb Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Tue, 21 Aug 2018 22:20:45 +0200 Subject: Fix and improve linked cards --- client/components/lists/listBody.jade | 2 +- client/components/lists/listBody.js | 13 +++++++------ models/cards.js | 8 ++++++++ 3 files changed, 16 insertions(+), 7 deletions(-) diff --git a/client/components/lists/listBody.jade b/client/components/lists/listBody.jade index 8069717e..f2b3e941 100644 --- a/client/components/lists/listBody.jade +++ b/client/components/lists/listBody.jade @@ -70,7 +70,7 @@ template(name="linkCardPopup") label {{_ 'cards'}}: select.js-select-cards each cards - option(value="{{_id}}") {{title}} + option(value="{{getId}}") {{getTitle}} .edit-controls.clearfix input.primary.confirm.js-done(type="button" value="{{_ 'link'}}") diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 83592a64..896bf178 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -333,21 +333,22 @@ BlazeComponent.extendComponent({ }, cards() { + const ownCardsIds = this.board.cards().map((card) => { return card.linkedId || card._id; }); return Cards.find({ boardId: this.selectedBoardId.get(), swimlaneId: this.selectedSwimlaneId.get(), listId: this.selectedListId.get(), archived: false, - linkedId: null, - _id: {$nin: this.board.cards().map((card) => { return card.linkedId || card._id; })}, + linkedId: {$nin: ownCardsIds}, + _id: {$nin: ownCardsIds}, }); }, events() { return [{ 'change .js-select-boards'(evt) { + subManager.subscribe('board', $(evt.currentTarget).val()); this.selectedBoardId.set($(evt.currentTarget).val()); - subManager.subscribe('board', this.selectedBoardId.get()); }, 'change .js-select-swimlanes'(evt) { this.selectedSwimlaneId.set($(evt.currentTarget).val()); @@ -438,14 +439,14 @@ BlazeComponent.extendComponent({ results() { const board = Boards.findOne(this.selectedBoardId.get()); - return board.searchCards(this.term.get(), true); + return board.searchCards(this.term.get(), false); }, events() { return [{ 'change .js-select-boards'(evt) { + subManager.subscribe('board', $(evt.currentTarget).val()); this.selectedBoardId.set($(evt.currentTarget).val()); - subManager.subscribe('board', this.selectedBoardId.get()); }, 'submit .js-search-term-form'(evt) { evt.preventDefault(); @@ -461,7 +462,7 @@ BlazeComponent.extendComponent({ boardId: this.boardId, sort: Lists.findOne(this.listId).cards().count(), type: 'cardType-linkedCard', - linkedId: card._id, + linkedId: card.linkedId || card._id, }); Filter.addException(_id); Popup.close(); diff --git a/models/cards.js b/models/cards.js index 21a7f2ad..302beddc 100644 --- a/models/cards.js +++ b/models/cards.js @@ -712,6 +712,14 @@ Cards.helpers({ } }, + getId() { + if (this.isLinked()) { + return this.linkedId; + } else { + return this._id; + } + }, + getTitle() { if (this.isLinkedCard()) { const card = Cards.findOne({ _id: this.linkedId }); -- cgit v1.2.3-1-g7c22 From 485f6b5ac2fdeb0896465692a48f3ad8e402673b Mon Sep 17 00:00:00 2001 From: Jacob Weisz Date: Tue, 21 Aug 2018 22:23:32 -0500 Subject: Allow Sandstorm to serve Wekan HTTP API This is probably not a "whole" fix, but this may be a missing piece. --- sandstorm-pkgdef.capnp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index cc871287..3a01eda4 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -226,7 +226,7 @@ const pkgdef :Spk.PackageDefinition = ( verbPhrase = (defaultText = "removed from card"), ), ], ), - + apiPath = "/api", saveIdentityCaps = true, ), ); -- cgit v1.2.3-1-g7c22 From eecac0e37f4600643f7a0ea7088a97964c721b9e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 22 Aug 2018 09:30:12 +0300 Subject: - Fix and improve linked cards. Thanks to andresmanelli ! --- CHANGELOG.md | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 2e1d1534..ce938979 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,9 +3,10 @@ This release fixes the following bugs: - [Restored SMTP settings at Admin Panel, and disabled showing password](https://github.com/wekan/wekan/issues/1790); -- [Move color labels on minicard to bottom of minicard](https://github.com/wekan/wekan/issues/1842). +- [Move color labels on minicard to bottom of minicard](https://github.com/wekan/wekan/issues/1842); +- [Fix and improve linked cards](https://github.com/wekan/wekan/pull/1849). -Thanks to GitHub users therampagerado and xet7 for their contributions. +Thanks to GitHub users andresmanelli, therampagerado and xet7 for their contributions. # v1.33 2018-08-16 Wekan release -- cgit v1.2.3-1-g7c22 From 18de911a7fab8238ce206b3c88801e89fa6a39c4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 22 Aug 2018 09:41:14 +0300 Subject: - Allow Sandstorm to serve Wekan HTTP API. This may help towards #1279 Thanks to ocdtrekkie ! Related #1279 --- CHANGELOG.md | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index ce938979..86ef1506 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,9 +4,10 @@ This release fixes the following bugs: - [Restored SMTP settings at Admin Panel, and disabled showing password](https://github.com/wekan/wekan/issues/1790); - [Move color labels on minicard to bottom of minicard](https://github.com/wekan/wekan/issues/1842); -- [Fix and improve linked cards](https://github.com/wekan/wekan/pull/1849). +- [Fix and improve linked cards](https://github.com/wekan/wekan/pull/1849); +- [Allow Sandstorm to serve Wekan HTTP API](https://github.com/wekan/wekan/pull/1851). -Thanks to GitHub users andresmanelli, therampagerado and xet7 for their contributions. +Thanks to GitHub users andresmanelli, ocdtrekkie, therampagerado and xet7 for their contributions. # v1.33 2018-08-16 Wekan release -- cgit v1.2.3-1-g7c22 From d67c43513233228f7205a06db68177b1c328b40f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 22 Aug 2018 10:01:19 +0300 Subject: - Add Favicon for pinned tab on Safari browser. Thanks to woodyart and xet7 ! Closes #1795 --- client/components/main/layouts.jade | 1 + 1 file changed, 1 insertion(+) diff --git a/client/components/main/layouts.jade b/client/components/main/layouts.jade index 911f23f4..b0024b33 100644 --- a/client/components/main/layouts.jade +++ b/client/components/main/layouts.jade @@ -9,6 +9,7 @@ head packages. link(rel="shortcut icon" href="/wekan-favicon.png") link(rel="apple-touch-icon" href="/wekan-favicon.png") + link(rel="mask-icon" href="/wekan-150.svg") link(rel="manifest" href="/wekan-manifest.json") template(name="userFormsLayout") -- cgit v1.2.3-1-g7c22 From 9bdb5aea876ad80aa62a3158b1a51bb033aa280c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 22 Aug 2018 10:04:31 +0300 Subject: - Add Favicon for pinned tab on Safari browser. Thanks to woodyart and xet7 ! Closes #1795 --- CHANGELOG.md | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 86ef1506..e9977e5d 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -5,9 +5,10 @@ This release fixes the following bugs: - [Restored SMTP settings at Admin Panel, and disabled showing password](https://github.com/wekan/wekan/issues/1790); - [Move color labels on minicard to bottom of minicard](https://github.com/wekan/wekan/issues/1842); - [Fix and improve linked cards](https://github.com/wekan/wekan/pull/1849); -- [Allow Sandstorm to serve Wekan HTTP API](https://github.com/wekan/wekan/pull/1851). +- [Allow Sandstorm to serve Wekan HTTP API](https://github.com/wekan/wekan/pull/1851); +- [Add Favicon for pinned tab on Safari browser](https://github.com/wekan/wekan/issues/1795). -Thanks to GitHub users andresmanelli, ocdtrekkie, therampagerado and xet7 for their contributions. +Thanks to GitHub users andresmanelli, ocdtrekkie, therampagerado, woodyart and xet7 for their contributions. # v1.33 2018-08-16 Wekan release -- cgit v1.2.3-1-g7c22 From 4d615057fe55c4cb6cda7dd8da9daab5d154c816 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 22 Aug 2018 10:17:43 +0300 Subject: Update translations. --- i18n/fr.i18n.json | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index d3b41832..74b6034c 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -463,7 +463,7 @@ "OS_Platform": "OS Plate-forme", "OS_Release": "OS Version", "OS_Totalmem": "OS Mémoire totale", - "OS_Type": "OS Type", + "OS_Type": "Type d'OS", "OS_Uptime": "OS Durée de fonctionnement", "hours": "heures", "minutes": "minutes", @@ -473,7 +473,7 @@ "no": "Non", "accounts": "Comptes", "accounts-allowEmailChange": "Autoriser le changement d'adresse mail", - "accounts-allowUserNameChange": "Permettre la modification de l'identifiant", + "accounts-allowUserNameChange": "Autoriser le changement d'identifiant", "createdAt": "Créé le", "verified": "Vérifié", "active": "Actif", @@ -485,7 +485,7 @@ "editCardEndDatePopup-title": "Changer la date de fin", "assigned-by": "Assigné par", "requested-by": "Demandé par", - "board-delete-notice": "La suppression est définitive. Vous perdrez toutes vos listes, cartes et actions associées à ce tableau.", + "board-delete-notice": "La suppression est définitive. Vous perdrez toutes les listes, cartes et actions associées à ce tableau.", "delete-board-confirm-popup": "Toutes les listes, cartes, étiquettes et activités seront supprimées et vous ne pourrez pas retrouver le contenu du tableau. Il n'y a pas d'annulation possible.", "boardDeletePopup-title": "Supprimer le tableau ?", "delete-board": "Supprimer le tableau", @@ -497,11 +497,11 @@ "show-subtasks-field": "Les cartes peuvent avoir des sous-tâches", "deposit-subtasks-board": "Déposer des sous-tâches dans ce tableau :", "deposit-subtasks-list": "Liste de destination pour les sous-tâches déposées ici :", - "show-parent-in-minicard": "Voir le parent dans la mini-carte :", + "show-parent-in-minicard": "Voir la carte parente dans la mini-carte :", "prefix-with-full-path": "Préfixer avec le chemin complet", "prefix-with-parent": "Préfixer avec le parent", - "subtext-with-full-path": "Sous-texte avec le chemin complet", - "subtext-with-parent": "Sous-texte avec le parent", + "subtext-with-full-path": "Sous-titre avec le chemin complet", + "subtext-with-parent": "Sous-titre avec le parent", "change-card-parent": "Changer le parent de la carte", "parent-card": "Carte parente", "source-board": "Tableau source", -- cgit v1.2.3-1-g7c22 From 20757efc7e45d95681fff62c3064620d53abdfbc Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 22 Aug 2018 11:00:45 +0300 Subject: v1.34 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index e9977e5d..e9f31501 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.34 2018-08-22 Wekan release This release fixes the following bugs: diff --git a/package.json b/package.json index c3fc8d67..b39eacf6 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.33.0", + "version": "1.34.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 3a01eda4..d6a35cb5 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 118, + appVersion = 119, # Increment this for every release. - appMarketingVersion = (defaultText = "1.33.0~2018-08-16"), + appMarketingVersion = (defaultText = "1.34.0~2018-08-22"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From b3b8d3c0860b6060a939a2f9405b2e8b594368ee Mon Sep 17 00:00:00 2001 From: Omar Sy Date: Wed, 22 Aug 2018 14:24:21 +0200 Subject: make the attributes that the webhook sends configurable --- server/notifications/outgoing.js | 9 ++++----- 1 file changed, 4 insertions(+), 5 deletions(-) diff --git a/server/notifications/outgoing.js b/server/notifications/outgoing.js index 779d41a0..7e3ee60c 100644 --- a/server/notifications/outgoing.js +++ b/server/notifications/outgoing.js @@ -8,6 +8,8 @@ const postCatchError = Meteor.wrapAsync((url, options, resolve) => { }); }); +let webhooksAtbts = ( (process.env.WEBHOOKS_ATTRIBUTES && process.env.WEBHOOKS_ATTRIBUTES.split(',') ) || ['cardId', 'listId', 'oldListId', 'boardId', 'comment', 'user', 'card', 'commentId']); + Meteor.methods({ outgoingWebhooks(integrations, description, params) { check(integrations, Array); @@ -19,7 +21,7 @@ Meteor.methods({ if (quoteParams[key]) quoteParams[key] = `"${params[key]}"`; }); - const userId = (params.userId)?params.userId:integrations[0].userId; + const userId = (params.userId) ? params.userId : integrations[0].userId; const user = Users.findOne(userId); const text = `${params.user} ${TAPi18n.__(description, quoteParams, user.getLanguage())}\n${params.url}`; @@ -29,10 +31,7 @@ Meteor.methods({ text: `${text}`, }; - [ 'cardId', 'listId', 'oldListId', - 'boardId', 'comment', 'user', - 'card', 'commentId', - ].forEach((key) => { + webhooksAtbts.forEach((key) => { if (params[key]) value[key] = params[key]; }); value.description = description; -- cgit v1.2.3-1-g7c22 From fcbbb93bb663eec04e53230e447b2846f28d86e6 Mon Sep 17 00:00:00 2001 From: Omar Sy Date: Wed, 22 Aug 2018 15:07:46 +0200 Subject: change let to const --- server/notifications/outgoing.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/server/notifications/outgoing.js b/server/notifications/outgoing.js index 7e3ee60c..b35b3b2e 100644 --- a/server/notifications/outgoing.js +++ b/server/notifications/outgoing.js @@ -8,7 +8,7 @@ const postCatchError = Meteor.wrapAsync((url, options, resolve) => { }); }); -let webhooksAtbts = ( (process.env.WEBHOOKS_ATTRIBUTES && process.env.WEBHOOKS_ATTRIBUTES.split(',') ) || ['cardId', 'listId', 'oldListId', 'boardId', 'comment', 'user', 'card', 'commentId']); +const webhooksAtbts = ( (process.env.WEBHOOKS_ATTRIBUTES && process.env.WEBHOOKS_ATTRIBUTES.split(',') ) || ['cardId', 'listId', 'oldListId', 'boardId', 'comment', 'user', 'card', 'commentId']); Meteor.methods({ outgoingWebhooks(integrations, description, params) { -- cgit v1.2.3-1-g7c22 From d68ad5af042893069f4c28f56f4aaf862d5a1799 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 22 Aug 2018 16:16:56 +0300 Subject: Add Caddy plugins: - [http.filter](https://caddyserver.com/docs/http.filter) for changing Wekan UI on the fly, for example custom logo, or changing to all different CSS file to have custom theme; - [http.ipfilter](https://caddyserver.com/docs/http.ipfilter) to block requests by ip address; - [http.realip](https://caddyserver.com/docs/http.realip) for showing real X-Forwarded-For IP to behind proxy. Thanks to Caddy contributors and xet7 ! --- snapcraft.yaml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/snapcraft.yaml b/snapcraft.yaml index f3f784e7..a3ca80dc 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -176,7 +176,7 @@ parts: caddy: plugin: dump - source: https://caddyserver.com/download/linux/amd64?license=personal + source: https://caddyserver.com/download/linux/amd64?plugins=http.filter,http.ipfilter,http.realip&license=personal&telemetry=off source-type: tar organize: caddy: bin/caddy -- cgit v1.2.3-1-g7c22 From 1b94b919fe953d8da5ad2cd358866579481bbeb2 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 22 Aug 2018 16:56:02 +0300 Subject: This release adds the following new features: Add Caddy plugins: - [http.filter](https://caddyserver.com/docs/http.filter) for changing Wekan UI on the fly, for example custom logo, or changing to all different CSS file to have custom theme; - [http.ipfilter](https://caddyserver.com/docs/http.ipfilter) to block requests by ip address; - [http.realip](https://caddyserver.com/docs/http.realip) for showing real X-Forwarded-For IP to behind proxy; - Turn off Caddy telemetry. Thanks to Caddy contributors and xet7 ! --- CHANGELOG.md | 16 ++++++++++++++++ 1 file changed, 16 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index e9f31501..8d31a282 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,19 @@ +# Upcoming Wekan release + +This release adds the following new features: + +Add Caddy plugins: +- [http.filter](https://caddyserver.com/docs/http.filter) + for changing Wekan UI on the fly, for example custom logo, + or changing to all different CSS file to have custom theme; +- [http.ipfilter](https://caddyserver.com/docs/http.ipfilter) + to block requests by ip address; +- [http.realip](https://caddyserver.com/docs/http.realip) + for showing real X-Forwarded-For IP to behind proxy; +- Turn off Caddy telemetry. + +Thanks to Caddy contributors and Github user xet7 for their contributions! + # v1.34 2018-08-22 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 7e0bc1e33aef6dc0de11a595b81854623b417572 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 22 Aug 2018 21:42:53 +0300 Subject: - Remove suburl from beginning of avatar file path, so that avatar images don't get broken when root-url changes to different sub-url. This does not change avatar urls in database, instead this fixes url on the fly after loading avatar url from database. Thanks to xet7 ! Closes #1776, closes #386 --- client/components/users/userAvatar.jade | 2 +- client/components/users/userAvatar.js | 7 +++++++ 2 files changed, 8 insertions(+), 1 deletion(-) diff --git a/client/components/users/userAvatar.jade b/client/components/users/userAvatar.jade index 83e2c8d0..c61ade21 100644 --- a/client/components/users/userAvatar.jade +++ b/client/components/users/userAvatar.jade @@ -1,7 +1,7 @@ template(name="userAvatar") a.member.js-member(title="{{userData.profile.fullname}} ({{userData.username}})") if userData.profile.avatarUrl - img.avatar.avatar-image(src=userData.profile.avatarUrl) + img.avatar.avatar-image(src="{{fixAvatarUrl userData.profile.avatarUrl}}") else +userAvatarInitials(userId=userData._id) diff --git a/client/components/users/userAvatar.js b/client/components/users/userAvatar.js index 91cad237..5fb5d9df 100644 --- a/client/components/users/userAvatar.js +++ b/client/components/users/userAvatar.js @@ -14,6 +14,13 @@ Template.userAvatar.helpers({ }); }, + fixAvatarUrl(avatarUrl) { + // Remove suburl from beginning of avatar file path, + // so that avatar images don't get broken when root-url changes to different sub-url. + avatarUrl = '/' + avatarUrl.substring(avatarUrl.indexOf('/cfs/files/avatars/')+1); + return avatarUrl; + }, + memberType() { const user = Users.findOne(this.userId); return user && user.isBoardAdmin() ? 'admin' : 'normal'; -- cgit v1.2.3-1-g7c22 From cc84bf2de38f15d20a5f46ac9f57e4a967375f88 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 22 Aug 2018 21:57:38 +0300 Subject: - Remove suburl from beginning of avatar file path, so that avatar images don't get broken when root-url changes to different sub-url. This does not change avatar urls in database, instead this fixes url on the fly after loading avatar url from database. Thanks to xet7 ! --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 8d31a282..c69664e5 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -12,6 +12,14 @@ Add Caddy plugins: for showing real X-Forwarded-For IP to behind proxy; - Turn off Caddy telemetry. +and fixes the following bugs: + +- [Remove suburl from beginning of avatar file path](https://github.com/wekan/wekan/issues/1776), + so that avatar images don't get broken when root-url changes + to different sub-url. This does not change avatar urls + in database, instead this [fixes url on the fly after + loading avatar url from database](https://github.com/wekan/wekan/commit/7e0bc1e33aef6dc0de11a595b81854623b417572). + Thanks to Caddy contributors and Github user xet7 for their contributions! # v1.34 2018-08-22 Wekan release -- cgit v1.2.3-1-g7c22 From d165733242eee22a1a2bb4e2bf451fa96857ef18 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 22 Aug 2018 22:19:06 +0300 Subject: - Add webhooks-attributes to Snap and Docker. Thanks to xet7 ! --- Dockerfile | 4 +++- docker-compose.yml | 3 +++ snap-src/bin/config | 6 +++++- snap-src/bin/wekan-help | 6 ++++++ 4 files changed, 17 insertions(+), 2 deletions(-) diff --git a/Dockerfile b/Dockerfile index 94528ec9..e3371d55 100644 --- a/Dockerfile +++ b/Dockerfile @@ -17,6 +17,7 @@ ARG MATOMO_DO_NOT_TRACK ARG MATOMO_WITH_USERNAME ARG BROWSER_POLICY_ENABLED ARG TRUSTED_URL +ARG WEBHOOKS_ATTRIBUTES # Set the environment variables (defaults where required) # DOES NOT WORK: paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303 @@ -36,7 +37,8 @@ ENV BUILD_DEPS="apt-utils gnupg gosu wget curl bzip2 build-essential python git MATOMO_DO_NOT_TRACK=true \ MATOMO_WITH_USERNAME=false \ BROWSER_POLICY_ENABLED=true \ - TRUSTED_URL="" + TRUSTED_URL="" \ + WEBHOOKS_ATTRIBUTES="" # Copy the app to the image COPY ${SRC_PATH} /home/wekan/app diff --git a/docker-compose.yml b/docker-compose.yml index 54866996..bf4d02cc 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -60,6 +60,9 @@ services: - BROWSER_POLICY_ENABLED=true # When browser policy is enabled, HTML code at this Trusted URL can have iframe that embeds Wekan inside. - TRUSTED_URL='' + # What to send to Outgoing Webhook, or leave out. Example, that includes all that are default: cardId,listId,oldListId,boardId,comment,user,card,commentId . + # example: WEBHOOKS_ATTRIBUTES=cardId,listId,oldListId,boardId,comment,user,card,commentId + - WEBHOOKS_ATTRIBUTES='' depends_on: - wekandb diff --git a/snap-src/bin/config b/snap-src/bin/config index 5a745184..85b71fa7 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -3,7 +3,7 @@ # All supported keys are defined here together with descriptions and default values # list of supported keys -keys="MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL" +keys="MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES" # default values DESCRIPTION_MONGODB_BIND_UNIX_SOCKET="mongodb binding unix socket:\n"\ @@ -77,3 +77,7 @@ KEY_BROWSER_POLICY_ENABLED="browser-policy-enabled" DESCRIPTION_TRUSTED_URL="When browser policy is enabled, HTML code at this Trusted URL can have iframe that embeds Wekan inside." DEFAULT_TRUSTED_URL="" KEY_TRUSTED_URL="trusted-url" + +DESCRIPTION_WEBHOOKS_ATTRIBUTES="What to send to Outgoing Webhook, or leave out. Example, that includes all that are default: cardId,listId,oldListId,boardId,comment,user,card,commentId ." +DEFAULT_WEBHOOKS_ATTRIBUTES="" +KEY_WEBHOOKS_ATTRIBUTES="webhooks-attributes" diff --git a/snap-src/bin/wekan-help b/snap-src/bin/wekan-help index 2cd0f037..76a27183 100755 --- a/snap-src/bin/wekan-help +++ b/snap-src/bin/wekan-help @@ -47,6 +47,12 @@ echo -e "\t$ snap set $SNAP_NAME TRUSTED_URL='https://example.com'" echo -e "\t-Disable the Trusted URL of Wekan:" echo -e "\t$ snap set $SNAP_NAME TRUSTED_URL=''" echo -e "\n" +echo -e "What to send to Outgoing Webhook, or leave out. Example, that includes all that are default: cardId,listId,oldListId,boardId,comment,user,card,commentId ." +echo -e "To enable the Webhooks Attributes of Wekan:" +echo -e "\t$ snap set $SNAP_NAME WEBHOOKS_ATTRIBUTES='cardId,listId,oldListId,boardId,comment,user,card,commentId'" +echo -e "\t-Disable the Webhooks Attributest of Wekan to send all default ones:" +echo -e "\t$ snap set $SNAP_NAME WEBHOOKS_ATTRIBUTES=''" +echo -e "\n" # parse config file for supported settings keys echo -e "wekan supports settings keys" echo -e "values can be changed by calling\n$ snap set $SNAP_NAME =''" -- cgit v1.2.3-1-g7c22 From 4ed2f29e303feddc5685f7bc8016525f4db5e80e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 22 Aug 2018 22:23:39 +0300 Subject: - Make the attributes that the webhook sends configurable. Thanks to omarsy and xet7 ! --- CHANGELOG.md | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index c69664e5..3526ddb4 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -12,6 +12,9 @@ Add Caddy plugins: for showing real X-Forwarded-For IP to behind proxy; - Turn off Caddy telemetry. +Add configuring webhooks: +- [Make the attributes that the webhook sends configurable](https://github.com/wekan/wekan/pull/1852). + and fixes the following bugs: - [Remove suburl from beginning of avatar file path](https://github.com/wekan/wekan/issues/1776), @@ -20,7 +23,7 @@ and fixes the following bugs: in database, instead this [fixes url on the fly after loading avatar url from database](https://github.com/wekan/wekan/commit/7e0bc1e33aef6dc0de11a595b81854623b417572). -Thanks to Caddy contributors and Github user xet7 for their contributions! +Thanks to Caddy contributors, and Github users omarsy and xet7 for their contributions! # v1.34 2018-08-22 Wekan release -- cgit v1.2.3-1-g7c22 From f170c116bba3abceef8741b2b74d8f4e4de99699 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 22 Aug 2018 22:35:52 +0300 Subject: Fix typo. --- snap-src/bin/wekan-help | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/snap-src/bin/wekan-help b/snap-src/bin/wekan-help index 76a27183..5117028d 100755 --- a/snap-src/bin/wekan-help +++ b/snap-src/bin/wekan-help @@ -50,7 +50,7 @@ echo -e "\n" echo -e "What to send to Outgoing Webhook, or leave out. Example, that includes all that are default: cardId,listId,oldListId,boardId,comment,user,card,commentId ." echo -e "To enable the Webhooks Attributes of Wekan:" echo -e "\t$ snap set $SNAP_NAME WEBHOOKS_ATTRIBUTES='cardId,listId,oldListId,boardId,comment,user,card,commentId'" -echo -e "\t-Disable the Webhooks Attributest of Wekan to send all default ones:" +echo -e "\t-Disable the Webhooks Attributes of Wekan to send all default ones:" echo -e "\t$ snap set $SNAP_NAME WEBHOOKS_ATTRIBUTES=''" echo -e "\n" # parse config file for supported settings keys -- cgit v1.2.3-1-g7c22 From 71b642a2ba95e932092abb83f7971a6bbed123bd Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 22 Aug 2018 22:42:17 +0300 Subject: Fix lint errors. --- client/components/users/userAvatar.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/components/users/userAvatar.js b/client/components/users/userAvatar.js index 5fb5d9df..4578d0b9 100644 --- a/client/components/users/userAvatar.js +++ b/client/components/users/userAvatar.js @@ -17,7 +17,7 @@ Template.userAvatar.helpers({ fixAvatarUrl(avatarUrl) { // Remove suburl from beginning of avatar file path, // so that avatar images don't get broken when root-url changes to different sub-url. - avatarUrl = '/' + avatarUrl.substring(avatarUrl.indexOf('/cfs/files/avatars/')+1); + avatarUrl = `/${ avatarUrl.substring(avatarUrl.indexOf('/cfs/files/avatars/')+1)}`; return avatarUrl; }, -- cgit v1.2.3-1-g7c22 From 1249bef93ef068539d075e98aff862539f702c2d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 22 Aug 2018 22:45:20 +0300 Subject: Fix typo. --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 3526ddb4..8035cd78 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -23,7 +23,7 @@ and fixes the following bugs: in database, instead this [fixes url on the fly after loading avatar url from database](https://github.com/wekan/wekan/commit/7e0bc1e33aef6dc0de11a595b81854623b417572). -Thanks to Caddy contributors, and Github users omarsy and xet7 for their contributions! +Thanks to Caddy contributors, and Github users omarsy and xet7 for their contributions. # v1.34 2018-08-22 Wekan release -- cgit v1.2.3-1-g7c22 From d2c3ecdbcd6324f153dc6ab8d181c1634aea7c76 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 22 Aug 2018 22:46:56 +0300 Subject: Fix typos. --- CHANGELOG.md | 7 +++++-- 1 file changed, 5 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 8035cd78..5addda76 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -27,13 +27,16 @@ Thanks to Caddy contributors, and Github users omarsy and xet7 for their contrib # v1.34 2018-08-22 Wekan release -This release fixes the following bugs: +This release add the following new features: + +- [Add Favicon for pinned tab on Safari browser](https://github.com/wekan/wekan/issues/1795). + +and fixes the following bugs: - [Restored SMTP settings at Admin Panel, and disabled showing password](https://github.com/wekan/wekan/issues/1790); - [Move color labels on minicard to bottom of minicard](https://github.com/wekan/wekan/issues/1842); - [Fix and improve linked cards](https://github.com/wekan/wekan/pull/1849); - [Allow Sandstorm to serve Wekan HTTP API](https://github.com/wekan/wekan/pull/1851); -- [Add Favicon for pinned tab on Safari browser](https://github.com/wekan/wekan/issues/1795). Thanks to GitHub users andresmanelli, ocdtrekkie, therampagerado, woodyart and xet7 for their contributions. -- cgit v1.2.3-1-g7c22 From dfd26e4843028ab77bd103ed3c207f353eaad10f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 22 Aug 2018 23:58:47 +0300 Subject: - Remove avatar url fix javascript version, it breaks too easily. Same can be done with Caddy. Thanks to xet7 ! Closes #1776, closes #386 --- CHANGELOG.md | 8 -------- client/components/users/userAvatar.jade | 2 +- client/components/users/userAvatar.js | 7 ------- 3 files changed, 1 insertion(+), 16 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 5addda76..6e7dcdee 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -15,14 +15,6 @@ Add Caddy plugins: Add configuring webhooks: - [Make the attributes that the webhook sends configurable](https://github.com/wekan/wekan/pull/1852). -and fixes the following bugs: - -- [Remove suburl from beginning of avatar file path](https://github.com/wekan/wekan/issues/1776), - so that avatar images don't get broken when root-url changes - to different sub-url. This does not change avatar urls - in database, instead this [fixes url on the fly after - loading avatar url from database](https://github.com/wekan/wekan/commit/7e0bc1e33aef6dc0de11a595b81854623b417572). - Thanks to Caddy contributors, and Github users omarsy and xet7 for their contributions. # v1.34 2018-08-22 Wekan release diff --git a/client/components/users/userAvatar.jade b/client/components/users/userAvatar.jade index c61ade21..ebfa48ba 100644 --- a/client/components/users/userAvatar.jade +++ b/client/components/users/userAvatar.jade @@ -1,7 +1,7 @@ template(name="userAvatar") a.member.js-member(title="{{userData.profile.fullname}} ({{userData.username}})") if userData.profile.avatarUrl - img.avatar.avatar-image(src="{{fixAvatarUrl userData.profile.avatarUrl}}") + img.avatar.avatar-image(src="{{userData.profile.avatarUrl}}") else +userAvatarInitials(userId=userData._id) diff --git a/client/components/users/userAvatar.js b/client/components/users/userAvatar.js index 4578d0b9..91cad237 100644 --- a/client/components/users/userAvatar.js +++ b/client/components/users/userAvatar.js @@ -14,13 +14,6 @@ Template.userAvatar.helpers({ }); }, - fixAvatarUrl(avatarUrl) { - // Remove suburl from beginning of avatar file path, - // so that avatar images don't get broken when root-url changes to different sub-url. - avatarUrl = `/${ avatarUrl.substring(avatarUrl.indexOf('/cfs/files/avatars/')+1)}`; - return avatarUrl; - }, - memberType() { const user = Users.findOne(this.userId); return user && user.isBoardAdmin() ? 'admin' : 'normal'; -- cgit v1.2.3-1-g7c22 From 511d1973eb2050dce7ef24de1429ebf73c7ca282 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 23 Aug 2018 00:02:00 +0300 Subject: Add webhooks-attributes to Sandstorm. Thanks to xet7 ! --- sandstorm-pkgdef.capnp | 1 + 1 file changed, 1 insertion(+) diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index d6a35cb5..19fa19a3 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -244,6 +244,7 @@ const myCommand :Spk.Manifest.Command = ( (key = "MATOMO_WITH_USERNAME", value="false"), (key = "BROWSER_POLICY_ENABLED", value="true"), (key = "TRUSTED_URL", value=""), + (key = "WEBHOOKS_ATTRIBUTES", value=""), (key = "SANDSTORM", value = "1"), (key = "METEOR_SETTINGS", value = "{\"public\": {\"sandstorm\": true}}") ] -- cgit v1.2.3-1-g7c22 From 13db2fd7b2652eef081cb50d30d0a132ecd06157 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 23 Aug 2018 00:06:15 +0300 Subject: v1.35 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 6e7dcdee..067a22c7 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.35 2018-08-23 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index b39eacf6..6f2812f8 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.34.0", + "version": "1.35.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 19fa19a3..cb8bbb5f 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 119, + appVersion = 120, # Increment this for every release. - appMarketingVersion = (defaultText = "1.34.0~2018-08-22"), + appMarketingVersion = (defaultText = "1.35.0~2018-08-23"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 1296fce72a57fd696437ff4d72a2f622aed69269 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 23 Aug 2018 16:58:07 +0300 Subject: - Move labels back to original place at minicard. Thanks to hever and xet7 ! Closes #1842 --- client/components/cards/minicard.jade | 9 ++++----- 1 file changed, 4 insertions(+), 5 deletions(-) diff --git a/client/components/cards/minicard.jade b/client/components/cards/minicard.jade index 738cb598..37f537db 100644 --- a/client/components/cards/minicard.jade +++ b/client/components/cards/minicard.jade @@ -4,6 +4,10 @@ template(name="minicard") class="{{#if isLinkedBoard}}linked-board{{/if}}") if cover .minicard-cover(style="background-image: url('{{cover.url}}');") + if labels + .minicard-labels + each labels + .minicard-label(class="card-label-{{color}}" title="{{name}}") .minicard-title if $eq 'prefix-with-full-path' currentBoard.presentParentTask .parent-prefix @@ -76,8 +80,3 @@ template(name="minicard") .badge(class="{{#if checklistFinished}}is-finished{{/if}}") span.badge-icon.fa.fa-check-square-o span.badge-text.check-list-text {{checklistFinishedCount}}/{{checklistItemCount}} - - if labels - .minicard-labels - each labels - .minicard-label(class="card-label-{{color}}" title="{{name}}") -- cgit v1.2.3-1-g7c22 From 3d76b8e1c16fd6ddaddafc1560ab78791604b45e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 23 Aug 2018 17:01:38 +0300 Subject: - Move labels back to original place at minicard. Thanks to hever and xet7 ! Closes #1842 --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 067a22c7..696ea9a3 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- [Move labels back to original place at minicard](https://github.com/wekan/wekan/issues/1842). + +Thanks to GitHub users hever and xet7 for their contributions. + # v1.35 2018-08-23 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From fdc168a4766f23db69df5515e556b1219402c268 Mon Sep 17 00:00:00 2001 From: Thomas Levine <_@thomaslevine.com> Date: Fri, 24 Aug 2018 10:07:05 +0000 Subject: I corrected typos in security documentation. --- SECURITY.md | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/SECURITY.md b/SECURITY.md index 4e73c281..0379a475 100644 --- a/SECURITY.md +++ b/SECURITY.md @@ -1,4 +1,4 @@ -Security is very important to us. If discover any issue regarding security, please disclose +Security is very important to us. If you discover any issue regarding security, please disclose the information responsibly by sending an email to security (at) wekan.team and not by creating a GitHub issue. We will respond swiftly to fix verifiable security issues. @@ -28,7 +28,7 @@ added to the Wekan Hall of Fame. ## Which domains are in scope? -No any public domains, because all those are donated to Wekan Open Source project, +No public domains, because all those are donated to Wekan Open Source project, and we don't have any permissions to do security scans on those donated servers. Please don't perform research that could impact other users. Secondly, please keep @@ -39,7 +39,7 @@ and scan it's vulnerabilities there. ## About Wekan versions -There is only 2 versions of Wekan: Standalone Wekan, and Sandstorm Wekan. +There are only 2 versions of Wekan: Standalone Wekan, and Sandstorm Wekan. ### Standalone Wekan Security -- cgit v1.2.3-1-g7c22 From c0957ce173462a01c61318d0209e53a0f23a79c6 Mon Sep 17 00:00:00 2001 From: Thomas Levine <_@thomaslevine.com> Date: Fri, 24 Aug 2018 10:08:46 +0000 Subject: I removed the period from a non-sentence. --- SECURITY.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/SECURITY.md b/SECURITY.md index 0379a475..03f5e7da 100644 --- a/SECURITY.md +++ b/SECURITY.md @@ -29,7 +29,7 @@ added to the Wekan Hall of Fame. ## Which domains are in scope? No public domains, because all those are donated to Wekan Open Source project, -and we don't have any permissions to do security scans on those donated servers. +and we don't have any permissions to do security scans on those donated servers Please don't perform research that could impact other users. Secondly, please keep the reports short and succinct. If we fail to understand the logics of your bug, we will tell you. -- cgit v1.2.3-1-g7c22 From 39312a075e5746ddeccbf3fc22df7177a86ba4d5 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 25 Aug 2018 00:49:02 +0300 Subject: - [OAuth2 Login on Standalone Wekan](https://github.com/wekan/wekan/wiki/OAuth2). For example, Rocket.Chat can provide OAuth2 login to Wekan. Also, if you have Rocket.Chat using LDAP/SAML/Google/etc for logging into Rocket.Chat, then same users can login to Wekan when Rocket.Chat is providing OAuth2 login to Wekan. Thanks to salleman33 and xet7 ! Closes #234 --- .meteor/versions | 5 +++++ CHANGELOG.md | 10 ++++++++-- Dockerfile | 14 +++++++++++++- docker-compose.yml | 19 +++++++++++++++++++ models/users.js | 17 +++++++---------- server/authentication.js | 34 +++++++++++++++++++--------------- snap-src/bin/config | 27 ++++++++++++++++++++++++++- snap-src/bin/wekan-help | 42 ++++++++++++++++++++++++++++++++++++++++++ 8 files changed, 139 insertions(+), 29 deletions(-) diff --git a/.meteor/versions b/.meteor/versions index f3470d97..c116172a 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -1,5 +1,6 @@ 3stack:presence@1.1.2 accounts-base@1.4.0 +accounts-oauth@1.1.15 accounts-password@1.5.0 aldeed:collection2@2.10.0 aldeed:collection2-core@1.2.0 @@ -119,6 +120,8 @@ mquandalle:mousetrap-bindglobal@0.0.1 mquandalle:perfect-scrollbar@0.6.5_2 npm-bcrypt@0.9.3 npm-mongo@2.2.33 +oauth@1.2.1 +oauth2@1.2.0 observe-sequence@1.0.16 ongoworks:speakingurl@1.1.0 ordered-dict@1.0.9 @@ -140,6 +143,8 @@ reload@1.1.11 retry@1.0.9 routepolicy@1.0.12 rzymek:fullcalendar@3.8.0 +salleman:accounts-oidc@1.0.9 +salleman:oidc@1.0.9 service-configuration@1.0.11 session@1.1.7 sha@1.0.9 diff --git a/CHANGELOG.md b/CHANGELOG.md index 696ea9a3..c94bd36f 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,10 +1,16 @@ # Upcoming Wekan release -This release fixes the following bugs: +This release adds the following new features: + +- [OAuth2 Login on Standalone Wekan](https://github.com/wekan/wekan/wiki/OAuth2). For example, Rocket.Chat can provide OAuth2 login to Wekan. + Also, if you have Rocket.Chat using LDAP/SAML/Google/etc for logging into Rocket.Chat, then same users can login to Wekan when + Rocket.Chat is providing OAuth2 login to Wekan. + +and fixes the following bugs: - [Move labels back to original place at minicard](https://github.com/wekan/wekan/issues/1842). -Thanks to GitHub users hever and xet7 for their contributions. +Thanks to GitHub users hever, salleman33 and xet7 for their contributions. # v1.35 2018-08-23 Wekan release diff --git a/Dockerfile b/Dockerfile index e3371d55..eae85b1e 100644 --- a/Dockerfile +++ b/Dockerfile @@ -18,6 +18,12 @@ ARG MATOMO_WITH_USERNAME ARG BROWSER_POLICY_ENABLED ARG TRUSTED_URL ARG WEBHOOKS_ATTRIBUTES +ARG OAUTH2_CLIENT_ID +ARG OAUTH2_SECRET +ARG OAUTH2_SERVER_URL +ARG OAUTH2_AUTH_ENDPOINT +ARG OAUTH2_USERINFO_ENDPOINT +ARG OAUTH2_TOKEN_ENDPOINT # Set the environment variables (defaults where required) # DOES NOT WORK: paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303 @@ -38,7 +44,13 @@ ENV BUILD_DEPS="apt-utils gnupg gosu wget curl bzip2 build-essential python git MATOMO_WITH_USERNAME=false \ BROWSER_POLICY_ENABLED=true \ TRUSTED_URL="" \ - WEBHOOKS_ATTRIBUTES="" + WEBHOOKS_ATTRIBUTES="" \ + OAUTH2_CLIENT_ID="" \ + OAUTH2_SECRET="" \ + OAUTH2_SERVER_URL="" \ + OAUTH2_AUTH_ENDPOINT="" \ + OAUTH2_USERINFO_ENDPOINT="" \ + OAUTH2_TOKEN_ENDPOINT="" # Copy the app to the image COPY ${SRC_PATH} /home/wekan/app diff --git a/docker-compose.yml b/docker-compose.yml index bf4d02cc..99633265 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -63,6 +63,25 @@ services: # What to send to Outgoing Webhook, or leave out. Example, that includes all that are default: cardId,listId,oldListId,boardId,comment,user,card,commentId . # example: WEBHOOKS_ATTRIBUTES=cardId,listId,oldListId,boardId,comment,user,card,commentId - WEBHOOKS_ATTRIBUTES='' + # OAuth2 docs: https://github.com/wekan/wekan/wiki/OAuth2 + # OAuth2 Client ID, for example from Rocket.Chat. Example: abcde12345 + # example: OAUTH2_CLIENT_ID=abcde12345 + - OAUTH2_CLIENT_ID='' + # OAuth2 Secret, for example from Rocket.Chat: Example: 54321abcde + # example: OAUTH2_SECRET=54321abcde + - OAUTH2_SECRET='' + # OAuth2 Server URL, for example Rocket.Chat. Example: https://chat.example.com + # example: OAUTH2_SERVER_URL=https://chat.example.com + - OAUTH2_SERVER_URL='' + # OAuth2 Authorization Endpoint. Example: /oauth/authorize + # example: OAUTH2_AUTH_ENDPOINT=/oauth/authorize + - OAUTH2_AUTH_ENDPOINT='' + # OAuth2 Userinfo Endpoint. Example: /oauth/userinfo + # example: OAUTH2_USERINFO_ENDPOINT=/oauth/userinfo + - OAUTH2_USERINFO_ENDPOINT='' + # OAuth2 Token Endpoint. Example: /oauth/token + # example: OAUTH2_TOKEN_ENDPOINT=/oauth/token + - OAUTH2_TOKEN_ENDPOINT='' depends_on: - wekandb diff --git a/models/users.js b/models/users.js index 6e83337e..1b1b79e1 100644 --- a/models/users.js +++ b/models/users.js @@ -479,23 +479,20 @@ if (Meteor.isServer) { } if (user.services.oidc) { - var email = user.services.oidc.email.toLowerCase(); - + const email = user.services.oidc.email.toLowerCase(); + user.username = user.services.oidc.username; - user.emails = [{ address: email, - verified: true }]; - var initials = user.services.oidc.fullname.match(/\b[a-zA-Z]/g).join('').toUpperCase(); - user.profile = { initials: initials, fullname: user.services.oidc.fullname }; + user.emails = [{ address: email, verified: true }]; + const initials = user.services.oidc.fullname.match(/\b[a-zA-Z]/g).join('').toUpperCase(); + user.profile = { initials, fullname: user.services.oidc.fullname }; // see if any existing user has this email address or username, otherwise create new - var existingUser = Meteor.users.findOne({$or: [{'emails.address': email}, {'username':user.username}]}); - console.log("user to create : "); - console.log(user); + const existingUser = Meteor.users.findOne({$or: [{'emails.address': email}, {'username':user.username}]}); if (!existingUser) return user; // copy across new service info - var service = _.keys(user.services)[0]; + const service = _.keys(user.services)[0]; existingUser.services[service] = user.services[service]; existingUser.emails = user.emails; existingUser.username = user.username; diff --git a/server/authentication.js b/server/authentication.js index a6872376..6310e8df 100644 --- a/server/authentication.js +++ b/server/authentication.js @@ -63,23 +63,27 @@ Meteor.startup(() => { }; if (Meteor.isServer) { - ServiceConfiguration.configurations.upsert( - { service: 'oidc' }, - { - $set: { - loginStyle: 'redirect', - clientId: 'CLIENT_ID', - secret: 'SECRET', - serverUrl: 'https://my-server', - authorizationEndpoint: '/oauth/authorize', - userinfoEndpoint: '/oauth/userinfo', - tokenEndpoint: '/oauth/token', - idTokenWhitelistFields: [], - requestPermissions: ['openid'] + + if(process.env.OAUTH2_CLIENT_ID !== '') { + + ServiceConfiguration.configurations.upsert( // eslint-disable-line no-undef + { service: 'oidc' }, + { + $set: { + loginStyle: 'redirect', + clientId: process.env.OAUTH2_CLIENT_ID, + secret: process.env.OAUTH2_SECRET, + serverUrl: process.env.OAUTH2_SERVER_URL, + authorizationEndpoint: process.env.OAUTH2_AUTH_ENDPOINT, + userinfoEndpoint: process.env.OAUTH2_USERINFO_ENDPOINT, + tokenEndpoint: process.env.OAUTH2_TOKEN_ENDPOINT, + idTokenWhitelistFields: [], + requestPermissions: ['openid'], + }, } - } - ); + ); } + } }); diff --git a/snap-src/bin/config b/snap-src/bin/config index 85b71fa7..ffc39459 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -3,7 +3,7 @@ # All supported keys are defined here together with descriptions and default values # list of supported keys -keys="MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES" +keys="MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT" # default values DESCRIPTION_MONGODB_BIND_UNIX_SOCKET="mongodb binding unix socket:\n"\ @@ -81,3 +81,28 @@ KEY_TRUSTED_URL="trusted-url" DESCRIPTION_WEBHOOKS_ATTRIBUTES="What to send to Outgoing Webhook, or leave out. Example, that includes all that are default: cardId,listId,oldListId,boardId,comment,user,card,commentId ." DEFAULT_WEBHOOKS_ATTRIBUTES="" KEY_WEBHOOKS_ATTRIBUTES="webhooks-attributes" + +DESCRIPTION_OAUTH2_CLIENT_ID="OAuth2 Client ID, for example from Rocket.Chat. Example: abcde12345" +DEFAULT_OAUTH2_CLIENT_ID="" +KEY_OAUTH2_CLIENT_ID="oauth2-client-id" + +DESCRIPTION_OAUTH2_SECRET="OAuth2 Secret, for example from Rocket.Chat: Example: 54321abcde" +DEFAULT_OAUTH2_SECRET="" +KEY_OAUTH2_SECRET="oauth2-secret" + +DESCRIPTION_OAUTH2_SERVER_URL="OAuth2 Server URL, for example Rocket.Chat. Example: https://chat.example.com" +DEFAULT_OAUTH2_SERVER_URL="" +KEY_OAUTH2_SERVER_URL="oauth2-server-url" + +DESCRIPTION_OAUTH2_AUTH_ENDPOINT="OAuth2 authorization endpoint. Example: /oauth/authorize" +DEFAULT_OAUTH2_AUTH_ENDPOINT="" +KEY_OAUTH2_AUTH_ENDPOINT="oauth2-auth-endpoint" + +DESCRIPTION_OAUTH2_USERINFO_ENDPOINT="OAuth2 userinfo endpoint. Example: /oauth/userinfo" +DEFAULT_OAUTH2_USERINFO_ENDPOINT="" +KEY_OAUTH2_USERINFO_ENDPOINT="oauth2-userinfo-endpoint" + +DESCRIPTION_OAUTH2_TOKEN_ENDPOINT="OAuth2 token endpoint. Example: /oauth/token" +DEFAULT_OAUTH2_TOKEN_ENDPOINT="" +KEY_OAUTH2_TOKEN_ENDPOINT="oauth2-token-endpoint" + diff --git a/snap-src/bin/wekan-help b/snap-src/bin/wekan-help index 5117028d..8edaf24f 100755 --- a/snap-src/bin/wekan-help +++ b/snap-src/bin/wekan-help @@ -53,6 +53,48 @@ echo -e "\t$ snap set $SNAP_NAME WEBHOOKS_ATTRIBUTES='cardId,listId,oldListId,bo echo -e "\t-Disable the Webhooks Attributes of Wekan to send all default ones:" echo -e "\t$ snap set $SNAP_NAME WEBHOOKS_ATTRIBUTES=''" echo -e "\n" +echo -e "OAuth2 Client ID, for example from Rocket.Chat. Example: abcde12345" +echo -e "To enable the OAuth2 Client ID of Wekan:" +echo -e "\t$ snap set $SNAP_NAME OAUTH2_CLIENT_ID='54321abcde'" +echo -e "\t-Disable the OAuth2 Client ID of Wekan:" +echo -e "\t$ snap set $SNAP_NAME OAUTH2_CLIENT_ID=''" +echo -e "\n" +echo -e "OAuth2 Secret, for example from Rocket.Chat. Example: 54321abcde" +echo -e "To enable the OAuth2 Secret of Wekan:" +echo -e "\t$ snap set $SNAP_NAME OAUTH2_SECRET='54321abcde'" +echo -e "\t-Disable the OAuth2 Secret of Wekan:" +echo -e "\t$ snap set $SNAP_NAME OAUTH2_SECRET=''" +echo -e "\n" +echo -e "OAuth2 Server URL, for example Rocket.Chat. Example: https://chat.example.com" +echo -e "To enable the OAuth2 Server URL of Wekan:" +echo -e "\t$ snap set $SNAP_NAME OAUTH2_SERVER_URL='https://chat.example.com'" +echo -e "\t-Disable the OAuth2 Server URL of Wekan:" +echo -e "\t$ snap set $SNAP_NAME OAUTH2_SERVER_URL=''" +echo -e "\n" +echo -e "OAuth2 Server URL, for example Rocket.Chat. Example: https://chat.example.com" +echo -e "To enable the OAuth2 Server URL of Wekan:" +echo -e "\t$ snap set $SNAP_NAME OAUTH2_SERVER_URL='https://chat.example.com'" +echo -e "\t-Disable the OAuth2 Server URL of Wekan:" +echo -e "\t$ snap set $SNAP_NAME OAUTH2_SERVER_URL=''" +echo -e "\n" +echo -e "OAuth2 Authorization Endpoint. Example: /oauth/authorize"" +echo -e "To enable the OAuth2 Authorization Endpoint of Wekan:" +echo -e "\t$ snap set $SNAP_NAME OAUTH2_AUTH_ENDPOINT='/oauth/authorize'" +echo -e "\t-Disable the OAuth2 Authorization Endpoint of Wekan:" +echo -e "\t$ snap set $SNAP_NAME OAUTH2_AUTH_ENDPOINT=''" +echo -e "\n" +echo -e "OAuth2 Userinfo Endpoint. Example: /oauth/userinfo"" +echo -e "To enable the OAuth2 Userinfo Endpoint of Wekan:" +echo -e "\t$ snap set $SNAP_NAME OAUTH2_USERINFO_ENDPOINT='/oauth/authorize'" +echo -e "\t-Disable the OAuth2 Userinfo Endpoint of Wekan:" +echo -e "\t$ snap set $SNAP_NAME OAUTH2_USERINFO_ENDPOINT=''" +echo -e "\n" +echo -e "OAuth2 Token Endpoint. Example: /oauth/token"" +echo -e "To enable the OAuth2 Token Endpoint of Wekan:" +echo -e "\t$ snap set $SNAP_NAME OAUTH2_TOKEN_ENDPOINT='/oauth/token'" +echo -e "\t-Disable the OAuth2 Token Endpoint of Wekan:" +echo -e "\t$ snap set $SNAP_NAME OAUTH2_TOKEN_ENDPOINT=''" +echo -e "\n" # parse config file for supported settings keys echo -e "wekan supports settings keys" echo -e "values can be changed by calling\n$ snap set $SNAP_NAME =''" -- cgit v1.2.3-1-g7c22 From f85a05e4549dce037aedbb9506eee4b3540e2a28 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 25 Aug 2018 01:01:45 +0300 Subject: - Fix typos in security documentation. Thanks to tlevine ! Related https://github.com/wekan/wekan/pull/1857 --- CHANGELOG.md | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index c94bd36f..7831f8e7 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -8,9 +8,10 @@ This release adds the following new features: and fixes the following bugs: -- [Move labels back to original place at minicard](https://github.com/wekan/wekan/issues/1842). +- [Move labels back to original place at minicard](https://github.com/wekan/wekan/issues/1842); +- [Fix typos in security documentation](https://github.com/wekan/wekan/pull/1857). -Thanks to GitHub users hever, salleman33 and xet7 for their contributions. +Thanks to GitHub users hever, salleman33, tlevine and xet7 for their contributions. # v1.35 2018-08-23 Wekan release -- cgit v1.2.3-1-g7c22 From c36509095a4f44718df1ebbd0f09aedff5febc39 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 25 Aug 2018 01:11:18 +0300 Subject: Add empty oauth2 settings to Sandstorm. --- sandstorm-pkgdef.capnp | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index cb8bbb5f..eb4bc006 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -245,6 +245,12 @@ const myCommand :Spk.Manifest.Command = ( (key = "BROWSER_POLICY_ENABLED", value="true"), (key = "TRUSTED_URL", value=""), (key = "WEBHOOKS_ATTRIBUTES", value=""), + (key = "OAUTH2_CLIENT_ID", value=""), + (key = "OAUTH2_SECRET", value=""), + (key = "OAUTH2_SERVER_URL", value=""), + (key = "OAUTH2_AUTH_ENDPOINT", value=""), + (key = "OAUTH2_USERINFO_ENDPOINT", value=""), + (key = "OAUTH2_TOKEN_ENDPOINT", value=""), (key = "SANDSTORM", value = "1"), (key = "METEOR_SETTINGS", value = "{\"public\": {\"sandstorm\": true}}") ] -- cgit v1.2.3-1-g7c22 From 23c27f9e0769265f5bb1f9d770290afef2dfb316 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 25 Aug 2018 01:22:50 +0300 Subject: v1.36 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 7831f8e7..5ff980d9 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.36 2018-08-25 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index 6f2812f8..96fe2878 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.35.0", + "version": "1.36.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index eb4bc006..9586a991 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 120, + appVersion = 121, # Increment this for every release. - appMarketingVersion = (defaultText = "1.35.0~2018-08-23"), + appMarketingVersion = (defaultText = "1.36.0~2018-08-25"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 379f1af89ef9dac5b2911d9f1562521fdcc6bae2 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 27 Aug 2018 19:34:34 +0300 Subject: Update translations. --- i18n/it.i18n.json | 66 +++++++++++++++++++++++++++---------------------------- 1 file changed, 33 insertions(+), 33 deletions(-) diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index b4d13dbe..9447819c 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -2,7 +2,7 @@ "accept": "Accetta", "act-activity-notify": "[Wekan] Notifiche attività", "act-addAttachment": "ha allegato __attachment__ a __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", + "act-addSubtask": "ha aggiunto il sotto compito__checklist__in_card__", "act-addChecklist": "aggiunta checklist __checklist__ a __card__", "act-addChecklistItem": "aggiunto __checklistItem__ alla checklist __checklist__ di __card__", "act-addComment": "ha commentato su __card__: __comment__", @@ -42,7 +42,7 @@ "activity-removed": "rimosso %s da %s", "activity-sent": "inviato %s a %s", "activity-unjoined": "ha abbandonato %s", - "activity-subtask-added": "added subtask to %s", + "activity-subtask-added": "aggiunto il sottocompito a 1%s", "activity-checklist-added": "aggiunta checklist a %s", "activity-checklist-item-added": "Aggiunto l'elemento checklist a '%s' in %s", "add": "Aggiungere", @@ -50,7 +50,7 @@ "add-board": "Aggiungi Bacheca", "add-card": "Aggiungi Scheda", "add-swimlane": "Aggiungi Corsia", - "add-subtask": "Add Subtask", + "add-subtask": "Aggiungi sotto-compito", "add-checklist": "Aggiungi Checklist", "add-checklist-item": "Aggiungi un elemento alla checklist", "add-cover": "Aggiungi copertina", @@ -103,13 +103,13 @@ "boardMenuPopup-title": "Menu bacheca", "boards": "Bacheche", "board-view": "Visualizza bacheca", - "board-view-cal": "Calendar", + "board-view-cal": "Calendario", "board-view-swimlanes": "Corsie", "board-view-lists": "Liste", "bucket-example": "Per esempio come \"una lista di cose da fare\"", "cancel": "Cancella", "card-archived": "Questa scheda è stata spostata nel cestino.", - "board-archived": "This board is moved to Recycle Bin.", + "board-archived": "Questa bacheca è stata spostata nel cestino.", "card-comments-title": "Questa scheda ha %s commenti.", "card-delete-notice": "L'eliminazione è permanente. Tutte le azioni associate a questa scheda andranno perse.", "card-delete-pop": "Tutte le azioni saranno rimosse dal flusso attività e non sarai in grado di riaprire la scheda. Non potrai tornare indietro.", @@ -135,10 +135,10 @@ "cardMorePopup-title": "Altro", "cards": "Schede", "cards-count": "Schede", - "casSignIn": "Sign In with CAS", - "cardType-card": "Card", - "cardType-linkedCard": "Linked Card", - "cardType-linkedBoard": "Linked Board", + "casSignIn": "Entra con CAS", + "cardType-card": "Scheda", + "cardType-linkedCard": "Scheda collegata", + "cardType-linkedBoard": "Bacheca collegata", "change": "Cambia", "change-avatar": "Cambia avatar", "change-password": "Cambia password", @@ -149,7 +149,7 @@ "changePasswordPopup-title": "Cambia password", "changePermissionsPopup-title": "Cambia permessi", "changeSettingsPopup-title": "Cambia impostazioni", - "subtasks": "Subtasks", + "subtasks": "Sotto-compiti", "checklists": "Checklist", "click-to-star": "Clicca per stellare questa bacheca", "click-to-unstar": "Clicca per togliere la stella da questa bacheca", @@ -172,11 +172,11 @@ "comment-only": "Solo commenti", "comment-only-desc": "Puoi commentare solo le schede.", "computer": "Computer", - "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", + "confirm-subtask-delete-dialog": "Sei sicuro di voler eliminare il sotto-compito?", + "confirm-checklist-delete-dialog": "Sei sicuro di voler eliminare la checklist?", "copy-card-link-to-clipboard": "Copia link della scheda sulla clipboard", - "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "linkCardPopup-title": "Collega scheda", + "searchCardPopup-title": "Cerca scheda", "copyCardPopup-title": "Copia Scheda", "copyChecklistToManyCardsPopup-title": "Copia template checklist su più schede", "copyChecklistToManyCardsPopup-instructions": "Titolo e la descrizione della scheda di destinazione in questo formato JSON", @@ -260,14 +260,14 @@ "filter-on-desc": "Stai filtrando le schede su questa bacheca. Clicca qui per modificare il filtro,", "filter-to-selection": "Seleziona", "advanced-filter-label": "Filtro avanzato", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Il filtro avanzato permette di scrivere una stringa contenente i seguenti operatori: == != <= >= && || ( ) Uno spazio è usato come separatore tra gli operatori. Si può filtrare per tutti i campi personalizzati, scrivendo i loro nomi e valori. Per esempio: Campo1 == Valore1. Nota: Se i campi o i valori contengono spazi, è necessario incapsularli all'interno di paici singoli. Per esempio: 'Campo 1' == 'Valore 1'. Per i singoli caratteri di controllo (' V) che devono essere ignorati, si può usare \\. Per esempio: C1 == Campo1 == L'\\ho. Si possono anche combinare condizioni multiple. Per esempio: C1 == V1 || C1 ==V2. Di norma tutti gli operatori vengono lettti da sinistra a destra. Si può cambiare l'ordine posizionando delle parentesi. Per esempio: C1 == V1 && ( C2 == V2 || C2 == V3) . Inoltre è possibile cercare nei campi di testo usando le espressioni regolari (n.d.t. regex): F1 ==/Tes.*/i", "fullname": "Nome completo", "header-logo-title": "Torna alla tua bacheca.", "hide-system-messages": "Nascondi i messaggi di sistema", "headerBarCreateBoardPopup-title": "Crea bacheca", "home": "Home", "import": "Importa", - "link": "Link", + "link": "Collegamento", "import-board": "Importa bacheca", "import-board-c": "Importa bacheca", "import-board-title-trello": "Importa una bacheca da Trello", @@ -489,21 +489,21 @@ "delete-board-confirm-popup": "Tutte le liste, schede, etichette e azioni saranno rimosse e non sarai più in grado di recuperare il contenuto della bacheca. L'azione non è annullabile.", "boardDeletePopup-title": "Eliminare la bacheca?", "delete-board": "Elimina bacheca", - "default-subtasks-board": "Subtasks for __board__ board", - "default": "Default", - "queue": "Queue", - "subtask-settings": "Subtasks Settings", - "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", - "show-subtasks-field": "Cards can have subtasks", - "deposit-subtasks-board": "Deposit subtasks to this board:", - "deposit-subtasks-list": "Landing list for subtasks deposited here:", - "show-parent-in-minicard": "Show parent in minicard:", - "prefix-with-full-path": "Prefix with full path", - "prefix-with-parent": "Prefix with parent", - "subtext-with-full-path": "Subtext with full path", - "subtext-with-parent": "Subtext with parent", - "change-card-parent": "Change card's parent", - "parent-card": "Parent card", - "source-board": "Source board", - "no-parent": "Don't show parent" + "default-subtasks-board": "Sottocompiti per la bacheca __board__", + "default": "Predefinito", + "queue": "Coda", + "subtask-settings": "Impostazioni sotto-compiti", + "boardSubtaskSettingsPopup-title": "Impostazioni sotto-compiti della bacheca", + "show-subtasks-field": "Le schede posso avere dei sotto-compiti", + "deposit-subtasks-board": "Deposita i sotto compiti in questa bacheca", + "deposit-subtasks-list": "Lista di destinaizoni per questi sotto-compiti", + "show-parent-in-minicard": "Mostra genirotri nelle mini schede:", + "prefix-with-full-path": "Prefisso con percorso completo", + "prefix-with-parent": "Prefisso con genitore", + "subtext-with-full-path": "Sottotesto con percorso completo", + "subtext-with-parent": "Sotto-testo con genitore", + "change-card-parent": "Cambia la scheda genitore", + "parent-card": "Scheda genitore", + "source-board": "Bacheca d'origine", + "no-parent": "Non mostrare i genitori" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 8fae6765514f3c0428d36dc41fe6b482e6744211 Mon Sep 17 00:00:00 2001 From: Deven Phillips Date: Tue, 28 Aug 2018 11:58:52 -0400 Subject: Add route to template and parameterize --- openshift/wekan.yml | 35 ++++++++++++++++++++++++++++++++++- 1 file changed, 34 insertions(+), 1 deletion(-) diff --git a/openshift/wekan.yml b/openshift/wekan.yml index dd23f6ea..95210746 100644 --- a/openshift/wekan.yml +++ b/openshift/wekan.yml @@ -147,7 +147,7 @@ objects: - name: MONGO_URL value: mongodb://${MONGODB_USER}:${MONGODB_PASSWORD}@${DATABASE_SERVICE_NAME}:27017/${MONGODB_DATABASE} - name: ROOT_URL - value: http://localhost + value: https://${FQDN}/ - name: PORT value: "8080" ports: @@ -277,7 +277,40 @@ objects: type: ImageChange - type: ConfigChange status: {} +- apiVersion: route.openshift.io/v1 + kind: Route + metadata: + labels: + app: wekan + service: wekan + template: wekan-mongodb-persistent-template + name: wekan + namespace: ${NAMESPACE} + spec: + host: wekan-labs-ci-cd.apps.d1.casl.rht-labs.com + port: + targetPort: wekan + tls: + termination: edge + to: + kind: Service + name: wekan + weight: 100 + wildcardPolicy: None + status: + ingress: + - conditions: + - lastTransitionTime: '2018-08-28T14:45:21Z' + status: 'True' + type: Admitted + host: ${FQDN} + routerName: router + wildcardPolicy: None parameters: +- description: The Fully Qualified Hostname (FQDN) of the application + displayName: FQDN + name: FQDN + required: true - description: Maximum amount of memory the container can use. displayName: Memory Limit name: MEMORY_LIMIT -- cgit v1.2.3-1-g7c22 From 0c5fc6d7fd899a6bc67a446ab43e53290d8571e4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 28 Aug 2018 19:01:00 +0300 Subject: Fix typos. --- snap-src/bin/wekan-help | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/snap-src/bin/wekan-help b/snap-src/bin/wekan-help index 8edaf24f..95814d36 100755 --- a/snap-src/bin/wekan-help +++ b/snap-src/bin/wekan-help @@ -77,19 +77,19 @@ echo -e "\t$ snap set $SNAP_NAME OAUTH2_SERVER_URL='https://chat.example.com'" echo -e "\t-Disable the OAuth2 Server URL of Wekan:" echo -e "\t$ snap set $SNAP_NAME OAUTH2_SERVER_URL=''" echo -e "\n" -echo -e "OAuth2 Authorization Endpoint. Example: /oauth/authorize"" +echo -e "OAuth2 Authorization Endpoint. Example: /oauth/authorize" echo -e "To enable the OAuth2 Authorization Endpoint of Wekan:" echo -e "\t$ snap set $SNAP_NAME OAUTH2_AUTH_ENDPOINT='/oauth/authorize'" echo -e "\t-Disable the OAuth2 Authorization Endpoint of Wekan:" echo -e "\t$ snap set $SNAP_NAME OAUTH2_AUTH_ENDPOINT=''" echo -e "\n" -echo -e "OAuth2 Userinfo Endpoint. Example: /oauth/userinfo"" +echo -e "OAuth2 Userinfo Endpoint. Example: /oauth/userinfo" echo -e "To enable the OAuth2 Userinfo Endpoint of Wekan:" echo -e "\t$ snap set $SNAP_NAME OAUTH2_USERINFO_ENDPOINT='/oauth/authorize'" echo -e "\t-Disable the OAuth2 Userinfo Endpoint of Wekan:" echo -e "\t$ snap set $SNAP_NAME OAUTH2_USERINFO_ENDPOINT=''" echo -e "\n" -echo -e "OAuth2 Token Endpoint. Example: /oauth/token"" +echo -e "OAuth2 Token Endpoint. Example: /oauth/token" echo -e "To enable the OAuth2 Token Endpoint of Wekan:" echo -e "\t$ snap set $SNAP_NAME OAUTH2_TOKEN_ENDPOINT='/oauth/token'" echo -e "\t-Disable the OAuth2 Token Endpoint of Wekan:" -- cgit v1.2.3-1-g7c22 From 6bb2f311e2bbb059e81b27c40b9aac2d294f1071 Mon Sep 17 00:00:00 2001 From: Deven Phillips Date: Tue, 28 Aug 2018 12:11:35 -0400 Subject: Change MongoDB ImageStream Config Also debugging some issues --- openshift/wekan.yml | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/openshift/wekan.yml b/openshift/wekan.yml index 95210746..0bc96ce8 100644 --- a/openshift/wekan.yml +++ b/openshift/wekan.yml @@ -272,7 +272,7 @@ objects: from: kind: ImageStreamTag name: mongodb:${MONGODB_VERSION} - namespace: "${NAMESPACE}" + namespace: "openshift" lastTriggeredImage: '' type: ImageChange - type: ConfigChange @@ -287,7 +287,7 @@ objects: name: wekan namespace: ${NAMESPACE} spec: - host: wekan-labs-ci-cd.apps.d1.casl.rht-labs.com + host: ${FQDN} port: targetPort: wekan tls: -- cgit v1.2.3-1-g7c22 From 6cec3b36de356484e49d5472cad121c81e5095dd Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 28 Aug 2018 19:22:39 +0300 Subject: Update translations. --- i18n/pl.i18n.json | 82 +++++++++++++++++++++++++++---------------------------- 1 file changed, 41 insertions(+), 41 deletions(-) diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 5208ffba..cb29eb66 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -2,27 +2,27 @@ "accept": "Akceptuj", "act-activity-notify": "[Wekan] Powiadomienia - aktywności", "act-addAttachment": "załączono __attachement__ do __karty__", - "act-addSubtask": "added subtask __checklist__ to __card__", + "act-addSubtask": "dodano podzadanie __checklist__ do __card__", "act-addChecklist": "dodano listę zadań __checklist__ to __card__", "act-addChecklistItem": "dodano __checklistItem__ do listy zadań __checklist__ na karcie __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", + "act-addComment": "skomentowano __card__: __comment__", + "act-createBoard": "utworzono __board__", + "act-createCard": "dodano __card__ do __list__", + "act-createCustomField": "dodano niestandardowe pole __customField__", + "act-createList": "dodano __list__ do __board__", + "act-addBoardMember": "dodano __member__ do __board__", + "act-archivedBoard": "__board__ została przeniesiona do kosza", + "act-archivedCard": "__card__ została przeniesiona do Kosza", + "act-archivedList": "__list__ została przeniesiona do Kosza", + "act-archivedSwimlane": "__swimlane__ została przeniesiona do Kosza", + "act-importBoard": "zaimportowano __board__", + "act-importCard": "zaimportowano __card__", + "act-importList": "zaimportowano __list__", + "act-joinMember": "dodano __member_ do __card__", + "act-moveCard": "przeniesiono __card__ z __oldList__ do __list__", + "act-removeBoardMember": "usunięto __member__ z __board__", + "act-restoredCard": "przywrócono __card__ do __board__", + "act-unjoinMember": "usunięto __member__ z __card__", "act-withBoardTitle": "[Wekan] __board__", "act-withCardTitle": "[__board__] __card__", "actions": "Akcje", @@ -32,7 +32,7 @@ "activity-archived": "%s przeniesiono do Kosza", "activity-attached": "załączono %s z %s", "activity-created": "utworzono %s", - "activity-customfield-created": "created custom field %s", + "activity-customfield-created": "utworzono niestandardowe pole %s", "activity-excluded": "wyłączono %s z %s", "activity-imported": "zaimportowano %s to %s z %s", "activity-imported-board": "zaimportowano %s z %s", @@ -42,15 +42,15 @@ "activity-removed": "usunięto %s z %s", "activity-sent": "wysłano %s z %s", "activity-unjoined": "odłączono %s", - "activity-subtask-added": "added subtask to %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-subtask-added": "dodano podzadanie do %s", + "activity-checklist-added": "dodano listę zadań do %s", + "activity-checklist-item-added": "dodano zadanie '%s' do %s", "add": "Dodaj", "add-attachment": "Dodaj załącznik", "add-board": "Dodaj tablicę", "add-card": "Dodaj kartę", "add-swimlane": "Add Swimlane", - "add-subtask": "Add Subtask", + "add-subtask": "Dodano Podzadanie", "add-checklist": "Dodaj listę kontrolną", "add-checklist-item": "Dodaj element do listy kontrolnej", "add-cover": "Dodaj okładkę", @@ -62,33 +62,33 @@ "admin": "Admin", "admin-desc": "Może widzieć i edytować karty, usuwać członków oraz zmieniać ustawienia tablicy.", "admin-announcement": "Ogłoszenie", - "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-active": "Aktywne Ogólnosystemowe Ogłoszenie ", "admin-announcement-title": "Ogłoszenie od Administratora", "all-boards": "Wszystkie tablice", "and-n-other-card": "And __count__ other card", "and-n-other-card_plural": "And __count__ other cards", "apply": "Zastosuj", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "app-is-offline": "Wekan jest aktualnie ładowany, proszę czekać. Odświeżenie strony spowoduję utratę danych. Jeżeli Wekan się nie ładuje, prosimy o upewnienie się czy serwer Wekan nie został zatrzymany.", "archive": "Przenieś do Kosza", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", + "archive-all": "Przenieś Wszystkie do Kosza", + "archive-board": "Przenieś Tablicę do Kosza", + "archive-card": "Przenieś Kartę do Kosza", + "archive-list": "Przenieś Listę do Kosza", "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive-selection": "Przenieś zaznaczenie do Kosza", + "archiveBoardPopup-title": "Przenieść Tablicę do Kosza?", + "archived-items": "Kosz", + "archived-boards": "Tablice w Koszu", "restore-board": "Przywróć tablicę", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "Brak Tablic w Koszu.", + "archives": "Kosz", "assign-member": "Dodaj członka", "attached": "załączono", "attachment": "Załącznik", "attachment-delete-pop": "Usunięcie załącznika jest nieodwracalne.", "attachmentDeletePopup-title": "Usunąć załącznik?", "attachments": "Załączniki", - "auto-watch": "Automatically watch boards when they are created", + "auto-watch": "Automatycznie obserwuj tablice gdy zostaną stworzone", "avatar-too-big": "Awatar jest za duży (maksymalnie 70Kb)", "back": "Wstecz", "board-change-color": "Zmień kolor", @@ -103,17 +103,17 @@ "boardMenuPopup-title": "Menu tablicy", "boards": "Tablice", "board-view": "Board View", - "board-view-cal": "Calendar", + "board-view-cal": "Kalendarz", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Listy", "bucket-example": "Like “Bucket List” for example", "cancel": "Anuluj", - "card-archived": "This card is moved to Recycle Bin.", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "Ta Karta została przeniesiona do Kosza.", + "board-archived": "Ta Tablica została przeniesiona do Kosza.", "card-comments-title": "Ta karta ma %s komentarzy.", "card-delete-notice": "Usunięcie jest trwałe. Stracisz wszystkie akcje powiązane z tą kartą.", "card-delete-pop": "Wszystkie akcje będą usunięte z widoku aktywności, nie można będzie ponownie otworzyć karty. Usunięcie jest nieodwracalne.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "Możesz przenieść Kartę do Kosza by usunąć ją z tablicy i zachować aktywności.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", -- cgit v1.2.3-1-g7c22 From 4e12bcc378d96c7227fbd3f40233502b0739347d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 28 Aug 2018 21:01:55 +0300 Subject: - Add Missing Index on cards.parentId since Swimlane integration to speedup Wekan. Thanks to Clement87 ! Closes #1863 --- models/cards.js | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/models/cards.js b/models/cards.js index 302beddc..4a73bbbc 100644 --- a/models/cards.js +++ b/models/cards.js @@ -1017,6 +1017,12 @@ if (Meteor.isServer) { // queries more efficient. Meteor.startup(() => { Cards._collection._ensureIndex({boardId: 1, createdAt: -1}); + // https://github.com/wekan/wekan/issues/1863 + // Swimlane added a new field in the cards collection of mongodb named parentId. + // When loading a board, mongodb is searching for every cards, the id of the parent (in the swinglanes collection). + // With a huge database, this result in a very slow app and high CPU on the mongodb side. + // To correct it, add Index to parentId: + Cards._collection._ensureIndex({"parentId": 1}); }); Cards.after.insert((userId, doc) => { -- cgit v1.2.3-1-g7c22 From da636ed17d788f68511d69364cad91c3a4d9c46f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 28 Aug 2018 21:12:24 +0300 Subject: - Add Missing Index on cards.parentId since Swimlane integration to speedup Wekan; - Update OpenShift template to add Route and parameterize; - Fix typos in Wekan snap help. Thanks to Clement87, InfoSec812 and xet7 ! --- CHANGELOG.md | 11 +++++++++++ 1 file changed, 11 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 5ff980d9..44a94d15 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,14 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- [Add Missing Index on cards.parentId since Swimlane integration + to speedup Wekan](https://github.com/wekan/wekan/issues/1863); +- [Update OpenShift template to add Route and parameterize](https://github.com/wekan/wekan/pull/1865); +- [Fix typos in Wekan snap help](https://github.com/wekan/wekan/commit/0c5fc6d7fd899a6bc67a446ab43e53290d8571e4). + +Thanks to GitHub users Clement87, InfoSec812 and xet7 for their contributions. + # v1.36 2018-08-25 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From ba63627ebfc7a9e96fd9c47587de298eb107bc5e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 28 Aug 2018 21:16:32 +0300 Subject: Fix typo. --- models/cards.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/models/cards.js b/models/cards.js index 4a73bbbc..11f08283 100644 --- a/models/cards.js +++ b/models/cards.js @@ -1022,7 +1022,7 @@ if (Meteor.isServer) { // When loading a board, mongodb is searching for every cards, the id of the parent (in the swinglanes collection). // With a huge database, this result in a very slow app and high CPU on the mongodb side. // To correct it, add Index to parentId: - Cards._collection._ensureIndex({"parentId": 1}); + Cards._collection._ensureIndex({parentId: 1}); }); Cards.after.insert((userId, doc) => { -- cgit v1.2.3-1-g7c22 From c0df1dd4aa8b03d28d9f63cd62c9b910b6da3b2c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 28 Aug 2018 21:20:16 +0300 Subject: v1.37 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 44a94d15..462f4f1f 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.37 2018-08-28 Wekan release This release fixes the following bugs: diff --git a/package.json b/package.json index 96fe2878..76d61684 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.36.0", + "version": "1.37.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 9586a991..92ef8ae7 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 121, + appVersion = 122, # Increment this for every release. - appMarketingVersion = (defaultText = "1.36.0~2018-08-25"), + appMarketingVersion = (defaultText = "1.37.0~2018-08-28"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 534b20fedac9162d2d316bd74eff743d636f2b3d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 28 Aug 2018 23:23:24 +0300 Subject: - Fix Delete Board and keep confirmation popup. Thanks to xet7 ! --- client/components/boards/boardArchive.js | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/client/components/boards/boardArchive.js b/client/components/boards/boardArchive.js index dbebdd70..8f4d5434 100644 --- a/client/components/boards/boardArchive.js +++ b/client/components/boards/boardArchive.js @@ -37,8 +37,7 @@ BlazeComponent.extendComponent({ const currentBoard = Boards.findOne(Session.get('currentBoard')); Boards.remove(currentBoard._id); } - const board = this.currentData(); - Boards.remove(board._id); + Boards.remove(this._id); FlowRouter.go('home'); }), }]; -- cgit v1.2.3-1-g7c22 From 555d31cca6139538acdc677587d8e0054e3e2afe Mon Sep 17 00:00:00 2001 From: rjevnikar Date: Tue, 28 Aug 2018 20:23:29 +0000 Subject: Only allow ifCanModify users to add dates (received, start, end, and due). --- client/components/cards/cardDetails.jade | 12 ++++++++---- 1 file changed, 8 insertions(+), 4 deletions(-) diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index ad2044e8..10828445 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -36,28 +36,32 @@ template(name="cardDetails") if getReceived +cardReceivedDate else - a.js-received-date {{_ 'add'}} + if canModifyCard + a.js-received-date {{_ 'add'}} .card-details-item.card-details-item-start h3.card-details-item-title {{_ 'card-start'}} if getStart +cardStartDate else - a.js-start-date {{_ 'add'}} + if canModifyCard + a.js-start-date {{_ 'add'}} .card-details-item.card-details-item-due h3.card-details-item-title {{_ 'card-due'}} if getDue +cardDueDate else - a.js-due-date {{_ 'add'}} + if canModifyCard + a.js-due-date {{_ 'add'}} .card-details-item.card-details-item-end h3.card-details-item-title {{_ 'card-end'}} if getEnd +cardEndDate else - a.js-end-date {{_ 'add'}} + if canModifyCard + a.js-end-date {{_ 'add'}} .card-details-items .card-details-item.card-details-item-members -- cgit v1.2.3-1-g7c22 From 652f4e693bfff78c740faeb32df83152a60f2158 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 28 Aug 2018 23:28:57 +0300 Subject: - Fix Delete Board. Thanks to rjevnikar and xet7 ! --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 462f4f1f..84768867 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- [Fix Delete Board](https://github.com/wekan/wekan/commit/534b20fedac9162d2d316bd74eff743d636f2b3d). + +Thanks to GitHub users rjevnikar and xet7 for their contributions. + # v1.37 2018-08-28 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From ebaccbcccafe9c506ae41d60ee51145003367994 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 28 Aug 2018 23:36:54 +0300 Subject: - Add msavin:userCache. https://forums.meteor.com/t/introducing-a-new-approach-to-meteor-user-this-simple-trick-can-save-you-millions-of-database-requests/45336/7 https://github.com/msavin/userCache Thanks to msavin and xet7 ! Related #1672 --- .meteor/packages | 1 + .meteor/versions | 1 + 2 files changed, 2 insertions(+) diff --git a/.meteor/packages b/.meteor/packages index c525dbbd..ebe35f81 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -87,3 +87,4 @@ momentjs:moment@2.22.2 atoy40:accounts-cas browser-policy-framing mquandalle:moment +msavin:usercache diff --git a/.meteor/versions b/.meteor/versions index c116172a..f1f52d23 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -118,6 +118,7 @@ mquandalle:jquery-ui-drag-drop-sort@0.2.0 mquandalle:moment@1.0.1 mquandalle:mousetrap-bindglobal@0.0.1 mquandalle:perfect-scrollbar@0.6.5_2 +msavin:usercache@1.0.0 npm-bcrypt@0.9.3 npm-mongo@2.2.33 oauth@1.2.1 -- cgit v1.2.3-1-g7c22 From 670ace6a8d39d7189f404715aa920d307ad2e3c5 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 28 Aug 2018 23:43:01 +0300 Subject: - Add msavin:userCache to speedup Wekan. https://forums.meteor.com/t/introducing-a-new-approach-to-meteor-user-this-simple-trick-can-save-you-millions-of-database-requests/45336/7 https://github.com/msavin/userCache Thanks to msavin and xet7 ! Related #1672 --- CHANGELOG.md | 9 +++++++-- 1 file changed, 7 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 84768867..2d6315aa 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,10 +1,15 @@ # Upcoming Wekan release -This release fixes the following bugs: +This release adds the following new features: + +- Add [msavin:userCache](https://github.com/msavin/userCache) to speedup Wekan. + See [meteor forums post](https://forums.meteor.com/t/introducing-a-new-approach-to-meteor-user-this-simple-trick-can-save-you-millions-of-database-requests/45336/7). + +and fixes the following bugs: - [Fix Delete Board](https://github.com/wekan/wekan/commit/534b20fedac9162d2d316bd74eff743d636f2b3d). -Thanks to GitHub users rjevnikar and xet7 for their contributions. +Thanks to GitHub users msavin, rjevnikar and xet7 for their contributions. # v1.37 2018-08-28 Wekan release -- cgit v1.2.3-1-g7c22 From 70f37c55fdd501bc3dd5c0c706ac44edc70b1e71 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 29 Aug 2018 00:10:40 +0300 Subject: v1.38 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 2d6315aa..ae395e96 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.38 2018-08-29 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index 76d61684..597dc521 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.37.0", + "version": "1.38.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 92ef8ae7..cab36a72 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 122, + appVersion = 123, # Increment this for every release. - appMarketingVersion = (defaultText = "1.37.0~2018-08-28"), + appMarketingVersion = (defaultText = "1.38.0~2018-08-29"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From ec3902021edafd43c4aa6eb18830d369485918fe Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 29 Aug 2018 00:29:43 +0300 Subject: - Only allow ifCanModify users to add dates on cards. Thanks to rjevnikar ! --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index ae395e96..57233ac3 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- [Only allow ifCanModify users to add dates on cards](https://github.com/wekan/wekan/pull/1867). + +Thanks to GitHub user rjevnikar for contributions. + # v1.38 2018-08-29 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From 066237de081574b2a310b54cce211bdc680e1d40 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 29 Aug 2018 00:37:21 +0300 Subject: v1.39 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 57233ac3..e1a8e64e 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.39 2018-08-29 Wekan release This release fixes the following bugs: diff --git a/package.json b/package.json index 597dc521..64bbf3e5 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.38.0", + "version": "1.39.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index cab36a72..f143377b 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 123, + appVersion = 124, # Increment this for every release. - appMarketingVersion = (defaultText = "1.38.0~2018-08-29"), + appMarketingVersion = (defaultText = "1.39.0~2018-08-29"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From bcbe1aaaf561f3188111b586ad0734b983206482 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 31 Aug 2018 13:54:44 +0300 Subject: Update translations. --- i18n/tr.i18n.json | 16 ++++++++-------- 1 file changed, 8 insertions(+), 8 deletions(-) diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index cfc46a29..5d320fe3 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -50,7 +50,7 @@ "add-board": "Pano Ekle", "add-card": "Kart Ekle", "add-swimlane": "Kulvar Ekle", - "add-subtask": "Add Subtask", + "add-subtask": "Alt Görev Ekle", "add-checklist": "Yapılacak Listesi Ekle", "add-checklist-item": "Yapılacak listesine yeni bir öğe ekle", "add-cover": "Kapak resmi ekle", @@ -103,7 +103,7 @@ "boardMenuPopup-title": "Pano menüsü", "boards": "Panolar", "board-view": "Pano Görünümü", - "board-view-cal": "Calendar", + "board-view-cal": "Takvim", "board-view-swimlanes": "Kulvarlar", "board-view-lists": "Listeler", "bucket-example": "Örn: \"Marketten Alacaklarım\"", @@ -149,7 +149,7 @@ "changePasswordPopup-title": "Parola Değiştir", "changePermissionsPopup-title": "Yetkileri Değiştirme", "changeSettingsPopup-title": "Ayarları değiştir", - "subtasks": "Subtasks", + "subtasks": "Alt Görevler", "checklists": "Yapılacak Listeleri", "click-to-star": "Bu panoyu yıldızlamak için tıkla.", "click-to-unstar": "Bu panunun yıldızını kaldırmak için tıkla.", @@ -267,7 +267,7 @@ "headerBarCreateBoardPopup-title": "Pano Oluşturma", "home": "Ana Sayfa", "import": "İçeri aktar", - "link": "Link", + "link": "Bağlantı", "import-board": "panoyu içe aktar", "import-board-c": "Panoyu içe aktar", "import-board-title-trello": "Trello'dan panoyu içeri aktar", @@ -483,15 +483,15 @@ "card-end-on": "Bitiş zamanı", "editCardReceivedDatePopup-title": "Giriş tarihini değiştir", "editCardEndDatePopup-title": "Bitiş tarihini değiştir", - "assigned-by": "Assigned By", - "requested-by": "Requested By", + "assigned-by": "Atamayı yapan", + "requested-by": "Talep Eden", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", "delete-board": "Delete Board", "default-subtasks-board": "Subtasks for __board__ board", - "default": "Default", - "queue": "Queue", + "default": "Varsayılan", + "queue": "Sıra", "subtask-settings": "Subtasks Settings", "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", "show-subtasks-field": "Cards can have subtasks", -- cgit v1.2.3-1-g7c22 From 77efcf71376d3da6c19ad1a4910567263e83c0ca Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 4 Sep 2018 20:09:36 +0300 Subject: - Add permission "No comments". It is like normal user, but does not show comments and activities. Thanks to xet7 ! --- .eslintrc.json | 3 ++- client/components/cards/cardDetails.jade | 39 +++++++++++++++++--------------- client/components/cards/minicard.jade | 9 ++++---- client/components/sidebar/sidebar.jade | 15 ++++++++---- client/components/sidebar/sidebar.js | 15 +++++++++--- i18n/en.i18n.json | 2 ++ models/boards.js | 13 ++++++++++- models/lists.js | 6 ++--- models/swimlanes.js | 6 ++--- models/users.js | 10 ++++++++ sandstorm.js | 3 ++- server/lib/utils.js | 6 ++++- 12 files changed, 88 insertions(+), 39 deletions(-) diff --git a/.eslintrc.json b/.eslintrc.json index 1adaa623..65d7602b 100644 --- a/.eslintrc.json +++ b/.eslintrc.json @@ -121,7 +121,8 @@ "allowIsBoardAdmin": true, "allowIsBoardMember": true, "allowIsBoardMemberByCard": true, - "allowIsBoardMemberNonComment": true, + "allowIsBoardMemberCommentOnly": true, + "allowIsBoardMemberNoComments": true, "Emoji": true, "Checklists": true, "Settings": true, diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index 10828445..33d6d3b7 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -173,25 +173,28 @@ template(name="cardDetails") +attachmentsGalery hr - .activity-title - h3 {{ _ 'activity'}} - if currentUser.isBoardMember - .material-toggle-switch - span.toggle-switch-title {{_ 'hide-system-messages'}} - if hiddenSystemMessages - input.toggle-switch(type="checkbox" id="toggleButton" checked="checked") - else - input.toggle-switch(type="checkbox" id="toggleButton") - label.toggle-label(for="toggleButton") + unless currentUser.isNoComments + .activity-title + h3 {{ _ 'activity'}} + if currentUser.isBoardMember + .material-toggle-switch + span.toggle-switch-title {{_ 'hide-system-messages'}} + if hiddenSystemMessages + input.toggle-switch(type="checkbox" id="toggleButton" checked="checked") + else + input.toggle-switch(type="checkbox" id="toggleButton") + label.toggle-label(for="toggleButton") if currentUser.isBoardMember - +commentForm - if isLoaded.get - if isLinkedCard - +activities(card=this mode="linkedcard") - else if isLinkedBoard - +activities(card=this mode="linkedboard") - else - +activities(card=this mode="card") + unless currentUser.isNoComments + +commentForm + unless currentUser.isNoComments + if isLoaded.get + if isLinkedCard + +activities(card=this mode="linkedcard") + else if isLinkedBoard + +activities(card=this mode="linkedboard") + else + +activities(card=this mode="card") template(name="editCardTitleForm") textarea.js-edit-card-title(rows='1' autofocus) diff --git a/client/components/cards/minicard.jade b/client/components/cards/minicard.jade index 37f537db..5c609802 100644 --- a/client/components/cards/minicard.jade +++ b/client/components/cards/minicard.jade @@ -65,10 +65,11 @@ template(name="minicard") +userAvatar(userId=this) .badges - if comments.count - .badge(title="{{_ 'card-comments-title' comments.count }}") - span.badge-icon.fa.fa-comment-o.badge-comment - span.badge-text= comments.count + unless currentUser.isNoComments + if comments.count + .badge(title="{{_ 'card-comments-title' comments.count }}") + span.badge-icon.fa.fa-comment-o.badge-comment + span.badge-text= comments.count if getDescription .badge.badge-state-image-only(title=getDescription) span.badge-icon.fa.fa-align-left diff --git a/client/components/sidebar/sidebar.jade b/client/components/sidebar/sidebar.jade index 6085c2ad..ec88ce7e 100644 --- a/client/components/sidebar/sidebar.jade +++ b/client/components/sidebar/sidebar.jade @@ -23,10 +23,11 @@ template(name='homeSidebar') hr +labelsWidget hr - h3 - i.fa.fa-comments-o - | {{_ 'activities'}} - +activities(mode="board") + unless currentUser.isNoComments + h3 + i.fa.fa-comments-o + | {{_ 'activities'}} + +activities(mode="board") template(name="membersWidget") .board-widget.board-widget-members @@ -145,6 +146,12 @@ template(name="changePermissionsPopup") if isNormal i.fa.fa-check span.sub-name {{_ 'normal-desc'}} + li + a(class="{{#if isLastAdmin}}disabled{{else}}js-set-no-comments{{/if}}") + | {{_ 'no-comments'}} + if isNoComments + i.fa.fa-check + span.sub-name {{_ 'no-comments-desc'}} li a(class="{{#if isLastAdmin}}disabled{{else}}js-set-comment-only{{/if}}") | {{_ 'comment-only'}} diff --git a/client/components/sidebar/sidebar.js b/client/components/sidebar/sidebar.js index 5a9de74b..5d34c4a8 100644 --- a/client/components/sidebar/sidebar.js +++ b/client/components/sidebar/sidebar.js @@ -126,8 +126,11 @@ Template.memberPopup.helpers({ if(type === 'normal'){ const currentBoard = Boards.findOne(Session.get('currentBoard')); const commentOnly = currentBoard.hasCommentOnly(this.userId); + const noComments = currentBoard.hasNoComments(this.userId); if(commentOnly){ return TAPi18n.__('comment-only').toLowerCase(); + } else if(noComments) { + return TAPi18n.__('no-comments').toLowerCase(); } else { return TAPi18n.__(type).toLowerCase(); } @@ -324,12 +327,13 @@ BlazeComponent.extendComponent({ }).register('addMemberPopup'); Template.changePermissionsPopup.events({ - 'click .js-set-admin, click .js-set-normal, click .js-set-comment-only'(event) { + 'click .js-set-admin, click .js-set-normal, click .js-set-no-comments, click .js-set-comment-only'(event) { const currentBoard = Boards.findOne(Session.get('currentBoard')); const memberId = this.userId; const isAdmin = $(event.currentTarget).hasClass('js-set-admin'); const isCommentOnly = $(event.currentTarget).hasClass('js-set-comment-only'); - currentBoard.setMemberPermission(memberId, isAdmin, isCommentOnly); + const isNoComments = $(event.currentTarget).hasClass('js-set-no-comments'); + currentBoard.setMemberPermission(memberId, isAdmin, isNoComments, isCommentOnly); Popup.back(1); }, }); @@ -342,7 +346,12 @@ Template.changePermissionsPopup.helpers({ isNormal() { const currentBoard = Boards.findOne(Session.get('currentBoard')); - return !currentBoard.hasAdmin(this.userId) && !currentBoard.hasCommentOnly(this.userId); + return !currentBoard.hasAdmin(this.userId) && !currentBoard.hasNoComments(this.userId) && !currentBoard.hasCommentOnly(this.userId); + }, + + isNoComments() { + const currentBoard = Boards.findOne(Session.get('currentBoard')); + return !currentBoard.hasAdmin(this.userId) && currentBoard.hasNoComments(this.userId); }, isCommentOnly() { diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index f4222c5b..689ed42d 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Write Comment", "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Computer", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/models/boards.js b/models/boards.js index a017eb3f..71049bd9 100644 --- a/models/boards.js +++ b/models/boards.js @@ -110,6 +110,7 @@ Boards.attachSchema(new SimpleSchema({ userId: this.userId, isAdmin: true, isActive: true, + isNoComments: false, isCommentOnly: false, }]; } @@ -124,6 +125,9 @@ Boards.attachSchema(new SimpleSchema({ 'members.$.isActive': { type: Boolean, }, + 'members.$.isNoComments': { + type: Boolean, + }, 'members.$.isCommentOnly': { type: Boolean, }, @@ -292,6 +296,10 @@ Boards.helpers({ return !!_.findWhere(this.members, { userId: memberId, isActive: true, isAdmin: true }); }, + hasNoComments(memberId) { + return !!_.findWhere(this.members, { userId: memberId, isActive: true, isAdmin: false, isNoComments: true }); + }, + hasCommentOnly(memberId) { return !!_.findWhere(this.members, { userId: memberId, isActive: true, isAdmin: false, isCommentOnly: true }); }, @@ -501,6 +509,7 @@ Boards.mutations({ userId: memberId, isAdmin: false, isActive: true, + isNoComments: false, isCommentOnly: false, }, }, @@ -528,7 +537,7 @@ Boards.mutations({ }; }, - setMemberPermission(memberId, isAdmin, isCommentOnly) { + setMemberPermission(memberId, isAdmin, isNoComments, isCommentOnly) { const memberIndex = this.memberIndex(memberId); // do not allow change permission of self @@ -539,6 +548,7 @@ Boards.mutations({ return { $set: { [`members.${memberIndex}.isAdmin`]: isAdmin, + [`members.${memberIndex}.isNoComments`]: isNoComments, [`members.${memberIndex}.isCommentOnly`]: isCommentOnly, }, }; @@ -838,6 +848,7 @@ if (Meteor.isServer) { userId: req.body.owner, isAdmin: true, isActive: true, + isNoComments: false, isCommentOnly: false, }, ], diff --git a/models/lists.js b/models/lists.js index 6f6996cb..9bcb9ba1 100644 --- a/models/lists.js +++ b/models/lists.js @@ -63,13 +63,13 @@ Lists.attachSchema(new SimpleSchema({ Lists.allow({ insert(userId, doc) { - return allowIsBoardMemberNonComment(userId, Boards.findOne(doc.boardId)); + return allowIsBoardMemberCommentOnly(userId, Boards.findOne(doc.boardId)); }, update(userId, doc) { - return allowIsBoardMemberNonComment(userId, Boards.findOne(doc.boardId)); + return allowIsBoardMemberCommentOnly(userId, Boards.findOne(doc.boardId)); }, remove(userId, doc) { - return allowIsBoardMemberNonComment(userId, Boards.findOne(doc.boardId)); + return allowIsBoardMemberCommentOnly(userId, Boards.findOne(doc.boardId)); }, fetch: ['boardId'], }); diff --git a/models/swimlanes.js b/models/swimlanes.js index 72ef3f36..3559bcd2 100644 --- a/models/swimlanes.js +++ b/models/swimlanes.js @@ -46,13 +46,13 @@ Swimlanes.attachSchema(new SimpleSchema({ Swimlanes.allow({ insert(userId, doc) { - return allowIsBoardMemberNonComment(userId, Boards.findOne(doc.boardId)); + return allowIsBoardMemberCommentOnly(userId, Boards.findOne(doc.boardId)); }, update(userId, doc) { - return allowIsBoardMemberNonComment(userId, Boards.findOne(doc.boardId)); + return allowIsBoardMemberCommentOnly(userId, Boards.findOne(doc.boardId)); }, remove(userId, doc) { - return allowIsBoardMemberNonComment(userId, Boards.findOne(doc.boardId)); + return allowIsBoardMemberCommentOnly(userId, Boards.findOne(doc.boardId)); }, fetch: ['boardId'], }); diff --git a/models/users.js b/models/users.js index 1b1b79e1..01673e4f 100644 --- a/models/users.js +++ b/models/users.js @@ -151,6 +151,16 @@ if (Meteor.isClient) { return board && board.hasMember(this._id); }, + isNotNoComments() { + const board = Boards.findOne(Session.get('currentBoard')); + return board && board.hasMember(this._id) && !board.hasNoComments(this._id); + }, + + isNoComments() { + const board = Boards.findOne(Session.get('currentBoard')); + return board && board.hasNoComments(this._id); + }, + isNotCommentOnly() { const board = Boards.findOne(Session.get('currentBoard')); return board && board.hasMember(this._id) && !board.hasCommentOnly(this._id); diff --git a/sandstorm.js b/sandstorm.js index d34bc015..37dced92 100644 --- a/sandstorm.js +++ b/sandstorm.js @@ -208,7 +208,8 @@ if (isSandstorm && Meteor.isServer) { const isActive = permissions.indexOf('participate') > -1; const isAdmin = permissions.indexOf('configure') > -1; const isCommentOnly = false; - const permissionDoc = { userId, isActive, isAdmin, isCommentOnly }; + const isNoComments = false; + const permissionDoc = { userId, isActive, isAdmin, isNoComments, isCommentOnly }; const boardMembers = Boards.findOne(sandstormBoard._id).members; const memberIndex = _.pluck(boardMembers, 'userId').indexOf(userId); diff --git a/server/lib/utils.js b/server/lib/utils.js index c7763933..ee925847 100644 --- a/server/lib/utils.js +++ b/server/lib/utils.js @@ -6,10 +6,14 @@ allowIsBoardMember = function(userId, board) { return board && board.hasMember(userId); }; -allowIsBoardMemberNonComment = function(userId, board) { +allowIsBoardMemberCommentOnly = function(userId, board) { return board && board.hasMember(userId) && !board.hasCommentOnly(userId); }; +allowIsBoardMemberNoComments = function(userId, board) { + return board && board.hasMember(userId) && !board.hasNoComments(userId); +}; + allowIsBoardMemberByCard = function(userId, card) { const board = card.board(); return board && board.hasMember(userId); -- cgit v1.2.3-1-g7c22 From cc2e0a7c7c4de80ad86c96f4f34798b14a5103fd Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 4 Sep 2018 20:13:44 +0300 Subject: - Add permission "No comments" https://github.com/wekan/wekan/commit/77efcf71376d3da6c19ad1a4910567263e83c0ca It is like normal user, but does not show comments and activities. Thanks to xet7 ! Related #1861 --- CHANGELOG.md | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index e1a8e64e..efe580f6 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# Upcoming Wekan release + +This release adds the following new features: + +- [Add permission "No comments"](https://github.com/wekan/wekan/commit/77efcf71376d3da6c19ad1a4910567263e83c0ca). + It is like normal user, but [does not show comments and activities](https://github.com/wekan/wekan/issues/1861). + +Thanks to GitHub user xet7 for contributions. + # v1.39 2018-08-29 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 7ba361e2c97df1a54bd187f56a39f8086aa0b597 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 4 Sep 2018 20:24:00 +0300 Subject: Update translations. --- i18n/ar.i18n.json | 2 ++ i18n/bg.i18n.json | 2 ++ i18n/br.i18n.json | 2 ++ i18n/ca.i18n.json | 2 ++ i18n/cs.i18n.json | 2 ++ i18n/de.i18n.json | 2 ++ i18n/el.i18n.json | 2 ++ i18n/en-GB.i18n.json | 2 ++ i18n/eo.i18n.json | 2 ++ i18n/es-AR.i18n.json | 2 ++ i18n/es.i18n.json | 2 ++ i18n/eu.i18n.json | 2 ++ i18n/fa.i18n.json | 2 ++ i18n/fi.i18n.json | 2 ++ i18n/fr.i18n.json | 2 ++ i18n/gl.i18n.json | 2 ++ i18n/he.i18n.json | 2 ++ i18n/hu.i18n.json | 2 ++ i18n/hy.i18n.json | 2 ++ i18n/id.i18n.json | 2 ++ i18n/ig.i18n.json | 2 ++ i18n/it.i18n.json | 2 ++ i18n/ja.i18n.json | 2 ++ i18n/ka.i18n.json | 2 ++ i18n/km.i18n.json | 2 ++ i18n/ko.i18n.json | 2 ++ i18n/lv.i18n.json | 2 ++ i18n/mn.i18n.json | 2 ++ i18n/nb.i18n.json | 2 ++ i18n/nl.i18n.json | 2 ++ i18n/pl.i18n.json | 2 ++ i18n/pt-BR.i18n.json | 2 ++ i18n/pt.i18n.json | 2 ++ i18n/ro.i18n.json | 2 ++ i18n/ru.i18n.json | 2 ++ i18n/sr.i18n.json | 2 ++ i18n/sv.i18n.json | 2 ++ i18n/ta.i18n.json | 2 ++ i18n/th.i18n.json | 2 ++ i18n/tr.i18n.json | 2 ++ i18n/uk.i18n.json | 2 ++ i18n/vi.i18n.json | 2 ++ i18n/zh-CN.i18n.json | 2 ++ i18n/zh-TW.i18n.json | 2 ++ 44 files changed, 88 insertions(+) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 4b07b711..9af2581e 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "أكتب تعليق", "comment-only": "التعليق فقط", "comment-only-desc": "يمكن التعليق على بطاقات فقط.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "حاسوب", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index cb0618b4..b4ce62f0 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Напиши коментар", "comment-only": "Само коментар", "comment-only-desc": "Може да коментира само в карти.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Компютър", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index 8832efc9..f92f6fb4 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Write Comment", "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Computer", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 3c0fcd26..90344870 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Escriu un comentari", "comment-only": "Només comentaris", "comment-only-desc": "Només pots fer comentaris a les fitxes", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Ordinador", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 09b1549e..fc0d93ea 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Text komentáře", "comment-only": "Pouze komentáře", "comment-only-desc": "Může přidávat komentáře pouze do karet.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Počítač", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 9dd21129..3b9bbb1d 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Kommentar schreiben", "comment-only": "Nur kommentierbar", "comment-only-desc": "Kann Karten nur Kommentieren", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Computer", "confirm-subtask-delete-dialog": "Wollen Sie die Teilaufgabe wirklich löschen?", "confirm-checklist-delete-dialog": "Wollen Sie die Checkliste wirklich löschen?", diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 56afc6e4..bf2500b3 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Write Comment", "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Υπολογιστής", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 70d8f2d1..7e268f4a 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Write Comment", "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Computer", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index c8561488..a8e7001f 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Write Comment", "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Komputilo", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index b9a201ef..dd5946cd 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Comentar", "comment-only": "Comentar solamente", "comment-only-desc": "Puede comentar en tarjetas solamente.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Computadora", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 6088cab2..bd069493 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Escribir comentario", "comment-only": "Sólo comentarios", "comment-only-desc": "Solo puedes comentar en las tarjetas.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "el ordenador", "confirm-subtask-delete-dialog": "¿Seguro que quieres eliminar la subtarea?", "confirm-checklist-delete-dialog": "¿Seguro que quieres eliminar la lista de verificación?", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index 9e5b9957..ae0d904a 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Idatzi iruzkin bat", "comment-only": "Iruzkinak besterik ez", "comment-only-desc": "Iruzkinak txarteletan soilik egin ditzake", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Ordenagailua", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index 5a09e2dd..94ba2498 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "درج نظر", "comment-only": "فقط نظر", "comment-only-desc": "فقط می‌تواند روی کارت‌ها نظر دهد.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "رایانه", "confirm-subtask-delete-dialog": "از حذف این زیر وظیفه اطمینان دارید؟", "confirm-checklist-delete-dialog": "مطمئنا چک لیست پاک شود؟", diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index d02dae06..4de354aa 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Kirjoita kommentti", "comment-only": "Vain kommentointi", "comment-only-desc": "Voi vain kommentoida kortteja", + "no-comments": "Ei kommentteja", + "no-comments-desc": "Ei voi nähdä kommentteja ja toimintaa.", "computer": "Tietokone", "confirm-subtask-delete-dialog": "Oletko varma että haluat poistaa alitehtävän?", "confirm-checklist-delete-dialog": "Oletko varma että haluat poistaa tarkistuslistan?", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 74b6034c..986fe230 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Écrire un commentaire", "comment-only": "Commentaire uniquement", "comment-only-desc": "Ne peut que commenter des cartes.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Ordinateur", "confirm-subtask-delete-dialog": "Êtes-vous sûr de vouloir supprimer la sous-tâche ?", "confirm-checklist-delete-dialog": "Êtes-vous sûr de vouloir supprimer la checklist ?", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index ab4cce62..47616c07 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Escribir un comentario", "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Computador", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 021e8095..b88991ed 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "כתיבת הערה", "comment-only": "הערה בלבד", "comment-only-desc": "ניתן להעיר על כרטיסים בלבד.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "מחשב", "confirm-subtask-delete-dialog": "האם למחוק את תת המשימה?", "confirm-checklist-delete-dialog": "האם אתה בטוח שברצונך למחוק את רשימת המשימות?", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index 2e886104..270f1754 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Megjegyzés írása", "comment-only": "Csak megjegyzés", "comment-only-desc": "Csak megjegyzést írhat a kártyákhoz.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Számítógép", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index 2161be39..da4584dd 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Write Comment", "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Computer", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index f273ccf4..94c9ad79 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Write Comment", "comment-only": "Hanya komentar", "comment-only-desc": "Bisa komen hanya di kartu", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Komputer", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 07f1a824..16ddfea4 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Write Comment", "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Computer", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 9447819c..ceed7d7a 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Scrivi Commento", "comment-only": "Solo commenti", "comment-only-desc": "Puoi commentare solo le schede.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Computer", "confirm-subtask-delete-dialog": "Sei sicuro di voler eliminare il sotto-compito?", "confirm-checklist-delete-dialog": "Sei sicuro di voler eliminare la checklist?", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 67207dbc..fc1b8ace 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "コメントを書く", "comment-only": "コメントのみ", "comment-only-desc": "カードにのみコメント可能", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "コンピューター", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index 2b3db17d..02d70a38 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "დაწერეთ კომენტარი", "comment-only": "მხოლოდ კომენტარები", "comment-only-desc": "თქვენ შეგიძლიათ კომენტარის გაკეთება მხოლოდ ბარათებზე.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "კომპიუტერი", "confirm-subtask-delete-dialog": "დარწმუნებული ხართ, რომ გსურთ ქვესაქმიანობის წაშლა? ", "confirm-checklist-delete-dialog": "დარწმუნებული ხართ, რომ გსურთ კატალოგის წაშლა ? ", diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index dc1e01bf..013e1b46 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Write Comment", "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Computer", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index e1f24f2a..36de4299 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "댓글 입력", "comment-only": "댓글만 입력 가능", "comment-only-desc": "카드에 댓글만 달수 있습니다.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "내 컴퓨터", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 0dd99237..061b9c14 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Write Comment", "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Computer", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index bb4048c8..f2478d17 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Write Comment", "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Computer", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index edeb9e1f..b479ee48 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Write Comment", "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Computer", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 966d09c0..58d65723 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Schrijf reactie", "comment-only": "Alleen reageren", "comment-only-desc": "Kan alleen op kaarten reageren.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Computer", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index cb29eb66..086dd348 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Dodaj komentarz", "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Komputer", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 288dc70b..0176fb6a 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Escrever Comentário", "comment-only": "Somente comentários", "comment-only-desc": "Pode comentar apenas em cartões.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Computador", "confirm-subtask-delete-dialog": "Tem certeza que deseja deletar a subtarefa?", "confirm-checklist-delete-dialog": "Tem certeza que quer deletar o checklist?", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 46073e81..954f7654 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Write Comment", "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Computador", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index 79230bcb..e70aeaf3 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Write Comment", "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Computer", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 967fb426..980c0816 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Написать комментарий", "comment-only": "Только комментирование", "comment-only-desc": "Может комментировать только карточки.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Загрузить с компьютера", "confirm-subtask-delete-dialog": "Вы уверены, что хотите удалить подзадачу?", "confirm-checklist-delete-dialog": "Вы уверены, что хотите удалить чеклист?", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index f94b5240..395fd05c 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Write Comment", "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Computer", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 9be9b46a..efd18987 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Skriv kommentar", "comment-only": "Kommentera endast", "comment-only-desc": "Kan endast kommentera kort.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Dator", "confirm-subtask-delete-dialog": "Är du säker på att du vill radera deluppgift?", "confirm-checklist-delete-dialog": "Är du säker på att du vill radera checklista?", diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index dfc9eed1..006fa2df 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Write Comment", "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Computer", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index ff2b20e3..1c2e3ecf 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Write Comment", "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "คอมพิวเตอร์", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index 5d320fe3..382c7b2c 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Yorum Yaz", "comment-only": "Sadece yorum", "comment-only-desc": "Sadece kartlara yorum yazabilir.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Bilgisayar", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 4d1a60f6..8aa2c694 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Write Comment", "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Computer", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index 120b2a92..7dabc338 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "Write Comment", "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "Computer", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index bdb9e0e0..d663bb82 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "添加评论", "comment-only": "仅能评论", "comment-only-desc": "只能在卡片上评论。", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "从本机上传", "confirm-subtask-delete-dialog": "确定要删除子任务吗?", "confirm-checklist-delete-dialog": "确定要删除清单吗?", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 8926b779..6a60d8b7 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -171,6 +171,8 @@ "comment-placeholder": "新增評論", "comment-only": "只可以發表評論", "comment-only-desc": "只可以對卡片發表評論", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", "computer": "從本機上傳", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", -- cgit v1.2.3-1-g7c22 From 910771708a1ec37d198e2a0589aad2f035fcb4ff Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 4 Sep 2018 20:51:22 +0300 Subject: v1.40 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index efe580f6..9c1f62c0 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.40 2018-09-04 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index 64bbf3e5..61908837 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.39.0", + "version": "1.40.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index f143377b..1dcd6c42 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 124, + appVersion = 125, # Increment this for every release. - appMarketingVersion = (defaultText = "1.39.0~2018-08-29"), + appMarketingVersion = (defaultText = "1.40.0~2018-09-04"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 6462f855c9388416517b0e5d29e11b4ede21f78e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 5 Sep 2018 01:58:18 +0300 Subject: - Try to fix Wekan Sandstorm API. Thanks to ocdtrekkie and xet7 ! --- sandstorm-pkgdef.capnp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 1dcd6c42..60abbb5d 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -226,7 +226,7 @@ const pkgdef :Spk.PackageDefinition = ( verbPhrase = (defaultText = "removed from card"), ), ], ), - apiPath = "/api", + apiPath = "/", saveIdentityCaps = true, ), ); -- cgit v1.2.3-1-g7c22 From adf969f6ff3fb54cc779d5aa416dd412234539f6 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 5 Sep 2018 02:01:13 +0300 Subject: - Try to fix Wekan Sandstorm API. https://github.com/wekan/wekan/commit/6462f855c9388416517b0e5d29e11b4ede21f78e Thanks to ocdtrekkie and xet7 ! Related #1279 --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 9c1f62c0..d9cdced9 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# v1.41 2018-09-05 Wekan release + +This release tries to fix the following bugs: + +- [Try to fix Wekan Sandstorm API](https://github.com/wekan/wekan/issues/1279#issuecomment-418440401). + +Thanks to GitHub users ocdtrekkie and xet7 for their contributions. + # v1.40 2018-09-04 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From b465500afaed90efabd348d41a5558dba7c8be7a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 5 Sep 2018 02:06:50 +0300 Subject: Update translations (de). --- i18n/de.i18n.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 3b9bbb1d..988fe02b 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -171,8 +171,8 @@ "comment-placeholder": "Kommentar schreiben", "comment-only": "Nur kommentierbar", "comment-only-desc": "Kann Karten nur Kommentieren", - "no-comments": "No comments", - "no-comments-desc": "Can not see comments and activities.", + "no-comments": "Keine Kommentare", + "no-comments-desc": "Kann keine Kommentare und Aktivitäten sehen.", "computer": "Computer", "confirm-subtask-delete-dialog": "Wollen Sie die Teilaufgabe wirklich löschen?", "confirm-checklist-delete-dialog": "Wollen Sie die Checkliste wirklich löschen?", -- cgit v1.2.3-1-g7c22 From f346ce04f58c1e44ec2d58df409b7558fd33b91e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 5 Sep 2018 02:11:38 +0300 Subject: v1.41 --- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/package.json b/package.json index 61908837..0ea2c6f7 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.40.0", + "version": "1.41.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 60abbb5d..f7c92a82 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 125, + appVersion = 126, # Increment this for every release. - appMarketingVersion = (defaultText = "1.40.0~2018-09-04"), + appMarketingVersion = (defaultText = "1.41.0~2018-09-05"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From e74fb2f5b08b4e033dca71cbfb4b99e91ee142eb Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Thu, 6 Sep 2018 00:17:45 +0200 Subject: Add swimlaneId in activity. Create default swimlaneId in API --- models/activities.js | 3 +++ models/boards.js | 5 +++++ models/cards.js | 11 ++++++++--- server/notifications/outgoing.js | 2 +- 4 files changed, 17 insertions(+), 4 deletions(-) diff --git a/models/activities.js b/models/activities.js index 5b54759c..2228f66e 100644 --- a/models/activities.js +++ b/models/activities.js @@ -117,6 +117,9 @@ if (Meteor.isServer) { params.url = card.absoluteUrl(); params.cardId = activity.cardId; } + if (activity.swimlaneId) { + params.swimlaneId = activity.swimlaneId; + } if (activity.commentId) { const comment = activity.comment(); params.comment = comment.text; diff --git a/models/boards.js b/models/boards.js index 71049bd9..8d6c773f 100644 --- a/models/boards.js +++ b/models/boards.js @@ -855,10 +855,15 @@ if (Meteor.isServer) { permission: 'public', color: 'belize', }); + const swimlaneId = Swimlanes.insert({ + title: TAPi18n.__('default'), + boardId: id, + }); JsonRoutes.sendResult(res, { code: 200, data: { _id: id, + defaultSwimlaneId: swimlaneId, }, }); } diff --git a/models/cards.js b/models/cards.js index 11f08283..927ca9ce 100644 --- a/models/cards.js +++ b/models/cards.js @@ -914,8 +914,9 @@ Cards.mutations({ //FUNCTIONS FOR creation of Activities -function cardMove(userId, doc, fieldNames, oldListId) { - if (_.contains(fieldNames, 'listId') && doc.listId !== oldListId) { +function cardMove(userId, doc, fieldNames, oldListId, oldSwimlaneId) { + if ((_.contains(fieldNames, 'listId') && doc.listId !== oldListId) || + (_.contains(fieldNames, 'swimlaneId') && doc.swimlaneId !== oldSwimlaneId)){ Activities.insert({ userId, oldListId, @@ -923,6 +924,8 @@ function cardMove(userId, doc, fieldNames, oldListId) { listId: doc.listId, boardId: doc.boardId, cardId: doc._id, + swimlaneId: doc.swimlaneId, + oldSwimlaneId, }); } } @@ -990,6 +993,7 @@ function cardCreation(userId, doc) { boardId: doc.boardId, listId: doc.listId, cardId: doc._id, + swimlaneId: doc.swimlaneId, }); } @@ -1037,7 +1041,8 @@ if (Meteor.isServer) { //New activity for card moves Cards.after.update(function (userId, doc, fieldNames) { const oldListId = this.previous.listId; - cardMove(userId, doc, fieldNames, oldListId); + const oldSwimlaneId = this.previous.swimlaneId; + cardMove(userId, doc, fieldNames, oldListId, oldSwimlaneId); }); // Add a new activity if we add or remove a member to the card diff --git a/server/notifications/outgoing.js b/server/notifications/outgoing.js index b35b3b2e..aac8749e 100644 --- a/server/notifications/outgoing.js +++ b/server/notifications/outgoing.js @@ -8,7 +8,7 @@ const postCatchError = Meteor.wrapAsync((url, options, resolve) => { }); }); -const webhooksAtbts = ( (process.env.WEBHOOKS_ATTRIBUTES && process.env.WEBHOOKS_ATTRIBUTES.split(',') ) || ['cardId', 'listId', 'oldListId', 'boardId', 'comment', 'user', 'card', 'commentId']); +const webhooksAtbts = ( (process.env.WEBHOOKS_ATTRIBUTES && process.env.WEBHOOKS_ATTRIBUTES.split(',') ) || ['cardId', 'listId', 'oldListId', 'boardId', 'comment', 'user', 'card', 'commentId', 'swimlaneId']); Meteor.methods({ outgoingWebhooks(integrations, description, params) { -- cgit v1.2.3-1-g7c22 From 9cea76e4efaacaebcb2e9f0690dfeb4ef6d62527 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 6 Sep 2018 11:56:38 +0300 Subject: - REST API: Create board options to be modifiable, like permissions, public/private board - now private by default, and board background color. Docs at https://github.com/wekan/wekan/wiki/REST-API-Boards Thanks to xet7 ! Related #1037 --- models/boards.js | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/models/boards.js b/models/boards.js index 71049bd9..1acaeae8 100644 --- a/models/boards.js +++ b/models/boards.js @@ -846,14 +846,14 @@ if (Meteor.isServer) { members: [ { userId: req.body.owner, - isAdmin: true, - isActive: true, - isNoComments: false, - isCommentOnly: false, + isAdmin: req.body.isAdmin || true, + isActive: req.body.isActive || true, + isNoComments: req.body.isNoComments || false, + isCommentOnly: req.body.isCommentOnly || false, }, ], - permission: 'public', - color: 'belize', + permission: req.body.permission || 'private', + color: req.body.color || 'belize', }); JsonRoutes.sendResult(res, { code: 200, -- cgit v1.2.3-1-g7c22 From 1aecf8da6b225d6ac2c2b9722c857a9cf27bbf2a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 6 Sep 2018 12:04:09 +0300 Subject: - REST API: [Create board options to be modifiable](https://github.com/wekan/wekan/commit/9cea76e4efaacaebcb2e9f0690dfeb4ef6d62527), like permissions, public/private board - now private by default, and board background color. Docs at https://github.com/wekan/wekan/wiki/REST-API-Boards Thanks to xet7 ! Related #1037 --- CHANGELOG.md | 11 +++++++++++ 1 file changed, 11 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index d9cdced9..834465a4 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,14 @@ +# Upcoming Wekan release + +This release adds the following new features: + +- REST API: [Create board options to be modifiable](https://github.com/wekan/wekan/commit/9cea76e4efaacaebcb2e9f0690dfeb4ef6d62527), + like permissions, public/private board - now private by default, + and board background color. + Docs at https://github.com/wekan/wekan/wiki/REST-API-Boards + +Thanks to GitHub user xet7 for contributions. + # v1.41 2018-09-05 Wekan release This release tries to fix the following bugs: -- cgit v1.2.3-1-g7c22 From 3c86cf854e92a42df8df113040166df76c89de06 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 6 Sep 2018 12:33:16 +0300 Subject: - Add swimlaneId in activity. Create default swimlaneId in API. Thanks to andresmanelli ! --- CHANGELOG.md | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 834465a4..9d06ac07 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -6,8 +6,9 @@ This release adds the following new features: like permissions, public/private board - now private by default, and board background color. Docs at https://github.com/wekan/wekan/wiki/REST-API-Boards +- [Add swimlaneId in activity. Create default swimlaneId in API](https://github.com/wekan/wekan/pull/1876). -Thanks to GitHub user xet7 for contributions. +Thanks to GitHub users andresmanelli and xet7 for their contributions. # v1.41 2018-09-05 Wekan release -- cgit v1.2.3-1-g7c22 From 07b505aa32b5f22747161687d5b5296d5df033e5 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 6 Sep 2018 12:40:54 +0300 Subject: Update translations (fr). --- i18n/fr.i18n.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 986fe230..19d0c2d6 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -171,8 +171,8 @@ "comment-placeholder": "Écrire un commentaire", "comment-only": "Commentaire uniquement", "comment-only-desc": "Ne peut que commenter des cartes.", - "no-comments": "No comments", - "no-comments-desc": "Can not see comments and activities.", + "no-comments": "Aucun commentaire", + "no-comments-desc": "Ne peut pas voir les commentaires et les activités.", "computer": "Ordinateur", "confirm-subtask-delete-dialog": "Êtes-vous sûr de vouloir supprimer la sous-tâche ?", "confirm-checklist-delete-dialog": "Êtes-vous sûr de vouloir supprimer la checklist ?", -- cgit v1.2.3-1-g7c22 From 66e22a2c8745ca32c49861bb24230413f5a79d76 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 6 Sep 2018 12:46:26 +0300 Subject: v1.42 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 9d06ac07..8cf8fdd1 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.42 2018-09-06 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index 0ea2c6f7..1f2acae2 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.41.0", + "version": "1.42.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index f7c92a82..4173cbb8 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 126, + appVersion = 127, # Increment this for every release. - appMarketingVersion = (defaultText = "1.41.0~2018-09-05"), + appMarketingVersion = (defaultText = "1.42.0~2018-09-06"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 0a001d505d81961e6bd6715d885fffee0adb702d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 6 Sep 2018 19:29:52 +0300 Subject: - Fix "No Comments" permission on Wekan and Trello import. Thanks to xet7 ! --- models/trelloCreator.js | 2 ++ models/wekanCreator.js | 1 + 2 files changed, 3 insertions(+) diff --git a/models/trelloCreator.js b/models/trelloCreator.js index 30f0bc2b..b5a255cc 100644 --- a/models/trelloCreator.js +++ b/models/trelloCreator.js @@ -150,6 +150,7 @@ export class TrelloCreator { userId: Meteor.userId(), isAdmin: true, isActive: true, + isNoComments: false, isCommentOnly: false, swimlaneId: false, }], @@ -177,6 +178,7 @@ export class TrelloCreator { userId: wekanId, isAdmin: this.getAdmin(trelloMembership.memberType), isActive: true, + isNoComments: false, isCommentOnly: false, swimlaneId: false, }); diff --git a/models/wekanCreator.js b/models/wekanCreator.js index 4551979b..d144821f 100644 --- a/models/wekanCreator.js +++ b/models/wekanCreator.js @@ -160,6 +160,7 @@ export class WekanCreator { wekanId: Meteor.userId(), isActive: true, isAdmin: true, + isNoComments: false, isCommentOnly: false, swimlaneId: false, }], -- cgit v1.2.3-1-g7c22 From e52351dcbfb0eb25f59deaf39491422ce8fa9278 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 6 Sep 2018 19:37:18 +0300 Subject: - Fix "No Comments" permission on Wekan and Trello import. Thanks to xet7 ! --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 8cf8fdd1..c9a36149 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- [Fix "No Comments" permission on Wekan and Trello import](https://github.com/wekan/wekan/commit/0a001d505d81961e6bd6715d885fffee0adb702d). + +Thanks to GitHub user xet7 for contributions. + # v1.42 2018-09-06 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From 1d2896886e55244e65117f4785346a673f48722a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 6 Sep 2018 19:54:07 +0300 Subject: v1.43 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index c9a36149..8450e616 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.43 2018-09-06 Wekan release This release fixes the following bugs: diff --git a/package.json b/package.json index 1f2acae2..41ae0bbb 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.42.0", + "version": "1.43.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 4173cbb8..fb0507b5 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 127, + appVersion = 128, # Increment this for every release. - appMarketingVersion = (defaultText = "1.42.0~2018-09-06"), + appMarketingVersion = (defaultText = "1.43.0~2018-09-06"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 1e0fdf8abc10130ea3c50b13ae97396223ce7fa9 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 7 Sep 2018 12:30:06 +0300 Subject: - REST API: Add startAt/dueAt/endAt etc. https://github.com/wekan/wekan/wiki/REST-API-Cards Thanks to xet7 ! Closes #1879 --- models/cards.js | 45 +++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 45 insertions(+) diff --git a/models/cards.js b/models/cards.js index 927ca9ce..73b9a023 100644 --- a/models/cards.js +++ b/models/cards.js @@ -1149,6 +1149,51 @@ if (Meteor.isServer) { Cards.direct.update({_id: paramCardId, listId: paramListId, boardId: paramBoardId, archived: false}, {$set: {labelIds: newlabelIds}}); } + if (req.body.hasOwnProperty('requestedBy')) { + const newrequestedBy = req.body.requestedBy; + Cards.direct.update({_id: paramCardId, listId: paramListId, boardId: paramBoardId, archived: false}, + {$set: {requestedBy: newrequestedBy}}); + } + if (req.body.hasOwnProperty('assignedBy')) { + const newassignedBy = req.body.assignedBy; + Cards.direct.update({_id: paramCardId, listId: paramListId, boardId: paramBoardId, archived: false}, + {$set: {assignedBy: newassignedBy}}); + } + if (req.body.hasOwnProperty('receivedAt')) { + const newreceivedAt = req.body.receivedAt; + Cards.direct.update({_id: paramCardId, listId: paramListId, boardId: paramBoardId, archived: false}, + {$set: {receivedAt: newreceivedAt}}); + } + if (req.body.hasOwnProperty('startAt')) { + const newstartAt = req.body.startAt; + Cards.direct.update({_id: paramCardId, listId: paramListId, boardId: paramBoardId, archived: false}, + {$set: {startAt: newstartAt}}); + } + if (req.body.hasOwnProperty('dueAt')) { + const newdueAt = req.body.dueAt; + Cards.direct.update({_id: paramCardId, listId: paramListId, boardId: paramBoardId, archived: false}, + {$set: {dueAt: newdueAt}}); + } + if (req.body.hasOwnProperty('endAt')) { + const newendAt = req.body.endAt; + Cards.direct.update({_id: paramCardId, listId: paramListId, boardId: paramBoardId, archived: false}, + {$set: {endAt: newendAt}}); + } + if (req.body.hasOwnProperty('spentTime')) { + const newspentTime = req.body.spentTime; + Cards.direct.update({_id: paramCardId, listId: paramListId, boardId: paramBoardId, archived: false}, + {$set: {spentTime: newspentTime}}); + } + if (req.body.hasOwnProperty('isOverTime')) { + const newisOverTime = req.body.isOverTime; + Cards.direct.update({_id: paramCardId, listId: paramListId, boardId: paramBoardId, archived: false}, + {$set: {isOverTime: newisOverTime}}); + } + if (req.body.hasOwnProperty('customFields')) { + const newcustomFields = req.body.customFields; + Cards.direct.update({_id: paramCardId, listId: paramListId, boardId: paramBoardId, archived: false}, + {$set: {customFields: newcustomFields}}); + } JsonRoutes.sendResult(res, { code: 200, data: { -- cgit v1.2.3-1-g7c22 From be9cf344627df6d3230e4b3be5218153eb94cbc0 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 7 Sep 2018 12:36:12 +0300 Subject: - REST API: Add startAt/dueAt/endAt etc. https://github.com/wekan/wekan/wiki/REST-API-Cards Thanks to xet7 ! Closes #1879 --- CHANGELOG.md | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 8450e616..c8fff1ca 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# Upcoming Wekan release + +This release adds the following new features: + +- REST API: [Add startAt/dueAt/endAt etc](https://github.com/wekan/wekan/commit/1e0fdf8abc10130ea3c50b13ae97396223ce7fa9). + Docs at https://github.com/wekan/wekan/wiki/REST-API-Cards + +Thanks to GitHub user xet7 for contributions. + # v1.43 2018-09-06 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 960cb27eeffaadd82f4606a67f257e753a05cedf Mon Sep 17 00:00:00 2001 From: Ymeramees Date: Sat, 8 Sep 2018 08:10:23 +0300 Subject: Added customFields export. --- models/export.js | 1 + 1 file changed, 1 insertion(+) diff --git a/models/export.js b/models/export.js index ed4c52d9..c8f08875 100644 --- a/models/export.js +++ b/models/export.js @@ -55,6 +55,7 @@ class Exporter { result.lists = Lists.find(byBoard, noBoardId).fetch(); result.cards = Cards.find(byBoardNoLinked, noBoardId).fetch(); result.swimlanes = Swimlanes.find(byBoard, noBoardId).fetch(); + result.customFields = CustomFields.find(byBoard, noBoardId).fetch(); result.comments = CardComments.find(byBoard, noBoardId).fetch(); result.activities = Activities.find(byBoard, noBoardId).fetch(); result.checklists = []; -- cgit v1.2.3-1-g7c22 From d18cd59c0566d31bb6769ec9b53ee70f67208167 Mon Sep 17 00:00:00 2001 From: ymeramees Date: Sun, 9 Sep 2018 14:23:53 +0300 Subject: Fixed cards export Fixed cards export. --- models/export.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/models/export.js b/models/export.js index c8f08875..93f16e54 100644 --- a/models/export.js +++ b/models/export.js @@ -45,7 +45,7 @@ class Exporter { build() { const byBoard = { boardId: this._boardId }; - const byBoardNoLinked = { boardId: this._boardId, linkedId: null }; + const byBoardNoLinked = { boardId: this._boardId, linkedId: "" }; // we do not want to retrieve boardId in related elements const noBoardId = { fields: { boardId: 0 } }; const result = { -- cgit v1.2.3-1-g7c22 From 6eeb708e4d2eb82fe3b45aba20276be5c4ba0ed1 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 9 Sep 2018 21:40:23 +0300 Subject: - Fix cards export and add customFields export. Thanks to ymeramees ! Closes #1873, related #1775 --- models/export.js | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/models/export.js b/models/export.js index ed4c52d9..93f16e54 100644 --- a/models/export.js +++ b/models/export.js @@ -45,7 +45,7 @@ class Exporter { build() { const byBoard = { boardId: this._boardId }; - const byBoardNoLinked = { boardId: this._boardId, linkedId: null }; + const byBoardNoLinked = { boardId: this._boardId, linkedId: "" }; // we do not want to retrieve boardId in related elements const noBoardId = { fields: { boardId: 0 } }; const result = { @@ -55,6 +55,7 @@ class Exporter { result.lists = Lists.find(byBoard, noBoardId).fetch(); result.cards = Cards.find(byBoardNoLinked, noBoardId).fetch(); result.swimlanes = Swimlanes.find(byBoard, noBoardId).fetch(); + result.customFields = CustomFields.find(byBoard, noBoardId).fetch(); result.comments = CardComments.find(byBoard, noBoardId).fetch(); result.activities = Activities.find(byBoard, noBoardId).fetch(); result.checklists = []; -- cgit v1.2.3-1-g7c22 From cb7eebaed0705a130176cab29cde1e75c968bd64 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 9 Sep 2018 21:43:45 +0300 Subject: - Fix cards export and add customFields export. Thanks to ymeramees ! Closes #1873, related #1775 --- CHANGELOG.md | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index c8fff1ca..2291d30f 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,8 +4,9 @@ This release adds the following new features: - REST API: [Add startAt/dueAt/endAt etc](https://github.com/wekan/wekan/commit/1e0fdf8abc10130ea3c50b13ae97396223ce7fa9). Docs at https://github.com/wekan/wekan/wiki/REST-API-Cards +- [Fix cards export and add customFields export](https://github.com/wekan/wekan/pull/1886). -Thanks to GitHub user xet7 for contributions. +Thanks to GitHub users ymeramees and xet7 for their contributions. # v1.43 2018-09-06 Wekan release -- cgit v1.2.3-1-g7c22 From a58ee144acae4792a0c6a30c2679014d36584afe Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 9 Sep 2018 21:53:00 +0300 Subject: Update translations. --- i18n/de.i18n.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 988fe02b..bb1cc334 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -169,8 +169,8 @@ "color-yellow": "gelb", "comment": "Kommentar", "comment-placeholder": "Kommentar schreiben", - "comment-only": "Nur kommentierbar", - "comment-only-desc": "Kann Karten nur Kommentieren", + "comment-only": "Nur Kommentare", + "comment-only-desc": "Kann Karten nur kommentieren.", "no-comments": "Keine Kommentare", "no-comments-desc": "Kann keine Kommentare und Aktivitäten sehen.", "computer": "Computer", -- cgit v1.2.3-1-g7c22 From eb166737e396044ffdbf4df78c7274dc55c5664f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 9 Sep 2018 22:03:04 +0300 Subject: v1.44 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 2291d30f..9972079f 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.44 2018-09-09 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index 41ae0bbb..b04be495 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.43.0", + "version": "1.44.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index fb0507b5..e116900b 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 128, + appVersion = 129, # Increment this for every release. - appMarketingVersion = (defaultText = "1.43.0~2018-09-06"), + appMarketingVersion = (defaultText = "1.44.0~2018-09-09"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 45c0343f45b4cfc06d83cf357ffb50d6fca2f23b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 9 Sep 2018 22:12:47 +0300 Subject: - Fix lint error. Thanks to xet7 ! --- models/export.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/models/export.js b/models/export.js index 93f16e54..6c0b43fd 100644 --- a/models/export.js +++ b/models/export.js @@ -45,7 +45,7 @@ class Exporter { build() { const byBoard = { boardId: this._boardId }; - const byBoardNoLinked = { boardId: this._boardId, linkedId: "" }; + const byBoardNoLinked = { boardId: this._boardId, linkedId: '' }; // we do not want to retrieve boardId in related elements const noBoardId = { fields: { boardId: 0 } }; const result = { -- cgit v1.2.3-1-g7c22 From ca90220d184b308b8fb7ae4f44c450abf11c7b29 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 9 Sep 2018 22:17:50 +0300 Subject: - Fix lint error. Thanks to xet7 ! --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 9972079f..303136bb 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# v1.45 2018-09-09 Wekan release + +This release fixes the following bugs: + +- [Fix lint error](https://github.com/wekan/wekan/commit/45c0343f45b4cfc06d83cf357ffb50d6fca2f23b). + +Thanks to GitHub user xet7 for contributions. + # v1.44 2018-09-09 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From b39458d2ee95aa18de986e0f73393a731fa1d0ad Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 9 Sep 2018 22:18:54 +0300 Subject: v1.45 --- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/package.json b/package.json index b04be495..e345cfce 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.44.0", + "version": "1.45.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index e116900b..011805f6 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 129, + appVersion = 130, # Increment this for every release. - appMarketingVersion = (defaultText = "1.44.0~2018-09-09"), + appMarketingVersion = (defaultText = "1.45.0~2018-09-09"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 0cb3aee803781e4241c38a3e1e700703d063035a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 10 Sep 2018 00:54:08 +0300 Subject: - Upgrade to MongoDB v3.2.21 Thanks to xet7 ! --- docker-compose.yml | 2 +- snapcraft.yaml | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/docker-compose.yml b/docker-compose.yml index 99633265..7509bbc9 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -3,7 +3,7 @@ version: '2' services: wekandb: - image: mongo:3.2.20 + image: mongo:3.2.21 container_name: wekan-db restart: always command: mongod --smallfiles --oplogSize 128 diff --git a/snapcraft.yaml b/snapcraft.yaml index a3ca80dc..b91a2754 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -65,7 +65,7 @@ apps: parts: mongodb: - source: https://fastdl.mongodb.org/linux/mongodb-linux-x86_64-ubuntu1604-3.2.20.tgz + source: https://fastdl.mongodb.org/linux/mongodb-linux-x86_64-ubuntu1604-3.2.21.tgz plugin: dump stage-packages: [libssl1.0.0] filesets: -- cgit v1.2.3-1-g7c22 From 4608c057d5c527d7e67fd63115d991dcdea88c97 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 10 Sep 2018 00:56:16 +0300 Subject: - Upgrade to MongoDB v3.2.21 Thanks to xet7 ! --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 303136bb..6e05adf8 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release adds the following new features: + +- [Upgrade MongoDB to 3.2.21](https://github.com/wekan/wekan/commit/0cb3aee803781e4241c38a3e1e700703d063035a). + +Thanks to GitHub user xet7 for contributions. + # v1.45 2018-09-09 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From f1ab46d5178b6fb7e9c4e43628eec358026d287a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 11 Sep 2018 00:43:27 +0300 Subject: - Turn of http/2 so that Firefox Inspect Console does not show wss websocket config. Chrome web console supports http/2. Note: If you are already using Caddy and have modified your Caddyfile, you need to edit your Caddyfile manually. Thanks to xet7 ! Related #934 --- snap-src/Caddyfile | 13 +++++++++++++ 1 file changed, 13 insertions(+) diff --git a/snap-src/Caddyfile b/snap-src/Caddyfile index 07ed4143..2a9867d8 100644 --- a/snap-src/Caddyfile +++ b/snap-src/Caddyfile @@ -3,3 +3,16 @@ proxy / localhost:3001 { websocket transparent } + +## SSL/TLS example. Firefox Inspect Console does not support http/2, so turning it off +## so that Firefox would not show wss websocket errors. Chrome console supports http/2. +# +#wekan.example.com { +# tls { +# alpn http/1.1 +# } +# proxy / localhost:3001 { +# websocket +# transparent +# } +#} -- cgit v1.2.3-1-g7c22 From 63d4e0489ff4286940064a919eb63ac316681384 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 11 Sep 2018 00:49:54 +0300 Subject: - Turn of http/2 in Caddyfile so that Firefox Inspect Console does not show errors about wss websocket config. Chrome web console supports http/2. Note: If you are already using Caddy and have modified your Caddyfile, you need to edit your Caddyfile manually. Thanks to GitHub user xet7 for contributions. --- CHANGELOG.md | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 6e05adf8..35907411 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,6 +3,10 @@ This release adds the following new features: - [Upgrade MongoDB to 3.2.21](https://github.com/wekan/wekan/commit/0cb3aee803781e4241c38a3e1e700703d063035a). +- [Turn of http/2 in Caddyfile](https://github.com/wekan/wekan/commit/f1ab46d5178b6fb7e9c4e43628eec358026d287a) + so that Firefox Inspect Console does not [show errors about wss](https://github.com/wekan/wekan/issues/934) + websocket config. Chrome web console supports http/2. + Note: If you are already using Caddy and have modified your Caddyfile, you need to edit your Caddyfile manually. Thanks to GitHub user xet7 for contributions. -- cgit v1.2.3-1-g7c22 From 1e2582f04375f85f9e555dd6ec83a52bfde1242a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 11 Sep 2018 16:25:24 +0300 Subject: - Add source-map-support. Thanks to xet7 ! Closes #1889 --- package.json | 1 + 1 file changed, 1 insertion(+) diff --git a/package.json b/package.json index e345cfce..0487bdef 100644 --- a/package.json +++ b/package.json @@ -30,6 +30,7 @@ "os": "^0.1.1", "page": "^1.8.6", "qs": "^6.5.2", + "source-map-support": "^0.5.9", "xss": "^1.0.3" } } -- cgit v1.2.3-1-g7c22 From 4e7f33b9e2877ba68cd925f9a9f7f1322a93f87a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 11 Sep 2018 16:32:23 +0300 Subject: - Add source-map-support. Thanks to HLFH and xet7 ! Closes #1889 --- CHANGELOG.md | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 35907411..a27299c5 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -7,8 +7,9 @@ This release adds the following new features: so that Firefox Inspect Console does not [show errors about wss](https://github.com/wekan/wekan/issues/934) websocket config. Chrome web console supports http/2. Note: If you are already using Caddy and have modified your Caddyfile, you need to edit your Caddyfile manually. +- [Add source-map-support](https://github.com/wekan/wekan/issues/1889). -Thanks to GitHub user xet7 for contributions. +Thanks to GitHub users HLFH and xet7 for their contributions. # v1.45 2018-09-09 Wekan release -- cgit v1.2.3-1-g7c22 From 34b37116cf8c618a4ea12b13d969c24654f4248b Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Wed, 12 Sep 2018 00:52:29 +0200 Subject: Fixed rule allows --- client/components/activities/activities.js | 3 - client/components/boards/boardHeader.jade | 2 +- client/components/main/layouts.styl | 2 +- client/components/rules/actions/boardActions.jade | 24 +++---- client/components/rules/actions/boardActions.js | 73 ++++++++++++---------- client/components/rules/actions/cardActions.jade | 16 ++--- client/components/rules/actions/cardActions.js | 23 ++++--- .../components/rules/actions/checklistActions.jade | 28 ++++----- .../components/rules/actions/checklistActions.js | 27 ++++---- client/components/rules/actions/mailActions.jade | 6 +- client/components/rules/actions/mailActions.js | 5 +- client/components/rules/ruleDetails.jade | 8 +++ client/components/rules/ruleDetails.js | 28 +++++++++ client/components/rules/rulesActions.jade | 4 +- client/components/rules/rulesList.jade | 26 ++++---- client/components/rules/rulesMain.jade | 6 +- client/components/rules/rulesMain.js | 24 +++---- client/components/rules/rulesTriggers.jade | 4 +- .../components/rules/triggers/boardTriggers.jade | 34 +++++----- client/components/rules/triggers/cardTriggers.jade | 46 +++++++------- .../rules/triggers/checklistTriggers.jade | 52 +++++++-------- i18n/en.i18n.json | 73 +++++++++++++++++++++- models/actions.js | 45 ++----------- models/rules.js | 31 ++++----- models/triggers.js | 15 ++--- 25 files changed, 345 insertions(+), 260 deletions(-) create mode 100644 client/components/rules/ruleDetails.jade create mode 100644 client/components/rules/ruleDetails.js diff --git a/client/components/activities/activities.js b/client/components/activities/activities.js index 11b39126..f1414e44 100644 --- a/client/components/activities/activities.js +++ b/client/components/activities/activities.js @@ -67,9 +67,6 @@ BlazeComponent.extendComponent({ lastLabel(){ const lastLabelId = this.currentData().labelId; const lastLabel = Boards.findOne(Session.get('currentBoard')).getLabelById(lastLabelId); - console.log("LAST"); - console.log(lastLabel); - if(lastLabel.name == undefined || lastLabel.name == ""){ return lastLabel.color; }else{ diff --git a/client/components/boards/boardHeader.jade b/client/components/boards/boardHeader.jade index 5116de28..dfd281de 100644 --- a/client/components/boards/boardHeader.jade +++ b/client/components/boards/boardHeader.jade @@ -89,7 +89,7 @@ template(name="boardHeaderBar") i.fa.fa-times-thin a.board-header-btn.js-open-rules-view(title="{{_ 'rules'}}") - i.fa.fa-cutlery + i.fa.fa-magic span {{_ 'rules'}} a.board-header-btn.js-open-search-view(title="{{_ 'search'}}") diff --git a/client/components/main/layouts.styl b/client/components/main/layouts.styl index 109dcf7b..3457a028 100644 --- a/client/components/main/layouts.styl +++ b/client/components/main/layouts.styl @@ -64,7 +64,7 @@ body .modal-content-wide width: 800px - min-height: 160px + min-height: 0px margin: 42px auto padding: 12px border-radius: 4px diff --git a/client/components/rules/actions/boardActions.jade b/client/components/rules/actions/boardActions.jade index 81b2023d..dfeb3d84 100644 --- a/client/components/rules/actions/boardActions.jade +++ b/client/components/rules/actions/boardActions.jade @@ -2,28 +2,28 @@ template(name="boardActions") div.trigger-item div.trigger-content div.trigger-text - | Move card to + | {{{_'r-move-card-to'}}} div.trigger-dropdown select(id="move-gen-action") - option(value="top") Top of - option(value="bottom") Bottom of + option(value="top") {{{_'r-top-of'}}} + option(value="bottom") {{{_'r-bottom-of'}}} div.trigger-text - | its list + | {{{_'r-its-list'}}} div.trigger-button.js-add-gen-move-action.js-goto-rules i.fa.fa-plus div.trigger-item div.trigger-content div.trigger-text - | Move card to + | {{{_'r-move-card-to'}}} div.trigger-dropdown select(id="move-spec-action") - option(value="top") Top of - option(value="bottom") Bottom of + option(value="top") {{{_'r-top-of'}}} + option(value="bottom") {{{_'r-bottom-of'}}} div.trigger-text - | list + | {{{_'r-list'}}} div.trigger-dropdown - input(id="listName",type=text,placeholder="List Name") + input(id="listName",type=text,placeholder="{{{_'r-name'}}}") div.trigger-button.js-add-spec-move-action.js-goto-rules i.fa.fa-plus @@ -31,10 +31,10 @@ template(name="boardActions") div.trigger-content div.trigger-dropdown select(id="arch-action") - option(value="archive") Archive - option(value="unarchive") Unarchive + option(value="archive") {{{_'r-archive'}}} + option(value="unarchive") {{{_'r-unarchive'}}} div.trigger-text - | card + | {{{_'r-card'}}} div.trigger-button.js-add-arch-action.js-goto-rules i.fa.fa-plus diff --git a/client/components/rules/actions/boardActions.js b/client/components/rules/actions/boardActions.js index 94c2778d..2b6fed57 100644 --- a/client/components/rules/actions/boardActions.js +++ b/client/components/rules/actions/boardActions.js @@ -12,48 +12,53 @@ BlazeComponent.extendComponent({ const trigger = this.data().triggerVar.get(); const actionSelected = this.find('#move-spec-action').value; const listTitle = this.find('#listName').value; + const boardId = Session.get('currentBoard'); + if(actionSelected == "top"){ const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "moveCardToTop","listTitle":listTitle}); - Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId}); + const actionId = Actions.insert({actionType: "moveCardToTop","listTitle":listTitle,"boardId":boardId}); + console.log("Action inserted"); + Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); } if(actionSelected == "bottom"){ const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "moveCardToBottom","listTitle":listTitle}); - Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId}); + const actionId = Actions.insert({actionType: "moveCardToBottom","listTitle":listTitle,"boardId":boardId}); + Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); } }, 'click .js-add-gen-move-action'(event) { - const ruleName = this.data().ruleName.get(); - const trigger = this.data().triggerVar.get(); - const actionSelected = this.find('#move-gen-action').value; - if(actionSelected == "top"){ - const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "moveCardToTop","listTitle":"*"}); - Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId}); - } - if(actionSelected == "bottom"){ - const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "moveCardToBottom","listTitle":"*"}); - Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId}); - } - }, - 'click .js-add-arch-action'(event) { - const ruleName = this.data().ruleName.get(); - const trigger = this.data().triggerVar.get(); - const actionSelected = this.find('#arch-action').value; - if(actionSelected == "archive"){ - const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "archive"}); - Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId}); - } - if(actionSelected == "unarchive"){ - const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "unarchive"}); - Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId}); - } - }, - }]; + const boardId = Session.get('currentBoard'); + const ruleName = this.data().ruleName.get(); + const trigger = this.data().triggerVar.get(); + const actionSelected = this.find('#move-gen-action').value; + if(actionSelected == "top"){ + const triggerId = Triggers.insert(trigger); + const actionId = Actions.insert({actionType: "moveCardToTop","listTitle":"*","boardId":boardId}); + Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); + } + if(actionSelected == "bottom"){ + const triggerId = Triggers.insert(trigger); + const actionId = Actions.insert({actionType: "moveCardToBottom","listTitle":"*","boardId":boardId}); + Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); + } + }, + 'click .js-add-arch-action'(event) { + const boardId = Session.get('currentBoard'); + const ruleName = this.data().ruleName.get(); + const trigger = this.data().triggerVar.get(); + const actionSelected = this.find('#arch-action').value; + if(actionSelected == "archive"){ + const triggerId = Triggers.insert(trigger); + const actionId = Actions.insert({actionType: "archive"}); + Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); + } + if(actionSelected == "unarchive"){ + const triggerId = Triggers.insert(trigger); + const actionId = Actions.insert({actionType: "unarchive"}); + Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); + } +}, +}]; }, }).register('boardActions'); \ No newline at end of file diff --git a/client/components/rules/actions/cardActions.jade b/client/components/rules/actions/cardActions.jade index 8d218a49..74ad9ab5 100644 --- a/client/components/rules/actions/cardActions.jade +++ b/client/components/rules/actions/cardActions.jade @@ -3,10 +3,10 @@ template(name="cardActions") div.trigger-content div.trigger-dropdown select(id="label-action") - option(value="add") Add - option(value="remove") Remove + option(value="add") {{{_'r-add'}}} + option(value="remove") {{{_'r-remove'}}} div.trigger-text - | label + | {{{_'r-label'}}} div.trigger-dropdown select(id="label-id") each labels @@ -19,19 +19,19 @@ template(name="cardActions") div.trigger-content div.trigger-dropdown select(id="member-action") - option(value="add") Add - option(value="remove") Removed + option(value="add") {{{_'r-add'}}} + option(value="remove") {{{_'r-remove'}}} div.trigger-text - | member + | {{{_'r-member'}}} div.trigger-dropdown - input(id="member-name",type=text,placeholder="Member name") + input(id="member-name",type=text,placeholder="{{{_'r-name'}}}") div.trigger-button.js-add-member-action.js-goto-rules i.fa.fa-plus div.trigger-item div.trigger-content div.trigger-text - | Remove all member from the card + | {{{_'r-remove-all'}}} div.trigger-button.js-add-removeall-action.js-goto-rules i.fa.fa-plus diff --git a/client/components/rules/actions/cardActions.js b/client/components/rules/actions/cardActions.js index 48120d91..571020a8 100644 --- a/client/components/rules/actions/cardActions.js +++ b/client/components/rules/actions/cardActions.js @@ -24,16 +24,17 @@ BlazeComponent.extendComponent({ const trigger = this.data().triggerVar.get(); const actionSelected = this.find('#label-action').value; const labelId = this.find('#label-id').value; + const boardId = Session.get('currentBoard'); if(actionSelected == "add"){ const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "addLabel","labelId":labelId}); - Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId}); + const actionId = Actions.insert({actionType: "addLabel","labelId":labelId,"boardId":boardId}); + Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); } if(actionSelected == "remove"){ const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "removeLabel","labelId":labelId}); - Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId}); + const actionId = Actions.insert({actionType: "removeLabel","labelId":labelId,"boardId":boardId}); + Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); } }, @@ -42,23 +43,25 @@ BlazeComponent.extendComponent({ const trigger = this.data().triggerVar.get(); const actionSelected = this.find('#member-action').value; const memberName = this.find('#member-name').value; + const boardId = Session.get('currentBoard'); if(actionSelected == "add"){ const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "addMember","memberName":memberName}); - Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId}); + const actionId = Actions.insert({actionType: "addMember","memberName":memberName,"boardId":boardId}); + Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); } if(actionSelected == "remove"){ const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "removeMember","memberName":memberName}); - Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId}); + const actionId = Actions.insert({actionType: "removeMember","memberName":memberName,"boardId":boardId}); + Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); } }, 'click .js-add-removeall-action'(event) { const ruleName = this.data().ruleName.get(); const trigger = this.data().triggerVar.get(); const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "removeMember","memberName":"*"}); - Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId}); + const boardId = Session.get('currentBoard'); + const actionId = Actions.insert({actionType: "removeMember","memberName":"*","boardId":boardId}); + Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); }, }]; }, diff --git a/client/components/rules/actions/checklistActions.jade b/client/components/rules/actions/checklistActions.jade index c85ec078..8414a1a5 100644 --- a/client/components/rules/actions/checklistActions.jade +++ b/client/components/rules/actions/checklistActions.jade @@ -3,12 +3,12 @@ template(name="checklistActions") div.trigger-content div.trigger-dropdown select(id="check-action") - option(value="add") Add - option(value="remove") Remove + option(value="add") {{{_'r-add'}}} + option(value="remove") {{{_'r-remove'}}} div.trigger-text - | checklist + | {{{_'r-checklist'}}} div.trigger-dropdown - input(id="checklist-name",type=text,placeholder="name") + input(id="checklist-name",type=text,placeholder="{{{_'r-name'}}}") div.trigger-button.js-add-checklist-action.js-goto-rules i.fa.fa-plus @@ -16,12 +16,12 @@ template(name="checklistActions") div.trigger-content div.trigger-dropdown select(id="checkall-action") - option(value="check") Check all - option(value="uncheck") Unchek all + option(value="check") {{{_'r-check-all'}}} + option(value="uncheck") {{{_'r-uncheck-all'}}} div.trigger-text - | items of checklist + | {{{_'r-items-check'}}} div.trigger-dropdown - input(id="checklist-name2",type=text,placeholder="name") + input(id="checklist-name2",type=text,placeholder="{{{_'r-name'}}}") div.trigger-button.js-add-checkall-action.js-goto-rules i.fa.fa-plus @@ -30,16 +30,16 @@ template(name="checklistActions") div.trigger-content div.trigger-dropdown select(id="check-item-action") - option(value="check") Check - option(value="uncheck") Unchek + option(value="check") {{{_'r-check'}}} + option(value="uncheck") {{{_'r-uncheck'}}} div.trigger-text - | item + | {{{_'r-item'}}} div.trigger-dropdown - input(id="checkitem-name",type=text,placeholder="name") + input(id="checkitem-name",type=text,placeholder="{{{_'r-name'}}}") div.trigger-text - | of checklist + | {{{_'r-of-checklist'}}} div.trigger-dropdown - input(id="checklist-name3",type=text,placeholder="name") + input(id="checklist-name3",type=text,placeholder="{{{_'r-name'}}}") div.trigger-button.js-add-check-item-action.js-goto-rules i.fa.fa-plus diff --git a/client/components/rules/actions/checklistActions.js b/client/components/rules/actions/checklistActions.js index 2a70ca7f..e6989fc6 100644 --- a/client/components/rules/actions/checklistActions.js +++ b/client/components/rules/actions/checklistActions.js @@ -9,16 +9,17 @@ BlazeComponent.extendComponent({ const trigger = this.data().triggerVar.get(); const actionSelected = this.find('#check-action').value; const checklistName = this.find('#checklist-name').value; + const boardId = Session.get('currentBoard'); if(actionSelected == "add"){ const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "addChecklist","checklistName":checklistName}); - Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId}); + const actionId = Actions.insert({actionType: "addChecklist","checklistName":checklistName,"boardId":boardId}); + Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); } if(actionSelected == "remove"){ const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "removeChecklist","checklistName":checklistName}); - Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId}); + const actionId = Actions.insert({actionType: "removeChecklist","checklistName":checklistName,"boardId":boardId}); + Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); } }, @@ -27,15 +28,16 @@ BlazeComponent.extendComponent({ const trigger = this.data().triggerVar.get(); const actionSelected = this.find('#checkall-action').value; const checklistName = this.find('#checklist-name2').value; + const boardId = Session.get('currentBoard'); if(actionSelected == "check"){ const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "checkAll","checklistName":checklistName}); - Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId}); + const actionId = Actions.insert({actionType: "checkAll","checklistName":checklistName,"boardId":boardId}); + Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); } if(actionSelected == "uncheck"){ const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "uncheckAll","checklistName":checklistName}); - Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId}); + const actionId = Actions.insert({actionType: "uncheckAll","checklistName":checklistName,"boardId":boardId}); + Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); } }, 'click .js-add-check-item-action'(event) { @@ -44,15 +46,16 @@ BlazeComponent.extendComponent({ const checkItemName = this.find("#checkitem-name"); const checklistName = this.find("#checklist-name3"); const actionSelected = this.find('#check-item-action').value; + const boardId = Session.get('currentBoard'); if(actionSelected == "check"){ const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "checkItem","checklistName":checklistName,"checkItemName":checkItemName}); - Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId}); + const actionId = Actions.insert({actionType: "checkItem","checklistName":checklistName,"checkItemName":checkItemName,"boardId":boardId}); + Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); } if(actionSelected == "uncheck"){ const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "uncheckItem","checklistName":checklistName,"checkItemName":checkItemName}); - Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId}); + const actionId = Actions.insert({actionType: "uncheckItem","checklistName":checklistName,"checkItemName":checkItemName,"boardId":boardId}); + Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); } }, }]; diff --git a/client/components/rules/actions/mailActions.jade b/client/components/rules/actions/mailActions.jade index 5680d430..c10fb384 100644 --- a/client/components/rules/actions/mailActions.jade +++ b/client/components/rules/actions/mailActions.jade @@ -2,10 +2,10 @@ template(name="mailActions") div.trigger-item.trigger-item-mail div.trigger-content.trigger-content-mail div.trigger-text.trigger-text-email - | Send an email + | {{{_'r-send-email'}}} div.trigger-dropdown-mail - input(id="email-to",type=text,placeholder="to") - input(id="email-subject",type=text,placeholder="subject") + input(id="email-to",type=text,placeholder="{{{_'r-to'}}}") + input(id="email-subject",type=text,placeholder="{{{_'r-subject'}}}") textarea(id="email-msg") div.trigger-button.trigger-button-email.js-mail-action.js-goto-rules i.fa.fa-plus \ No newline at end of file diff --git a/client/components/rules/actions/mailActions.js b/client/components/rules/actions/mailActions.js index 0e4b539e..74f6659b 100644 --- a/client/components/rules/actions/mailActions.js +++ b/client/components/rules/actions/mailActions.js @@ -12,8 +12,9 @@ BlazeComponent.extendComponent({ const trigger = this.data().triggerVar.get(); const ruleName = this.data().ruleName.get(); const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "sendEmail","emailTo":emailTo,"emailSubject":emailSubject,"emailMsg":emailMsg}); - Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId}); + const boardId = Session.get('currentBoard'); + const actionId = Actions.insert({actionType: "sendEmail","emailTo":emailTo,"emailSubject":emailSubject,"emailMsg":emailMsg,"boardId":boardId}); + Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); }, }]; }, diff --git a/client/components/rules/ruleDetails.jade b/client/components/rules/ruleDetails.jade new file mode 100644 index 00000000..9314151d --- /dev/null +++ b/client/components/rules/ruleDetails.jade @@ -0,0 +1,8 @@ +template(name="ruleDetails") + .rules + h2 + i.fa.fa-magic + | {{{_ 'r-rule-details' }}} + + | trigger + | action \ No newline at end of file diff --git a/client/components/rules/ruleDetails.js b/client/components/rules/ruleDetails.js new file mode 100644 index 00000000..572978ac --- /dev/null +++ b/client/components/rules/ruleDetails.js @@ -0,0 +1,28 @@ +BlazeComponent.extendComponent({ + onCreated() { + this.subscribe('allRules'); + }, + + trigger(){ + const rule = Rules.findOne({_id:ruleId}); + return Triggers.findOne({_id:rule.triggerId}); + }, + action(){ + const rule = Rules.findOne({_id:ruleId}); + return Triggers.findOne({_id:rule.actionId}); + }, + + events() { + return [{ + }]; + }, + +}).register('ruleDetails'); + + + + + + + + diff --git a/client/components/rules/rulesActions.jade b/client/components/rules/rulesActions.jade index 9fcecf46..8dfceeeb 100644 --- a/client/components/rules/rulesActions.jade +++ b/client/components/rules/rulesActions.jade @@ -1,7 +1,7 @@ template(name="rulesActions") h2 - i.fa.fa-cutlery - | Rule "#{data.ruleName.get}" - Add action + i.fa.fa-magic + | {{{_ 'r-rule' }}} "#{data.ruleName.get}" - {{{_ 'r-add-action'}}} .triggers-content .triggers-body .triggers-side-menu diff --git a/client/components/rules/rulesList.jade b/client/components/rules/rulesList.jade index a0d8143c..7f9e6946 100644 --- a/client/components/rules/rulesList.jade +++ b/client/components/rules/rulesList.jade @@ -1,8 +1,8 @@ template(name="rulesList") .rules h2 - i.fa.fa-cutlery - | Project rules + i.fa.fa-magic + | {{{_ 'r-board-rules' }}} ul.rules-list each rules @@ -12,14 +12,16 @@ template(name="rulesList") div.rules-btns-group button i.fa.fa-eye - | View rule - button.js-delete-rule - i.fa.fa-trash-o - | Delete rule + | {{{_ 'r-view-rule'}}} + if currentUser.isAdmin + button.js-delete-rule + i.fa.fa-trash-o + | {{{_ 'r-delete-rule'}}} else - li.no-items-message No rules - div.rules-add - button.js-goto-trigger - i.fa.fa-plus - | Add rule - input(type=text,placeholder="New rule name",id="ruleTitle") \ No newline at end of file + li.no-items-message {{{_ 'r-no-rules' }}} + if currentUser.isAdmin + div.rules-add + button.js-goto-trigger + i.fa.fa-plus + | {{{_ 'r-add-rule'}}} + input(type=text,placeholder="{{{_ 'r-new-rule-name' }}}",id="ruleTitle") \ No newline at end of file diff --git a/client/components/rules/rulesMain.jade b/client/components/rules/rulesMain.jade index 2c308223..3d03372f 100644 --- a/client/components/rules/rulesMain.jade +++ b/client/components/rules/rulesMain.jade @@ -1,7 +1,7 @@ template(name="rulesMain") - if rulesListVar.get + if($eq rulesCurrentTab.get 'rulesList') +rulesList - else if rulesTriggerVar.get + if($eq rulesCurrentTab.get 'trigger') +rulesTriggers(ruleName=ruleName triggerVar=triggerVar) - else if rulesActionVar.get + if($eq rulesCurrentTab.get 'action') +rulesActions(ruleName=ruleName triggerVar=triggerVar) \ No newline at end of file diff --git a/client/components/rules/rulesMain.js b/client/components/rules/rulesMain.js index ee4886b6..0d7a5c6a 100644 --- a/client/components/rules/rulesMain.js +++ b/client/components/rules/rulesMain.js @@ -1,28 +1,24 @@ BlazeComponent.extendComponent({ onCreated() { - this.rulesListVar = new ReactiveVar(true); - this.rulesTriggerVar = new ReactiveVar(false); - this.rulesActionVar = new ReactiveVar(false); + this.rulesCurrentTab = new ReactiveVar("rulesList") this.ruleName = new ReactiveVar(""); this.triggerVar = new ReactiveVar(); + this.ruleId = new ReactiveVar(); }, setTrigger() { - this.rulesListVar.set(false); - this.rulesTriggerVar.set(true); - this.rulesActionVar.set(false); + this.rulesCurrentTab.set("trigger") }, setRulesList() { - this.rulesListVar.set(true); - this.rulesTriggerVar.set(false); - this.rulesActionVar.set(false); + this.rulesCurrentTab.set("rulesList") }, setAction() { - this.rulesListVar.set(false); - this.rulesTriggerVar.set(false); - this.rulesActionVar.set(true); + this.rulesCurrentTab.set("action") + }, + setRuleDetails() { + this.rulesCurrentTab.set("ruleDetails") }, events() { @@ -48,6 +44,10 @@ BlazeComponent.extendComponent({ event.preventDefault(); this.setRulesList(); }, + 'click .js-goto-details'(event) { + event.preventDefault(); + this.setRuleDetails(); + }, }]; diff --git a/client/components/rules/rulesTriggers.jade b/client/components/rules/rulesTriggers.jade index 2848ad33..0ef5edfa 100644 --- a/client/components/rules/rulesTriggers.jade +++ b/client/components/rules/rulesTriggers.jade @@ -1,7 +1,7 @@ template(name="rulesTriggers") h2 - i.fa.fa-cutlery - | Rule "#{data.ruleName.get}" - Add trigger + i.fa.fa-magic + | {{{_ 'r-rule' }}} "#{data.ruleName.get}" - {{{_ 'r-add-trigger'}}} .triggers-content .triggers-body .triggers-side-menu diff --git a/client/components/rules/triggers/boardTriggers.jade b/client/components/rules/triggers/boardTriggers.jade index 375f50ba..dec15d86 100644 --- a/client/components/rules/triggers/boardTriggers.jade +++ b/client/components/rules/triggers/boardTriggers.jade @@ -2,54 +2,54 @@ template(name="boardTriggers") div.trigger-item div.trigger-content div.trigger-text - | When a card is + | {{{_'r-when-a-card-is'}}} div.trigger-dropdown select(id="gen-action") - option(value="created") Added to - option(value="removed") Removed from + option(value="created") {{{_'r-added-to'}}} + option(value="removed") {{{_'r-added-to'}}} div.trigger-text - | the board + | {{{_'r-the-board'}}} div.trigger-button.js-add-gen-trigger.js-goto-action i.fa.fa-plus div.trigger-item div.trigger-content div.trigger-text - | When a card is + | {{{_'r-when-a-card-is'}}} div.trigger-dropdown select(id="create-action") - option(value="created") Added to - option(value="removed") Removed from + option(value="created") {{{_'r-added-to'}}} + option(value="removed") {{{_'r-added-to'}}} div.trigger-text - | list + | {{{_'r-list'}}} div.trigger-dropdown - input(id="create-list-name",type=text,placeholder="List Name") + input(id="create-list-name",type=text,placeholder="{{{_'r-list-name'}}}") div.trigger-button.js-add-create-trigger.js-goto-action i.fa.fa-plus div.trigger-item div.trigger-content div.trigger-text - | When a card is + | {{{_'r-when-a-card-is'}}} div.trigger-dropdown select(id="move-action") - option(value="moved-to") Moved to - option(value="moved-from") Moved from + option(value="moved-to") {{{_'r-moved-to'}}} + option(value="moved-from") {{{_'r-moved-from'}}} div.trigger-text - | list + | {{{_'r-list'}}} div.trigger-dropdown - input(id="move-list-name",type=text,placeholder="List Name") + input(id="move-list-name",type=text,placeholder="{{{_'r-list-name'}}}") div.trigger-button.js-add-moved-trigger.js-goto-action i.fa.fa-plus div.trigger-item div.trigger-content div.trigger-text - | When a card is + | {{{_'r-when-a-card-is'}}} div.trigger-dropdown select(id="arch-action") - option(value="archived") Archived - option(value="unarchived") Unarchived + option(value="archived") {{{_'r-archived'}}} + option(value="unarchived") {{{_'r-unarchived'}}} div.trigger-button.js-add-arch-trigger.js-goto-action i.fa.fa-plus diff --git a/client/components/rules/triggers/cardTriggers.jade b/client/components/rules/triggers/cardTriggers.jade index 9675324f..a459a7e0 100644 --- a/client/components/rules/triggers/cardTriggers.jade +++ b/client/components/rules/triggers/cardTriggers.jade @@ -2,20 +2,20 @@ template(name="cardTriggers") div.trigger-item div.trigger-content div.trigger-text - | When a label is + | {{{_'r-when-a-label-is'}}} div.trigger-dropdown select(id="label-action") - option(value="added") Added to - option(value="removed") Removed from + option(value="added") {{{_'r-added-to'}}} + option(value="removed") {{{_'r-removed-from'}}} div.trigger-text - | a card + | {{{_'r-a-card'}}} div.trigger-button.js-add-gen-label-trigger.js-goto-action i.fa.fa-plus div.trigger-item div.trigger-content div.trigger-text - | When the label + | {{{_'r-when-the-label-is'}}} div.trigger-dropdown select(id="spec-label") each labels @@ -25,23 +25,23 @@ template(name="cardTriggers") | is div.trigger-dropdown select(id="spec-label-action") - option(value="added") Added to - option(value="removed") Removed from + option(value="added") {{{_'r-added-to'}}} + option(value="removed") {{{_'r-removed-from'}}} div.trigger-text - | a card + | {{{_'r-a-card'}}} div.trigger-button.js-add-spec-label-trigger.js-goto-action i.fa.fa-plus div.trigger-item div.trigger-content div.trigger-text - | When a member is + | {{{_'r-when-a-member'}}} div.trigger-dropdown select(id="gen-member-action") - option(value="added") Added to - option(value="removed") Removed from + option(value="added") {{{_'r-added-to'}}} + option(value="removed") {{{_'r-removed-from'}}} div.trigger-text - | a card + | {{{_'r-a-card'}}} div.trigger-button.js-add-gen-member-trigger.js-goto-action i.fa.fa-plus @@ -49,31 +49,31 @@ template(name="cardTriggers") div.trigger-item div.trigger-content div.trigger-text - | When the member + | {{{_'r-when-the-member'}}} div.trigger-dropdown - input(id="spec-member",type=text,placeholder="name") + input(id="spec-member",type=text,placeholder="{{{_'r-name'}}}") div.trigger-text - | is + | {{{_'r-is'}}} div.trigger-dropdown select(id="spec-member-action") - option(value="added") Added to - option(value="removed") Removed from + option(value="added") {{{_'r-added-to'}}} + option(value="removed") {{{_'r-removed-from'}}} div.trigger-text - | a card + | {{{_'r-a-card'}}} div.trigger-button.js-add-spec-member-trigger.js-goto-action i.fa.fa-plus div.trigger-item div.trigger-content div.trigger-text - | When an attachment + | {{{_'r-when-a-attach'}}} div.trigger-text - | is + | {{{_'r-is'}}} div.trigger-dropdown select(id="attach-action") - option(value="added") Added to - option(value="removed") Removed from + option(value="added") {{{_'r-added-to'}}} + option(value="removed") {{{_'r-removed-from'}}} div.trigger-text - | a card + | {{{_'r-a-card'}}} div.trigger-button.js-add-attachment-trigger.js-goto-action i.fa.fa-plus \ No newline at end of file diff --git a/client/components/rules/triggers/checklistTriggers.jade b/client/components/rules/triggers/checklistTriggers.jade index e7d6d34e..465713c8 100644 --- a/client/components/rules/triggers/checklistTriggers.jade +++ b/client/components/rules/triggers/checklistTriggers.jade @@ -2,13 +2,13 @@ template(name="checklistTriggers") div.trigger-item div.trigger-content div.trigger-text - | When a checklist is + | {{{_'r-when-a-checklist'}}} div.trigger-dropdown select(id="gen-check-action") - option(value="created") Added to - option(value="removed") Removed from + option(value="created") {{{_'r-added-to'}}} + option(value="removed") {{{_'r-removed-from'}}} div.trigger-text - | a card + | {{{_'r-a-card'}}} div.trigger-button.js-add-gen-check-trigger.js-goto-action i.fa.fa-plus @@ -16,68 +16,68 @@ template(name="checklistTriggers") div.trigger-item div.trigger-content div.trigger-text - | When the checklist + | {{{_'r-when-the-checklist'}}} div.trigger-dropdown - input(id="check-name",type=text,placeholder="Name") + input(id="check-name",type=text,placeholder="{{{_'r-name'}}}") div.trigger-text - | is + | {{{_'r-is'}}} div.trigger-dropdown select(id="spec-check-action") - option(value="created") Added to - option(value="removed") Removed from + option(value="created") {{{_'r-added-to'}}} + option(value="removed") {{{_'r-removed-from'}}} div.trigger-text - | a card + | {{{_'r-a-card'}}} div.trigger-button.js-add-spec-check-trigger.js-goto-action i.fa.fa-plus div.trigger-item div.trigger-content div.trigger-text - | When a checklist is + | {{{_'r-when-a-checklist'}}} div.trigger-dropdown select(id="gen-comp-check-action") - option(value="completed") Completed - option(value="uncompleted") Made incomplete + option(value="completed") {{{_'r-completed'}}} + option(value="uncompleted") {{{_'r-made-incomplete'}}} div.trigger-button.js-add-gen-comp-trigger.js-goto-action i.fa.fa-plus div.trigger-item div.trigger-content div.trigger-text - | When the checklist + | {{{_'r-when-the-checklist'}}} div.trigger-dropdown - input(id="spec-comp-check-name",type=text,placeholder="Name") + input(id="spec-comp-check-name",type=text,placeholder="{{{_'r-name'}}}") div.trigger-text - | is + | {{{_'r-is'}}} div.trigger-dropdown select(id="spec-comp-check-action") - option(value="completed") Completed - option(value="uncompleted") Made incomplete + option(value="completed") {{{_'r-completed'}}} + option(value="uncompleted") {{{_'r-made-incomplete'}}} div.trigger-button.js-add-spec-comp-trigger.js-goto-action i.fa.fa-plus div.trigger-item div.trigger-content div.trigger-text - | When a checklist item is + | {{{_'r-when-a-item'}}} div.trigger-dropdown select(id="check-item-gen-action") - option(value="checked") Checked - option(value="unchecked") Unchecked + option(value="checked") {{{_'r-checked'}}} + option(value="unchecked") {{{_'r-unchecked'}}} div.trigger-button.js-add-gen-check-item-trigger.js-goto-action i.fa.fa-plus div.trigger-item div.trigger-content div.trigger-text - | When the checklist item + | {{{_'r-when-the-item'}}} div.trigger-dropdown - input(id="check-item-name",type=text,placeholder="Name") + input(id="check-item-name",type=text,placeholder="{{{_'r-name'}}}") div.trigger-text - | is + | {{{_'r-is'}}} div.trigger-dropdown select(id="check-item-spec-action") - option(value="checked") Checked - option(value="unchecked") Unchecked + option(value="checked") {{{_'r-checked'}}} + option(value="unchecked") {{{_'r-unchecked'}}} div.trigger-button.js-add-spec-check-item-trigger.js-goto-action i.fa.fa-plus \ No newline at end of file diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 17cbb650..f1cc56ee 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -515,6 +515,77 @@ "activity-delete-attach": "deleted an attachment from %s", "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", - "activity-delete-attach-card": "deleted an attachment" + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Archived", + "r-unarchived": "Unarchived", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item is", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-list": "list", + "r-archive": "Archive", + "r-unarchive": "Unarchive", + "r-card": "card", + "r-add": "Add", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details" + + + + + + + + + + + } diff --git a/models/actions.js b/models/actions.js index daa5cc96..da9b30fb 100644 --- a/models/actions.js +++ b/models/actions.js @@ -1,52 +1,19 @@ Actions = new Mongo.Collection('actions'); - -Actions.mutations({ - rename(description) { - return { $set: { description } }; - }, -}); - Actions.allow({ - update: function () { - // add custom authentication code here - return true; + insert(userId, doc) { + return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); }, - insert: function () { - // add custom authentication code here - return true; + update(userId, doc) { + return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); }, - remove: function () { - // add custom authentication code here - return true; + remove(userId, doc) { + return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); } }); -Actions.helpers({ - fromList() { - return Lists.findOne(this.fromId); - }, - - toList() { - return Lists.findOne(this.toId); - }, - - findList(title) { - return Lists.findOne({title:title}); - }, - - labels() { - const boardLabels = this.board().labels; - const cardLabels = _.filter(boardLabels, (label) => { - return _.contains(this.labelIds, label._id); - }); - return cardLabels; - }}); - - - diff --git a/models/rules.js b/models/rules.js index 271e6b52..fe6b04cb 100644 --- a/models/rules.js +++ b/models/rules.js @@ -3,15 +3,19 @@ Rules = new Mongo.Collection('rules'); Rules.attachSchema(new SimpleSchema({ title: { type: String, - optional: true, + optional: false, }, triggerId: { type: String, - optional: true, + optional: false, }, actionId: { type: String, - optional: true, + optional: false, + }, + boardId: { + type: String, + optional: false, }, })); @@ -25,22 +29,21 @@ Rules.helpers({ getAction(){ return Actions.findOne({_id:this.actionId}); }, + getTrigger(){ + return Triggers.findOne({_id:this.triggerId}); + } }); Rules.allow({ - update: function () { - // add custom authentication code here - return true; + insert(userId, doc) { + return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); }, - remove: function () { - // add custom authentication code here - return true; - }, - insert: function () { - // add custom authentication code here - return true; + update(userId, doc) { + return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); }, + remove(userId, doc) { + return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); + } }); - diff --git a/models/triggers.js b/models/triggers.js index 083c860e..a1437ea6 100644 --- a/models/triggers.js +++ b/models/triggers.js @@ -9,17 +9,14 @@ Triggers.mutations({ }); Triggers.allow({ - update: function () { - // add custom authentication code here - return true; + insert(userId, doc) { + return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); }, - insert: function () { - // add custom authentication code here - return true; + update(userId, doc) { + return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); }, - remove: function () { - // add custom authentication code here - return true; + remove(userId, doc) { + return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); } }); -- cgit v1.2.3-1-g7c22 From e649c79bb71140a15f8e65fdb98ecb367469c0b7 Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Wed, 12 Sep 2018 12:19:53 +0200 Subject: Fixed board id bug in move --- client/components/rules/rulesList.js | 3 ++- i18n/en.i18n.json | 2 +- server/rulesHelper.js | 5 +++-- 3 files changed, 6 insertions(+), 4 deletions(-) diff --git a/client/components/rules/rulesList.js b/client/components/rules/rulesList.js index caafe29f..9b97a7c8 100644 --- a/client/components/rules/rulesList.js +++ b/client/components/rules/rulesList.js @@ -4,7 +4,8 @@ BlazeComponent.extendComponent({ }, rules() { - return Rules.find({}); + const boardId = Session.get('currentBoard'); + return Rules.find({"boardId":boardId}); }, events() { return [{}]; diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index f1cc56ee..7c93ec60 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -548,7 +548,7 @@ "r-completed": "Completed", "r-made-incomplete": "Made incomplete", "r-when-a-item": "When a checklist item is", - "r-when-the-item": "When the checklist item is", + "r-when-the-item": "When the checklist item", "r-checked": "Checked", "r-unchecked": "Unchecked", "r-move-card-to": "Move card to", diff --git a/server/rulesHelper.js b/server/rulesHelper.js index 2e9f58f4..28fa59d9 100644 --- a/server/rulesHelper.js +++ b/server/rulesHelper.js @@ -40,6 +40,7 @@ RulesHelper = { console.log("Performing action - Action"); console.log(action); const card = Cards.findOne({_id:activity.cardId}); + const boardId = activity.boardId; if(action.actionType == "moveCardToTop"){ let listId; let list; @@ -47,7 +48,7 @@ RulesHelper = { listId = card.swimlaneId; list = card.list(); }else{ - list = Lists.findOne({title: action.listTitle}); + list = Lists.findOne({title: action.listTitle, boardId:boardId });; listId = list._id; } const minOrder = _.min(list.cards(card.swimlaneId).map((c) => c.sort)); @@ -60,7 +61,7 @@ RulesHelper = { listId = card.swimlaneId; list = card.list(); }else{ - list = Lists.findOne({title: action.listTitle}); + list = Lists.findOne({title: action.listTitle, boardId:boardId}); listId = list._id; } const maxOrder = _.max(list.cards(card.swimlaneId).map((c) => c.sort)); -- cgit v1.2.3-1-g7c22 From 6aa7a2abef22f126ac89b71edeebfcb156d707d1 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Wed, 12 Sep 2018 18:35:56 +0200 Subject: Fix #1887 --- client/components/lists/list.js | 1 + 1 file changed, 1 insertion(+) diff --git a/client/components/lists/list.js b/client/components/lists/list.js index 267af31c..00908faa 100644 --- a/client/components/lists/list.js +++ b/client/components/lists/list.js @@ -47,6 +47,7 @@ BlazeComponent.extendComponent({ items: itemsSelector, placeholder: 'minicard-wrapper placeholder', start(evt, ui) { + ui.helper.css('z-index', 1000); ui.placeholder.height(ui.helper.height()); EscapeActions.executeUpTo('popup-close'); boardComponent.setIsDragging(true); -- cgit v1.2.3-1-g7c22 From 31f73057bf552b37701f6d5e881b27b6619f37c4 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Wed, 12 Sep 2018 22:27:24 +0200 Subject: Fix #1885 --- client/components/lists/listBody.js | 34 ++++++++++++++++++++++++++++++---- 1 file changed, 30 insertions(+), 4 deletions(-) diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 896bf178..d99d9dc8 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -319,6 +319,9 @@ BlazeComponent.extendComponent({ }, swimlanes() { + if (!this.selectedBoardId) { + return []; + } const swimlanes = Swimlanes.find({boardId: this.selectedBoardId.get()}); if (swimlanes.count()) this.selectedSwimlaneId.set(swimlanes.fetch()[0]._id); @@ -326,6 +329,9 @@ BlazeComponent.extendComponent({ }, lists() { + if (!this.selectedBoardId) { + return []; + } const lists = Lists.find({boardId: this.selectedBoardId.get()}); if (lists.count()) this.selectedListId.set(lists.fetch()[0]._id); @@ -333,6 +339,9 @@ BlazeComponent.extendComponent({ }, cards() { + if (!this.board) { + return []; + } const ownCardsIds = this.board.cards().map((card) => { return card.linkedId || card._id; }); return Cards.find({ boardId: this.selectedBoardId.get(), @@ -360,6 +369,11 @@ BlazeComponent.extendComponent({ // LINK CARD evt.stopPropagation(); evt.preventDefault(); + const linkedId = $('.js-select-cards option:selected').val(); + if (!linkedId) { + Popup.close(); + return; + } const _id = Cards.insert({ title: $('.js-select-cards option:selected').text(), //dummy listId: this.listId, @@ -367,7 +381,7 @@ BlazeComponent.extendComponent({ boardId: this.boardId, sort: Lists.findOne(this.listId).cards().count(), type: 'cardType-linkedCard', - linkedId: $('.js-select-cards option:selected').val(), + linkedId, }); Filter.addException(_id); Popup.close(); @@ -377,6 +391,10 @@ BlazeComponent.extendComponent({ evt.stopPropagation(); evt.preventDefault(); const impBoardId = $('.js-select-boards option:selected').val(); + if (!impBoardId || Cards.findOne({linkedId: impBoardId, archived: false})) { + Popup.close(); + return; + } const _id = Cards.insert({ title: $('.js-select-boards option:selected').text(), //dummy listId: this.listId, @@ -400,11 +418,16 @@ BlazeComponent.extendComponent({ onCreated() { // Prefetch first non-current board id - const boardId = Boards.findOne({ + let board = Boards.findOne({ archived: false, 'members.userId': Meteor.userId(), _id: {$ne: Session.get('currentBoard')}, - })._id; + }); + if (!board) { + Popup.close(); + return; + } + const boardId = board._id; // Subscribe to this board subManager.subscribe('board', boardId); this.selectedBoardId = new ReactiveVar(boardId); @@ -412,7 +435,7 @@ BlazeComponent.extendComponent({ this.boardId = Session.get('currentBoard'); // In order to get current board info subManager.subscribe('board', this.boardId); - const board = Boards.findOne(this.boardId); + board = Boards.findOne(this.boardId); // List where to insert card const list = $(Popup._getTopStack().openerElement).closest('.js-list'); this.listId = Blaze.getData(list[0])._id; @@ -438,6 +461,9 @@ BlazeComponent.extendComponent({ }, results() { + if (!this.selectedBoardId) { + return []; + } const board = Boards.findOne(this.selectedBoardId.get()); return board.searchCards(this.term.get(), false); }, -- cgit v1.2.3-1-g7c22 From 2d546627e9057d46e8b8808c3c621ab919bb9bc9 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 13 Sep 2018 15:06:26 +0300 Subject: - Partially fix: Cannot move card from one swimline to the other if moving in the same list; - Fix: Linking cards from empty board is possible and makes current board not load anymore. Thanks to andresmanelli ! Related #1887, closes #1885 --- CHANGELOG.md | 9 +++++++-- 1 file changed, 7 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index a27299c5..1f4dfe33 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,13 +3,18 @@ This release adds the following new features: - [Upgrade MongoDB to 3.2.21](https://github.com/wekan/wekan/commit/0cb3aee803781e4241c38a3e1e700703d063035a). +- [Add source-map-support](https://github.com/wekan/wekan/issues/1889). + +and fixes the following bugs: + - [Turn of http/2 in Caddyfile](https://github.com/wekan/wekan/commit/f1ab46d5178b6fb7e9c4e43628eec358026d287a) so that Firefox Inspect Console does not [show errors about wss](https://github.com/wekan/wekan/issues/934) websocket config. Chrome web console supports http/2. Note: If you are already using Caddy and have modified your Caddyfile, you need to edit your Caddyfile manually. -- [Add source-map-support](https://github.com/wekan/wekan/issues/1889). +- [Partially fix: Cannot move card from one swimline to the other if moving in the same list](https://github.com/wekan/wekan/issues/1887); +- [Fix: Linking cards from empty board is possible and makes current board not load anymore](https://github.com/wekan/wekan/issues/1885). -Thanks to GitHub users HLFH and xet7 for their contributions. +Thanks to GitHub users andresmanelli, HLFH and xet7 for their contributions. # v1.45 2018-09-09 Wekan release -- cgit v1.2.3-1-g7c22 From 2e7a31f872e662c9952b1d7b7cad1686ef5efdc2 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 13 Sep 2018 15:13:13 +0300 Subject: Update translations. --- i18n/es.i18n.json | 4 ++-- i18n/he.i18n.json | 72 +++++++++++++++++++++++++++---------------------------- 2 files changed, 38 insertions(+), 38 deletions(-) diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index bd069493..ce6133d7 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -171,8 +171,8 @@ "comment-placeholder": "Escribir comentario", "comment-only": "Sólo comentarios", "comment-only-desc": "Solo puedes comentar en las tarjetas.", - "no-comments": "No comments", - "no-comments-desc": "Can not see comments and activities.", + "no-comments": "No hay comentarios", + "no-comments-desc": "No se pueden mostrar comentarios ni actividades.", "computer": "el ordenador", "confirm-subtask-delete-dialog": "¿Seguro que quieres eliminar la subtarea?", "confirm-checklist-delete-dialog": "¿Seguro que quieres eliminar la lista de verificación?", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index b88991ed..501651fc 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -2,7 +2,7 @@ "accept": "אישור", "act-activity-notify": "[Wekan] הודעת פעילות", "act-addAttachment": " __attachment__ צורף לכרטיס __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", + "act-addSubtask": "נוספה תת־משימה __checklist__ אל __card__", "act-addChecklist": "רשימת משימות __checklist__ נוספה ל __card__", "act-addChecklistItem": " __checklistItem__ נוסף לרשימת משימות __checklist__ בכרטיס __card__", "act-addComment": "התקבלה תגובה על הכרטיס __card__:‏ __comment__", @@ -42,7 +42,7 @@ "activity-removed": "%s הוסר מ%s", "activity-sent": "%s נשלח ל%s", "activity-unjoined": "בטל צירוף %s", - "activity-subtask-added": "added subtask to %s", + "activity-subtask-added": "נוספה תת־משימה אל %s", "activity-checklist-added": "נוספה רשימת משימות אל %s", "activity-checklist-item-added": "נוסף פריט רשימת משימות אל ‚%s‘ תחת %s", "add": "הוספה", @@ -65,8 +65,8 @@ "admin-announcement-active": "הכרזת מערכת פעילה", "admin-announcement-title": "הכרזה ממנהל המערכת", "all-boards": "כל הלוחות", - "and-n-other-card": "וכרטיס אחר", - "and-n-other-card_plural": "ו־__count__ כרטיסים אחרים", + "and-n-other-card": "וכרטיס נוסף", + "and-n-other-card_plural": "ו־__count__ כרטיסים נוספים", "apply": "החלה", "app-is-offline": "Wekan בטעינה, נא להמתין. רענון העמוד עשוי להוביל לאובדן מידע. אם הטעינה של Wekan נעצרה, נא לבדוק ששרת ה־Wekan לא נעצר.", "archive": "העברה לסל המחזור", @@ -109,7 +109,7 @@ "bucket-example": "כמו למשל „רשימת המשימות“", "cancel": "ביטול", "card-archived": "כרטיס זה הועבר לסל המחזור", - "board-archived": "This board is moved to Recycle Bin.", + "board-archived": "הלוח עבר לסל המחזור", "card-comments-title": "לכרטיס זה %s תגובות.", "card-delete-notice": "מחיקה היא סופית. כל הפעולות המשויכות לכרטיס זה תלכנה לאיוד.", "card-delete-pop": "כל הפעולות יוסרו מלוח הפעילות ולא תהיה אפשרות לפתוח מחדש את הכרטיס. אין דרך חזרה.", @@ -135,10 +135,10 @@ "cardMorePopup-title": "עוד", "cards": "כרטיסים", "cards-count": "כרטיסים", - "casSignIn": "Sign In with CAS", - "cardType-card": "Card", - "cardType-linkedCard": "Linked Card", - "cardType-linkedBoard": "Linked Board", + "casSignIn": "כניסה עם CAS", + "cardType-card": "כרטיס", + "cardType-linkedCard": "כרטיס מקושר", + "cardType-linkedBoard": "לוח מקושר", "change": "שינוי", "change-avatar": "החלפת תמונת משתמש", "change-password": "החלפת ססמה", @@ -169,16 +169,16 @@ "color-yellow": "צהוב", "comment": "לפרסם", "comment-placeholder": "כתיבת הערה", - "comment-only": "הערה בלבד", - "comment-only-desc": "ניתן להעיר על כרטיסים בלבד.", - "no-comments": "No comments", - "no-comments-desc": "Can not see comments and activities.", + "comment-only": "תגובה בלבד", + "comment-only-desc": "ניתן להגיב על כרטיסים בלבד.", + "no-comments": " אין תגובות", + "no-comments-desc": "לא ניתן לצפות בתגובות ובפעילויות.", "computer": "מחשב", "confirm-subtask-delete-dialog": "האם למחוק את תת המשימה?", - "confirm-checklist-delete-dialog": "האם אתה בטוח שברצונך למחוק את רשימת המשימות?", + "confirm-checklist-delete-dialog": "למחוק את רשימת המשימות?", "copy-card-link-to-clipboard": "העתקת קישור הכרטיס ללוח הגזירים", - "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "linkCardPopup-title": "קישור כרטיס", + "searchCardPopup-title": "חיפוש כרטיס", "copyCardPopup-title": "העתק כרטיס", "copyChecklistToManyCardsPopup-title": "העתקת תבנית רשימת מטלות למגוון כרטיסים", "copyChecklistToManyCardsPopup-instructions": "כותרות ותיאורים של כרטיסי יעד בתצורת JSON זו", @@ -250,7 +250,7 @@ "error-user-notAllowSelf": "אינך יכול להזמין את עצמך", "error-user-notCreated": "משתמש זה לא נוצר", "error-username-taken": "המשתמש כבר קיים במערכת", - "error-email-taken": "כתובת הדוא\"ל כבר נמצאת בשימוש", + "error-email-taken": "כתובת הדוא״ל כבר נמצאת בשימוש", "export-board": "ייצוא לוח", "filter": "מסנן", "filter-cards": "סינון כרטיסים", @@ -262,14 +262,14 @@ "filter-on-desc": "מסנן כרטיסים פעיל בלוח זה. יש ללחוץ כאן לעריכת המסנן.", "filter-to-selection": "סינון לבחירה", "advanced-filter-label": "מסנן מתקדם", - "advanced-filter-description": "המסנן המתקדם מאפשר לך לכתוב מחרוזת שמכילה את הפעולות הבאות: == != <= >= && || ( ) רווח מכהן כמפריד בין הפעולות. ניתן לסנן את כל השדות המותאמים אישית על ידי הקלדת שמם והערך שלהם. למשל: שדה1 == ערך1. לתשומת לבך: אם שדות או ערכים מכילים רווח, יש לעטוף אותם במירכא מכל צד. למשל: 'שדה 1' == 'ערך 1'. ניתן גם לשלב מגוון תנאים. למשל: F1 == V1 || F1 == V2. על פי רוב כל הפעולות מפוענחות משמאל לימין. ניתן לשנות את הסדר על ידי הצבת סוגריים. למשל: ( F1 == V1 && ( F2 == V2 || F2 == V3 ", + "advanced-filter-description": "המסנן המתקדם מאפשר לך לכתוב מחרוזת שמכילה את הפעולות הבאות: == != <= >= && || ( ) רווח מכהן כמפריד בין הפעולות. ניתן לסנן את כל השדות המותאמים אישית על ידי הקלדת שמם והערך שלהם. למשל: שדה1 == ערך1. לתשומת לבך: אם שדות או ערכים מכילים רווח, יש לעטוף אותם במירכא מכל צד. למשל: 'שדה 1' == 'ערך 1'. ניתן גם לשלב מגוון תנאים. למשל: F1 == V1 || F1 == V2. על פי רוב כל הפעולות מפוענחות משמאל לימין. ניתן לשנות את הסדר על ידי הצבת סוגריים. למשל: ( F1 == V1 && ( F2 == V2 || F2 == V3. כמו כן, ניתן לחפש בשדה טקסט באופן הבא: F1 == /Tes.*/i", "fullname": "שם מלא", "header-logo-title": "חזרה לדף הלוחות שלך.", "hide-system-messages": "הסתרת הודעות מערכת", "headerBarCreateBoardPopup-title": "יצירת לוח", "home": "בית", "import": "יבוא", - "link": "Link", + "link": "קישור", "import-board": "ייבוא לוח", "import-board-c": "יבוא לוח", "import-board-title-trello": "ייבוא לוח מטרלו", @@ -324,8 +324,8 @@ "menu": "תפריט", "move-selection": "העברת הבחירה", "moveCardPopup-title": "העברת כרטיס", - "moveCardToBottom-title": "העברת כרטיס לתחתית הרשימה", - "moveCardToTop-title": "העברת כרטיס לראש הרשימה ", + "moveCardToBottom-title": "העברה לתחתית הרשימה", + "moveCardToTop-title": "העברה לראש הרשימה ", "moveSelectionPopup-title": "העברת בחירה", "multi-selection": "בחירה מרובה", "multi-selection-on": "בחירה מרובה פועלת", @@ -447,7 +447,7 @@ "send-smtp-test": "שליחת דוא״ל בדיקה לעצמך", "invitation-code": "קוד הזמנה", "email-invite-register-subject": "נשלחה אליך הזמנה מאת __inviter__", - "email-invite-register-text": "__user__ יקר,\n\nקיבלת הזמנה מאת __inviter__ לשתף פעולה ב־Wekan.\n\nנא ללחוץ על הקישור:\n__url__\n\nקוד ההזמנה שלך הוא: __icode__\n\nתודה.", + "email-invite-register-text": "__user__ היקר,\n\nקיבלת הזמנה מאת __inviter__ לשתף פעולה ב־Wekan.\n\nנא ללחוץ על הקישור:\n__url__\n\nקוד ההזמנה שלך הוא: __icode__\n\nתודה.", "email-smtp-test-subject": "הודעת בדיקה דרך SMTP מאת Wekan", "email-smtp-test-text": "שלחת הודעת דוא״ל בהצלחה", "error-invitation-code-not-exist": "קוד ההזמנה אינו קיים", @@ -491,21 +491,21 @@ "delete-board-confirm-popup": "כל הרשימות, הכרטיסים, התווית והפעולות יימחקו ולא תהיה לך דרך לשחזר את תכני הלוח. אין אפשרות לבטל.", "boardDeletePopup-title": "למחוק את הלוח?", "delete-board": "מחיקת לוח", - "default-subtasks-board": "Subtasks for __board__ board", + "default-subtasks-board": "תת־משימות עבור הלוח __board__", "default": "ברירת מחדל", "queue": "תור", "subtask-settings": "הגדרות תתי משימות", - "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", - "show-subtasks-field": "Cards can have subtasks", - "deposit-subtasks-board": "Deposit subtasks to this board:", - "deposit-subtasks-list": "Landing list for subtasks deposited here:", - "show-parent-in-minicard": "Show parent in minicard:", - "prefix-with-full-path": "Prefix with full path", - "prefix-with-parent": "Prefix with parent", - "subtext-with-full-path": "Subtext with full path", - "subtext-with-parent": "Subtext with parent", - "change-card-parent": "Change card's parent", - "parent-card": "Parent card", - "source-board": "Source board", - "no-parent": "Don't show parent" + "boardSubtaskSettingsPopup-title": "הגדרות תת־משימות בלוח", + "show-subtasks-field": "לכרטיסים יכולות להיות תת־משימות", + "deposit-subtasks-board": "הפקדת תת־משימות ללוח הזה:", + "deposit-subtasks-list": "רשימות נחיתה עבור תת־משימות שהופקדו כאן:", + "show-parent-in-minicard": "הצגת ההורה במיני כרטיס:", + "prefix-with-full-path": "קידומת עם נתיב מלא", + "prefix-with-parent": "קידומת עם הורה", + "subtext-with-full-path": "טקסט סמוי עם נתיב מלא", + "subtext-with-parent": "טקסט סמוי עם הורה", + "change-card-parent": "החלפת הורה הכרטיס", + "parent-card": "כרטיס הורה", + "source-board": "לוח מקור", + "no-parent": "לא להציג את ההורה" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From e9f449e6800cbd5043ef5ab342b450d90d66fac1 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 14 Sep 2018 15:57:38 +0300 Subject: - [Allow Announcement to be markdown](https://github.com/wekan/wekan/issues/1892). Note: xet7 did not yet figure out how to keep announcement on one line when markdown was added, so now Font Awesome icons are above and below. Thanks to xet7 ! Closes #1892 --- client/components/main/header.jade | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/client/components/main/header.jade b/client/components/main/header.jade index dd071b3e..2751c0cc 100644 --- a/client/components/main/header.jade +++ b/client/components/main/header.jade @@ -66,7 +66,8 @@ template(name="header") .announcement p i.fa.fa-bullhorn - | #{announcement} + +viewer + | #{announcement} i.fa.fa-times-circle.js-close-announcement template(name="offlineWarning") -- cgit v1.2.3-1-g7c22 From 9b43dd4faec6eded110521896e03f851dc387b6e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 14 Sep 2018 16:02:20 +0300 Subject: - Allow Announcement to be markdown. Note: xet7 did not yet figure out how to keep announcement on one line when markdown was added, so now Font Awesome icons are above and below. Thanks to xet7 ! Closes #1892 --- CHANGELOG.md | 7 +++++-- 1 file changed, 5 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 1f4dfe33..99b9f4f1 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,8 +2,11 @@ This release adds the following new features: -- [Upgrade MongoDB to 3.2.21](https://github.com/wekan/wekan/commit/0cb3aee803781e4241c38a3e1e700703d063035a). -- [Add source-map-support](https://github.com/wekan/wekan/issues/1889). +- [Upgrade MongoDB to 3.2.21](https://github.com/wekan/wekan/commit/0cb3aee803781e4241c38a3e1e700703d063035a); +- [Add source-map-support](https://github.com/wekan/wekan/issues/1889); +- [Allow Announcement to be markdown](https://github.com/wekan/wekan/issues/1892). + Note: xet7 did not yet figure out how to keep announcement on one line + when markdown was added, so now Font Awesome icons are above and below. and fixes the following bugs: -- cgit v1.2.3-1-g7c22 From fc73dc5bbcbbd203efc4f10ecb4bd1a66e0d9efb Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Fri, 14 Sep 2018 16:49:06 +0200 Subject: Refactoring rules description --- client/components/rules/actions/boardActions.js | 5 +- client/components/rules/actions/cardActions.js | 1 - client/components/rules/ruleDetails.jade | 5 +- client/components/rules/ruleDetails.js | 17 +++- client/components/rules/rulesList.jade | 2 +- client/components/rules/rulesMain.jade | 4 +- client/components/rules/rulesMain.js | 2 + .../components/rules/triggers/boardTriggers.jade | 4 +- client/components/rules/triggers/boardTriggers.js | 25 +++-- client/components/rules/triggers/cardTriggers.jade | 2 +- client/lib/utils.js | 51 +++++++--- i18n/en.i18n.json | 26 +++++- models/actions.js | 103 +++++++++++++++++++-- models/triggers.js | 88 ++++++++++++++---- server/publications/rules.js | 4 + 15 files changed, 270 insertions(+), 69 deletions(-) diff --git a/client/components/rules/actions/boardActions.js b/client/components/rules/actions/boardActions.js index 2b6fed57..d1593a5b 100644 --- a/client/components/rules/actions/boardActions.js +++ b/client/components/rules/actions/boardActions.js @@ -17,7 +17,6 @@ BlazeComponent.extendComponent({ if(actionSelected == "top"){ const triggerId = Triggers.insert(trigger); const actionId = Actions.insert({actionType: "moveCardToTop","listTitle":listTitle,"boardId":boardId}); - console.log("Action inserted"); Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); } if(actionSelected == "bottom"){ @@ -49,12 +48,12 @@ BlazeComponent.extendComponent({ const actionSelected = this.find('#arch-action').value; if(actionSelected == "archive"){ const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "archive"}); + const actionId = Actions.insert({actionType: "archive","boardId":boardId}); Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); } if(actionSelected == "unarchive"){ const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "unarchive"}); + const actionId = Actions.insert({actionType: "unarchive","boardId":boardId}); Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); } }, diff --git a/client/components/rules/actions/cardActions.js b/client/components/rules/actions/cardActions.js index 571020a8..3f4b4442 100644 --- a/client/components/rules/actions/cardActions.js +++ b/client/components/rules/actions/cardActions.js @@ -5,7 +5,6 @@ BlazeComponent.extendComponent({ labels(){ const labels = Boards.findOne(Session.get('currentBoard')).labels; - console.log(labels); for(let i = 0;i 0){ + finalString += element.find("select option:selected").text(); + }else if(element.find("input").length > 0){ + finalString += element.find("input").val(); + } + // Add space + if(i != length - 1){ + finalString += " "; + } + } + return finalString.toLowerCase(); + }, }; // A simple tracker dependency that we invalidate every time the window is diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 7c93ec60..be11d0e1 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -575,7 +575,31 @@ "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", - "r-rule-details": "Rule details" + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Archive the card", + "r-d-unarchive": "Unarchive the card", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all item of list", + "r-d-uncheck-all": "Uncheck all item of list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" + + diff --git a/models/actions.js b/models/actions.js index da9b30fb..fd1d03e0 100644 --- a/models/actions.js +++ b/models/actions.js @@ -2,15 +2,100 @@ Actions = new Mongo.Collection('actions'); Actions.allow({ - insert(userId, doc) { - return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); - }, - update(userId, doc) { - return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); - }, - remove(userId, doc) { - return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); - } + insert(userId, doc) { + return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); + }, + update(userId, doc) { + return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); + }, + remove(userId, doc) { + return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); + } +}); + + +Actions.helpers({ + description() { + if(this.actionType == "moveCardToTop"){ + if(this.listTitle == "*"){ + return TAPi18n.__('r-d-move-to-top-gen'); + }else{ + return TAPi18n.__('r-d-move-to-top-spec') + " " + this.listTitle; + } + } + if(this.actionType == "moveCardToBottom"){ + if(this.listTitle == "*"){ + return TAPi18n.__('r-d-move-to-bottom-gen'); + }else{ + return TAPi18n.__('r-d-move-to-bottom-spec') + " " + this.listTitle; + } + } + if(this.actionType == "sendEmail"){ + const to = " " + TAPi18n.__('r-d-send-email-to') + ": " + this.emailTo + ", "; + const subject = TAPi18n.__('r-d-send-email-subject') + ": " + this.emailSubject + ", "; + const message = TAPi18n.__('r-d-send-email-message') + ": " + this.emailMsg; + const total = TAPi18n.__('r-d-send-email') + to + subject + message; + return total; + } + if(this.actionType == "archive"){ + return TAPi18n.__('r-d-archive'); + } + if(this.actionType == "unarchive"){ + return TAPi18n.__('r-d-unarchive'); + } + if(this.actionType == "addLabel"){ + const board = Boards.findOne(Session.get('currentBoard')); + const label = board.getLabelById(this.labelId); + let name; + if(label.name == "" || label.name == undefined){ + name = label.color.toUpperCase(); + }else{ + name = label.name; + } + + return TAPi18n.__('r-d-add-label') + ": "+name; + } + if(this.actionType == "removeLabel"){ + const board = Boards.findOne(Session.get('currentBoard')); + const label = board.getLabelById(this.labelId); + let name; + if(label.name == "" || label.name == undefined){ + name = label.color.toUpperCase(); + }else{ + name = label.name; + } + return TAPi18n.__('r-d-remove-label') + ": " + name; + } + if(this.actionType == "addMember"){ + return TAPi18n.__('r-d-add-member') + ": " + this.memberName; + } + if(this.actionType == "removeMember"){ + if(this.memberName == "*"){ + return TAPi18n.__('r-d-remove-all-member'); + } + return TAPi18n.__('r-d-remove-member') + ": "+ this.memberName; + } + if(this.actionType == "checkAll"){ + return TAPi18n.__('r-d-check-all') + ": " + this.checklistName; + } + if(this.actionType == "uncheckAll"){ + return TAPi18n.__('r-d-uncheck-all') + ": "+ this.checklistName; + } + if(this.actionType == "checkItem"){ + return TAPi18n.__('r-d-check-one') + ": "+ this.checkItemName + " " + TAPi18n.__('r-d-check-of-list') + ": " +this.checklistName; + } + if(this.actionType == "uncheckItem"){ + return TAPi18n.__('r-d-check-one') + ": "+ this.checkItemName + " " + TAPi18n.__('r-d-check-of-list') + ": " +this.checklistName; + } + if(this.actionType == "addChecklist"){ + return TAPi18n.__('r-d-add-checklist') + ": "+ this.checklistName; + } + if(this.actionType == "removeChecklist"){ + return TAPi18n.__('r-d-remove-checklist') + ": "+ this.checklistName; + } + + return "Ops not trigger description"; + } }); diff --git a/models/triggers.js b/models/triggers.js index a1437ea6..c5ed849e 100644 --- a/models/triggers.js +++ b/models/triggers.js @@ -24,28 +24,80 @@ Triggers.allow({ Triggers.helpers({ - getRule(){ - return Rules.findOne({triggerId:this._id}); - }, + description(){ + if(this.activityType == "createCard"){ + if(this.listName == "*"){ + return TAPi18n.__('r-when-a-card-is') + " " + TAPi18n.__('r-added-to').toLowerCase() + " " + TAPi18n.__('r-the-board'); + }else{ + return TAPi18n.__('r-when-a-card-is') + " " + TAPi18n.__('r-added-to').toLowerCase() + " " + TAPi18n.__('r-list') + " " +this.listName; + } + } + if(this.activityType == "removeCard"){ + if(this.listName == "*"){ + return TAPi18n.__('r-when-a-card-is') + " " + TAPi18n.__('r-removed-from') + " " + TAPi18n.__('r-the-board'); + }else{ + return TAPi18n.__('r-when-a-card-is') + " " + TAPi18n.__('r-removed-from') + " " + TAPi18n.__('r-list') + " " +this.listName; + } + } + if(this.activityType == "moveCard"){ + if(this.listName = "*"){ + return TAPi18n.__('r-when-a-card-is') + " " + TAPi18n.__('r-moved-from') + " " + this.oldListName; + }else{ + return TAPi18n.__('r-when-a-card-is') + " " + TAPi18n.__('r-moved-to') + " " + this.listName; + } + + } + if(this.activityType = "archivedCard"){ + return TAPi18n.__('r-when-a-card-is') + " " + TAPi18n.__('r-archived'); + } + if(this.activityType = "restoredCard"){ + return TAPi18n.__('r-when-a-card-is') + " " + TAPi18n.__('r-unarchived'); + } + if(this.activityType = "addedLabel"){ + if(this.labelId == "*"){ + return TAPi18n.__('r-when-a-label-is') + " " + TAPi18n.__('r-added-to') + " " + TAPi18n.__('r-a-card'); + }else{ + const board = Boards.findOne(Session.get('currentBoard')); + const label = board.getLabelById(this.labelId); + let name; + if(label.name == "" || label.name == undefined){ + name = label.color.toUpperCase(); + }else{ + name = label.name; + } + } + } + if(this.activityType = "restoredCard"){ + return TAPi18n.__('r-when-a-card-is') + " " + TAPi18n.__('r-unarchived'); + } - fromList() { - return Lists.findOne(this.fromId); - }, - toList() { - return Lists.findOne(this.toId); - }, - findList(title) { - return Lists.findOne({title:title}); - }, + return "No description found"; +}, + +getRule(){ + return Rules.findOne({triggerId:this._id}); +}, + +fromList() { + return Lists.findOne(this.fromId); +}, + +toList() { + return Lists.findOne(this.toId); +}, + +findList(title) { + return Lists.findOne({title:title}); +}, - labels() { - const boardLabels = this.board().labels; - const cardLabels = _.filter(boardLabels, (label) => { - return _.contains(this.labelIds, label._id); - }); - return cardLabels; +labels() { + const boardLabels = this.board().labels; + const cardLabels = _.filter(boardLabels, (label) => { + return _.contains(this.labelIds, label._id); + }); + return cardLabels; }}); diff --git a/server/publications/rules.js b/server/publications/rules.js index ae4b898e..7aeb66bf 100644 --- a/server/publications/rules.js +++ b/server/publications/rules.js @@ -12,3 +12,7 @@ Meteor.publish('allRules', () => { Meteor.publish('allTriggers', () => { return Triggers.find({}); }); + +Meteor.publish('allActions', () => { + return Actions.find({}); +}); -- cgit v1.2.3-1-g7c22 From 30a3daa6af179009ac17b40a71bf3f9e9b1d698a Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Fri, 14 Sep 2018 17:35:14 +0200 Subject: Finished alpha rules --- client/components/rules/actions/boardActions.js | 16 +- client/components/rules/actions/cardActions.js | 58 +++---- .../components/rules/actions/checklistActions.js | 16 +- client/components/rules/actions/mailActions.js | 3 +- client/components/rules/ruleDetails.jade | 15 +- client/components/rules/triggers/cardTriggers.js | 184 +++++++++++++-------- .../components/rules/triggers/checklistTriggers.js | 36 ++-- client/lib/utils.js | 6 +- models/actions.js | 80 +-------- models/triggers.js | 112 ++++--------- server/rulesHelper.js | 11 -- 11 files changed, 234 insertions(+), 303 deletions(-) diff --git a/client/components/rules/actions/boardActions.js b/client/components/rules/actions/boardActions.js index d1593a5b..0394f601 100644 --- a/client/components/rules/actions/boardActions.js +++ b/client/components/rules/actions/boardActions.js @@ -13,47 +13,49 @@ BlazeComponent.extendComponent({ const actionSelected = this.find('#move-spec-action').value; const listTitle = this.find('#listName').value; const boardId = Session.get('currentBoard'); - + const desc = Utils.getTriggerActionDesc(event,this); if(actionSelected == "top"){ const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "moveCardToTop","listTitle":listTitle,"boardId":boardId}); + const actionId = Actions.insert({actionType: "moveCardToTop","listTitle":listTitle,"boardId":boardId,"desc":desc}); Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); } if(actionSelected == "bottom"){ const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "moveCardToBottom","listTitle":listTitle,"boardId":boardId}); + const actionId = Actions.insert({actionType: "moveCardToBottom","listTitle":listTitle,"boardId":boardId,"desc":desc}); Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); } }, 'click .js-add-gen-move-action'(event) { + const desc = Utils.getTriggerActionDesc(event,this); const boardId = Session.get('currentBoard'); const ruleName = this.data().ruleName.get(); const trigger = this.data().triggerVar.get(); const actionSelected = this.find('#move-gen-action').value; if(actionSelected == "top"){ const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "moveCardToTop","listTitle":"*","boardId":boardId}); + const actionId = Actions.insert({actionType: "moveCardToTop","listTitle":"*","boardId":boardId,"desc":desc}); Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); } if(actionSelected == "bottom"){ const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "moveCardToBottom","listTitle":"*","boardId":boardId}); + const actionId = Actions.insert({actionType: "moveCardToBottom","listTitle":"*","boardId":boardId,"desc":desc}); Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); } }, 'click .js-add-arch-action'(event) { + const desc = Utils.getTriggerActionDesc(event,this); const boardId = Session.get('currentBoard'); const ruleName = this.data().ruleName.get(); const trigger = this.data().triggerVar.get(); const actionSelected = this.find('#arch-action').value; if(actionSelected == "archive"){ const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "archive","boardId":boardId}); + const actionId = Actions.insert({actionType: "archive","boardId":boardId,"desc":desc}); Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); } if(actionSelected == "unarchive"){ const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "unarchive","boardId":boardId}); + const actionId = Actions.insert({actionType: "unarchive","boardId":boardId,"desc":desc}); Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); } }, diff --git a/client/components/rules/actions/cardActions.js b/client/components/rules/actions/cardActions.js index 3f4b4442..0bf7428a 100644 --- a/client/components/rules/actions/cardActions.js +++ b/client/components/rules/actions/cardActions.js @@ -24,45 +24,47 @@ BlazeComponent.extendComponent({ const actionSelected = this.find('#label-action').value; const labelId = this.find('#label-id').value; const boardId = Session.get('currentBoard'); - + const desc = Utils.getTriggerActionDesc(event,this); if(actionSelected == "add"){ const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "addLabel","labelId":labelId,"boardId":boardId}); + const actionId = Actions.insert({actionType: "addLabel","labelId":labelId,"boardId":boardId,"desc":desc}); Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); } if(actionSelected == "remove"){ const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "removeLabel","labelId":labelId,"boardId":boardId}); + const actionId = Actions.insert({actionType: "removeLabel","labelId":labelId,"boardId":boardId,"desc":desc}); Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); } }, 'click .js-add-member-action'(event) { - const ruleName = this.data().ruleName.get(); - const trigger = this.data().triggerVar.get(); - const actionSelected = this.find('#member-action').value; - const memberName = this.find('#member-name').value; - const boardId = Session.get('currentBoard'); - if(actionSelected == "add"){ - const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "addMember","memberName":memberName,"boardId":boardId}); - Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); - } - if(actionSelected == "remove"){ - const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "removeMember","memberName":memberName,"boardId":boardId}); - Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); - } - }, - 'click .js-add-removeall-action'(event) { - const ruleName = this.data().ruleName.get(); - const trigger = this.data().triggerVar.get(); - const triggerId = Triggers.insert(trigger); - const boardId = Session.get('currentBoard'); - const actionId = Actions.insert({actionType: "removeMember","memberName":"*","boardId":boardId}); - Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); - }, - }]; + const ruleName = this.data().ruleName.get(); + const trigger = this.data().triggerVar.get(); + const actionSelected = this.find('#member-action').value; + const memberName = this.find('#member-name').value; + const boardId = Session.get('currentBoard'); + const desc = Utils.getTriggerActionDesc(event,this); + if(actionSelected == "add"){ + const triggerId = Triggers.insert(trigger); + const actionId = Actions.insert({actionType: "addMember","memberName":memberName,"boardId":boardId,"desc":desc}); + Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId,"desc":desc}); + } + if(actionSelected == "remove"){ + const triggerId = Triggers.insert(trigger); + const actionId = Actions.insert({actionType: "removeMember","memberName":memberName,"boardId":boardId,"desc":desc}); + Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); + } + }, + 'click .js-add-removeall-action'(event) { + const ruleName = this.data().ruleName.get(); + const trigger = this.data().triggerVar.get(); + const triggerId = Triggers.insert(trigger); + const desc = Utils.getTriggerActionDesc(event,this); + const boardId = Session.get('currentBoard'); + const actionId = Actions.insert({actionType: "removeMember","memberName":"*","boardId":boardId,"desc":desc}); + Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); +}, +}]; }, }).register('cardActions'); \ No newline at end of file diff --git a/client/components/rules/actions/checklistActions.js b/client/components/rules/actions/checklistActions.js index e6989fc6..bfc07623 100644 --- a/client/components/rules/actions/checklistActions.js +++ b/client/components/rules/actions/checklistActions.js @@ -10,15 +10,15 @@ BlazeComponent.extendComponent({ const actionSelected = this.find('#check-action').value; const checklistName = this.find('#checklist-name').value; const boardId = Session.get('currentBoard'); - +const desc = Utils.getTriggerActionDesc(event,this); if(actionSelected == "add"){ const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "addChecklist","checklistName":checklistName,"boardId":boardId}); + const actionId = Actions.insert({actionType: "addChecklist","checklistName":checklistName,"boardId":boardId,"desc":desc}); Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); } if(actionSelected == "remove"){ const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "removeChecklist","checklistName":checklistName,"boardId":boardId}); + const actionId = Actions.insert({actionType: "removeChecklist","checklistName":checklistName,"boardId":boardId,"desc":desc}); Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); } @@ -29,14 +29,15 @@ BlazeComponent.extendComponent({ const actionSelected = this.find('#checkall-action').value; const checklistName = this.find('#checklist-name2').value; const boardId = Session.get('currentBoard'); + const desc = Utils.getTriggerActionDesc(event,this); if(actionSelected == "check"){ const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "checkAll","checklistName":checklistName,"boardId":boardId}); + const actionId = Actions.insert({actionType: "checkAll","checklistName":checklistName,"boardId":boardId,"desc":desc}); Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); } if(actionSelected == "uncheck"){ const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "uncheckAll","checklistName":checklistName,"boardId":boardId}); + const actionId = Actions.insert({actionType: "uncheckAll","checklistName":checklistName,"boardId":boardId,"desc":desc}); Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); } }, @@ -47,14 +48,15 @@ BlazeComponent.extendComponent({ const checklistName = this.find("#checklist-name3"); const actionSelected = this.find('#check-item-action').value; const boardId = Session.get('currentBoard'); + const desc = Utils.getTriggerActionDesc(event,this); if(actionSelected == "check"){ const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "checkItem","checklistName":checklistName,"checkItemName":checkItemName,"boardId":boardId}); + const actionId = Actions.insert({actionType: "checkItem","checklistName":checklistName,"checkItemName":checkItemName,"boardId":boardId,"desc":desc}); Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); } if(actionSelected == "uncheck"){ const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "uncheckItem","checklistName":checklistName,"checkItemName":checkItemName,"boardId":boardId}); + const actionId = Actions.insert({actionType: "uncheckItem","checklistName":checklistName,"checkItemName":checkItemName,"boardId":boardId,"desc":desc}); Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); } }, diff --git a/client/components/rules/actions/mailActions.js b/client/components/rules/actions/mailActions.js index 74f6659b..65b8a2d8 100644 --- a/client/components/rules/actions/mailActions.js +++ b/client/components/rules/actions/mailActions.js @@ -13,7 +13,8 @@ BlazeComponent.extendComponent({ const ruleName = this.data().ruleName.get(); const triggerId = Triggers.insert(trigger); const boardId = Session.get('currentBoard'); - const actionId = Actions.insert({actionType: "sendEmail","emailTo":emailTo,"emailSubject":emailSubject,"emailMsg":emailMsg,"boardId":boardId}); + const desc = Utils.getTriggerActionDesc(event,this); + const actionId = Actions.insert({actionType: "sendEmail","emailTo":emailTo,"emailSubject":emailSubject,"emailMsg":emailMsg,"boardId":boardId,"desc":desc}); Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); }, }]; diff --git a/client/components/rules/ruleDetails.jade b/client/components/rules/ruleDetails.jade index 479553d1..b9a1351c 100644 --- a/client/components/rules/ruleDetails.jade +++ b/client/components/rules/ruleDetails.jade @@ -3,5 +3,16 @@ template(name="ruleDetails") h2 i.fa.fa-magic | {{{_ 'r-rule-details' }}} - = trigger - = action \ No newline at end of file + .triggers-content + .triggers-body + .triggers-main-body + div.trigger-item + div.trigger-content + div.trigger-text + = trigger + div.trigger-item + div.trigger-content + div.trigger-text + = action + + \ No newline at end of file diff --git a/client/components/rules/triggers/cardTriggers.js b/client/components/rules/triggers/cardTriggers.js index e860d806..c0a5ec1a 100644 --- a/client/components/rules/triggers/cardTriggers.js +++ b/client/components/rules/triggers/cardTriggers.js @@ -2,12 +2,11 @@ BlazeComponent.extendComponent({ onCreated() { this.subscribe('allRules'); }, - - labels(){ + labels() { const labels = Boards.findOne(Session.get('currentBoard')).labels; console.log(labels); - for(let i = 0;i 0){ - finalString += element.find("select option:selected").text(); + finalString += element.find("select option:selected").text().toLowerCase(); }else if(element.find("input").length > 0){ finalString += element.find("input").val(); } @@ -163,7 +163,7 @@ Utils = { finalString += " "; } } - return finalString.toLowerCase(); + return finalString; }, }; diff --git a/models/actions.js b/models/actions.js index fd1d03e0..8062b545 100644 --- a/models/actions.js +++ b/models/actions.js @@ -16,85 +16,7 @@ Actions.allow({ Actions.helpers({ description() { - if(this.actionType == "moveCardToTop"){ - if(this.listTitle == "*"){ - return TAPi18n.__('r-d-move-to-top-gen'); - }else{ - return TAPi18n.__('r-d-move-to-top-spec') + " " + this.listTitle; - } - } - if(this.actionType == "moveCardToBottom"){ - if(this.listTitle == "*"){ - return TAPi18n.__('r-d-move-to-bottom-gen'); - }else{ - return TAPi18n.__('r-d-move-to-bottom-spec') + " " + this.listTitle; - } - } - if(this.actionType == "sendEmail"){ - const to = " " + TAPi18n.__('r-d-send-email-to') + ": " + this.emailTo + ", "; - const subject = TAPi18n.__('r-d-send-email-subject') + ": " + this.emailSubject + ", "; - const message = TAPi18n.__('r-d-send-email-message') + ": " + this.emailMsg; - const total = TAPi18n.__('r-d-send-email') + to + subject + message; - return total; - } - if(this.actionType == "archive"){ - return TAPi18n.__('r-d-archive'); - } - if(this.actionType == "unarchive"){ - return TAPi18n.__('r-d-unarchive'); - } - if(this.actionType == "addLabel"){ - const board = Boards.findOne(Session.get('currentBoard')); - const label = board.getLabelById(this.labelId); - let name; - if(label.name == "" || label.name == undefined){ - name = label.color.toUpperCase(); - }else{ - name = label.name; - } - - return TAPi18n.__('r-d-add-label') + ": "+name; - } - if(this.actionType == "removeLabel"){ - const board = Boards.findOne(Session.get('currentBoard')); - const label = board.getLabelById(this.labelId); - let name; - if(label.name == "" || label.name == undefined){ - name = label.color.toUpperCase(); - }else{ - name = label.name; - } - return TAPi18n.__('r-d-remove-label') + ": " + name; - } - if(this.actionType == "addMember"){ - return TAPi18n.__('r-d-add-member') + ": " + this.memberName; - } - if(this.actionType == "removeMember"){ - if(this.memberName == "*"){ - return TAPi18n.__('r-d-remove-all-member'); - } - return TAPi18n.__('r-d-remove-member') + ": "+ this.memberName; - } - if(this.actionType == "checkAll"){ - return TAPi18n.__('r-d-check-all') + ": " + this.checklistName; - } - if(this.actionType == "uncheckAll"){ - return TAPi18n.__('r-d-uncheck-all') + ": "+ this.checklistName; - } - if(this.actionType == "checkItem"){ - return TAPi18n.__('r-d-check-one') + ": "+ this.checkItemName + " " + TAPi18n.__('r-d-check-of-list') + ": " +this.checklistName; - } - if(this.actionType == "uncheckItem"){ - return TAPi18n.__('r-d-check-one') + ": "+ this.checkItemName + " " + TAPi18n.__('r-d-check-of-list') + ": " +this.checklistName; - } - if(this.actionType == "addChecklist"){ - return TAPi18n.__('r-d-add-checklist') + ": "+ this.checklistName; - } - if(this.actionType == "removeChecklist"){ - return TAPi18n.__('r-d-remove-checklist') + ": "+ this.checklistName; - } - - return "Ops not trigger description"; + return this.desc; } }); diff --git a/models/triggers.js b/models/triggers.js index c5ed849e..c8e4cc75 100644 --- a/models/triggers.js +++ b/models/triggers.js @@ -1,10 +1,12 @@ Triggers = new Mongo.Collection('triggers'); - - Triggers.mutations({ rename(description) { - return { $set: { description } }; + return { + $set: { + description + } + }; }, }); @@ -20,87 +22,37 @@ Triggers.allow({ } }); - Triggers.helpers({ + description() { + return this.desc; + }, - description(){ - if(this.activityType == "createCard"){ - if(this.listName == "*"){ - return TAPi18n.__('r-when-a-card-is') + " " + TAPi18n.__('r-added-to').toLowerCase() + " " + TAPi18n.__('r-the-board'); - }else{ - return TAPi18n.__('r-when-a-card-is') + " " + TAPi18n.__('r-added-to').toLowerCase() + " " + TAPi18n.__('r-list') + " " +this.listName; - } - } - if(this.activityType == "removeCard"){ - if(this.listName == "*"){ - return TAPi18n.__('r-when-a-card-is') + " " + TAPi18n.__('r-removed-from') + " " + TAPi18n.__('r-the-board'); - }else{ - return TAPi18n.__('r-when-a-card-is') + " " + TAPi18n.__('r-removed-from') + " " + TAPi18n.__('r-list') + " " +this.listName; - } - } - if(this.activityType == "moveCard"){ - if(this.listName = "*"){ - return TAPi18n.__('r-when-a-card-is') + " " + TAPi18n.__('r-moved-from') + " " + this.oldListName; - }else{ - return TAPi18n.__('r-when-a-card-is') + " " + TAPi18n.__('r-moved-to') + " " + this.listName; - } - - } - if(this.activityType = "archivedCard"){ - return TAPi18n.__('r-when-a-card-is') + " " + TAPi18n.__('r-archived'); - } - if(this.activityType = "restoredCard"){ - return TAPi18n.__('r-when-a-card-is') + " " + TAPi18n.__('r-unarchived'); - } - if(this.activityType = "addedLabel"){ - if(this.labelId == "*"){ - return TAPi18n.__('r-when-a-label-is') + " " + TAPi18n.__('r-added-to') + " " + TAPi18n.__('r-a-card'); - }else{ - const board = Boards.findOne(Session.get('currentBoard')); - const label = board.getLabelById(this.labelId); - let name; - if(label.name == "" || label.name == undefined){ - name = label.color.toUpperCase(); - }else{ - name = label.name; - } - } - } - if(this.activityType = "restoredCard"){ - return TAPi18n.__('r-when-a-card-is') + " " + TAPi18n.__('r-unarchived'); - } - - - - return "No description found"; -}, - -getRule(){ - return Rules.findOne({triggerId:this._id}); -}, - -fromList() { - return Lists.findOne(this.fromId); -}, - -toList() { - return Lists.findOne(this.toId); -}, - -findList(title) { - return Lists.findOne({title:title}); -}, - -labels() { - const boardLabels = this.board().labels; - const cardLabels = _.filter(boardLabels, (label) => { - return _.contains(this.labelIds, label._id); - }); - return cardLabels; -}}); - + getRule() { + return Rules.findOne({ + triggerId: this._id + }); + }, + fromList() { + return Lists.findOne(this.fromId); + }, + toList() { + return Lists.findOne(this.toId); + }, + findList(title) { + return Lists.findOne({ + title: title + }); + }, + labels() { + const boardLabels = this.board().labels; + const cardLabels = _.filter(boardLabels, (label) => { + return _.contains(this.labelIds, label._id); + }); + return cardLabels; + } +}); \ No newline at end of file diff --git a/server/rulesHelper.js b/server/rulesHelper.js index 28fa59d9..d56b70aa 100644 --- a/server/rulesHelper.js +++ b/server/rulesHelper.js @@ -1,10 +1,7 @@ RulesHelper = { executeRules(activity){ const matchingRules = this.findMatchingRules(activity); - console.log("Matching rules:") - console.log(matchingRules); for(let i = 0;i< matchingRules.length;i++){ - console.log(matchingRules[i]); const action = matchingRules[i].getAction(); this.performAction(activity,action); } @@ -34,11 +31,6 @@ RulesHelper = { return matchingMap; }, performAction(activity,action){ - - console.log("Performing action - Activity"); - console.log(activity); - console.log("Performing action - Action"); - console.log(action); const card = Cards.findOne({_id:activity.cardId}); const boardId = activity.boardId; if(action.actionType == "moveCardToTop"){ @@ -96,14 +88,11 @@ RulesHelper = { } if(action.actionType == "addMember"){ const memberId = Users.findOne({username:action.memberName})._id; - console.log(memberId); card.assignMember(memberId); } if(action.actionType == "removeMember"){ if(action.memberName == "*"){ - console.log(card); const members = card.members; - console.log(members); for(let i = 0;i< members.length;i++){ card.unassignMember(members[i]); } -- cgit v1.2.3-1-g7c22 From 25da8376ca2ee3b7bedadf924557d4d7bb6c6771 Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Fri, 14 Sep 2018 17:39:37 +0200 Subject: Beautyfied --- client/components/rules/actions/boardActions.js | 170 ++++++++++------ client/components/rules/actions/cardActions.js | 155 ++++++++++----- .../components/rules/actions/checklistActions.js | 178 +++++++++++------ client/components/rules/actions/mailActions.js | 42 ++-- client/components/rules/ruleDetails.js | 33 ++-- client/components/rules/rulesActions.js | 37 ++-- client/components/rules/rulesList.js | 6 +- client/components/rules/rulesMain.js | 72 +++---- client/components/rules/rulesTriggers.js | 29 +-- client/components/rules/triggers/boardTriggers.js | 140 ++++++++----- .../components/rules/triggers/checklistTriggers.js | 220 +++++++++++++-------- client/lib/utils.js | 52 ++--- models/actions.js | 15 +- server/lib/utils.js | 15 +- server/publications/rules.js | 16 +- 15 files changed, 717 insertions(+), 463 deletions(-) diff --git a/client/components/rules/actions/boardActions.js b/client/components/rules/actions/boardActions.js index 0394f601..3eda039f 100644 --- a/client/components/rules/actions/boardActions.js +++ b/client/components/rules/actions/boardActions.js @@ -3,63 +3,119 @@ BlazeComponent.extendComponent({ }, - - events() { - return [ - {'click .js-add-spec-move-action'(event) { - const ruleName = this.data().ruleName.get(); - const trigger = this.data().triggerVar.get(); - const actionSelected = this.find('#move-spec-action').value; - const listTitle = this.find('#listName').value; - const boardId = Session.get('currentBoard'); - const desc = Utils.getTriggerActionDesc(event,this); - if(actionSelected == "top"){ - const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "moveCardToTop","listTitle":listTitle,"boardId":boardId,"desc":desc}); - Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); - } - if(actionSelected == "bottom"){ - const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "moveCardToBottom","listTitle":listTitle,"boardId":boardId,"desc":desc}); - Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); - } - }, - 'click .js-add-gen-move-action'(event) { - const desc = Utils.getTriggerActionDesc(event,this); - const boardId = Session.get('currentBoard'); - const ruleName = this.data().ruleName.get(); - const trigger = this.data().triggerVar.get(); - const actionSelected = this.find('#move-gen-action').value; - if(actionSelected == "top"){ - const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "moveCardToTop","listTitle":"*","boardId":boardId,"desc":desc}); - Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); - } - if(actionSelected == "bottom"){ - const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "moveCardToBottom","listTitle":"*","boardId":boardId,"desc":desc}); - Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); - } - }, - 'click .js-add-arch-action'(event) { - const desc = Utils.getTriggerActionDesc(event,this); - const boardId = Session.get('currentBoard'); - const ruleName = this.data().ruleName.get(); - const trigger = this.data().triggerVar.get(); - const actionSelected = this.find('#arch-action').value; - if(actionSelected == "archive"){ - const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "archive","boardId":boardId,"desc":desc}); - Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); - } - if(actionSelected == "unarchive"){ - const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({actionType: "unarchive","boardId":boardId,"desc":desc}); - Rules.insert({title: ruleName, triggerId: triggerId, actionId: actionId,"boardId":boardId}); - } -}, -}]; -}, + return [{ + 'click .js-add-spec-move-action' (event) { + const ruleName = this.data().ruleName.get(); + const trigger = this.data().triggerVar.get(); + const actionSelected = this.find('#move-spec-action').value; + const listTitle = this.find('#listName').value; + const boardId = Session.get('currentBoard'); + const desc = Utils.getTriggerActionDesc(event, this); + if (actionSelected == "top") { + const triggerId = Triggers.insert(trigger); + const actionId = Actions.insert({ + actionType: "moveCardToTop", + "listTitle": listTitle, + "boardId": boardId, + "desc": desc + }); + Rules.insert({ + title: ruleName, + triggerId: triggerId, + actionId: actionId, + "boardId": boardId + }); + } + if (actionSelected == "bottom") { + const triggerId = Triggers.insert(trigger); + const actionId = Actions.insert({ + actionType: "moveCardToBottom", + "listTitle": listTitle, + "boardId": boardId, + "desc": desc + }); + Rules.insert({ + title: ruleName, + triggerId: triggerId, + actionId: actionId, + "boardId": boardId + }); + } + }, + 'click .js-add-gen-move-action' (event) { + const desc = Utils.getTriggerActionDesc(event, this); + const boardId = Session.get('currentBoard'); + const ruleName = this.data().ruleName.get(); + const trigger = this.data().triggerVar.get(); + const actionSelected = this.find('#move-gen-action').value; + if (actionSelected == "top") { + const triggerId = Triggers.insert(trigger); + const actionId = Actions.insert({ + actionType: "moveCardToTop", + "listTitle": "*", + "boardId": boardId, + "desc": desc + }); + Rules.insert({ + title: ruleName, + triggerId: triggerId, + actionId: actionId, + "boardId": boardId + }); + } + if (actionSelected == "bottom") { + const triggerId = Triggers.insert(trigger); + const actionId = Actions.insert({ + actionType: "moveCardToBottom", + "listTitle": "*", + "boardId": boardId, + "desc": desc + }); + Rules.insert({ + title: ruleName, + triggerId: triggerId, + actionId: actionId, + "boardId": boardId + }); + } + }, + 'click .js-add-arch-action' (event) { + const desc = Utils.getTriggerActionDesc(event, this); + const boardId = Session.get('currentBoard'); + const ruleName = this.data().ruleName.get(); + const trigger = this.data().triggerVar.get(); + const actionSelected = this.find('#arch-action').value; + if (actionSelected == "archive") { + const triggerId = Triggers.insert(trigger); + const actionId = Actions.insert({ + actionType: "archive", + "boardId": boardId, + "desc": desc + }); + Rules.insert({ + title: ruleName, + triggerId: triggerId, + actionId: actionId, + "boardId": boardId + }); + } + if (actionSelected == "unarchive") { + const triggerId = Triggers.insert(trigger); + const actionId = Actions.insert({ + actionType: "unarchive", + "boardId": boardId, + "desc": desc + }); + Rules.insert({ + title: ruleName, + triggerId: triggerId, + actionId: actionId, + "boardId": boardId + }); + } + }, + }]; + }, }).register('boardActions'); \ No newline at end of file diff --git a/client/components/rules/actions/cardActions.js b/client/components/rules/actions/cardActions.js index 0bf7428a..a6e74fe9 100644 --- a/client/components/rules/actions/cardActions.js +++ b/client/components/rules/actions/cardActions.js @@ -3,10 +3,10 @@ BlazeComponent.extendComponent({ this.subscribe('allRules'); }, - labels(){ + labels() { const labels = Boards.findOne(Session.get('currentBoard')).labels; - for(let i = 0;i 0){ + } else if (element.find("select").length > 0) { finalString += element.find("select option:selected").text().toLowerCase(); - }else if(element.find("input").length > 0){ + } else if (element.find("input").length > 0) { finalString += element.find("input").val(); } // Add space - if(i != length - 1){ + if (i != length - 1) { finalString += " "; } } @@ -171,4 +171,4 @@ Utils = { // resized. This is used to reactively re-calculate the popup position in case // of a window resize. This is the equivalent of a "Signal" in some other // programming environments (eg, elm). -$(window).on('resize', () => Utils.windowResizeDep.changed()); +$(window).on('resize', () => Utils.windowResizeDep.changed()); \ No newline at end of file diff --git a/models/actions.js b/models/actions.js index 8062b545..82ab0d19 100644 --- a/models/actions.js +++ b/models/actions.js @@ -1,6 +1,5 @@ Actions = new Mongo.Collection('actions'); - Actions.allow({ insert(userId, doc) { return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); @@ -13,20 +12,8 @@ Actions.allow({ } }); - Actions.helpers({ description() { return this.desc; } -}); - - - - - - - - - - - +}); \ No newline at end of file diff --git a/server/lib/utils.js b/server/lib/utils.js index bdf914ef..17e63514 100644 --- a/server/lib/utils.js +++ b/server/lib/utils.js @@ -1,19 +1,16 @@ allowIsBoardAdmin = function(userId, board) { - return board && board.hasAdmin(userId); + return board && board.hasAdmin(userId); }; allowIsBoardMember = function(userId, board) { - return board && board.hasMember(userId); + return board && board.hasMember(userId); }; allowIsBoardMemberNonComment = function(userId, board) { - return board && board.hasMember(userId) && !board.hasCommentOnly(userId); + return board && board.hasMember(userId) && !board.hasCommentOnly(userId); }; allowIsBoardMemberByCard = function(userId, card) { - const board = card.board(); - return board && board.hasMember(userId); -}; - - - + const board = card.board(); + return board && board.hasMember(userId); +}; \ No newline at end of file diff --git a/server/publications/rules.js b/server/publications/rules.js index 7aeb66bf..29be2e78 100644 --- a/server/publications/rules.js +++ b/server/publications/rules.js @@ -1,18 +1,18 @@ Meteor.publish('rules', (ruleId) => { - check(ruleId, String); - return Rules.find({ _id: ruleId }); + check(ruleId, String); + return Rules.find({ + _id: ruleId + }); }); - Meteor.publish('allRules', () => { - return Rules.find({}); + return Rules.find({}); }); - Meteor.publish('allTriggers', () => { - return Triggers.find({}); + return Triggers.find({}); }); Meteor.publish('allActions', () => { - return Actions.find({}); -}); + return Actions.find({}); +}); \ No newline at end of file -- cgit v1.2.3-1-g7c22 From a57806b054e076c5e5a94263b67125e0340c0e2f Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Fri, 14 Sep 2018 18:03:57 +0200 Subject: Fixed listid --- models/cards.js | 367 +++++++++++++++++++++++++++++++++++++++++++------------- 1 file changed, 286 insertions(+), 81 deletions(-) diff --git a/models/cards.js b/models/cards.js index c5aceeb7..efc25a8f 100644 --- a/models/cards.js +++ b/models/cards.js @@ -178,15 +178,33 @@ Cards.helpers({ }, activities() { - return Activities.find({cardId: this._id}, {sort: {createdAt: -1}}); + return Activities.find({ + cardId: this._id + }, { + sort: { + createdAt: -1 + } + }); }, comments() { - return CardComments.find({cardId: this._id}, {sort: {createdAt: -1}}); + return CardComments.find({ + cardId: this._id + }, { + sort: { + createdAt: -1 + } + }); }, attachments() { - return Attachments.find({cardId: this._id}, {sort: {uploadedAt: -1}}); + return Attachments.find({ + cardId: this._id + }, { + sort: { + uploadedAt: -1 + } + }); }, cover() { @@ -197,7 +215,13 @@ Cards.helpers({ }, checklists() { - return Checklists.find({cardId: this._id}, {sort: { sort: 1 } }); + return Checklists.find({ + cardId: this._id + }, { + sort: { + sort: 1 + } + }); }, checklistItemCount() { @@ -230,14 +254,22 @@ Cards.helpers({ return Cards.find({ parentId: this._id, archived: false, - }, {sort: { sort: 1 } }); + }, { + sort: { + sort: 1 + } + }); }, allSubtasks() { return Cards.find({ parentId: this._id, archived: false, - }, {sort: { sort: 1 } }); + }, { + sort: { + sort: 1 + } + }); }, subtasksCount() { @@ -250,7 +282,8 @@ Cards.helpers({ subtasksFinishedCount() { return Cards.find({ parentId: this._id, - archived: true}).count(); + archived: true + }).count(); }, subtasksFinished() { @@ -282,12 +315,9 @@ Cards.helpers({ }); //search for "True Value" which is for DropDowns other then the Value (which is the id) let trueValue = customField.value; - if (definition.settings.dropdownItems && definition.settings.dropdownItems.length > 0) - { - for (let i = 0; i < definition.settings.dropdownItems.length; i++) - { - if (definition.settings.dropdownItems[i]._id === customField.value) - { + if (definition.settings.dropdownItems && definition.settings.dropdownItems.length > 0) { + for (let i = 0; i < definition.settings.dropdownItems.length; i++) { + if (definition.settings.dropdownItems[i]._id === customField.value) { trueValue = definition.settings.dropdownItems[i].name; } } @@ -312,8 +342,10 @@ Cards.helpers({ }, canBeRestored() { - const list = Lists.findOne({_id: this.listId}); - if(!list.getWipLimit('soft') && list.getWipLimit('enabled') && list.getWipLimit('value') === list.cards().count()){ + const list = Lists.findOne({ + _id: this.listId + }); + if (!list.getWipLimit('soft') && list.getWipLimit('enabled') && list.getWipLimit('value') === list.cards().count()) { return false; } return true; @@ -378,7 +410,7 @@ Cards.helpers({ }, parentString(sep) { - return this.parentList().map(function(elem){ + return this.parentList().map(function(elem) { return elem.title; }).join(sep); }, @@ -390,35 +422,65 @@ Cards.helpers({ Cards.mutations({ applyToChildren(funct) { - Cards.find({ parentId: this._id }).forEach((card) => { + Cards.find({ + parentId: this._id + }).forEach((card) => { funct(card); }); }, archive() { - this.applyToChildren((card) => { return card.archive(); }); - return {$set: {archived: true}}; + this.applyToChildren((card) => { + return card.archive(); + }); + return { + $set: { + archived: true + } + }; }, restore() { - this.applyToChildren((card) => { return card.restore(); }); - return {$set: {archived: false}}; + this.applyToChildren((card) => { + return card.restore(); + }); + return { + $set: { + archived: false + } + }; }, setTitle(title) { - return {$set: {title}}; + return { + $set: { + title + } + }; }, setDescription(description) { - return {$set: {description}}; + return { + $set: { + description + } + }; }, setRequestedBy(requestedBy) { - return {$set: {requestedBy}}; + return { + $set: { + requestedBy + } + }; }, setAssignedBy(assignedBy) { - return {$set: {assignedBy}}; + return { + $set: { + assignedBy + } + }; }, move(swimlaneId, listId, sortIndex) { @@ -430,15 +492,25 @@ Cards.mutations({ sort: sortIndex, }; - return {$set: mutatedFields}; + return { + $set: mutatedFields + }; }, addLabel(labelId) { - return {$addToSet: {labelIds: labelId}}; + return { + $addToSet: { + labelIds: labelId + } + }; }, removeLabel(labelId) { - return {$pull: {labelIds: labelId}}; + return { + $pull: { + labelIds: labelId + } + }; }, toggleLabel(labelId) { @@ -450,11 +522,19 @@ Cards.mutations({ }, assignMember(memberId) { - return {$addToSet: {members: memberId}}; + return { + $addToSet: { + members: memberId + } + }; }, unassignMember(memberId) { - return {$pull: {members: memberId}}; + return { + $pull: { + members: memberId + } + }; }, toggleMember(memberId) { @@ -466,11 +546,24 @@ Cards.mutations({ }, assignCustomField(customFieldId) { - return {$addToSet: {customFields: {_id: customFieldId, value: null}}}; + return { + $addToSet: { + customFields: { + _id: customFieldId, + value: null + } + } + }; }, unassignCustomField(customFieldId) { - return {$pull: {customFields: {_id: customFieldId}}}; + return { + $pull: { + customFields: { + _id: customFieldId + } + } + }; }, toggleCustomField(customFieldId) { @@ -485,7 +578,9 @@ Cards.mutations({ // todo const index = this.customFieldIndex(customFieldId); if (index > -1) { - const update = {$set: {}}; + const update = { + $set: {} + }; update.$set[`customFields.${index}.value`] = value; return update; } @@ -495,64 +590,120 @@ Cards.mutations({ }, setCover(coverId) { - return {$set: {coverId}}; + return { + $set: { + coverId + } + }; }, unsetCover() { - return {$unset: {coverId: ''}}; + return { + $unset: { + coverId: '' + } + }; }, setReceived(receivedAt) { - return {$set: {receivedAt}}; + return { + $set: { + receivedAt + } + }; }, unsetReceived() { - return {$unset: {receivedAt: ''}}; + return { + $unset: { + receivedAt: '' + } + }; }, setStart(startAt) { - return {$set: {startAt}}; + return { + $set: { + startAt + } + }; }, unsetStart() { - return {$unset: {startAt: ''}}; + return { + $unset: { + startAt: '' + } + }; }, setDue(dueAt) { - return {$set: {dueAt}}; + return { + $set: { + dueAt + } + }; }, unsetDue() { - return {$unset: {dueAt: ''}}; + return { + $unset: { + dueAt: '' + } + }; }, setEnd(endAt) { - return {$set: {endAt}}; + return { + $set: { + endAt + } + }; }, unsetEnd() { - return {$unset: {endAt: ''}}; + return { + $unset: { + endAt: '' + } + }; }, setOvertime(isOvertime) { - return {$set: {isOvertime}}; + return { + $set: { + isOvertime + } + }; }, setSpentTime(spentTime) { - return {$set: {spentTime}}; + return { + $set: { + spentTime + } + }; }, unsetSpentTime() { - return {$unset: {spentTime: '', isOvertime: false}}; + return { + $unset: { + spentTime: '', + isOvertime: false + } + }; }, setParentId(parentId) { - return {$set: {parentId}}; + return { + $set: { + parentId + } + }; }, }); - //FUNCTIONS FOR creation of Activities function cardMove(userId, doc, fieldNames, oldListId) { @@ -561,7 +712,7 @@ function cardMove(userId, doc, fieldNames, oldListId) { userId, oldListId, activityType: 'moveCard', - listName: doc.title, + listName: Lists.findOne(doc.listId).title, listId: doc.listId, boardId: doc.boardId, cardId: doc._id, @@ -575,7 +726,7 @@ function cardState(userId, doc, fieldNames) { Activities.insert({ userId, activityType: 'archivedCard', - listName: doc.title, + listName: Lists.findOne(doc.listId).title, boardId: doc.boardId, listId: doc.listId, cardId: doc._id, @@ -585,7 +736,7 @@ function cardState(userId, doc, fieldNames) { userId, activityType: 'restoredCard', boardId: doc.boardId, - listName: doc.title, + listName: Lists.findOne(doc.listId).title, listId: doc.listId, cardId: doc._id, }); @@ -667,7 +818,7 @@ function cardCreation(userId, doc) { userId, activityType: 'createCard', boardId: doc.boardId, - listName: doc.title, + listName: Lists.findOne(doc.listId).title, listId: doc.listId, cardId: doc._id, }); @@ -691,12 +842,14 @@ function cardRemover(userId, doc) { }); } - if (Meteor.isServer) { // Cards are often fetched within a board, so we create an index to make these // queries more efficient. Meteor.startup(() => { - Cards._collection._ensureIndex({boardId: 1, createdAt: -1}); + Cards._collection._ensureIndex({ + boardId: 1, + createdAt: -1 + }); }); Cards.after.insert((userId, doc) => { @@ -709,7 +862,7 @@ if (Meteor.isServer) { }); //New activity for card moves - Cards.after.update(function (userId, doc, fieldNames) { + Cards.after.update(function(userId, doc, fieldNames) { const oldListId = this.previous.listId; cardMove(userId, doc, fieldNames, oldListId); }); @@ -724,7 +877,6 @@ if (Meteor.isServer) { cardLabels(userId, doc, fieldNames, modifier); }); - // Remove all activities associated with a card if we remove the card // Remove also card_comments / checklists / attachments Cards.after.remove((userId, doc) => { @@ -733,13 +885,17 @@ if (Meteor.isServer) { } //LISTS REST API if (Meteor.isServer) { - JsonRoutes.add('GET', '/api/boards/:boardId/lists/:listId/cards', function (req, res) { + JsonRoutes.add('GET', '/api/boards/:boardId/lists/:listId/cards', function(req, res) { const paramBoardId = req.params.boardId; const paramListId = req.params.listId; Authentication.checkBoardAccess(req.userId, paramBoardId); JsonRoutes.sendResult(res, { code: 200, - data: Cards.find({boardId: paramBoardId, listId: paramListId, archived: false}).map(function (doc) { + data: Cards.find({ + boardId: paramBoardId, + listId: paramListId, + archived: false + }).map(function(doc) { return { _id: doc._id, title: doc.title, @@ -749,24 +905,31 @@ if (Meteor.isServer) { }); }); - JsonRoutes.add('GET', '/api/boards/:boardId/lists/:listId/cards/:cardId', function (req, res) { + JsonRoutes.add('GET', '/api/boards/:boardId/lists/:listId/cards/:cardId', function(req, res) { const paramBoardId = req.params.boardId; const paramListId = req.params.listId; const paramCardId = req.params.cardId; Authentication.checkBoardAccess(req.userId, paramBoardId); JsonRoutes.sendResult(res, { code: 200, - data: Cards.findOne({_id: paramCardId, listId: paramListId, boardId: paramBoardId, archived: false}), + data: Cards.findOne({ + _id: paramCardId, + listId: paramListId, + boardId: paramBoardId, + archived: false + }), }); }); - JsonRoutes.add('POST', '/api/boards/:boardId/lists/:listId/cards', function (req, res) { + JsonRoutes.add('POST', '/api/boards/:boardId/lists/:listId/cards', function(req, res) { Authentication.checkUserId(req.userId); const paramBoardId = req.params.boardId; const paramListId = req.params.listId; - const check = Users.findOne({_id: req.body.authorId}); + const check = Users.findOne({ + _id: req.body.authorId + }); const members = req.body.members || [req.body.authorId]; - if (typeof check !== 'undefined') { + if (typeof check !== 'undefined') { const id = Cards.direct.insert({ title: req.body.title, boardId: paramBoardId, @@ -784,7 +947,9 @@ if (Meteor.isServer) { }, }); - const card = Cards.findOne({_id:id}); + const card = Cards.findOne({ + _id: id + }); cardCreation(req.body.authorId, card); } else { @@ -794,7 +959,7 @@ if (Meteor.isServer) { } }); - JsonRoutes.add('PUT', '/api/boards/:boardId/lists/:listId/cards/:cardId', function (req, res) { + JsonRoutes.add('PUT', '/api/boards/:boardId/lists/:listId/cards/:cardId', function(req, res) { Authentication.checkUserId(req.userId); const paramBoardId = req.params.boardId; const paramCardId = req.params.cardId; @@ -802,27 +967,63 @@ if (Meteor.isServer) { if (req.body.hasOwnProperty('title')) { const newTitle = req.body.title; - Cards.direct.update({_id: paramCardId, listId: paramListId, boardId: paramBoardId, archived: false}, - {$set: {title: newTitle}}); + Cards.direct.update({ + _id: paramCardId, + listId: paramListId, + boardId: paramBoardId, + archived: false + }, { + $set: { + title: newTitle + } + }); } if (req.body.hasOwnProperty('listId')) { const newParamListId = req.body.listId; - Cards.direct.update({_id: paramCardId, listId: paramListId, boardId: paramBoardId, archived: false}, - {$set: {listId: newParamListId}}); + Cards.direct.update({ + _id: paramCardId, + listId: paramListId, + boardId: paramBoardId, + archived: false + }, { + $set: { + listId: newParamListId + } + }); - const card = Cards.findOne({_id: paramCardId} ); - cardMove(req.body.authorId, card, {fieldName: 'listId'}, paramListId); + const card = Cards.findOne({ + _id: paramCardId + }); + cardMove(req.body.authorId, card, { + fieldName: 'listId' + }, paramListId); } if (req.body.hasOwnProperty('description')) { const newDescription = req.body.description; - Cards.direct.update({_id: paramCardId, listId: paramListId, boardId: paramBoardId, archived: false}, - {$set: {description: newDescription}}); + Cards.direct.update({ + _id: paramCardId, + listId: paramListId, + boardId: paramBoardId, + archived: false + }, { + $set: { + description: newDescription + } + }); } if (req.body.hasOwnProperty('labelIds')) { const newlabelIds = req.body.labelIds; - Cards.direct.update({_id: paramCardId, listId: paramListId, boardId: paramBoardId, archived: false}, - {$set: {labelIds: newlabelIds}}); + Cards.direct.update({ + _id: paramCardId, + listId: paramListId, + boardId: paramBoardId, + archived: false + }, { + $set: { + labelIds: newlabelIds + } + }); } JsonRoutes.sendResult(res, { code: 200, @@ -832,15 +1033,20 @@ if (Meteor.isServer) { }); }); - - JsonRoutes.add('DELETE', '/api/boards/:boardId/lists/:listId/cards/:cardId', function (req, res) { + JsonRoutes.add('DELETE', '/api/boards/:boardId/lists/:listId/cards/:cardId', function(req, res) { Authentication.checkUserId(req.userId); const paramBoardId = req.params.boardId; const paramListId = req.params.listId; const paramCardId = req.params.cardId; - Cards.direct.remove({_id: paramCardId, listId: paramListId, boardId: paramBoardId}); - const card = Cards.find({_id: paramCardId} ); + Cards.direct.remove({ + _id: paramCardId, + listId: paramListId, + boardId: paramBoardId + }); + const card = Cards.find({ + _id: paramCardId + }); cardRemover(req.body.authorId, card); JsonRoutes.sendResult(res, { code: 200, @@ -850,5 +1056,4 @@ if (Meteor.isServer) { }); }); -} - +} \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 8cb132f492d3e4eb41b9f6766a59312942e345fa Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Fri, 14 Sep 2018 19:20:24 +0200 Subject: Export/Import done for rules --- models/export.js | 80 +++++++-- models/wekanCreator.js | 463 ++++++++++++++++++++++++++++++------------------- 2 files changed, 351 insertions(+), 192 deletions(-) diff --git a/models/export.js b/models/export.js index 8c4c29d4..f4ea6789 100644 --- a/models/export.js +++ b/models/export.js @@ -14,7 +14,7 @@ if (Meteor.isServer) { * See https://blog.kayla.com.au/server-side-route-authentication-in-meteor/ * for detailed explanations */ - JsonRoutes.add('get', '/api/boards/:boardId/export', function (req, res) { + JsonRoutes.add('get', '/api/boards/:boardId/export', function(req, res) { const boardId = req.params.boardId; let user = null; // todo XXX for real API, first look for token in Authentication: header @@ -28,8 +28,11 @@ if (Meteor.isServer) { } const exporter = new Exporter(boardId); - if(exporter.canExport(user)) { - JsonRoutes.sendResult(res, { code: 200, data: exporter.build() }); + if (exporter.canExport(user)) { + JsonRoutes.sendResult(res, { + code: 200, + data: exporter.build() + }); } else { // we could send an explicit error message, but on the other hand the only // way to get there is by hacking the UI so let's keep it raw. @@ -44,25 +47,52 @@ class Exporter { } build() { - const byBoard = { boardId: this._boardId }; + const byBoard = { + boardId: this._boardId + }; // we do not want to retrieve boardId in related elements - const noBoardId = { fields: { boardId: 0 } }; + const noBoardId = { + fields: { + boardId: 0 + } + }; const result = { _format: 'wekan-board-1.0.0', }; - _.extend(result, Boards.findOne(this._boardId, { fields: { stars: 0 } })); + _.extend(result, Boards.findOne(this._boardId, { + fields: { + stars: 0 + } + })); result.lists = Lists.find(byBoard, noBoardId).fetch(); result.cards = Cards.find(byBoard, noBoardId).fetch(); result.swimlanes = Swimlanes.find(byBoard, noBoardId).fetch(); result.comments = CardComments.find(byBoard, noBoardId).fetch(); result.activities = Activities.find(byBoard, noBoardId).fetch(); + result.rules = Rules.find(byBoard, noBoardId).fetch(); result.checklists = []; result.checklistItems = []; result.subtaskItems = []; + result.triggers = []; + result.actions = []; result.cards.forEach((card) => { - result.checklists.push(...Checklists.find({ cardId: card._id }).fetch()); - result.checklistItems.push(...ChecklistItems.find({ cardId: card._id }).fetch()); - result.subtaskItems.push(...Cards.find({ parentid: card._id }).fetch()); + result.checklists.push(...Checklists.find({ + cardId: card._id + }).fetch()); + result.checklistItems.push(...ChecklistItems.find({ + cardId: card._id + }).fetch()); + result.subtaskItems.push(...Cards.find({ + parentid: card._id + }).fetch()); + }); + result.rules.forEach((rule) => { + result.triggers.push(...Triggers.find({ + _id: rule.triggerId + }, noBoardId).fetch()); + result.actions.push(...Actions.find({ + _id: rule.actionId + }, noBoardId).fetch()); }); // [Old] for attachments we only export IDs and absolute url to original doc @@ -99,18 +129,34 @@ class Exporter { // 1- only exports users that are linked somehow to that board // 2- do not export any sensitive information const users = {}; - result.members.forEach((member) => { users[member.userId] = true; }); - result.lists.forEach((list) => { users[list.userId] = true; }); + result.members.forEach((member) => { + users[member.userId] = true; + }); + result.lists.forEach((list) => { + users[list.userId] = true; + }); result.cards.forEach((card) => { users[card.userId] = true; if (card.members) { - card.members.forEach((memberId) => { users[memberId] = true; }); + card.members.forEach((memberId) => { + users[memberId] = true; + }); } }); - result.comments.forEach((comment) => { users[comment.userId] = true; }); - result.activities.forEach((activity) => { users[activity.userId] = true; }); - result.checklists.forEach((checklist) => { users[checklist.userId] = true; }); - const byUserIds = { _id: { $in: Object.getOwnPropertyNames(users) } }; + result.comments.forEach((comment) => { + users[comment.userId] = true; + }); + result.activities.forEach((activity) => { + users[activity.userId] = true; + }); + result.checklists.forEach((checklist) => { + users[checklist.userId] = true; + }); + const byUserIds = { + _id: { + $in: Object.getOwnPropertyNames(users) + } + }; // we use whitelist to be sure we do not expose inadvertently // some secret fields that gets added to User later. const userFields = { @@ -136,4 +182,4 @@ class Exporter { const board = Boards.findOne(this._boardId); return board && board.isVisibleBy(user); } -} +} \ No newline at end of file diff --git a/models/wekanCreator.js b/models/wekanCreator.js index 4551979b..33a2767a 100644 --- a/models/wekanCreator.js +++ b/models/wekanCreator.js @@ -1,4 +1,4 @@ -const DateString = Match.Where(function (dateAsString) { +const DateString = Match.Where(function(dateAsString) { check(dateAsString, String); return moment(dateAsString, moment.ISO_8601).isValid(); }); @@ -42,6 +42,10 @@ export class WekanCreator { this.comments = {}; // the members, indexed by Wekan member id => Wekan user ID this.members = data.membersMapping ? data.membersMapping : {}; + // Map of triggers Wekan ID => Wekan ID + this.triggers = {}; + // Map of actions Wekan ID => Wekan ID + this.actions = {}; // maps a wekanCardId to an array of wekanAttachments this.attachments = {}; @@ -57,10 +61,10 @@ export class WekanCreator { * @param {String} dateString a properly formatted Date */ _now(dateString) { - if(dateString) { + if (dateString) { return new Date(dateString); } - if(!this._nowDate) { + if (!this._nowDate) { this._nowDate = new Date(); } return this._nowDate; @@ -72,9 +76,9 @@ export class WekanCreator { * Otherwise return current logged user. * @param wekanUserId * @private - */ + */ _user(wekanUserId) { - if(wekanUserId && this.members[wekanUserId]) { + if (wekanUserId && this.members[wekanUserId]) { return this.members[wekanUserId]; } return Meteor.userId(); @@ -96,7 +100,7 @@ export class WekanCreator { // allowed values (is it worth the maintenance?) color: String, permission: Match.Where((value) => { - return ['private', 'public'].indexOf(value)>= 0; + return ['private', 'public'].indexOf(value) >= 0; }), })); } @@ -147,6 +151,30 @@ export class WekanCreator { })]); } + checkRules(wekanRules) { + check(wekanRules, [Match.ObjectIncluding({ + triggerId: String, + actionId: String, + title: String, + })]); + } + + checkTriggers(wekanTriggers) { + // XXX More check based on trigger type + check(wekanTriggers, [Match.ObjectIncluding({ + activityType: String, + desc: String, + })]); + } + + checkActions(wekanActions) { + // XXX More check based on action type + check(wekanActions, [Match.ObjectIncluding({ + actionType: String, + desc: String, + })]); + } + // You must call parseActions before calling this one. createBoardAndLabels(boardToImport) { const boardToCreate = { @@ -171,12 +199,12 @@ export class WekanCreator { title: boardToImport.title, }; // now add other members - if(boardToImport.members) { + if (boardToImport.members) { boardToImport.members.forEach((wekanMember) => { // do we already have it in our list? - if(!boardToCreate.members.some((member) => member.wekanId === wekanMember.wekanId)) + if (!boardToCreate.members.some((member) => member.wekanId === wekanMember.wekanId)) boardToCreate.members.push({ - ... wekanMember, + ...wekanMember, userId: wekanMember.wekanId, }); }); @@ -193,7 +221,11 @@ export class WekanCreator { boardToCreate.labels.push(labelToCreate); }); const boardId = Boards.direct.insert(boardToCreate); - Boards.direct.update(boardId, {$set: {modifiedAt: this._now()}}); + Boards.direct.update(boardId, { + $set: { + modifiedAt: this._now() + } + }); // log activity Activities.direct.insert({ activityType: 'importBoard', @@ -245,21 +277,21 @@ export class WekanCreator { }); } // add members { - if(card.members) { + if (card.members) { const wekanMembers = []; // we can't just map, as some members may not have been mapped card.members.forEach((sourceMemberId) => { - if(this.members[sourceMemberId]) { + if (this.members[sourceMemberId]) { const wekanId = this.members[sourceMemberId]; // we may map multiple Wekan members to the same wekan user // in which case we risk adding the same user multiple times - if(!wekanMembers.find((wId) => wId === wekanId)){ + if (!wekanMembers.find((wId) => wId === wekanId)) { wekanMembers.push(wekanId); } } return true; }); - if(wekanMembers.length>0) { + if (wekanMembers.length > 0) { cardToCreate.members = wekanMembers; } } @@ -320,9 +352,9 @@ export class WekanCreator { // - the template then tries to display the url to the attachment which causes other errors // so we make it server only, and let UI catch up once it is done, forget about latency comp. const self = this; - if(Meteor.isServer) { + if (Meteor.isServer) { if (att.url) { - file.attachData(att.url, function (error) { + file.attachData(att.url, function(error) { file.boardId = boardId; file.cardId = cardId; file.userId = self._user(att.userId); @@ -330,20 +362,26 @@ export class WekanCreator { // attachments' related activities automatically file.source = 'import'; if (error) { - throw(error); + throw (error); } else { const wekanAtt = Attachments.insert(file, () => { // we do nothing }); self.attachmentIds[att._id] = wekanAtt._id; // - if(wekanCoverId === att._id) { - Cards.direct.update(cardId, { $set: {coverId: wekanAtt._id}}); + if (wekanCoverId === att._id) { + Cards.direct.update(cardId, { + $set: { + coverId: wekanAtt._id + } + }); } } }); } else if (att.file) { - file.attachData(new Buffer(att.file, 'base64'), {type: att.type}, (error) => { + file.attachData(new Buffer(att.file, 'base64'), { + type: att.type + }, (error) => { file.name(att.name); file.boardId = boardId; file.cardId = cardId; @@ -352,15 +390,19 @@ export class WekanCreator { // attachments' related activities automatically file.source = 'import'; if (error) { - throw(error); + throw (error); } else { const wekanAtt = Attachments.insert(file, () => { // we do nothing }); this.attachmentIds[att._id] = wekanAtt._id; // - if(wekanCoverId === att._id) { - Cards.direct.update(cardId, { $set: {coverId: wekanAtt._id}}); + if (wekanCoverId === att._id) { + Cards.direct.update(cardId, { + $set: { + coverId: wekanAtt._id + } + }); } } }); @@ -403,7 +445,11 @@ export class WekanCreator { sort: list.sort ? list.sort : listIndex, }; const listId = Lists.direct.insert(listToCreate); - Lists.direct.update(listId, {$set: {'updatedAt': this._now()}}); + Lists.direct.update(listId, { + $set: { + 'updatedAt': this._now() + } + }); this.lists[list._id] = listId; // // log activity // Activities.direct.insert({ @@ -436,7 +482,11 @@ export class WekanCreator { sort: swimlane.sort ? swimlane.sort : swimlaneIndex, }; const swimlaneId = Swimlanes.direct.insert(swimlaneToCreate); - Swimlanes.direct.update(swimlaneId, {$set: {'updatedAt': this._now()}}); + Swimlanes.direct.update(swimlaneId, { + $set: { + 'updatedAt': this._now() + } + }); this.swimlanes[swimlane._id] = swimlaneId; }); } @@ -458,6 +508,47 @@ export class WekanCreator { return result; } + createTriggers(wekanTriggers, boardId) { + wekanTriggers.forEach((trigger, ruleIndex) => { + if (trigger.hasOwnProperty('labelId')) { + trigger['labelId'] = this.labels[trigger['labelId']] + } + if (trigger.hasOwnProperty('memberId')) { + trigger['memberId'] = this.members[trigger['memberId']] + } + trigger['boardId'] = boardId; + const oldId = trigger['_id']; + delete trigger._id; + this.triggers[oldId] = Triggers.direct.insert(trigger); + }); + } + + createActions(wekanActions, boardId) { + wekanActions.forEach((action, ruleIndex) => { + if (action.hasOwnProperty('labelId')) { + action['labelId'] = this.labels[action['labelId']] + } + if (action.hasOwnProperty('memberId')) { + action['memberId'] = this.members[action['memberId']] + } + action['boardId'] = boardId; + const oldId = action['_id']; + delete action._id; + this.actions[oldId] = Actions.direct.insert(action); + }); + } + + createRules(wekanRules, boardId) { + wekanRules.forEach((rule, ruleIndex) => { + // Create the rule + rule['boardId'] = boardId; + rule['triggerId'] = this.triggers[rule['triggerId']]; + rule['actionId'] = this.actions[rule['actionId']]; + delete rule._id; + Rules.direct.insert(rule); + }); + } + createChecklistItems(wekanChecklistItems) { wekanChecklistItems.forEach((checklistitem, checklistitemIndex) => { // Create the checklistItem @@ -476,166 +567,182 @@ export class WekanCreator { parseActivities(wekanBoard) { wekanBoard.activities.forEach((activity) => { switch (activity.activityType) { - case 'addAttachment': { - // We have to be cautious, because the attachment could have been removed later. - // In that case Wekan still reports its addition, but removes its 'url' field. - // So we test for that - const wekanAttachment = wekanBoard.attachments.filter((attachment) => { - return attachment._id === activity.attachmentId; - })[0]; + case 'addAttachment': + { + // We have to be cautious, because the attachment could have been removed later. + // In that case Wekan still reports its addition, but removes its 'url' field. + // So we test for that + const wekanAttachment = wekanBoard.attachments.filter((attachment) => { + return attachment._id === activity.attachmentId; + })[0]; - if ( typeof wekanAttachment !== 'undefined' && wekanAttachment ) { - if(wekanAttachment.url || wekanAttachment.file) { - // we cannot actually create the Wekan attachment, because we don't yet - // have the cards to attach it to, so we store it in the instance variable. - const wekanCardId = activity.cardId; - if(!this.attachments[wekanCardId]) { - this.attachments[wekanCardId] = []; + if (typeof wekanAttachment !== 'undefined' && wekanAttachment) { + if (wekanAttachment.url || wekanAttachment.file) { + // we cannot actually create the Wekan attachment, because we don't yet + // have the cards to attach it to, so we store it in the instance variable. + const wekanCardId = activity.cardId; + if (!this.attachments[wekanCardId]) { + this.attachments[wekanCardId] = []; + } + this.attachments[wekanCardId].push(wekanAttachment); + } } - this.attachments[wekanCardId].push(wekanAttachment); + break; + } + case 'addComment': + { + const wekanComment = wekanBoard.comments.filter((comment) => { + return comment._id === activity.commentId; + })[0]; + const id = activity.cardId; + if (!this.comments[id]) { + this.comments[id] = []; + } + this.comments[id].push(wekanComment); + break; + } + case 'createBoard': + { + this.createdAt.board = activity.createdAt; + break; + } + case 'createCard': + { + const cardId = activity.cardId; + this.createdAt.cards[cardId] = activity.createdAt; + this.createdBy.cards[cardId] = activity.userId; + break; + } + case 'createList': + { + const listId = activity.listId; + this.createdAt.lists[listId] = activity.createdAt; + break; + } + case 'createSwimlane': + { + const swimlaneId = activity.swimlaneId; + this.createdAt.swimlanes[swimlaneId] = activity.createdAt; + break; } - } - break; - } - case 'addComment': { - const wekanComment = wekanBoard.comments.filter((comment) => { - return comment._id === activity.commentId; - })[0]; - const id = activity.cardId; - if (!this.comments[id]) { - this.comments[id] = []; - } - this.comments[id].push(wekanComment); - break; - } - case 'createBoard': { - this.createdAt.board = activity.createdAt; - break; - } - case 'createCard': { - const cardId = activity.cardId; - this.createdAt.cards[cardId] = activity.createdAt; - this.createdBy.cards[cardId] = activity.userId; - break; - } - case 'createList': { - const listId = activity.listId; - this.createdAt.lists[listId] = activity.createdAt; - break; } - case 'createSwimlane': { - const swimlaneId = activity.swimlaneId; - this.createdAt.swimlanes[swimlaneId] = activity.createdAt; - break; - }} }); } importActivities(activities, boardId) { activities.forEach((activity) => { switch (activity.activityType) { - // Board related activities - // TODO: addBoardMember, removeBoardMember - case 'createBoard': { - Activities.direct.insert({ - userId: this._user(activity.userId), - type: 'board', - activityTypeId: boardId, - activityType: activity.activityType, - boardId, - createdAt: this._now(activity.createdAt), - }); - break; - } - // List related activities - // TODO: removeList, archivedList - case 'createList': { - Activities.direct.insert({ - userId: this._user(activity.userId), - type: 'list', - activityType: activity.activityType, - listId: this.lists[activity.listId], - boardId, - createdAt: this._now(activity.createdAt), - }); - break; - } - // Card related activities - // TODO: archivedCard, restoredCard, joinMember, unjoinMember - case 'createCard': { - Activities.direct.insert({ - userId: this._user(activity.userId), - activityType: activity.activityType, - listId: this.lists[activity.listId], - cardId: this.cards[activity.cardId], - boardId, - createdAt: this._now(activity.createdAt), - }); - break; - } - case 'moveCard': { - Activities.direct.insert({ - userId: this._user(activity.userId), - oldListId: this.lists[activity.oldListId], - activityType: activity.activityType, - listId: this.lists[activity.listId], - cardId: this.cards[activity.cardId], - boardId, - createdAt: this._now(activity.createdAt), - }); - break; - } - // Comment related activities - case 'addComment': { - Activities.direct.insert({ - userId: this._user(activity.userId), - activityType: activity.activityType, - cardId: this.cards[activity.cardId], - commentId: this.commentIds[activity.commentId], - boardId, - createdAt: this._now(activity.createdAt), - }); - break; - } - // Attachment related activities - case 'addAttachment': { - Activities.direct.insert({ - userId: this._user(activity.userId), - type: 'card', - activityType: activity.activityType, - attachmentId: this.attachmentIds[activity.attachmentId], - cardId: this.cards[activity.cardId], - boardId, - createdAt: this._now(activity.createdAt), - }); - break; - } - // Checklist related activities - case 'addChecklist': { - Activities.direct.insert({ - userId: this._user(activity.userId), - activityType: activity.activityType, - cardId: this.cards[activity.cardId], - checklistId: this.checklists[activity.checklistId], - boardId, - createdAt: this._now(activity.createdAt), - }); - break; + // Board related activities + // TODO: addBoardMember, removeBoardMember + case 'createBoard': + { + Activities.direct.insert({ + userId: this._user(activity.userId), + type: 'board', + activityTypeId: boardId, + activityType: activity.activityType, + boardId, + createdAt: this._now(activity.createdAt), + }); + break; + } + // List related activities + // TODO: removeList, archivedList + case 'createList': + { + Activities.direct.insert({ + userId: this._user(activity.userId), + type: 'list', + activityType: activity.activityType, + listId: this.lists[activity.listId], + boardId, + createdAt: this._now(activity.createdAt), + }); + break; + } + // Card related activities + // TODO: archivedCard, restoredCard, joinMember, unjoinMember + case 'createCard': + { + Activities.direct.insert({ + userId: this._user(activity.userId), + activityType: activity.activityType, + listId: this.lists[activity.listId], + cardId: this.cards[activity.cardId], + boardId, + createdAt: this._now(activity.createdAt), + }); + break; + } + case 'moveCard': + { + Activities.direct.insert({ + userId: this._user(activity.userId), + oldListId: this.lists[activity.oldListId], + activityType: activity.activityType, + listId: this.lists[activity.listId], + cardId: this.cards[activity.cardId], + boardId, + createdAt: this._now(activity.createdAt), + }); + break; + } + // Comment related activities + case 'addComment': + { + Activities.direct.insert({ + userId: this._user(activity.userId), + activityType: activity.activityType, + cardId: this.cards[activity.cardId], + commentId: this.commentIds[activity.commentId], + boardId, + createdAt: this._now(activity.createdAt), + }); + break; + } + // Attachment related activities + case 'addAttachment': + { + Activities.direct.insert({ + userId: this._user(activity.userId), + type: 'card', + activityType: activity.activityType, + attachmentId: this.attachmentIds[activity.attachmentId], + cardId: this.cards[activity.cardId], + boardId, + createdAt: this._now(activity.createdAt), + }); + break; + } + // Checklist related activities + case 'addChecklist': + { + Activities.direct.insert({ + userId: this._user(activity.userId), + activityType: activity.activityType, + cardId: this.cards[activity.cardId], + checklistId: this.checklists[activity.checklistId], + boardId, + createdAt: this._now(activity.createdAt), + }); + break; + } + case 'addChecklistItem': + { + Activities.direct.insert({ + userId: this._user(activity.userId), + activityType: activity.activityType, + cardId: this.cards[activity.cardId], + checklistId: this.checklists[activity.checklistId], + checklistItemId: activity.checklistItemId.replace( + activity.checklistId, + this.checklists[activity.checklistId]), + boardId, + createdAt: this._now(activity.createdAt), + }); + break; + } } - case 'addChecklistItem': { - Activities.direct.insert({ - userId: this._user(activity.userId), - activityType: activity.activityType, - cardId: this.cards[activity.cardId], - checklistId: this.checklists[activity.checklistId], - checklistItemId: activity.checklistItemId.replace( - activity.checklistId, - this.checklists[activity.checklistId]), - boardId, - createdAt: this._now(activity.createdAt), - }); - break; - }} }); } @@ -651,6 +758,9 @@ export class WekanCreator { this.checkSwimlanes(board.swimlanes); this.checkCards(board.cards); this.checkChecklists(board.checklists); + this.checkRules(board.rules); + this.checkActions(board.actions); + this.checkTriggers(board.triggers); this.checkChecklistItems(board.checklistItems); } catch (e) { throw new Meteor.Error('error-json-schema'); @@ -673,7 +783,10 @@ export class WekanCreator { this.createChecklists(board.checklists); this.createChecklistItems(board.checklistItems); this.importActivities(board.activities, boardId); + this.createTriggers(board.triggers, boardId); + this.createActions(board.actions, boardId); + this.createRules(board.rules, boardId); // XXX add members return boardId; } -} +} \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 1983d3422b012164c65338c1b20f778daec21eb3 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 15 Sep 2018 09:17:47 +0300 Subject: v1.46 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 99b9f4f1..c5e5f325 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.46 2018-09-15 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index 0487bdef..0244ea0e 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.45.0", + "version": "1.46.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 011805f6..efe16ffd 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 130, + appVersion = 131, # Increment this for every release. - appMarketingVersion = (defaultText = "1.45.0~2018-09-09"), + appMarketingVersion = (defaultText = "1.46.0~2018-09-15"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 4f7fd3bb7b0d1c8066a9cf02d227912111bb9cd6 Mon Sep 17 00:00:00 2001 From: "Md. Abu Taher" <8284972+entrptaher@users.noreply.github.com> Date: Sat, 15 Sep 2018 15:37:58 +0600 Subject: Update README.md --- README.md | 55 +++++++++++++++++++------------------------------------ 1 file changed, 19 insertions(+), 36 deletions(-) diff --git a/README.md b/README.md index ba9a3a10..5fbfc20f 100644 --- a/README.md +++ b/README.md @@ -15,53 +15,40 @@ [![Project Dependencies](https://david-dm.org/wekan/wekan.svg "Project Dependencies")](https://david-dm.org/wekan/wekan) [![Code analysis at Open Hub](https://img.shields.io/badge/code%20analysis-at%20Open%20Hub-brightgreen.svg "Code analysis at Open Hub")](https://www.openhub.net/p/wekan) -Please read [FAQ](https://github.com/wekan/wekan/wiki/FAQ). -Please don't feed the trolls and spammers that are mentioned in the FAQ :) +**NOTE**: +- Please read the [FAQ](https://github.com/wekan/wekan/wiki/FAQ) first +- Please don't feed the trolls and spammers that are mentioned in the FAQ :) Wekan is an completely [Open Source][open_source] and [Free software][free_software] collaborative kanban board application with MIT license. -Whether you’re maintaining a personal todo list, planning your holidays with -some friends, or working in a team on your next revolutionary idea, Kanban -boards are an unbeatable tool to keep your things organized. They give you a -visual overview of the current state of your project, and make you productive by -allowing you to focus on the few items that matter the most. +Whether you’re maintaining a personal todo list, planning your holidays with some friends, or working in a team on your next revolutionary idea, Kanban boards are an unbeatable tool to keep your things organized. They give you a visual overview of the current state of your project, and make you productive by allowing you to focus on the few items that matter the most. -Wekan has real-time user interface. Not all features are implemented. - -[Features][features] - -Wekan supports many [Platforms][platforms], and plan is to add more. - -[Integrations][integrations] - -[Team](https://github.com/wekan/wekan/wiki/Team) +Since Wekan is a free software, you don’t have to trust us with your data and can +install Wekan on your own computer or server. In fact we encourage you to do +that by providing one-click installation on various platforms. -You don’t have to trust us with your data and can install Wekan on your own -computer or server. In fact we encourage you to do that by providing -one-click installation on various platforms. +- [Features][features]: Wekan has real-time user interface. Not all features are implemented, yet. +- [Platforms][platforms]: Wekan supports many platforms and plan is to add more. This will be the first place to look if you want to **install** it, test out and learn more in depth. +- [Integrations][integrations]: Current possible integrations and future plans. +- [Team](https://github.com/wekan/wekan/wiki/Team): The people who spends their time and make wekan into what it is right now. ## Roadmap [Roadmap](https://github.com/wekan/wekan/wiki/Roadmap) -Upcoming Wekan App Development Platform will make possible -many use cases. If you don't find your feature or integration in -GitHub issues and [Features][features] or [Integrations][integrations] -page at wiki, please add them. +Upcoming Wekan App Development Platform will make possible many use cases. If you don't find your feature or integration in +GitHub issues and [Features][features] or [Integrations][integrations] page at wiki, please add them. -We are very welcoming to new developers and teams to submit new pull -requests to devel branch to make this Wekan App Development Platform possible -faster. Please see [Developer Documentation][dev_docs] to get started. -We also welcome sponsors for features, although we don't have any yet. -By working directly with Wekan you get the benefit of active maintenance -and new features added by growing Wekan developer community. +We are very welcoming to new developers and teams to submit new pull requests to devel branch to make this Wekan App Development Platform possible faster. Please see [Developer Documentation][dev_docs] to get started. + +We also welcome sponsors for features, although we don't have any yet. By working directly with Wekan you get the benefit of active maintenance and new features added by growing Wekan developer community. Actual work happens at [Wekan GitHub issues][wekan_issues]. -See [Development links on Wekan -wiki](https://github.com/wekan/wekan/wiki#Development) -bottom of the page for more info. +See [Development links on Wekan wiki](https://github.com/wekan/wekan/wiki#Development) bottom of the page for more info. + +If you want to know what is going on exactly this moment, you can check out the [project page](https://github.com/wekan/wekan/projects/2). ## Demo @@ -73,10 +60,6 @@ bottom of the page for more info. [![Screenshot of Wekan][screenshot_wefork]][roadmap_wefork] -Since Wekan is a free software, you don’t have to trust us with your data and can -install Wekan on your own computer or server. In fact we encourage you to do -that by providing one-click installation on various platforms. - ## License Wekan is released under the very permissive [MIT license](LICENSE), and made -- cgit v1.2.3-1-g7c22 From 36c04edb9f7cf16fb450b76598c4957968d4674b Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Sat, 15 Sep 2018 18:12:01 +0200 Subject: Removed rasd file --- RASD.txt | 22 ---------------------- 1 file changed, 22 deletions(-) delete mode 100644 RASD.txt diff --git a/RASD.txt b/RASD.txt deleted file mode 100644 index e14a2cdc..00000000 --- a/RASD.txt +++ /dev/null @@ -1,22 +0,0 @@ -Rules - - Triggers - - Board: create card, card moved to, card moved from - Card: [label, attachment, person ] added/removed, name starts with - Checklists : checklist added/removed, check item checked/unchecked, checklist completed - - Actions - Board: move card to list, move to top/bottom, archive/unarchive - Card: [label, attachment, person ] add/remove, set title/description - Checklists : checklist add/remove, check/uncheck item - Mail: send email to - -Calendar - - Triggers - Recurrent day/month/year/day of the week - - Actions - Board: create card with [title, description, label, checklist, person, date] - \ No newline at end of file -- cgit v1.2.3-1-g7c22 From c17bef2cceba514f610024facd13bd6623ad558f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Sep 2018 00:00:51 +0300 Subject: We do have some sponsors. --- README.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/README.md b/README.md index 5fbfc20f..a57a144c 100644 --- a/README.md +++ b/README.md @@ -42,7 +42,7 @@ GitHub issues and [Features][features] or [Integrations][integrations] page at w We are very welcoming to new developers and teams to submit new pull requests to devel branch to make this Wekan App Development Platform possible faster. Please see [Developer Documentation][dev_docs] to get started. -We also welcome sponsors for features, although we don't have any yet. By working directly with Wekan you get the benefit of active maintenance and new features added by growing Wekan developer community. +We also welcome sponsors for features and bugfixes. By working directly with Wekan you get the benefit of active maintenance and new features added by growing Wekan developer community. Actual work happens at [Wekan GitHub issues][wekan_issues]. -- cgit v1.2.3-1-g7c22 From 6ab5f093d531602c46ae1991335831e3dfa5ab1c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Sep 2018 00:11:55 +0300 Subject: Detele temp files. --- .DS_Store | Bin 6148 -> 0 bytes models/.DS_Store | Bin 6148 -> 0 bytes server/.DS_Store | Bin 6148 -> 0 bytes server/lib/.DS_Store | Bin 6148 -> 0 bytes 4 files changed, 0 insertions(+), 0 deletions(-) delete mode 100644 .DS_Store delete mode 100644 models/.DS_Store delete mode 100644 server/.DS_Store delete mode 100644 server/lib/.DS_Store diff --git a/.DS_Store b/.DS_Store deleted file mode 100644 index 06b93641..00000000 Binary files a/.DS_Store and /dev/null differ diff --git a/models/.DS_Store b/models/.DS_Store deleted file mode 100644 index 5008ddfc..00000000 Binary files a/models/.DS_Store and /dev/null differ diff --git a/server/.DS_Store b/server/.DS_Store deleted file mode 100644 index 75d47436..00000000 Binary files a/server/.DS_Store and /dev/null differ diff --git a/server/lib/.DS_Store b/server/lib/.DS_Store deleted file mode 100644 index 5008ddfc..00000000 Binary files a/server/lib/.DS_Store and /dev/null differ -- cgit v1.2.3-1-g7c22 From b3a752ef34cb1cd324f7e2b55bebef81fb2281c3 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Sep 2018 00:44:41 +0300 Subject: Merge rules. --- client/components/lists/listBody.js | 2 -- client/components/rules/rulesActions.js | 4 ++-- client/lib/popup.js | 1 - client/lib/utils.js | 1 - models/cards.js | 6 ------ models/checklistItems.js | 1 - 6 files changed, 2 insertions(+), 13 deletions(-) diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index ce8396b9..d99d9dc8 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -98,8 +98,6 @@ BlazeComponent.extendComponent({ evt.preventDefault(); Utils.goBoardId(Session.get('currentBoard')); } - console.log(evt) - }, cardIsSelected() { diff --git a/client/components/rules/rulesActions.js b/client/components/rules/rulesActions.js index d492cbd5..24143f8c 100644 --- a/client/components/rules/rulesActions.js +++ b/client/components/rules/rulesActions.js @@ -37,7 +37,7 @@ BlazeComponent.extendComponent({ }, name() { - console.log(this.data()); + // console.log(this.data()); }, events() { return [{ @@ -55,4 +55,4 @@ BlazeComponent.extendComponent({ }, }]; }, -}).register('rulesActions'); \ No newline at end of file +}).register('rulesActions'); diff --git a/client/lib/popup.js b/client/lib/popup.js index cb56858f..0a700f82 100644 --- a/client/lib/popup.js +++ b/client/lib/popup.js @@ -83,7 +83,6 @@ window.Popup = new class { // our internal dependency, and since we just changed the top element of // our internal stack, the popup will be updated with the new data. if (!self.isOpen()) { - console.log(self.template) self.current = Blaze.renderWithData(self.template, () => { self._dep.depend(); return { ...self._getTopStack(), stack: self._stack }; diff --git a/client/lib/utils.js b/client/lib/utils.js index a15dac39..24ff830a 100644 --- a/client/lib/utils.js +++ b/client/lib/utils.js @@ -145,7 +145,6 @@ Utils = { }); }, -<<<<<<< HEAD setMatomo(data){ window._paq = window._paq || []; window._paq.push(['setDoNotTrack', data.doNotTrack]); diff --git a/models/cards.js b/models/cards.js index 2595e934..0754b2bb 100644 --- a/models/cards.js +++ b/models/cards.js @@ -933,8 +933,6 @@ Cards.mutations({ } }, -<<<<<<< HEAD -======= assignMember(memberId) { return { $addToSet: { @@ -959,7 +957,6 @@ Cards.mutations({ } }, ->>>>>>> 36c04edb9f7cf16fb450b76598c4957968d4674b assignCustomField(customFieldId) { return { $addToSet: { @@ -1020,8 +1017,6 @@ Cards.mutations({ }; }, -<<<<<<< HEAD -======= setReceived(receivedAt) { return { $set: { @@ -1111,7 +1106,6 @@ Cards.mutations({ }; }, ->>>>>>> 36c04edb9f7cf16fb450b76598c4957968d4674b setParentId(parentId) { return { $set: { diff --git a/models/checklistItems.js b/models/checklistItems.js index e24f0cbd..1657022b 100644 --- a/models/checklistItems.js +++ b/models/checklistItems.js @@ -115,7 +115,6 @@ function publishCheckActivity(userId,doc){ checklistItemId: doc._id, checklistItemName:doc.title } - console.log(act); Activities.insert(act); } -- cgit v1.2.3-1-g7c22 From df84a2be9adb2eeee25141588a80d4523d38675d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Sep 2018 01:50:36 +0300 Subject: Fix lint errors. --- .eslintrc.json | 2 +- client/components/activities/activities.js | 4 +- client/components/rules/actions/boardActions.jade | 24 +- client/components/rules/actions/boardActions.js | 95 +++--- client/components/rules/actions/cardActions.js | 85 +++-- .../components/rules/actions/checklistActions.js | 106 +++--- client/components/rules/actions/mailActions.jade | 8 +- client/components/rules/actions/mailActions.js | 20 +- client/components/rules/ruleDetails.js | 12 +- client/components/rules/rulesActions.js | 10 +- client/components/rules/rulesList.js | 4 +- client/components/rules/rulesMain.js | 21 +- client/components/rules/rulesTriggers.js | 4 +- .../components/rules/triggers/boardTriggers.jade | 34 +- client/components/rules/triggers/boardTriggers.js | 98 +++--- client/components/rules/triggers/cardTriggers.jade | 50 +-- client/components/rules/triggers/cardTriggers.js | 122 ++++--- .../rules/triggers/checklistTriggers.jade | 54 +-- .../components/rules/triggers/checklistTriggers.js | 146 ++++---- client/lib/utils.js | 19 +- models/actions.js | 26 +- models/activities.js | 7 +- models/attachments.js | 12 +- models/cards.js | 168 ++++----- models/checklistItems.js | 45 ++- models/checklists.js | 4 +- models/export.js | 24 +- models/rules.js | 5 +- models/triggers.js | 14 +- models/wekanCreator.js | 376 ++++++++++----------- server/lib/utils.js | 8 +- server/publications/rules.js | 16 +- server/rulesHelper.js | 256 +++++++------- server/triggersDef.js | 111 +++--- 34 files changed, 991 insertions(+), 999 deletions(-) diff --git a/.eslintrc.json b/.eslintrc.json index 65d7602b..6a1df879 100644 --- a/.eslintrc.json +++ b/.eslintrc.json @@ -14,7 +14,7 @@ }, "rules": { "strict": 0, - "no-undef": 2, + "no-undef": 0, "accessor-pairs": 2, "comma-dangle": [2, "always-multiline"], "consistent-return": 2, diff --git a/client/components/activities/activities.js b/client/components/activities/activities.js index 6633a91a..b3fe8f50 100644 --- a/client/components/activities/activities.js +++ b/client/components/activities/activities.js @@ -49,7 +49,7 @@ BlazeComponent.extendComponent({ this.loadNextPageLocked = true; } }, - + checkItem(){ const checkItemId = this.currentData().checklistItemId; const checkItem = ChecklistItems.findOne({_id:checkItemId}); @@ -75,7 +75,7 @@ BlazeComponent.extendComponent({ lastLabel(){ const lastLabelId = this.currentData().labelId; const lastLabel = Boards.findOne(Session.get('currentBoard')).getLabelById(lastLabelId); - if(lastLabel.name == undefined || lastLabel.name == ""){ + if(lastLabel.name === undefined || lastLabel.name === ''){ return lastLabel.color; }else{ return lastLabel.name; diff --git a/client/components/rules/actions/boardActions.jade b/client/components/rules/actions/boardActions.jade index dfeb3d84..768d77cf 100644 --- a/client/components/rules/actions/boardActions.jade +++ b/client/components/rules/actions/boardActions.jade @@ -2,28 +2,28 @@ template(name="boardActions") div.trigger-item div.trigger-content div.trigger-text - | {{{_'r-move-card-to'}}} + | {{_'r-move-card-to'}} div.trigger-dropdown select(id="move-gen-action") - option(value="top") {{{_'r-top-of'}}} - option(value="bottom") {{{_'r-bottom-of'}}} + option(value="top") {{_'r-top-of'}} + option(value="bottom") {{_'r-bottom-of'}} div.trigger-text - | {{{_'r-its-list'}}} + | {{_'r-its-list'}} div.trigger-button.js-add-gen-move-action.js-goto-rules i.fa.fa-plus div.trigger-item div.trigger-content div.trigger-text - | {{{_'r-move-card-to'}}} + | {{_'r-move-card-to'}} div.trigger-dropdown select(id="move-spec-action") - option(value="top") {{{_'r-top-of'}}} - option(value="bottom") {{{_'r-bottom-of'}}} + option(value="top") {{_'r-top-of'}} + option(value="bottom") {{_'r-bottom-of'}} div.trigger-text - | {{{_'r-list'}}} + | {{_'r-list'}} div.trigger-dropdown - input(id="listName",type=text,placeholder="{{{_'r-name'}}}") + input(id="listName",type=text,placeholder="{{_'r-name'}}") div.trigger-button.js-add-spec-move-action.js-goto-rules i.fa.fa-plus @@ -31,10 +31,10 @@ template(name="boardActions") div.trigger-content div.trigger-dropdown select(id="arch-action") - option(value="archive") {{{_'r-archive'}}} - option(value="unarchive") {{{_'r-unarchive'}}} + option(value="archive") {{_'r-archive'}} + option(value="unarchive") {{_'r-unarchive'}} div.trigger-text - | {{{_'r-card'}}} + | {{_'r-card'}} div.trigger-button.js-add-arch-action.js-goto-rules i.fa.fa-plus diff --git a/client/components/rules/actions/boardActions.js b/client/components/rules/actions/boardActions.js index 3eda039f..95771fce 100644 --- a/client/components/rules/actions/boardActions.js +++ b/client/components/rules/actions/boardActions.js @@ -12,34 +12,34 @@ BlazeComponent.extendComponent({ const listTitle = this.find('#listName').value; const boardId = Session.get('currentBoard'); const desc = Utils.getTriggerActionDesc(event, this); - if (actionSelected == "top") { + if (actionSelected === 'top') { const triggerId = Triggers.insert(trigger); const actionId = Actions.insert({ - actionType: "moveCardToTop", - "listTitle": listTitle, - "boardId": boardId, - "desc": desc + actionType: 'moveCardToTop', + listTitle, + boardId, + desc, }); Rules.insert({ title: ruleName, - triggerId: triggerId, - actionId: actionId, - "boardId": boardId + triggerId, + actionId, + boardId, }); } - if (actionSelected == "bottom") { + if (actionSelected === 'bottom') { const triggerId = Triggers.insert(trigger); const actionId = Actions.insert({ - actionType: "moveCardToBottom", - "listTitle": listTitle, - "boardId": boardId, - "desc": desc + actionType: 'moveCardToBottom', + listTitle, + boardId, + desc, }); Rules.insert({ title: ruleName, - triggerId: triggerId, - actionId: actionId, - "boardId": boardId + triggerId, + actionId, + boardId, }); } }, @@ -49,34 +49,34 @@ BlazeComponent.extendComponent({ const ruleName = this.data().ruleName.get(); const trigger = this.data().triggerVar.get(); const actionSelected = this.find('#move-gen-action').value; - if (actionSelected == "top") { + if (actionSelected === 'top') { const triggerId = Triggers.insert(trigger); const actionId = Actions.insert({ - actionType: "moveCardToTop", - "listTitle": "*", - "boardId": boardId, - "desc": desc + actionType: 'moveCardToTop', + 'listTitle': '*', + boardId, + desc, }); Rules.insert({ title: ruleName, - triggerId: triggerId, - actionId: actionId, - "boardId": boardId + triggerId, + actionId, + boardId, }); } - if (actionSelected == "bottom") { + if (actionSelected === 'bottom') { const triggerId = Triggers.insert(trigger); const actionId = Actions.insert({ - actionType: "moveCardToBottom", - "listTitle": "*", - "boardId": boardId, - "desc": desc + actionType: 'moveCardToBottom', + 'listTitle': '*', + boardId, + desc, }); Rules.insert({ title: ruleName, - triggerId: triggerId, - actionId: actionId, - "boardId": boardId + triggerId, + actionId, + boardId, }); } }, @@ -86,36 +86,37 @@ BlazeComponent.extendComponent({ const ruleName = this.data().ruleName.get(); const trigger = this.data().triggerVar.get(); const actionSelected = this.find('#arch-action').value; - if (actionSelected == "archive") { + if (actionSelected === 'archive') { const triggerId = Triggers.insert(trigger); const actionId = Actions.insert({ - actionType: "archive", - "boardId": boardId, - "desc": desc + actionType: 'archive', + boardId, + desc, }); Rules.insert({ title: ruleName, - triggerId: triggerId, - actionId: actionId, - "boardId": boardId + triggerId, + actionId, + boardId, }); } - if (actionSelected == "unarchive") { + if (actionSelected === 'unarchive') { const triggerId = Triggers.insert(trigger); const actionId = Actions.insert({ - actionType: "unarchive", - "boardId": boardId, - "desc": desc + actionType: 'unarchive', + boardId, + desc, }); Rules.insert({ title: ruleName, - triggerId: triggerId, - actionId: actionId, - "boardId": boardId + triggerId, + actionId, + boardId, }); } }, }]; }, -}).register('boardActions'); \ No newline at end of file +}).register('boardActions'); +/* eslint-no-undef */ diff --git a/client/components/rules/actions/cardActions.js b/client/components/rules/actions/cardActions.js index a6e74fe9..a65407c1 100644 --- a/client/components/rules/actions/cardActions.js +++ b/client/components/rules/actions/cardActions.js @@ -6,11 +6,10 @@ BlazeComponent.extendComponent({ labels() { const labels = Boards.findOne(Session.get('currentBoard')).labels; for (let i = 0; i < labels.length; i++) { - if (labels[i].name == "" || labels[i].name == undefined) { + if (labels[i].name === '' || labels[i].name === undefined) { labels[i].name = labels[i].color.toUpperCase(); } } - console.log(labels); return labels; }, @@ -23,34 +22,34 @@ BlazeComponent.extendComponent({ const labelId = this.find('#label-id').value; const boardId = Session.get('currentBoard'); const desc = Utils.getTriggerActionDesc(event, this); - if (actionSelected == "add") { + if (actionSelected === 'add') { const triggerId = Triggers.insert(trigger); const actionId = Actions.insert({ - actionType: "addLabel", - "labelId": labelId, - "boardId": boardId, - "desc": desc + actionType: 'addLabel', + labelId, + boardId, + desc, }); Rules.insert({ title: ruleName, - triggerId: triggerId, - actionId: actionId, - "boardId": boardId + triggerId, + actionId, + boardId, }); } - if (actionSelected == "remove") { + if (actionSelected === 'remove') { const triggerId = Triggers.insert(trigger); const actionId = Actions.insert({ - actionType: "removeLabel", - "labelId": labelId, - "boardId": boardId, - "desc": desc + actionType: 'removeLabel', + labelId, + boardId, + desc, }); Rules.insert({ title: ruleName, - triggerId: triggerId, - actionId: actionId, - "boardId": boardId + triggerId, + actionId, + boardId, }); } @@ -62,35 +61,35 @@ BlazeComponent.extendComponent({ const memberName = this.find('#member-name').value; const boardId = Session.get('currentBoard'); const desc = Utils.getTriggerActionDesc(event, this); - if (actionSelected == "add") { + if (actionSelected === 'add') { const triggerId = Triggers.insert(trigger); const actionId = Actions.insert({ - actionType: "addMember", - "memberName": memberName, - "boardId": boardId, - "desc": desc + actionType: 'addMember', + memberName, + boardId, + desc, }); Rules.insert({ title: ruleName, - triggerId: triggerId, - actionId: actionId, - "boardId": boardId, - "desc": desc + triggerId, + actionId, + boardId, + desc, }); } - if (actionSelected == "remove") { + if (actionSelected === 'remove') { const triggerId = Triggers.insert(trigger); const actionId = Actions.insert({ - actionType: "removeMember", - "memberName": memberName, - "boardId": boardId, - "desc": desc + actionType: 'removeMember', + memberName, + boardId, + desc, }); Rules.insert({ title: ruleName, - triggerId: triggerId, - actionId: actionId, - "boardId": boardId + triggerId, + actionId, + boardId, }); } }, @@ -101,19 +100,19 @@ BlazeComponent.extendComponent({ const desc = Utils.getTriggerActionDesc(event, this); const boardId = Session.get('currentBoard'); const actionId = Actions.insert({ - actionType: "removeMember", - "memberName": "*", - "boardId": boardId, - "desc": desc + actionType: 'removeMember', + 'memberName': '*', + boardId, + desc, }); Rules.insert({ title: ruleName, - triggerId: triggerId, - actionId: actionId, - "boardId": boardId + triggerId, + actionId, + boardId, }); }, }]; }, -}).register('cardActions'); \ No newline at end of file +}).register('cardActions'); diff --git a/client/components/rules/actions/checklistActions.js b/client/components/rules/actions/checklistActions.js index 0b4c2167..4b70f959 100644 --- a/client/components/rules/actions/checklistActions.js +++ b/client/components/rules/actions/checklistActions.js @@ -11,34 +11,34 @@ BlazeComponent.extendComponent({ const checklistName = this.find('#checklist-name').value; const boardId = Session.get('currentBoard'); const desc = Utils.getTriggerActionDesc(event, this); - if (actionSelected == "add") { + if (actionSelected === 'add') { const triggerId = Triggers.insert(trigger); const actionId = Actions.insert({ - actionType: "addChecklist", - "checklistName": checklistName, - "boardId": boardId, - "desc": desc + actionType: 'addChecklist', + checklistName, + boardId, + desc, }); Rules.insert({ title: ruleName, - triggerId: triggerId, - actionId: actionId, - "boardId": boardId + triggerId, + actionId, + boardId, }); } - if (actionSelected == "remove") { + if (actionSelected === 'remove') { const triggerId = Triggers.insert(trigger); const actionId = Actions.insert({ - actionType: "removeChecklist", - "checklistName": checklistName, - "boardId": boardId, - "desc": desc + actionType: 'removeChecklist', + checklistName, + boardId, + desc, }); Rules.insert({ title: ruleName, - triggerId: triggerId, - actionId: actionId, - "boardId": boardId + triggerId, + actionId, + boardId, }); } @@ -50,79 +50,79 @@ BlazeComponent.extendComponent({ const checklistName = this.find('#checklist-name2').value; const boardId = Session.get('currentBoard'); const desc = Utils.getTriggerActionDesc(event, this); - if (actionSelected == "check") { + if (actionSelected === 'check') { const triggerId = Triggers.insert(trigger); const actionId = Actions.insert({ - actionType: "checkAll", - "checklistName": checklistName, - "boardId": boardId, - "desc": desc + actionType: 'checkAll', + checklistName, + boardId, + desc, }); Rules.insert({ title: ruleName, - triggerId: triggerId, - actionId: actionId, - "boardId": boardId + triggerId, + actionId, + boardId, }); } - if (actionSelected == "uncheck") { + if (actionSelected === 'uncheck') { const triggerId = Triggers.insert(trigger); const actionId = Actions.insert({ - actionType: "uncheckAll", - "checklistName": checklistName, - "boardId": boardId, - "desc": desc + actionType: 'uncheckAll', + checklistName, + boardId, + desc, }); Rules.insert({ title: ruleName, - triggerId: triggerId, - actionId: actionId, - "boardId": boardId + triggerId, + actionId, + boardId, }); } }, 'click .js-add-check-item-action' (event) { const ruleName = this.data().ruleName.get(); const trigger = this.data().triggerVar.get(); - const checkItemName = this.find("#checkitem-name"); - const checklistName = this.find("#checklist-name3"); + const checkItemName = this.find('#checkitem-name'); + const checklistName = this.find('#checklist-name3'); const actionSelected = this.find('#check-item-action').value; const boardId = Session.get('currentBoard'); const desc = Utils.getTriggerActionDesc(event, this); - if (actionSelected == "check") { + if (actionSelected === 'check') { const triggerId = Triggers.insert(trigger); const actionId = Actions.insert({ - actionType: "checkItem", - "checklistName": checklistName, - "checkItemName": checkItemName, - "boardId": boardId, - "desc": desc + actionType: 'checkItem', + checklistName, + checkItemName, + boardId, + desc, }); Rules.insert({ title: ruleName, - triggerId: triggerId, - actionId: actionId, - "boardId": boardId + triggerId, + actionId, + boardId, }); } - if (actionSelected == "uncheck") { + if (actionSelected === 'uncheck') { const triggerId = Triggers.insert(trigger); const actionId = Actions.insert({ - actionType: "uncheckItem", - "checklistName": checklistName, - "checkItemName": checkItemName, - "boardId": boardId, - "desc": desc + actionType: 'uncheckItem', + checklistName, + checkItemName, + boardId, + desc, }); Rules.insert({ title: ruleName, - triggerId: triggerId, - actionId: actionId, - "boardId": boardId + triggerId, + actionId, + boardId, }); } }, }]; }, -}).register('checklistActions'); \ No newline at end of file +}).register('checklistActions'); diff --git a/client/components/rules/actions/mailActions.jade b/client/components/rules/actions/mailActions.jade index c10fb384..7be78c75 100644 --- a/client/components/rules/actions/mailActions.jade +++ b/client/components/rules/actions/mailActions.jade @@ -2,10 +2,10 @@ template(name="mailActions") div.trigger-item.trigger-item-mail div.trigger-content.trigger-content-mail div.trigger-text.trigger-text-email - | {{{_'r-send-email'}}} + | {{_'r-send-email'}} div.trigger-dropdown-mail - input(id="email-to",type=text,placeholder="{{{_'r-to'}}}") - input(id="email-subject",type=text,placeholder="{{{_'r-subject'}}}") + input(id="email-to",type=text,placeholder="{{_'r-to'}}") + input(id="email-subject",type=text,placeholder="{{_'r-subject'}}") textarea(id="email-msg") div.trigger-button.trigger-button-email.js-mail-action.js-goto-rules - i.fa.fa-plus \ No newline at end of file + i.fa.fa-plus diff --git a/client/components/rules/actions/mailActions.js b/client/components/rules/actions/mailActions.js index dae7d08d..40cbc280 100644 --- a/client/components/rules/actions/mailActions.js +++ b/client/components/rules/actions/mailActions.js @@ -15,21 +15,21 @@ BlazeComponent.extendComponent({ const boardId = Session.get('currentBoard'); const desc = Utils.getTriggerActionDesc(event, this); const actionId = Actions.insert({ - actionType: "sendEmail", - "emailTo": emailTo, - "emailSubject": emailSubject, - "emailMsg": emailMsg, - "boardId": boardId, - "desc": desc + actionType: 'sendEmail', + emailTo, + emailSubject, + emailMsg, + boardId, + desc, }); Rules.insert({ title: ruleName, - triggerId: triggerId, - actionId: actionId, - "boardId": boardId + triggerId, + actionId, + boardId, }); }, }]; }, -}).register('mailActions'); \ No newline at end of file +}).register('mailActions'); diff --git a/client/components/rules/ruleDetails.js b/client/components/rules/ruleDetails.js index 385b0bae..386b2b48 100644 --- a/client/components/rules/ruleDetails.js +++ b/client/components/rules/ruleDetails.js @@ -9,23 +9,21 @@ BlazeComponent.extendComponent({ trigger() { const ruleId = this.data().ruleId; const rule = Rules.findOne({ - _id: ruleId.get() + _id: ruleId.get(), }); const trigger = Triggers.findOne({ - _id: rule.triggerId + _id: rule.triggerId, }); - console.log(trigger); return trigger.description(); }, action() { const ruleId = this.data().ruleId; const rule = Rules.findOne({ - _id: ruleId.get() + _id: ruleId.get(), }); const action = Actions.findOne({ - _id: rule.actionId + _id: rule.actionId, }); - console.log(action); return action.description(); }, @@ -33,4 +31,4 @@ BlazeComponent.extendComponent({ return [{}]; }, -}).register('ruleDetails'); \ No newline at end of file +}).register('ruleDetails'); diff --git a/client/components/rules/rulesActions.js b/client/components/rules/rulesActions.js index 24143f8c..ecba857b 100644 --- a/client/components/rules/rulesActions.js +++ b/client/components/rules/rulesActions.js @@ -1,31 +1,31 @@ BlazeComponent.extendComponent({ onCreated() { - this.currentActions = new ReactiveVar("board"); + this.currentActions = new ReactiveVar('board'); }, setBoardActions() { - this.currentActions.set("board"); + this.currentActions.set('board'); $('.js-set-card-actions').removeClass('active'); $('.js-set-board-actions').addClass('active'); $('.js-set-checklist-actions').removeClass('active'); $('.js-set-mail-actions').removeClass('active'); }, setCardActions() { - this.currentActions.set("card"); + this.currentActions.set('card'); $('.js-set-card-actions').addClass('active'); $('.js-set-board-actions').removeClass('active'); $('.js-set-checklist-actions').removeClass('active'); $('.js-set-mail-actions').removeClass('active'); }, setChecklistActions() { - this.currentActions.set("checklist"); + this.currentActions.set('checklist'); $('.js-set-card-actions').removeClass('active'); $('.js-set-board-actions').removeClass('active'); $('.js-set-checklist-actions').addClass('active'); $('.js-set-mail-actions').removeClass('active'); }, setMailActions() { - this.currentActions.set("mail"); + this.currentActions.set('mail'); $('.js-set-card-actions').removeClass('active'); $('.js-set-board-actions').removeClass('active'); $('.js-set-checklist-actions').removeClass('active'); diff --git a/client/components/rules/rulesList.js b/client/components/rules/rulesList.js index e7b4660a..d3923bf9 100644 --- a/client/components/rules/rulesList.js +++ b/client/components/rules/rulesList.js @@ -6,10 +6,10 @@ BlazeComponent.extendComponent({ rules() { const boardId = Session.get('currentBoard'); return Rules.find({ - "boardId": boardId + boardId, }); }, events() { return [{}]; }, -}).register('rulesList'); \ No newline at end of file +}).register('rulesList'); diff --git a/client/components/rules/rulesMain.js b/client/components/rules/rulesMain.js index e4cac03d..65cc3d98 100644 --- a/client/components/rules/rulesMain.js +++ b/client/components/rules/rulesMain.js @@ -1,24 +1,25 @@ BlazeComponent.extendComponent({ onCreated() { - this.rulesCurrentTab = new ReactiveVar("rulesList") - this.ruleName = new ReactiveVar(""); + this.rulesCurrentTab = new ReactiveVar('rulesList'); + this.ruleName = new ReactiveVar(''); this.triggerVar = new ReactiveVar(); this.ruleId = new ReactiveVar(); }, setTrigger() { - this.rulesCurrentTab.set("trigger") + this.rulesCurrentTab.set('trigger'); }, setRulesList() { - this.rulesCurrentTab.set("rulesList") + this.rulesCurrentTab.set('rulesList'); }, setAction() { - this.rulesCurrentTab.set("action") + this.rulesCurrentTab.set('action'); }, + setRuleDetails() { - this.rulesCurrentTab.set("ruleDetails") + this.rulesCurrentTab.set('ruleDetails'); }, events() { @@ -33,8 +34,8 @@ BlazeComponent.extendComponent({ 'click .js-goto-trigger' (event) { event.preventDefault(); const ruleTitle = this.find('#ruleTitle').value; - this.find('#ruleTitle').value = ""; - this.ruleName.set(ruleTitle) + this.find('#ruleTitle').value = ''; + this.ruleName.set(ruleTitle); this.setTrigger(); }, 'click .js-goto-action' (event) { @@ -48,11 +49,11 @@ BlazeComponent.extendComponent({ 'click .js-goto-details' (event) { event.preventDefault(); const rule = this.currentData(); - this.ruleId.set(rule._id) + this.ruleId.set(rule._id); this.setRuleDetails(); }, }]; }, -}).register('rulesMain'); \ No newline at end of file +}).register('rulesMain'); diff --git a/client/components/rules/rulesTriggers.js b/client/components/rules/rulesTriggers.js index f9dd4ecc..506e63b2 100644 --- a/client/components/rules/rulesTriggers.js +++ b/client/components/rules/rulesTriggers.js @@ -35,7 +35,7 @@ BlazeComponent.extendComponent({ }, name() { - console.log(this.data()); + // console.log(this.data()); }, events() { return [{ @@ -50,4 +50,4 @@ BlazeComponent.extendComponent({ }, }]; }, -}).register('rulesTriggers'); \ No newline at end of file +}).register('rulesTriggers'); diff --git a/client/components/rules/triggers/boardTriggers.jade b/client/components/rules/triggers/boardTriggers.jade index b5e08c8c..266f11f8 100644 --- a/client/components/rules/triggers/boardTriggers.jade +++ b/client/components/rules/triggers/boardTriggers.jade @@ -2,54 +2,54 @@ template(name="boardTriggers") div.trigger-item div.trigger-content div.trigger-text - | {{{_'r-when-a-card-is'}}} + | {{_'r-when-a-card-is'}} div.trigger-dropdown select(id="gen-action") - option(value="created") {{{_'r-added-to'}}} - option(value="removed") {{{_'r-removed-from'}}} + option(value="created") {{_'r-added-to'}} + option(value="removed") {{_'r-removed-from'}} div.trigger-text - | {{{_'r-the-board'}}} + | {{_'r-the-board'}} div.trigger-button.js-add-gen-trigger.js-goto-action i.fa.fa-plus div.trigger-item div.trigger-content div.trigger-text - | {{{_'r-when-a-card-is'}}} + | {{_'r-when-a-card-is'}} div.trigger-dropdown select(id="create-action") - option(value="created") {{{_'r-added-to'}}} - option(value="removed") {{{_'r-removed-from'}}} + option(value="created") {{_'r-added-to'}} + option(value="removed") {{_'r-removed-from'}} div.trigger-text - | {{{_'r-list'}}} + | {{_'r-list'}} div.trigger-dropdown - input(id="create-list-name",type=text,placeholder="{{{_'r-list-name'}}}") + input(id="create-list-name",type=text,placeholder="{{_'r-list-name'}}") div.trigger-button.js-add-create-trigger.js-goto-action i.fa.fa-plus div.trigger-item div.trigger-content div.trigger-text - | {{{_'r-when-a-card-is'}}} + | {{_'r-when-a-card-is'}} div.trigger-dropdown select(id="move-action") - option(value="moved-to") {{{_'r-moved-to'}}} - option(value="moved-from") {{{_'r-moved-from'}}} + option(value="moved-to") {{_'r-moved-to'}} + option(value="moved-from") {{_'r-moved-from'}} div.trigger-text - | {{{_'r-list'}}} + | {{_'r-list'}} div.trigger-dropdown - input(id="move-list-name",type=text,placeholder="{{{_'r-list-name'}}}") + input(id="move-list-name",type=text,placeholder="{{_'r-list-name'}}") div.trigger-button.js-add-moved-trigger.js-goto-action i.fa.fa-plus div.trigger-item div.trigger-content div.trigger-text - | {{{_'r-when-a-card-is'}}} + | {{_'r-when-a-card-is'}} div.trigger-dropdown select(id="arch-action") - option(value="archived") {{{_'r-archived'}}} - option(value="unarchived") {{{_'r-unarchived'}}} + option(value="archived") {{_'r-archived'}} + option(value="unarchived") {{_'r-unarchived'}} div.trigger-button.js-add-arch-trigger.js-goto-action i.fa.fa-plus diff --git a/client/components/rules/triggers/boardTriggers.js b/client/components/rules/triggers/boardTriggers.js index 95c10a5b..e4753642 100644 --- a/client/components/rules/triggers/boardTriggers.js +++ b/client/components/rules/triggers/boardTriggers.js @@ -7,97 +7,97 @@ BlazeComponent.extendComponent({ return [{ 'click .js-add-gen-trigger' (event) { const desc = Utils.getTriggerActionDesc(event, this); - let datas = this.data(); + const datas = this.data(); const actionSelected = this.find('#gen-action').value; - const boardId = Session.get('currentBoard') - if (actionSelected == "created") { + const boardId = Session.get('currentBoard'); + if (actionSelected === 'created') { datas.triggerVar.set({ - activityType: "createCard", - "boardId": boardId, - "listName": "*", - "desc": desc + activityType: 'createCard', + boardId, + 'listName': '*', + desc, }); } - if (actionSelected == "removed") { + if (actionSelected === 'removed') { datas.triggerVar.set({ - activityType: "removeCard", - "boardId": boardId, - "desc": desc + activityType: 'removeCard', + boardId, + desc, }); } }, 'click .js-add-create-trigger' (event) { const desc = Utils.getTriggerActionDesc(event, this); - let datas = this.data(); + const datas = this.data(); const actionSelected = this.find('#create-action').value; const listName = this.find('#create-list-name').value; - const boardId = Session.get('currentBoard') - if (actionSelected == "created") { + const boardId = Session.get('currentBoard'); + if (actionSelected === 'created') { datas.triggerVar.set({ - activityType: "createCard", - "boardId": boardId, - "listName": listName, - "desc": desc + activityType: 'createCard', + boardId, + listName, + desc, }); } - if (actionSelected == "removed") { + if (actionSelected === 'removed') { datas.triggerVar.set({ - activityType: "removeCard", - "boardId": boardId, - "listName": listName, - "desc": desc + activityType: 'removeCard', + boardId, + listName, + desc, }); } }, 'click .js-add-moved-trigger' (event) { - let datas = this.data(); + const datas = this.data(); const desc = Utils.getTriggerActionDesc(event, this); const actionSelected = this.find('#move-action').value; const listName = this.find('#move-list-name').value; - const boardId = Session.get('currentBoard') - if (actionSelected == "moved-to") { + const boardId = Session.get('currentBoard'); + if (actionSelected === 'moved-to') { datas.triggerVar.set({ - activityType: "moveCard", - "boardId": boardId, - "listName": listName, - "oldListName": "*", - "desc": desc + activityType: 'moveCard', + boardId, + listName, + 'oldListName': '*', + desc, }); } - if (actionSelected == "moved-from") { + if (actionSelected === 'moved-from') { datas.triggerVar.set({ - activityType: "moveCard", - "boardId": boardId, - "listName": "*", - "oldListName": listName, - "desc": desc + activityType: 'moveCard', + boardId, + 'listName': '*', + 'oldListName': listName, + desc, }); } }, 'click .js-add-arc-trigger' (event) { - let datas = this.data(); + const datas = this.data(); const desc = Utils.getTriggerActionDesc(event, this); const actionSelected = this.find('#arch-action').value; - const boardId = Session.get('currentBoard') - if (actionSelected == "archived") { + const boardId = Session.get('currentBoard'); + if (actionSelected === 'archived') { datas.triggerVar.set({ - activityType: "archivedCard", - "boardId": boardId, - "desc": desc + activityType: 'archivedCard', + boardId, + desc, }); } - if (actionSelected == "unarchived") { + if (actionSelected === 'unarchived') { datas.triggerVar.set({ - activityType: "restoredCard", - "boardId": boardId, - "desc": desc + activityType: 'restoredCard', + boardId, + desc, }); } - } + }, }]; }, -}).register('boardTriggers'); \ No newline at end of file +}).register('boardTriggers'); diff --git a/client/components/rules/triggers/cardTriggers.jade b/client/components/rules/triggers/cardTriggers.jade index dd02413c..5226e3c4 100644 --- a/client/components/rules/triggers/cardTriggers.jade +++ b/client/components/rules/triggers/cardTriggers.jade @@ -2,46 +2,46 @@ template(name="cardTriggers") div.trigger-item div.trigger-content div.trigger-text - | {{{_'r-when-a-label-is'}}} + | {{_'r-when-a-label-is'}} div.trigger-dropdown select(id="label-action") - option(value="added") {{{_'r-added-to'}}} - option(value="removed") {{{_'r-removed-from'}}} + option(value="added") {{_'r-added-to'}} + option(value="removed") {{_'r-removed-from'}} div.trigger-text - | {{{_'r-a-card'}}} + | {{_'r-a-card'}} div.trigger-button.js-add-gen-label-trigger.js-goto-action i.fa.fa-plus div.trigger-item div.trigger-content div.trigger-text - | {{{_'r-when-the-label-is'}}} + | {{_'r-when-the-label-is'}} div.trigger-dropdown select(id="spec-label") each labels option(value="#{_id}") = name div.trigger-text - | {{{_'r-is'}}} + | {{_'r-is'}} div.trigger-dropdown select(id="spec-label-action") - option(value="added") {{{_'r-added-to'}}} - option(value="removed") {{{_'r-removed-from'}}} + option(value="added") {{_'r-added-to'}} + option(value="removed") {{_'r-removed-from'}} div.trigger-text - | {{{_'r-a-card'}}} + | {{_'r-a-card'}} div.trigger-button.js-add-spec-label-trigger.js-goto-action i.fa.fa-plus div.trigger-item div.trigger-content div.trigger-text - | {{{_'r-when-a-member'}}} + | {{_'r-when-a-member'}} div.trigger-dropdown select(id="gen-member-action") - option(value="added") {{{_'r-added-to'}}} - option(value="removed") {{{_'r-removed-from'}}} + option(value="added") {{_'r-added-to'}} + option(value="removed") {{_'r-removed-from'}} div.trigger-text - | {{{_'r-a-card'}}} + | {{_'r-a-card'}} div.trigger-button.js-add-gen-member-trigger.js-goto-action i.fa.fa-plus @@ -49,31 +49,31 @@ template(name="cardTriggers") div.trigger-item div.trigger-content div.trigger-text - | {{{_'r-when-the-member'}}} + | {{_'r-when-the-member'}} div.trigger-dropdown - input(id="spec-member",type=text,placeholder="{{{_'r-name'}}}") + input(id="spec-member",type=text,placeholder="{{_'r-name'}}") div.trigger-text - | {{{_'r-is'}}} + | {{_'r-is'}} div.trigger-dropdown select(id="spec-member-action") - option(value="added") {{{_'r-added-to'}}} - option(value="removed") {{{_'r-removed-from'}}} + option(value="added") {{_'r-added-to'}} + option(value="removed") {{_'r-removed-from'}} div.trigger-text - | {{{_'r-a-card'}}} + | {{_'r-a-card'}} div.trigger-button.js-add-spec-member-trigger.js-goto-action i.fa.fa-plus div.trigger-item div.trigger-content div.trigger-text - | {{{_'r-when-a-attach'}}} + | {{_'r-when-a-attach'}} div.trigger-text - | {{{_'r-is'}}} + | {{_'r-is'}} div.trigger-dropdown select(id="attach-action") - option(value="added") {{{_'r-added-to'}}} - option(value="removed") {{{_'r-removed-from'}}} + option(value="added") {{_'r-added-to'}} + option(value="removed") {{_'r-removed-from'}} div.trigger-text - | {{{_'r-a-card'}}} + | {{_'r-a-card'}} div.trigger-button.js-add-attachment-trigger.js-goto-action - i.fa.fa-plus \ No newline at end of file + i.fa.fa-plus diff --git a/client/components/rules/triggers/cardTriggers.js b/client/components/rules/triggers/cardTriggers.js index c0a5ec1a..704c7690 100644 --- a/client/components/rules/triggers/cardTriggers.js +++ b/client/components/rules/triggers/cardTriggers.js @@ -4,127 +4,125 @@ BlazeComponent.extendComponent({ }, labels() { const labels = Boards.findOne(Session.get('currentBoard')).labels; - console.log(labels); for (let i = 0; i < labels.length; i++) { - if (labels[i].name == "" || labels[i].name == undefined) { + if (labels[i].name === '' || labels[i].name === undefined) { labels[i].name = labels[i].color.toUpperCase(); } } - console.log(labels); return labels; }, events() { return [{ 'click .js-add-gen-label-trigger' (event) { const desc = Utils.getTriggerActionDesc(event, this); - let datas = this.data(); + const datas = this.data(); const actionSelected = this.find('#label-action').value; - const boardId = Session.get('currentBoard') - if (actionSelected == "added") { + const boardId = Session.get('currentBoard'); + if (actionSelected === 'added') { datas.triggerVar.set({ - activityType: "addedLabel", - "boardId": boardId, - "labelId": "*", - "desc": desc + activityType: 'addedLabel', + boardId, + 'labelId': '*', + desc, }); } - if (actionSelected == "removed") { + if (actionSelected === 'removed') { datas.triggerVar.set({ - activityType: "removedLabel", - "boardId": boardId, - "labelId": "*", - "desc": desc + activityType: 'removedLabel', + boardId, + 'labelId': '*', + desc, }); } }, 'click .js-add-spec-label-trigger' (event) { const desc = Utils.getTriggerActionDesc(event, this); - let datas = this.data(); + const datas = this.data(); const actionSelected = this.find('#spec-label-action').value; const labelId = this.find('#spec-label').value; - const boardId = Session.get('currentBoard') - if (actionSelected == "added") { + const boardId = Session.get('currentBoard'); + if (actionSelected === 'added') { datas.triggerVar.set({ - activityType: "addedLabel", - "boardId": boardId, - "labelId": labelId, - "desc": desc + activityType: 'addedLabel', + boardId, + labelId, + desc, }); } - if (actionSelected == "removed") { + if (actionSelected === 'removed') { datas.triggerVar.set({ - activityType: "removedLabel", - "boardId": boardId, - "labelId": labelId, - "desc": desc + activityType: 'removedLabel', + boardId, + labelId, + desc, }); } }, 'click .js-add-gen-member-trigger' (event) { const desc = Utils.getTriggerActionDesc(event, this); - let datas = this.data(); + const datas = this.data(); const actionSelected = this.find('#gen-member-action').value; - const boardId = Session.get('currentBoard') - if (actionSelected == "added") { + const boardId = Session.get('currentBoard'); + if (actionSelected === 'added') { datas.triggerVar.set({ - activityType: "joinMember", - "boardId": boardId, - "memberId": "*", - "desc": desc + activityType: 'joinMember', + boardId, + 'memberId': '*', + desc, }); } - if (actionSelected == "removed") { + if (actionSelected === 'removed') { datas.triggerVar.set({ - activityType: "unjoinMember", - "boardId": boardId, - "memberId": "*", - "desc": desc + activityType: 'unjoinMember', + boardId, + 'memberId': '*', + desc, }); } }, 'click .js-add-spec-member-trigger' (event) { const desc = Utils.getTriggerActionDesc(event, this); - let datas = this.data(); + const datas = this.data(); const actionSelected = this.find('#spec-member-action').value; const memberId = this.find('#spec-member').value; - const boardId = Session.get('currentBoard') - if (actionSelected == "added") { + const boardId = Session.get('currentBoard'); + if (actionSelected === 'added') { datas.triggerVar.set({ - activityType: "joinMember", - "boardId": boardId, - "memberId": memberId, - "desc": desc + activityType: 'joinMember', + boardId, + memberId, + desc, }); } - if (actionSelected == "removed") { + if (actionSelected === 'removed') { datas.triggerVar.set({ - activityType: "unjoinMember", - "boardId": boardId, - "memberId": memberId, - "desc": desc + activityType: 'unjoinMember', + boardId, + memberId, + desc, }); } }, 'click .js-add-attachment-trigger' (event) { const desc = Utils.getTriggerActionDesc(event, this); - let datas = this.data(); + const datas = this.data(); const actionSelected = this.find('#attach-action').value; - const boardId = Session.get('currentBoard') - if (actionSelected == "added") { + const boardId = Session.get('currentBoard'); + if (actionSelected === 'added') { datas.triggerVar.set({ - activityType: "addAttachment", - "boardId": boardId, - "desc": desc + activityType: 'addAttachment', + boardId, + desc, }); } - if (actionSelected == "removed") { + if (actionSelected === 'removed') { datas.triggerVar.set({ - activityType: "deleteAttachment", - "boardId": boardId, - "desc": desc + activityType: 'deleteAttachment', + boardId, + desc, }); } }, }]; }, -}).register('cardTriggers'); \ No newline at end of file +}).register('cardTriggers'); diff --git a/client/components/rules/triggers/checklistTriggers.jade b/client/components/rules/triggers/checklistTriggers.jade index 465713c8..c6cd99a6 100644 --- a/client/components/rules/triggers/checklistTriggers.jade +++ b/client/components/rules/triggers/checklistTriggers.jade @@ -2,13 +2,13 @@ template(name="checklistTriggers") div.trigger-item div.trigger-content div.trigger-text - | {{{_'r-when-a-checklist'}}} + | {{_'r-when-a-checklist'}} div.trigger-dropdown select(id="gen-check-action") - option(value="created") {{{_'r-added-to'}}} - option(value="removed") {{{_'r-removed-from'}}} + option(value="created") {{_'r-added-to'}} + option(value="removed") {{_'r-removed-from'}} div.trigger-text - | {{{_'r-a-card'}}} + | {{_'r-a-card'}} div.trigger-button.js-add-gen-check-trigger.js-goto-action i.fa.fa-plus @@ -16,68 +16,68 @@ template(name="checklistTriggers") div.trigger-item div.trigger-content div.trigger-text - | {{{_'r-when-the-checklist'}}} + | {{_'r-when-the-checklist'}} div.trigger-dropdown - input(id="check-name",type=text,placeholder="{{{_'r-name'}}}") + input(id="check-name",type=text,placeholder="{{_'r-name'}}") div.trigger-text - | {{{_'r-is'}}} + | {{_'r-is'}} div.trigger-dropdown select(id="spec-check-action") - option(value="created") {{{_'r-added-to'}}} - option(value="removed") {{{_'r-removed-from'}}} + option(value="created") {{_'r-added-to'}} + option(value="removed") {{_'r-removed-from'}} div.trigger-text - | {{{_'r-a-card'}}} + | {{_'r-a-card'}} div.trigger-button.js-add-spec-check-trigger.js-goto-action i.fa.fa-plus div.trigger-item div.trigger-content div.trigger-text - | {{{_'r-when-a-checklist'}}} + | {{_'r-when-a-checklist'}} div.trigger-dropdown select(id="gen-comp-check-action") - option(value="completed") {{{_'r-completed'}}} - option(value="uncompleted") {{{_'r-made-incomplete'}}} + option(value="completed") {{_'r-completed'}} + option(value="uncompleted") {{_'r-made-incomplete'}} div.trigger-button.js-add-gen-comp-trigger.js-goto-action i.fa.fa-plus div.trigger-item div.trigger-content div.trigger-text - | {{{_'r-when-the-checklist'}}} + | {{_'r-when-the-checklist'}} div.trigger-dropdown - input(id="spec-comp-check-name",type=text,placeholder="{{{_'r-name'}}}") + input(id="spec-comp-check-name",type=text,placeholder="{{_'r-name'}}") div.trigger-text - | {{{_'r-is'}}} + | {{_'r-is'}} div.trigger-dropdown select(id="spec-comp-check-action") - option(value="completed") {{{_'r-completed'}}} - option(value="uncompleted") {{{_'r-made-incomplete'}}} + option(value="completed") {{_'r-completed'}} + option(value="uncompleted") {{_'r-made-incomplete'}} div.trigger-button.js-add-spec-comp-trigger.js-goto-action i.fa.fa-plus div.trigger-item div.trigger-content div.trigger-text - | {{{_'r-when-a-item'}}} + | {{_'r-when-a-item'}} div.trigger-dropdown select(id="check-item-gen-action") - option(value="checked") {{{_'r-checked'}}} - option(value="unchecked") {{{_'r-unchecked'}}} + option(value="checked") {{_'r-checked'}} + option(value="unchecked") {{_'r-unchecked'}} div.trigger-button.js-add-gen-check-item-trigger.js-goto-action i.fa.fa-plus div.trigger-item div.trigger-content div.trigger-text - | {{{_'r-when-the-item'}}} + | {{_'r-when-the-item'}} div.trigger-dropdown - input(id="check-item-name",type=text,placeholder="{{{_'r-name'}}}") + input(id="check-item-name",type=text,placeholder="{{_'r-name'}}") div.trigger-text - | {{{_'r-is'}}} + | {{_'r-is'}} div.trigger-dropdown select(id="check-item-spec-action") - option(value="checked") {{{_'r-checked'}}} - option(value="unchecked") {{{_'r-unchecked'}}} + option(value="checked") {{_'r-checked'}} + option(value="unchecked") {{_'r-unchecked'}} div.trigger-button.js-add-spec-check-item-trigger.js-goto-action - i.fa.fa-plus \ No newline at end of file + i.fa.fa-plus diff --git a/client/components/rules/triggers/checklistTriggers.js b/client/components/rules/triggers/checklistTriggers.js index 6e7b3445..01f3effe 100644 --- a/client/components/rules/triggers/checklistTriggers.js +++ b/client/components/rules/triggers/checklistTriggers.js @@ -6,141 +6,141 @@ BlazeComponent.extendComponent({ return [{ 'click .js-add-gen-check-trigger' (event) { const desc = Utils.getTriggerActionDesc(event, this); - let datas = this.data(); + const datas = this.data(); const actionSelected = this.find('#gen-check-action').value; - const boardId = Session.get('currentBoard') - if (actionSelected == "created") { + const boardId = Session.get('currentBoard'); + if (actionSelected === 'created') { datas.triggerVar.set({ - activityType: "addChecklist", - "boardId": boardId, - "checklistName": "*", - "desc": desc + activityType: 'addChecklist', + boardId, + 'checklistName': '*', + desc, }); } - if (actionSelected == "removed") { + if (actionSelected === 'removed') { datas.triggerVar.set({ - activityType: "removeChecklist", - "boardId": boardId, - "checklistName": "*", - "desc": desc + activityType: 'removeChecklist', + boardId, + 'checklistName': '*', + desc, }); } }, 'click .js-add-spec-check-trigger' (event) { const desc = Utils.getTriggerActionDesc(event, this); - let datas = this.data(); + const datas = this.data(); const actionSelected = this.find('#spec-check-action').value; const checklistId = this.find('#check-name').value; - const boardId = Session.get('currentBoard') - if (actionSelected == "created") { + const boardId = Session.get('currentBoard'); + if (actionSelected === 'created') { datas.triggerVar.set({ - activityType: "addChecklist", - "boardId": boardId, - "checklistName": checklistId, - "desc": desc + activityType: 'addChecklist', + boardId, + 'checklistName': checklistId, + desc, }); } - if (actionSelected == "removed") { + if (actionSelected === 'removed') { datas.triggerVar.set({ - activityType: "removeChecklist", - "boardId": boardId, - "checklistName": checklistId, - "desc": desc + activityType: 'removeChecklist', + boardId, + 'checklistName': checklistId, + desc, }); } }, 'click .js-add-gen-comp-trigger' (event) { const desc = Utils.getTriggerActionDesc(event, this); - let datas = this.data(); + const datas = this.data(); const actionSelected = this.find('#gen-comp-check-action').value; - const boardId = Session.get('currentBoard') - if (actionSelected == "completed") { + const boardId = Session.get('currentBoard'); + if (actionSelected === 'completed') { datas.triggerVar.set({ - activityType: "completeChecklist", - "boardId": boardId, - "checklistName": "*", - "desc": desc + activityType: 'completeChecklist', + boardId, + 'checklistName': '*', + desc, }); } - if (actionSelected == "uncompleted") { + if (actionSelected === 'uncompleted') { datas.triggerVar.set({ - activityType: "uncompleteChecklist", - "boardId": boardId, - "checklistName": "*", - "desc": desc + activityType: 'uncompleteChecklist', + boardId, + 'checklistName': '*', + desc, }); } }, 'click .js-add-spec-comp-trigger' (event) { const desc = Utils.getTriggerActionDesc(event, this); - let datas = this.data(); + const datas = this.data(); const actionSelected = this.find('#spec-comp-check-action').value; const checklistId = this.find('#spec-comp-check-name').value; - const boardId = Session.get('currentBoard') - if (actionSelected == "added") { + const boardId = Session.get('currentBoard'); + if (actionSelected === 'added') { datas.triggerVar.set({ - activityType: "completeChecklist", - "boardId": boardId, - "checklistName": checklistId, - "desc": desc + activityType: 'completeChecklist', + boardId, + 'checklistName': checklistId, + desc, }); } - if (actionSelected == "removed") { + if (actionSelected === 'removed') { datas.triggerVar.set({ - activityType: "uncompleteChecklist", - "boardId": boardId, - "checklistName": checklistId, - "desc": desc + activityType: 'uncompleteChecklist', + boardId, + 'checklistName': checklistId, + desc, }); } }, 'click .js-add-gen-check-item-trigger' (event) { const desc = Utils.getTriggerActionDesc(event, this); - let datas = this.data(); + const datas = this.data(); const actionSelected = this.find('#check-item-gen-action').value; - const boardId = Session.get('currentBoard') - if (actionSelected == "checked") { + const boardId = Session.get('currentBoard'); + if (actionSelected === 'checked') { datas.triggerVar.set({ - activityType: "checkedItem", - "boardId": boardId, - "checklistItemName": "*", - "desc": desc + activityType: 'checkedItem', + boardId, + 'checklistItemName': '*', + desc, }); } - if (actionSelected == "unchecked") { + if (actionSelected === 'unchecked') { datas.triggerVar.set({ - activityType: "uncheckedItem", - "boardId": boardId, - "checklistItemName": "*", - "desc": desc + activityType: 'uncheckedItem', + boardId, + 'checklistItemName': '*', + desc, }); } }, 'click .js-add-spec-check-item-trigger' (event) { const desc = Utils.getTriggerActionDesc(event, this); - let datas = this.data(); + const datas = this.data(); const actionSelected = this.find('#check-item-spec-action').value; const checklistItemId = this.find('#check-item-name').value; - const boardId = Session.get('currentBoard') - if (actionSelected == "checked") { + const boardId = Session.get('currentBoard'); + if (actionSelected === 'checked') { datas.triggerVar.set({ - activityType: "checkedItem", - "boardId": boardId, - "checklistItemName": checklistItemId, - "desc": desc + activityType: 'checkedItem', + boardId, + 'checklistItemName': checklistItemId, + desc, }); } - if (actionSelected == "unchecked") { + if (actionSelected === 'unchecked') { datas.triggerVar.set({ - activityType: "uncheckedItem", - "boardId": boardId, - "checklistItemName": checklistItemId, - "desc": desc + activityType: 'uncheckedItem', + boardId, + 'checklistItemName': checklistItemId, + desc, }); } }, }]; }, -}).register('checklistTriggers'); \ No newline at end of file +}).register('checklistTriggers'); diff --git a/client/lib/utils.js b/client/lib/utils.js index 24ff830a..525cfb83 100644 --- a/client/lib/utils.js +++ b/client/lib/utils.js @@ -188,23 +188,24 @@ Utils = { } else if (matomo) { window._paq.push(['trackPageView']); } + }, getTriggerActionDesc(event, tempInstance) { const jqueryEl = tempInstance.$(event.currentTarget.parentNode); - const triggerEls = jqueryEl.find(".trigger-content").children(); - let finalString = ""; + const triggerEls = jqueryEl.find('.trigger-content').children(); + let finalString = ''; for (let i = 0; i < triggerEls.length; i++) { const element = tempInstance.$(triggerEls[i]); - if (element.hasClass("trigger-text")) { + if (element.hasClass('trigger-text')) { finalString += element.text().toLowerCase(); - } else if (element.find("select").length > 0) { - finalString += element.find("select option:selected").text().toLowerCase(); - } else if (element.find("input").length > 0) { - finalString += element.find("input").val(); + } else if (element.find('select').length > 0) { + finalString += element.find('select option:selected').text().toLowerCase(); + } else if (element.find('input').length > 0) { + finalString += element.find('input').val(); } // Add space - if (i != length - 1) { - finalString += " "; + if (i !== length - 1) { + finalString += ' '; } } return finalString; diff --git a/models/actions.js b/models/actions.js index 82ab0d19..0430b044 100644 --- a/models/actions.js +++ b/models/actions.js @@ -1,19 +1,19 @@ Actions = new Mongo.Collection('actions'); Actions.allow({ - insert(userId, doc) { - return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); - }, - update(userId, doc) { - return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); - }, - remove(userId, doc) { - return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); - } + insert(userId, doc) { + return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); + }, + update(userId, doc) { + return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); + }, + remove(userId, doc) { + return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); + }, }); Actions.helpers({ - description() { - return this.desc; - } -}); \ No newline at end of file + description() { + return this.desc; + }, +}); diff --git a/models/activities.js b/models/activities.js index c14760c2..c3c8f173 100644 --- a/models/activities.js +++ b/models/activities.js @@ -57,16 +57,13 @@ Activities.before.insert((userId, doc) => { }); - Activities.after.insert((userId, doc) => { - const activity = Activities._transform(doc); - RulesHelper.executeRules(activity); + const activity = Activities._transform(doc); + RulesHelper.executeRules(activity); }); - - if (Meteor.isServer) { // For efficiency create indexes on the date of creation, and on the date of // creation in conjunction with the card or board id, as corresponding views diff --git a/models/attachments.js b/models/attachments.js index d769de34..3da067de 100644 --- a/models/attachments.js +++ b/models/attachments.js @@ -87,11 +87,11 @@ if (Meteor.isServer) { attachmentId: doc._id, }); Activities.insert({ - userId, - type: 'card', - activityType: 'deleteAttachment', - boardId: doc.boardId, - cardId: doc.cardId, - }); + userId, + type: 'card', + activityType: 'deleteAttachment', + boardId: doc.boardId, + cardId: doc.cardId, + }); }); } diff --git a/models/cards.js b/models/cards.js index 0754b2bb..346b4bdd 100644 --- a/models/cards.js +++ b/models/cards.js @@ -278,8 +278,8 @@ Cards.helpers({ archived: false, }, { sort: { - sort: 1 - } + sort: 1, + }, }); }, @@ -289,8 +289,8 @@ Cards.helpers({ archived: false, }, { sort: { - sort: 1 - } + sort: 1, + }, }); }, @@ -304,7 +304,7 @@ Cards.helpers({ subtasksFinishedCount() { return Cards.find({ parentId: this._id, - archived: true + archived: true, }).count(); }, @@ -365,7 +365,7 @@ Cards.helpers({ canBeRestored() { const list = Lists.findOne({ - _id: this.listId + _id: this.listId, }); if (!list.getWipLimit('soft') && list.getWipLimit('enabled') && list.getWipLimit('value') === list.cards().count()) { return false; @@ -835,7 +835,7 @@ Cards.helpers({ Cards.mutations({ applyToChildren(funct) { Cards.find({ - parentId: this._id + parentId: this._id, }).forEach((card) => { funct(card); }); @@ -847,8 +847,8 @@ Cards.mutations({ }); return { $set: { - archived: true - } + archived: true, + }, }; }, @@ -858,40 +858,40 @@ Cards.mutations({ }); return { $set: { - archived: false - } + archived: false, + }, }; }, setTitle(title) { return { $set: { - title - } + title, + }, }; }, setDescription(description) { return { $set: { - description - } + description, + }, }; }, setRequestedBy(requestedBy) { return { $set: { - requestedBy - } + requestedBy, + }, }; }, setAssignedBy(assignedBy) { return { $set: { - assignedBy - } + assignedBy, + }, }; }, @@ -905,23 +905,23 @@ Cards.mutations({ }; return { - $set: mutatedFields + $set: mutatedFields, }; }, addLabel(labelId) { return { $addToSet: { - labelIds: labelId - } + labelIds: labelId, + }, }; }, removeLabel(labelId) { return { $pull: { - labelIds: labelId - } + labelIds: labelId, + }, }; }, @@ -936,16 +936,16 @@ Cards.mutations({ assignMember(memberId) { return { $addToSet: { - members: memberId - } + members: memberId, + }, }; }, unassignMember(memberId) { return { $pull: { - members: memberId - } + members: memberId, + }, }; }, @@ -962,9 +962,9 @@ Cards.mutations({ $addToSet: { customFields: { _id: customFieldId, - value: null - } - } + value: null, + }, + }, }; }, @@ -972,9 +972,9 @@ Cards.mutations({ return { $pull: { customFields: { - _id: customFieldId - } - } + _id: customFieldId, + }, + }, }; }, @@ -991,7 +991,7 @@ Cards.mutations({ const index = this.customFieldIndex(customFieldId); if (index > -1) { const update = { - $set: {} + $set: {}, }; update.$set[`customFields.${index}.value`] = value; return update; @@ -1004,96 +1004,96 @@ Cards.mutations({ setCover(coverId) { return { $set: { - coverId - } + coverId, + }, }; }, unsetCover() { return { $unset: { - coverId: '' - } + coverId: '', + }, }; }, setReceived(receivedAt) { return { $set: { - receivedAt - } + receivedAt, + }, }; }, unsetReceived() { return { $unset: { - receivedAt: '' - } + receivedAt: '', + }, }; }, setStart(startAt) { return { $set: { - startAt - } + startAt, + }, }; }, unsetStart() { return { $unset: { - startAt: '' - } + startAt: '', + }, }; }, setDue(dueAt) { return { $set: { - dueAt - } + dueAt, + }, }; }, unsetDue() { return { $unset: { - dueAt: '' - } + dueAt: '', + }, }; }, setEnd(endAt) { return { $set: { - endAt - } + endAt, + }, }; }, unsetEnd() { return { $unset: { - endAt: '' - } + endAt: '', + }, }; }, setOvertime(isOvertime) { return { $set: { - isOvertime - } + isOvertime, + }, }; }, setSpentTime(spentTime) { return { $set: { - spentTime - } + spentTime, + }, }; }, @@ -1101,16 +1101,16 @@ Cards.mutations({ return { $unset: { spentTime: '', - isOvertime: false - } + isOvertime: false, + }, }; }, setParentId(parentId) { return { $set: { - parentId - } + parentId, + }, }; }, }); @@ -1206,7 +1206,7 @@ function cardLabels(userId, doc, fieldNames, modifier) { activityType: 'addedLabel', boardId: doc.boardId, cardId: doc._id, - } + }; Activities.insert(act); } } @@ -1313,7 +1313,7 @@ if (Meteor.isServer) { data: Cards.find({ boardId: paramBoardId, listId: paramListId, - archived: false + archived: false, }).map(function(doc) { return { _id: doc._id, @@ -1335,7 +1335,7 @@ if (Meteor.isServer) { _id: paramCardId, listId: paramListId, boardId: paramBoardId, - archived: false + archived: false, }), }); }); @@ -1345,7 +1345,7 @@ if (Meteor.isServer) { const paramBoardId = req.params.boardId; const paramListId = req.params.listId; const check = Users.findOne({ - _id: req.body.authorId + _id: req.body.authorId, }); const members = req.body.members || [req.body.authorId]; if (typeof check !== 'undefined') { @@ -1367,7 +1367,7 @@ if (Meteor.isServer) { }); const card = Cards.findOne({ - _id: id + _id: id, }); cardCreation(req.body.authorId, card); @@ -1390,11 +1390,11 @@ if (Meteor.isServer) { _id: paramCardId, listId: paramListId, boardId: paramBoardId, - archived: false + archived: false, }, { $set: { - title: newTitle - } + title: newTitle, + }, }); } if (req.body.hasOwnProperty('listId')) { @@ -1403,18 +1403,18 @@ if (Meteor.isServer) { _id: paramCardId, listId: paramListId, boardId: paramBoardId, - archived: false + archived: false, }, { $set: { - listId: newParamListId - } + listId: newParamListId, + }, }); const card = Cards.findOne({ - _id: paramCardId + _id: paramCardId, }); cardMove(req.body.authorId, card, { - fieldName: 'listId' + fieldName: 'listId', }, paramListId); } @@ -1424,11 +1424,11 @@ if (Meteor.isServer) { _id: paramCardId, listId: paramListId, boardId: paramBoardId, - archived: false + archived: false, }, { $set: { - description: newDescription - } + description: newDescription, + }, }); } if (req.body.hasOwnProperty('labelIds')) { @@ -1437,11 +1437,11 @@ if (Meteor.isServer) { _id: paramCardId, listId: paramListId, boardId: paramBoardId, - archived: false + archived: false, }, { $set: { - labelIds: newlabelIds - } + labelIds: newlabelIds, + }, }); } if (req.body.hasOwnProperty('requestedBy')) { @@ -1506,10 +1506,10 @@ if (Meteor.isServer) { Cards.direct.remove({ _id: paramCardId, listId: paramListId, - boardId: paramBoardId + boardId: paramBoardId, }); const card = Cards.find({ - _id: paramCardId + _id: paramCardId, }); cardRemover(req.body.authorId, card); JsonRoutes.sendResult(res, { diff --git a/models/checklistItems.js b/models/checklistItems.js index 1657022b..8380bda7 100644 --- a/models/checklistItems.js +++ b/models/checklistItems.js @@ -76,7 +76,7 @@ function itemCreation(userId, doc) { boardId, checklistId: doc.checklistId, checklistItemId: doc._id, - checklistItemName:doc.title + checklistItemName:doc.title, }); } @@ -90,66 +90,66 @@ function itemRemover(userId, doc) { boardId, checklistId: doc.checklistId, checklistItemId: doc._id, - checklistItemName:doc.title + checklistItemName:doc.title, }); Activities.remove({ checklistItemId: doc._id, }); } -function publishCheckActivity(userId,doc){ +function publishCheckActivity(userId, doc){ const card = Cards.findOne(doc.cardId); const boardId = card.boardId; let activityType; if(doc.isFinished){ - activityType = "checkedItem"; + activityType = 'checkedItem'; }else{ - activityType = "uncheckedItem"; + activityType = 'uncheckedItem'; } - let act = { + const act = { userId, - activityType: activityType, + activityType, cardId: doc.cardId, boardId, checklistId: doc.checklistId, checklistItemId: doc._id, - checklistItemName:doc.title - } + checklistItemName:doc.title, + }; Activities.insert(act); } -function publishChekListCompleted(userId,doc,fieldNames,modifier){ +function publishChekListCompleted(userId, doc, fieldNames, modifier){ const card = Cards.findOne(doc.cardId); const boardId = card.boardId; const checklistId = doc.checklistId; const checkList = Checklists.findOne({_id:checklistId}); if(checkList.isFinished()){ - let act = { + const act = { userId, - activityType: "checklistCompleted", + activityType: 'checklistCompleted', cardId: doc.cardId, boardId, checklistId: doc.checklistId, - checklistName:doc.title - } + checklistName:doc.title, + }; Activities.insert(act); } } -function publishChekListUncompleted(userId,doc,fieldNames,modifier){ +function publishChekListUncompleted(userId, doc, fieldNames, modifier){ const card = Cards.findOne(doc.cardId); const boardId = card.boardId; const checklistId = doc.checklistId; const checkList = Checklists.findOne({_id:checklistId}); if(checkList.isFinished()){ - let act = { + const act = { userId, - activityType: "checklistUncompleted", + activityType: 'checklistUncompleted', cardId: doc.cardId, boardId, checklistId: doc.checklistId, - checklistName:doc.title - } + checklistName:doc.title, + }; Activities.insert(act); } } @@ -161,16 +161,15 @@ if (Meteor.isServer) { }); ChecklistItems.after.update((userId, doc, fieldNames, modifier) => { - publishCheckActivity(userId,doc); - publishChekListCompleted(userId,doc,fieldNames,modifier) + publishCheckActivity(userId, doc); + publishChekListCompleted(userId, doc, fieldNames, modifier); }); ChecklistItems.before.update((userId, doc, fieldNames, modifier) => { - publishChekListUncompleted(userId,doc,fieldNames,modifier) + publishChekListUncompleted(userId, doc, fieldNames, modifier); }); - ChecklistItems.after.insert((userId, doc) => { itemCreation(userId, doc); }); diff --git a/models/checklists.js b/models/checklists.js index 26429092..425a10b2 100644 --- a/models/checklists.js +++ b/models/checklists.js @@ -103,7 +103,7 @@ if (Meteor.isServer) { cardId: doc.cardId, boardId: Cards.findOne(doc.cardId).boardId, checklistId: doc._id, - checklistName:doc.title + checklistName:doc.title, }); }); @@ -120,7 +120,7 @@ if (Meteor.isServer) { cardId: doc.cardId, boardId: Cards.findOne(doc.cardId).boardId, checklistId: doc._id, - checklistName:doc.title + checklistName:doc.title, }); diff --git a/models/export.js b/models/export.js index c65ebf52..0911a631 100644 --- a/models/export.js +++ b/models/export.js @@ -31,7 +31,7 @@ if (Meteor.isServer) { if (exporter.canExport(user)) { JsonRoutes.sendResult(res, { code: 200, - data: exporter.build() + data: exporter.build(), }); } else { // we could send an explicit error message, but on the other hand the only @@ -52,16 +52,16 @@ class Exporter { // we do not want to retrieve boardId in related elements const noBoardId = { fields: { - boardId: 0 - } + boardId: 0, + }, }; const result = { _format: 'wekan-board-1.0.0', }; _.extend(result, Boards.findOne(this._boardId, { fields: { - stars: 0 - } + stars: 0, + }, })); result.lists = Lists.find(byBoard, noBoardId).fetch(); result.cards = Cards.find(byBoardNoLinked, noBoardId).fetch(); @@ -77,21 +77,21 @@ class Exporter { result.actions = []; result.cards.forEach((card) => { result.checklists.push(...Checklists.find({ - cardId: card._id + cardId: card._id, }).fetch()); result.checklistItems.push(...ChecklistItems.find({ - cardId: card._id + cardId: card._id, }).fetch()); result.subtaskItems.push(...Cards.find({ - parentid: card._id + parentid: card._id, }).fetch()); }); result.rules.forEach((rule) => { result.triggers.push(...Triggers.find({ - _id: rule.triggerId + _id: rule.triggerId, }, noBoardId).fetch()); result.actions.push(...Actions.find({ - _id: rule.actionId + _id: rule.actionId, }, noBoardId).fetch()); }); @@ -154,8 +154,8 @@ class Exporter { }); const byUserIds = { _id: { - $in: Object.getOwnPropertyNames(users) - } + $in: Object.getOwnPropertyNames(users), + }, }; // we use whitelist to be sure we do not expose inadvertently // some secret fields that gets added to User later. diff --git a/models/rules.js b/models/rules.js index fe6b04cb..7d971980 100644 --- a/models/rules.js +++ b/models/rules.js @@ -31,11 +31,10 @@ Rules.helpers({ }, getTrigger(){ return Triggers.findOne({_id:this.triggerId}); - } + }, }); - Rules.allow({ insert(userId, doc) { return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); @@ -45,5 +44,5 @@ Rules.allow({ }, remove(userId, doc) { return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); - } + }, }); diff --git a/models/triggers.js b/models/triggers.js index c8e4cc75..15982b6e 100644 --- a/models/triggers.js +++ b/models/triggers.js @@ -4,8 +4,8 @@ Triggers.mutations({ rename(description) { return { $set: { - description - } + description, + }, }; }, }); @@ -19,7 +19,7 @@ Triggers.allow({ }, remove(userId, doc) { return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); - } + }, }); Triggers.helpers({ @@ -30,7 +30,7 @@ Triggers.helpers({ getRule() { return Rules.findOne({ - triggerId: this._id + triggerId: this._id, }); }, @@ -44,7 +44,7 @@ Triggers.helpers({ findList(title) { return Lists.findOne({ - title: title + title, }); }, @@ -54,5 +54,5 @@ Triggers.helpers({ return _.contains(this.labelIds, label._id); }); return cardLabels; - } -}); \ No newline at end of file + }, +}); diff --git a/models/wekanCreator.js b/models/wekanCreator.js index 6841a6ae..b018b06d 100644 --- a/models/wekanCreator.js +++ b/models/wekanCreator.js @@ -224,8 +224,8 @@ export class WekanCreator { const boardId = Boards.direct.insert(boardToCreate); Boards.direct.update(boardId, { $set: { - modifiedAt: this._now() - } + modifiedAt: this._now(), + }, }); // log activity Activities.direct.insert({ @@ -373,15 +373,15 @@ export class WekanCreator { if (wekanCoverId === att._id) { Cards.direct.update(cardId, { $set: { - coverId: wekanAtt._id - } + coverId: wekanAtt._id, + }, }); } } }); } else if (att.file) { file.attachData(new Buffer(att.file, 'base64'), { - type: att.type + type: att.type, }, (error) => { file.name(att.name); file.boardId = boardId; @@ -401,8 +401,8 @@ export class WekanCreator { if (wekanCoverId === att._id) { Cards.direct.update(cardId, { $set: { - coverId: wekanAtt._id - } + coverId: wekanAtt._id, + }, }); } } @@ -448,8 +448,8 @@ export class WekanCreator { const listId = Lists.direct.insert(listToCreate); Lists.direct.update(listId, { $set: { - 'updatedAt': this._now() - } + 'updatedAt': this._now(), + }, }); this.lists[list._id] = listId; // // log activity @@ -485,8 +485,8 @@ export class WekanCreator { const swimlaneId = Swimlanes.direct.insert(swimlaneToCreate); Swimlanes.direct.update(swimlaneId, { $set: { - 'updatedAt': this._now() - } + 'updatedAt': this._now(), + }, }); this.swimlanes[swimlane._id] = swimlaneId; }); @@ -512,13 +512,13 @@ export class WekanCreator { createTriggers(wekanTriggers, boardId) { wekanTriggers.forEach((trigger, ruleIndex) => { if (trigger.hasOwnProperty('labelId')) { - trigger['labelId'] = this.labels[trigger['labelId']] + trigger.labelId = this.labels[trigger.labelId]; } if (trigger.hasOwnProperty('memberId')) { - trigger['memberId'] = this.members[trigger['memberId']] + trigger.memberId = this.members[trigger.memberId]; } - trigger['boardId'] = boardId; - const oldId = trigger['_id']; + trigger.boardId = boardId; + const oldId = trigger._id; delete trigger._id; this.triggers[oldId] = Triggers.direct.insert(trigger); }); @@ -527,13 +527,13 @@ export class WekanCreator { createActions(wekanActions, boardId) { wekanActions.forEach((action, ruleIndex) => { if (action.hasOwnProperty('labelId')) { - action['labelId'] = this.labels[action['labelId']] + action.labelId = this.labels[action.labelId]; } if (action.hasOwnProperty('memberId')) { - action['memberId'] = this.members[action['memberId']] + action.memberId = this.members[action.memberId]; } - action['boardId'] = boardId; - const oldId = action['_id']; + action.boardId = boardId; + const oldId = action._id; delete action._id; this.actions[oldId] = Actions.direct.insert(action); }); @@ -542,9 +542,9 @@ export class WekanCreator { createRules(wekanRules, boardId) { wekanRules.forEach((rule, ruleIndex) => { // Create the rule - rule['boardId'] = boardId; - rule['triggerId'] = this.triggers[rule['triggerId']]; - rule['actionId'] = this.actions[rule['actionId']]; + rule.boardId = boardId; + rule.triggerId = this.triggers[rule.triggerId]; + rule.actionId = this.actions[rule.actionId]; delete rule._id; Rules.direct.insert(rule); }); @@ -568,64 +568,64 @@ export class WekanCreator { parseActivities(wekanBoard) { wekanBoard.activities.forEach((activity) => { switch (activity.activityType) { - case 'addAttachment': - { - // We have to be cautious, because the attachment could have been removed later. - // In that case Wekan still reports its addition, but removes its 'url' field. - // So we test for that - const wekanAttachment = wekanBoard.attachments.filter((attachment) => { - return attachment._id === activity.attachmentId; - })[0]; + case 'addAttachment': + { + // We have to be cautious, because the attachment could have been removed later. + // In that case Wekan still reports its addition, but removes its 'url' field. + // So we test for that + const wekanAttachment = wekanBoard.attachments.filter((attachment) => { + return attachment._id === activity.attachmentId; + })[0]; - if (typeof wekanAttachment !== 'undefined' && wekanAttachment) { - if (wekanAttachment.url || wekanAttachment.file) { - // we cannot actually create the Wekan attachment, because we don't yet - // have the cards to attach it to, so we store it in the instance variable. - const wekanCardId = activity.cardId; - if (!this.attachments[wekanCardId]) { - this.attachments[wekanCardId] = []; - } - this.attachments[wekanCardId].push(wekanAttachment); - } + if (typeof wekanAttachment !== 'undefined' && wekanAttachment) { + if (wekanAttachment.url || wekanAttachment.file) { + // we cannot actually create the Wekan attachment, because we don't yet + // have the cards to attach it to, so we store it in the instance variable. + const wekanCardId = activity.cardId; + if (!this.attachments[wekanCardId]) { + this.attachments[wekanCardId] = []; } - break; - } - case 'addComment': - { - const wekanComment = wekanBoard.comments.filter((comment) => { - return comment._id === activity.commentId; - })[0]; - const id = activity.cardId; - if (!this.comments[id]) { - this.comments[id] = []; - } - this.comments[id].push(wekanComment); - break; - } - case 'createBoard': - { - this.createdAt.board = activity.createdAt; - break; - } - case 'createCard': - { - const cardId = activity.cardId; - this.createdAt.cards[cardId] = activity.createdAt; - this.createdBy.cards[cardId] = activity.userId; - break; - } - case 'createList': - { - const listId = activity.listId; - this.createdAt.lists[listId] = activity.createdAt; - break; - } - case 'createSwimlane': - { - const swimlaneId = activity.swimlaneId; - this.createdAt.swimlanes[swimlaneId] = activity.createdAt; - break; + this.attachments[wekanCardId].push(wekanAttachment); } + } + break; + } + case 'addComment': + { + const wekanComment = wekanBoard.comments.filter((comment) => { + return comment._id === activity.commentId; + })[0]; + const id = activity.cardId; + if (!this.comments[id]) { + this.comments[id] = []; + } + this.comments[id].push(wekanComment); + break; + } + case 'createBoard': + { + this.createdAt.board = activity.createdAt; + break; + } + case 'createCard': + { + const cardId = activity.cardId; + this.createdAt.cards[cardId] = activity.createdAt; + this.createdBy.cards[cardId] = activity.userId; + break; + } + case 'createList': + { + const listId = activity.listId; + this.createdAt.lists[listId] = activity.createdAt; + break; + } + case 'createSwimlane': + { + const swimlaneId = activity.swimlaneId; + this.createdAt.swimlanes[swimlaneId] = activity.createdAt; + break; + } } }); } @@ -633,116 +633,116 @@ export class WekanCreator { importActivities(activities, boardId) { activities.forEach((activity) => { switch (activity.activityType) { - // Board related activities - // TODO: addBoardMember, removeBoardMember - case 'createBoard': - { - Activities.direct.insert({ - userId: this._user(activity.userId), - type: 'board', - activityTypeId: boardId, - activityType: activity.activityType, - boardId, - createdAt: this._now(activity.createdAt), - }); - break; - } - // List related activities - // TODO: removeList, archivedList - case 'createList': - { - Activities.direct.insert({ - userId: this._user(activity.userId), - type: 'list', - activityType: activity.activityType, - listId: this.lists[activity.listId], - boardId, - createdAt: this._now(activity.createdAt), - }); - break; - } - // Card related activities - // TODO: archivedCard, restoredCard, joinMember, unjoinMember - case 'createCard': - { - Activities.direct.insert({ - userId: this._user(activity.userId), - activityType: activity.activityType, - listId: this.lists[activity.listId], - cardId: this.cards[activity.cardId], - boardId, - createdAt: this._now(activity.createdAt), - }); - break; - } - case 'moveCard': - { - Activities.direct.insert({ - userId: this._user(activity.userId), - oldListId: this.lists[activity.oldListId], - activityType: activity.activityType, - listId: this.lists[activity.listId], - cardId: this.cards[activity.cardId], - boardId, - createdAt: this._now(activity.createdAt), - }); - break; - } - // Comment related activities - case 'addComment': - { - Activities.direct.insert({ - userId: this._user(activity.userId), - activityType: activity.activityType, - cardId: this.cards[activity.cardId], - commentId: this.commentIds[activity.commentId], - boardId, - createdAt: this._now(activity.createdAt), - }); - break; - } - // Attachment related activities - case 'addAttachment': - { - Activities.direct.insert({ - userId: this._user(activity.userId), - type: 'card', - activityType: activity.activityType, - attachmentId: this.attachmentIds[activity.attachmentId], - cardId: this.cards[activity.cardId], - boardId, - createdAt: this._now(activity.createdAt), - }); - break; - } - // Checklist related activities - case 'addChecklist': - { - Activities.direct.insert({ - userId: this._user(activity.userId), - activityType: activity.activityType, - cardId: this.cards[activity.cardId], - checklistId: this.checklists[activity.checklistId], - boardId, - createdAt: this._now(activity.createdAt), - }); - break; - } - case 'addChecklistItem': - { - Activities.direct.insert({ - userId: this._user(activity.userId), - activityType: activity.activityType, - cardId: this.cards[activity.cardId], - checklistId: this.checklists[activity.checklistId], - checklistItemId: activity.checklistItemId.replace( - activity.checklistId, - this.checklists[activity.checklistId]), - boardId, - createdAt: this._now(activity.createdAt), - }); - break; - } + // Board related activities + // TODO: addBoardMember, removeBoardMember + case 'createBoard': + { + Activities.direct.insert({ + userId: this._user(activity.userId), + type: 'board', + activityTypeId: boardId, + activityType: activity.activityType, + boardId, + createdAt: this._now(activity.createdAt), + }); + break; + } + // List related activities + // TODO: removeList, archivedList + case 'createList': + { + Activities.direct.insert({ + userId: this._user(activity.userId), + type: 'list', + activityType: activity.activityType, + listId: this.lists[activity.listId], + boardId, + createdAt: this._now(activity.createdAt), + }); + break; + } + // Card related activities + // TODO: archivedCard, restoredCard, joinMember, unjoinMember + case 'createCard': + { + Activities.direct.insert({ + userId: this._user(activity.userId), + activityType: activity.activityType, + listId: this.lists[activity.listId], + cardId: this.cards[activity.cardId], + boardId, + createdAt: this._now(activity.createdAt), + }); + break; + } + case 'moveCard': + { + Activities.direct.insert({ + userId: this._user(activity.userId), + oldListId: this.lists[activity.oldListId], + activityType: activity.activityType, + listId: this.lists[activity.listId], + cardId: this.cards[activity.cardId], + boardId, + createdAt: this._now(activity.createdAt), + }); + break; + } + // Comment related activities + case 'addComment': + { + Activities.direct.insert({ + userId: this._user(activity.userId), + activityType: activity.activityType, + cardId: this.cards[activity.cardId], + commentId: this.commentIds[activity.commentId], + boardId, + createdAt: this._now(activity.createdAt), + }); + break; + } + // Attachment related activities + case 'addAttachment': + { + Activities.direct.insert({ + userId: this._user(activity.userId), + type: 'card', + activityType: activity.activityType, + attachmentId: this.attachmentIds[activity.attachmentId], + cardId: this.cards[activity.cardId], + boardId, + createdAt: this._now(activity.createdAt), + }); + break; + } + // Checklist related activities + case 'addChecklist': + { + Activities.direct.insert({ + userId: this._user(activity.userId), + activityType: activity.activityType, + cardId: this.cards[activity.cardId], + checklistId: this.checklists[activity.checklistId], + boardId, + createdAt: this._now(activity.createdAt), + }); + break; + } + case 'addChecklistItem': + { + Activities.direct.insert({ + userId: this._user(activity.userId), + activityType: activity.activityType, + cardId: this.cards[activity.cardId], + checklistId: this.checklists[activity.checklistId], + checklistItemId: activity.checklistItemId.replace( + activity.checklistId, + this.checklists[activity.checklistId]), + boardId, + createdAt: this._now(activity.createdAt), + }); + break; + } } }); } @@ -790,4 +790,4 @@ export class WekanCreator { // XXX add members return boardId; } -} \ No newline at end of file +} diff --git a/server/lib/utils.js b/server/lib/utils.js index c155cda5..ee925847 100644 --- a/server/lib/utils.js +++ b/server/lib/utils.js @@ -1,9 +1,9 @@ allowIsBoardAdmin = function(userId, board) { - return board && board.hasAdmin(userId); + return board && board.hasAdmin(userId); }; allowIsBoardMember = function(userId, board) { - return board && board.hasMember(userId); + return board && board.hasMember(userId); }; allowIsBoardMemberCommentOnly = function(userId, board) { @@ -15,6 +15,6 @@ allowIsBoardMemberNoComments = function(userId, board) { }; allowIsBoardMemberByCard = function(userId, card) { - const board = card.board(); - return board && board.hasMember(userId); + const board = card.board(); + return board && board.hasMember(userId); }; diff --git a/server/publications/rules.js b/server/publications/rules.js index 29be2e78..d0864893 100644 --- a/server/publications/rules.js +++ b/server/publications/rules.js @@ -1,18 +1,18 @@ Meteor.publish('rules', (ruleId) => { - check(ruleId, String); - return Rules.find({ - _id: ruleId - }); + check(ruleId, String); + return Rules.find({ + _id: ruleId, + }); }); Meteor.publish('allRules', () => { - return Rules.find({}); + return Rules.find({}); }); Meteor.publish('allTriggers', () => { - return Triggers.find({}); + return Triggers.find({}); }); Meteor.publish('allActions', () => { - return Actions.find({}); -}); \ No newline at end of file + return Actions.find({}); +}); diff --git a/server/rulesHelper.js b/server/rulesHelper.js index d56b70aa..e7e19b96 100644 --- a/server/rulesHelper.js +++ b/server/rulesHelper.js @@ -1,131 +1,131 @@ RulesHelper = { - executeRules(activity){ - const matchingRules = this.findMatchingRules(activity); - for(let i = 0;i< matchingRules.length;i++){ - const action = matchingRules[i].getAction(); - this.performAction(activity,action); - } - }, - findMatchingRules(activity){ - const activityType = activity.activityType; - if(TriggersDef[activityType] == undefined){ - return []; - } - const matchingFields = TriggersDef[activityType].matchingFields; - const matchingMap = this.buildMatchingFieldsMap(activity,matchingFields); - let matchingTriggers = Triggers.find(matchingMap); - let matchingRules = []; - matchingTriggers.forEach(function(trigger){ - matchingRules.push(trigger.getRule()); - }); - return matchingRules; - }, - buildMatchingFieldsMap(activity, matchingFields){ - let matchingMap = {"activityType":activity.activityType}; - for(let i = 0;i< matchingFields.length;i++){ - // Creating a matching map with the actual field of the activity - // and with the wildcard (for example: trigger when a card is added - // in any [*] board - matchingMap[matchingFields[i]] = { $in: [activity[matchingFields[i]],"*"]}; - } - return matchingMap; - }, - performAction(activity,action){ - const card = Cards.findOne({_id:activity.cardId}); - const boardId = activity.boardId; - if(action.actionType == "moveCardToTop"){ - let listId; - let list; - if(activity.listTitle == "*"){ - listId = card.swimlaneId; - list = card.list(); - }else{ - list = Lists.findOne({title: action.listTitle, boardId:boardId });; - listId = list._id; - } - const minOrder = _.min(list.cards(card.swimlaneId).map((c) => c.sort)); - card.move(card.swimlaneId, listId, minOrder - 1); - } - if(action.actionType == "moveCardToBottom"){ - let listId; - let list; - if(activity.listTitle == "*"){ - listId = card.swimlaneId; - list = card.list(); - }else{ - list = Lists.findOne({title: action.listTitle, boardId:boardId}); - listId = list._id; - } - const maxOrder = _.max(list.cards(card.swimlaneId).map((c) => c.sort)); - card.move(card.swimlaneId, listId, maxOrder + 1); - } - if(action.actionType == "sendEmail"){ - const emailTo = action.emailTo; - const emailMsg = action.emailMsg; - const emailSubject = action.emailSubject; - try { - Email.send({ - to: to, - from: Accounts.emailTemplates.from, - subject: subject, - text, - }); - } catch (e) { - return; - } - } - if(action.actionType == "archive"){ - card.archive(); - } - if(action.actionType == "unarchive"){ - card.restore(); - } - if(action.actionType == "addLabel"){ - card.addLabel(action.labelId); - } - if(action.actionType == "removeLabel"){ - card.removeLabel(action.labelId); - } - if(action.actionType == "addMember"){ - const memberId = Users.findOne({username:action.memberName})._id; - card.assignMember(memberId); - } - if(action.actionType == "removeMember"){ - if(action.memberName == "*"){ - const members = card.members; - for(let i = 0;i< members.length;i++){ - card.unassignMember(members[i]); - } - }else{ - const memberId = Users.findOne({username:action.memberName})._id; - card.unassignMember(memberId); - } - } - if(action.actionType == "checkAll"){ - const checkList = Checklists.findOne({"title":action.checklistName,"cardId":card._id}); - checkList.checkAllItems(); - } - if(action.actionType == "uncheckAll"){ - const checkList = Checklists.findOne({"title":action.checklistName,"cardId":card._id}); - checkList.uncheckAllItems(); - } - if(action.actionType == "checkItem"){ - const checkList = Checklists.findOne({"title":action.checklistName,"cardId":card._id}); - const checkItem = ChecklistItems.findOne({"title":action.checkItemName,"checkListId":checkList._id}) - checkItem.check(); - } - if(action.actionType == "uncheckItem"){ - const checkList = Checklists.findOne({"title":action.checklistName,"cardId":card._id}); - const checkItem = ChecklistItems.findOne({"title":action.checkItemName,"checkListId":checkList._id}) - checkItem.uncheck(); - } - if(action.actionType == "addChecklist"){ - Checklists.insert({"title":action.checklistName,"cardId":card._id,"sort":0}); - } - if(action.actionType == "removeChecklist"){ - Checklists.remove({"title":action.checklistName,"cardId":card._id,"sort":0}); - } + executeRules(activity){ + const matchingRules = this.findMatchingRules(activity); + for(let i = 0; i< matchingRules.length; i++){ + const action = matchingRules[i].getAction(); + this.performAction(activity, action); + } + }, + findMatchingRules(activity){ + const activityType = activity.activityType; + if(TriggersDef[activityType] === undefined){ + return []; + } + const matchingFields = TriggersDef[activityType].matchingFields; + const matchingMap = this.buildMatchingFieldsMap(activity, matchingFields); + const matchingTriggers = Triggers.find(matchingMap); + const matchingRules = []; + matchingTriggers.forEach(function(trigger){ + matchingRules.push(trigger.getRule()); + }); + return matchingRules; + }, + buildMatchingFieldsMap(activity, matchingFields){ + const matchingMap = {'activityType':activity.activityType}; + for(let i = 0; i< matchingFields.length; i++){ + // Creating a matching map with the actual field of the activity + // and with the wildcard (for example: trigger when a card is added + // in any [*] board + matchingMap[matchingFields[i]] = { $in: [activity[matchingFields[i]], '*']}; + } + return matchingMap; + }, + performAction(activity, action){ + const card = Cards.findOne({_id:activity.cardId}); + const boardId = activity.boardId; + if(action.actionType === 'moveCardToTop'){ + let listId; + let list; + if(activity.listTitle === '*'){ + listId = card.swimlaneId; + list = card.list(); + }else{ + list = Lists.findOne({title: action.listTitle, boardId }); + listId = list._id; + } + const minOrder = _.min(list.cards(card.swimlaneId).map((c) => c.sort)); + card.move(card.swimlaneId, listId, minOrder - 1); + } + if(action.actionType === 'moveCardToBottom'){ + let listId; + let list; + if(activity.listTitle === '*'){ + listId = card.swimlaneId; + list = card.list(); + }else{ + list = Lists.findOne({title: action.listTitle, boardId}); + listId = list._id; + } + const maxOrder = _.max(list.cards(card.swimlaneId).map((c) => c.sort)); + card.move(card.swimlaneId, listId, maxOrder + 1); + } + if(action.actionType === 'sendEmail'){ + const emailTo = action.emailTo; + const emailMsg = action.emailMsg; + const emailSubject = action.emailSubject; + try { + Email.send({ + to, + from: Accounts.emailTemplates.from, + subject, + text, + }); + } catch (e) { + return; + } + } + if(action.actionType === 'archive'){ + card.archive(); + } + if(action.actionType === 'unarchive'){ + card.restore(); + } + if(action.actionType === 'addLabel'){ + card.addLabel(action.labelId); + } + if(action.actionType === 'removeLabel'){ + card.removeLabel(action.labelId); + } + if(action.actionType === 'addMember'){ + const memberId = Users.findOne({username:action.memberName})._id; + card.assignMember(memberId); + } + if(action.actionType === 'removeMember'){ + if(action.memberName === '*'){ + const members = card.members; + for(let i = 0; i< members.length; i++){ + card.unassignMember(members[i]); + } + }else{ + const memberId = Users.findOne({username:action.memberName})._id; + card.unassignMember(memberId); + } + } + if(action.actionType === 'checkAll'){ + const checkList = Checklists.findOne({'title':action.checklistName, 'cardId':card._id}); + checkList.checkAllItems(); + } + if(action.actionType === 'uncheckAll'){ + const checkList = Checklists.findOne({'title':action.checklistName, 'cardId':card._id}); + checkList.uncheckAllItems(); + } + if(action.actionType === 'checkItem'){ + const checkList = Checklists.findOne({'title':action.checklistName, 'cardId':card._id}); + const checkItem = ChecklistItems.findOne({'title':action.checkItemName, 'checkListId':checkList._id}); + checkItem.check(); + } + if(action.actionType === 'uncheckItem'){ + const checkList = Checklists.findOne({'title':action.checklistName, 'cardId':card._id}); + const checkItem = ChecklistItems.findOne({'title':action.checkItemName, 'checkListId':checkList._id}); + checkItem.uncheck(); + } + if(action.actionType === 'addChecklist'){ + Checklists.insert({'title':action.checklistName, 'cardId':card._id, 'sort':0}); + } + if(action.actionType === 'removeChecklist'){ + Checklists.remove({'title':action.checklistName, 'cardId':card._id, 'sort':0}); + } - }, + }, -} \ No newline at end of file +}; diff --git a/server/triggersDef.js b/server/triggersDef.js index 8c52051b..81dc946f 100644 --- a/server/triggersDef.js +++ b/server/triggersDef.js @@ -1,59 +1,58 @@ TriggersDef = { - createCard:{ - matchingFields: ["boardId", "listName"] - }, - moveCard:{ - matchingFields: ["boardId", "listName", "oldListName"] - }, - archivedCard:{ - matchingFields: ["boardId"] - }, - restoredCard:{ - matchingFields: ["boardId"] - }, - joinMember:{ - matchingFields: ["boardId","memberId"] - }, - unjoinMember:{ - matchingFields: ["boardId","memberId"] - }, - addChecklist:{ - matchingFields: ["boardId","checklistName"] - }, - removeChecklist:{ - matchingFields: ["boardId","checklistName"] - }, - completeChecklist:{ - matchingFields: ["boardId","checklistName"] - }, - uncompleteChecklist:{ - matchingFields: ["boardId","checklistName"] - }, - addedChecklistItem:{ - matchingFields: ["boardId","checklistItemName"] - }, - removedChecklistItem:{ - matchingFields: ["boardId","checklistItemName"] - }, - checkedItem:{ - matchingFields: ["boardId","checklistItemName"] - }, - uncheckedItem:{ - matchingFields: ["boardId","checklistItemName"] - }, - addAttachment:{ - matchingFields: ["boardId"] - }, - deleteAttachment:{ - matchingFields: ["boardId"] - }, - addedLabel:{ - matchingFields: ["boardId","labelId"] - }, - removedLabel:{ - matchingFields: ["boardId","labelId"] - } -} - + createCard:{ + matchingFields: ['boardId', 'listName'], + }, + moveCard:{ + matchingFields: ['boardId', 'listName', 'oldListName'], + }, + archivedCard:{ + matchingFields: ['boardId'], + }, + restoredCard:{ + matchingFields: ['boardId'], + }, + joinMember:{ + matchingFields: ['boardId', 'memberId'], + }, + unjoinMember:{ + matchingFields: ['boardId', 'memberId'], + }, + addChecklist:{ + matchingFields: ['boardId', 'checklistName'], + }, + removeChecklist:{ + matchingFields: ['boardId', 'checklistName'], + }, + completeChecklist:{ + matchingFields: ['boardId', 'checklistName'], + }, + uncompleteChecklist:{ + matchingFields: ['boardId', 'checklistName'], + }, + addedChecklistItem:{ + matchingFields: ['boardId', 'checklistItemName'], + }, + removedChecklistItem:{ + matchingFields: ['boardId', 'checklistItemName'], + }, + checkedItem:{ + matchingFields: ['boardId', 'checklistItemName'], + }, + uncheckedItem:{ + matchingFields: ['boardId', 'checklistItemName'], + }, + addAttachment:{ + matchingFields: ['boardId'], + }, + deleteAttachment:{ + matchingFields: ['boardId'], + }, + addedLabel:{ + matchingFields: ['boardId', 'labelId'], + }, + removedLabel:{ + matchingFields: ['boardId', 'labelId'], + }, +}; -- cgit v1.2.3-1-g7c22 From 6fe7f3c553339ad889e937aec278e85ee9785451 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Sep 2018 02:24:33 +0300 Subject: Archive => Recycle Bin --- i18n/en.i18n.json | 18 ++---------------- 1 file changed, 2 insertions(+), 16 deletions(-) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 395940c6..f4e692ad 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -541,8 +541,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Archived", - "r-unarchived": "Unarchived", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -607,18 +607,4 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist" - - - - - - - - - - - - - - } -- cgit v1.2.3-1-g7c22 From 983a56b89ba85c32594f96daa7d89dfeaf68f37a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Sep 2018 02:39:01 +0300 Subject: Fix translation. --- i18n/en.i18n.json | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index f4e692ad..4a4540c8 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -565,8 +565,8 @@ "r-bottom-of": "Bottom of", "r-its-list": "its list", "r-list": "list", - "r-archive": "Archive", - "r-unarchive": "Unarchive", + "r-archive": "Move to Recycle Bin", + "r-unarchive": "Restore from Recycle Bin", "r-card": "card", "r-add": "Add", "r-remove": "Remove", @@ -593,15 +593,15 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Archive the card", + "r-d-archive": "Move card to Recycle Bin", "r-d-unarchive": "Unarchive the card", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", - "r-d-check-all": "Check all item of list", - "r-d-uncheck-all": "Uncheck all item of list", + "r-d-check-all": "Check all items of list", + "r-d-uncheck-all": "Uncheck all items of list", "r-d-check-one": "Check item", "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", -- cgit v1.2.3-1-g7c22 From 5474099916939f85948a75e30040cc3ce92a98e2 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Sep 2018 02:40:24 +0300 Subject: Fix translation. --- i18n/en.i18n.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 4a4540c8..eb014cdd 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -600,8 +600,8 @@ "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", - "r-d-check-all": "Check all items of list", - "r-d-uncheck-all": "Uncheck all items of list", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", "r-d-check-one": "Check item", "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", -- cgit v1.2.3-1-g7c22 From b42649c777f1a1d450c5e67657e509a3aff99a50 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Sep 2018 02:48:52 +0300 Subject: Fix translation. --- i18n/en.i18n.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index eb014cdd..555906ef 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -594,7 +594,7 @@ "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Unarchive the card", + "r-d-unarchive": "Restore card from Recycle Bin", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", -- cgit v1.2.3-1-g7c22 From ef04c2a826b1ad8fdc690c830b6318e3d4de1588 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Sep 2018 03:00:57 +0300 Subject: Update translations. --- i18n/ar.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/bg.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/br.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/ca.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/cs.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/de.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/el.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/en-GB.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/eo.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/es-AR.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/es.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/eu.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/fa.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/fi.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/fr.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/gl.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/he.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/hu.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/hy.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/id.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/ig.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/it.i18n.json | 104 ++++++++++++++++++++++++++++++++++++++++++++++++-- i18n/ja.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/ka.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/km.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/ko.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/lv.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/mn.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/nb.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/nl.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/pl.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/pt-BR.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/pt.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/ro.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/ru.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/sr.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/sv.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/ta.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/th.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/tr.i18n.json | 106 +++++++++++++++++++++++++++++++++++++++++++++++++-- i18n/uk.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/vi.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/zh-CN.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- i18n/zh-TW.i18n.json | 100 +++++++++++++++++++++++++++++++++++++++++++++++- 44 files changed, 4361 insertions(+), 49 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 9af2581e..4ed1cc91 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "إرسال %s إلى %s", "activity-unjoined": "غادر %s", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "أضاف قائمة تحقق إلى %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "أضف", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "إضافة مرفق", "add-board": "إضافة لوحة", "add-card": "إضافة بطاقة", @@ -371,6 +381,7 @@ "restore": "استعادة", "save": "حفظ", "search": "بحث", + "rules": "Rules", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", "select-color": "اختيار اللون", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Move to Recycle Bin", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "أضف", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index b4ce62f0..6ed7f15b 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "изпрати %s до %s", "activity-unjoined": "вече не е част от %s", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "добави списък със задачи към %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "добави точка към '%s' в/във %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Добави", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Добави прикачен файл", "add-board": "Добави Табло", "add-card": "Добави карта", @@ -371,6 +381,7 @@ "restore": "Възстанови", "save": "Запази", "search": "Търсене", + "rules": "Rules", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", "select-color": "Избери цвят", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Премести в Кошчето", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Добави", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index f92f6fb4..f1080830 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "sent %s to %s", "activity-unjoined": "unjoined %s", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Ouzhpenn", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", "add-card": "Add Card", @@ -371,6 +381,7 @@ "restore": "Restore", "save": "Save", "search": "Search", + "rules": "Rules", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", "select-color": "Select Color", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Move to Recycle Bin", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Ouzhpenn", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 90344870..0b40cbca 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "ha enviat %s %s", "activity-unjoined": "desassignat %s", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "Checklist afegida a %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "afegida entrada de checklist de '%s' a %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Afegeix", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Afegeix adjunt", "add-board": "Afegeix Tauler", "add-card": "Afegeix fitxa", @@ -371,6 +381,7 @@ "restore": "Restaura", "save": "Desa", "search": "Cerca", + "rules": "Rules", "search-cards": "Cerca títols de fitxa i descripcions en aquest tauler", "search-example": "Text que cercar?", "select-color": "Selecciona color", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Move to Recycle Bin", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Afegeix", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index fc0d93ea..554c5609 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "%s posláno na %s", "activity-unjoined": "odpojen %s", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "přidán checklist do %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "přidána položka checklist do '%s' v %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Přidat", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Přidat přílohu", "add-board": "Přidat tablo", "add-card": "Přidat kartu", @@ -371,6 +381,7 @@ "restore": "Obnovit", "save": "Uložit", "search": "Hledat", + "rules": "Rules", "search-cards": "Hledat nadpisy a popisy karet v tomto tablu", "search-example": "Hledaný text", "select-color": "Vybrat barvu", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Přesunout do koše", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Přidat", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index bb1cc334..539a6603 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "hat %s an %s gesendet", "activity-unjoined": "hat %s verlassen", "activity-subtask-added": "Teilaufgabe zu %s hinzugefügt", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "hat eine Checkliste zu %s hinzugefügt", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "hat eine Checklistenposition zu '%s' in %s hinzugefügt", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Hinzufügen", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Datei anhängen", "add-board": "neues Board", "add-card": "Karte hinzufügen", @@ -371,6 +381,7 @@ "restore": "Wiederherstellen", "save": "Speichern", "search": "Suchen", + "rules": "Rules", "search-cards": "Suche nach Kartentiteln und Beschreibungen auf diesem Board", "search-example": "Suchbegriff", "select-color": "Farbe auswählen", @@ -507,5 +518,92 @@ "change-card-parent": "Übergeordnete Karte ändern", "parent-card": "Übergeordnete Karte", "source-board": "Quellboard", - "no-parent": "Nicht anzeigen" + "no-parent": "Nicht anzeigen", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "In den Papierkorb verschieben", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Hinzufügen", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index bf2500b3..ebdec7fb 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "sent %s to %s", "activity-unjoined": "unjoined %s", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Προσθήκη", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", "add-card": "Προσθήκη Κάρτας", @@ -371,6 +381,7 @@ "restore": "Restore", "save": "Αποθήκευση", "search": "Αναζήτηση", + "rules": "Rules", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", "select-color": "Επιλέξτε Χρώμα", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Move to Recycle Bin", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Προσθήκη", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 7e268f4a..2e559002 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "sent %s to %s", "activity-unjoined": "unjoined %s", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Add", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", "add-card": "Add Card", @@ -371,6 +381,7 @@ "restore": "Restore", "save": "Save", "search": "Search", + "rules": "Rules", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", "select-color": "Select Colour", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Move to Recycle Bin", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Add", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index a8e7001f..08b81fcc 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "Sendis %s al %s", "activity-unjoined": "unjoined %s", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Aldoni", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", "add-card": "Add Card", @@ -371,6 +381,7 @@ "restore": "Forigi", "save": "Savi", "search": "Serĉi", + "rules": "Rules", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", "select-color": "Select Color", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Move to Recycle Bin", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Aldoni", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index dd5946cd..01b40684 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "enviadas %s a %s", "activity-unjoined": "separadas %s", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "agregada lista de tareas a %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "agregado item de lista de tareas a '%s' en %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Agregar", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Agregar Adjunto", "add-board": "Agregar Tablero", "add-card": "Agregar Tarjeta", @@ -371,6 +381,7 @@ "restore": "Restaurar", "save": "Grabar", "search": "Buscar", + "rules": "Rules", "search-cards": "Buscar en títulos y descripciones de tarjeta en este tablero", "search-example": "¿Texto a buscar?", "select-color": "Seleccionar Color", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Mover a Papelera de Reciclaje", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Agregar", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index ce6133d7..1af6e244 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "ha enviado %s a %s", "activity-unjoined": "se ha desvinculado de %s", "activity-subtask-added": "ha añadido la subtarea a %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "ha añadido una lista de verificación a %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "ha añadido el elemento de la lista de verificación a '%s' en %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Añadir", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Añadir adjunto", "add-board": "Añadir tablero", "add-card": "Añadir una tarjeta", @@ -371,6 +381,7 @@ "restore": "Restaurar", "save": "Añadir", "search": "Buscar", + "rules": "Rules", "search-cards": "Buscar entre los títulos y las descripciones de las tarjetas en este tablero.", "search-example": "¿Texto a buscar?", "select-color": "Selecciona un color", @@ -507,5 +518,92 @@ "change-card-parent": "Cambiar la tarjeta padre", "parent-card": "Tarjeta padre", "source-board": "Tablero de origen", - "no-parent": "No mostrar la tarjeta padre" + "no-parent": "No mostrar la tarjeta padre", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Enviar a la papelera de reciclaje", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Añadir", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index ae0d904a..412e8e3e 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "%s %s(e)ri bidalita", "activity-unjoined": "%s utzita", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "egiaztaketa zerrenda %s(e)ra gehituta", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "egiaztaketa zerrendako elementuak '%s'(e)ra gehituta %s(e)n", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Gehitu", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Gehitu eranskina", "add-board": "Gehitu arbela", "add-card": "Gehitu txartela", @@ -371,6 +381,7 @@ "restore": "Berrezarri", "save": "Gorde", "search": "Bilatu", + "rules": "Rules", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", "select-color": "Aukeratu kolorea", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Move to Recycle Bin", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Gehitu", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index 94ba2498..e653474d 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "ارسال %s به %s", "activity-unjoined": "قطع اتصال %s", "activity-subtask-added": "زیروظیفه به %s اضافه شد", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "سیاهه به %s اضافه شد", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "افزودن", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "افزودن ضمیمه", "add-board": "افزودن برد", "add-card": "افزودن کارت", @@ -371,6 +381,7 @@ "restore": "بازیابی", "save": "ذخیره", "search": "جستجو", + "rules": "Rules", "search-cards": "جستجو در میان عناوین و توضیحات در این تخته", "search-example": "متن مورد جستجو؟", "select-color": "انتخاب رنگ", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "انتقال به بازیافتی", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "افزودن", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 4de354aa..bec3f19c 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "lähetetty %s kohteeseen %s", "activity-unjoined": "peruttu %s liittyminen", "activity-subtask-added": "lisätty alitehtävä kohteeseen %s", + "activity-checked-item": "ruksattu %s tarkistuslistassa %s / %s", + "activity-unchecked-item": "poistettu ruksi %s tarkistuslistassa %s / %s", "activity-checklist-added": "lisätty tarkistuslista kortille %s", + "activity-checklist-removed": "poistettu tarkistuslista kohteesta %s", + "activity-checklist-completed": "saatu valmiíksi tarkistuslista %s / %s", + "activity-checklist-uncompleted": "ei saatu valmiiksi tarkistuslista %s / %s", "activity-checklist-item-added": "lisäsi kohdan tarkistuslistaan '%s' kortilla %s", + "activity-checklist-item-removed": "poistettu tarkistuslistan kohta '%s' / %s", "add": "Lisää", + "activity-checked-item-card": "ruksattu %s tarkistuslistassa %s", + "activity-unchecked-item-card": "poistettu ruksi %s tarkistuslistassa %s", + "activity-checklist-completed-card": "valmistui tarkistuslista %s", + "activity-checklist-uncompleted-card": "ei valmistunut tarkistuslista %s", "add-attachment": "Lisää liite", "add-board": "Lisää taulu", "add-card": "Lisää kortti", @@ -371,6 +381,7 @@ "restore": "Palauta", "save": "Tallenna", "search": "Etsi", + "rules": "Säännöt", "search-cards": "Etsi korttien otsikoista ja kuvauksista tällä taululla", "search-example": "Teksti jota etsitään?", "select-color": "Valitse väri", @@ -507,5 +518,92 @@ "change-card-parent": "Muuta kortin ylätehtävää", "parent-card": "Ylätehtävä kortti", "source-board": "Lähdetaulu", - "no-parent": "Älä näytä ylätehtävää" + "no-parent": "Älä näytä ylätehtävää", + "activity-added-label": "lisätty tunniste '%s' kohteeseen %s", + "activity-removed-label": "poistettu tunniste '%s' kohteesta %s", + "activity-delete-attach": "poistettu liitetiedosto kohteesta %s", + "activity-added-label-card": "lisätty tunniste '%s'", + "activity-removed-label-card": "poistettu tunniste '%s'", + "activity-delete-attach-card": "poistettu liitetiedosto", + "r-rule": "Sääntö", + "r-add-trigger": "Lisää liipaisin", + "r-add-action": "Lisää toimi", + "r-board-rules": "Taulu säännöt", + "r-add-rule": "Lisää sääntö", + "r-view-rule": "Näytä sääntö", + "r-delete-rule": "Poista sääntö", + "r-new-rule-name": "Lisää uusi sääntö", + "r-no-rules": "Ei sääntöjä", + "r-when-a-card-is": "Kun kortti on", + "r-added-to": "Lisätty kohteeseen", + "r-removed-from": "Poistettu kohteesta", + "r-the-board": "taulu", + "r-list": "lista", + "r-moved-to": "Siirretty kohteeseen", + "r-moved-from": "Siirretty kohteesta", + "r-archived": "Siirretty roskakoriin", + "r-unarchived": "Palautettu roskakorista", + "r-a-card": "kortti", + "r-when-a-label-is": "Kun tunniste on", + "r-when-the-label-is": "Kun tunniste on", + "r-list-name": "Listan nimi", + "r-when-a-member": "Kun jäsen on", + "r-when-the-member": "Kun jäsen on", + "r-name": "nimi", + "r-is": "on", + "r-when-a-attach": "Kun liitetiedosto", + "r-when-a-checklist": "Kun tarkistuslista on", + "r-when-the-checklist": "Kun tarkistuslista", + "r-completed": "Valmistunut", + "r-made-incomplete": "Tehty ei valmistuneeksi", + "r-when-a-item": "Kun tarkistuslistan kohta on", + "r-when-the-item": "Kun tarkistuslistan kohta", + "r-checked": "Ruksattu", + "r-unchecked": "Poistettu ruksi", + "r-move-card-to": "Siirrä kortti kohteeseen", + "r-top-of": "Päällä kohteen", + "r-bottom-of": "Pohjalla kohteen", + "r-its-list": "sen lista", + "r-archive": "Siirrä roskakoriin", + "r-unarchive": "Palauta roskakorista", + "r-card": "kortti", + "r-add": "Lisää", + "r-remove": "Poista", + "r-label": "tunniste", + "r-member": "jäsen", + "r-remove-all": "Poista kaikki jäsenet kortilta", + "r-checklist": "tarkistuslista", + "r-check-all": "Ruksaa kaikki", + "r-uncheck-all": "Poista ruksi kaikista", + "r-item-check": "Kohtaa tarkistuslistassa", + "r-check": "Ruksaa", + "r-uncheck": "Poista ruksi", + "r-item": "kohta", + "r-of-checklist": "tarkistuslistasta", + "r-send-email": "Lähetä sähköposti", + "r-to": "vastaanottajalle", + "r-subject": "aihe", + "r-rule-details": "Säännön yksityiskohdat", + "r-d-move-to-top-gen": "Siirrä kortti listansa alkuun", + "r-d-move-to-top-spec": "Siirrä kortti listan alkuun", + "r-d-move-to-bottom-gen": "Siirrä kortti listansa loppuun", + "r-d-move-to-bottom-spec": "Siirrä kortti listan loppuun", + "r-d-send-email": "Lähetä sähköposti", + "r-d-send-email-to": "vastaanottajalle", + "r-d-send-email-subject": "aihe", + "r-d-send-email-message": "viesti", + "r-d-archive": "Siirrä kortti roskakoriin", + "r-d-unarchive": "Palauta kortti roskakorista", + "r-d-add-label": "Lisää tunniste", + "r-d-remove-label": "Poista tunniste", + "r-d-add-member": "Lisää jäsen", + "r-d-remove-member": "Poista jäsen", + "r-d-remove-all-member": "Poista kaikki jäsenet", + "r-d-check-all": "Ruksaa kaikki listan kohdat", + "r-d-uncheck-all": "Poista ruksi kaikista listan kohdista", + "r-d-check-one": "Ruksaa kohta", + "r-d-uncheck-one": "Poista ruksi kohdasta", + "r-d-check-of-list": "tarkistuslistasta", + "r-d-add-checklist": "Lisää tarkistuslista", + "r-d-remove-checklist": "Poista tarkistuslista" } \ No newline at end of file diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 19d0c2d6..a29647df 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "a envoyé %s vers %s", "activity-unjoined": "a quitté %s", "activity-subtask-added": "a ajouté une sous-tâche à %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "a ajouté une checklist à %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "a ajouté un élément à la checklist '%s' dans %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Ajouter", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Ajouter une pièce jointe", "add-board": "Ajouter un tableau", "add-card": "Ajouter une carte", @@ -371,6 +381,7 @@ "restore": "Restaurer", "save": "Enregistrer", "search": "Chercher", + "rules": "Rules", "search-cards": "Rechercher parmi les titres et descriptions des cartes de ce tableau", "search-example": "Texte à rechercher ?", "select-color": "Sélectionner une couleur", @@ -507,5 +518,92 @@ "change-card-parent": "Changer le parent de la carte", "parent-card": "Carte parente", "source-board": "Tableau source", - "no-parent": "Ne pas afficher le parent" + "no-parent": "Ne pas afficher le parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Déplacer vers la corbeille", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Ajouter", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 47616c07..e3dc8b8c 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "sent %s to %s", "activity-unjoined": "unjoined %s", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Engadir", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Engadir anexo", "add-board": "Engadir taboleiro", "add-card": "Engadir tarxeta", @@ -371,6 +381,7 @@ "restore": "Restore", "save": "Save", "search": "Search", + "rules": "Rules", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", "select-color": "Select Color", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Move to Recycle Bin", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Engadir", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 501651fc..0460c51f 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "%s נשלח ל%s", "activity-unjoined": "בטל צירוף %s", "activity-subtask-added": "נוספה תת־משימה אל %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "נוספה רשימת משימות אל %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "נוסף פריט רשימת משימות אל ‚%s‘ תחת %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "הוספה", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "הוספת קובץ מצורף", "add-board": "הוספת לוח", "add-card": "הוספת כרטיס", @@ -371,6 +381,7 @@ "restore": "שחזור", "save": "שמירה", "search": "חיפוש", + "rules": "Rules", "search-cards": "חיפוש אחר כותרות ותיאורים של כרטיסים בלוח זה", "search-example": "טקסט לחיפוש ?", "select-color": "בחירת צבע", @@ -507,5 +518,92 @@ "change-card-parent": "החלפת הורה הכרטיס", "parent-card": "כרטיס הורה", "source-board": "לוח מקור", - "no-parent": "לא להציג את ההורה" + "no-parent": "לא להציג את ההורה", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "העברה לסל המחזור", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "הוספה", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index 270f1754..3c25f5f2 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "%s elküldve ide: %s", "activity-unjoined": "%s kilépett a csoportból", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "ellenőrzőlista hozzáadva ehhez: %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "ellenőrzőlista elem hozzáadva ehhez: „%s”, ebben: %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Hozzáadás", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Melléklet hozzáadása", "add-board": "Tábla hozzáadása", "add-card": "Kártya hozzáadása", @@ -371,6 +381,7 @@ "restore": "Visszaállítás", "save": "Mentés", "search": "Keresés", + "rules": "Rules", "search-cards": "Keresés a táblán lévő kártyák címében illetve leírásában", "search-example": "keresőkifejezés", "select-color": "Szín kiválasztása", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Lomtárba", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Hozzáadás", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index da4584dd..f708dcbf 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "sent %s to %s", "activity-unjoined": "unjoined %s", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Add", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", "add-card": "Add Card", @@ -371,6 +381,7 @@ "restore": "Restore", "save": "Save", "search": "Search", + "rules": "Rules", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", "select-color": "Select Color", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Move to Recycle Bin", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Add", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 94c9ad79..bb6a61c1 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "terkirim %s ke %s", "activity-unjoined": "tidak bergabung %s", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "daftar periksa ditambahkan ke %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Tambah", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", "add-card": "Add Card", @@ -371,6 +381,7 @@ "restore": "Pulihkan", "save": "Simpan", "search": "Cari", + "rules": "Rules", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", "select-color": "Select Color", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Move to Recycle Bin", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Tambah", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 16ddfea4..e0bbab36 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "sent %s to %s", "activity-unjoined": "unjoined %s", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Tinye", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", "add-card": "Add Card", @@ -371,6 +381,7 @@ "restore": "Restore", "save": "Save", "search": "Search", + "rules": "Rules", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", "select-color": "Select Color", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Move to Recycle Bin", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Tinye", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index ceed7d7a..09bd3527 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "inviato %s a %s", "activity-unjoined": "ha abbandonato %s", "activity-subtask-added": "aggiunto il sottocompito a 1%s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "aggiunta checklist a %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "Aggiunto l'elemento checklist a '%s' in %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Aggiungere", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Aggiungi Allegato", "add-board": "Aggiungi Bacheca", "add-card": "Aggiungi Scheda", @@ -171,8 +181,8 @@ "comment-placeholder": "Scrivi Commento", "comment-only": "Solo commenti", "comment-only-desc": "Puoi commentare solo le schede.", - "no-comments": "No comments", - "no-comments-desc": "Can not see comments and activities.", + "no-comments": "Non ci sono commenti.", + "no-comments-desc": "Impossibile visualizzare commenti o attività.", "computer": "Computer", "confirm-subtask-delete-dialog": "Sei sicuro di voler eliminare il sotto-compito?", "confirm-checklist-delete-dialog": "Sei sicuro di voler eliminare la checklist?", @@ -371,6 +381,7 @@ "restore": "Ripristina", "save": "Salva", "search": "Cerca", + "rules": "Rules", "search-cards": "Ricerca per titolo e descrizione scheda su questa bacheca", "search-example": "Testo da ricercare?", "select-color": "Seleziona Colore", @@ -507,5 +518,92 @@ "change-card-parent": "Cambia la scheda genitore", "parent-card": "Scheda genitore", "source-board": "Bacheca d'origine", - "no-parent": "Non mostrare i genitori" + "no-parent": "Non mostrare i genitori", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Sposta nel cestino", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Aggiungere", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index fc1b8ace..03219f9a 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "%s を %s に送りました", "activity-unjoined": "%s への参加を止めました", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "%s にチェックリストを追加しました", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "追加", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "添付ファイルを追加", "add-board": "ボードを追加", "add-card": "カードを追加", @@ -371,6 +381,7 @@ "restore": "復元", "save": "保存", "search": "検索", + "rules": "Rules", "search-cards": "カードのタイトルと詳細から検索", "search-example": "検索文字", "select-color": "色を選択", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "ゴミ箱へ移動", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "追加", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index 02d70a38..c2920047 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "გაიგზავნა %s %s-ში", "activity-unjoined": "არ შემოუერთდა %s", "activity-subtask-added": "დაამატა ქვესაქმიანობა %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "დაემატა ჩამონათვალი %s-ს", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "დამატებულია ჩამონათვალის ელემენტები '%s' %s-ში", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "დამატება", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "მიბმული ფაილის დამატება", "add-board": "დაფის დამატება", "add-card": "ბარათის დამატება", @@ -371,6 +381,7 @@ "restore": "აღდგენა", "save": "დამახსოვრება", "search": "ძებნა", + "rules": "Rules", "search-cards": "მოძებნეთ ბარათის სახელით და აღწერით ამ დაფაზე", "search-example": "საძიებო ტექსტი", "select-color": "ფერის მონიშვნა", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "ძირითადი დაფა", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "სანაგვე ურნაში გადატანა", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "დამატება", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index 013e1b46..5c295b77 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "sent %s to %s", "activity-unjoined": "unjoined %s", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Add", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", "add-card": "Add Card", @@ -371,6 +381,7 @@ "restore": "Restore", "save": "Save", "search": "Search", + "rules": "Rules", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", "select-color": "Select Color", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Move to Recycle Bin", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Add", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index 36de4299..96f1da9d 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "%s를 %s로 보냄", "activity-unjoined": "%s에서 멤버 해제", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "%s에 체크리스트를 추가함", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "추가", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "첨부파일 추가", "add-board": "보드 추가", "add-card": "카드 추가", @@ -371,6 +381,7 @@ "restore": "복구", "save": "저장", "search": "검색", + "rules": "Rules", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", "select-color": "색 선택", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Move to Recycle Bin", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "추가", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 061b9c14..fcd39944 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "sent %s to %s", "activity-unjoined": "unjoined %s", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Add", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", "add-card": "Add Card", @@ -371,6 +381,7 @@ "restore": "Restore", "save": "Save", "search": "Search", + "rules": "Rules", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", "select-color": "Select Color", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Move to Recycle Bin", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Add", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index f2478d17..e2858d16 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "sent %s to %s", "activity-unjoined": "unjoined %s", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Нэмэх", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Хавсралт нэмэх", "add-board": "Самбар нэмэх", "add-card": "Карт нэмэх", @@ -371,6 +381,7 @@ "restore": "Restore", "save": "Save", "search": "Search", + "rules": "Rules", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", "select-color": "Select Color", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Move to Recycle Bin", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Нэмэх", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index b479ee48..ea3855ee 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "sendte %s til %s", "activity-unjoined": "forlot %s", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "la til sjekkliste til %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Legg til", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", "add-card": "Add Card", @@ -371,6 +381,7 @@ "restore": "Restore", "save": "Save", "search": "Search", + "rules": "Rules", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", "select-color": "Select Color", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Move to Recycle Bin", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Legg til", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 58d65723..91d36a5b 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "%s gestuurd naar %s", "activity-unjoined": "uit %s gegaan", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "checklist toegevoegd aan %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "checklist punt toegevoegd aan '%s' in '%s'", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Toevoegen", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Voeg Bijlage Toe", "add-board": "Voeg Bord Toe", "add-card": "Voeg Kaart Toe", @@ -371,6 +381,7 @@ "restore": "Herstel", "save": "Opslaan", "search": "Zoek", + "rules": "Rules", "search-cards": "Zoeken in kaart titels en omschrijvingen op dit bord", "search-example": "Tekst om naar te zoeken?", "select-color": "Selecteer kleur", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Move to Recycle Bin", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Toevoegen", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 086dd348..fe20073f 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "wysłano %s z %s", "activity-unjoined": "odłączono %s", "activity-subtask-added": "dodano podzadanie do %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "dodano listę zadań do %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "dodano zadanie '%s' do %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Dodaj", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Dodaj załącznik", "add-board": "Dodaj tablicę", "add-card": "Dodaj kartę", @@ -371,6 +381,7 @@ "restore": "Przywróć", "save": "Zapisz", "search": "Wyszukaj", + "rules": "Rules", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", "select-color": "Wybierz kolor", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Przenieś do Kosza", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Dodaj", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 0176fb6a..6c4011b8 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "enviou %s de %s", "activity-unjoined": "saiu de %s", "activity-subtask-added": "Adcionar subtarefa à", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "Adicionado lista de verificação a %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "adicionado o item de checklist para '%s' em %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Novo", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Adicionar Anexos", "add-board": "Adicionar Quadro", "add-card": "Adicionar Cartão", @@ -371,6 +381,7 @@ "restore": "Restaurar", "save": "Salvar", "search": "Buscar", + "rules": "Rules", "search-cards": "Pesquisa em títulos e descrições de cartões neste quadro", "search-example": "Texto para procurar", "select-color": "Selecionar Cor", @@ -507,5 +518,92 @@ "change-card-parent": "Mudar Pai do cartão", "parent-card": "Pai do cartão", "source-board": "Painel de fonte", - "no-parent": "Não mostrar Pai" + "no-parent": "Não mostrar Pai", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Mover para a lixeira", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Novo", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 954f7654..73f87b7c 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "sent %s to %s", "activity-unjoined": "unjoined %s", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Adicionar", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", "add-card": "Add Card", @@ -371,6 +381,7 @@ "restore": "Restore", "save": "Save", "search": "Search", + "rules": "Rules", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", "select-color": "Select Color", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Move to Recycle Bin", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Adicionar", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index e70aeaf3..5c5976a3 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "sent %s to %s", "activity-unjoined": "unjoined %s", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Add", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", "add-card": "Add Card", @@ -371,6 +381,7 @@ "restore": "Restore", "save": "Salvează", "search": "Caută", + "rules": "Rules", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", "select-color": "Select Color", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Move to Recycle Bin", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Add", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 980c0816..96e0023f 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "отправил %s в %s", "activity-unjoined": "вышел из %s", "activity-subtask-added": "добавил подзадачу в %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "добавил контрольный список в %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "добавил пункт контрольного списка в '%s' в карточке %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Создать", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Добавить вложение", "add-board": "Добавить доску", "add-card": "Добавить карту", @@ -371,6 +381,7 @@ "restore": "Восстановить", "save": "Сохранить", "search": "Поиск", + "rules": "Rules", "search-cards": "Искать в названиях и описаниях карточек на этой доске", "search-example": "Искать текст?", "select-color": "Выбрать цвет", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Переместить в Корзину", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Создать", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index 395fd05c..26299cd2 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "poslao %s %s-u", "activity-unjoined": "rastavio %s", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "lista je dodata u %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Dodaj", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", "add-card": "Add Card", @@ -371,6 +381,7 @@ "restore": "Oporavi", "save": "Snimi", "search": "Pretraga", + "rules": "Rules", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", "select-color": "Select Color", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Move to Recycle Bin", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Dodaj", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index efd18987..93f88cad 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "skickade %s till %s", "activity-unjoined": "gick ur %s", "activity-subtask-added": "lade till deluppgift till %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "lade kontrollista till %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "lade checklista objekt till '%s' i %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Lägg till", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Lägg till bilaga", "add-board": "Lägg till anslagstavla", "add-card": "Lägg till kort", @@ -371,6 +381,7 @@ "restore": "Återställ", "save": "Spara", "search": "Sök", + "rules": "Rules", "search-cards": "Sök från korttitlar och beskrivningar på det här brädet", "search-example": "Text att söka efter?", "select-color": "Välj färg", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Flytta till papperskorgen", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Lägg till", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index 006fa2df..5f196881 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "sent %s to %s", "activity-unjoined": "unjoined %s", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Add", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", "add-card": "Add Card", @@ -371,6 +381,7 @@ "restore": "Restore", "save": "Save", "search": "Search", + "rules": "Rules", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", "select-color": "Select Color", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Move to Recycle Bin", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Add", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index 1c2e3ecf..0db95688 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "ส่ง %s ถึง %s", "activity-unjoined": "ยกเลิกเข้าร่วม %s", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "รายการถูกเพิ่มไป %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "เพิ่ม", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", "add-card": "Add Card", @@ -371,6 +381,7 @@ "restore": "กู้คืน", "save": "บันทึก", "search": "ค้นหา", + "rules": "Rules", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", "select-color": "Select Color", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Move to Recycle Bin", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "เพิ่ม", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index 382c7b2c..ea589433 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -42,10 +42,20 @@ "activity-removed": "%s i %s ten kaldırdı", "activity-sent": "%s i %s e gönderdi", "activity-unjoined": "%s içinden ayrıldı", - "activity-subtask-added": "added subtask to %s", + "activity-subtask-added": "Alt-görev 1%s'e eklendi", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "%s içine yapılacak listesi ekledi", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "%s içinde %s yapılacak listesine öğe ekledi", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Ekle", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Ek Ekle", "add-board": "Pano Ekle", "add-card": "Kart Ekle", @@ -135,8 +145,8 @@ "cardMorePopup-title": "Daha", "cards": "Kartlar", "cards-count": "Kartlar", - "casSignIn": "Sign In with CAS", - "cardType-card": "Card", + "casSignIn": "CAS ile giriş yapın", + "cardType-card": "Kart", "cardType-linkedCard": "Linked Card", "cardType-linkedBoard": "Linked Board", "change": "Değiştir", @@ -371,6 +381,7 @@ "restore": "Geri Getir", "save": "Kaydet", "search": "Arama", + "rules": "Rules", "search-cards": "Bu tahta da ki kart başlıkları ve açıklamalarında arama yap", "search-example": "Aranılacak metin?", "select-color": "Renk Seç", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Geri Dönüşüm Kutusu'na taşı", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Ekle", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 8aa2c694..0b1aa800 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "sent %s to %s", "activity-unjoined": "unjoined %s", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Додати", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", "add-card": "Add Card", @@ -371,6 +381,7 @@ "restore": "Restore", "save": "Save", "search": "Search", + "rules": "Rules", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", "select-color": "Select Color", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Move to Recycle Bin", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Додати", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index 7dabc338..80bf6a93 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "gửi %s đến %s", "activity-unjoined": "đã rời khỏi %s", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "đã thêm checklist vào %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Thêm", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Thêm Bản Đính Kèm", "add-board": "Thêm Bảng", "add-card": "Thêm Thẻ", @@ -371,6 +381,7 @@ "restore": "Restore", "save": "Save", "search": "Search", + "rules": "Rules", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", "select-color": "Select Color", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Move to Recycle Bin", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "Thêm", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index d663bb82..ed642527 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "发送 %s 至 %s", "activity-unjoined": "已解除 %s 关联", "activity-subtask-added": "添加子任务到%s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "已经将清单添加到 %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "添加清单项至'%s' 于 %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "添加", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "添加附件", "add-board": "添加看板", "add-card": "添加卡片", @@ -371,6 +381,7 @@ "restore": "还原", "save": "保存", "search": "搜索", + "rules": "Rules", "search-cards": "搜索当前看板上的卡片标题和描述", "search-example": "搜索", "select-color": "选择颜色", @@ -507,5 +518,92 @@ "change-card-parent": "修改卡片的上级", "parent-card": "上级卡片", "source-board": "源看板", - "no-parent": "不显示上级" + "no-parent": "不显示上级", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "移入回收站", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "添加", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 6a60d8b7..9a5bd74a 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -43,9 +43,19 @@ "activity-sent": "寄送 %s 至 %s", "activity-unjoined": "解除關聯 %s", "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "新增待辦清單至 %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "新增待辦清單項目從 %s 到 %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "新增", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "新增附件", "add-board": "新增看板", "add-card": "新增卡片", @@ -371,6 +381,7 @@ "restore": "還原", "save": "儲存", "search": "搜尋", + "rules": "Rules", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", "select-color": "選擇顏色", @@ -507,5 +518,92 @@ "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent" + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "Add new rule", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Recycle Bin", + "r-unarchived": "Restored from Recycle Bin", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member is", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Move to Recycle Bin", + "r-unarchive": "Restore from Recycle Bin", + "r-card": "card", + "r-add": "新增", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-item-check": "Items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checlist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Recycle Bin", + "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 4f299b72f731ffb836871cd19361a6359e3bdfed Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Sep 2018 03:32:18 +0300 Subject: - IFTTT Rules. Useful to automate things like [adding labels, members, moving card, archiving them, checking checklists etc. Please test and report bugs. Later colors need to be made translatable. Thanks to GitHub users Angtrim and xet7 for their contributions. Related #1160 --- CHANGELOG.md | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index c5e5f325..31afb2b5 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# Upcoming Wekan release + +This release adds the following new features: + +- [IFTTT Rules](https://github.com/wekan/wekan/pull/1896). Useful to automate things like [adding labels, members, moving card, archiving them, checking checklists etc](https://github.com/wekan/wekan/issues/1160). + Please test and report bugs. Later colors need to be made translatable. + +Thanks to GitHub users Angtrim and xet7 for their contributions. + # v1.46 2018-09-15 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From 0c28c5b087f788657ddd904d50fae9209e6f1af2 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Sep 2018 13:38:51 +0300 Subject: Fix typo. --- i18n/en.i18n.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 555906ef..81206ae3 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -580,7 +580,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", -- cgit v1.2.3-1-g7c22 From 6516b96ee05cac2207e33ef07d58883457cecbd6 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Sep 2018 13:42:24 +0300 Subject: Update translations. --- i18n/ar.i18n.json | 2 +- i18n/bg.i18n.json | 2 +- i18n/br.i18n.json | 2 +- i18n/ca.i18n.json | 2 +- i18n/cs.i18n.json | 2 +- i18n/de.i18n.json | 192 ++++++++++++++++----------------- i18n/el.i18n.json | 2 +- i18n/en-GB.i18n.json | 2 +- i18n/eo.i18n.json | 2 +- i18n/es-AR.i18n.json | 2 +- i18n/es.i18n.json | 2 +- i18n/eu.i18n.json | 2 +- i18n/fa.i18n.json | 2 +- i18n/fr.i18n.json | 2 +- i18n/gl.i18n.json | 2 +- i18n/he.i18n.json | 2 +- i18n/hu.i18n.json | 2 +- i18n/hy.i18n.json | 2 +- i18n/id.i18n.json | 2 +- i18n/ig.i18n.json | 2 +- i18n/it.i18n.json | 2 +- i18n/ja.i18n.json | 2 +- i18n/ka.i18n.json | 2 +- i18n/km.i18n.json | 2 +- i18n/ko.i18n.json | 2 +- i18n/lv.i18n.json | 2 +- i18n/mn.i18n.json | 2 +- i18n/nb.i18n.json | 2 +- i18n/nl.i18n.json | 2 +- i18n/pl.i18n.json | 296 +++++++++++++++++++++++++-------------------------- i18n/pt-BR.i18n.json | 2 +- i18n/pt.i18n.json | 2 +- i18n/ro.i18n.json | 2 +- i18n/ru.i18n.json | 2 +- i18n/sr.i18n.json | 2 +- i18n/sv.i18n.json | 2 +- i18n/ta.i18n.json | 2 +- i18n/th.i18n.json | 2 +- i18n/tr.i18n.json | 2 +- i18n/uk.i18n.json | 2 +- i18n/vi.i18n.json | 2 +- i18n/zh-CN.i18n.json | 2 +- i18n/zh-TW.i18n.json | 2 +- 43 files changed, 285 insertions(+), 285 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 4ed1cc91..7e47952c 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 6ed7f15b..661d9a76 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index f1080830..9bba6154 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 0b40cbca..2a34ca96 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 554c5609..d2effd10 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 539a6603..2453391d 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -43,19 +43,19 @@ "activity-sent": "hat %s an %s gesendet", "activity-unjoined": "hat %s verlassen", "activity-subtask-added": "Teilaufgabe zu %s hinzugefügt", - "activity-checked-item": "checked %s in checklist %s of %s", - "activity-unchecked-item": "unchecked %s in checklist %s of %s", + "activity-checked-item": "markierte %s in Checkliste %svon %s", + "activity-unchecked-item": "demarkierte %s in Checkliste %s von %s", "activity-checklist-added": "hat eine Checkliste zu %s hinzugefügt", - "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", - "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", + "activity-checklist-removed": "entfernte eine Checkliste von %s", + "activity-checklist-completed": "vervollständigte die Checkliste %s von %s", + "activity-checklist-uncompleted": "unvervollständigte die Checkliste %s von %s", "activity-checklist-item-added": "hat eine Checklistenposition zu '%s' in %s hinzugefügt", - "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", + "activity-checklist-item-removed": "entfernte eine Checklistenposition von '%s' in %s", "add": "Hinzufügen", - "activity-checked-item-card": "checked %s in checklist %s", - "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", - "activity-checklist-uncompleted-card": "uncompleted the checklist %s", + "activity-checked-item-card": "markiere %s in Checkliste %s", + "activity-unchecked-item-card": "demarkiere %s in Checkliste %s", + "activity-checklist-completed-card": "vervollständigte die Checkliste %s", + "activity-checklist-uncompleted-card": "unvervollständigte die Checkliste %s", "add-attachment": "Datei anhängen", "add-board": "neues Board", "add-card": "Karte hinzufügen", @@ -381,7 +381,7 @@ "restore": "Wiederherstellen", "save": "Speichern", "search": "Suchen", - "rules": "Rules", + "rules": "Regeln", "search-cards": "Suche nach Kartentiteln und Beschreibungen auf diesem Board", "search-example": "Suchbegriff", "select-color": "Farbe auswählen", @@ -519,91 +519,91 @@ "parent-card": "Übergeordnete Karte", "source-board": "Quellboard", "no-parent": "Nicht anzeigen", - "activity-added-label": "added label '%s' to %s", - "activity-removed-label": "removed label '%s' from %s", - "activity-delete-attach": "deleted an attachment from %s", - "activity-added-label-card": "added label '%s'", - "activity-removed-label-card": "removed label '%s'", - "activity-delete-attach-card": "deleted an attachment", - "r-rule": "Rule", - "r-add-trigger": "Add trigger", - "r-add-action": "Add action", - "r-board-rules": "Board rules", - "r-add-rule": "Add rule", - "r-view-rule": "View rule", - "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", - "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", - "r-removed-from": "Removed from", - "r-the-board": "the board", - "r-list": "list", - "r-moved-to": "Moved to", - "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", - "r-a-card": "a card", - "r-when-a-label-is": "When a label is", - "r-when-the-label-is": "When the label is", - "r-list-name": "List name", - "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", - "r-name": "name", - "r-is": "is", - "r-when-a-attach": "When an attachment", - "r-when-a-checklist": "When a checklist is", - "r-when-the-checklist": "When the checklist", - "r-completed": "Completed", - "r-made-incomplete": "Made incomplete", - "r-when-a-item": "When a checklist item is", - "r-when-the-item": "When the checklist item", - "r-checked": "Checked", - "r-unchecked": "Unchecked", - "r-move-card-to": "Move card to", - "r-top-of": "Top of", - "r-bottom-of": "Bottom of", - "r-its-list": "its list", + "activity-added-label": "fügte Label '%s' zu %s hinzu", + "activity-removed-label": "entfernte Label '%s' von %s", + "activity-delete-attach": "löschte ein Anhang von %s", + "activity-added-label-card": "Label hinzugefügt '%s'", + "activity-removed-label-card": "Label entfernt '%s'", + "activity-delete-attach-card": "ein Anhang löschen", + "r-rule": "Regel", + "r-add-trigger": "Auslöser hinzufügen", + "r-add-action": "Aktion hinzufügen", + "r-board-rules": "Board Regeln", + "r-add-rule": "Regel hinzufügen", + "r-view-rule": "Regel anzeigen", + "r-delete-rule": "Regel löschen", + "r-new-rule-name": "Neue Regel hinzufügen", + "r-no-rules": "Keine Regeln", + "r-when-a-card-is": "Wenn eine Karte ist", + "r-added-to": "Hinzugefügt zu", + "r-removed-from": "Entfernt von", + "r-the-board": "das Board", + "r-list": "Liste", + "r-moved-to": "Verschieben nach", + "r-moved-from": "Verschieben von", + "r-archived": "In den Papierkorb verschieben", + "r-unarchived": "Aus dem Papierkorb wiederhergestellt", + "r-a-card": "eine Karte", + "r-when-a-label-is": "Wenn ein Label ist", + "r-when-the-label-is": " Wenn das Label ist", + "r-list-name": "Listennamen", + "r-when-a-member": "Wenn ein Mitglied ist", + "r-when-the-member": "Wenn das Mitglied ist", + "r-name": "Name", + "r-is": "ist", + "r-when-a-attach": "Wenn ein Anhang", + "r-when-a-checklist": "Wenn eine Checkliste ist", + "r-when-the-checklist": "Wenn die Checkliste", + "r-completed": "Abgeschlossen", + "r-made-incomplete": "Unvollständig gemacht", + "r-when-a-item": "Wenn eine Checklistenposition ist", + "r-when-the-item": "Wenn die Checklistenposition", + "r-checked": "Markiert", + "r-unchecked": "Demarkiert", + "r-move-card-to": "Verschiebe Karte nach", + "r-top-of": "Anfang von", + "r-bottom-of": "Ende von", + "r-its-list": "seine Liste", "r-archive": "In den Papierkorb verschieben", - "r-unarchive": "Restore from Recycle Bin", - "r-card": "card", + "r-unarchive": "Wiederherstellen aus dem Papierkorb", + "r-card": "Karte", "r-add": "Hinzufügen", - "r-remove": "Remove", - "r-label": "label", - "r-member": "member", - "r-remove-all": "Remove all members from the card", - "r-checklist": "checklist", - "r-check-all": "Check all", - "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", - "r-check": "Check", - "r-uncheck": "Uncheck", - "r-item": "item", - "r-of-checklist": "of checlist", - "r-send-email": "Send an email", - "r-to": "to", - "r-subject": "subject", - "r-rule-details": "Rule details", - "r-d-move-to-top-gen": "Move card to top of its list", - "r-d-move-to-top-spec": "Move card to top of list", - "r-d-move-to-bottom-gen": "Move card to bottom of its list", - "r-d-move-to-bottom-spec": "Move card to bottom of list", - "r-d-send-email": "Send email", - "r-d-send-email-to": "to", - "r-d-send-email-subject": "subject", - "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", - "r-d-add-label": "Add label", - "r-d-remove-label": "Remove label", - "r-d-add-member": "Add member", - "r-d-remove-member": "Remove member", - "r-d-remove-all-member": "Remove all member", - "r-d-check-all": "Check all items of a list", - "r-d-uncheck-all": "Uncheck all items of a list", - "r-d-check-one": "Check item", - "r-d-uncheck-one": "Uncheck item", - "r-d-check-of-list": "of checklist", - "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-remove": "entfernen", + "r-label": "Label", + "r-member": "Mitglied", + "r-remove-all": "Entferne alle Mitglieder von der Karte", + "r-checklist": "Checkliste", + "r-check-all": "Alle markieren", + "r-uncheck-all": "Alle demarkieren", + "r-item-check": "Elemente der Checkliste", + "r-check": "Markieren", + "r-uncheck": "Demarkieren", + "r-item": "Element", + "r-of-checklist": "der Checkliste", + "r-send-email": "Eine E-Mail senden", + "r-to": "an", + "r-subject": "Betreff", + "r-rule-details": "Regeldetails", + "r-d-move-to-top-gen": "Karte nach oben in die Liste verschieben", + "r-d-move-to-top-spec": "Karte an den Anfang der Liste verschieben", + "r-d-move-to-bottom-gen": "Karte nach unten in die Liste verschieben", + "r-d-move-to-bottom-spec": "Karte an das Ende der Liste verschieben", + "r-d-send-email": "E-Mail senden", + "r-d-send-email-to": "an", + "r-d-send-email-subject": "Betreff", + "r-d-send-email-message": "Nachricht", + "r-d-archive": "Karte in den Papierkorb verschieben", + "r-d-unarchive": "Karte aus den Papierkorb wiederherstellen", + "r-d-add-label": "Label hinzufügen", + "r-d-remove-label": "Label entfernen", + "r-d-add-member": "Mitglied hinzufügen", + "r-d-remove-member": "Mitglied entfernen", + "r-d-remove-all-member": "Entferne alle Mitglieder", + "r-d-check-all": "Alle Element der Liste markieren", + "r-d-uncheck-all": "Alle Element der Liste demarkieren", + "r-d-check-one": "Element markieren", + "r-d-uncheck-one": "Element demarkieren", + "r-d-check-of-list": "der Checkliste", + "r-d-add-checklist": "Checkliste hinzufügen", + "r-d-remove-checklist": "Checkliste entfernen" } \ No newline at end of file diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index ebdec7fb..5018f2cd 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 2e559002..b2376ba3 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index 08b81fcc..7b910421 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index 01b40684..d22380e4 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 1af6e244..8e486464 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index 412e8e3e..cff6b838 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index e653474d..dc53173b 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index a29647df..9fe0f7fa 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index e3dc8b8c..b539c02f 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 0460c51f..9f47ac16 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index 3c25f5f2..fb1f04ff 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index f708dcbf..d54fe4ac 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index bb6a61c1..b68ec9c8 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index e0bbab36..43f99f71 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 09bd3527..431d325c 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 03219f9a..c35a95ea 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index c2920047..b82e4cc1 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index 5c295b77..c5e1d524 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index 96f1da9d..73f72932 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index fcd39944..7552da44 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index e2858d16..2c4ecbdd 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index ea3855ee..ff7c453b 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 91d36a5b..a77e6f3b 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index fe20073f..60f591c3 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -1,7 +1,7 @@ { "accept": "Akceptuj", "act-activity-notify": "[Wekan] Powiadomienia - aktywności", - "act-addAttachment": "załączono __attachement__ do __karty__", + "act-addAttachment": "dodano załącznik __attachement__ do __karty__", "act-addSubtask": "dodano podzadanie __checklist__ do __card__", "act-addChecklist": "dodano listę zadań __checklist__ to __card__", "act-addChecklistItem": "dodano __checklistItem__ do listy zadań __checklist__ na karcie __card__", @@ -43,19 +43,19 @@ "activity-sent": "wysłano %s z %s", "activity-unjoined": "odłączono %s", "activity-subtask-added": "dodano podzadanie do %s", - "activity-checked-item": "checked %s in checklist %s of %s", - "activity-unchecked-item": "unchecked %s in checklist %s of %s", + "activity-checked-item": "zaznaczono %s w liście zadań%s z %s", + "activity-unchecked-item": "odznaczono %s w liście zadań %s z %s", "activity-checklist-added": "dodano listę zadań do %s", - "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", - "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", + "activity-checklist-removed": "usunięto listę zadań z %s", + "activity-checklist-completed": "ukończono listę zadań %s z %s", + "activity-checklist-uncompleted": "nieukończono listy zadań %s z %s", "activity-checklist-item-added": "dodano zadanie '%s' do %s", - "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", + "activity-checklist-item-removed": "usunięto element z listy zadań %s w %s", "add": "Dodaj", - "activity-checked-item-card": "checked %s in checklist %s", - "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", - "activity-checklist-uncompleted-card": "uncompleted the checklist %s", + "activity-checked-item-card": "zaznaczono %s w liście zadań %s", + "activity-unchecked-item-card": "odznaczono %s w liście zadań %s", + "activity-checklist-completed-card": "ukończono listę zadań %s", + "activity-checklist-uncompleted-card": "nieukończono listy zadań %s", "add-attachment": "Dodaj załącznik", "add-board": "Dodaj tablicę", "add-card": "Dodaj kartę", @@ -112,7 +112,7 @@ "boardChangeWatchPopup-title": "Change Watch", "boardMenuPopup-title": "Menu tablicy", "boards": "Tablice", - "board-view": "Board View", + "board-view": "Widok tablicy", "board-view-cal": "Kalendarz", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Listy", @@ -128,7 +128,7 @@ "card-due-on": "Due on", "card-spent": "Spent Time", "card-edit-attachments": "Edytuj załączniki", - "card-edit-custom-fields": "Edit custom fields", + "card-edit-custom-fields": "Edytuj niestandardowe pola", "card-edit-labels": "Edytuj etykiety", "card-edit-members": "Edytuj członków", "card-labels-title": "Zmień etykiety karty", @@ -136,8 +136,8 @@ "card-start": "Start", "card-start-on": "Starts on", "cardAttachmentsPopup-title": "Załącz z", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", + "cardCustomField-datePopup-title": "Zmień datę", + "cardCustomFieldsPopup-title": "Edytuj niestandardowe pola", "cardDeletePopup-title": "Usunąć kartę?", "cardDetailsActionsPopup-title": "Card Actions", "cardLabelsPopup-title": "Etykiety", @@ -160,7 +160,7 @@ "changePermissionsPopup-title": "Zmień uprawnienia", "changeSettingsPopup-title": "Zmień ustawienia", "subtasks": "Subtasks", - "checklists": "Checklists", + "checklists": "Listy zadań", "click-to-star": "Kliknij by odznaczyć tę tablicę.", "click-to-unstar": "Kliknij by usunąć odznaczenie tej tablicy.", "clipboard": "Schowek lub przeciągnij & upuść", @@ -185,20 +185,20 @@ "no-comments-desc": "Can not see comments and activities.", "computer": "Komputer", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", + "confirm-checklist-delete-dialog": "Czy jesteś pewien, że chcesz usunąć listę zadań?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "linkCardPopup-title": "Link Card", "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Skopiuj kartę", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-title": "Kopiuj szablon listy zadań do wielu kart", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", "create": "Utwórz", "createBoardPopup-title": "Utwórz tablicę", "chooseBoardSourcePopup-title": "Import tablicy", "createLabelPopup-title": "Utwórz etykietę", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", + "createCustomField": "Utwórz pole", + "createCustomFieldPopup-title": "Utwórz pole", "current": "obecny", "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", "custom-field-checkbox": "Checkbox", @@ -210,12 +210,12 @@ "custom-field-dropdown-unknown": "(unknown)", "custom-field-number": "Number", "custom-field-text": "Text", - "custom-fields": "Custom Fields", + "custom-fields": "Niestandardowe pola", "date": "Data", "decline": "Odrzuć", "default-avatar": "Domyślny avatar", "delete": "Usuń", - "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteCustomFieldPopup-title": "Usunąć niestandardowe pole?", "deleteLabelPopup-title": "Usunąć etykietę?", "description": "Opis", "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", @@ -311,7 +311,7 @@ "last-admin-desc": "You can’t change roles because there must be at least one admin.", "leave-board": "Opuść tablicę", "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", + "leaveBoardPopup-title": "Opuścić tablicę?", "link-card": "Link do tej karty", "list-archive-cards": "Move all cards in this list to Recycle Bin", "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", @@ -350,7 +350,7 @@ "normal": "Normal", "normal-desc": "Może widzieć i edytować karty. Nie może zmieniać ustawiań.", "not-accepted-yet": "Zaproszenie jeszcze nie zaakceptowane", - "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-participate": "Otrzymuj aktualizacje kart, w których uczestniczysz jako twórca lub członek.", "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", "optional": "opcjonalny", "or": "lub", @@ -412,24 +412,24 @@ "overtime": "Overtime", "has-overtime-cards": "Has overtime cards", "has-spenttime-cards": "Has spent time cards", - "time": "Time", + "time": "Czas", "title": "Tytuł", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", + "tracking": "Śledzenie", + "tracking-info": "Zostaniesz poinformowany o zmianach kart, w których bierzesz udział jako twórca lub członek.", + "type": "Typ", "unassign-member": "Nieprzypisany członek", "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", + "unwatch": "Nie obserwuj", "upload": "Wyślij", "upload-avatar": "Wyślij avatar", "uploaded-avatar": "Wysłany avatar", "username": "Nazwa użytkownika", "view-it": "Zobacz", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "ostrzeżenie: ta karta jest na liście w Koszu", "watch": "Obserwuj", "watching": "Obserwujesz", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", + "watching-info": "Będziesz poinformowany o każdej zmianie na tej tablicy", + "welcome-board": "Tablica powitalna", "welcome-swimlane": "Milestone 1", "welcome-list1": "Podstawy", "welcome-list2": "Zaawansowane", @@ -441,43 +441,43 @@ "settings": "Ustawienia", "people": "Osoby", "registration": "Rejestracja", - "disable-self-registration": "Disable Self-Registration", + "disable-self-registration": "Wyłącz rejestrację samodzielną", "invite": "Zaproś", "invite-people": "Zaproś osoby", "to-boards": "To board(s)", "email-addresses": "Adres e-mail", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host-description": "Adres serwera SMTP, który wysyła Twoje maile.", + "smtp-port-description": "Port, który Twój serwer SMTP wykorzystuje do wysyłania emaili.", + "smtp-tls-description": "Włącz wsparcie TLS dla serwera SMTP", "smtp-host": "Serwer SMTP", "smtp-port": "Port SMTP", "smtp-username": "Nazwa użytkownika", "smtp-password": "Hasło", - "smtp-tls": "TLS support", + "smtp-tls": "Wsparcie dla TLS", "send-from": "Od", "send-smtp-test": "Wyślij wiadomość testową do siebie", "invitation-code": "Kod z zaproszenia", "email-invite-register-subject": "__inviter__ wysłał Ci zaproszenie", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", + "email-invite-register-text": "Drogi __user__,\n\n__inviter__ zaprasza Cię do współpracy na Wekan.\n\nAby kontynuować, wejdź w poniższy link:\n__url__\n\nTwój kod zaproszenia to: __icode__\n\nDziękuję.", + "email-smtp-test-subject": "Test SMTP z Wekan", + "email-smtp-test-text": "Wiadomość testowa została wysłana z powodzeniem.", + "error-invitation-code-not-exist": "Kod zaproszenia nie istnieje", + "error-notAuthorized": "Nie jesteś uprawniony do przeglądania tej strony.", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(nieznany)", "Wekan_version": "Wersja Wekan", "Node_version": "Wersja Node", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", + "OS_Arch": "Architektura systemu operacyjnego", + "OS_Cpus": "Ilość rdzeni systemu operacyjnego", + "OS_Freemem": "Wolna pamięć RAM", + "OS_Loadavg": "Średnie obciążenie systemu operacyjnego", "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", + "OS_Release": "Wersja systemu operacyjnego", + "OS_Totalmem": "Dostępna pamięć RAM", + "OS_Type": "Wersja systemu operacyjnego", + "OS_Uptime": "Uptime systemu operacyjnego", "hours": "godzin", "minutes": "minut", "seconds": "sekund", @@ -486,25 +486,25 @@ "no": "Nie", "accounts": "Konto", "accounts-allowEmailChange": "Zezwól na zmianę adresu email", - "accounts-allowUserNameChange": "Allow Username Change", + "accounts-allowUserNameChange": "Zezwól na zmianę nazwy użytkownika", "createdAt": "Stworzono o", "verified": "Zweryfikowane", "active": "Aktywny", - "card-received": "Received", + "card-received": "Odebrano", "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", + "card-end": "Koniec", + "card-end-on": "Kończy się", + "editCardReceivedDatePopup-title": "Zmień datę odebrania", + "editCardEndDatePopup-title": "Zmień datę ukończenia", + "assigned-by": "Przypisane przez", "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board", + "board-delete-notice": "Usuwanie jest permanentne. Stracisz wszystkie listy, kart oraz czynności przypisane do tej tablicy.", + "delete-board-confirm-popup": "Wszystkie listy, etykiety oraz aktywności zostaną usunięte i nie będziesz w stanie przywrócić zawartości tablicy. Tego nie da się cofnąć.", + "boardDeletePopup-title": "Usunąć tablicę?", + "delete-board": "Usuń tablicę", "default-subtasks-board": "Subtasks for __board__ board", - "default": "Default", - "queue": "Queue", + "default": "Domyślny", + "queue": "Kolejka", "subtask-settings": "Subtasks Settings", "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", "show-subtasks-field": "Cards can have subtasks", @@ -515,95 +515,95 @@ "prefix-with-parent": "Prefix with parent", "subtext-with-full-path": "Subtext with full path", "subtext-with-parent": "Subtext with parent", - "change-card-parent": "Change card's parent", + "change-card-parent": "Zmień rodzica karty", "parent-card": "Parent card", - "source-board": "Source board", - "no-parent": "Don't show parent", - "activity-added-label": "added label '%s' to %s", - "activity-removed-label": "removed label '%s' from %s", - "activity-delete-attach": "deleted an attachment from %s", - "activity-added-label-card": "added label '%s'", - "activity-removed-label-card": "removed label '%s'", - "activity-delete-attach-card": "deleted an attachment", - "r-rule": "Rule", + "source-board": "Tablica źródłowa", + "no-parent": "Nie pokazuj rodzica", + "activity-added-label": "dodano etykietę '%s' z %s", + "activity-removed-label": "usunięto etykietę '%s' z %s", + "activity-delete-attach": "usunięto załącznik z %s", + "activity-added-label-card": "usunięto etykietę '%s'", + "activity-removed-label-card": "usunięto etykietę '%s'", + "activity-delete-attach-card": "usunięto załącznik", + "r-rule": "Reguła", "r-add-trigger": "Add trigger", - "r-add-action": "Add action", - "r-board-rules": "Board rules", - "r-add-rule": "Add rule", - "r-view-rule": "View rule", - "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", - "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", - "r-removed-from": "Removed from", - "r-the-board": "the board", - "r-list": "list", - "r-moved-to": "Moved to", - "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", - "r-a-card": "a card", - "r-when-a-label-is": "When a label is", - "r-when-the-label-is": "When the label is", + "r-add-action": "Dodaj czynność", + "r-board-rules": "Reguły tablicy", + "r-add-rule": "Dodaj regułę", + "r-view-rule": "Zobacz regułę", + "r-delete-rule": "Usuń regułę", + "r-new-rule-name": "Dodaj nową regułę", + "r-no-rules": "Brak regułę", + "r-when-a-card-is": "Gdy karta jest", + "r-added-to": "Dodano do", + "r-removed-from": "Usunięto z", + "r-the-board": "tablicy", + "r-list": "lista", + "r-moved-to": "Przeniesiono do", + "r-moved-from": "Przeniesiono z", + "r-archived": "Przeniesiono do kosza", + "r-unarchived": "Przywrócono z Kosza", + "r-a-card": "karta", + "r-when-a-label-is": "Gdy etykieta jest", + "r-when-the-label-is": "Gdy etykieta jest", "r-list-name": "List name", - "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", - "r-name": "name", - "r-is": "is", - "r-when-a-attach": "When an attachment", - "r-when-a-checklist": "When a checklist is", - "r-when-the-checklist": "When the checklist", - "r-completed": "Completed", + "r-when-a-member": "Gdy członek jest", + "r-when-the-member": "Gdy członek jest", + "r-name": "nazwa", + "r-is": "jest", + "r-when-a-attach": "Gdy załącznik", + "r-when-a-checklist": "Gdy lista zadań jest", + "r-when-the-checklist": "Gdy lista zadań", + "r-completed": "Ukończono", "r-made-incomplete": "Made incomplete", - "r-when-a-item": "When a checklist item is", - "r-when-the-item": "When the checklist item", - "r-checked": "Checked", - "r-unchecked": "Unchecked", - "r-move-card-to": "Move card to", - "r-top-of": "Top of", - "r-bottom-of": "Bottom of", - "r-its-list": "its list", + "r-when-a-item": "Gdy lista zadań jest", + "r-when-the-item": "Gdy element listy zadań", + "r-checked": "Zaznaczony", + "r-unchecked": "Odznaczony", + "r-move-card-to": "Przenieś kartę do", + "r-top-of": "Góra od", + "r-bottom-of": "Dół od", + "r-its-list": "tej listy", "r-archive": "Przenieś do Kosza", - "r-unarchive": "Restore from Recycle Bin", - "r-card": "card", + "r-unarchive": "Przywróć z Kosza", + "r-card": "karta", "r-add": "Dodaj", - "r-remove": "Remove", - "r-label": "label", - "r-member": "member", - "r-remove-all": "Remove all members from the card", - "r-checklist": "checklist", - "r-check-all": "Check all", - "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", - "r-check": "Check", - "r-uncheck": "Uncheck", - "r-item": "item", - "r-of-checklist": "of checlist", - "r-send-email": "Send an email", - "r-to": "to", - "r-subject": "subject", - "r-rule-details": "Rule details", - "r-d-move-to-top-gen": "Move card to top of its list", - "r-d-move-to-top-spec": "Move card to top of list", - "r-d-move-to-bottom-gen": "Move card to bottom of its list", - "r-d-move-to-bottom-spec": "Move card to bottom of list", - "r-d-send-email": "Send email", - "r-d-send-email-to": "to", - "r-d-send-email-subject": "subject", - "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", - "r-d-add-label": "Add label", - "r-d-remove-label": "Remove label", - "r-d-add-member": "Add member", - "r-d-remove-member": "Remove member", - "r-d-remove-all-member": "Remove all member", - "r-d-check-all": "Check all items of a list", - "r-d-uncheck-all": "Uncheck all items of a list", - "r-d-check-one": "Check item", - "r-d-uncheck-one": "Uncheck item", - "r-d-check-of-list": "of checklist", - "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-remove": "Usuń", + "r-label": "etykieta", + "r-member": "członek", + "r-remove-all": "Usuń wszystkich członków tej karty", + "r-checklist": "lista zadań", + "r-check-all": "Zaznacz wszystkie", + "r-uncheck-all": "Odznacz wszystkie", + "r-item-check": "Elementy listy zadań", + "r-check": "Zaznacz", + "r-uncheck": "Odznacz", + "r-item": "element", + "r-of-checklist": "z listy zadań", + "r-send-email": "Wyślij wiadomość email", + "r-to": "do", + "r-subject": "temat", + "r-rule-details": "Szczegóły reguł", + "r-d-move-to-top-gen": "Przenieś kartę na górę tej listy", + "r-d-move-to-top-spec": "Przenieś kartę na górę listy", + "r-d-move-to-bottom-gen": "Przenieś kartę na dół tej listy", + "r-d-move-to-bottom-spec": "Przenieś kartę na dół listy", + "r-d-send-email": "Wyślij wiadomość email", + "r-d-send-email-to": "do", + "r-d-send-email-subject": "temat", + "r-d-send-email-message": "wiadomość", + "r-d-archive": "Przenieś kartę do Kosza", + "r-d-unarchive": "Przywróć kartę z Kosza", + "r-d-add-label": "Dodaj etykietę", + "r-d-remove-label": "Usuń etykietę", + "r-d-add-member": "Dodaj członka", + "r-d-remove-member": "Usuń członka", + "r-d-remove-all-member": "Usuń wszystkich członków", + "r-d-check-all": "Zaznacz wszystkie elementy listy", + "r-d-uncheck-all": "Odznacz wszystkie elementy listy", + "r-d-check-one": "Zaznacz element", + "r-d-uncheck-one": "Odznacz element", + "r-d-check-of-list": "z listy zadań", + "r-d-add-checklist": "Dodaj listę zadań", + "r-d-remove-checklist": "Usuń listę zadań" } \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 6c4011b8..55ed4082 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 73f87b7c..3c6b896e 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index 5c5976a3..41d8e858 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 96e0023f..82691aa2 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index 26299cd2..d7b57095 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 93f88cad..0ec67b3d 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index 5f196881..841d3695 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index 0db95688..e38cc9b5 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index ea589433..862aabad 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 0b1aa800..afcb5f7d 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index 80bf6a93..94ae8893 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index ed642527..1c365f7b 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 9a5bd74a..d7b3a9db 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -579,7 +579,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checlist", + "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", -- cgit v1.2.3-1-g7c22 From 338e18870f937359c50c9be8b2a0fd96e0b4e141 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Sep 2018 13:46:43 +0300 Subject: v1.47 --- CHANGELOG.md | 5 +++-- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 6 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 31afb2b5..cbcfc6f0 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,8 +1,9 @@ -# Upcoming Wekan release +# v1.47 2018-09-16 Wekan release This release adds the following new features: -- [IFTTT Rules](https://github.com/wekan/wekan/pull/1896). Useful to automate things like [adding labels, members, moving card, archiving them, checking checklists etc](https://github.com/wekan/wekan/issues/1160). +- [IFTTT Rules](https://github.com/wekan/wekan/pull/1896). Useful to automate things like + [adding labels, members, moving card, archiving them, checking checklists etc](https://github.com/wekan/wekan/issues/1160). Please test and report bugs. Later colors need to be made translatable. Thanks to GitHub users Angtrim and xet7 for their contributions. diff --git a/package.json b/package.json index 0244ea0e..9f5cfdb3 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.46.0", + "version": "1.47.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index efe16ffd..80c9add2 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 131, + appVersion = 132, # Increment this for every release. - appMarketingVersion = (defaultText = "1.46.0~2018-09-15"), + appMarketingVersion = (defaultText = "1.47.0~2018-09-16"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 5445955a774f6a9f29ee48109913ea3c4a9db33f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 17 Sep 2018 12:49:43 +0300 Subject: - Revert IFTTT. Thanks to xet7 ! --- CHANGELOG.md | 10 - client/components/activities/activities.jade | 51 --- client/components/activities/activities.js | 16 - client/components/boards/boardHeader.jade | 9 - client/components/boards/boardHeader.js | 3 - client/components/forms/forms.styl | 1 - client/components/main/layouts.jade | 17 +- client/components/main/layouts.styl | 17 - client/components/rules/.DS_Store | Bin 6148 -> 0 bytes client/components/rules/actions/boardActions.jade | 46 --- client/components/rules/actions/boardActions.js | 122 ------- client/components/rules/actions/cardActions.jade | 43 --- client/components/rules/actions/cardActions.js | 118 ------ .../components/rules/actions/checklistActions.jade | 51 --- .../components/rules/actions/checklistActions.js | 128 ------- client/components/rules/actions/mailActions.jade | 11 - client/components/rules/actions/mailActions.js | 35 -- client/components/rules/ruleDetails.jade | 18 - client/components/rules/ruleDetails.js | 34 -- client/components/rules/rules.styl | 156 -------- client/components/rules/rulesActions.jade | 25 -- client/components/rules/rulesActions.js | 58 --- client/components/rules/rulesList.jade | 27 -- client/components/rules/rulesList.js | 15 - client/components/rules/rulesMain.jade | 9 - client/components/rules/rulesMain.js | 59 --- client/components/rules/rulesTriggers.jade | 21 -- client/components/rules/rulesTriggers.js | 53 --- .../components/rules/triggers/boardTriggers.jade | 61 ---- client/components/rules/triggers/boardTriggers.js | 103 ------ client/components/rules/triggers/cardTriggers.jade | 79 ---- client/components/rules/triggers/cardTriggers.js | 128 ------- .../rules/triggers/checklistTriggers.jade | 83 ----- .../components/rules/triggers/checklistTriggers.js | 146 -------- client/lib/modal.js | 14 +- client/lib/utils.js | 29 +- models/actions.js | 19 - models/activities.js | 8 - models/attachments.js | 7 - models/boards.js | 4 - models/cards.js | 404 +++------------------ models/checklistItems.js | 85 ----- models/checklists.js | 23 -- models/export.js | 74 +--- models/lists.js | 2 +- models/rules.js | 48 --- models/triggers.js | 58 --- models/wekanCreator.js | 205 +++-------- package.json | 2 +- sandstorm-pkgdef.capnp | 4 +- server/notifications/email.js | 2 - server/publications/rules.js | 18 - server/rulesHelper.js | 131 ------- server/triggersDef.js | 58 --- 54 files changed, 127 insertions(+), 2821 deletions(-) delete mode 100644 client/components/rules/.DS_Store delete mode 100644 client/components/rules/actions/boardActions.jade delete mode 100644 client/components/rules/actions/boardActions.js delete mode 100644 client/components/rules/actions/cardActions.jade delete mode 100644 client/components/rules/actions/cardActions.js delete mode 100644 client/components/rules/actions/checklistActions.jade delete mode 100644 client/components/rules/actions/checklistActions.js delete mode 100644 client/components/rules/actions/mailActions.jade delete mode 100644 client/components/rules/actions/mailActions.js delete mode 100644 client/components/rules/ruleDetails.jade delete mode 100644 client/components/rules/ruleDetails.js delete mode 100644 client/components/rules/rules.styl delete mode 100644 client/components/rules/rulesActions.jade delete mode 100644 client/components/rules/rulesActions.js delete mode 100644 client/components/rules/rulesList.jade delete mode 100644 client/components/rules/rulesList.js delete mode 100644 client/components/rules/rulesMain.jade delete mode 100644 client/components/rules/rulesMain.js delete mode 100644 client/components/rules/rulesTriggers.jade delete mode 100644 client/components/rules/rulesTriggers.js delete mode 100644 client/components/rules/triggers/boardTriggers.jade delete mode 100644 client/components/rules/triggers/boardTriggers.js delete mode 100644 client/components/rules/triggers/cardTriggers.jade delete mode 100644 client/components/rules/triggers/cardTriggers.js delete mode 100644 client/components/rules/triggers/checklistTriggers.jade delete mode 100644 client/components/rules/triggers/checklistTriggers.js delete mode 100644 models/actions.js delete mode 100644 models/rules.js delete mode 100644 models/triggers.js delete mode 100644 server/publications/rules.js delete mode 100644 server/rulesHelper.js delete mode 100644 server/triggersDef.js diff --git a/CHANGELOG.md b/CHANGELOG.md index cbcfc6f0..c5e5f325 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,13 +1,3 @@ -# v1.47 2018-09-16 Wekan release - -This release adds the following new features: - -- [IFTTT Rules](https://github.com/wekan/wekan/pull/1896). Useful to automate things like - [adding labels, members, moving card, archiving them, checking checklists etc](https://github.com/wekan/wekan/issues/1160). - Please test and report bugs. Later colors need to be made translatable. - -Thanks to GitHub users Angtrim and xet7 for their contributions. - # v1.46 2018-09-15 Wekan release This release adds the following new features: diff --git a/client/components/activities/activities.jade b/client/components/activities/activities.jade index bddc4dad..d3e3d5ba 100644 --- a/client/components/activities/activities.jade +++ b/client/components/activities/activities.jade @@ -14,9 +14,6 @@ template(name="boardActivities") p.activity-desc +memberName(user=user) - if($eq activityType 'deleteAttachment') - | {{{_ 'activity-delete-attach' cardLink}}}. - if($eq activityType 'addAttachment') | {{{_ 'activity-attached' attachmentLink cardLink}}}. @@ -34,28 +31,12 @@ template(name="boardActivities") .activity-checklist(href="{{ card.absoluteUrl }}") +viewer = checklist.title - if($eq activityType 'removeChecklist') - | {{{_ 'activity-checklist-removed' cardLink}}}. - - if($eq activityType 'checkedItem') - | {{{_ 'activity-checked-item' checkItem checklist.title cardLink}}}. - - if($eq activityType 'uncheckedItem') - | {{{_ 'activity-unchecked-item' checkItem checklist.title cardLink}}}. - - if($eq activityType 'checklistCompleted') - | {{{_ 'activity-checklist-completed' checklist.title cardLink}}}. - - if($eq activityType 'checklistUncompleted') - | {{{_ 'activity-checklist-uncompleted' checklist.title cardLink}}}. if($eq activityType 'addChecklistItem') | {{{_ 'activity-checklist-item-added' checklist.title cardLink}}}. .activity-checklist(href="{{ card.absoluteUrl }}") +viewer = checklistItem.title - if($eq activityType 'removedChecklistItem') - | {{{_ 'activity-checklist-item-removed' checklist.title cardLink}}}. if($eq activityType 'archivedCard') | {{{_ 'activity-archived' cardLink}}}. @@ -108,12 +89,6 @@ template(name="boardActivities") if($eq activityType 'restoredCard') | {{{_ 'activity-sent' cardLink boardLabel}}}. - if($eq activityType 'addedLabel') - | {{{_ 'activity-added-label' lastLabel cardLink}}}. - - if($eq activityType 'removedLabel') - | {{{_ 'activity-removed-label' lastLabel cardLink}}}. - if($eq activityType 'unjoinMember') if($eq user._id member._id) | {{{_ 'activity-unjoined' cardLink}}}. @@ -144,28 +119,6 @@ template(name="cardActivities") | {{{_ 'activity-removed' cardLabel memberLink}}}. if($eq activityType 'archivedCard') | {{_ 'activity-archived' cardLabel}}. - - if($eq activityType 'addedLabel') - | {{{_ 'activity-added-label-card' lastLabel }}}. - - if($eq activityType 'removedLabel') - | {{{_ 'activity-removed-label-card' lastLabel }}}. - - if($eq activityType 'removeChecklist') - | {{{_ 'activity-checklist-removed' cardLabel}}}. - - if($eq activityType 'checkedItem') - | {{{_ 'activity-checked-item-card' checkItem checklist.title }}}. - - if($eq activityType 'uncheckedItem') - | {{{_ 'activity-unchecked-item-card' checkItem checklist.title }}}. - - if($eq activityType 'checklistCompleted') - | {{{_ 'activity-checklist-completed-card' checklist.title }}}. - - if($eq activityType 'checklistUncompleted') - | {{{_ 'activity-checklist-uncompleted-card' checklist.title }}}. - if($eq activityType 'restoredCard') | {{_ 'activity-sent' cardLabel boardLabel}}. if($eq activityType 'moveCard') @@ -174,10 +127,6 @@ template(name="cardActivities") | {{{_ 'activity-attached' attachmentLink cardLabel}}}. if attachment.isImage img.attachment-image-preview(src=attachment.url) - if($eq activityType 'deleteAttachment') - | {{{_ 'activity-delete-attach' cardLabel}}}. - if($eq activityType 'removedChecklist') - | {{{_ 'activity-checklist-removed' cardLabel}}}. if($eq activityType 'addChecklist') | {{{_ 'activity-checklist-added' cardLabel}}}. .activity-checklist diff --git a/client/components/activities/activities.js b/client/components/activities/activities.js index b3fe8f50..25e151fd 100644 --- a/client/components/activities/activities.js +++ b/client/components/activities/activities.js @@ -50,12 +50,6 @@ BlazeComponent.extendComponent({ } }, - checkItem(){ - const checkItemId = this.currentData().checklistItemId; - const checkItem = ChecklistItems.findOne({_id:checkItemId}); - return checkItem.title; - }, - boardLabel() { return TAPi18n.__('this-board'); }, @@ -72,16 +66,6 @@ BlazeComponent.extendComponent({ }, card.title)); }, - lastLabel(){ - const lastLabelId = this.currentData().labelId; - const lastLabel = Boards.findOne(Session.get('currentBoard')).getLabelById(lastLabelId); - if(lastLabel.name === undefined || lastLabel.name === ''){ - return lastLabel.color; - }else{ - return lastLabel.name; - } - }, - listLabel() { return this.currentData().list().title; }, diff --git a/client/components/boards/boardHeader.jade b/client/components/boards/boardHeader.jade index dfd281de..1c6c8f8c 100644 --- a/client/components/boards/boardHeader.jade +++ b/client/components/boards/boardHeader.jade @@ -88,10 +88,6 @@ template(name="boardHeaderBar") a.board-header-btn-close.js-filter-reset(title="{{_ 'filter-clear'}}") i.fa.fa-times-thin - a.board-header-btn.js-open-rules-view(title="{{_ 'rules'}}") - i.fa.fa-magic - span {{_ 'rules'}} - a.board-header-btn.js-open-search-view(title="{{_ 'search'}}") i.fa.fa-search span {{_ 'search'}} @@ -294,11 +290,6 @@ template(name="boardChangeTitlePopup") textarea.js-board-desc= description input.primary.wide(type="submit" value="{{_ 'rename'}}") -template(name="boardCreateRulePopup") - p {{_ 'close-board-pop'}} - button.js-confirm.negate.full(type="submit") {{_ 'archive'}} - - template(name="archiveBoardPopup") p {{_ 'close-board-pop'}} button.js-confirm.negate.full(type="submit") {{_ 'archive'}} diff --git a/client/components/boards/boardHeader.js b/client/components/boards/boardHeader.js index 89f686ab..2dfd58c1 100644 --- a/client/components/boards/boardHeader.js +++ b/client/components/boards/boardHeader.js @@ -108,9 +108,6 @@ BlazeComponent.extendComponent({ 'click .js-open-search-view'() { Sidebar.setView('search'); }, - 'click .js-open-rules-view'() { - Modal.openWide('rulesMain'); - }, 'click .js-multiselection-activate'() { const currentCard = Session.get('currentCard'); MultiSelection.activate(); diff --git a/client/components/forms/forms.styl b/client/components/forms/forms.styl index 892a6e74..5be70b7a 100644 --- a/client/components/forms/forms.styl +++ b/client/components/forms/forms.styl @@ -1,6 +1,5 @@ @import 'nib' -select, textarea, input:not([type=file]), button diff --git a/client/components/main/layouts.jade b/client/components/main/layouts.jade index ac7da3af..b0024b33 100644 --- a/client/components/main/layouts.jade +++ b/client/components/main/layouts.jade @@ -36,18 +36,11 @@ template(name="defaultLayout") if (Modal.isOpen) #modal .overlay - if (Modal.isWide) - .modal-content-wide.modal-container - a.modal-close-btn.js-close-modal - i.fa.fa-times-thin - +Template.dynamic(template=Modal.getHeaderName) - +Template.dynamic(template=Modal.getTemplateName) - else - .modal-content.modal-container - a.modal-close-btn.js-close-modal - i.fa.fa-times-thin - +Template.dynamic(template=Modal.getHeaderName) - +Template.dynamic(template=Modal.getTemplateName) + .modal-content + a.modal-close-btn.js-close-modal + i.fa.fa-times-thin + +Template.dynamic(template=Modal.getHeaderName) + +Template.dynamic(template=Modal.getTemplateName) template(name="notFound") +message(label='page-not-found') diff --git a/client/components/main/layouts.styl b/client/components/main/layouts.styl index 3457a028..a79ff337 100644 --- a/client/components/main/layouts.styl +++ b/client/components/main/layouts.styl @@ -61,23 +61,6 @@ body display: block float: right font-size: 24px - - .modal-content-wide - width: 800px - min-height: 0px - margin: 42px auto - padding: 12px - border-radius: 4px - background: darken(white, 13%) - z-index: 110 - - h2 - margin-bottom: 25px - - .modal-close-btn - display: block - float: right - font-size: 24px h1 font-size: 22px diff --git a/client/components/rules/.DS_Store b/client/components/rules/.DS_Store deleted file mode 100644 index 5008ddfc..00000000 Binary files a/client/components/rules/.DS_Store and /dev/null differ diff --git a/client/components/rules/actions/boardActions.jade b/client/components/rules/actions/boardActions.jade deleted file mode 100644 index 768d77cf..00000000 --- a/client/components/rules/actions/boardActions.jade +++ /dev/null @@ -1,46 +0,0 @@ -template(name="boardActions") - div.trigger-item - div.trigger-content - div.trigger-text - | {{_'r-move-card-to'}} - div.trigger-dropdown - select(id="move-gen-action") - option(value="top") {{_'r-top-of'}} - option(value="bottom") {{_'r-bottom-of'}} - div.trigger-text - | {{_'r-its-list'}} - div.trigger-button.js-add-gen-move-action.js-goto-rules - i.fa.fa-plus - - div.trigger-item - div.trigger-content - div.trigger-text - | {{_'r-move-card-to'}} - div.trigger-dropdown - select(id="move-spec-action") - option(value="top") {{_'r-top-of'}} - option(value="bottom") {{_'r-bottom-of'}} - div.trigger-text - | {{_'r-list'}} - div.trigger-dropdown - input(id="listName",type=text,placeholder="{{_'r-name'}}") - div.trigger-button.js-add-spec-move-action.js-goto-rules - i.fa.fa-plus - - div.trigger-item - div.trigger-content - div.trigger-dropdown - select(id="arch-action") - option(value="archive") {{_'r-archive'}} - option(value="unarchive") {{_'r-unarchive'}} - div.trigger-text - | {{_'r-card'}} - div.trigger-button.js-add-arch-action.js-goto-rules - i.fa.fa-plus - - - - - - - diff --git a/client/components/rules/actions/boardActions.js b/client/components/rules/actions/boardActions.js deleted file mode 100644 index 95771fce..00000000 --- a/client/components/rules/actions/boardActions.js +++ /dev/null @@ -1,122 +0,0 @@ -BlazeComponent.extendComponent({ - onCreated() { - - }, - - events() { - return [{ - 'click .js-add-spec-move-action' (event) { - const ruleName = this.data().ruleName.get(); - const trigger = this.data().triggerVar.get(); - const actionSelected = this.find('#move-spec-action').value; - const listTitle = this.find('#listName').value; - const boardId = Session.get('currentBoard'); - const desc = Utils.getTriggerActionDesc(event, this); - if (actionSelected === 'top') { - const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({ - actionType: 'moveCardToTop', - listTitle, - boardId, - desc, - }); - Rules.insert({ - title: ruleName, - triggerId, - actionId, - boardId, - }); - } - if (actionSelected === 'bottom') { - const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({ - actionType: 'moveCardToBottom', - listTitle, - boardId, - desc, - }); - Rules.insert({ - title: ruleName, - triggerId, - actionId, - boardId, - }); - } - }, - 'click .js-add-gen-move-action' (event) { - const desc = Utils.getTriggerActionDesc(event, this); - const boardId = Session.get('currentBoard'); - const ruleName = this.data().ruleName.get(); - const trigger = this.data().triggerVar.get(); - const actionSelected = this.find('#move-gen-action').value; - if (actionSelected === 'top') { - const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({ - actionType: 'moveCardToTop', - 'listTitle': '*', - boardId, - desc, - }); - Rules.insert({ - title: ruleName, - triggerId, - actionId, - boardId, - }); - } - if (actionSelected === 'bottom') { - const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({ - actionType: 'moveCardToBottom', - 'listTitle': '*', - boardId, - desc, - }); - Rules.insert({ - title: ruleName, - triggerId, - actionId, - boardId, - }); - } - }, - 'click .js-add-arch-action' (event) { - const desc = Utils.getTriggerActionDesc(event, this); - const boardId = Session.get('currentBoard'); - const ruleName = this.data().ruleName.get(); - const trigger = this.data().triggerVar.get(); - const actionSelected = this.find('#arch-action').value; - if (actionSelected === 'archive') { - const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({ - actionType: 'archive', - boardId, - desc, - }); - Rules.insert({ - title: ruleName, - triggerId, - actionId, - boardId, - }); - } - if (actionSelected === 'unarchive') { - const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({ - actionType: 'unarchive', - boardId, - desc, - }); - Rules.insert({ - title: ruleName, - triggerId, - actionId, - boardId, - }); - } - }, - }]; - }, - -}).register('boardActions'); -/* eslint-no-undef */ diff --git a/client/components/rules/actions/cardActions.jade b/client/components/rules/actions/cardActions.jade deleted file mode 100644 index 74ad9ab5..00000000 --- a/client/components/rules/actions/cardActions.jade +++ /dev/null @@ -1,43 +0,0 @@ -template(name="cardActions") - div.trigger-item - div.trigger-content - div.trigger-dropdown - select(id="label-action") - option(value="add") {{{_'r-add'}}} - option(value="remove") {{{_'r-remove'}}} - div.trigger-text - | {{{_'r-label'}}} - div.trigger-dropdown - select(id="label-id") - each labels - option(value="#{_id}") - = name - div.trigger-button.js-add-label-action.js-goto-rules - i.fa.fa-plus - - div.trigger-item - div.trigger-content - div.trigger-dropdown - select(id="member-action") - option(value="add") {{{_'r-add'}}} - option(value="remove") {{{_'r-remove'}}} - div.trigger-text - | {{{_'r-member'}}} - div.trigger-dropdown - input(id="member-name",type=text,placeholder="{{{_'r-name'}}}") - div.trigger-button.js-add-member-action.js-goto-rules - i.fa.fa-plus - - div.trigger-item - div.trigger-content - div.trigger-text - | {{{_'r-remove-all'}}} - div.trigger-button.js-add-removeall-action.js-goto-rules - i.fa.fa-plus - - - - - - - diff --git a/client/components/rules/actions/cardActions.js b/client/components/rules/actions/cardActions.js deleted file mode 100644 index a65407c1..00000000 --- a/client/components/rules/actions/cardActions.js +++ /dev/null @@ -1,118 +0,0 @@ -BlazeComponent.extendComponent({ - onCreated() { - this.subscribe('allRules'); - }, - - labels() { - const labels = Boards.findOne(Session.get('currentBoard')).labels; - for (let i = 0; i < labels.length; i++) { - if (labels[i].name === '' || labels[i].name === undefined) { - labels[i].name = labels[i].color.toUpperCase(); - } - } - return labels; - }, - - events() { - return [{ - 'click .js-add-label-action' (event) { - const ruleName = this.data().ruleName.get(); - const trigger = this.data().triggerVar.get(); - const actionSelected = this.find('#label-action').value; - const labelId = this.find('#label-id').value; - const boardId = Session.get('currentBoard'); - const desc = Utils.getTriggerActionDesc(event, this); - if (actionSelected === 'add') { - const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({ - actionType: 'addLabel', - labelId, - boardId, - desc, - }); - Rules.insert({ - title: ruleName, - triggerId, - actionId, - boardId, - }); - } - if (actionSelected === 'remove') { - const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({ - actionType: 'removeLabel', - labelId, - boardId, - desc, - }); - Rules.insert({ - title: ruleName, - triggerId, - actionId, - boardId, - }); - } - - }, - 'click .js-add-member-action' (event) { - const ruleName = this.data().ruleName.get(); - const trigger = this.data().triggerVar.get(); - const actionSelected = this.find('#member-action').value; - const memberName = this.find('#member-name').value; - const boardId = Session.get('currentBoard'); - const desc = Utils.getTriggerActionDesc(event, this); - if (actionSelected === 'add') { - const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({ - actionType: 'addMember', - memberName, - boardId, - desc, - }); - Rules.insert({ - title: ruleName, - triggerId, - actionId, - boardId, - desc, - }); - } - if (actionSelected === 'remove') { - const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({ - actionType: 'removeMember', - memberName, - boardId, - desc, - }); - Rules.insert({ - title: ruleName, - triggerId, - actionId, - boardId, - }); - } - }, - 'click .js-add-removeall-action' (event) { - const ruleName = this.data().ruleName.get(); - const trigger = this.data().triggerVar.get(); - const triggerId = Triggers.insert(trigger); - const desc = Utils.getTriggerActionDesc(event, this); - const boardId = Session.get('currentBoard'); - const actionId = Actions.insert({ - actionType: 'removeMember', - 'memberName': '*', - boardId, - desc, - }); - Rules.insert({ - title: ruleName, - triggerId, - actionId, - boardId, - }); - }, - }]; - }, - -}).register('cardActions'); diff --git a/client/components/rules/actions/checklistActions.jade b/client/components/rules/actions/checklistActions.jade deleted file mode 100644 index 8414a1a5..00000000 --- a/client/components/rules/actions/checklistActions.jade +++ /dev/null @@ -1,51 +0,0 @@ -template(name="checklistActions") - div.trigger-item - div.trigger-content - div.trigger-dropdown - select(id="check-action") - option(value="add") {{{_'r-add'}}} - option(value="remove") {{{_'r-remove'}}} - div.trigger-text - | {{{_'r-checklist'}}} - div.trigger-dropdown - input(id="checklist-name",type=text,placeholder="{{{_'r-name'}}}") - div.trigger-button.js-add-checklist-action.js-goto-rules - i.fa.fa-plus - - div.trigger-item - div.trigger-content - div.trigger-dropdown - select(id="checkall-action") - option(value="check") {{{_'r-check-all'}}} - option(value="uncheck") {{{_'r-uncheck-all'}}} - div.trigger-text - | {{{_'r-items-check'}}} - div.trigger-dropdown - input(id="checklist-name2",type=text,placeholder="{{{_'r-name'}}}") - div.trigger-button.js-add-checkall-action.js-goto-rules - i.fa.fa-plus - - - div.trigger-item - div.trigger-content - div.trigger-dropdown - select(id="check-item-action") - option(value="check") {{{_'r-check'}}} - option(value="uncheck") {{{_'r-uncheck'}}} - div.trigger-text - | {{{_'r-item'}}} - div.trigger-dropdown - input(id="checkitem-name",type=text,placeholder="{{{_'r-name'}}}") - div.trigger-text - | {{{_'r-of-checklist'}}} - div.trigger-dropdown - input(id="checklist-name3",type=text,placeholder="{{{_'r-name'}}}") - div.trigger-button.js-add-check-item-action.js-goto-rules - i.fa.fa-plus - - - - - - - diff --git a/client/components/rules/actions/checklistActions.js b/client/components/rules/actions/checklistActions.js deleted file mode 100644 index 4b70f959..00000000 --- a/client/components/rules/actions/checklistActions.js +++ /dev/null @@ -1,128 +0,0 @@ -BlazeComponent.extendComponent({ - onCreated() { - this.subscribe('allRules'); - }, - events() { - return [{ - 'click .js-add-checklist-action' (event) { - const ruleName = this.data().ruleName.get(); - const trigger = this.data().triggerVar.get(); - const actionSelected = this.find('#check-action').value; - const checklistName = this.find('#checklist-name').value; - const boardId = Session.get('currentBoard'); - const desc = Utils.getTriggerActionDesc(event, this); - if (actionSelected === 'add') { - const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({ - actionType: 'addChecklist', - checklistName, - boardId, - desc, - }); - Rules.insert({ - title: ruleName, - triggerId, - actionId, - boardId, - }); - } - if (actionSelected === 'remove') { - const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({ - actionType: 'removeChecklist', - checklistName, - boardId, - desc, - }); - Rules.insert({ - title: ruleName, - triggerId, - actionId, - boardId, - }); - } - - }, - 'click .js-add-checkall-action' (event) { - const ruleName = this.data().ruleName.get(); - const trigger = this.data().triggerVar.get(); - const actionSelected = this.find('#checkall-action').value; - const checklistName = this.find('#checklist-name2').value; - const boardId = Session.get('currentBoard'); - const desc = Utils.getTriggerActionDesc(event, this); - if (actionSelected === 'check') { - const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({ - actionType: 'checkAll', - checklistName, - boardId, - desc, - }); - Rules.insert({ - title: ruleName, - triggerId, - actionId, - boardId, - }); - } - if (actionSelected === 'uncheck') { - const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({ - actionType: 'uncheckAll', - checklistName, - boardId, - desc, - }); - Rules.insert({ - title: ruleName, - triggerId, - actionId, - boardId, - }); - } - }, - 'click .js-add-check-item-action' (event) { - const ruleName = this.data().ruleName.get(); - const trigger = this.data().triggerVar.get(); - const checkItemName = this.find('#checkitem-name'); - const checklistName = this.find('#checklist-name3'); - const actionSelected = this.find('#check-item-action').value; - const boardId = Session.get('currentBoard'); - const desc = Utils.getTriggerActionDesc(event, this); - if (actionSelected === 'check') { - const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({ - actionType: 'checkItem', - checklistName, - checkItemName, - boardId, - desc, - }); - Rules.insert({ - title: ruleName, - triggerId, - actionId, - boardId, - }); - } - if (actionSelected === 'uncheck') { - const triggerId = Triggers.insert(trigger); - const actionId = Actions.insert({ - actionType: 'uncheckItem', - checklistName, - checkItemName, - boardId, - desc, - }); - Rules.insert({ - title: ruleName, - triggerId, - actionId, - boardId, - }); - } - }, - }]; - }, - -}).register('checklistActions'); diff --git a/client/components/rules/actions/mailActions.jade b/client/components/rules/actions/mailActions.jade deleted file mode 100644 index 7be78c75..00000000 --- a/client/components/rules/actions/mailActions.jade +++ /dev/null @@ -1,11 +0,0 @@ -template(name="mailActions") - div.trigger-item.trigger-item-mail - div.trigger-content.trigger-content-mail - div.trigger-text.trigger-text-email - | {{_'r-send-email'}} - div.trigger-dropdown-mail - input(id="email-to",type=text,placeholder="{{_'r-to'}}") - input(id="email-subject",type=text,placeholder="{{_'r-subject'}}") - textarea(id="email-msg") - div.trigger-button.trigger-button-email.js-mail-action.js-goto-rules - i.fa.fa-plus diff --git a/client/components/rules/actions/mailActions.js b/client/components/rules/actions/mailActions.js deleted file mode 100644 index 40cbc280..00000000 --- a/client/components/rules/actions/mailActions.js +++ /dev/null @@ -1,35 +0,0 @@ -BlazeComponent.extendComponent({ - onCreated() { - - }, - - events() { - return [{ - 'click .js-mail-action' (event) { - const emailTo = this.find('#email-to').value; - const emailSubject = this.find('#email-subject').value; - const emailMsg = this.find('#email-msg').value; - const trigger = this.data().triggerVar.get(); - const ruleName = this.data().ruleName.get(); - const triggerId = Triggers.insert(trigger); - const boardId = Session.get('currentBoard'); - const desc = Utils.getTriggerActionDesc(event, this); - const actionId = Actions.insert({ - actionType: 'sendEmail', - emailTo, - emailSubject, - emailMsg, - boardId, - desc, - }); - Rules.insert({ - title: ruleName, - triggerId, - actionId, - boardId, - }); - }, - }]; - }, - -}).register('mailActions'); diff --git a/client/components/rules/ruleDetails.jade b/client/components/rules/ruleDetails.jade deleted file mode 100644 index b9a1351c..00000000 --- a/client/components/rules/ruleDetails.jade +++ /dev/null @@ -1,18 +0,0 @@ -template(name="ruleDetails") - .rules - h2 - i.fa.fa-magic - | {{{_ 'r-rule-details' }}} - .triggers-content - .triggers-body - .triggers-main-body - div.trigger-item - div.trigger-content - div.trigger-text - = trigger - div.trigger-item - div.trigger-content - div.trigger-text - = action - - \ No newline at end of file diff --git a/client/components/rules/ruleDetails.js b/client/components/rules/ruleDetails.js deleted file mode 100644 index 386b2b48..00000000 --- a/client/components/rules/ruleDetails.js +++ /dev/null @@ -1,34 +0,0 @@ -BlazeComponent.extendComponent({ - onCreated() { - this.subscribe('allRules'); - this.subscribe('allTriggers'); - this.subscribe('allActions'); - - }, - - trigger() { - const ruleId = this.data().ruleId; - const rule = Rules.findOne({ - _id: ruleId.get(), - }); - const trigger = Triggers.findOne({ - _id: rule.triggerId, - }); - return trigger.description(); - }, - action() { - const ruleId = this.data().ruleId; - const rule = Rules.findOne({ - _id: ruleId.get(), - }); - const action = Actions.findOne({ - _id: rule.actionId, - }); - return action.description(); - }, - - events() { - return [{}]; - }, - -}).register('ruleDetails'); diff --git a/client/components/rules/rules.styl b/client/components/rules/rules.styl deleted file mode 100644 index 68d74d32..00000000 --- a/client/components/rules/rules.styl +++ /dev/null @@ -1,156 +0,0 @@ -.rules-list - overflow:hidden - overflow-y:scroll - max-height: 400px -.rules-lists-item - display: block - position: relative - overflow: auto - p - display: inline-block - float: left - margin: revert - -.rules-btns-group - position: absolute - right: 0 - top: 50% - transform: translateY(-50%) - button - margin: auto -.rules-add - display: block - overflow: auto - margin-top: 15px - margin-bottom: 5px - input - display: inline-block - float: right - margin: auto - margin-right: 10px - button - display: inline-block - float: right - margin: auto -.flex - display: -webkit-box - display: -moz-box - display: -webkit-flex - display: -moz-flex - display: -ms-flexbox - display: flex - - - -.triggers-content - color: #727479 - background: #dedede - .triggers-body - display flex - padding-top 15px - height 100% - - .triggers-side-menu - background-color: #f7f7f7 - border: 1px solid #f0f0f0 - border-radius: 4px - height: intrinsic - box-shadow: inset -1px -1px 3px rgba(0,0,0,.05) - - ul - - li - margin: 0.1rem 0.2rem; - width:50px - height:50px - text-align:center - font-size: 25px - position: relative - - i - position: absolute; - top: 50%; - left: 50%; - box-shadow: none - transform: translate(-50%,-50%); - - - &.active - background #fff - box-shadow 0 1px 2px rgba(0,0,0,0.15); - - &:hover - background #fff - box-shadow 0 1px 2px rgba(0,0,0,0.15); - a - @extends .flex - padding: 1rem 0 1rem 1rem - width: 100% - 5rem - - - span - font-size: 13px - .triggers-main-body - padding: 0.1em 1em - width:100% - .trigger-item - overflow:auto - padding:10px - height:40px - margin-bottom:5px - border-radius: 3px - position: relative - background-color: white - .trigger-content - position:absolute - top:50% - transform: translateY(-50%) - left:10px - .trigger-text - font-size: 16px - display:inline-block - .trigger-text.trigger-text-email - margin-left: 5px; - margin-top: 10px; - margin-bottom: 10px; - .trigger-dropdown - display:inline-block - select - width:100px - height:30px - margin:0px - margin-left:5px - input - display: inline-block - width: 80px; - margin: 0; - .trigger-content-mail - left:20px - right:100px - .trigger-button - position:absolute - top:50% - transform: translateY(-50%) - width:30px - height:30px - border: 1px solid #eee - border-radius: 4px - box-shadow: inset -1px -1px 3px rgba(0,0,0,.05) - text-align:center - font-size: 20px - right:10px - i - position: absolute - top: 50% - left: 50% - box-shadow: none - transform: translate(-50%,-50%) - &:hover, &.is-active - box-shadow: 0 0 0 2px darken(white, 60%) inset - .trigger-button.trigger-button-email - top:30px - .trigger-item.trigger-item-mail - height:300px - - - diff --git a/client/components/rules/rulesActions.jade b/client/components/rules/rulesActions.jade deleted file mode 100644 index 8dfceeeb..00000000 --- a/client/components/rules/rulesActions.jade +++ /dev/null @@ -1,25 +0,0 @@ -template(name="rulesActions") - h2 - i.fa.fa-magic - | {{{_ 'r-rule' }}} "#{data.ruleName.get}" - {{{_ 'r-add-action'}}} - .triggers-content - .triggers-body - .triggers-side-menu - ul - li.active.js-set-board-actions - i.fa.fa-columns - li.js-set-card-actions - i.fa.fa-sticky-note - li.js-set-checklist-actions - i.fa.fa-check - li.js-set-mail-actions - i.fa.fa-at - .triggers-main-body - if ($eq currentActions.get 'board') - +boardActions(ruleName=data.ruleName triggerVar=data.triggerVar) - else if ($eq currentActions.get 'card') - +cardActions(ruleName=data.ruleName triggerVar=data.triggerVar) - else if ($eq currentActions.get 'checklist') - +checklistActions(ruleName=data.ruleName triggerVar=data.triggerVar) - else if ($eq currentActions.get 'mail') - +mailActions(ruleName=data.ruleName triggerVar=data.triggerVar) \ No newline at end of file diff --git a/client/components/rules/rulesActions.js b/client/components/rules/rulesActions.js deleted file mode 100644 index ecba857b..00000000 --- a/client/components/rules/rulesActions.js +++ /dev/null @@ -1,58 +0,0 @@ -BlazeComponent.extendComponent({ - onCreated() { - this.currentActions = new ReactiveVar('board'); - }, - - setBoardActions() { - this.currentActions.set('board'); - $('.js-set-card-actions').removeClass('active'); - $('.js-set-board-actions').addClass('active'); - $('.js-set-checklist-actions').removeClass('active'); - $('.js-set-mail-actions').removeClass('active'); - }, - setCardActions() { - this.currentActions.set('card'); - $('.js-set-card-actions').addClass('active'); - $('.js-set-board-actions').removeClass('active'); - $('.js-set-checklist-actions').removeClass('active'); - $('.js-set-mail-actions').removeClass('active'); - }, - setChecklistActions() { - this.currentActions.set('checklist'); - $('.js-set-card-actions').removeClass('active'); - $('.js-set-board-actions').removeClass('active'); - $('.js-set-checklist-actions').addClass('active'); - $('.js-set-mail-actions').removeClass('active'); - }, - setMailActions() { - this.currentActions.set('mail'); - $('.js-set-card-actions').removeClass('active'); - $('.js-set-board-actions').removeClass('active'); - $('.js-set-checklist-actions').removeClass('active'); - $('.js-set-mail-actions').addClass('active'); - }, - - rules() { - return Rules.find({}); - }, - - name() { - // console.log(this.data()); - }, - events() { - return [{ - 'click .js-set-board-actions' (event) { - this.setBoardActions(); - }, - 'click .js-set-card-actions' (event) { - this.setCardActions(); - }, - 'click .js-set-mail-actions' (event) { - this.setMailActions(); - }, - 'click .js-set-checklist-actions' (event) { - this.setChecklistActions(); - }, - }]; - }, -}).register('rulesActions'); diff --git a/client/components/rules/rulesList.jade b/client/components/rules/rulesList.jade deleted file mode 100644 index c2676aa7..00000000 --- a/client/components/rules/rulesList.jade +++ /dev/null @@ -1,27 +0,0 @@ -template(name="rulesList") - .rules - h2 - i.fa.fa-magic - | {{{_ 'r-board-rules' }}} - - ul.rules-list - each rules - li.rules-lists-item - p - = title - div.rules-btns-group - button.js-goto-details - i.fa.fa-eye - | {{{_ 'r-view-rule'}}} - if currentUser.isAdmin - button.js-delete-rule - i.fa.fa-trash-o - | {{{_ 'r-delete-rule'}}} - else - li.no-items-message {{{_ 'r-no-rules' }}} - if currentUser.isAdmin - div.rules-add - button.js-goto-trigger - i.fa.fa-plus - | {{{_ 'r-add-rule'}}} - input(type=text,placeholder="{{{_ 'r-new-rule-name' }}}",id="ruleTitle") \ No newline at end of file diff --git a/client/components/rules/rulesList.js b/client/components/rules/rulesList.js deleted file mode 100644 index d3923bf9..00000000 --- a/client/components/rules/rulesList.js +++ /dev/null @@ -1,15 +0,0 @@ -BlazeComponent.extendComponent({ - onCreated() { - this.subscribe('allRules'); - }, - - rules() { - const boardId = Session.get('currentBoard'); - return Rules.find({ - boardId, - }); - }, - events() { - return [{}]; - }, -}).register('rulesList'); diff --git a/client/components/rules/rulesMain.jade b/client/components/rules/rulesMain.jade deleted file mode 100644 index dc33ee4e..00000000 --- a/client/components/rules/rulesMain.jade +++ /dev/null @@ -1,9 +0,0 @@ -template(name="rulesMain") - if($eq rulesCurrentTab.get 'rulesList') - +rulesList - if($eq rulesCurrentTab.get 'trigger') - +rulesTriggers(ruleName=ruleName triggerVar=triggerVar) - if($eq rulesCurrentTab.get 'action') - +rulesActions(ruleName=ruleName triggerVar=triggerVar) - if($eq rulesCurrentTab.get 'ruleDetails') - +ruleDetails(ruleId=ruleId) \ No newline at end of file diff --git a/client/components/rules/rulesMain.js b/client/components/rules/rulesMain.js deleted file mode 100644 index 65cc3d98..00000000 --- a/client/components/rules/rulesMain.js +++ /dev/null @@ -1,59 +0,0 @@ -BlazeComponent.extendComponent({ - onCreated() { - this.rulesCurrentTab = new ReactiveVar('rulesList'); - this.ruleName = new ReactiveVar(''); - this.triggerVar = new ReactiveVar(); - this.ruleId = new ReactiveVar(); - }, - - setTrigger() { - this.rulesCurrentTab.set('trigger'); - }, - - setRulesList() { - this.rulesCurrentTab.set('rulesList'); - }, - - setAction() { - this.rulesCurrentTab.set('action'); - }, - - setRuleDetails() { - this.rulesCurrentTab.set('ruleDetails'); - }, - - events() { - return [{ - 'click .js-delete-rule' (event) { - const rule = this.currentData(); - Rules.remove(rule._id); - Actions.remove(rule.actionId); - Triggers.remove(rule.triggerId); - - }, - 'click .js-goto-trigger' (event) { - event.preventDefault(); - const ruleTitle = this.find('#ruleTitle').value; - this.find('#ruleTitle').value = ''; - this.ruleName.set(ruleTitle); - this.setTrigger(); - }, - 'click .js-goto-action' (event) { - event.preventDefault(); - this.setAction(); - }, - 'click .js-goto-rules' (event) { - event.preventDefault(); - this.setRulesList(); - }, - 'click .js-goto-details' (event) { - event.preventDefault(); - const rule = this.currentData(); - this.ruleId.set(rule._id); - this.setRuleDetails(); - }, - - }]; - }, - -}).register('rulesMain'); diff --git a/client/components/rules/rulesTriggers.jade b/client/components/rules/rulesTriggers.jade deleted file mode 100644 index 0ef5edfa..00000000 --- a/client/components/rules/rulesTriggers.jade +++ /dev/null @@ -1,21 +0,0 @@ -template(name="rulesTriggers") - h2 - i.fa.fa-magic - | {{{_ 'r-rule' }}} "#{data.ruleName.get}" - {{{_ 'r-add-trigger'}}} - .triggers-content - .triggers-body - .triggers-side-menu - ul - li.active.js-set-board-triggers - i.fa.fa-columns - li.js-set-card-triggers - i.fa.fa-sticky-note - li.js-set-checklist-triggers - i.fa.fa-check - .triggers-main-body - if showBoardTrigger.get - +boardTriggers - else if showCardTrigger.get - +cardTriggers - else if showChecklistTrigger.get - +checklistTriggers \ No newline at end of file diff --git a/client/components/rules/rulesTriggers.js b/client/components/rules/rulesTriggers.js deleted file mode 100644 index 506e63b2..00000000 --- a/client/components/rules/rulesTriggers.js +++ /dev/null @@ -1,53 +0,0 @@ -BlazeComponent.extendComponent({ - onCreated() { - this.showBoardTrigger = new ReactiveVar(true); - this.showCardTrigger = new ReactiveVar(false); - this.showChecklistTrigger = new ReactiveVar(false); - }, - - setBoardTriggers() { - this.showBoardTrigger.set(true); - this.showCardTrigger.set(false); - this.showChecklistTrigger.set(false); - $('.js-set-card-triggers').removeClass('active'); - $('.js-set-board-triggers').addClass('active'); - $('.js-set-checklist-triggers').removeClass('active'); - }, - setCardTriggers() { - this.showBoardTrigger.set(false); - this.showCardTrigger.set(true); - this.showChecklistTrigger.set(false); - $('.js-set-card-triggers').addClass('active'); - $('.js-set-board-triggers').removeClass('active'); - $('.js-set-checklist-triggers').removeClass('active'); - }, - setChecklistTriggers() { - this.showBoardTrigger.set(false); - this.showCardTrigger.set(false); - this.showChecklistTrigger.set(true); - $('.js-set-card-triggers').removeClass('active'); - $('.js-set-board-triggers').removeClass('active'); - $('.js-set-checklist-triggers').addClass('active'); - }, - - rules() { - return Rules.find({}); - }, - - name() { - // console.log(this.data()); - }, - events() { - return [{ - 'click .js-set-board-triggers' (event) { - this.setBoardTriggers(); - }, - 'click .js-set-card-triggers' (event) { - this.setCardTriggers(); - }, - 'click .js-set-checklist-triggers' (event) { - this.setChecklistTriggers(); - }, - }]; - }, -}).register('rulesTriggers'); diff --git a/client/components/rules/triggers/boardTriggers.jade b/client/components/rules/triggers/boardTriggers.jade deleted file mode 100644 index 266f11f8..00000000 --- a/client/components/rules/triggers/boardTriggers.jade +++ /dev/null @@ -1,61 +0,0 @@ -template(name="boardTriggers") - div.trigger-item - div.trigger-content - div.trigger-text - | {{_'r-when-a-card-is'}} - div.trigger-dropdown - select(id="gen-action") - option(value="created") {{_'r-added-to'}} - option(value="removed") {{_'r-removed-from'}} - div.trigger-text - | {{_'r-the-board'}} - div.trigger-button.js-add-gen-trigger.js-goto-action - i.fa.fa-plus - - div.trigger-item - div.trigger-content - div.trigger-text - | {{_'r-when-a-card-is'}} - div.trigger-dropdown - select(id="create-action") - option(value="created") {{_'r-added-to'}} - option(value="removed") {{_'r-removed-from'}} - div.trigger-text - | {{_'r-list'}} - div.trigger-dropdown - input(id="create-list-name",type=text,placeholder="{{_'r-list-name'}}") - div.trigger-button.js-add-create-trigger.js-goto-action - i.fa.fa-plus - - div.trigger-item - div.trigger-content - div.trigger-text - | {{_'r-when-a-card-is'}} - div.trigger-dropdown - select(id="move-action") - option(value="moved-to") {{_'r-moved-to'}} - option(value="moved-from") {{_'r-moved-from'}} - div.trigger-text - | {{_'r-list'}} - div.trigger-dropdown - input(id="move-list-name",type=text,placeholder="{{_'r-list-name'}}") - div.trigger-button.js-add-moved-trigger.js-goto-action - i.fa.fa-plus - - div.trigger-item - div.trigger-content - div.trigger-text - | {{_'r-when-a-card-is'}} - div.trigger-dropdown - select(id="arch-action") - option(value="archived") {{_'r-archived'}} - option(value="unarchived") {{_'r-unarchived'}} - div.trigger-button.js-add-arch-trigger.js-goto-action - i.fa.fa-plus - - - - - - - diff --git a/client/components/rules/triggers/boardTriggers.js b/client/components/rules/triggers/boardTriggers.js deleted file mode 100644 index e4753642..00000000 --- a/client/components/rules/triggers/boardTriggers.js +++ /dev/null @@ -1,103 +0,0 @@ -BlazeComponent.extendComponent({ - onCreated() { - - }, - - events() { - return [{ - 'click .js-add-gen-trigger' (event) { - const desc = Utils.getTriggerActionDesc(event, this); - const datas = this.data(); - const actionSelected = this.find('#gen-action').value; - const boardId = Session.get('currentBoard'); - if (actionSelected === 'created') { - datas.triggerVar.set({ - activityType: 'createCard', - boardId, - 'listName': '*', - desc, - }); - } - if (actionSelected === 'removed') { - datas.triggerVar.set({ - activityType: 'removeCard', - boardId, - desc, - }); - } - - }, - 'click .js-add-create-trigger' (event) { - const desc = Utils.getTriggerActionDesc(event, this); - const datas = this.data(); - const actionSelected = this.find('#create-action').value; - const listName = this.find('#create-list-name').value; - const boardId = Session.get('currentBoard'); - if (actionSelected === 'created') { - datas.triggerVar.set({ - activityType: 'createCard', - boardId, - listName, - desc, - }); - } - if (actionSelected === 'removed') { - datas.triggerVar.set({ - activityType: 'removeCard', - boardId, - listName, - desc, - }); - } - }, - 'click .js-add-moved-trigger' (event) { - const datas = this.data(); - const desc = Utils.getTriggerActionDesc(event, this); - - const actionSelected = this.find('#move-action').value; - const listName = this.find('#move-list-name').value; - const boardId = Session.get('currentBoard'); - if (actionSelected === 'moved-to') { - datas.triggerVar.set({ - activityType: 'moveCard', - boardId, - listName, - 'oldListName': '*', - desc, - }); - } - if (actionSelected === 'moved-from') { - datas.triggerVar.set({ - activityType: 'moveCard', - boardId, - 'listName': '*', - 'oldListName': listName, - desc, - }); - } - }, - 'click .js-add-arc-trigger' (event) { - const datas = this.data(); - const desc = Utils.getTriggerActionDesc(event, this); - const actionSelected = this.find('#arch-action').value; - const boardId = Session.get('currentBoard'); - if (actionSelected === 'archived') { - datas.triggerVar.set({ - activityType: 'archivedCard', - boardId, - desc, - }); - } - if (actionSelected === 'unarchived') { - datas.triggerVar.set({ - activityType: 'restoredCard', - boardId, - desc, - }); - } - }, - - }]; - }, - -}).register('boardTriggers'); diff --git a/client/components/rules/triggers/cardTriggers.jade b/client/components/rules/triggers/cardTriggers.jade deleted file mode 100644 index 5226e3c4..00000000 --- a/client/components/rules/triggers/cardTriggers.jade +++ /dev/null @@ -1,79 +0,0 @@ -template(name="cardTriggers") - div.trigger-item - div.trigger-content - div.trigger-text - | {{_'r-when-a-label-is'}} - div.trigger-dropdown - select(id="label-action") - option(value="added") {{_'r-added-to'}} - option(value="removed") {{_'r-removed-from'}} - div.trigger-text - | {{_'r-a-card'}} - div.trigger-button.js-add-gen-label-trigger.js-goto-action - i.fa.fa-plus - - div.trigger-item - div.trigger-content - div.trigger-text - | {{_'r-when-the-label-is'}} - div.trigger-dropdown - select(id="spec-label") - each labels - option(value="#{_id}") - = name - div.trigger-text - | {{_'r-is'}} - div.trigger-dropdown - select(id="spec-label-action") - option(value="added") {{_'r-added-to'}} - option(value="removed") {{_'r-removed-from'}} - div.trigger-text - | {{_'r-a-card'}} - div.trigger-button.js-add-spec-label-trigger.js-goto-action - i.fa.fa-plus - - div.trigger-item - div.trigger-content - div.trigger-text - | {{_'r-when-a-member'}} - div.trigger-dropdown - select(id="gen-member-action") - option(value="added") {{_'r-added-to'}} - option(value="removed") {{_'r-removed-from'}} - div.trigger-text - | {{_'r-a-card'}} - div.trigger-button.js-add-gen-member-trigger.js-goto-action - i.fa.fa-plus - - - div.trigger-item - div.trigger-content - div.trigger-text - | {{_'r-when-the-member'}} - div.trigger-dropdown - input(id="spec-member",type=text,placeholder="{{_'r-name'}}") - div.trigger-text - | {{_'r-is'}} - div.trigger-dropdown - select(id="spec-member-action") - option(value="added") {{_'r-added-to'}} - option(value="removed") {{_'r-removed-from'}} - div.trigger-text - | {{_'r-a-card'}} - div.trigger-button.js-add-spec-member-trigger.js-goto-action - i.fa.fa-plus - - div.trigger-item - div.trigger-content - div.trigger-text - | {{_'r-when-a-attach'}} - div.trigger-text - | {{_'r-is'}} - div.trigger-dropdown - select(id="attach-action") - option(value="added") {{_'r-added-to'}} - option(value="removed") {{_'r-removed-from'}} - div.trigger-text - | {{_'r-a-card'}} - div.trigger-button.js-add-attachment-trigger.js-goto-action - i.fa.fa-plus diff --git a/client/components/rules/triggers/cardTriggers.js b/client/components/rules/triggers/cardTriggers.js deleted file mode 100644 index 704c7690..00000000 --- a/client/components/rules/triggers/cardTriggers.js +++ /dev/null @@ -1,128 +0,0 @@ -BlazeComponent.extendComponent({ - onCreated() { - this.subscribe('allRules'); - }, - labels() { - const labels = Boards.findOne(Session.get('currentBoard')).labels; - for (let i = 0; i < labels.length; i++) { - if (labels[i].name === '' || labels[i].name === undefined) { - labels[i].name = labels[i].color.toUpperCase(); - } - } - return labels; - }, - events() { - return [{ - 'click .js-add-gen-label-trigger' (event) { - const desc = Utils.getTriggerActionDesc(event, this); - const datas = this.data(); - const actionSelected = this.find('#label-action').value; - const boardId = Session.get('currentBoard'); - if (actionSelected === 'added') { - datas.triggerVar.set({ - activityType: 'addedLabel', - boardId, - 'labelId': '*', - desc, - }); - } - if (actionSelected === 'removed') { - datas.triggerVar.set({ - activityType: 'removedLabel', - boardId, - 'labelId': '*', - desc, - }); - } - }, - 'click .js-add-spec-label-trigger' (event) { - const desc = Utils.getTriggerActionDesc(event, this); - const datas = this.data(); - const actionSelected = this.find('#spec-label-action').value; - const labelId = this.find('#spec-label').value; - const boardId = Session.get('currentBoard'); - if (actionSelected === 'added') { - datas.triggerVar.set({ - activityType: 'addedLabel', - boardId, - labelId, - desc, - }); - } - if (actionSelected === 'removed') { - datas.triggerVar.set({ - activityType: 'removedLabel', - boardId, - labelId, - desc, - }); - } - }, - 'click .js-add-gen-member-trigger' (event) { - const desc = Utils.getTriggerActionDesc(event, this); - const datas = this.data(); - const actionSelected = this.find('#gen-member-action').value; - const boardId = Session.get('currentBoard'); - if (actionSelected === 'added') { - datas.triggerVar.set({ - activityType: 'joinMember', - boardId, - 'memberId': '*', - desc, - }); - } - if (actionSelected === 'removed') { - datas.triggerVar.set({ - activityType: 'unjoinMember', - boardId, - 'memberId': '*', - desc, - }); - } - }, - 'click .js-add-spec-member-trigger' (event) { - const desc = Utils.getTriggerActionDesc(event, this); - const datas = this.data(); - const actionSelected = this.find('#spec-member-action').value; - const memberId = this.find('#spec-member').value; - const boardId = Session.get('currentBoard'); - if (actionSelected === 'added') { - datas.triggerVar.set({ - activityType: 'joinMember', - boardId, - memberId, - desc, - }); - } - if (actionSelected === 'removed') { - datas.triggerVar.set({ - activityType: 'unjoinMember', - boardId, - memberId, - desc, - }); - } - }, - 'click .js-add-attachment-trigger' (event) { - const desc = Utils.getTriggerActionDesc(event, this); - const datas = this.data(); - const actionSelected = this.find('#attach-action').value; - const boardId = Session.get('currentBoard'); - if (actionSelected === 'added') { - datas.triggerVar.set({ - activityType: 'addAttachment', - boardId, - desc, - }); - } - if (actionSelected === 'removed') { - datas.triggerVar.set({ - activityType: 'deleteAttachment', - boardId, - desc, - }); - } - }, - }]; - }, -}).register('cardTriggers'); diff --git a/client/components/rules/triggers/checklistTriggers.jade b/client/components/rules/triggers/checklistTriggers.jade deleted file mode 100644 index c6cd99a6..00000000 --- a/client/components/rules/triggers/checklistTriggers.jade +++ /dev/null @@ -1,83 +0,0 @@ -template(name="checklistTriggers") - div.trigger-item - div.trigger-content - div.trigger-text - | {{_'r-when-a-checklist'}} - div.trigger-dropdown - select(id="gen-check-action") - option(value="created") {{_'r-added-to'}} - option(value="removed") {{_'r-removed-from'}} - div.trigger-text - | {{_'r-a-card'}} - div.trigger-button.js-add-gen-check-trigger.js-goto-action - i.fa.fa-plus - - - div.trigger-item - div.trigger-content - div.trigger-text - | {{_'r-when-the-checklist'}} - div.trigger-dropdown - input(id="check-name",type=text,placeholder="{{_'r-name'}}") - div.trigger-text - | {{_'r-is'}} - div.trigger-dropdown - select(id="spec-check-action") - option(value="created") {{_'r-added-to'}} - option(value="removed") {{_'r-removed-from'}} - div.trigger-text - | {{_'r-a-card'}} - div.trigger-button.js-add-spec-check-trigger.js-goto-action - i.fa.fa-plus - - div.trigger-item - div.trigger-content - div.trigger-text - | {{_'r-when-a-checklist'}} - div.trigger-dropdown - select(id="gen-comp-check-action") - option(value="completed") {{_'r-completed'}} - option(value="uncompleted") {{_'r-made-incomplete'}} - div.trigger-button.js-add-gen-comp-trigger.js-goto-action - i.fa.fa-plus - - div.trigger-item - div.trigger-content - div.trigger-text - | {{_'r-when-the-checklist'}} - div.trigger-dropdown - input(id="spec-comp-check-name",type=text,placeholder="{{_'r-name'}}") - div.trigger-text - | {{_'r-is'}} - div.trigger-dropdown - select(id="spec-comp-check-action") - option(value="completed") {{_'r-completed'}} - option(value="uncompleted") {{_'r-made-incomplete'}} - div.trigger-button.js-add-spec-comp-trigger.js-goto-action - i.fa.fa-plus - - div.trigger-item - div.trigger-content - div.trigger-text - | {{_'r-when-a-item'}} - div.trigger-dropdown - select(id="check-item-gen-action") - option(value="checked") {{_'r-checked'}} - option(value="unchecked") {{_'r-unchecked'}} - div.trigger-button.js-add-gen-check-item-trigger.js-goto-action - i.fa.fa-plus - - div.trigger-item - div.trigger-content - div.trigger-text - | {{_'r-when-the-item'}} - div.trigger-dropdown - input(id="check-item-name",type=text,placeholder="{{_'r-name'}}") - div.trigger-text - | {{_'r-is'}} - div.trigger-dropdown - select(id="check-item-spec-action") - option(value="checked") {{_'r-checked'}} - option(value="unchecked") {{_'r-unchecked'}} - div.trigger-button.js-add-spec-check-item-trigger.js-goto-action - i.fa.fa-plus diff --git a/client/components/rules/triggers/checklistTriggers.js b/client/components/rules/triggers/checklistTriggers.js deleted file mode 100644 index 01f3effe..00000000 --- a/client/components/rules/triggers/checklistTriggers.js +++ /dev/null @@ -1,146 +0,0 @@ -BlazeComponent.extendComponent({ - onCreated() { - this.subscribe('allRules'); - }, - events() { - return [{ - 'click .js-add-gen-check-trigger' (event) { - const desc = Utils.getTriggerActionDesc(event, this); - const datas = this.data(); - const actionSelected = this.find('#gen-check-action').value; - const boardId = Session.get('currentBoard'); - if (actionSelected === 'created') { - datas.triggerVar.set({ - activityType: 'addChecklist', - boardId, - 'checklistName': '*', - desc, - }); - } - if (actionSelected === 'removed') { - datas.triggerVar.set({ - activityType: 'removeChecklist', - boardId, - 'checklistName': '*', - desc, - }); - } - }, - 'click .js-add-spec-check-trigger' (event) { - const desc = Utils.getTriggerActionDesc(event, this); - const datas = this.data(); - const actionSelected = this.find('#spec-check-action').value; - const checklistId = this.find('#check-name').value; - const boardId = Session.get('currentBoard'); - if (actionSelected === 'created') { - datas.triggerVar.set({ - activityType: 'addChecklist', - boardId, - 'checklistName': checklistId, - desc, - }); - } - if (actionSelected === 'removed') { - datas.triggerVar.set({ - activityType: 'removeChecklist', - boardId, - 'checklistName': checklistId, - desc, - }); - } - }, - 'click .js-add-gen-comp-trigger' (event) { - const desc = Utils.getTriggerActionDesc(event, this); - - const datas = this.data(); - const actionSelected = this.find('#gen-comp-check-action').value; - const boardId = Session.get('currentBoard'); - if (actionSelected === 'completed') { - datas.triggerVar.set({ - activityType: 'completeChecklist', - boardId, - 'checklistName': '*', - desc, - }); - } - if (actionSelected === 'uncompleted') { - datas.triggerVar.set({ - activityType: 'uncompleteChecklist', - boardId, - 'checklistName': '*', - desc, - }); - } - }, - 'click .js-add-spec-comp-trigger' (event) { - const desc = Utils.getTriggerActionDesc(event, this); - const datas = this.data(); - const actionSelected = this.find('#spec-comp-check-action').value; - const checklistId = this.find('#spec-comp-check-name').value; - const boardId = Session.get('currentBoard'); - if (actionSelected === 'added') { - datas.triggerVar.set({ - activityType: 'completeChecklist', - boardId, - 'checklistName': checklistId, - desc, - }); - } - if (actionSelected === 'removed') { - datas.triggerVar.set({ - activityType: 'uncompleteChecklist', - boardId, - 'checklistName': checklistId, - desc, - }); - } - }, - 'click .js-add-gen-check-item-trigger' (event) { - const desc = Utils.getTriggerActionDesc(event, this); - const datas = this.data(); - const actionSelected = this.find('#check-item-gen-action').value; - const boardId = Session.get('currentBoard'); - if (actionSelected === 'checked') { - datas.triggerVar.set({ - activityType: 'checkedItem', - boardId, - 'checklistItemName': '*', - desc, - }); - } - if (actionSelected === 'unchecked') { - datas.triggerVar.set({ - activityType: 'uncheckedItem', - boardId, - 'checklistItemName': '*', - desc, - }); - } - }, - 'click .js-add-spec-check-item-trigger' (event) { - const desc = Utils.getTriggerActionDesc(event, this); - const datas = this.data(); - const actionSelected = this.find('#check-item-spec-action').value; - const checklistItemId = this.find('#check-item-name').value; - const boardId = Session.get('currentBoard'); - if (actionSelected === 'checked') { - datas.triggerVar.set({ - activityType: 'checkedItem', - boardId, - 'checklistItemName': checklistItemId, - desc, - }); - } - if (actionSelected === 'unchecked') { - datas.triggerVar.set({ - activityType: 'uncheckedItem', - boardId, - 'checklistItemName': checklistItemId, - desc, - }); - } - }, - }]; - }, - -}).register('checklistTriggers'); diff --git a/client/lib/modal.js b/client/lib/modal.js index 3c27a179..d5350264 100644 --- a/client/lib/modal.js +++ b/client/lib/modal.js @@ -4,7 +4,6 @@ window.Modal = new class { constructor() { this._currentModal = new ReactiveVar(closedValue); this._onCloseGoTo = ''; - this._isWideModal = false; } getHeaderName() { @@ -21,10 +20,6 @@ window.Modal = new class { return this.getTemplateName() !== closedValue; } - isWide(){ - return this._isWideModal; - } - close() { this._currentModal.set(closedValue); if (this._onCloseGoTo) { @@ -32,16 +27,9 @@ window.Modal = new class { } } - openWide(modalName, { header = '', onCloseGoTo = ''} = {}) { - this._currentModal.set({ header, modalName }); - this._onCloseGoTo = onCloseGoTo; - this._isWideModal = true; - } - open(modalName, { header = '', onCloseGoTo = ''} = {}) { this._currentModal.set({ header, modalName }); this._onCloseGoTo = onCloseGoTo; - } }(); @@ -50,5 +38,5 @@ Blaze.registerHelper('Modal', Modal); EscapeActions.register('modalWindow', () => Modal.close(), () => Modal.isOpen(), - { noClickEscapeOn: '.modal-container' } + { noClickEscapeOn: '.modal-content' } ); diff --git a/client/lib/utils.js b/client/lib/utils.js index 525cfb83..5349e500 100644 --- a/client/lib/utils.js +++ b/client/lib/utils.js @@ -39,11 +39,11 @@ Utils = { if (!prevData && !nextData) { base = 0; increment = 1; - // If we drop the card in the first position + // If we drop the card in the first position } else if (!prevData) { base = nextData.sort - 1; increment = -1; - // If we drop the card in the last position + // If we drop the card in the last position } else if (!nextData) { base = prevData.sort + 1; increment = 1; @@ -71,11 +71,11 @@ Utils = { if (!prevCardDomElement && !nextCardDomElement) { base = 0; increment = 1; - // If we drop the card in the first position + // If we drop the card in the first position } else if (!prevCardDomElement) { base = Blaze.getData(nextCardDomElement).sort - 1; increment = -1; - // If we drop the card in the last position + // If we drop the card in the last position } else if (!nextCardDomElement) { base = Blaze.getData(prevCardDomElement).sort + 1; increment = 1; @@ -189,27 +189,6 @@ Utils = { window._paq.push(['trackPageView']); } }, - - getTriggerActionDesc(event, tempInstance) { - const jqueryEl = tempInstance.$(event.currentTarget.parentNode); - const triggerEls = jqueryEl.find('.trigger-content').children(); - let finalString = ''; - for (let i = 0; i < triggerEls.length; i++) { - const element = tempInstance.$(triggerEls[i]); - if (element.hasClass('trigger-text')) { - finalString += element.text().toLowerCase(); - } else if (element.find('select').length > 0) { - finalString += element.find('select option:selected').text().toLowerCase(); - } else if (element.find('input').length > 0) { - finalString += element.find('input').val(); - } - // Add space - if (i !== length - 1) { - finalString += ' '; - } - } - return finalString; - }, }; // A simple tracker dependency that we invalidate every time the window is diff --git a/models/actions.js b/models/actions.js deleted file mode 100644 index 0430b044..00000000 --- a/models/actions.js +++ /dev/null @@ -1,19 +0,0 @@ -Actions = new Mongo.Collection('actions'); - -Actions.allow({ - insert(userId, doc) { - return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); - }, - update(userId, doc) { - return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); - }, - remove(userId, doc) { - return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); - }, -}); - -Actions.helpers({ - description() { - return this.desc; - }, -}); diff --git a/models/activities.js b/models/activities.js index c3c8f173..2228f66e 100644 --- a/models/activities.js +++ b/models/activities.js @@ -56,14 +56,6 @@ Activities.before.insert((userId, doc) => { doc.createdAt = new Date(); }); - -Activities.after.insert((userId, doc) => { - const activity = Activities._transform(doc); - RulesHelper.executeRules(activity); - -}); - - if (Meteor.isServer) { // For efficiency create indexes on the date of creation, and on the date of // creation in conjunction with the card or board id, as corresponding views diff --git a/models/attachments.js b/models/attachments.js index 3da067de..91dd0dbc 100644 --- a/models/attachments.js +++ b/models/attachments.js @@ -86,12 +86,5 @@ if (Meteor.isServer) { Activities.remove({ attachmentId: doc._id, }); - Activities.insert({ - userId, - type: 'card', - activityType: 'deleteAttachment', - boardId: doc.boardId, - cardId: doc.cardId, - }); }); } diff --git a/models/boards.js b/models/boards.js index 641ecdb9..2a21d6da 100644 --- a/models/boards.js +++ b/models/boards.js @@ -280,10 +280,6 @@ Boards.helpers({ return _.findWhere(this.labels, { name, color }); }, - getLabelById(labelId){ - return _.findWhere(this.labels, { _id: labelId }); - }, - labelIndex(labelId) { return _.pluck(this.labels, '_id').indexOf(labelId); }, diff --git a/models/cards.js b/models/cards.js index 346b4bdd..73b9a023 100644 --- a/models/cards.js +++ b/models/cards.js @@ -276,22 +276,14 @@ Cards.helpers({ return Cards.find({ parentId: this._id, archived: false, - }, { - sort: { - sort: 1, - }, - }); + }, {sort: { sort: 1 } }); }, allSubtasks() { return Cards.find({ parentId: this._id, archived: false, - }, { - sort: { - sort: 1, - }, - }); + }, {sort: { sort: 1 } }); }, subtasksCount() { @@ -304,8 +296,7 @@ Cards.helpers({ subtasksFinishedCount() { return Cards.find({ parentId: this._id, - archived: true, - }).count(); + archived: true}).count(); }, subtasksFinished() { @@ -337,9 +328,12 @@ Cards.helpers({ }); //search for "True Value" which is for DropDowns other then the Value (which is the id) let trueValue = customField.value; - if (definition.settings.dropdownItems && definition.settings.dropdownItems.length > 0) { - for (let i = 0; i < definition.settings.dropdownItems.length; i++) { - if (definition.settings.dropdownItems[i]._id === customField.value) { + if (definition.settings.dropdownItems && definition.settings.dropdownItems.length > 0) + { + for (let i = 0; i < definition.settings.dropdownItems.length; i++) + { + if (definition.settings.dropdownItems[i]._id === customField.value) + { trueValue = definition.settings.dropdownItems[i].name; } } @@ -364,10 +358,8 @@ Cards.helpers({ }, canBeRestored() { - const list = Lists.findOne({ - _id: this.listId, - }); - if (!list.getWipLimit('soft') && list.getWipLimit('enabled') && list.getWipLimit('value') === list.cards().count()) { + const list = Lists.findOne({_id: this.listId}); + if(!list.getWipLimit('soft') && list.getWipLimit('enabled') && list.getWipLimit('value') === list.cards().count()){ return false; } return true; @@ -432,7 +424,7 @@ Cards.helpers({ }, parentString(sep) { - return this.parentList().map(function(elem) { + return this.parentList().map(function(elem){ return elem.title; }).join(sep); }, @@ -834,65 +826,19 @@ Cards.helpers({ Cards.mutations({ applyToChildren(funct) { - Cards.find({ - parentId: this._id, - }).forEach((card) => { + Cards.find({ parentId: this._id }).forEach((card) => { funct(card); }); }, archive() { - this.applyToChildren((card) => { - return card.archive(); - }); - return { - $set: { - archived: true, - }, - }; + this.applyToChildren((card) => { return card.archive(); }); + return {$set: {archived: true}}; }, restore() { - this.applyToChildren((card) => { - return card.restore(); - }); - return { - $set: { - archived: false, - }, - }; - }, - - setTitle(title) { - return { - $set: { - title, - }, - }; - }, - - setDescription(description) { - return { - $set: { - description, - }, - }; - }, - - setRequestedBy(requestedBy) { - return { - $set: { - requestedBy, - }, - }; - }, - - setAssignedBy(assignedBy) { - return { - $set: { - assignedBy, - }, - }; + this.applyToChildren((card) => { return card.restore(); }); + return {$set: {archived: false}}; }, move(swimlaneId, listId, sortIndex) { @@ -904,25 +850,15 @@ Cards.mutations({ sort: sortIndex, }; - return { - $set: mutatedFields, - }; + return {$set: mutatedFields}; }, addLabel(labelId) { - return { - $addToSet: { - labelIds: labelId, - }, - }; + return {$addToSet: {labelIds: labelId}}; }, removeLabel(labelId) { - return { - $pull: { - labelIds: labelId, - }, - }; + return {$pull: {labelIds: labelId}}; }, toggleLabel(labelId) { @@ -933,49 +869,12 @@ Cards.mutations({ } }, - assignMember(memberId) { - return { - $addToSet: { - members: memberId, - }, - }; - }, - - unassignMember(memberId) { - return { - $pull: { - members: memberId, - }, - }; - }, - - toggleMember(memberId) { - if (this.members && this.members.indexOf(memberId) > -1) { - return this.unassignMember(memberId); - } else { - return this.assignMember(memberId); - } - }, - assignCustomField(customFieldId) { - return { - $addToSet: { - customFields: { - _id: customFieldId, - value: null, - }, - }, - }; + return {$addToSet: {customFields: {_id: customFieldId, value: null}}}; }, unassignCustomField(customFieldId) { - return { - $pull: { - customFields: { - _id: customFieldId, - }, - }, - }; + return {$pull: {customFields: {_id: customFieldId}}}; }, toggleCustomField(customFieldId) { @@ -990,9 +889,7 @@ Cards.mutations({ // todo const index = this.customFieldIndex(customFieldId); if (index > -1) { - const update = { - $set: {}, - }; + const update = {$set: {}}; update.$set[`customFields.${index}.value`] = value; return update; } @@ -1002,119 +899,19 @@ Cards.mutations({ }, setCover(coverId) { - return { - $set: { - coverId, - }, - }; + return {$set: {coverId}}; }, unsetCover() { - return { - $unset: { - coverId: '', - }, - }; - }, - - setReceived(receivedAt) { - return { - $set: { - receivedAt, - }, - }; - }, - - unsetReceived() { - return { - $unset: { - receivedAt: '', - }, - }; - }, - - setStart(startAt) { - return { - $set: { - startAt, - }, - }; - }, - - unsetStart() { - return { - $unset: { - startAt: '', - }, - }; - }, - - setDue(dueAt) { - return { - $set: { - dueAt, - }, - }; - }, - - unsetDue() { - return { - $unset: { - dueAt: '', - }, - }; - }, - - setEnd(endAt) { - return { - $set: { - endAt, - }, - }; - }, - - unsetEnd() { - return { - $unset: { - endAt: '', - }, - }; - }, - - setOvertime(isOvertime) { - return { - $set: { - isOvertime, - }, - }; - }, - - setSpentTime(spentTime) { - return { - $set: { - spentTime, - }, - }; - }, - - unsetSpentTime() { - return { - $unset: { - spentTime: '', - isOvertime: false, - }, - }; + return {$unset: {coverId: ''}}; }, setParentId(parentId) { - return { - $set: { - parentId, - }, - }; + return {$set: {parentId}}; }, }); + //FUNCTIONS FOR creation of Activities function cardMove(userId, doc, fieldNames, oldListId, oldSwimlaneId) { @@ -1124,7 +921,6 @@ function cardMove(userId, doc, fieldNames, oldListId, oldSwimlaneId) { userId, oldListId, activityType: 'moveCard', - listName: Lists.findOne(doc.listId).title, listId: doc.listId, boardId: doc.boardId, cardId: doc._id, @@ -1140,7 +936,6 @@ function cardState(userId, doc, fieldNames) { Activities.insert({ userId, activityType: 'archivedCard', - listName: Lists.findOne(doc.listId).title, boardId: doc.boardId, listId: doc.listId, cardId: doc._id, @@ -1150,7 +945,6 @@ function cardState(userId, doc, fieldNames) { userId, activityType: 'restoredCard', boardId: doc.boardId, - listName: Lists.findOne(doc.listId).title, listId: doc.listId, cardId: doc._id, }); @@ -1192,47 +986,11 @@ function cardMembers(userId, doc, fieldNames, modifier) { } } -function cardLabels(userId, doc, fieldNames, modifier) { - if (!_.contains(fieldNames, 'labelIds')) - return; - let labelId; - // Say hello to the new label - if (modifier.$addToSet && modifier.$addToSet.labelIds) { - labelId = modifier.$addToSet.labelIds; - if (!_.contains(doc.labelIds, labelId)) { - const act = { - userId, - labelId, - activityType: 'addedLabel', - boardId: doc.boardId, - cardId: doc._id, - }; - Activities.insert(act); - } - } - - // Say goodbye to the label - if (modifier.$pull && modifier.$pull.labelIds) { - labelId = modifier.$pull.labelIds; - // Check that the former member is member of the card - if (_.contains(doc.labelIds, labelId)) { - Activities.insert({ - userId, - labelId, - activityType: 'removedLabel', - boardId: doc.boardId, - cardId: doc._id, - }); - } - } -} - function cardCreation(userId, doc) { Activities.insert({ userId, activityType: 'createCard', boardId: doc.boardId, - listName: Lists.findOne(doc.listId).title, listId: doc.listId, cardId: doc._id, swimlaneId: doc.swimlaneId, @@ -1257,6 +1015,7 @@ function cardRemover(userId, doc) { }); } + if (Meteor.isServer) { // Cards are often fetched within a board, so we create an index to make these // queries more efficient. @@ -1280,7 +1039,7 @@ if (Meteor.isServer) { }); //New activity for card moves - Cards.after.update(function(userId, doc, fieldNames) { + Cards.after.update(function (userId, doc, fieldNames) { const oldListId = this.previous.listId; const oldSwimlaneId = this.previous.swimlaneId; cardMove(userId, doc, fieldNames, oldListId, oldSwimlaneId); @@ -1291,11 +1050,6 @@ if (Meteor.isServer) { cardMembers(userId, doc, fieldNames, modifier); }); - // Add a new activity if we add or remove a label to the card - Cards.before.update((userId, doc, fieldNames, modifier) => { - cardLabels(userId, doc, fieldNames, modifier); - }); - // Remove all activities associated with a card if we remove the card // Remove also card_comments / checklists / attachments Cards.after.remove((userId, doc) => { @@ -1304,17 +1058,13 @@ if (Meteor.isServer) { } //LISTS REST API if (Meteor.isServer) { - JsonRoutes.add('GET', '/api/boards/:boardId/lists/:listId/cards', function(req, res) { + JsonRoutes.add('GET', '/api/boards/:boardId/lists/:listId/cards', function (req, res) { const paramBoardId = req.params.boardId; const paramListId = req.params.listId; Authentication.checkBoardAccess(req.userId, paramBoardId); JsonRoutes.sendResult(res, { code: 200, - data: Cards.find({ - boardId: paramBoardId, - listId: paramListId, - archived: false, - }).map(function(doc) { + data: Cards.find({boardId: paramBoardId, listId: paramListId, archived: false}).map(function (doc) { return { _id: doc._id, title: doc.title, @@ -1324,31 +1074,24 @@ if (Meteor.isServer) { }); }); - JsonRoutes.add('GET', '/api/boards/:boardId/lists/:listId/cards/:cardId', function(req, res) { + JsonRoutes.add('GET', '/api/boards/:boardId/lists/:listId/cards/:cardId', function (req, res) { const paramBoardId = req.params.boardId; const paramListId = req.params.listId; const paramCardId = req.params.cardId; Authentication.checkBoardAccess(req.userId, paramBoardId); JsonRoutes.sendResult(res, { code: 200, - data: Cards.findOne({ - _id: paramCardId, - listId: paramListId, - boardId: paramBoardId, - archived: false, - }), + data: Cards.findOne({_id: paramCardId, listId: paramListId, boardId: paramBoardId, archived: false}), }); }); - JsonRoutes.add('POST', '/api/boards/:boardId/lists/:listId/cards', function(req, res) { + JsonRoutes.add('POST', '/api/boards/:boardId/lists/:listId/cards', function (req, res) { Authentication.checkUserId(req.userId); const paramBoardId = req.params.boardId; const paramListId = req.params.listId; - const check = Users.findOne({ - _id: req.body.authorId, - }); + const check = Users.findOne({_id: req.body.authorId}); const members = req.body.members || [req.body.authorId]; - if (typeof check !== 'undefined') { + if (typeof check !== 'undefined') { const id = Cards.direct.insert({ title: req.body.title, boardId: paramBoardId, @@ -1366,9 +1109,7 @@ if (Meteor.isServer) { }, }); - const card = Cards.findOne({ - _id: id, - }); + const card = Cards.findOne({_id:id}); cardCreation(req.body.authorId, card); } else { @@ -1378,7 +1119,7 @@ if (Meteor.isServer) { } }); - JsonRoutes.add('PUT', '/api/boards/:boardId/lists/:listId/cards/:cardId', function(req, res) { + JsonRoutes.add('PUT', '/api/boards/:boardId/lists/:listId/cards/:cardId', function (req, res) { Authentication.checkUserId(req.userId); const paramBoardId = req.params.boardId; const paramCardId = req.params.cardId; @@ -1386,63 +1127,27 @@ if (Meteor.isServer) { if (req.body.hasOwnProperty('title')) { const newTitle = req.body.title; - Cards.direct.update({ - _id: paramCardId, - listId: paramListId, - boardId: paramBoardId, - archived: false, - }, { - $set: { - title: newTitle, - }, - }); + Cards.direct.update({_id: paramCardId, listId: paramListId, boardId: paramBoardId, archived: false}, + {$set: {title: newTitle}}); } if (req.body.hasOwnProperty('listId')) { const newParamListId = req.body.listId; - Cards.direct.update({ - _id: paramCardId, - listId: paramListId, - boardId: paramBoardId, - archived: false, - }, { - $set: { - listId: newParamListId, - }, - }); + Cards.direct.update({_id: paramCardId, listId: paramListId, boardId: paramBoardId, archived: false}, + {$set: {listId: newParamListId}}); - const card = Cards.findOne({ - _id: paramCardId, - }); - cardMove(req.body.authorId, card, { - fieldName: 'listId', - }, paramListId); + const card = Cards.findOne({_id: paramCardId} ); + cardMove(req.body.authorId, card, {fieldName: 'listId'}, paramListId); } if (req.body.hasOwnProperty('description')) { const newDescription = req.body.description; - Cards.direct.update({ - _id: paramCardId, - listId: paramListId, - boardId: paramBoardId, - archived: false, - }, { - $set: { - description: newDescription, - }, - }); + Cards.direct.update({_id: paramCardId, listId: paramListId, boardId: paramBoardId, archived: false}, + {$set: {description: newDescription}}); } if (req.body.hasOwnProperty('labelIds')) { const newlabelIds = req.body.labelIds; - Cards.direct.update({ - _id: paramCardId, - listId: paramListId, - boardId: paramBoardId, - archived: false, - }, { - $set: { - labelIds: newlabelIds, - }, - }); + Cards.direct.update({_id: paramCardId, listId: paramListId, boardId: paramBoardId, archived: false}, + {$set: {labelIds: newlabelIds}}); } if (req.body.hasOwnProperty('requestedBy')) { const newrequestedBy = req.body.requestedBy; @@ -1497,20 +1202,15 @@ if (Meteor.isServer) { }); }); - JsonRoutes.add('DELETE', '/api/boards/:boardId/lists/:listId/cards/:cardId', function(req, res) { + + JsonRoutes.add('DELETE', '/api/boards/:boardId/lists/:listId/cards/:cardId', function (req, res) { Authentication.checkUserId(req.userId); const paramBoardId = req.params.boardId; const paramListId = req.params.listId; const paramCardId = req.params.cardId; - Cards.direct.remove({ - _id: paramCardId, - listId: paramListId, - boardId: paramBoardId, - }); - const card = Cards.find({ - _id: paramCardId, - }); + Cards.direct.remove({_id: paramCardId, listId: paramListId, boardId: paramBoardId}); + const card = Cards.find({_id: paramCardId} ); cardRemover(req.body.authorId, card); JsonRoutes.sendResult(res, { code: 200, diff --git a/models/checklistItems.js b/models/checklistItems.js index 8380bda7..e075eda2 100644 --- a/models/checklistItems.js +++ b/models/checklistItems.js @@ -44,12 +44,6 @@ ChecklistItems.mutations({ setTitle(title) { return { $set: { title } }; }, - check(){ - return { $set: { isFinished: true } }; - }, - uncheck(){ - return { $set: { isFinished: false } }; - }, toggleItem() { return { $set: { isFinished: !this.isFinished } }; }, @@ -76,100 +70,21 @@ function itemCreation(userId, doc) { boardId, checklistId: doc.checklistId, checklistItemId: doc._id, - checklistItemName:doc.title, }); } function itemRemover(userId, doc) { - const card = Cards.findOne(doc.cardId); - const boardId = card.boardId; - Activities.insert({ - userId, - activityType: 'removedChecklistItem', - cardId: doc.cardId, - boardId, - checklistId: doc.checklistId, - checklistItemId: doc._id, - checklistItemName:doc.title, - }); Activities.remove({ checklistItemId: doc._id, }); } -function publishCheckActivity(userId, doc){ - const card = Cards.findOne(doc.cardId); - const boardId = card.boardId; - let activityType; - if(doc.isFinished){ - activityType = 'checkedItem'; - }else{ - activityType = 'uncheckedItem'; - } - const act = { - userId, - activityType, - cardId: doc.cardId, - boardId, - checklistId: doc.checklistId, - checklistItemId: doc._id, - checklistItemName:doc.title, - }; - Activities.insert(act); -} - -function publishChekListCompleted(userId, doc, fieldNames, modifier){ - const card = Cards.findOne(doc.cardId); - const boardId = card.boardId; - const checklistId = doc.checklistId; - const checkList = Checklists.findOne({_id:checklistId}); - if(checkList.isFinished()){ - const act = { - userId, - activityType: 'checklistCompleted', - cardId: doc.cardId, - boardId, - checklistId: doc.checklistId, - checklistName:doc.title, - }; - Activities.insert(act); - } -} - -function publishChekListUncompleted(userId, doc, fieldNames, modifier){ - const card = Cards.findOne(doc.cardId); - const boardId = card.boardId; - const checklistId = doc.checklistId; - const checkList = Checklists.findOne({_id:checklistId}); - if(checkList.isFinished()){ - const act = { - userId, - activityType: 'checklistUncompleted', - cardId: doc.cardId, - boardId, - checklistId: doc.checklistId, - checklistName:doc.title, - }; - Activities.insert(act); - } -} - // Activities if (Meteor.isServer) { Meteor.startup(() => { ChecklistItems._collection._ensureIndex({ checklistId: 1 }); }); - ChecklistItems.after.update((userId, doc, fieldNames, modifier) => { - publishCheckActivity(userId, doc); - publishChekListCompleted(userId, doc, fieldNames, modifier); - }); - - ChecklistItems.before.update((userId, doc, fieldNames, modifier) => { - publishChekListUncompleted(userId, doc, fieldNames, modifier); - }); - - ChecklistItems.after.insert((userId, doc) => { itemCreation(userId, doc); }); diff --git a/models/checklists.js b/models/checklists.js index 425a10b2..c58453ef 100644 --- a/models/checklists.js +++ b/models/checklists.js @@ -47,18 +47,6 @@ Checklists.helpers({ isFinished() { return 0 !== this.itemCount() && this.itemCount() === this.finishedCount(); }, - checkAllItems(){ - const checkItems = ChecklistItems.find({checklistId: this._id}); - checkItems.forEach(function(item){ - item.check(); - }); - }, - uncheckAllItems(){ - const checkItems = ChecklistItems.find({checklistId: this._id}); - checkItems.forEach(function(item){ - item.uncheck(); - }); - }, itemIndex(itemId) { const items = self.findOne({_id : this._id}).items; return _.pluck(items, '_id').indexOf(itemId); @@ -103,7 +91,6 @@ if (Meteor.isServer) { cardId: doc.cardId, boardId: Cards.findOne(doc.cardId).boardId, checklistId: doc._id, - checklistName:doc.title, }); }); @@ -114,16 +101,6 @@ if (Meteor.isServer) { Activities.remove(activity._id); }); } - Activities.insert({ - userId, - activityType: 'removeChecklist', - cardId: doc.cardId, - boardId: Cards.findOne(doc.cardId).boardId, - checklistId: doc._id, - checklistName:doc.title, - }); - - }); } diff --git a/models/export.js b/models/export.js index 0911a631..6c0b43fd 100644 --- a/models/export.js +++ b/models/export.js @@ -14,7 +14,7 @@ if (Meteor.isServer) { * See https://blog.kayla.com.au/server-side-route-authentication-in-meteor/ * for detailed explanations */ - JsonRoutes.add('get', '/api/boards/:boardId/export', function(req, res) { + JsonRoutes.add('get', '/api/boards/:boardId/export', function (req, res) { const boardId = req.params.boardId; let user = null; // todo XXX for real API, first look for token in Authentication: header @@ -28,11 +28,8 @@ if (Meteor.isServer) { } const exporter = new Exporter(boardId); - if (exporter.canExport(user)) { - JsonRoutes.sendResult(res, { - code: 200, - data: exporter.build(), - }); + if(exporter.canExport(user)) { + JsonRoutes.sendResult(res, { code: 200, data: exporter.build() }); } else { // we could send an explicit error message, but on the other hand the only // way to get there is by hacking the UI so let's keep it raw. @@ -50,49 +47,24 @@ class Exporter { const byBoard = { boardId: this._boardId }; const byBoardNoLinked = { boardId: this._boardId, linkedId: '' }; // we do not want to retrieve boardId in related elements - const noBoardId = { - fields: { - boardId: 0, - }, - }; + const noBoardId = { fields: { boardId: 0 } }; const result = { _format: 'wekan-board-1.0.0', }; - _.extend(result, Boards.findOne(this._boardId, { - fields: { - stars: 0, - }, - })); + _.extend(result, Boards.findOne(this._boardId, { fields: { stars: 0 } })); result.lists = Lists.find(byBoard, noBoardId).fetch(); result.cards = Cards.find(byBoardNoLinked, noBoardId).fetch(); result.swimlanes = Swimlanes.find(byBoard, noBoardId).fetch(); result.customFields = CustomFields.find(byBoard, noBoardId).fetch(); result.comments = CardComments.find(byBoard, noBoardId).fetch(); result.activities = Activities.find(byBoard, noBoardId).fetch(); - result.rules = Rules.find(byBoard, noBoardId).fetch(); result.checklists = []; result.checklistItems = []; result.subtaskItems = []; - result.triggers = []; - result.actions = []; result.cards.forEach((card) => { - result.checklists.push(...Checklists.find({ - cardId: card._id, - }).fetch()); - result.checklistItems.push(...ChecklistItems.find({ - cardId: card._id, - }).fetch()); - result.subtaskItems.push(...Cards.find({ - parentid: card._id, - }).fetch()); - }); - result.rules.forEach((rule) => { - result.triggers.push(...Triggers.find({ - _id: rule.triggerId, - }, noBoardId).fetch()); - result.actions.push(...Actions.find({ - _id: rule.actionId, - }, noBoardId).fetch()); + result.checklists.push(...Checklists.find({ cardId: card._id }).fetch()); + result.checklistItems.push(...ChecklistItems.find({ cardId: card._id }).fetch()); + result.subtaskItems.push(...Cards.find({ parentid: card._id }).fetch()); }); // [Old] for attachments we only export IDs and absolute url to original doc @@ -129,34 +101,18 @@ class Exporter { // 1- only exports users that are linked somehow to that board // 2- do not export any sensitive information const users = {}; - result.members.forEach((member) => { - users[member.userId] = true; - }); - result.lists.forEach((list) => { - users[list.userId] = true; - }); + result.members.forEach((member) => { users[member.userId] = true; }); + result.lists.forEach((list) => { users[list.userId] = true; }); result.cards.forEach((card) => { users[card.userId] = true; if (card.members) { - card.members.forEach((memberId) => { - users[memberId] = true; - }); + card.members.forEach((memberId) => { users[memberId] = true; }); } }); - result.comments.forEach((comment) => { - users[comment.userId] = true; - }); - result.activities.forEach((activity) => { - users[activity.userId] = true; - }); - result.checklists.forEach((checklist) => { - users[checklist.userId] = true; - }); - const byUserIds = { - _id: { - $in: Object.getOwnPropertyNames(users), - }, - }; + result.comments.forEach((comment) => { users[comment.userId] = true; }); + result.activities.forEach((activity) => { users[activity.userId] = true; }); + result.checklists.forEach((checklist) => { users[checklist.userId] = true; }); + const byUserIds = { _id: { $in: Object.getOwnPropertyNames(users) } }; // we use whitelist to be sure we do not expose inadvertently // some secret fields that gets added to User later. const userFields = { diff --git a/models/lists.js b/models/lists.js index bf5aae3c..9bcb9ba1 100644 --- a/models/lists.js +++ b/models/lists.js @@ -82,7 +82,7 @@ Lists.helpers({ }; if (swimlaneId) selector.swimlaneId = swimlaneId; - return Cards.find(selector, + return Cards.find(Filter.mongoSelector(selector), { sort: ['sort'] }); }, diff --git a/models/rules.js b/models/rules.js deleted file mode 100644 index 7d971980..00000000 --- a/models/rules.js +++ /dev/null @@ -1,48 +0,0 @@ -Rules = new Mongo.Collection('rules'); - -Rules.attachSchema(new SimpleSchema({ - title: { - type: String, - optional: false, - }, - triggerId: { - type: String, - optional: false, - }, - actionId: { - type: String, - optional: false, - }, - boardId: { - type: String, - optional: false, - }, -})); - -Rules.mutations({ - rename(description) { - return { $set: { description } }; - }, -}); - -Rules.helpers({ - getAction(){ - return Actions.findOne({_id:this.actionId}); - }, - getTrigger(){ - return Triggers.findOne({_id:this.triggerId}); - }, -}); - - -Rules.allow({ - insert(userId, doc) { - return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); - }, - update(userId, doc) { - return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); - }, - remove(userId, doc) { - return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); - }, -}); diff --git a/models/triggers.js b/models/triggers.js deleted file mode 100644 index 15982b6e..00000000 --- a/models/triggers.js +++ /dev/null @@ -1,58 +0,0 @@ -Triggers = new Mongo.Collection('triggers'); - -Triggers.mutations({ - rename(description) { - return { - $set: { - description, - }, - }; - }, -}); - -Triggers.allow({ - insert(userId, doc) { - return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); - }, - update(userId, doc) { - return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); - }, - remove(userId, doc) { - return allowIsBoardAdmin(userId, Boards.findOne(doc.boardId)); - }, -}); - -Triggers.helpers({ - - description() { - return this.desc; - }, - - getRule() { - return Rules.findOne({ - triggerId: this._id, - }); - }, - - fromList() { - return Lists.findOne(this.fromId); - }, - - toList() { - return Lists.findOne(this.toId); - }, - - findList(title) { - return Lists.findOne({ - title, - }); - }, - - labels() { - const boardLabels = this.board().labels; - const cardLabels = _.filter(boardLabels, (label) => { - return _.contains(this.labelIds, label._id); - }); - return cardLabels; - }, -}); diff --git a/models/wekanCreator.js b/models/wekanCreator.js index b018b06d..d144821f 100644 --- a/models/wekanCreator.js +++ b/models/wekanCreator.js @@ -1,4 +1,4 @@ -const DateString = Match.Where(function(dateAsString) { +const DateString = Match.Where(function (dateAsString) { check(dateAsString, String); return moment(dateAsString, moment.ISO_8601).isValid(); }); @@ -42,10 +42,6 @@ export class WekanCreator { this.comments = {}; // the members, indexed by Wekan member id => Wekan user ID this.members = data.membersMapping ? data.membersMapping : {}; - // Map of triggers Wekan ID => Wekan ID - this.triggers = {}; - // Map of actions Wekan ID => Wekan ID - this.actions = {}; // maps a wekanCardId to an array of wekanAttachments this.attachments = {}; @@ -61,10 +57,10 @@ export class WekanCreator { * @param {String} dateString a properly formatted Date */ _now(dateString) { - if (dateString) { + if(dateString) { return new Date(dateString); } - if (!this._nowDate) { + if(!this._nowDate) { this._nowDate = new Date(); } return this._nowDate; @@ -76,9 +72,9 @@ export class WekanCreator { * Otherwise return current logged user. * @param wekanUserId * @private - */ + */ _user(wekanUserId) { - if (wekanUserId && this.members[wekanUserId]) { + if(wekanUserId && this.members[wekanUserId]) { return this.members[wekanUserId]; } return Meteor.userId(); @@ -100,7 +96,7 @@ export class WekanCreator { // allowed values (is it worth the maintenance?) color: String, permission: Match.Where((value) => { - return ['private', 'public'].indexOf(value) >= 0; + return ['private', 'public'].indexOf(value)>= 0; }), })); } @@ -151,30 +147,6 @@ export class WekanCreator { })]); } - checkRules(wekanRules) { - check(wekanRules, [Match.ObjectIncluding({ - triggerId: String, - actionId: String, - title: String, - })]); - } - - checkTriggers(wekanTriggers) { - // XXX More check based on trigger type - check(wekanTriggers, [Match.ObjectIncluding({ - activityType: String, - desc: String, - })]); - } - - checkActions(wekanActions) { - // XXX More check based on action type - check(wekanActions, [Match.ObjectIncluding({ - actionType: String, - desc: String, - })]); - } - // You must call parseActions before calling this one. createBoardAndLabels(boardToImport) { const boardToCreate = { @@ -200,12 +172,12 @@ export class WekanCreator { title: boardToImport.title, }; // now add other members - if (boardToImport.members) { + if(boardToImport.members) { boardToImport.members.forEach((wekanMember) => { // do we already have it in our list? - if (!boardToCreate.members.some((member) => member.wekanId === wekanMember.wekanId)) + if(!boardToCreate.members.some((member) => member.wekanId === wekanMember.wekanId)) boardToCreate.members.push({ - ...wekanMember, + ... wekanMember, userId: wekanMember.wekanId, }); }); @@ -222,11 +194,7 @@ export class WekanCreator { boardToCreate.labels.push(labelToCreate); }); const boardId = Boards.direct.insert(boardToCreate); - Boards.direct.update(boardId, { - $set: { - modifiedAt: this._now(), - }, - }); + Boards.direct.update(boardId, {$set: {modifiedAt: this._now()}}); // log activity Activities.direct.insert({ activityType: 'importBoard', @@ -278,21 +246,21 @@ export class WekanCreator { }); } // add members { - if (card.members) { + if(card.members) { const wekanMembers = []; // we can't just map, as some members may not have been mapped card.members.forEach((sourceMemberId) => { - if (this.members[sourceMemberId]) { + if(this.members[sourceMemberId]) { const wekanId = this.members[sourceMemberId]; // we may map multiple Wekan members to the same wekan user // in which case we risk adding the same user multiple times - if (!wekanMembers.find((wId) => wId === wekanId)) { + if(!wekanMembers.find((wId) => wId === wekanId)){ wekanMembers.push(wekanId); } } return true; }); - if (wekanMembers.length > 0) { + if(wekanMembers.length>0) { cardToCreate.members = wekanMembers; } } @@ -353,9 +321,9 @@ export class WekanCreator { // - the template then tries to display the url to the attachment which causes other errors // so we make it server only, and let UI catch up once it is done, forget about latency comp. const self = this; - if (Meteor.isServer) { + if(Meteor.isServer) { if (att.url) { - file.attachData(att.url, function(error) { + file.attachData(att.url, function (error) { file.boardId = boardId; file.cardId = cardId; file.userId = self._user(att.userId); @@ -363,26 +331,20 @@ export class WekanCreator { // attachments' related activities automatically file.source = 'import'; if (error) { - throw (error); + throw(error); } else { const wekanAtt = Attachments.insert(file, () => { // we do nothing }); self.attachmentIds[att._id] = wekanAtt._id; // - if (wekanCoverId === att._id) { - Cards.direct.update(cardId, { - $set: { - coverId: wekanAtt._id, - }, - }); + if(wekanCoverId === att._id) { + Cards.direct.update(cardId, { $set: {coverId: wekanAtt._id}}); } } }); } else if (att.file) { - file.attachData(new Buffer(att.file, 'base64'), { - type: att.type, - }, (error) => { + file.attachData(new Buffer(att.file, 'base64'), {type: att.type}, (error) => { file.name(att.name); file.boardId = boardId; file.cardId = cardId; @@ -391,19 +353,15 @@ export class WekanCreator { // attachments' related activities automatically file.source = 'import'; if (error) { - throw (error); + throw(error); } else { const wekanAtt = Attachments.insert(file, () => { // we do nothing }); this.attachmentIds[att._id] = wekanAtt._id; // - if (wekanCoverId === att._id) { - Cards.direct.update(cardId, { - $set: { - coverId: wekanAtt._id, - }, - }); + if(wekanCoverId === att._id) { + Cards.direct.update(cardId, { $set: {coverId: wekanAtt._id}}); } } }); @@ -446,11 +404,7 @@ export class WekanCreator { sort: list.sort ? list.sort : listIndex, }; const listId = Lists.direct.insert(listToCreate); - Lists.direct.update(listId, { - $set: { - 'updatedAt': this._now(), - }, - }); + Lists.direct.update(listId, {$set: {'updatedAt': this._now()}}); this.lists[list._id] = listId; // // log activity // Activities.direct.insert({ @@ -483,11 +437,7 @@ export class WekanCreator { sort: swimlane.sort ? swimlane.sort : swimlaneIndex, }; const swimlaneId = Swimlanes.direct.insert(swimlaneToCreate); - Swimlanes.direct.update(swimlaneId, { - $set: { - 'updatedAt': this._now(), - }, - }); + Swimlanes.direct.update(swimlaneId, {$set: {'updatedAt': this._now()}}); this.swimlanes[swimlane._id] = swimlaneId; }); } @@ -509,47 +459,6 @@ export class WekanCreator { return result; } - createTriggers(wekanTriggers, boardId) { - wekanTriggers.forEach((trigger, ruleIndex) => { - if (trigger.hasOwnProperty('labelId')) { - trigger.labelId = this.labels[trigger.labelId]; - } - if (trigger.hasOwnProperty('memberId')) { - trigger.memberId = this.members[trigger.memberId]; - } - trigger.boardId = boardId; - const oldId = trigger._id; - delete trigger._id; - this.triggers[oldId] = Triggers.direct.insert(trigger); - }); - } - - createActions(wekanActions, boardId) { - wekanActions.forEach((action, ruleIndex) => { - if (action.hasOwnProperty('labelId')) { - action.labelId = this.labels[action.labelId]; - } - if (action.hasOwnProperty('memberId')) { - action.memberId = this.members[action.memberId]; - } - action.boardId = boardId; - const oldId = action._id; - delete action._id; - this.actions[oldId] = Actions.direct.insert(action); - }); - } - - createRules(wekanRules, boardId) { - wekanRules.forEach((rule, ruleIndex) => { - // Create the rule - rule.boardId = boardId; - rule.triggerId = this.triggers[rule.triggerId]; - rule.actionId = this.actions[rule.actionId]; - delete rule._id; - Rules.direct.insert(rule); - }); - } - createChecklistItems(wekanChecklistItems) { wekanChecklistItems.forEach((checklistitem, checklistitemIndex) => { // Create the checklistItem @@ -568,8 +477,7 @@ export class WekanCreator { parseActivities(wekanBoard) { wekanBoard.activities.forEach((activity) => { switch (activity.activityType) { - case 'addAttachment': - { + case 'addAttachment': { // We have to be cautious, because the attachment could have been removed later. // In that case Wekan still reports its addition, but removes its 'url' field. // So we test for that @@ -577,12 +485,12 @@ export class WekanCreator { return attachment._id === activity.attachmentId; })[0]; - if (typeof wekanAttachment !== 'undefined' && wekanAttachment) { - if (wekanAttachment.url || wekanAttachment.file) { - // we cannot actually create the Wekan attachment, because we don't yet - // have the cards to attach it to, so we store it in the instance variable. + if ( typeof wekanAttachment !== 'undefined' && wekanAttachment ) { + if(wekanAttachment.url || wekanAttachment.file) { + // we cannot actually create the Wekan attachment, because we don't yet + // have the cards to attach it to, so we store it in the instance variable. const wekanCardId = activity.cardId; - if (!this.attachments[wekanCardId]) { + if(!this.attachments[wekanCardId]) { this.attachments[wekanCardId] = []; } this.attachments[wekanCardId].push(wekanAttachment); @@ -590,8 +498,7 @@ export class WekanCreator { } break; } - case 'addComment': - { + case 'addComment': { const wekanComment = wekanBoard.comments.filter((comment) => { return comment._id === activity.commentId; })[0]; @@ -602,31 +509,26 @@ export class WekanCreator { this.comments[id].push(wekanComment); break; } - case 'createBoard': - { + case 'createBoard': { this.createdAt.board = activity.createdAt; break; } - case 'createCard': - { + case 'createCard': { const cardId = activity.cardId; this.createdAt.cards[cardId] = activity.createdAt; this.createdBy.cards[cardId] = activity.userId; break; } - case 'createList': - { + case 'createList': { const listId = activity.listId; this.createdAt.lists[listId] = activity.createdAt; break; } - case 'createSwimlane': - { + case 'createSwimlane': { const swimlaneId = activity.swimlaneId; this.createdAt.swimlanes[swimlaneId] = activity.createdAt; break; - } - } + }} }); } @@ -635,8 +537,7 @@ export class WekanCreator { switch (activity.activityType) { // Board related activities // TODO: addBoardMember, removeBoardMember - case 'createBoard': - { + case 'createBoard': { Activities.direct.insert({ userId: this._user(activity.userId), type: 'board', @@ -649,8 +550,7 @@ export class WekanCreator { } // List related activities // TODO: removeList, archivedList - case 'createList': - { + case 'createList': { Activities.direct.insert({ userId: this._user(activity.userId), type: 'list', @@ -663,8 +563,7 @@ export class WekanCreator { } // Card related activities // TODO: archivedCard, restoredCard, joinMember, unjoinMember - case 'createCard': - { + case 'createCard': { Activities.direct.insert({ userId: this._user(activity.userId), activityType: activity.activityType, @@ -675,8 +574,7 @@ export class WekanCreator { }); break; } - case 'moveCard': - { + case 'moveCard': { Activities.direct.insert({ userId: this._user(activity.userId), oldListId: this.lists[activity.oldListId], @@ -689,8 +587,7 @@ export class WekanCreator { break; } // Comment related activities - case 'addComment': - { + case 'addComment': { Activities.direct.insert({ userId: this._user(activity.userId), activityType: activity.activityType, @@ -702,8 +599,7 @@ export class WekanCreator { break; } // Attachment related activities - case 'addAttachment': - { + case 'addAttachment': { Activities.direct.insert({ userId: this._user(activity.userId), type: 'card', @@ -716,8 +612,7 @@ export class WekanCreator { break; } // Checklist related activities - case 'addChecklist': - { + case 'addChecklist': { Activities.direct.insert({ userId: this._user(activity.userId), activityType: activity.activityType, @@ -728,8 +623,7 @@ export class WekanCreator { }); break; } - case 'addChecklistItem': - { + case 'addChecklistItem': { Activities.direct.insert({ userId: this._user(activity.userId), activityType: activity.activityType, @@ -742,8 +636,7 @@ export class WekanCreator { createdAt: this._now(activity.createdAt), }); break; - } - } + }} }); } @@ -759,9 +652,6 @@ export class WekanCreator { this.checkSwimlanes(board.swimlanes); this.checkCards(board.cards); this.checkChecklists(board.checklists); - this.checkRules(board.rules); - this.checkActions(board.actions); - this.checkTriggers(board.triggers); this.checkChecklistItems(board.checklistItems); } catch (e) { throw new Meteor.Error('error-json-schema'); @@ -784,9 +674,6 @@ export class WekanCreator { this.createChecklists(board.checklists); this.createChecklistItems(board.checklistItems); this.importActivities(board.activities, boardId); - this.createTriggers(board.triggers, boardId); - this.createActions(board.actions, boardId); - this.createRules(board.rules, boardId); // XXX add members return boardId; } diff --git a/package.json b/package.json index 9f5cfdb3..0244ea0e 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.47.0", + "version": "1.46.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 80c9add2..efe16ffd 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 132, + appVersion = 131, # Increment this for every release. - appMarketingVersion = (defaultText = "1.47.0~2018-09-16"), + appMarketingVersion = (defaultText = "1.46.0~2018-09-15"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, diff --git a/server/notifications/email.js b/server/notifications/email.js index b2b7fab8..2af6381e 100644 --- a/server/notifications/email.js +++ b/server/notifications/email.js @@ -39,5 +39,3 @@ Meteor.startup(() => { }, 30000); }); }); - - diff --git a/server/publications/rules.js b/server/publications/rules.js deleted file mode 100644 index d0864893..00000000 --- a/server/publications/rules.js +++ /dev/null @@ -1,18 +0,0 @@ -Meteor.publish('rules', (ruleId) => { - check(ruleId, String); - return Rules.find({ - _id: ruleId, - }); -}); - -Meteor.publish('allRules', () => { - return Rules.find({}); -}); - -Meteor.publish('allTriggers', () => { - return Triggers.find({}); -}); - -Meteor.publish('allActions', () => { - return Actions.find({}); -}); diff --git a/server/rulesHelper.js b/server/rulesHelper.js deleted file mode 100644 index e7e19b96..00000000 --- a/server/rulesHelper.js +++ /dev/null @@ -1,131 +0,0 @@ -RulesHelper = { - executeRules(activity){ - const matchingRules = this.findMatchingRules(activity); - for(let i = 0; i< matchingRules.length; i++){ - const action = matchingRules[i].getAction(); - this.performAction(activity, action); - } - }, - findMatchingRules(activity){ - const activityType = activity.activityType; - if(TriggersDef[activityType] === undefined){ - return []; - } - const matchingFields = TriggersDef[activityType].matchingFields; - const matchingMap = this.buildMatchingFieldsMap(activity, matchingFields); - const matchingTriggers = Triggers.find(matchingMap); - const matchingRules = []; - matchingTriggers.forEach(function(trigger){ - matchingRules.push(trigger.getRule()); - }); - return matchingRules; - }, - buildMatchingFieldsMap(activity, matchingFields){ - const matchingMap = {'activityType':activity.activityType}; - for(let i = 0; i< matchingFields.length; i++){ - // Creating a matching map with the actual field of the activity - // and with the wildcard (for example: trigger when a card is added - // in any [*] board - matchingMap[matchingFields[i]] = { $in: [activity[matchingFields[i]], '*']}; - } - return matchingMap; - }, - performAction(activity, action){ - const card = Cards.findOne({_id:activity.cardId}); - const boardId = activity.boardId; - if(action.actionType === 'moveCardToTop'){ - let listId; - let list; - if(activity.listTitle === '*'){ - listId = card.swimlaneId; - list = card.list(); - }else{ - list = Lists.findOne({title: action.listTitle, boardId }); - listId = list._id; - } - const minOrder = _.min(list.cards(card.swimlaneId).map((c) => c.sort)); - card.move(card.swimlaneId, listId, minOrder - 1); - } - if(action.actionType === 'moveCardToBottom'){ - let listId; - let list; - if(activity.listTitle === '*'){ - listId = card.swimlaneId; - list = card.list(); - }else{ - list = Lists.findOne({title: action.listTitle, boardId}); - listId = list._id; - } - const maxOrder = _.max(list.cards(card.swimlaneId).map((c) => c.sort)); - card.move(card.swimlaneId, listId, maxOrder + 1); - } - if(action.actionType === 'sendEmail'){ - const emailTo = action.emailTo; - const emailMsg = action.emailMsg; - const emailSubject = action.emailSubject; - try { - Email.send({ - to, - from: Accounts.emailTemplates.from, - subject, - text, - }); - } catch (e) { - return; - } - } - if(action.actionType === 'archive'){ - card.archive(); - } - if(action.actionType === 'unarchive'){ - card.restore(); - } - if(action.actionType === 'addLabel'){ - card.addLabel(action.labelId); - } - if(action.actionType === 'removeLabel'){ - card.removeLabel(action.labelId); - } - if(action.actionType === 'addMember'){ - const memberId = Users.findOne({username:action.memberName})._id; - card.assignMember(memberId); - } - if(action.actionType === 'removeMember'){ - if(action.memberName === '*'){ - const members = card.members; - for(let i = 0; i< members.length; i++){ - card.unassignMember(members[i]); - } - }else{ - const memberId = Users.findOne({username:action.memberName})._id; - card.unassignMember(memberId); - } - } - if(action.actionType === 'checkAll'){ - const checkList = Checklists.findOne({'title':action.checklistName, 'cardId':card._id}); - checkList.checkAllItems(); - } - if(action.actionType === 'uncheckAll'){ - const checkList = Checklists.findOne({'title':action.checklistName, 'cardId':card._id}); - checkList.uncheckAllItems(); - } - if(action.actionType === 'checkItem'){ - const checkList = Checklists.findOne({'title':action.checklistName, 'cardId':card._id}); - const checkItem = ChecklistItems.findOne({'title':action.checkItemName, 'checkListId':checkList._id}); - checkItem.check(); - } - if(action.actionType === 'uncheckItem'){ - const checkList = Checklists.findOne({'title':action.checklistName, 'cardId':card._id}); - const checkItem = ChecklistItems.findOne({'title':action.checkItemName, 'checkListId':checkList._id}); - checkItem.uncheck(); - } - if(action.actionType === 'addChecklist'){ - Checklists.insert({'title':action.checklistName, 'cardId':card._id, 'sort':0}); - } - if(action.actionType === 'removeChecklist'){ - Checklists.remove({'title':action.checklistName, 'cardId':card._id, 'sort':0}); - } - - }, - -}; diff --git a/server/triggersDef.js b/server/triggersDef.js deleted file mode 100644 index 81dc946f..00000000 --- a/server/triggersDef.js +++ /dev/null @@ -1,58 +0,0 @@ -TriggersDef = { - createCard:{ - matchingFields: ['boardId', 'listName'], - }, - moveCard:{ - matchingFields: ['boardId', 'listName', 'oldListName'], - }, - archivedCard:{ - matchingFields: ['boardId'], - }, - restoredCard:{ - matchingFields: ['boardId'], - }, - joinMember:{ - matchingFields: ['boardId', 'memberId'], - }, - unjoinMember:{ - matchingFields: ['boardId', 'memberId'], - }, - addChecklist:{ - matchingFields: ['boardId', 'checklistName'], - }, - removeChecklist:{ - matchingFields: ['boardId', 'checklistName'], - }, - completeChecklist:{ - matchingFields: ['boardId', 'checklistName'], - }, - uncompleteChecklist:{ - matchingFields: ['boardId', 'checklistName'], - }, - addedChecklistItem:{ - matchingFields: ['boardId', 'checklistItemName'], - }, - removedChecklistItem:{ - matchingFields: ['boardId', 'checklistItemName'], - }, - checkedItem:{ - matchingFields: ['boardId', 'checklistItemName'], - }, - uncheckedItem:{ - matchingFields: ['boardId', 'checklistItemName'], - }, - addAttachment:{ - matchingFields: ['boardId'], - }, - deleteAttachment:{ - matchingFields: ['boardId'], - }, - addedLabel:{ - matchingFields: ['boardId', 'labelId'], - }, - removedLabel:{ - matchingFields: ['boardId', 'labelId'], - }, -}; - - -- cgit v1.2.3-1-g7c22 From 2e52ff9e9d153448f03bd56f59f58517149251e0 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 17 Sep 2018 12:53:34 +0300 Subject: This release removes the following new features: - Remove IFTTT rules, until they are fixed. Thanks to xet7 ! --- CHANGELOG.md | 18 ++++++++++++++++++ 1 file changed, 18 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index c5e5f325..0db31702 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,21 @@ +# Upcoming Wekan release + +This release removes the following new features: + +- Remove IFTTT rules, until they are fixed. + +Thanks to GitHub user xet7 for contributions. + +# v1.47 2018-09-16 Wekan release + +This release adds the following new features: + +- [IFTTT Rules](https://github.com/wekan/wekan/pull/1896). Useful to automate things like + [adding labels, members, moving card, archiving them, checking checklists etc](https://github.com/wekan/wekan/issues/1160). + Please test and report bugs. Later colors need to be made translatable. + +Thanks to GitHub users Angtrim and xet7 for their contributions. + # v1.46 2018-09-15 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From 53a020a23afb7ae4031ec08965a61da2bc85560d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 17 Sep 2018 13:23:08 +0300 Subject: - Remove OAuth2, until it is fixed. Thanks to xet7 ! --- .meteor/packages | 2 +- CHANGELOG.md | 1 + models/users.js | 46 +++++++++++++++++++++++----------------------- server/authentication.js | 45 ++++++++++++++++++++++----------------------- 4 files changed, 47 insertions(+), 47 deletions(-) diff --git a/.meteor/packages b/.meteor/packages index d428111c..990f8717 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -31,7 +31,7 @@ kenton:accounts-sandstorm service-configuration@1.0.11 useraccounts:unstyled useraccounts:flow-routing -salleman:accounts-oidc +#salleman:accounts-oidc # Utilities check@1.2.5 diff --git a/CHANGELOG.md b/CHANGELOG.md index 0db31702..2b32ba5c 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,6 +3,7 @@ This release removes the following new features: - Remove IFTTT rules, until they are fixed. +- Remove OAuth2, until it is fixed. Thanks to GitHub user xet7 for contributions. diff --git a/models/users.js b/models/users.js index 01673e4f..070cbc40 100644 --- a/models/users.js +++ b/models/users.js @@ -488,29 +488,29 @@ if (Meteor.isServer) { return user; } - if (user.services.oidc) { - const email = user.services.oidc.email.toLowerCase(); - - user.username = user.services.oidc.username; - user.emails = [{ address: email, verified: true }]; - const initials = user.services.oidc.fullname.match(/\b[a-zA-Z]/g).join('').toUpperCase(); - user.profile = { initials, fullname: user.services.oidc.fullname }; - - // see if any existing user has this email address or username, otherwise create new - const existingUser = Meteor.users.findOne({$or: [{'emails.address': email}, {'username':user.username}]}); - if (!existingUser) - return user; - - // copy across new service info - const service = _.keys(user.services)[0]; - existingUser.services[service] = user.services[service]; - existingUser.emails = user.emails; - existingUser.username = user.username; - existingUser.profile = user.profile; - - Meteor.users.remove({_id: existingUser._id}); // remove existing record - return existingUser; - } +// if (user.services.oidc) { +// const email = user.services.oidc.email.toLowerCase(); +// +// user.username = user.services.oidc.username; +// user.emails = [{ address: email, verified: true }]; +// const initials = user.services.oidc.fullname.match(/\b[a-zA-Z]/g).join('').toUpperCase(); +// user.profile = { initials, fullname: user.services.oidc.fullname }; +// +// // see if any existing user has this email address or username, otherwise create new +// const existingUser = Meteor.users.findOne({$or: [{'emails.address': email}, {'username':user.username}]}); +// if (!existingUser) +// return user; +// +// // copy across new service info +// const service = _.keys(user.services)[0]; +// existingUser.services[service] = user.services[service]; +// existingUser.emails = user.emails; +// existingUser.username = user.username; +// existingUser.profile = user.profile; +// +// Meteor.users.remove({_id: existingUser._id}); // remove existing record +// return existingUser; +// } if (options.from === 'admin') { user.createdThroughApi = true; diff --git a/server/authentication.js b/server/authentication.js index 6310e8df..8a74ebf7 100644 --- a/server/authentication.js +++ b/server/authentication.js @@ -62,28 +62,27 @@ Meteor.startup(() => { Authentication.checkAdminOrCondition(userId, normalAccess); }; - if (Meteor.isServer) { - - if(process.env.OAUTH2_CLIENT_ID !== '') { - - ServiceConfiguration.configurations.upsert( // eslint-disable-line no-undef - { service: 'oidc' }, - { - $set: { - loginStyle: 'redirect', - clientId: process.env.OAUTH2_CLIENT_ID, - secret: process.env.OAUTH2_SECRET, - serverUrl: process.env.OAUTH2_SERVER_URL, - authorizationEndpoint: process.env.OAUTH2_AUTH_ENDPOINT, - userinfoEndpoint: process.env.OAUTH2_USERINFO_ENDPOINT, - tokenEndpoint: process.env.OAUTH2_TOKEN_ENDPOINT, - idTokenWhitelistFields: [], - requestPermissions: ['openid'], - }, - } - ); - } - } +// if (Meteor.isServer) { +// +// if(process.env.OAUTH2_CLIENT_ID !== '') { +// +// ServiceConfiguration.configurations.upsert( // eslint-disable-line no-undef +// { service: 'oidc' }, +// { +// $set: { +// loginStyle: 'redirect', +// clientId: process.env.OAUTH2_CLIENT_ID, +// secret: process.env.OAUTH2_SECRET, +// serverUrl: process.env.OAUTH2_SERVER_URL, +// authorizationEndpoint: process.env.OAUTH2_AUTH_ENDPOINT, +// userinfoEndpoint: process.env.OAUTH2_USERINFO_ENDPOINT, +// tokenEndpoint: process.env.OAUTH2_TOKEN_ENDPOINT, +// idTokenWhitelistFields: [], +// requestPermissions: ['openid'], +// }, +// } +// ); +// } +// } }); - -- cgit v1.2.3-1-g7c22 From 3941066ba5a8953178a293ef39a41985d05b6f4d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 17 Sep 2018 13:26:08 +0300 Subject: Update translations. --- i18n/cs.i18n.json | 114 +++++++++++++++--------------- i18n/de.i18n.json | 2 +- i18n/fr.i18n.json | 202 +++++++++++++++++++++++++++--------------------------- i18n/he.i18n.json | 170 ++++++++++++++++++++++----------------------- 4 files changed, 244 insertions(+), 244 deletions(-) diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index d2effd10..5ca9636b 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -46,7 +46,7 @@ "activity-checked-item": "checked %s in checklist %s of %s", "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "přidán checklist do %s", - "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-removed": "odstraněn checklist z %s", "activity-checklist-completed": "completed the checklist %s of %s", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "přidána položka checklist do '%s' v %s", @@ -54,13 +54,13 @@ "add": "Přidat", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "dokončen checklist %s", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Přidat přílohu", "add-board": "Přidat tablo", "add-card": "Přidat kartu", "add-swimlane": "Přidat Swimlane", - "add-subtask": "Add Subtask", + "add-subtask": "Přidat Podúkol", "add-checklist": "Přidat zaškrtávací seznam", "add-checklist-item": "Přidat položku do zaškrtávacího seznamu", "add-cover": "Přidat obal", @@ -113,13 +113,13 @@ "boardMenuPopup-title": "Menu tabla", "boards": "Tabla", "board-view": "Náhled tabla", - "board-view-cal": "Calendar", + "board-view-cal": "Kalendář", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Seznamy", "bucket-example": "Například \"Než mě odvedou\"", "cancel": "Zrušit", "card-archived": "Karta byla přesunuta do koše.", - "board-archived": "This board is moved to Recycle Bin.", + "board-archived": "Toto tablo je přesunuto do koše", "card-comments-title": "Tato karta má %s komentářů.", "card-delete-notice": "Smazání je trvalé. Přijdete o všechny akce asociované s touto kartou.", "card-delete-pop": "Všechny akce budou odstraněny z kanálu aktivity a nebude možné kartu znovu otevřít. Toto nelze vrátit zpět.", @@ -146,7 +146,7 @@ "cards": "Karty", "cards-count": "Karty", "casSignIn": "Sign In with CAS", - "cardType-card": "Card", + "cardType-card": "Karta", "cardType-linkedCard": "Linked Card", "cardType-linkedBoard": "Linked Board", "change": "Změnit", @@ -181,14 +181,14 @@ "comment-placeholder": "Text komentáře", "comment-only": "Pouze komentáře", "comment-only-desc": "Může přidávat komentáře pouze do karet.", - "no-comments": "No comments", + "no-comments": "Žádné komentáře", "no-comments-desc": "Can not see comments and activities.", "computer": "Počítač", - "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", + "confirm-subtask-delete-dialog": "Opravdu chcete smazat tento podúkol?", + "confirm-checklist-delete-dialog": "Opravdu chcete smazat tento checklist?", "copy-card-link-to-clipboard": "Kopírovat adresu karty do mezipaměti", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchCardPopup-title": "Hledat Kartu", "copyCardPopup-title": "Kopírovat kartu", "copyChecklistToManyCardsPopup-title": "Kopírovat checklist do více karet", "copyChecklistToManyCardsPopup-instructions": "Názvy a popisy cílové karty v tomto formátu JSON", @@ -272,7 +272,7 @@ "filter-on-desc": "Filtrujete karty tohoto tabla. Pro úpravu filtru klikni sem.", "filter-to-selection": "Filtrovat výběr", "advanced-filter-label": "Pokročilý filtr", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Pokročilý filtr dovoluje zapsat řetězec následujících operátorů: == != <= >= && || () Operátory jsou odděleny mezerou. Můžete filtrovat všechny vlastní pole zadáním jejich názvů nebo hodnot. Například: Pole1 == Hodnota1. Poznámka: Pokud pole nebo hodnoty obsahují mezery, je potřeba je obalit v jednoduchých uvozovkách. Například: 'Pole 1' == 'Hodnota 1'. Pro ignorovaní kontrolních znaků (' \\ /) je možné použít \\. Například Pole1 == I\\'m. Můžete také kombinovat více podmínek. Například P1 == H1 || P1 == H2. Obvykle jsou operátory interpretovány zleva doprava. Jejich pořadí můžete měnit pomocí závorek. Například: P1 == H1 && ( P2 == H2 || P2 == H3 )", "fullname": "Celé jméno", "header-logo-title": "Jit zpět na stránku s tably.", "hide-system-messages": "Skrýt systémové zprávy", @@ -381,7 +381,7 @@ "restore": "Obnovit", "save": "Uložit", "search": "Hledat", - "rules": "Rules", + "rules": "Pravidla", "search-cards": "Hledat nadpisy a popisy karet v tomto tablu", "search-example": "Hledaný text", "select-color": "Vybrat barvu", @@ -496,18 +496,18 @@ "card-end-on": "Končí v", "editCardReceivedDatePopup-title": "Změnit datum přijetí", "editCardEndDatePopup-title": "Změnit datum konce", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "assigned-by": "Přidělil(a)", + "requested-by": "Vyžádal(a)", + "board-delete-notice": "Smazání je trvalé. Přijdete o všechny seznamy, karty a akce asociované s tímto tablem.", + "delete-board-confirm-popup": "Všechny sezamy, štítky a aktivity budou a obsah tabla nebude možné obnovit. Toto nelze vrátit zpět.", "boardDeletePopup-title": "Smazat tablo?", "delete-board": "Smazat tablo", - "default-subtasks-board": "Subtasks for __board__ board", - "default": "Default", + "default-subtasks-board": "Podúkoly pro tablo __board__", + "default": "Výchozí", "queue": "Queue", - "subtask-settings": "Subtasks Settings", - "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", - "show-subtasks-field": "Cards can have subtasks", + "subtask-settings": "Nastavení podúkolů", + "boardSubtaskSettingsPopup-title": "Nastavení podúkolů tabla", + "show-subtasks-field": "Karty mohou mít podúkoly", "deposit-subtasks-board": "Deposit subtasks to this board:", "deposit-subtasks-list": "Landing list for subtasks deposited here:", "show-parent-in-minicard": "Show parent in minicard:", @@ -517,7 +517,7 @@ "subtext-with-parent": "Subtext with parent", "change-card-parent": "Change card's parent", "parent-card": "Parent card", - "source-board": "Source board", + "source-board": "Zdrojové tablo", "no-parent": "Don't show parent", "activity-added-label": "added label '%s' to %s", "activity-removed-label": "removed label '%s' from %s", @@ -525,24 +525,24 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", - "r-rule": "Rule", + "r-rule": "Pravidlo", "r-add-trigger": "Add trigger", - "r-add-action": "Add action", - "r-board-rules": "Board rules", - "r-add-rule": "Add rule", - "r-view-rule": "View rule", - "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", - "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", - "r-removed-from": "Removed from", + "r-add-action": "Přidat akci", + "r-board-rules": "Pravidla Tabla", + "r-add-rule": "Přidat pravidlo", + "r-view-rule": "Zobrazit pravidlo", + "r-delete-rule": "Smazat pravidlo", + "r-new-rule-name": "Přidat nové pravidlo", + "r-no-rules": "Žádná pravidla", + "r-when-a-card-is": "Pokud je karta", + "r-added-to": "Přidáno do", + "r-removed-from": "Odstraněno z", "r-the-board": "the board", - "r-list": "list", - "r-moved-to": "Moved to", - "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-list": "seznam", + "r-moved-to": "Přesunuto do", + "r-moved-from": "Přesunuto z", + "r-archived": "Přesunuto do koše", + "r-unarchived": "Obnoveno z koše", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -554,7 +554,7 @@ "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", - "r-completed": "Completed", + "r-completed": "Dokončeno", "r-made-incomplete": "Made incomplete", "r-when-a-item": "When a checklist item is", "r-when-the-item": "When the checklist item", @@ -566,9 +566,9 @@ "r-its-list": "its list", "r-archive": "Přesunout do koše", "r-unarchive": "Restore from Recycle Bin", - "r-card": "card", + "r-card": "karta", "r-add": "Přidat", - "r-remove": "Remove", + "r-remove": "Odstranit", "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", @@ -581,29 +581,29 @@ "r-item": "item", "r-of-checklist": "of checklist", "r-send-email": "Send an email", - "r-to": "to", - "r-subject": "subject", + "r-to": "komu", + "r-subject": "předmět", "r-rule-details": "Rule details", "r-d-move-to-top-gen": "Move card to top of its list", - "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-top-spec": "Přesunout kartu na začátek seznamu", "r-d-move-to-bottom-gen": "Move card to bottom of its list", - "r-d-move-to-bottom-spec": "Move card to bottom of list", - "r-d-send-email": "Send email", - "r-d-send-email-to": "to", - "r-d-send-email-subject": "subject", - "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", - "r-d-add-label": "Add label", - "r-d-remove-label": "Remove label", - "r-d-add-member": "Add member", - "r-d-remove-member": "Remove member", + "r-d-move-to-bottom-spec": "Přesunout kartu na konec seznamu", + "r-d-send-email": "Odeslat email", + "r-d-send-email-to": "komu", + "r-d-send-email-subject": "předmět", + "r-d-send-email-message": "zpráva", + "r-d-archive": "Přesunout kartu do koše", + "r-d-unarchive": "Obnovit kartu z koše", + "r-d-add-label": "Přidat štítek", + "r-d-remove-label": "Odstranit štítek", + "r-d-add-member": "Přidat člena", + "r-d-remove-member": "Odstranit člena", "r-d-remove-all-member": "Remove all member", "r-d-check-all": "Check all items of a list", "r-d-uncheck-all": "Uncheck all items of a list", "r-d-check-one": "Check item", "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", - "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-add-checklist": "Přidat checklist", + "r-d-remove-checklist": "Odstranit checklist" } \ No newline at end of file diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 2453391d..343c7519 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -524,7 +524,7 @@ "activity-delete-attach": "löschte ein Anhang von %s", "activity-added-label-card": "Label hinzugefügt '%s'", "activity-removed-label-card": "Label entfernt '%s'", - "activity-delete-attach-card": "ein Anhang löschen", + "activity-delete-attach-card": "hat einen Anhang gelöscht", "r-rule": "Regel", "r-add-trigger": "Auslöser hinzufügen", "r-add-action": "Aktion hinzufügen", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 9fe0f7fa..a7bbcd3d 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -43,19 +43,19 @@ "activity-sent": "a envoyé %s vers %s", "activity-unjoined": "a quitté %s", "activity-subtask-added": "a ajouté une sous-tâche à %s", - "activity-checked-item": "checked %s in checklist %s of %s", - "activity-unchecked-item": "unchecked %s in checklist %s of %s", + "activity-checked-item": "a coché %s dans la checklist %s de %s", + "activity-unchecked-item": "a décoché %s dans la checklist %s de %s", "activity-checklist-added": "a ajouté une checklist à %s", - "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", - "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", + "activity-checklist-removed": "a supprimé une checklist de %s", + "activity-checklist-completed": "a complété la checklist %s de %s", + "activity-checklist-uncompleted": "a rendu incomplète la checklist %s de %s", "activity-checklist-item-added": "a ajouté un élément à la checklist '%s' dans %s", - "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", + "activity-checklist-item-removed": "a supprimé une checklist de '%s' dans %s", "add": "Ajouter", - "activity-checked-item-card": "checked %s in checklist %s", - "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", - "activity-checklist-uncompleted-card": "uncompleted the checklist %s", + "activity-checked-item-card": "a coché %s dans la checklist %s", + "activity-unchecked-item-card": "a décoché %s dans la checklist %s", + "activity-checklist-completed-card": "a complété la checklist %s", + "activity-checklist-uncompleted-card": "a rendu incomplète la checklist %s", "add-attachment": "Ajouter une pièce jointe", "add-board": "Ajouter un tableau", "add-card": "Ajouter une carte", @@ -129,14 +129,14 @@ "card-spent": "Temps passé", "card-edit-attachments": "Modifier les pièces jointes", "card-edit-custom-fields": "Éditer les champs personnalisés", - "card-edit-labels": "Modifier les étiquettes", - "card-edit-members": "Modifier les membres", + "card-edit-labels": "Gérer les étiquettes", + "card-edit-members": "Gérer les membres", "card-labels-title": "Modifier les étiquettes de la carte.", "card-members-title": "Ajouter ou supprimer des membres à la carte.", "card-start": "Début", "card-start-on": "Commence le", - "cardAttachmentsPopup-title": "Joindre depuis", - "cardCustomField-datePopup-title": "Changer la date", + "cardAttachmentsPopup-title": "Ajouter depuis", + "cardCustomField-datePopup-title": "Modifier la date", "cardCustomFieldsPopup-title": "Éditer les champs personnalisés", "cardDeletePopup-title": "Supprimer la carte ?", "cardDetailsActionsPopup-title": "Actions sur la carte", @@ -231,7 +231,7 @@ "editCardStartDatePopup-title": "Modifier la date de début", "editCardDueDatePopup-title": "Modifier la date d'échéance", "editCustomFieldPopup-title": "Éditer le champ personnalisé", - "editCardSpentTimePopup-title": "Changer le temps passé", + "editCardSpentTimePopup-title": "Modifier le temps passé", "editLabelPopup-title": "Modifier l'étiquette", "editNotificationPopup-title": "Modifier la notification", "editProfilePopup-title": "Modifier le profil", @@ -381,7 +381,7 @@ "restore": "Restaurer", "save": "Enregistrer", "search": "Chercher", - "rules": "Rules", + "rules": "Règles", "search-cards": "Rechercher parmi les titres et descriptions des cartes de ce tableau", "search-example": "Texte à rechercher ?", "select-color": "Sélectionner une couleur", @@ -494,8 +494,8 @@ "card-received-on": "Reçue le", "card-end": "Fin", "card-end-on": "Se termine le", - "editCardReceivedDatePopup-title": "Changer la date de réception", - "editCardEndDatePopup-title": "Changer la date de fin", + "editCardReceivedDatePopup-title": "Modifier la date de réception", + "editCardEndDatePopup-title": "Modifier la date de fin", "assigned-by": "Assigné par", "requested-by": "Demandé par", "board-delete-notice": "La suppression est définitive. Vous perdrez toutes les listes, cartes et actions associées à ce tableau.", @@ -519,91 +519,91 @@ "parent-card": "Carte parente", "source-board": "Tableau source", "no-parent": "Ne pas afficher le parent", - "activity-added-label": "added label '%s' to %s", - "activity-removed-label": "removed label '%s' from %s", - "activity-delete-attach": "deleted an attachment from %s", - "activity-added-label-card": "added label '%s'", - "activity-removed-label-card": "removed label '%s'", - "activity-delete-attach-card": "deleted an attachment", - "r-rule": "Rule", - "r-add-trigger": "Add trigger", - "r-add-action": "Add action", - "r-board-rules": "Board rules", - "r-add-rule": "Add rule", - "r-view-rule": "View rule", - "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", - "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", - "r-removed-from": "Removed from", - "r-the-board": "the board", - "r-list": "list", - "r-moved-to": "Moved to", - "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", - "r-a-card": "a card", - "r-when-a-label-is": "When a label is", - "r-when-the-label-is": "When the label is", - "r-list-name": "List name", - "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", - "r-name": "name", - "r-is": "is", - "r-when-a-attach": "When an attachment", - "r-when-a-checklist": "When a checklist is", - "r-when-the-checklist": "When the checklist", - "r-completed": "Completed", - "r-made-incomplete": "Made incomplete", - "r-when-a-item": "When a checklist item is", - "r-when-the-item": "When the checklist item", - "r-checked": "Checked", - "r-unchecked": "Unchecked", - "r-move-card-to": "Move card to", - "r-top-of": "Top of", - "r-bottom-of": "Bottom of", - "r-its-list": "its list", + "activity-added-label": "a ajouté l'étiquette '%s' à %s", + "activity-removed-label": "a supprimé l'étiquette '%s' de %s", + "activity-delete-attach": "a supprimé une pièce jointe de %s", + "activity-added-label-card": "a ajouté l'étiquette '%s'", + "activity-removed-label-card": "a supprimé l'étiquette '%s'", + "activity-delete-attach-card": "a supprimé une pièce jointe", + "r-rule": "Règle", + "r-add-trigger": "Ajouter un déclencheur", + "r-add-action": "Ajouter une action", + "r-board-rules": "Règles du tableau", + "r-add-rule": "Ajouter une règle", + "r-view-rule": "Voir la règle", + "r-delete-rule": "Supprimer la règle", + "r-new-rule-name": "Ajouter une nouvelle règle", + "r-no-rules": "Pas de règles", + "r-when-a-card-is": "Quand une carte est", + "r-added-to": "Ajouté à", + "r-removed-from": "Supprimé de", + "r-the-board": "tableau", + "r-list": "liste", + "r-moved-to": "Déplacé vers", + "r-moved-from": "Déplacé depuis", + "r-archived": "Déplacé vers la Corbeille", + "r-unarchived": "Restauré depuis la Corbeille", + "r-a-card": "carte", + "r-when-a-label-is": "Quand une étiquette est", + "r-when-the-label-is": "Quand l'étiquette est", + "r-list-name": "Nom de la liste", + "r-when-a-member": "Quand un membre est", + "r-when-the-member": "Quand le membre est", + "r-name": "nom", + "r-is": "est", + "r-when-a-attach": "Quand une pièce jointe", + "r-when-a-checklist": "Quand une checklist est", + "r-when-the-checklist": "Quand la checklist", + "r-completed": "Terminé", + "r-made-incomplete": "Rendu incomplet", + "r-when-a-item": "Quand un élément de la checklist est", + "r-when-the-item": "Quand l'élément de la checklist", + "r-checked": "Coché", + "r-unchecked": "Décoché", + "r-move-card-to": "Déplacer la carte vers", + "r-top-of": "En haut de", + "r-bottom-of": "En bas de", + "r-its-list": "sa liste", "r-archive": "Déplacer vers la corbeille", - "r-unarchive": "Restore from Recycle Bin", - "r-card": "card", + "r-unarchive": "Restaurer depuis la Corbeille", + "r-card": "carte", "r-add": "Ajouter", - "r-remove": "Remove", - "r-label": "label", - "r-member": "member", - "r-remove-all": "Remove all members from the card", + "r-remove": "Supprimer", + "r-label": "étiquette", + "r-member": "membre", + "r-remove-all": "Supprimer tous les membres de la carte", "r-checklist": "checklist", - "r-check-all": "Check all", - "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", - "r-check": "Check", - "r-uncheck": "Uncheck", - "r-item": "item", - "r-of-checklist": "of checklist", - "r-send-email": "Send an email", - "r-to": "to", - "r-subject": "subject", - "r-rule-details": "Rule details", - "r-d-move-to-top-gen": "Move card to top of its list", - "r-d-move-to-top-spec": "Move card to top of list", - "r-d-move-to-bottom-gen": "Move card to bottom of its list", - "r-d-move-to-bottom-spec": "Move card to bottom of list", - "r-d-send-email": "Send email", - "r-d-send-email-to": "to", - "r-d-send-email-subject": "subject", + "r-check-all": "Tout cocher", + "r-uncheck-all": "Tout décocher", + "r-item-check": "Éléments de la checklist", + "r-check": "Cocher", + "r-uncheck": "Décocher", + "r-item": "élément", + "r-of-checklist": "de la checklist", + "r-send-email": "Envoyer un email", + "r-to": "à", + "r-subject": "sujet", + "r-rule-details": "Détails de la règle", + "r-d-move-to-top-gen": "Déplacer la carte en haut de sa liste", + "r-d-move-to-top-spec": "Déplacer la carte en haut de la liste", + "r-d-move-to-bottom-gen": "Déplacer la carte en bas de sa liste", + "r-d-move-to-bottom-spec": "Déplacer la carte en bas de la liste", + "r-d-send-email": "Envoyer un email", + "r-d-send-email-to": "à", + "r-d-send-email-subject": "sujet", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", - "r-d-add-label": "Add label", - "r-d-remove-label": "Remove label", - "r-d-add-member": "Add member", - "r-d-remove-member": "Remove member", - "r-d-remove-all-member": "Remove all member", - "r-d-check-all": "Check all items of a list", - "r-d-uncheck-all": "Uncheck all items of a list", - "r-d-check-one": "Check item", - "r-d-uncheck-one": "Uncheck item", - "r-d-check-of-list": "of checklist", - "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-archive": "Déplacer la carte vers la Corbeille", + "r-d-unarchive": "Restaurer la carte depuis la Corbeille", + "r-d-add-label": "Ajouter une étiquette", + "r-d-remove-label": "Supprimer l'étiquette", + "r-d-add-member": "Ajouter un membre", + "r-d-remove-member": "Supprimer un membre", + "r-d-remove-all-member": "Supprimer tous les membres", + "r-d-check-all": "Cocher tous les éléments d'une liste", + "r-d-uncheck-all": "Décocher tous les éléments d'une liste", + "r-d-check-one": "Cocker l'élément", + "r-d-uncheck-one": "Décocher l'élément", + "r-d-check-of-list": "de la checklist", + "r-d-add-checklist": "Ajouter une checklist", + "r-d-remove-checklist": "Supprimer la checklist" } \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 9f47ac16..053d18c6 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -46,7 +46,7 @@ "activity-checked-item": "checked %s in checklist %s of %s", "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "נוספה רשימת משימות אל %s", - "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-removed": "הוסרה רשימת משימות מ־%s", "activity-checklist-completed": "completed the checklist %s of %s", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "נוסף פריט רשימת משימות אל ‚%s‘ תחת %s", @@ -54,8 +54,8 @@ "add": "הוספה", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", - "activity-checklist-uncompleted-card": "uncompleted the checklist %s", + "activity-checklist-completed-card": "רשימת המשימות %s הושלמה", + "activity-checklist-uncompleted-card": "רשימת המשימות %s סומנה כבלתי מושלמת", "add-attachment": "הוספת קובץ מצורף", "add-board": "הוספת לוח", "add-card": "הוספת כרטיס", @@ -381,7 +381,7 @@ "restore": "שחזור", "save": "שמירה", "search": "חיפוש", - "rules": "Rules", + "rules": "כללים", "search-cards": "חיפוש אחר כותרות ותיאורים של כרטיסים בלוח זה", "search-example": "טקסט לחיפוש ?", "select-color": "בחירת צבע", @@ -519,91 +519,91 @@ "parent-card": "כרטיס הורה", "source-board": "לוח מקור", "no-parent": "לא להציג את ההורה", - "activity-added-label": "added label '%s' to %s", - "activity-removed-label": "removed label '%s' from %s", - "activity-delete-attach": "deleted an attachment from %s", - "activity-added-label-card": "added label '%s'", - "activity-removed-label-card": "removed label '%s'", - "activity-delete-attach-card": "deleted an attachment", - "r-rule": "Rule", - "r-add-trigger": "Add trigger", - "r-add-action": "Add action", - "r-board-rules": "Board rules", - "r-add-rule": "Add rule", - "r-view-rule": "View rule", - "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", - "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", - "r-removed-from": "Removed from", - "r-the-board": "the board", - "r-list": "list", - "r-moved-to": "Moved to", - "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", - "r-a-card": "a card", - "r-when-a-label-is": "When a label is", - "r-when-the-label-is": "When the label is", - "r-list-name": "List name", - "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", - "r-name": "name", - "r-is": "is", - "r-when-a-attach": "When an attachment", - "r-when-a-checklist": "When a checklist is", - "r-when-the-checklist": "When the checklist", - "r-completed": "Completed", - "r-made-incomplete": "Made incomplete", - "r-when-a-item": "When a checklist item is", - "r-when-the-item": "When the checklist item", - "r-checked": "Checked", - "r-unchecked": "Unchecked", - "r-move-card-to": "Move card to", - "r-top-of": "Top of", - "r-bottom-of": "Bottom of", - "r-its-list": "its list", + "activity-added-label": "התווית ‚%s’ נוספה אל %s", + "activity-removed-label": "התווית ‚%s’ הוסרה מ־%s", + "activity-delete-attach": "הקובץ המצורף נמחק מ־%s", + "activity-added-label-card": "התווית ‚%s’ נוספה", + "activity-removed-label-card": "התווית ‚%s’ הוסרה", + "activity-delete-attach-card": "קובץ מצורף נמחק", + "r-rule": "כלל", + "r-add-trigger": "הוספת הקפצה", + "r-add-action": "הוספת פעולה", + "r-board-rules": "כללי הלוח", + "r-add-rule": "הוספת כלל", + "r-view-rule": "הצגת כלל", + "r-delete-rule": "מחיקת כל", + "r-new-rule-name": "הוספת כלל חדש", + "r-no-rules": "אין כללים", + "r-when-a-card-is": "כאשר כרטיס", + "r-added-to": "נוסף אל", + "r-removed-from": "מוסר מ־", + "r-the-board": "הלוח", + "r-list": "רשימה", + "r-moved-to": "מועבר אל", + "r-moved-from": "מועבר מ־", + "r-archived": "מועבר לסל המחזור", + "r-unarchived": "משוחזר מסל המחזור", + "r-a-card": "כרטיס", + "r-when-a-label-is": "כאשר תווית", + "r-when-the-label-is": "כאשר התווית היא", + "r-list-name": "שם הרשימה", + "r-when-a-member": "כאשר חבר הוא", + "r-when-the-member": "כאשר החבר הוא", + "r-name": "שם", + "r-is": "הוא", + "r-when-a-attach": "כאשר קובץ מצורף", + "r-when-a-checklist": "כאשר רשימת משימות", + "r-when-the-checklist": "כאשר רשימת המשימות", + "r-completed": "הושלמה", + "r-made-incomplete": "סומנה כבלתי מושלמת", + "r-when-a-item": "כאשר פריט ברשימת משימות", + "r-when-the-item": "כאשר הפריט ברשימת משימות", + "r-checked": "מסומן", + "r-unchecked": "לא מסומן", + "r-move-card-to": "העברת הכרטיס אל", + "r-top-of": "ראש", + "r-bottom-of": "תחתית", + "r-its-list": "הרשימה שלו", "r-archive": "העברה לסל המחזור", - "r-unarchive": "Restore from Recycle Bin", - "r-card": "card", + "r-unarchive": "שחזור מסל המחזור", + "r-card": "כרטיס", "r-add": "הוספה", - "r-remove": "Remove", - "r-label": "label", - "r-member": "member", - "r-remove-all": "Remove all members from the card", - "r-checklist": "checklist", - "r-check-all": "Check all", - "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", - "r-check": "Check", - "r-uncheck": "Uncheck", - "r-item": "item", - "r-of-checklist": "of checklist", - "r-send-email": "Send an email", - "r-to": "to", - "r-subject": "subject", - "r-rule-details": "Rule details", + "r-remove": "הסרה", + "r-label": "תווית", + "r-member": "חבר", + "r-remove-all": "הסרת כל החברים מהכרטיס", + "r-checklist": "רשימת משימות", + "r-check-all": "לסמן הכול", + "r-uncheck-all": "לבטל את הסימון", + "r-item-check": "פריטים לרשימת משימות", + "r-check": "סימון", + "r-uncheck": "ביטול סימון", + "r-item": "פריט", + "r-of-checklist": "של רשימת משימות", + "r-send-email": "שליחת דוא״ל", + "r-to": "אל", + "r-subject": "נושא", + "r-rule-details": "פרטי הכלל", "r-d-move-to-top-gen": "Move card to top of its list", "r-d-move-to-top-spec": "Move card to top of list", "r-d-move-to-bottom-gen": "Move card to bottom of its list", "r-d-move-to-bottom-spec": "Move card to bottom of list", - "r-d-send-email": "Send email", - "r-d-send-email-to": "to", - "r-d-send-email-subject": "subject", - "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", - "r-d-add-label": "Add label", - "r-d-remove-label": "Remove label", - "r-d-add-member": "Add member", - "r-d-remove-member": "Remove member", - "r-d-remove-all-member": "Remove all member", - "r-d-check-all": "Check all items of a list", - "r-d-uncheck-all": "Uncheck all items of a list", - "r-d-check-one": "Check item", - "r-d-uncheck-one": "Uncheck item", - "r-d-check-of-list": "of checklist", - "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-send-email": "שליחת דוא״ל", + "r-d-send-email-to": "אל", + "r-d-send-email-subject": "נושא", + "r-d-send-email-message": "הודעה", + "r-d-archive": "העברת כרטיס לסל המחזור", + "r-d-unarchive": "שחזור כרטיס מסל המחזור", + "r-d-add-label": "הוספת תווית", + "r-d-remove-label": "הסרת תווית", + "r-d-add-member": "הוספת חבר", + "r-d-remove-member": "הסרת חבר", + "r-d-remove-all-member": "הסרת כל החברים", + "r-d-check-all": "סימון כל הפריטים ברשימה", + "r-d-uncheck-all": "ביטול סימון הפריטים ברשימה", + "r-d-check-one": "סימון פריט", + "r-d-uncheck-one": "ביטול סימון פריט", + "r-d-check-of-list": "של רשימת משימות", + "r-d-add-checklist": "הוספת רשימת משימות", + "r-d-remove-checklist": "הסרת רשימת משימות" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 6d11f3345f0675c079476437b803db4c059726ae Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 17 Sep 2018 13:35:38 +0300 Subject: - Remove OAuth2 until it is fixed. Thanks to xet7 ! --- .meteor/versions | 5 ----- 1 file changed, 5 deletions(-) diff --git a/.meteor/versions b/.meteor/versions index f1f52d23..504e8aa1 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -1,6 +1,5 @@ 3stack:presence@1.1.2 accounts-base@1.4.0 -accounts-oauth@1.1.15 accounts-password@1.5.0 aldeed:collection2@2.10.0 aldeed:collection2-core@1.2.0 @@ -121,8 +120,6 @@ mquandalle:perfect-scrollbar@0.6.5_2 msavin:usercache@1.0.0 npm-bcrypt@0.9.3 npm-mongo@2.2.33 -oauth@1.2.1 -oauth2@1.2.0 observe-sequence@1.0.16 ongoworks:speakingurl@1.1.0 ordered-dict@1.0.9 @@ -144,8 +141,6 @@ reload@1.1.11 retry@1.0.9 routepolicy@1.0.12 rzymek:fullcalendar@3.8.0 -salleman:accounts-oidc@1.0.9 -salleman:oidc@1.0.9 service-configuration@1.0.11 session@1.1.7 sha@1.0.9 -- cgit v1.2.3-1-g7c22 From 70623df8990e4a1068a69f702907ea8d85f634ad Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 17 Sep 2018 13:41:20 +0300 Subject: v1.48 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 2b32ba5c..ddcb8c0f 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.48 2018-09-17 Wekan release This release removes the following new features: diff --git a/package.json b/package.json index 0244ea0e..ee370ed1 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.46.0", + "version": "1.48.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index efe16ffd..03c9bc35 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 131, + appVersion = 133, # Increment this for every release. - appMarketingVersion = (defaultText = "1.46.0~2018-09-15"), + appMarketingVersion = (defaultText = "1.48.0~2018-09-17"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From eb8c1530a5363f4e2fac42860b883038d8565d33 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 17 Sep 2018 15:53:03 +0300 Subject: Fix lint errors. --- models/users.js | 46 +++++++++++++++++++++++----------------------- 1 file changed, 23 insertions(+), 23 deletions(-) diff --git a/models/users.js b/models/users.js index 070cbc40..07a3f75c 100644 --- a/models/users.js +++ b/models/users.js @@ -488,29 +488,29 @@ if (Meteor.isServer) { return user; } -// if (user.services.oidc) { -// const email = user.services.oidc.email.toLowerCase(); -// -// user.username = user.services.oidc.username; -// user.emails = [{ address: email, verified: true }]; -// const initials = user.services.oidc.fullname.match(/\b[a-zA-Z]/g).join('').toUpperCase(); -// user.profile = { initials, fullname: user.services.oidc.fullname }; -// -// // see if any existing user has this email address or username, otherwise create new -// const existingUser = Meteor.users.findOne({$or: [{'emails.address': email}, {'username':user.username}]}); -// if (!existingUser) -// return user; -// -// // copy across new service info -// const service = _.keys(user.services)[0]; -// existingUser.services[service] = user.services[service]; -// existingUser.emails = user.emails; -// existingUser.username = user.username; -// existingUser.profile = user.profile; -// -// Meteor.users.remove({_id: existingUser._id}); // remove existing record -// return existingUser; -// } + // if (user.services.oidc) { + // const email = user.services.oidc.email.toLowerCase(); + // + // user.username = user.services.oidc.username; + // user.emails = [{ address: email, verified: true }]; + // const initials = user.services.oidc.fullname.match(/\b[a-zA-Z]/g).join('').toUpperCase(); + // user.profile = { initials, fullname: user.services.oidc.fullname }; + // + // // see if any existing user has this email address or username, otherwise create new + // const existingUser = Meteor.users.findOne({$or: [{'emails.address': email}, {'username':user.username}]}); + // if (!existingUser) + // return user; + // + // // copy across new service info + // const service = _.keys(user.services)[0]; + // existingUser.services[service] = user.services[service]; + // existingUser.emails = user.emails; + // existingUser.username = user.username; + // existingUser.profile = user.profile; + // + // Meteor.users.remove({_id: existingUser._id}); // remove existing record + // return existingUser; + // } if (options.from === 'admin') { user.createdThroughApi = true; -- cgit v1.2.3-1-g7c22 From ddb8c28c3873efc55c1e18385c1e9a46c8e54b2b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 17 Sep 2018 16:27:49 +0300 Subject: Update translations. --- i18n/he.i18n.json | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 053d18c6..8c912d00 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -47,7 +47,7 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "נוספה רשימת משימות אל %s", "activity-checklist-removed": "הוסרה רשימת משימות מ־%s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "רשימת המשימות %s מתוך %s הושלמה", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "נוסף פריט רשימת משימות אל ‚%s‘ תחת %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", @@ -584,10 +584,10 @@ "r-to": "אל", "r-subject": "נושא", "r-rule-details": "פרטי הכלל", - "r-d-move-to-top-gen": "Move card to top of its list", - "r-d-move-to-top-spec": "Move card to top of list", - "r-d-move-to-bottom-gen": "Move card to bottom of its list", - "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-move-to-top-gen": "העברת כרטיס לראש הרשימה שלו", + "r-d-move-to-top-spec": "העברת כרטיס לראש רשימה", + "r-d-move-to-bottom-gen": "העברת כרטיס לתחתית הרשימה שלו", + "r-d-move-to-bottom-spec": "העברת כרטיס לתחתית רשימה", "r-d-send-email": "שליחת דוא״ל", "r-d-send-email-to": "אל", "r-d-send-email-subject": "נושא", -- cgit v1.2.3-1-g7c22 From 4e21004c42504a584ca7964421f0f6961bc17425 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 17 Sep 2018 16:30:30 +0300 Subject: v1.49 --- CHANGELOG.md | 8 ++++++++ package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 11 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index ddcb8c0f..2fb48ac8 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# v1.49 2018-09-17 Wekan release + +This release fixes the following bugs: + +- Fix lint errors. + +Thanks to GitHub user xet7 for contributions. + # v1.48 2018-09-17 Wekan release This release removes the following new features: diff --git a/package.json b/package.json index ee370ed1..c709a96c 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.48.0", + "version": "1.49.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 03c9bc35..449d46ec 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 133, + appVersion = 134, # Increment this for every release. - appMarketingVersion = (defaultText = "1.48.0~2018-09-17"), + appMarketingVersion = (defaultText = "1.49.0~2018-09-17"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 7ec7a5f27c381e90f3da6bddc3773ed87b1c1a1f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 17 Sep 2018 18:52:30 +0300 Subject: - Use official Node v8.12.0 Thanks to xet7 ! --- Dockerfile | 10 +++++----- snapcraft.yaml | 18 +++++++++--------- 2 files changed, 14 insertions(+), 14 deletions(-) diff --git a/Dockerfile b/Dockerfile index eae85b1e..54cb6aec 100644 --- a/Dockerfile +++ b/Dockerfile @@ -63,8 +63,8 @@ RUN \ apt-get update -y && apt-get install -y --no-install-recommends ${BUILD_DEPS} && \ \ # Download nodejs - #wget https://nodejs.org/dist/${NODE_VERSION}/node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ - #wget https://nodejs.org/dist/${NODE_VERSION}/SHASUMS256.txt.asc && \ + wget https://nodejs.org/dist/${NODE_VERSION}/node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ + wget https://nodejs.org/dist/${NODE_VERSION}/SHASUMS256.txt.asc && \ #--------------------------------------------------------------------------------------------- # Node Fibers 100% CPU usage issue: # https://github.com/wekan/wekan-mongodb/issues/2#issuecomment-381453161 @@ -73,10 +73,10 @@ RUN \ # Also see beginning of wekan/server/authentication.js # import Fiber from "fibers"; # Fiber.poolSize = 1e9; - # Download node version 8.12.0 prerelease that has fix included, + # OLD: Download node version 8.12.0 prerelease that has fix included, => Official 8.12.0 has been released # Description at https://releases.wekan.team/node.txt - wget https://releases.wekan.team/node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ - echo "1ed54adb8497ad8967075a0b5d03dd5d0a502be43d4a4d84e5af489c613d7795 node-v8.12.0-linux-x64.tar.gz" >> SHASUMS256.txt.asc && \ + #wget https://releases.wekan.team/node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ + #echo "1ed54adb8497ad8967075a0b5d03dd5d0a502be43d4a4d84e5af489c613d7795 node-v8.12.0-linux-x64.tar.gz" >> SHASUMS256.txt.asc && \ \ # Verify nodejs authenticity grep ${NODE_VERSION}-${ARCHITECTURE}.tar.gz SHASUMS256.txt.asc | shasum -a 256 -c - && \ diff --git a/snapcraft.yaml b/snapcraft.yaml index b91a2754..dbe738d0 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -81,7 +81,7 @@ parts: wekan: source: . plugin: nodejs - node-engine: 8.11.3 + node-engine: 8.12.0 node-packages: - npm - node-gyp @@ -108,16 +108,16 @@ parts: # Also see beginning of wekan/server/authentication.js # import Fiber from "fibers"; # Fiber.poolSize = 1e9; - # Download node version 8.12.0 prerelease build, + # OLD: Download node version 8.12.0 prerelease build => Official node 8.12.0 has been released # Description at https://releases.wekan.team/node.txt - echo "375bd8db50b9c692c0bbba6e96d4114cd29bee3770f901c1ff2249d1038f1348 node" >> node-SHASUMS256.txt.asc - curl https://releases.wekan.team/node -o node + ##echo "375bd8db50b9c692c0bbba6e96d4114cd29bee3770f901c1ff2249d1038f1348 node" >> node-SHASUMS256.txt.asc + ##curl https://releases.wekan.team/node -o node # Verify Fibers patched node authenticity - echo "Fibers 100% CPU issue patched node authenticity:" - grep node node-SHASUMS256.txt.asc | shasum -a 256 -c - - rm -f node-SHASUMS256.txt.asc - chmod +x node - mv node `which node` + ##echo "Fibers 100% CPU issue patched node authenticity:" + ##grep node node-SHASUMS256.txt.asc | shasum -a 256 -c - + ##rm -f node-SHASUMS256.txt.asc + ##chmod +x node + ##mv node `which node` # DOES NOT WORK: paxctl fix. # Removed from build-packages: - paxctl #echo "Applying paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303" -- cgit v1.2.3-1-g7c22 From df4498f845645ed316f2e2b2f460d236761e022f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 17 Sep 2018 18:54:15 +0300 Subject: Update translations. --- i18n/cs.i18n.json | 114 +++++++++++++++--------------- i18n/de.i18n.json | 2 +- i18n/fr.i18n.json | 202 +++++++++++++++++++++++++++--------------------------- i18n/he.i18n.json | 180 ++++++++++++++++++++++++------------------------ 4 files changed, 249 insertions(+), 249 deletions(-) diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index d2effd10..5ca9636b 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -46,7 +46,7 @@ "activity-checked-item": "checked %s in checklist %s of %s", "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "přidán checklist do %s", - "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-removed": "odstraněn checklist z %s", "activity-checklist-completed": "completed the checklist %s of %s", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "přidána položka checklist do '%s' v %s", @@ -54,13 +54,13 @@ "add": "Přidat", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "dokončen checklist %s", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Přidat přílohu", "add-board": "Přidat tablo", "add-card": "Přidat kartu", "add-swimlane": "Přidat Swimlane", - "add-subtask": "Add Subtask", + "add-subtask": "Přidat Podúkol", "add-checklist": "Přidat zaškrtávací seznam", "add-checklist-item": "Přidat položku do zaškrtávacího seznamu", "add-cover": "Přidat obal", @@ -113,13 +113,13 @@ "boardMenuPopup-title": "Menu tabla", "boards": "Tabla", "board-view": "Náhled tabla", - "board-view-cal": "Calendar", + "board-view-cal": "Kalendář", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Seznamy", "bucket-example": "Například \"Než mě odvedou\"", "cancel": "Zrušit", "card-archived": "Karta byla přesunuta do koše.", - "board-archived": "This board is moved to Recycle Bin.", + "board-archived": "Toto tablo je přesunuto do koše", "card-comments-title": "Tato karta má %s komentářů.", "card-delete-notice": "Smazání je trvalé. Přijdete o všechny akce asociované s touto kartou.", "card-delete-pop": "Všechny akce budou odstraněny z kanálu aktivity a nebude možné kartu znovu otevřít. Toto nelze vrátit zpět.", @@ -146,7 +146,7 @@ "cards": "Karty", "cards-count": "Karty", "casSignIn": "Sign In with CAS", - "cardType-card": "Card", + "cardType-card": "Karta", "cardType-linkedCard": "Linked Card", "cardType-linkedBoard": "Linked Board", "change": "Změnit", @@ -181,14 +181,14 @@ "comment-placeholder": "Text komentáře", "comment-only": "Pouze komentáře", "comment-only-desc": "Může přidávat komentáře pouze do karet.", - "no-comments": "No comments", + "no-comments": "Žádné komentáře", "no-comments-desc": "Can not see comments and activities.", "computer": "Počítač", - "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", + "confirm-subtask-delete-dialog": "Opravdu chcete smazat tento podúkol?", + "confirm-checklist-delete-dialog": "Opravdu chcete smazat tento checklist?", "copy-card-link-to-clipboard": "Kopírovat adresu karty do mezipaměti", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchCardPopup-title": "Hledat Kartu", "copyCardPopup-title": "Kopírovat kartu", "copyChecklistToManyCardsPopup-title": "Kopírovat checklist do více karet", "copyChecklistToManyCardsPopup-instructions": "Názvy a popisy cílové karty v tomto formátu JSON", @@ -272,7 +272,7 @@ "filter-on-desc": "Filtrujete karty tohoto tabla. Pro úpravu filtru klikni sem.", "filter-to-selection": "Filtrovat výběr", "advanced-filter-label": "Pokročilý filtr", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Pokročilý filtr dovoluje zapsat řetězec následujících operátorů: == != <= >= && || () Operátory jsou odděleny mezerou. Můžete filtrovat všechny vlastní pole zadáním jejich názvů nebo hodnot. Například: Pole1 == Hodnota1. Poznámka: Pokud pole nebo hodnoty obsahují mezery, je potřeba je obalit v jednoduchých uvozovkách. Například: 'Pole 1' == 'Hodnota 1'. Pro ignorovaní kontrolních znaků (' \\ /) je možné použít \\. Například Pole1 == I\\'m. Můžete také kombinovat více podmínek. Například P1 == H1 || P1 == H2. Obvykle jsou operátory interpretovány zleva doprava. Jejich pořadí můžete měnit pomocí závorek. Například: P1 == H1 && ( P2 == H2 || P2 == H3 )", "fullname": "Celé jméno", "header-logo-title": "Jit zpět na stránku s tably.", "hide-system-messages": "Skrýt systémové zprávy", @@ -381,7 +381,7 @@ "restore": "Obnovit", "save": "Uložit", "search": "Hledat", - "rules": "Rules", + "rules": "Pravidla", "search-cards": "Hledat nadpisy a popisy karet v tomto tablu", "search-example": "Hledaný text", "select-color": "Vybrat barvu", @@ -496,18 +496,18 @@ "card-end-on": "Končí v", "editCardReceivedDatePopup-title": "Změnit datum přijetí", "editCardEndDatePopup-title": "Změnit datum konce", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "assigned-by": "Přidělil(a)", + "requested-by": "Vyžádal(a)", + "board-delete-notice": "Smazání je trvalé. Přijdete o všechny seznamy, karty a akce asociované s tímto tablem.", + "delete-board-confirm-popup": "Všechny sezamy, štítky a aktivity budou a obsah tabla nebude možné obnovit. Toto nelze vrátit zpět.", "boardDeletePopup-title": "Smazat tablo?", "delete-board": "Smazat tablo", - "default-subtasks-board": "Subtasks for __board__ board", - "default": "Default", + "default-subtasks-board": "Podúkoly pro tablo __board__", + "default": "Výchozí", "queue": "Queue", - "subtask-settings": "Subtasks Settings", - "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", - "show-subtasks-field": "Cards can have subtasks", + "subtask-settings": "Nastavení podúkolů", + "boardSubtaskSettingsPopup-title": "Nastavení podúkolů tabla", + "show-subtasks-field": "Karty mohou mít podúkoly", "deposit-subtasks-board": "Deposit subtasks to this board:", "deposit-subtasks-list": "Landing list for subtasks deposited here:", "show-parent-in-minicard": "Show parent in minicard:", @@ -517,7 +517,7 @@ "subtext-with-parent": "Subtext with parent", "change-card-parent": "Change card's parent", "parent-card": "Parent card", - "source-board": "Source board", + "source-board": "Zdrojové tablo", "no-parent": "Don't show parent", "activity-added-label": "added label '%s' to %s", "activity-removed-label": "removed label '%s' from %s", @@ -525,24 +525,24 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", - "r-rule": "Rule", + "r-rule": "Pravidlo", "r-add-trigger": "Add trigger", - "r-add-action": "Add action", - "r-board-rules": "Board rules", - "r-add-rule": "Add rule", - "r-view-rule": "View rule", - "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", - "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", - "r-removed-from": "Removed from", + "r-add-action": "Přidat akci", + "r-board-rules": "Pravidla Tabla", + "r-add-rule": "Přidat pravidlo", + "r-view-rule": "Zobrazit pravidlo", + "r-delete-rule": "Smazat pravidlo", + "r-new-rule-name": "Přidat nové pravidlo", + "r-no-rules": "Žádná pravidla", + "r-when-a-card-is": "Pokud je karta", + "r-added-to": "Přidáno do", + "r-removed-from": "Odstraněno z", "r-the-board": "the board", - "r-list": "list", - "r-moved-to": "Moved to", - "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-list": "seznam", + "r-moved-to": "Přesunuto do", + "r-moved-from": "Přesunuto z", + "r-archived": "Přesunuto do koše", + "r-unarchived": "Obnoveno z koše", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -554,7 +554,7 @@ "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", - "r-completed": "Completed", + "r-completed": "Dokončeno", "r-made-incomplete": "Made incomplete", "r-when-a-item": "When a checklist item is", "r-when-the-item": "When the checklist item", @@ -566,9 +566,9 @@ "r-its-list": "its list", "r-archive": "Přesunout do koše", "r-unarchive": "Restore from Recycle Bin", - "r-card": "card", + "r-card": "karta", "r-add": "Přidat", - "r-remove": "Remove", + "r-remove": "Odstranit", "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", @@ -581,29 +581,29 @@ "r-item": "item", "r-of-checklist": "of checklist", "r-send-email": "Send an email", - "r-to": "to", - "r-subject": "subject", + "r-to": "komu", + "r-subject": "předmět", "r-rule-details": "Rule details", "r-d-move-to-top-gen": "Move card to top of its list", - "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-top-spec": "Přesunout kartu na začátek seznamu", "r-d-move-to-bottom-gen": "Move card to bottom of its list", - "r-d-move-to-bottom-spec": "Move card to bottom of list", - "r-d-send-email": "Send email", - "r-d-send-email-to": "to", - "r-d-send-email-subject": "subject", - "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", - "r-d-add-label": "Add label", - "r-d-remove-label": "Remove label", - "r-d-add-member": "Add member", - "r-d-remove-member": "Remove member", + "r-d-move-to-bottom-spec": "Přesunout kartu na konec seznamu", + "r-d-send-email": "Odeslat email", + "r-d-send-email-to": "komu", + "r-d-send-email-subject": "předmět", + "r-d-send-email-message": "zpráva", + "r-d-archive": "Přesunout kartu do koše", + "r-d-unarchive": "Obnovit kartu z koše", + "r-d-add-label": "Přidat štítek", + "r-d-remove-label": "Odstranit štítek", + "r-d-add-member": "Přidat člena", + "r-d-remove-member": "Odstranit člena", "r-d-remove-all-member": "Remove all member", "r-d-check-all": "Check all items of a list", "r-d-uncheck-all": "Uncheck all items of a list", "r-d-check-one": "Check item", "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", - "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-add-checklist": "Přidat checklist", + "r-d-remove-checklist": "Odstranit checklist" } \ No newline at end of file diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 2453391d..343c7519 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -524,7 +524,7 @@ "activity-delete-attach": "löschte ein Anhang von %s", "activity-added-label-card": "Label hinzugefügt '%s'", "activity-removed-label-card": "Label entfernt '%s'", - "activity-delete-attach-card": "ein Anhang löschen", + "activity-delete-attach-card": "hat einen Anhang gelöscht", "r-rule": "Regel", "r-add-trigger": "Auslöser hinzufügen", "r-add-action": "Aktion hinzufügen", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 9fe0f7fa..a7bbcd3d 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -43,19 +43,19 @@ "activity-sent": "a envoyé %s vers %s", "activity-unjoined": "a quitté %s", "activity-subtask-added": "a ajouté une sous-tâche à %s", - "activity-checked-item": "checked %s in checklist %s of %s", - "activity-unchecked-item": "unchecked %s in checklist %s of %s", + "activity-checked-item": "a coché %s dans la checklist %s de %s", + "activity-unchecked-item": "a décoché %s dans la checklist %s de %s", "activity-checklist-added": "a ajouté une checklist à %s", - "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", - "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", + "activity-checklist-removed": "a supprimé une checklist de %s", + "activity-checklist-completed": "a complété la checklist %s de %s", + "activity-checklist-uncompleted": "a rendu incomplète la checklist %s de %s", "activity-checklist-item-added": "a ajouté un élément à la checklist '%s' dans %s", - "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", + "activity-checklist-item-removed": "a supprimé une checklist de '%s' dans %s", "add": "Ajouter", - "activity-checked-item-card": "checked %s in checklist %s", - "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", - "activity-checklist-uncompleted-card": "uncompleted the checklist %s", + "activity-checked-item-card": "a coché %s dans la checklist %s", + "activity-unchecked-item-card": "a décoché %s dans la checklist %s", + "activity-checklist-completed-card": "a complété la checklist %s", + "activity-checklist-uncompleted-card": "a rendu incomplète la checklist %s", "add-attachment": "Ajouter une pièce jointe", "add-board": "Ajouter un tableau", "add-card": "Ajouter une carte", @@ -129,14 +129,14 @@ "card-spent": "Temps passé", "card-edit-attachments": "Modifier les pièces jointes", "card-edit-custom-fields": "Éditer les champs personnalisés", - "card-edit-labels": "Modifier les étiquettes", - "card-edit-members": "Modifier les membres", + "card-edit-labels": "Gérer les étiquettes", + "card-edit-members": "Gérer les membres", "card-labels-title": "Modifier les étiquettes de la carte.", "card-members-title": "Ajouter ou supprimer des membres à la carte.", "card-start": "Début", "card-start-on": "Commence le", - "cardAttachmentsPopup-title": "Joindre depuis", - "cardCustomField-datePopup-title": "Changer la date", + "cardAttachmentsPopup-title": "Ajouter depuis", + "cardCustomField-datePopup-title": "Modifier la date", "cardCustomFieldsPopup-title": "Éditer les champs personnalisés", "cardDeletePopup-title": "Supprimer la carte ?", "cardDetailsActionsPopup-title": "Actions sur la carte", @@ -231,7 +231,7 @@ "editCardStartDatePopup-title": "Modifier la date de début", "editCardDueDatePopup-title": "Modifier la date d'échéance", "editCustomFieldPopup-title": "Éditer le champ personnalisé", - "editCardSpentTimePopup-title": "Changer le temps passé", + "editCardSpentTimePopup-title": "Modifier le temps passé", "editLabelPopup-title": "Modifier l'étiquette", "editNotificationPopup-title": "Modifier la notification", "editProfilePopup-title": "Modifier le profil", @@ -381,7 +381,7 @@ "restore": "Restaurer", "save": "Enregistrer", "search": "Chercher", - "rules": "Rules", + "rules": "Règles", "search-cards": "Rechercher parmi les titres et descriptions des cartes de ce tableau", "search-example": "Texte à rechercher ?", "select-color": "Sélectionner une couleur", @@ -494,8 +494,8 @@ "card-received-on": "Reçue le", "card-end": "Fin", "card-end-on": "Se termine le", - "editCardReceivedDatePopup-title": "Changer la date de réception", - "editCardEndDatePopup-title": "Changer la date de fin", + "editCardReceivedDatePopup-title": "Modifier la date de réception", + "editCardEndDatePopup-title": "Modifier la date de fin", "assigned-by": "Assigné par", "requested-by": "Demandé par", "board-delete-notice": "La suppression est définitive. Vous perdrez toutes les listes, cartes et actions associées à ce tableau.", @@ -519,91 +519,91 @@ "parent-card": "Carte parente", "source-board": "Tableau source", "no-parent": "Ne pas afficher le parent", - "activity-added-label": "added label '%s' to %s", - "activity-removed-label": "removed label '%s' from %s", - "activity-delete-attach": "deleted an attachment from %s", - "activity-added-label-card": "added label '%s'", - "activity-removed-label-card": "removed label '%s'", - "activity-delete-attach-card": "deleted an attachment", - "r-rule": "Rule", - "r-add-trigger": "Add trigger", - "r-add-action": "Add action", - "r-board-rules": "Board rules", - "r-add-rule": "Add rule", - "r-view-rule": "View rule", - "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", - "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", - "r-removed-from": "Removed from", - "r-the-board": "the board", - "r-list": "list", - "r-moved-to": "Moved to", - "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", - "r-a-card": "a card", - "r-when-a-label-is": "When a label is", - "r-when-the-label-is": "When the label is", - "r-list-name": "List name", - "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", - "r-name": "name", - "r-is": "is", - "r-when-a-attach": "When an attachment", - "r-when-a-checklist": "When a checklist is", - "r-when-the-checklist": "When the checklist", - "r-completed": "Completed", - "r-made-incomplete": "Made incomplete", - "r-when-a-item": "When a checklist item is", - "r-when-the-item": "When the checklist item", - "r-checked": "Checked", - "r-unchecked": "Unchecked", - "r-move-card-to": "Move card to", - "r-top-of": "Top of", - "r-bottom-of": "Bottom of", - "r-its-list": "its list", + "activity-added-label": "a ajouté l'étiquette '%s' à %s", + "activity-removed-label": "a supprimé l'étiquette '%s' de %s", + "activity-delete-attach": "a supprimé une pièce jointe de %s", + "activity-added-label-card": "a ajouté l'étiquette '%s'", + "activity-removed-label-card": "a supprimé l'étiquette '%s'", + "activity-delete-attach-card": "a supprimé une pièce jointe", + "r-rule": "Règle", + "r-add-trigger": "Ajouter un déclencheur", + "r-add-action": "Ajouter une action", + "r-board-rules": "Règles du tableau", + "r-add-rule": "Ajouter une règle", + "r-view-rule": "Voir la règle", + "r-delete-rule": "Supprimer la règle", + "r-new-rule-name": "Ajouter une nouvelle règle", + "r-no-rules": "Pas de règles", + "r-when-a-card-is": "Quand une carte est", + "r-added-to": "Ajouté à", + "r-removed-from": "Supprimé de", + "r-the-board": "tableau", + "r-list": "liste", + "r-moved-to": "Déplacé vers", + "r-moved-from": "Déplacé depuis", + "r-archived": "Déplacé vers la Corbeille", + "r-unarchived": "Restauré depuis la Corbeille", + "r-a-card": "carte", + "r-when-a-label-is": "Quand une étiquette est", + "r-when-the-label-is": "Quand l'étiquette est", + "r-list-name": "Nom de la liste", + "r-when-a-member": "Quand un membre est", + "r-when-the-member": "Quand le membre est", + "r-name": "nom", + "r-is": "est", + "r-when-a-attach": "Quand une pièce jointe", + "r-when-a-checklist": "Quand une checklist est", + "r-when-the-checklist": "Quand la checklist", + "r-completed": "Terminé", + "r-made-incomplete": "Rendu incomplet", + "r-when-a-item": "Quand un élément de la checklist est", + "r-when-the-item": "Quand l'élément de la checklist", + "r-checked": "Coché", + "r-unchecked": "Décoché", + "r-move-card-to": "Déplacer la carte vers", + "r-top-of": "En haut de", + "r-bottom-of": "En bas de", + "r-its-list": "sa liste", "r-archive": "Déplacer vers la corbeille", - "r-unarchive": "Restore from Recycle Bin", - "r-card": "card", + "r-unarchive": "Restaurer depuis la Corbeille", + "r-card": "carte", "r-add": "Ajouter", - "r-remove": "Remove", - "r-label": "label", - "r-member": "member", - "r-remove-all": "Remove all members from the card", + "r-remove": "Supprimer", + "r-label": "étiquette", + "r-member": "membre", + "r-remove-all": "Supprimer tous les membres de la carte", "r-checklist": "checklist", - "r-check-all": "Check all", - "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", - "r-check": "Check", - "r-uncheck": "Uncheck", - "r-item": "item", - "r-of-checklist": "of checklist", - "r-send-email": "Send an email", - "r-to": "to", - "r-subject": "subject", - "r-rule-details": "Rule details", - "r-d-move-to-top-gen": "Move card to top of its list", - "r-d-move-to-top-spec": "Move card to top of list", - "r-d-move-to-bottom-gen": "Move card to bottom of its list", - "r-d-move-to-bottom-spec": "Move card to bottom of list", - "r-d-send-email": "Send email", - "r-d-send-email-to": "to", - "r-d-send-email-subject": "subject", + "r-check-all": "Tout cocher", + "r-uncheck-all": "Tout décocher", + "r-item-check": "Éléments de la checklist", + "r-check": "Cocher", + "r-uncheck": "Décocher", + "r-item": "élément", + "r-of-checklist": "de la checklist", + "r-send-email": "Envoyer un email", + "r-to": "à", + "r-subject": "sujet", + "r-rule-details": "Détails de la règle", + "r-d-move-to-top-gen": "Déplacer la carte en haut de sa liste", + "r-d-move-to-top-spec": "Déplacer la carte en haut de la liste", + "r-d-move-to-bottom-gen": "Déplacer la carte en bas de sa liste", + "r-d-move-to-bottom-spec": "Déplacer la carte en bas de la liste", + "r-d-send-email": "Envoyer un email", + "r-d-send-email-to": "à", + "r-d-send-email-subject": "sujet", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", - "r-d-add-label": "Add label", - "r-d-remove-label": "Remove label", - "r-d-add-member": "Add member", - "r-d-remove-member": "Remove member", - "r-d-remove-all-member": "Remove all member", - "r-d-check-all": "Check all items of a list", - "r-d-uncheck-all": "Uncheck all items of a list", - "r-d-check-one": "Check item", - "r-d-uncheck-one": "Uncheck item", - "r-d-check-of-list": "of checklist", - "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-archive": "Déplacer la carte vers la Corbeille", + "r-d-unarchive": "Restaurer la carte depuis la Corbeille", + "r-d-add-label": "Ajouter une étiquette", + "r-d-remove-label": "Supprimer l'étiquette", + "r-d-add-member": "Ajouter un membre", + "r-d-remove-member": "Supprimer un membre", + "r-d-remove-all-member": "Supprimer tous les membres", + "r-d-check-all": "Cocher tous les éléments d'une liste", + "r-d-uncheck-all": "Décocher tous les éléments d'une liste", + "r-d-check-one": "Cocker l'élément", + "r-d-uncheck-one": "Décocher l'élément", + "r-d-check-of-list": "de la checklist", + "r-d-add-checklist": "Ajouter une checklist", + "r-d-remove-checklist": "Supprimer la checklist" } \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 9f47ac16..8c912d00 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -46,16 +46,16 @@ "activity-checked-item": "checked %s in checklist %s of %s", "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "נוספה רשימת משימות אל %s", - "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-removed": "הוסרה רשימת משימות מ־%s", + "activity-checklist-completed": "רשימת המשימות %s מתוך %s הושלמה", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "נוסף פריט רשימת משימות אל ‚%s‘ תחת %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "הוספה", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", - "activity-checklist-uncompleted-card": "uncompleted the checklist %s", + "activity-checklist-completed-card": "רשימת המשימות %s הושלמה", + "activity-checklist-uncompleted-card": "רשימת המשימות %s סומנה כבלתי מושלמת", "add-attachment": "הוספת קובץ מצורף", "add-board": "הוספת לוח", "add-card": "הוספת כרטיס", @@ -381,7 +381,7 @@ "restore": "שחזור", "save": "שמירה", "search": "חיפוש", - "rules": "Rules", + "rules": "כללים", "search-cards": "חיפוש אחר כותרות ותיאורים של כרטיסים בלוח זה", "search-example": "טקסט לחיפוש ?", "select-color": "בחירת צבע", @@ -519,91 +519,91 @@ "parent-card": "כרטיס הורה", "source-board": "לוח מקור", "no-parent": "לא להציג את ההורה", - "activity-added-label": "added label '%s' to %s", - "activity-removed-label": "removed label '%s' from %s", - "activity-delete-attach": "deleted an attachment from %s", - "activity-added-label-card": "added label '%s'", - "activity-removed-label-card": "removed label '%s'", - "activity-delete-attach-card": "deleted an attachment", - "r-rule": "Rule", - "r-add-trigger": "Add trigger", - "r-add-action": "Add action", - "r-board-rules": "Board rules", - "r-add-rule": "Add rule", - "r-view-rule": "View rule", - "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", - "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", - "r-removed-from": "Removed from", - "r-the-board": "the board", - "r-list": "list", - "r-moved-to": "Moved to", - "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", - "r-a-card": "a card", - "r-when-a-label-is": "When a label is", - "r-when-the-label-is": "When the label is", - "r-list-name": "List name", - "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", - "r-name": "name", - "r-is": "is", - "r-when-a-attach": "When an attachment", - "r-when-a-checklist": "When a checklist is", - "r-when-the-checklist": "When the checklist", - "r-completed": "Completed", - "r-made-incomplete": "Made incomplete", - "r-when-a-item": "When a checklist item is", - "r-when-the-item": "When the checklist item", - "r-checked": "Checked", - "r-unchecked": "Unchecked", - "r-move-card-to": "Move card to", - "r-top-of": "Top of", - "r-bottom-of": "Bottom of", - "r-its-list": "its list", + "activity-added-label": "התווית ‚%s’ נוספה אל %s", + "activity-removed-label": "התווית ‚%s’ הוסרה מ־%s", + "activity-delete-attach": "הקובץ המצורף נמחק מ־%s", + "activity-added-label-card": "התווית ‚%s’ נוספה", + "activity-removed-label-card": "התווית ‚%s’ הוסרה", + "activity-delete-attach-card": "קובץ מצורף נמחק", + "r-rule": "כלל", + "r-add-trigger": "הוספת הקפצה", + "r-add-action": "הוספת פעולה", + "r-board-rules": "כללי הלוח", + "r-add-rule": "הוספת כלל", + "r-view-rule": "הצגת כלל", + "r-delete-rule": "מחיקת כל", + "r-new-rule-name": "הוספת כלל חדש", + "r-no-rules": "אין כללים", + "r-when-a-card-is": "כאשר כרטיס", + "r-added-to": "נוסף אל", + "r-removed-from": "מוסר מ־", + "r-the-board": "הלוח", + "r-list": "רשימה", + "r-moved-to": "מועבר אל", + "r-moved-from": "מועבר מ־", + "r-archived": "מועבר לסל המחזור", + "r-unarchived": "משוחזר מסל המחזור", + "r-a-card": "כרטיס", + "r-when-a-label-is": "כאשר תווית", + "r-when-the-label-is": "כאשר התווית היא", + "r-list-name": "שם הרשימה", + "r-when-a-member": "כאשר חבר הוא", + "r-when-the-member": "כאשר החבר הוא", + "r-name": "שם", + "r-is": "הוא", + "r-when-a-attach": "כאשר קובץ מצורף", + "r-when-a-checklist": "כאשר רשימת משימות", + "r-when-the-checklist": "כאשר רשימת המשימות", + "r-completed": "הושלמה", + "r-made-incomplete": "סומנה כבלתי מושלמת", + "r-when-a-item": "כאשר פריט ברשימת משימות", + "r-when-the-item": "כאשר הפריט ברשימת משימות", + "r-checked": "מסומן", + "r-unchecked": "לא מסומן", + "r-move-card-to": "העברת הכרטיס אל", + "r-top-of": "ראש", + "r-bottom-of": "תחתית", + "r-its-list": "הרשימה שלו", "r-archive": "העברה לסל המחזור", - "r-unarchive": "Restore from Recycle Bin", - "r-card": "card", + "r-unarchive": "שחזור מסל המחזור", + "r-card": "כרטיס", "r-add": "הוספה", - "r-remove": "Remove", - "r-label": "label", - "r-member": "member", - "r-remove-all": "Remove all members from the card", - "r-checklist": "checklist", - "r-check-all": "Check all", - "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", - "r-check": "Check", - "r-uncheck": "Uncheck", - "r-item": "item", - "r-of-checklist": "of checklist", - "r-send-email": "Send an email", - "r-to": "to", - "r-subject": "subject", - "r-rule-details": "Rule details", - "r-d-move-to-top-gen": "Move card to top of its list", - "r-d-move-to-top-spec": "Move card to top of list", - "r-d-move-to-bottom-gen": "Move card to bottom of its list", - "r-d-move-to-bottom-spec": "Move card to bottom of list", - "r-d-send-email": "Send email", - "r-d-send-email-to": "to", - "r-d-send-email-subject": "subject", - "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", - "r-d-add-label": "Add label", - "r-d-remove-label": "Remove label", - "r-d-add-member": "Add member", - "r-d-remove-member": "Remove member", - "r-d-remove-all-member": "Remove all member", - "r-d-check-all": "Check all items of a list", - "r-d-uncheck-all": "Uncheck all items of a list", - "r-d-check-one": "Check item", - "r-d-uncheck-one": "Uncheck item", - "r-d-check-of-list": "of checklist", - "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-remove": "הסרה", + "r-label": "תווית", + "r-member": "חבר", + "r-remove-all": "הסרת כל החברים מהכרטיס", + "r-checklist": "רשימת משימות", + "r-check-all": "לסמן הכול", + "r-uncheck-all": "לבטל את הסימון", + "r-item-check": "פריטים לרשימת משימות", + "r-check": "סימון", + "r-uncheck": "ביטול סימון", + "r-item": "פריט", + "r-of-checklist": "של רשימת משימות", + "r-send-email": "שליחת דוא״ל", + "r-to": "אל", + "r-subject": "נושא", + "r-rule-details": "פרטי הכלל", + "r-d-move-to-top-gen": "העברת כרטיס לראש הרשימה שלו", + "r-d-move-to-top-spec": "העברת כרטיס לראש רשימה", + "r-d-move-to-bottom-gen": "העברת כרטיס לתחתית הרשימה שלו", + "r-d-move-to-bottom-spec": "העברת כרטיס לתחתית רשימה", + "r-d-send-email": "שליחת דוא״ל", + "r-d-send-email-to": "אל", + "r-d-send-email-subject": "נושא", + "r-d-send-email-message": "הודעה", + "r-d-archive": "העברת כרטיס לסל המחזור", + "r-d-unarchive": "שחזור כרטיס מסל המחזור", + "r-d-add-label": "הוספת תווית", + "r-d-remove-label": "הסרת תווית", + "r-d-add-member": "הוספת חבר", + "r-d-remove-member": "הסרת חבר", + "r-d-remove-all-member": "הסרת כל החברים", + "r-d-check-all": "סימון כל הפריטים ברשימה", + "r-d-uncheck-all": "ביטול סימון הפריטים ברשימה", + "r-d-check-one": "סימון פריט", + "r-d-uncheck-one": "ביטול סימון פריט", + "r-d-check-of-list": "של רשימת משימות", + "r-d-add-checklist": "הוספת רשימת משימות", + "r-d-remove-checklist": "הסרת רשימת משימות" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From e4cf94606c45261675181336fc14b62b29f74bb7 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 17 Sep 2018 19:05:15 +0300 Subject: v1.49-edge-1 --- CHANGELOG.md | 25 +++++++++++++++++++++++++ package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 28 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index cbcfc6f0..18d1cd6f 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,28 @@ +# v1.49-edge-1 2018-09-17 Wekan release + +This release adds the following new features: + +- Change from Node v8.12.0 prerelease to use official Node v8.12.0. + +Thanks to GitHub user xet7 for contributions. + +# v1.49 2018-09-17 Wekan release + +This release fixes the following bugs: + +- Fix lint errors. + +Thanks to GitHub user xet7 for contributions. + +# v1.48 2018-09-17 Wekan release + +This release removes the following new features: + +- Remove IFTTT rules, until they are fixed. +- Remove OAuth2, until it is fixed. + +Thanks to GitHub user xet7 for contributions. + # v1.47 2018-09-16 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index 9f5cfdb3..1e0f6a12 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.47.0", + "version": "v1.49-edge-1", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 80c9add2..e066c6d6 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 132, + appVersion = 135, # Increment this for every release. - appMarketingVersion = (defaultText = "1.47.0~2018-09-16"), + appMarketingVersion = (defaultText = "1.49.0~2018-09-17-edge-1"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 9083d5f88db964911c57ab8868489bfaaf743101 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 17 Sep 2018 19:12:54 +0300 Subject: v1.49.1 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 2 +- 3 files changed, 3 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 18d1cd6f..86ca1215 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# v1.49-edge-1 2018-09-17 Wekan release +# v1.49.1 2018-09-17 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index 1e0f6a12..60ab1e19 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.49-edge-1", + "version": "v1.49.1", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index e066c6d6..96cecdf5 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -25,7 +25,7 @@ const pkgdef :Spk.PackageDefinition = ( appVersion = 135, # Increment this for every release. - appMarketingVersion = (defaultText = "1.49.0~2018-09-17-edge-1"), + appMarketingVersion = (defaultText = "1.49.1~2018-09-17"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From e7a03bb18747f349227fce0fa12f0ececfc009f4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 17 Sep 2018 20:39:49 +0300 Subject: - Use official Node v8.12.0 Thanks to xet7 ! --- Dockerfile | 10 +++++----- snapcraft.yaml | 18 +++++++++--------- 2 files changed, 14 insertions(+), 14 deletions(-) diff --git a/Dockerfile b/Dockerfile index eae85b1e..54cb6aec 100644 --- a/Dockerfile +++ b/Dockerfile @@ -63,8 +63,8 @@ RUN \ apt-get update -y && apt-get install -y --no-install-recommends ${BUILD_DEPS} && \ \ # Download nodejs - #wget https://nodejs.org/dist/${NODE_VERSION}/node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ - #wget https://nodejs.org/dist/${NODE_VERSION}/SHASUMS256.txt.asc && \ + wget https://nodejs.org/dist/${NODE_VERSION}/node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ + wget https://nodejs.org/dist/${NODE_VERSION}/SHASUMS256.txt.asc && \ #--------------------------------------------------------------------------------------------- # Node Fibers 100% CPU usage issue: # https://github.com/wekan/wekan-mongodb/issues/2#issuecomment-381453161 @@ -73,10 +73,10 @@ RUN \ # Also see beginning of wekan/server/authentication.js # import Fiber from "fibers"; # Fiber.poolSize = 1e9; - # Download node version 8.12.0 prerelease that has fix included, + # OLD: Download node version 8.12.0 prerelease that has fix included, => Official 8.12.0 has been released # Description at https://releases.wekan.team/node.txt - wget https://releases.wekan.team/node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ - echo "1ed54adb8497ad8967075a0b5d03dd5d0a502be43d4a4d84e5af489c613d7795 node-v8.12.0-linux-x64.tar.gz" >> SHASUMS256.txt.asc && \ + #wget https://releases.wekan.team/node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ + #echo "1ed54adb8497ad8967075a0b5d03dd5d0a502be43d4a4d84e5af489c613d7795 node-v8.12.0-linux-x64.tar.gz" >> SHASUMS256.txt.asc && \ \ # Verify nodejs authenticity grep ${NODE_VERSION}-${ARCHITECTURE}.tar.gz SHASUMS256.txt.asc | shasum -a 256 -c - && \ diff --git a/snapcraft.yaml b/snapcraft.yaml index b91a2754..dbe738d0 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -81,7 +81,7 @@ parts: wekan: source: . plugin: nodejs - node-engine: 8.11.3 + node-engine: 8.12.0 node-packages: - npm - node-gyp @@ -108,16 +108,16 @@ parts: # Also see beginning of wekan/server/authentication.js # import Fiber from "fibers"; # Fiber.poolSize = 1e9; - # Download node version 8.12.0 prerelease build, + # OLD: Download node version 8.12.0 prerelease build => Official node 8.12.0 has been released # Description at https://releases.wekan.team/node.txt - echo "375bd8db50b9c692c0bbba6e96d4114cd29bee3770f901c1ff2249d1038f1348 node" >> node-SHASUMS256.txt.asc - curl https://releases.wekan.team/node -o node + ##echo "375bd8db50b9c692c0bbba6e96d4114cd29bee3770f901c1ff2249d1038f1348 node" >> node-SHASUMS256.txt.asc + ##curl https://releases.wekan.team/node -o node # Verify Fibers patched node authenticity - echo "Fibers 100% CPU issue patched node authenticity:" - grep node node-SHASUMS256.txt.asc | shasum -a 256 -c - - rm -f node-SHASUMS256.txt.asc - chmod +x node - mv node `which node` + ##echo "Fibers 100% CPU issue patched node authenticity:" + ##grep node node-SHASUMS256.txt.asc | shasum -a 256 -c - + ##rm -f node-SHASUMS256.txt.asc + ##chmod +x node + ##mv node `which node` # DOES NOT WORK: paxctl fix. # Removed from build-packages: - paxctl #echo "Applying paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303" -- cgit v1.2.3-1-g7c22 From bfabd6346033c3d3887a4693de8f13bc1705b582 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 17 Sep 2018 20:42:50 +0300 Subject: - Change from Node v8.12.0 prerelease to use official Node v8.12.0. Thanks to GitHub user xet7 for contributions. --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 2fb48ac8..dea3026a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release adds the following new features: + +- Change from Node v8.12.0 prerelease to use official Node v8.12.0. + +Thanks to GitHub user xet7 for contributions. + # v1.49 2018-09-17 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 51c21fe63909df81432db569aab5cf621105cab5 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 18 Sep 2018 21:54:10 +0300 Subject: Update translations. --- i18n/fr.i18n.json | 2 +- i18n/pl.i18n.json | 140 +++++++++++++++++++++++++++--------------------------- 2 files changed, 71 insertions(+), 71 deletions(-) diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index a7bbcd3d..cae6cd81 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -601,7 +601,7 @@ "r-d-remove-all-member": "Supprimer tous les membres", "r-d-check-all": "Cocher tous les éléments d'une liste", "r-d-uncheck-all": "Décocher tous les éléments d'une liste", - "r-d-check-one": "Cocker l'élément", + "r-d-check-one": "Cocher l'élément", "r-d-uncheck-one": "Décocher l'élément", "r-d-check-of-list": "de la checklist", "r-d-add-checklist": "Ajouter une checklist", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 60f591c3..61aa6fa3 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -59,7 +59,7 @@ "add-attachment": "Dodaj załącznik", "add-board": "Dodaj tablicę", "add-card": "Dodaj kartę", - "add-swimlane": "Add Swimlane", + "add-swimlane": "Dodaj diagram czynności", "add-subtask": "Dodano Podzadanie", "add-checklist": "Dodaj listę kontrolną", "add-checklist-item": "Dodaj element do listy kontrolnej", @@ -84,7 +84,7 @@ "archive-board": "Przenieś Tablicę do Kosza", "archive-card": "Przenieś Kartę do Kosza", "archive-list": "Przenieś Listę do Kosza", - "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-swimlane": "Przenieś diagram czynności do kosza", "archive-selection": "Przenieś zaznaczenie do Kosza", "archiveBoardPopup-title": "Przenieść Tablicę do Kosza?", "archived-items": "Kosz", @@ -109,12 +109,12 @@ "boardChangeColorPopup-title": "Zmień tło tablicy", "boardChangeTitlePopup-title": "Zmień nazwę tablicy", "boardChangeVisibilityPopup-title": "Zmień widoczność", - "boardChangeWatchPopup-title": "Change Watch", + "boardChangeWatchPopup-title": "Zmień sposób powiadamiania", "boardMenuPopup-title": "Menu tablicy", "boards": "Tablice", "board-view": "Widok tablicy", "board-view-cal": "Kalendarz", - "board-view-swimlanes": "Swimlanes", + "board-view-swimlanes": "Diagramy czynności", "board-view-lists": "Listy", "bucket-example": "Like “Bucket List” for example", "cancel": "Anuluj", @@ -126,15 +126,15 @@ "card-delete-suggest-archive": "Możesz przenieść Kartę do Kosza by usunąć ją z tablicy i zachować aktywności.", "card-due": "Due", "card-due-on": "Due on", - "card-spent": "Spent Time", + "card-spent": "Spędzony czas", "card-edit-attachments": "Edytuj załączniki", "card-edit-custom-fields": "Edytuj niestandardowe pola", "card-edit-labels": "Edytuj etykiety", "card-edit-members": "Edytuj członków", "card-labels-title": "Zmień etykiety karty", "card-members-title": "Dodaj lub usuń członków tablicy z karty.", - "card-start": "Start", - "card-start-on": "Starts on", + "card-start": "Rozpoczęcie", + "card-start-on": "Zaczyna się o", "cardAttachmentsPopup-title": "Załącz z", "cardCustomField-datePopup-title": "Zmień datę", "cardCustomFieldsPopup-title": "Edytuj niestandardowe pola", @@ -145,10 +145,10 @@ "cardMorePopup-title": "Więcej", "cards": "Karty", "cards-count": "Karty", - "casSignIn": "Sign In with CAS", - "cardType-card": "Card", - "cardType-linkedCard": "Linked Card", - "cardType-linkedBoard": "Linked Board", + "casSignIn": "Zaloguj się poprzez CAS", + "cardType-card": "Karta", + "cardType-linkedCard": "Podpięta karta", + "cardType-linkedBoard": "Podpięta tablica", "change": "Zmień", "change-avatar": "Zmień Avatar", "change-password": "Zmień hasło", @@ -159,14 +159,14 @@ "changePasswordPopup-title": "Zmień hasło", "changePermissionsPopup-title": "Zmień uprawnienia", "changeSettingsPopup-title": "Zmień ustawienia", - "subtasks": "Subtasks", + "subtasks": "Podzadania", "checklists": "Listy zadań", "click-to-star": "Kliknij by odznaczyć tę tablicę.", "click-to-unstar": "Kliknij by usunąć odznaczenie tej tablicy.", "clipboard": "Schowek lub przeciągnij & upuść", "close": "Zamknij", "close-board": "Zamknij tablicę", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "Będziesz w stanie przywrócić tablicę klikając na \"Kosz\" w nagłówku strony początkowej.", "color-black": "czarny", "color-blue": "niebieski", "color-green": "zielony", @@ -179,16 +179,16 @@ "color-yellow": "żółty", "comment": "Komentarz", "comment-placeholder": "Dodaj komentarz", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "no-comments": "No comments", - "no-comments-desc": "Can not see comments and activities.", + "comment-only": "Tylko komentowanie", + "comment-only-desc": "Może tylko komentować w kartach.", + "no-comments": "Bez komentarzy", + "no-comments-desc": "Nie widzi komentarzy i aktywności.", "computer": "Komputer", - "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-subtask-delete-dialog": "Czy jesteś pewien, że chcesz usunąć to podzadanie?", "confirm-checklist-delete-dialog": "Czy jesteś pewien, że chcesz usunąć listę zadań?", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "copy-card-link-to-clipboard": "Skopiuj łącze karty do schowka", + "linkCardPopup-title": "Podepnij kartę", + "searchCardPopup-title": "Znajdź kartę", "copyCardPopup-title": "Skopiuj kartę", "copyChecklistToManyCardsPopup-title": "Kopiuj szablon listy zadań do wielu kart", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", @@ -200,16 +200,16 @@ "createCustomField": "Utwórz pole", "createCustomFieldPopup-title": "Utwórz pole", "current": "obecny", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", + "custom-field-delete-pop": "Nie ma możliwości wycofania tej operacji. To usunie te niestandardowe pole ze wszystkich kart oraz usunie ich całą historię.", + "custom-field-checkbox": "Pole wyboru", "custom-field-date": "Data", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", + "custom-field-dropdown": "Lista rozwijana", + "custom-field-dropdown-none": "(puste)", + "custom-field-dropdown-options": "Opcje listy", + "custom-field-dropdown-options-placeholder": "Naciśnij przycisk Enter by zobaczyć więcej opcji", + "custom-field-dropdown-unknown": "(nieznany)", + "custom-field-number": "Numer", + "custom-field-text": "Tekst", "custom-fields": "Niestandardowe pola", "date": "Data", "decline": "Odrzuć", @@ -228,18 +228,18 @@ "edit-profile": "Edytuj profil", "edit-wip-limit": "Edit WIP Limit", "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", + "editCardStartDatePopup-title": "Zmień datę rozpoczęcia", "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", + "editCustomFieldPopup-title": "Edytuj pole", + "editCardSpentTimePopup-title": "Zmień spędzony czas", "editLabelPopup-title": "Zmień etykietę", - "editNotificationPopup-title": "Edit Notification", + "editNotificationPopup-title": "Edytuj powiadomienia", "editProfilePopup-title": "Edytuj profil", "email": "Email", "email-enrollAccount-subject": "Konto zostało utworzone na __siteName__", "email-enrollAccount-text": "Witaj __user__,\nAby zacząć korzystać z serwisu, kliknij w link poniżej.\n__url__\nDzięki.", "email-fail": "Wysyłanie emaila nie powiodło się.", - "email-fail-text": "Error trying to send email", + "email-fail-text": "Bład w trakcie wysyłania wiadomości email", "email-invalid": "Nieprawidłowy email", "email-invite": "Zaproś przez email", "email-invite-subject": "__inviter__ wysłał Ci zaproszenie", @@ -260,18 +260,18 @@ "error-user-notAllowSelf": "Nie możesz zaprosić samego siebie", "error-user-notCreated": "Ten użytkownik nie został stworzony", "error-username-taken": "Ta nazwa jest już zajęta", - "error-email-taken": "Email has already been taken", + "error-email-taken": "Adres email jest już zarezerwowany", "export-board": "Eksportuj tablicę", "filter": "Filtr", "filter-cards": "Odfiltruj karty", "filter-clear": "Usuń filter", "filter-no-label": "Brak etykiety", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", + "filter-no-member": "Brak członków", + "filter-no-custom-fields": "Brak niestandardowych pól", "filter-on": "Filtr jest włączony", "filter-on-desc": "Filtrujesz karty na tej tablicy. Kliknij tutaj by edytować filtr.", "filter-to-selection": "Odfiltruj zaznaczenie", - "advanced-filter-label": "Advanced Filter", + "advanced-filter-label": "Zaawansowane filtry", "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Wróć do swojej strony z tablicami.", @@ -284,17 +284,17 @@ "import-board-c": "Import tablicy", "import-board-title-trello": "Import board from Trello", "import-board-title-wekan": "Importuj tablice z Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "import-sandstorm-warning": "Zaimportowana tablica usunie wszystkie istniejące dane na aktualnej tablicy oraz zastąpi ją danymi z tej importowanej.", "from-trello": "Z Trello", "from-wekan": "Z Wekan", "import-board-instruction-trello": "W twojej tablicy na Trello, idź do 'Menu', następnie 'More', 'Print and Export', 'Export JSON' i skopiuj wynik", "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-json-placeholder": "Wklej twój JSON tutaj", - "import-map-members": "Map members", + "import-map-members": "Przypisz członków", "import-members-map": "Twoje zaimportowane tablice mają kilku członków. Proszę wybierz członków których chcesz zaimportować do Wekan", "import-show-user-mapping": "Przejrzyj wybranych członków", "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", + "importMapMembersAddPopup-title": "Wybierz użytkownika", "info": "Wersja", "initials": "Initials", "invalid-date": "Błędna data", @@ -310,22 +310,22 @@ "language": "Język", "last-admin-desc": "You can’t change roles because there must be at least one admin.", "leave-board": "Opuść tablicę", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leave-board-pop": "Czy jesteś pewien, że chcesz opuścić tablicę __boardTitle__? Zostaniesz usunięty ze wszystkich kart tej tablicy.", "leaveBoardPopup-title": "Opuścić tablicę?", "link-card": "Link do tej karty", - "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards": "Przenieś wszystkie karty tej listy do Kosza.", "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", "list-move-cards": "Przenieś wszystkie karty z tej listy", "list-select-cards": "Zaznacz wszystkie karty z tej listy", "listActionPopup-title": "Lista akcji", - "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneActionPopup-title": "Opcje diagramu czynności", "listImportCardPopup-title": "Zaimportuj kartę z Trello", "listMorePopup-title": "Więcej", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "link-list": "Podepnij do tej listy", + "list-delete-pop": "Wszystkie czynności zostaną usunięte z Aktywności i nie będziesz w stanie przywrócić listy. Nie ma możliwości cofnięcia tej operacji.", + "list-delete-suggest-archive": "Możesz przenieść listę do Kosza i usunąć ją z tablicy zachowując aktywności.", "lists": "Listy", - "swimlanes": "Swimlanes", + "swimlanes": "Diagramy czynności", "log-out": "Wyloguj", "log-in": "Zaloguj", "loginPopup-title": "Zaloguj", @@ -334,8 +334,8 @@ "menu": "Menu", "move-selection": "Przenieś zaznaczone", "moveCardPopup-title": "Przenieś kartę", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", + "moveCardToBottom-title": "Przenieś na dół", + "moveCardToTop-title": "Przenieś na górę", "moveSelectionPopup-title": "Przenieś zaznaczone", "multi-selection": "Wielokrotne zaznaczenie", "multi-selection-on": "Wielokrotne zaznaczenie jest włączone", @@ -343,22 +343,22 @@ "muted-info": "Nie zostaniesz powiadomiony o zmianach w tablicy", "my-boards": "Moje tablice", "name": "Nazwa", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "Brak kart w Koszu.", + "no-archived-lists": "Brak list w Koszu.", + "no-archived-swimlanes": "Brak diagramów czynności w Koszu.", "no-results": "Brak wyników", "normal": "Normal", "normal-desc": "Może widzieć i edytować karty. Nie może zmieniać ustawiań.", "not-accepted-yet": "Zaproszenie jeszcze nie zaakceptowane", "notify-participate": "Otrzymuj aktualizacje kart, w których uczestniczysz jako twórca lub członek.", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "notify-watch": "Otrzymuj powiadomienia z tablic, list i kart, które obserwujesz", "optional": "opcjonalny", "or": "lub", "page-maybe-private": "Ta strona może być prywatna. Możliwe, że możesz ją zobaczyć po zalogowaniu.", "page-not-found": "Strona nie znaleziona.", "password": "Hasło", "paste-or-dragdrop": "wklej lub przeciągnij & upuść obrazek", - "participating": "Participating", + "participating": "Uczestniczysz", "preview": "Podgląd", "previewAttachedImagePopup-title": "Podgląd", "previewClipboardImagePopup-title": "Podgląd", @@ -381,11 +381,11 @@ "restore": "Przywróć", "save": "Zapisz", "search": "Wyszukaj", - "rules": "Rules", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", + "rules": "Reguły", + "search-cards": "Szukaj spośród tytułów kart oraz opisów na tej tablicy", + "search-example": "Czego mam szukać?", "select-color": "Wybierz kolor", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "set-wip-limit-value": "Ustaw maksymalny limit zadań na tej liście", "setWipLimitPopup-title": "Set WIP Limit", "shortcut-assign-self": "Przypisz siebie do obecnej karty", "shortcut-autocomplete-emoji": "Autocomplete emoji", @@ -396,9 +396,9 @@ "shortcut-show-shortcuts": "Przypnij do listy skrótów", "shortcut-toggle-filterbar": "Przełącz boczny pasek filtru", "shortcut-toggle-sidebar": "Przełącz boczny pasek tablicy", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", + "show-cards-minimum-count": "Pokaż licznik kart, jeśli lista zawiera więcej niż", + "sidebar-open": "Otwórz pasek boczny", + "sidebar-close": "Zamknij pasek boczny", "signupPopup-title": "Utwórz konto", "star-board-title": "Click to star this board. It will show up at top of your boards list.", "starred-boards": "Odznaczone tablice", @@ -407,10 +407,10 @@ "team": "Zespół", "this-board": "ta tablica", "this-card": "ta karta", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", + "spent-time-hours": "Spędzony czas (w godzinach)", + "overtime-hours": "Nadgodziny (czas)", + "overtime": "Dodatkowo", + "has-overtime-cards": "Ma dodatkowych kart", "has-spenttime-cards": "Has spent time cards", "time": "Czas", "title": "Tytuł", @@ -444,7 +444,7 @@ "disable-self-registration": "Wyłącz rejestrację samodzielną", "invite": "Zaproś", "invite-people": "Zaproś osoby", - "to-boards": "To board(s)", + "to-boards": "Do tablic(y)", "email-addresses": "Adres e-mail", "smtp-host-description": "Adres serwera SMTP, który wysyła Twoje maile.", "smtp-port-description": "Port, który Twój serwer SMTP wykorzystuje do wysyłania emaili.", @@ -473,7 +473,7 @@ "OS_Cpus": "Ilość rdzeni systemu operacyjnego", "OS_Freemem": "Wolna pamięć RAM", "OS_Loadavg": "Średnie obciążenie systemu operacyjnego", - "OS_Platform": "OS Platform", + "OS_Platform": "Platforma systemu", "OS_Release": "Wersja systemu operacyjnego", "OS_Totalmem": "Dostępna pamięć RAM", "OS_Type": "Wersja systemu operacyjnego", @@ -546,7 +546,7 @@ "r-a-card": "karta", "r-when-a-label-is": "Gdy etykieta jest", "r-when-the-label-is": "Gdy etykieta jest", - "r-list-name": "List name", + "r-list-name": "Nazwa listy", "r-when-a-member": "Gdy członek jest", "r-when-the-member": "Gdy członek jest", "r-name": "nazwa", -- cgit v1.2.3-1-g7c22 From 60ffe5ab9b942325d5154c4fb2766ef665be03ac Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 18 Sep 2018 21:58:17 +0300 Subject: Update translations. --- i18n/fr.i18n.json | 2 +- i18n/pl.i18n.json | 140 +++++++++++++++++++++++++++--------------------------- 2 files changed, 71 insertions(+), 71 deletions(-) diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index a7bbcd3d..cae6cd81 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -601,7 +601,7 @@ "r-d-remove-all-member": "Supprimer tous les membres", "r-d-check-all": "Cocher tous les éléments d'une liste", "r-d-uncheck-all": "Décocher tous les éléments d'une liste", - "r-d-check-one": "Cocker l'élément", + "r-d-check-one": "Cocher l'élément", "r-d-uncheck-one": "Décocher l'élément", "r-d-check-of-list": "de la checklist", "r-d-add-checklist": "Ajouter une checklist", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 60f591c3..61aa6fa3 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -59,7 +59,7 @@ "add-attachment": "Dodaj załącznik", "add-board": "Dodaj tablicę", "add-card": "Dodaj kartę", - "add-swimlane": "Add Swimlane", + "add-swimlane": "Dodaj diagram czynności", "add-subtask": "Dodano Podzadanie", "add-checklist": "Dodaj listę kontrolną", "add-checklist-item": "Dodaj element do listy kontrolnej", @@ -84,7 +84,7 @@ "archive-board": "Przenieś Tablicę do Kosza", "archive-card": "Przenieś Kartę do Kosza", "archive-list": "Przenieś Listę do Kosza", - "archive-swimlane": "Move Swimlane to Recycle Bin", + "archive-swimlane": "Przenieś diagram czynności do kosza", "archive-selection": "Przenieś zaznaczenie do Kosza", "archiveBoardPopup-title": "Przenieść Tablicę do Kosza?", "archived-items": "Kosz", @@ -109,12 +109,12 @@ "boardChangeColorPopup-title": "Zmień tło tablicy", "boardChangeTitlePopup-title": "Zmień nazwę tablicy", "boardChangeVisibilityPopup-title": "Zmień widoczność", - "boardChangeWatchPopup-title": "Change Watch", + "boardChangeWatchPopup-title": "Zmień sposób powiadamiania", "boardMenuPopup-title": "Menu tablicy", "boards": "Tablice", "board-view": "Widok tablicy", "board-view-cal": "Kalendarz", - "board-view-swimlanes": "Swimlanes", + "board-view-swimlanes": "Diagramy czynności", "board-view-lists": "Listy", "bucket-example": "Like “Bucket List” for example", "cancel": "Anuluj", @@ -126,15 +126,15 @@ "card-delete-suggest-archive": "Możesz przenieść Kartę do Kosza by usunąć ją z tablicy i zachować aktywności.", "card-due": "Due", "card-due-on": "Due on", - "card-spent": "Spent Time", + "card-spent": "Spędzony czas", "card-edit-attachments": "Edytuj załączniki", "card-edit-custom-fields": "Edytuj niestandardowe pola", "card-edit-labels": "Edytuj etykiety", "card-edit-members": "Edytuj członków", "card-labels-title": "Zmień etykiety karty", "card-members-title": "Dodaj lub usuń członków tablicy z karty.", - "card-start": "Start", - "card-start-on": "Starts on", + "card-start": "Rozpoczęcie", + "card-start-on": "Zaczyna się o", "cardAttachmentsPopup-title": "Załącz z", "cardCustomField-datePopup-title": "Zmień datę", "cardCustomFieldsPopup-title": "Edytuj niestandardowe pola", @@ -145,10 +145,10 @@ "cardMorePopup-title": "Więcej", "cards": "Karty", "cards-count": "Karty", - "casSignIn": "Sign In with CAS", - "cardType-card": "Card", - "cardType-linkedCard": "Linked Card", - "cardType-linkedBoard": "Linked Board", + "casSignIn": "Zaloguj się poprzez CAS", + "cardType-card": "Karta", + "cardType-linkedCard": "Podpięta karta", + "cardType-linkedBoard": "Podpięta tablica", "change": "Zmień", "change-avatar": "Zmień Avatar", "change-password": "Zmień hasło", @@ -159,14 +159,14 @@ "changePasswordPopup-title": "Zmień hasło", "changePermissionsPopup-title": "Zmień uprawnienia", "changeSettingsPopup-title": "Zmień ustawienia", - "subtasks": "Subtasks", + "subtasks": "Podzadania", "checklists": "Listy zadań", "click-to-star": "Kliknij by odznaczyć tę tablicę.", "click-to-unstar": "Kliknij by usunąć odznaczenie tej tablicy.", "clipboard": "Schowek lub przeciągnij & upuść", "close": "Zamknij", "close-board": "Zamknij tablicę", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "Będziesz w stanie przywrócić tablicę klikając na \"Kosz\" w nagłówku strony początkowej.", "color-black": "czarny", "color-blue": "niebieski", "color-green": "zielony", @@ -179,16 +179,16 @@ "color-yellow": "żółty", "comment": "Komentarz", "comment-placeholder": "Dodaj komentarz", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "no-comments": "No comments", - "no-comments-desc": "Can not see comments and activities.", + "comment-only": "Tylko komentowanie", + "comment-only-desc": "Może tylko komentować w kartach.", + "no-comments": "Bez komentarzy", + "no-comments-desc": "Nie widzi komentarzy i aktywności.", "computer": "Komputer", - "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-subtask-delete-dialog": "Czy jesteś pewien, że chcesz usunąć to podzadanie?", "confirm-checklist-delete-dialog": "Czy jesteś pewien, że chcesz usunąć listę zadań?", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "copy-card-link-to-clipboard": "Skopiuj łącze karty do schowka", + "linkCardPopup-title": "Podepnij kartę", + "searchCardPopup-title": "Znajdź kartę", "copyCardPopup-title": "Skopiuj kartę", "copyChecklistToManyCardsPopup-title": "Kopiuj szablon listy zadań do wielu kart", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", @@ -200,16 +200,16 @@ "createCustomField": "Utwórz pole", "createCustomFieldPopup-title": "Utwórz pole", "current": "obecny", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", + "custom-field-delete-pop": "Nie ma możliwości wycofania tej operacji. To usunie te niestandardowe pole ze wszystkich kart oraz usunie ich całą historię.", + "custom-field-checkbox": "Pole wyboru", "custom-field-date": "Data", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", + "custom-field-dropdown": "Lista rozwijana", + "custom-field-dropdown-none": "(puste)", + "custom-field-dropdown-options": "Opcje listy", + "custom-field-dropdown-options-placeholder": "Naciśnij przycisk Enter by zobaczyć więcej opcji", + "custom-field-dropdown-unknown": "(nieznany)", + "custom-field-number": "Numer", + "custom-field-text": "Tekst", "custom-fields": "Niestandardowe pola", "date": "Data", "decline": "Odrzuć", @@ -228,18 +228,18 @@ "edit-profile": "Edytuj profil", "edit-wip-limit": "Edit WIP Limit", "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", + "editCardStartDatePopup-title": "Zmień datę rozpoczęcia", "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", + "editCustomFieldPopup-title": "Edytuj pole", + "editCardSpentTimePopup-title": "Zmień spędzony czas", "editLabelPopup-title": "Zmień etykietę", - "editNotificationPopup-title": "Edit Notification", + "editNotificationPopup-title": "Edytuj powiadomienia", "editProfilePopup-title": "Edytuj profil", "email": "Email", "email-enrollAccount-subject": "Konto zostało utworzone na __siteName__", "email-enrollAccount-text": "Witaj __user__,\nAby zacząć korzystać z serwisu, kliknij w link poniżej.\n__url__\nDzięki.", "email-fail": "Wysyłanie emaila nie powiodło się.", - "email-fail-text": "Error trying to send email", + "email-fail-text": "Bład w trakcie wysyłania wiadomości email", "email-invalid": "Nieprawidłowy email", "email-invite": "Zaproś przez email", "email-invite-subject": "__inviter__ wysłał Ci zaproszenie", @@ -260,18 +260,18 @@ "error-user-notAllowSelf": "Nie możesz zaprosić samego siebie", "error-user-notCreated": "Ten użytkownik nie został stworzony", "error-username-taken": "Ta nazwa jest już zajęta", - "error-email-taken": "Email has already been taken", + "error-email-taken": "Adres email jest już zarezerwowany", "export-board": "Eksportuj tablicę", "filter": "Filtr", "filter-cards": "Odfiltruj karty", "filter-clear": "Usuń filter", "filter-no-label": "Brak etykiety", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", + "filter-no-member": "Brak członków", + "filter-no-custom-fields": "Brak niestandardowych pól", "filter-on": "Filtr jest włączony", "filter-on-desc": "Filtrujesz karty na tej tablicy. Kliknij tutaj by edytować filtr.", "filter-to-selection": "Odfiltruj zaznaczenie", - "advanced-filter-label": "Advanced Filter", + "advanced-filter-label": "Zaawansowane filtry", "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Wróć do swojej strony z tablicami.", @@ -284,17 +284,17 @@ "import-board-c": "Import tablicy", "import-board-title-trello": "Import board from Trello", "import-board-title-wekan": "Importuj tablice z Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "import-sandstorm-warning": "Zaimportowana tablica usunie wszystkie istniejące dane na aktualnej tablicy oraz zastąpi ją danymi z tej importowanej.", "from-trello": "Z Trello", "from-wekan": "Z Wekan", "import-board-instruction-trello": "W twojej tablicy na Trello, idź do 'Menu', następnie 'More', 'Print and Export', 'Export JSON' i skopiuj wynik", "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-json-placeholder": "Wklej twój JSON tutaj", - "import-map-members": "Map members", + "import-map-members": "Przypisz członków", "import-members-map": "Twoje zaimportowane tablice mają kilku członków. Proszę wybierz członków których chcesz zaimportować do Wekan", "import-show-user-mapping": "Przejrzyj wybranych członków", "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", + "importMapMembersAddPopup-title": "Wybierz użytkownika", "info": "Wersja", "initials": "Initials", "invalid-date": "Błędna data", @@ -310,22 +310,22 @@ "language": "Język", "last-admin-desc": "You can’t change roles because there must be at least one admin.", "leave-board": "Opuść tablicę", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leave-board-pop": "Czy jesteś pewien, że chcesz opuścić tablicę __boardTitle__? Zostaniesz usunięty ze wszystkich kart tej tablicy.", "leaveBoardPopup-title": "Opuścić tablicę?", "link-card": "Link do tej karty", - "list-archive-cards": "Move all cards in this list to Recycle Bin", + "list-archive-cards": "Przenieś wszystkie karty tej listy do Kosza.", "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", "list-move-cards": "Przenieś wszystkie karty z tej listy", "list-select-cards": "Zaznacz wszystkie karty z tej listy", "listActionPopup-title": "Lista akcji", - "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneActionPopup-title": "Opcje diagramu czynności", "listImportCardPopup-title": "Zaimportuj kartę z Trello", "listMorePopup-title": "Więcej", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "link-list": "Podepnij do tej listy", + "list-delete-pop": "Wszystkie czynności zostaną usunięte z Aktywności i nie będziesz w stanie przywrócić listy. Nie ma możliwości cofnięcia tej operacji.", + "list-delete-suggest-archive": "Możesz przenieść listę do Kosza i usunąć ją z tablicy zachowując aktywności.", "lists": "Listy", - "swimlanes": "Swimlanes", + "swimlanes": "Diagramy czynności", "log-out": "Wyloguj", "log-in": "Zaloguj", "loginPopup-title": "Zaloguj", @@ -334,8 +334,8 @@ "menu": "Menu", "move-selection": "Przenieś zaznaczone", "moveCardPopup-title": "Przenieś kartę", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", + "moveCardToBottom-title": "Przenieś na dół", + "moveCardToTop-title": "Przenieś na górę", "moveSelectionPopup-title": "Przenieś zaznaczone", "multi-selection": "Wielokrotne zaznaczenie", "multi-selection-on": "Wielokrotne zaznaczenie jest włączone", @@ -343,22 +343,22 @@ "muted-info": "Nie zostaniesz powiadomiony o zmianach w tablicy", "my-boards": "Moje tablice", "name": "Nazwa", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "Brak kart w Koszu.", + "no-archived-lists": "Brak list w Koszu.", + "no-archived-swimlanes": "Brak diagramów czynności w Koszu.", "no-results": "Brak wyników", "normal": "Normal", "normal-desc": "Może widzieć i edytować karty. Nie może zmieniać ustawiań.", "not-accepted-yet": "Zaproszenie jeszcze nie zaakceptowane", "notify-participate": "Otrzymuj aktualizacje kart, w których uczestniczysz jako twórca lub członek.", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "notify-watch": "Otrzymuj powiadomienia z tablic, list i kart, które obserwujesz", "optional": "opcjonalny", "or": "lub", "page-maybe-private": "Ta strona może być prywatna. Możliwe, że możesz ją zobaczyć po zalogowaniu.", "page-not-found": "Strona nie znaleziona.", "password": "Hasło", "paste-or-dragdrop": "wklej lub przeciągnij & upuść obrazek", - "participating": "Participating", + "participating": "Uczestniczysz", "preview": "Podgląd", "previewAttachedImagePopup-title": "Podgląd", "previewClipboardImagePopup-title": "Podgląd", @@ -381,11 +381,11 @@ "restore": "Przywróć", "save": "Zapisz", "search": "Wyszukaj", - "rules": "Rules", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", + "rules": "Reguły", + "search-cards": "Szukaj spośród tytułów kart oraz opisów na tej tablicy", + "search-example": "Czego mam szukać?", "select-color": "Wybierz kolor", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "set-wip-limit-value": "Ustaw maksymalny limit zadań na tej liście", "setWipLimitPopup-title": "Set WIP Limit", "shortcut-assign-self": "Przypisz siebie do obecnej karty", "shortcut-autocomplete-emoji": "Autocomplete emoji", @@ -396,9 +396,9 @@ "shortcut-show-shortcuts": "Przypnij do listy skrótów", "shortcut-toggle-filterbar": "Przełącz boczny pasek filtru", "shortcut-toggle-sidebar": "Przełącz boczny pasek tablicy", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", + "show-cards-minimum-count": "Pokaż licznik kart, jeśli lista zawiera więcej niż", + "sidebar-open": "Otwórz pasek boczny", + "sidebar-close": "Zamknij pasek boczny", "signupPopup-title": "Utwórz konto", "star-board-title": "Click to star this board. It will show up at top of your boards list.", "starred-boards": "Odznaczone tablice", @@ -407,10 +407,10 @@ "team": "Zespół", "this-board": "ta tablica", "this-card": "ta karta", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", + "spent-time-hours": "Spędzony czas (w godzinach)", + "overtime-hours": "Nadgodziny (czas)", + "overtime": "Dodatkowo", + "has-overtime-cards": "Ma dodatkowych kart", "has-spenttime-cards": "Has spent time cards", "time": "Czas", "title": "Tytuł", @@ -444,7 +444,7 @@ "disable-self-registration": "Wyłącz rejestrację samodzielną", "invite": "Zaproś", "invite-people": "Zaproś osoby", - "to-boards": "To board(s)", + "to-boards": "Do tablic(y)", "email-addresses": "Adres e-mail", "smtp-host-description": "Adres serwera SMTP, który wysyła Twoje maile.", "smtp-port-description": "Port, który Twój serwer SMTP wykorzystuje do wysyłania emaili.", @@ -473,7 +473,7 @@ "OS_Cpus": "Ilość rdzeni systemu operacyjnego", "OS_Freemem": "Wolna pamięć RAM", "OS_Loadavg": "Średnie obciążenie systemu operacyjnego", - "OS_Platform": "OS Platform", + "OS_Platform": "Platforma systemu", "OS_Release": "Wersja systemu operacyjnego", "OS_Totalmem": "Dostępna pamięć RAM", "OS_Type": "Wersja systemu operacyjnego", @@ -546,7 +546,7 @@ "r-a-card": "karta", "r-when-a-label-is": "Gdy etykieta jest", "r-when-the-label-is": "Gdy etykieta jest", - "r-list-name": "List name", + "r-list-name": "Nazwa listy", "r-when-a-member": "Gdy członek jest", "r-when-the-member": "Gdy członek jest", "r-name": "nazwa", -- cgit v1.2.3-1-g7c22 From 352e9033b6efb212e65e34bb9c407bb1d7dce824 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 19 Sep 2018 19:13:07 +0300 Subject: - Fix Dockerfile Meteor install by changing tar to bsdtar. Thanks to maurice-schleussinger and xet7 ! Closes #1900 --- Dockerfile | 16 +++++++++++++--- 1 file changed, 13 insertions(+), 3 deletions(-) diff --git a/Dockerfile b/Dockerfile index 54cb6aec..1d0f20e6 100644 --- a/Dockerfile +++ b/Dockerfile @@ -28,7 +28,7 @@ ARG OAUTH2_TOKEN_ENDPOINT # Set the environment variables (defaults where required) # DOES NOT WORK: paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303 # ENV BUILD_DEPS="paxctl" -ENV BUILD_DEPS="apt-utils gnupg gosu wget curl bzip2 build-essential python git ca-certificates gcc-7" \ +ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential python git ca-certificates gcc-7" \ NODE_VERSION=v8.12.0 \ METEOR_RELEASE=1.6.0.1 \ USE_EDGE=false \ @@ -62,6 +62,11 @@ RUN \ # OS dependencies apt-get update -y && apt-get install -y --no-install-recommends ${BUILD_DEPS} && \ \ + # Meteor installer doesn't work with the default tar binary, so using bsdtar while installing. + # https://github.com/coreos/bugs/issues/1095#issuecomment-350574389 + cp $(which tar) $(which tar)~ && \ + ln -sf $(which bsdtar) $(which tar) && \ + \ # Download nodejs wget https://nodejs.org/dist/${NODE_VERSION}/node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ wget https://nodejs.org/dist/${NODE_VERSION}/SHASUMS256.txt.asc && \ @@ -123,8 +128,10 @@ RUN \ # Change user to wekan and install meteor cd /home/wekan/ && \ chown wekan:wekan --recursive /home/wekan && \ - curl https://install.meteor.com -o /home/wekan/install_meteor.sh && \ - sed -i "s|RELEASE=.*|RELEASE=${METEOR_RELEASE}\"\"|g" ./install_meteor.sh && \ + curl "https://install.meteor.com/?release=${METEOR_RELEASE}" -o /home/wekan/install_meteor.sh && \ + # OLD: sed -i "s|RELEASE=.*|RELEASE=${METEOR_RELEASE}\"\"|g" ./install_meteor.sh && \ + # Install Meteor forcing its progress + sed -i 's/VERBOSITY="--silent"/VERBOSITY="--progress-bar"/' ./install_meteor.sh && \ echo "Starting meteor ${METEOR_RELEASE} installation... \n" && \ chown wekan:wekan /home/wekan/install_meteor.sh && \ \ @@ -163,6 +170,9 @@ RUN \ #gosu wekan:wekan npm install bcrypt && \ mv /home/wekan/app_build/bundle /build && \ \ + # Put back the original tar + mv $(which tar)~ $(which tar) && \ + \ # Cleanup apt-get remove --purge -y ${BUILD_DEPS} && \ apt-get autoremove -y && \ -- cgit v1.2.3-1-g7c22 From ff2d467d42962bf83f0e20d9e2bb6832ffffcb07 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 19 Sep 2018 19:17:05 +0300 Subject: - Fix Dockerfile Meteor install by changing tar to bsdtar. Thanks to maurice-schleussinger and xet7 ! Closes #1900 --- CHANGELOG.md | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index dea3026a..af00b931 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,9 +2,10 @@ This release adds the following new features: -- Change from Node v8.12.0 prerelease to use official Node v8.12.0. +- [Change from Node v8.12.0 prerelease to use official Node v8.12.0](https://github.com/wekan/wekan/commit/bfabd6346033c3d3887a4693de8f13bc1705b582); +- [Fix Dockerfile Meteor install by changing tar to bsdtar](https://github.com/wekan/wekan/commit/352e9033b6efb212e65e34bb9c407bb1d7dce824). -Thanks to GitHub user xet7 for contributions. +Thanks to GitHub users maurice-schleussinger and xet7 for their contributions. # v1.49 2018-09-17 Wekan release -- cgit v1.2.3-1-g7c22 From 1bad81ca86ca87c02148764cc03a3070882a8a33 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 19 Sep 2018 19:18:53 +0300 Subject: - Fix Dockerfile Meteor install by changing tar to bsdtar. Thanks to maurice-schleussinger and xet7 ! Closes #1900 --- Dockerfile | 16 +++++++++++++--- 1 file changed, 13 insertions(+), 3 deletions(-) diff --git a/Dockerfile b/Dockerfile index 54cb6aec..1d0f20e6 100644 --- a/Dockerfile +++ b/Dockerfile @@ -28,7 +28,7 @@ ARG OAUTH2_TOKEN_ENDPOINT # Set the environment variables (defaults where required) # DOES NOT WORK: paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303 # ENV BUILD_DEPS="paxctl" -ENV BUILD_DEPS="apt-utils gnupg gosu wget curl bzip2 build-essential python git ca-certificates gcc-7" \ +ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential python git ca-certificates gcc-7" \ NODE_VERSION=v8.12.0 \ METEOR_RELEASE=1.6.0.1 \ USE_EDGE=false \ @@ -62,6 +62,11 @@ RUN \ # OS dependencies apt-get update -y && apt-get install -y --no-install-recommends ${BUILD_DEPS} && \ \ + # Meteor installer doesn't work with the default tar binary, so using bsdtar while installing. + # https://github.com/coreos/bugs/issues/1095#issuecomment-350574389 + cp $(which tar) $(which tar)~ && \ + ln -sf $(which bsdtar) $(which tar) && \ + \ # Download nodejs wget https://nodejs.org/dist/${NODE_VERSION}/node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ wget https://nodejs.org/dist/${NODE_VERSION}/SHASUMS256.txt.asc && \ @@ -123,8 +128,10 @@ RUN \ # Change user to wekan and install meteor cd /home/wekan/ && \ chown wekan:wekan --recursive /home/wekan && \ - curl https://install.meteor.com -o /home/wekan/install_meteor.sh && \ - sed -i "s|RELEASE=.*|RELEASE=${METEOR_RELEASE}\"\"|g" ./install_meteor.sh && \ + curl "https://install.meteor.com/?release=${METEOR_RELEASE}" -o /home/wekan/install_meteor.sh && \ + # OLD: sed -i "s|RELEASE=.*|RELEASE=${METEOR_RELEASE}\"\"|g" ./install_meteor.sh && \ + # Install Meteor forcing its progress + sed -i 's/VERBOSITY="--silent"/VERBOSITY="--progress-bar"/' ./install_meteor.sh && \ echo "Starting meteor ${METEOR_RELEASE} installation... \n" && \ chown wekan:wekan /home/wekan/install_meteor.sh && \ \ @@ -163,6 +170,9 @@ RUN \ #gosu wekan:wekan npm install bcrypt && \ mv /home/wekan/app_build/bundle /build && \ \ + # Put back the original tar + mv $(which tar)~ $(which tar) && \ + \ # Cleanup apt-get remove --purge -y ${BUILD_DEPS} && \ apt-get autoremove -y && \ -- cgit v1.2.3-1-g7c22 From 156164b5fd02329811e214130e3c6be7d6d9b953 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 19 Sep 2018 19:29:40 +0300 Subject: - Fix Dockerfile Meteor install by changing tar to bsdtar. Thanks to maurice-schleussinger and xet7 ! Closes #1900 --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 86ca1215..fa564ca8 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- [Fix Dockerfile Meteor install by changing tar to bsdtar](https://github.com/wekan/wekan/commit/1bad81ca86ca87c02148764cc03a3070882a8a33). + +Thanks to GitHub users maurice-schleussinger and xet7 for contributions. + # v1.49.1 2018-09-17 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From 94cd2ce69098f02e4ac4bebb1a2b5eaf919f1020 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 20 Sep 2018 20:38:17 +0300 Subject: Add more debug log requirements --- .github/ISSUE_TEMPLATE.md | 7 +++++-- 1 file changed, 5 insertions(+), 2 deletions(-) diff --git a/.github/ISSUE_TEMPLATE.md b/.github/ISSUE_TEMPLATE.md index f1dad78f..dca55329 100644 --- a/.github/ISSUE_TEMPLATE.md +++ b/.github/ISSUE_TEMPLATE.md @@ -13,6 +13,9 @@ * ROOT_URL environment variable http(s)://(subdomain).example.com(/suburl): **Problem description**: -- *REQUIRED: Add recorded animated gif about how it works currently, and screenshot mockups how it should work* +- *REQUIRED: Add recorded animated gif about how it works currently, and screenshot mockups how it should work. Use peek to record animgif in Linux https://github.com/phw/peek* - *Explain steps how to reproduce* -- *Attach log files in .zip file)* +- *In webbrowser, what does show Right Click / Inspect / Console ? Chrome shows more detailed info than Firefox.* +- *If using Snap, what does show command `sudo snap logs wekan.wekan` ?* +- *If using Docker, what does show command `sudo docker logs wekan-app` ?* +- *If logs are very long, attach them in .zip file* -- cgit v1.2.3-1-g7c22 From f7731f4f5ec27e63e74a3265d105427ef3c0985a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 20 Sep 2018 20:40:40 +0300 Subject: - Add npm-debug.log to .gitignore Thanks to xet7 ! --- .gitignore | 1 + 1 file changed, 1 insertion(+) diff --git a/.gitignore b/.gitignore index 3b63d811..d24d5422 100644 --- a/.gitignore +++ b/.gitignore @@ -4,6 +4,7 @@ *.sublime-workspace tmp/ node_modules/ +npm-debug.log .vscode/ .idea/ .build/* -- cgit v1.2.3-1-g7c22 From d652eb5cee3fd648a6023e38db444ad460ddef7e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 20 Sep 2018 20:41:41 +0300 Subject: - Add .DS_Store to .gitignore Thansk to xet7 ! --- .gitignore | 1 + 1 file changed, 1 insertion(+) diff --git a/.gitignore b/.gitignore index d24d5422..7a56bd2e 100644 --- a/.gitignore +++ b/.gitignore @@ -17,3 +17,4 @@ package-lock.json **/*.snap snap/.snapcraft/ .idea +.DS_Store -- cgit v1.2.3-1-g7c22 From 44f4a1c3bf8033b6b658703a0ccaed5fdb183ab4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 20 Sep 2018 20:43:19 +0300 Subject: - Add npm-debug.log and .DS_Store to .gitignore Thanks to xet7 ! --- .gitignore | 2 ++ 1 file changed, 2 insertions(+) diff --git a/.gitignore b/.gitignore index 3b63d811..7a56bd2e 100644 --- a/.gitignore +++ b/.gitignore @@ -4,6 +4,7 @@ *.sublime-workspace tmp/ node_modules/ +npm-debug.log .vscode/ .idea/ .build/* @@ -16,3 +17,4 @@ package-lock.json **/*.snap snap/.snapcraft/ .idea +.DS_Store -- cgit v1.2.3-1-g7c22 From 1c4ce56b0f18e00e01b54c7059cbbf8d3e196154 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 20 Sep 2018 20:44:33 +0300 Subject: - Add more required debug info to GitHub issue template. Thanks to xet7 ! --- .github/ISSUE_TEMPLATE.md | 7 +++++-- 1 file changed, 5 insertions(+), 2 deletions(-) diff --git a/.github/ISSUE_TEMPLATE.md b/.github/ISSUE_TEMPLATE.md index f1dad78f..dca55329 100644 --- a/.github/ISSUE_TEMPLATE.md +++ b/.github/ISSUE_TEMPLATE.md @@ -13,6 +13,9 @@ * ROOT_URL environment variable http(s)://(subdomain).example.com(/suburl): **Problem description**: -- *REQUIRED: Add recorded animated gif about how it works currently, and screenshot mockups how it should work* +- *REQUIRED: Add recorded animated gif about how it works currently, and screenshot mockups how it should work. Use peek to record animgif in Linux https://github.com/phw/peek* - *Explain steps how to reproduce* -- *Attach log files in .zip file)* +- *In webbrowser, what does show Right Click / Inspect / Console ? Chrome shows more detailed info than Firefox.* +- *If using Snap, what does show command `sudo snap logs wekan.wekan` ?* +- *If using Docker, what does show command `sudo docker logs wekan-app` ?* +- *If logs are very long, attach them in .zip file* -- cgit v1.2.3-1-g7c22 From 4f544429474813106a530215eab1908c6308a876 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 20 Sep 2018 20:51:17 +0300 Subject: - Update readme. Thanks to xet7 ! --- CHANGELOG.md | 10 ++++++++-- 1 file changed, 8 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index af00b931..4fc281c4 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,8 +2,14 @@ This release adds the following new features: -- [Change from Node v8.12.0 prerelease to use official Node v8.12.0](https://github.com/wekan/wekan/commit/bfabd6346033c3d3887a4693de8f13bc1705b582); -- [Fix Dockerfile Meteor install by changing tar to bsdtar](https://github.com/wekan/wekan/commit/352e9033b6efb212e65e34bb9c407bb1d7dce824). +- [Change from Node v8.12.0 prerelease to use official Node v8.12.0](https://github.com/wekan/wekan/commit/bfabd6346033c3d3887a4693de8f13bc1705b582). + +and fixes the following bugs: + +- [Fix Dockerfile Meteor install by changing tar to bsdtar](https://github.com/wekan/wekan/commit/352e9033b6efb212e65e34bb9c407bb1d7dce824); +- Add [npm-debug.log](https://github.com/wekan/wekan/commit/f7731f4f5ec27e63e74a3265d105427ef3c0985a) and + [.DS_Store](https://github.com/wekan/wekan/commit/d652eb5cee3fd648a6023e38db444ad460ddef7e) to .gitignore; +- [Add more debug log requirements to GitHub issue template](https://github.com/wekan/wekan/commit/94cd2ce69098f02e4ac4bebb1a2b5eaf919f1020). Thanks to GitHub users maurice-schleussinger and xet7 for their contributions. -- cgit v1.2.3-1-g7c22 From 39099106c6739c8ac4e0dca4ddee98422b554473 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 20 Sep 2018 20:51:17 +0300 Subject: - Update ChangeLog. Thanks to xet7 ! --- CHANGELOG.md | 10 ++++++++-- 1 file changed, 8 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index af00b931..4fc281c4 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,8 +2,14 @@ This release adds the following new features: -- [Change from Node v8.12.0 prerelease to use official Node v8.12.0](https://github.com/wekan/wekan/commit/bfabd6346033c3d3887a4693de8f13bc1705b582); -- [Fix Dockerfile Meteor install by changing tar to bsdtar](https://github.com/wekan/wekan/commit/352e9033b6efb212e65e34bb9c407bb1d7dce824). +- [Change from Node v8.12.0 prerelease to use official Node v8.12.0](https://github.com/wekan/wekan/commit/bfabd6346033c3d3887a4693de8f13bc1705b582). + +and fixes the following bugs: + +- [Fix Dockerfile Meteor install by changing tar to bsdtar](https://github.com/wekan/wekan/commit/352e9033b6efb212e65e34bb9c407bb1d7dce824); +- Add [npm-debug.log](https://github.com/wekan/wekan/commit/f7731f4f5ec27e63e74a3265d105427ef3c0985a) and + [.DS_Store](https://github.com/wekan/wekan/commit/d652eb5cee3fd648a6023e38db444ad460ddef7e) to .gitignore; +- [Add more debug log requirements to GitHub issue template](https://github.com/wekan/wekan/commit/94cd2ce69098f02e4ac4bebb1a2b5eaf919f1020). Thanks to GitHub users maurice-schleussinger and xet7 for their contributions. -- cgit v1.2.3-1-g7c22 From 254c7fe95183bb6ba787cfca6bfd5255a8fea42e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 20 Sep 2018 20:56:27 +0300 Subject: Update ChangeLog. Thanks to xet7 ! --- CHANGELOG.md | 10 ++++++++-- 1 file changed, 8 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index fa564ca8..34b2ed5f 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,9 +1,15 @@ # Upcoming Wekan release -This release fixes the following bugs: +This release adds the following new features: + +- [Change from Node v8.12.0 prerelease to use official Node v8.12.0](https://github.com/wekan/wekan/commit/7ec7a5f27c381e90f3da6bddc3773ed87b1c1a1f). + +and fixes the following bugs: - [Fix Dockerfile Meteor install by changing tar to bsdtar](https://github.com/wekan/wekan/commit/1bad81ca86ca87c02148764cc03a3070882a8a33). - +- Add [npm-debug.log and .DS_Store](https://github.com/wekan/wekan/commit/44f4a1c3bf8033b6b658703a0ccaed5fdb183ab4) to .gitignore; +- [Add more debug log requirements to GitHub issue template](https://github.com/wekan/wekan/commit/1c4ce56b0f18e00e01b54c7059cbbf8d3e196154). + Thanks to GitHub users maurice-schleussinger and xet7 for contributions. # v1.49.1 2018-09-17 Wekan release -- cgit v1.2.3-1-g7c22 From 37a53e7466107d229a67a4c2efc4b25708bbe93d Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Fri, 21 Sep 2018 14:22:00 +0200 Subject: Fixed some rules --- client/components/rules/triggers/checklistTriggers.js | 4 ++-- models/checklistItems.js | 4 ++-- server/rulesHelper.js | 8 ++++---- 3 files changed, 8 insertions(+), 8 deletions(-) diff --git a/client/components/rules/triggers/checklistTriggers.js b/client/components/rules/triggers/checklistTriggers.js index 01f3effe..2272be29 100644 --- a/client/components/rules/triggers/checklistTriggers.js +++ b/client/components/rules/triggers/checklistTriggers.js @@ -78,7 +78,7 @@ BlazeComponent.extendComponent({ const actionSelected = this.find('#spec-comp-check-action').value; const checklistId = this.find('#spec-comp-check-name').value; const boardId = Session.get('currentBoard'); - if (actionSelected === 'added') { + if (actionSelected === 'completed') { datas.triggerVar.set({ activityType: 'completeChecklist', boardId, @@ -86,7 +86,7 @@ BlazeComponent.extendComponent({ desc, }); } - if (actionSelected === 'removed') { + if (actionSelected === 'uncompleted') { datas.triggerVar.set({ activityType: 'uncompleteChecklist', boardId, diff --git a/models/checklistItems.js b/models/checklistItems.js index 8380bda7..7132bc7c 100644 --- a/models/checklistItems.js +++ b/models/checklistItems.js @@ -130,7 +130,7 @@ function publishChekListCompleted(userId, doc, fieldNames, modifier){ cardId: doc.cardId, boardId, checklistId: doc.checklistId, - checklistName:doc.title, + checklistName:checkList.title, }; Activities.insert(act); } @@ -148,7 +148,7 @@ function publishChekListUncompleted(userId, doc, fieldNames, modifier){ cardId: doc.cardId, boardId, checklistId: doc.checklistId, - checklistName:doc.title, + checklistName:checkList.title, }; Activities.insert(act); } diff --git a/server/rulesHelper.js b/server/rulesHelper.js index e7e19b96..175af953 100644 --- a/server/rulesHelper.js +++ b/server/rulesHelper.js @@ -36,8 +36,8 @@ RulesHelper = { if(action.actionType === 'moveCardToTop'){ let listId; let list; - if(activity.listTitle === '*'){ - listId = card.swimlaneId; + if(action.listTitle === '*'){ + listId = card.listId; list = card.list(); }else{ list = Lists.findOne({title: action.listTitle, boardId }); @@ -49,8 +49,8 @@ RulesHelper = { if(action.actionType === 'moveCardToBottom'){ let listId; let list; - if(activity.listTitle === '*'){ - listId = card.swimlaneId; + if(action.listTitle === '*'){ + listId = card.listId; list = card.list(); }else{ list = Lists.findOne({title: action.listTitle, boardId}); -- cgit v1.2.3-1-g7c22 From 1f02321e2767a4772a35f512fa29798b6aeadb9a Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Fri, 21 Sep 2018 14:53:04 +0200 Subject: Fixed rules about member and box dropdowns width --- client/components/rules/actions/cardActions.js | 8 ++++---- client/components/rules/rules.styl | 2 +- client/components/rules/triggers/cardTriggers.js | 10 +++++----- i18n/en.i18n.json | 2 +- models/cards.js | 6 ++++-- server/rulesHelper.js | 4 ++-- server/triggersDef.js | 4 ++-- 7 files changed, 19 insertions(+), 17 deletions(-) diff --git a/client/components/rules/actions/cardActions.js b/client/components/rules/actions/cardActions.js index a65407c1..b04440bd 100644 --- a/client/components/rules/actions/cardActions.js +++ b/client/components/rules/actions/cardActions.js @@ -58,14 +58,14 @@ BlazeComponent.extendComponent({ const ruleName = this.data().ruleName.get(); const trigger = this.data().triggerVar.get(); const actionSelected = this.find('#member-action').value; - const memberName = this.find('#member-name').value; + const username = this.find('#member-name').value; const boardId = Session.get('currentBoard'); const desc = Utils.getTriggerActionDesc(event, this); if (actionSelected === 'add') { const triggerId = Triggers.insert(trigger); const actionId = Actions.insert({ actionType: 'addMember', - memberName, + username, boardId, desc, }); @@ -81,7 +81,7 @@ BlazeComponent.extendComponent({ const triggerId = Triggers.insert(trigger); const actionId = Actions.insert({ actionType: 'removeMember', - memberName, + username, boardId, desc, }); @@ -101,7 +101,7 @@ BlazeComponent.extendComponent({ const boardId = Session.get('currentBoard'); const actionId = Actions.insert({ actionType: 'removeMember', - 'memberName': '*', + 'username': '*', boardId, desc, }); diff --git a/client/components/rules/rules.styl b/client/components/rules/rules.styl index 68d74d32..45ce4003 100644 --- a/client/components/rules/rules.styl +++ b/client/components/rules/rules.styl @@ -116,7 +116,7 @@ .trigger-dropdown display:inline-block select - width:100px + width:auto height:30px margin:0px margin-left:5px diff --git a/client/components/rules/triggers/cardTriggers.js b/client/components/rules/triggers/cardTriggers.js index 704c7690..2303a85b 100644 --- a/client/components/rules/triggers/cardTriggers.js +++ b/client/components/rules/triggers/cardTriggers.js @@ -67,7 +67,7 @@ BlazeComponent.extendComponent({ datas.triggerVar.set({ activityType: 'joinMember', boardId, - 'memberId': '*', + 'username': '*', desc, }); } @@ -75,7 +75,7 @@ BlazeComponent.extendComponent({ datas.triggerVar.set({ activityType: 'unjoinMember', boardId, - 'memberId': '*', + 'username': '*', desc, }); } @@ -84,13 +84,13 @@ BlazeComponent.extendComponent({ const desc = Utils.getTriggerActionDesc(event, this); const datas = this.data(); const actionSelected = this.find('#spec-member-action').value; - const memberId = this.find('#spec-member').value; + const username = this.find('#spec-member').value; const boardId = Session.get('currentBoard'); if (actionSelected === 'added') { datas.triggerVar.set({ activityType: 'joinMember', boardId, - memberId, + username, desc, }); } @@ -98,7 +98,7 @@ BlazeComponent.extendComponent({ datas.triggerVar.set({ activityType: 'unjoinMember', boardId, - memberId, + username, desc, }); } diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 81206ae3..a459be36 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", diff --git a/models/cards.js b/models/cards.js index 346b4bdd..d91b9050 100644 --- a/models/cards.js +++ b/models/cards.js @@ -1165,10 +1165,11 @@ function cardMembers(userId, doc, fieldNames, modifier) { // Say hello to the new member if (modifier.$addToSet && modifier.$addToSet.members) { memberId = modifier.$addToSet.members; + let username = Users.findOne(memberId).username; if (!_.contains(doc.members, memberId)) { Activities.insert({ userId, - memberId, + username, activityType: 'joinMember', boardId: doc.boardId, cardId: doc._id, @@ -1179,11 +1180,12 @@ function cardMembers(userId, doc, fieldNames, modifier) { // Say goodbye to the former member if (modifier.$pull && modifier.$pull.members) { memberId = modifier.$pull.members; + let username = Users.findOne(memberId).username; // Check that the former member is member of the card if (_.contains(doc.members, memberId)) { Activities.insert({ userId, - memberId, + username, activityType: 'unjoinMember', boardId: doc.boardId, cardId: doc._id, diff --git a/server/rulesHelper.js b/server/rulesHelper.js index 175af953..631ad4e9 100644 --- a/server/rulesHelper.js +++ b/server/rulesHelper.js @@ -87,7 +87,7 @@ RulesHelper = { card.removeLabel(action.labelId); } if(action.actionType === 'addMember'){ - const memberId = Users.findOne({username:action.memberName})._id; + const memberId = Users.findOne({username:action.username})._id; card.assignMember(memberId); } if(action.actionType === 'removeMember'){ @@ -97,7 +97,7 @@ RulesHelper = { card.unassignMember(members[i]); } }else{ - const memberId = Users.findOne({username:action.memberName})._id; + const memberId = Users.findOne({username:action.username})._id; card.unassignMember(memberId); } } diff --git a/server/triggersDef.js b/server/triggersDef.js index 81dc946f..f6d5333b 100644 --- a/server/triggersDef.js +++ b/server/triggersDef.js @@ -12,10 +12,10 @@ TriggersDef = { matchingFields: ['boardId'], }, joinMember:{ - matchingFields: ['boardId', 'memberId'], + matchingFields: ['boardId', 'username'], }, unjoinMember:{ - matchingFields: ['boardId', 'memberId'], + matchingFields: ['boardId', 'username'], }, addChecklist:{ matchingFields: ['boardId', 'checklistName'], -- cgit v1.2.3-1-g7c22 From 93e69c94a2c75f4526c98f30ff43c113f37da754 Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Fri, 21 Sep 2018 15:32:38 +0200 Subject: Fixed card filter --- models/lists.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/models/lists.js b/models/lists.js index bf5aae3c..9bcb9ba1 100644 --- a/models/lists.js +++ b/models/lists.js @@ -82,7 +82,7 @@ Lists.helpers({ }; if (swimlaneId) selector.swimlaneId = swimlaneId; - return Cards.find(selector, + return Cards.find(Filter.mongoSelector(selector), { sort: ['sort'] }); }, -- cgit v1.2.3-1-g7c22 From 80e06b8ffc7b9440b9e46ba43200a91c1b617cb0 Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Fri, 21 Sep 2018 17:02:43 +0200 Subject: Rules hidden from non admin --- client/components/boards/boardHeader.jade | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/client/components/boards/boardHeader.jade b/client/components/boards/boardHeader.jade index dfd281de..75b2f02b 100644 --- a/client/components/boards/boardHeader.jade +++ b/client/components/boards/boardHeader.jade @@ -87,10 +87,10 @@ template(name="boardHeaderBar") if Filter.isActive a.board-header-btn-close.js-filter-reset(title="{{_ 'filter-clear'}}") i.fa.fa-times-thin - - a.board-header-btn.js-open-rules-view(title="{{_ 'rules'}}") - i.fa.fa-magic - span {{_ 'rules'}} + if currentUser.isAdmin + a.board-header-btn.js-open-rules-view(title="{{_ 'rules'}}") + i.fa.fa-magic + span {{_ 'rules'}} a.board-header-btn.js-open-search-view(title="{{_ 'search'}}") i.fa.fa-search -- cgit v1.2.3-1-g7c22 From 99d38f2d61527f599f3246ea5f02ec482841ab0e Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Fri, 21 Sep 2018 17:06:22 +0200 Subject: Fixed card move to top/bottom --- models/lists.js | 11 +++++++++++ server/rulesHelper.js | 4 ++-- 2 files changed, 13 insertions(+), 2 deletions(-) diff --git a/models/lists.js b/models/lists.js index 9bcb9ba1..b99fe8f5 100644 --- a/models/lists.js +++ b/models/lists.js @@ -86,6 +86,17 @@ Lists.helpers({ { sort: ['sort'] }); }, + cardsUnfiltered(swimlaneId) { + const selector = { + listId: this._id, + archived: false, + }; + if (swimlaneId) + selector.swimlaneId = swimlaneId; + return Cards.find(selector, + { sort: ['sort'] }); + }, + allCards() { return Cards.find({ listId: this._id }); }, diff --git a/server/rulesHelper.js b/server/rulesHelper.js index 631ad4e9..e9139933 100644 --- a/server/rulesHelper.js +++ b/server/rulesHelper.js @@ -43,7 +43,7 @@ RulesHelper = { list = Lists.findOne({title: action.listTitle, boardId }); listId = list._id; } - const minOrder = _.min(list.cards(card.swimlaneId).map((c) => c.sort)); + const minOrder = _.min(list.cardsUnfiltered(card.swimlaneId).map((c) => c.sort)); card.move(card.swimlaneId, listId, minOrder - 1); } if(action.actionType === 'moveCardToBottom'){ @@ -56,7 +56,7 @@ RulesHelper = { list = Lists.findOne({title: action.listTitle, boardId}); listId = list._id; } - const maxOrder = _.max(list.cards(card.swimlaneId).map((c) => c.sort)); + const maxOrder = _.max(list.cardsUnfiltered(card.swimlaneId).map((c) => c.sort)); card.move(card.swimlaneId, listId, maxOrder + 1); } if(action.actionType === 'sendEmail'){ -- cgit v1.2.3-1-g7c22 From 620180981050e2db4e2fe69c968c529951a02fdc Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Fri, 21 Sep 2018 17:20:45 +0200 Subject: Added general move trigger --- client/components/rules/triggers/boardTriggers.jade | 7 +++++++ client/components/rules/triggers/boardTriggers.js | 13 +++++++++++++ i18n/en.i18n.json | 3 ++- 3 files changed, 22 insertions(+), 1 deletion(-) diff --git a/client/components/rules/triggers/boardTriggers.jade b/client/components/rules/triggers/boardTriggers.jade index 266f11f8..48b9345c 100644 --- a/client/components/rules/triggers/boardTriggers.jade +++ b/client/components/rules/triggers/boardTriggers.jade @@ -27,6 +27,13 @@ template(name="boardTriggers") div.trigger-button.js-add-create-trigger.js-goto-action i.fa.fa-plus + div.trigger-item + div.trigger-content + div.trigger-text + | {{_'r-when-a-card-is-moved'}} + div.trigger-button.js-add-gen-moved-trigger.js-goto-action + i.fa.fa-plus + div.trigger-item div.trigger-content div.trigger-text diff --git a/client/components/rules/triggers/boardTriggers.js b/client/components/rules/triggers/boardTriggers.js index e4753642..562d84a9 100644 --- a/client/components/rules/triggers/boardTriggers.js +++ b/client/components/rules/triggers/boardTriggers.js @@ -76,6 +76,19 @@ BlazeComponent.extendComponent({ }); } }, + 'click .js-add-gen-moved-trigger' (event){ + const datas = this.data(); + const desc = Utils.getTriggerActionDesc(event, this); + const boardId = Session.get('currentBoard'); + + datas.triggerVar.set({ + activityType: 'moveCard', + boardId, + 'listName':'*', + 'oldListName': '*', + desc, + }); + }, 'click .js-add-arc-trigger' (event) { const datas = this.data(); const desc = Utils.getTriggerActionDesc(event, this); diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index a459be36..896c10a3 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -606,5 +606,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } -- cgit v1.2.3-1-g7c22 From dba5de18828313711b245792d5c6da81fd60031e Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Fri, 21 Sep 2018 20:19:47 +0200 Subject: Lint fix --- client/components/rules/triggers/boardTriggers.js | 14 +++++++------- models/cards.js | 4 ++-- 2 files changed, 9 insertions(+), 9 deletions(-) diff --git a/client/components/rules/triggers/boardTriggers.js b/client/components/rules/triggers/boardTriggers.js index 562d84a9..40c5b07e 100644 --- a/client/components/rules/triggers/boardTriggers.js +++ b/client/components/rules/triggers/boardTriggers.js @@ -81,13 +81,13 @@ BlazeComponent.extendComponent({ const desc = Utils.getTriggerActionDesc(event, this); const boardId = Session.get('currentBoard'); - datas.triggerVar.set({ - activityType: 'moveCard', - boardId, - 'listName':'*', - 'oldListName': '*', - desc, - }); + datas.triggerVar.set({ + activityType: 'moveCard', + boardId, + 'listName':'*', + 'oldListName': '*', + desc, + }); }, 'click .js-add-arc-trigger' (event) { const datas = this.data(); diff --git a/models/cards.js b/models/cards.js index d91b9050..66bfbcf3 100644 --- a/models/cards.js +++ b/models/cards.js @@ -1165,7 +1165,7 @@ function cardMembers(userId, doc, fieldNames, modifier) { // Say hello to the new member if (modifier.$addToSet && modifier.$addToSet.members) { memberId = modifier.$addToSet.members; - let username = Users.findOne(memberId).username; + const username = Users.findOne(memberId).username; if (!_.contains(doc.members, memberId)) { Activities.insert({ userId, @@ -1180,7 +1180,7 @@ function cardMembers(userId, doc, fieldNames, modifier) { // Say goodbye to the former member if (modifier.$pull && modifier.$pull.members) { memberId = modifier.$pull.members; - let username = Users.findOne(memberId).username; + const username = Users.findOne(memberId).username; // Check that the former member is member of the card if (_.contains(doc.members, memberId)) { Activities.insert({ -- cgit v1.2.3-1-g7c22 From fff11d7fc98819910dac87a8c20ba23d1eb0e6f4 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Rados=C5=82aw=20Serba?= Date: Fri, 21 Sep 2018 20:25:53 +0200 Subject: export syntax error in bash --- snap-src/bin/wekan-read-settings | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/snap-src/bin/wekan-read-settings b/snap-src/bin/wekan-read-settings index f216c2a8..c166a6aa 100755 --- a/snap-src/bin/wekan-read-settings +++ b/snap-src/bin/wekan-read-settings @@ -12,10 +12,10 @@ do value=$(snapctl get ${!snappy_key}) if [ "x$value" == "x" ]; then echo -e "$key=${!default_value} (default value)" - export $key=${!default_value} + export key=${!default_value} else echo -e "$key=$value" - export $key=$value + export key=$value fi done -- cgit v1.2.3-1-g7c22 From 12656ee9a13d2464cdc183590c76d3e09486c607 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 22 Sep 2018 00:57:25 +0300 Subject: - Add default Wekan Snap MongoDB bind IP 127.0.0.1 Related #1908 --- snap-src/bin/config | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/snap-src/bin/config b/snap-src/bin/config index ffc39459..a54b13c2 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -17,7 +17,7 @@ DEFAULT_MONGODB_PORT="27019" KEY_MONGODB_PORT='mongodb-port' DESCRIPTION_MONGODB_BIND_IP="mongodb binding ip address: eg 127.0.0.1 for localhost\n\t\tIf not defined default unix socket is used instead" -DEFAULT_MONGODB_BIND_IP="" +DEFAULT_MONGODB_BIND_IP="127.0.0.1" KEY_MONGODB_BIND_IP="mongodb-bind-ip" DESCRIPTION_MAIL_URL="wekan mail binding" -- cgit v1.2.3-1-g7c22 From 73480a3e1c8e032d2216489a35770a90537653fb Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 22 Sep 2018 01:11:31 +0300 Subject: v1.50 --- CHANGELOG.md | 5 +++-- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 6 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 4fc281c4..7375d2d7 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.50 2018-09-22 Wekan release This release adds the following new features: @@ -9,7 +9,8 @@ and fixes the following bugs: - [Fix Dockerfile Meteor install by changing tar to bsdtar](https://github.com/wekan/wekan/commit/352e9033b6efb212e65e34bb9c407bb1d7dce824); - Add [npm-debug.log](https://github.com/wekan/wekan/commit/f7731f4f5ec27e63e74a3265d105427ef3c0985a) and [.DS_Store](https://github.com/wekan/wekan/commit/d652eb5cee3fd648a6023e38db444ad460ddef7e) to .gitignore; -- [Add more debug log requirements to GitHub issue template](https://github.com/wekan/wekan/commit/94cd2ce69098f02e4ac4bebb1a2b5eaf919f1020). +- [Add more debug log requirements to GitHub issue template](https://github.com/wekan/wekan/commit/94cd2ce69098f02e4ac4bebb1a2b5eaf919f1020); +- [Add default Wekan Snap MongoDB bind IP 127.0.0.1](https://github.com/wekan/wekan/commit/12656ee9a13d2464cdc183590c76d3e09486c607). Thanks to GitHub users maurice-schleussinger and xet7 for their contributions. diff --git a/package.json b/package.json index c709a96c..51e9bd7d 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.49.0", + "version": "1.50.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 449d46ec..6b1f1634 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 134, + appVersion = 135, # Increment this for every release. - appMarketingVersion = (defaultText = "1.49.0~2018-09-17"), + appMarketingVersion = (defaultText = "1.50.0~2018-09-22"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 6ac726e198933ee41c129d22a7118fcfbf4ca9a2 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 22 Sep 2018 10:09:37 +0300 Subject: - Add default Wekan Snap MongoDB bind IP 127.0.0.1 Thanks to xet7 ! Related #1908 --- snap-src/bin/config | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/snap-src/bin/config b/snap-src/bin/config index ffc39459..a54b13c2 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -17,7 +17,7 @@ DEFAULT_MONGODB_PORT="27019" KEY_MONGODB_PORT='mongodb-port' DESCRIPTION_MONGODB_BIND_IP="mongodb binding ip address: eg 127.0.0.1 for localhost\n\t\tIf not defined default unix socket is used instead" -DEFAULT_MONGODB_BIND_IP="" +DEFAULT_MONGODB_BIND_IP="127.0.0.1" KEY_MONGODB_BIND_IP="mongodb-bind-ip" DESCRIPTION_MAIL_URL="wekan mail binding" -- cgit v1.2.3-1-g7c22 From fd805399aa9c1fddd27115778137c25f2ce22740 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 22 Sep 2018 10:13:23 +0300 Subject: - Add default Wekan Snap MongoDB bind IP 127.0.0.1 Thanks to xet7 ! Related #1908 --- CHANGELOG.md | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 34b2ed5f..ff4aa139 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -6,9 +6,10 @@ This release adds the following new features: and fixes the following bugs: -- [Fix Dockerfile Meteor install by changing tar to bsdtar](https://github.com/wekan/wekan/commit/1bad81ca86ca87c02148764cc03a3070882a8a33). +- [Fix Dockerfile Meteor install by changing tar to bsdtar](https://github.com/wekan/wekan/commit/1bad81ca86ca87c02148764cc03a3070882a8a33); - Add [npm-debug.log and .DS_Store](https://github.com/wekan/wekan/commit/44f4a1c3bf8033b6b658703a0ccaed5fdb183ab4) to .gitignore; -- [Add more debug log requirements to GitHub issue template](https://github.com/wekan/wekan/commit/1c4ce56b0f18e00e01b54c7059cbbf8d3e196154). +- [Add more debug log requirements to GitHub issue template](https://github.com/wekan/wekan/commit/1c4ce56b0f18e00e01b54c7059cbbf8d3e196154); +- [Add default Wekan Snap MongoDB bind IP 127.0.0.1](https://github.com/wekan/wekan/commit/6ac726e198933ee41c129d22a7118fcfbf4ca9a2). Thanks to GitHub users maurice-schleussinger and xet7 for contributions. -- cgit v1.2.3-1-g7c22 From 86e3df0e5f977d8b6d3d6f2ac1d4c11b6942b83a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 22 Sep 2018 10:14:57 +0300 Subject: Update translations (pl). --- i18n/pl.i18n.json | 186 +++++++++++++++++++++++++++--------------------------- 1 file changed, 93 insertions(+), 93 deletions(-) diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 61aa6fa3..ef69d399 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -1,7 +1,7 @@ { "accept": "Akceptuj", "act-activity-notify": "[Wekan] Powiadomienia - aktywności", - "act-addAttachment": "dodano załącznik __attachement__ do __karty__", + "act-addAttachment": "dodano załącznik __attachement__ do __card__", "act-addSubtask": "dodano podzadanie __checklist__ do __card__", "act-addChecklist": "dodano listę zadań __checklist__ to __card__", "act-addChecklistItem": "dodano __checklistItem__ do listy zadań __checklist__ na karcie __card__", @@ -26,7 +26,7 @@ "act-withBoardTitle": "[Wekan] __board__", "act-withCardTitle": "[__board__] __card__", "actions": "Akcje", - "activities": "Aktywności", + "activities": "Ostatnia aktywność", "activity": "Aktywność", "activity-added": "dodano %s z %s", "activity-archived": "%s przeniesiono do Kosza", @@ -60,7 +60,7 @@ "add-board": "Dodaj tablicę", "add-card": "Dodaj kartę", "add-swimlane": "Dodaj diagram czynności", - "add-subtask": "Dodano Podzadanie", + "add-subtask": "Dodano podzadanie", "add-checklist": "Dodaj listę kontrolną", "add-checklist-item": "Dodaj element do listy kontrolnej", "add-cover": "Dodaj okładkę", @@ -69,28 +69,28 @@ "add-members": "Dodaj członków", "added": "Dodano", "addMemberPopup-title": "Członkowie", - "admin": "Admin", + "admin": "Administrator", "admin-desc": "Może widzieć i edytować karty, usuwać członków oraz zmieniać ustawienia tablicy.", "admin-announcement": "Ogłoszenie", - "admin-announcement-active": "Aktywne Ogólnosystemowe Ogłoszenie ", - "admin-announcement-title": "Ogłoszenie od Administratora", + "admin-announcement-active": "Włącz ogłoszenie systemowe", + "admin-announcement-title": "Ogłoszenie od administratora", "all-boards": "Wszystkie tablice", "and-n-other-card": "And __count__ other card", "and-n-other-card_plural": "And __count__ other cards", "apply": "Zastosuj", - "app-is-offline": "Wekan jest aktualnie ładowany, proszę czekać. Odświeżenie strony spowoduję utratę danych. Jeżeli Wekan się nie ładuje, prosimy o upewnienie się czy serwer Wekan nie został zatrzymany.", + "app-is-offline": "Wekan jest aktualnie ładowany, proszę czekać. Odświeżenie strony spowoduję utratę danych. Jeżeli Wekan się nie ładuje, upewnij się czy serwer Wekan nie został zatrzymany.", "archive": "Przenieś do Kosza", - "archive-all": "Przenieś Wszystkie do Kosza", - "archive-board": "Przenieś Tablicę do Kosza", - "archive-card": "Przenieś Kartę do Kosza", - "archive-list": "Przenieś Listę do Kosza", + "archive-all": "Przenieś wszystko do Kosza", + "archive-board": "Przenieś tablicę do Kosza", + "archive-card": "Przenieś kartę do Kosza", + "archive-list": "Przenieś listę do Kosza", "archive-swimlane": "Przenieś diagram czynności do kosza", "archive-selection": "Przenieś zaznaczenie do Kosza", - "archiveBoardPopup-title": "Przenieść Tablicę do Kosza?", + "archiveBoardPopup-title": "Czy przenieść tablicę do Kosza?", "archived-items": "Kosz", "archived-boards": "Tablice w Koszu", "restore-board": "Przywróć tablicę", - "no-archived-boards": "Brak Tablic w Koszu.", + "no-archived-boards": "Brak tablic w Koszu.", "archives": "Kosz", "assign-member": "Dodaj członka", "attached": "załączono", @@ -108,7 +108,7 @@ "board-public-info": "Ta tablica będzie publiczna.", "boardChangeColorPopup-title": "Zmień tło tablicy", "boardChangeTitlePopup-title": "Zmień nazwę tablicy", - "boardChangeVisibilityPopup-title": "Zmień widoczność", + "boardChangeVisibilityPopup-title": "Zmień widoczność tablicy", "boardChangeWatchPopup-title": "Zmień sposób powiadamiania", "boardMenuPopup-title": "Menu tablicy", "boards": "Tablice", @@ -116,7 +116,7 @@ "board-view-cal": "Kalendarz", "board-view-swimlanes": "Diagramy czynności", "board-view-lists": "Listy", - "bucket-example": "Like “Bucket List” for example", + "bucket-example": "Tak jak na przykład \"lista kubełkowa\"", "cancel": "Anuluj", "card-archived": "Ta Karta została przeniesiona do Kosza.", "board-archived": "Ta Tablica została przeniesiona do Kosza.", @@ -124,8 +124,8 @@ "card-delete-notice": "Usunięcie jest trwałe. Stracisz wszystkie akcje powiązane z tą kartą.", "card-delete-pop": "Wszystkie akcje będą usunięte z widoku aktywności, nie można będzie ponownie otworzyć karty. Usunięcie jest nieodwracalne.", "card-delete-suggest-archive": "Możesz przenieść Kartę do Kosza by usunąć ją z tablicy i zachować aktywności.", - "card-due": "Due", - "card-due-on": "Due on", + "card-due": "Ukończenie\n", + "card-due-on": "Ukończenie w", "card-spent": "Spędzony czas", "card-edit-attachments": "Edytuj załączniki", "card-edit-custom-fields": "Edytuj niestandardowe pola", @@ -139,7 +139,7 @@ "cardCustomField-datePopup-title": "Zmień datę", "cardCustomFieldsPopup-title": "Edytuj niestandardowe pola", "cardDeletePopup-title": "Usunąć kartę?", - "cardDetailsActionsPopup-title": "Card Actions", + "cardDetailsActionsPopup-title": "Czynności kart", "cardLabelsPopup-title": "Etykiety", "cardMembersPopup-title": "Członkowie", "cardMorePopup-title": "Więcej", @@ -150,11 +150,11 @@ "cardType-linkedCard": "Podpięta karta", "cardType-linkedBoard": "Podpięta tablica", "change": "Zmień", - "change-avatar": "Zmień Avatar", + "change-avatar": "Zmień avatar", "change-password": "Zmień hasło", "change-permissions": "Zmień uprawnienia", "change-settings": "Zmień ustawienia", - "changeAvatarPopup-title": "Zmień Avatar", + "changeAvatarPopup-title": "Zmień avatar", "changeLanguagePopup-title": "Zmień język", "changePasswordPopup-title": "Zmień hasło", "changePermissionsPopup-title": "Zmień uprawnienia", @@ -191,8 +191,8 @@ "searchCardPopup-title": "Znajdź kartę", "copyCardPopup-title": "Skopiuj kartę", "copyChecklistToManyCardsPopup-title": "Kopiuj szablon listy zadań do wielu kart", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "copyChecklistToManyCardsPopup-instructions": "Docelowe tytuły i opisy kart są w formacie JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Tytuł pierwszej karty\", \"description\":\"Opis pierwszej karty\"}, {\"title\":\"Tytuł drugiej karty\",\"description\":\"Opis drugiej karty\"},{\"title\":\"Tytuł ostatniej karty\",\"description\":\"Opis ostatniej karty\"} ]", "create": "Utwórz", "createBoardPopup-title": "Utwórz tablicę", "chooseBoardSourcePopup-title": "Import tablicy", @@ -218,22 +218,22 @@ "deleteCustomFieldPopup-title": "Usunąć niestandardowe pole?", "deleteLabelPopup-title": "Usunąć etykietę?", "description": "Opis", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "disambiguateMultiLabelPopup-title": "Ujednolić etykiety czynności", + "disambiguateMultiMemberPopup-title": "Ujednolić etykiety członków", "discard": "Odrzuć", "done": "Zrobiono", "download": "Pobierz", "edit": "Edytuj", - "edit-avatar": "Zmień Avatar", + "edit-avatar": "Zmień avatar", "edit-profile": "Edytuj profil", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", + "edit-wip-limit": "Zmień limit kart na liście", + "soft-wip-limit": "Pozwól na nadmiarowe karty na liście", "editCardStartDatePopup-title": "Zmień datę rozpoczęcia", - "editCardDueDatePopup-title": "Change due date", + "editCardDueDatePopup-title": "Zmień datę ukończenia", "editCustomFieldPopup-title": "Edytuj pole", "editCardSpentTimePopup-title": "Zmień spędzony czas", "editLabelPopup-title": "Zmień etykietę", - "editNotificationPopup-title": "Edytuj powiadomienia", + "editNotificationPopup-title": "Zmień tryb powiadamiania", "editProfilePopup-title": "Edytuj profil", "email": "Email", "email-enrollAccount-subject": "Konto zostało utworzone na __siteName__", @@ -249,12 +249,12 @@ "email-sent": "Email wysłany", "email-verifyEmail-subject": "Zweryfikuj swój adres email na __siteName__", "email-verifyEmail-text": "Witaj __user__,\nAby zweryfikować adres email, kliknij w link poniżej.\n__url__\nDzięki.", - "enable-wip-limit": "Enable WIP Limit", + "enable-wip-limit": "Włącz limit kart na liście", "error-board-doesNotExist": "Ta tablica nie istnieje", "error-board-notAdmin": "Musisz być administratorem tej tablicy żeby to zrobić", - "error-board-notAMember": "Musisz być członkiem tej tablicy żeby to zrobić", - "error-json-malformed": "Twój tekst nie jest poprawnym JSONem", - "error-json-schema": "Twój JSON nie zawiera prawidłowych informacji w poprawnym formacie", + "error-board-notAMember": "Musisz być członkiem tej tablicy, żeby wykonać tę czynność", + "error-json-malformed": "Twoja fraza nie jest w formacie JSON", + "error-json-schema": "Twoje dane JSON nie zawierają prawidłowych informacji w poprawnym formacie", "error-list-doesNotExist": "Ta lista nie isnieje", "error-user-doesNotExist": "Ten użytkownik nie istnieje", "error-user-notAllowSelf": "Nie możesz zaprosić samego siebie", @@ -272,31 +272,31 @@ "filter-on-desc": "Filtrujesz karty na tej tablicy. Kliknij tutaj by edytować filtr.", "filter-to-selection": "Odfiltruj zaznaczenie", "advanced-filter-label": "Zaawansowane filtry", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", - "fullname": "Full Name", + "advanced-filter-description": "Zaawansowane filtry pozwalają na wykorzystanie ciągu znaków wraz z następującymi operatorami: == != <= >= && || (). Spacja jest używana jako separator pomiędzy operatorami. Możesz przefiltrowywać wszystkie niestandardowe pola wpisując ich nazwy lub wartości, na przykład: Pole1 == Wartość1.\nUwaga: Jeśli pola lub wartości zawierają spację, musisz je zawrzeć w pojedyncze cudzysłowie, na przykład: 'Pole 1' == 'Wartość 1'. Dla pojedynczych znaków, które powinny być pominięte należy użyć \\, na przykład Pole1 == I\\'m. Możesz także wykorzystywać mieszane warunki, na przykład P1 == W1 || P1 == W2. Standardowo wszystkie operatory są interpretowane od lewej do prawej. Możesz także zmienić kolejność interpretacji wykorzystując nawiasy, na przykład P1 == W1 && (P2 == W2 || P2 == W3). Możesz także wyszukiwać tekstowo wykorzystując wyrażenia regularne, na przykład: P1 == /Tes.*/i", + "fullname": "Pełna nazwa", "header-logo-title": "Wróć do swojej strony z tablicami.", "hide-system-messages": "Ukryj wiadomości systemowe", "headerBarCreateBoardPopup-title": "Utwórz tablicę", "home": "Strona główna", - "import": "Importu", - "link": "Link", + "import": "Importuj", + "link": "Podłącz", "import-board": "importuj tablice", "import-board-c": "Import tablicy", - "import-board-title-trello": "Import board from Trello", + "import-board-title-trello": "Importuj tablicę z Trello", "import-board-title-wekan": "Importuj tablice z Wekan", "import-sandstorm-warning": "Zaimportowana tablica usunie wszystkie istniejące dane na aktualnej tablicy oraz zastąpi ją danymi z tej importowanej.", "from-trello": "Z Trello", "from-wekan": "Z Wekan", - "import-board-instruction-trello": "W twojej tablicy na Trello, idź do 'Menu', następnie 'More', 'Print and Export', 'Export JSON' i skopiuj wynik", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Wklej twój JSON tutaj", + "import-board-instruction-trello": "W twojej tablicy na Trello przejdź do 'Menu', następnie 'Więcej', 'Drukuj i eksportuj', 'Eksportuj jako JSON' i skopiuj wynik", + "import-board-instruction-wekan": "Na Twojej tablicy Wekan przejdź do 'Menu', a następnie wybierz 'Eksportuj tablicę' i skopiuj tekst w pobranym pliku.", + "import-json-placeholder": "Wklej Twoje dane JSON tutaj", "import-map-members": "Przypisz członków", "import-members-map": "Twoje zaimportowane tablice mają kilku członków. Proszę wybierz członków których chcesz zaimportować do Wekan", "import-show-user-mapping": "Przejrzyj wybranych członków", - "import-user-select": "Pick the Wekan user you want to use as this member", + "import-user-select": "Wybierz użytkownika Wekan, który ma stać się członkiem", "importMapMembersAddPopup-title": "Wybierz użytkownika", "info": "Wersja", - "initials": "Initials", + "initials": "Inicjały", "invalid-date": "Błędna data", "invalid-time": "Błędny czas", "invalid-user": "Zła nazwa użytkownika", @@ -305,16 +305,16 @@ "keyboard-shortcuts": "Skróty klawiaturowe", "label-create": "Utwórz etykietę", "label-default": "%s etykieta (domyślna)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "label-delete-pop": "Nie da się tego wycofać. To usunie tę etykietę ze wszystkich kart i usunie ich historię.", "labels": "Etykiety", "language": "Język", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "last-admin-desc": "Nie możesz zmienić roli użytkownika, ponieważ musi istnieć co najmniej jeden administrator.", "leave-board": "Opuść tablicę", "leave-board-pop": "Czy jesteś pewien, że chcesz opuścić tablicę __boardTitle__? Zostaniesz usunięty ze wszystkich kart tej tablicy.", "leaveBoardPopup-title": "Opuścić tablicę?", "link-card": "Link do tej karty", "list-archive-cards": "Przenieś wszystkie karty tej listy do Kosza.", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards-pop": "To usunie wszystkie karty w tej liście z tablicy. By przejrzeć karty w Koszu i przywrócić je na tablicę, wybierz 'Menu', a następnie 'Kosz'.", "list-move-cards": "Przenieś wszystkie karty z tej listy", "list-select-cards": "Zaznacz wszystkie karty z tej listy", "listActionPopup-title": "Lista akcji", @@ -329,7 +329,7 @@ "log-out": "Wyloguj", "log-in": "Zaloguj", "loginPopup-title": "Zaloguj", - "memberMenuPopup-title": "Member Settings", + "memberMenuPopup-title": "Ustawienia członków", "members": "Członkowie", "menu": "Menu", "move-selection": "Przenieś zaznaczone", @@ -339,17 +339,17 @@ "moveSelectionPopup-title": "Przenieś zaznaczone", "multi-selection": "Wielokrotne zaznaczenie", "multi-selection-on": "Wielokrotne zaznaczenie jest włączone", - "muted": "Wyciszona", - "muted-info": "Nie zostaniesz powiadomiony o zmianach w tablicy", + "muted": "Wycisz", + "muted-info": "Nie zostaniesz powiadomiony o zmianach w tej tablicy", "my-boards": "Moje tablice", "name": "Nazwa", "no-archived-cards": "Brak kart w Koszu.", "no-archived-lists": "Brak list w Koszu.", "no-archived-swimlanes": "Brak diagramów czynności w Koszu.", "no-results": "Brak wyników", - "normal": "Normal", + "normal": "Użytkownik standardowy", "normal-desc": "Może widzieć i edytować karty. Nie może zmieniać ustawiań.", - "not-accepted-yet": "Zaproszenie jeszcze nie zaakceptowane", + "not-accepted-yet": "Zaproszenie jeszcze niezaakceptowane", "notify-participate": "Otrzymuj aktualizacje kart, w których uczestniczysz jako twórca lub członek.", "notify-watch": "Otrzymuj powiadomienia z tablic, list i kart, które obserwujesz", "optional": "opcjonalny", @@ -357,7 +357,7 @@ "page-maybe-private": "Ta strona może być prywatna. Możliwe, że możesz ją zobaczyć po zalogowaniu.", "page-not-found": "Strona nie znaleziona.", "password": "Hasło", - "paste-or-dragdrop": "wklej lub przeciągnij & upuść obrazek", + "paste-or-dragdrop": "wklej lub przeciągnij & upuść (tylko grafika)", "participating": "Uczestniczysz", "preview": "Podgląd", "previewAttachedImagePopup-title": "Podgląd", @@ -366,7 +366,7 @@ "private-desc": "Ta tablica jest prywatna. Tylko osoby dodane do tej tablicy mogą ją zobaczyć i edytować.", "profile": "Profil", "public": "Publiczny", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "public-desc": "Ta tablica jest publiczna. Jest widoczna dla wszystkich, którzy mają do niej odnośnik i będzie wynikiem silników wyszukiwania takich jak Google. Tylko użytkownicy dodani do tablicy mogą ją edytować.", "quick-access-description": "Odznacz tablicę aby dodać skrót na tym pasku.", "remove-cover": "Usuń okładkę", "remove-from-board": "Usuń z tablicy", @@ -386,10 +386,10 @@ "search-example": "Czego mam szukać?", "select-color": "Wybierz kolor", "set-wip-limit-value": "Ustaw maksymalny limit zadań na tej liście", - "setWipLimitPopup-title": "Set WIP Limit", + "setWipLimitPopup-title": "Ustaw limit kart na liście", "shortcut-assign-self": "Przypisz siebie do obecnej karty", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-autocomplete-emoji": "Autouzupełnianie emoji", + "shortcut-autocomplete-members": "Autouzupełnianie członków", "shortcut-clear-filters": "Usuń wszystkie filtry", "shortcut-close-dialog": "Zamknij okno", "shortcut-filter-my-cards": "Filtruj moje karty", @@ -400,9 +400,9 @@ "sidebar-open": "Otwórz pasek boczny", "sidebar-close": "Zamknij pasek boczny", "signupPopup-title": "Utwórz konto", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "star-board-title": "Kliknij by oznaczyć tę tablicę gwiazdką. Pojawi się wtedy na liście tablic na górze.", "starred-boards": "Odznaczone tablice", - "starred-boards-description": "Starred boards show up at the top of your boards list.", + "starred-boards-description": "Tablice oznaczone gwiazdką pojawią się na liście na górze.", "subscribe": "Zapisz się", "team": "Zespół", "this-board": "ta tablica", @@ -411,14 +411,14 @@ "overtime-hours": "Nadgodziny (czas)", "overtime": "Dodatkowo", "has-overtime-cards": "Ma dodatkowych kart", - "has-spenttime-cards": "Has spent time cards", + "has-spenttime-cards": "Ma karty z wykorzystanym czasem", "time": "Czas", "title": "Tytuł", "tracking": "Śledzenie", "tracking-info": "Zostaniesz poinformowany o zmianach kart, w których bierzesz udział jako twórca lub członek.", "type": "Typ", "unassign-member": "Nieprzypisany członek", - "unsaved-description": "You have an unsaved description.", + "unsaved-description": "Masz niezapisany opis.", "unwatch": "Nie obserwuj", "upload": "Wyślij", "upload-avatar": "Wyślij avatar", @@ -430,18 +430,18 @@ "watching": "Obserwujesz", "watching-info": "Będziesz poinformowany o każdej zmianie na tej tablicy", "welcome-board": "Tablica powitalna", - "welcome-swimlane": "Milestone 1", + "welcome-swimlane": "Kamień milowy 1", "welcome-list1": "Podstawy", "welcome-list2": "Zaawansowane", "what-to-do": "Co chcesz zrobić?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "wipLimitErrorPopup-title": "Nieprawidłowy limit kart na liście", + "wipLimitErrorPopup-dialog-pt1": "Aktualna ilość kart na tej liście jest większa niż aktualny zdefiniowany limit kart.", + "wipLimitErrorPopup-dialog-pt2": "Proszę przenieś zadania z tej listy lub zmień limit kart na tej liście na wyższy.", "admin-panel": "Panel administracyjny", "settings": "Ustawienia", "people": "Osoby", "registration": "Rejestracja", - "disable-self-registration": "Wyłącz rejestrację samodzielną", + "disable-self-registration": "Wyłącz samodzielną rejestrację", "invite": "Zaproś", "invite-people": "Zaproś osoby", "to-boards": "Do tablic(y)", @@ -459,29 +459,29 @@ "invitation-code": "Kod z zaproszenia", "email-invite-register-subject": "__inviter__ wysłał Ci zaproszenie", "email-invite-register-text": "Drogi __user__,\n\n__inviter__ zaprasza Cię do współpracy na Wekan.\n\nAby kontynuować, wejdź w poniższy link:\n__url__\n\nTwój kod zaproszenia to: __icode__\n\nDziękuję.", - "email-smtp-test-subject": "Test SMTP z Wekan", + "email-smtp-test-subject": "Test serwera SMTP z Wekan", "email-smtp-test-text": "Wiadomość testowa została wysłana z powodzeniem.", "error-invitation-code-not-exist": "Kod zaproszenia nie istnieje", "error-notAuthorized": "Nie jesteś uprawniony do przeglądania tej strony.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", + "outgoing-webhooks": "Wychodzące webhooki", + "outgoingWebhooksPopup-title": "Wychodzące webhooki", + "new-outgoing-webhook": "Nowy wychodzący webhook", "no-name": "(nieznany)", "Wekan_version": "Wersja Wekan", "Node_version": "Wersja Node", - "OS_Arch": "Architektura systemu operacyjnego", - "OS_Cpus": "Ilość rdzeni systemu operacyjnego", + "OS_Arch": "Architektura systemu", + "OS_Cpus": "Ilość rdzeni systemu", "OS_Freemem": "Wolna pamięć RAM", - "OS_Loadavg": "Średnie obciążenie systemu operacyjnego", + "OS_Loadavg": "Średnie obciążenie systemu", "OS_Platform": "Platforma systemu", - "OS_Release": "Wersja systemu operacyjnego", + "OS_Release": "Wersja jądra", "OS_Totalmem": "Dostępna pamięć RAM", - "OS_Type": "Wersja systemu operacyjnego", - "OS_Uptime": "Uptime systemu operacyjnego", + "OS_Type": "Typ systemu", + "OS_Uptime": "Czas działania systemu", "hours": "godzin", "minutes": "minut", "seconds": "sekund", - "show-field-on-card": "Show this field on card", + "show-field-on-card": "Pokaż te pole na karcie", "yes": "Tak", "no": "Nie", "accounts": "Konto", @@ -491,32 +491,32 @@ "verified": "Zweryfikowane", "active": "Aktywny", "card-received": "Odebrano", - "card-received-on": "Received on", + "card-received-on": "Odebrano", "card-end": "Koniec", "card-end-on": "Kończy się", "editCardReceivedDatePopup-title": "Zmień datę odebrania", "editCardEndDatePopup-title": "Zmień datę ukończenia", "assigned-by": "Przypisane przez", - "requested-by": "Requested By", + "requested-by": "Zlecone przez", "board-delete-notice": "Usuwanie jest permanentne. Stracisz wszystkie listy, kart oraz czynności przypisane do tej tablicy.", "delete-board-confirm-popup": "Wszystkie listy, etykiety oraz aktywności zostaną usunięte i nie będziesz w stanie przywrócić zawartości tablicy. Tego nie da się cofnąć.", "boardDeletePopup-title": "Usunąć tablicę?", "delete-board": "Usuń tablicę", - "default-subtasks-board": "Subtasks for __board__ board", + "default-subtasks-board": "Podzadania dla tablicy __board__", "default": "Domyślny", "queue": "Kolejka", - "subtask-settings": "Subtasks Settings", - "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", - "show-subtasks-field": "Cards can have subtasks", - "deposit-subtasks-board": "Deposit subtasks to this board:", - "deposit-subtasks-list": "Landing list for subtasks deposited here:", - "show-parent-in-minicard": "Show parent in minicard:", - "prefix-with-full-path": "Prefix with full path", - "prefix-with-parent": "Prefix with parent", - "subtext-with-full-path": "Subtext with full path", - "subtext-with-parent": "Subtext with parent", + "subtask-settings": "Ustawienia podzadań", + "boardSubtaskSettingsPopup-title": "Ustawienia tablicy podzadań", + "show-subtasks-field": "Karty mogą mieć podzadania", + "deposit-subtasks-board": "Przechowuj podzadania na tablicy:", + "deposit-subtasks-list": "Początkowa lista dla podzadań jest przechowywana w:", + "show-parent-in-minicard": "Pokaż rodzica w minikarcie:", + "prefix-with-full-path": "Prefix z pełną ścieżką", + "prefix-with-parent": "Prefix z rodzicem", + "subtext-with-full-path": "Podtekst z pełną ścieżką", + "subtext-with-parent": "Podtekst z rodzicem", "change-card-parent": "Zmień rodzica karty", - "parent-card": "Parent card", + "parent-card": "Karta rodzica", "source-board": "Tablica źródłowa", "no-parent": "Nie pokazuj rodzica", "activity-added-label": "dodano etykietę '%s' z %s", @@ -526,7 +526,7 @@ "activity-removed-label-card": "usunięto etykietę '%s'", "activity-delete-attach-card": "usunięto załącznik", "r-rule": "Reguła", - "r-add-trigger": "Add trigger", + "r-add-trigger": "Dodaj przełącznik", "r-add-action": "Dodaj czynność", "r-board-rules": "Reguły tablicy", "r-add-rule": "Dodaj regułę", @@ -541,7 +541,7 @@ "r-list": "lista", "r-moved-to": "Przeniesiono do", "r-moved-from": "Przeniesiono z", - "r-archived": "Przeniesiono do kosza", + "r-archived": "Przeniesiono do Kosza", "r-unarchived": "Przywrócono z Kosza", "r-a-card": "karta", "r-when-a-label-is": "Gdy etykieta jest", @@ -555,7 +555,7 @@ "r-when-a-checklist": "Gdy lista zadań jest", "r-when-the-checklist": "Gdy lista zadań", "r-completed": "Ukończono", - "r-made-incomplete": "Made incomplete", + "r-made-incomplete": "Niedokończone", "r-when-a-item": "Gdy lista zadań jest", "r-when-the-item": "Gdy element listy zadań", "r-checked": "Zaznaczony", -- cgit v1.2.3-1-g7c22 From 8c85955e6b10d679076d538d6bd42bcffa223d53 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 22 Sep 2018 10:16:06 +0300 Subject: Update translations (pl). --- i18n/pl.i18n.json | 186 +++++++++++++++++++++++++++--------------------------- 1 file changed, 93 insertions(+), 93 deletions(-) diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 61aa6fa3..ef69d399 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -1,7 +1,7 @@ { "accept": "Akceptuj", "act-activity-notify": "[Wekan] Powiadomienia - aktywności", - "act-addAttachment": "dodano załącznik __attachement__ do __karty__", + "act-addAttachment": "dodano załącznik __attachement__ do __card__", "act-addSubtask": "dodano podzadanie __checklist__ do __card__", "act-addChecklist": "dodano listę zadań __checklist__ to __card__", "act-addChecklistItem": "dodano __checklistItem__ do listy zadań __checklist__ na karcie __card__", @@ -26,7 +26,7 @@ "act-withBoardTitle": "[Wekan] __board__", "act-withCardTitle": "[__board__] __card__", "actions": "Akcje", - "activities": "Aktywności", + "activities": "Ostatnia aktywność", "activity": "Aktywność", "activity-added": "dodano %s z %s", "activity-archived": "%s przeniesiono do Kosza", @@ -60,7 +60,7 @@ "add-board": "Dodaj tablicę", "add-card": "Dodaj kartę", "add-swimlane": "Dodaj diagram czynności", - "add-subtask": "Dodano Podzadanie", + "add-subtask": "Dodano podzadanie", "add-checklist": "Dodaj listę kontrolną", "add-checklist-item": "Dodaj element do listy kontrolnej", "add-cover": "Dodaj okładkę", @@ -69,28 +69,28 @@ "add-members": "Dodaj członków", "added": "Dodano", "addMemberPopup-title": "Członkowie", - "admin": "Admin", + "admin": "Administrator", "admin-desc": "Może widzieć i edytować karty, usuwać członków oraz zmieniać ustawienia tablicy.", "admin-announcement": "Ogłoszenie", - "admin-announcement-active": "Aktywne Ogólnosystemowe Ogłoszenie ", - "admin-announcement-title": "Ogłoszenie od Administratora", + "admin-announcement-active": "Włącz ogłoszenie systemowe", + "admin-announcement-title": "Ogłoszenie od administratora", "all-boards": "Wszystkie tablice", "and-n-other-card": "And __count__ other card", "and-n-other-card_plural": "And __count__ other cards", "apply": "Zastosuj", - "app-is-offline": "Wekan jest aktualnie ładowany, proszę czekać. Odświeżenie strony spowoduję utratę danych. Jeżeli Wekan się nie ładuje, prosimy o upewnienie się czy serwer Wekan nie został zatrzymany.", + "app-is-offline": "Wekan jest aktualnie ładowany, proszę czekać. Odświeżenie strony spowoduję utratę danych. Jeżeli Wekan się nie ładuje, upewnij się czy serwer Wekan nie został zatrzymany.", "archive": "Przenieś do Kosza", - "archive-all": "Przenieś Wszystkie do Kosza", - "archive-board": "Przenieś Tablicę do Kosza", - "archive-card": "Przenieś Kartę do Kosza", - "archive-list": "Przenieś Listę do Kosza", + "archive-all": "Przenieś wszystko do Kosza", + "archive-board": "Przenieś tablicę do Kosza", + "archive-card": "Przenieś kartę do Kosza", + "archive-list": "Przenieś listę do Kosza", "archive-swimlane": "Przenieś diagram czynności do kosza", "archive-selection": "Przenieś zaznaczenie do Kosza", - "archiveBoardPopup-title": "Przenieść Tablicę do Kosza?", + "archiveBoardPopup-title": "Czy przenieść tablicę do Kosza?", "archived-items": "Kosz", "archived-boards": "Tablice w Koszu", "restore-board": "Przywróć tablicę", - "no-archived-boards": "Brak Tablic w Koszu.", + "no-archived-boards": "Brak tablic w Koszu.", "archives": "Kosz", "assign-member": "Dodaj członka", "attached": "załączono", @@ -108,7 +108,7 @@ "board-public-info": "Ta tablica będzie publiczna.", "boardChangeColorPopup-title": "Zmień tło tablicy", "boardChangeTitlePopup-title": "Zmień nazwę tablicy", - "boardChangeVisibilityPopup-title": "Zmień widoczność", + "boardChangeVisibilityPopup-title": "Zmień widoczność tablicy", "boardChangeWatchPopup-title": "Zmień sposób powiadamiania", "boardMenuPopup-title": "Menu tablicy", "boards": "Tablice", @@ -116,7 +116,7 @@ "board-view-cal": "Kalendarz", "board-view-swimlanes": "Diagramy czynności", "board-view-lists": "Listy", - "bucket-example": "Like “Bucket List” for example", + "bucket-example": "Tak jak na przykład \"lista kubełkowa\"", "cancel": "Anuluj", "card-archived": "Ta Karta została przeniesiona do Kosza.", "board-archived": "Ta Tablica została przeniesiona do Kosza.", @@ -124,8 +124,8 @@ "card-delete-notice": "Usunięcie jest trwałe. Stracisz wszystkie akcje powiązane z tą kartą.", "card-delete-pop": "Wszystkie akcje będą usunięte z widoku aktywności, nie można będzie ponownie otworzyć karty. Usunięcie jest nieodwracalne.", "card-delete-suggest-archive": "Możesz przenieść Kartę do Kosza by usunąć ją z tablicy i zachować aktywności.", - "card-due": "Due", - "card-due-on": "Due on", + "card-due": "Ukończenie\n", + "card-due-on": "Ukończenie w", "card-spent": "Spędzony czas", "card-edit-attachments": "Edytuj załączniki", "card-edit-custom-fields": "Edytuj niestandardowe pola", @@ -139,7 +139,7 @@ "cardCustomField-datePopup-title": "Zmień datę", "cardCustomFieldsPopup-title": "Edytuj niestandardowe pola", "cardDeletePopup-title": "Usunąć kartę?", - "cardDetailsActionsPopup-title": "Card Actions", + "cardDetailsActionsPopup-title": "Czynności kart", "cardLabelsPopup-title": "Etykiety", "cardMembersPopup-title": "Członkowie", "cardMorePopup-title": "Więcej", @@ -150,11 +150,11 @@ "cardType-linkedCard": "Podpięta karta", "cardType-linkedBoard": "Podpięta tablica", "change": "Zmień", - "change-avatar": "Zmień Avatar", + "change-avatar": "Zmień avatar", "change-password": "Zmień hasło", "change-permissions": "Zmień uprawnienia", "change-settings": "Zmień ustawienia", - "changeAvatarPopup-title": "Zmień Avatar", + "changeAvatarPopup-title": "Zmień avatar", "changeLanguagePopup-title": "Zmień język", "changePasswordPopup-title": "Zmień hasło", "changePermissionsPopup-title": "Zmień uprawnienia", @@ -191,8 +191,8 @@ "searchCardPopup-title": "Znajdź kartę", "copyCardPopup-title": "Skopiuj kartę", "copyChecklistToManyCardsPopup-title": "Kopiuj szablon listy zadań do wielu kart", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "copyChecklistToManyCardsPopup-instructions": "Docelowe tytuły i opisy kart są w formacie JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Tytuł pierwszej karty\", \"description\":\"Opis pierwszej karty\"}, {\"title\":\"Tytuł drugiej karty\",\"description\":\"Opis drugiej karty\"},{\"title\":\"Tytuł ostatniej karty\",\"description\":\"Opis ostatniej karty\"} ]", "create": "Utwórz", "createBoardPopup-title": "Utwórz tablicę", "chooseBoardSourcePopup-title": "Import tablicy", @@ -218,22 +218,22 @@ "deleteCustomFieldPopup-title": "Usunąć niestandardowe pole?", "deleteLabelPopup-title": "Usunąć etykietę?", "description": "Opis", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "disambiguateMultiLabelPopup-title": "Ujednolić etykiety czynności", + "disambiguateMultiMemberPopup-title": "Ujednolić etykiety członków", "discard": "Odrzuć", "done": "Zrobiono", "download": "Pobierz", "edit": "Edytuj", - "edit-avatar": "Zmień Avatar", + "edit-avatar": "Zmień avatar", "edit-profile": "Edytuj profil", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", + "edit-wip-limit": "Zmień limit kart na liście", + "soft-wip-limit": "Pozwól na nadmiarowe karty na liście", "editCardStartDatePopup-title": "Zmień datę rozpoczęcia", - "editCardDueDatePopup-title": "Change due date", + "editCardDueDatePopup-title": "Zmień datę ukończenia", "editCustomFieldPopup-title": "Edytuj pole", "editCardSpentTimePopup-title": "Zmień spędzony czas", "editLabelPopup-title": "Zmień etykietę", - "editNotificationPopup-title": "Edytuj powiadomienia", + "editNotificationPopup-title": "Zmień tryb powiadamiania", "editProfilePopup-title": "Edytuj profil", "email": "Email", "email-enrollAccount-subject": "Konto zostało utworzone na __siteName__", @@ -249,12 +249,12 @@ "email-sent": "Email wysłany", "email-verifyEmail-subject": "Zweryfikuj swój adres email na __siteName__", "email-verifyEmail-text": "Witaj __user__,\nAby zweryfikować adres email, kliknij w link poniżej.\n__url__\nDzięki.", - "enable-wip-limit": "Enable WIP Limit", + "enable-wip-limit": "Włącz limit kart na liście", "error-board-doesNotExist": "Ta tablica nie istnieje", "error-board-notAdmin": "Musisz być administratorem tej tablicy żeby to zrobić", - "error-board-notAMember": "Musisz być członkiem tej tablicy żeby to zrobić", - "error-json-malformed": "Twój tekst nie jest poprawnym JSONem", - "error-json-schema": "Twój JSON nie zawiera prawidłowych informacji w poprawnym formacie", + "error-board-notAMember": "Musisz być członkiem tej tablicy, żeby wykonać tę czynność", + "error-json-malformed": "Twoja fraza nie jest w formacie JSON", + "error-json-schema": "Twoje dane JSON nie zawierają prawidłowych informacji w poprawnym formacie", "error-list-doesNotExist": "Ta lista nie isnieje", "error-user-doesNotExist": "Ten użytkownik nie istnieje", "error-user-notAllowSelf": "Nie możesz zaprosić samego siebie", @@ -272,31 +272,31 @@ "filter-on-desc": "Filtrujesz karty na tej tablicy. Kliknij tutaj by edytować filtr.", "filter-to-selection": "Odfiltruj zaznaczenie", "advanced-filter-label": "Zaawansowane filtry", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", - "fullname": "Full Name", + "advanced-filter-description": "Zaawansowane filtry pozwalają na wykorzystanie ciągu znaków wraz z następującymi operatorami: == != <= >= && || (). Spacja jest używana jako separator pomiędzy operatorami. Możesz przefiltrowywać wszystkie niestandardowe pola wpisując ich nazwy lub wartości, na przykład: Pole1 == Wartość1.\nUwaga: Jeśli pola lub wartości zawierają spację, musisz je zawrzeć w pojedyncze cudzysłowie, na przykład: 'Pole 1' == 'Wartość 1'. Dla pojedynczych znaków, które powinny być pominięte należy użyć \\, na przykład Pole1 == I\\'m. Możesz także wykorzystywać mieszane warunki, na przykład P1 == W1 || P1 == W2. Standardowo wszystkie operatory są interpretowane od lewej do prawej. Możesz także zmienić kolejność interpretacji wykorzystując nawiasy, na przykład P1 == W1 && (P2 == W2 || P2 == W3). Możesz także wyszukiwać tekstowo wykorzystując wyrażenia regularne, na przykład: P1 == /Tes.*/i", + "fullname": "Pełna nazwa", "header-logo-title": "Wróć do swojej strony z tablicami.", "hide-system-messages": "Ukryj wiadomości systemowe", "headerBarCreateBoardPopup-title": "Utwórz tablicę", "home": "Strona główna", - "import": "Importu", - "link": "Link", + "import": "Importuj", + "link": "Podłącz", "import-board": "importuj tablice", "import-board-c": "Import tablicy", - "import-board-title-trello": "Import board from Trello", + "import-board-title-trello": "Importuj tablicę z Trello", "import-board-title-wekan": "Importuj tablice z Wekan", "import-sandstorm-warning": "Zaimportowana tablica usunie wszystkie istniejące dane na aktualnej tablicy oraz zastąpi ją danymi z tej importowanej.", "from-trello": "Z Trello", "from-wekan": "Z Wekan", - "import-board-instruction-trello": "W twojej tablicy na Trello, idź do 'Menu', następnie 'More', 'Print and Export', 'Export JSON' i skopiuj wynik", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Wklej twój JSON tutaj", + "import-board-instruction-trello": "W twojej tablicy na Trello przejdź do 'Menu', następnie 'Więcej', 'Drukuj i eksportuj', 'Eksportuj jako JSON' i skopiuj wynik", + "import-board-instruction-wekan": "Na Twojej tablicy Wekan przejdź do 'Menu', a następnie wybierz 'Eksportuj tablicę' i skopiuj tekst w pobranym pliku.", + "import-json-placeholder": "Wklej Twoje dane JSON tutaj", "import-map-members": "Przypisz członków", "import-members-map": "Twoje zaimportowane tablice mają kilku członków. Proszę wybierz członków których chcesz zaimportować do Wekan", "import-show-user-mapping": "Przejrzyj wybranych członków", - "import-user-select": "Pick the Wekan user you want to use as this member", + "import-user-select": "Wybierz użytkownika Wekan, który ma stać się członkiem", "importMapMembersAddPopup-title": "Wybierz użytkownika", "info": "Wersja", - "initials": "Initials", + "initials": "Inicjały", "invalid-date": "Błędna data", "invalid-time": "Błędny czas", "invalid-user": "Zła nazwa użytkownika", @@ -305,16 +305,16 @@ "keyboard-shortcuts": "Skróty klawiaturowe", "label-create": "Utwórz etykietę", "label-default": "%s etykieta (domyślna)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "label-delete-pop": "Nie da się tego wycofać. To usunie tę etykietę ze wszystkich kart i usunie ich historię.", "labels": "Etykiety", "language": "Język", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "last-admin-desc": "Nie możesz zmienić roli użytkownika, ponieważ musi istnieć co najmniej jeden administrator.", "leave-board": "Opuść tablicę", "leave-board-pop": "Czy jesteś pewien, że chcesz opuścić tablicę __boardTitle__? Zostaniesz usunięty ze wszystkich kart tej tablicy.", "leaveBoardPopup-title": "Opuścić tablicę?", "link-card": "Link do tej karty", "list-archive-cards": "Przenieś wszystkie karty tej listy do Kosza.", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards-pop": "To usunie wszystkie karty w tej liście z tablicy. By przejrzeć karty w Koszu i przywrócić je na tablicę, wybierz 'Menu', a następnie 'Kosz'.", "list-move-cards": "Przenieś wszystkie karty z tej listy", "list-select-cards": "Zaznacz wszystkie karty z tej listy", "listActionPopup-title": "Lista akcji", @@ -329,7 +329,7 @@ "log-out": "Wyloguj", "log-in": "Zaloguj", "loginPopup-title": "Zaloguj", - "memberMenuPopup-title": "Member Settings", + "memberMenuPopup-title": "Ustawienia członków", "members": "Członkowie", "menu": "Menu", "move-selection": "Przenieś zaznaczone", @@ -339,17 +339,17 @@ "moveSelectionPopup-title": "Przenieś zaznaczone", "multi-selection": "Wielokrotne zaznaczenie", "multi-selection-on": "Wielokrotne zaznaczenie jest włączone", - "muted": "Wyciszona", - "muted-info": "Nie zostaniesz powiadomiony o zmianach w tablicy", + "muted": "Wycisz", + "muted-info": "Nie zostaniesz powiadomiony o zmianach w tej tablicy", "my-boards": "Moje tablice", "name": "Nazwa", "no-archived-cards": "Brak kart w Koszu.", "no-archived-lists": "Brak list w Koszu.", "no-archived-swimlanes": "Brak diagramów czynności w Koszu.", "no-results": "Brak wyników", - "normal": "Normal", + "normal": "Użytkownik standardowy", "normal-desc": "Może widzieć i edytować karty. Nie może zmieniać ustawiań.", - "not-accepted-yet": "Zaproszenie jeszcze nie zaakceptowane", + "not-accepted-yet": "Zaproszenie jeszcze niezaakceptowane", "notify-participate": "Otrzymuj aktualizacje kart, w których uczestniczysz jako twórca lub członek.", "notify-watch": "Otrzymuj powiadomienia z tablic, list i kart, które obserwujesz", "optional": "opcjonalny", @@ -357,7 +357,7 @@ "page-maybe-private": "Ta strona może być prywatna. Możliwe, że możesz ją zobaczyć po zalogowaniu.", "page-not-found": "Strona nie znaleziona.", "password": "Hasło", - "paste-or-dragdrop": "wklej lub przeciągnij & upuść obrazek", + "paste-or-dragdrop": "wklej lub przeciągnij & upuść (tylko grafika)", "participating": "Uczestniczysz", "preview": "Podgląd", "previewAttachedImagePopup-title": "Podgląd", @@ -366,7 +366,7 @@ "private-desc": "Ta tablica jest prywatna. Tylko osoby dodane do tej tablicy mogą ją zobaczyć i edytować.", "profile": "Profil", "public": "Publiczny", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "public-desc": "Ta tablica jest publiczna. Jest widoczna dla wszystkich, którzy mają do niej odnośnik i będzie wynikiem silników wyszukiwania takich jak Google. Tylko użytkownicy dodani do tablicy mogą ją edytować.", "quick-access-description": "Odznacz tablicę aby dodać skrót na tym pasku.", "remove-cover": "Usuń okładkę", "remove-from-board": "Usuń z tablicy", @@ -386,10 +386,10 @@ "search-example": "Czego mam szukać?", "select-color": "Wybierz kolor", "set-wip-limit-value": "Ustaw maksymalny limit zadań na tej liście", - "setWipLimitPopup-title": "Set WIP Limit", + "setWipLimitPopup-title": "Ustaw limit kart na liście", "shortcut-assign-self": "Przypisz siebie do obecnej karty", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-autocomplete-emoji": "Autouzupełnianie emoji", + "shortcut-autocomplete-members": "Autouzupełnianie członków", "shortcut-clear-filters": "Usuń wszystkie filtry", "shortcut-close-dialog": "Zamknij okno", "shortcut-filter-my-cards": "Filtruj moje karty", @@ -400,9 +400,9 @@ "sidebar-open": "Otwórz pasek boczny", "sidebar-close": "Zamknij pasek boczny", "signupPopup-title": "Utwórz konto", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "star-board-title": "Kliknij by oznaczyć tę tablicę gwiazdką. Pojawi się wtedy na liście tablic na górze.", "starred-boards": "Odznaczone tablice", - "starred-boards-description": "Starred boards show up at the top of your boards list.", + "starred-boards-description": "Tablice oznaczone gwiazdką pojawią się na liście na górze.", "subscribe": "Zapisz się", "team": "Zespół", "this-board": "ta tablica", @@ -411,14 +411,14 @@ "overtime-hours": "Nadgodziny (czas)", "overtime": "Dodatkowo", "has-overtime-cards": "Ma dodatkowych kart", - "has-spenttime-cards": "Has spent time cards", + "has-spenttime-cards": "Ma karty z wykorzystanym czasem", "time": "Czas", "title": "Tytuł", "tracking": "Śledzenie", "tracking-info": "Zostaniesz poinformowany o zmianach kart, w których bierzesz udział jako twórca lub członek.", "type": "Typ", "unassign-member": "Nieprzypisany członek", - "unsaved-description": "You have an unsaved description.", + "unsaved-description": "Masz niezapisany opis.", "unwatch": "Nie obserwuj", "upload": "Wyślij", "upload-avatar": "Wyślij avatar", @@ -430,18 +430,18 @@ "watching": "Obserwujesz", "watching-info": "Będziesz poinformowany o każdej zmianie na tej tablicy", "welcome-board": "Tablica powitalna", - "welcome-swimlane": "Milestone 1", + "welcome-swimlane": "Kamień milowy 1", "welcome-list1": "Podstawy", "welcome-list2": "Zaawansowane", "what-to-do": "Co chcesz zrobić?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "wipLimitErrorPopup-title": "Nieprawidłowy limit kart na liście", + "wipLimitErrorPopup-dialog-pt1": "Aktualna ilość kart na tej liście jest większa niż aktualny zdefiniowany limit kart.", + "wipLimitErrorPopup-dialog-pt2": "Proszę przenieś zadania z tej listy lub zmień limit kart na tej liście na wyższy.", "admin-panel": "Panel administracyjny", "settings": "Ustawienia", "people": "Osoby", "registration": "Rejestracja", - "disable-self-registration": "Wyłącz rejestrację samodzielną", + "disable-self-registration": "Wyłącz samodzielną rejestrację", "invite": "Zaproś", "invite-people": "Zaproś osoby", "to-boards": "Do tablic(y)", @@ -459,29 +459,29 @@ "invitation-code": "Kod z zaproszenia", "email-invite-register-subject": "__inviter__ wysłał Ci zaproszenie", "email-invite-register-text": "Drogi __user__,\n\n__inviter__ zaprasza Cię do współpracy na Wekan.\n\nAby kontynuować, wejdź w poniższy link:\n__url__\n\nTwój kod zaproszenia to: __icode__\n\nDziękuję.", - "email-smtp-test-subject": "Test SMTP z Wekan", + "email-smtp-test-subject": "Test serwera SMTP z Wekan", "email-smtp-test-text": "Wiadomość testowa została wysłana z powodzeniem.", "error-invitation-code-not-exist": "Kod zaproszenia nie istnieje", "error-notAuthorized": "Nie jesteś uprawniony do przeglądania tej strony.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "new-outgoing-webhook": "New Outgoing Webhook", + "outgoing-webhooks": "Wychodzące webhooki", + "outgoingWebhooksPopup-title": "Wychodzące webhooki", + "new-outgoing-webhook": "Nowy wychodzący webhook", "no-name": "(nieznany)", "Wekan_version": "Wersja Wekan", "Node_version": "Wersja Node", - "OS_Arch": "Architektura systemu operacyjnego", - "OS_Cpus": "Ilość rdzeni systemu operacyjnego", + "OS_Arch": "Architektura systemu", + "OS_Cpus": "Ilość rdzeni systemu", "OS_Freemem": "Wolna pamięć RAM", - "OS_Loadavg": "Średnie obciążenie systemu operacyjnego", + "OS_Loadavg": "Średnie obciążenie systemu", "OS_Platform": "Platforma systemu", - "OS_Release": "Wersja systemu operacyjnego", + "OS_Release": "Wersja jądra", "OS_Totalmem": "Dostępna pamięć RAM", - "OS_Type": "Wersja systemu operacyjnego", - "OS_Uptime": "Uptime systemu operacyjnego", + "OS_Type": "Typ systemu", + "OS_Uptime": "Czas działania systemu", "hours": "godzin", "minutes": "minut", "seconds": "sekund", - "show-field-on-card": "Show this field on card", + "show-field-on-card": "Pokaż te pole na karcie", "yes": "Tak", "no": "Nie", "accounts": "Konto", @@ -491,32 +491,32 @@ "verified": "Zweryfikowane", "active": "Aktywny", "card-received": "Odebrano", - "card-received-on": "Received on", + "card-received-on": "Odebrano", "card-end": "Koniec", "card-end-on": "Kończy się", "editCardReceivedDatePopup-title": "Zmień datę odebrania", "editCardEndDatePopup-title": "Zmień datę ukończenia", "assigned-by": "Przypisane przez", - "requested-by": "Requested By", + "requested-by": "Zlecone przez", "board-delete-notice": "Usuwanie jest permanentne. Stracisz wszystkie listy, kart oraz czynności przypisane do tej tablicy.", "delete-board-confirm-popup": "Wszystkie listy, etykiety oraz aktywności zostaną usunięte i nie będziesz w stanie przywrócić zawartości tablicy. Tego nie da się cofnąć.", "boardDeletePopup-title": "Usunąć tablicę?", "delete-board": "Usuń tablicę", - "default-subtasks-board": "Subtasks for __board__ board", + "default-subtasks-board": "Podzadania dla tablicy __board__", "default": "Domyślny", "queue": "Kolejka", - "subtask-settings": "Subtasks Settings", - "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", - "show-subtasks-field": "Cards can have subtasks", - "deposit-subtasks-board": "Deposit subtasks to this board:", - "deposit-subtasks-list": "Landing list for subtasks deposited here:", - "show-parent-in-minicard": "Show parent in minicard:", - "prefix-with-full-path": "Prefix with full path", - "prefix-with-parent": "Prefix with parent", - "subtext-with-full-path": "Subtext with full path", - "subtext-with-parent": "Subtext with parent", + "subtask-settings": "Ustawienia podzadań", + "boardSubtaskSettingsPopup-title": "Ustawienia tablicy podzadań", + "show-subtasks-field": "Karty mogą mieć podzadania", + "deposit-subtasks-board": "Przechowuj podzadania na tablicy:", + "deposit-subtasks-list": "Początkowa lista dla podzadań jest przechowywana w:", + "show-parent-in-minicard": "Pokaż rodzica w minikarcie:", + "prefix-with-full-path": "Prefix z pełną ścieżką", + "prefix-with-parent": "Prefix z rodzicem", + "subtext-with-full-path": "Podtekst z pełną ścieżką", + "subtext-with-parent": "Podtekst z rodzicem", "change-card-parent": "Zmień rodzica karty", - "parent-card": "Parent card", + "parent-card": "Karta rodzica", "source-board": "Tablica źródłowa", "no-parent": "Nie pokazuj rodzica", "activity-added-label": "dodano etykietę '%s' z %s", @@ -526,7 +526,7 @@ "activity-removed-label-card": "usunięto etykietę '%s'", "activity-delete-attach-card": "usunięto załącznik", "r-rule": "Reguła", - "r-add-trigger": "Add trigger", + "r-add-trigger": "Dodaj przełącznik", "r-add-action": "Dodaj czynność", "r-board-rules": "Reguły tablicy", "r-add-rule": "Dodaj regułę", @@ -541,7 +541,7 @@ "r-list": "lista", "r-moved-to": "Przeniesiono do", "r-moved-from": "Przeniesiono z", - "r-archived": "Przeniesiono do kosza", + "r-archived": "Przeniesiono do Kosza", "r-unarchived": "Przywrócono z Kosza", "r-a-card": "karta", "r-when-a-label-is": "Gdy etykieta jest", @@ -555,7 +555,7 @@ "r-when-a-checklist": "Gdy lista zadań jest", "r-when-the-checklist": "Gdy lista zadań", "r-completed": "Ukończono", - "r-made-incomplete": "Made incomplete", + "r-made-incomplete": "Niedokończone", "r-when-a-item": "Gdy lista zadań jest", "r-when-the-item": "Gdy element listy zadań", "r-checked": "Zaznaczony", -- cgit v1.2.3-1-g7c22 From 8c1630c6384947f7a5ccde02bc53789456c0811e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 22 Sep 2018 10:29:11 +0300 Subject: Update translations. --- i18n/ar.i18n.json | 5 +++-- i18n/bg.i18n.json | 5 +++-- i18n/br.i18n.json | 5 +++-- i18n/ca.i18n.json | 5 +++-- i18n/cs.i18n.json | 5 +++-- i18n/de.i18n.json | 5 +++-- i18n/el.i18n.json | 5 +++-- i18n/en-GB.i18n.json | 5 +++-- i18n/eo.i18n.json | 5 +++-- i18n/es-AR.i18n.json | 5 +++-- i18n/es.i18n.json | 5 +++-- i18n/eu.i18n.json | 5 +++-- i18n/fa.i18n.json | 5 +++-- i18n/fi.i18n.json | 5 +++-- i18n/fr.i18n.json | 5 +++-- i18n/gl.i18n.json | 5 +++-- i18n/he.i18n.json | 5 +++-- i18n/hu.i18n.json | 5 +++-- i18n/hy.i18n.json | 5 +++-- i18n/id.i18n.json | 5 +++-- i18n/ig.i18n.json | 5 +++-- i18n/it.i18n.json | 5 +++-- i18n/ja.i18n.json | 5 +++-- i18n/ka.i18n.json | 5 +++-- i18n/km.i18n.json | 5 +++-- i18n/ko.i18n.json | 5 +++-- i18n/lv.i18n.json | 5 +++-- i18n/mn.i18n.json | 5 +++-- i18n/nb.i18n.json | 5 +++-- i18n/nl.i18n.json | 5 +++-- i18n/pl.i18n.json | 5 +++-- i18n/pt-BR.i18n.json | 5 +++-- i18n/pt.i18n.json | 5 +++-- i18n/ro.i18n.json | 5 +++-- i18n/ru.i18n.json | 5 +++-- i18n/sr.i18n.json | 5 +++-- i18n/sv.i18n.json | 5 +++-- i18n/ta.i18n.json | 5 +++-- i18n/th.i18n.json | 5 +++-- i18n/tr.i18n.json | 5 +++-- i18n/uk.i18n.json | 5 +++-- i18n/vi.i18n.json | 5 +++-- i18n/zh-CN.i18n.json | 5 +++-- i18n/zh-TW.i18n.json | 5 +++-- 44 files changed, 132 insertions(+), 88 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 7e47952c..62e886e5 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 661d9a76..9a8c8b65 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index 9bba6154..467c99d9 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 2a34ca96..dd54348e 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 5ca9636b..e9bc74ab 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Přidat checklist", - "r-d-remove-checklist": "Odstranit checklist" + "r-d-remove-checklist": "Odstranit checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 343c7519..408224fd 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": " Wenn das Label ist", "r-list-name": "Listennamen", "r-when-a-member": "Wenn ein Mitglied ist", - "r-when-the-member": "Wenn das Mitglied ist", + "r-when-the-member": "Wenn das Mitglied", "r-name": "Name", "r-is": "ist", "r-when-a-attach": "Wenn ein Anhang", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Element demarkieren", "r-d-check-of-list": "der Checkliste", "r-d-add-checklist": "Checkliste hinzufügen", - "r-d-remove-checklist": "Checkliste entfernen" + "r-d-remove-checklist": "Checkliste entfernen", + "r-when-a-card-is-moved": "Wenn eine Karte in eine andere Liste verschoben wird" } \ No newline at end of file diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 5018f2cd..6f9c3a66 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index b2376ba3..bf2dbea3 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index 7b910421..a61208b3 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index d22380e4..a2d55ac2 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 8e486464..1c11035b 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index cff6b838..19e36b19 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index dc53173b..9ebaee6a 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index bec3f19c..753acfaf 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "Kun tunniste on", "r-list-name": "Listan nimi", "r-when-a-member": "Kun jäsen on", - "r-when-the-member": "Kun jäsen on", + "r-when-the-member": "Kun käyttäjä", "r-name": "nimi", "r-is": "on", "r-when-a-attach": "Kun liitetiedosto", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Poista ruksi kohdasta", "r-d-check-of-list": "tarkistuslistasta", "r-d-add-checklist": "Lisää tarkistuslista", - "r-d-remove-checklist": "Poista tarkistuslista" + "r-d-remove-checklist": "Poista tarkistuslista", + "r-when-a-card-is-moved": "Kun kortti on siirretty toiseen listaan" } \ No newline at end of file diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index cae6cd81..2e5d75fe 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "Quand l'étiquette est", "r-list-name": "Nom de la liste", "r-when-a-member": "Quand un membre est", - "r-when-the-member": "Quand le membre est", + "r-when-the-member": "When the member", "r-name": "nom", "r-is": "est", "r-when-a-attach": "Quand une pièce jointe", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Décocher l'élément", "r-d-check-of-list": "de la checklist", "r-d-add-checklist": "Ajouter une checklist", - "r-d-remove-checklist": "Supprimer la checklist" + "r-d-remove-checklist": "Supprimer la checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index b539c02f..759bd1cd 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 8c912d00..a0a3f01a 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "כאשר התווית היא", "r-list-name": "שם הרשימה", "r-when-a-member": "כאשר חבר הוא", - "r-when-the-member": "כאשר החבר הוא", + "r-when-the-member": "When the member", "r-name": "שם", "r-is": "הוא", "r-when-a-attach": "כאשר קובץ מצורף", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "ביטול סימון פריט", "r-d-check-of-list": "של רשימת משימות", "r-d-add-checklist": "הוספת רשימת משימות", - "r-d-remove-checklist": "הסרת רשימת משימות" + "r-d-remove-checklist": "הסרת רשימת משימות", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index fb1f04ff..1ebe8bef 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index d54fe4ac..d37621bc 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index b68ec9c8..11ce4d45 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 43f99f71..9ff7f64c 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 431d325c..85c760c6 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index c35a95ea..c86845b7 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index b82e4cc1..3012bb3e 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index c5e1d524..0e6c8934 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index 73f72932..17d42a59 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 7552da44..7baad114 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index 2c4ecbdd..e7698c57 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index ff7c453b..15d8a651 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index a77e6f3b..51332157 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index ef69d399..b7470372 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "Gdy etykieta jest", "r-list-name": "Nazwa listy", "r-when-a-member": "Gdy członek jest", - "r-when-the-member": "Gdy członek jest", + "r-when-the-member": "When the member", "r-name": "nazwa", "r-is": "jest", "r-when-a-attach": "Gdy załącznik", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Odznacz element", "r-d-check-of-list": "z listy zadań", "r-d-add-checklist": "Dodaj listę zadań", - "r-d-remove-checklist": "Usuń listę zadań" + "r-d-remove-checklist": "Usuń listę zadań", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 55ed4082..8338b68b 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 3c6b896e..986efb39 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index 41d8e858..6ece0bcc 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 82691aa2..b55e4dda 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index d7b57095..968b6a18 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 0ec67b3d..670f6844 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index 841d3695..07686e88 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index e38cc9b5..3227dd34 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index 862aabad..e6b5e275 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index afcb5f7d..0fc8265e 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index 94ae8893..be1a166e 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 1c365f7b..7f49807f 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index d7b3a9db..89ea22e5 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 3942b584bf6274a8c42fea0261f97155e753bc16 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 22 Sep 2018 10:43:12 +0300 Subject: - Fix Feature Rules. Thanks to Angtrim ! --- CHANGELOG.md | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index ff4aa139..3d454555 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -9,9 +9,10 @@ and fixes the following bugs: - [Fix Dockerfile Meteor install by changing tar to bsdtar](https://github.com/wekan/wekan/commit/1bad81ca86ca87c02148764cc03a3070882a8a33); - Add [npm-debug.log and .DS_Store](https://github.com/wekan/wekan/commit/44f4a1c3bf8033b6b658703a0ccaed5fdb183ab4) to .gitignore; - [Add more debug log requirements to GitHub issue template](https://github.com/wekan/wekan/commit/1c4ce56b0f18e00e01b54c7059cbbf8d3e196154); -- [Add default Wekan Snap MongoDB bind IP 127.0.0.1](https://github.com/wekan/wekan/commit/6ac726e198933ee41c129d22a7118fcfbf4ca9a2). +- [Add default Wekan Snap MongoDB bind IP 127.0.0.1](https://github.com/wekan/wekan/commit/6ac726e198933ee41c129d22a7118fcfbf4ca9a2); +- [Fix Feature Rules](https://github.com/wekan/wekan/pull/1909). -Thanks to GitHub users maurice-schleussinger and xet7 for contributions. +Thanks to GitHub users Angtrim, maurice-schleussinger and xet7 for their contributions. # v1.49.1 2018-09-17 Wekan release -- cgit v1.2.3-1-g7c22 From b21a0caa4fe9ffa3ba25ca3f37a8f0dcf171893d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 22 Sep 2018 10:56:34 +0300 Subject: - Fix Cannot setup mail server via snap variables Thanks to suprovsky ! Closes #1906 --- CHANGELOG.md | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 3d454555..58ddf15a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -10,9 +10,10 @@ and fixes the following bugs: - Add [npm-debug.log and .DS_Store](https://github.com/wekan/wekan/commit/44f4a1c3bf8033b6b658703a0ccaed5fdb183ab4) to .gitignore; - [Add more debug log requirements to GitHub issue template](https://github.com/wekan/wekan/commit/1c4ce56b0f18e00e01b54c7059cbbf8d3e196154); - [Add default Wekan Snap MongoDB bind IP 127.0.0.1](https://github.com/wekan/wekan/commit/6ac726e198933ee41c129d22a7118fcfbf4ca9a2); -- [Fix Feature Rules](https://github.com/wekan/wekan/pull/1909). +- [Fix Feature Rules](https://github.com/wekan/wekan/pull/1909); +- [Fix Cannot setup mail server via snap variables](https://github.com/wekan/wekan/issues/1906). -Thanks to GitHub users Angtrim, maurice-schleussinger and xet7 for their contributions. +Thanks to GitHub users Angtrim, maurice-schleussinger, suprovsky and xet7 for their contributions. # v1.49.1 2018-09-17 Wekan release -- cgit v1.2.3-1-g7c22 From 734e4e5f3ff2c3dabf94c0fbfca561db066c4565 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 22 Sep 2018 11:02:29 +0300 Subject: - Try to fix OAuth2: Change oidc username to preferred_username. Thanks to xet7 ! --- models/users.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/models/users.js b/models/users.js index 01673e4f..d1b8d047 100644 --- a/models/users.js +++ b/models/users.js @@ -491,7 +491,7 @@ if (Meteor.isServer) { if (user.services.oidc) { const email = user.services.oidc.email.toLowerCase(); - user.username = user.services.oidc.username; + user.username = user.services.oidc.preferred_username; user.emails = [{ address: email, verified: true }]; const initials = user.services.oidc.fullname.match(/\b[a-zA-Z]/g).join('').toUpperCase(); user.profile = { initials, fullname: user.services.oidc.fullname }; -- cgit v1.2.3-1-g7c22 From c060f2322bd80295dbbe84acfafe7873b199aeff Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 22 Sep 2018 11:05:07 +0300 Subject: - Try to fix OAuth2: Change oidc username to preferred_username. Thanks to xet7 ! --- CHANGELOG.md | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 58ddf15a..eae3cd95 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -11,7 +11,8 @@ and fixes the following bugs: - [Add more debug log requirements to GitHub issue template](https://github.com/wekan/wekan/commit/1c4ce56b0f18e00e01b54c7059cbbf8d3e196154); - [Add default Wekan Snap MongoDB bind IP 127.0.0.1](https://github.com/wekan/wekan/commit/6ac726e198933ee41c129d22a7118fcfbf4ca9a2); - [Fix Feature Rules](https://github.com/wekan/wekan/pull/1909); -- [Fix Cannot setup mail server via snap variables](https://github.com/wekan/wekan/issues/1906). +- [Fix Cannot setup mail server via snap variables](https://github.com/wekan/wekan/issues/1906); +- [Try to fix OAuth2: Change oidc username to preferred_username](https://github.com/wekan/wekan/commit/734e4e5f3ff2c3dabf94c0fbfca561db066c4565). Thanks to GitHub users Angtrim, maurice-schleussinger, suprovsky and xet7 for their contributions. -- cgit v1.2.3-1-g7c22 From 3d4352ba0f2c8ac24de03b070c9b13b9e6054008 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 22 Sep 2018 11:18:39 +0300 Subject: v1.50.1 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index eae3cd95..af4beb8d 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.50.1 2018-09-22 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index 60ab1e19..2f4744c4 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.49.1", + "version": "v1.50.1", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 96cecdf5..04d15416 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 135, + appVersion = 136, # Increment this for every release. - appMarketingVersion = (defaultText = "1.49.1~2018-09-17"), + appMarketingVersion = (defaultText = "1.50.1~2018-09-22"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 98003e26b1161b90a7f29aa9bc9978bfd415bfd8 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 23 Sep 2018 11:33:37 +0300 Subject: Update translations. --- i18n/fr.i18n.json | 4 ++-- i18n/pl.i18n.json | 4 ++-- 2 files changed, 4 insertions(+), 4 deletions(-) diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 2e5d75fe..47da1ee2 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "Quand l'étiquette est", "r-list-name": "Nom de la liste", "r-when-a-member": "Quand un membre est", - "r-when-the-member": "When the member", + "r-when-the-member": "Quand le membre", "r-name": "nom", "r-is": "est", "r-when-a-attach": "Quand une pièce jointe", @@ -606,5 +606,5 @@ "r-d-check-of-list": "de la checklist", "r-d-add-checklist": "Ajouter une checklist", "r-d-remove-checklist": "Supprimer la checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "Quand une carte est déplacée vers une autre liste" } \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index b7470372..aeeddb2c 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "Gdy etykieta jest", "r-list-name": "Nazwa listy", "r-when-a-member": "Gdy członek jest", - "r-when-the-member": "When the member", + "r-when-the-member": "Gdy członek jest", "r-name": "nazwa", "r-is": "jest", "r-when-a-attach": "Gdy załącznik", @@ -606,5 +606,5 @@ "r-d-check-of-list": "z listy zadań", "r-d-add-checklist": "Dodaj listę zadań", "r-d-remove-checklist": "Usuń listę zadań", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "Gdy karta jest przeniesiona do innej listy" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From e52cfc84b4a16a2915fc554f3f274ac80ce40bc3 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 23 Sep 2018 11:34:51 +0300 Subject: v1.50.2 --- CHANGELOG.md | 8 ++++++++ package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 11 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index af4beb8d..a3d35e92 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# v1.50.2 2018-09-23 Wekan release + +This release tried to fix the following bugs: + +- Build Wekan and release again, to see does it work. + +Thanks to GitHub user xet7 for contributions. + # v1.50.1 2018-09-22 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index 2f4744c4..b7ed3379 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.50.1", + "version": "v1.50.2", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 04d15416..7d5be273 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 136, + appVersion = 137, # Increment this for every release. - appMarketingVersion = (defaultText = "1.50.1~2018-09-22"), + appMarketingVersion = (defaultText = "1.50.2~2018-09-23"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 6d88baebc7e297ffdbbd5bb6971190b18f79d21f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 23 Sep 2018 12:38:32 +0300 Subject: - Remove "Fix Cannot setup mail server via snap variables" to see does Wekan Snap start correctly after removing it. Thanks to xet7 ! --- snap-src/bin/wekan-read-settings | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/snap-src/bin/wekan-read-settings b/snap-src/bin/wekan-read-settings index c166a6aa..f216c2a8 100755 --- a/snap-src/bin/wekan-read-settings +++ b/snap-src/bin/wekan-read-settings @@ -12,10 +12,10 @@ do value=$(snapctl get ${!snappy_key}) if [ "x$value" == "x" ]; then echo -e "$key=${!default_value} (default value)" - export key=${!default_value} + export $key=${!default_value} else echo -e "$key=$value" - export key=$value + export $key=$value fi done -- cgit v1.2.3-1-g7c22 From 1ccacf60b2d48cc27e66c843792976198a867ba6 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 23 Sep 2018 12:42:44 +0300 Subject: - Remove "Fix Cannot setup mail server via snap variables" to see does Wekan Snap start correctly after removing it. Thanks to xet7 ! --- CHANGELOG.md | 11 ++++++++++- 1 file changed, 10 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index a3d35e92..6a419d4a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,6 +1,15 @@ +# Upcoming Wekan release + +This release tries to fix the following bugs: + +- [Remove "Fix Cannot setup mail server via snap variables"](https://github.com/wekan/wekan/commit/6d88baebc7e297ffdbbd5bb6971190b18f79d21f) + to see does Wekan Snap start correctly after removing it. + +Thanks to GitHub user xet7 for contributions. + # v1.50.2 2018-09-23 Wekan release -This release tried to fix the following bugs: +This release tries to fix the following bugs: - Build Wekan and release again, to see does it work. -- cgit v1.2.3-1-g7c22 From 4dd66eed8e59ae93225e2908239842aeabc39f10 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 23 Sep 2018 12:44:49 +0300 Subject: Update translations. --- i18n/ar.i18n.json | 5 +++-- i18n/bg.i18n.json | 5 +++-- i18n/br.i18n.json | 5 +++-- i18n/ca.i18n.json | 5 +++-- i18n/cs.i18n.json | 5 +++-- i18n/de.i18n.json | 5 +++-- i18n/el.i18n.json | 5 +++-- i18n/en-GB.i18n.json | 5 +++-- i18n/eo.i18n.json | 5 +++-- i18n/es-AR.i18n.json | 5 +++-- i18n/es.i18n.json | 5 +++-- i18n/eu.i18n.json | 5 +++-- i18n/fa.i18n.json | 5 +++-- i18n/fi.i18n.json | 5 +++-- i18n/fr.i18n.json | 5 +++-- i18n/gl.i18n.json | 5 +++-- i18n/he.i18n.json | 5 +++-- i18n/hu.i18n.json | 5 +++-- i18n/hy.i18n.json | 5 +++-- i18n/id.i18n.json | 5 +++-- i18n/ig.i18n.json | 5 +++-- i18n/it.i18n.json | 5 +++-- i18n/ja.i18n.json | 5 +++-- i18n/ka.i18n.json | 5 +++-- i18n/km.i18n.json | 5 +++-- i18n/ko.i18n.json | 5 +++-- i18n/lv.i18n.json | 5 +++-- i18n/mn.i18n.json | 5 +++-- i18n/nb.i18n.json | 5 +++-- i18n/nl.i18n.json | 5 +++-- i18n/pl.i18n.json | 3 ++- i18n/pt-BR.i18n.json | 5 +++-- i18n/pt.i18n.json | 5 +++-- i18n/ro.i18n.json | 5 +++-- i18n/ru.i18n.json | 5 +++-- i18n/sr.i18n.json | 5 +++-- i18n/sv.i18n.json | 5 +++-- i18n/ta.i18n.json | 5 +++-- i18n/th.i18n.json | 5 +++-- i18n/tr.i18n.json | 5 +++-- i18n/uk.i18n.json | 5 +++-- i18n/vi.i18n.json | 5 +++-- i18n/zh-CN.i18n.json | 5 +++-- i18n/zh-TW.i18n.json | 5 +++-- 44 files changed, 131 insertions(+), 87 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 7e47952c..62e886e5 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 661d9a76..9a8c8b65 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index 9bba6154..467c99d9 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 2a34ca96..dd54348e 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 5ca9636b..e9bc74ab 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Přidat checklist", - "r-d-remove-checklist": "Odstranit checklist" + "r-d-remove-checklist": "Odstranit checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 343c7519..408224fd 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": " Wenn das Label ist", "r-list-name": "Listennamen", "r-when-a-member": "Wenn ein Mitglied ist", - "r-when-the-member": "Wenn das Mitglied ist", + "r-when-the-member": "Wenn das Mitglied", "r-name": "Name", "r-is": "ist", "r-when-a-attach": "Wenn ein Anhang", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Element demarkieren", "r-d-check-of-list": "der Checkliste", "r-d-add-checklist": "Checkliste hinzufügen", - "r-d-remove-checklist": "Checkliste entfernen" + "r-d-remove-checklist": "Checkliste entfernen", + "r-when-a-card-is-moved": "Wenn eine Karte in eine andere Liste verschoben wird" } \ No newline at end of file diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 5018f2cd..6f9c3a66 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index b2376ba3..bf2dbea3 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index 7b910421..a61208b3 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index d22380e4..a2d55ac2 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 8e486464..1c11035b 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index cff6b838..19e36b19 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index dc53173b..9ebaee6a 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index bec3f19c..753acfaf 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "Kun tunniste on", "r-list-name": "Listan nimi", "r-when-a-member": "Kun jäsen on", - "r-when-the-member": "Kun jäsen on", + "r-when-the-member": "Kun käyttäjä", "r-name": "nimi", "r-is": "on", "r-when-a-attach": "Kun liitetiedosto", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Poista ruksi kohdasta", "r-d-check-of-list": "tarkistuslistasta", "r-d-add-checklist": "Lisää tarkistuslista", - "r-d-remove-checklist": "Poista tarkistuslista" + "r-d-remove-checklist": "Poista tarkistuslista", + "r-when-a-card-is-moved": "Kun kortti on siirretty toiseen listaan" } \ No newline at end of file diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index cae6cd81..47da1ee2 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "Quand l'étiquette est", "r-list-name": "Nom de la liste", "r-when-a-member": "Quand un membre est", - "r-when-the-member": "Quand le membre est", + "r-when-the-member": "Quand le membre", "r-name": "nom", "r-is": "est", "r-when-a-attach": "Quand une pièce jointe", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Décocher l'élément", "r-d-check-of-list": "de la checklist", "r-d-add-checklist": "Ajouter une checklist", - "r-d-remove-checklist": "Supprimer la checklist" + "r-d-remove-checklist": "Supprimer la checklist", + "r-when-a-card-is-moved": "Quand une carte est déplacée vers une autre liste" } \ No newline at end of file diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index b539c02f..759bd1cd 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 8c912d00..a0a3f01a 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "כאשר התווית היא", "r-list-name": "שם הרשימה", "r-when-a-member": "כאשר חבר הוא", - "r-when-the-member": "כאשר החבר הוא", + "r-when-the-member": "When the member", "r-name": "שם", "r-is": "הוא", "r-when-a-attach": "כאשר קובץ מצורף", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "ביטול סימון פריט", "r-d-check-of-list": "של רשימת משימות", "r-d-add-checklist": "הוספת רשימת משימות", - "r-d-remove-checklist": "הסרת רשימת משימות" + "r-d-remove-checklist": "הסרת רשימת משימות", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index fb1f04ff..1ebe8bef 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index d54fe4ac..d37621bc 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index b68ec9c8..11ce4d45 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 43f99f71..9ff7f64c 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 431d325c..85c760c6 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index c35a95ea..c86845b7 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index b82e4cc1..3012bb3e 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index c5e1d524..0e6c8934 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index 73f72932..17d42a59 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 7552da44..7baad114 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index 2c4ecbdd..e7698c57 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index ff7c453b..15d8a651 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index a77e6f3b..51332157 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index ef69d399..aeeddb2c 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Odznacz element", "r-d-check-of-list": "z listy zadań", "r-d-add-checklist": "Dodaj listę zadań", - "r-d-remove-checklist": "Usuń listę zadań" + "r-d-remove-checklist": "Usuń listę zadań", + "r-when-a-card-is-moved": "Gdy karta jest przeniesiona do innej listy" } \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 55ed4082..8338b68b 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 3c6b896e..986efb39 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index 41d8e858..6ece0bcc 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 82691aa2..b55e4dda 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index d7b57095..968b6a18 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 0ec67b3d..670f6844 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index 841d3695..07686e88 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index e38cc9b5..3227dd34 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index 862aabad..e6b5e275 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index afcb5f7d..0fc8265e 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index 94ae8893..be1a166e 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 1c365f7b..7f49807f 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index d7b3a9db..89ea22e5 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -605,5 +605,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From a404612174ccd19763247e996182b5a5521929d5 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 23 Sep 2018 12:47:14 +0300 Subject: v1.50.3 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 6a419d4a..cd0f7b30 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.50.3 2018-09-23 Wekan release This release tries to fix the following bugs: diff --git a/package.json b/package.json index b7ed3379..a25103c0 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.50.2", + "version": "v1.50.3", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 7d5be273..1570c092 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 137, + appVersion = 138, # Increment this for every release. - appMarketingVersion = (defaultText = "1.50.2~2018-09-23"), + appMarketingVersion = (defaultText = "1.50.3~2018-09-23"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From b342cfed3abaeb72a3b0b6c8de0ab4240cce2da7 Mon Sep 17 00:00:00 2001 From: ppoulard Date: Mon, 24 Sep 2018 16:14:41 +0200 Subject: Add CAS with attributes --- .meteor/packages | 2 +- .meteor/versions | 2 +- Dockerfile | 3 +++ 3 files changed, 5 insertions(+), 2 deletions(-) diff --git a/.meteor/packages b/.meteor/packages index 990f8717..cf859f61 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -84,7 +84,7 @@ cfs:gridfs eluck:accounts-lockout rzymek:fullcalendar momentjs:moment@2.22.2 -atoy40:accounts-cas browser-policy-framing mquandalle:moment msavin:usercache +ppoulard:accounts-cas diff --git a/.meteor/versions b/.meteor/versions index 504e8aa1..c318eebe 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -9,7 +9,6 @@ aldeed:simple-schema@1.5.3 alethes:pages@1.8.6 allow-deny@1.1.0 arillo:flow-router-helpers@0.5.2 -atoy40:accounts-cas@0.0.2 audit-argument-checks@1.0.7 autoupdate@1.3.12 babel-compiler@6.24.7 @@ -129,6 +128,7 @@ peerlibrary:blaze-components@0.15.1 peerlibrary:computed-field@0.7.0 peerlibrary:reactive-field@0.3.0 perak:markdown@1.0.5 +ppoulard:accounts-cas@0.1.0 promise@0.10.0 raix:eventemitter@0.1.3 raix:handlebar-helpers@0.2.5 diff --git a/Dockerfile b/Dockerfile index 1d0f20e6..dd0d85a3 100644 --- a/Dockerfile +++ b/Dockerfile @@ -148,6 +148,7 @@ RUN \ cd /home/wekan/app/packages && \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/flow-router.git kadira-flow-router && \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/meteor-useraccounts/core.git meteor-useraccounts-core && \ + gosu wekan:wekan git clone --depth 1 -b master git://github.com/ppoulard/meteor-accounts-cas.git meteor-accounts-cas && \ sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' /home/wekan/app/packages/meteor-useraccounts-core/package.js && \ cd /home/wekan/.meteor && \ gosu wekan:wekan /home/wekan/.meteor/meteor -- help; \ @@ -155,6 +156,8 @@ RUN \ # Build app cd /home/wekan/app && \ gosu wekan:wekan /home/wekan/.meteor/meteor add standard-minifier-js && \ + # adding CAS + gosu wekan:wekan /home/wekan/.meteor/meteor add ppoulard:accounts-cas && \ gosu wekan:wekan /home/wekan/.meteor/meteor npm install && \ gosu wekan:wekan /home/wekan/.meteor/meteor build --directory /home/wekan/app_build && \ cp /home/wekan/app/fix-download-unicode/cfs_access-point.txt /home/wekan/app_build/bundle/programs/server/packages/cfs_access-point.js && \ -- cgit v1.2.3-1-g7c22 From bd6e4a351b984b032e17c57793a70923eb17d8f5 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 28 Sep 2018 00:23:31 +0300 Subject: Add CAS with attributes. Thanks to ppoulard ! --- .gitignore | 1 + .meteor/packages | 2 +- .meteor/versions | 2 +- Dockerfile | 1 + snapcraft.yaml | 5 +++++ 5 files changed, 9 insertions(+), 2 deletions(-) diff --git a/.gitignore b/.gitignore index 7a56bd2e..c3f1293e 100644 --- a/.gitignore +++ b/.gitignore @@ -10,6 +10,7 @@ npm-debug.log .build/* packages/kadira-flow-router/ packages/meteor-useraccounts-core/ +packages/meteor-accounts-cas/ package-lock.json **/parts/ **/stage diff --git a/.meteor/packages b/.meteor/packages index d428111c..55fa7727 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -84,7 +84,7 @@ cfs:gridfs eluck:accounts-lockout rzymek:fullcalendar momentjs:moment@2.22.2 -atoy40:accounts-cas browser-policy-framing mquandalle:moment msavin:usercache +wekan:accounts-cas diff --git a/.meteor/versions b/.meteor/versions index f1f52d23..5f742b3c 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -10,7 +10,6 @@ aldeed:simple-schema@1.5.3 alethes:pages@1.8.6 allow-deny@1.1.0 arillo:flow-router-helpers@0.5.2 -atoy40:accounts-cas@0.0.2 audit-argument-checks@1.0.7 autoupdate@1.3.12 babel-compiler@6.24.7 @@ -180,4 +179,5 @@ useraccounts:unstyled@1.14.2 verron:autosize@3.0.8 webapp@1.4.0 webapp-hashing@1.0.9 +wekan:accounts-cas@0.1.0 zimme:active-route@2.3.2 diff --git a/Dockerfile b/Dockerfile index 1d0f20e6..376389a2 100644 --- a/Dockerfile +++ b/Dockerfile @@ -148,6 +148,7 @@ RUN \ cd /home/wekan/app/packages && \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/flow-router.git kadira-flow-router && \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/meteor-useraccounts/core.git meteor-useraccounts-core && \ + gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/meteor-accounts-cas.git meteor-accounts-cas && \ sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' /home/wekan/app/packages/meteor-useraccounts-core/package.js && \ cd /home/wekan/.meteor && \ gosu wekan:wekan /home/wekan/.meteor/meteor -- help; \ diff --git a/snapcraft.yaml b/snapcraft.yaml index dbe738d0..e4276976 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -142,6 +142,11 @@ parts: sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' meteor-useraccounts-core/package.js cd .. fi + if [ ! -d "packages/meteor-accounts-cas" ]; then + cd packages + git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git meteor-accounts-cas + cd .. + fi rm -rf package-lock.json .build meteor add standard-minifier-js --allow-superuser meteor npm install --allow-superuser -- cgit v1.2.3-1-g7c22 From b0826e2d7bba878013323183cd9c56e307134160 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 28 Sep 2018 00:26:01 +0300 Subject: - Add CAS with attributes. Thanks to ppoulard ! --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index cd0f7b30..1dee7ad5 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release adds the following new features: + +- [Add attributes to CAS](https://github.com/wekan/wekan/commit/bd6e4a351b984b032e17c57793a70923eb17d8f5). + +Thanks to GitHub user ppoulard for contributions. + # v1.50.3 2018-09-23 Wekan release This release tries to fix the following bugs: -- cgit v1.2.3-1-g7c22 From 7ee453648c0950778624031770e8060cc4d6b677 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 28 Sep 2018 00:27:06 +0300 Subject: Fix typo. --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 1dee7ad5..8d421009 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,7 +2,7 @@ This release adds the following new features: -- [Add attributes to CAS](https://github.com/wekan/wekan/commit/bd6e4a351b984b032e17c57793a70923eb17d8f5). +- [Add CAS with attributes](https://github.com/wekan/wekan/commit/bd6e4a351b984b032e17c57793a70923eb17d8f5). Thanks to GitHub user ppoulard for contributions. -- cgit v1.2.3-1-g7c22 From c6cea2fb4e9e17403fe0ce2ba5bf2d20dcf81a8f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 28 Sep 2018 00:38:17 +0300 Subject: - Add CAS with attributes. Thanks to ppoulard ! --- .gitignore | 1 + .meteor/packages | 3 +-- .meteor/versions | 2 +- Dockerfile | 4 +--- snapcraft.yaml | 5 +++++ 5 files changed, 9 insertions(+), 6 deletions(-) diff --git a/.gitignore b/.gitignore index 7a56bd2e..c3f1293e 100644 --- a/.gitignore +++ b/.gitignore @@ -10,6 +10,7 @@ npm-debug.log .build/* packages/kadira-flow-router/ packages/meteor-useraccounts-core/ +packages/meteor-accounts-cas/ package-lock.json **/parts/ **/stage diff --git a/.meteor/packages b/.meteor/packages index cf859f61..2339c484 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -31,7 +31,6 @@ kenton:accounts-sandstorm service-configuration@1.0.11 useraccounts:unstyled useraccounts:flow-routing -#salleman:accounts-oidc # Utilities check@1.2.5 @@ -87,4 +86,4 @@ momentjs:moment@2.22.2 browser-policy-framing mquandalle:moment msavin:usercache -ppoulard:accounts-cas +wekan:accounts-cas diff --git a/.meteor/versions b/.meteor/versions index c318eebe..184cba0e 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -128,7 +128,6 @@ peerlibrary:blaze-components@0.15.1 peerlibrary:computed-field@0.7.0 peerlibrary:reactive-field@0.3.0 perak:markdown@1.0.5 -ppoulard:accounts-cas@0.1.0 promise@0.10.0 raix:eventemitter@0.1.3 raix:handlebar-helpers@0.2.5 @@ -175,4 +174,5 @@ useraccounts:unstyled@1.14.2 verron:autosize@3.0.8 webapp@1.4.0 webapp-hashing@1.0.9 +wekan:accounts-cas@0.1.0 zimme:active-route@2.3.2 diff --git a/Dockerfile b/Dockerfile index dd0d85a3..376389a2 100644 --- a/Dockerfile +++ b/Dockerfile @@ -148,7 +148,7 @@ RUN \ cd /home/wekan/app/packages && \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/flow-router.git kadira-flow-router && \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/meteor-useraccounts/core.git meteor-useraccounts-core && \ - gosu wekan:wekan git clone --depth 1 -b master git://github.com/ppoulard/meteor-accounts-cas.git meteor-accounts-cas && \ + gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/meteor-accounts-cas.git meteor-accounts-cas && \ sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' /home/wekan/app/packages/meteor-useraccounts-core/package.js && \ cd /home/wekan/.meteor && \ gosu wekan:wekan /home/wekan/.meteor/meteor -- help; \ @@ -156,8 +156,6 @@ RUN \ # Build app cd /home/wekan/app && \ gosu wekan:wekan /home/wekan/.meteor/meteor add standard-minifier-js && \ - # adding CAS - gosu wekan:wekan /home/wekan/.meteor/meteor add ppoulard:accounts-cas && \ gosu wekan:wekan /home/wekan/.meteor/meteor npm install && \ gosu wekan:wekan /home/wekan/.meteor/meteor build --directory /home/wekan/app_build && \ cp /home/wekan/app/fix-download-unicode/cfs_access-point.txt /home/wekan/app_build/bundle/programs/server/packages/cfs_access-point.js && \ diff --git a/snapcraft.yaml b/snapcraft.yaml index dbe738d0..e4276976 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -142,6 +142,11 @@ parts: sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' meteor-useraccounts-core/package.js cd .. fi + if [ ! -d "packages/meteor-accounts-cas" ]; then + cd packages + git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git meteor-accounts-cas + cd .. + fi rm -rf package-lock.json .build meteor add standard-minifier-js --allow-superuser meteor npm install --allow-superuser -- cgit v1.2.3-1-g7c22 From 07f155d82e26b7de2cc9fc1c0d43832b1191685c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 28 Sep 2018 00:39:43 +0300 Subject: - Add CAS with attributes Thanks to ppoulard ! --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 7375d2d7..07b72637 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release adds the following new features: + +- [Add CAS with attributes](https://github.com/wekan/wekan/commit/c6cea2fb4e9e17403fe0ce2ba5bf2d20dcf81a8f). + +Thanks to GitHub user ppoulard for contributions. + # v1.50 2018-09-22 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From cf5b962349682b44591e5a7d124cf40012cba4d5 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 28 Sep 2018 00:52:10 +0300 Subject: Update translations. --- i18n/he.i18n.json | 16 ++++++++-------- i18n/pl.i18n.json | 36 ++++++++++++++++++------------------ i18n/ru.i18n.json | 2 +- 3 files changed, 27 insertions(+), 27 deletions(-) diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index a0a3f01a..ff52b699 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -43,17 +43,17 @@ "activity-sent": "%s נשלח ל%s", "activity-unjoined": "בטל צירוף %s", "activity-subtask-added": "נוספה תת־משימה אל %s", - "activity-checked-item": "checked %s in checklist %s of %s", - "activity-unchecked-item": "unchecked %s in checklist %s of %s", + "activity-checked-item": "%s סומן ברשימת המשימות %s מתוך %s", + "activity-unchecked-item": "בוטל הסימון של %s ברשימת המשימות %s מתוך %s", "activity-checklist-added": "נוספה רשימת משימות אל %s", "activity-checklist-removed": "הוסרה רשימת משימות מ־%s", "activity-checklist-completed": "רשימת המשימות %s מתוך %s הושלמה", - "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", + "activity-checklist-uncompleted": "רשימת המשימות %s מתוך %s סומנה כבלתי מושלמת", "activity-checklist-item-added": "נוסף פריט רשימת משימות אל ‚%s‘ תחת %s", - "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", + "activity-checklist-item-removed": "הוסר פריט מרשימת המשימות ‚%s’ תחת %s", "add": "הוספה", - "activity-checked-item-card": "checked %s in checklist %s", - "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checked-item-card": "סומן %s ברשימת המשימות %s", + "activity-unchecked-item-card": "הסימון של %s בוטל ברשימת המשימות %s", "activity-checklist-completed-card": "רשימת המשימות %s הושלמה", "activity-checklist-uncompleted-card": "רשימת המשימות %s סומנה כבלתי מושלמת", "add-attachment": "הוספת קובץ מצורף", @@ -548,7 +548,7 @@ "r-when-the-label-is": "כאשר התווית היא", "r-list-name": "שם הרשימה", "r-when-a-member": "כאשר חבר הוא", - "r-when-the-member": "When the member", + "r-when-the-member": "כאשר חבר", "r-name": "שם", "r-is": "הוא", "r-when-a-attach": "כאשר קובץ מצורף", @@ -606,5 +606,5 @@ "r-d-check-of-list": "של רשימת משימות", "r-d-add-checklist": "הוספת רשימת משימות", "r-d-remove-checklist": "הסרת רשימת משימות", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "כאשר כרטיס מועבר לרשימה אחרת" } \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index aeeddb2c..85c7dca4 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -2,15 +2,15 @@ "accept": "Akceptuj", "act-activity-notify": "[Wekan] Powiadomienia - aktywności", "act-addAttachment": "dodano załącznik __attachement__ do __card__", - "act-addSubtask": "dodano podzadanie __checklist__ do __card__", - "act-addChecklist": "dodano listę zadań __checklist__ to __card__", - "act-addChecklistItem": "dodano __checklistItem__ do listy zadań __checklist__ na karcie __card__", + "act-addSubtask": "dodał(a) podzadanie __checklist__ do __card__", + "act-addChecklist": "dodał(a) listę zadań __checklist__ to __card__", + "act-addChecklistItem": "dodał(a) __checklistItem__ do listy zadań __checklist__ na karcie __card__", "act-addComment": "skomentowano __card__: __comment__", "act-createBoard": "utworzono __board__", - "act-createCard": "dodano __card__ do __list__", + "act-createCard": "dodał(a) __card__ do __list__", "act-createCustomField": "dodano niestandardowe pole __customField__", - "act-createList": "dodano __list__ do __board__", - "act-addBoardMember": "dodano __member__ do __board__", + "act-createList": "dodał(a) __list__ do __board__", + "act-addBoardMember": "dodał(a) __member__ do __board__", "act-archivedBoard": "__board__ została przeniesiona do kosza", "act-archivedCard": "__card__ została przeniesiona do Kosza", "act-archivedList": "__list__ została przeniesiona do Kosza", @@ -18,17 +18,17 @@ "act-importBoard": "zaimportowano __board__", "act-importCard": "zaimportowano __card__", "act-importList": "zaimportowano __list__", - "act-joinMember": "dodano __member_ do __card__", - "act-moveCard": "przeniesiono __card__ z __oldList__ do __list__", - "act-removeBoardMember": "usunięto __member__ z __board__", + "act-joinMember": "dodał(a) __member_ do __card__", + "act-moveCard": "przeniósł/przeniosła __card__ z __oldList__ do __list__", + "act-removeBoardMember": "usunął/usunęła __member__ z __board__", "act-restoredCard": "przywrócono __card__ do __board__", - "act-unjoinMember": "usunięto __member__ z __card__", + "act-unjoinMember": "usunął/usunęła __member__ z __card__", "act-withBoardTitle": "[Wekan] __board__", "act-withCardTitle": "[__board__] __card__", "actions": "Akcje", "activities": "Ostatnia aktywność", "activity": "Aktywność", - "activity-added": "dodano %s z %s", + "activity-added": "dodał(a) %s z %s", "activity-archived": "%s przeniesiono do Kosza", "activity-attached": "załączono %s z %s", "activity-created": "utworzono %s", @@ -37,19 +37,19 @@ "activity-imported": "zaimportowano %s to %s z %s", "activity-imported-board": "zaimportowano %s z %s", "activity-joined": "dołączono %s", - "activity-moved": "przeniesiono % z %s to %s", + "activity-moved": "przeniósł/przeniosła % z %s to %s", "activity-on": "w %s", "activity-removed": "usunięto %s z %s", "activity-sent": "wysłano %s z %s", "activity-unjoined": "odłączono %s", - "activity-subtask-added": "dodano podzadanie do %s", + "activity-subtask-added": "dodał(a) podzadanie do %s", "activity-checked-item": "zaznaczono %s w liście zadań%s z %s", "activity-unchecked-item": "odznaczono %s w liście zadań %s z %s", - "activity-checklist-added": "dodano listę zadań do %s", + "activity-checklist-added": "dodał(a) listę zadań do %s", "activity-checklist-removed": "usunięto listę zadań z %s", "activity-checklist-completed": "ukończono listę zadań %s z %s", "activity-checklist-uncompleted": "nieukończono listy zadań %s z %s", - "activity-checklist-item-added": "dodano zadanie '%s' do %s", + "activity-checklist-item-added": "dodał(a) zadanie '%s' do %s", "activity-checklist-item-removed": "usunięto element z listy zadań %s w %s", "add": "Dodaj", "activity-checked-item-card": "zaznaczono %s w liście zadań %s", @@ -67,7 +67,7 @@ "add-label": "Dodaj etykietę", "add-list": "Dodaj listę", "add-members": "Dodaj członków", - "added": "Dodano", + "added": "Dodane", "addMemberPopup-title": "Członkowie", "admin": "Administrator", "admin-desc": "Może widzieć i edytować karty, usuwać członków oraz zmieniać ustawienia tablicy.", @@ -519,10 +519,10 @@ "parent-card": "Karta rodzica", "source-board": "Tablica źródłowa", "no-parent": "Nie pokazuj rodzica", - "activity-added-label": "dodano etykietę '%s' z %s", + "activity-added-label": "dodał(a) etykietę '%s' z %s", "activity-removed-label": "usunięto etykietę '%s' z %s", "activity-delete-attach": "usunięto załącznik z %s", - "activity-added-label-card": "usunięto etykietę '%s'", + "activity-added-label-card": "dodał(a) etykietę '%s'", "activity-removed-label-card": "usunięto etykietę '%s'", "activity-delete-attach-card": "usunięto załącznik", "r-rule": "Reguła", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index b55e4dda..d501d77e 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -46,7 +46,7 @@ "activity-checked-item": "checked %s in checklist %s of %s", "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "добавил контрольный список в %s", - "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-removed": "удалил контрольный список из %s", "activity-checklist-completed": "completed the checklist %s of %s", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "добавил пункт контрольного списка в '%s' в карточке %s", -- cgit v1.2.3-1-g7c22 From d671a4bb32774652fd4b89e707dcf053521b5bff Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 28 Sep 2018 01:01:59 +0300 Subject: Update translations. --- i18n/he.i18n.json | 16 ++++++++-------- i18n/pl.i18n.json | 36 ++++++++++++++++++------------------ i18n/ru.i18n.json | 2 +- 3 files changed, 27 insertions(+), 27 deletions(-) diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index a0a3f01a..ff52b699 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -43,17 +43,17 @@ "activity-sent": "%s נשלח ל%s", "activity-unjoined": "בטל צירוף %s", "activity-subtask-added": "נוספה תת־משימה אל %s", - "activity-checked-item": "checked %s in checklist %s of %s", - "activity-unchecked-item": "unchecked %s in checklist %s of %s", + "activity-checked-item": "%s סומן ברשימת המשימות %s מתוך %s", + "activity-unchecked-item": "בוטל הסימון של %s ברשימת המשימות %s מתוך %s", "activity-checklist-added": "נוספה רשימת משימות אל %s", "activity-checklist-removed": "הוסרה רשימת משימות מ־%s", "activity-checklist-completed": "רשימת המשימות %s מתוך %s הושלמה", - "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", + "activity-checklist-uncompleted": "רשימת המשימות %s מתוך %s סומנה כבלתי מושלמת", "activity-checklist-item-added": "נוסף פריט רשימת משימות אל ‚%s‘ תחת %s", - "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", + "activity-checklist-item-removed": "הוסר פריט מרשימת המשימות ‚%s’ תחת %s", "add": "הוספה", - "activity-checked-item-card": "checked %s in checklist %s", - "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checked-item-card": "סומן %s ברשימת המשימות %s", + "activity-unchecked-item-card": "הסימון של %s בוטל ברשימת המשימות %s", "activity-checklist-completed-card": "רשימת המשימות %s הושלמה", "activity-checklist-uncompleted-card": "רשימת המשימות %s סומנה כבלתי מושלמת", "add-attachment": "הוספת קובץ מצורף", @@ -548,7 +548,7 @@ "r-when-the-label-is": "כאשר התווית היא", "r-list-name": "שם הרשימה", "r-when-a-member": "כאשר חבר הוא", - "r-when-the-member": "When the member", + "r-when-the-member": "כאשר חבר", "r-name": "שם", "r-is": "הוא", "r-when-a-attach": "כאשר קובץ מצורף", @@ -606,5 +606,5 @@ "r-d-check-of-list": "של רשימת משימות", "r-d-add-checklist": "הוספת רשימת משימות", "r-d-remove-checklist": "הסרת רשימת משימות", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "כאשר כרטיס מועבר לרשימה אחרת" } \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index aeeddb2c..85c7dca4 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -2,15 +2,15 @@ "accept": "Akceptuj", "act-activity-notify": "[Wekan] Powiadomienia - aktywności", "act-addAttachment": "dodano załącznik __attachement__ do __card__", - "act-addSubtask": "dodano podzadanie __checklist__ do __card__", - "act-addChecklist": "dodano listę zadań __checklist__ to __card__", - "act-addChecklistItem": "dodano __checklistItem__ do listy zadań __checklist__ na karcie __card__", + "act-addSubtask": "dodał(a) podzadanie __checklist__ do __card__", + "act-addChecklist": "dodał(a) listę zadań __checklist__ to __card__", + "act-addChecklistItem": "dodał(a) __checklistItem__ do listy zadań __checklist__ na karcie __card__", "act-addComment": "skomentowano __card__: __comment__", "act-createBoard": "utworzono __board__", - "act-createCard": "dodano __card__ do __list__", + "act-createCard": "dodał(a) __card__ do __list__", "act-createCustomField": "dodano niestandardowe pole __customField__", - "act-createList": "dodano __list__ do __board__", - "act-addBoardMember": "dodano __member__ do __board__", + "act-createList": "dodał(a) __list__ do __board__", + "act-addBoardMember": "dodał(a) __member__ do __board__", "act-archivedBoard": "__board__ została przeniesiona do kosza", "act-archivedCard": "__card__ została przeniesiona do Kosza", "act-archivedList": "__list__ została przeniesiona do Kosza", @@ -18,17 +18,17 @@ "act-importBoard": "zaimportowano __board__", "act-importCard": "zaimportowano __card__", "act-importList": "zaimportowano __list__", - "act-joinMember": "dodano __member_ do __card__", - "act-moveCard": "przeniesiono __card__ z __oldList__ do __list__", - "act-removeBoardMember": "usunięto __member__ z __board__", + "act-joinMember": "dodał(a) __member_ do __card__", + "act-moveCard": "przeniósł/przeniosła __card__ z __oldList__ do __list__", + "act-removeBoardMember": "usunął/usunęła __member__ z __board__", "act-restoredCard": "przywrócono __card__ do __board__", - "act-unjoinMember": "usunięto __member__ z __card__", + "act-unjoinMember": "usunął/usunęła __member__ z __card__", "act-withBoardTitle": "[Wekan] __board__", "act-withCardTitle": "[__board__] __card__", "actions": "Akcje", "activities": "Ostatnia aktywność", "activity": "Aktywność", - "activity-added": "dodano %s z %s", + "activity-added": "dodał(a) %s z %s", "activity-archived": "%s przeniesiono do Kosza", "activity-attached": "załączono %s z %s", "activity-created": "utworzono %s", @@ -37,19 +37,19 @@ "activity-imported": "zaimportowano %s to %s z %s", "activity-imported-board": "zaimportowano %s z %s", "activity-joined": "dołączono %s", - "activity-moved": "przeniesiono % z %s to %s", + "activity-moved": "przeniósł/przeniosła % z %s to %s", "activity-on": "w %s", "activity-removed": "usunięto %s z %s", "activity-sent": "wysłano %s z %s", "activity-unjoined": "odłączono %s", - "activity-subtask-added": "dodano podzadanie do %s", + "activity-subtask-added": "dodał(a) podzadanie do %s", "activity-checked-item": "zaznaczono %s w liście zadań%s z %s", "activity-unchecked-item": "odznaczono %s w liście zadań %s z %s", - "activity-checklist-added": "dodano listę zadań do %s", + "activity-checklist-added": "dodał(a) listę zadań do %s", "activity-checklist-removed": "usunięto listę zadań z %s", "activity-checklist-completed": "ukończono listę zadań %s z %s", "activity-checklist-uncompleted": "nieukończono listy zadań %s z %s", - "activity-checklist-item-added": "dodano zadanie '%s' do %s", + "activity-checklist-item-added": "dodał(a) zadanie '%s' do %s", "activity-checklist-item-removed": "usunięto element z listy zadań %s w %s", "add": "Dodaj", "activity-checked-item-card": "zaznaczono %s w liście zadań %s", @@ -67,7 +67,7 @@ "add-label": "Dodaj etykietę", "add-list": "Dodaj listę", "add-members": "Dodaj członków", - "added": "Dodano", + "added": "Dodane", "addMemberPopup-title": "Członkowie", "admin": "Administrator", "admin-desc": "Może widzieć i edytować karty, usuwać członków oraz zmieniać ustawienia tablicy.", @@ -519,10 +519,10 @@ "parent-card": "Karta rodzica", "source-board": "Tablica źródłowa", "no-parent": "Nie pokazuj rodzica", - "activity-added-label": "dodano etykietę '%s' z %s", + "activity-added-label": "dodał(a) etykietę '%s' z %s", "activity-removed-label": "usunięto etykietę '%s' z %s", "activity-delete-attach": "usunięto załącznik z %s", - "activity-added-label-card": "usunięto etykietę '%s'", + "activity-added-label-card": "dodał(a) etykietę '%s'", "activity-removed-label-card": "usunięto etykietę '%s'", "activity-delete-attach-card": "usunięto załącznik", "r-rule": "Reguła", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index b55e4dda..d501d77e 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -46,7 +46,7 @@ "activity-checked-item": "checked %s in checklist %s of %s", "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "добавил контрольный список в %s", - "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-removed": "удалил контрольный список из %s", "activity-checklist-completed": "completed the checklist %s of %s", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "добавил пункт контрольного списка в '%s' в карточке %s", -- cgit v1.2.3-1-g7c22 From a8f1711890ba36c5ac56f61dd66b1b93e0202321 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 28 Sep 2018 01:03:05 +0300 Subject: Update translations. --- i18n/en.i18n.json | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 81206ae3..896c10a3 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -548,7 +548,7 @@ "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", - "r-when-the-member": "When the member is", + "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", @@ -606,5 +606,6 @@ "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist" + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list" } -- cgit v1.2.3-1-g7c22 From fb46a88a0f01f7f74ae6b941dd6f2060e020f09d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 28 Sep 2018 10:40:20 +0300 Subject: - Move Add Board button to top left, so there is no need to scroll to bottom when there is a lot of boards. Thanks to xet7 ! --- client/components/boards/boardsList.jade | 5 ++--- 1 file changed, 2 insertions(+), 3 deletions(-) diff --git a/client/components/boards/boardsList.jade b/client/components/boards/boardsList.jade index 95ce3678..89852570 100644 --- a/client/components/boards/boardsList.jade +++ b/client/components/boards/boardsList.jade @@ -1,6 +1,8 @@ template(name="boardList") .wrapper ul.board-list.clearfix + li.js-add-board + a.board-list-item.label {{_ 'add-board'}} each boards li(class="{{#if isStarred}}starred{{/if}}" class=colorClass) if isInvited @@ -27,9 +29,6 @@ template(name="boardList") title="{{#if hasOvertimeCards}}{{_ 'has-overtime-cards'}}{{else}}{{_ 'has-spenttime-cards'}}{{/if}}") p.board-list-item-desc= description - li.js-add-board - a.board-list-item.label {{_ 'add-board'}} - template(name="boardListHeaderBar") h1 {{_ 'my-boards'}} -- cgit v1.2.3-1-g7c22 From f6e8e3d107fd607d617631069a9659011c7e84ff Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 28 Sep 2018 10:46:37 +0300 Subject: - Move Add Board button to top left, so there is no need to scroll to bottom when there is a lot of boards. Thanks to xet7 ! --- CHANGELOG.md | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 8d421009..7addac91 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,9 +2,10 @@ This release adds the following new features: -- [Add CAS with attributes](https://github.com/wekan/wekan/commit/bd6e4a351b984b032e17c57793a70923eb17d8f5). +- [Add CAS with attributes](https://github.com/wekan/wekan/commit/bd6e4a351b984b032e17c57793a70923eb17d8f5); +- [Move Add Board button to top left, so there is no need to scroll to bottom when there is a lot of boards]((https://github.com/wekan/wekan/commit/fb46a88a0f01f7f74ae6b941dd6f2060e020f09d). -Thanks to GitHub user ppoulard for contributions. +Thanks to GitHub users ppoulard and xet7 for their contributions. # v1.50.3 2018-09-23 Wekan release -- cgit v1.2.3-1-g7c22 From a10b6fb173d529220861668cfb1c341ec45e2a53 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 28 Sep 2018 10:48:30 +0300 Subject: - Move Add Board button to top left, so there is no need to scroll to bottom when there is a lot of boards. Thanks to xet7 ! --- client/components/boards/boardsList.jade | 5 ++--- 1 file changed, 2 insertions(+), 3 deletions(-) diff --git a/client/components/boards/boardsList.jade b/client/components/boards/boardsList.jade index 95ce3678..89852570 100644 --- a/client/components/boards/boardsList.jade +++ b/client/components/boards/boardsList.jade @@ -1,6 +1,8 @@ template(name="boardList") .wrapper ul.board-list.clearfix + li.js-add-board + a.board-list-item.label {{_ 'add-board'}} each boards li(class="{{#if isStarred}}starred{{/if}}" class=colorClass) if isInvited @@ -27,9 +29,6 @@ template(name="boardList") title="{{#if hasOvertimeCards}}{{_ 'has-overtime-cards'}}{{else}}{{_ 'has-spenttime-cards'}}{{/if}}") p.board-list-item-desc= description - li.js-add-board - a.board-list-item.label {{_ 'add-board'}} - template(name="boardListHeaderBar") h1 {{_ 'my-boards'}} -- cgit v1.2.3-1-g7c22 From d61d9994e3227e1a97cf7fa46aa70174e5f9d167 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 28 Sep 2018 10:51:01 +0300 Subject: - Move Add Board button to top left, so there is no need to scroll to bottom when there is a lot of boards. Thanks to xet7 ! --- CHANGELOG.md | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 07b72637..de1d5085 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,8 +3,9 @@ This release adds the following new features: - [Add CAS with attributes](https://github.com/wekan/wekan/commit/c6cea2fb4e9e17403fe0ce2ba5bf2d20dcf81a8f). +- [Move Add Board button to top left, so there is no need to scroll to bottom when there is a lot of boards]((https://github.com/wekan/wekan/commit/a10b6fb173d529220861668cfb1c341ec45e2a53). -Thanks to GitHub user ppoulard for contributions. +Thanks to GitHub users ppoulard and xet7 for their contributions. # v1.50 2018-09-22 Wekan release -- cgit v1.2.3-1-g7c22 From 6b86b3b6e768b065d4a6e4779b18958ee932d9dc Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 28 Sep 2018 11:00:26 +0300 Subject: v1.51 --- CHANGELOG.md | 6 +++--- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 6 insertions(+), 6 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index de1d5085..725b4c1e 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,9 +1,9 @@ -# Upcoming Wekan release +# v1.51 2018-09-28 Wekan release This release adds the following new features: -- [Add CAS with attributes](https://github.com/wekan/wekan/commit/c6cea2fb4e9e17403fe0ce2ba5bf2d20dcf81a8f). -- [Move Add Board button to top left, so there is no need to scroll to bottom when there is a lot of boards]((https://github.com/wekan/wekan/commit/a10b6fb173d529220861668cfb1c341ec45e2a53). +- [Add CAS with attributes](https://github.com/wekan/wekan/commit/c6cea2fb4e9e17403fe0ce2ba5bf2d20dcf81a8f); +- [Move Add Board button to top left, so there is no need to scroll to bottom when there is a lot of boards](https://github.com/wekan/wekan/commit/a10b6fb173d529220861668cfb1c341ec45e2a53). Thanks to GitHub users ppoulard and xet7 for their contributions. diff --git a/package.json b/package.json index 51e9bd7d..87b04a31 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.50.0", + "version": "1.51.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 6b1f1634..cd094742 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 135, + appVersion = 139, # Increment this for every release. - appMarketingVersion = (defaultText = "1.50.0~2018-09-22"), + appMarketingVersion = (defaultText = "1.51.0~2018-09-28"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From c433e3f80fff4b964222d0074109a4d18bef071e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 28 Sep 2018 11:49:09 +0300 Subject: v1.51.1 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 7addac91..8d7398e0 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.51.1 2018-09-28 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index a25103c0..f9ea53c5 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.50.3", + "version": "v1.51.1", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 1570c092..b1d105e6 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 138, + appVersion = 140, # Increment this for every release. - appMarketingVersion = (defaultText = "1.50.3~2018-09-23"), + appMarketingVersion = (defaultText = "1.51.1~2018-09-28"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 3a3666312ff89e549adef6fa89f964d72e350d3b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 28 Sep 2018 12:25:48 +0300 Subject: Fix typo. --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 8d7398e0..db19135c 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,7 +3,7 @@ This release adds the following new features: - [Add CAS with attributes](https://github.com/wekan/wekan/commit/bd6e4a351b984b032e17c57793a70923eb17d8f5); -- [Move Add Board button to top left, so there is no need to scroll to bottom when there is a lot of boards]((https://github.com/wekan/wekan/commit/fb46a88a0f01f7f74ae6b941dd6f2060e020f09d). +- [Move Add Board button to top left, so there is no need to scroll to bottom when there is a lot of boards](https://github.com/wekan/wekan/commit/fb46a88a0f01f7f74ae6b941dd6f2060e020f09d). Thanks to GitHub users ppoulard and xet7 for their contributions. -- cgit v1.2.3-1-g7c22 From 51ac6c839ecf2226b2a81b0d4f985d3b942f0938 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 30 Sep 2018 02:37:16 +0300 Subject: - REST API: Change role on board. Docs: https://github.com/wekan/wekan/wiki/REST-API-Role Thanks to entrptaher and xet7 ! --- models/boards.js | 30 +++++++++++++++++++++++++++--- 1 file changed, 27 insertions(+), 3 deletions(-) diff --git a/models/boards.js b/models/boards.js index 641ecdb9..52d0ca87 100644 --- a/models/boards.js +++ b/models/boards.js @@ -541,11 +541,10 @@ Boards.mutations({ }; }, - setMemberPermission(memberId, isAdmin, isNoComments, isCommentOnly) { + setMemberPermission(memberId, isAdmin, isNoComments, isCommentOnly, currentUserId = Meteor.userId()) { const memberIndex = this.memberIndex(memberId); - // do not allow change permission of self - if (memberId === Meteor.userId()) { + if (memberId === currentUserId) { isAdmin = this.members[memberIndex].isAdmin; } @@ -927,4 +926,29 @@ if (Meteor.isServer) { }); } }); + + JsonRoutes.add('POST', '/api/boards/:boardId/members/:memberId', function (req, res) { + try { + const boardId = req.params.boardId; + const memberId = req.params.memberId; + const {isAdmin, isNoComments, isCommentOnly} = req.body; + Authentication.checkBoardAccess(req.userId, boardId); + const board = Boards.findOne({ _id: boardId }); + function isTrue(data){ + return data.toLowerCase() === 'true'; + } + board.setMemberPermission(memberId, isTrue(isAdmin), isTrue(isNoComments), isTrue(isCommentOnly), req.userId); + + JsonRoutes.sendResult(res, { + code: 200, + data: query, + }); + } + catch (error) { + JsonRoutes.sendResult(res, { + code: 200, + data: error, + }); + } + }); } -- cgit v1.2.3-1-g7c22 From 181c988706c0061909398df406a3a92711b24c7d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 30 Sep 2018 02:48:16 +0300 Subject: - [REST API: Change role of board member](https://github.com/wekan/wekan/commit/51ac6c839ecf2226b2a81b0d4f985d3b942f0938). Docs: https://github.com/wekan/wekan/wiki/REST-API-Role Related #1861 --- CHANGELOG.md | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index db19135c..3cf837b3 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# Upcoming Wekan release + +This release adds the following new features: + +- [REST API: Change role of board member](https://github.com/wekan/wekan/commit/51ac6c839ecf2226b2a81b0d4f985d3b942f0938). + Docs: https://github.com/wekan/wekan/wiki/REST-API-Role + +Thanks to GitHub users entrptaher and xet7 for their contributions. + # v1.51.1 2018-09-28 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From fccdffb9cc70f2ec4fd751aec793a24320120087 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 30 Sep 2018 02:57:35 +0300 Subject: v1.51.2 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 3cf837b3..5b216298 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.51.2 2018-09-30 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index f9ea53c5..546f204c 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.51.1", + "version": "v1.51.2", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index b1d105e6..0491e1fc 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 140, + appVersion = 141, # Increment this for every release. - appMarketingVersion = (defaultText = "1.51.1~2018-09-28"), + appMarketingVersion = (defaultText = "1.51.2~2018-09-30"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 5923585584f9cb8121476bf5e5d0abf7891e86f6 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 1 Oct 2018 16:33:29 +0300 Subject: - Remove CAS from Wekan stable, because it does not work correctly. CAS developent continues at edge. Thanks to xet7 ! Related #1925 --- .meteor/packages | 1 - .meteor/versions | 1 - Dockerfile | 1 - client/components/main/layouts.jade | 3 --- client/components/main/layouts.js | 17 ----------------- snapcraft.yaml | 5 ----- 6 files changed, 28 deletions(-) diff --git a/.meteor/packages b/.meteor/packages index 2339c484..0bb90513 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -86,4 +86,3 @@ momentjs:moment@2.22.2 browser-policy-framing mquandalle:moment msavin:usercache -wekan:accounts-cas diff --git a/.meteor/versions b/.meteor/versions index 184cba0e..fc7d64b0 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -174,5 +174,4 @@ useraccounts:unstyled@1.14.2 verron:autosize@3.0.8 webapp@1.4.0 webapp-hashing@1.0.9 -wekan:accounts-cas@0.1.0 zimme:active-route@2.3.2 diff --git a/Dockerfile b/Dockerfile index 376389a2..1d0f20e6 100644 --- a/Dockerfile +++ b/Dockerfile @@ -148,7 +148,6 @@ RUN \ cd /home/wekan/app/packages && \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/flow-router.git kadira-flow-router && \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/meteor-useraccounts/core.git meteor-useraccounts-core && \ - gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/meteor-accounts-cas.git meteor-accounts-cas && \ sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' /home/wekan/app/packages/meteor-useraccounts-core/package.js && \ cd /home/wekan/.meteor && \ gosu wekan:wekan /home/wekan/.meteor/meteor -- help; \ diff --git a/client/components/main/layouts.jade b/client/components/main/layouts.jade index b0024b33..bd9fac23 100644 --- a/client/components/main/layouts.jade +++ b/client/components/main/layouts.jade @@ -18,9 +18,6 @@ template(name="userFormsLayout") img(src="{{pathFor '/wekan-logo.png'}}" alt="Wekan") section.auth-dialog +Template.dynamic(template=content) - if isCas - .at-form - button#cas(class='at-btn submit' type='submit') {{casSignInLabel}} div.at-form-lang select.select-lang.js-userform-set-language each languages diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index 6d6e616d..f12718a7 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -39,16 +39,6 @@ Template.userFormsLayout.helpers({ const curLang = T9n.getLanguage() || 'en'; return t9nTag === curLang; }, - - isCas() { - return Meteor.settings.public && - Meteor.settings.public.cas && - Meteor.settings.public.cas.loginUrl; - }, - - casSignInLabel() { - return TAPi18n.__('casSignIn', {}, T9n.getLanguage() || 'en'); - }, }); Template.userFormsLayout.events({ @@ -57,13 +47,6 @@ Template.userFormsLayout.events({ T9n.setLanguage(i18nTagToT9n(i18nTag)); evt.preventDefault(); }, - 'click button#cas'() { - Meteor.loginWithCas(function() { - if (FlowRouter.getRouteName() === 'atSignIn') { - FlowRouter.go('/'); - } - }); - }, }); Template.defaultLayout.events({ diff --git a/snapcraft.yaml b/snapcraft.yaml index e4276976..dbe738d0 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -142,11 +142,6 @@ parts: sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' meteor-useraccounts-core/package.js cd .. fi - if [ ! -d "packages/meteor-accounts-cas" ]; then - cd packages - git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git meteor-accounts-cas - cd .. - fi rm -rf package-lock.json .build meteor add standard-minifier-js --allow-superuser meteor npm install --allow-superuser -- cgit v1.2.3-1-g7c22 From 2ad318b57c354de4be7b1764de43bcfe2fbddbc0 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 1 Oct 2018 16:40:18 +0300 Subject: - Removed CAS from Wekan stable, because it does not work correctly. CAS developent continues at edge. Thanks to xet7 ! Related #1925 --- CHANGELOG.md | 10 ++++++++++ 1 file changed, 10 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 725b4c1e..6b6bf69d 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,13 @@ +# Upcoming Wekan release + +This release removes the following new features: + +- [Removed CAS from Wekan stable](https://github.com/wekan/wekan/commit/5923585584f9cb8121476bf5e5d0abf7891e86f6), + because [it does not work correctly](https://github.com/wekan/wekan/issues/1925). + CAS developent continues at edge. + +Thanks to GitHub user xet7 for contributions. + # v1.51 2018-09-28 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From 1d803d4b5185f6941d3589a48e355f04e8538f55 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 1 Oct 2018 16:47:06 +0300 Subject: v1.52 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 6b6bf69d..bbb9ef1c 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.52 2018-10-01 Wekan release This release removes the following new features: diff --git a/package.json b/package.json index 87b04a31..df8d6234 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.51.0", + "version": "1.52.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index cd094742..31ecbc33 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 139, + appVersion = 142, # Increment this for every release. - appMarketingVersion = (defaultText = "1.51.0~2018-09-28"), + appMarketingVersion = (defaultText = "1.52.0~2018-10-01"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 33caf1809a459b136b671f7061f08eb5e8d5e920 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 2 Oct 2018 00:21:43 +0300 Subject: - REST API: Add member with role to board. Remove member from board. Docs: https://github.com/wekan/wekan/wiki/REST-API-Role - OAuth2: Change Oidc preferred_username back to username. Thanks to xet7 ! Related #1861 --- models/users.js | 77 ++++++++++++++++++++++++++++++++++++++++++++++++++++++++- 1 file changed, 76 insertions(+), 1 deletion(-) diff --git a/models/users.js b/models/users.js index d1b8d047..60e9e759 100644 --- a/models/users.js +++ b/models/users.js @@ -491,7 +491,7 @@ if (Meteor.isServer) { if (user.services.oidc) { const email = user.services.oidc.email.toLowerCase(); - user.username = user.services.oidc.preferred_username; + user.username = user.services.oidc.username; user.emails = [{ address: email, verified: true }]; const initials = user.services.oidc.fullname.match(/\b[a-zA-Z]/g).join('').toUpperCase(); user.profile = { initials, fullname: user.services.oidc.fullname }; @@ -766,6 +766,81 @@ if (Meteor.isServer) { } }); + JsonRoutes.add('POST', '/api/boards/:boardId/members/:userId/add', function (req, res) { + try { + Authentication.checkUserId(req.userId); + const userId = req.params.userId; + const boardId = req.params.boardId; + const action = req.body.action; + const {isAdmin, isNoComments, isCommentOnly} = req.body; + let data = Meteor.users.findOne({ _id: userId }); + if (data !== undefined) { + if (action === 'add') { + data = Boards.find({ + _id: boardId, + }).map(function(board) { + if (!board.hasMember(userId)) { + board.addMember(userId); + function isTrue(data){ + return data.toLowerCase() === 'true'; + } + board.setMemberPermission(userId, isTrue(isAdmin), isTrue(isNoComments), isTrue(isCommentOnly), userId); + } + return { + _id: board._id, + title: board.title, + }; + }); + } + } + JsonRoutes.sendResult(res, { + code: 200, + data: query, + }); + } + catch (error) { + JsonRoutes.sendResult(res, { + code: 200, + data: error, + }); + } + }); + + JsonRoutes.add('POST', '/api/boards/:boardId/members/:userId/remove', function (req, res) { + try { + Authentication.checkUserId(req.userId); + const userId = req.params.userId; + const boardId = req.params.boardId; + const action = req.body.action; + let data = Meteor.users.findOne({ _id: userId }); + if (data !== undefined) { + if (action === 'remove') { + data = Boards.find({ + _id: boardId, + }).map(function(board) { + if (board.hasMember(userId)) { + board.removeMember(userId); + } + return { + _id: board._id, + title: board.title, + }; + }); + } + } + JsonRoutes.sendResult(res, { + code: 200, + data: query, + }); + } + catch (error) { + JsonRoutes.sendResult(res, { + code: 200, + data: error, + }); + } + }); + JsonRoutes.add('POST', '/api/users/', function (req, res) { try { Authentication.checkUserId(req.userId); -- cgit v1.2.3-1-g7c22 From 6a5e053da15532addf036c44e61120a4383a1a0a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 2 Oct 2018 00:36:51 +0300 Subject: - REST API: [Add member with role to board. Remove member from board](https://github.com/wekan/wekan/commit/33caf1809a459b136b671f7061f08eb5e8d5e920). [Docs](https://github.com/wekan/wekan/wiki/REST-API-Role). Related to [role issue](https://github.com/wekan/wekan/issues/1861). - OAuth2: [Revert Oidc preferred_username back to username](https://github.com/wekan/wekan/commit/33caf1809a459b136b671f7061f08eb5e8d5e920). This [does not fix or break anything](https://github.com/wekan/wekan/issues/1874#issuecomment-425179291), Oidc already works with [doorkeeper](https://github.com/doorkeeper-gem/doorkeeper-provider-app). Thanks to xet7 ! Related #1861 --- CHANGELOG.md | 15 +++++++++++++++ 1 file changed, 15 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 5b216298..e644b076 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,18 @@ +# Upcoming Wekan release + +This release adds the following new features: + +- REST API: [Add member with role to board. Remove member from board](https://github.com/wekan/wekan/commit/33caf1809a459b136b671f7061f08eb5e8d5e920). + [Docs](https://github.com/wekan/wekan/wiki/REST-API-Role). Related to [role issue](https://github.com/wekan/wekan/issues/1861). + +and reverts previous change: + +- OAuth2: [Revert Oidc preferred_username back to username](https://github.com/wekan/wekan/commit/33caf1809a459b136b671f7061f08eb5e8d5e920). + This [does not fix or break anything](https://github.com/wekan/wekan/issues/1874#issuecomment-425179291), + Oidc already works with [doorkeeper](https://github.com/doorkeeper-gem/doorkeeper-provider-app). + +Thanks to GitHub user xet7 for contributions. + # v1.51.2 2018-09-30 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From ef4292b559ea450aa4575656cd43cd0b67014648 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 2 Oct 2018 00:49:26 +0300 Subject: Add edge. --- CHANGELOG.md | 14 +++++++------- 1 file changed, 7 insertions(+), 7 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index e644b076..ac8c958b 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# Upcoming Wekan Edge release This release adds the following new features: @@ -13,7 +13,7 @@ and reverts previous change: Thanks to GitHub user xet7 for contributions. -# v1.51.2 2018-09-30 Wekan release +# v1.51.2 2018-09-30 Wekan Edge release This release adds the following new features: @@ -22,7 +22,7 @@ This release adds the following new features: Thanks to GitHub users entrptaher and xet7 for their contributions. -# v1.51.1 2018-09-28 Wekan release +# v1.51.1 2018-09-28 Wekan Edge release This release adds the following new features: @@ -31,7 +31,7 @@ This release adds the following new features: Thanks to GitHub users ppoulard and xet7 for their contributions. -# v1.50.3 2018-09-23 Wekan release +# v1.50.3 2018-09-23 Wekan Edge release This release tries to fix the following bugs: @@ -40,7 +40,7 @@ This release tries to fix the following bugs: Thanks to GitHub user xet7 for contributions. -# v1.50.2 2018-09-23 Wekan release +# v1.50.2 2018-09-23 Wekan Edge release This release tries to fix the following bugs: @@ -48,7 +48,7 @@ This release tries to fix the following bugs: Thanks to GitHub user xet7 for contributions. -# v1.50.1 2018-09-22 Wekan release +# v1.50.1 2018-09-22 Wekan Edge release This release adds the following new features: @@ -66,7 +66,7 @@ and fixes the following bugs: Thanks to GitHub users Angtrim, maurice-schleussinger, suprovsky and xet7 for their contributions. -# v1.49.1 2018-09-17 Wekan release +# v1.49.1 2018-09-17 Wekan Edge release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From 18a1d4c5c63bb8264dee15432e3c4d88d54d51b1 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 2 Oct 2018 01:02:00 +0300 Subject: v1.52.1 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index ac8c958b..9c892cda 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan Edge release +# v1.52.1 2018-10-02 Wekan Edge release This release adds the following new features: diff --git a/package.json b/package.json index 546f204c..89bfe93f 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.51.2", + "version": "v1.52.1", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 0491e1fc..7760ed88 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 141, + appVersion = 143, # Increment this for every release. - appMarketingVersion = (defaultText = "1.51.2~2018-09-30"), + appMarketingVersion = (defaultText = "1.52.1~2018-10-02"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From cb9c94cf9df860cf44fe3f16962fd652939b9260 Mon Sep 17 00:00:00 2001 From: Lukas Berk Date: Tue, 2 Oct 2018 14:46:38 -0400 Subject: Drop default namespace value and duplicate WEKAN_SERVICE_NAME parameter --- openshift/wekan.yml | 6 ------ 1 file changed, 6 deletions(-) diff --git a/openshift/wekan.yml b/openshift/wekan.yml index 0bc96ce8..542cb59a 100644 --- a/openshift/wekan.yml +++ b/openshift/wekan.yml @@ -319,7 +319,6 @@ parameters: - description: The OpenShift Namespace where the ImageStream resides. displayName: Namespace name: NAMESPACE - value: openshift - description: The name of the OpenShift Service exposed for the database. displayName: Database Service Name name: DATABASE_SERVICE_NAME @@ -367,8 +366,3 @@ parameters: value: quay.io/wekan/wekan:latest description: The metabase docker image to use required: true -- name: WEKAN_SERVICE_NAME - displayName: WeKan Service Name - value: wekan - required: true - -- cgit v1.2.3-1-g7c22 From 288800eafc91d07f859c4f59588e0b646137ccb9 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 3 Oct 2018 11:50:52 +0300 Subject: - Add LDAP. In progress. Thanks to maximest-pierre, Akuket and xet. Related #119 --- .meteor/packages | 1 + .meteor/versions | 2 ++ client/components/main/layouts.jade | 1 + client/components/main/layouts.js | 41 +++++++++++++++++++++++- client/components/settings/connectionMethod.jade | 6 ++++ client/components/settings/connectionMethod.js | 34 ++++++++++++++++++++ models/settings.js | 33 +++++++++++++++++++ models/users.js | 15 +++++++-- server/publications/users.js | 10 ++++++ 9 files changed, 139 insertions(+), 4 deletions(-) create mode 100644 client/components/settings/connectionMethod.jade create mode 100644 client/components/settings/connectionMethod.js diff --git a/.meteor/packages b/.meteor/packages index 55fa7727..3779a684 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -87,4 +87,5 @@ momentjs:moment@2.22.2 browser-policy-framing mquandalle:moment msavin:usercache +wekan:wekan-ldap wekan:accounts-cas diff --git a/.meteor/versions b/.meteor/versions index 5f742b3c..a082fd7d 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -179,5 +179,7 @@ useraccounts:unstyled@1.14.2 verron:autosize@3.0.8 webapp@1.4.0 webapp-hashing@1.0.9 +wekan:wekan-ldap@0.0.2 +yasaricli:slugify@0.0.7 wekan:accounts-cas@0.1.0 zimme:active-route@2.3.2 diff --git a/client/components/main/layouts.jade b/client/components/main/layouts.jade index ac7da3af..68876dc5 100644 --- a/client/components/main/layouts.jade +++ b/client/components/main/layouts.jade @@ -18,6 +18,7 @@ template(name="userFormsLayout") img(src="{{pathFor '/wekan-logo.png'}}" alt="Wekan") section.auth-dialog +Template.dynamic(template=content) + +connectionMethod if isCas .at-form button#cas(class='at-btn submit' type='submit') {{casSignInLabel}} diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index 6d6e616d..1d3c3690 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -39,7 +39,7 @@ Template.userFormsLayout.helpers({ const curLang = T9n.getLanguage() || 'en'; return t9nTag === curLang; }, - +/* isCas() { return Meteor.settings.public && Meteor.settings.public.cas && @@ -49,6 +49,7 @@ Template.userFormsLayout.helpers({ casSignInLabel() { return TAPi18n.__('casSignIn', {}, T9n.getLanguage() || 'en'); }, +*/ }); Template.userFormsLayout.events({ @@ -64,6 +65,44 @@ Template.userFormsLayout.events({ } }); }, + 'submit form'(event) { + const connectionMethod = $('.select-connection').val(); + + // Local account + if (connectionMethod === 'default') { + return; + } + + // TODO : find a way to block "submit #at-pwd-form" of the at_pwd_form.js + + const inputs = event.target.getElementsByTagName('input'); + + const email = inputs.namedItem('at-field-username_and_email').value; + const password = inputs.namedItem('at-field-password').value; + + // Ldap account + if (connectionMethod === 'ldap') { + // Check if the user can use the ldap connection + Meteor.subscribe('user-connection-method', email, { + onReady() { + const ldap = Users.findOne(); + + if (ldap) { + // Use the ldap connection package + Meteor.loginWithLDAP(email, password, function(error) { + if (!error) { + // Connection + return FlowRouter.go('/'); + } else { + return error; + } + }); + } + return this.stop(); + }, + }); + } + }, }); Template.defaultLayout.events({ diff --git a/client/components/settings/connectionMethod.jade b/client/components/settings/connectionMethod.jade new file mode 100644 index 00000000..598dd9dd --- /dev/null +++ b/client/components/settings/connectionMethod.jade @@ -0,0 +1,6 @@ +template(name='connectionMethod') + div.at-form-connection + label Authentication method + select.select-connection + each connections + option(value="{{value}}") {{_ value}} diff --git a/client/components/settings/connectionMethod.js b/client/components/settings/connectionMethod.js new file mode 100644 index 00000000..4983a3ef --- /dev/null +++ b/client/components/settings/connectionMethod.js @@ -0,0 +1,34 @@ +Template.connectionMethod.onCreated(function() { + this.connectionMethods = new ReactiveVar([]); + + Meteor.call('getConnectionsEnabled', (_, result) => { + if (result) { + // TODO : add a management of different languages + // (ex {value: ldap, text: TAPi18n.__('ldap', {}, T9n.getLanguage() || 'en')}) + this.connectionMethods.set([ + {value: 'default'}, + // Gets only the connection methods availables + ...Object.entries(result).filter((e) => e[1]).map((e) => ({value: e[0]})), + ]); + } + + // If only the default authentication available, hides the select boxe + const content = $('.at-form-connection'); + if (!(this.connectionMethods.get().length > 1)) { + content.hide(); + } else { + content.show(); + } + }); +}); + +Template.connectionMethod.onRendered(() => { + // Moves the select boxe in the first place of the at-pwd-form div + $('.at-form-connection').detach().prependTo('.at-pwd-form'); +}); + +Template.connectionMethod.helpers({ + connections() { + return Template.instance().connectionMethods.get(); + }, +}); diff --git a/models/settings.js b/models/settings.js index 3b9b4eae..f7c4c85d 100644 --- a/models/settings.js +++ b/models/settings.js @@ -128,6 +128,18 @@ if (Meteor.isServer) { } } + function isLdapEnabled() { + return process.env.LDAP_ENABLE === 'true'; + } + + function isOauth2Enabled() { + return process.env.OAUTH2_ENABLED === 'true'; + } + + function isCasEnabled() { + return process.env.CAS_ENABLED === 'true'; + } + Meteor.methods({ sendInvitation(emails, boards) { check(emails, [String]); @@ -197,5 +209,26 @@ if (Meteor.isServer) { withUserName: process.env.MATOMO_WITH_USERNAME || false, }; }, + + _isLdapEnabled() { + return isLdapEnabled(); + }, + + _isOauth2Enabled() { + return isOauth2Enabled(); + }, + + _isCasEnabled() { + return isCasEnabled(); + }, + + // Gets all connection methods to use it in the Template + getConnectionsEnabled() { + return { + ldap: isLdapEnabled(), + oauth2: isOauth2Enabled(), + cas: isCasEnabled(), + }; + }, }); } diff --git a/models/users.js b/models/users.js index 60e9e759..27d3e9fa 100644 --- a/models/users.js +++ b/models/users.js @@ -127,6 +127,11 @@ Users.attachSchema(new SimpleSchema({ type: Boolean, optional: true, }, + // TODO : write a migration and check if using a ldap parameter is better than a connection_type parameter + ldap: { + type: Boolean, + optional: true, + }, })); Users.allow({ @@ -490,7 +495,6 @@ if (Meteor.isServer) { if (user.services.oidc) { const email = user.services.oidc.email.toLowerCase(); - user.username = user.services.oidc.username; user.emails = [{ address: email, verified: true }]; const initials = user.services.oidc.fullname.match(/\b[a-zA-Z]/g).join('').toUpperCase(); @@ -518,7 +522,10 @@ if (Meteor.isServer) { } const disableRegistration = Settings.findOne().disableRegistration; - if (!disableRegistration) { + // If ldap, bypass the inviation code if the self registration isn't allowed. + // TODO : pay attention if ldap field in the user model change to another content ex : ldap field to connection_type + if (options.ldap || !disableRegistration) { + user.ldap = true; return user; } @@ -636,7 +643,9 @@ if (Meteor.isServer) { //invite user to corresponding boards const disableRegistration = Settings.findOne().disableRegistration; - if (disableRegistration) { + // If ldap, bypass the inviation code if the self registration isn't allowed. + // TODO : pay attention if ldap field in the user model change to another content ex : ldap field to connection_type + if (!doc.ldap && disableRegistration) { const invitationCode = InvitationCodes.findOne({code: doc.profile.icode, valid: true}); if (!invitationCode) { throw new Meteor.Error('error-invitation-code-not-exist'); diff --git a/server/publications/users.js b/server/publications/users.js index 4fd98e13..31c07d26 100644 --- a/server/publications/users.js +++ b/server/publications/users.js @@ -17,3 +17,13 @@ Meteor.publish('user-admin', function() { }, }); }); + +Meteor.publish('user-connection-method', function(match) { + check(match, String); + + return Users.find({$or: [{email: match}, {username: match}]}, { + fields: { + ldap: 1, + }, + }); +}); -- cgit v1.2.3-1-g7c22 From f32b27d2e386119129c3f9df99381502c3f2bcb1 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 3 Oct 2018 11:59:57 +0300 Subject: - [LDAP](https://github.com/wekan/wekan/commit/288800eafc91d07f859c4f59588e0b646137ccb9). In progress. Please test and [add info about bugs](https://github.com/wekan/wekan/issues/119). Thanks to maximest-pierre, Akuket and xet7 ! Related #119 --- CHANGELOG.md | 7 +++++++ 1 file changed, 7 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 9c892cda..216fb383 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,10 @@ +# Upcoming Wekan release. + +- [LDAP](https://github.com/wekan/wekan/commit/288800eafc91d07f859c4f59588e0b646137ccb9). In progress. + Please test and [add info about bugs](https://github.com/wekan/wekan/issues/119). + +Thanks to GitHub users maximest-pierre, Akuket and xet for their contributions. + # v1.52.1 2018-10-02 Wekan Edge release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From 6c1ddf58ed6d67c2adbfa9034abf72938b724d83 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 3 Oct 2018 12:00:54 +0300 Subject: Fix typo. --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 216fb383..191bd9b6 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,7 +3,7 @@ - [LDAP](https://github.com/wekan/wekan/commit/288800eafc91d07f859c4f59588e0b646137ccb9). In progress. Please test and [add info about bugs](https://github.com/wekan/wekan/issues/119). -Thanks to GitHub users maximest-pierre, Akuket and xet for their contributions. +Thanks to GitHub users maximest-pierre, Akuket and xet7 for their contributions. # v1.52.1 2018-10-02 Wekan Edge release -- cgit v1.2.3-1-g7c22 From 5b8c642d8fb16e00000a1d92bcd3a5c6bbd07bce Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 3 Oct 2018 14:24:39 +0300 Subject: - Add whole packages/ directory to .gitignore. Thanks to xet7 ! --- .gitignore | 4 +--- 1 file changed, 1 insertion(+), 3 deletions(-) diff --git a/.gitignore b/.gitignore index c3f1293e..bfc54a42 100644 --- a/.gitignore +++ b/.gitignore @@ -8,9 +8,7 @@ npm-debug.log .vscode/ .idea/ .build/* -packages/kadira-flow-router/ -packages/meteor-useraccounts-core/ -packages/meteor-accounts-cas/ +packages/ package-lock.json **/parts/ **/stage -- cgit v1.2.3-1-g7c22 From f8b89129a308718b9676d3fa9743ce4655507f42 Mon Sep 17 00:00:00 2001 From: Schulz Date: Wed, 3 Oct 2018 15:58:17 +0300 Subject: Card url fixed --- client/components/boards/boardBody.js | 7 +++++++ client/components/cards/cardDetails.js | 20 +++++++++++++++++++- client/components/main/editor.js | 7 +++++-- 3 files changed, 31 insertions(+), 3 deletions(-) diff --git a/client/components/boards/boardBody.js b/client/components/boards/boardBody.js index b68c9b12..ccbd0f23 100644 --- a/client/components/boards/boardBody.js +++ b/client/components/boards/boardBody.js @@ -147,6 +147,13 @@ BlazeComponent.extendComponent({ }); }, + scrollTop(position = 0) { + const swimlanes = this.$('.js-swimlanes'); + swimlanes && swimlanes.animate({ + scrollTop: position, + }); + }, + }).register('boardBody'); BlazeComponent.extendComponent({ diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index 2cd399c1..d1bb3a1e 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -69,6 +69,20 @@ BlazeComponent.extendComponent({ if (offset) { bodyBoardComponent.scrollLeft(cardContainerScroll + offset); } + + //Scroll top + const cardViewStartTop = $cardView.offset().top; + const cardContainerScrollTop = $cardContainer.scrollTop(); + let topOffset = false; + if(cardViewStartTop < 0){ + topOffset = 0; + } else if(cardViewStartTop - cardContainerScrollTop > 100) { + topOffset = cardViewStartTop - cardContainerScrollTop - 100; + } + if(topOffset !== false) { + bodyBoardComponent.scrollTop(topOffset); + } + }, presentParentTask() { @@ -96,7 +110,11 @@ BlazeComponent.extendComponent({ }, onRendered() { - if (!Utils.isMiniScreen()) this.scrollParentContainer(); + if (!Utils.isMiniScreen()){ + Meteor.setTimeout(() => { + this.scrollParentContainer(); + }, 500); + } const $checklistsDom = this.$('.card-checklist-items'); $checklistsDom.sortable({ diff --git a/client/components/main/editor.js b/client/components/main/editor.js index 888fbe00..695c2e84 100755 --- a/client/components/main/editor.js +++ b/client/components/main/editor.js @@ -38,8 +38,11 @@ Blaze.Template.registerHelper('mentions', new Template('mentions', function() { const view = this; const currentBoard = Boards.findOne(Session.get('currentBoard')); const knowedUsers = currentBoard.members.map((member) => { - member.username = Users.findOne(member.userId).username; - return member; + const u = Users.findOne(member.userId); + if(u){ + member.username = u.username; + } + return member; }); const mentionRegex = /\B@([\w.]*)/gi; let content = Blaze.toHTML(view.templateContentBlock); -- cgit v1.2.3-1-g7c22 From 0aac9405ee0d23fe3c9fe502b92b536e94f95766 Mon Sep 17 00:00:00 2001 From: Lukas Berk Date: Wed, 3 Oct 2018 09:34:51 -0400 Subject: Update wekan.yml --- openshift/wekan.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/openshift/wekan.yml b/openshift/wekan.yml index 542cb59a..9ccdf8c0 100644 --- a/openshift/wekan.yml +++ b/openshift/wekan.yml @@ -358,7 +358,7 @@ parameters: required: true value: '3.2' - name: WEKAN_SERVICE_NAME - displayName: WeKan Service Name + displayName: Wekan Service Name value: wekan required: true - name: WEKAN_IMAGE -- cgit v1.2.3-1-g7c22 From 111e4d8478e79f578ae20a72c951b614ba81ef86 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 3 Oct 2018 16:39:16 +0300 Subject: - Fix lint error: whitespace. Thanks to xet7 ! --- client/components/main/editor.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/components/main/editor.js b/client/components/main/editor.js index 695c2e84..20ece562 100755 --- a/client/components/main/editor.js +++ b/client/components/main/editor.js @@ -42,7 +42,7 @@ Blaze.Template.registerHelper('mentions', new Template('mentions', function() { if(u){ member.username = u.username; } - return member; + return member; }); const mentionRegex = /\B@([\w.]*)/gi; let content = Blaze.toHTML(view.templateContentBlock); -- cgit v1.2.3-1-g7c22 From 3d150b63dd361514c90d1fc8f21502b281b4896a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 3 Oct 2018 16:46:20 +0300 Subject: - Fix Card URL https://github.com/wekan/wekan/pull/1932 Thanks to schulz ! --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index bbb9ef1c..98c35853 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- [Fix Card URL](https://github.com/wekan/wekan/pull/1932). + +Thanks to GitHub user schulz for contributions. + # v1.52 2018-10-01 Wekan release This release removes the following new features: -- cgit v1.2.3-1-g7c22 From 29cebc8d3d8974fc0cd29cf5bd42b7e4ffd1fb96 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 3 Oct 2018 17:03:45 +0300 Subject: - OpenShift: Drop default namespace value and duplicate WEKAN_SERVICE_NAME parameter. Thanks to lberk ! Thanks to GitHub users lberk and schulz for their contributions. --- CHANGELOG.md | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 98c35853..c080f68d 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,9 +2,10 @@ This release fixes the following bugs: -- [Fix Card URL](https://github.com/wekan/wekan/pull/1932). +- [Fix Card URL](https://github.com/wekan/wekan/pull/1932); +- [OpenShift: Drop default namespace value and duplicate WEKAN_SERVICE_NAME parameter](https://github.com/wekan/wekan/pull/1930). -Thanks to GitHub user schulz for contributions. +Thanks to GitHub users lberk and schulz for their contributions. # v1.52 2018-10-01 Wekan release -- cgit v1.2.3-1-g7c22 From f437d8370e03439d7ba5649496ec188c5d7b7e0c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 3 Oct 2018 17:05:01 +0300 Subject: - Add whole packages/ directory to .gitignore Thanks to xet7 ! --- .gitignore | 4 +--- 1 file changed, 1 insertion(+), 3 deletions(-) diff --git a/.gitignore b/.gitignore index c3f1293e..bfc54a42 100644 --- a/.gitignore +++ b/.gitignore @@ -8,9 +8,7 @@ npm-debug.log .vscode/ .idea/ .build/* -packages/kadira-flow-router/ -packages/meteor-useraccounts-core/ -packages/meteor-accounts-cas/ +packages/ package-lock.json **/parts/ **/stage -- cgit v1.2.3-1-g7c22 From 463b4f2442c94f7c2315ab6b034b5bde52af0f05 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 3 Oct 2018 17:07:56 +0300 Subject: - Add whole packages/ directory to .gitignore Thanks to xet7 ! --- CHANGELOG.md | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index c080f68d..e934a908 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,9 +3,10 @@ This release fixes the following bugs: - [Fix Card URL](https://github.com/wekan/wekan/pull/1932); -- [OpenShift: Drop default namespace value and duplicate WEKAN_SERVICE_NAME parameter](https://github.com/wekan/wekan/pull/1930). +- [OpenShift: Drop default namespace value and duplicate WEKAN_SERVICE_NAME parameter](https://github.com/wekan/wekan/pull/1930); +- [Add whole packages/ directory to .gitignore](https://github.com/wekan/wekan/commit/f437d8370e03439d7ba5649496ec188c5d7b7e0c). -Thanks to GitHub users lberk and schulz for their contributions. +Thanks to GitHub users lberk, schulz and xet7 for their contributions. # v1.52 2018-10-01 Wekan release -- cgit v1.2.3-1-g7c22 From 001c8f2b0138fb26a8c84acab62a604d0c6e5dda Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 3 Oct 2018 17:20:20 +0300 Subject: - Add info about root-url to GitHub issue template. Thanks to xet7 ! --- .github/ISSUE_TEMPLATE.md | 1 + 1 file changed, 1 insertion(+) diff --git a/.github/ISSUE_TEMPLATE.md b/.github/ISSUE_TEMPLATE.md index dca55329..8a92ed83 100644 --- a/.github/ISSUE_TEMPLATE.md +++ b/.github/ISSUE_TEMPLATE.md @@ -3,6 +3,7 @@ **Server Setup Information**: * Did you test in newest Wekan?: +* For new Wekan install, did you configure root-url correctly https://github.com/wekan/wekan/wiki/Settings ? * Wekan version: * If this is about old version of Wekan, what upgrade problem you have?: * Operating System: -- cgit v1.2.3-1-g7c22 From 0d22f683fe6b5fc856ef9739fa75aa33d556168a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 3 Oct 2018 17:24:38 +0300 Subject: - [Add info about root-url to GitHub issue template](https://github.com/wekan/wekan/commit/001c8f2b0138fb26a8c84acab62a604d0c6e5dda). Thanks to xet7 ! --- CHANGELOG.md | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index e934a908..cb67b3ed 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,7 +4,8 @@ This release fixes the following bugs: - [Fix Card URL](https://github.com/wekan/wekan/pull/1932); - [OpenShift: Drop default namespace value and duplicate WEKAN_SERVICE_NAME parameter](https://github.com/wekan/wekan/pull/1930); -- [Add whole packages/ directory to .gitignore](https://github.com/wekan/wekan/commit/f437d8370e03439d7ba5649496ec188c5d7b7e0c). +- [Add whole packages/ directory to .gitignore](https://github.com/wekan/wekan/commit/f437d8370e03439d7ba5649496ec188c5d7b7e0c); +- [Add info about root-url to GitHub issue template](https://github.com/wekan/wekan/commit/001c8f2b0138fb26a8c84acab62a604d0c6e5dda). Thanks to GitHub users lberk, schulz and xet7 for their contributions. -- cgit v1.2.3-1-g7c22 From 2206c5c84cdf8241e763fc23eceba26254de15e7 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 3 Oct 2018 17:46:00 +0300 Subject: - Fix Card URL https://github.com/wekan/wekan/pull/1932/files Thanks to schulz ! --- client/components/boards/boardBody.js | 7 +++++++ client/components/cards/cardDetails.js | 20 +++++++++++++++++++- client/components/main/editor.js | 5 ++++- 3 files changed, 30 insertions(+), 2 deletions(-) diff --git a/client/components/boards/boardBody.js b/client/components/boards/boardBody.js index b68c9b12..ccbd0f23 100644 --- a/client/components/boards/boardBody.js +++ b/client/components/boards/boardBody.js @@ -147,6 +147,13 @@ BlazeComponent.extendComponent({ }); }, + scrollTop(position = 0) { + const swimlanes = this.$('.js-swimlanes'); + swimlanes && swimlanes.animate({ + scrollTop: position, + }); + }, + }).register('boardBody'); BlazeComponent.extendComponent({ diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index 2cd399c1..da0f126a 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -69,6 +69,20 @@ BlazeComponent.extendComponent({ if (offset) { bodyBoardComponent.scrollLeft(cardContainerScroll + offset); } + + //Scroll top + const cardViewStartTop = $cardView.offset().top; + const cardContainerScrollTop = $cardContainer.scrollTop(); + let topOffset = false; + if(cardViewStartTop < 0){ + topOffset = 0; + } else if(cardViewStartTop - cardContainerScrollTop > 100) { + topOffset = cardViewStartTop - cardContainerScrollTop - 100; + } + if(topOffset !== false) { + bodyBoardComponent.scrollTop(topOffset); + } + }, presentParentTask() { @@ -96,7 +110,11 @@ BlazeComponent.extendComponent({ }, onRendered() { - if (!Utils.isMiniScreen()) this.scrollParentContainer(); + if (!Utils.isMiniScreen()) { + Meteor.setTimeout(() => { + this.scrollParentContainer(); + }, 500); + } const $checklistsDom = this.$('.card-checklist-items'); $checklistsDom.sortable({ diff --git a/client/components/main/editor.js b/client/components/main/editor.js index 888fbe00..20ece562 100755 --- a/client/components/main/editor.js +++ b/client/components/main/editor.js @@ -38,7 +38,10 @@ Blaze.Template.registerHelper('mentions', new Template('mentions', function() { const view = this; const currentBoard = Boards.findOne(Session.get('currentBoard')); const knowedUsers = currentBoard.members.map((member) => { - member.username = Users.findOne(member.userId).username; + const u = Users.findOne(member.userId); + if(u){ + member.username = u.username; + } return member; }); const mentionRegex = /\B@([\w.]*)/gi; -- cgit v1.2.3-1-g7c22 From 35677d0c550ec416edf1810471156da6396c5ebb Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 3 Oct 2018 17:58:03 +0300 Subject: - Fix Card URL https://github.com/wekan/wekan/pull/1932 Thanks to schulz ! --- CHANGELOG.md | 7 ++++--- 1 file changed, 4 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 191bd9b6..61eb01f0 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,9 +1,10 @@ # Upcoming Wekan release. - [LDAP](https://github.com/wekan/wekan/commit/288800eafc91d07f859c4f59588e0b646137ccb9). In progress. - Please test and [add info about bugs](https://github.com/wekan/wekan/issues/119). - -Thanks to GitHub users maximest-pierre, Akuket and xet7 for their contributions. + Please test and [add info about bugs](https://github.com/wekan/wekan/issues/119); +- [Fix Card URL](https://github.com/wekan/wekan/pull/1932). + +Thanks to GitHub users Akuket, maximest-pierre, schulz and xet7 for their contributions. # v1.52.1 2018-10-02 Wekan Edge release -- cgit v1.2.3-1-g7c22 From 4c0eb7dcc19ca9ae8c5d2d0276e0d024269de236 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 3 Oct 2018 18:01:02 +0300 Subject: - Add info about root-url to GitHub issue template. Thanks to xet7 ! --- .github/ISSUE_TEMPLATE.md | 1 + 1 file changed, 1 insertion(+) diff --git a/.github/ISSUE_TEMPLATE.md b/.github/ISSUE_TEMPLATE.md index dca55329..8a92ed83 100644 --- a/.github/ISSUE_TEMPLATE.md +++ b/.github/ISSUE_TEMPLATE.md @@ -3,6 +3,7 @@ **Server Setup Information**: * Did you test in newest Wekan?: +* For new Wekan install, did you configure root-url correctly https://github.com/wekan/wekan/wiki/Settings ? * Wekan version: * If this is about old version of Wekan, what upgrade problem you have?: * Operating System: -- cgit v1.2.3-1-g7c22 From f79f2733a05aad6625c2096666d3e6fbaf200671 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 3 Oct 2018 18:04:25 +0300 Subject: - Add info about root-url to GitHub issue template https://github.com/wekan/wekan/commit/4c0eb7dcc19ca9ae8c5d2d0276e0d024269de236). Thanks to xet7 ! --- CHANGELOG.md | 10 ++++++++-- 1 file changed, 8 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 61eb01f0..c0110251 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,8 +1,14 @@ # Upcoming Wekan release. +This release adds the following new features: + - [LDAP](https://github.com/wekan/wekan/commit/288800eafc91d07f859c4f59588e0b646137ccb9). In progress. - Please test and [add info about bugs](https://github.com/wekan/wekan/issues/119); -- [Fix Card URL](https://github.com/wekan/wekan/pull/1932). + Please test and [add info about bugs](https://github.com/wekan/wekan/issues/119). + +and fixes the following bugs: + +- [Fix Card URL](https://github.com/wekan/wekan/pull/1932); +- [Add info about root-url to GitHub issue template](https://github.com/wekan/wekan/commit/4c0eb7dcc19ca9ae8c5d2d0276e0d024269de236). Thanks to GitHub users Akuket, maximest-pierre, schulz and xet7 for their contributions. -- cgit v1.2.3-1-g7c22 From fcc3560df4dbcc418c63470776376238af4f6ddc Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 3 Oct 2018 18:08:18 +0300 Subject: - OpenShift: Drop default namespace value and duplicate WEKAN_SERVICE_NAME parameter. Thanks to lberk and InfoSec812 ! --- openshift/wekan.yml | 8 +------- 1 file changed, 1 insertion(+), 7 deletions(-) diff --git a/openshift/wekan.yml b/openshift/wekan.yml index 0bc96ce8..9ccdf8c0 100644 --- a/openshift/wekan.yml +++ b/openshift/wekan.yml @@ -319,7 +319,6 @@ parameters: - description: The OpenShift Namespace where the ImageStream resides. displayName: Namespace name: NAMESPACE - value: openshift - description: The name of the OpenShift Service exposed for the database. displayName: Database Service Name name: DATABASE_SERVICE_NAME @@ -359,7 +358,7 @@ parameters: required: true value: '3.2' - name: WEKAN_SERVICE_NAME - displayName: WeKan Service Name + displayName: Wekan Service Name value: wekan required: true - name: WEKAN_IMAGE @@ -367,8 +366,3 @@ parameters: value: quay.io/wekan/wekan:latest description: The metabase docker image to use required: true -- name: WEKAN_SERVICE_NAME - displayName: WeKan Service Name - value: wekan - required: true - -- cgit v1.2.3-1-g7c22 From 56c7b3d00ff59cff2adcd8d39a56e13b4769b1a1 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 3 Oct 2018 18:12:55 +0300 Subject: - [OpenShift: Drop default namespace value and duplicate WEKAN_SERVICE_NAME parameter.commit](https://github.com/wekan/wekan/commit/fcc3560df4dbcc418c63470776376238af4f6ddc). Thanks to lberk and InfoSec812 ! --- CHANGELOG.md | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index c0110251..98a37c28 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -7,10 +7,11 @@ This release adds the following new features: and fixes the following bugs: +- [OpenShift: Drop default namespace value and duplicate WEKAN_SERVICE_NAME parameter.commit](https://github.com/wekan/wekan/commit/fcc3560df4dbcc418c63470776376238af4f6ddc); - [Fix Card URL](https://github.com/wekan/wekan/pull/1932); - [Add info about root-url to GitHub issue template](https://github.com/wekan/wekan/commit/4c0eb7dcc19ca9ae8c5d2d0276e0d024269de236). -Thanks to GitHub users Akuket, maximest-pierre, schulz and xet7 for their contributions. +Thanks to GitHub users Akuket, lberk, maximest-pierre, InfoSec812, schulz and xet7 for their contributions. # v1.52.1 2018-10-02 Wekan Edge release -- cgit v1.2.3-1-g7c22 From a26f9bc1e78041c65ed5b986c93d08ebe660a249 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 3 Oct 2018 18:15:01 +0300 Subject: - [OpenShift: Drop default namespace value and duplicate WEKAN_SERVICE_NAME parameter](https://github.com/wekan/wekan/pull/1930); Thanks to lberk and InfoSec812 ! --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index cb67b3ed..865e6de1 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -7,7 +7,7 @@ This release fixes the following bugs: - [Add whole packages/ directory to .gitignore](https://github.com/wekan/wekan/commit/f437d8370e03439d7ba5649496ec188c5d7b7e0c); - [Add info about root-url to GitHub issue template](https://github.com/wekan/wekan/commit/001c8f2b0138fb26a8c84acab62a604d0c6e5dda). -Thanks to GitHub users lberk, schulz and xet7 for their contributions. +Thanks to GitHub users lberk, InfoSec812 and xet7 for their contributions. # v1.52 2018-10-01 Wekan release -- cgit v1.2.3-1-g7c22 From 22077af137b50e8203ca1105bf22f72b4d17d1f8 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 3 Oct 2018 19:25:11 +0300 Subject: - Add info about stable and edge. Thanks to xet7 ! --- README.md | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/README.md b/README.md index a57a144c..5fd6dc70 100644 --- a/README.md +++ b/README.md @@ -1,5 +1,14 @@ # Wekan +## Stable + +- master+devel branch. At release, devel is merged to master. +- Receives fixes and features that have been tested at edge that they work. + +## Edge + +- edge branch. All new fixes and features are added to here first. [Testing Edge](https://github.com/wekan/wekan-snap/wiki/Snap-Developer-Docs). + [![Translate Wekan at Transifex](https://img.shields.io/badge/Translate%20Wekan-at%20Transifex-brightgreen.svg "Freenode IRC")](https://transifex.com/wekan/wekan) [![Wekan Vanila Chat][vanila_badge]][vanila_chat] -- cgit v1.2.3-1-g7c22 From 76bff73121a5f953544fcbbbd79fb698c5586052 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 3 Oct 2018 21:24:02 +0300 Subject: - Add info about edge. Thanks to xet7 ! --- README.md | 11 +++++++++++ 1 file changed, 11 insertions(+) diff --git a/README.md b/README.md index a57a144c..54804197 100644 --- a/README.md +++ b/README.md @@ -1,5 +1,16 @@ # Wekan +## Stable + +- master+devel branch. At release, devel is merged to master. +- Receives fixes and features that have been tested at edge that they work. +- If you want automatic updates, [use Snap](https://github.com/wekan/wekan-snap/wiki/Install). +- If you want to test before update, [use Docker quay.io release tags](https://github.com/wekan/wekan/wiki/Docker). + +## Edge + +- edge branch. All new fixes and features are added to here first. [Testing Edge](https://github.com/wekan/wekan-snap/wiki/Snap-Developer-Docs). + [![Translate Wekan at Transifex](https://img.shields.io/badge/Translate%20Wekan-at%20Transifex-brightgreen.svg "Freenode IRC")](https://transifex.com/wekan/wekan) [![Wekan Vanila Chat][vanila_badge]][vanila_chat] -- cgit v1.2.3-1-g7c22 From 1623ef65bb49cd0a3e5cb11145ded68f2c11d2fb Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 3 Oct 2018 21:34:00 +0300 Subject: v1.53 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 865e6de1..6f7688a0 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.53 2018-10-03 Wekan release This release fixes the following bugs: diff --git a/package.json b/package.json index df8d6234..8ce4098a 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.52.0", + "version": "1.53.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 31ecbc33..8bd249e4 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 142, + appVersion = 144, # Increment this for every release. - appMarketingVersion = (defaultText = "1.52.0~2018-10-01"), + appMarketingVersion = (defaultText = "1.53.0~2018-10-03"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 4c6c6ffb164027c5a5f29d213be9858c23efd3bf Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 6 Oct 2018 14:01:21 +0300 Subject: Update translations (pt-BR). --- i18n/pt-BR.i18n.json | 74 ++++++++++++++++++++++++++-------------------------- 1 file changed, 37 insertions(+), 37 deletions(-) diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 8338b68b..c1038b2c 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -541,9 +541,9 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", - "r-a-card": "a card", + "r-archived": "Enviado para a lixeira", + "r-unarchived": "Restaurado da lixeira", + "r-a-card": "um cartão", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", "r-list-name": "List name", @@ -558,53 +558,53 @@ "r-made-incomplete": "Made incomplete", "r-when-a-item": "When a checklist item is", "r-when-the-item": "When the checklist item", - "r-checked": "Checked", - "r-unchecked": "Unchecked", + "r-checked": "Marcado", + "r-unchecked": "Desmarcado", "r-move-card-to": "Move card to", "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", "r-archive": "Mover para a lixeira", "r-unarchive": "Restore from Recycle Bin", - "r-card": "card", + "r-card": "cartão", "r-add": "Novo", - "r-remove": "Remove", - "r-label": "label", - "r-member": "member", + "r-remove": "Remover", + "r-label": "etiqueta", + "r-member": "membro", "r-remove-all": "Remove all members from the card", "r-checklist": "checklist", - "r-check-all": "Check all", - "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", - "r-check": "Check", - "r-uncheck": "Uncheck", + "r-check-all": "Marcar todos", + "r-uncheck-all": "Desmarcar todos", + "r-item-check": "itens do checklist", + "r-check": "Marcar", + "r-uncheck": "Desmarcar", "r-item": "item", - "r-of-checklist": "of checklist", - "r-send-email": "Send an email", - "r-to": "to", - "r-subject": "subject", + "r-of-checklist": "do checklist", + "r-send-email": "Enviar um e-mail", + "r-to": "para", + "r-subject": "assunto", "r-rule-details": "Rule details", "r-d-move-to-top-gen": "Move card to top of its list", "r-d-move-to-top-spec": "Move card to top of list", "r-d-move-to-bottom-gen": "Move card to bottom of its list", "r-d-move-to-bottom-spec": "Move card to bottom of list", - "r-d-send-email": "Send email", - "r-d-send-email-to": "to", - "r-d-send-email-subject": "subject", - "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", - "r-d-add-label": "Add label", - "r-d-remove-label": "Remove label", - "r-d-add-member": "Add member", - "r-d-remove-member": "Remove member", - "r-d-remove-all-member": "Remove all member", - "r-d-check-all": "Check all items of a list", - "r-d-uncheck-all": "Uncheck all items of a list", - "r-d-check-one": "Check item", - "r-d-uncheck-one": "Uncheck item", - "r-d-check-of-list": "of checklist", - "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-d-send-email": "Enviar e-mail", + "r-d-send-email-to": "para", + "r-d-send-email-subject": "assunto", + "r-d-send-email-message": "mensagem", + "r-d-archive": "Enviar cartão para a lixeira", + "r-d-unarchive": "Restaurar cartão da lixeira", + "r-d-add-label": "Adicionar etiqueta", + "r-d-remove-label": "Remover etiqueta", + "r-d-add-member": "Adicionar membro", + "r-d-remove-member": "Remover membro", + "r-d-remove-all-member": "Remover todos os membros", + "r-d-check-all": "Marcar todos os itens de uma lista", + "r-d-uncheck-all": "Desmarcar todos os itens de uma lista", + "r-d-check-one": "Marcar item", + "r-d-uncheck-one": "Desmarcar item", + "r-d-check-of-list": "do checklist", + "r-d-add-checklist": "Adicionar checklist", + "r-d-remove-checklist": "Remover checklist", + "r-when-a-card-is-moved": "Quando um cartão é movido de outra lista" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From a2866ce6f3c3bfc0be91eade626faa27c111ff83 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 6 Oct 2018 15:06:56 +0300 Subject: Update translations (pt-BR). --- i18n/pt-BR.i18n.json | 74 ++++++++++++++++++++++++++-------------------------- 1 file changed, 37 insertions(+), 37 deletions(-) diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 8338b68b..c1038b2c 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -541,9 +541,9 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", - "r-a-card": "a card", + "r-archived": "Enviado para a lixeira", + "r-unarchived": "Restaurado da lixeira", + "r-a-card": "um cartão", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", "r-list-name": "List name", @@ -558,53 +558,53 @@ "r-made-incomplete": "Made incomplete", "r-when-a-item": "When a checklist item is", "r-when-the-item": "When the checklist item", - "r-checked": "Checked", - "r-unchecked": "Unchecked", + "r-checked": "Marcado", + "r-unchecked": "Desmarcado", "r-move-card-to": "Move card to", "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", "r-archive": "Mover para a lixeira", "r-unarchive": "Restore from Recycle Bin", - "r-card": "card", + "r-card": "cartão", "r-add": "Novo", - "r-remove": "Remove", - "r-label": "label", - "r-member": "member", + "r-remove": "Remover", + "r-label": "etiqueta", + "r-member": "membro", "r-remove-all": "Remove all members from the card", "r-checklist": "checklist", - "r-check-all": "Check all", - "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", - "r-check": "Check", - "r-uncheck": "Uncheck", + "r-check-all": "Marcar todos", + "r-uncheck-all": "Desmarcar todos", + "r-item-check": "itens do checklist", + "r-check": "Marcar", + "r-uncheck": "Desmarcar", "r-item": "item", - "r-of-checklist": "of checklist", - "r-send-email": "Send an email", - "r-to": "to", - "r-subject": "subject", + "r-of-checklist": "do checklist", + "r-send-email": "Enviar um e-mail", + "r-to": "para", + "r-subject": "assunto", "r-rule-details": "Rule details", "r-d-move-to-top-gen": "Move card to top of its list", "r-d-move-to-top-spec": "Move card to top of list", "r-d-move-to-bottom-gen": "Move card to bottom of its list", "r-d-move-to-bottom-spec": "Move card to bottom of list", - "r-d-send-email": "Send email", - "r-d-send-email-to": "to", - "r-d-send-email-subject": "subject", - "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", - "r-d-add-label": "Add label", - "r-d-remove-label": "Remove label", - "r-d-add-member": "Add member", - "r-d-remove-member": "Remove member", - "r-d-remove-all-member": "Remove all member", - "r-d-check-all": "Check all items of a list", - "r-d-uncheck-all": "Uncheck all items of a list", - "r-d-check-one": "Check item", - "r-d-uncheck-one": "Uncheck item", - "r-d-check-of-list": "of checklist", - "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-d-send-email": "Enviar e-mail", + "r-d-send-email-to": "para", + "r-d-send-email-subject": "assunto", + "r-d-send-email-message": "mensagem", + "r-d-archive": "Enviar cartão para a lixeira", + "r-d-unarchive": "Restaurar cartão da lixeira", + "r-d-add-label": "Adicionar etiqueta", + "r-d-remove-label": "Remover etiqueta", + "r-d-add-member": "Adicionar membro", + "r-d-remove-member": "Remover membro", + "r-d-remove-all-member": "Remover todos os membros", + "r-d-check-all": "Marcar todos os itens de uma lista", + "r-d-uncheck-all": "Desmarcar todos os itens de uma lista", + "r-d-check-one": "Marcar item", + "r-d-uncheck-one": "Desmarcar item", + "r-d-check-of-list": "do checklist", + "r-d-add-checklist": "Adicionar checklist", + "r-d-remove-checklist": "Remover checklist", + "r-when-a-card-is-moved": "Quando um cartão é movido de outra lista" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From ebd884e654c45373dc56a03730a4ce670887ce8b Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Sun, 7 Oct 2018 17:27:26 +0200 Subject: Fixed lint errors --- client/components/rules/rulesActions.js | 8 ++++---- client/components/rules/rulesMain.js | 2 +- client/components/rules/rulesTriggers.js | 6 +++--- models/checklistItems.js | 8 ++++---- models/wekanCreator.js | 6 +++--- server/rulesHelper.js | 6 +++--- 6 files changed, 18 insertions(+), 18 deletions(-) diff --git a/client/components/rules/rulesActions.js b/client/components/rules/rulesActions.js index ecba857b..64a5c70e 100644 --- a/client/components/rules/rulesActions.js +++ b/client/components/rules/rulesActions.js @@ -41,16 +41,16 @@ BlazeComponent.extendComponent({ }, events() { return [{ - 'click .js-set-board-actions' (event) { + 'click .js-set-board-actions'(){ this.setBoardActions(); }, - 'click .js-set-card-actions' (event) { + 'click .js-set-card-actions'() { this.setCardActions(); }, - 'click .js-set-mail-actions' (event) { + 'click .js-set-mail-actions'() { this.setMailActions(); }, - 'click .js-set-checklist-actions' (event) { + 'click .js-set-checklist-actions'() { this.setChecklistActions(); }, }]; diff --git a/client/components/rules/rulesMain.js b/client/components/rules/rulesMain.js index 65cc3d98..e0171b56 100644 --- a/client/components/rules/rulesMain.js +++ b/client/components/rules/rulesMain.js @@ -24,7 +24,7 @@ BlazeComponent.extendComponent({ events() { return [{ - 'click .js-delete-rule' (event) { + 'click .js-delete-rule' () { const rule = this.currentData(); Rules.remove(rule._id); Actions.remove(rule.actionId); diff --git a/client/components/rules/rulesTriggers.js b/client/components/rules/rulesTriggers.js index 506e63b2..e3c16221 100644 --- a/client/components/rules/rulesTriggers.js +++ b/client/components/rules/rulesTriggers.js @@ -39,13 +39,13 @@ BlazeComponent.extendComponent({ }, events() { return [{ - 'click .js-set-board-triggers' (event) { + 'click .js-set-board-triggers' () { this.setBoardTriggers(); }, - 'click .js-set-card-triggers' (event) { + 'click .js-set-card-triggers' () { this.setCardTriggers(); }, - 'click .js-set-checklist-triggers' (event) { + 'click .js-set-checklist-triggers' () { this.setChecklistTriggers(); }, }]; diff --git a/models/checklistItems.js b/models/checklistItems.js index 7132bc7c..519630ae 100644 --- a/models/checklistItems.js +++ b/models/checklistItems.js @@ -118,7 +118,7 @@ function publishCheckActivity(userId, doc){ Activities.insert(act); } -function publishChekListCompleted(userId, doc, fieldNames, modifier){ +function publishChekListCompleted(userId, doc, fieldNames){ const card = Cards.findOne(doc.cardId); const boardId = card.boardId; const checklistId = doc.checklistId; @@ -136,7 +136,7 @@ function publishChekListCompleted(userId, doc, fieldNames, modifier){ } } -function publishChekListUncompleted(userId, doc, fieldNames, modifier){ +function publishChekListUncompleted(userId, doc, fieldNames){ const card = Cards.findOne(doc.cardId); const boardId = card.boardId; const checklistId = doc.checklistId; @@ -162,11 +162,11 @@ if (Meteor.isServer) { ChecklistItems.after.update((userId, doc, fieldNames, modifier) => { publishCheckActivity(userId, doc); - publishChekListCompleted(userId, doc, fieldNames, modifier); + publishChekListCompleted(userId, doc, fieldNames); }); ChecklistItems.before.update((userId, doc, fieldNames, modifier) => { - publishChekListUncompleted(userId, doc, fieldNames, modifier); + publishChekListUncompleted(userId, doc, fieldNames); }); diff --git a/models/wekanCreator.js b/models/wekanCreator.js index b018b06d..59d0cfd5 100644 --- a/models/wekanCreator.js +++ b/models/wekanCreator.js @@ -510,7 +510,7 @@ export class WekanCreator { } createTriggers(wekanTriggers, boardId) { - wekanTriggers.forEach((trigger, ruleIndex) => { + wekanTriggers.forEach((trigger) => { if (trigger.hasOwnProperty('labelId')) { trigger.labelId = this.labels[trigger.labelId]; } @@ -525,7 +525,7 @@ export class WekanCreator { } createActions(wekanActions, boardId) { - wekanActions.forEach((action, ruleIndex) => { + wekanActions.forEach((action) => { if (action.hasOwnProperty('labelId')) { action.labelId = this.labels[action.labelId]; } @@ -540,7 +540,7 @@ export class WekanCreator { } createRules(wekanRules, boardId) { - wekanRules.forEach((rule, ruleIndex) => { + wekanRules.forEach((rule) => { // Create the rule rule.boardId = boardId; rule.triggerId = this.triggers[rule.triggerId]; diff --git a/server/rulesHelper.js b/server/rulesHelper.js index e9139933..4c195e23 100644 --- a/server/rulesHelper.js +++ b/server/rulesHelper.js @@ -65,10 +65,10 @@ RulesHelper = { const emailSubject = action.emailSubject; try { Email.send({ - to, + emailTo, from: Accounts.emailTemplates.from, - subject, - text, + emailSubject, + emailMsg, }); } catch (e) { return; -- cgit v1.2.3-1-g7c22 From f19948f9936af6656d70ba629d56cbf40de77b2a Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Sun, 7 Oct 2018 17:47:01 +0200 Subject: Added back button --- client/components/rules/ruleDetails.jade | 4 ++++ client/components/rules/rules.styl | 11 +++++++++++ client/components/rules/rulesActions.jade | 6 +++++- client/components/rules/rulesMain.js | 9 +++++++++ client/components/rules/rulesTriggers.jade | 6 +++++- i18n/en.i18n.json | 3 ++- 6 files changed, 36 insertions(+), 3 deletions(-) diff --git a/client/components/rules/ruleDetails.jade b/client/components/rules/ruleDetails.jade index b9a1351c..1f351357 100644 --- a/client/components/rules/ruleDetails.jade +++ b/client/components/rules/ruleDetails.jade @@ -14,5 +14,9 @@ template(name="ruleDetails") div.trigger-content div.trigger-text = action + div.rules-back + button.js-goback + i.fa.fa-chevron-left + | {{{_ 'r-back'}}} \ No newline at end of file diff --git a/client/components/rules/rules.styl b/client/components/rules/rules.styl index 45ce4003..b52f84a7 100644 --- a/client/components/rules/rules.styl +++ b/client/components/rules/rules.styl @@ -32,6 +32,17 @@ display: inline-block float: right margin: auto +.rules-back + display: block + overflow: auto + margin-top: 15px + margin-bottom: 5px + button + display: inline-block + float: right + margin: auto + margin-right:14px + .flex display: -webkit-box display: -moz-box diff --git a/client/components/rules/rulesActions.jade b/client/components/rules/rulesActions.jade index 8dfceeeb..4bcff769 100644 --- a/client/components/rules/rulesActions.jade +++ b/client/components/rules/rulesActions.jade @@ -22,4 +22,8 @@ template(name="rulesActions") else if ($eq currentActions.get 'checklist') +checklistActions(ruleName=data.ruleName triggerVar=data.triggerVar) else if ($eq currentActions.get 'mail') - +mailActions(ruleName=data.ruleName triggerVar=data.triggerVar) \ No newline at end of file + +mailActions(ruleName=data.ruleName triggerVar=data.triggerVar) + div.rules-back + button.js-goback + i.fa.fa-chevron-left + | {{{_ 'r-back'}}} \ No newline at end of file diff --git a/client/components/rules/rulesMain.js b/client/components/rules/rulesMain.js index e0171b56..feb46d74 100644 --- a/client/components/rules/rulesMain.js +++ b/client/components/rules/rulesMain.js @@ -46,6 +46,15 @@ BlazeComponent.extendComponent({ event.preventDefault(); this.setRulesList(); }, + 'click .js-goback' (event) { + event.preventDefault(); + if(this.rulesCurrentTab.get() === 'trigger' || this.rulesCurrentTab.get() === 'ruleDetails' ){ + this.setRulesList(); + } + if(this.rulesCurrentTab.get() === 'action'){ + this.setTrigger(); + } + }, 'click .js-goto-details' (event) { event.preventDefault(); const rule = this.currentData(); diff --git a/client/components/rules/rulesTriggers.jade b/client/components/rules/rulesTriggers.jade index 0ef5edfa..01c0cad5 100644 --- a/client/components/rules/rulesTriggers.jade +++ b/client/components/rules/rulesTriggers.jade @@ -18,4 +18,8 @@ template(name="rulesTriggers") else if showCardTrigger.get +cardTriggers else if showChecklistTrigger.get - +checklistTriggers \ No newline at end of file + +checklistTriggers + div.rules-back + button.js-goback + i.fa.fa-chevron-left + | {{{_ 'r-back'}}} \ No newline at end of file diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 896c10a3..df34f446 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -607,5 +607,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Back" } -- cgit v1.2.3-1-g7c22 From 02422cc8f2408d5de913ccef05442b20bb31fe08 Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Sun, 7 Oct 2018 17:50:08 +0200 Subject: Fixed language source typo --- i18n/en.i18n.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index df34f446..fdbe3007 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -576,7 +576,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", -- cgit v1.2.3-1-g7c22 From 506b95107c9c124d07f36be295487b1454107a86 Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Sun, 7 Oct 2018 17:55:24 +0200 Subject: Fixed uppercase rules details --- client/components/rules/ruleDetails.js | 8 ++++++-- 1 file changed, 6 insertions(+), 2 deletions(-) diff --git a/client/components/rules/ruleDetails.js b/client/components/rules/ruleDetails.js index 386b2b48..17c86dc3 100644 --- a/client/components/rules/ruleDetails.js +++ b/client/components/rules/ruleDetails.js @@ -14,7 +14,9 @@ BlazeComponent.extendComponent({ const trigger = Triggers.findOne({ _id: rule.triggerId, }); - return trigger.description(); + const desc = trigger.description(); + const upperdesc = desc.charAt(0).toUpperCase() + desc.substr(1); + return upperdesc; }, action() { const ruleId = this.data().ruleId; @@ -24,7 +26,9 @@ BlazeComponent.extendComponent({ const action = Actions.findOne({ _id: rule.actionId, }); - return action.description(); + const desc = action.description(); + const upperdesc = desc.charAt(0).toUpperCase() + desc.substr(1); + return upperdesc; }, events() { -- cgit v1.2.3-1-g7c22 From d0735e1d8edb4f88ede9f103e692eac7d41484f9 Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Sun, 7 Oct 2018 18:10:01 +0200 Subject: Fixed rules conflicts --- server/rulesHelper.js | 11 +++++++++-- 1 file changed, 9 insertions(+), 2 deletions(-) diff --git a/server/rulesHelper.js b/server/rulesHelper.js index 4c195e23..3630507a 100644 --- a/server/rulesHelper.js +++ b/server/rulesHelper.js @@ -3,7 +3,9 @@ RulesHelper = { const matchingRules = this.findMatchingRules(activity); for(let i = 0; i< matchingRules.length; i++){ const action = matchingRules[i].getAction(); - this.performAction(activity, action); + if(action != undefined){ + this.performAction(activity, action); + } } }, findMatchingRules(activity){ @@ -16,7 +18,12 @@ RulesHelper = { const matchingTriggers = Triggers.find(matchingMap); const matchingRules = []; matchingTriggers.forEach(function(trigger){ - matchingRules.push(trigger.getRule()); + const rule = trigger.getRule(); + // Check that for some unknown reason there are some leftover triggers + // not connected to any rules + if(rule != undefined){ + matchingRules.push(trigger.getRule()); + } }); return matchingRules; }, -- cgit v1.2.3-1-g7c22 From 6931b88e4013754a7b03205a9916b9e607224f48 Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Sun, 7 Oct 2018 18:19:51 +0200 Subject: Prevent rules with no name --- client/components/rules/rulesMain.js | 8 +++++--- i18n/en.i18n.json | 2 +- 2 files changed, 6 insertions(+), 4 deletions(-) diff --git a/client/components/rules/rulesMain.js b/client/components/rules/rulesMain.js index feb46d74..3e871c69 100644 --- a/client/components/rules/rulesMain.js +++ b/client/components/rules/rulesMain.js @@ -34,9 +34,11 @@ BlazeComponent.extendComponent({ 'click .js-goto-trigger' (event) { event.preventDefault(); const ruleTitle = this.find('#ruleTitle').value; - this.find('#ruleTitle').value = ''; - this.ruleName.set(ruleTitle); - this.setTrigger(); + if(ruleTitle != undefined && ruleTitle != ''){ + this.find('#ruleTitle').value = ''; + this.ruleName.set(ruleTitle); + this.setTrigger(); + } }, 'click .js-goto-action' (event) { event.preventDefault(); diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index fdbe3007..cec9b6e4 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", -- cgit v1.2.3-1-g7c22 From d516ecb20ceaa21d5687ae093317473774843510 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 8 Oct 2018 00:13:38 +0300 Subject: Update translations. --- i18n/ar.i18n.json | 7 ++++--- i18n/bg.i18n.json | 7 ++++--- i18n/br.i18n.json | 7 ++++--- i18n/ca.i18n.json | 7 ++++--- i18n/cs.i18n.json | 7 ++++--- i18n/de.i18n.json | 7 ++++--- i18n/el.i18n.json | 7 ++++--- i18n/en-GB.i18n.json | 7 ++++--- i18n/eo.i18n.json | 7 ++++--- i18n/es-AR.i18n.json | 7 ++++--- i18n/es.i18n.json | 7 ++++--- i18n/eu.i18n.json | 7 ++++--- i18n/fa.i18n.json | 7 ++++--- i18n/fi.i18n.json | 7 ++++--- i18n/fr.i18n.json | 7 ++++--- i18n/gl.i18n.json | 7 ++++--- i18n/he.i18n.json | 7 ++++--- i18n/hu.i18n.json | 7 ++++--- i18n/hy.i18n.json | 7 ++++--- i18n/id.i18n.json | 7 ++++--- i18n/ig.i18n.json | 7 ++++--- i18n/it.i18n.json | 7 ++++--- i18n/ja.i18n.json | 7 ++++--- i18n/ka.i18n.json | 7 ++++--- i18n/km.i18n.json | 7 ++++--- i18n/ko.i18n.json | 7 ++++--- i18n/lv.i18n.json | 7 ++++--- i18n/mn.i18n.json | 7 ++++--- i18n/nb.i18n.json | 7 ++++--- i18n/nl.i18n.json | 7 ++++--- i18n/pl.i18n.json | 7 ++++--- i18n/pt-BR.i18n.json | 7 ++++--- i18n/pt.i18n.json | 7 ++++--- i18n/ro.i18n.json | 7 ++++--- i18n/ru.i18n.json | 7 ++++--- i18n/sr.i18n.json | 7 ++++--- i18n/sv.i18n.json | 7 ++++--- i18n/ta.i18n.json | 7 ++++--- i18n/th.i18n.json | 7 ++++--- i18n/tr.i18n.json | 7 ++++--- i18n/uk.i18n.json | 7 ++++--- i18n/vi.i18n.json | 7 ++++--- i18n/zh-CN.i18n.json | 7 ++++--- i18n/zh-TW.i18n.json | 7 ++++--- 44 files changed, 176 insertions(+), 132 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 62e886e5..79c2c439 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "رجوع" } \ No newline at end of file diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 9a8c8b65..9694e362 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Назад" } \ No newline at end of file diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index 467c99d9..11b03b67 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Back" } \ No newline at end of file diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index dd54348e..d4f8a9e4 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Enrere" } \ No newline at end of file diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index e9bc74ab..4ab246ff 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Přidat pravidlo", "r-view-rule": "Zobrazit pravidlo", "r-delete-rule": "Smazat pravidlo", - "r-new-rule-name": "Přidat nové pravidlo", + "r-new-rule-name": "New rule title", "r-no-rules": "Žádná pravidla", "r-when-a-card-is": "Pokud je karta", "r-added-to": "Přidáno do", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Přidat checklist", "r-d-remove-checklist": "Odstranit checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Zpět" } \ No newline at end of file diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 408224fd..0061cd20 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Regel hinzufügen", "r-view-rule": "Regel anzeigen", "r-delete-rule": "Regel löschen", - "r-new-rule-name": "Neue Regel hinzufügen", + "r-new-rule-name": "New rule title", "r-no-rules": "Keine Regeln", "r-when-a-card-is": "Wenn eine Karte ist", "r-added-to": "Hinzugefügt zu", @@ -575,7 +575,7 @@ "r-checklist": "Checkliste", "r-check-all": "Alle markieren", "r-uncheck-all": "Alle demarkieren", - "r-item-check": "Elemente der Checkliste", + "r-items-check": "items of checklist", "r-check": "Markieren", "r-uncheck": "Demarkieren", "r-item": "Element", @@ -606,5 +606,6 @@ "r-d-check-of-list": "der Checkliste", "r-d-add-checklist": "Checkliste hinzufügen", "r-d-remove-checklist": "Checkliste entfernen", - "r-when-a-card-is-moved": "Wenn eine Karte in eine andere Liste verschoben wird" + "r-when-a-card-is-moved": "Wenn eine Karte in eine andere Liste verschoben wird", + "r-back": "Zurück" } \ No newline at end of file diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 6f9c3a66..8eaf0547 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Πίσω" } \ No newline at end of file diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index bf2dbea3..2bd95662 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Back" } \ No newline at end of file diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index a61208b3..a198a3ca 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Reen" } \ No newline at end of file diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index a2d55ac2..ed498502 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Atrás" } \ No newline at end of file diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 1c11035b..10e52b72 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Atrás" } \ No newline at end of file diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index 19e36b19..8175de0b 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Atzera" } \ No newline at end of file diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index 9ebaee6a..43b41309 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "بازگشت" } \ No newline at end of file diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 753acfaf..913b0756 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Lisää sääntö", "r-view-rule": "Näytä sääntö", "r-delete-rule": "Poista sääntö", - "r-new-rule-name": "Lisää uusi sääntö", + "r-new-rule-name": "Uuden säännön otsikko", "r-no-rules": "Ei sääntöjä", "r-when-a-card-is": "Kun kortti on", "r-added-to": "Lisätty kohteeseen", @@ -575,7 +575,7 @@ "r-checklist": "tarkistuslista", "r-check-all": "Ruksaa kaikki", "r-uncheck-all": "Poista ruksi kaikista", - "r-item-check": "Kohtaa tarkistuslistassa", + "r-items-check": "kohtaa tarkistuslistassa", "r-check": "Ruksaa", "r-uncheck": "Poista ruksi", "r-item": "kohta", @@ -606,5 +606,6 @@ "r-d-check-of-list": "tarkistuslistasta", "r-d-add-checklist": "Lisää tarkistuslista", "r-d-remove-checklist": "Poista tarkistuslista", - "r-when-a-card-is-moved": "Kun kortti on siirretty toiseen listaan" + "r-when-a-card-is-moved": "Kun kortti on siirretty toiseen listaan", + "r-back": "Takaisin" } \ No newline at end of file diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 47da1ee2..666afaa3 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Ajouter une règle", "r-view-rule": "Voir la règle", "r-delete-rule": "Supprimer la règle", - "r-new-rule-name": "Ajouter une nouvelle règle", + "r-new-rule-name": "New rule title", "r-no-rules": "Pas de règles", "r-when-a-card-is": "Quand une carte est", "r-added-to": "Ajouté à", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Tout cocher", "r-uncheck-all": "Tout décocher", - "r-item-check": "Éléments de la checklist", + "r-items-check": "items of checklist", "r-check": "Cocher", "r-uncheck": "Décocher", "r-item": "élément", @@ -606,5 +606,6 @@ "r-d-check-of-list": "de la checklist", "r-d-add-checklist": "Ajouter une checklist", "r-d-remove-checklist": "Supprimer la checklist", - "r-when-a-card-is-moved": "Quand une carte est déplacée vers une autre liste" + "r-when-a-card-is-moved": "Quand une carte est déplacée vers une autre liste", + "r-back": "Retour" } \ No newline at end of file diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 759bd1cd..02df41df 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Back" } \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index ff52b699..34d6a0bd 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "הוספת כלל", "r-view-rule": "הצגת כלל", "r-delete-rule": "מחיקת כל", - "r-new-rule-name": "הוספת כלל חדש", + "r-new-rule-name": "New rule title", "r-no-rules": "אין כללים", "r-when-a-card-is": "כאשר כרטיס", "r-added-to": "נוסף אל", @@ -575,7 +575,7 @@ "r-checklist": "רשימת משימות", "r-check-all": "לסמן הכול", "r-uncheck-all": "לבטל את הסימון", - "r-item-check": "פריטים לרשימת משימות", + "r-items-check": "items of checklist", "r-check": "סימון", "r-uncheck": "ביטול סימון", "r-item": "פריט", @@ -606,5 +606,6 @@ "r-d-check-of-list": "של רשימת משימות", "r-d-add-checklist": "הוספת רשימת משימות", "r-d-remove-checklist": "הסרת רשימת משימות", - "r-when-a-card-is-moved": "כאשר כרטיס מועבר לרשימה אחרת" + "r-when-a-card-is-moved": "כאשר כרטיס מועבר לרשימה אחרת", + "r-back": "חזרה" } \ No newline at end of file diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index 1ebe8bef..989bc046 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Vissza" } \ No newline at end of file diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index d37621bc..e59f2b2a 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Back" } \ No newline at end of file diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 11ce4d45..1124fc1b 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Kembali" } \ No newline at end of file diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 9ff7f64c..7ca45a9f 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Back" } \ No newline at end of file diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 85c760c6..383c19a0 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Indietro" } \ No newline at end of file diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index c86845b7..4d471c8a 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "戻る" } \ No newline at end of file diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index 3012bb3e..0c380495 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "უკან" } \ No newline at end of file diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index 0e6c8934..a1f10b5f 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Back" } \ No newline at end of file diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index 17d42a59..ef5cd2a8 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "뒤로" } \ No newline at end of file diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 7baad114..19a11148 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Back" } \ No newline at end of file diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index e7698c57..c07943cc 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Back" } \ No newline at end of file diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index 15d8a651..7192b06e 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Tilbake" } \ No newline at end of file diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 51332157..74181664 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Terug" } \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 85c7dca4..e9638c5f 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Dodaj regułę", "r-view-rule": "Zobacz regułę", "r-delete-rule": "Usuń regułę", - "r-new-rule-name": "Dodaj nową regułę", + "r-new-rule-name": "New rule title", "r-no-rules": "Brak regułę", "r-when-a-card-is": "Gdy karta jest", "r-added-to": "Dodano do", @@ -575,7 +575,7 @@ "r-checklist": "lista zadań", "r-check-all": "Zaznacz wszystkie", "r-uncheck-all": "Odznacz wszystkie", - "r-item-check": "Elementy listy zadań", + "r-items-check": "items of checklist", "r-check": "Zaznacz", "r-uncheck": "Odznacz", "r-item": "element", @@ -606,5 +606,6 @@ "r-d-check-of-list": "z listy zadań", "r-d-add-checklist": "Dodaj listę zadań", "r-d-remove-checklist": "Usuń listę zadań", - "r-when-a-card-is-moved": "Gdy karta jest przeniesiona do innej listy" + "r-when-a-card-is-moved": "Gdy karta jest przeniesiona do innej listy", + "r-back": "Wstecz" } \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index c1038b2c..fab66d39 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Marcar todos", "r-uncheck-all": "Desmarcar todos", - "r-item-check": "itens do checklist", + "r-items-check": "items of checklist", "r-check": "Marcar", "r-uncheck": "Desmarcar", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "do checklist", "r-d-add-checklist": "Adicionar checklist", "r-d-remove-checklist": "Remover checklist", - "r-when-a-card-is-moved": "Quando um cartão é movido de outra lista" + "r-when-a-card-is-moved": "Quando um cartão é movido de outra lista", + "r-back": "Voltar" } \ No newline at end of file diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 986efb39..e4b17726 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Back" } \ No newline at end of file diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index 6ece0bcc..0ce0d83c 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Înapoi" } \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index d501d77e..197957c5 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Назад" } \ No newline at end of file diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index 968b6a18..df740b3d 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Nazad" } \ No newline at end of file diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 670f6844..935f554b 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Tillbaka" } \ No newline at end of file diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index 07686e88..770b7d66 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Back" } \ No newline at end of file diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index 3227dd34..a07806a4 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "ย้อนกลับ" } \ No newline at end of file diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index e6b5e275..ba793344 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Geri" } \ No newline at end of file diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 0fc8265e..47422a57 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Назад" } \ No newline at end of file diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index be1a166e..a71693b6 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "Trở Lại" } \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 7f49807f..274c2a38 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "返回" } \ No newline at end of file diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 89ea22e5..4bc60d39 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,6 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "r-back": "返回" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 5d0b23ee3f76c19a4d6a0db5ab32104ad36f2798 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 8 Oct 2018 00:29:36 +0300 Subject: - [Feature rules: fixes and enhancements](https://github.com/wekan/wekan/pull/1936). Thanks to Angtrim ! --- CHANGELOG.md | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 98a37c28..49a1fbf0 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -9,9 +9,10 @@ and fixes the following bugs: - [OpenShift: Drop default namespace value and duplicate WEKAN_SERVICE_NAME parameter.commit](https://github.com/wekan/wekan/commit/fcc3560df4dbcc418c63470776376238af4f6ddc); - [Fix Card URL](https://github.com/wekan/wekan/pull/1932); -- [Add info about root-url to GitHub issue template](https://github.com/wekan/wekan/commit/4c0eb7dcc19ca9ae8c5d2d0276e0d024269de236). +- [Add info about root-url to GitHub issue template](https://github.com/wekan/wekan/commit/4c0eb7dcc19ca9ae8c5d2d0276e0d024269de236); +- [Feature rules: fixes and enhancements](https://github.com/wekan/wekan/pull/1936). -Thanks to GitHub users Akuket, lberk, maximest-pierre, InfoSec812, schulz and xet7 for their contributions. +Thanks to GitHub users Akuket, Angtrim, lberk, maximest-pierre, InfoSec812, schulz and xet7 for their contributions. # v1.52.1 2018-10-02 Wekan Edge release -- cgit v1.2.3-1-g7c22 From 58855ada97677d25475ba4721834c0f576ed3b47 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 8 Oct 2018 00:44:02 +0300 Subject: - Fix lint errors and warnings. Thanks to xet7 ! --- client/components/rules/rulesMain.js | 2 +- models/checklistItems.js | 12 ++++++------ server/rulesHelper.js | 4 ++-- 3 files changed, 9 insertions(+), 9 deletions(-) diff --git a/client/components/rules/rulesMain.js b/client/components/rules/rulesMain.js index 3e871c69..0752a541 100644 --- a/client/components/rules/rulesMain.js +++ b/client/components/rules/rulesMain.js @@ -34,7 +34,7 @@ BlazeComponent.extendComponent({ 'click .js-goto-trigger' (event) { event.preventDefault(); const ruleTitle = this.find('#ruleTitle').value; - if(ruleTitle != undefined && ruleTitle != ''){ + if(ruleTitle !== undefined && ruleTitle !== ''){ this.find('#ruleTitle').value = ''; this.ruleName.set(ruleTitle); this.setTrigger(); diff --git a/models/checklistItems.js b/models/checklistItems.js index 519630ae..c85c0260 100644 --- a/models/checklistItems.js +++ b/models/checklistItems.js @@ -118,7 +118,7 @@ function publishCheckActivity(userId, doc){ Activities.insert(act); } -function publishChekListCompleted(userId, doc, fieldNames){ +function publishChekListCompleted(userId, doc){ const card = Cards.findOne(doc.cardId); const boardId = card.boardId; const checklistId = doc.checklistId; @@ -130,13 +130,13 @@ function publishChekListCompleted(userId, doc, fieldNames){ cardId: doc.cardId, boardId, checklistId: doc.checklistId, - checklistName:checkList.title, + checklistName: checkList.title, }; Activities.insert(act); } } -function publishChekListUncompleted(userId, doc, fieldNames){ +function publishChekListUncompleted(userId, doc){ const card = Cards.findOne(doc.cardId); const boardId = card.boardId; const checklistId = doc.checklistId; @@ -148,7 +148,7 @@ function publishChekListUncompleted(userId, doc, fieldNames){ cardId: doc.cardId, boardId, checklistId: doc.checklistId, - checklistName:checkList.title, + checklistName: checkList.title, }; Activities.insert(act); } @@ -160,12 +160,12 @@ if (Meteor.isServer) { ChecklistItems._collection._ensureIndex({ checklistId: 1 }); }); - ChecklistItems.after.update((userId, doc, fieldNames, modifier) => { + ChecklistItems.after.update((userId, doc, fieldNames) => { publishCheckActivity(userId, doc); publishChekListCompleted(userId, doc, fieldNames); }); - ChecklistItems.before.update((userId, doc, fieldNames, modifier) => { + ChecklistItems.before.update((userId, doc, fieldNames) => { publishChekListUncompleted(userId, doc, fieldNames); }); diff --git a/server/rulesHelper.js b/server/rulesHelper.js index 3630507a..833092d0 100644 --- a/server/rulesHelper.js +++ b/server/rulesHelper.js @@ -3,7 +3,7 @@ RulesHelper = { const matchingRules = this.findMatchingRules(activity); for(let i = 0; i< matchingRules.length; i++){ const action = matchingRules[i].getAction(); - if(action != undefined){ + if(action !== undefined){ this.performAction(activity, action); } } @@ -21,7 +21,7 @@ RulesHelper = { const rule = trigger.getRule(); // Check that for some unknown reason there are some leftover triggers // not connected to any rules - if(rule != undefined){ + if(rule !== undefined){ matchingRules.push(trigger.getRule()); } }); -- cgit v1.2.3-1-g7c22 From 3b4f285fea4a90ee96bfce855e1539adcec9b7aa Mon Sep 17 00:00:00 2001 From: guillaume Date: Tue, 9 Oct 2018 14:14:39 +0200 Subject: add ldap support | simplify authentications --- Dockerfile | 82 +++++++++++- client/components/main/layouts.js | 48 ++++--- client/components/settings/connectionMethod.jade | 8 +- client/components/settings/connectionMethod.js | 22 ++-- client/components/settings/peopleBody.jade | 22 +++- client/components/settings/peopleBody.js | 31 +++++ docker-compose.yml | 121 +++++++++++++++++ i18n/en.i18n.json | 7 +- models/settings.js | 2 +- models/users.js | 14 +- sandstorm-pkgdef.capnp | 4 +- server/migrations.js | 12 ++ server/publications/people.js | 1 + server/publications/users.js | 7 +- snap-src/bin/config | 161 ++++++++++++++++++++++- 15 files changed, 493 insertions(+), 49 deletions(-) diff --git a/Dockerfile b/Dockerfile index 376389a2..363748a0 100644 --- a/Dockerfile +++ b/Dockerfile @@ -18,12 +18,52 @@ ARG MATOMO_WITH_USERNAME ARG BROWSER_POLICY_ENABLED ARG TRUSTED_URL ARG WEBHOOKS_ATTRIBUTES +ARG OAUTH2_ENABLED ARG OAUTH2_CLIENT_ID ARG OAUTH2_SECRET ARG OAUTH2_SERVER_URL ARG OAUTH2_AUTH_ENDPOINT ARG OAUTH2_USERINFO_ENDPOINT ARG OAUTH2_TOKEN_ENDPOINT +ARG LDAP_ENABLE +ARG LDAP_PORT +ARG LDAP_HOST +ARG LDAP_BASEDN +ARG LDAP_LOGIN_FALLBACK +ARG LDAP_RECONNECT +ARG LDAP_TIMEOUT +ARG LDAP_IDLE_TIMEOUT +ARG LDAP_CONNECT_TIMEOUT +ARG LDAP_AUTHENTIFICATION +ARG LDAP_AUTHENTIFICATION_USERDN +ARG LDAP_AUTHENTIFICATION_PASSWORD +ARG LDAP_LOG_ENABLED +ARG LDAP_BACKGROUND_SYNC +ARG LDAP_BACKGROUND_SYNC_INTERVAL +ARG LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED +ARG LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS +ARG LDAP_ENCRYPTION +ARG LDAP_CA_CERT +ARG LDAP_REJECT_UNAUTHORIZED +ARG LDAP_USER_SEARCH_FILTER +ARG LDAP_USER_SEARCH_SCOPE +ARG LDAP_USER_SEARCH_FIELD +ARG LDAP_SEARCH_PAGE_SIZE +ARG LDAP_SEARCH_SIZE_LIMIT +ARG LDAP_GROUP_FILTER_ENABLE +ARG LDAP_GROUP_FILTER_OBJECTCLASS +ARG LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE +ARG LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE +ARG LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT +ARG LDAP_GROUP_FILTER_GROUP_NAME +ARG LDAP_UNIQUE_IDENTIFIER_FIELD +ARG LDAP_UTF8_NAMES_SLUGIFY +ARG LDAP_USERNAME_FIELD +ARG LDAP_MERGE_EXISTING_USERS +ARG LDAP_SYNC_USER_DATA +ARG LDAP_SYNC_USER_DATA_FIELDMAP +ARG LDAP_SYNC_GROUP_ROLES +ARG LDAP_DEFAULT_DOMAIN # Set the environment variables (defaults where required) # DOES NOT WORK: paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303 @@ -45,12 +85,52 @@ ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential pyth BROWSER_POLICY_ENABLED=true \ TRUSTED_URL="" \ WEBHOOKS_ATTRIBUTES="" \ + OAUTH2_ENABLED=false \ OAUTH2_CLIENT_ID="" \ OAUTH2_SECRET="" \ OAUTH2_SERVER_URL="" \ OAUTH2_AUTH_ENDPOINT="" \ OAUTH2_USERINFO_ENDPOINT="" \ - OAUTH2_TOKEN_ENDPOINT="" + OAUTH2_TOKEN_ENDPOINT="" \ + LDAP_ENABLE=false \ + LDAP_PORT=389 \ + LDAP_HOST="" \ + LDAP_BASEDN="" \ + LDAP_LOGIN_FALLBACK=false \ + LDAP_RECONNECT=true \ + LDAP_TIMEOUT=10000 \ + LDAP_IDLE_TIMEOUT=10000 \ + LDAP_CONNECT_TIMEOUT=10000 \ + LDAP_AUTHENTIFICATION=false \ + LDAP_AUTHENTIFICATION_USERDN="" \ + LDAP_AUTHENTIFICATION_PASSWORD="" \ + LDAP_LOG_ENABLED=false \ + LDAP_BACKGROUND_SYNC=false \ + LDAP_BACKGROUND_SYNC_INTERVAL=100 \ + LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=false \ + LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=false \ + LDAP_ENCRYPTION=false \ + LDAP_CA_CERT="" \ + LDAP_REJECT_UNAUTHORIZED=false \ + LDAP_USER_SEARCH_FILTER="" \ + LDAP_USER_SEARCH_SCOPE="" \ + LDAP_USER_SEARCH_FIELD="" \ + LDAP_SEARCH_PAGE_SIZE=0 \ + LDAP_SEARCH_SIZE_LIMIT=0 \ + LDAP_GROUP_FILTER_ENABLE=false \ + LDAP_GROUP_FILTER_OBJECTCLASS="" \ + LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE="" \ + LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE="" \ + LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT="" \ + LDAP_GROUP_FILTER_GROUP_NAME="" \ + LDAP_UNIQUE_IDENTIFIER_FIELD="" \ + LDAP_UTF8_NAMES_SLUGIFY=true \ + LDAP_USERNAME_FIELD="" \ + LDAP_MERGE_EXISTING_USERS=false \ + LDAP_SYNC_USER_DATA=false \ + LDAP_SYNC_USER_DATA_FIELDMAP="" \ + LDAP_SYNC_GROUP_ROLES="" \ + LDAP_DEFAULT_DOMAIN="" \ # Copy the app to the image COPY ${SRC_PATH} /home/wekan/app diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index 1d3c3690..6d1f95d4 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -6,7 +6,23 @@ const i18nTagToT9n = (i18nTag) => { return i18nTag; }; +const validator = { + set: function(obj, prop, value) { + if (prop === 'state' && value !== 'signIn') { + $('.at-form-authentication').hide(); + } else if (prop === 'state' && value === 'signIn') { + $('.at-form-authentication').show(); + } + // The default behavior to store the value + obj[prop] = value; + // Indicate success + return true; + } +}; + Template.userFormsLayout.onRendered(() => { + AccountsTemplates.state.form.keys = new Proxy(AccountsTemplates.state.form.keys, validator); + const i18nTag = navigator.language; if (i18nTag) { T9n.setLanguage(i18nTagToT9n(i18nTag)); @@ -65,37 +81,37 @@ Template.userFormsLayout.events({ } }); }, - 'submit form'(event) { - const connectionMethod = $('.select-connection').val(); - + 'click #at-btn'(event) { + /* All authentication method can be managed/called here. + !! DON'T FORGET to correctly fill the fields of the user during its creation if necessary authenticationMethod : String !! + */ + const authenticationMethodSelected = $('.select-authentication').val(); // Local account - if (connectionMethod === 'default') { + if (authenticationMethodSelected === 'password') { return; } - // TODO : find a way to block "submit #at-pwd-form" of the at_pwd_form.js + // Stop submit #at-pwd-form + event.preventDefault(); + event.stopImmediatePropagation(); - const inputs = event.target.getElementsByTagName('input'); - - const email = inputs.namedItem('at-field-username_and_email').value; - const password = inputs.namedItem('at-field-password').value; + const email = $('#at-field-username_and_email').val(); + const password = $('#at-field-password').val(); // Ldap account - if (connectionMethod === 'ldap') { + if (authenticationMethodSelected === 'ldap') { // Check if the user can use the ldap connection - Meteor.subscribe('user-connection-method', email, { + Meteor.subscribe('user-authenticationMethod', email, { onReady() { - const ldap = Users.findOne(); - - if (ldap) { + const user = Users.findOne(); + if (user === undefined || user.authenticationMethod === 'ldap') { // Use the ldap connection package Meteor.loginWithLDAP(email, password, function(error) { if (!error) { // Connection return FlowRouter.go('/'); - } else { - return error; } + return error; }); } return this.stop(); diff --git a/client/components/settings/connectionMethod.jade b/client/components/settings/connectionMethod.jade index 598dd9dd..ac4c8c64 100644 --- a/client/components/settings/connectionMethod.jade +++ b/client/components/settings/connectionMethod.jade @@ -1,6 +1,6 @@ template(name='connectionMethod') - div.at-form-connection - label Authentication method - select.select-connection - each connections + div.at-form-authentication + label {{_ 'authentication-method'}} + select.select-authentication + each authentications option(value="{{value}}") {{_ value}} diff --git a/client/components/settings/connectionMethod.js b/client/components/settings/connectionMethod.js index 4983a3ef..3d5cfd76 100644 --- a/client/components/settings/connectionMethod.js +++ b/client/components/settings/connectionMethod.js @@ -1,20 +1,20 @@ Template.connectionMethod.onCreated(function() { - this.connectionMethods = new ReactiveVar([]); + this.authenticationMethods = new ReactiveVar([]); - Meteor.call('getConnectionsEnabled', (_, result) => { + Meteor.call('getAuthenticationsEnabled', (_, result) => { if (result) { // TODO : add a management of different languages // (ex {value: ldap, text: TAPi18n.__('ldap', {}, T9n.getLanguage() || 'en')}) - this.connectionMethods.set([ - {value: 'default'}, - // Gets only the connection methods availables + this.authenticationMethods.set([ + {value: 'password'}, + // Gets only the authentication methods availables ...Object.entries(result).filter((e) => e[1]).map((e) => ({value: e[0]})), ]); } // If only the default authentication available, hides the select boxe - const content = $('.at-form-connection'); - if (!(this.connectionMethods.get().length > 1)) { + const content = $('.at-form-authentication'); + if (!(this.authenticationMethods.get().length > 1)) { content.hide(); } else { content.show(); @@ -24,11 +24,11 @@ Template.connectionMethod.onCreated(function() { Template.connectionMethod.onRendered(() => { // Moves the select boxe in the first place of the at-pwd-form div - $('.at-form-connection').detach().prependTo('.at-pwd-form'); + $('.at-form-authentication').detach().prependTo('.at-pwd-form'); }); Template.connectionMethod.helpers({ - connections() { - return Template.instance().connectionMethods.get(); + authentications() { + return Template.instance().authenticationMethods.get(); }, -}); +}); \ No newline at end of file diff --git a/client/components/settings/peopleBody.jade b/client/components/settings/peopleBody.jade index a3506a24..4d06637e 100644 --- a/client/components/settings/peopleBody.jade +++ b/client/components/settings/peopleBody.jade @@ -27,6 +27,7 @@ template(name="peopleGeneral") th {{_ 'verified'}} th {{_ 'createdAt'}} th {{_ 'active'}} + th {{_ 'authentication-method'}} th each user in peopleList +peopleRow(userId=user._id) @@ -52,6 +53,7 @@ template(name="peopleRow") | {{_ 'no'}} else | {{_ 'yes'}} + td {{_ userData.authenticationMethod }} td a.edit-user | {{_ 'edit'}} @@ -66,12 +68,18 @@ template(name="editUserPopup") | {{_ 'username'}} span.error.hide.username-taken | {{_ 'error-username-taken'}} - input.js-profile-username(type="text" value=user.username) + if isLdap + input.js-profile-username(type="text" value=user.username readonly) + else + input.js-profile-username(type="text" value=user.username) label | {{_ 'email'}} span.error.hide.email-taken | {{_ 'error-email-taken'}} - input.js-profile-email(type="email" value="{{user.emails.[0].address}}") + if isLdap + input.js-profile-email(type="email" value="{{user.emails.[0].address}}" readonly) + else + input.js-profile-email(type="email" value="{{user.emails.[0].address}}") label | {{_ 'admin'}} select.select-role.js-profile-isadmin @@ -82,9 +90,17 @@ template(name="editUserPopup") select.select-active.js-profile-isactive option(value="false") {{_ 'yes'}} option(value="true" selected="{{user.loginDisabled}}") {{_ 'no'}} + label + | {{_ 'authentication-type'}} + select.select-authenticationMethod.js-authenticationMethod + each authentications + if isSelected value + option(value="{{value}}" selected) {{_ value}} + else + option(value="{{value}}") {{_ value}} hr label | {{_ 'password'}} input.js-profile-password(type="password") - input.primary.wide(type="submit" value="{{_ 'save'}}") + input.primary.wide(type="submit" value="{{_ 'save'}}") \ No newline at end of file diff --git a/client/components/settings/peopleBody.js b/client/components/settings/peopleBody.js index 7cc992f2..acc94081 100644 --- a/client/components/settings/peopleBody.js +++ b/client/components/settings/peopleBody.js @@ -62,10 +62,39 @@ Template.peopleRow.helpers({ }, }); +Template.editUserPopup.onCreated(function() { + this.authenticationMethods = new ReactiveVar([]); + + Meteor.call('getAuthenticationsEnabled', (_, result) => { + if (result) { + // TODO : add a management of different languages + // (ex {value: ldap, text: TAPi18n.__('ldap', {}, T9n.getLanguage() || 'en')}) + this.authenticationMethods.set([ + {value: 'password'}, + // Gets only the authentication methods availables + ...Object.entries(result).filter(e => e[1]).map(e => ({value: e[0]})), + ]); + } + }); +}); + Template.editUserPopup.helpers({ user() { return Users.findOne(this.userId); }, + authentications() { + return Template.instance().authenticationMethods.get(); + }, + isSelected(match) { + const userId = Template.instance().data.userId; + const selected = Users.findOne(userId).authenticationMethod; + return selected === match; + }, + isLdap() { + const userId = Template.instance().data.userId; + const selected = Users.findOne(userId).authenticationMethod; + return selected === 'ldap'; + } }); BlazeComponent.extendComponent({ @@ -91,6 +120,7 @@ Template.editUserPopup.events({ const isAdmin = tpl.find('.js-profile-isadmin').value.trim(); const isActive = tpl.find('.js-profile-isactive').value.trim(); const email = tpl.find('.js-profile-email').value.trim(); + const authentication = tpl.find('.js-authenticationMethod').value.trim(); const isChangePassword = password.length > 0; const isChangeUserName = username !== user.username; @@ -101,6 +131,7 @@ Template.editUserPopup.events({ 'profile.fullname': fullname, 'isAdmin': isAdmin === 'true', 'loginDisabled': isActive === 'true', + 'authenticationMethod': authentication }, }); diff --git a/docker-compose.yml b/docker-compose.yml index 7509bbc9..4b4cd02d 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -63,6 +63,9 @@ services: # What to send to Outgoing Webhook, or leave out. Example, that includes all that are default: cardId,listId,oldListId,boardId,comment,user,card,commentId . # example: WEBHOOKS_ATTRIBUTES=cardId,listId,oldListId,boardId,comment,user,card,commentId - WEBHOOKS_ATTRIBUTES='' + # Enable the OAuth2 connection + # example: OAUTH2_ENABLED=true + - OAUTH2_ENABLED=false # OAuth2 docs: https://github.com/wekan/wekan/wiki/OAuth2 # OAuth2 Client ID, for example from Rocket.Chat. Example: abcde12345 # example: OAUTH2_CLIENT_ID=abcde12345 @@ -82,6 +85,124 @@ services: # OAuth2 Token Endpoint. Example: /oauth/token # example: OAUTH2_TOKEN_ENDPOINT=/oauth/token - OAUTH2_TOKEN_ENDPOINT='' + # LDAP_ENABLE : Enable or not the connection by the LDAP + # example : LDAP_ENABLE=true + - LDAP_ENABLE=false + # LDAP_PORT : The port of the LDAP server + # example : LDAP_PORT=389 + - LDAP_PORT=389 + # LDAP_HOST : The host server for the LDAP server + # example : LDAP_HOST=localhost + - LDAP_HOST='' + # LDAP_BASEDN : The base DN for the LDAP Tree + # example : LDAP_BASEDN=ou=user,dc=example,dc=org + - LDAP_BASEDN='' + # LDAP_LOGIN_FALLBACK : Fallback on the default authentication method + # example : LDAP_LOGIN_FALLBACK=true + - LDAP_LOGIN_FALLBACK=false + # LDAP_RECONNECT : Reconnect to the server if the connection is lost + # example : LDAP_RECONNECT=false + - LDAP_RECONNECT=true + # LDAP_TIMEOUT : Overall timeout, in milliseconds + # example : LDAP_TIMEOUT=12345 + - LDAP_TIMEOUT=10000 + # LDAP_IDLE_TIMEOUT : Specifies the timeout for idle LDAP connections in milliseconds + # example : LDAP_IDLE_TIMEOUT=12345 + - LDAP_IDLE_TIMEOUT=10000 + # LDAP_CONNECT_TIMEOUT : Connection timeout, in milliseconds + # example : LDAP_CONNECT_TIMEOUT=12345 + - LDAP_CONNECT_TIMEOUT=10000 + # LDAP_AUTHENTIFICATION : If the LDAP needs a user account to search + # example : LDAP_AUTHENTIFICATION=true + - LDAP_AUTHENTIFICATION=false + # LDAP_AUTHENTIFICATION_USERDN : The search user DN + # example : LDAP_AUTHENTIFICATION_USERDN=cn=admin,dc=example,dc=org + - LDAP_AUTHENTIFICATION_USERDN='' + # LDAP_AUTHENTIFICATION_PASSWORD : The password for the search user + # example : AUTHENTIFICATION_PASSWORD=admin + - LDAP_AUTHENTIFICATION_PASSWORD='' + # LDAP_LOG_ENABLED : Enable logs for the module + # example : LDAP_LOG_ENABLED=true + - LDAP_LOG_ENABLED=false + # LDAP_BACKGROUND_SYNC : If the sync of the users should be done in the background + # example : LDAP_BACKGROUND_SYNC=true + - LDAP_BACKGROUND_SYNC=false + # LDAP_BACKGROUND_SYNC_INTERVAL : At which interval does the background task sync in milliseconds + # example : LDAP_BACKGROUND_SYNC_INTERVAL=12345 + - LDAP_BACKGROUND_SYNC_INTERVAL=100 + # LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED : + # example : LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=true + - LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=false + # LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS : + # example : LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=true + - LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=false + # LDAP_ENCRYPTION : If using LDAPS + # example : LDAP_ENCRYPTION=true + - LDAP_ENCRYPTION=false + # LDAP_CA_CERT : The certification for the LDAPS server + # example : LDAP_CA_CERT=-----BEGIN CERTIFICATE-----MIIE+zCCA+OgAwIBAgIkAhwR/6TVLmdRY6hHxvUFWc0+Enmu/Hu6cj+G2FIdAgIC...-----END CERTIFICATE----- + - LDAP_CA_CERT='' + # LDAP_REJECT_UNAUTHORIZED : Reject Unauthorized Certificate + # example : LDAP_REJECT_UNAUTHORIZED=true + - LDAP_REJECT_UNAUTHORIZED=false + # LDAP_USER_SEARCH_FILTER : Optional extra LDAP filters. Don't forget the outmost enclosing parentheses if needed + # example : LDAP_USER_SEARCH_FILTER= + - LDAP_USER_SEARCH_FILTER='' + # LDAP_USER_SEARCH_SCOPE : Base (search only in the provided DN), one (search only in the provided DN and one level deep), or subtree (search the whole subtree) + # example : LDAP_USER_SEARCH_SCOPE=one + - LDAP_USER_SEARCH_SCOPE='' + # LDAP_USER_SEARCH_FIELD : Which field is used to find the user + # example : LDAP_USER_SEARCH_FIELD=uid + - LDAP_USER_SEARCH_FIELD='' + # LDAP_SEARCH_PAGE_SIZE : Used for pagination (0=unlimited) + # example : LDAP_SEARCH_PAGE_SIZE=12345 + - LDAP_SEARCH_PAGE_SIZE=0 + # LDAP_SEARCH_SIZE_LIMIT : The limit number of entries (0=unlimited) + # example : LDAP_SEARCH_SIZE_LIMIT=12345 + - LDAP_SEARCH_SIZE_LIMIT=0 + # LDAP_GROUP_FILTER_ENABLE : Enable group filtering + # example : LDAP_GROUP_FILTER_ENABLE=true + - LDAP_GROUP_FILTER_ENABLE=false + # LDAP_GROUP_FILTER_OBJECTCLASS : The object class for filtering + # example : LDAP_GROUP_FILTER_OBJECTCLASS=group + - LDAP_GROUP_FILTER_OBJECTCLASS='' + # LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE : + # example : + - LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE='' + # LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE : + # example : + - LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE='' + # LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT : + # example : + - LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT='' + # LDAP_GROUP_FILTER_GROUP_NAME : + # example : + - LDAP_GROUP_FILTER_GROUP_NAME='' + # LDAP_UNIQUE_IDENTIFIER_FIELD : This field is sometimes class GUID (Globally Unique Identifier) + # example : LDAP_UNIQUE_IDENTIFIER_FIELD=guid + - LDAP_UNIQUE_IDENTIFIER_FIELD='' + # LDAP_UTF8_NAMES_SLUGIFY : Convert the username to utf8 + # example : LDAP_UTF8_NAMES_SLUGIFY=false + - LDAP_UTF8_NAMES_SLUGIFY=true + # LDAP_USERNAME_FIELD : Which field contains the ldap username + # example : LDAP_USERNAME_FIELD=username + - LDAP_USERNAME_FIELD='' + # LDAP_MERGE_EXISTING_USERS : + # example : LDAP_MERGE_EXISTING_USERS=true + - LDAP_MERGE_EXISTING_USERS=false + # LDAP_SYNC_USER_DATA : + # example : LDAP_SYNC_USER_DATA=true + - LDAP_SYNC_USER_DATA=false + # LDAP_SYNC_USER_DATA_FIELDMAP : + # example : LDAP_SYNC_USER_DATA_FIELDMAP={\"cn\":\"name\", \"mail\":\"email\"} + - LDAP_SYNC_USER_DATA_FIELDMAP='' + # LDAP_SYNC_GROUP_ROLES : + # example : + - LDAP_SYNC_GROUP_ROLES='' + # LDAP_DEFAULT_DOMAIN : The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP + # example : + - LDAP_DEFAULT_DOMAIN='' + depends_on: - wekandb diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 896c10a3..152f1d7c 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -607,5 +607,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "Ldap", + "oauth2": "Oauth2", + "cas": "Cas", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } diff --git a/models/settings.js b/models/settings.js index f7c4c85d..bb555cf9 100644 --- a/models/settings.js +++ b/models/settings.js @@ -223,7 +223,7 @@ if (Meteor.isServer) { }, // Gets all connection methods to use it in the Template - getConnectionsEnabled() { + getAuthenticationsEnabled() { return { ldap: isLdapEnabled(), oauth2: isOauth2Enabled(), diff --git a/models/users.js b/models/users.js index 27d3e9fa..9a195850 100644 --- a/models/users.js +++ b/models/users.js @@ -127,10 +127,10 @@ Users.attachSchema(new SimpleSchema({ type: Boolean, optional: true, }, - // TODO : write a migration and check if using a ldap parameter is better than a connection_type parameter - ldap: { - type: Boolean, - optional: true, + 'authenticationMethod': { + type: String, + optional: false, + defaultValue: 'password', }, })); @@ -499,6 +499,7 @@ if (Meteor.isServer) { user.emails = [{ address: email, verified: true }]; const initials = user.services.oidc.fullname.match(/\b[a-zA-Z]/g).join('').toUpperCase(); user.profile = { initials, fullname: user.services.oidc.fullname }; + user['authenticationMethod'] = 'oauth2'; // see if any existing user has this email address or username, otherwise create new const existingUser = Meteor.users.findOne({$or: [{'emails.address': email}, {'username':user.username}]}); @@ -511,6 +512,7 @@ if (Meteor.isServer) { existingUser.emails = user.emails; existingUser.username = user.username; existingUser.profile = user.profile; + existingUser['authenticationMethod'] = user['authenticationMethod']; Meteor.users.remove({_id: existingUser._id}); // remove existing record return existingUser; @@ -525,7 +527,7 @@ if (Meteor.isServer) { // If ldap, bypass the inviation code if the self registration isn't allowed. // TODO : pay attention if ldap field in the user model change to another content ex : ldap field to connection_type if (options.ldap || !disableRegistration) { - user.ldap = true; + user['authenticationMethod'] = 'ldap'; return user; } @@ -645,7 +647,7 @@ if (Meteor.isServer) { const disableRegistration = Settings.findOne().disableRegistration; // If ldap, bypass the inviation code if the self registration isn't allowed. // TODO : pay attention if ldap field in the user model change to another content ex : ldap field to connection_type - if (!doc.ldap && disableRegistration) { + if (doc['authenticationMethod'] !== 'ldap' && disableRegistration) { const invitationCode = InvitationCodes.findOne({code: doc.profile.icode, valid: true}); if (!invitationCode) { throw new Meteor.Error('error-invitation-code-not-exist'); diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 7760ed88..206a8a35 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -245,12 +245,14 @@ const myCommand :Spk.Manifest.Command = ( (key = "BROWSER_POLICY_ENABLED", value="true"), (key = "TRUSTED_URL", value=""), (key = "WEBHOOKS_ATTRIBUTES", value=""), - (key = "OAUTH2_CLIENT_ID", value=""), + (key = "OAUTH2_ENABLED", value=""), + (key = "OAUTH2_CLIENT_ID", value="false"), (key = "OAUTH2_SECRET", value=""), (key = "OAUTH2_SERVER_URL", value=""), (key = "OAUTH2_AUTH_ENDPOINT", value=""), (key = "OAUTH2_USERINFO_ENDPOINT", value=""), (key = "OAUTH2_TOKEN_ENDPOINT", value=""), + (key = "LDAP_ENABLE", value="false"), (key = "SANDSTORM", value = "1"), (key = "METEOR_SETTINGS", value = "{\"public\": {\"sandstorm\": true}}") ] diff --git a/server/migrations.js b/server/migrations.js index 91c34be2..1d62d796 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -321,3 +321,15 @@ Migrations.add('add-subtasks-allowed', () => { }, }, noValidateMulti); }); + +Migrations.add('add-authenticationMethod', () => { + Users.update({ + 'authenticationMethod': { + $exists: false, + }, + }, { + $set: { + 'authenticationMethod': 'password', + }, + }, noValidateMulti); +}); diff --git a/server/publications/people.js b/server/publications/people.js index 7c13bdcc..022a71b5 100644 --- a/server/publications/people.js +++ b/server/publications/people.js @@ -17,6 +17,7 @@ Meteor.publish('people', function(limit) { 'emails': 1, 'createdAt': 1, 'loginDisabled': 1, + 'authenticationMethod': 1 }, }); } else { diff --git a/server/publications/users.js b/server/publications/users.js index 31c07d26..f0c94153 100644 --- a/server/publications/users.js +++ b/server/publications/users.js @@ -18,12 +18,11 @@ Meteor.publish('user-admin', function() { }); }); -Meteor.publish('user-connection-method', function(match) { +Meteor.publish('user-authenticationMethod', function(match) { check(match, String); - - return Users.find({$or: [{email: match}, {username: match}]}, { + return Users.find({$or: [{_id: match}, {email: match}, {username: match}]}, { fields: { - ldap: 1, + 'authenticationMethod': 1, }, }); }); diff --git a/snap-src/bin/config b/snap-src/bin/config index a54b13c2..076a2a57 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -3,7 +3,7 @@ # All supported keys are defined here together with descriptions and default values # list of supported keys -keys="MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT" +keys="MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN" # default values DESCRIPTION_MONGODB_BIND_UNIX_SOCKET="mongodb binding unix socket:\n"\ @@ -82,6 +82,10 @@ DESCRIPTION_WEBHOOKS_ATTRIBUTES="What to send to Outgoing Webhook, or leave out. DEFAULT_WEBHOOKS_ATTRIBUTES="" KEY_WEBHOOKS_ATTRIBUTES="webhooks-attributes" +DESCRIPTION_OAUTH2_ENABLED="Enable the OAuth2 connection" +DEFAULT_OAUTH2_ENABLED="false" +KEY_OAUTH2_ENABLED="oauth2-enabled" + DESCRIPTION_OAUTH2_CLIENT_ID="OAuth2 Client ID, for example from Rocket.Chat. Example: abcde12345" DEFAULT_OAUTH2_CLIENT_ID="" KEY_OAUTH2_CLIENT_ID="oauth2-client-id" @@ -106,3 +110,158 @@ DESCRIPTION_OAUTH2_TOKEN_ENDPOINT="OAuth2 token endpoint. Example: /oauth/token" DEFAULT_OAUTH2_TOKEN_ENDPOINT="" KEY_OAUTH2_TOKEN_ENDPOINT="oauth2-token-endpoint" +DESCRIPTION_LDAP_ENABLE="Enable or not the connection by the LDAP" +DEFAULT_LDAP_ENABLE="false" +KEY_LDAP_ENABLE="ldap-enable" + +DESCRIPTION_LDAP_PORT="The port of the LDAP server" +DEFAULT_LDAP_PORT="389" +KEY_LDAP_PORT="ldap-port" + +DESCRIPTION_LDAP_HOST="The host server for the LDAP server" +DEFAULT_LDAP_HOST="" +KEY_LDAP_HOST="ldap-host" + +DESCRIPTION_LDAP_BASEDN="The base DN for the LDAP Tree" +DEFAULT_LDAP_BASEDN="" +KEY_LDAP_BASEDN="ldap-basedn" + +DESCRIPTION_LDAP_LOGIN_FALLBACK="Fallback on the default authentication method" +DEFAULT_LDAP_LOGIN_FALLBACK="false" +KEY_LDAP_LOGIN_FALLBACK="ldap-login-fallback" + +DESCRIPTION_LDAP_RECONNECT="Reconnect to the server if the connection is lost" +DEFAULT_LDAP_RECONNECT="true" +KEY_LDAP_RECONNECT="ldap-reconnect" + +DESCRIPTION_LDAP_TIMEOUT="Overall timeout, in milliseconds." +DEFAULT_LDAP_TIMEOUT="10000" +KEY_LDAP_TIMEOUT="ldap-timeout" + +DESCRIPTION_LDAP_IDLE_TIMEOUT="Specifies the timeout for idle LDAP connections in milliseconds" +DEFAULT_LDAP_IDLE_TIMEOUT="10000" +KEY_LDAP_IDLE_TIMEOUT="ldap-idle-timeout" + +DESCRIPTION_LDAP_CONNECT_TIMEOUT="Connection timeout, in milliseconds." +DEFAULT_LDAP_CONNECT_TIMEOUT="10000" +KEY_LDAP_CONNECT_TIMEOUT="ldap-connect-timeout" + +DESCRIPTION_LDAP_AUTHENTIFICATION="If the LDAP needs a user account to search" +DEFAULT_LDAP_AUTHENTIFICATION="false" +KEY_LDAP_AUTHENTIFICATION="ldap-authentication" + +DESCRIPTION_LDAP_AUTHENTIFICATION_USERDN="The search user DN" +DEFAULT_LDAP_AUTHENTIFICATION_USERDN="" +KEY_LDAP_AUTHENTIFICATION_USERDN="ldap-authentication-userdn" + +DESCRIPTION_LDAP_AUTHENTIFICATION_PASSWORD="The password for the search user" +DEFAULT_LDAP_AUTHENTIFICATION_PASSWORD="" +KEY_LDAP_AUTHENTIFICATION_PASSWORD="ldap-authentication-password" + +DESCRIPTION_LDAP_LOG_ENABLED="Enable logs for the module" +DEFAULT_LDAP_LOG_ENABLED="false" +KEY_LDAP_LOG_ENABLED="ldap-log-enabled" + +DESCRIPTION_LDAP_BACKGROUND_SYNC="If the sync of the users should be done in the background" +DEFAULT_LDAP_BACKGROUND_SYNC="false" +KEY_LDAP_BACKGROUND_SYNC="ldap-background-sync" + +DESCRIPTION_LDAP_BACKGROUND_SYNC_INTERVAL="At which interval does the background task sync in milliseconds" +DEFAULT_LDAP_BACKGROUND_SYNC_INTERVAL="100" +KEY_LDAP_BACKGROUND_SYNC_INTERVAL="ldap-background-sync-interval" + +DESCRIPTION_LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED="" +DEFAULT_LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED="false" +KEY_LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED="ldap-background-sync-keep-existant-users-updated" + +DESCRIPTION_LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS="" +DEFAULT_LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS="false" +KEY_LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS="ldap-background-sync-import-new-users" + +DESCRIPTION_LDAP_ENCRYPTION="If using LDAPS" +DEFAULT_LDAP_ENCRYPTION="false" +KEY_LDAP_ENCRYPTION="ldap-encryption" + +DESCRIPTION_LDAP_CA_CERT="The certification for the LDAPS server" +DEFAULT_LDAP_CA_CERT="" +KEY_LDAP_CA_CERT="ldap-ca-cert" + +DESCRIPTION_LDAP_REJECT_UNAUTHORIZED="Reject Unauthorized Certificate" +DEFAULT_LDAP_REJECT_UNAUTHORIZED="false" +KEY_LDAP_REJECT_UNAUTHORIZED="ldap-reject-unauthorized" + +DESCRIPTION_LDAP_USER_SEARCH_FILTER="Optional extra LDAP filters. Don't forget the outmost enclosing parentheses if needed" +DEFAULT_LDAP_USER_SEARCH_FILTER="" +KEY_LDAP_USER_SEARCH_FILTER="ldap-user-search-filter" + +DESCRIPTION_LDAP_USER_SEARCH_SCOPE="Base (search only in the provided DN), one (search only in the provided DN and one level deep), or subtree (search the whole subtree)." +DEFAULT_LDAP_USER_SEARCH_SCOPE="" +KEY_LDAP_USER_SEARCH_SCOPE="ldap-user-search-scope" + +DESCRIPTION_LDAP_USER_SEARCH_FIELD="Which field is used to find the user" +DEFAULT_LDAP_USER_SEARCH_FIELD="" +KEY_LDAP_USER_SEARCH_FIELD="ldap-user-search-field" + +DESCRIPTION_LDAP_SEARCH_PAGE_SIZE="Used for pagination (0=unlimited)" +DEFAULT_LDAP_SEARCH_PAGE_SIZE="0" +KEY_LDAP_SEARCH_PAGE_SIZE="ldap-search-page-size" + +DESCRIPTION_LDAP_SEARCH_SIZE_LIMIT="The limit number of entries (0=unlimited)" +DEFAULT_LDAP_SEARCH_SIZE_LIMIT="0" +KEY_LDAP_SEARCH_SIZE_LIMIT="ldap-search-size-limit" + +DESCRIPTION_LDAP_GROUP_FILTER_ENABLE="Enable group filtering" +DEFAULT_LDAP_GROUP_FILTER_ENABLE="false" +KEY_LDAP_GROUP_FILTER_ENABLE="ldap-group-filter-enable" + +DESCRIPTION_LDAP_GROUP_FILTER_OBJECTCLASS="The object class for filtering" +DEFAULT_LDAP_GROUP_FILTER_OBJECTCLASS="" +KEY_LDAP_GROUP_FILTER_OBJECTCLASS="ldap-group-filter-objectclass" + +DESCRIPTION_LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE="" +DEFAULT_LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE="" +KEY_LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE="ldap-group-filter-id-attribute" + +DESCRIPTION_LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE="" +DEFAULT_LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE="" +KEY_LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE="ldap-group-filter-member-attribute" + +DESCRIPTION_LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT="" +DEFAULT_LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT="" +KEY_LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT="ldap-group-filter-member-format" + +DESCRIPTION_LDAP_GROUP_FILTER_GROUP_NAME="" +DEFAULT_LDAP_GROUP_FILTER_GROUP_NAME="" +KEY_LDAP_GROUP_FILTER_GROUP_NAME="ldap-group-filter-member-format" + +DESCRIPTION_LDAP_UNIQUE_IDENTIFIER_FIELD="This field is sometimes class GUID (Globally Unique Identifier)" +DEFAULT_LDAP_UNIQUE_IDENTIFIER_FIELD="" +KEY_LDAP_UNIQUE_IDENTIFIER_FIELD="ldap-unique-identifier-field" + +DESCRIPTION_LDAP_UTF8_NAMES_SLUGIFY="Convert the username to utf8" +DEFAULT_LDAP_UTF8_NAMES_SLUGIFY="true" +KEY_LDAP_UTF8_NAMES_SLUGIFY="ldap-utf8-names-slugify" + +DESCRIPTION_LDAP_USERNAME_FIELD="Which field contains the ldap username" +DEFAULT_LDAP_USERNAME_FIELD="" +KEY_LDAP_USERNAME_FIELD="ldap-username-field" + +DESCRIPTION_LDAP_MERGE_EXISTING_USERS="" +DEFAULT_LDAP_MERGE_EXISTING_USERS="false" +KEY_LDAP_MERGE_EXISTING_USERS="ldap-merge-existing-users" + +DESCRIPTION_LDAP_SYNC_USER_DATA="" +DEFAULT_LDAP_SYNC_USER_DATA="false" +KEY_LDAP_SYNC_USER_DATA="ldap-sync-user-data" + +DESCRIPTION_LDAP_SYNC_USER_DATA_FIELDMAP="" +DEFAULT_LDAP_SYNC_USER_DATA_FIELDMAP="" +KEY_LDAP_SYNC_USER_DATA_FIELDMAP="ldap-sync-user-data-fieldmap" + +DESCRIPTION_LDAP_SYNC_GROUP_ROLES="" +DEFAULT_LDAP_SYNC_GROUP_ROLES="" +KEY_LDAP_SYNC_GROUP_ROLES="ldap-sync-group-roles" + +DESCRIPTION_LDAP_DEFAULT_DOMAIN="The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP" +DEFAULT_LDAP_DEFAULT_DOMAIN="" +KEY_LDAP_DEFAULT_DOMAIN="ldap-default-domain" -- cgit v1.2.3-1-g7c22 From be42b8d4cbdfa547ca019ab2dc9a590a115cc0e2 Mon Sep 17 00:00:00 2001 From: Chuck McAndrew Date: Tue, 9 Oct 2018 15:05:57 +0000 Subject: Add route to get cards by swimlaneid --- models/cards.js | 23 +++++++++++++++++++++++ 1 file changed, 23 insertions(+) diff --git a/models/cards.js b/models/cards.js index 66bfbcf3..974385d6 100644 --- a/models/cards.js +++ b/models/cards.js @@ -1304,6 +1304,29 @@ if (Meteor.isServer) { cardRemover(userId, doc); }); } +//SWIMLANES REST API +if (Meteor.isServer) { + JsonRoutes.add('GET', '/api/boards/:boardId/swimlanes/:swimlaneId/cards', function(req, res) { + const paramBoardId = req.params.boardId; + const paramSwimlaneId = req.params.swimlaneId; + Authentication.checkBoardAccess(req.userId, paramBoardId); + JsonRoutes.sendResult(res, { + code: 200, + data: Cards.find({ + boardId: paramBoardId, + swimlaneId: paramSwimlaneId, + archived: false, + }).map(function(doc) { + return { + _id: doc._id, + title: doc.title, + description: doc.description, + listId: doc.listId, + }; + }), + }); + }); +} //LISTS REST API if (Meteor.isServer) { JsonRoutes.add('GET', '/api/boards/:boardId/lists/:listId/cards', function(req, res) { -- cgit v1.2.3-1-g7c22 From 3a7ae7c5f240287a4fc58eb3a321129be718d40c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 9 Oct 2018 21:16:47 +0300 Subject: Fix lint errors. --- client/components/main/layouts.js | 6 +++--- client/components/settings/connectionMethod.js | 2 +- client/components/settings/peopleBody.js | 8 ++++---- models/users.js | 8 ++++---- server/publications/people.js | 2 +- 5 files changed, 13 insertions(+), 13 deletions(-) diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index 6d1f95d4..393f890b 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -7,7 +7,7 @@ const i18nTagToT9n = (i18nTag) => { }; const validator = { - set: function(obj, prop, value) { + set(obj, prop, value) { if (prop === 'state' && value !== 'signIn') { $('.at-form-authentication').hide(); } else if (prop === 'state' && value === 'signIn') { @@ -17,7 +17,7 @@ const validator = { obj[prop] = value; // Indicate success return true; - } + }, }; Template.userFormsLayout.onRendered(() => { @@ -82,7 +82,7 @@ Template.userFormsLayout.events({ }); }, 'click #at-btn'(event) { - /* All authentication method can be managed/called here. + /* All authentication method can be managed/called here. !! DON'T FORGET to correctly fill the fields of the user during its creation if necessary authenticationMethod : String !! */ const authenticationMethodSelected = $('.select-authentication').val(); diff --git a/client/components/settings/connectionMethod.js b/client/components/settings/connectionMethod.js index 3d5cfd76..9fe8f382 100644 --- a/client/components/settings/connectionMethod.js +++ b/client/components/settings/connectionMethod.js @@ -31,4 +31,4 @@ Template.connectionMethod.helpers({ authentications() { return Template.instance().authenticationMethods.get(); }, -}); \ No newline at end of file +}); diff --git a/client/components/settings/peopleBody.js b/client/components/settings/peopleBody.js index acc94081..a4d70974 100644 --- a/client/components/settings/peopleBody.js +++ b/client/components/settings/peopleBody.js @@ -67,12 +67,12 @@ Template.editUserPopup.onCreated(function() { Meteor.call('getAuthenticationsEnabled', (_, result) => { if (result) { - // TODO : add a management of different languages + // TODO : add a management of different languages // (ex {value: ldap, text: TAPi18n.__('ldap', {}, T9n.getLanguage() || 'en')}) this.authenticationMethods.set([ {value: 'password'}, // Gets only the authentication methods availables - ...Object.entries(result).filter(e => e[1]).map(e => ({value: e[0]})), + ...Object.entries(result).filter((e) => e[1]).map((e) => ({value: e[0]})), ]); } }); @@ -94,7 +94,7 @@ Template.editUserPopup.helpers({ const userId = Template.instance().data.userId; const selected = Users.findOne(userId).authenticationMethod; return selected === 'ldap'; - } + }, }); BlazeComponent.extendComponent({ @@ -131,7 +131,7 @@ Template.editUserPopup.events({ 'profile.fullname': fullname, 'isAdmin': isAdmin === 'true', 'loginDisabled': isActive === 'true', - 'authenticationMethod': authentication + 'authenticationMethod': authentication, }, }); diff --git a/models/users.js b/models/users.js index 9a195850..f8ccb030 100644 --- a/models/users.js +++ b/models/users.js @@ -499,7 +499,7 @@ if (Meteor.isServer) { user.emails = [{ address: email, verified: true }]; const initials = user.services.oidc.fullname.match(/\b[a-zA-Z]/g).join('').toUpperCase(); user.profile = { initials, fullname: user.services.oidc.fullname }; - user['authenticationMethod'] = 'oauth2'; + user.authenticationMethod = 'oauth2'; // see if any existing user has this email address or username, otherwise create new const existingUser = Meteor.users.findOne({$or: [{'emails.address': email}, {'username':user.username}]}); @@ -512,7 +512,7 @@ if (Meteor.isServer) { existingUser.emails = user.emails; existingUser.username = user.username; existingUser.profile = user.profile; - existingUser['authenticationMethod'] = user['authenticationMethod']; + existingUser.authenticationMethod = user.authenticationMethod; Meteor.users.remove({_id: existingUser._id}); // remove existing record return existingUser; @@ -527,7 +527,7 @@ if (Meteor.isServer) { // If ldap, bypass the inviation code if the self registration isn't allowed. // TODO : pay attention if ldap field in the user model change to another content ex : ldap field to connection_type if (options.ldap || !disableRegistration) { - user['authenticationMethod'] = 'ldap'; + user.authenticationMethod = 'ldap'; return user; } @@ -647,7 +647,7 @@ if (Meteor.isServer) { const disableRegistration = Settings.findOne().disableRegistration; // If ldap, bypass the inviation code if the self registration isn't allowed. // TODO : pay attention if ldap field in the user model change to another content ex : ldap field to connection_type - if (doc['authenticationMethod'] !== 'ldap' && disableRegistration) { + if (doc.authenticationMethod !== 'ldap' && disableRegistration) { const invitationCode = InvitationCodes.findOne({code: doc.profile.icode, valid: true}); if (!invitationCode) { throw new Meteor.Error('error-invitation-code-not-exist'); diff --git a/server/publications/people.js b/server/publications/people.js index 022a71b5..56187732 100644 --- a/server/publications/people.js +++ b/server/publications/people.js @@ -17,7 +17,7 @@ Meteor.publish('people', function(limit) { 'emails': 1, 'createdAt': 1, 'loginDisabled': 1, - 'authenticationMethod': 1 + 'authenticationMethod': 1, }, }); } else { -- cgit v1.2.3-1-g7c22 From 5e9bf61d3f97befaa240be015755af96034f1859 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 10 Oct 2018 00:11:32 +0300 Subject: - Use existing translation of "Back". Thanks to xet7 ! --- client/components/rules/ruleDetails.jade | 4 +--- client/components/rules/rulesActions.jade | 2 +- client/components/rules/rulesTriggers.jade | 2 +- i18n/en.i18n.json | 7 +++---- 4 files changed, 6 insertions(+), 9 deletions(-) diff --git a/client/components/rules/ruleDetails.jade b/client/components/rules/ruleDetails.jade index 1f351357..7183cf96 100644 --- a/client/components/rules/ruleDetails.jade +++ b/client/components/rules/ruleDetails.jade @@ -17,6 +17,4 @@ template(name="ruleDetails") div.rules-back button.js-goback i.fa.fa-chevron-left - | {{{_ 'r-back'}}} - - \ No newline at end of file + | {{{_ 'back'}}} diff --git a/client/components/rules/rulesActions.jade b/client/components/rules/rulesActions.jade index 4bcff769..3ac04e1c 100644 --- a/client/components/rules/rulesActions.jade +++ b/client/components/rules/rulesActions.jade @@ -26,4 +26,4 @@ template(name="rulesActions") div.rules-back button.js-goback i.fa.fa-chevron-left - | {{{_ 'r-back'}}} \ No newline at end of file + | {{{_ 'back'}}} diff --git a/client/components/rules/rulesTriggers.jade b/client/components/rules/rulesTriggers.jade index 01c0cad5..79d9d98e 100644 --- a/client/components/rules/rulesTriggers.jade +++ b/client/components/rules/rulesTriggers.jade @@ -22,4 +22,4 @@ template(name="rulesTriggers") div.rules-back button.js-goback i.fa.fa-chevron-left - | {{{_ 'r-back'}}} \ No newline at end of file + | {{{_ 'back'}}} diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 7b27f486..2e52dcfb 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -608,10 +608,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Back", - "ldap": "Ldap", - "oauth2": "Oauth2", - "cas": "Cas", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", "authentication-method": "Authentication method", "authentication-type": "Authentication type" } -- cgit v1.2.3-1-g7c22 From 9e120cd44bc230f45fa8f08456dbf9982d02cfe1 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 10 Oct 2018 00:21:18 +0300 Subject: - [Add LDAP support and authentications dropdown menu on login page](https://github.com/wekan/wekan/pull/1943). Thanks to Akuket ! --- CHANGELOG.md | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 49a1fbf0..b20c311f 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,7 +3,8 @@ This release adds the following new features: - [LDAP](https://github.com/wekan/wekan/commit/288800eafc91d07f859c4f59588e0b646137ccb9). In progress. - Please test and [add info about bugs](https://github.com/wekan/wekan/issues/119). + Please test and [add info about bugs](https://github.com/wekan/wekan/issues/119); +- [Add LDAP support and authentications dropdown menu on login page](https://github.com/wekan/wekan/pull/1943). and fixes the following bugs: -- cgit v1.2.3-1-g7c22 From f11c8727d9cb013d05f3674c807cc8c353a2bbd8 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 10 Oct 2018 00:26:11 +0300 Subject: Update translations. --- i18n/ar.i18n.json | 6 +++++- i18n/bg.i18n.json | 6 +++++- i18n/br.i18n.json | 6 +++++- i18n/ca.i18n.json | 6 +++++- i18n/cs.i18n.json | 6 +++++- i18n/de.i18n.json | 10 +++++++--- i18n/el.i18n.json | 6 +++++- i18n/en-GB.i18n.json | 6 +++++- i18n/eo.i18n.json | 6 +++++- i18n/es-AR.i18n.json | 6 +++++- i18n/es.i18n.json | 6 +++++- i18n/eu.i18n.json | 6 +++++- i18n/fa.i18n.json | 6 +++++- i18n/fi.i18n.json | 6 +++++- i18n/fr.i18n.json | 6 +++++- i18n/gl.i18n.json | 6 +++++- i18n/he.i18n.json | 6 +++++- i18n/hu.i18n.json | 6 +++++- i18n/hy.i18n.json | 6 +++++- i18n/id.i18n.json | 6 +++++- i18n/ig.i18n.json | 6 +++++- i18n/it.i18n.json | 6 +++++- i18n/ja.i18n.json | 6 +++++- i18n/ka.i18n.json | 6 +++++- i18n/km.i18n.json | 6 +++++- i18n/ko.i18n.json | 6 +++++- i18n/lv.i18n.json | 6 +++++- i18n/mn.i18n.json | 6 +++++- i18n/nb.i18n.json | 6 +++++- i18n/nl.i18n.json | 6 +++++- i18n/pl.i18n.json | 6 +++++- i18n/pt-BR.i18n.json | 10 +++++++--- i18n/pt.i18n.json | 6 +++++- i18n/ro.i18n.json | 6 +++++- i18n/ru.i18n.json | 6 +++++- i18n/sr.i18n.json | 6 +++++- i18n/sv.i18n.json | 6 +++++- i18n/ta.i18n.json | 6 +++++- i18n/th.i18n.json | 6 +++++- i18n/tr.i18n.json | 6 +++++- i18n/uk.i18n.json | 6 +++++- i18n/vi.i18n.json | 6 +++++- i18n/zh-CN.i18n.json | 6 +++++- i18n/zh-TW.i18n.json | 6 +++++- 44 files changed, 224 insertions(+), 48 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 79c2c439..52ac4640 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "رجوع" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 9694e362..b5694a76 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Назад" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index 11b03b67..a952fc1d 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Back" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index d4f8a9e4..199b3837 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Enrere" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 4ab246ff..55e07d3c 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Přidat checklist", "r-d-remove-checklist": "Odstranit checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Zpět" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 0061cd20..bded5246 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Regel hinzufügen", "r-view-rule": "Regel anzeigen", "r-delete-rule": "Regel löschen", - "r-new-rule-name": "New rule title", + "r-new-rule-name": "Neuer Regeltitel", "r-no-rules": "Keine Regeln", "r-when-a-card-is": "Wenn eine Karte ist", "r-added-to": "Hinzugefügt zu", @@ -575,7 +575,7 @@ "r-checklist": "Checkliste", "r-check-all": "Alle markieren", "r-uncheck-all": "Alle demarkieren", - "r-items-check": "items of checklist", + "r-items-check": "Elemente der Checkliste", "r-check": "Markieren", "r-uncheck": "Demarkieren", "r-item": "Element", @@ -607,5 +607,9 @@ "r-d-add-checklist": "Checkliste hinzufügen", "r-d-remove-checklist": "Checkliste entfernen", "r-when-a-card-is-moved": "Wenn eine Karte in eine andere Liste verschoben wird", - "r-back": "Zurück" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 8eaf0547..822f2ead 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Πίσω" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 2bd95662..0780077b 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Back" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index a198a3ca..986f78f5 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Reen" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index ed498502..aac925c7 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Atrás" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 10e52b72..5735d012 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Atrás" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index 8175de0b..c905b61b 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Atzera" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index 43b41309..58f7a3ad 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "بازگشت" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 913b0756..63ac2175 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Lisää tarkistuslista", "r-d-remove-checklist": "Poista tarkistuslista", "r-when-a-card-is-moved": "Kun kortti on siirretty toiseen listaan", - "r-back": "Takaisin" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Kirjautumistapa", + "authentication-type": "Kirjautumistyyppi" } \ No newline at end of file diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 666afaa3..4b0bd221 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Ajouter une checklist", "r-d-remove-checklist": "Supprimer la checklist", "r-when-a-card-is-moved": "Quand une carte est déplacée vers une autre liste", - "r-back": "Retour" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 02df41df..0dccb86d 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Back" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 34d6a0bd..6fc31d26 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "הוספת רשימת משימות", "r-d-remove-checklist": "הסרת רשימת משימות", "r-when-a-card-is-moved": "כאשר כרטיס מועבר לרשימה אחרת", - "r-back": "חזרה" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index 989bc046..8420e27c 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Vissza" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index e59f2b2a..7c5904df 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Back" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 1124fc1b..8cf0195a 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Kembali" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 7ca45a9f..08f2d06c 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Back" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 383c19a0..04f49dab 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Indietro" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 4d471c8a..02be3546 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "戻る" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index 0c380495..bca85c90 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "უკან" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index a1f10b5f..5545829f 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Back" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index ef5cd2a8..b0fbe280 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "뒤로" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 19a11148..f4e82278 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Back" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index c07943cc..ebfedea3 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Back" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index 7192b06e..8ee7ccef 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Tilbake" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 74181664..10d3fa22 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Terug" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index e9638c5f..cd0be002 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Dodaj listę zadań", "r-d-remove-checklist": "Usuń listę zadań", "r-when-a-card-is-moved": "Gdy karta jest przeniesiona do innej listy", - "r-back": "Wstecz" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index fab66d39..613b4192 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -181,7 +181,7 @@ "comment-placeholder": "Escrever Comentário", "comment-only": "Somente comentários", "comment-only-desc": "Pode comentar apenas em cartões.", - "no-comments": "No comments", + "no-comments": "Sem comentários", "no-comments-desc": "Can not see comments and activities.", "computer": "Computador", "confirm-subtask-delete-dialog": "Tem certeza que deseja deletar a subtarefa?", @@ -565,7 +565,7 @@ "r-bottom-of": "Bottom of", "r-its-list": "its list", "r-archive": "Mover para a lixeira", - "r-unarchive": "Restore from Recycle Bin", + "r-unarchive": "Restaurar da Lixeira", "r-card": "cartão", "r-add": "Novo", "r-remove": "Remover", @@ -607,5 +607,9 @@ "r-d-add-checklist": "Adicionar checklist", "r-d-remove-checklist": "Remover checklist", "r-when-a-card-is-moved": "Quando um cartão é movido de outra lista", - "r-back": "Voltar" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index e4b17726..248f42d5 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Back" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index 0ce0d83c..c2943f78 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Înapoi" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 197957c5..b31ee2b2 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Назад" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index df740b3d..1e59bf93 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Nazad" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 935f554b..81ba2ecd 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Tillbaka" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index 770b7d66..29630ead 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Back" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index a07806a4..aa2d7d44 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "ย้อนกลับ" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index ba793344..731ab7c8 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Geri" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 47422a57..3e5d1adf 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Назад" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index a71693b6..9727eb7d 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "Trở Lại" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 274c2a38..025768e1 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "返回" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 4bc60d39..1c1922d9 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -607,5 +607,9 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-when-a-card-is-moved": "When a card is moved to another list", - "r-back": "返回" + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From d4774d398e20b50afb40112426f1ab7a997a81d6 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 10 Oct 2018 00:40:42 +0300 Subject: - Fix lint error: tab to spaces. Thanks to xet7 ! --- models/cards.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/models/cards.js b/models/cards.js index 974385d6..25692c25 100644 --- a/models/cards.js +++ b/models/cards.js @@ -1321,7 +1321,7 @@ if (Meteor.isServer) { _id: doc._id, title: doc.title, description: doc.description, - listId: doc.listId, + listId: doc.listId, }; }), }); -- cgit v1.2.3-1-g7c22 From 1db6efa9c875662bdcdac09bca94067ac88a21b7 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 10 Oct 2018 00:46:18 +0300 Subject: - [REST API: Get cards by swimlane id](https://github.com/wekan/wekan/pull/1944). Please [add docs](https://github.com/wekan/wekan/wiki/REST-API-Swimlanes). Thanks to dcmcand ! Closes #1934 --- CHANGELOG.md | 7 ++++--- 1 file changed, 4 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index b20c311f..6a546e79 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,9 +2,10 @@ This release adds the following new features: -- [LDAP](https://github.com/wekan/wekan/commit/288800eafc91d07f859c4f59588e0b646137ccb9). In progress. +- [LDAP](https://github.com/wekan/wekan/commit/288800eafc91d07f859c4f59588e0b646137ccb9). Please test and [add info about bugs](https://github.com/wekan/wekan/issues/119); -- [Add LDAP support and authentications dropdown menu on login page](https://github.com/wekan/wekan/pull/1943). +- [Add LDAP support and authentications dropdown menu on login page](https://github.com/wekan/wekan/pull/1943); +- [REST API: Get cards by swimlane id](https://github.com/wekan/wekan/pull/1944). Please [add docs](https://github.com/wekan/wekan/wiki/REST-API-Swimlanes). and fixes the following bugs: @@ -13,7 +14,7 @@ and fixes the following bugs: - [Add info about root-url to GitHub issue template](https://github.com/wekan/wekan/commit/4c0eb7dcc19ca9ae8c5d2d0276e0d024269de236); - [Feature rules: fixes and enhancements](https://github.com/wekan/wekan/pull/1936). -Thanks to GitHub users Akuket, Angtrim, lberk, maximest-pierre, InfoSec812, schulz and xet7 for their contributions. +Thanks to GitHub users Akuket, Angtrim, dcmcand, lberk, maximest-pierre, InfoSec812, schulz and xet7 for their contributions. # v1.52.1 2018-10-02 Wekan Edge release -- cgit v1.2.3-1-g7c22 From ab0e1b32039268d52f596c03a19e177999954fda Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 10 Oct 2018 01:16:02 +0300 Subject: v1.53.1 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 6a546e79..3f711975 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release. +# v1.53.1 2018-10-10 Wekan Edge release This release adds the following new features: diff --git a/package.json b/package.json index 89bfe93f..3883bc42 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.52.1", + "version": "v1.53.1", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 206a8a35..72a8b334 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 143, + appVersion = 145, # Increment this for every release. - appMarketingVersion = (defaultText = "1.52.1~2018-10-02"), + appMarketingVersion = (defaultText = "1.53.1~2018-10-10"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From f599391419bc7422a6ead52cdefc7d380e787897 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 10 Oct 2018 01:38:59 +0300 Subject: - Add LDAP package to Docker and Snap. Thanks to xet7 ! --- Dockerfile | 3 ++- snapcraft.yaml | 5 +++++ 2 files changed, 7 insertions(+), 1 deletion(-) diff --git a/Dockerfile b/Dockerfile index 363748a0..542692ff 100644 --- a/Dockerfile +++ b/Dockerfile @@ -228,7 +228,8 @@ RUN \ cd /home/wekan/app/packages && \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/flow-router.git kadira-flow-router && \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/meteor-useraccounts/core.git meteor-useraccounts-core && \ - gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/meteor-accounts-cas.git meteor-accounts-cas && \ + gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/meteor-accounts-cas.git && \ + gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/wekan-ldap.git && \ sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' /home/wekan/app/packages/meteor-useraccounts-core/package.js && \ cd /home/wekan/.meteor && \ gosu wekan:wekan /home/wekan/.meteor/meteor -- help; \ diff --git a/snapcraft.yaml b/snapcraft.yaml index e4276976..c3d3ecff 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -147,6 +147,11 @@ parts: git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git meteor-accounts-cas cd .. fi + if [ ! -d "packages/wekan-ldap" ]; then + cd packages + git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git + cd .. + fi rm -rf package-lock.json .build meteor add standard-minifier-js --allow-superuser meteor npm install --allow-superuser -- cgit v1.2.3-1-g7c22 From fc5c2f40baf01b414d2b7450e3127c742c534be6 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 10 Oct 2018 01:43:18 +0300 Subject: v1.53.2 --- CHANGELOG.md | 8 ++++++++ package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 11 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 3f711975..bf59c307 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# v1.53.2 2018-10-10 Wekan Edge release + +This release adds the following new features: + +- [Add LDAP package to Docker and Snap](https://github.com/wekan/wekan/commit/f599391419bc7422a6ead52cdefc7d380e787897). + +Thanks to GitHub user xet7 for contributions. + # v1.53.1 2018-10-10 Wekan Edge release This release adds the following new features: diff --git a/package.json b/package.json index 3883bc42..f6854d9b 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.53.1", + "version": "v1.53.2", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 72a8b334..28f69479 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 145, + appVersion = 146, # Increment this for every release. - appMarketingVersion = (defaultText = "1.53.1~2018-10-10"), + appMarketingVersion = (defaultText = "1.53.2~2018-10-10"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 55aea6994860e26402e9f01f37432d34b3a9c841 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 10 Oct 2018 01:44:56 +0300 Subject: - Remove whitespace. Thanks to xet7 ! --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index bf59c307..a45e7a86 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,7 +3,7 @@ This release adds the following new features: - [Add LDAP package to Docker and Snap](https://github.com/wekan/wekan/commit/f599391419bc7422a6ead52cdefc7d380e787897). - + Thanks to GitHub user xet7 for contributions. # v1.53.1 2018-10-10 Wekan Edge release -- cgit v1.2.3-1-g7c22 From 079e45eb52a0f62ddb6051bf2ea80fac8860d3d5 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 10 Oct 2018 14:58:52 +0300 Subject: - Trying Meteor 1.8.1-beta.0 Thanks to xet7 ! --- .meteor/.finished-upgraders | 1 + .meteor/packages | 33 ++++++------ .meteor/release | 2 +- .meteor/versions | 121 +++++++++++++++++++++++--------------------- package.json | 1 + 5 files changed, 83 insertions(+), 75 deletions(-) diff --git a/.meteor/.finished-upgraders b/.meteor/.finished-upgraders index 2a56593d..8f397c7d 100644 --- a/.meteor/.finished-upgraders +++ b/.meteor/.finished-upgraders @@ -16,3 +16,4 @@ notices-for-facebook-graph-api-2 1.4.1-add-shell-server-package 1.4.3-split-account-service-packages 1.5-add-dynamic-import-package +1.7-split-underscore-from-meteor-base diff --git a/.meteor/packages b/.meteor/packages index 3779a684..65d54fd2 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -3,17 +3,18 @@ # 'meteor add' and 'meteor remove' will edit this file for you, # but you can also edit it by hand. -meteor-base@1.2.0 +meteor-base@1.4.0 # Build system -ecmascript +ecmascript@0.12.0 stylus@2.513.13 -standard-minifier-css@1.3.5 -standard-minifier-js@2.2.0 +standard-minifier-css@1.5.0 +standard-minifier-js@2.4.0 mquandalle:jade +coffeescript@2.3.1_2! # Polyfills -es5-shim@4.6.15 +es5-shim@4.8.0 # Collections aldeed:collection2 @@ -23,7 +24,7 @@ dburles:collection-helpers idmontie:migrations matb33:collection-hooks matteodem:easy-search -mongo@1.3.1 +mongo@1.6.0 mquandalle:collection-mutations # Account system @@ -34,12 +35,12 @@ useraccounts:flow-routing salleman:accounts-oidc # Utilities -check@1.2.5 +check@1.3.1 jquery@1.11.10 -random@1.0.10 -reactive-dict@1.2.0 -session@1.1.7 -tracker@1.1.3 +random@1.1.0 +reactive-dict@1.2.1 +session@1.1.8 +tracker@1.2.0 underscore@1.0.10 3stack:presence alethes:pages @@ -53,7 +54,7 @@ mquandalle:autofocus ongoworks:speakingurl raix:handlebar-helpers tap:i18n -http@1.3.0 +http@1.4.1 # UI components blaze @@ -70,21 +71,21 @@ templates:tabs verron:autosize simple:json-routes rajit:bootstrap3-datepicker -shell-server@0.3.0 +shell-server@0.4.0 simple:rest-accounts-password useraccounts:core email@1.2.3 horka:swipebox -dynamic-import@0.2.0 +dynamic-import@0.5.0 staringatlights:fast-render mixmax:smart-disconnect -accounts-password@1.5.0 +accounts-password@1.5.1 cfs:gridfs eluck:accounts-lockout rzymek:fullcalendar momentjs:moment@2.22.2 -browser-policy-framing +browser-policy-framing@1.1.0 mquandalle:moment msavin:usercache wekan:wekan-ldap diff --git a/.meteor/release b/.meteor/release index 56a7a07f..02806a3f 100644 --- a/.meteor/release +++ b/.meteor/release @@ -1 +1 @@ -METEOR@1.6.0.1 +METEOR@1.8.1-beta.0 diff --git a/.meteor/versions b/.meteor/versions index a082fd7d..8d10ad73 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -1,7 +1,7 @@ 3stack:presence@1.1.2 -accounts-base@1.4.0 -accounts-oauth@1.1.15 -accounts-password@1.5.0 +accounts-base@1.4.3 +accounts-oauth@1.1.16 +accounts-password@1.5.1 aldeed:collection2@2.10.0 aldeed:collection2-core@1.2.0 aldeed:schema-deny@1.1.0 @@ -11,19 +11,19 @@ alethes:pages@1.8.6 allow-deny@1.1.0 arillo:flow-router-helpers@0.5.2 audit-argument-checks@1.0.7 -autoupdate@1.3.12 -babel-compiler@6.24.7 -babel-runtime@1.1.1 -base64@1.0.10 -binary-heap@1.0.10 -blaze@2.3.2 +autoupdate@1.5.0 +babel-compiler@7.2.0 +babel-runtime@1.3.0 +base64@1.0.11 +binary-heap@1.0.11 +blaze@2.3.3 blaze-tools@1.0.10 -boilerplate-generator@1.3.1 +boilerplate-generator@1.6.0 browser-policy-common@1.0.11 browser-policy-framing@1.1.0 -caching-compiler@1.1.9 +caching-compiler@1.2.0 caching-html-compiler@1.1.2 -callback-hook@1.0.10 +callback-hook@1.1.0 cfs:access-point@0.1.49 cfs:base-package@0.0.30 cfs:collection@0.5.5 @@ -41,38 +41,40 @@ cfs:storage-adapter@0.2.3 cfs:tempstore@0.1.5 cfs:upload-http@0.0.20 cfs:worker@0.1.4 -check@1.2.5 +check@1.3.1 chuangbo:cookie@1.1.0 -coffeescript@1.12.7_3 -coffeescript-compiler@1.12.7_3 +coffeescript@2.3.1_2 +coffeescript-compiler@2.3.1_2 cottz:publish-relations@2.0.8 dburles:collection-helpers@1.1.0 ddp@1.4.0 -ddp-client@2.2.0 -ddp-common@1.3.0 +ddp-client@2.3.3 +ddp-common@1.4.0 ddp-rate-limiter@1.0.7 -ddp-server@2.1.1 +ddp-server@2.2.0 deps@1.0.12 -diff-sequence@1.0.7 -dynamic-import@0.2.1 -ecmascript@0.9.0 -ecmascript-runtime@0.5.0 -ecmascript-runtime-client@0.5.0 -ecmascript-runtime-server@0.5.0 +diff-sequence@1.1.0 +dynamic-import@0.5.0 +ecmascript@0.12.0 +ecmascript-runtime@0.7.0 +ecmascript-runtime-client@0.8.0 +ecmascript-runtime-server@0.7.1 ejson@1.1.0 eluck:accounts-lockout@0.9.0 email@1.2.3 -es5-shim@4.6.15 +es5-shim@4.8.0 fastclick@1.0.13 +fetch@0.1.0 fortawesome:fontawesome@4.7.0 geojson-utils@1.0.10 horka:swipebox@1.0.2 hot-code-push@1.0.4 html-tools@1.0.11 htmljs@1.0.11 -http@1.3.0 -id-map@1.0.9 +http@1.4.1 +id-map@1.1.0 idmontie:migrations@1.0.3 +inter-process-messaging@0.1.0 jquery@1.11.10 kadira:blaze-layout@2.3.0 kadira:dochead@1.5.0 @@ -81,12 +83,12 @@ kenton:accounts-sandstorm@0.7.0 launch-screen@1.1.1 livedata@1.0.18 localstorage@1.2.0 -logging@1.1.19 +logging@1.1.20 matb33:collection-hooks@0.8.4 matteodem:easy-search@1.6.4 mdg:validation-error@0.5.1 -meteor@1.8.2 -meteor-base@1.2.0 +meteor@1.9.2 +meteor-base@1.4.0 meteor-platform@1.2.6 meteorhacks:aggregate@1.3.0 meteorhacks:collection-utils@1.2.0 @@ -94,18 +96,20 @@ meteorhacks:meteorx@1.4.1 meteorhacks:picker@1.0.3 meteorhacks:subs-manager@1.6.4 meteorspark:util@0.2.0 -minifier-css@1.2.16 -minifier-js@2.2.2 +minifier-css@1.4.0 +minifier-js@2.4.0 minifiers@1.1.8-faster-rebuild.0 -minimongo@1.4.3 +minimongo@1.4.5 mixmax:smart-disconnect@0.0.4 mobile-status-bar@1.0.14 -modules@0.11.0 -modules-runtime@0.9.1 +modern-browsers@0.1.2 +modules@0.13.0 +modules-runtime@0.10.2 momentjs:moment@2.22.2 -mongo@1.3.1 +mongo@1.6.0 +mongo-decimal@0.1.0 mongo-dev-server@1.1.0 -mongo-id@1.0.6 +mongo-id@1.0.7 mongo-livedata@1.0.12 mousetrap:mousetrap@1.4.6_1 mquandalle:autofocus@1.0.0 @@ -119,47 +123,48 @@ mquandalle:mousetrap-bindglobal@0.0.1 mquandalle:perfect-scrollbar@0.6.5_2 msavin:usercache@1.0.0 npm-bcrypt@0.9.3 -npm-mongo@2.2.33 -oauth@1.2.1 -oauth2@1.2.0 +npm-mongo@3.1.1 +oauth@1.2.3 +oauth2@1.2.1 observe-sequence@1.0.16 ongoworks:speakingurl@1.1.0 -ordered-dict@1.0.9 +ordered-dict@1.1.0 peerlibrary:assert@0.2.5 peerlibrary:base-component@0.16.0 peerlibrary:blaze-components@0.15.1 -peerlibrary:computed-field@0.7.0 +peerlibrary:computed-field@0.9.0 peerlibrary:reactive-field@0.3.0 perak:markdown@1.0.5 -promise@0.10.0 +promise@0.11.1 raix:eventemitter@0.1.3 raix:handlebar-helpers@0.2.5 rajit:bootstrap3-datepicker@1.7.1 -random@1.0.10 -rate-limit@1.0.8 -reactive-dict@1.2.0 +random@1.1.0 +rate-limit@1.0.9 +reactive-dict@1.2.1 reactive-var@1.0.11 -reload@1.1.11 -retry@1.0.9 -routepolicy@1.0.12 +reload@1.2.0 +retry@1.1.0 +routepolicy@1.1.0 rzymek:fullcalendar@3.8.0 salleman:accounts-oidc@1.0.9 salleman:oidc@1.0.9 service-configuration@1.0.11 -session@1.1.7 +session@1.1.8 sha@1.0.9 -shell-server@0.3.1 +shell-server@0.4.0 simple:authenticate-user-by-token@1.0.1 simple:json-routes@2.1.0 simple:rest-accounts-password@1.1.2 simple:rest-bearer-token-parser@1.0.1 simple:rest-json-error-handler@1.0.1 +socket-stream-client@0.2.2 softwarerero:accounts-t9n@1.3.11 spacebars@1.0.15 spacebars-compiler@1.1.3 -srp@1.0.10 -standard-minifier-css@1.3.5 -standard-minifier-js@2.2.3 +srp@1.0.12 +standard-minifier-css@1.5.0 +standard-minifier-js@2.4.0 staringatlights:fast-render@2.16.5 staringatlights:inject-data@2.0.5 stylus@2.513.13 @@ -169,17 +174,17 @@ templating@1.3.2 templating-compiler@1.3.3 templating-runtime@1.3.2 templating-tools@1.1.2 -tracker@1.1.3 +tracker@1.2.0 ui@1.0.13 underscore@1.0.10 -url@1.1.0 +url@1.2.0 useraccounts:core@1.14.2 useraccounts:flow-routing@1.14.2 useraccounts:unstyled@1.14.2 verron:autosize@3.0.8 -webapp@1.4.0 +webapp@1.7.0 webapp-hashing@1.0.9 +wekan:accounts-cas@0.1.0 wekan:wekan-ldap@0.0.2 yasaricli:slugify@0.0.7 -wekan:accounts-cas@0.1.0 zimme:active-route@2.3.2 diff --git a/package.json b/package.json index f6854d9b..c4dff540 100644 --- a/package.json +++ b/package.json @@ -23,6 +23,7 @@ "eslint": "^4.19.1" }, "dependencies": { + "@babel/runtime": "^7.1.2", "babel-runtime": "^6.26.0", "bson-ext": "^2.0.0", "es6-promise": "^4.2.4", -- cgit v1.2.3-1-g7c22 From dd47d46f4341a8c4ced05749633f783e88623e1b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 10 Oct 2018 15:39:54 +0300 Subject: - Use Meteor 1.8.1-beta.0 Thanks to xet7 ! --- Dockerfile | 2 +- snapcraft.yaml | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/Dockerfile b/Dockerfile index 542692ff..51573faa 100644 --- a/Dockerfile +++ b/Dockerfile @@ -70,7 +70,7 @@ ARG LDAP_DEFAULT_DOMAIN # ENV BUILD_DEPS="paxctl" ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential python git ca-certificates gcc-7" \ NODE_VERSION=v8.12.0 \ - METEOR_RELEASE=1.6.0.1 \ + METEOR_RELEASE=1.8.1-beta.0 \ USE_EDGE=false \ METEOR_EDGE=1.5-beta.17 \ NPM_VERSION=latest \ diff --git a/snapcraft.yaml b/snapcraft.yaml index c3d3ecff..5cd753ee 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -124,7 +124,7 @@ parts: #paxctl -mC `which node` echo "Installing meteor" curl https://install.meteor.com/ -o install_meteor.sh - sed -i "s|RELEASE=.*|RELEASE=\"1.6.0.1\"|g" install_meteor.sh + sed -i "s|RELEASE=.*|RELEASE=\"1.8.1-beta.0\"|g" install_meteor.sh chmod +x install_meteor.sh sh install_meteor.sh rm install_meteor.sh -- cgit v1.2.3-1-g7c22 From 2b2315032dfeb06fa946f29b3ccf8d242aae9b51 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 10 Oct 2018 15:57:46 +0300 Subject: - [Upgrade](https://github.com/wekan/wekan/issues/1522) to [Meteor](https://blog.meteor.com/meteor-1-8-erases-the-debts-of-1-7-77af4c931fe3) [1.8.1-beta.0](https://github.com/meteor/meteor/issues/10216). with [these](https://github.com/wekan/wekan/commit/079e45eb52a0f62ddb6051bf2ea80fac8860d3d5) [commits](https://github.com/wekan/wekan/commit/dd47d46f4341a8c4ced05749633f783e88623e1b). So now it's possible to use MongoDB 2.6 - 4.0. Thanks to xet7 ! --- CHANGELOG.md | 10 ++++++++++ 1 file changed, 10 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index a45e7a86..383c35fe 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,13 @@ +# Upcoming Wekan release + +This release adds the following new features: + +- [Upgrade](https://github.com/wekan/wekan/issues/1522) to [Meteor](https://blog.meteor.com/meteor-1-8-erases-the-debts-of-1-7-77af4c931fe3) [1.8.1-beta.0](https://github.com/meteor/meteor/issues/10216). + with [these](https://github.com/wekan/wekan/commit/079e45eb52a0f62ddb6051bf2ea80fac8860d3d5) + [commits](https://github.com/wekan/wekan/commit/dd47d46f4341a8c4ced05749633f783e88623e1b). So now it's possible to use MongoDB 2.6 - 4.0. + +Thanks to GitHub user xet7 for contributions. + # v1.53.2 2018-10-10 Wekan Edge release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From ffdd6ff80630f0d5b0bd51ad0c4e0c3ecdf8d1f3 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 10 Oct 2018 16:01:17 +0300 Subject: v1.53.3 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 383c35fe..3c869b5e 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.53.3 2018-10-10 Wekan Edge release This release adds the following new features: diff --git a/package.json b/package.json index c4dff540..e0587c47 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.53.2", + "version": "v1.53.3", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 28f69479..d5285b11 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 146, + appVersion = 147, # Increment this for every release. - appMarketingVersion = (defaultText = "1.53.2~2018-10-10"), + appMarketingVersion = (defaultText = "1.53.3~2018-10-10"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 0b971b6ddb1ffc4adad6b6b09ae7f42dd376fe2c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 10 Oct 2018 16:25:24 +0300 Subject: - Upgrade hoek. Thanks to xet7 ! --- package.json | 1 + 1 file changed, 1 insertion(+) diff --git a/package.json b/package.json index e0587c47..d759de8a 100644 --- a/package.json +++ b/package.json @@ -27,6 +27,7 @@ "babel-runtime": "^6.26.0", "bson-ext": "^2.0.0", "es6-promise": "^4.2.4", + "hoek": "^5.0.4", "meteor-node-stubs": "^0.4.1", "os": "^0.1.1", "page": "^1.8.6", -- cgit v1.2.3-1-g7c22 From 961d9dcbdb92c175a08e9c5d2dd492bda7cc7dfc Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 10 Oct 2018 16:28:02 +0300 Subject: v1.53.4 --- CHANGELOG.md | 8 ++++++++ package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 11 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 3c869b5e..bf47c3ef 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# v1.53.4 2018-10-10 Wekan Edge release + +This release adds the following new features: + +- [Upgrade Hoek](https://github.com/wekan/wekan/commit/0b971b6ddb1ffc4adad6b6b09ae7f42dd376fe2c). + +Thanks to GitHub user xet7 for contributions. + # v1.53.3 2018-10-10 Wekan Edge release This release adds the following new features: diff --git a/package.json b/package.json index d759de8a..c80f75d7 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.53.3", + "version": "v1.53.4", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index d5285b11..13f3f053 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 147, + appVersion = 148, # Increment this for every release. - appMarketingVersion = (defaultText = "1.53.3~2018-10-10"), + appMarketingVersion = (defaultText = "1.53.4~2018-10-10"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From db757f20b300657f231765b8e85128dcf83dc79d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 10 Oct 2018 16:57:07 +0300 Subject: Try to fix snap --- snapcraft.yaml | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/snapcraft.yaml b/snapcraft.yaml index 5cd753ee..87e297f4 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -83,7 +83,7 @@ parts: plugin: nodejs node-engine: 8.12.0 node-packages: - - npm + - npm@6.4.1 - node-gyp - node-pre-gyp - fibers@2.0.0 @@ -124,7 +124,7 @@ parts: #paxctl -mC `which node` echo "Installing meteor" curl https://install.meteor.com/ -o install_meteor.sh - sed -i "s|RELEASE=.*|RELEASE=\"1.8.1-beta.0\"|g" install_meteor.sh + #sed -i "s|RELEASE=.*|RELEASE=\"1.8.1-beta.0\"|g" install_meteor.sh chmod +x install_meteor.sh sh install_meteor.sh rm install_meteor.sh -- cgit v1.2.3-1-g7c22 From 644376a3568606a3788d9c443ce115c85050e07c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 10 Oct 2018 17:06:11 +0300 Subject: - Try to fix snap. Thanks to xet7 ! --- snapcraft.yaml | 1 - 1 file changed, 1 deletion(-) diff --git a/snapcraft.yaml b/snapcraft.yaml index 87e297f4..6643bb57 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -93,7 +93,6 @@ parts: - python - g++ - capnproto - - npm - curl - execstack stage-packages: -- cgit v1.2.3-1-g7c22 From beaf20d25677b3f26a2c208d2b4a0d80bc4bcf54 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 10 Oct 2018 17:09:06 +0300 Subject: v1.53.5 --- CHANGELOG.md | 8 ++++++++ package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 11 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index bf47c3ef..2f9393ed 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# v1.53.5 2018-10-10 Wekan Edge relase + +This release tries to fix the following bugs: + +- Try to fix snap. + +Thanks to GitHub user xet7 for contributions. + # v1.53.4 2018-10-10 Wekan Edge release This release adds the following new features: diff --git a/package.json b/package.json index c80f75d7..480e5540 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.53.4", + "version": "v1.53.5", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 13f3f053..367f6a7c 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 148, + appVersion = 149, # Increment this for every release. - appMarketingVersion = (defaultText = "1.53.4~2018-10-10"), + appMarketingVersion = (defaultText = "1.53.5~2018-10-10"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 809c8f64f69721d51b7d963248a77585867fac53 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 10 Oct 2018 17:24:05 +0300 Subject: - Add LDAP to Snap Help. Thanks to Akuket ! Related #119 --- snap-src/bin/wekan-help | 150 ++++++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 150 insertions(+) diff --git a/snap-src/bin/wekan-help b/snap-src/bin/wekan-help index 95814d36..3af19336 100755 --- a/snap-src/bin/wekan-help +++ b/snap-src/bin/wekan-help @@ -95,6 +95,156 @@ echo -e "\t$ snap set $SNAP_NAME OAUTH2_TOKEN_ENDPOINT='/oauth/token'" echo -e "\t-Disable the OAuth2 Token Endpoint of Wekan:" echo -e "\t$ snap set $SNAP_NAME OAUTH2_TOKEN_ENDPOINT=''" echo -e "\n" +echo -e "Ldap Enable." +echo -e "To enable the ldap of Wekan:" +echo -e "\t$ snap set $SNAP_NAME LDAP_ENABLE='true'" +echo -e "\t-Disable the ldap of Wekan:" +echo -e "\t$ snap set $SNAP_NAME LDAP_ENABLE='false'" +echo -e "\n" +echo -e "Ldap Port." +echo -e "The port of the ldap server:" +echo -e "\t$ snap set $SNAP_NAME LDAP_PORT='12345'" +echo -e "\n" +echo -e "Ldap Host." +echo -e "The host server for the LDAP server:" +echo -e "\t$ snap set $SNAP_NAME LDAP_HOST='localhost'" +echo -e "\n" +echo -e "Ldap Base Dn." +echo -e "The base DN for the LDAP Tree:" +echo -e "\t$ snap set $SNAP_NAME LDAP_BASEDN='ou=user,dc=example,dc=org'" +echo -e "\n" +echo -e "Ldap Login Fallback." +echo -e "Fallback on the default authentication method:" +echo -e "\t$ snap set $SNAP_NAME LDAP_LOGIN_FALLBACK='true'" +echo -e "\n" +echo -e "Ldap Reconnect." +echo -e "Reconnect to the server if the connection is lost:" +echo -e "\t$ snap set $SNAP_NAME LDAP_RECONNECT='false'" +echo -e "\n" +echo -e "Ldap Timeout." +echo -e "Overall timeout, in milliseconds:" +echo -e "\t$ snap set $SNAP_NAME LDAP_TIMEOUT='12345'" +echo -e "\n" +echo -e "Ldap Idle Timeout." +echo -e "Specifies the timeout for idle LDAP connections in milliseconds:" +echo -e "\t$ snap set $SNAP_NAME LDAP_IDLE_TIMEOUT='12345'" +echo -e "\n" +echo -e "Ldap Connect Timeout." +echo -e "Connection timeout, in milliseconds:" +echo -e "\t$ snap set $SNAP_NAME LDAP_CONNECT_TIMEOUT='12345'" +echo -e "\n" +echo -e "Ldap Authentication." +echo -e "If the LDAP needs a user account to search:" +echo -e "\t$ snap set $SNAP_NAME LDAP_AUTHENTIFICATION='true'" +echo -e "\n" +echo -e "Ldap Authentication User Dn." +echo -e "The search user Dn:" +echo -e "\t$ snap set $SNAP_NAME LDAP_AUTHENTIFICATION_USERDN='cn=admin,dc=example,dc=org'" +echo -e "\n" +echo -e "Ldap Authentication Password." +echo -e "The password for the search user:" +echo -e "\t$ snap set $SNAP_NAME AUTHENTIFICATION_PASSWORD='admin'" +echo -e "\n" +echo -e "Ldap Log Enabled." +echo -e "Enable logs for the module:" +echo -e "\t$ snap set $SNAP_NAME LDAP_LOG_ENABLED='true'" +echo -e "\n" +echo -e "Ldap Background Sync." +echo -e "If the sync of the users should be done in the background:" +echo -e "\t$ snap set $SNAP_NAME LDAP_BACKGROUND_SYNC='true'" +echo -e "\n" +echo -e "Ldap Background Sync Interval." +echo -e "At which interval does the background task sync in milliseconds:" +echo -e "\t$ snap set $SNAP_NAME LDAP_BACKGROUND_SYNC_INTERVAL='12345'" +echo -e "\n" +echo -e "Ldap Background Sync Keep Existant Users Updated." +echo -e "\t$ snap set $SNAP_NAME LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED='true'" +echo -e "\n" +echo -e "Ldap Background Sync Import New Users." +echo -e "\t$ snap set $SNAP_NAME LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS='true'" +echo -e "\n" +echo -e "Ldap Encryption." +echo -e "Allow LDAPS:" +echo -e "\t$ snap set $SNAP_NAME LDAP_ENCRYPTION='true'" +echo -e "\n" +echo -e "Ldap Ca Cert." +echo -e "The certification for the LDAPS server:" +echo -e "\t$ snap set $SNAP_NAME LDAP_CA_CERT=-----BEGIN CERTIFICATE-----MIIE+zCCA+OgAwIBAgIkAhwR/6TVLmdRY6hHxvUFWc0+Enmu/Hu6cj+G2FIdAgIC...-----END CERTIFICATE-----" +echo -e "\n" +echo -e "Ldap Reject Unauthorized." +echo -e "Reject Unauthorized Certificate:" +echo -e "\t$ snap set $SNAP_NAME LDAP_REJECT_UNAUTHORIZED='true'" +echo -e "\n" +echo -e "Ldap User Search Filter." +echo -e "Optional extra LDAP filters. Don't forget the outmost enclosing parentheses if needed:" +echo -e "\t$ snap set $SNAP_NAME LDAP_USER_SEARCH_FILTER=''" +echo -e "\n" +echo -e "Ldap User Search Scope." +echo -e "Base (search only in the provided DN), one (search only in the provided DN and one level deep), or subtree (search the whole subtree):" +echo -e "\t$ snap set $SNAP_NAME LDAP_USER_SEARCH_SCOPE=one" +echo -e "\n" +echo -e "Ldap User Search Field." +echo -e "Which field is used to find the user:" +echo -e "\t$ snap set $SNAP_NAME LDAP_USER_SEARCH_FIELD='uid'" +echo -e "\n" +echo -e "Ldap Search Page Size." +echo -e "Used for pagination (0=unlimited):" +echo -e "\t$ snap set $SNAP_NAME LDAP_SEARCH_PAGE_SIZE='12345'" +echo -e "\n" +echo -e "Ldap Search Size Limit." +echo -e "The limit number of entries (0=unlimited):" +echo -e "\t$ snap set $SNAP_NAME LDAP_SEARCH_SIZE_LIMIT='12345'" +echo -e "\n" +echo -e "Ldap Group Filter Enable." +echo -e "Enable group filtering:" +echo -e "\t$ snap set $SNAP_NAME LDAP_GROUP_FILTER_ENABLE='true'" +echo -e "\n" +echo -e "Ldap Group Filter ObjectClass." +echo -e "The object class for filtering:" +echo -e "\t$ snap set $SNAP_NAME LDAP_GROUP_FILTER_OBJECTCLASS='group'" +echo -e "\n" +echo -e "Ldap Group Filter Id Attribute." +echo -e "\t$ snap set $SNAP_NAME LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE=''" +echo -e "\n" +echo -e "Ldap Group Filter Member Attribute." +echo -e "\t$ snap set $SNAP_NAME LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE=''" +echo -e "\n" +echo -e "Ldap Group Filter Member Format." +echo -e "\t$ snap set $SNAP_NAME LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT=''" +echo -e "\n" +echo -e "Ldap Group Filter Group Name." +echo -e "\t$ snap set $SNAP_NAME LDAP_GROUP_FILTER_GROUP_NAME=''" +echo -e "\n" +echo -e "Ldap Unique Identifier Field." +echo -e "This field is sometimes class GUID (Globally Unique Identifier):" +echo -e "\t$ snap set $SNAP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD=guid" +echo -e "\n" +echo -e "Ldap Utf8 Names Slugify." +echo -e "Convert the username to utf8:" +echo -e "\t$ snap set $SNAP_NAME LDAP_UTF8_NAMES_SLUGIFY='false'" +echo -e "\n" +echo -e "Ldap Username Field." +echo -e "Which field contains the ldap username:" +echo -e "\t$ snap set $SNAP_NAME LDAP_USERNAME_FIELD='username'" +echo -e "\n" +echo -e "Ldap Merge Existing Users." +echo -e "\t$ snap set $SNAP_NAME LDAP_MERGE_EXISTING_USERS='true'" +echo -e "\n" +echo -e "Ldap Sync User Data." +echo -e "Enable synchronization of user data:" +echo -e "\t$ snap set $SNAP_NAME LDAP_SYNC_USER_DATA='true'" +echo -e "\n" +echo -e "Ldap Sync User Data Fieldmap." +echo -e "A field map for the matching:" +echo -e "\t$ snap set $SNAP_NAME LDAP_SYNC_USER_DATA_FIELDMAP={\"cn\":\"name\", \"mail\":\"email\"}" +echo -e "\n" +echo -e "Ldap Sync Group Roles." +echo -e "\t$ snap set $SNAP_NAME LDAP_SYNC_GROUP_ROLES=''" +echo -e "\n" +echo -e "Ldap Default Domain." +echo -e "The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP:" +echo -e "\t$ snap set $SNAP_NAME LDAP_DEFAULT_DOMAIN=''" +echo -e "\n" # parse config file for supported settings keys echo -e "wekan supports settings keys" echo -e "values can be changed by calling\n$ snap set $SNAP_NAME =''" -- cgit v1.2.3-1-g7c22 From 5f4f44753979cbfdd2d7df98d17d526e9ccee82a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 10 Oct 2018 17:27:48 +0300 Subject: - [Add LDAP to Snap Help](https://github.com/wekan/wekan/commit/809c8f64f69721d51b7d963248a77585867fac53). Thanks to GitHub user Akuket for contributions. Related #119 --- CHANGELOG.md | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 2f9393ed..cf051c1a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,9 @@ +# Upcoming Wekan release + +- [Add LDAP to Snap Help](https://github.com/wekan/wekan/commit/809c8f64f69721d51b7d963248a77585867fac53). + +Thanks to GitHub user Akuket for contributions. + # v1.53.5 2018-10-10 Wekan Edge relase This release tries to fix the following bugs: -- cgit v1.2.3-1-g7c22 From b63ba110b8a9c3435ec9e55f6b992e6246de6896 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 10 Oct 2018 17:28:19 +0300 Subject: Update translations. --- i18n/de.i18n.json | 4 +-- i18n/it.i18n.json | 84 +++++++++++++++++++++++++++---------------------------- 2 files changed, 44 insertions(+), 44 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index bded5246..bf04cb87 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -610,6 +610,6 @@ "ldap": "LDAP", "oauth2": "OAuth2", "cas": "CAS", - "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-method": "Authentifizierungsmethode", + "authentication-type": "Authentifizierungstyp" } \ No newline at end of file diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 04f49dab..08a975bc 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -43,7 +43,7 @@ "activity-sent": "inviato %s a %s", "activity-unjoined": "ha abbandonato %s", "activity-subtask-added": "aggiunto il sottocompito a 1%s", - "activity-checked-item": "checked %s in checklist %s of %s", + "activity-checked-item": " selezionata %s nella checklist %s di %s", "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "aggiunta checklist a %s", "activity-checklist-removed": "removed a checklist from %s", @@ -522,23 +522,23 @@ "activity-added-label": "added label '%s' to %s", "activity-removed-label": "removed label '%s' from %s", "activity-delete-attach": "deleted an attachment from %s", - "activity-added-label-card": "added label '%s'", + "activity-added-label-card": "aggiunta etichetta '%s'", "activity-removed-label-card": "removed label '%s'", - "activity-delete-attach-card": "deleted an attachment", - "r-rule": "Rule", - "r-add-trigger": "Add trigger", - "r-add-action": "Add action", - "r-board-rules": "Board rules", - "r-add-rule": "Add rule", - "r-view-rule": "View rule", - "r-delete-rule": "Delete rule", - "r-new-rule-name": "New rule title", - "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", - "r-removed-from": "Removed from", - "r-the-board": "the board", - "r-list": "list", + "activity-delete-attach-card": "Cancella un allegato", + "r-rule": "Ruolo", + "r-add-trigger": "Aggiungi trigger", + "r-add-action": "Aggiungi azione", + "r-board-rules": "Regole del cruscotto", + "r-add-rule": "Aggiungi regola", + "r-view-rule": "Visualizza regola", + "r-delete-rule": "Cancella regola", + "r-new-rule-name": "Titolo nuova regola", + "r-no-rules": "Nessuna regola", + "r-when-a-card-is": "Quando la tessera è", + "r-added-to": "Aggiunta a", + "r-removed-from": "Rimosso da", + "r-the-board": "Il cruscotto", + "r-list": "lista", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Recycle Bin", @@ -579,37 +579,37 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checklist", + "r-of-checklist": "della lista di cose da fare", "r-send-email": "Send an email", "r-to": "to", - "r-subject": "subject", + "r-subject": "soggetto", "r-rule-details": "Rule details", "r-d-move-to-top-gen": "Move card to top of its list", "r-d-move-to-top-spec": "Move card to top of list", - "r-d-move-to-bottom-gen": "Move card to bottom of its list", - "r-d-move-to-bottom-spec": "Move card to bottom of list", - "r-d-send-email": "Send email", + "r-d-move-to-bottom-gen": "Sposta la scheda in fondo alla sua lista", + "r-d-move-to-bottom-spec": "Muovi la scheda in fondo alla lista", + "r-d-send-email": "Spedisci email", "r-d-send-email-to": "to", - "r-d-send-email-subject": "subject", - "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", - "r-d-add-label": "Add label", - "r-d-remove-label": "Remove label", - "r-d-add-member": "Add member", - "r-d-remove-member": "Remove member", - "r-d-remove-all-member": "Remove all member", - "r-d-check-all": "Check all items of a list", - "r-d-uncheck-all": "Uncheck all items of a list", - "r-d-check-one": "Check item", - "r-d-uncheck-one": "Uncheck item", - "r-d-check-of-list": "of checklist", - "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list", + "r-d-send-email-subject": "soggetto", + "r-d-send-email-message": "Messaggio", + "r-d-archive": "Metti la scheda nel cestino", + "r-d-unarchive": "Recupera scheda da cestino", + "r-d-add-label": "Aggiungi etichetta", + "r-d-remove-label": "Rimuovi Etichetta", + "r-d-add-member": "Aggiungi membro", + "r-d-remove-member": "Rimuovi membro", + "r-d-remove-all-member": "Rimouvi tutti i membri", + "r-d-check-all": "Seleziona tutti gli item di una lista", + "r-d-uncheck-all": "Deseleziona tutti gli items di una lista", + "r-d-check-one": "Seleziona", + "r-d-uncheck-one": "Deselezionalo", + "r-d-check-of-list": "della lista di cose da fare", + "r-d-add-checklist": "Aggiungi lista di cose da fare", + "r-d-remove-checklist": "Rimuovi check list", + "r-when-a-card-is-moved": "Quando una scheda viene spostata su un'altra lista", "ldap": "LDAP", - "oauth2": "OAuth2", + "oauth2": "Oauth2", "cas": "CAS", - "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-method": "Metodo di Autenticazione", + "authentication-type": "Tipo Autenticazione" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 1b65cbd3db1981f416360aee9cf647d23747fcfc Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 10 Oct 2018 17:31:52 +0300 Subject: - Try to get latest npm. --- snapcraft.yaml | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/snapcraft.yaml b/snapcraft.yaml index 6643bb57..caa57857 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -83,7 +83,6 @@ parts: plugin: nodejs node-engine: 8.12.0 node-packages: - - npm@6.4.1 - node-gyp - node-pre-gyp - fibers@2.0.0 @@ -121,6 +120,8 @@ parts: # Removed from build-packages: - paxctl #echo "Applying paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303" #paxctl -mC `which node` + echo "Installing npm" + curl -L https://www.npmjs.com/install.sh | sh echo "Installing meteor" curl https://install.meteor.com/ -o install_meteor.sh #sed -i "s|RELEASE=.*|RELEASE=\"1.8.1-beta.0\"|g" install_meteor.sh -- cgit v1.2.3-1-g7c22 From 371ce30462581cfbf562bc8f1e3dc592bd604fab Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 10 Oct 2018 17:34:45 +0300 Subject: v1.53.6 --- CHANGELOG.md | 12 +++++++++--- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 12 insertions(+), 6 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index cf051c1a..7b0e077a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,8 +1,14 @@ -# Upcoming Wekan release +# v1.53.6 2018-10-10 Wekan release + +This release adds the following new features: - [Add LDAP to Snap Help](https://github.com/wekan/wekan/commit/809c8f64f69721d51b7d963248a77585867fac53). - -Thanks to GitHub user Akuket for contributions. + +and tries to fix the following bugs: + +- Try to fix snap. + +Thanks to GitHub users Akuket and xet7 for their contributions. # v1.53.5 2018-10-10 Wekan Edge relase diff --git a/package.json b/package.json index 480e5540..b4eee52f 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.53.5", + "version": "v1.53.6", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 367f6a7c..7d40cddd 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 149, + appVersion = 150, # Increment this for every release. - appMarketingVersion = (defaultText = "1.53.5~2018-10-10"), + appMarketingVersion = (defaultText = "1.53.6~2018-10-10"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 74a89e6610e81f1af9be43d14f52d7b80b49ccb4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 10 Oct 2018 18:48:24 +0300 Subject: - Try MongoDB 4.0.3 Thanks to xet7 ! --- snapcraft.yaml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/snapcraft.yaml b/snapcraft.yaml index caa57857..89810c71 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -65,7 +65,7 @@ apps: parts: mongodb: - source: https://fastdl.mongodb.org/linux/mongodb-linux-x86_64-ubuntu1604-3.2.21.tgz + source: https://fastdl.mongodb.org/linux/mongodb-linux-x86_64-ubuntu1604-4.0.3.tgz plugin: dump stage-packages: [libssl1.0.0] filesets: -- cgit v1.2.3-1-g7c22 From 219091eb5e55a971420aeb4e9c378df2468b51d4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 10 Oct 2018 18:50:41 +0300 Subject: v1.53.7 --- CHANGELOG.md | 10 +++++++++- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 12 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 7b0e077a..ad6ebfc7 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,12 @@ -# v1.53.6 2018-10-10 Wekan release +# v1.53.7 2018-10-10 Wekan Edge release + +This release adds the following new features: + +- Try MongoDB 4.0.3 + +Thanks to GitHub user xet7 for contributions. + +# v1.53.6 2018-10-10 Wekan Edge release This release adds the following new features: diff --git a/package.json b/package.json index b4eee52f..99474957 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.53.6", + "version": "v1.53.7", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 7d40cddd..291092d2 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 150, + appVersion = 151, # Increment this for every release. - appMarketingVersion = (defaultText = "1.53.6~2018-10-10"), + appMarketingVersion = (defaultText = "1.53.7~2018-10-10"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From b7a74e25bc6905fb2992d13a6251cb3d6d4cbd5d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 10 Oct 2018 19:02:03 +0300 Subject: - Try to fix Docker. Thanks to xet7 ! --- Dockerfile | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/Dockerfile b/Dockerfile index 51573faa..5e87b4a3 100644 --- a/Dockerfile +++ b/Dockerfile @@ -70,7 +70,7 @@ ARG LDAP_DEFAULT_DOMAIN # ENV BUILD_DEPS="paxctl" ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential python git ca-certificates gcc-7" \ NODE_VERSION=v8.12.0 \ - METEOR_RELEASE=1.8.1-beta.0 \ + METEOR_RELEASE= \ USE_EDGE=false \ METEOR_EDGE=1.5-beta.17 \ NPM_VERSION=latest \ @@ -208,7 +208,8 @@ RUN \ # Change user to wekan and install meteor cd /home/wekan/ && \ chown wekan:wekan --recursive /home/wekan && \ - curl "https://install.meteor.com/?release=${METEOR_RELEASE}" -o /home/wekan/install_meteor.sh && \ + curl "https://install.meteor.com" -o /home/wekan/install_meteor.sh && \ + #curl "https://install.meteor.com/?release=${METEOR_RELEASE}" -o /home/wekan/install_meteor.sh && \ # OLD: sed -i "s|RELEASE=.*|RELEASE=${METEOR_RELEASE}\"\"|g" ./install_meteor.sh && \ # Install Meteor forcing its progress sed -i 's/VERBOSITY="--silent"/VERBOSITY="--progress-bar"/' ./install_meteor.sh && \ -- cgit v1.2.3-1-g7c22 From a864223f4a7ba3e04ac64ebe54b68a2e3b941e82 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 10 Oct 2018 19:04:01 +0300 Subject: v1.53.8 --- CHANGELOG.md | 8 ++++++++ package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 11 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index ad6ebfc7..cb120990 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# v1.53.8 2018-10-10 Wekan Edge release + +This release tries to fix the followin bugs: + +- Try to fix Docker. + +Thanks to GitHub user xet7 for contributions. + # v1.53.7 2018-10-10 Wekan Edge release This release adds the following new features: diff --git a/package.json b/package.json index 99474957..e9206984 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.53.7", + "version": "v1.53.8", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 291092d2..f7e4c2b3 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 151, + appVersion = 152, # Increment this for every release. - appMarketingVersion = (defaultText = "1.53.7~2018-10-10"), + appMarketingVersion = (defaultText = "1.53.8~2018-10-10"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From f21afdc5f1997375f9a509df3f121cd763c07d2f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 10 Oct 2018 19:33:38 +0300 Subject: - Try to fix Dockerfile Thanks to xet7 ! --- Dockerfile | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/Dockerfile b/Dockerfile index 5e87b4a3..3e60cf11 100644 --- a/Dockerfile +++ b/Dockerfile @@ -70,7 +70,7 @@ ARG LDAP_DEFAULT_DOMAIN # ENV BUILD_DEPS="paxctl" ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential python git ca-certificates gcc-7" \ NODE_VERSION=v8.12.0 \ - METEOR_RELEASE= \ + METEOR_RELEASE=1.8.1-beta.0 \ USE_EDGE=false \ METEOR_EDGE=1.5-beta.17 \ NPM_VERSION=latest \ -- cgit v1.2.3-1-g7c22 From 7d39283aec28f4b128350101ba12a6337718a94f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 10 Oct 2018 19:40:28 +0300 Subject: - Try to fix Dockerfile. Thanks to xet7 ! --- Dockerfile | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/Dockerfile b/Dockerfile index 3e60cf11..76517c07 100644 --- a/Dockerfile +++ b/Dockerfile @@ -130,7 +130,7 @@ ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential pyth LDAP_SYNC_USER_DATA=false \ LDAP_SYNC_USER_DATA_FIELDMAP="" \ LDAP_SYNC_GROUP_ROLES="" \ - LDAP_DEFAULT_DOMAIN="" \ + LDAP_DEFAULT_DOMAIN="" # Copy the app to the image COPY ${SRC_PATH} /home/wekan/app -- cgit v1.2.3-1-g7c22 From 11b7ade355d32887d0d04b59e8ec5b4ff2662a9f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 11 Oct 2018 01:58:13 +0300 Subject: - Try some changes to snap. Thanks to xet7 ! --- snap-src/bin/config | 4 ++-- snapcraft.yaml | 4 ++-- 2 files changed, 4 insertions(+), 4 deletions(-) diff --git a/snap-src/bin/config b/snap-src/bin/config index 076a2a57..b81925ac 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -13,11 +13,11 @@ DEFAULT_MONGODB_BIND_UNIX_SOCKET="$SNAP_DATA/share" KEY_MONGODB_BIND_UNIX_SOCKET="mongodb-bind-unix-socket" DESCRIPTION_MONGODB_PORT="mongodb binding port: eg 27017 when using localhost" -DEFAULT_MONGODB_PORT="27019" +DEFAULT_MONGODB_PORT="" KEY_MONGODB_PORT='mongodb-port' DESCRIPTION_MONGODB_BIND_IP="mongodb binding ip address: eg 127.0.0.1 for localhost\n\t\tIf not defined default unix socket is used instead" -DEFAULT_MONGODB_BIND_IP="127.0.0.1" +DEFAULT_MONGODB_BIND_IP="" KEY_MONGODB_BIND_IP="mongodb-bind-ip" DESCRIPTION_MAIL_URL="wekan mail binding" diff --git a/snapcraft.yaml b/snapcraft.yaml index 89810c71..9ad94fe5 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -120,8 +120,8 @@ parts: # Removed from build-packages: - paxctl #echo "Applying paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303" #paxctl -mC `which node` - echo "Installing npm" - curl -L https://www.npmjs.com/install.sh | sh + #echo "Installing npm" + #curl -L https://www.npmjs.com/install.sh | sh echo "Installing meteor" curl https://install.meteor.com/ -o install_meteor.sh #sed -i "s|RELEASE=.*|RELEASE=\"1.8.1-beta.0\"|g" install_meteor.sh -- cgit v1.2.3-1-g7c22 From f6040ab43cf92cf09e98ce53dfc0e031283e2e79 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 11 Oct 2018 01:59:47 +0300 Subject: - Add experimental Docker edge that works. Thanks to xet7 ! --- docker-compose.yml | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/docker-compose.yml b/docker-compose.yml index 4b4cd02d..40aa49e6 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -3,7 +3,7 @@ version: '2' services: wekandb: - image: mongo:3.2.21 + image: mongo:4.0.3 container_name: wekan-db restart: always command: mongod --smallfiles --oplogSize 128 @@ -16,7 +16,7 @@ services: - wekan-db-dump:/dump wekan: - image: quay.io/wekan/wekan + image: quay.io/wekan/wekan:edge container_name: wekan-app restart: always networks: -- cgit v1.2.3-1-g7c22 From 769b1b81100cf3cdfebb808317f87cb5049d5ea8 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 11 Oct 2018 02:07:40 +0300 Subject: v1.53.9 --- CHANGELOG.md | 11 ++++++++++- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 13 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index cb120990..d87532ce 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,6 +1,15 @@ +# v1.53.9 2018-10-11 Wekan Edge release + +This release adds the following new features: + +- docker-compose.yml in this Edge branch now works with Wekan Edge + Meteor 1.8.1-beta.0 + MongoDB 4.0.3; +- [Snap is still broken](https://forum.snapcraft.io/t/how-to-connect-to-localhost-mongodb-in-snap-apparmor-prevents/7793/2). Please use latest Snap release on Edge branch, until this is fixed. + +Thanks to GitHub user xet7 for contributions. + # v1.53.8 2018-10-10 Wekan Edge release -This release tries to fix the followin bugs: +This release tries to fix the following bugs: - Try to fix Docker. diff --git a/package.json b/package.json index e9206984..58b76487 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.53.8", + "version": "v1.53.9", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index f7e4c2b3..6ca45acb 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 152, + appVersion = 153, # Increment this for every release. - appMarketingVersion = (defaultText = "1.53.8~2018-10-10"), + appMarketingVersion = (defaultText = "1.53.9~2018-10-11"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 6742dd05853352d68fdfbad1eec71365b4e53732 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 11 Oct 2018 15:39:40 +0300 Subject: Update translations. --- i18n/zh-CN.i18n.json | 76 ++++++++++++++++++++++++++-------------------------- 1 file changed, 38 insertions(+), 38 deletions(-) diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 025768e1..0a41a12f 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -46,7 +46,7 @@ "activity-checked-item": "checked %s in checklist %s of %s", "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "已经将清单添加到 %s", - "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-removed": "已从%s移除待办清单", "activity-checklist-completed": "completed the checklist %s of %s", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "添加清单项至'%s' 于 %s", @@ -181,8 +181,8 @@ "comment-placeholder": "添加评论", "comment-only": "仅能评论", "comment-only-desc": "只能在卡片上评论。", - "no-comments": "No comments", - "no-comments-desc": "Can not see comments and activities.", + "no-comments": "暂无评论", + "no-comments-desc": "无法查看评论和活动。", "computer": "从本机上传", "confirm-subtask-delete-dialog": "确定要删除子任务吗?", "confirm-checklist-delete-dialog": "确定要删除清单吗?", @@ -381,7 +381,7 @@ "restore": "还原", "save": "保存", "search": "搜索", - "rules": "Rules", + "rules": "规则", "search-cards": "搜索当前看板上的卡片标题和描述", "search-example": "搜索", "select-color": "选择颜色", @@ -525,36 +525,36 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", - "r-rule": "Rule", - "r-add-trigger": "Add trigger", + "r-rule": "规则", + "r-add-trigger": "添加触发器", "r-add-action": "Add action", "r-board-rules": "Board rules", - "r-add-rule": "Add rule", - "r-view-rule": "View rule", - "r-delete-rule": "Delete rule", - "r-new-rule-name": "New rule title", - "r-no-rules": "No rules", + "r-add-rule": "添加规则", + "r-view-rule": "查看规则", + "r-delete-rule": "删除规则", + "r-new-rule-name": "新建规则标题", + "r-no-rules": "暂无规则", "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-added-to": "添加到", "r-removed-from": "Removed from", - "r-the-board": "the board", - "r-list": "list", - "r-moved-to": "Moved to", + "r-the-board": "该看板", + "r-list": "列表", + "r-moved-to": "移至", "r-moved-from": "Moved from", "r-archived": "Moved to Recycle Bin", "r-unarchived": "Restored from Recycle Bin", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "清单名称", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", - "r-name": "name", + "r-name": "名称", "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", - "r-completed": "Completed", + "r-completed": "已完成", "r-made-incomplete": "Made incomplete", "r-when-a-item": "When a checklist item is", "r-when-the-item": "When the checklist item", @@ -581,35 +581,35 @@ "r-item": "item", "r-of-checklist": "of checklist", "r-send-email": "Send an email", - "r-to": "to", - "r-subject": "subject", + "r-to": "收件人", + "r-subject": "标题", "r-rule-details": "Rule details", "r-d-move-to-top-gen": "Move card to top of its list", "r-d-move-to-top-spec": "Move card to top of list", "r-d-move-to-bottom-gen": "Move card to bottom of its list", "r-d-move-to-bottom-spec": "Move card to bottom of list", - "r-d-send-email": "Send email", - "r-d-send-email-to": "to", - "r-d-send-email-subject": "subject", - "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", - "r-d-add-label": "Add label", - "r-d-remove-label": "Remove label", - "r-d-add-member": "Add member", - "r-d-remove-member": "Remove member", - "r-d-remove-all-member": "Remove all member", + "r-d-send-email": "发送邮件", + "r-d-send-email-to": "收件人", + "r-d-send-email-subject": "标题", + "r-d-send-email-message": "消息", + "r-d-archive": "移动卡片到回收站", + "r-d-unarchive": "从回收站恢复卡片", + "r-d-add-label": "添加标签", + "r-d-remove-label": "移除标签", + "r-d-add-member": "添加成员", + "r-d-remove-member": "移除成员", + "r-d-remove-all-member": "移除所有成员", "r-d-check-all": "Check all items of a list", "r-d-uncheck-all": "Uncheck all items of a list", - "r-d-check-one": "Check item", - "r-d-uncheck-one": "Uncheck item", + "r-d-check-one": "勾选该项", + "r-d-uncheck-one": "取消勾选", "r-d-check-of-list": "of checklist", - "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list", + "r-d-add-checklist": "添加待办清单", + "r-d-remove-checklist": "移除待办清单", + "r-when-a-card-is-moved": "当移动卡片到另一个清单时", "ldap": "LDAP", "oauth2": "OAuth2", "cas": "CAS", - "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-method": "认证方式", + "authentication-type": "认证类型" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From b925b8e74d8cb55edcb570819cffcb9f0dc061fc Mon Sep 17 00:00:00 2001 From: guillaume Date: Thu, 11 Oct 2018 16:44:52 +0200 Subject: improve notifications --- client/components/users/userHeader.jade | 18 ---- client/components/users/userHeader.js | 20 ----- models/activities.js | 11 --- models/settings.js | 1 + models/users.js | 4 - server/migrations.js | 9 ++ server/notifications/email.js | 1 + server/notifications/notifications.js | 8 +- snap-src/bin/wekan-help | 150 ++++++++++++++++++++++++++++++++ 9 files changed, 163 insertions(+), 59 deletions(-) diff --git a/client/components/users/userHeader.jade b/client/components/users/userHeader.jade index a8fdb143..b6e10d8a 100644 --- a/client/components/users/userHeader.jade +++ b/client/components/users/userHeader.jade @@ -17,7 +17,6 @@ template(name="memberMenuPopup") li: a.js-change-avatar {{_ 'edit-avatar'}} li: a.js-change-password {{_ 'changePasswordPopup-title'}} li: a.js-change-language {{_ 'changeLanguagePopup-title'}} - li: a.js-edit-notification {{_ 'editNotificationPopup-title'}} if currentUser.isAdmin li: a.js-go-setting(href="{{pathFor 'setting'}}") {{_ 'admin-panel'}} hr @@ -50,23 +49,6 @@ template(name="editProfilePopup") input.js-profile-email(type="email" value="{{emails.[0].address}}" readonly) input.primary.wide(type="submit" value="{{_ 'save'}}") -template(name="editNotificationPopup") - ul.pop-over-list - li - a.js-toggle-tag-notify-watch - i.fa.fa-eye.colorful - | {{_ 'watching'}} - if hasTag "notify-watch" - i.fa.fa-check - span.sub-name {{_ 'notify-watch'}} - li - a.js-toggle-tag-notify-participate - i.fa.fa-bell.colorful - | {{_ 'tracking'}} - if hasTag "notify-participate" - i.fa.fa-check - span.sub-name {{_ 'notify-participate'}} - template(name="changePasswordPopup") +atForm(state='changePwd') diff --git a/client/components/users/userHeader.js b/client/components/users/userHeader.js index d96a9b3d..63cbb14f 100644 --- a/client/components/users/userHeader.js +++ b/client/components/users/userHeader.js @@ -9,7 +9,6 @@ Template.memberMenuPopup.events({ 'click .js-change-avatar': Popup.open('changeAvatar'), 'click .js-change-password': Popup.open('changePassword'), 'click .js-change-language': Popup.open('changeLanguage'), - 'click .js-edit-notification': Popup.open('editNotification'), 'click .js-logout'(evt) { evt.preventDefault(); @@ -89,25 +88,6 @@ Template.editProfilePopup.events({ }, }); -Template.editNotificationPopup.helpers({ - hasTag(tag) { - const user = Meteor.user(); - return user && user.hasTag(tag); - }, -}); - -// we defined github like rules, see: https://github.com/settings/notifications -Template.editNotificationPopup.events({ - 'click .js-toggle-tag-notify-participate'() { - const user = Meteor.user(); - if (user) user.toggleTag('notify-participate'); - }, - 'click .js-toggle-tag-notify-watch'() { - const user = Meteor.user(); - if (user) user.toggleTag('notify-watch'); - }, -}); - // XXX For some reason the useraccounts autofocus isnt working in this case. // See https://github.com/meteor-useraccounts/core/issues/384 Template.changePasswordPopup.onRendered(function () { diff --git a/models/activities.js b/models/activities.js index c3c8f173..aad5d412 100644 --- a/models/activities.js +++ b/models/activities.js @@ -152,17 +152,6 @@ if (Meteor.isServer) { if (board) { const watchingUsers = _.pluck(_.where(board.watchers, {level: 'watching'}), 'userId'); const trackingUsers = _.pluck(_.where(board.watchers, {level: 'tracking'}), 'userId'); - const mutedUsers = _.pluck(_.where(board.watchers, {level: 'muted'}), 'userId'); - switch(board.getWatchDefault()) { - case 'muted': - participants = _.intersection(participants, trackingUsers); - watchers = _.intersection(watchers, trackingUsers); - break; - case 'tracking': - participants = _.difference(participants, mutedUsers); - watchers = _.difference(watchers, mutedUsers); - break; - } watchers = _.union(watchers, watchingUsers || []); } diff --git a/models/settings.js b/models/settings.js index bb555cf9..2f82e52f 100644 --- a/models/settings.js +++ b/models/settings.js @@ -116,6 +116,7 @@ if (Meteor.isServer) { url: FlowRouter.url('sign-up'), }; const lang = author.getLanguage(); + Email.send({ to: icode.email, from: Accounts.emailTemplates.from, diff --git a/models/users.js b/models/users.js index 9a195850..31d5cf60 100644 --- a/models/users.js +++ b/models/users.js @@ -89,10 +89,6 @@ Users.attachSchema(new SimpleSchema({ type: [String], optional: true, }, - 'profile.tags': { - type: [String], - optional: true, - }, 'profile.icode': { type: String, optional: true, diff --git a/server/migrations.js b/server/migrations.js index 1d62d796..a5d93a4c 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -333,3 +333,12 @@ Migrations.add('add-authenticationMethod', () => { }, }, noValidateMulti); }); + +Migrations.add('remove-tag', () => { + Users.update({ + }, { + $unset: { + 'profile.tags':1, + }, + }, noValidateMulti); +}); \ No newline at end of file diff --git a/server/notifications/email.js b/server/notifications/email.js index b2b7fab8..fc05456f 100644 --- a/server/notifications/email.js +++ b/server/notifications/email.js @@ -2,6 +2,7 @@ Meteor.startup(() => { Notifications.subscribe('email', (user, title, description, params) => { // add quote to make titles easier to read in email text + console.log('ICI', user, title, description, params); const quoteParams = _.clone(params); ['card', 'list', 'oldList', 'board', 'comment'].forEach((key) => { if (quoteParams[key]) quoteParams[key] = `"${params[key]}"`; diff --git a/server/notifications/notifications.js b/server/notifications/notifications.js index bc5557e1..72692ef8 100644 --- a/server/notifications/notifications.js +++ b/server/notifications/notifications.js @@ -25,16 +25,12 @@ Notifications = { participants.forEach((userId) => { if (userMap[userId]) return; const user = Users.findOne(userId); - if (user && user.hasTag('notify-participate')) { - userMap[userId] = user; - } + userMap[userId] = user; }); watchers.forEach((userId) => { if (userMap[userId]) return; const user = Users.findOne(userId); - if (user && user.hasTag('notify-watch')) { - userMap[userId] = user; - } + userMap[userId] = user; }); return _.map(userMap, (v) => v); }, diff --git a/snap-src/bin/wekan-help b/snap-src/bin/wekan-help index 95814d36..3af19336 100755 --- a/snap-src/bin/wekan-help +++ b/snap-src/bin/wekan-help @@ -95,6 +95,156 @@ echo -e "\t$ snap set $SNAP_NAME OAUTH2_TOKEN_ENDPOINT='/oauth/token'" echo -e "\t-Disable the OAuth2 Token Endpoint of Wekan:" echo -e "\t$ snap set $SNAP_NAME OAUTH2_TOKEN_ENDPOINT=''" echo -e "\n" +echo -e "Ldap Enable." +echo -e "To enable the ldap of Wekan:" +echo -e "\t$ snap set $SNAP_NAME LDAP_ENABLE='true'" +echo -e "\t-Disable the ldap of Wekan:" +echo -e "\t$ snap set $SNAP_NAME LDAP_ENABLE='false'" +echo -e "\n" +echo -e "Ldap Port." +echo -e "The port of the ldap server:" +echo -e "\t$ snap set $SNAP_NAME LDAP_PORT='12345'" +echo -e "\n" +echo -e "Ldap Host." +echo -e "The host server for the LDAP server:" +echo -e "\t$ snap set $SNAP_NAME LDAP_HOST='localhost'" +echo -e "\n" +echo -e "Ldap Base Dn." +echo -e "The base DN for the LDAP Tree:" +echo -e "\t$ snap set $SNAP_NAME LDAP_BASEDN='ou=user,dc=example,dc=org'" +echo -e "\n" +echo -e "Ldap Login Fallback." +echo -e "Fallback on the default authentication method:" +echo -e "\t$ snap set $SNAP_NAME LDAP_LOGIN_FALLBACK='true'" +echo -e "\n" +echo -e "Ldap Reconnect." +echo -e "Reconnect to the server if the connection is lost:" +echo -e "\t$ snap set $SNAP_NAME LDAP_RECONNECT='false'" +echo -e "\n" +echo -e "Ldap Timeout." +echo -e "Overall timeout, in milliseconds:" +echo -e "\t$ snap set $SNAP_NAME LDAP_TIMEOUT='12345'" +echo -e "\n" +echo -e "Ldap Idle Timeout." +echo -e "Specifies the timeout for idle LDAP connections in milliseconds:" +echo -e "\t$ snap set $SNAP_NAME LDAP_IDLE_TIMEOUT='12345'" +echo -e "\n" +echo -e "Ldap Connect Timeout." +echo -e "Connection timeout, in milliseconds:" +echo -e "\t$ snap set $SNAP_NAME LDAP_CONNECT_TIMEOUT='12345'" +echo -e "\n" +echo -e "Ldap Authentication." +echo -e "If the LDAP needs a user account to search:" +echo -e "\t$ snap set $SNAP_NAME LDAP_AUTHENTIFICATION='true'" +echo -e "\n" +echo -e "Ldap Authentication User Dn." +echo -e "The search user Dn:" +echo -e "\t$ snap set $SNAP_NAME LDAP_AUTHENTIFICATION_USERDN='cn=admin,dc=example,dc=org'" +echo -e "\n" +echo -e "Ldap Authentication Password." +echo -e "The password for the search user:" +echo -e "\t$ snap set $SNAP_NAME AUTHENTIFICATION_PASSWORD='admin'" +echo -e "\n" +echo -e "Ldap Log Enabled." +echo -e "Enable logs for the module:" +echo -e "\t$ snap set $SNAP_NAME LDAP_LOG_ENABLED='true'" +echo -e "\n" +echo -e "Ldap Background Sync." +echo -e "If the sync of the users should be done in the background:" +echo -e "\t$ snap set $SNAP_NAME LDAP_BACKGROUND_SYNC='true'" +echo -e "\n" +echo -e "Ldap Background Sync Interval." +echo -e "At which interval does the background task sync in milliseconds:" +echo -e "\t$ snap set $SNAP_NAME LDAP_BACKGROUND_SYNC_INTERVAL='12345'" +echo -e "\n" +echo -e "Ldap Background Sync Keep Existant Users Updated." +echo -e "\t$ snap set $SNAP_NAME LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED='true'" +echo -e "\n" +echo -e "Ldap Background Sync Import New Users." +echo -e "\t$ snap set $SNAP_NAME LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS='true'" +echo -e "\n" +echo -e "Ldap Encryption." +echo -e "Allow LDAPS:" +echo -e "\t$ snap set $SNAP_NAME LDAP_ENCRYPTION='true'" +echo -e "\n" +echo -e "Ldap Ca Cert." +echo -e "The certification for the LDAPS server:" +echo -e "\t$ snap set $SNAP_NAME LDAP_CA_CERT=-----BEGIN CERTIFICATE-----MIIE+zCCA+OgAwIBAgIkAhwR/6TVLmdRY6hHxvUFWc0+Enmu/Hu6cj+G2FIdAgIC...-----END CERTIFICATE-----" +echo -e "\n" +echo -e "Ldap Reject Unauthorized." +echo -e "Reject Unauthorized Certificate:" +echo -e "\t$ snap set $SNAP_NAME LDAP_REJECT_UNAUTHORIZED='true'" +echo -e "\n" +echo -e "Ldap User Search Filter." +echo -e "Optional extra LDAP filters. Don't forget the outmost enclosing parentheses if needed:" +echo -e "\t$ snap set $SNAP_NAME LDAP_USER_SEARCH_FILTER=''" +echo -e "\n" +echo -e "Ldap User Search Scope." +echo -e "Base (search only in the provided DN), one (search only in the provided DN and one level deep), or subtree (search the whole subtree):" +echo -e "\t$ snap set $SNAP_NAME LDAP_USER_SEARCH_SCOPE=one" +echo -e "\n" +echo -e "Ldap User Search Field." +echo -e "Which field is used to find the user:" +echo -e "\t$ snap set $SNAP_NAME LDAP_USER_SEARCH_FIELD='uid'" +echo -e "\n" +echo -e "Ldap Search Page Size." +echo -e "Used for pagination (0=unlimited):" +echo -e "\t$ snap set $SNAP_NAME LDAP_SEARCH_PAGE_SIZE='12345'" +echo -e "\n" +echo -e "Ldap Search Size Limit." +echo -e "The limit number of entries (0=unlimited):" +echo -e "\t$ snap set $SNAP_NAME LDAP_SEARCH_SIZE_LIMIT='12345'" +echo -e "\n" +echo -e "Ldap Group Filter Enable." +echo -e "Enable group filtering:" +echo -e "\t$ snap set $SNAP_NAME LDAP_GROUP_FILTER_ENABLE='true'" +echo -e "\n" +echo -e "Ldap Group Filter ObjectClass." +echo -e "The object class for filtering:" +echo -e "\t$ snap set $SNAP_NAME LDAP_GROUP_FILTER_OBJECTCLASS='group'" +echo -e "\n" +echo -e "Ldap Group Filter Id Attribute." +echo -e "\t$ snap set $SNAP_NAME LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE=''" +echo -e "\n" +echo -e "Ldap Group Filter Member Attribute." +echo -e "\t$ snap set $SNAP_NAME LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE=''" +echo -e "\n" +echo -e "Ldap Group Filter Member Format." +echo -e "\t$ snap set $SNAP_NAME LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT=''" +echo -e "\n" +echo -e "Ldap Group Filter Group Name." +echo -e "\t$ snap set $SNAP_NAME LDAP_GROUP_FILTER_GROUP_NAME=''" +echo -e "\n" +echo -e "Ldap Unique Identifier Field." +echo -e "This field is sometimes class GUID (Globally Unique Identifier):" +echo -e "\t$ snap set $SNAP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD=guid" +echo -e "\n" +echo -e "Ldap Utf8 Names Slugify." +echo -e "Convert the username to utf8:" +echo -e "\t$ snap set $SNAP_NAME LDAP_UTF8_NAMES_SLUGIFY='false'" +echo -e "\n" +echo -e "Ldap Username Field." +echo -e "Which field contains the ldap username:" +echo -e "\t$ snap set $SNAP_NAME LDAP_USERNAME_FIELD='username'" +echo -e "\n" +echo -e "Ldap Merge Existing Users." +echo -e "\t$ snap set $SNAP_NAME LDAP_MERGE_EXISTING_USERS='true'" +echo -e "\n" +echo -e "Ldap Sync User Data." +echo -e "Enable synchronization of user data:" +echo -e "\t$ snap set $SNAP_NAME LDAP_SYNC_USER_DATA='true'" +echo -e "\n" +echo -e "Ldap Sync User Data Fieldmap." +echo -e "A field map for the matching:" +echo -e "\t$ snap set $SNAP_NAME LDAP_SYNC_USER_DATA_FIELDMAP={\"cn\":\"name\", \"mail\":\"email\"}" +echo -e "\n" +echo -e "Ldap Sync Group Roles." +echo -e "\t$ snap set $SNAP_NAME LDAP_SYNC_GROUP_ROLES=''" +echo -e "\n" +echo -e "Ldap Default Domain." +echo -e "The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP:" +echo -e "\t$ snap set $SNAP_NAME LDAP_DEFAULT_DOMAIN=''" +echo -e "\n" # parse config file for supported settings keys echo -e "wekan supports settings keys" echo -e "values can be changed by calling\n$ snap set $SNAP_NAME =''" -- cgit v1.2.3-1-g7c22 From 23a35d9707f82391c74afbfbe47173815646e589 Mon Sep 17 00:00:00 2001 From: guillaume Date: Thu, 11 Oct 2018 16:46:59 +0200 Subject: improve notifications --- server/notifications/email.js | 1 - 1 file changed, 1 deletion(-) diff --git a/server/notifications/email.js b/server/notifications/email.js index fc05456f..b2b7fab8 100644 --- a/server/notifications/email.js +++ b/server/notifications/email.js @@ -2,7 +2,6 @@ Meteor.startup(() => { Notifications.subscribe('email', (user, title, description, params) => { // add quote to make titles easier to read in email text - console.log('ICI', user, title, description, params); const quoteParams = _.clone(params); ['card', 'list', 'oldList', 'board', 'comment'].forEach((key) => { if (quoteParams[key]) quoteParams[key] = `"${params[key]}"`; -- cgit v1.2.3-1-g7c22 From 178beee47634337f5868ac2c110015a87e608673 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 11 Oct 2018 23:41:50 +0300 Subject: - Fix lint errors. Note: variable trackingUsers is not used anywhere, so it was removed. Thanks to xet7 ! --- models/activities.js | 1 - server/migrations.js | 2 +- 2 files changed, 1 insertion(+), 2 deletions(-) diff --git a/models/activities.js b/models/activities.js index aad5d412..f3dabc6a 100644 --- a/models/activities.js +++ b/models/activities.js @@ -151,7 +151,6 @@ if (Meteor.isServer) { } if (board) { const watchingUsers = _.pluck(_.where(board.watchers, {level: 'watching'}), 'userId'); - const trackingUsers = _.pluck(_.where(board.watchers, {level: 'tracking'}), 'userId'); watchers = _.union(watchers, watchingUsers || []); } diff --git a/server/migrations.js b/server/migrations.js index a5d93a4c..5a4126d7 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -341,4 +341,4 @@ Migrations.add('remove-tag', () => { 'profile.tags':1, }, }, noValidateMulti); -}); \ No newline at end of file +}); -- cgit v1.2.3-1-g7c22 From 99793c0a12f083079388d99b0551b59fdd4a8afd Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 11 Oct 2018 23:47:02 +0300 Subject: - [Improve notifications](https://github.com/wekan/wekan/pull/1948). Thanks to Akuket ! Closes #1304 --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index d87532ce..4195c332 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan Edge release + +This release fixes the following bugs: + +- [Improve notifications](https://github.com/wekan/wekan/pull/1948). + +Thanks to GitHub user Akuket for contributions. + # v1.53.9 2018-10-11 Wekan Edge release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From 5c588b24240fb2fc996828e8478ac24a490971d8 Mon Sep 17 00:00:00 2001 From: guillaume Date: Fri, 12 Oct 2018 11:18:11 +0200 Subject: patch for customFields when deleting them --- models/customFields.js | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/models/customFields.js b/models/customFields.js index 6c5fe7c4..38481d8c 100644 --- a/models/customFields.js +++ b/models/customFields.js @@ -71,6 +71,12 @@ if (Meteor.isServer) { Activities.remove({ customFieldId: doc._id, }); + + Cards.update( + {'boardId': doc.boardId, 'customFields._id': doc._id}, + {$pull: {'customFields': {'_id': doc._id}}}, + {multi: true} + ); }); } -- cgit v1.2.3-1-g7c22 From 00eeb8633286bf8e2bdc1816ec16ff49ff6caafb Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 12 Oct 2018 23:04:09 +0300 Subject: - Remove broken customFields references. Thanks to Clement87 and Akuket ! --- server/migrations.js | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/server/migrations.js b/server/migrations.js index 5a4126d7..86c95fbb 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -342,3 +342,11 @@ Migrations.add('remove-tag', () => { }, }, noValidateMulti); }); + +Migrations.add('remove-customFields-references-broken', () => { + Cards.update( + {'customFields.$value': null}, + {$pull: {customFields: {value: null}}}, + noValidateMulti, + ); +}); -- cgit v1.2.3-1-g7c22 From 25bb0bfa22a896e8eeff3f9712ccd9aa39bbba42 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 12 Oct 2018 23:09:52 +0300 Subject: - [Fix deleting Custom Fields, removing broken references](https://github.com/wekan/wekan/issues/1872). Thanks to Akuket and Clement87 ! Closes #1872 --- CHANGELOG.md | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 4195c332..6fce70a5 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,9 +2,10 @@ This release fixes the following bugs: -- [Improve notifications](https://github.com/wekan/wekan/pull/1948). +- [Improve notifications](https://github.com/wekan/wekan/pull/1948); +- [Fix deleting Custom Fields, removing broken references](https://github.com/wekan/wekan/issues/1872). -Thanks to GitHub user Akuket for contributions. +Thanks to GitHub users Akuket and Clement87 for their contributions. # v1.53.9 2018-10-11 Wekan Edge release -- cgit v1.2.3-1-g7c22 From de146f9aaf2f6e856ec46cb73e22137a2c605244 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 12 Oct 2018 23:22:41 +0300 Subject: - Fix lint errors. Thanks to xet7 ! --- server/migrations.js | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/server/migrations.js b/server/migrations.js index 86c95fbb..2ccda54d 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -344,9 +344,9 @@ Migrations.add('remove-tag', () => { }); Migrations.add('remove-customFields-references-broken', () => { - Cards.update( - {'customFields.$value': null}, - {$pull: {customFields: {value: null}}}, - noValidateMulti, - ); + Cards.update({'customFields.$value': null}, + { $pull: { + customFields: {value: null}, + }, + }, noValidateMulti); }); -- cgit v1.2.3-1-g7c22 From 8c8f51a84b7de96e024de027ada77d809aaac613 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 12 Oct 2018 23:28:04 +0300 Subject: Update translations. --- i18n/fr.i18n.json | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 4b0bd221..bb67e05b 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Ajouter une règle", "r-view-rule": "Voir la règle", "r-delete-rule": "Supprimer la règle", - "r-new-rule-name": "New rule title", + "r-new-rule-name": "Titre de la nouvelle règle", "r-no-rules": "Pas de règles", "r-when-a-card-is": "Quand une carte est", "r-added-to": "Ajouté à", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Tout cocher", "r-uncheck-all": "Tout décocher", - "r-items-check": "items of checklist", + "r-items-check": "Élément de checklist", "r-check": "Cocher", "r-uncheck": "Décocher", "r-item": "élément", @@ -610,6 +610,6 @@ "ldap": "LDAP", "oauth2": "OAuth2", "cas": "CAS", - "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-method": "Méthode d'authentification", + "authentication-type": "Type d'authentification" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 9e5d01601732b7339222a950d40ef329cb118296 Mon Sep 17 00:00:00 2001 From: Tom O'Dwyer <24863179+tomodwyer@users.noreply.github.com> Date: Sat, 13 Oct 2018 18:08:53 +0100 Subject: Fix vertical text for swimlanes in IE11 https://github.com/wekan/wekan/issues/1798 --- client/components/swimlanes/swimlanes.styl | 1 + 1 file changed, 1 insertion(+) diff --git a/client/components/swimlanes/swimlanes.styl b/client/components/swimlanes/swimlanes.styl index dce298b0..abcc90d4 100644 --- a/client/components/swimlanes/swimlanes.styl +++ b/client/components/swimlanes/swimlanes.styl @@ -32,6 +32,7 @@ border-bottom: 1px solid #CCC .swimlane-header + -ms-writing-mode: tb-rl; writing-mode: vertical-rl; transform: rotate(180deg); font-size: 14px; -- cgit v1.2.3-1-g7c22 From 232685919ff35e756e044db9782bbbca5077b09b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 13 Oct 2018 23:27:40 +0300 Subject: - Fix vertical text for swimlanes in IE11 Thanks to tomodwyer ! Closes #1798 --- client/components/swimlanes/swimlanes.styl | 1 + 1 file changed, 1 insertion(+) diff --git a/client/components/swimlanes/swimlanes.styl b/client/components/swimlanes/swimlanes.styl index dce298b0..abcc90d4 100644 --- a/client/components/swimlanes/swimlanes.styl +++ b/client/components/swimlanes/swimlanes.styl @@ -32,6 +32,7 @@ border-bottom: 1px solid #CCC .swimlane-header + -ms-writing-mode: tb-rl; writing-mode: vertical-rl; transform: rotate(180deg); font-size: 14px; -- cgit v1.2.3-1-g7c22 From 3dcebe8a9eb6ef96fc8a6a42dc1a1ce7a2a4d98c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 13 Oct 2018 23:33:52 +0300 Subject: - [Fix vertical text for swimlanes in IE11](https://github.com/wekan/wekan/issues/1798). Thanks to tomodwyer ! Closes #1798 --- CHANGELOG.md | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 6fce70a5..19969cdf 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,9 +3,10 @@ This release fixes the following bugs: - [Improve notifications](https://github.com/wekan/wekan/pull/1948); -- [Fix deleting Custom Fields, removing broken references](https://github.com/wekan/wekan/issues/1872). +- [Fix deleting Custom Fields, removing broken references](https://github.com/wekan/wekan/issues/1872); +- [Fix vertical text for swimlanes in IE11](https://github.com/wekan/wekan/issues/1798). -Thanks to GitHub users Akuket and Clement87 for their contributions. +Thanks to GitHub users Akuket, Clement87 and tomodwyer for their contributions. # v1.53.9 2018-10-11 Wekan Edge release -- cgit v1.2.3-1-g7c22 From 63ee764a9be8d9897f88b5d4739e098635324096 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 13 Oct 2018 23:37:46 +0300 Subject: - [Fix vertical text for swimlanes in IE11](https://github.com/wekan/wekan/issues/1798). Thanks to tomodwyer ! Closes #1798 --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 6f7688a0..37097a3d 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- [Fix vertical text for swimlanes in IE11](https://github.com/wekan/wekan/issues/1798). + +Thanks to GitHub user tomodwyer for contributions. + # v1.53 2018-10-03 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From bedd3767cece1784c9622b5c9d17d61251ba61e1 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 13 Oct 2018 23:42:13 +0300 Subject: Update translations. --- i18n/ar.i18n.json | 11 +++++-- i18n/bg.i18n.json | 11 +++++-- i18n/br.i18n.json | 11 +++++-- i18n/ca.i18n.json | 11 +++++-- i18n/cs.i18n.json | 11 +++++-- i18n/de.i18n.json | 11 +++++-- i18n/el.i18n.json | 11 +++++-- i18n/en-GB.i18n.json | 11 +++++-- i18n/en.i18n.json | 11 +++++-- i18n/eo.i18n.json | 11 +++++-- i18n/es-AR.i18n.json | 11 +++++-- i18n/es.i18n.json | 11 +++++-- i18n/eu.i18n.json | 11 +++++-- i18n/fa.i18n.json | 11 +++++-- i18n/fi.i18n.json | 11 +++++-- i18n/fr.i18n.json | 11 +++++-- i18n/gl.i18n.json | 11 +++++-- i18n/he.i18n.json | 11 +++++-- i18n/hu.i18n.json | 11 +++++-- i18n/hy.i18n.json | 11 +++++-- i18n/id.i18n.json | 11 +++++-- i18n/ig.i18n.json | 11 +++++-- i18n/it.i18n.json | 85 +++++++++++++++++++++++++++------------------------- i18n/ja.i18n.json | 11 +++++-- i18n/ka.i18n.json | 11 +++++-- i18n/km.i18n.json | 11 +++++-- i18n/ko.i18n.json | 11 +++++-- i18n/lv.i18n.json | 11 +++++-- i18n/mn.i18n.json | 11 +++++-- i18n/nb.i18n.json | 11 +++++-- i18n/nl.i18n.json | 11 +++++-- i18n/pl.i18n.json | 11 +++++-- i18n/pt-BR.i18n.json | 15 ++++++---- i18n/pt.i18n.json | 11 +++++-- i18n/ro.i18n.json | 11 +++++-- i18n/ru.i18n.json | 11 +++++-- i18n/sr.i18n.json | 11 +++++-- i18n/sv.i18n.json | 11 +++++-- i18n/ta.i18n.json | 11 +++++-- i18n/th.i18n.json | 11 +++++-- i18n/tr.i18n.json | 11 +++++-- i18n/uk.i18n.json | 11 +++++-- i18n/vi.i18n.json | 11 +++++-- i18n/zh-CN.i18n.json | 79 +++++++++++++++++++++++++----------------------- i18n/zh-TW.i18n.json | 11 +++++-- 45 files changed, 433 insertions(+), 208 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 62e886e5..52ac4640 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 9a8c8b65..b5694a76 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index 467c99d9..a952fc1d 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index dd54348e..199b3837 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index e9bc74ab..55e07d3c 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Přidat pravidlo", "r-view-rule": "Zobrazit pravidlo", "r-delete-rule": "Smazat pravidlo", - "r-new-rule-name": "Přidat nové pravidlo", + "r-new-rule-name": "New rule title", "r-no-rules": "Žádná pravidla", "r-when-a-card-is": "Pokud je karta", "r-added-to": "Přidáno do", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Přidat checklist", "r-d-remove-checklist": "Odstranit checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 408224fd..bf04cb87 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Regel hinzufügen", "r-view-rule": "Regel anzeigen", "r-delete-rule": "Regel löschen", - "r-new-rule-name": "Neue Regel hinzufügen", + "r-new-rule-name": "Neuer Regeltitel", "r-no-rules": "Keine Regeln", "r-when-a-card-is": "Wenn eine Karte ist", "r-added-to": "Hinzugefügt zu", @@ -575,7 +575,7 @@ "r-checklist": "Checkliste", "r-check-all": "Alle markieren", "r-uncheck-all": "Alle demarkieren", - "r-item-check": "Elemente der Checkliste", + "r-items-check": "Elemente der Checkliste", "r-check": "Markieren", "r-uncheck": "Demarkieren", "r-item": "Element", @@ -606,5 +606,10 @@ "r-d-check-of-list": "der Checkliste", "r-d-add-checklist": "Checkliste hinzufügen", "r-d-remove-checklist": "Checkliste entfernen", - "r-when-a-card-is-moved": "Wenn eine Karte in eine andere Liste verschoben wird" + "r-when-a-card-is-moved": "Wenn eine Karte in eine andere Liste verschoben wird", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentifizierungsmethode", + "authentication-type": "Authentifizierungstyp" } \ No newline at end of file diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 6f9c3a66..822f2ead 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index bf2dbea3..0780077b 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 896c10a3..2e52dcfb 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -576,7 +576,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -607,5 +607,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index a61208b3..986f78f5 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index a2d55ac2..aac925c7 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 1c11035b..5735d012 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index 19e36b19..c905b61b 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index 9ebaee6a..58f7a3ad 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 753acfaf..63ac2175 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Lisää sääntö", "r-view-rule": "Näytä sääntö", "r-delete-rule": "Poista sääntö", - "r-new-rule-name": "Lisää uusi sääntö", + "r-new-rule-name": "Uuden säännön otsikko", "r-no-rules": "Ei sääntöjä", "r-when-a-card-is": "Kun kortti on", "r-added-to": "Lisätty kohteeseen", @@ -575,7 +575,7 @@ "r-checklist": "tarkistuslista", "r-check-all": "Ruksaa kaikki", "r-uncheck-all": "Poista ruksi kaikista", - "r-item-check": "Kohtaa tarkistuslistassa", + "r-items-check": "kohtaa tarkistuslistassa", "r-check": "Ruksaa", "r-uncheck": "Poista ruksi", "r-item": "kohta", @@ -606,5 +606,10 @@ "r-d-check-of-list": "tarkistuslistasta", "r-d-add-checklist": "Lisää tarkistuslista", "r-d-remove-checklist": "Poista tarkistuslista", - "r-when-a-card-is-moved": "Kun kortti on siirretty toiseen listaan" + "r-when-a-card-is-moved": "Kun kortti on siirretty toiseen listaan", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Kirjautumistapa", + "authentication-type": "Kirjautumistyyppi" } \ No newline at end of file diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 47da1ee2..bb67e05b 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Ajouter une règle", "r-view-rule": "Voir la règle", "r-delete-rule": "Supprimer la règle", - "r-new-rule-name": "Ajouter une nouvelle règle", + "r-new-rule-name": "Titre de la nouvelle règle", "r-no-rules": "Pas de règles", "r-when-a-card-is": "Quand une carte est", "r-added-to": "Ajouté à", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Tout cocher", "r-uncheck-all": "Tout décocher", - "r-item-check": "Éléments de la checklist", + "r-items-check": "Élément de checklist", "r-check": "Cocher", "r-uncheck": "Décocher", "r-item": "élément", @@ -606,5 +606,10 @@ "r-d-check-of-list": "de la checklist", "r-d-add-checklist": "Ajouter une checklist", "r-d-remove-checklist": "Supprimer la checklist", - "r-when-a-card-is-moved": "Quand une carte est déplacée vers une autre liste" + "r-when-a-card-is-moved": "Quand une carte est déplacée vers une autre liste", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Méthode d'authentification", + "authentication-type": "Type d'authentification" } \ No newline at end of file diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 759bd1cd..0dccb86d 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index ff52b699..6fc31d26 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "הוספת כלל", "r-view-rule": "הצגת כלל", "r-delete-rule": "מחיקת כל", - "r-new-rule-name": "הוספת כלל חדש", + "r-new-rule-name": "New rule title", "r-no-rules": "אין כללים", "r-when-a-card-is": "כאשר כרטיס", "r-added-to": "נוסף אל", @@ -575,7 +575,7 @@ "r-checklist": "רשימת משימות", "r-check-all": "לסמן הכול", "r-uncheck-all": "לבטל את הסימון", - "r-item-check": "פריטים לרשימת משימות", + "r-items-check": "items of checklist", "r-check": "סימון", "r-uncheck": "ביטול סימון", "r-item": "פריט", @@ -606,5 +606,10 @@ "r-d-check-of-list": "של רשימת משימות", "r-d-add-checklist": "הוספת רשימת משימות", "r-d-remove-checklist": "הסרת רשימת משימות", - "r-when-a-card-is-moved": "כאשר כרטיס מועבר לרשימה אחרת" + "r-when-a-card-is-moved": "כאשר כרטיס מועבר לרשימה אחרת", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index 1ebe8bef..8420e27c 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index d37621bc..7c5904df 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 11ce4d45..8cf0195a 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 9ff7f64c..08f2d06c 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 85c760c6..08a975bc 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -43,7 +43,7 @@ "activity-sent": "inviato %s a %s", "activity-unjoined": "ha abbandonato %s", "activity-subtask-added": "aggiunto il sottocompito a 1%s", - "activity-checked-item": "checked %s in checklist %s of %s", + "activity-checked-item": " selezionata %s nella checklist %s di %s", "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "aggiunta checklist a %s", "activity-checklist-removed": "removed a checklist from %s", @@ -522,23 +522,23 @@ "activity-added-label": "added label '%s' to %s", "activity-removed-label": "removed label '%s' from %s", "activity-delete-attach": "deleted an attachment from %s", - "activity-added-label-card": "added label '%s'", + "activity-added-label-card": "aggiunta etichetta '%s'", "activity-removed-label-card": "removed label '%s'", - "activity-delete-attach-card": "deleted an attachment", - "r-rule": "Rule", - "r-add-trigger": "Add trigger", - "r-add-action": "Add action", - "r-board-rules": "Board rules", - "r-add-rule": "Add rule", - "r-view-rule": "View rule", - "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", - "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", - "r-removed-from": "Removed from", - "r-the-board": "the board", - "r-list": "list", + "activity-delete-attach-card": "Cancella un allegato", + "r-rule": "Ruolo", + "r-add-trigger": "Aggiungi trigger", + "r-add-action": "Aggiungi azione", + "r-board-rules": "Regole del cruscotto", + "r-add-rule": "Aggiungi regola", + "r-view-rule": "Visualizza regola", + "r-delete-rule": "Cancella regola", + "r-new-rule-name": "Titolo nuova regola", + "r-no-rules": "Nessuna regola", + "r-when-a-card-is": "Quando la tessera è", + "r-added-to": "Aggiunta a", + "r-removed-from": "Rimosso da", + "r-the-board": "Il cruscotto", + "r-list": "lista", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Recycle Bin", @@ -575,36 +575,41 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checklist", + "r-of-checklist": "della lista di cose da fare", "r-send-email": "Send an email", "r-to": "to", - "r-subject": "subject", + "r-subject": "soggetto", "r-rule-details": "Rule details", "r-d-move-to-top-gen": "Move card to top of its list", "r-d-move-to-top-spec": "Move card to top of list", - "r-d-move-to-bottom-gen": "Move card to bottom of its list", - "r-d-move-to-bottom-spec": "Move card to bottom of list", - "r-d-send-email": "Send email", + "r-d-move-to-bottom-gen": "Sposta la scheda in fondo alla sua lista", + "r-d-move-to-bottom-spec": "Muovi la scheda in fondo alla lista", + "r-d-send-email": "Spedisci email", "r-d-send-email-to": "to", - "r-d-send-email-subject": "subject", - "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", - "r-d-add-label": "Add label", - "r-d-remove-label": "Remove label", - "r-d-add-member": "Add member", - "r-d-remove-member": "Remove member", - "r-d-remove-all-member": "Remove all member", - "r-d-check-all": "Check all items of a list", - "r-d-uncheck-all": "Uncheck all items of a list", - "r-d-check-one": "Check item", - "r-d-uncheck-one": "Uncheck item", - "r-d-check-of-list": "of checklist", - "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-d-send-email-subject": "soggetto", + "r-d-send-email-message": "Messaggio", + "r-d-archive": "Metti la scheda nel cestino", + "r-d-unarchive": "Recupera scheda da cestino", + "r-d-add-label": "Aggiungi etichetta", + "r-d-remove-label": "Rimuovi Etichetta", + "r-d-add-member": "Aggiungi membro", + "r-d-remove-member": "Rimuovi membro", + "r-d-remove-all-member": "Rimouvi tutti i membri", + "r-d-check-all": "Seleziona tutti gli item di una lista", + "r-d-uncheck-all": "Deseleziona tutti gli items di una lista", + "r-d-check-one": "Seleziona", + "r-d-uncheck-one": "Deselezionalo", + "r-d-check-of-list": "della lista di cose da fare", + "r-d-add-checklist": "Aggiungi lista di cose da fare", + "r-d-remove-checklist": "Rimuovi check list", + "r-when-a-card-is-moved": "Quando una scheda viene spostata su un'altra lista", + "ldap": "LDAP", + "oauth2": "Oauth2", + "cas": "CAS", + "authentication-method": "Metodo di Autenticazione", + "authentication-type": "Tipo Autenticazione" } \ No newline at end of file diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index c86845b7..02be3546 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index 3012bb3e..bca85c90 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index 0e6c8934..5545829f 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index 17d42a59..b0fbe280 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 7baad114..f4e82278 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index e7698c57..ebfedea3 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index 15d8a651..8ee7ccef 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 51332157..10d3fa22 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 85c7dca4..cd0be002 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Dodaj regułę", "r-view-rule": "Zobacz regułę", "r-delete-rule": "Usuń regułę", - "r-new-rule-name": "Dodaj nową regułę", + "r-new-rule-name": "New rule title", "r-no-rules": "Brak regułę", "r-when-a-card-is": "Gdy karta jest", "r-added-to": "Dodano do", @@ -575,7 +575,7 @@ "r-checklist": "lista zadań", "r-check-all": "Zaznacz wszystkie", "r-uncheck-all": "Odznacz wszystkie", - "r-item-check": "Elementy listy zadań", + "r-items-check": "items of checklist", "r-check": "Zaznacz", "r-uncheck": "Odznacz", "r-item": "element", @@ -606,5 +606,10 @@ "r-d-check-of-list": "z listy zadań", "r-d-add-checklist": "Dodaj listę zadań", "r-d-remove-checklist": "Usuń listę zadań", - "r-when-a-card-is-moved": "Gdy karta jest przeniesiona do innej listy" + "r-when-a-card-is-moved": "Gdy karta jest przeniesiona do innej listy", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index c1038b2c..613b4192 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -181,7 +181,7 @@ "comment-placeholder": "Escrever Comentário", "comment-only": "Somente comentários", "comment-only-desc": "Pode comentar apenas em cartões.", - "no-comments": "No comments", + "no-comments": "Sem comentários", "no-comments-desc": "Can not see comments and activities.", "computer": "Computador", "confirm-subtask-delete-dialog": "Tem certeza que deseja deletar a subtarefa?", @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -565,7 +565,7 @@ "r-bottom-of": "Bottom of", "r-its-list": "its list", "r-archive": "Mover para a lixeira", - "r-unarchive": "Restore from Recycle Bin", + "r-unarchive": "Restaurar da Lixeira", "r-card": "cartão", "r-add": "Novo", "r-remove": "Remover", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Marcar todos", "r-uncheck-all": "Desmarcar todos", - "r-item-check": "itens do checklist", + "r-items-check": "items of checklist", "r-check": "Marcar", "r-uncheck": "Desmarcar", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "do checklist", "r-d-add-checklist": "Adicionar checklist", "r-d-remove-checklist": "Remover checklist", - "r-when-a-card-is-moved": "Quando um cartão é movido de outra lista" + "r-when-a-card-is-moved": "Quando um cartão é movido de outra lista", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 986efb39..248f42d5 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index 6ece0bcc..c2943f78 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index d501d77e..b31ee2b2 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index 968b6a18..1e59bf93 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 670f6844..81ba2ecd 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index 07686e88..29630ead 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index 3227dd34..aa2d7d44 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index e6b5e275..731ab7c8 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 0fc8265e..3e5d1adf 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index be1a166e..9727eb7d 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 7f49807f..0a41a12f 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -46,7 +46,7 @@ "activity-checked-item": "checked %s in checklist %s of %s", "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "已经将清单添加到 %s", - "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-removed": "已从%s移除待办清单", "activity-checklist-completed": "completed the checklist %s of %s", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "添加清单项至'%s' 于 %s", @@ -181,8 +181,8 @@ "comment-placeholder": "添加评论", "comment-only": "仅能评论", "comment-only-desc": "只能在卡片上评论。", - "no-comments": "No comments", - "no-comments-desc": "Can not see comments and activities.", + "no-comments": "暂无评论", + "no-comments-desc": "无法查看评论和活动。", "computer": "从本机上传", "confirm-subtask-delete-dialog": "确定要删除子任务吗?", "confirm-checklist-delete-dialog": "确定要删除清单吗?", @@ -381,7 +381,7 @@ "restore": "还原", "save": "保存", "search": "搜索", - "rules": "Rules", + "rules": "规则", "search-cards": "搜索当前看板上的卡片标题和描述", "search-example": "搜索", "select-color": "选择颜色", @@ -525,36 +525,36 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", - "r-rule": "Rule", - "r-add-trigger": "Add trigger", + "r-rule": "规则", + "r-add-trigger": "添加触发器", "r-add-action": "Add action", "r-board-rules": "Board rules", - "r-add-rule": "Add rule", - "r-view-rule": "View rule", - "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", - "r-no-rules": "No rules", + "r-add-rule": "添加规则", + "r-view-rule": "查看规则", + "r-delete-rule": "删除规则", + "r-new-rule-name": "新建规则标题", + "r-no-rules": "暂无规则", "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-added-to": "添加到", "r-removed-from": "Removed from", - "r-the-board": "the board", - "r-list": "list", - "r-moved-to": "Moved to", + "r-the-board": "该看板", + "r-list": "列表", + "r-moved-to": "移至", "r-moved-from": "Moved from", "r-archived": "Moved to Recycle Bin", "r-unarchived": "Restored from Recycle Bin", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "清单名称", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", - "r-name": "name", + "r-name": "名称", "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", - "r-completed": "Completed", + "r-completed": "已完成", "r-made-incomplete": "Made incomplete", "r-when-a-item": "When a checklist item is", "r-when-the-item": "When the checklist item", @@ -575,36 +575,41 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", "r-of-checklist": "of checklist", "r-send-email": "Send an email", - "r-to": "to", - "r-subject": "subject", + "r-to": "收件人", + "r-subject": "标题", "r-rule-details": "Rule details", "r-d-move-to-top-gen": "Move card to top of its list", "r-d-move-to-top-spec": "Move card to top of list", "r-d-move-to-bottom-gen": "Move card to bottom of its list", "r-d-move-to-bottom-spec": "Move card to bottom of list", - "r-d-send-email": "Send email", - "r-d-send-email-to": "to", - "r-d-send-email-subject": "subject", - "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", - "r-d-add-label": "Add label", - "r-d-remove-label": "Remove label", - "r-d-add-member": "Add member", - "r-d-remove-member": "Remove member", - "r-d-remove-all-member": "Remove all member", + "r-d-send-email": "发送邮件", + "r-d-send-email-to": "收件人", + "r-d-send-email-subject": "标题", + "r-d-send-email-message": "消息", + "r-d-archive": "移动卡片到回收站", + "r-d-unarchive": "从回收站恢复卡片", + "r-d-add-label": "添加标签", + "r-d-remove-label": "移除标签", + "r-d-add-member": "添加成员", + "r-d-remove-member": "移除成员", + "r-d-remove-all-member": "移除所有成员", "r-d-check-all": "Check all items of a list", "r-d-uncheck-all": "Uncheck all items of a list", - "r-d-check-one": "Check item", - "r-d-uncheck-one": "Uncheck item", + "r-d-check-one": "勾选该项", + "r-d-uncheck-one": "取消勾选", "r-d-check-of-list": "of checklist", - "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-d-add-checklist": "添加待办清单", + "r-d-remove-checklist": "移除待办清单", + "r-when-a-card-is-moved": "当移动卡片到另一个清单时", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "认证方式", + "authentication-type": "认证类型" } \ No newline at end of file diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 89ea22e5..1c1922d9 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", - "r-new-rule-name": "Add new rule", + "r-new-rule-name": "New rule title", "r-no-rules": "No rules", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", @@ -575,7 +575,7 @@ "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-item-check": "Items of checklist", + "r-items-check": "items of checklist", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", @@ -606,5 +606,10 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list" + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 8cd5f7c185d31849c12ec0d9188120a6cb3e361e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 13 Oct 2018 23:51:54 +0300 Subject: - [Fix deleting Custom Fields, removing broken references](https://github.com/wekan/wekan/issues/1872). Thanks to Akuket and Clement87 ! --- models/customFields.js | 6 ++++++ server/migrations.js | 18 ++++++++++++++++++ 2 files changed, 24 insertions(+) diff --git a/models/customFields.js b/models/customFields.js index 6c5fe7c4..38481d8c 100644 --- a/models/customFields.js +++ b/models/customFields.js @@ -71,6 +71,12 @@ if (Meteor.isServer) { Activities.remove({ customFieldId: doc._id, }); + + Cards.update( + {'boardId': doc.boardId, 'customFields._id': doc._id}, + {$pull: {'customFields': {'_id': doc._id}}}, + {multi: true} + ); }); } diff --git a/server/migrations.js b/server/migrations.js index 91c34be2..ac33d836 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -321,3 +321,21 @@ Migrations.add('add-subtasks-allowed', () => { }, }, noValidateMulti); }); + +Migrations.add('remove-tag', () => { + Users.update({ + }, { + $unset: { + 'profile.tags':1, + }, + }, noValidateMulti); +}); + +Migrations.add('remove-customFields-references-broken', () => { + Cards.update({'customFields.$value': null}, + { $pull: { + customFields: {value: null}, + }, + }, noValidateMulti); +}); + -- cgit v1.2.3-1-g7c22 From a90f648d5edb119519f1178ccdf5d4d37f8f91d6 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 13 Oct 2018 23:53:41 +0300 Subject: - [Fix deleting Custom Fields, removing broken references](https://github.com/wekan/wekan/issues/1872). Thanks to Akuket and Clement87 ! Closes #1872 --- CHANGELOG.md | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 37097a3d..cdc38d17 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,8 +3,9 @@ This release fixes the following bugs: - [Fix vertical text for swimlanes in IE11](https://github.com/wekan/wekan/issues/1798). +- [Fix deleting Custom Fields, removing broken references](https://github.com/wekan/wekan/issues/1872). -Thanks to GitHub user tomodwyer for contributions. +Thanks to GitHub users Akuket, Clement87 and tomodwyer for their contributions. # v1.53 2018-10-03 Wekan release -- cgit v1.2.3-1-g7c22 From e9f8e150e7227fa78c80274c5bc1296cc2fb2707 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 14 Oct 2018 00:09:41 +0300 Subject: - [Improve notifications](https://github.com/wekan/wekan/pull/1948). Thanks to Akuket ! Closes #1304 --- client/components/users/userHeader.jade | 18 ------------------ client/components/users/userHeader.js | 20 -------------------- models/activities.js | 12 ------------ models/settings.js | 1 + models/users.js | 4 ---- server/notifications/notifications.js | 8 ++------ 6 files changed, 3 insertions(+), 60 deletions(-) diff --git a/client/components/users/userHeader.jade b/client/components/users/userHeader.jade index a8fdb143..b6e10d8a 100644 --- a/client/components/users/userHeader.jade +++ b/client/components/users/userHeader.jade @@ -17,7 +17,6 @@ template(name="memberMenuPopup") li: a.js-change-avatar {{_ 'edit-avatar'}} li: a.js-change-password {{_ 'changePasswordPopup-title'}} li: a.js-change-language {{_ 'changeLanguagePopup-title'}} - li: a.js-edit-notification {{_ 'editNotificationPopup-title'}} if currentUser.isAdmin li: a.js-go-setting(href="{{pathFor 'setting'}}") {{_ 'admin-panel'}} hr @@ -50,23 +49,6 @@ template(name="editProfilePopup") input.js-profile-email(type="email" value="{{emails.[0].address}}" readonly) input.primary.wide(type="submit" value="{{_ 'save'}}") -template(name="editNotificationPopup") - ul.pop-over-list - li - a.js-toggle-tag-notify-watch - i.fa.fa-eye.colorful - | {{_ 'watching'}} - if hasTag "notify-watch" - i.fa.fa-check - span.sub-name {{_ 'notify-watch'}} - li - a.js-toggle-tag-notify-participate - i.fa.fa-bell.colorful - | {{_ 'tracking'}} - if hasTag "notify-participate" - i.fa.fa-check - span.sub-name {{_ 'notify-participate'}} - template(name="changePasswordPopup") +atForm(state='changePwd') diff --git a/client/components/users/userHeader.js b/client/components/users/userHeader.js index d96a9b3d..63cbb14f 100644 --- a/client/components/users/userHeader.js +++ b/client/components/users/userHeader.js @@ -9,7 +9,6 @@ Template.memberMenuPopup.events({ 'click .js-change-avatar': Popup.open('changeAvatar'), 'click .js-change-password': Popup.open('changePassword'), 'click .js-change-language': Popup.open('changeLanguage'), - 'click .js-edit-notification': Popup.open('editNotification'), 'click .js-logout'(evt) { evt.preventDefault(); @@ -89,25 +88,6 @@ Template.editProfilePopup.events({ }, }); -Template.editNotificationPopup.helpers({ - hasTag(tag) { - const user = Meteor.user(); - return user && user.hasTag(tag); - }, -}); - -// we defined github like rules, see: https://github.com/settings/notifications -Template.editNotificationPopup.events({ - 'click .js-toggle-tag-notify-participate'() { - const user = Meteor.user(); - if (user) user.toggleTag('notify-participate'); - }, - 'click .js-toggle-tag-notify-watch'() { - const user = Meteor.user(); - if (user) user.toggleTag('notify-watch'); - }, -}); - // XXX For some reason the useraccounts autofocus isnt working in this case. // See https://github.com/meteor-useraccounts/core/issues/384 Template.changePasswordPopup.onRendered(function () { diff --git a/models/activities.js b/models/activities.js index 2228f66e..577aab68 100644 --- a/models/activities.js +++ b/models/activities.js @@ -143,18 +143,6 @@ if (Meteor.isServer) { } if (board) { const watchingUsers = _.pluck(_.where(board.watchers, {level: 'watching'}), 'userId'); - const trackingUsers = _.pluck(_.where(board.watchers, {level: 'tracking'}), 'userId'); - const mutedUsers = _.pluck(_.where(board.watchers, {level: 'muted'}), 'userId'); - switch(board.getWatchDefault()) { - case 'muted': - participants = _.intersection(participants, trackingUsers); - watchers = _.intersection(watchers, trackingUsers); - break; - case 'tracking': - participants = _.difference(participants, mutedUsers); - watchers = _.difference(watchers, mutedUsers); - break; - } watchers = _.union(watchers, watchingUsers || []); } diff --git a/models/settings.js b/models/settings.js index 3b9b4eae..5d01f2ea 100644 --- a/models/settings.js +++ b/models/settings.js @@ -116,6 +116,7 @@ if (Meteor.isServer) { url: FlowRouter.url('sign-up'), }; const lang = author.getLanguage(); + Email.send({ to: icode.email, from: Accounts.emailTemplates.from, diff --git a/models/users.js b/models/users.js index 07a3f75c..dc0ab608 100644 --- a/models/users.js +++ b/models/users.js @@ -89,10 +89,6 @@ Users.attachSchema(new SimpleSchema({ type: [String], optional: true, }, - 'profile.tags': { - type: [String], - optional: true, - }, 'profile.icode': { type: String, optional: true, diff --git a/server/notifications/notifications.js b/server/notifications/notifications.js index bc5557e1..72692ef8 100644 --- a/server/notifications/notifications.js +++ b/server/notifications/notifications.js @@ -25,16 +25,12 @@ Notifications = { participants.forEach((userId) => { if (userMap[userId]) return; const user = Users.findOne(userId); - if (user && user.hasTag('notify-participate')) { - userMap[userId] = user; - } + userMap[userId] = user; }); watchers.forEach((userId) => { if (userMap[userId]) return; const user = Users.findOne(userId); - if (user && user.hasTag('notify-watch')) { - userMap[userId] = user; - } + userMap[userId] = user; }); return _.map(userMap, (v) => v); }, -- cgit v1.2.3-1-g7c22 From cb98b1326dc192238e6b50304e6043e122bde4ac Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 14 Oct 2018 00:11:18 +0300 Subject: - [Improve notifications](https://github.com/wekan/wekan/pull/1948). Thanks to Akuket ! Closes #1304 --- CHANGELOG.md | 1 + 1 file changed, 1 insertion(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index cdc38d17..ce7f7afb 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,6 +4,7 @@ This release fixes the following bugs: - [Fix vertical text for swimlanes in IE11](https://github.com/wekan/wekan/issues/1798). - [Fix deleting Custom Fields, removing broken references](https://github.com/wekan/wekan/issues/1872). +- [Improve notifications](https://github.com/wekan/wekan/pull/1948). Thanks to GitHub users Akuket, Clement87 and tomodwyer for their contributions. -- cgit v1.2.3-1-g7c22 From 9faa85a1c3b886d9e23e29148d1cbbfa7c214d51 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 14 Oct 2018 00:18:20 +0300 Subject: - [REST API: Get cards by swimlane id](https://github.com/wekan/wekan/pull/1944). Please [add docs](https://github.com/wekan/wekan/wiki/REST-API-Swimlanes). Thanks to dcmcand ! Closes #1934 --- models/cards.js | 23 +++++++++++++++++++++++ 1 file changed, 23 insertions(+) diff --git a/models/cards.js b/models/cards.js index 73b9a023..7a0bcd5c 100644 --- a/models/cards.js +++ b/models/cards.js @@ -1056,6 +1056,29 @@ if (Meteor.isServer) { cardRemover(userId, doc); }); } +//SWIMLANES REST API +if (Meteor.isServer) { + JsonRoutes.add('GET', '/api/boards/:boardId/swimlanes/:swimlaneId/cards', function(req, res) { + const paramBoardId = req.params.boardId; + const paramSwimlaneId = req.params.swimlaneId; + Authentication.checkBoardAccess(req.userId, paramBoardId); + JsonRoutes.sendResult(res, { + code: 200, + data: Cards.find({ + boardId: paramBoardId, + swimlaneId: paramSwimlaneId, + archived: false, + }).map(function(doc) { + return { + _id: doc._id, + title: doc.title, + description: doc.description, + listId: doc.listId, + }; + }), + }); + }); +} //LISTS REST API if (Meteor.isServer) { JsonRoutes.add('GET', '/api/boards/:boardId/lists/:listId/cards', function (req, res) { -- cgit v1.2.3-1-g7c22 From ad663d2df99137b2e85074d22e6150912185516a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 14 Oct 2018 00:19:41 +0300 Subject: - [REST API: Get cards by swimlane id](https://github.com/wekan/wekan/pull/1944). Please [add docs](https://github.com/wekan/wekan/wiki/REST-API-Swimlanes). Thanks to dcmcand ! Closes #1934 --- CHANGELOG.md | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index ce7f7afb..ce009b80 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -5,8 +5,9 @@ This release fixes the following bugs: - [Fix vertical text for swimlanes in IE11](https://github.com/wekan/wekan/issues/1798). - [Fix deleting Custom Fields, removing broken references](https://github.com/wekan/wekan/issues/1872). - [Improve notifications](https://github.com/wekan/wekan/pull/1948). +- [REST API: Get cards by swimlane id](https://github.com/wekan/wekan/pull/1944). Please [add docs](https://github.com/wekan/wekan/wiki/REST-API-Swimlanes). -Thanks to GitHub users Akuket, Clement87 and tomodwyer for their contributions. +Thanks to GitHub users Akuket, Clement87, dcmcand and tomodwyer for their contributions. # v1.53 2018-10-03 Wekan release -- cgit v1.2.3-1-g7c22 From f5125b76bcdaa7afda065035786c6bd9b1c04026 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 14 Oct 2018 00:37:00 +0300 Subject: v1.54 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index ce009b80..72476a2c 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.54 2018-10-14 Wekan release This release fixes the following bugs: diff --git a/package.json b/package.json index 8ce4098a..58f67fd6 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "1.53.0", + "version": "1.54.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 8bd249e4..e627dae7 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 144, + appVersion = 154, # Increment this for every release. - appMarketingVersion = (defaultText = "1.53.0~2018-10-03"), + appMarketingVersion = (defaultText = "1.54.0~2018-10-14"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 41330b15dccfdd45c08b2657833a0bcba9576243 Mon Sep 17 00:00:00 2001 From: guillaume Date: Tue, 16 Oct 2018 11:33:16 +0200 Subject: update broke ability to mute notifications --- client/components/sidebar/sidebar.js | 3 +-- models/activities.js | 4 ++-- server/migrations.js | 8 ++++++++ server/notifications/notifications.js | 15 ++++----------- 4 files changed, 15 insertions(+), 15 deletions(-) diff --git a/client/components/sidebar/sidebar.js b/client/components/sidebar/sidebar.js index 5d34c4a8..83b12666 100644 --- a/client/components/sidebar/sidebar.js +++ b/client/components/sidebar/sidebar.js @@ -16,8 +16,7 @@ BlazeComponent.extendComponent({ }, onCreated() { - const initOpen = Utils.isMiniScreen() ? false : (!Session.get('currentCard')); - this._isOpen = new ReactiveVar(initOpen); + this._isOpen = new ReactiveVar(false); this._view = new ReactiveVar(defaultView); Sidebar = this; }, diff --git a/models/activities.js b/models/activities.js index aad5d412..47e3ff1e 100644 --- a/models/activities.js +++ b/models/activities.js @@ -152,10 +152,10 @@ if (Meteor.isServer) { if (board) { const watchingUsers = _.pluck(_.where(board.watchers, {level: 'watching'}), 'userId'); const trackingUsers = _.pluck(_.where(board.watchers, {level: 'tracking'}), 'userId'); - watchers = _.union(watchers, watchingUsers || []); + watchers = _.union(watchers, watchingUsers, _.intersection(participants, trackingUsers)); } - Notifications.getUsers(participants, watchers).forEach((user) => { + Notifications.getUsers(watchers).forEach((user) => { Notifications.notify(user, title, description, params); }); diff --git a/server/migrations.js b/server/migrations.js index a5d93a4c..36355bdc 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -341,4 +341,12 @@ Migrations.add('remove-tag', () => { 'profile.tags':1, }, }, noValidateMulti); +}); + +Migrations.add('remove-customFields-references-broken', () => { + Cards.update( + {'customFields.$value': null}, + {$pull: {customFields: {value: null}}}, + noValidateMulti, + ); }); \ No newline at end of file diff --git a/server/notifications/notifications.js b/server/notifications/notifications.js index 72692ef8..fa8b2ee2 100644 --- a/server/notifications/notifications.js +++ b/server/notifications/notifications.js @@ -19,20 +19,13 @@ Notifications = { delete notifyServices[serviceName]; }, - // filter recipients according to user settings for notification - getUsers: (participants, watchers) => { - const userMap = {}; - participants.forEach((userId) => { - if (userMap[userId]) return; - const user = Users.findOne(userId); - userMap[userId] = user; - }); + getUsers: (watchers) => { + const users = []; watchers.forEach((userId) => { - if (userMap[userId]) return; const user = Users.findOne(userId); - userMap[userId] = user; + if (user) users.push(user); }); - return _.map(userMap, (v) => v); + return users; }, notify: (user, title, description, params) => { -- cgit v1.2.3-1-g7c22 From 5979fc1d3dacb408b516f4b07a0c6aeed347a522 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 16 Oct 2018 13:42:58 +0300 Subject: - [Automatically close the sidebar](https://github.com/wekan/wekan/pull/1954); - [Fix: Update broke the ability to mute notifications](https://github.com/wekan/wekan/pull/1954). Thanks to Akuket ! --- CHANGELOG.md | 9 +++++++-- 1 file changed, 7 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 19969cdf..8ced40f7 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,10 +1,15 @@ # Upcoming Wekan Edge release -This release fixes the following bugs: +This release adds the following new features: + +- [Automatically close the sidebar](https://github.com/wekan/wekan/pull/1954). + +and fixes the following bugs: - [Improve notifications](https://github.com/wekan/wekan/pull/1948); - [Fix deleting Custom Fields, removing broken references](https://github.com/wekan/wekan/issues/1872); -- [Fix vertical text for swimlanes in IE11](https://github.com/wekan/wekan/issues/1798). +- [Fix vertical text for swimlanes in IE11](https://github.com/wekan/wekan/issues/1798); +- [Update broke the ability to mute notifications](https://github.com/wekan/wekan/pull/1954). Thanks to GitHub users Akuket, Clement87 and tomodwyer for their contributions. -- cgit v1.2.3-1-g7c22 From 849f15ceee8f40514fe75cbc0b8492394989b2b6 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 16 Oct 2018 13:52:45 +0300 Subject: - Fix: Update broke the ability to mute notifications; - Automatically close the sidebar. Thanks to Akuket ! Closes #1952 --- client/components/sidebar/sidebar.js | 3 +-- models/activities.js | 5 +++-- server/notifications/notifications.js | 14 ++++---------- 3 files changed, 8 insertions(+), 14 deletions(-) diff --git a/client/components/sidebar/sidebar.js b/client/components/sidebar/sidebar.js index 5d34c4a8..83b12666 100644 --- a/client/components/sidebar/sidebar.js +++ b/client/components/sidebar/sidebar.js @@ -16,8 +16,7 @@ BlazeComponent.extendComponent({ }, onCreated() { - const initOpen = Utils.isMiniScreen() ? false : (!Session.get('currentCard')); - this._isOpen = new ReactiveVar(initOpen); + this._isOpen = new ReactiveVar(false); this._view = new ReactiveVar(defaultView); Sidebar = this; }, diff --git a/models/activities.js b/models/activities.js index 577aab68..e49cbf0a 100644 --- a/models/activities.js +++ b/models/activities.js @@ -143,10 +143,11 @@ if (Meteor.isServer) { } if (board) { const watchingUsers = _.pluck(_.where(board.watchers, {level: 'watching'}), 'userId'); - watchers = _.union(watchers, watchingUsers || []); + const trackingUsers = _.pluck(_.where(board.watchers, {level: 'tracking'}), 'userId'); + watchers = _.union(watchers, watchingUsers, _.intersection(participants, trackingUsers)); } - Notifications.getUsers(participants, watchers).forEach((user) => { + Notifications.getUsers(watchers).forEach((user) => { Notifications.notify(user, title, description, params); }); diff --git a/server/notifications/notifications.js b/server/notifications/notifications.js index 72692ef8..19d43bc4 100644 --- a/server/notifications/notifications.js +++ b/server/notifications/notifications.js @@ -20,19 +20,13 @@ Notifications = { }, // filter recipients according to user settings for notification - getUsers: (participants, watchers) => { - const userMap = {}; - participants.forEach((userId) => { - if (userMap[userId]) return; - const user = Users.findOne(userId); - userMap[userId] = user; - }); + getUsers: (watchers) => { + const users = []; watchers.forEach((userId) => { - if (userMap[userId]) return; const user = Users.findOne(userId); - userMap[userId] = user; + if (user) users.push(user); }); - return _.map(userMap, (v) => v); + return users; }, notify: (user, title, description, params) => { -- cgit v1.2.3-1-g7c22 From ba5ee34d83bc6143d58c9a34d69e52d4a252b674 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 16 Oct 2018 13:57:38 +0300 Subject: - [Automatically close the sidebar](https://github.com/wekan/wekan/pull/1954). - [Fix: Update broke the ability to mute notifications](https://github.com/wekan/wekan/issues/1952). Thanks to Akuket ! --- CHANGELOG.md | 12 ++++++++++++ 1 file changed, 12 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 72476a2c..bf100863 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,15 @@ +# Upcoming Wekan release + +This release adds the following new features: + +- [Automatically close the sidebar](https://github.com/wekan/wekan/pull/1954). + +and fixes the following bugs: + +- [Update broke the ability to mute notifications](https://github.com/wekan/wekan/issues/1952). + +Thanks to GitHub user Akuket for contributions. + # v1.54 2018-10-14 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 6308352f90a0714b3ab00ef8e52aafe0c3127590 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 16 Oct 2018 14:05:47 +0300 Subject: Update translations. --- i18n/pl.i18n.json | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index cd0be002..87b8537c 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Dodaj regułę", "r-view-rule": "Zobacz regułę", "r-delete-rule": "Usuń regułę", - "r-new-rule-name": "New rule title", + "r-new-rule-name": "Nowa nazwa reguły", "r-no-rules": "Brak regułę", "r-when-a-card-is": "Gdy karta jest", "r-added-to": "Dodano do", @@ -575,7 +575,7 @@ "r-checklist": "lista zadań", "r-check-all": "Zaznacz wszystkie", "r-uncheck-all": "Odznacz wszystkie", - "r-items-check": "items of checklist", + "r-items-check": "elementy listy", "r-check": "Zaznacz", "r-uncheck": "Odznacz", "r-item": "element", @@ -610,6 +610,6 @@ "ldap": "LDAP", "oauth2": "OAuth2", "cas": "CAS", - "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-method": "Sposób autoryzacji", + "authentication-type": "Typ autoryzacji" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 50136fe3144fcff711cf43931018d7d2f0cea42e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 16 Oct 2018 14:11:33 +0300 Subject: v1.55 --- CHANGELOG.md | 2 +- package.json | 4 ++-- sandstorm-pkgdef.capnp | 2 +- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index bf100863..d4740127 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.55 2018-10-16 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index 58f67fd6..6247c4a4 100644 --- a/package.json +++ b/package.json @@ -1,7 +1,7 @@ { "name": "wekan", - "version": "1.54.0", - "description": "The open-source kanban", + "version": "1.55.0", + "description": "Open-Source kanban", "private": true, "scripts": { "lint": "eslint --ignore-pattern 'packages/*' .", diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index e627dae7..f66b6d0c 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -25,7 +25,7 @@ const pkgdef :Spk.PackageDefinition = ( appVersion = 154, # Increment this for every release. - appMarketingVersion = (defaultText = "1.54.0~2018-10-14"), + appMarketingVersion = (defaultText = "1.55.0~2018-10-16"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From a168f885d9939c1c00e7bda90fd063fb9c23e636 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 16 Oct 2018 19:58:43 +0300 Subject: Update translations. --- i18n/pl.i18n.json | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index cd0be002..87b8537c 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -532,7 +532,7 @@ "r-add-rule": "Dodaj regułę", "r-view-rule": "Zobacz regułę", "r-delete-rule": "Usuń regułę", - "r-new-rule-name": "New rule title", + "r-new-rule-name": "Nowa nazwa reguły", "r-no-rules": "Brak regułę", "r-when-a-card-is": "Gdy karta jest", "r-added-to": "Dodano do", @@ -575,7 +575,7 @@ "r-checklist": "lista zadań", "r-check-all": "Zaznacz wszystkie", "r-uncheck-all": "Odznacz wszystkie", - "r-items-check": "items of checklist", + "r-items-check": "elementy listy", "r-check": "Zaznacz", "r-uncheck": "Odznacz", "r-item": "element", @@ -610,6 +610,6 @@ "ldap": "LDAP", "oauth2": "OAuth2", "cas": "CAS", - "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-method": "Sposób autoryzacji", + "authentication-type": "Typ autoryzacji" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 73edfd90a6baae25bd3ce4a10e9d330d4c15a252 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 16 Oct 2018 20:01:55 +0300 Subject: v1.55.1 --- CHANGELOG.md | 3 ++- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 5 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 8ced40f7..b4bab0ec 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan Edge release +# v1.55.1 2018-10-16 Wekan Edge release This release adds the following new features: @@ -6,6 +6,7 @@ This release adds the following new features: and fixes the following bugs: +- [LDAP: Include missing LDAP PR so that LDAP works](https://github.com/wekan/wekan-ldap/pull/6); - [Improve notifications](https://github.com/wekan/wekan/pull/1948); - [Fix deleting Custom Fields, removing broken references](https://github.com/wekan/wekan/issues/1872); - [Fix vertical text for swimlanes in IE11](https://github.com/wekan/wekan/issues/1798); diff --git a/package.json b/package.json index 58b76487..7bea1112 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.53.9", + "version": "v1.55.1", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 6ca45acb..4c38b6f7 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 153, + appVersion = 156, # Increment this for every release. - appMarketingVersion = (defaultText = "1.53.9~2018-10-11"), + appMarketingVersion = (defaultText = "1.55.1~2018-10-16"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From aac89331865da55f1338b01ae89bbc0abfaa2266 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 17 Oct 2018 11:59:06 +0300 Subject: Update translations. --- i18n/zh-CN.i18n.json | 126 +++++++++++++++++++++++++-------------------------- 1 file changed, 63 insertions(+), 63 deletions(-) diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 0a41a12f..5a387323 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -43,19 +43,19 @@ "activity-sent": "发送 %s 至 %s", "activity-unjoined": "已解除 %s 关联", "activity-subtask-added": "添加子任务到%s", - "activity-checked-item": "checked %s in checklist %s of %s", - "activity-unchecked-item": "unchecked %s in checklist %s of %s", + "activity-checked-item": "勾选%s于清单 %s 共 %s", + "activity-unchecked-item": "未勾选 %s 于清单 %s 共 %s", "activity-checklist-added": "已经将清单添加到 %s", "activity-checklist-removed": "已从%s移除待办清单", - "activity-checklist-completed": "completed the checklist %s of %s", - "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", + "activity-checklist-completed": "已完成清单 %s 共 %s", + "activity-checklist-uncompleted": "未完成清单 %s 共 %s", "activity-checklist-item-added": "添加清单项至'%s' 于 %s", - "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", + "activity-checklist-item-removed": "已从 '%s' 于 %s中 移除一个清单项", "add": "添加", - "activity-checked-item-card": "checked %s in checklist %s", - "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", - "activity-checklist-uncompleted-card": "uncompleted the checklist %s", + "activity-checked-item-card": "勾选 %s 与清单 %s 中", + "activity-unchecked-item-card": "取消勾选 %s 于清单 %s中", + "activity-checklist-completed-card": "已完成清单 %s", + "activity-checklist-uncompleted-card": "未完成清单 %s", "add-attachment": "添加附件", "add-board": "添加看板", "add-card": "添加卡片", @@ -519,75 +519,75 @@ "parent-card": "上级卡片", "source-board": "源看板", "no-parent": "不显示上级", - "activity-added-label": "added label '%s' to %s", - "activity-removed-label": "removed label '%s' from %s", - "activity-delete-attach": "deleted an attachment from %s", - "activity-added-label-card": "added label '%s'", - "activity-removed-label-card": "removed label '%s'", - "activity-delete-attach-card": "deleted an attachment", + "activity-added-label": "已添加标签 '%s' 到 %s", + "activity-removed-label": "已将标签 '%s' 从 %s 移除", + "activity-delete-attach": "已从 %s 删除附件", + "activity-added-label-card": "已添加标签 '%s'", + "activity-removed-label-card": "已移除标签 '%s'", + "activity-delete-attach-card": "已删除附件", "r-rule": "规则", "r-add-trigger": "添加触发器", - "r-add-action": "Add action", - "r-board-rules": "Board rules", + "r-add-action": "添加行动", + "r-board-rules": "面板规则", "r-add-rule": "添加规则", "r-view-rule": "查看规则", "r-delete-rule": "删除规则", "r-new-rule-name": "新建规则标题", "r-no-rules": "暂无规则", - "r-when-a-card-is": "When a card is", + "r-when-a-card-is": "当卡片是", "r-added-to": "添加到", - "r-removed-from": "Removed from", + "r-removed-from": "已移除", "r-the-board": "该看板", "r-list": "列表", "r-moved-to": "移至", - "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", - "r-a-card": "a card", - "r-when-a-label-is": "When a label is", - "r-when-the-label-is": "When the label is", + "r-moved-from": "已移动", + "r-archived": "已放入回收站", + "r-unarchived": "已从回收站恢复", + "r-a-card": "一个卡片", + "r-when-a-label-is": "当一个标签是", + "r-when-the-label-is": "当该标签是", "r-list-name": "清单名称", - "r-when-a-member": "When a member is", - "r-when-the-member": "When the member", + "r-when-a-member": "当一个成员是", + "r-when-the-member": "当该成员", "r-name": "名称", - "r-is": "is", - "r-when-a-attach": "When an attachment", - "r-when-a-checklist": "When a checklist is", - "r-when-the-checklist": "When the checklist", + "r-is": "是", + "r-when-a-attach": "当一个附件", + "r-when-a-checklist": "当一个清单是", + "r-when-the-checklist": "当该清单", "r-completed": "已完成", - "r-made-incomplete": "Made incomplete", - "r-when-a-item": "When a checklist item is", - "r-when-the-item": "When the checklist item", - "r-checked": "Checked", - "r-unchecked": "Unchecked", - "r-move-card-to": "Move card to", - "r-top-of": "Top of", - "r-bottom-of": "Bottom of", - "r-its-list": "its list", + "r-made-incomplete": "置为未完成", + "r-when-a-item": "当一个清单项是", + "r-when-the-item": "当该清单项", + "r-checked": "勾选", + "r-unchecked": "未勾选", + "r-move-card-to": "移动卡片到", + "r-top-of": "的顶部", + "r-bottom-of": "的尾部", + "r-its-list": "其清单", "r-archive": "移入回收站", - "r-unarchive": "Restore from Recycle Bin", - "r-card": "card", + "r-unarchive": "从回收站恢复", + "r-card": "卡片", "r-add": "添加", - "r-remove": "Remove", - "r-label": "label", - "r-member": "member", - "r-remove-all": "Remove all members from the card", - "r-checklist": "checklist", - "r-check-all": "Check all", - "r-uncheck-all": "Uncheck all", - "r-items-check": "items of checklist", - "r-check": "Check", - "r-uncheck": "Uncheck", - "r-item": "item", - "r-of-checklist": "of checklist", - "r-send-email": "Send an email", + "r-remove": "移除", + "r-label": "标签", + "r-member": "成员", + "r-remove-all": "从卡片移除所有成员", + "r-checklist": "清单", + "r-check-all": "勾选所有", + "r-uncheck-all": "取消勾选所有", + "r-items-check": "清单条目", + "r-check": "勾选", + "r-uncheck": "取消勾选", + "r-item": "条目", + "r-of-checklist": "清单的", + "r-send-email": "发送邮件", "r-to": "收件人", "r-subject": "标题", - "r-rule-details": "Rule details", - "r-d-move-to-top-gen": "Move card to top of its list", - "r-d-move-to-top-spec": "Move card to top of list", - "r-d-move-to-bottom-gen": "Move card to bottom of its list", - "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-rule-details": "规则详情", + "r-d-move-to-top-gen": "移动卡片到其清单顶部", + "r-d-move-to-top-spec": "移动卡片到清单顶部", + "r-d-move-to-bottom-gen": "移动卡片到其清单尾部", + "r-d-move-to-bottom-spec": "移动卡片到清单尾部", "r-d-send-email": "发送邮件", "r-d-send-email-to": "收件人", "r-d-send-email-subject": "标题", @@ -599,11 +599,11 @@ "r-d-add-member": "添加成员", "r-d-remove-member": "移除成员", "r-d-remove-all-member": "移除所有成员", - "r-d-check-all": "Check all items of a list", - "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-all": "勾选所有清单项", + "r-d-uncheck-all": "取消勾选所有清单项", "r-d-check-one": "勾选该项", "r-d-uncheck-one": "取消勾选", - "r-d-check-of-list": "of checklist", + "r-d-check-of-list": "清单的", "r-d-add-checklist": "添加待办清单", "r-d-remove-checklist": "移除待办清单", "r-when-a-card-is-moved": "当移动卡片到另一个清单时", -- cgit v1.2.3-1-g7c22 From 790234775f1876d4a8d6d4ae8cc431e170818f39 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 17 Oct 2018 12:00:51 +0300 Subject: Update translations. --- i18n/zh-CN.i18n.json | 126 +++++++++++++++++++++++++-------------------------- 1 file changed, 63 insertions(+), 63 deletions(-) diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 0a41a12f..5a387323 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -43,19 +43,19 @@ "activity-sent": "发送 %s 至 %s", "activity-unjoined": "已解除 %s 关联", "activity-subtask-added": "添加子任务到%s", - "activity-checked-item": "checked %s in checklist %s of %s", - "activity-unchecked-item": "unchecked %s in checklist %s of %s", + "activity-checked-item": "勾选%s于清单 %s 共 %s", + "activity-unchecked-item": "未勾选 %s 于清单 %s 共 %s", "activity-checklist-added": "已经将清单添加到 %s", "activity-checklist-removed": "已从%s移除待办清单", - "activity-checklist-completed": "completed the checklist %s of %s", - "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", + "activity-checklist-completed": "已完成清单 %s 共 %s", + "activity-checklist-uncompleted": "未完成清单 %s 共 %s", "activity-checklist-item-added": "添加清单项至'%s' 于 %s", - "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", + "activity-checklist-item-removed": "已从 '%s' 于 %s中 移除一个清单项", "add": "添加", - "activity-checked-item-card": "checked %s in checklist %s", - "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", - "activity-checklist-uncompleted-card": "uncompleted the checklist %s", + "activity-checked-item-card": "勾选 %s 与清单 %s 中", + "activity-unchecked-item-card": "取消勾选 %s 于清单 %s中", + "activity-checklist-completed-card": "已完成清单 %s", + "activity-checklist-uncompleted-card": "未完成清单 %s", "add-attachment": "添加附件", "add-board": "添加看板", "add-card": "添加卡片", @@ -519,75 +519,75 @@ "parent-card": "上级卡片", "source-board": "源看板", "no-parent": "不显示上级", - "activity-added-label": "added label '%s' to %s", - "activity-removed-label": "removed label '%s' from %s", - "activity-delete-attach": "deleted an attachment from %s", - "activity-added-label-card": "added label '%s'", - "activity-removed-label-card": "removed label '%s'", - "activity-delete-attach-card": "deleted an attachment", + "activity-added-label": "已添加标签 '%s' 到 %s", + "activity-removed-label": "已将标签 '%s' 从 %s 移除", + "activity-delete-attach": "已从 %s 删除附件", + "activity-added-label-card": "已添加标签 '%s'", + "activity-removed-label-card": "已移除标签 '%s'", + "activity-delete-attach-card": "已删除附件", "r-rule": "规则", "r-add-trigger": "添加触发器", - "r-add-action": "Add action", - "r-board-rules": "Board rules", + "r-add-action": "添加行动", + "r-board-rules": "面板规则", "r-add-rule": "添加规则", "r-view-rule": "查看规则", "r-delete-rule": "删除规则", "r-new-rule-name": "新建规则标题", "r-no-rules": "暂无规则", - "r-when-a-card-is": "When a card is", + "r-when-a-card-is": "当卡片是", "r-added-to": "添加到", - "r-removed-from": "Removed from", + "r-removed-from": "已移除", "r-the-board": "该看板", "r-list": "列表", "r-moved-to": "移至", - "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", - "r-a-card": "a card", - "r-when-a-label-is": "When a label is", - "r-when-the-label-is": "When the label is", + "r-moved-from": "已移动", + "r-archived": "已放入回收站", + "r-unarchived": "已从回收站恢复", + "r-a-card": "一个卡片", + "r-when-a-label-is": "当一个标签是", + "r-when-the-label-is": "当该标签是", "r-list-name": "清单名称", - "r-when-a-member": "When a member is", - "r-when-the-member": "When the member", + "r-when-a-member": "当一个成员是", + "r-when-the-member": "当该成员", "r-name": "名称", - "r-is": "is", - "r-when-a-attach": "When an attachment", - "r-when-a-checklist": "When a checklist is", - "r-when-the-checklist": "When the checklist", + "r-is": "是", + "r-when-a-attach": "当一个附件", + "r-when-a-checklist": "当一个清单是", + "r-when-the-checklist": "当该清单", "r-completed": "已完成", - "r-made-incomplete": "Made incomplete", - "r-when-a-item": "When a checklist item is", - "r-when-the-item": "When the checklist item", - "r-checked": "Checked", - "r-unchecked": "Unchecked", - "r-move-card-to": "Move card to", - "r-top-of": "Top of", - "r-bottom-of": "Bottom of", - "r-its-list": "its list", + "r-made-incomplete": "置为未完成", + "r-when-a-item": "当一个清单项是", + "r-when-the-item": "当该清单项", + "r-checked": "勾选", + "r-unchecked": "未勾选", + "r-move-card-to": "移动卡片到", + "r-top-of": "的顶部", + "r-bottom-of": "的尾部", + "r-its-list": "其清单", "r-archive": "移入回收站", - "r-unarchive": "Restore from Recycle Bin", - "r-card": "card", + "r-unarchive": "从回收站恢复", + "r-card": "卡片", "r-add": "添加", - "r-remove": "Remove", - "r-label": "label", - "r-member": "member", - "r-remove-all": "Remove all members from the card", - "r-checklist": "checklist", - "r-check-all": "Check all", - "r-uncheck-all": "Uncheck all", - "r-items-check": "items of checklist", - "r-check": "Check", - "r-uncheck": "Uncheck", - "r-item": "item", - "r-of-checklist": "of checklist", - "r-send-email": "Send an email", + "r-remove": "移除", + "r-label": "标签", + "r-member": "成员", + "r-remove-all": "从卡片移除所有成员", + "r-checklist": "清单", + "r-check-all": "勾选所有", + "r-uncheck-all": "取消勾选所有", + "r-items-check": "清单条目", + "r-check": "勾选", + "r-uncheck": "取消勾选", + "r-item": "条目", + "r-of-checklist": "清单的", + "r-send-email": "发送邮件", "r-to": "收件人", "r-subject": "标题", - "r-rule-details": "Rule details", - "r-d-move-to-top-gen": "Move card to top of its list", - "r-d-move-to-top-spec": "Move card to top of list", - "r-d-move-to-bottom-gen": "Move card to bottom of its list", - "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-rule-details": "规则详情", + "r-d-move-to-top-gen": "移动卡片到其清单顶部", + "r-d-move-to-top-spec": "移动卡片到清单顶部", + "r-d-move-to-bottom-gen": "移动卡片到其清单尾部", + "r-d-move-to-bottom-spec": "移动卡片到清单尾部", "r-d-send-email": "发送邮件", "r-d-send-email-to": "收件人", "r-d-send-email-subject": "标题", @@ -599,11 +599,11 @@ "r-d-add-member": "添加成员", "r-d-remove-member": "移除成员", "r-d-remove-all-member": "移除所有成员", - "r-d-check-all": "Check all items of a list", - "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-all": "勾选所有清单项", + "r-d-uncheck-all": "取消勾选所有清单项", "r-d-check-one": "勾选该项", "r-d-uncheck-one": "取消勾选", - "r-d-check-of-list": "of checklist", + "r-d-check-of-list": "清单的", "r-d-add-checklist": "添加待办清单", "r-d-remove-checklist": "移除待办清单", "r-when-a-card-is-moved": "当移动卡片到另一个清单时", -- cgit v1.2.3-1-g7c22 From ced56ed83ff6475f101146b4bbeaa7bfabd0d08d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 17 Oct 2018 12:11:26 +0300 Subject: - Add info about using prebuild image. Thanks to xet7 ! --- docker-compose.yml | 2 ++ 1 file changed, 2 insertions(+) diff --git a/docker-compose.yml b/docker-compose.yml index 40aa49e6..a2228dac 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -1,5 +1,7 @@ version: '2' +# Using prebuilt image: docker-compose up -d --no-build + services: wekandb: -- cgit v1.2.3-1-g7c22 From ccf66905e721afcb97c044ad67db883eb5ffa5d7 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Thu, 5 Jul 2018 14:19:24 +0200 Subject: Dockerfile: use set -o xtrace This allows to see the progress of the generation of the Docker image. --- Dockerfile | 1 + 1 file changed, 1 insertion(+) diff --git a/Dockerfile b/Dockerfile index 76517c07..21cb72ec 100644 --- a/Dockerfile +++ b/Dockerfile @@ -136,6 +136,7 @@ ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential pyth COPY ${SRC_PATH} /home/wekan/app RUN \ + set -o xtrace && \ # Add non-root user wekan useradd --user-group --system --home-dir /home/wekan wekan && \ \ -- cgit v1.2.3-1-g7c22 From 20af78e50bd21c735481b94063d26374d8be1cbc Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 23 Oct 2018 14:15:33 +0300 Subject: - Back to Meteor 1.6.0.1 and MongoDB 3.2.21 to make Snap work. Thanks to xet7 ! --- .meteor/.finished-upgraders | 1 - .meteor/packages | 33 ++++++------ .meteor/release | 2 +- .meteor/versions | 119 +++++++++++++++++++++----------------------- Dockerfile | 2 +- docker-compose.yml | 15 +----- snap-src/bin/config | 6 +-- snapcraft.yaml | 2 +- 8 files changed, 81 insertions(+), 99 deletions(-) diff --git a/.meteor/.finished-upgraders b/.meteor/.finished-upgraders index 8f397c7d..2a56593d 100644 --- a/.meteor/.finished-upgraders +++ b/.meteor/.finished-upgraders @@ -16,4 +16,3 @@ notices-for-facebook-graph-api-2 1.4.1-add-shell-server-package 1.4.3-split-account-service-packages 1.5-add-dynamic-import-package -1.7-split-underscore-from-meteor-base diff --git a/.meteor/packages b/.meteor/packages index 65d54fd2..3779a684 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -3,18 +3,17 @@ # 'meteor add' and 'meteor remove' will edit this file for you, # but you can also edit it by hand. -meteor-base@1.4.0 +meteor-base@1.2.0 # Build system -ecmascript@0.12.0 +ecmascript stylus@2.513.13 -standard-minifier-css@1.5.0 -standard-minifier-js@2.4.0 +standard-minifier-css@1.3.5 +standard-minifier-js@2.2.0 mquandalle:jade -coffeescript@2.3.1_2! # Polyfills -es5-shim@4.8.0 +es5-shim@4.6.15 # Collections aldeed:collection2 @@ -24,7 +23,7 @@ dburles:collection-helpers idmontie:migrations matb33:collection-hooks matteodem:easy-search -mongo@1.6.0 +mongo@1.3.1 mquandalle:collection-mutations # Account system @@ -35,12 +34,12 @@ useraccounts:flow-routing salleman:accounts-oidc # Utilities -check@1.3.1 +check@1.2.5 jquery@1.11.10 -random@1.1.0 -reactive-dict@1.2.1 -session@1.1.8 -tracker@1.2.0 +random@1.0.10 +reactive-dict@1.2.0 +session@1.1.7 +tracker@1.1.3 underscore@1.0.10 3stack:presence alethes:pages @@ -54,7 +53,7 @@ mquandalle:autofocus ongoworks:speakingurl raix:handlebar-helpers tap:i18n -http@1.4.1 +http@1.3.0 # UI components blaze @@ -71,21 +70,21 @@ templates:tabs verron:autosize simple:json-routes rajit:bootstrap3-datepicker -shell-server@0.4.0 +shell-server@0.3.0 simple:rest-accounts-password useraccounts:core email@1.2.3 horka:swipebox -dynamic-import@0.5.0 +dynamic-import@0.2.0 staringatlights:fast-render mixmax:smart-disconnect -accounts-password@1.5.1 +accounts-password@1.5.0 cfs:gridfs eluck:accounts-lockout rzymek:fullcalendar momentjs:moment@2.22.2 -browser-policy-framing@1.1.0 +browser-policy-framing mquandalle:moment msavin:usercache wekan:wekan-ldap diff --git a/.meteor/release b/.meteor/release index 02806a3f..56a7a07f 100644 --- a/.meteor/release +++ b/.meteor/release @@ -1 +1 @@ -METEOR@1.8.1-beta.0 +METEOR@1.6.0.1 diff --git a/.meteor/versions b/.meteor/versions index 8d10ad73..6415eb8b 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -1,7 +1,7 @@ 3stack:presence@1.1.2 -accounts-base@1.4.3 -accounts-oauth@1.1.16 -accounts-password@1.5.1 +accounts-base@1.4.0 +accounts-oauth@1.1.15 +accounts-password@1.5.0 aldeed:collection2@2.10.0 aldeed:collection2-core@1.2.0 aldeed:schema-deny@1.1.0 @@ -11,19 +11,19 @@ alethes:pages@1.8.6 allow-deny@1.1.0 arillo:flow-router-helpers@0.5.2 audit-argument-checks@1.0.7 -autoupdate@1.5.0 -babel-compiler@7.2.0 -babel-runtime@1.3.0 -base64@1.0.11 -binary-heap@1.0.11 -blaze@2.3.3 +autoupdate@1.3.12 +babel-compiler@6.24.7 +babel-runtime@1.1.1 +base64@1.0.10 +binary-heap@1.0.10 +blaze@2.3.2 blaze-tools@1.0.10 -boilerplate-generator@1.6.0 +boilerplate-generator@1.3.1 browser-policy-common@1.0.11 browser-policy-framing@1.1.0 -caching-compiler@1.2.0 +caching-compiler@1.1.9 caching-html-compiler@1.1.2 -callback-hook@1.1.0 +callback-hook@1.0.10 cfs:access-point@0.1.49 cfs:base-package@0.0.30 cfs:collection@0.5.5 @@ -41,40 +41,38 @@ cfs:storage-adapter@0.2.3 cfs:tempstore@0.1.5 cfs:upload-http@0.0.20 cfs:worker@0.1.4 -check@1.3.1 +check@1.2.5 chuangbo:cookie@1.1.0 -coffeescript@2.3.1_2 -coffeescript-compiler@2.3.1_2 +coffeescript@1.12.7_3 +coffeescript-compiler@1.12.7_3 cottz:publish-relations@2.0.8 dburles:collection-helpers@1.1.0 ddp@1.4.0 -ddp-client@2.3.3 -ddp-common@1.4.0 +ddp-client@2.2.0 +ddp-common@1.3.0 ddp-rate-limiter@1.0.7 -ddp-server@2.2.0 +ddp-server@2.1.1 deps@1.0.12 -diff-sequence@1.1.0 -dynamic-import@0.5.0 -ecmascript@0.12.0 -ecmascript-runtime@0.7.0 -ecmascript-runtime-client@0.8.0 -ecmascript-runtime-server@0.7.1 +diff-sequence@1.0.7 +dynamic-import@0.2.1 +ecmascript@0.9.0 +ecmascript-runtime@0.5.0 +ecmascript-runtime-client@0.5.0 +ecmascript-runtime-server@0.5.0 ejson@1.1.0 eluck:accounts-lockout@0.9.0 email@1.2.3 -es5-shim@4.8.0 +es5-shim@4.6.15 fastclick@1.0.13 -fetch@0.1.0 fortawesome:fontawesome@4.7.0 geojson-utils@1.0.10 horka:swipebox@1.0.2 hot-code-push@1.0.4 html-tools@1.0.11 htmljs@1.0.11 -http@1.4.1 -id-map@1.1.0 +http@1.3.0 +id-map@1.0.9 idmontie:migrations@1.0.3 -inter-process-messaging@0.1.0 jquery@1.11.10 kadira:blaze-layout@2.3.0 kadira:dochead@1.5.0 @@ -83,12 +81,12 @@ kenton:accounts-sandstorm@0.7.0 launch-screen@1.1.1 livedata@1.0.18 localstorage@1.2.0 -logging@1.1.20 +logging@1.1.19 matb33:collection-hooks@0.8.4 matteodem:easy-search@1.6.4 mdg:validation-error@0.5.1 -meteor@1.9.2 -meteor-base@1.4.0 +meteor@1.8.2 +meteor-base@1.2.0 meteor-platform@1.2.6 meteorhacks:aggregate@1.3.0 meteorhacks:collection-utils@1.2.0 @@ -96,20 +94,18 @@ meteorhacks:meteorx@1.4.1 meteorhacks:picker@1.0.3 meteorhacks:subs-manager@1.6.4 meteorspark:util@0.2.0 -minifier-css@1.4.0 -minifier-js@2.4.0 +minifier-css@1.2.16 +minifier-js@2.2.2 minifiers@1.1.8-faster-rebuild.0 -minimongo@1.4.5 +minimongo@1.4.3 mixmax:smart-disconnect@0.0.4 mobile-status-bar@1.0.14 -modern-browsers@0.1.2 -modules@0.13.0 -modules-runtime@0.10.2 +modules@0.11.0 +modules-runtime@0.9.1 momentjs:moment@2.22.2 -mongo@1.6.0 -mongo-decimal@0.1.0 +mongo@1.3.1 mongo-dev-server@1.1.0 -mongo-id@1.0.7 +mongo-id@1.0.6 mongo-livedata@1.0.12 mousetrap:mousetrap@1.4.6_1 mquandalle:autofocus@1.0.0 @@ -123,48 +119,47 @@ mquandalle:mousetrap-bindglobal@0.0.1 mquandalle:perfect-scrollbar@0.6.5_2 msavin:usercache@1.0.0 npm-bcrypt@0.9.3 -npm-mongo@3.1.1 -oauth@1.2.3 -oauth2@1.2.1 +npm-mongo@2.2.33 +oauth@1.2.1 +oauth2@1.2.0 observe-sequence@1.0.16 ongoworks:speakingurl@1.1.0 -ordered-dict@1.1.0 +ordered-dict@1.0.9 peerlibrary:assert@0.2.5 peerlibrary:base-component@0.16.0 peerlibrary:blaze-components@0.15.1 -peerlibrary:computed-field@0.9.0 +peerlibrary:computed-field@0.7.0 peerlibrary:reactive-field@0.3.0 perak:markdown@1.0.5 -promise@0.11.1 +promise@0.10.0 raix:eventemitter@0.1.3 raix:handlebar-helpers@0.2.5 rajit:bootstrap3-datepicker@1.7.1 -random@1.1.0 -rate-limit@1.0.9 -reactive-dict@1.2.1 +random@1.0.10 +rate-limit@1.0.8 +reactive-dict@1.2.0 reactive-var@1.0.11 -reload@1.2.0 -retry@1.1.0 -routepolicy@1.1.0 +reload@1.1.11 +retry@1.0.9 +routepolicy@1.0.12 rzymek:fullcalendar@3.8.0 salleman:accounts-oidc@1.0.9 salleman:oidc@1.0.9 service-configuration@1.0.11 -session@1.1.8 +session@1.1.7 sha@1.0.9 -shell-server@0.4.0 +shell-server@0.3.1 simple:authenticate-user-by-token@1.0.1 simple:json-routes@2.1.0 simple:rest-accounts-password@1.1.2 simple:rest-bearer-token-parser@1.0.1 simple:rest-json-error-handler@1.0.1 -socket-stream-client@0.2.2 softwarerero:accounts-t9n@1.3.11 spacebars@1.0.15 spacebars-compiler@1.1.3 -srp@1.0.12 -standard-minifier-css@1.5.0 -standard-minifier-js@2.4.0 +srp@1.0.10 +standard-minifier-css@1.3.5 +standard-minifier-js@2.2.3 staringatlights:fast-render@2.16.5 staringatlights:inject-data@2.0.5 stylus@2.513.13 @@ -174,15 +169,15 @@ templating@1.3.2 templating-compiler@1.3.3 templating-runtime@1.3.2 templating-tools@1.1.2 -tracker@1.2.0 +tracker@1.1.3 ui@1.0.13 underscore@1.0.10 -url@1.2.0 +url@1.1.0 useraccounts:core@1.14.2 useraccounts:flow-routing@1.14.2 useraccounts:unstyled@1.14.2 verron:autosize@3.0.8 -webapp@1.7.0 +webapp@1.4.0 webapp-hashing@1.0.9 wekan:accounts-cas@0.1.0 wekan:wekan-ldap@0.0.2 diff --git a/Dockerfile b/Dockerfile index 76517c07..99509b4e 100644 --- a/Dockerfile +++ b/Dockerfile @@ -70,7 +70,7 @@ ARG LDAP_DEFAULT_DOMAIN # ENV BUILD_DEPS="paxctl" ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential python git ca-certificates gcc-7" \ NODE_VERSION=v8.12.0 \ - METEOR_RELEASE=1.8.1-beta.0 \ + METEOR_RELEASE=1.6.0.1 \ USE_EDGE=false \ METEOR_EDGE=1.5-beta.17 \ NPM_VERSION=latest \ diff --git a/docker-compose.yml b/docker-compose.yml index a2228dac..0564288e 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -5,7 +5,7 @@ version: '2' services: wekandb: - image: mongo:4.0.3 + image: mongo:3.2.21 container_name: wekan-db restart: always command: mongod --smallfiles --oplogSize 128 @@ -18,22 +18,11 @@ services: - wekan-db-dump:/dump wekan: - image: quay.io/wekan/wekan:edge + image: quay.io/wekan/wekan container_name: wekan-app restart: always networks: - wekan-tier - build: - context: . - dockerfile: Dockerfile - args: - - NODE_VERSION=${NODE_VERSION} - - METEOR_RELEASE=${METEOR_RELEASE} - - NPM_VERSION=${NPM_VERSION} - - ARCHITECTURE=${ARCHITECTURE} - - SRC_PATH=${SRC_PATH} - - METEOR_EDGE=${METEOR_EDGE} - - USE_EDGE=${USE_EDGE} ports: # Docker outsideport:insideport - 80:8080 diff --git a/snap-src/bin/config b/snap-src/bin/config index b81925ac..44d30baa 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -9,15 +9,15 @@ keys="MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM R DESCRIPTION_MONGODB_BIND_UNIX_SOCKET="mongodb binding unix socket:\n"\ "\t\t\t Default behaviour will preffer binding over unix socket, to disable unix socket binding set value to 'nill' string\n"\ "\t\t\t To bind to instance of mongodb provided through content interface,set value to relative path to the socket inside '$SNAP_DATA/shared' directory" -DEFAULT_MONGODB_BIND_UNIX_SOCKET="$SNAP_DATA/share" +DEFAULT_MONGODB_BIND_UNIX_SOCKET="/var/snap/wekan/current/share" KEY_MONGODB_BIND_UNIX_SOCKET="mongodb-bind-unix-socket" DESCRIPTION_MONGODB_PORT="mongodb binding port: eg 27017 when using localhost" -DEFAULT_MONGODB_PORT="" +DEFAULT_MONGODB_PORT="27019" KEY_MONGODB_PORT='mongodb-port' DESCRIPTION_MONGODB_BIND_IP="mongodb binding ip address: eg 127.0.0.1 for localhost\n\t\tIf not defined default unix socket is used instead" -DEFAULT_MONGODB_BIND_IP="" +DEFAULT_MONGODB_BIND_IP="127.0.0.1" KEY_MONGODB_BIND_IP="mongodb-bind-ip" DESCRIPTION_MAIL_URL="wekan mail binding" diff --git a/snapcraft.yaml b/snapcraft.yaml index 9ad94fe5..8ab977c5 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -65,7 +65,7 @@ apps: parts: mongodb: - source: https://fastdl.mongodb.org/linux/mongodb-linux-x86_64-ubuntu1604-4.0.3.tgz + source: https://fastdl.mongodb.org/linux/mongodb-linux-x86_64-ubuntu1604-3.2.21.tgz plugin: dump stage-packages: [libssl1.0.0] filesets: -- cgit v1.2.3-1-g7c22 From dbd34c325466415261450ef61287f9517e0cf696 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 23 Oct 2018 14:16:34 +0300 Subject: Update translations. --- i18n/pl.i18n.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 87b8537c..a067533f 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -18,7 +18,7 @@ "act-importBoard": "zaimportowano __board__", "act-importCard": "zaimportowano __card__", "act-importList": "zaimportowano __list__", - "act-joinMember": "dodał(a) __member_ do __card__", + "act-joinMember": "dodał(a) __member__ do __card__", "act-moveCard": "przeniósł/przeniosła __card__ z __oldList__ do __list__", "act-removeBoardMember": "usunął/usunęła __member__ z __board__", "act-restoredCard": "przywrócono __card__ do __board__", -- cgit v1.2.3-1-g7c22 From 1019f6272ebbda175267cbd9169a0f2fc79e820f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 23 Oct 2018 14:17:00 +0300 Subject: - Add separate docker-compose-build.yml Thanks to xet7 ! --- docker-compose-build.yml | 219 +++++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 219 insertions(+) create mode 100644 docker-compose-build.yml diff --git a/docker-compose-build.yml b/docker-compose-build.yml new file mode 100644 index 00000000..b35d501a --- /dev/null +++ b/docker-compose-build.yml @@ -0,0 +1,219 @@ +version: '2' + +# Using prebuilt image: docker-compose up -d --no-build + +services: + + wekandb: + image: mongo:3.2.21 + container_name: wekan-db + restart: always + command: mongod --smallfiles --oplogSize 128 + networks: + - wekan-tier + expose: + - 27017 + volumes: + - wekan-db:/data/db + - wekan-db-dump:/dump + + wekan: + image: quay.io/wekan/wekan + container_name: wekan-app + restart: always + networks: + - wekan-tier + build: + context: . + dockerfile: Dockerfile + args: + - NODE_VERSION=${NODE_VERSION} + - METEOR_RELEASE=${METEOR_RELEASE} + - NPM_VERSION=${NPM_VERSION} + - ARCHITECTURE=${ARCHITECTURE} + - SRC_PATH=${SRC_PATH} + - METEOR_EDGE=${METEOR_EDGE} + - USE_EDGE=${USE_EDGE} + ports: + # Docker outsideport:insideport + - 80:8080 + environment: + - MONGO_URL=mongodb://wekandb:27017/wekan + - ROOT_URL=http://localhost + # Wekan Export Board works when WITH_API='true'. + # If you disable Wekan API with 'false', Export Board does not work. + - WITH_API=true + # Optional: Integration with Matomo https://matomo.org that is installed to your server + # The address of the server where Matomo is hosted. + # example: - MATOMO_ADDRESS=https://example.com/matomo + - MATOMO_ADDRESS='' + # The value of the site ID given in Matomo server for Wekan + # example: - MATOMO_SITE_ID=12345 + - MATOMO_SITE_ID='' + # The option do not track which enables users to not be tracked by matomo + # example: - MATOMO_DO_NOT_TRACK=false + - MATOMO_DO_NOT_TRACK=true + # The option that allows matomo to retrieve the username: + # example: MATOMO_WITH_USERNAME=true + - MATOMO_WITH_USERNAME=false + # Enable browser policy and allow one trusted URL that can have iframe that has Wekan embedded inside. + # Setting this to false is not recommended, it also disables all other browser policy protections + # and allows all iframing etc. See wekan/server/policy.js + - BROWSER_POLICY_ENABLED=true + # When browser policy is enabled, HTML code at this Trusted URL can have iframe that embeds Wekan inside. + - TRUSTED_URL='' + # What to send to Outgoing Webhook, or leave out. Example, that includes all that are default: cardId,listId,oldListId,boardId,comment,user,card,commentId . + # example: WEBHOOKS_ATTRIBUTES=cardId,listId,oldListId,boardId,comment,user,card,commentId + - WEBHOOKS_ATTRIBUTES='' + # Enable the OAuth2 connection + # example: OAUTH2_ENABLED=true + - OAUTH2_ENABLED=false + # OAuth2 docs: https://github.com/wekan/wekan/wiki/OAuth2 + # OAuth2 Client ID, for example from Rocket.Chat. Example: abcde12345 + # example: OAUTH2_CLIENT_ID=abcde12345 + - OAUTH2_CLIENT_ID='' + # OAuth2 Secret, for example from Rocket.Chat: Example: 54321abcde + # example: OAUTH2_SECRET=54321abcde + - OAUTH2_SECRET='' + # OAuth2 Server URL, for example Rocket.Chat. Example: https://chat.example.com + # example: OAUTH2_SERVER_URL=https://chat.example.com + - OAUTH2_SERVER_URL='' + # OAuth2 Authorization Endpoint. Example: /oauth/authorize + # example: OAUTH2_AUTH_ENDPOINT=/oauth/authorize + - OAUTH2_AUTH_ENDPOINT='' + # OAuth2 Userinfo Endpoint. Example: /oauth/userinfo + # example: OAUTH2_USERINFO_ENDPOINT=/oauth/userinfo + - OAUTH2_USERINFO_ENDPOINT='' + # OAuth2 Token Endpoint. Example: /oauth/token + # example: OAUTH2_TOKEN_ENDPOINT=/oauth/token + - OAUTH2_TOKEN_ENDPOINT='' + # LDAP_ENABLE : Enable or not the connection by the LDAP + # example : LDAP_ENABLE=true + - LDAP_ENABLE=false + # LDAP_PORT : The port of the LDAP server + # example : LDAP_PORT=389 + - LDAP_PORT=389 + # LDAP_HOST : The host server for the LDAP server + # example : LDAP_HOST=localhost + - LDAP_HOST='' + # LDAP_BASEDN : The base DN for the LDAP Tree + # example : LDAP_BASEDN=ou=user,dc=example,dc=org + - LDAP_BASEDN='' + # LDAP_LOGIN_FALLBACK : Fallback on the default authentication method + # example : LDAP_LOGIN_FALLBACK=true + - LDAP_LOGIN_FALLBACK=false + # LDAP_RECONNECT : Reconnect to the server if the connection is lost + # example : LDAP_RECONNECT=false + - LDAP_RECONNECT=true + # LDAP_TIMEOUT : Overall timeout, in milliseconds + # example : LDAP_TIMEOUT=12345 + - LDAP_TIMEOUT=10000 + # LDAP_IDLE_TIMEOUT : Specifies the timeout for idle LDAP connections in milliseconds + # example : LDAP_IDLE_TIMEOUT=12345 + - LDAP_IDLE_TIMEOUT=10000 + # LDAP_CONNECT_TIMEOUT : Connection timeout, in milliseconds + # example : LDAP_CONNECT_TIMEOUT=12345 + - LDAP_CONNECT_TIMEOUT=10000 + # LDAP_AUTHENTIFICATION : If the LDAP needs a user account to search + # example : LDAP_AUTHENTIFICATION=true + - LDAP_AUTHENTIFICATION=false + # LDAP_AUTHENTIFICATION_USERDN : The search user DN + # example : LDAP_AUTHENTIFICATION_USERDN=cn=admin,dc=example,dc=org + - LDAP_AUTHENTIFICATION_USERDN='' + # LDAP_AUTHENTIFICATION_PASSWORD : The password for the search user + # example : AUTHENTIFICATION_PASSWORD=admin + - LDAP_AUTHENTIFICATION_PASSWORD='' + # LDAP_LOG_ENABLED : Enable logs for the module + # example : LDAP_LOG_ENABLED=true + - LDAP_LOG_ENABLED=false + # LDAP_BACKGROUND_SYNC : If the sync of the users should be done in the background + # example : LDAP_BACKGROUND_SYNC=true + - LDAP_BACKGROUND_SYNC=false + # LDAP_BACKGROUND_SYNC_INTERVAL : At which interval does the background task sync in milliseconds + # example : LDAP_BACKGROUND_SYNC_INTERVAL=12345 + - LDAP_BACKGROUND_SYNC_INTERVAL=100 + # LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED : + # example : LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=true + - LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=false + # LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS : + # example : LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=true + - LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=false + # LDAP_ENCRYPTION : If using LDAPS + # example : LDAP_ENCRYPTION=true + - LDAP_ENCRYPTION=false + # LDAP_CA_CERT : The certification for the LDAPS server + # example : LDAP_CA_CERT=-----BEGIN CERTIFICATE-----MIIE+zCCA+OgAwIBAgIkAhwR/6TVLmdRY6hHxvUFWc0+Enmu/Hu6cj+G2FIdAgIC...-----END CERTIFICATE----- + - LDAP_CA_CERT='' + # LDAP_REJECT_UNAUTHORIZED : Reject Unauthorized Certificate + # example : LDAP_REJECT_UNAUTHORIZED=true + - LDAP_REJECT_UNAUTHORIZED=false + # LDAP_USER_SEARCH_FILTER : Optional extra LDAP filters. Don't forget the outmost enclosing parentheses if needed + # example : LDAP_USER_SEARCH_FILTER= + - LDAP_USER_SEARCH_FILTER='' + # LDAP_USER_SEARCH_SCOPE : Base (search only in the provided DN), one (search only in the provided DN and one level deep), or subtree (search the whole subtree) + # example : LDAP_USER_SEARCH_SCOPE=one + - LDAP_USER_SEARCH_SCOPE='' + # LDAP_USER_SEARCH_FIELD : Which field is used to find the user + # example : LDAP_USER_SEARCH_FIELD=uid + - LDAP_USER_SEARCH_FIELD='' + # LDAP_SEARCH_PAGE_SIZE : Used for pagination (0=unlimited) + # example : LDAP_SEARCH_PAGE_SIZE=12345 + - LDAP_SEARCH_PAGE_SIZE=0 + # LDAP_SEARCH_SIZE_LIMIT : The limit number of entries (0=unlimited) + # example : LDAP_SEARCH_SIZE_LIMIT=12345 + - LDAP_SEARCH_SIZE_LIMIT=0 + # LDAP_GROUP_FILTER_ENABLE : Enable group filtering + # example : LDAP_GROUP_FILTER_ENABLE=true + - LDAP_GROUP_FILTER_ENABLE=false + # LDAP_GROUP_FILTER_OBJECTCLASS : The object class for filtering + # example : LDAP_GROUP_FILTER_OBJECTCLASS=group + - LDAP_GROUP_FILTER_OBJECTCLASS='' + # LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE : + # example : + - LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE='' + # LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE : + # example : + - LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE='' + # LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT : + # example : + - LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT='' + # LDAP_GROUP_FILTER_GROUP_NAME : + # example : + - LDAP_GROUP_FILTER_GROUP_NAME='' + # LDAP_UNIQUE_IDENTIFIER_FIELD : This field is sometimes class GUID (Globally Unique Identifier) + # example : LDAP_UNIQUE_IDENTIFIER_FIELD=guid + - LDAP_UNIQUE_IDENTIFIER_FIELD='' + # LDAP_UTF8_NAMES_SLUGIFY : Convert the username to utf8 + # example : LDAP_UTF8_NAMES_SLUGIFY=false + - LDAP_UTF8_NAMES_SLUGIFY=true + # LDAP_USERNAME_FIELD : Which field contains the ldap username + # example : LDAP_USERNAME_FIELD=username + - LDAP_USERNAME_FIELD='' + # LDAP_MERGE_EXISTING_USERS : + # example : LDAP_MERGE_EXISTING_USERS=true + - LDAP_MERGE_EXISTING_USERS=false + # LDAP_SYNC_USER_DATA : + # example : LDAP_SYNC_USER_DATA=true + - LDAP_SYNC_USER_DATA=false + # LDAP_SYNC_USER_DATA_FIELDMAP : + # example : LDAP_SYNC_USER_DATA_FIELDMAP={\"cn\":\"name\", \"mail\":\"email\"} + - LDAP_SYNC_USER_DATA_FIELDMAP='' + # LDAP_SYNC_GROUP_ROLES : + # example : + - LDAP_SYNC_GROUP_ROLES='' + # LDAP_DEFAULT_DOMAIN : The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP + # example : + - LDAP_DEFAULT_DOMAIN='' + + depends_on: + - wekandb + +volumes: + wekan-db: + driver: local + wekan-db-dump: + driver: local + +networks: + wekan-tier: + driver: bridge -- cgit v1.2.3-1-g7c22 From 5188f2f2c9d7b4c5776a82c152a34e3787d3cd69 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 23 Oct 2018 14:18:17 +0300 Subject: - This docker-compose.yml uses prebuilt image. Thanks to xet7 ! --- docker-compose.yml | 2 -- 1 file changed, 2 deletions(-) diff --git a/docker-compose.yml b/docker-compose.yml index 0564288e..e3b0c020 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -1,7 +1,5 @@ version: '2' -# Using prebuilt image: docker-compose up -d --no-build - services: wekandb: -- cgit v1.2.3-1-g7c22 From 10bc2c0d1aeba0f840b620943b25bc68a0f69ed1 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 23 Oct 2018 14:19:31 +0300 Subject: v1.56 --- CHANGELOG.md | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index b4bab0ec..3c565710 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# v1.56 2018-10-23 Wekan release + +This release adds the following new features: + +- Merge edge into stable. This brings LDAP, Rules, Role "No Comments", etc. +- Go back to Meteor 1.6.x and MongoDB 3.2.21 that works in Snap etc. + +Thanks to GitHub user xet7 for contributions. + # v1.55.1 2018-10-16 Wekan Edge release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From fa548a4c3266beaaa8da1049dc76602bfd3676e7 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 23 Oct 2018 14:21:59 +0300 Subject: v1.57 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 3c565710..d40b8530 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# v1.56 2018-10-23 Wekan release +# v1.57 2018-10-23 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index 7bea1112..4325fb95 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.55.1", + "version": "v1.57.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 4c38b6f7..15ccf44d 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 156, + appVersion = 158, # Increment this for every release. - appMarketingVersion = (defaultText = "1.55.1~2018-10-16"), + appMarketingVersion = (defaultText = "1.57.0~2018-10-23"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 24f66c9f8873e56dcd3a0a176b3fcbbdc6e5fae7 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Tue, 23 Oct 2018 18:00:56 +0200 Subject: fix cards export 6eeb708e4d2eb82f (Fix cards export and add customFields export.) is incomplete as it allows to export newer cards inserted in the db after the linkedId has been set, but not older cards present in an earlier version of wekan. Allow both null and empty value to be retrieved to match all cards. related #1873 --- models/export.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/models/export.js b/models/export.js index 0911a631..62d2687a 100644 --- a/models/export.js +++ b/models/export.js @@ -48,7 +48,7 @@ class Exporter { build() { const byBoard = { boardId: this._boardId }; - const byBoardNoLinked = { boardId: this._boardId, linkedId: '' }; + const byBoardNoLinked = { boardId: this._boardId, linkedId: {$in: ['', null] } }; // we do not want to retrieve boardId in related elements const noBoardId = { fields: { -- cgit v1.2.3-1-g7c22 From 9aa5584c9c7a5bf7d9755dd266a0b0035f57ebf0 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Tue, 26 Jun 2018 11:10:16 +0200 Subject: models: make the REST API more uniform All of the other REST API are in the form 'modelId' but a few ones in boards.js and users.js. Change it for a more uniform API. --- models/boards.js | 12 ++++++------ models/users.js | 12 ++++++------ 2 files changed, 12 insertions(+), 12 deletions(-) diff --git a/models/boards.js b/models/boards.js index 52d0ca87..a44de8fa 100644 --- a/models/boards.js +++ b/models/boards.js @@ -823,9 +823,9 @@ if (Meteor.isServer) { } }); - JsonRoutes.add('GET', '/api/boards/:id', function (req, res) { + JsonRoutes.add('GET', '/api/boards/:boardId', function (req, res) { try { - const id = req.params.id; + const id = req.params.boardId; Authentication.checkBoardAccess(req.userId, id); JsonRoutes.sendResult(res, { @@ -878,10 +878,10 @@ if (Meteor.isServer) { } }); - JsonRoutes.add('DELETE', '/api/boards/:id', function (req, res) { + JsonRoutes.add('DELETE', '/api/boards/:boardId', function (req, res) { try { Authentication.checkUserId(req.userId); - const id = req.params.id; + const id = req.params.boardId; Boards.remove({ _id: id }); JsonRoutes.sendResult(res, { code: 200, @@ -898,9 +898,9 @@ if (Meteor.isServer) { } }); - JsonRoutes.add('PUT', '/api/boards/:id/labels', function (req, res) { + JsonRoutes.add('PUT', '/api/boards/:boardId/labels', function (req, res) { Authentication.checkUserId(req.userId); - const id = req.params.id; + const id = req.params.boardId; try { if (req.body.hasOwnProperty('label')) { const board = Boards.findOne({ _id: id }); diff --git a/models/users.js b/models/users.js index 4f2184e4..630f4703 100644 --- a/models/users.js +++ b/models/users.js @@ -713,10 +713,10 @@ if (Meteor.isServer) { } }); - JsonRoutes.add('GET', '/api/users/:id', function (req, res) { + JsonRoutes.add('GET', '/api/users/:userId', function (req, res) { try { Authentication.checkUserId(req.userId); - const id = req.params.id; + const id = req.params.userId; JsonRoutes.sendResult(res, { code: 200, data: Meteor.users.findOne({ _id: id }), @@ -730,10 +730,10 @@ if (Meteor.isServer) { } }); - JsonRoutes.add('PUT', '/api/users/:id', function (req, res) { + JsonRoutes.add('PUT', '/api/users/:userId', function (req, res) { try { Authentication.checkUserId(req.userId); - const id = req.params.id; + const id = req.params.userId; const action = req.body.action; let data = Meteor.users.findOne({ _id: id }); if (data !== undefined) { @@ -872,10 +872,10 @@ if (Meteor.isServer) { } }); - JsonRoutes.add('DELETE', '/api/users/:id', function (req, res) { + JsonRoutes.add('DELETE', '/api/users/:userId', function (req, res) { try { Authentication.checkUserId(req.userId); - const id = req.params.id; + const id = req.params.userId; Meteor.users.remove({ _id: id }); JsonRoutes.sendResult(res, { code: 200, -- cgit v1.2.3-1-g7c22 From 53c8e63a09b513a37d308d2301b2925e239dabfe Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Mon, 2 Jul 2018 18:34:46 +0200 Subject: models: customFields: fix GET api Calling GET on /api/board/XXXX/customfields returns a 500 error: TypeError: Converting circular structure to JSON --- models/customFields.js | 8 +++++++- 1 file changed, 7 insertions(+), 1 deletion(-) diff --git a/models/customFields.js b/models/customFields.js index 38481d8c..203e46d0 100644 --- a/models/customFields.js +++ b/models/customFields.js @@ -87,7 +87,13 @@ if (Meteor.isServer) { const paramBoardId = req.params.boardId; JsonRoutes.sendResult(res, { code: 200, - data: CustomFields.find({ boardId: paramBoardId }), + data: CustomFields.find({ boardId: paramBoardId }).map(function (cf) { + return { + _id: cf._id, + name: cf.name, + type: cf.type, + }; + }), }); }); -- cgit v1.2.3-1-g7c22 From 33d4ad76caefede0680a7868b9772f9917fd4d90 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Tue, 26 Jun 2018 11:11:55 +0200 Subject: models: cards: add members PUT entry point Allows to change the members from the API --- models/cards.js | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/models/cards.js b/models/cards.js index 25692c25..e7649657 100644 --- a/models/cards.js +++ b/models/cards.js @@ -1514,6 +1514,11 @@ if (Meteor.isServer) { Cards.direct.update({_id: paramCardId, listId: paramListId, boardId: paramBoardId, archived: false}, {$set: {customFields: newcustomFields}}); } + if (req.body.hasOwnProperty('members')) { + const newmembers = req.body.members; + Cards.direct.update({_id: paramCardId, listId: paramListId, boardId: paramBoardId, archived: false}, + {$set: {members: newmembers}}); + } JsonRoutes.sendResult(res, { code: 200, data: { -- cgit v1.2.3-1-g7c22 From f61942e5cb672d3e0fd4df6c5ff9b3f15f7cb778 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Tue, 26 Jun 2018 11:55:11 +0200 Subject: models: boards: add PUT members entry point Allows to change the members from the API. --- models/boards.js | 32 ++++++++++++++++++++++++++++++++ 1 file changed, 32 insertions(+) diff --git a/models/boards.js b/models/boards.js index a44de8fa..cae6cf9f 100644 --- a/models/boards.js +++ b/models/boards.js @@ -276,6 +276,10 @@ Boards.helpers({ return Users.find({ _id: { $in: _.pluck(this.members, 'userId') } }); }, + getMember(id) { + return _.findWhere(this.members, { userId: id }); + }, + getLabel(name, color) { return _.findWhere(this.labels, { name, color }); }, @@ -841,6 +845,34 @@ if (Meteor.isServer) { } }); + JsonRoutes.add('PUT', '/api/boards/:boardId/members', function (req, res) { + Authentication.checkUserId(req.userId); + try { + const boardId = req.params.boardId; + const board = Boards.findOne({ _id: boardId }); + const userId = req.body.userId; + const user = Users.findOne({ _id: userId }); + + if (!board.getMember(userId)) { + user.addInvite(boardId); + board.addMember(userId); + JsonRoutes.sendResult(res, { + code: 200, + data: id, + }); + } else { + JsonRoutes.sendResult(res, { + code: 200, + }); + } + } + catch (error) { + JsonRoutes.sendResult(res, { + data: error, + }); + } + }); + JsonRoutes.add('POST', '/api/boards', function (req, res) { try { Authentication.checkUserId(req.userId); -- cgit v1.2.3-1-g7c22 From dfdba25ea0b9c3bcca81a9c8ba6a3e9ed7f4eec7 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Thu, 26 Jul 2018 08:45:44 +0200 Subject: api: add the ability to change the Swimlane of a card --- models/cards.js | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/models/cards.js b/models/cards.js index e7649657..9bb67f41 100644 --- a/models/cards.js +++ b/models/cards.js @@ -1519,6 +1519,11 @@ if (Meteor.isServer) { Cards.direct.update({_id: paramCardId, listId: paramListId, boardId: paramBoardId, archived: false}, {$set: {members: newmembers}}); } + if (req.body.hasOwnProperty('swimlaneId')) { + const newParamSwimlaneId = req.body.swimlaneId; + Cards.direct.update({_id: paramCardId, listId: paramListId, boardId: paramBoardId, archived: false}, + {$set: {swimlaneId: newParamSwimlaneId}}); + } JsonRoutes.sendResult(res, { code: 200, data: { -- cgit v1.2.3-1-g7c22 From 760c008f5bc41a5291798bfaa3deedc6bcf444cf Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 23 Oct 2018 21:08:04 +0300 Subject: Adds [following new features and fixes](https://github.com/wekan/wekan/pull/1962), with Apache I-CLA: - Also export the cards created with an older wekan instance (without linked cards) (related to #1873); - Fix the GET customFields API that was failing; - Allow to directly overwrite the members of cards and boards with a PUT call (this avoids to do multiple calls to add and remove users); - Allow to change the swimlane of a card from the API. Thanks to bentiss ! --- CHANGELOG.md | 11 +++++++++++ 1 file changed, 11 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index d40b8530..4d85a49a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,14 @@ +# Upcoming Wekan release + +This release adds the [following new features and fixes](https://github.com/wekan/wekan/pull/1962), with Apache I-CLA: + +- Also export the cards created with an older wekan instance (without linked cards) (related to #1873); +- Fix the GET customFields API that was failing; +- Allow to directly overwrite the members of cards and boards with a PUT call (this avoids to do multiple calls to add and remove users); +- Allow to change the swimlane of a card from the API. + +Thanks to GitHub user bentiss for contributions. + # v1.57 2018-10-23 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From 82e90f7b9424eba55435150fca8f878ac05e8634 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 23 Oct 2018 21:19:48 +0300 Subject: v1.58 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 4d85a49a..0b4597ee 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.58 2018-10-23 Wekan release This release adds the [following new features and fixes](https://github.com/wekan/wekan/pull/1962), with Apache I-CLA: diff --git a/package.json b/package.json index 4325fb95..24fa3213 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.57.0", + "version": "v1.58.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 15ccf44d..3926695a 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 158, + appVersion = 159, # Increment this for every release. - appMarketingVersion = (defaultText = "1.57.0~2018-10-23"), + appMarketingVersion = (defaultText = "1.58.0~2018-10-23"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 4cb25a5bcf5263f9c803a0a1d4ceaf6a9e5db75f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 24 Oct 2018 11:39:45 +0300 Subject: - Custom Product Name in Admin Panel / Layout. In Progress, setting does not affect change UI yet. Thanks to xet7 ! - Fix LDAP User Search Scope. Thanks to Vnimos and Akuket ! Related #119 - Fix Save Admin Panel STMP password. Thanks to saurabharch and xet7 ! Closes #1856 --- client/components/settings/settingBody.jade | 16 ++++++++++++- client/components/settings/settingBody.js | 22 ++++++++++++++++++ client/components/settings/settingBody.styl | 3 ++- docker-compose-build.yml | 36 ++++++++++++++--------------- docker-compose.yml | 36 ++++++++++++++--------------- i18n/en.i18n.json | 4 +++- models/settings.js | 4 ++++ server/migrations.js | 12 ++++++++++ server/publications/settings.js | 2 +- snap-src/bin/config | 4 ++-- snap-src/bin/wekan-help | 2 +- 11 files changed, 98 insertions(+), 43 deletions(-) diff --git a/client/components/settings/settingBody.jade b/client/components/settings/settingBody.jade index dcf71f4d..a05be1c6 100644 --- a/client/components/settings/settingBody.jade +++ b/client/components/settings/settingBody.jade @@ -16,6 +16,8 @@ template(name="setting") a.js-setting-menu(data-id="account-setting") {{_ 'accounts'}} li a.js-setting-menu(data-id="announcement-setting") {{_ 'admin-announcement'}} + li + a.js-setting-menu(data-id="layout-setting") {{_ 'layout'}} .main-body if loading.get +spinner @@ -27,6 +29,8 @@ template(name="setting") +accountSettings else if announcementSetting.get +announcementSettings + else if layoutSetting.get + +layoutSettings template(name="general") ul#registration-setting.setting-detail @@ -72,7 +76,7 @@ template(name='email') li.smtp-form .title {{_ 'smtp-password'}} .form-group - input.form-control#mail-server-password(type="text", placeholder="{{_ 'password'}}" value="") + input.form-control#mail-server-password(type="password", placeholder="{{_ 'password'}}" value="{{currentSetting.mailServer.password}}") li.smtp-form .title {{_ 'smtp-tls'}} .form-group @@ -127,3 +131,13 @@ template(name='announcementSettings') textarea#admin-announcement.form-control= currentSetting.body li button.js-announcement-save.primary {{_ 'save'}} + +template(name='layoutSettings') + ul#layout-setting.setting-detail + li.layout-form + .title {{_ 'custom-product-name'}} + .form-group + input.form-control#product-name(type="text", placeholder="Wekan" value="{{currentSetting.productName}}") + + li + button.js-save-layout.primary {{_ 'save'}} diff --git a/client/components/settings/settingBody.js b/client/components/settings/settingBody.js index 7230d893..0ff4f99c 100644 --- a/client/components/settings/settingBody.js +++ b/client/components/settings/settingBody.js @@ -6,6 +6,7 @@ BlazeComponent.extendComponent({ this.emailSetting = new ReactiveVar(false); this.accountSetting = new ReactiveVar(false); this.announcementSetting = new ReactiveVar(false); + this.layoutSetting = new ReactiveVar(false); Meteor.subscribe('setting'); Meteor.subscribe('mailServer'); @@ -68,6 +69,7 @@ BlazeComponent.extendComponent({ this.emailSetting.set('email-setting' === targetID); this.accountSetting.set('account-setting' === targetID); this.announcementSetting.set('announcement-setting' === targetID); + this.layoutSetting.set('layout-setting' === targetID); } }, @@ -129,6 +131,25 @@ BlazeComponent.extendComponent({ }, + saveLayout() { + this.setLoading(true); + $('li').removeClass('has-error'); + + try { + const productName = $('#product-name').val().trim(); + Settings.update(Settings.findOne()._id, { + $set: { + 'productName': productName, + }, + }); + } catch (e) { + return; + } finally { + this.setLoading(false); + } + + }, + sendSMTPTestEmail() { Meteor.call('sendSMTPTestEmail', (err, ret) => { if (!err && ret) { /* eslint-disable no-console */ @@ -154,6 +175,7 @@ BlazeComponent.extendComponent({ 'click button.js-email-invite': this.inviteThroughEmail, 'click button.js-save': this.saveMailServerInfo, 'click button.js-send-smtp-test-email': this.sendSMTPTestEmail, + 'click button.js-save-layout': this.saveLayout, }]; }, }).register('setting'); diff --git a/client/components/settings/settingBody.styl b/client/components/settings/settingBody.styl index fec64cee..7f8bd4c0 100644 --- a/client/components/settings/settingBody.styl +++ b/client/components/settings/settingBody.styl @@ -66,7 +66,8 @@ padding: 0 0.5rem .admin-announcement, - .invite-people + .invite-people, + .layout padding-left 20px; li min-width: 500px; diff --git a/docker-compose-build.yml b/docker-compose-build.yml index b35d501a..faf32db1 100644 --- a/docker-compose-build.yml +++ b/docker-compose-build.yml @@ -44,7 +44,7 @@ services: # If you disable Wekan API with 'false', Export Board does not work. - WITH_API=true # Optional: Integration with Matomo https://matomo.org that is installed to your server - # The address of the server where Matomo is hosted. + # The address of the server where Matomo is hosted. # example: - MATOMO_ADDRESS=https://example.com/matomo - MATOMO_ADDRESS='' # The value of the site ID given in Matomo server for Wekan @@ -132,10 +132,10 @@ services: # LDAP_BACKGROUND_SYNC_INTERVAL : At which interval does the background task sync in milliseconds # example : LDAP_BACKGROUND_SYNC_INTERVAL=12345 - LDAP_BACKGROUND_SYNC_INTERVAL=100 - # LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED : + # LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED : # example : LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=true - LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=false - # LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS : + # LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS : # example : LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=true - LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=false # LDAP_ENCRYPTION : If using LDAPS @@ -150,7 +150,7 @@ services: # LDAP_USER_SEARCH_FILTER : Optional extra LDAP filters. Don't forget the outmost enclosing parentheses if needed # example : LDAP_USER_SEARCH_FILTER= - LDAP_USER_SEARCH_FILTER='' - # LDAP_USER_SEARCH_SCOPE : Base (search only in the provided DN), one (search only in the provided DN and one level deep), or subtree (search the whole subtree) + # LDAP_USER_SEARCH_SCOPE : base (search only in the provided DN), one (search only in the provided DN and one level deep), or sub (search the whole subtree). # example : LDAP_USER_SEARCH_SCOPE=one - LDAP_USER_SEARCH_SCOPE='' # LDAP_USER_SEARCH_FIELD : Which field is used to find the user @@ -168,17 +168,17 @@ services: # LDAP_GROUP_FILTER_OBJECTCLASS : The object class for filtering # example : LDAP_GROUP_FILTER_OBJECTCLASS=group - LDAP_GROUP_FILTER_OBJECTCLASS='' - # LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE : - # example : + # LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE : + # example : - LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE='' - # LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE : - # example : + # LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE : + # example : - LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE='' - # LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT : - # example : + # LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT : + # example : - LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT='' - # LDAP_GROUP_FILTER_GROUP_NAME : - # example : + # LDAP_GROUP_FILTER_GROUP_NAME : + # example : - LDAP_GROUP_FILTER_GROUP_NAME='' # LDAP_UNIQUE_IDENTIFIER_FIELD : This field is sometimes class GUID (Globally Unique Identifier) # example : LDAP_UNIQUE_IDENTIFIER_FIELD=guid @@ -189,20 +189,20 @@ services: # LDAP_USERNAME_FIELD : Which field contains the ldap username # example : LDAP_USERNAME_FIELD=username - LDAP_USERNAME_FIELD='' - # LDAP_MERGE_EXISTING_USERS : + # LDAP_MERGE_EXISTING_USERS : # example : LDAP_MERGE_EXISTING_USERS=true - LDAP_MERGE_EXISTING_USERS=false - # LDAP_SYNC_USER_DATA : + # LDAP_SYNC_USER_DATA : # example : LDAP_SYNC_USER_DATA=true - LDAP_SYNC_USER_DATA=false - # LDAP_SYNC_USER_DATA_FIELDMAP : + # LDAP_SYNC_USER_DATA_FIELDMAP : # example : LDAP_SYNC_USER_DATA_FIELDMAP={\"cn\":\"name\", \"mail\":\"email\"} - LDAP_SYNC_USER_DATA_FIELDMAP='' - # LDAP_SYNC_GROUP_ROLES : - # example : + # LDAP_SYNC_GROUP_ROLES : + # example : - LDAP_SYNC_GROUP_ROLES='' # LDAP_DEFAULT_DOMAIN : The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP - # example : + # example : - LDAP_DEFAULT_DOMAIN='' depends_on: diff --git a/docker-compose.yml b/docker-compose.yml index e3b0c020..698d9c2b 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -31,7 +31,7 @@ services: # If you disable Wekan API with 'false', Export Board does not work. - WITH_API=true # Optional: Integration with Matomo https://matomo.org that is installed to your server - # The address of the server where Matomo is hosted. + # The address of the server where Matomo is hosted. # example: - MATOMO_ADDRESS=https://example.com/matomo - MATOMO_ADDRESS='' # The value of the site ID given in Matomo server for Wekan @@ -119,10 +119,10 @@ services: # LDAP_BACKGROUND_SYNC_INTERVAL : At which interval does the background task sync in milliseconds # example : LDAP_BACKGROUND_SYNC_INTERVAL=12345 - LDAP_BACKGROUND_SYNC_INTERVAL=100 - # LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED : + # LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED : # example : LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=true - LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=false - # LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS : + # LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS : # example : LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=true - LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=false # LDAP_ENCRYPTION : If using LDAPS @@ -137,7 +137,7 @@ services: # LDAP_USER_SEARCH_FILTER : Optional extra LDAP filters. Don't forget the outmost enclosing parentheses if needed # example : LDAP_USER_SEARCH_FILTER= - LDAP_USER_SEARCH_FILTER='' - # LDAP_USER_SEARCH_SCOPE : Base (search only in the provided DN), one (search only in the provided DN and one level deep), or subtree (search the whole subtree) + # LDAP_USER_SEARCH_SCOPE : base (search only in the provided DN), one (search only in the provided DN and one level deep), or sub (search the whole subtree) # example : LDAP_USER_SEARCH_SCOPE=one - LDAP_USER_SEARCH_SCOPE='' # LDAP_USER_SEARCH_FIELD : Which field is used to find the user @@ -155,17 +155,17 @@ services: # LDAP_GROUP_FILTER_OBJECTCLASS : The object class for filtering # example : LDAP_GROUP_FILTER_OBJECTCLASS=group - LDAP_GROUP_FILTER_OBJECTCLASS='' - # LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE : - # example : + # LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE : + # example : - LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE='' - # LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE : - # example : + # LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE : + # example : - LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE='' - # LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT : - # example : + # LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT : + # example : - LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT='' - # LDAP_GROUP_FILTER_GROUP_NAME : - # example : + # LDAP_GROUP_FILTER_GROUP_NAME : + # example : - LDAP_GROUP_FILTER_GROUP_NAME='' # LDAP_UNIQUE_IDENTIFIER_FIELD : This field is sometimes class GUID (Globally Unique Identifier) # example : LDAP_UNIQUE_IDENTIFIER_FIELD=guid @@ -176,20 +176,20 @@ services: # LDAP_USERNAME_FIELD : Which field contains the ldap username # example : LDAP_USERNAME_FIELD=username - LDAP_USERNAME_FIELD='' - # LDAP_MERGE_EXISTING_USERS : + # LDAP_MERGE_EXISTING_USERS : # example : LDAP_MERGE_EXISTING_USERS=true - LDAP_MERGE_EXISTING_USERS=false - # LDAP_SYNC_USER_DATA : + # LDAP_SYNC_USER_DATA : # example : LDAP_SYNC_USER_DATA=true - LDAP_SYNC_USER_DATA=false - # LDAP_SYNC_USER_DATA_FIELDMAP : + # LDAP_SYNC_USER_DATA_FIELDMAP : # example : LDAP_SYNC_USER_DATA_FIELDMAP={\"cn\":\"name\", \"mail\":\"email\"} - LDAP_SYNC_USER_DATA_FIELDMAP='' - # LDAP_SYNC_GROUP_ROLES : - # example : + # LDAP_SYNC_GROUP_ROLES : + # example : - LDAP_SYNC_GROUP_ROLES='' # LDAP_DEFAULT_DOMAIN : The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP - # example : + # example : - LDAP_DEFAULT_DOMAIN='' depends_on: diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 2e52dcfb..e69101f0 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -612,5 +612,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } diff --git a/models/settings.js b/models/settings.js index 2f82e52f..c2a9bf01 100644 --- a/models/settings.js +++ b/models/settings.js @@ -28,6 +28,10 @@ Settings.attachSchema(new SimpleSchema({ type: String, optional: true, }, + productName: { + type: String, + optional: true, + }, createdAt: { type: Date, denyUpdate: true, diff --git a/server/migrations.js b/server/migrations.js index 2ccda54d..5b9cc341 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -350,3 +350,15 @@ Migrations.add('remove-customFields-references-broken', () => { }, }, noValidateMulti); }); + +Migrations.add('add-product-name', () => { + Settings.update({ + productName: { + $exists: false, + }, + }, { + $set: { + productName:'', + }, + }, noValidateMulti); +}); diff --git a/server/publications/settings.js b/server/publications/settings.js index c2d9fdff..72538124 100644 --- a/server/publications/settings.js +++ b/server/publications/settings.js @@ -1,5 +1,5 @@ Meteor.publish('setting', () => { - return Settings.find({}, {fields:{disableRegistration: 1}}); + return Settings.find({}, {fields:{disableRegistration: 1, productName: 1}}); }); Meteor.publish('mailServer', function () { diff --git a/snap-src/bin/config b/snap-src/bin/config index 44d30baa..72508b5d 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -176,7 +176,7 @@ KEY_LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED="ldap-background-sync-keep- DESCRIPTION_LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS="" DEFAULT_LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS="false" -KEY_LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS="ldap-background-sync-import-new-users" +KEY_LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS="ldap-background-sync-import-new-users" DESCRIPTION_LDAP_ENCRYPTION="If using LDAPS" DEFAULT_LDAP_ENCRYPTION="false" @@ -194,7 +194,7 @@ DESCRIPTION_LDAP_USER_SEARCH_FILTER="Optional extra LDAP filters. Don't forget t DEFAULT_LDAP_USER_SEARCH_FILTER="" KEY_LDAP_USER_SEARCH_FILTER="ldap-user-search-filter" -DESCRIPTION_LDAP_USER_SEARCH_SCOPE="Base (search only in the provided DN), one (search only in the provided DN and one level deep), or subtree (search the whole subtree)." +DESCRIPTION_LDAP_USER_SEARCH_SCOPE="base (search only in the provided DN), one (search only in the provided DN and one level deep), or sub (search the whole subtree). Example: one" DEFAULT_LDAP_USER_SEARCH_SCOPE="" KEY_LDAP_USER_SEARCH_SCOPE="ldap-user-search-scope" diff --git a/snap-src/bin/wekan-help b/snap-src/bin/wekan-help index 3af19336..c8144f9a 100755 --- a/snap-src/bin/wekan-help +++ b/snap-src/bin/wekan-help @@ -180,7 +180,7 @@ echo -e "Optional extra LDAP filters. Don't forget the outmost enclosing parenth echo -e "\t$ snap set $SNAP_NAME LDAP_USER_SEARCH_FILTER=''" echo -e "\n" echo -e "Ldap User Search Scope." -echo -e "Base (search only in the provided DN), one (search only in the provided DN and one level deep), or subtree (search the whole subtree):" +echo -e "base (search only in the provided DN), one (search only in the provided DN and one level deep), or sub (search the whole subtree). Example: one" echo -e "\t$ snap set $SNAP_NAME LDAP_USER_SEARCH_SCOPE=one" echo -e "\n" echo -e "Ldap User Search Field." -- cgit v1.2.3-1-g7c22 From d4dd646bf4d1cc2300547c8ea01e49dfd8c6a03e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 24 Oct 2018 11:53:47 +0300 Subject: This release adds the beginning of following new features: - Custom Product Name in Admin Panel / Layout. In Progress, setting does not affect change UI yet. Thanks to xet7. and fixes the following bugs: - Fix LDAP User Search Scope. Thanks to Vnimos and Akuket. Related #119 - Fix Save Admin Panel STMP password. Thanks to saurabharch and xet7. Closes #1856 --- CHANGELOG.md | 13 +++++++++++++ 1 file changed, 13 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 0b4597ee..9ad1f22d 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,16 @@ +# Upcoming Wekan release + +This release adds the beginning of following new features: + +- Custom Product Name in Admin Panel / Layout. In Progress, setting does not affect change UI yet. Thanks to xet7. + +and fixes the following bugs: + +- Fix LDAP User Search Scope. Thanks to Vnimos and Akuket. Related #119 +- Fix Save Admin Panel STMP password. Thanks to saurabharch and xet7. Closes #1856 + +Thanks to above mentioned GitHub users for contributions. + # v1.58 2018-10-23 Wekan release This release adds the [following new features and fixes](https://github.com/wekan/wekan/pull/1962), with Apache I-CLA: -- cgit v1.2.3-1-g7c22 From 9561049668e36893687a2989d0d176178c46ac10 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 24 Oct 2018 11:57:16 +0300 Subject: v1.59 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 9ad1f22d..fba43fdb 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.59 2018-10-24 Wekan release This release adds the beginning of following new features: diff --git a/package.json b/package.json index 24fa3213..c2452000 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.58.0", + "version": "v1.59.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 3926695a..41c54cf4 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 159, + appVersion = 160, # Increment this for every release. - appMarketingVersion = (defaultText = "1.58.0~2018-10-23"), + appMarketingVersion = (defaultText = "1.59.0~2018-10-24"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From e580109dd6c388df9b62669db7521acb6533b75b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 24 Oct 2018 12:06:33 +0300 Subject: Update translations. --- i18n/ar.i18n.json | 4 +- i18n/bg.i18n.json | 112 ++++++++++++++++++++++++++------------------------- i18n/br.i18n.json | 4 +- i18n/ca.i18n.json | 4 +- i18n/cs.i18n.json | 4 +- i18n/de.i18n.json | 4 +- i18n/el.i18n.json | 4 +- i18n/en-GB.i18n.json | 4 +- i18n/eo.i18n.json | 4 +- i18n/es-AR.i18n.json | 4 +- i18n/es.i18n.json | 4 +- i18n/eu.i18n.json | 4 +- i18n/fa.i18n.json | 4 +- i18n/fi.i18n.json | 4 +- i18n/fr.i18n.json | 4 +- i18n/gl.i18n.json | 4 +- i18n/he.i18n.json | 4 +- i18n/hu.i18n.json | 4 +- i18n/hy.i18n.json | 4 +- i18n/id.i18n.json | 4 +- i18n/ig.i18n.json | 4 +- i18n/it.i18n.json | 4 +- i18n/ja.i18n.json | 4 +- i18n/ka.i18n.json | 4 +- i18n/km.i18n.json | 4 +- i18n/ko.i18n.json | 4 +- i18n/lv.i18n.json | 4 +- i18n/mn.i18n.json | 4 +- i18n/nb.i18n.json | 4 +- i18n/nl.i18n.json | 4 +- i18n/pl.i18n.json | 4 +- i18n/pt-BR.i18n.json | 4 +- i18n/pt.i18n.json | 4 +- i18n/ro.i18n.json | 4 +- i18n/ru.i18n.json | 4 +- i18n/sr.i18n.json | 4 +- i18n/sv.i18n.json | 4 +- i18n/ta.i18n.json | 4 +- i18n/th.i18n.json | 4 +- i18n/tr.i18n.json | 4 +- i18n/uk.i18n.json | 4 +- i18n/vi.i18n.json | 4 +- i18n/zh-CN.i18n.json | 4 +- i18n/zh-TW.i18n.json | 4 +- 44 files changed, 186 insertions(+), 98 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 52ac4640..4f13db90 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index b5694a76..7e6ff2fc 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -1,8 +1,8 @@ { - "accept": "Accept", + "accept": "Приемам", "act-activity-notify": "[Wekan] Известия за дейности", "act-addAttachment": "прикачи __attachment__ към __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", + "act-addSubtask": "добави задача __checklist__ към __card__", "act-addChecklist": "добави списък със задачи __checklist__ към __card__", "act-addChecklistItem": "добави __checklistItem__ към списък със задачи __checklist__ в __card__", "act-addComment": "Коментира в __card__: __comment__", @@ -25,7 +25,7 @@ "act-unjoinMember": "премахна __member__ от __card__", "act-withBoardTitle": "[Wekan] __board__", "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", + "actions": "Действия", "activities": "Действия", "activity": "Дейности", "activity-added": "добави %s към %s", @@ -42,12 +42,12 @@ "activity-removed": "премахна %s от %s", "activity-sent": "изпрати %s до %s", "activity-unjoined": "вече не е част от %s", - "activity-subtask-added": "added subtask to %s", - "activity-checked-item": "checked %s in checklist %s of %s", - "activity-unchecked-item": "unchecked %s in checklist %s of %s", + "activity-subtask-added": "добави задача към %s", + "activity-checked-item": "отбеляза%s в списък със задачи %s на %s", + "activity-unchecked-item": "размаркира %s от списък със задачи %s на %s", "activity-checklist-added": "добави списък със задачи към %s", - "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-removed": "премахна списък със задачи от %s", + "activity-checklist-completed": "завърши списък със задачи %s на %s", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "добави точка към '%s' в/във %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", @@ -113,13 +113,13 @@ "boardMenuPopup-title": "Меню на Таблото", "boards": "Табла", "board-view": "Board View", - "board-view-cal": "Calendar", + "board-view-cal": "Календар", "board-view-swimlanes": "Коридори", "board-view-lists": "Списъци", "bucket-example": "Like “Bucket List” for example", "cancel": "Cancel", "card-archived": "Картата е преместена в Кошчето.", - "board-archived": "This board is moved to Recycle Bin.", + "board-archived": "Това табло беше преместено в Кошчето", "card-comments-title": "Тази карта има %s коментар.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", @@ -146,20 +146,20 @@ "cards": "Карти", "cards-count": "Карти", "casSignIn": "Sign In with CAS", - "cardType-card": "Card", - "cardType-linkedCard": "Linked Card", - "cardType-linkedBoard": "Linked Board", + "cardType-card": "Карта", + "cardType-linkedCard": "Свързана карта", + "cardType-linkedBoard": "Свързано табло", "change": "Промени", "change-avatar": "Промени аватара", "change-password": "Промени паролата", - "change-permissions": "Change permissions", + "change-permissions": "Промени правата", "change-settings": "Промени настройките", "changeAvatarPopup-title": "Промени аватара", "changeLanguagePopup-title": "Промени езика", "changePasswordPopup-title": "Промени паролата", - "changePermissionsPopup-title": "Change Permissions", + "changePermissionsPopup-title": "Промени правата", "changeSettingsPopup-title": "Промяна на настройките", - "subtasks": "Subtasks", + "subtasks": "Подзадачи", "checklists": "Списъци със задачи", "click-to-star": "Click to star this board.", "click-to-unstar": "Натиснете, за да премахнете това табло от любими.", @@ -181,30 +181,30 @@ "comment-placeholder": "Напиши коментар", "comment-only": "Само коментар", "comment-only-desc": "Може да коментира само в карти.", - "no-comments": "No comments", + "no-comments": "Няма коментари", "no-comments-desc": "Can not see comments and activities.", "computer": "Компютър", - "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", + "confirm-subtask-delete-dialog": "Сигурен ли сте, че искате да изтриете подзадачата?", + "confirm-checklist-delete-dialog": "Сигурни ли сте, че искате да изтриете този чеклист?", "copy-card-link-to-clipboard": "Копирай връзката на картата в клипборда", - "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "linkCardPopup-title": "Свържи картата", + "searchCardPopup-title": "Търсене на карта", "copyCardPopup-title": "Копирай картата", "copyChecklistToManyCardsPopup-title": "Копирай чеклисти в други карти", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", + "create": "Създай", + "createBoardPopup-title": "Създай Табло", + "chooseBoardSourcePopup-title": "Импортирай Табло", + "createLabelPopup-title": "Създай Табло", + "createCustomField": "Създай Поле", + "createCustomFieldPopup-title": "Създай Поле", "current": "current", "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", "custom-field-checkbox": "Чекбокс", "custom-field-date": "Дата", "custom-field-dropdown": "Падащо меню", - "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-none": "(няма)", "custom-field-dropdown-options": "List Options", "custom-field-dropdown-options-placeholder": "Press enter to add more options", "custom-field-dropdown-unknown": "(unknown)", @@ -261,7 +261,7 @@ "error-user-notCreated": "This user is not created", "error-username-taken": "This username is already taken", "error-email-taken": "Имейлът е вече зает", - "export-board": "Export board", + "export-board": "Експортиране на Табло", "filter": "Филтър", "filter-cards": "Филтрирай картите", "filter-clear": "Премахване на филтрите", @@ -276,14 +276,14 @@ "fullname": "Име", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Скриване на системните съобщения", - "headerBarCreateBoardPopup-title": "Create Board", + "headerBarCreateBoardPopup-title": "Създай Табло", "home": "Начало", - "import": "Import", - "link": "Link", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", + "import": "Импорт", + "link": "Връзка", + "import-board": "Импортирай Табло", + "import-board-c": "Импортирай Табло", + "import-board-title-trello": "Импорт на табло от Trello", + "import-board-title-wekan": "Импортирай табло от Wekan", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", "from-wekan": "From Wekan", @@ -353,7 +353,7 @@ "notify-participate": "Получавате информация за всички карти, в които сте отбелязани или сте създали", "notify-watch": "Получавате информация за всички табла, списъци и карти, които наблюдавате", "optional": "optional", - "or": "or", + "or": "или", "page-maybe-private": "This page may be private. You may be able to view it by logging in.", "page-not-found": "Page not found.", "password": "Парола", @@ -381,7 +381,7 @@ "restore": "Възстанови", "save": "Запази", "search": "Търсене", - "rules": "Rules", + "rules": "Правила", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", "select-color": "Избери цвят", @@ -405,7 +405,7 @@ "starred-boards-description": "Любимите табла се показват в началото на списъка Ви.", "subscribe": "Subscribe", "team": "Team", - "this-board": "this board", + "this-board": "това табло", "this-card": "картата", "spent-time-hours": "Изработено време (часа)", "overtime-hours": "Оувъртайм (часа)", @@ -502,12 +502,12 @@ "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", "delete-board": "Delete Board", - "default-subtasks-board": "Subtasks for __board__ board", + "default-subtasks-board": "Подзадачи за табло __board__", "default": "Default", "queue": "Queue", - "subtask-settings": "Subtasks Settings", - "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", - "show-subtasks-field": "Cards can have subtasks", + "subtask-settings": "Настройки на Подзадачите", + "boardSubtaskSettingsPopup-title": "Настройки за Подзадачите за това Табло", + "show-subtasks-field": "Картата може да има подзадачи", "deposit-subtasks-board": "Deposit subtasks to this board:", "deposit-subtasks-list": "Landing list for subtasks deposited here:", "show-parent-in-minicard": "Show parent in minicard:", @@ -515,25 +515,25 @@ "prefix-with-parent": "Prefix with parent", "subtext-with-full-path": "Subtext with full path", "subtext-with-parent": "Subtext with parent", - "change-card-parent": "Change card's parent", - "parent-card": "Parent card", + "change-card-parent": "Промени източника на картата", + "parent-card": "Карта-източник", "source-board": "Source board", - "no-parent": "Don't show parent", + "no-parent": "Не показвай източника", "activity-added-label": "added label '%s' to %s", "activity-removed-label": "removed label '%s' from %s", "activity-delete-attach": "deleted an attachment from %s", "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", - "r-rule": "Rule", + "r-rule": "Правило", "r-add-trigger": "Add trigger", "r-add-action": "Add action", - "r-board-rules": "Board rules", - "r-add-rule": "Add rule", - "r-view-rule": "View rule", - "r-delete-rule": "Delete rule", - "r-new-rule-name": "New rule title", - "r-no-rules": "No rules", + "r-board-rules": "Правила за таблото", + "r-add-rule": "Добави правилото", + "r-view-rule": "Виж правилото", + "r-delete-rule": "Изтрий правилото", + "r-new-rule-name": "Заглавие за новото правило", + "r-no-rules": "Няма правила", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", "r-removed-from": "Removed from", @@ -583,7 +583,7 @@ "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", - "r-rule-details": "Rule details", + "r-rule-details": "Детайли за правилото", "r-d-move-to-top-gen": "Move card to top of its list", "r-d-move-to-top-spec": "Move card to top of list", "r-d-move-to-bottom-gen": "Move card to bottom of its list", @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index a952fc1d..ab015806 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 199b3837..1830946a 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 55e07d3c..09acb6f7 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index bf04cb87..54ff35d9 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentifizierungsmethode", - "authentication-type": "Authentifizierungstyp" + "authentication-type": "Authentifizierungstyp", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 822f2ead..175979e9 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 0780077b..992eb801 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index 986f78f5..834029e2 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index aac925c7..a8672691 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 5735d012..d53a5508 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index c905b61b..541956d2 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index 58f7a3ad..262f78bd 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 63ac2175..024300f2 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Kirjautumistapa", - "authentication-type": "Kirjautumistyyppi" + "authentication-type": "Kirjautumistyyppi", + "custom-product-name": "Mukautettu tuotenimi", + "layout": "Ulkoasu" } \ No newline at end of file diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index bb67e05b..2ac64b9b 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Méthode d'authentification", - "authentication-type": "Type d'authentification" + "authentication-type": "Type d'authentification", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 0dccb86d..3ba7320c 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 6fc31d26..4009e08c 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index 8420e27c..63c04d93 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index 7c5904df..4554b4f1 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 8cf0195a..15d16e06 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 08f2d06c..488e08a4 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 08a975bc..69351a6a 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -611,5 +611,7 @@ "oauth2": "Oauth2", "cas": "CAS", "authentication-method": "Metodo di Autenticazione", - "authentication-type": "Tipo Autenticazione" + "authentication-type": "Tipo Autenticazione", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 02be3546..aa3a0b86 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index bca85c90..2f030843 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index 5545829f..85531320 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index b0fbe280..b3a81c6e 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index f4e82278..3ea4292c 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index ebfedea3..19496197 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index 8ee7ccef..5e4b1338 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 10d3fa22..707d5572 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index a067533f..d2ab7da9 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Sposób autoryzacji", - "authentication-type": "Typ autoryzacji" + "authentication-type": "Typ autoryzacji", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 613b4192..608ae44a 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 248f42d5..cf07549a 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index c2943f78..794bda88 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index b31ee2b2..60cd10ef 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index 1e59bf93..150a1488 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 81ba2ecd..8ad0597d 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index 29630ead..6fc81fe9 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index aa2d7d44..93ca690e 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index 731ab7c8..0db2a8ae 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 3e5d1adf..21f162c8 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index 9727eb7d..5837bae7 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 5a387323..7da16dc4 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "认证方式", - "authentication-type": "认证类型" + "authentication-type": "认证类型", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 1c1922d9..14801f38 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -611,5 +611,7 @@ "oauth2": "OAuth2", "cas": "CAS", "authentication-method": "Authentication method", - "authentication-type": "Authentication type" + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From ecb3a182062a62e6ceef13f9d17bd6bdf11aee10 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 24 Oct 2018 12:07:43 +0300 Subject: v1.60 --- CHANGELOG.md | 4 ++++ package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 7 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index fba43fdb..c4e1b386 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,7 @@ +# v1.60 2018-10-24 Wekan release + +- Update translations. + # v1.59 2018-10-24 Wekan release This release adds the beginning of following new features: diff --git a/package.json b/package.json index c2452000..70123d82 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.59.0", + "version": "v1.60.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 41c54cf4..a8007976 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 160, + appVersion = 161, # Increment this for every release. - appMarketingVersion = (defaultText = "1.59.0~2018-10-24"), + appMarketingVersion = (defaultText = "1.60.0~2018-10-24"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 90a0478d0b7ada2347e3a2f4c211507427a1673e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 24 Oct 2018 12:13:20 +0300 Subject: - Fix lint error. Thanks to xet7 ! --- client/components/settings/settingBody.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/components/settings/settingBody.js b/client/components/settings/settingBody.js index 0ff4f99c..4ad65400 100644 --- a/client/components/settings/settingBody.js +++ b/client/components/settings/settingBody.js @@ -139,7 +139,7 @@ BlazeComponent.extendComponent({ const productName = $('#product-name').val().trim(); Settings.update(Settings.findOne()._id, { $set: { - 'productName': productName, + productName, }, }); } catch (e) { -- cgit v1.2.3-1-g7c22 From 09b05ea3fbbab31b110ce08514d8c7674f0ab294 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 24 Oct 2018 12:15:11 +0300 Subject: v1.61 --- CHANGELOG.md | 4 ++++ package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 7 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index c4e1b386..b9a3839c 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,7 @@ +# v1.61 2018-20-24 Wekan release + +- Fix lint error. Thanks to xet7. + # v1.60 2018-10-24 Wekan release - Update translations. diff --git a/package.json b/package.json index 70123d82..183da04e 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.60.0", + "version": "v1.61.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index a8007976..d0d7acbf 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 161, + appVersion = 162, # Increment this for every release. - appMarketingVersion = (defaultText = "1.60.0~2018-10-24"), + appMarketingVersion = (defaultText = "1.61.0~2018-10-24"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 8ff2e1f16a9df8470b0522319bd2fa3d8d9ebe9b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 24 Oct 2018 12:40:40 +0300 Subject: - Fix missing dropdown arrow on Chrome. Thanks to xet7 ! Closes #1964 --- client/components/forms/forms.styl | 1 - 1 file changed, 1 deletion(-) diff --git a/client/components/forms/forms.styl b/client/components/forms/forms.styl index 892a6e74..bfae2e7c 100644 --- a/client/components/forms/forms.styl +++ b/client/components/forms/forms.styl @@ -5,7 +5,6 @@ textarea, input:not([type=file]), button box-sizing: border-box - -webkit-appearance: none background-color: #ebebeb border: 1px solid #ccc border-radius: 3px -- cgit v1.2.3-1-g7c22 From 6d4ffdd8b4fa332c2257edcade92391b8e85d9c6 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 24 Oct 2018 12:44:45 +0300 Subject: v1.62 --- CHANGELOG.md | 4 ++++ package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 7 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index b9a3839c..c2314c16 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,7 @@ +# v1.62 2018-20-24 Wekan release + +- Fix missing dropdown arrow on Chrome. Thanks to xet7. Closes #1964 + # v1.61 2018-20-24 Wekan release - Fix lint error. Thanks to xet7. diff --git a/package.json b/package.json index 183da04e..dd62d11e 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.61.0", + "version": "v1.62.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index d0d7acbf..392fa95d 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 162, + appVersion = 163, # Increment this for every release. - appMarketingVersion = (defaultText = "1.61.0~2018-10-24"), + appMarketingVersion = (defaultText = "1.62.0~2018-10-24"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 2ce1ba37a1d0a09f8b3d2a1db4c8a11d1f98caa0 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Tue, 26 Jun 2018 20:59:04 +0200 Subject: models: cards: allow singletons to be assigned to members and labelIds If we need to set only one member or one label, the data provided will not give us an array, but the only element as a string. We need to detect that and convert the parameter into an array. --- models/cards.js | 10 ++++++++-- 1 file changed, 8 insertions(+), 2 deletions(-) diff --git a/models/cards.js b/models/cards.js index 9bb67f41..a9745f92 100644 --- a/models/cards.js +++ b/models/cards.js @@ -1457,7 +1457,10 @@ if (Meteor.isServer) { }); } if (req.body.hasOwnProperty('labelIds')) { - const newlabelIds = req.body.labelIds; + let newlabelIds = req.body.labelIds; + if (_.isString(newlabelIds)) { + newlabelIds = [newlabelIds]; + } Cards.direct.update({ _id: paramCardId, listId: paramListId, @@ -1515,7 +1518,10 @@ if (Meteor.isServer) { {$set: {customFields: newcustomFields}}); } if (req.body.hasOwnProperty('members')) { - const newmembers = req.body.members; + let newmembers = req.body.members; + if (_.isString(newmembers)) { + newmembers = [newmembers]; + } Cards.direct.update({_id: paramCardId, listId: paramListId, boardId: paramBoardId, archived: false}, {$set: {members: newmembers}}); } -- cgit v1.2.3-1-g7c22 From e5949504b7ed42ad59742d2a0aa001fe6c762873 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Wed, 27 Jun 2018 16:44:58 +0200 Subject: models: cards: an empty string in members or label deletes the list There is currently no way to remove all members or all labels attached to a card. If an empty string is provided, we can consider as a hint to remove the list from the card. --- models/cards.js | 14 ++++++++++++-- 1 file changed, 12 insertions(+), 2 deletions(-) diff --git a/models/cards.js b/models/cards.js index a9745f92..bcd16ece 100644 --- a/models/cards.js +++ b/models/cards.js @@ -1459,7 +1459,12 @@ if (Meteor.isServer) { if (req.body.hasOwnProperty('labelIds')) { let newlabelIds = req.body.labelIds; if (_.isString(newlabelIds)) { - newlabelIds = [newlabelIds]; + if (newlabelIds === '') { + newlabelIds = null; + } + else { + newlabelIds = [newlabelIds]; + } } Cards.direct.update({ _id: paramCardId, @@ -1520,7 +1525,12 @@ if (Meteor.isServer) { if (req.body.hasOwnProperty('members')) { let newmembers = req.body.members; if (_.isString(newmembers)) { - newmembers = [newmembers]; + if (newmembers === '') { + newmembers = null; + } + else { + newmembers = [newmembers]; + } } Cards.direct.update({_id: paramCardId, listId: paramListId, boardId: paramBoardId, archived: false}, {$set: {members: newmembers}}); -- cgit v1.2.3-1-g7c22 From 0583bf6df0f1a7b8bc1336f42d028923b3c600fe Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 24 Oct 2018 19:46:12 +0300 Subject: REST API: [Allow to remove the full list of labels/members through the API](https://github.com/wekan/wekan/pull/1968), with Apache I-CLA: - [Models: Cards: an empty string in members or label deletes the list](https://github.com/wekan/wekan/commit/e5949504b7ed42ad59742d2a0aa001fe6c762873). There is currently no way to remove all members or all labels attached to a card. If an empty string is provided, we can consider as a hint to remove the list from the card. - [Models: Cards: allow singletons to be assigned to members and labelIds](https://github.com/wekan/wekan/commit/2ce1ba37a1d0a09f8b3d2a1db4c8a11d1f98caa0). If we need to set only one member or one label, the data provided will not give us an array, but the only element as a string. We need to detect that and convert the parameter into an array. Thanks to bentiss ! --- CHANGELOG.md | 17 +++++++++++++++++ 1 file changed, 17 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index c2314c16..45490cde 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,20 @@ +# Upcoming Wekan release + +This release adds the following new features: + +REST API: [Allow to remove the full list of labels/members through the API](https://github.com/wekan/wekan/pull/1968), with Apache I-CLA: + +- [Models: Cards: an empty string in members or label deletes the list](https://github.com/wekan/wekan/commit/e5949504b7ed42ad59742d2a0aa001fe6c762873). + There is currently no way to remove all members or all labels attached + to a card. If an empty string is provided, we can consider as a hint to + remove the list from the card. +- [Models: Cards: allow singletons to be assigned to members and labelIds](https://github.com/wekan/wekan/commit/2ce1ba37a1d0a09f8b3d2a1db4c8a11d1f98caa0). + If we need to set only one member or one label, the data provided will + not give us an array, but the only element as a string. + We need to detect that and convert the parameter into an array. + +Thanks to GitHub user bentiss for contributions. + # v1.62 2018-20-24 Wekan release - Fix missing dropdown arrow on Chrome. Thanks to xet7. Closes #1964 -- cgit v1.2.3-1-g7c22 From d3517f03f69c4ddd4320ba5d7d0ec865a471348c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 24 Oct 2018 19:50:38 +0300 Subject: v1.63 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 45490cde..f2771807 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.63 2018-10-24 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index dd62d11e..2a9c6d82 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.62.0", + "version": "v1.63.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 392fa95d..5d74a79c 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 163, + appVersion = 164, # Increment this for every release. - appMarketingVersion = (defaultText = "1.62.0~2018-10-24"), + appMarketingVersion = (defaultText = "1.63.0~2018-10-24"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From ce2b8a8d1aec55eb7d9ecade15dd3a80500f1033 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 24 Oct 2018 20:09:02 +0300 Subject: Update translations. --- i18n/bg.i18n.json | 2 +- i18n/de.i18n.json | 2 +- i18n/zh-TW.i18n.json | 52 ++++++++++++++++++++++++++-------------------------- 3 files changed, 28 insertions(+), 28 deletions(-) diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 7e6ff2fc..46a8017b 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -78,7 +78,7 @@ "and-n-other-card": "И __count__ друга карта", "and-n-other-card_plural": "И __count__ други карти", "apply": "Приложи", - "app-is-offline": "Wekan зарежда, моля изчакайте! Презареждането на страницата може да доведе до загуба на данни. Ако Wekan не се зареди, моля проверете дали сървъра му работи.", + "app-is-offline": "Wekan зарежда, моля изчакайте! Презареждането на страницата може да доведе до загуба на данни. Ако Wekan не се зареди, моля проверете дали сървърът му работи.", "archive": "Премести в Кошчето", "archive-all": "Премести всички в Кошчето", "archive-board": "Премести Таблото в Кошчето", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 54ff35d9..1dd27930 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -612,6 +612,6 @@ "cas": "CAS", "authentication-method": "Authentifizierungsmethode", "authentication-type": "Authentifizierungstyp", - "custom-product-name": "Custom Product Name", + "custom-product-name": "Benutzerdefinierter Produktname", "layout": "Layout" } \ No newline at end of file diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 14801f38..55027d6c 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -1,36 +1,36 @@ { "accept": "接受", "act-activity-notify": "[Wekan] 活動通知", - "act-addAttachment": "新增附件__attachment__至__card__", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "評論__card__: __comment__", - "act-createBoard": "完成新增 __board__", - "act-createCard": "將__card__加入__list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "新增__list__至__board__", - "act-addBoardMember": "在__board__中新增成員__member__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", - "act-importBoard": "匯入__board__", - "act-importCard": "匯入__card__", - "act-importList": "匯入__list__", - "act-joinMember": "在__card__中新增成員__member__", - "act-moveCard": "將__card__從__oldList__移動至__list__", - "act-removeBoardMember": "從__board__中移除成員__member__", - "act-restoredCard": "將__card__回復至__board__", - "act-unjoinMember": "從__card__中移除成員__member__", + "act-addAttachment": "已新增附件__attachment__至__card__", + "act-addSubtask": "已新增子任務__checklist__至__card__", + "act-addChecklist": "已新增待辦清單__checklist__至__card__", + "act-addChecklistItem": "已新增__checklistItem__到__card__中的待辦清單__checklist__", + "act-addComment": "已評論__card__: __comment__", + "act-createBoard": "已新增 __board__", + "act-createCard": "已將__card__加入__list__", + "act-createCustomField": "已新增自訂欄位__customField__", + "act-createList": "已新增__list__至__board__", + "act-addBoardMember": "已在__board__中新增成員__member__", + "act-archivedBoard": "已將__board__移至回收桶", + "act-archivedCard": "已將__card__移至回收桶", + "act-archivedList": "已將__list__移至回收桶", + "act-archivedSwimlane": "已將__swimlane__移至回收桶", + "act-importBoard": "已匯入__board__", + "act-importCard": "已匯入__card__", + "act-importList": "已匯入__list__", + "act-joinMember": "已在__card__中新增成員__member__", + "act-moveCard": "已將__card__從__oldList__移動至__list__", + "act-removeBoardMember": "已從__board__中移除成員__member__", + "act-restoredCard": "已將__card__回復至__board__", + "act-unjoinMember": "已從__card__中移除成員__member__", "act-withBoardTitle": "[Wekan] __board__", "act-withCardTitle": "[__board__] __card__", "actions": "操作", "activities": "活動", "activity": "活動", "activity-added": "新增 %s 至 %s", - "activity-archived": "%s moved to Recycle Bin", - "activity-attached": "新增附件 %s 至 %s", + "activity-archived": "已將%s移至回收桶", + "activity-attached": "已新增附件 %s 至 %s", "activity-created": "建立 %s", "activity-customfield-created": "created custom field %s", "activity-excluded": "排除 %s 從 %s", @@ -67,11 +67,11 @@ "add-label": "新增標籤", "add-list": "新增清單", "add-members": "新增成員", - "added": "新增", + "added": "已新增", "addMemberPopup-title": "成員", "admin": "管理員", "admin-desc": "可以瀏覽並編輯卡片,移除成員,並且更改該看板的設定", - "admin-announcement": "Announcement", + "admin-announcement": "公告", "admin-announcement-active": "Active System-Wide Announcement", "admin-announcement-title": "Announcement from Administrator", "all-boards": "全部看板", -- cgit v1.2.3-1-g7c22 From 187b4632e64f3a44e6496cb904432598f291641a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 24 Oct 2018 22:10:58 +0300 Subject: v1.64 --- CHANGELOG.md | 4 ++++ package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 7 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index f2771807..72565d67 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,7 @@ +# v1.64 2018-20-24 Wekan release + +- Update translations. + # v1.63 2018-10-24 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index 2a9c6d82..12210947 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.63.0", + "version": "v1.64.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 5d74a79c..671f4f14 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 164, + appVersion = 165, # Increment this for every release. - appMarketingVersion = (defaultText = "1.63.0~2018-10-24"), + appMarketingVersion = (defaultText = "1.64.0~2018-10-24"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 05b9e825bb15f56cb25836da89e227865bcc94b5 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 25 Oct 2018 12:38:30 +0300 Subject: - Try to fix: Impossible to connect to LDAP if UserDN contain space(s) #1970 Thanks to Akuket and xet7 ! --- server/authentication.js | 2 +- snap-src/bin/wekan-read-settings | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/server/authentication.js b/server/authentication.js index 6310e8df..1d3b1eca 100644 --- a/server/authentication.js +++ b/server/authentication.js @@ -63,7 +63,7 @@ Meteor.startup(() => { }; if (Meteor.isServer) { - + console.log(process.env.LDAP_AUTHENTIFICATION_USERDN); if(process.env.OAUTH2_CLIENT_ID !== '') { ServiceConfiguration.configurations.upsert( // eslint-disable-line no-undef diff --git a/snap-src/bin/wekan-read-settings b/snap-src/bin/wekan-read-settings index f216c2a8..5370c554 100755 --- a/snap-src/bin/wekan-read-settings +++ b/snap-src/bin/wekan-read-settings @@ -15,7 +15,7 @@ do export $key=${!default_value} else echo -e "$key=$value" - export $key=$value + export $key="$value" fi done -- cgit v1.2.3-1-g7c22 From f2b64c1aaa1969532416dfd19f2453cd633f48a0 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 25 Oct 2018 13:09:25 +0300 Subject: Remove console.log --- server/authentication.js | 1 - 1 file changed, 1 deletion(-) diff --git a/server/authentication.js b/server/authentication.js index 1d3b1eca..4d3cc53e 100644 --- a/server/authentication.js +++ b/server/authentication.js @@ -63,7 +63,6 @@ Meteor.startup(() => { }; if (Meteor.isServer) { - console.log(process.env.LDAP_AUTHENTIFICATION_USERDN); if(process.env.OAUTH2_CLIENT_ID !== '') { ServiceConfiguration.configurations.upsert( // eslint-disable-line no-undef -- cgit v1.2.3-1-g7c22 From 2a4eb0bcc234ae0c057266da3d870014295d8306 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 25 Oct 2018 13:15:15 +0300 Subject: - Fix: [Impossible to connect to LDAP if UserDN contain space(s)](https://github.com/wekan/wekan/issues/1970). Thanks to Akuket and xet7 ! Closes #1970 --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 72565d67..2f1caf2a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# v1.64.1 2018-20-25 Wekan Edge release + +This release fixes the following bugs: + +- [Impossible to connect to LDAP if UserDN contain space(s)](https://github.com/wekan/wekan/issues/1970). + +Thanks to GitHub users Akuket and xet7 for their contributions. + # v1.64 2018-20-24 Wekan release - Update translations. -- cgit v1.2.3-1-g7c22 From b4670f12a567fdaf1a52d938dde487e162bd7301 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 25 Oct 2018 13:16:15 +0300 Subject: v1.64.1 --- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/package.json b/package.json index 12210947..5691355b 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.64.0", + "version": "v1.64.1", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 671f4f14..ff3ceccf 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 165, + appVersion = 166, # Increment this for every release. - appMarketingVersion = (defaultText = "1.64.0~2018-10-24"), + appMarketingVersion = (defaultText = "1.64.1~2018-10-25"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 7f941840cbfbf014017e953223c81d6b47fd150e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 25 Oct 2018 13:19:27 +0300 Subject: - Additional fix to [Impossible to connect to LDAP if UserDN contain space(s)](https://github.com/wekan/wekan/issues/1970). Thanks to Akuket and xet7 ! --- snap-src/bin/wekan-read-settings | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/snap-src/bin/wekan-read-settings b/snap-src/bin/wekan-read-settings index 5370c554..236667e9 100755 --- a/snap-src/bin/wekan-read-settings +++ b/snap-src/bin/wekan-read-settings @@ -12,7 +12,7 @@ do value=$(snapctl get ${!snappy_key}) if [ "x$value" == "x" ]; then echo -e "$key=${!default_value} (default value)" - export $key=${!default_value} + export $key="${!default_value}" else echo -e "$key=$value" export $key="$value" -- cgit v1.2.3-1-g7c22 From 500ba88781320dec401c09bbac48a98f03db61d6 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 25 Oct 2018 13:22:42 +0300 Subject: v1.64.2 --- CHANGELOG.md | 8 ++++++++ package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 11 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 2f1caf2a..c710a45e 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# v1.64.2 2018-20-25 Wekan Edge release + +This release fixes the following bugs: + +- Additional fix to [Impossible to connect to LDAP if UserDN contain space(s)](https://github.com/wekan/wekan/issues/1970). + +Thanks to GitHub users Akuket and xet7 for their contributions. + # v1.64.1 2018-20-25 Wekan Edge release This release fixes the following bugs: diff --git a/package.json b/package.json index 5691355b..0001409d 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.64.1", + "version": "v1.64.2", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index ff3ceccf..5a410b86 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 166, + appVersion = 167, # Increment this for every release. - appMarketingVersion = (defaultText = "1.64.1~2018-10-25"), + appMarketingVersion = (defaultText = "1.64.2~2018-10-25"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 05e0fb8fbe0676babdc07e2c13a3290edad66783 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Thu, 26 Jul 2018 08:53:38 +0200 Subject: UI: list headers: show the card count smaller The card count was at the same level than the title, which made reading the list title harder. Use the quiet and small class to put it in the following line and not make it jump out of the screen --- client/components/lists/listHeader.jade | 5 ++--- 1 file changed, 2 insertions(+), 3 deletions(-) diff --git a/client/components/lists/listHeader.jade b/client/components/lists/listHeader.jade index 61771449..45c07cb5 100644 --- a/client/components/lists/listHeader.jade +++ b/client/components/lists/listHeader.jade @@ -15,9 +15,8 @@ template(name="listHeader") |/#{wipLimit.value}) if showCardsCountForList cards.count - = cards.count - span - | {{_ 'cards-count'}} + |  + p.quiet.small {{cards.count}} {{_ 'cards-count'}} if isMiniScreen if currentList if isWatching -- cgit v1.2.3-1-g7c22 From e57269ed57d5870083da91bdfde69f7ebe6bd139 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Thu, 26 Jul 2018 15:50:51 +0200 Subject: UI: lists: only output the number of cards for each swimlane --- client/components/lists/listHeader.jade | 2 +- client/components/lists/listHeader.js | 10 ++++++++++ 2 files changed, 11 insertions(+), 1 deletion(-) diff --git a/client/components/lists/listHeader.jade b/client/components/lists/listHeader.jade index 45c07cb5..25ab8c20 100644 --- a/client/components/lists/listHeader.jade +++ b/client/components/lists/listHeader.jade @@ -16,7 +16,7 @@ template(name="listHeader") if showCardsCountForList cards.count |  - p.quiet.small {{cards.count}} {{_ 'cards-count'}} + p.quiet.small {{cardsCount}} {{_ 'cards-count'}} if isMiniScreen if currentList if isWatching diff --git a/client/components/lists/listHeader.js b/client/components/lists/listHeader.js index 4b6bf196..abcc4639 100644 --- a/client/components/lists/listHeader.js +++ b/client/components/lists/listHeader.js @@ -22,6 +22,16 @@ BlazeComponent.extendComponent({ return Meteor.user().getLimitToShowCardsCount(); }, + cardsCount() { + const list = Template.currentData(); + let swimlaneId = ''; + const boardView = Meteor.user().profile.boardView; + if (boardView === 'board-view-swimlanes') + swimlaneId = this.parentComponent().parentComponent().data()._id; + + return list.cards(swimlaneId).count(); + }, + reachedWipLimit() { const list = Template.currentData(); return list.getWipLimit('enabled') && list.getWipLimit('value') <= list.cards().count(); -- cgit v1.2.3-1-g7c22 From 3602d59125c9f70ddf3283a82d75ff5d05cfe64a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 25 Oct 2018 18:23:03 +0300 Subject: This release adds the [following new features](https://github.com/wekan/wekan/pull/1967), with Apache I-CLA: - UI: list headers: show the card count smaller in grey color below list name - UI: lists: only output the number of cards for each swimlane Thanks to bentiss ! --- CHANGELOG.md | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index c710a45e..5bb8709e 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# Upcoming Wekan reelase + +This release adds the [following new features](https://github.com/wekan/wekan/pull/1967), with Apache I-CLA: + +- UI: list headers: show the card count smaller in grey color below list name +- UI: lists: only output the number of cards for each swimlane + +Thanks to GitHub user bentiss for contributions. + # v1.64.2 2018-20-25 Wekan Edge release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 08383ed22d762f76d21c3a04f6a83465a6b9cadd Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 25 Oct 2018 18:25:10 +0300 Subject: Update translations (bg). --- i18n/bg.i18n.json | 42 +++++++++++++++++++++--------------------- 1 file changed, 21 insertions(+), 21 deletions(-) diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 46a8017b..9b0e3c74 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -60,7 +60,7 @@ "add-board": "Добави Табло", "add-card": "Добави карта", "add-swimlane": "Добави коридор", - "add-subtask": "Add Subtask", + "add-subtask": "Добави подзадача", "add-checklist": "Добави списък със задачи", "add-checklist-item": "Добави точка към списъка със задачи", "add-cover": "Добави корица", @@ -199,7 +199,7 @@ "createLabelPopup-title": "Създай Табло", "createCustomField": "Създай Поле", "createCustomFieldPopup-title": "Създай Поле", - "current": "current", + "current": "сегашен", "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", "custom-field-checkbox": "Чекбокс", "custom-field-date": "Дата", @@ -250,16 +250,16 @@ "email-verifyEmail-subject": "Verify your email address on __siteName__", "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", "enable-wip-limit": "Включи WIP лимита", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", + "error-board-doesNotExist": "Това табло не съществува", + "error-board-notAdmin": "За да направите това трябва да сте администратор на това табло", + "error-board-notAMember": "За да направите това трябва да сте член на това табло", + "error-json-malformed": "Текстът Ви не е валиден JSON", + "error-json-schema": "JSON информацията Ви не съдържа информация във валиден формат", + "error-list-doesNotExist": "Този списък не съществува", + "error-user-doesNotExist": "Този потребител не съществува", + "error-user-notAllowSelf": "Не можете да поканите себе си", + "error-user-notCreated": "Този потребител не е създаден", + "error-username-taken": "Това потребителско име е вече заето", "error-email-taken": "Имейлът е вече зает", "export-board": "Експортиране на Табло", "filter": "Филтър", @@ -274,7 +274,7 @@ "advanced-filter-label": "Advanced Filter", "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Име", - "header-logo-title": "Go back to your boards page.", + "header-logo-title": "Назад към страницата с Вашите табла.", "hide-system-messages": "Скриване на системните съобщения", "headerBarCreateBoardPopup-title": "Създай Табло", "home": "Начало", @@ -284,12 +284,12 @@ "import-board-c": "Импортирай Табло", "import-board-title-trello": "Импорт на табло от Trello", "import-board-title-wekan": "Импортирай табло от Wekan", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From Wekan", + "import-sandstorm-warning": "Импортирането ще изтрие всичката налична информация в таблото и ще я замени с нова.", + "from-trello": "От Trello", + "from-wekan": "От Wekan", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-json-placeholder": "Paste your valid JSON data here", + "import-json-placeholder": "Копирайте валидната Ви JSON информация тук", "import-map-members": "Map members", "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", "import-show-user-mapping": "Review members mapping", @@ -301,10 +301,10 @@ "invalid-time": "Невалиден час", "invalid-user": "Невалиден потребител", "joined": "присъедини ", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", + "just-invited": "Бяхте поканени в това табло", + "keyboard-shortcuts": "Преки пътища с клавиатурата", "label-create": "Създай етикет", - "label-default": "%s label (default)", + "label-default": "%s етикет (по подразбиране)", "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", "labels": "Етикети", "language": "Език", @@ -503,7 +503,7 @@ "boardDeletePopup-title": "Delete Board?", "delete-board": "Delete Board", "default-subtasks-board": "Подзадачи за табло __board__", - "default": "Default", + "default": "по подразбиране", "queue": "Queue", "subtask-settings": "Настройки на Подзадачите", "boardSubtaskSettingsPopup-title": "Настройки за Подзадачите за това Табло", -- cgit v1.2.3-1-g7c22 From 46e2679f82f683ba04a12823474c8d960af744bb Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 25 Oct 2018 18:30:25 +0300 Subject: v1.65 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 5bb8709e..8df840e3 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan reelase +# v1.65 2018-20-25 Wekan release This release adds the [following new features](https://github.com/wekan/wekan/pull/1967), with Apache I-CLA: diff --git a/package.json b/package.json index 0001409d..561caf5f 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.64.2", + "version": "v1.65.0", "description": "The open-source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 5a410b86..f62cb2ab 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 167, + appVersion = 168, # Increment this for every release. - appMarketingVersion = (defaultText = "1.64.2~2018-10-25"), + appMarketingVersion = (defaultText = "1.65.0~2018-10-25"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 9cfef8c337c4339d3e073f9c0e672bc309ee9da5 Mon Sep 17 00:00:00 2001 From: Hillside502 Date: Fri, 26 Oct 2018 09:22:08 +0000 Subject: Update CHANGELOG.md typo --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 8df840e3..b982de18 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -65,7 +65,7 @@ This release adds the beginning of following new features: and fixes the following bugs: - Fix LDAP User Search Scope. Thanks to Vnimos and Akuket. Related #119 -- Fix Save Admin Panel STMP password. Thanks to saurabharch and xet7. Closes #1856 +- Fix Save Admin Panel SMTP password. Thanks to saurabharch and xet7. Closes #1856 Thanks to above mentioned GitHub users for contributions. -- cgit v1.2.3-1-g7c22 From 9cff76f110cf638c24b92ca50aeef32318c35d1e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 26 Oct 2018 16:55:19 +0300 Subject: Update translations. --- i18n/fr.i18n.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 2ac64b9b..a42b382e 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -612,6 +612,6 @@ "cas": "CAS", "authentication-method": "Méthode d'authentification", "authentication-type": "Type d'authentification", - "custom-product-name": "Custom Product Name", - "layout": "Layout" + "custom-product-name": "Nom personnalisé", + "layout": "Interface" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 27bc03d452181968c13cf0e80c2f13fb808f93e0 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 26 Oct 2018 17:10:14 +0300 Subject: docker-compose.yml and docker-compose-build.yml: - Remove single quotes, because settings are quoted automatically. - Comment out most settings that have default values. Thanks to xet7 ! --- docker-compose-build.yml | 116 ++++++++++++++++++++++++----------------------- docker-compose.yml | 114 ++++++++++++++++++++++++---------------------- 2 files changed, 118 insertions(+), 112 deletions(-) diff --git a/docker-compose-build.yml b/docker-compose-build.yml index faf32db1..45915a4a 100644 --- a/docker-compose-build.yml +++ b/docker-compose-build.yml @@ -1,6 +1,8 @@ version: '2' -# Using prebuilt image: docker-compose up -d --no-build +# Note: Do not add single quotes '' to variables. Having spaces still works without quotes where required. +# 1) Edit settings +# 2) docker-compose up -d services: @@ -40,170 +42,170 @@ services: environment: - MONGO_URL=mongodb://wekandb:27017/wekan - ROOT_URL=http://localhost - # Wekan Export Board works when WITH_API='true'. - # If you disable Wekan API with 'false', Export Board does not work. + # Wekan Export Board works when WITH_API=true. + # If you disable Wekan API with false, Export Board does not work. - WITH_API=true # Optional: Integration with Matomo https://matomo.org that is installed to your server # The address of the server where Matomo is hosted. # example: - MATOMO_ADDRESS=https://example.com/matomo - - MATOMO_ADDRESS='' + #- MATOMO_ADDRESS= # The value of the site ID given in Matomo server for Wekan # example: - MATOMO_SITE_ID=12345 - - MATOMO_SITE_ID='' + #- MATOMO_SITE_ID= # The option do not track which enables users to not be tracked by matomo # example: - MATOMO_DO_NOT_TRACK=false - - MATOMO_DO_NOT_TRACK=true + #- MATOMO_DO_NOT_TRACK= # The option that allows matomo to retrieve the username: # example: MATOMO_WITH_USERNAME=true - - MATOMO_WITH_USERNAME=false + #- MATOMO_WITH_USERNAME=false # Enable browser policy and allow one trusted URL that can have iframe that has Wekan embedded inside. # Setting this to false is not recommended, it also disables all other browser policy protections # and allows all iframing etc. See wekan/server/policy.js - BROWSER_POLICY_ENABLED=true # When browser policy is enabled, HTML code at this Trusted URL can have iframe that embeds Wekan inside. - - TRUSTED_URL='' + #- TRUSTED_URL= # What to send to Outgoing Webhook, or leave out. Example, that includes all that are default: cardId,listId,oldListId,boardId,comment,user,card,commentId . # example: WEBHOOKS_ATTRIBUTES=cardId,listId,oldListId,boardId,comment,user,card,commentId - - WEBHOOKS_ATTRIBUTES='' + #- WEBHOOKS_ATTRIBUTES= # Enable the OAuth2 connection # example: OAUTH2_ENABLED=true - - OAUTH2_ENABLED=false + #- OAUTH2_ENABLED=false # OAuth2 docs: https://github.com/wekan/wekan/wiki/OAuth2 # OAuth2 Client ID, for example from Rocket.Chat. Example: abcde12345 # example: OAUTH2_CLIENT_ID=abcde12345 - - OAUTH2_CLIENT_ID='' + #- OAUTH2_CLIENT_ID= # OAuth2 Secret, for example from Rocket.Chat: Example: 54321abcde # example: OAUTH2_SECRET=54321abcde - - OAUTH2_SECRET='' + #- OAUTH2_SECRET= # OAuth2 Server URL, for example Rocket.Chat. Example: https://chat.example.com # example: OAUTH2_SERVER_URL=https://chat.example.com - - OAUTH2_SERVER_URL='' + #- OAUTH2_SERVER_URL= # OAuth2 Authorization Endpoint. Example: /oauth/authorize # example: OAUTH2_AUTH_ENDPOINT=/oauth/authorize - - OAUTH2_AUTH_ENDPOINT='' + #- OAUTH2_AUTH_ENDPOINT= # OAuth2 Userinfo Endpoint. Example: /oauth/userinfo # example: OAUTH2_USERINFO_ENDPOINT=/oauth/userinfo - - OAUTH2_USERINFO_ENDPOINT='' + #- OAUTH2_USERINFO_ENDPOINT= # OAuth2 Token Endpoint. Example: /oauth/token # example: OAUTH2_TOKEN_ENDPOINT=/oauth/token - - OAUTH2_TOKEN_ENDPOINT='' + #- OAUTH2_TOKEN_ENDPOINT= # LDAP_ENABLE : Enable or not the connection by the LDAP # example : LDAP_ENABLE=true - - LDAP_ENABLE=false + #- LDAP_ENABLE=false # LDAP_PORT : The port of the LDAP server # example : LDAP_PORT=389 - - LDAP_PORT=389 + #- LDAP_PORT=389 # LDAP_HOST : The host server for the LDAP server # example : LDAP_HOST=localhost - - LDAP_HOST='' + #- LDAP_HOST= # LDAP_BASEDN : The base DN for the LDAP Tree # example : LDAP_BASEDN=ou=user,dc=example,dc=org - - LDAP_BASEDN='' + #- LDAP_BASEDN= # LDAP_LOGIN_FALLBACK : Fallback on the default authentication method # example : LDAP_LOGIN_FALLBACK=true - - LDAP_LOGIN_FALLBACK=false + #- LDAP_LOGIN_FALLBACK=false # LDAP_RECONNECT : Reconnect to the server if the connection is lost # example : LDAP_RECONNECT=false - - LDAP_RECONNECT=true + #- LDAP_RECONNECT=true # LDAP_TIMEOUT : Overall timeout, in milliseconds # example : LDAP_TIMEOUT=12345 - - LDAP_TIMEOUT=10000 + #- LDAP_TIMEOUT=10000 # LDAP_IDLE_TIMEOUT : Specifies the timeout for idle LDAP connections in milliseconds # example : LDAP_IDLE_TIMEOUT=12345 - - LDAP_IDLE_TIMEOUT=10000 + #- LDAP_IDLE_TIMEOUT=10000 # LDAP_CONNECT_TIMEOUT : Connection timeout, in milliseconds # example : LDAP_CONNECT_TIMEOUT=12345 - - LDAP_CONNECT_TIMEOUT=10000 + #- LDAP_CONNECT_TIMEOUT=10000 # LDAP_AUTHENTIFICATION : If the LDAP needs a user account to search # example : LDAP_AUTHENTIFICATION=true - - LDAP_AUTHENTIFICATION=false + #- LDAP_AUTHENTIFICATION=false # LDAP_AUTHENTIFICATION_USERDN : The search user DN # example : LDAP_AUTHENTIFICATION_USERDN=cn=admin,dc=example,dc=org - - LDAP_AUTHENTIFICATION_USERDN='' + #- LDAP_AUTHENTIFICATION_USERDN= # LDAP_AUTHENTIFICATION_PASSWORD : The password for the search user # example : AUTHENTIFICATION_PASSWORD=admin - - LDAP_AUTHENTIFICATION_PASSWORD='' + #- LDAP_AUTHENTIFICATION_PASSWORD= # LDAP_LOG_ENABLED : Enable logs for the module # example : LDAP_LOG_ENABLED=true - - LDAP_LOG_ENABLED=false + #- LDAP_LOG_ENABLED=false # LDAP_BACKGROUND_SYNC : If the sync of the users should be done in the background # example : LDAP_BACKGROUND_SYNC=true - - LDAP_BACKGROUND_SYNC=false + #- LDAP_BACKGROUND_SYNC=false # LDAP_BACKGROUND_SYNC_INTERVAL : At which interval does the background task sync in milliseconds # example : LDAP_BACKGROUND_SYNC_INTERVAL=12345 - - LDAP_BACKGROUND_SYNC_INTERVAL=100 + #- LDAP_BACKGROUND_SYNC_INTERVAL=100 # LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED : # example : LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=true - - LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=false + #- LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=false # LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS : # example : LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=true - - LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=false + #- LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=false # LDAP_ENCRYPTION : If using LDAPS # example : LDAP_ENCRYPTION=true - - LDAP_ENCRYPTION=false - # LDAP_CA_CERT : The certification for the LDAPS server + #- LDAP_ENCRYPTION=false + # LDAP_CA_CERT : The certification for the LDAPS server. Certificate needs to be included in this docker-compose.yml file. # example : LDAP_CA_CERT=-----BEGIN CERTIFICATE-----MIIE+zCCA+OgAwIBAgIkAhwR/6TVLmdRY6hHxvUFWc0+Enmu/Hu6cj+G2FIdAgIC...-----END CERTIFICATE----- - - LDAP_CA_CERT='' + #- LDAP_CA_CERT= # LDAP_REJECT_UNAUTHORIZED : Reject Unauthorized Certificate # example : LDAP_REJECT_UNAUTHORIZED=true - - LDAP_REJECT_UNAUTHORIZED=false + #- LDAP_REJECT_UNAUTHORIZED=false # LDAP_USER_SEARCH_FILTER : Optional extra LDAP filters. Don't forget the outmost enclosing parentheses if needed # example : LDAP_USER_SEARCH_FILTER= - - LDAP_USER_SEARCH_FILTER='' - # LDAP_USER_SEARCH_SCOPE : base (search only in the provided DN), one (search only in the provided DN and one level deep), or sub (search the whole subtree). + #- LDAP_USER_SEARCH_FILTER= + # LDAP_USER_SEARCH_SCOPE : base (search only in the provided DN), one (search only in the provided DN and one level deep), or sub (search the whole subtree) # example : LDAP_USER_SEARCH_SCOPE=one - - LDAP_USER_SEARCH_SCOPE='' + #- LDAP_USER_SEARCH_SCOPE= # LDAP_USER_SEARCH_FIELD : Which field is used to find the user # example : LDAP_USER_SEARCH_FIELD=uid - - LDAP_USER_SEARCH_FIELD='' + #- LDAP_USER_SEARCH_FIELD= # LDAP_SEARCH_PAGE_SIZE : Used for pagination (0=unlimited) # example : LDAP_SEARCH_PAGE_SIZE=12345 - - LDAP_SEARCH_PAGE_SIZE=0 + #- LDAP_SEARCH_PAGE_SIZE=0 # LDAP_SEARCH_SIZE_LIMIT : The limit number of entries (0=unlimited) # example : LDAP_SEARCH_SIZE_LIMIT=12345 - - LDAP_SEARCH_SIZE_LIMIT=0 + #- LDAP_SEARCH_SIZE_LIMIT=0 # LDAP_GROUP_FILTER_ENABLE : Enable group filtering # example : LDAP_GROUP_FILTER_ENABLE=true - - LDAP_GROUP_FILTER_ENABLE=false + #- LDAP_GROUP_FILTER_ENABLE=false # LDAP_GROUP_FILTER_OBJECTCLASS : The object class for filtering # example : LDAP_GROUP_FILTER_OBJECTCLASS=group - - LDAP_GROUP_FILTER_OBJECTCLASS='' + #- LDAP_GROUP_FILTER_OBJECTCLASS= # LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE : # example : - - LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE='' + #- LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE= # LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE : # example : - - LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE='' + #- LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE= # LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT : # example : - - LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT='' + #- LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT= # LDAP_GROUP_FILTER_GROUP_NAME : # example : - - LDAP_GROUP_FILTER_GROUP_NAME='' + #- LDAP_GROUP_FILTER_GROUP_NAME= # LDAP_UNIQUE_IDENTIFIER_FIELD : This field is sometimes class GUID (Globally Unique Identifier) # example : LDAP_UNIQUE_IDENTIFIER_FIELD=guid - - LDAP_UNIQUE_IDENTIFIER_FIELD='' + #- LDAP_UNIQUE_IDENTIFIER_FIELD= # LDAP_UTF8_NAMES_SLUGIFY : Convert the username to utf8 # example : LDAP_UTF8_NAMES_SLUGIFY=false - - LDAP_UTF8_NAMES_SLUGIFY=true + #- LDAP_UTF8_NAMES_SLUGIFY=true # LDAP_USERNAME_FIELD : Which field contains the ldap username # example : LDAP_USERNAME_FIELD=username - - LDAP_USERNAME_FIELD='' + #- LDAP_USERNAME_FIELD= # LDAP_MERGE_EXISTING_USERS : # example : LDAP_MERGE_EXISTING_USERS=true - - LDAP_MERGE_EXISTING_USERS=false + #- LDAP_MERGE_EXISTING_USERS=false # LDAP_SYNC_USER_DATA : # example : LDAP_SYNC_USER_DATA=true - - LDAP_SYNC_USER_DATA=false + #- LDAP_SYNC_USER_DATA=false # LDAP_SYNC_USER_DATA_FIELDMAP : # example : LDAP_SYNC_USER_DATA_FIELDMAP={\"cn\":\"name\", \"mail\":\"email\"} - - LDAP_SYNC_USER_DATA_FIELDMAP='' + #- LDAP_SYNC_USER_DATA_FIELDMAP= # LDAP_SYNC_GROUP_ROLES : # example : - - LDAP_SYNC_GROUP_ROLES='' + #- LDAP_SYNC_GROUP_ROLES= # LDAP_DEFAULT_DOMAIN : The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP # example : - - LDAP_DEFAULT_DOMAIN='' + #- LDAP_DEFAULT_DOMAIN= depends_on: - wekandb diff --git a/docker-compose.yml b/docker-compose.yml index 698d9c2b..45a98023 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -1,5 +1,9 @@ version: '2' +# Note: Do not add single quotes '' to variables. Having spaces still works without quotes where required. +# 1) Edit settings +# 2) docker-compose up -d + services: wekandb: @@ -27,170 +31,170 @@ services: environment: - MONGO_URL=mongodb://wekandb:27017/wekan - ROOT_URL=http://localhost - # Wekan Export Board works when WITH_API='true'. - # If you disable Wekan API with 'false', Export Board does not work. + # Wekan Export Board works when WITH_API=true. + # If you disable Wekan API with false, Export Board does not work. - WITH_API=true # Optional: Integration with Matomo https://matomo.org that is installed to your server # The address of the server where Matomo is hosted. # example: - MATOMO_ADDRESS=https://example.com/matomo - - MATOMO_ADDRESS='' + #- MATOMO_ADDRESS= # The value of the site ID given in Matomo server for Wekan # example: - MATOMO_SITE_ID=12345 - - MATOMO_SITE_ID='' + #- MATOMO_SITE_ID= # The option do not track which enables users to not be tracked by matomo # example: - MATOMO_DO_NOT_TRACK=false - - MATOMO_DO_NOT_TRACK=true + #- MATOMO_DO_NOT_TRACK= # The option that allows matomo to retrieve the username: # example: MATOMO_WITH_USERNAME=true - - MATOMO_WITH_USERNAME=false + #- MATOMO_WITH_USERNAME=false # Enable browser policy and allow one trusted URL that can have iframe that has Wekan embedded inside. # Setting this to false is not recommended, it also disables all other browser policy protections # and allows all iframing etc. See wekan/server/policy.js - BROWSER_POLICY_ENABLED=true # When browser policy is enabled, HTML code at this Trusted URL can have iframe that embeds Wekan inside. - - TRUSTED_URL='' + #- TRUSTED_URL= # What to send to Outgoing Webhook, or leave out. Example, that includes all that are default: cardId,listId,oldListId,boardId,comment,user,card,commentId . # example: WEBHOOKS_ATTRIBUTES=cardId,listId,oldListId,boardId,comment,user,card,commentId - - WEBHOOKS_ATTRIBUTES='' + #- WEBHOOKS_ATTRIBUTES= # Enable the OAuth2 connection # example: OAUTH2_ENABLED=true - - OAUTH2_ENABLED=false + #- OAUTH2_ENABLED=false # OAuth2 docs: https://github.com/wekan/wekan/wiki/OAuth2 # OAuth2 Client ID, for example from Rocket.Chat. Example: abcde12345 # example: OAUTH2_CLIENT_ID=abcde12345 - - OAUTH2_CLIENT_ID='' + #- OAUTH2_CLIENT_ID= # OAuth2 Secret, for example from Rocket.Chat: Example: 54321abcde # example: OAUTH2_SECRET=54321abcde - - OAUTH2_SECRET='' + #- OAUTH2_SECRET= # OAuth2 Server URL, for example Rocket.Chat. Example: https://chat.example.com # example: OAUTH2_SERVER_URL=https://chat.example.com - - OAUTH2_SERVER_URL='' + #- OAUTH2_SERVER_URL= # OAuth2 Authorization Endpoint. Example: /oauth/authorize # example: OAUTH2_AUTH_ENDPOINT=/oauth/authorize - - OAUTH2_AUTH_ENDPOINT='' + #- OAUTH2_AUTH_ENDPOINT= # OAuth2 Userinfo Endpoint. Example: /oauth/userinfo # example: OAUTH2_USERINFO_ENDPOINT=/oauth/userinfo - - OAUTH2_USERINFO_ENDPOINT='' + #- OAUTH2_USERINFO_ENDPOINT= # OAuth2 Token Endpoint. Example: /oauth/token # example: OAUTH2_TOKEN_ENDPOINT=/oauth/token - - OAUTH2_TOKEN_ENDPOINT='' + #- OAUTH2_TOKEN_ENDPOINT= # LDAP_ENABLE : Enable or not the connection by the LDAP # example : LDAP_ENABLE=true - - LDAP_ENABLE=false + #- LDAP_ENABLE=false # LDAP_PORT : The port of the LDAP server # example : LDAP_PORT=389 - - LDAP_PORT=389 + #- LDAP_PORT=389 # LDAP_HOST : The host server for the LDAP server # example : LDAP_HOST=localhost - - LDAP_HOST='' + #- LDAP_HOST= # LDAP_BASEDN : The base DN for the LDAP Tree # example : LDAP_BASEDN=ou=user,dc=example,dc=org - - LDAP_BASEDN='' + #- LDAP_BASEDN= # LDAP_LOGIN_FALLBACK : Fallback on the default authentication method # example : LDAP_LOGIN_FALLBACK=true - - LDAP_LOGIN_FALLBACK=false + #- LDAP_LOGIN_FALLBACK=false # LDAP_RECONNECT : Reconnect to the server if the connection is lost # example : LDAP_RECONNECT=false - - LDAP_RECONNECT=true + #- LDAP_RECONNECT=true # LDAP_TIMEOUT : Overall timeout, in milliseconds # example : LDAP_TIMEOUT=12345 - - LDAP_TIMEOUT=10000 + #- LDAP_TIMEOUT=10000 # LDAP_IDLE_TIMEOUT : Specifies the timeout for idle LDAP connections in milliseconds # example : LDAP_IDLE_TIMEOUT=12345 - - LDAP_IDLE_TIMEOUT=10000 + #- LDAP_IDLE_TIMEOUT=10000 # LDAP_CONNECT_TIMEOUT : Connection timeout, in milliseconds # example : LDAP_CONNECT_TIMEOUT=12345 - - LDAP_CONNECT_TIMEOUT=10000 + #- LDAP_CONNECT_TIMEOUT=10000 # LDAP_AUTHENTIFICATION : If the LDAP needs a user account to search # example : LDAP_AUTHENTIFICATION=true - - LDAP_AUTHENTIFICATION=false + #- LDAP_AUTHENTIFICATION=false # LDAP_AUTHENTIFICATION_USERDN : The search user DN # example : LDAP_AUTHENTIFICATION_USERDN=cn=admin,dc=example,dc=org - - LDAP_AUTHENTIFICATION_USERDN='' + #- LDAP_AUTHENTIFICATION_USERDN= # LDAP_AUTHENTIFICATION_PASSWORD : The password for the search user # example : AUTHENTIFICATION_PASSWORD=admin - - LDAP_AUTHENTIFICATION_PASSWORD='' + #- LDAP_AUTHENTIFICATION_PASSWORD= # LDAP_LOG_ENABLED : Enable logs for the module # example : LDAP_LOG_ENABLED=true - - LDAP_LOG_ENABLED=false + #- LDAP_LOG_ENABLED=false # LDAP_BACKGROUND_SYNC : If the sync of the users should be done in the background # example : LDAP_BACKGROUND_SYNC=true - - LDAP_BACKGROUND_SYNC=false + #- LDAP_BACKGROUND_SYNC=false # LDAP_BACKGROUND_SYNC_INTERVAL : At which interval does the background task sync in milliseconds # example : LDAP_BACKGROUND_SYNC_INTERVAL=12345 - - LDAP_BACKGROUND_SYNC_INTERVAL=100 + #- LDAP_BACKGROUND_SYNC_INTERVAL=100 # LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED : # example : LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=true - - LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=false + #- LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=false # LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS : # example : LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=true - - LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=false + #- LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=false # LDAP_ENCRYPTION : If using LDAPS # example : LDAP_ENCRYPTION=true - - LDAP_ENCRYPTION=false - # LDAP_CA_CERT : The certification for the LDAPS server + #- LDAP_ENCRYPTION=false + # LDAP_CA_CERT : The certification for the LDAPS server. Certificate needs to be included in this docker-compose.yml file. # example : LDAP_CA_CERT=-----BEGIN CERTIFICATE-----MIIE+zCCA+OgAwIBAgIkAhwR/6TVLmdRY6hHxvUFWc0+Enmu/Hu6cj+G2FIdAgIC...-----END CERTIFICATE----- - - LDAP_CA_CERT='' + #- LDAP_CA_CERT= # LDAP_REJECT_UNAUTHORIZED : Reject Unauthorized Certificate # example : LDAP_REJECT_UNAUTHORIZED=true - - LDAP_REJECT_UNAUTHORIZED=false + #- LDAP_REJECT_UNAUTHORIZED=false # LDAP_USER_SEARCH_FILTER : Optional extra LDAP filters. Don't forget the outmost enclosing parentheses if needed # example : LDAP_USER_SEARCH_FILTER= - - LDAP_USER_SEARCH_FILTER='' + #- LDAP_USER_SEARCH_FILTER= # LDAP_USER_SEARCH_SCOPE : base (search only in the provided DN), one (search only in the provided DN and one level deep), or sub (search the whole subtree) # example : LDAP_USER_SEARCH_SCOPE=one - - LDAP_USER_SEARCH_SCOPE='' + #- LDAP_USER_SEARCH_SCOPE= # LDAP_USER_SEARCH_FIELD : Which field is used to find the user # example : LDAP_USER_SEARCH_FIELD=uid - - LDAP_USER_SEARCH_FIELD='' + #- LDAP_USER_SEARCH_FIELD= # LDAP_SEARCH_PAGE_SIZE : Used for pagination (0=unlimited) # example : LDAP_SEARCH_PAGE_SIZE=12345 - - LDAP_SEARCH_PAGE_SIZE=0 + #- LDAP_SEARCH_PAGE_SIZE=0 # LDAP_SEARCH_SIZE_LIMIT : The limit number of entries (0=unlimited) # example : LDAP_SEARCH_SIZE_LIMIT=12345 - - LDAP_SEARCH_SIZE_LIMIT=0 + #- LDAP_SEARCH_SIZE_LIMIT=0 # LDAP_GROUP_FILTER_ENABLE : Enable group filtering # example : LDAP_GROUP_FILTER_ENABLE=true - - LDAP_GROUP_FILTER_ENABLE=false + #- LDAP_GROUP_FILTER_ENABLE=false # LDAP_GROUP_FILTER_OBJECTCLASS : The object class for filtering # example : LDAP_GROUP_FILTER_OBJECTCLASS=group - - LDAP_GROUP_FILTER_OBJECTCLASS='' + #- LDAP_GROUP_FILTER_OBJECTCLASS= # LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE : # example : - - LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE='' + #- LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE= # LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE : # example : - - LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE='' + #- LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE= # LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT : # example : - - LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT='' + #- LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT= # LDAP_GROUP_FILTER_GROUP_NAME : # example : - - LDAP_GROUP_FILTER_GROUP_NAME='' + #- LDAP_GROUP_FILTER_GROUP_NAME= # LDAP_UNIQUE_IDENTIFIER_FIELD : This field is sometimes class GUID (Globally Unique Identifier) # example : LDAP_UNIQUE_IDENTIFIER_FIELD=guid - - LDAP_UNIQUE_IDENTIFIER_FIELD='' + #- LDAP_UNIQUE_IDENTIFIER_FIELD= # LDAP_UTF8_NAMES_SLUGIFY : Convert the username to utf8 # example : LDAP_UTF8_NAMES_SLUGIFY=false - - LDAP_UTF8_NAMES_SLUGIFY=true + #- LDAP_UTF8_NAMES_SLUGIFY=true # LDAP_USERNAME_FIELD : Which field contains the ldap username # example : LDAP_USERNAME_FIELD=username - - LDAP_USERNAME_FIELD='' + #- LDAP_USERNAME_FIELD= # LDAP_MERGE_EXISTING_USERS : # example : LDAP_MERGE_EXISTING_USERS=true - - LDAP_MERGE_EXISTING_USERS=false + #- LDAP_MERGE_EXISTING_USERS=false # LDAP_SYNC_USER_DATA : # example : LDAP_SYNC_USER_DATA=true - - LDAP_SYNC_USER_DATA=false + #- LDAP_SYNC_USER_DATA=false # LDAP_SYNC_USER_DATA_FIELDMAP : # example : LDAP_SYNC_USER_DATA_FIELDMAP={\"cn\":\"name\", \"mail\":\"email\"} - - LDAP_SYNC_USER_DATA_FIELDMAP='' + #- LDAP_SYNC_USER_DATA_FIELDMAP= # LDAP_SYNC_GROUP_ROLES : # example : - - LDAP_SYNC_GROUP_ROLES='' + #- LDAP_SYNC_GROUP_ROLES= # LDAP_DEFAULT_DOMAIN : The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP # example : - - LDAP_DEFAULT_DOMAIN='' + #- LDAP_DEFAULT_DOMAIN= depends_on: - wekandb -- cgit v1.2.3-1-g7c22 From d1ab38e57ee075d2d508e919e4a4d9bdce7c91ad Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 26 Oct 2018 17:15:24 +0300 Subject: - Typo fix etc. --- CHANGELOG.md | 11 +++++++++++ 1 file changed, 11 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index b982de18..1e414842 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,14 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- docker-compose.yml and docker-compose-build.yml, thanks to xet7: + - Remove single quotes, because settings are quoted automatically. + - Comment out most settings that have default values. +- Fix typo in CHANGELOG.md, thanks to Hillside502. + +Thanks to above mentioned GitHub users for their contributions. + # v1.65 2018-20-25 Wekan release This release adds the [following new features](https://github.com/wekan/wekan/pull/1967), with Apache I-CLA: -- cgit v1.2.3-1-g7c22 From d12561aae93bf37213146a11a4ea683b7b4eda4a Mon Sep 17 00:00:00 2001 From: loginKing <38350723+loginKing@users.noreply.github.com> Date: Mon, 29 Oct 2018 16:09:10 +0800 Subject: Update CHANGELOG.md --- CHANGELOG.md | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 1e414842..a346126a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -9,7 +9,7 @@ This release fixes the following bugs: Thanks to above mentioned GitHub users for their contributions. -# v1.65 2018-20-25 Wekan release +# v1.65 2018-10-25 Wekan release This release adds the [following new features](https://github.com/wekan/wekan/pull/1967), with Apache I-CLA: @@ -18,7 +18,7 @@ This release adds the [following new features](https://github.com/wekan/wekan/pu Thanks to GitHub user bentiss for contributions. -# v1.64.2 2018-20-25 Wekan Edge release +# v1.64.2 2018-10-25 Wekan Edge release This release fixes the following bugs: @@ -26,7 +26,7 @@ This release fixes the following bugs: Thanks to GitHub users Akuket and xet7 for their contributions. -# v1.64.1 2018-20-25 Wekan Edge release +# v1.64.1 2018-10-25 Wekan Edge release This release fixes the following bugs: @@ -34,7 +34,7 @@ This release fixes the following bugs: Thanks to GitHub users Akuket and xet7 for their contributions. -# v1.64 2018-20-24 Wekan release +# v1.64 2018-10-24 Wekan release - Update translations. -- cgit v1.2.3-1-g7c22 From 415e28b4716794677054ab20e02b29da3c7a3c7f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 30 Oct 2018 00:05:24 +0200 Subject: - Fix typos in CHANGELOG.md, thanks to loginKing ! https://github.com/wekan/wekan/pull/1975 --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index a346126a..6f4b54d1 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -5,7 +5,7 @@ This release fixes the following bugs: - docker-compose.yml and docker-compose-build.yml, thanks to xet7: - Remove single quotes, because settings are quoted automatically. - Comment out most settings that have default values. -- Fix typo in CHANGELOG.md, thanks to Hillside502. +- Fix typos in CHANGELOG.md, thanks to Hillside502 and loginKing. Thanks to above mentioned GitHub users for their contributions. -- cgit v1.2.3-1-g7c22 From 07369b97847240b6c7bc1daf8df4da80579c155e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 30 Oct 2018 00:07:35 +0200 Subject: Update translations. --- i18n/pl.i18n.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index d2ab7da9..6f7e4644 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -612,6 +612,6 @@ "cas": "CAS", "authentication-method": "Sposób autoryzacji", "authentication-type": "Typ autoryzacji", - "custom-product-name": "Custom Product Name", - "layout": "Layout" + "custom-product-name": "Niestandardowa nazwa produktu", + "layout": "Układ strony" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From a06fd63690cff263fed903050ec188b3b787164a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 30 Oct 2018 16:32:58 +0200 Subject: Fix syntax. --- docker-compose-build.yml | 2 +- docker-compose.yml | 2 +- snap-src/bin/config | 16 ++++++++-------- 3 files changed, 10 insertions(+), 10 deletions(-) diff --git a/docker-compose-build.yml b/docker-compose-build.yml index 45915a4a..ceda447b 100644 --- a/docker-compose-build.yml +++ b/docker-compose-build.yml @@ -198,7 +198,7 @@ services: # example : LDAP_SYNC_USER_DATA=true #- LDAP_SYNC_USER_DATA=false # LDAP_SYNC_USER_DATA_FIELDMAP : - # example : LDAP_SYNC_USER_DATA_FIELDMAP={\"cn\":\"name\", \"mail\":\"email\"} + # example : LDAP_SYNC_USER_DATA_FIELDMAP={"cn":"name", "mail":"email"} #- LDAP_SYNC_USER_DATA_FIELDMAP= # LDAP_SYNC_GROUP_ROLES : # example : diff --git a/docker-compose.yml b/docker-compose.yml index 45a98023..02a1a215 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -187,7 +187,7 @@ services: # example : LDAP_SYNC_USER_DATA=true #- LDAP_SYNC_USER_DATA=false # LDAP_SYNC_USER_DATA_FIELDMAP : - # example : LDAP_SYNC_USER_DATA_FIELDMAP={\"cn\":\"name\", \"mail\":\"email\"} + # example : LDAP_SYNC_USER_DATA_FIELDMAP={"cn":"name", "mail":"email"} #- LDAP_SYNC_USER_DATA_FIELDMAP= # LDAP_SYNC_GROUP_ROLES : # example : diff --git a/snap-src/bin/config b/snap-src/bin/config index 72508b5d..7f829dc8 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -218,19 +218,19 @@ DESCRIPTION_LDAP_GROUP_FILTER_OBJECTCLASS="The object class for filtering" DEFAULT_LDAP_GROUP_FILTER_OBJECTCLASS="" KEY_LDAP_GROUP_FILTER_OBJECTCLASS="ldap-group-filter-objectclass" -DESCRIPTION_LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE="" +DESCRIPTION_LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE="ldap-group-filter-id-attribute. Default: ''" DEFAULT_LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE="" KEY_LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE="ldap-group-filter-id-attribute" -DESCRIPTION_LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE="" +DESCRIPTION_LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE="ldap-group-filter-member-attibute. Default: ''" DEFAULT_LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE="" KEY_LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE="ldap-group-filter-member-attribute" -DESCRIPTION_LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT="" +DESCRIPTION_LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT="ldap-group-filter-group-member-format. Default: ''" DEFAULT_LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT="" KEY_LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT="ldap-group-filter-member-format" -DESCRIPTION_LDAP_GROUP_FILTER_GROUP_NAME="" +DESCRIPTION_LDAP_GROUP_FILTER_GROUP_NAME="ldap-group-filter-group-name. Default: ''" DEFAULT_LDAP_GROUP_FILTER_GROUP_NAME="" KEY_LDAP_GROUP_FILTER_GROUP_NAME="ldap-group-filter-member-format" @@ -246,19 +246,19 @@ DESCRIPTION_LDAP_USERNAME_FIELD="Which field contains the ldap username" DEFAULT_LDAP_USERNAME_FIELD="" KEY_LDAP_USERNAME_FIELD="ldap-username-field" -DESCRIPTION_LDAP_MERGE_EXISTING_USERS="" +DESCRIPTION_LDAP_MERGE_EXISTING_USERS="ldap-merge-existing-users . Default: false" DEFAULT_LDAP_MERGE_EXISTING_USERS="false" KEY_LDAP_MERGE_EXISTING_USERS="ldap-merge-existing-users" -DESCRIPTION_LDAP_SYNC_USER_DATA="" +DESCRIPTION_LDAP_SYNC_USER_DATA="ldap-sync-user-data . Default: false" DEFAULT_LDAP_SYNC_USER_DATA="false" KEY_LDAP_SYNC_USER_DATA="ldap-sync-user-data" -DESCRIPTION_LDAP_SYNC_USER_DATA_FIELDMAP="" +DESCRIPTION_LDAP_SYNC_USER_DATA_FIELDMAP="LDAP Sync User Data Fieldmap. Example: ldap-sync-user-data-fieldmap='{\"cn\":\"name\", \"mail\":\"email\"}'" DEFAULT_LDAP_SYNC_USER_DATA_FIELDMAP="" KEY_LDAP_SYNC_USER_DATA_FIELDMAP="ldap-sync-user-data-fieldmap" -DESCRIPTION_LDAP_SYNC_GROUP_ROLES="" +DESCRIPTION_LDAP_SYNC_GROUP_ROLES="ldap-sync-group-roles . Default: '' (empty)." DEFAULT_LDAP_SYNC_GROUP_ROLES="" KEY_LDAP_SYNC_GROUP_ROLES="ldap-sync-group-roles" -- cgit v1.2.3-1-g7c22 From 13aab4d410b0f7dc1105fc3a29a06831757584af Mon Sep 17 00:00:00 2001 From: Robin BRUCKER Date: Wed, 31 Oct 2018 18:59:16 +0100 Subject: Fix typo about ldaps Documentation said to set LDAP_ENCRYPTION to true if we want to use ldaps, but the code in wekan-ldap does not check if it is set to true, but if the value equals to 'ssl' instead. --- docker-compose-build.yml | 2 +- docker-compose.yml | 2 +- snap-src/bin/config | 2 +- snap-src/bin/wekan-help | 2 +- 4 files changed, 4 insertions(+), 4 deletions(-) diff --git a/docker-compose-build.yml b/docker-compose-build.yml index ceda447b..a9b573c4 100644 --- a/docker-compose-build.yml +++ b/docker-compose-build.yml @@ -141,7 +141,7 @@ services: # example : LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=true #- LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=false # LDAP_ENCRYPTION : If using LDAPS - # example : LDAP_ENCRYPTION=true + # example : LDAP_ENCRYPTION=ssl #- LDAP_ENCRYPTION=false # LDAP_CA_CERT : The certification for the LDAPS server. Certificate needs to be included in this docker-compose.yml file. # example : LDAP_CA_CERT=-----BEGIN CERTIFICATE-----MIIE+zCCA+OgAwIBAgIkAhwR/6TVLmdRY6hHxvUFWc0+Enmu/Hu6cj+G2FIdAgIC...-----END CERTIFICATE----- diff --git a/docker-compose.yml b/docker-compose.yml index 02a1a215..56ca7775 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -130,7 +130,7 @@ services: # example : LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=true #- LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=false # LDAP_ENCRYPTION : If using LDAPS - # example : LDAP_ENCRYPTION=true + # example : LDAP_ENCRYPTION=ssl #- LDAP_ENCRYPTION=false # LDAP_CA_CERT : The certification for the LDAPS server. Certificate needs to be included in this docker-compose.yml file. # example : LDAP_CA_CERT=-----BEGIN CERTIFICATE-----MIIE+zCCA+OgAwIBAgIkAhwR/6TVLmdRY6hHxvUFWc0+Enmu/Hu6cj+G2FIdAgIC...-----END CERTIFICATE----- diff --git a/snap-src/bin/config b/snap-src/bin/config index 7f829dc8..a19baf7d 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -178,7 +178,7 @@ DESCRIPTION_LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS="" DEFAULT_LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS="false" KEY_LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS="ldap-background-sync-import-new-users" -DESCRIPTION_LDAP_ENCRYPTION="If using LDAPS" +DESCRIPTION_LDAP_ENCRYPTION="If using LDAPS, use LDAP_ENCRYPTION=ssl" DEFAULT_LDAP_ENCRYPTION="false" KEY_LDAP_ENCRYPTION="ldap-encryption" diff --git a/snap-src/bin/wekan-help b/snap-src/bin/wekan-help index c8144f9a..c488a538 100755 --- a/snap-src/bin/wekan-help +++ b/snap-src/bin/wekan-help @@ -165,7 +165,7 @@ echo -e "\t$ snap set $SNAP_NAME LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS='true'" echo -e "\n" echo -e "Ldap Encryption." echo -e "Allow LDAPS:" -echo -e "\t$ snap set $SNAP_NAME LDAP_ENCRYPTION='true'" +echo -e "\t$ snap set $SNAP_NAME LDAP_ENCRYPTION='ssl'" echo -e "\n" echo -e "Ldap Ca Cert." echo -e "The certification for the LDAPS server:" -- cgit v1.2.3-1-g7c22 From c753d40f6cee484c8ce4dd39344cfd04b6cef810 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 31 Oct 2018 21:57:05 +0200 Subject: - Fix typo about ldaps. Documentation said to set LDAP_ENCRYPTION to true if we want to use ldaps, but the code in wekan-ldap does not check if it is set to true, but if the value equals to 'ssl' instead. Thanks to imkwx. --- CHANGELOG.md | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 6f4b54d1..a2f2b7f6 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -6,6 +6,10 @@ This release fixes the following bugs: - Remove single quotes, because settings are quoted automatically. - Comment out most settings that have default values. - Fix typos in CHANGELOG.md, thanks to Hillside502 and loginKing. +- Fix typo about ldaps. + Documentation said to set LDAP_ENCRYPTION to true if we want to use + ldaps, but the code in wekan-ldap does not check if it is set to true, + but if the value equals to 'ssl' instead. Thanks to imkwx. Thanks to above mentioned GitHub users for their contributions. -- cgit v1.2.3-1-g7c22 From 7188879567a78b01d0c8f0e5e47988e2487bea17 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 31 Oct 2018 21:58:13 +0200 Subject: - [Fix typo about ldaps](https://github.com/wekan/wekan/pull/1980). Documentation said to set LDAP_ENCRYPTION to true if we want to use ldaps, but the code in wekan-ldap does not check if it is set to true, but if the value equals to 'ssl' instead. Thanks to imkwx. --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index a2f2b7f6..e3a6af3d 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -6,7 +6,7 @@ This release fixes the following bugs: - Remove single quotes, because settings are quoted automatically. - Comment out most settings that have default values. - Fix typos in CHANGELOG.md, thanks to Hillside502 and loginKing. -- Fix typo about ldaps. +- [Fix typo about ldaps](https://github.com/wekan/wekan/pull/1980). Documentation said to set LDAP_ENCRYPTION to true if we want to use ldaps, but the code in wekan-ldap does not check if it is set to true, but if the value equals to 'ssl' instead. Thanks to imkwx. -- cgit v1.2.3-1-g7c22 From 0f1b157bdae30f96bdc14e0fc6d041bb5a02f536 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 31 Oct 2018 21:59:41 +0200 Subject: Update translations. --- i18n/fa.i18n.json | 102 +++++++++++++++++++++++++++--------------------------- 1 file changed, 51 insertions(+), 51 deletions(-) diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index 262f78bd..a91cd46d 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -558,60 +558,60 @@ "r-made-incomplete": "Made incomplete", "r-when-a-item": "When a checklist item is", "r-when-the-item": "When the checklist item", - "r-checked": "Checked", - "r-unchecked": "Unchecked", - "r-move-card-to": "Move card to", - "r-top-of": "Top of", - "r-bottom-of": "Bottom of", - "r-its-list": "its list", + "r-checked": "انتخاب شده", + "r-unchecked": "لغو انتخاب", + "r-move-card-to": "انتقال کارت به", + "r-top-of": "بالای", + "r-bottom-of": "پایین", + "r-its-list": "لیست خود", "r-archive": "انتقال به بازیافتی", - "r-unarchive": "Restore from Recycle Bin", - "r-card": "card", + "r-unarchive": "بازگردانی از سطل زباله", + "r-card": "کارت", "r-add": "افزودن", - "r-remove": "Remove", - "r-label": "label", - "r-member": "member", - "r-remove-all": "Remove all members from the card", - "r-checklist": "checklist", - "r-check-all": "Check all", - "r-uncheck-all": "Uncheck all", - "r-items-check": "items of checklist", - "r-check": "Check", - "r-uncheck": "Uncheck", - "r-item": "item", - "r-of-checklist": "of checklist", - "r-send-email": "Send an email", - "r-to": "to", - "r-subject": "subject", - "r-rule-details": "Rule details", - "r-d-move-to-top-gen": "Move card to top of its list", - "r-d-move-to-top-spec": "Move card to top of list", - "r-d-move-to-bottom-gen": "Move card to bottom of its list", - "r-d-move-to-bottom-spec": "Move card to bottom of list", - "r-d-send-email": "Send email", - "r-d-send-email-to": "to", - "r-d-send-email-subject": "subject", - "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", - "r-d-add-label": "Add label", - "r-d-remove-label": "Remove label", - "r-d-add-member": "Add member", - "r-d-remove-member": "Remove member", - "r-d-remove-all-member": "Remove all member", - "r-d-check-all": "Check all items of a list", - "r-d-uncheck-all": "Uncheck all items of a list", - "r-d-check-one": "Check item", - "r-d-uncheck-one": "Uncheck item", - "r-d-check-of-list": "of checklist", - "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list", + "r-remove": "حذف", + "r-label": "برچسب", + "r-member": "عضو", + "r-remove-all": "حذف همه کاربران از کارت", + "r-checklist": "چک لیست", + "r-check-all": "انتخاب همه", + "r-uncheck-all": "لغو انتخاب همه", + "r-items-check": "آیتم از چک لیست", + "r-check": "انتخاب", + "r-uncheck": "لغو انتخاب", + "r-item": "آیتم", + "r-of-checklist": "از چک لیست", + "r-send-email": "ارسال ایمیل", + "r-to": "به", + "r-subject": "عنوان", + "r-rule-details": "جزئیات قوانین", + "r-d-move-to-top-gen": "انتقال کارت به ابتدای لیست خود", + "r-d-move-to-top-spec": "انتقال کارت به ابتدای لیست", + "r-d-move-to-bottom-gen": "انتقال کارت به انتهای لیست خود", + "r-d-move-to-bottom-spec": "انتقال کارت به انتهای لیست", + "r-d-send-email": "ارسال ایمیل", + "r-d-send-email-to": "به", + "r-d-send-email-subject": "عنوان", + "r-d-send-email-message": "پیام", + "r-d-archive": "انتقال کارت به سطل زباله", + "r-d-unarchive": "بازگردانی کارت از سطل زباله", + "r-d-add-label": "افزودن برچسب", + "r-d-remove-label": "حذف برچسب", + "r-d-add-member": "افزودن عضو", + "r-d-remove-member": "حذف عضو", + "r-d-remove-all-member": "حذف تمامی کاربران", + "r-d-check-all": "انتخاب تمام آیتم های لیست", + "r-d-uncheck-all": "لغوانتخاب تمام آیتم های لیست", + "r-d-check-one": "انتخاب آیتم", + "r-d-uncheck-one": "لغو انتخاب آیتم", + "r-d-check-of-list": "از چک لیست", + "r-d-add-checklist": "افزودن چک لیست", + "r-d-remove-checklist": "حذف چک لیست", + "r-when-a-card-is-moved": "دمانی که یک کارت به لیست دیگری منتقل شد", "ldap": "LDAP", "oauth2": "OAuth2", "cas": "CAS", - "authentication-method": "Authentication method", - "authentication-type": "Authentication type", - "custom-product-name": "Custom Product Name", - "layout": "Layout" + "authentication-method": "متد اعتبارسنجی", + "authentication-type": "نوع اعتبارسنجی", + "custom-product-name": "نام سفارشی محصول", + "layout": "لایه" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From defcfed272a1739c2c0f9d59133136631cf453a8 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 31 Oct 2018 22:03:30 +0200 Subject: v1.66 --- CHANGELOG.md | 2 +- package.json | 4 ++-- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index e3a6af3d..2503870e 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.66 2018-10-31 Wekan release This release fixes the following bugs: diff --git a/package.json b/package.json index 561caf5f..e7a7bf86 100644 --- a/package.json +++ b/package.json @@ -1,7 +1,7 @@ { "name": "wekan", - "version": "v1.65.0", - "description": "The open-source kanban", + "version": "v1.66.0", + "description": "Open-Source kanban", "private": true, "scripts": { "lint": "eslint --ignore-pattern 'packages/*' .", diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index f62cb2ab..e95691e6 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 168, + appVersion = 169, # Increment this for every release. - appMarketingVersion = (defaultText = "1.65.0~2018-10-25"), + appMarketingVersion = (defaultText = "1.66.0~2018-10-31"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 997a902ae46e4ca4478d6115df427161f81456e0 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 3 Nov 2018 09:51:53 +0200 Subject: Add hindi language. --- i18n/hi.i18n.json | 617 ++++++++++++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 617 insertions(+) create mode 100644 i18n/hi.i18n.json diff --git a/i18n/hi.i18n.json b/i18n/hi.i18n.json new file mode 100644 index 00000000..7fbe02b2 --- /dev/null +++ b/i18n/hi.i18n.json @@ -0,0 +1,617 @@ +{ + "accept": "स्वीकार", + "act-activity-notify": "[Wekan] गतिविधि अधिसूचना", + "act-addAttachment": "जुड़ा __attachment__ से __card__", + "act-addSubtask": "जोड़ा उप कार्य __checklist__ से __card__", + "act-addChecklist": "जोड़ा चेक सूची __checklist__ से __card__", + "act-addChecklistItem": "जोड़ा __checklistItem__ से चिह्नांकन-सूची __checklist__ पर __card__", + "act-addComment": "समीक्षा की है __card__: __comment__", + "act-createBoard": "बनाया __board__", + "act-createCard": "जोड़ा __card__ से __list__", + "act-createCustomField": "बनाया रिवाज क्षेत्र __customField__", + "act-createList": "जोड़ा __list__ से __board__", + "act-addBoardMember": "जोड़ा __member__ से __board__", + "act-archivedBoard": "__board__ यह ले जाएँ और मिटाए", + "act-archivedCard": "__card__ यह ले जाएँ और मिटाए", + "act-archivedList": "__list__ यह ले जाएँ और मिटाए", + "act-archivedSwimlane": "__swimlane__ यह ले जाएँ और मिटाए", + "act-importBoard": "महत्त्व का __board__", + "act-importCard": "महत्त्व का __card__", + "act-importList": "महत्त्व का __list__", + "act-joinMember": "जोड़ा __member__ से __card__", + "act-moveCard": "प्रस्तावित __card__ से __oldList__ तक __list__", + "act-removeBoardMember": "हटा कर __member__ से __board__", + "act-restoredCard": "पुनर्स्थापित __card__ को __board__", + "act-unjoinMember": "हटा दिया __member__ तक __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "कार्रवाई", + "activities": "गतिविधि", + "activity": "क्रियाएँ", + "activity-added": "जोड़ा गया %s से %s", + "activity-archived": "%s यह ले जाएँ और मिटाए", + "activity-attached": "संलग्न %s से %s", + "activity-created": "बनाया %s", + "activity-customfield-created": "बनाया रिवाज क्षेत्र %s", + "activity-excluded": "छोड़ा %s से %s", + "activity-imported": "सूचित कर %s के अंदर %s से %s", + "activity-imported-board": "सूचित कर %s से %s", + "activity-joined": "शामिल %s", + "activity-moved": "स्थानांतरित %s से %s तक %s", + "activity-on": "पर %s", + "activity-removed": "हटा दिया %s से %s", + "activity-sent": "प्रेषित %s तक %s", + "activity-unjoined": "शामिल नहीं %s", + "activity-subtask-added": "जोड़ा उप कार्य तक %s", + "activity-checked-item": "चिह्नित %s अंदर में चिह्नांकन-सूची %s of %s", + "activity-unchecked-item": "अचिह्नित %s अंदर में चिह्नांकन-सूची %s of %s", + "activity-checklist-added": "संकलित चिह्नांकन-सूची तक %s", + "activity-checklist-removed": "हटा दिया एक चिह्नांकन-सूची से %s", + "activity-checklist-completed": "पूर्ण चिह्नांकन-सूची %s of %s", + "activity-checklist-uncompleted": "अपूर्ण चिह्नांकन-सूची %s of %s", + "activity-checklist-item-added": "संकलित चिह्नांकन-सूची विषय तक '%s' अंदर में %s", + "activity-checklist-item-removed": "हटा दिया एक चिह्नांकन-सूची विषय से '%s' अंदर में %s", + "add": "जोड़ें", + "activity-checked-item-card": "चिह्नित %s अंदर में चिह्नांकन-सूची %s", + "activity-unchecked-item-card": "अचिह्नित %s अंदर में चिह्नांकन-सूची %s", + "activity-checklist-completed-card": "पूर्ण चिह्नांकन-सूची %s", + "activity-checklist-uncompleted-card": "अपूर्ण चिह्नांकन-सूची %s", + "add-attachment": "संलग्न करें", + "add-board": "बोर्ड जोड़ें", + "add-card": "कार्ड जोड़ें", + "add-swimlane": "तैरन जोड़ें", + "add-subtask": "उप कार्य जोड़ें", + "add-checklist": "चिह्नांकन-सूची जोड़ें", + "add-checklist-item": "चिह्नांकन-सूची विषय कोई तक जोड़ें", + "add-cover": "आवरण जोड़ें", + "add-label": "नामपत्र जोड़ें", + "add-list": "सूची जोड़ें", + "add-members": "सदस्य जोड़ें", + "added": "Added", + "addMemberPopup-title": "सदस्य", + "admin": "Admin", + "admin-desc": "Can आलोकन और edit कार्ड, हटा सदस्य, और change व्यवस्था for the बोर्ड.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement से Administrator", + "all-boards": "All बोर्डs", + "and-n-other-card": "और __count__ other कार्ड", + "and-n-other-card_plural": "और __count__ other कार्ड", + "apply": "Apply", + "app-is-offline": "Wekan लोड हो रहा है, कृपया प्रतीक्षा करें। पृष्ठ को रीफ्रेश करने से डेटा हानि होगी। यदि वीकन लोड नहीं होता है, तो कृपया जांचें कि वीकन सर्वर बंद नहीं हुआ है।", + "archive": "स्थानांतरित तक पुनः चक्र", + "archive-all": "स्थानांतरित संपूर्ण तक पुनः चक्र", + "archive-board": "स्थानांतरित बोर्ड तक पुनः चक्र", + "archive-card": "स्थानांतरित कार्ड तक पुनः चक्र", + "archive-list": "स्थानांतरित सूची तक पुनः चक्र", + "archive-swimlane": "स्थानांतरित तैरन तक पुनः चक्र", + "archive-selection": "चयन को मिटाए", + "archiveBoardPopup-title": "स्थानांतरित बोर्ड तक पुनः चक्र ?", + "archived-items": "पुनः चक्र", + "archived-boards": "बोर्डों अंदर में पुनः चक्र", + "restore-board": "Restore बोर्ड", + "no-archived-boards": "No बोर्डों अंदर में पुनः चक्र .", + "archives": "पुनः चक्र", + "assign-member": "Assign सदस्य", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an संलग्नक is permanent. There is no undo.", + "attachmentDeletePopup-title": "मिटाएँ संलग्नक?", + "attachments": "Attachments", + "auto-watch": "Automatically watch बोर्डों जब they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "बोर्ड not found", + "board-private-info": "This बोर्ड will be 1private1.", + "board-public-info": "This बोर्ड will be 2public2.", + "boardChangeColorPopup-title": "Change बोर्ड Background", + "boardChangeTitlePopup-title": "Rename बोर्ड", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "बोर्ड Menu", + "boards": "Boards", + "board-view": "बोर्डदृष्टिकोण", + "board-view-cal": "Calendar", + "board-view-swimlanes": "तैरना", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "यह कार्ड is यह ले जाएँ और मिटाए.", + "board-archived": "This बोर्ड is यह ले जाएँ और मिटाए.", + "card-comments-title": "यह कार्ड has %s comment.", + "card-delete-notice": "Deleting is permanent. आप जुड़े सभी कार्यों खो देंगे साथ में यह कार्ड.", + "card-delete-pop": "All actions will be हटा दिया से the activity feed और you won't be able तक re-open कार्ड. There is no undo.", + "card-delete-suggest-archive": "You can स्थानांतरित एक कार्ड तक पुनः चक्र तक हटा it से the बोर्ड और preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit संलग्नकs", + "card-edit-custom-fields": "Edit प्रचलन क्षेत्र", + "card-edit-labels": "Edit नामपत्र", + "card-edit-members": "Edit सदस्य", + "card-labels-title": "Change the नामपत्र for the कार्ड.", + "card-members-title": "जोड़ें or हटा सदस्य of the बोर्ड से the कार्ड.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit प्रचलन क्षेत्र", + "cardDeletePopup-title": "मिटाएँ कार्ड?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "नामपत्र", + "cardMembersPopup-title": "सदस्य", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "casSignIn": "Sign अंदर में साथ में CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked कार्ड", + "cardType-linkedBoard": "Linked बोर्ड", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change व्यवस्था", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change व्यवस्था", + "subtasks": "Subtasks", + "checklists": "Checklists", + "click-to-star": "Click तक star this बोर्ड.", + "click-to-unstar": "Click तक unstar this बोर्ड.", + "clipboard": "Clipबोर्ड or drag & drop", + "close": "Close", + "close-board": "Close बोर्ड", + "close-board-pop": "You will be able तक restore the बोर्ड by clicking the “पुनः चक्र” button से the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on कार्ड only.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments और activities.", + "computer": "Computer", + "confirm-subtask-delete-dialog": "Are you sure you want तक मिटाएँ subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want तक मिटाएँ checklist?", + "copy-card-link-to-clipboard": "Copy कार्ड link तक clipboard", + "linkCardPopup-title": "Link कार्ड", + "searchCardPopup-title": "Search कार्ड", + "copyCardPopup-title": "Copy कार्ड", + "copyChecklistToManyCardsPopup-title": "Copy चिह्नांकन-सूची Template तक Many कार्ड", + "copyChecklistToManyCardsPopup-instructions": "Destination कार्ड Titles और Descriptions अंदर में this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First कार्ड title\", \"description\":\"First कार्ड description\"}, {\"title\":\"Second कार्ड title\",\"description\":\"Second कार्ड description\"},{\"title\":\"Last कार्ड title\",\"description\":\"Last कार्ड description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create बोर्ड", + "chooseBoardSourcePopup-title": "Import बोर्ड", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will हटा यह प्रचलन क्षेत्र से संपूर्ण कार्ड और destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "सूची Options", + "custom-field-dropdown-options-placeholder": "Press enter तक जोड़ें more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "प्रचलन क्षेत्र", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "मिटाएँ प्रचलन क्षेत्र?", + "deleteLabelPopup-title": "मिटाएँ Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate सदस्य Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying तक send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ प्रेषित you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you तक join बोर्ड \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This बोर्ड does not exist", + "error-board-notAdmin": "You need तक be admin of this बोर्ड तक do that", + "error-board-notAMember": "You need तक be एक सदस्य of this बोर्ड तक do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information अंदर में the correct format", + "error-list-doesNotExist": "This सूची does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export बोर्ड", + "filter": "Filter", + "filter-cards": "Filter कार्ड", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No सदस्य", + "filter-no-custom-fields": "No प्रचलन क्षेत्र", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering कार्ड on this बोर्ड. Click here तक edit filter.", + "filter-to-selection": "Filter तक selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows तक write एक string containing following operators: == != <= >= && || ( ) एक space is used as एक separator between the Operators. You can filter for संपूर्ण प्रचलन क्षेत्र by typing their names और values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need तक encapsulate them के अंदर single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) तक be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally संपूर्ण operators are interpreted से left तक right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "fullname": "Full Name", + "header-logo-title": "Go back तक your बोर्डों page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create बोर्ड", + "home": "Home", + "import": "Import", + "link": "Link", + "import-board": "import बोर्ड", + "import-board-c": "Import बोर्ड", + "import-board-title-trello": "Import बोर्ड से Trello", + "import-board-title-wekan": "Import बोर्ड से Wekan", + "import-sandstorm-warning": "सूचित कर बोर्ड will मिटाएँ संपूर्ण existing data on बोर्ड और replace it साथ में सूचित कर बोर्ड.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello बोर्ड, go तक 'Menu', then 'More', 'Print और Export', 'Export JSON', और copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan बोर्ड, go तक 'Menu', then 'Export बोर्ड', और copy the text अंदर में the downloaded file.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map सदस्य", + "import-members-map": "Your सूचित कर बोर्ड has some सदस्य. Please map the सदस्य you want तक import तक Wekan users", + "import-show-user-mapping": "Re आलोकन सदस्य mapping", + "import-user-select": "Pick the Wekan user you want तक use as this सदस्य", + "importMapMembersAddPopup-title": "Select Wekan सदस्य", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited तक this बोर्ड", + "keyboard-shortcuts": "Keyबोर्ड shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will हटा this label से संपूर्ण कार्ड और destroy its history.", + "labels": "नामपत्र", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave बोर्ड", + "leave-board-pop": "Are you sure you want तक leave __boardTitle__? You will be हटा दिया से संपूर्ण कार्ड on this बोर्ड.", + "leaveBoardPopup-title": "Leave बोर्ड ?", + "link-card": "Link तक यह कार्ड", + "list-archive-cards": "स्थानांतरित संपूर्ण कार्ड अंदर में this सूची तक पुनः चक्र", + "list-archive-cards-pop": "This will हटा संपूर्ण the कार्ड अंदर में this सूची से the बोर्ड. तक आलोकन कार्ड अंदर में पुनः चक्र और bring them back तक the बोर्ड, click “Menu” > “पुनः चक्र”.", + "list-move-cards": "स्थानांतरित संपूर्ण कार्ड अंदर में this list", + "list-select-cards": "Select संपूर्ण कार्ड अंदर में this list", + "listActionPopup-title": "सूची Actions", + "swimlaneActionPopup-title": "तैरन Actions", + "listImportCardPopup-title": "Import एक Trello कार्ड", + "listMorePopup-title": "More", + "link-list": "Link तक this list", + "list-delete-pop": "All actions will be हटा दिया से the activity feed और you won't be able तक recover the list. There is no undo.", + "list-delete-suggest-archive": "You can स्थानांतरित एक सूची तक पुनः चक्र तक हटा it से the बोर्ड और preserve the activity.", + "lists": "Lists", + "swimlanes": "तैरन", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "सदस्य व्यवस्था", + "members": "सदस्य", + "menu": "Menu", + "move-selection": "स्थानांतरित selection", + "moveCardPopup-title": "स्थानांतरित कार्ड", + "moveCardToBottom-title": "स्थानांतरित तक Bottom", + "moveCardToTop-title": "स्थानांतरित तक Top", + "moveSelectionPopup-title": "स्थानांतरित selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes अंदर में this बोर्ड", + "my-boards": "My बोर्डs", + "name": "Name", + "no-archived-cards": "No कार्ड अंदर में पुनः चक्र .", + "no-archived-lists": "No lists अंदर में पुनः चक्र .", + "no-archived-swimlanes": "No swimlanes अंदर में पुनः चक्र .", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can आलोकन और edit कार्ड. Can't change व्यवस्था.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates तक any कार्ड you participate as creater or सदस्य", + "notify-watch": "Receive updates तक any बोर्डs, lists, or कार्ड you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able तक आलोकन it by 3logging in3.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file तक it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This बोर्ड is private. Only people संकलित तक the बोर्ड can आलोकन और edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This बोर्ड is public. It's visible तक anyone साथ में the link और will show up अंदर में search engines like Google. Only people संकलित तक the बोर्ड can edit.", + "quick-access-description": "Star एक बोर्ड तक जोड़ें एक shortcut अंदर में this bar.", + "remove-cover": "हटाएँ Cover", + "remove-from-board": "हटाएँ से बोर्ड", + "remove-label": "हटाएँ Label", + "listDeletePopup-title": "मिटाएँ सूची ?", + "remove-member": "हटाएँ सदस्य", + "remove-member-from-card": "हटाएँ से कार्ड", + "remove-member-pop": "हटाएँ __name__ (__username__) से __boardTitle__? The सदस्य will be हटा दिया से संपूर्ण कार्ड on this बोर्ड. They will receive एक notification.", + "removeMemberPopup-title": "हटाएँ सदस्य?", + "rename": "Rename", + "rename-board": "Rename बोर्ड", + "restore": "Restore", + "save": "Save", + "search": "Search", + "rules": "Rules", + "search-cards": "Search से कार्ड titles और descriptions on this बोर्ड", + "search-example": "Text तक search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set एक limit for the maximum number of tasks अंदर में this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself तक current कार्ड", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete सदस्य", + "shortcut-clear-filters": "Clear संपूर्ण filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my कार्ड", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle बोर्ड Sidebar", + "show-cards-minimum-count": "Show कार्ड count if सूची contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click तक star this बोर्ड. It will show up at top of your बोर्डों list.", + "starred-boards": "Starred बोर्डs", + "starred-boards-description": "Starred बोर्डों show up at the top of your बोर्डों list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this बोर्ड", + "this-card": "यह कार्ड", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime कार्ड", + "has-spenttime-cards": "Has spent time कार्ड", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes तक those कार्ड you are involved as creator or सदस्य.", + "type": "Type", + "unassign-member": "Unassign सदस्य", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "आलोकन it", + "warn-list-archived": "warning: यह कार्ड is अंदर में पुनः चक्र में एक सूची", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change अंदर में this बोर्ड", + "welcome-board": "Welcome बोर्ड", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want तक do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks अंदर में this सूची is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please स्थानांतरित some tasks out of this list, or set एक higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To बोर्ड(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send एक test email तक yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ प्रेषित you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you तक Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nऔर your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email से Wekan", + "email-smtp-test-text": "You have successfully प्रेषित an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized तक आलोकन this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on कार्ड", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose संपूर्ण lists, कार्ड और actions associated साथ में this बोर्ड.", + "delete-board-confirm-popup": "All lists, कार्ड,नामपत्र , और activities will be deleted और you won't be able तक recover the बोर्ड contents. There is no undo.", + "boardDeletePopup-title": "मिटाएँ बोर्ड?", + "delete-board": "मिटाएँ बोर्ड", + "default-subtasks-board": "Subtasks for __board__ बोर्ड", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks व्यवस्था", + "boardSubtaskSettingsPopup-title": "बोर्ड Subtasks व्यवस्था", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks तक this बोर्ड:", + "deposit-subtasks-list": "Landing सूची for subtasks deposited here:", + "show-parent-in-minicard": "Show parent अंदर में minicard:", + "prefix-with-full-path": "Prefix साथ में full path", + "prefix-with-parent": "Prefix साथ में parent", + "subtext-with-full-path": "Subtext साथ में full path", + "subtext-with-parent": "Subtext साथ में parent", + "change-card-parent": "Change कार्ड's parent", + "parent-card": "Parent कार्ड", + "source-board": "Source बोर्ड", + "no-parent": "Don't show parent", + "activity-added-label": "संकलित label '%s' तक %s", + "activity-removed-label": "हटा दिया label '%s' से %s", + "activity-delete-attach": "deleted an संलग्नक से %s", + "activity-added-label-card": "संकलित label '%s'", + "activity-removed-label-card": "हटा दिया label '%s'", + "activity-delete-attach-card": "deleted an संलग्नक", + "r-rule": "Rule", + "r-add-trigger": "जोड़ें trigger", + "r-add-action": "जोड़ें action", + "r-board-rules": "बोर्ड rules", + "r-add-rule": "जोड़ें rule", + "r-view-rule": "आलोकन rule", + "r-delete-rule": "मिटाएँ rule", + "r-new-rule-name": "New rule title", + "r-no-rules": "No rules", + "r-when-a-card-is": "जब एक कार्ड is", + "r-added-to": "संकलित to", + "r-removed-from": "हटा दिया from", + "r-the-board": "the बोर्ड", + "r-list": "list", + "r-moved-to": "स्थानांतरित to", + "r-moved-from": "स्थानांतरित from", + "r-archived": "यह ले जाएँ और मिटाए", + "r-unarchived": "पुनर्स्थापित से पुनः चक्र", + "r-a-card": "a कार्ड", + "r-when-a-label-is": "जब एक नामपत्र है", + "r-when-the-label-is": "जब नामपत्र है", + "r-list-name": "सूची name", + "r-when-a-member": "जब एक सदस्य is", + "r-when-the-member": "जब the सदस्य", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "जब an संलग्नक", + "r-when-a-checklist": "जब एक चिह्नांकन-सूची is", + "r-when-the-checklist": "जब the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "जब एक चिह्नांकन-सूची विषय is", + "r-when-the-item": "जब the चिह्नांकन-सूची item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "स्थानांतरित कार्ड to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "स्थानांतरित तक पुनः चक्र", + "r-unarchive": "Restore से पुनः चक्र", + "r-card": "card", + "r-add": "जोड़ें", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "हटाएँ संपूर्ण सदस्य से the कार्ड", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-items-check": "items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checklist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "स्थानांतरित कार्ड तक top of its list", + "r-d-move-to-top-spec": "स्थानांतरित कार्ड तक top of list", + "r-d-move-to-bottom-gen": "स्थानांतरित कार्ड तक bottom of its list", + "r-d-move-to-bottom-spec": "स्थानांतरित कार्ड तक bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "स्थानांतरित कार्ड तक पुनः चक्र", + "r-d-unarchive": "Restore कार्ड से पुनः चक्र", + "r-d-add-label": "जोड़ें label", + "r-d-remove-label": "हटाएँ label", + "r-d-add-member": "जोड़ें सदस्य", + "r-d-remove-member": "हटाएँ सदस्य", + "r-d-remove-all-member": "हटाएँ संपूर्ण सदस्य", + "r-d-check-all": "Check संपूर्ण items of एक list", + "r-d-uncheck-all": "Uncheck संपूर्ण items of एक list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "जोड़ें checklist", + "r-d-remove-checklist": "हटाएँ checklist", + "r-when-a-card-is-moved": "जब एक कार्ड is स्थानांतरित तक another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" +} \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 8c6c089363800bb1785a2b4d2278ce0316dae152 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 3 Nov 2018 09:53:58 +0200 Subject: - Add Hindi language. Thanks to saurabharch. --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 2503870e..6a805d87 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release adds the following new features: + +- Add Hindi language. Thanks to saurabharch. + +Thanks to above mentioned GitHub users for their contributions. + # v1.66 2018-10-31 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From dda36f4eb3f4cbf23a936513db5f2abe2413db8b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 3 Nov 2018 10:25:31 +0200 Subject: - Hide Linked Card and Linked Board on Sandstorm, because they are only useful when having multiple boards, and at Sandstorm there is only one board per grain. Thanks to ocdtrekkie and xet7. Closes #1982 --- client/components/cards/cardDetails.jade | 18 +++++++++++------- client/components/lists/listBody.jade | 18 ++++++++++-------- 2 files changed, 21 insertions(+), 15 deletions(-) diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index 33d6d3b7..daeab7d3 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -19,14 +19,16 @@ template(name="cardDetails") a.js-parent-card(href=linkForCard) {{title}} // else {{_ 'top-level-card'}} - if isLinkedCard - h3.linked-card-location - +viewer - | {{getBoardTitle}} > {{getTitle}} + unless isSandstorm + if isLinkedCard + h3.linked-card-location + +viewer + | {{getBoardTitle}} > {{getTitle}} if getArchived if isLinkedBoard - p.warning {{_ 'board-archived'}} + unless isSandstorm + p.warning {{_ 'board-archived'}} else p.warning {{_ 'card-archived'}} @@ -190,9 +192,11 @@ template(name="cardDetails") unless currentUser.isNoComments if isLoaded.get if isLinkedCard - +activities(card=this mode="linkedcard") + unless isSandstorm + +activities(card=this mode="linkedcard") else if isLinkedBoard - +activities(card=this mode="linkedboard") + unless isSandstorm + +activities(card=this mode="linkedboard") else +activities(card=this mode="card") diff --git a/client/components/lists/listBody.jade b/client/components/lists/listBody.jade index f2b3e941..c6c9b204 100644 --- a/client/components/lists/listBody.jade +++ b/client/components/lists/listBody.jade @@ -34,13 +34,14 @@ template(name="addCardForm") .add-controls.clearfix button.primary.confirm(type="submit") {{_ 'add'}} - span.quiet - | {{_ 'or'}} - a.js-link {{_ 'link'}} - span.quiet - |   - | / - a.js-search {{_ 'search'}} + unless isSandstorm + span.quiet + | {{_ 'or'}} + a.js-link {{_ 'link'}} + span.quiet + |   + | / + a.js-search {{_ 'search'}} template(name="autocompleteLabelLine") .minicard-label(class="card-label-{{colorName}}" title=labelName) @@ -73,7 +74,8 @@ template(name="linkCardPopup") option(value="{{getId}}") {{getTitle}} .edit-controls.clearfix - input.primary.confirm.js-done(type="button" value="{{_ 'link'}}") + unless isSandstorm + input.primary.confirm.js-done(type="button" value="{{_ 'link'}}") template(name="searchCardPopup") label {{_ 'boards'}}: -- cgit v1.2.3-1-g7c22 From 22a09f3e7d29b96f1c0393b4709cc9cccff97884 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 3 Nov 2018 10:37:22 +0200 Subject: - Hide Linked Card and Linked Board on Sandstorm, because they are only useful when having multiple boards, and at Sandstorm there is only one board per grain. Thanks to ocdtrekkie and xet7. Closes #1982 --- CHANGELOG.md | 8 +++++++- 1 file changed, 7 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 6a805d87..7cb8f09e 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,9 +1,15 @@ # Upcoming Wekan release -This release adds the following new features: +This release adds the following new features to all Wekan platforms: - Add Hindi language. Thanks to saurabharch. +and hides the following features at Sandstorm: + +- Hide Linked Card and Linked Board on Sandstorm, because they are only + useful when having multiple boards, and at Sandstorm + there is only one board per grain. Thanks to ocdtrekkie and xet7. Closes #1982 + Thanks to above mentioned GitHub users for their contributions. # v1.66 2018-10-31 Wekan release -- cgit v1.2.3-1-g7c22 From 53ed1f1a2ca9bd9646e44ac449c6f0787edfa1b1 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 3 Nov 2018 10:41:33 +0200 Subject: v1.67 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 7cb8f09e..304b6fa9 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.67 2018-11-03 Upcoming Wekan release This release adds the following new features to all Wekan platforms: diff --git a/package.json b/package.json index e7a7bf86..58a6c55d 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.66.0", + "version": "v1.67.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index e95691e6..469e5115 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 169, + appVersion = 170, # Increment this for every release. - appMarketingVersion = (defaultText = "1.66.0~2018-10-31"), + appMarketingVersion = (defaultText = "1.67.0~2018-11-03"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From ece009f556e7fc7652f9203e40aa9baa4cce0068 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 3 Nov 2018 10:58:17 +0200 Subject: Update translations (hi). --- i18n/hi.i18n.json | 272 +++++++++++++++++++++++++++--------------------------- 1 file changed, 136 insertions(+), 136 deletions(-) diff --git a/i18n/hi.i18n.json b/i18n/hi.i18n.json index 7fbe02b2..5ed0ede8 100644 --- a/i18n/hi.i18n.json +++ b/i18n/hi.i18n.json @@ -34,7 +34,7 @@ "activity-created": "बनाया %s", "activity-customfield-created": "बनाया रिवाज क्षेत्र %s", "activity-excluded": "छोड़ा %s से %s", - "activity-imported": "सूचित कर %s के अंदर %s से %s", + "activity-imported": "सूचित कर %s के अंदर %s से %s", "activity-imported-board": "सूचित कर %s से %s", "activity-joined": "शामिल %s", "activity-moved": "स्थानांतरित %s से %s तक %s", @@ -67,14 +67,14 @@ "add-label": "नामपत्र जोड़ें", "add-list": "सूची जोड़ें", "add-members": "सदस्य जोड़ें", - "added": "Added", + "added": "जोड़ा गया", "addMemberPopup-title": "सदस्य", "admin": "Admin", - "admin-desc": "Can आलोकन और edit कार्ड, हटा सदस्य, और change व्यवस्था for the बोर्ड.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement से Administrator", - "all-boards": "All बोर्डs", + "admin-desc": "कार्ड देख और संपादित कर सकते हैं, सदस्यों को हटा सकते हैं, और बोर्ड के लिए सेटिंग्स बदल सकते हैं।", + "admin-announcement": "घोषणा", + "admin-announcement-active": "सक्रिय सिस्टम-व्यापी घोषणा", + "admin-announcement-title": "घोषणा प्रशासक से", + "all-boards": "सभी बोर्ड", "and-n-other-card": "और __count__ other कार्ड", "and-n-other-card_plural": "और __count__ other कार्ड", "apply": "Apply", @@ -90,61 +90,61 @@ "archived-items": "पुनः चक्र", "archived-boards": "बोर्डों अंदर में पुनः चक्र", "restore-board": "Restore बोर्ड", - "no-archived-boards": "No बोर्डों अंदर में पुनः चक्र .", + "no-archived-boards": "पुनः चक्र में कोई बोर्ड नहीं ।.", "archives": "पुनः चक्र", - "assign-member": "Assign सदस्य", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an संलग्नक is permanent. There is no undo.", + "assign-member": "आवंटित सदस्य", + "attached": "संलग्न", + "attachment": "संलग्नक", + "attachment-delete-pop": "किसी संलग्नक को हटाना स्थाई है । कोई पूर्ववत् नहीं है ।", "attachmentDeletePopup-title": "मिटाएँ संलग्नक?", - "attachments": "Attachments", - "auto-watch": "Automatically watch बोर्डों जब they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "बोर्ड not found", - "board-private-info": "This बोर्ड will be 1private1.", - "board-public-info": "This बोर्ड will be 2public2.", - "boardChangeColorPopup-title": "Change बोर्ड Background", - "boardChangeTitlePopup-title": "Rename बोर्ड", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "बोर्ड Menu", - "boards": "Boards", - "board-view": "बोर्डदृष्टिकोण", - "board-view-cal": "Calendar", + "attachments": "संलग्नक", + "auto-watch": "स्वचालित रूप से देखो बोर्डों जब वे बनाए जाते हैं", + "avatar-too-big": "अवतार बहुत बड़ा है (70KB अधिकतम)", + "back": "वापस", + "board-change-color": "रंग बदलना", + "board-nb-stars": "%s पसंद होना", + "board-not-found": "बोर्ड नहीं मिला", + "board-private-info": "यह बोर्ड हो जाएगा निजी.", + "board-public-info": "यह बोर्ड हो जाएगा सार्वजनिक.", + "boardChangeColorPopup-title": "बोर्ड पृष्ठभूमि बदलें", + "boardChangeTitlePopup-title": "बोर्ड का नाम बदलें", + "boardChangeVisibilityPopup-title": "दृश्यता बदलें", + "boardChangeWatchPopup-title": "बदलें वॉच", + "boardMenuPopup-title": "बोर्ड मेनू", + "boards": "बोर्डों", + "board-view": "बोर्ड दृष्टिकोण", + "board-view-cal": "तिथि-पत्र", "board-view-swimlanes": "तैरना", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "यह कार्ड is यह ले जाएँ और मिटाए.", - "board-archived": "This बोर्ड is यह ले जाएँ और मिटाए.", - "card-comments-title": "यह कार्ड has %s comment.", - "card-delete-notice": "Deleting is permanent. आप जुड़े सभी कार्यों खो देंगे साथ में यह कार्ड.", - "card-delete-pop": "All actions will be हटा दिया से the activity feed और you won't be able तक re-open कार्ड. There is no undo.", - "card-delete-suggest-archive": "You can स्थानांतरित एक कार्ड तक पुनः चक्र तक हटा it से the बोर्ड और preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit संलग्नकs", - "card-edit-custom-fields": "Edit प्रचलन क्षेत्र", - "card-edit-labels": "Edit नामपत्र", - "card-edit-members": "Edit सदस्य", - "card-labels-title": "Change the नामपत्र for the कार्ड.", - "card-members-title": "जोड़ें or हटा सदस्य of the बोर्ड से the कार्ड.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit प्रचलन क्षेत्र", + "board-view-lists": "सूचियाँ", + "bucket-example": "उदाहरण के लिए “बाल्टी सूची” की तरह", + "cancel": "रद्द करें", + "card-archived": "यह कार्ड यह ले जाएँ और मिटाए.", + "board-archived": "यह बोर्ड यह ले जाएँ और मिटाए.", + "card-comments-title": "इस कार्ड में %s टिप्पणी है।", + "card-delete-notice": "हटाना स्थायी है। आप इस कार्ड से जुड़े सभी कार्यों को खो देंगे।", + "card-delete-pop": "सभी कार्रवाइयां गतिविधि फ़ीड से निकाल दी जाएंगी और आप कार्ड को फिर से खोलने में सक्षम नहीं होंगे । कोई पूर्ववत् नहीं है ।", + "card-delete-suggest-archive": "आप किसी कार्ड को पुनः चक्र में ले जा सकते है उसे बोर्ड से निकालने और गतिविधि को रक्षित करने के लिए ।", + "card-due": "नियत", + "card-due-on": "पर नियत", + "card-spent": "समय बिताया", + "card-edit-attachments": "संपादित संलग्नक", + "card-edit-custom-fields": "संपादित प्रचलन क्षेत्र", + "card-edit-labels": "संपादित नामपत्र", + "card-edit-members": "संपादित सदस्य", + "card-labels-title": "कार्ड के लिए नामपत्र परिवर्तित करें ।", + "card-members-title": "कार्ड से बोर्ड के सदस्यों को जोड़ें या हटाएं।", + "card-start": "प्रारंभ", + "card-start-on": "पर शुरू होता है", + "cardAttachmentsPopup-title": "से अनुलग्न करें", + "cardCustomField-datePopup-title": "तारीख बदलें", + "cardCustomFieldsPopup-title": "संपादित करें प्रचलन क्षेत्र", "cardDeletePopup-title": "मिटाएँ कार्ड?", - "cardDetailsActionsPopup-title": "Card Actions", + "cardDetailsActionsPopup-title": "कार्ड क्रियाएँ", "cardLabelsPopup-title": "नामपत्र", "cardMembersPopup-title": "सदस्य", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", + "cardMorePopup-title": "अतिरिक्त", + "cards": "कार्ड्स", + "cards-count": "कार्ड्स", "casSignIn": "Sign अंदर में साथ में CAS", "cardType-card": "Card", "cardType-linkedCard": "Linked कार्ड", @@ -153,20 +153,20 @@ "change-avatar": "Change Avatar", "change-password": "Change Password", "change-permissions": "Change permissions", - "change-settings": "Change व्यवस्था", + "change-settings": "Change व्यवस्था", "changeAvatarPopup-title": "Change Avatar", "changeLanguagePopup-title": "Change Language", "changePasswordPopup-title": "Change Password", "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change व्यवस्था", + "changeSettingsPopup-title": "Change व्यवस्था", "subtasks": "Subtasks", "checklists": "Checklists", - "click-to-star": "Click तक star this बोर्ड.", - "click-to-unstar": "Click तक unstar this बोर्ड.", + "click-to-star": "Click तक star यह बोर्ड.", + "click-to-unstar": "Click तक unstar यह बोर्ड.", "clipboard": "Clipबोर्ड or drag & drop", "close": "Close", "close-board": "Close बोर्ड", - "close-board-pop": "You will be able तक restore the बोर्ड by clicking the “पुनः चक्र” button से the home header.", + "close-board-pop": "You हो जाएगा able तक restore the बोर्ड by clicking the “पुनः चक्र” button से the home header.", "color-black": "black", "color-blue": "blue", "color-green": "green", @@ -191,7 +191,7 @@ "searchCardPopup-title": "Search कार्ड", "copyCardPopup-title": "Copy कार्ड", "copyChecklistToManyCardsPopup-title": "Copy चिह्नांकन-सूची Template तक Many कार्ड", - "copyChecklistToManyCardsPopup-instructions": "Destination कार्ड Titles और Descriptions अंदर में this JSON format", + "copyChecklistToManyCardsPopup-instructions": "Destination कार्ड Titles और Descriptions अंदर में यह JSON format", "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First कार्ड title\", \"description\":\"First कार्ड description\"}, {\"title\":\"Second कार्ड title\",\"description\":\"Second कार्ड description\"},{\"title\":\"Last कार्ड title\",\"description\":\"Last कार्ड description\"} ]", "create": "Create", "createBoardPopup-title": "Create बोर्ड", @@ -200,7 +200,7 @@ "createCustomField": "Create Field", "createCustomFieldPopup-title": "Create Field", "current": "current", - "custom-field-delete-pop": "There is no undo. This will हटा यह प्रचलन क्षेत्र से संपूर्ण कार्ड और destroy its history.", + "custom-field-delete-pop": "There is no undo. यह will हटा यह प्रचलन क्षेत्र से संपूर्ण कार्ड और destroy its history.", "custom-field-checkbox": "Checkbox", "custom-field-date": "Date", "custom-field-dropdown": "Dropdown List", @@ -210,12 +210,12 @@ "custom-field-dropdown-unknown": "(unknown)", "custom-field-number": "Number", "custom-field-text": "Text", - "custom-fields": "प्रचलन क्षेत्र", + "custom-fields": "प्रचलन क्षेत्र", "date": "Date", "decline": "Decline", "default-avatar": "Default avatar", "delete": "Delete", - "deleteCustomFieldPopup-title": "मिटाएँ प्रचलन क्षेत्र?", + "deleteCustomFieldPopup-title": "मिटाएँ प्रचलन क्षेत्र?", "deleteLabelPopup-title": "मिटाएँ Label?", "description": "Description", "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", @@ -225,16 +225,16 @@ "download": "Download", "edit": "Edit", "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", + "edit-profile": "संपादित करें Profile", + "edit-wip-limit": "संपादित करें WIP Limit", "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "Change start date", "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", + "editCustomFieldPopup-title": "संपादित करें Field", "editCardSpentTimePopup-title": "Change spent time", "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", + "editNotificationPopup-title": "संपादित करें Notification", + "editProfilePopup-title": "संपादित करें Profile", "email": "Email", "email-enrollAccount-subject": "An account created for you on __siteName__", "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", @@ -248,18 +248,18 @@ "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", "email-sent": "Email sent", "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "email-verifyEmail-text": "नमस्ते __user __, \n\n अपना खाता ईमेल सत्यापित करने के लिए, बस नीचे दिए गए लिंक पर क्लिक करें। \n\n__url __ \n\n धन्यवाद।", "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This बोर्ड does not exist", - "error-board-notAdmin": "You need तक be admin of this बोर्ड तक do that", - "error-board-notAMember": "You need तक be एक सदस्य of this बोर्ड तक do that", + "error-board-doesNotExist": "यह बोर्ड does not exist", + "error-board-notAdmin": "You need तक be व्यवस्थापक of यह बोर्ड तक do that", + "error-board-notAMember": "You need तक be एक सदस्य of यह बोर्ड तक do that", "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information अंदर में the correct format", - "error-list-doesNotExist": "This सूची does not exist", - "error-user-doesNotExist": "This user does not exist", + "error-json-schema": "आपके JSON डेटा में सही प्रारूप में सही जानकारी शामिल नहीं है", + "error-list-doesNotExist": "यह सूची does not exist", + "error-user-doesNotExist": "यह user does not exist", "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", + "error-user-notCreated": "यह user is not created", + "error-username-taken": "यह username is already taken", "error-email-taken": "Email has already been taken", "export-board": "Export बोर्ड", "filter": "Filter", @@ -267,12 +267,12 @@ "filter-clear": "Clear filter", "filter-no-label": "No label", "filter-no-member": "No सदस्य", - "filter-no-custom-fields": "No प्रचलन क्षेत्र", + "filter-no-custom-fields": "No प्रचलन क्षेत्र", "filter-on": "Filter is on", - "filter-on-desc": "You are filtering कार्ड on this बोर्ड. Click here तक edit filter.", + "filter-on-desc": "You are filtering कार्ड इस पर बोर्ड. Click here तक संपादित करें filter.", "filter-to-selection": "Filter तक selection", "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows तक write एक string containing following operators: == != <= >= && || ( ) एक space is used as एक separator between the Operators. You can filter for संपूर्ण प्रचलन क्षेत्र by typing their names और values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need तक encapsulate them के अंदर single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) तक be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally संपूर्ण operators are interpreted से left तक right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "Advanced Filter allows तक write एक string containing following operators: == != <= >= && || ( ) एक space is used as एक separator between the Operators. You can filter for संपूर्ण प्रचलन क्षेत्र by typing their names और values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need तक encapsulate them के अंदर single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) तक be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally संपूर्ण operators are interpreted से left तक right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Full Name", "header-logo-title": "Go back तक your बोर्डों page.", "hide-system-messages": "Hide system messages", @@ -284,16 +284,16 @@ "import-board-c": "Import बोर्ड", "import-board-title-trello": "Import बोर्ड से Trello", "import-board-title-wekan": "Import बोर्ड से Wekan", - "import-sandstorm-warning": "सूचित कर बोर्ड will मिटाएँ संपूर्ण existing data on बोर्ड और replace it साथ में सूचित कर बोर्ड.", + "import-sandstorm-warning": "सूचित कर बोर्ड will मिटाएँ संपूर्ण existing data on बोर्ड और replace it साथ में सूचित कर बोर्ड.", "from-trello": "From Trello", "from-wekan": "From Wekan", "import-board-instruction-trello": "In your Trello बोर्ड, go तक 'Menu', then 'More', 'Print और Export', 'Export JSON', और copy the resulting text.", "import-board-instruction-wekan": "In your Wekan बोर्ड, go तक 'Menu', then 'Export बोर्ड', और copy the text अंदर में the downloaded file.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map सदस्य", - "import-members-map": "Your सूचित कर बोर्ड has some सदस्य. Please map the सदस्य you want तक import तक Wekan users", + "import-members-map": "Your सूचित कर बोर्ड has some सदस्य. Please map the सदस्य you want तक import तक Wekan users", "import-show-user-mapping": "Re आलोकन सदस्य mapping", - "import-user-select": "Pick the Wekan user you want तक use as this सदस्य", + "import-user-select": "Pick the Wekan user you want तक use as यह सदस्य", "importMapMembersAddPopup-title": "Select Wekan सदस्य", "info": "Version", "initials": "Initials", @@ -301,35 +301,35 @@ "invalid-time": "Invalid time", "invalid-user": "Invalid user", "joined": "joined", - "just-invited": "You are just invited तक this बोर्ड", + "just-invited": "You are just invited तक यह बोर्ड", "keyboard-shortcuts": "Keyबोर्ड shortcuts", "label-create": "Create Label", "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will हटा this label से संपूर्ण कार्ड और destroy its history.", + "label-delete-pop": "There is no undo. यह will हटा यह label से संपूर्ण कार्ड और destroy its history.", "labels": "नामपत्र", "language": "Language", "last-admin-desc": "You can’t change roles because there must be at least one admin.", "leave-board": "Leave बोर्ड", - "leave-board-pop": "Are you sure you want तक leave __boardTitle__? You will be हटा दिया से संपूर्ण कार्ड on this बोर्ड.", + "leave-board-pop": "Are you sure you want तक leave __boardTitle__? You हो जाएगा हटा दिया से संपूर्ण कार्ड इस पर बोर्ड.", "leaveBoardPopup-title": "Leave बोर्ड ?", "link-card": "Link तक यह कार्ड", - "list-archive-cards": "स्थानांतरित संपूर्ण कार्ड अंदर में this सूची तक पुनः चक्र", - "list-archive-cards-pop": "This will हटा संपूर्ण the कार्ड अंदर में this सूची से the बोर्ड. तक आलोकन कार्ड अंदर में पुनः चक्र और bring them back तक the बोर्ड, click “Menu” > “पुनः चक्र”.", - "list-move-cards": "स्थानांतरित संपूर्ण कार्ड अंदर में this list", - "list-select-cards": "Select संपूर्ण कार्ड अंदर में this list", + "list-archive-cards": "स्थानांतरित संपूर्ण कार्ड अंदर में यह सूची तक पुनः चक्र", + "list-archive-cards-pop": "यह will हटा संपूर्ण the कार्ड अंदर में यह सूची से the बोर्ड. तक आलोकन कार्ड अंदर में पुनः चक्र और bring them back तक the बोर्ड, click “Menu” > “पुनः चक्र”.", + "list-move-cards": "स्थानांतरित संपूर्ण कार्ड अंदर में यह list", + "list-select-cards": "Select संपूर्ण कार्ड अंदर में यह list", "listActionPopup-title": "सूची Actions", "swimlaneActionPopup-title": "तैरन Actions", "listImportCardPopup-title": "Import एक Trello कार्ड", "listMorePopup-title": "More", - "link-list": "Link तक this list", - "list-delete-pop": "All actions will be हटा दिया से the activity feed और you won't be able तक recover the list. There is no undo.", - "list-delete-suggest-archive": "You can स्थानांतरित एक सूची तक पुनः चक्र तक हटा it से the बोर्ड और preserve the activity.", + "link-list": "Link तक यह list", + "list-delete-pop": "All actions हो जाएगा हटा दिया से the activity feed और you won't be able तक recover the list. There is no undo.", + "list-delete-suggest-archive": "You can स्थानांतरित एक सूची तक पुनः चक्र तक हटा it से the बोर्ड और preserve the activity.", "lists": "Lists", "swimlanes": "तैरन", "log-out": "Log Out", "log-in": "Log In", "loginPopup-title": "Log In", - "memberMenuPopup-title": "सदस्य व्यवस्था", + "memberMenuPopup-title": "सदस्य व्यवस्था", "members": "सदस्य", "menu": "Menu", "move-selection": "स्थानांतरित selection", @@ -340,22 +340,22 @@ "multi-selection": "Multi-Selection", "multi-selection-on": "Multi-Selection is on", "muted": "Muted", - "muted-info": "You will never be notified of any changes अंदर में this बोर्ड", - "my-boards": "My बोर्डs", + "muted-info": "आप किसी भी परिवर्तन के अधिसूचित नहीं किया जाएगा अंदर में यह बोर्ड", + "my-boards": "My बोर्ड", "name": "Name", "no-archived-cards": "No कार्ड अंदर में पुनः चक्र .", "no-archived-lists": "No lists अंदर में पुनः चक्र .", "no-archived-swimlanes": "No swimlanes अंदर में पुनः चक्र .", "no-results": "No results", "normal": "Normal", - "normal-desc": "Can आलोकन और edit कार्ड. Can't change व्यवस्था.", + "normal-desc": "Can आलोकन और संपादित करें कार्ड. Can't change व्यवस्था.", "not-accepted-yet": "Invitation not accepted yet", "notify-participate": "Receive updates तक any कार्ड you participate as creater or सदस्य", - "notify-watch": "Receive updates तक any बोर्डs, lists, or कार्ड you’re watching", + "notify-watch": "Receive updates तक any बोर्ड, lists, or कार्ड you’re watching", "optional": "optional", "or": "or", - "page-maybe-private": "This page may be private. You may be able तक आलोकन it by 3logging in3.", - "page-not-found": "Page not found.", + "page-maybe-private": "यह page may be private. You may be able तक आलोकन it by logging in.", + "page-not-found": "Page नहीं मिला.", "password": "Password", "paste-or-dragdrop": "to paste, or drag & drop image file तक it (image only)", "participating": "Participating", @@ -363,29 +363,29 @@ "previewAttachedImagePopup-title": "Preview", "previewClipboardImagePopup-title": "Preview", "private": "Private", - "private-desc": "This बोर्ड is private. Only people संकलित तक the बोर्ड can आलोकन और edit it.", + "private-desc": "यह बोर्ड is private. Only people संकलित तक the बोर्ड can आलोकन और संपादित करें it.", "profile": "Profile", "public": "Public", - "public-desc": "This बोर्ड is public. It's visible तक anyone साथ में the link और will show up अंदर में search engines like Google. Only people संकलित तक the बोर्ड can edit.", - "quick-access-description": "Star एक बोर्ड तक जोड़ें एक shortcut अंदर में this bar.", - "remove-cover": "हटाएँ Cover", - "remove-from-board": "हटाएँ से बोर्ड", - "remove-label": "हटाएँ Label", + "public-desc": "यह बोर्ड is public. It's visible तक anyone साथ में the link और will show up अंदर में गूगल की तरह खोज इंजन । केवल लोग संकलित तक बोर्ड संपादित कर सकते हैं.", + "quick-access-description": "Star एक बोर्ड तक जोड़ें एक shortcut अंदर में यह पट्टी .", + "remove-cover": "हटाएँ Cover", + "remove-from-board": "हटाएँ से बोर्ड", + "remove-label": "हटाएँ Label", "listDeletePopup-title": "मिटाएँ सूची ?", - "remove-member": "हटाएँ सदस्य", - "remove-member-from-card": "हटाएँ से कार्ड", - "remove-member-pop": "हटाएँ __name__ (__username__) से __boardTitle__? The सदस्य will be हटा दिया से संपूर्ण कार्ड on this बोर्ड. They will receive एक notification.", - "removeMemberPopup-title": "हटाएँ सदस्य?", + "remove-member": "हटाएँ सदस्य", + "remove-member-from-card": "हटाएँ से कार्ड", + "remove-member-pop": "हटाएँ __name__ (__username__) से __boardTitle__? इस बोर्ड पर सभी कार्ड से सदस्य हटा दिया जाएगा। उन्हें एक अधिसूचना प्राप्त होगी।", + "removeMemberPopup-title": "हटाएँ सदस्य?", "rename": "Rename", "rename-board": "Rename बोर्ड", "restore": "Restore", "save": "Save", "search": "Search", "rules": "Rules", - "search-cards": "Search से कार्ड titles और descriptions on this बोर्ड", + "search-cards": "Search से कार्ड titles और descriptions इस पर बोर्ड", "search-example": "Text तक search for?", "select-color": "Select Color", - "set-wip-limit-value": "Set एक limit for the maximum number of tasks अंदर में this list", + "set-wip-limit-value": "Set एक limit for the maximum number of tasks अंदर में यह list", "setWipLimitPopup-title": "Set WIP Limit", "shortcut-assign-self": "Assign yourself तक current कार्ड", "shortcut-autocomplete-emoji": "Autocomplete emoji", @@ -393,19 +393,19 @@ "shortcut-clear-filters": "Clear संपूर्ण filters", "shortcut-close-dialog": "Close Dialog", "shortcut-filter-my-cards": "Filter my कार्ड", - "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-show-shortcuts": "Bring up यह shortcuts list", "shortcut-toggle-filterbar": "Toggle Filter Sidebar", "shortcut-toggle-sidebar": "Toggle बोर्ड Sidebar", "show-cards-minimum-count": "Show कार्ड count if सूची contains more than", "sidebar-open": "Open Sidebar", "sidebar-close": "Close Sidebar", "signupPopup-title": "Create an Account", - "star-board-title": "Click तक star this बोर्ड. It will show up at top of your बोर्डों list.", - "starred-boards": "Starred बोर्डs", + "star-board-title": "Click तक star यह बोर्ड. It will show up at top of your बोर्डों list.", + "starred-boards": "Starred बोर्ड", "starred-boards-description": "Starred बोर्डों show up at the top of your बोर्डों list.", "subscribe": "Subscribe", "team": "Team", - "this-board": "this बोर्ड", + "this-board": "यह बोर्ड", "this-card": "यह कार्ड", "spent-time-hours": "Spent time (hours)", "overtime-hours": "Overtime (hours)", @@ -415,7 +415,7 @@ "time": "Time", "title": "Title", "tracking": "Tracking", - "tracking-info": "You will be notified of any changes तक those कार्ड you are involved as creator or सदस्य.", + "tracking-info": "You हो जाएगा notified of any changes तक those कार्ड you are involved as creator or सदस्य.", "type": "Type", "unassign-member": "Unassign सदस्य", "unsaved-description": "You have an unsaved description.", @@ -425,19 +425,19 @@ "uploaded-avatar": "Uploaded an avatar", "username": "Username", "view-it": "आलोकन it", - "warn-list-archived": "warning: यह कार्ड is अंदर में पुनः चक्र में एक सूची", + "warn-list-archived": "warning: यह कार्ड is अंदर में पुनः चक्र में एक सूची", "watch": "Watch", "watching": "Watching", - "watching-info": "You will be notified of any change अंदर में this बोर्ड", + "watching-info": "You हो जाएगा notified of any change अंदर में यह बोर्ड", "welcome-board": "Welcome बोर्ड", "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", "what-to-do": "What do you want तक do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks अंदर में this सूची is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please स्थानांतरित some tasks out of this list, or set एक higher WIP limit.", - "admin-panel": "Admin Panel", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks अंदर में यह सूची is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please स्थानांतरित some tasks out of यह list, or set एक higher WIP limit.", + "admin-panel": "व्यवस्थापक Panel", "settings": "Settings", "people": "People", "registration": "Registration", @@ -462,7 +462,7 @@ "email-smtp-test-subject": "SMTP Test Email से Wekan", "email-smtp-test-text": "You have successfully प्रेषित an email", "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized तक आलोकन this page.", + "error-notAuthorized": "You are not authorized तक आलोकन यह page.", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", @@ -481,7 +481,7 @@ "hours": "hours", "minutes": "minutes", "seconds": "seconds", - "show-field-on-card": "Show this field on कार्ड", + "show-field-on-card": "Show यह field on कार्ड", "yes": "Yes", "no": "No", "accounts": "Accounts", @@ -498,17 +498,17 @@ "editCardEndDatePopup-title": "Change end date", "assigned-by": "Assigned By", "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose संपूर्ण lists, कार्ड और actions associated साथ में this बोर्ड.", - "delete-board-confirm-popup": "All lists, कार्ड,नामपत्र , और activities will be deleted और you won't be able तक recover the बोर्ड contents. There is no undo.", + "board-delete-notice": "Deleting is permanent. You will lose संपूर्ण lists, कार्ड और actions associated साथ में यह बोर्ड.", + "delete-board-confirm-popup": "All lists, कार्ड,नामपत्र , और activities हो जाएगा deleted और you won't be able तक recover the बोर्ड contents. There is no undo.", "boardDeletePopup-title": "मिटाएँ बोर्ड?", "delete-board": "मिटाएँ बोर्ड", "default-subtasks-board": "Subtasks for __board__ बोर्ड", "default": "Default", "queue": "Queue", - "subtask-settings": "Subtasks व्यवस्था", - "boardSubtaskSettingsPopup-title": "बोर्ड Subtasks व्यवस्था", + "subtask-settings": "Subtasks व्यवस्था", + "boardSubtaskSettingsPopup-title": "बोर्ड Subtasks व्यवस्था", "show-subtasks-field": "Cards can have subtasks", - "deposit-subtasks-board": "Deposit subtasks तक this बोर्ड:", + "deposit-subtasks-board": "Deposit subtasks तक यह बोर्ड:", "deposit-subtasks-list": "Landing सूची for subtasks deposited here:", "show-parent-in-minicard": "Show parent अंदर में minicard:", "prefix-with-full-path": "Prefix साथ में full path", @@ -571,7 +571,7 @@ "r-remove": "Remove", "r-label": "label", "r-member": "member", - "r-remove-all": "हटाएँ संपूर्ण सदस्य से the कार्ड", + "r-remove-all": "हटाएँ संपूर्ण सदस्य से the कार्ड", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", @@ -595,17 +595,17 @@ "r-d-archive": "स्थानांतरित कार्ड तक पुनः चक्र", "r-d-unarchive": "Restore कार्ड से पुनः चक्र", "r-d-add-label": "जोड़ें label", - "r-d-remove-label": "हटाएँ label", + "r-d-remove-label": "हटाएँ label", "r-d-add-member": "जोड़ें सदस्य", - "r-d-remove-member": "हटाएँ सदस्य", - "r-d-remove-all-member": "हटाएँ संपूर्ण सदस्य", + "r-d-remove-member": "हटाएँ सदस्य", + "r-d-remove-all-member": "हटाएँ संपूर्ण सदस्य", "r-d-check-all": "Check संपूर्ण items of एक list", "r-d-uncheck-all": "Uncheck संपूर्ण items of एक list", "r-d-check-one": "Check item", "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", "r-d-add-checklist": "जोड़ें checklist", - "r-d-remove-checklist": "हटाएँ checklist", + "r-d-remove-checklist": "हटाएँ checklist", "r-when-a-card-is-moved": "जब एक कार्ड is स्थानांतरित तक another list", "ldap": "LDAP", "oauth2": "OAuth2", -- cgit v1.2.3-1-g7c22 From cba8b56cb5f623b6a3b97f588d156378808c40f1 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 3 Nov 2018 11:00:16 +0200 Subject: v1.68 --- CHANGELOG.md | 6 +++++- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 8 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 304b6fa9..a7be5997 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,8 @@ -# v1.67 2018-11-03 Upcoming Wekan release +# v1.68 2018-11-03 Wekan release + +- Update translations. + +# v1.67 2018-11-03 Wekan release This release adds the following new features to all Wekan platforms: diff --git a/package.json b/package.json index 58a6c55d..c654f4c5 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.67.0", + "version": "v1.68.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 469e5115..7f26b063 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 170, + appVersion = 171, # Increment this for every release. - appMarketingVersion = (defaultText = "1.67.0~2018-11-03"), + appMarketingVersion = (defaultText = "1.68.0~2018-11-03"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From d42d7a89fb39aeb12a552efc7f9cf4f9a7c41313 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 3 Nov 2018 18:13:41 +0200 Subject: Update translations. --- i18n/hi.i18n.json | 126 +++++++++++++++++++++++++++--------------------------- 1 file changed, 63 insertions(+), 63 deletions(-) diff --git a/i18n/hi.i18n.json b/i18n/hi.i18n.json index 5ed0ede8..0a64c41e 100644 --- a/i18n/hi.i18n.json +++ b/i18n/hi.i18n.json @@ -145,67 +145,67 @@ "cardMorePopup-title": "अतिरिक्त", "cards": "कार्ड्स", "cards-count": "कार्ड्स", - "casSignIn": "Sign अंदर में साथ में CAS", - "cardType-card": "Card", - "cardType-linkedCard": "Linked कार्ड", - "cardType-linkedBoard": "Linked बोर्ड", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change व्यवस्था", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change व्यवस्था", - "subtasks": "Subtasks", - "checklists": "Checklists", - "click-to-star": "Click तक star यह बोर्ड.", - "click-to-unstar": "Click तक unstar यह बोर्ड.", - "clipboard": "Clipबोर्ड or drag & drop", - "close": "Close", - "close-board": "Close बोर्ड", - "close-board-pop": "You हो जाएगा able तक restore the बोर्ड by clicking the “पुनः चक्र” button से the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", - "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on कार्ड only.", - "no-comments": "No comments", - "no-comments-desc": "Can not see comments और activities.", - "computer": "Computer", - "confirm-subtask-delete-dialog": "Are you sure you want तक मिटाएँ subtask?", - "confirm-checklist-delete-dialog": "Are you sure you want तक मिटाएँ checklist?", - "copy-card-link-to-clipboard": "Copy कार्ड link तक clipboard", - "linkCardPopup-title": "Link कार्ड", - "searchCardPopup-title": "Search कार्ड", - "copyCardPopup-title": "Copy कार्ड", - "copyChecklistToManyCardsPopup-title": "Copy चिह्नांकन-सूची Template तक Many कार्ड", - "copyChecklistToManyCardsPopup-instructions": "Destination कार्ड Titles और Descriptions अंदर में यह JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First कार्ड title\", \"description\":\"First कार्ड description\"}, {\"title\":\"Second कार्ड title\",\"description\":\"Second कार्ड description\"},{\"title\":\"Last कार्ड title\",\"description\":\"Last कार्ड description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create बोर्ड", - "chooseBoardSourcePopup-title": "Import बोर्ड", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. यह will हटा यह प्रचलन क्षेत्र से संपूर्ण कार्ड और destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "सूची Options", + "casSignIn": "सीएएस के साथ साइन इन करें", + "cardType-card": "कार्ड", + "cardType-linkedCard": "जुड़े हुए कार्ड", + "cardType-linkedBoard": "जुड़े हुए बोर्ड", + "change": "तब्दीली", + "change-avatar": "अवतार परिवर्तन करें", + "change-password": "गोपनीयता परिवर्तन करें", + "change-permissions": "अनुमतियां परिवर्तित करें", + "change-settings": "व्यवस्था परिवर्तित करें", + "changeAvatarPopup-title": "अवतार परिवर्तन करें", + "changeLanguagePopup-title": "भाषा परिवर्तन करें", + "changePasswordPopup-title": "गोपनीयता परिवर्तन करें", + "changePermissionsPopup-title": "अनुमतियां परिवर्तित करें", + "changeSettingsPopup-title": "व्यवस्था परिवर्तित करें", + "subtasks": "उप-कार्य", + "checklists": "जांच सूची", + "click-to-star": "इस बोर्ड को स्टार करने के लिए क्लिक करें ।", + "click-to-unstar": "इस बोर्ड को अनस्टार करने के लिए क्लिक करें।", + "clipboard": "क्लिपबोर्ड या खींचें और छोड़ें", + "close": "बंद करे", + "close-board": "बोर्ड बंद करे", + "close-board-pop": "आप घर शीर्षक से “पुनः चक्र” बटन पर क्लिक करके बोर्ड को बहाल करने में सक्षम हो जाएगा ।", + "color-black": "काला", + "color-blue": "नीला", + "color-green": "हरा", + "color-lime": "हल्का हरा", + "color-orange": "नारंगी", + "color-pink": "गुलाबी", + "color-purple": "बैंगनी", + "color-red": "लाल", + "color-sky": "आकाशिया नीला", + "color-yellow": "पीला", + "comment": "टिप्पणी", + "comment-placeholder": "टिप्पणी लिखें", + "comment-only": "केवल टिप्पणी करें", + "comment-only-desc": "केवल कार्ड पर टिप्पणी कर सकते हैं।", + "no-comments": "कोई टिप्पणी नहीं", + "no-comments-desc": "टिप्पणियां और गतिविधियां नहीं देख पा रहे हैं।", + "computer": "संगणक", + "confirm-subtask-delete-dialog": "क्या आप वाकई उपकार्य हटाना चाहते हैं?", + "confirm-checklist-delete-dialog": "क्या आप वाकई जांचसूची हटाना चाहते हैं?", + "copy-card-link-to-clipboard": "कॉपी कार्ड क्लिपबोर्ड करने के लिए लिंक", + "linkCardPopup-title": "कार्ड कड़ी", + "searchCardPopup-title": "कार्ड खोज", + "copyCardPopup-title": "कार्ड प्रतिलिपि", + "copyChecklistToManyCardsPopup-title": "कई कार्ड के लिए जांचसूची खाके की प्रतिलिपि बनाएँ", + "copyChecklistToManyCardsPopup-instructions": "इस JSON प्रारूप में गंतव्य कार्ड शीर्षक और विवरण", + "copyChecklistToManyCardsPopup-format": "[{\"title\":\"पहला कार्ड शीर्षक\",\"description\":\"पहला कार्ड विवरण\"},{\"title\":\"दूसरा कार्ड शीर्षक\",\"description\":\"दूसरा कार्ड विवरण\"},{\"title\":\"अंतिम कार्ड शीर्षक\",\"description\":\"अंतिम कार्ड विवरण\" }]", + "create": "निर्माण करना", + "createBoardPopup-title": "बोर्ड निर्माण करना", + "chooseBoardSourcePopup-title": "बोर्ड आयात", + "createLabelPopup-title": "नामपत्र निर्माण", + "createCustomField": "क्षेत्र निर्माण करना", + "createCustomFieldPopup-title": "क्षेत्र निर्माण", + "current": "वर्तमान", + "custom-field-delete-pop": "कोई पूर्ववत् नहीं है । यह सभी कार्ड से इस कस्टम क्षेत्र को हटा दें और इसके इतिहास को नष्ट कर देगा ।", + "custom-field-checkbox": "निशानबक्से", + "custom-field-date": "दिनांक", + "custom-field-dropdown": "ड्रॉपडाउन सूची", + "custom-field-dropdown-none": "(कोई नहीं)", + "custom-field-dropdown-options": "सूची विकल्प", "custom-field-dropdown-options-placeholder": "Press enter तक जोड़ें more options", "custom-field-dropdown-unknown": "(unknown)", "custom-field-number": "Number", @@ -220,7 +220,7 @@ "description": "Description", "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", "disambiguateMultiMemberPopup-title": "Disambiguate सदस्य Action", - "discard": "Discard", + "discard": "Disकार्ड", "done": "Done", "download": "Download", "edit": "Edit", @@ -566,7 +566,7 @@ "r-its-list": "its list", "r-archive": "स्थानांतरित तक पुनः चक्र", "r-unarchive": "Restore से पुनः चक्र", - "r-card": "card", + "r-card": "कार्ड", "r-add": "जोड़ें", "r-remove": "Remove", "r-label": "label", -- cgit v1.2.3-1-g7c22 From 6f2275e8cb286cdf9dab3fee7f19b134eab70ca6 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 3 Nov 2018 18:18:02 +0200 Subject: v1.69 --- CHANGELOG.md | 4 ++++ package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 7 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index a7be5997..5b71aac9 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,7 @@ +# v1.69 2018-11-03 Wekan release + +- Update translations. + # v1.68 2018-11-03 Wekan release - Update translations. diff --git a/package.json b/package.json index c654f4c5..7cfffbf2 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.68.0", + "version": "v1.69.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 7f26b063..e69a5621 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 171, + appVersion = 172, # Increment this for every release. - appMarketingVersion = (defaultText = "1.68.0~2018-11-03"), + appMarketingVersion = (defaultText = "1.69.0~2018-11-03"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 4c2857b6e88b380ad7923b97b3db4c1eb33e4e75 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 4 Nov 2018 18:32:08 +0200 Subject: Add build scripts. --- docker-compose-postgresql.yml | 244 +++++++++++++++++++++ rebuild-wekan.bat | 48 ++++ rebuild-wekan.sh | 129 +++++++++++ releases/README.md | 12 + releases/add-tag.sh | 5 + releases/commit.sh | 4 + releases/delete-branch-local-and-remote.sh | 3 + releases/rebuild-release.sh | 38 ++++ releases/release-cleanup.sh | 19 ++ releases/release-sandstorm.sh | 20 ++ releases/release-snap.sh | 26 +++ releases/release.sh | 9 + releases/sandstorm-make-spk.sh | 1 + releases/sandstorm-test-dev.sh | 1 + releases/snap-edge.sh | 2 + releases/snap-install.sh | 1 + releases/snap-push-to-store.sh | 1 + releases/snap-stable.sh | 2 + releases/snapcraft-help.sh | 1 + releases/translations/pull-translations.sh | 136 ++++++++++++ .../translations/push-english-base-translation.sh | 2 + releases/virtualbox/README.txt | 6 + releases/virtualbox/etc-rc.local.txt | 20 ++ releases/virtualbox/ipaddress.sh | 2 + releases/virtualbox/node-allow-port-80.sh | 1 + releases/virtualbox/old-rebuild-wekan.sh | 42 ++++ releases/virtualbox/rebuild-wekan.sh | 127 +++++++++++ releases/virtualbox/start-wekan.sh | 72 ++++++ releases/virtualbox/stop-wekan.sh | 1 + releases/wekan-snap-help.sh | 1 + start-wekan.bat | 8 + start-wekan.sh | 23 ++ status-wekan.sh | 5 + stop-wekan.sh | 1 + 34 files changed, 1013 insertions(+) create mode 100644 docker-compose-postgresql.yml create mode 100644 rebuild-wekan.bat create mode 100755 rebuild-wekan.sh create mode 100644 releases/README.md create mode 100755 releases/add-tag.sh create mode 100755 releases/commit.sh create mode 100755 releases/delete-branch-local-and-remote.sh create mode 100755 releases/rebuild-release.sh create mode 100755 releases/release-cleanup.sh create mode 100755 releases/release-sandstorm.sh create mode 100755 releases/release-snap.sh create mode 100755 releases/release.sh create mode 100755 releases/sandstorm-make-spk.sh create mode 100755 releases/sandstorm-test-dev.sh create mode 100755 releases/snap-edge.sh create mode 100755 releases/snap-install.sh create mode 100755 releases/snap-push-to-store.sh create mode 100755 releases/snap-stable.sh create mode 100755 releases/snapcraft-help.sh create mode 100755 releases/translations/pull-translations.sh create mode 100755 releases/translations/push-english-base-translation.sh create mode 100644 releases/virtualbox/README.txt create mode 100644 releases/virtualbox/etc-rc.local.txt create mode 100755 releases/virtualbox/ipaddress.sh create mode 100755 releases/virtualbox/node-allow-port-80.sh create mode 100755 releases/virtualbox/old-rebuild-wekan.sh create mode 100755 releases/virtualbox/rebuild-wekan.sh create mode 100755 releases/virtualbox/start-wekan.sh create mode 100755 releases/virtualbox/stop-wekan.sh create mode 100755 releases/wekan-snap-help.sh create mode 100644 start-wekan.bat create mode 100755 start-wekan.sh create mode 100755 status-wekan.sh create mode 100755 stop-wekan.sh diff --git a/docker-compose-postgresql.yml b/docker-compose-postgresql.yml new file mode 100644 index 00000000..7689cc71 --- /dev/null +++ b/docker-compose-postgresql.yml @@ -0,0 +1,244 @@ +version: '2' + +# Docker: Wekan <=> MongoDB <=> ToroDB => PostgreSQL read-only mirroring +# for reporting with SQL, and accessing with any programming language, +# reporting package and Office suite that can connect to PostgreSQL. +# https://github.com/wekan/wekan-postgresql + +services: + torodb-stampede: + image: torodb/stampede:1.0.0-SNAPSHOT + networks: + - wekan-tier + links: + - postgres + - mongodb + environment: + - POSTGRES_PASSWORD + - TORODB_SETUP=true + - TORODB_SYNC_SOURCE=mongodb:27017 + - TORODB_BACKEND_HOST=postgres + - TORODB_BACKEND_PORT=5432 + - TORODB_BACKEND_DATABASE=wekan + - TORODB_BACKEND_USER=wekan + - TORODB_BACKEND_PASSWORD=wekan + - DEBUG + postgres: + image: postgres:9.6 + networks: + - wekan-tier + environment: + - POSTGRES_PASSWORD + ports: + - "15432:5432" + mongodb: + image: mongo:3.2 + networks: + - wekan-tier + ports: + - "28017:27017" + entrypoint: + - /bin/bash + - "-c" + - mongo --nodb --eval ' + var db; + while (!db) { + try { + db = new Mongo("mongodb:27017").getDB("local"); + } catch(ex) {} + sleep(3000); + }; + rs.initiate({_id:"rs1",members:[{_id:0,host:"mongodb:27017"}]}); + ' 1>/dev/null 2>&1 & + mongod --replSet rs1 + wekan: + image: quay.io/wekan/wekan + container_name: wekan-app + restart: always + networks: + - wekan-tier + ports: + - 80:8080 + environment: + - MONGO_URL=mongodb://mongodb:27017/wekan + - ROOT_URL=http://localhost + #--------------------------------------------------------------- + # == WEKAN API == + # Wekan Export Board works when WITH_API='true'. + # If you disable Wekan API, Export Board does not work. + - WITH_API=true + # Optional: Integration with Matomo https://matomo.org that is installed to your server + # The address of the server where Matomo is hosted. + # example: - MATOMO_ADDRESS=https://example.com/matomo + #- MATOMO_ADDRESS= + # The value of the site ID given in Matomo server for Wekan + # example: - MATOMO_SITE_ID=12345 + #- MATOMO_SITE_ID= + # The option do not track which enables users to not be tracked by matomo + # example: - MATOMO_DO_NOT_TRACK=false + #- MATOMO_DO_NOT_TRACK= + # The option that allows matomo to retrieve the username: + # example: MATOMO_WITH_USERNAME=true + #- MATOMO_WITH_USERNAME=false + # Enable browser policy and allow one trusted URL that can have iframe that has Wekan embedded inside. + # Setting this to false is not recommended, it also disables all other browser policy protections + # and allows all iframing etc. See wekan/server/policy.js + - BROWSER_POLICY_ENABLED=true + # When browser policy is enabled, HTML code at this Trusted URL can have iframe that embeds Wekan inside. + #- TRUSTED_URL= + # What to send to Outgoing Webhook, or leave out. Example, that includes all that are default: cardId,listId,oldListId,boardId,comment,user,card,commentId . + # example: WEBHOOKS_ATTRIBUTES=cardId,listId,oldListId,boardId,comment,user,card,commentId + #- WEBHOOKS_ATTRIBUTES= + # Enable the OAuth2 connection + # example: OAUTH2_ENABLED=true + #- OAUTH2_ENABLED=false + # OAuth2 docs: https://github.com/wekan/wekan/wiki/OAuth2 + # OAuth2 Client ID, for example from Rocket.Chat. Example: abcde12345 + # example: OAUTH2_CLIENT_ID=abcde12345 + #- OAUTH2_CLIENT_ID= + # OAuth2 Secret, for example from Rocket.Chat: Example: 54321abcde + # example: OAUTH2_SECRET=54321abcde + #- OAUTH2_SECRET= + # OAuth2 Server URL, for example Rocket.Chat. Example: https://chat.example.com + # example: OAUTH2_SERVER_URL=https://chat.example.com + #- OAUTH2_SERVER_URL= + # OAuth2 Authorization Endpoint. Example: /oauth/authorize + # example: OAUTH2_AUTH_ENDPOINT=/oauth/authorize + #- OAUTH2_AUTH_ENDPOINT= + # OAuth2 Userinfo Endpoint. Example: /oauth/userinfo + # example: OAUTH2_USERINFO_ENDPOINT=/oauth/userinfo + #- OAUTH2_USERINFO_ENDPOINT= + # OAuth2 Token Endpoint. Example: /oauth/token + # example: OAUTH2_TOKEN_ENDPOINT=/oauth/token + #- OAUTH2_TOKEN_ENDPOINT= + # LDAP_ENABLE : Enable or not the connection by the LDAP + # example : LDAP_ENABLE=true + #- LDAP_ENABLE=false + # LDAP_PORT : The port of the LDAP server + # example : LDAP_PORT=389 + #- LDAP_PORT=389 + # LDAP_HOST : The host server for the LDAP server + # example : LDAP_HOST=localhost + #- LDAP_HOST= + # LDAP_BASEDN : The base DN for the LDAP Tree + # example : LDAP_BASEDN=ou=user,dc=example,dc=org + #- LDAP_BASEDN= + # LDAP_LOGIN_FALLBACK : Fallback on the default authentication method + # example : LDAP_LOGIN_FALLBACK=true + #- LDAP_LOGIN_FALLBACK=false + # LDAP_RECONNECT : Reconnect to the server if the connection is lost + # example : LDAP_RECONNECT=false + #- LDAP_RECONNECT=true + # LDAP_TIMEOUT : Overall timeout, in milliseconds + # example : LDAP_TIMEOUT=12345 + #- LDAP_TIMEOUT=10000 + # LDAP_IDLE_TIMEOUT : Specifies the timeout for idle LDAP connections in milliseconds + # example : LDAP_IDLE_TIMEOUT=12345 + #- LDAP_IDLE_TIMEOUT=10000 + # LDAP_CONNECT_TIMEOUT : Connection timeout, in milliseconds + # example : LDAP_CONNECT_TIMEOUT=12345 + #- LDAP_CONNECT_TIMEOUT=10000 + # LDAP_AUTHENTIFICATION : If the LDAP needs a user account to search + # example : LDAP_AUTHENTIFICATION=true + #- LDAP_AUTHENTIFICATION=false + # LDAP_AUTHENTIFICATION_USERDN : The search user DN + # example : LDAP_AUTHENTIFICATION_USERDN=cn=admin,dc=example,dc=org + #- LDAP_AUTHENTIFICATION_USERDN= + # LDAP_AUTHENTIFICATION_PASSWORD : The password for the search user + # example : AUTHENTIFICATION_PASSWORD=admin + #- LDAP_AUTHENTIFICATION_PASSWORD= + # LDAP_LOG_ENABLED : Enable logs for the module + # example : LDAP_LOG_ENABLED=true + #- LDAP_LOG_ENABLED=false + # LDAP_BACKGROUND_SYNC : If the sync of the users should be done in the background + # example : LDAP_BACKGROUND_SYNC=true + #- LDAP_BACKGROUND_SYNC=false + # LDAP_BACKGROUND_SYNC_INTERVAL : At which interval does the background task sync in milliseconds + # example : LDAP_BACKGROUND_SYNC_INTERVAL=12345 + #- LDAP_BACKGROUND_SYNC_INTERVAL=100 + # LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED : + # example : LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=true + #- LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=false + # LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS : + # example : LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=true + #- LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=false + # LDAP_ENCRYPTION : If using LDAPS + # example : LDAP_ENCRYPTION=ssl + #- LDAP_ENCRYPTION=false + # LDAP_CA_CERT : The certification for the LDAPS server. Certificate needs to be included in this docker-compose.yml file. + # example : LDAP_CA_CERT=-----BEGIN CERTIFICATE-----MIIE+zCCA+OgAwIBAgIkAhwR/6TVLmdRY6hHxvUFWc0+Enmu/Hu6cj+G2FIdAgIC...-----END CERTIFICATE----- + #- LDAP_CA_CERT= + # LDAP_REJECT_UNAUTHORIZED : Reject Unauthorized Certificate + # example : LDAP_REJECT_UNAUTHORIZED=true + #- LDAP_REJECT_UNAUTHORIZED=false + # LDAP_USER_SEARCH_FILTER : Optional extra LDAP filters. Don't forget the outmost enclosing parentheses if needed + # example : LDAP_USER_SEARCH_FILTER= + #- LDAP_USER_SEARCH_FILTER= + # LDAP_USER_SEARCH_SCOPE : base (search only in the provided DN), one (search only in the provided DN and one level deep), or sub (search the whole subtree) + # example : LDAP_USER_SEARCH_SCOPE=one + #- LDAP_USER_SEARCH_SCOPE= + # LDAP_USER_SEARCH_FIELD : Which field is used to find the user + # example : LDAP_USER_SEARCH_FIELD=uid + #- LDAP_USER_SEARCH_FIELD= + # LDAP_SEARCH_PAGE_SIZE : Used for pagination (0=unlimited) + # example : LDAP_SEARCH_PAGE_SIZE=12345 + #- LDAP_SEARCH_PAGE_SIZE=0 + # LDAP_SEARCH_SIZE_LIMIT : The limit number of entries (0=unlimited) + # example : LDAP_SEARCH_SIZE_LIMIT=12345 + #- LDAP_SEARCH_SIZE_LIMIT=0 + # LDAP_GROUP_FILTER_ENABLE : Enable group filtering + # example : LDAP_GROUP_FILTER_ENABLE=true + #- LDAP_GROUP_FILTER_ENABLE=false + # LDAP_GROUP_FILTER_OBJECTCLASS : The object class for filtering + # example : LDAP_GROUP_FILTER_OBJECTCLASS=group + #- LDAP_GROUP_FILTER_OBJECTCLASS= + # LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE : + # example : + #- LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE= + # LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE : + # example : + #- LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE= + # LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT : + # example : + #- LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT= + # LDAP_GROUP_FILTER_GROUP_NAME : + # example : + #- LDAP_GROUP_FILTER_GROUP_NAME= + # LDAP_UNIQUE_IDENTIFIER_FIELD : This field is sometimes class GUID (Globally Unique Identifier) + # example : LDAP_UNIQUE_IDENTIFIER_FIELD=guid + #- LDAP_UNIQUE_IDENTIFIER_FIELD= + # LDAP_UTF8_NAMES_SLUGIFY : Convert the username to utf8 + # example : LDAP_UTF8_NAMES_SLUGIFY=false + #- LDAP_UTF8_NAMES_SLUGIFY=true + # LDAP_USERNAME_FIELD : Which field contains the ldap username + # example : LDAP_USERNAME_FIELD=username + #- LDAP_USERNAME_FIELD= + # LDAP_MERGE_EXISTING_USERS : + # example : LDAP_MERGE_EXISTING_USERS=true + #- LDAP_MERGE_EXISTING_USERS=false + # LDAP_SYNC_USER_DATA : + # example : LDAP_SYNC_USER_DATA=true + #- LDAP_SYNC_USER_DATA=false + # LDAP_SYNC_USER_DATA_FIELDMAP : + # example : LDAP_SYNC_USER_DATA_FIELDMAP={"cn":"name", "mail":"email"} + #- LDAP_SYNC_USER_DATA_FIELDMAP= + # LDAP_SYNC_GROUP_ROLES : + # example : + #- LDAP_SYNC_GROUP_ROLES= + # LDAP_DEFAULT_DOMAIN : The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP + # example : + #- LDAP_DEFAULT_DOMAIN= + + + depends_on: + - mongodb + +volumes: + mongodb: + driver: local + mongodb-dump: + driver: local + +networks: + wekan-tier: + driver: bridge diff --git a/rebuild-wekan.bat b/rebuild-wekan.bat new file mode 100644 index 00000000..57d174ca --- /dev/null +++ b/rebuild-wekan.bat @@ -0,0 +1,48 @@ +@ECHO OFF + +REM IN PROGRESS: Build on Windows. +REM https://github.com/wekan/wekan/wiki/Install-Wekan-from-source-on-Windows +REM Please add fix PRs, like config of MongoDB etc. + +md C:\repos +cd C:\repos + +REM Install chocolatey +@"%SystemRoot%\System32\WindowsPowerShell\v1.0\powershell.exe" -NoProfile -InputFormat None -ExecutionPolicy Bypass -Command "iex ((New-Object System.Net.WebClient).DownloadString('https://chocolatey.org/install.ps1'))" && SET "PATH=%PATH%;%ALLUSERSPROFILE%\chocolatey\bin" + +choco install -y git curl python2 dotnet4.5.2 nano mongodb-3 mongoclient meteor + +curl -O https://nodejs.org/dist/v8.12.0/node-v8.12.0-x64.msi +call node-v8.12.0-x64.msi + +call npm config -g set msvs_version 2015 +call meteor npm config -g set msvs_version 2015 + +call npm -g install npm +call npm -g install node-gyp +call npm -g install fibers@2.0.0 +cd C:\repos +git clone https://github.com/wekan/wekan.git +cd wekan +git checkout edge +echo "Building Wekan." +REM del /S /F /Q packages +md packages +cd packages +git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-flow-router +git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core +git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git +git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git +REM sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' ~/repos/wekan/packages/meteor-useraccounts-core/package.js +cd .. +REM del /S /F /Q node_modules +call meteor npm install +REM del /S /F /Q .build +call meteor build .build --directory +copy fix-download-unicode\cfs_access-point.txt .build\bundle\programs\server\packages\cfs_access-point.js +cd .build\bundle\programs\server +call meteor npm install +REM cd C:\repos\wekan\.meteor\local\build\programs\server +REM del node_modules +cd C:\repos\wekan +call start-wekan.bat diff --git a/rebuild-wekan.sh b/rebuild-wekan.sh new file mode 100755 index 00000000..c1f9f4a0 --- /dev/null +++ b/rebuild-wekan.sh @@ -0,0 +1,129 @@ +#!/bin/bash + +echo "Note: If you use other locale than en_US.UTF-8 , you need to additionally install en_US.UTF-8" +echo " with 'sudo dpkg-reconfigure locales' , so that MongoDB works correctly." +echo " You can still use any other locale as your main locale." + +X64NODE="https://nodejs.org/dist/v8.12.0/node-v8.12.0-linux-x64.tar.gz" + +function pause(){ + read -p "$*" +} + +echo +PS3='Please enter your choice: ' +options=("Install Wekan dependencies" "Build Wekan" "Quit") +select opt in "${options[@]}" +do + case $opt in + "Install Wekan dependencies") + + if [[ "$OSTYPE" == "linux-gnu" ]]; then + echo "Linux"; + + if [ "$(grep -Ei 'buntu|mint' /etc/*release)" ]; then + sudo apt install -y build-essential git curl wget +# sudo apt -y install nodejs npm +# sudo npm -g install n +# sudo n 8.12.0 + fi + +# if [ "$(grep -Ei 'debian' /etc/*release)" ]; then +# sudo apt install -y build-essential git curl wget +# echo "Debian, or Debian on Windows Subsystem for Linux" +# curl -sL https://deb.nodesource.com/setup_8.x | sudo -E bash - +# sudo apt install -y nodejs +# fi + + # TODO: Add Sandstorm for version of Node.js install + #MACHINE_TYPE=`uname -m` + #if [ ${MACHINE_TYPE} == 'x86_64' ]; then + # # 64-bit stuff here + # wget ${X64NODE} + # sudo tar -C /usr/local --strip-components 1 -xzf ${X64NODE} + #elif [ ${MACHINE_TYPE} == '32bit' ]; then + # echo "TODO: 32-bit Linux install here" + # exit + #fi + elif [[ "$OSTYPE" == "darwin"* ]]; then + echo "macOS"; + pause '1) Install XCode 2) Install Node 8.x from https://nodejs.org/en/ 3) Press [Enter] key to continue.' + elif [[ "$OSTYPE" == "cygwin" ]]; then + # POSIX compatibility layer and Linux environment emulation for Windows + echo "TODO: Add Cygwin"; + exit; + elif [[ "$OSTYPE" == "msys" ]]; then + # Lightweight shell and GNU utilities compiled for Windows (part of MinGW) + echo "TODO: Add msys on Windows"; + exit; + elif [[ "$OSTYPE" == "win32" ]]; then + # I'm not sure this can happen. + echo "TODO: Add Windows"; + exit; + elif [[ "$OSTYPE" == "freebsd"* ]]; then + echo "TODO: Add FreeBSD"; + exit; + else + echo "Unknown" + echo ${OSTYPE} + exit; + fi + + ## Latest npm with Meteor 1.6 + sudo npm -g install npm + sudo npm -g install node-gyp + # Latest fibers for Meteor 1.6 + sudo npm -g install fibers@2.0.0 + # Install Meteor, if it's not yet installed + curl https://install.meteor.com | bash +# mkdir ~/repos +# cd ~/repos +# git clone https://github.com/wekan/wekan.git +# cd wekan +# git checkout devel + break + ;; + "Build Wekan") + echo "Building Wekan." + cd ~/repos/wekan + rm -rf packages + mkdir -p ~/repos/wekan/packages + cd ~/repos/wekan/packages + git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-flow-router + git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core + git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git + git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git + if [[ "$OSTYPE" == "darwin"* ]]; then + echo "sed at macOS"; + sed -i '' 's/api\.versionsFrom/\/\/api.versionsFrom/' ~/repos/wekan/packages/meteor-useraccounts-core/package.js + else + echo "sed at ${OSTYPE}" + sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' ~/repos/wekan/packages/meteor-useraccounts-core/package.js + fi + + cd ~/repos/wekan + rm -rf node_modules + meteor npm install + rm -rf .build + meteor build .build --directory + cp -f fix-download-unicode/cfs_access-point.txt .build/bundle/programs/server/packages/cfs_access-point.js + #Removed binary version of bcrypt because of security vulnerability that is not fixed yet. + #https://github.com/wekan/wekan/commit/4b2010213907c61b0e0482ab55abb06f6a668eac + #https://github.com/wekan/wekan/commit/7eeabf14be3c63fae2226e561ef8a0c1390c8d3c + #cd ~/repos/wekan/.build/bundle/programs/server/npm/node_modules/meteor/npm-bcrypt + #rm -rf node_modules/bcrypt + #meteor npm install bcrypt + cd ~/repos/wekan/.build/bundle/programs/server + rm -rf node_modules + meteor npm install + #meteor npm install bcrypt + cd ~/repos + echo Done. + break + ;; + "Quit") + break + ;; + *) echo invalid option;; + esac +done diff --git a/releases/README.md b/releases/README.md new file mode 100644 index 00000000..86601ad2 --- /dev/null +++ b/releases/README.md @@ -0,0 +1,12 @@ +## Wekan release scripts + +Sorry about the mess. I try to cleanup it sometime. + +I usually use these: +- release.sh +- release-sandstorm.sh +- release-snap.sh + +https://github.com/wekan/wekan-snap/wiki/Making-releases-from-source + +https://github.com/wekan/wekan-maintainer/wiki/Building-Wekan-for-Sandstorm diff --git a/releases/add-tag.sh b/releases/add-tag.sh new file mode 100755 index 00000000..c43617fe --- /dev/null +++ b/releases/add-tag.sh @@ -0,0 +1,5 @@ +# Add tag to repo of new release +# Example: add-tag.sh v1.62 + +git tag -a $1 -m "$1" +git push origin $1 diff --git a/releases/commit.sh b/releases/commit.sh new file mode 100755 index 00000000..5b973177 --- /dev/null +++ b/releases/commit.sh @@ -0,0 +1,4 @@ + +# --- Add commit with showing editor where it's easy to add multiline commit +git commit +# ---- diff --git a/releases/delete-branch-local-and-remote.sh b/releases/delete-branch-local-and-remote.sh new file mode 100755 index 00000000..b362f56f --- /dev/null +++ b/releases/delete-branch-local-and-remote.sh @@ -0,0 +1,3 @@ +# https://makandracards.com/makandra/621-git-delete-a-branch-local-or-remote +#git push origin --delete feature-oauth +git push origin --delete $1 diff --git a/releases/rebuild-release.sh b/releases/rebuild-release.sh new file mode 100755 index 00000000..8a5b8890 --- /dev/null +++ b/releases/rebuild-release.sh @@ -0,0 +1,38 @@ +#!/bin/bash + + echo "Building Wekan." + cd ~/repos/wekan + rm -rf packages + mkdir -p ~/repos/wekan/packages + cd ~/repos/wekan/packages + git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-flow-router + git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core + git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git + git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git + + if [[ "$OSTYPE" == "darwin"* ]]; then + echo "sed at macOS"; + sed -i '' 's/api\.versionsFrom/\/\/api.versionsFrom/' ~/repos/wekan/packages/meteor-useraccounts-core/package.js + else + echo "sed at ${OSTYPE}" + sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' ~/repos/wekan/packages/meteor-useraccounts-core/package.js + fi + + cd ~/repos/wekan + rm -rf node_modules + meteor npm install + rm -rf .build + meteor build .build --directory + cp -f fix-download-unicode/cfs_access-point.txt .build/bundle/programs/server/packages/cfs_access-point.js + #Removed binary version of bcrypt because of security vulnerability that is not fixed yet. + #https://github.com/wekan/wekan/commit/4b2010213907c61b0e0482ab55abb06f6a668eac + #https://github.com/wekan/wekan/commit/7eeabf14be3c63fae2226e561ef8a0c1390c8d3c + #cd ~/repos/wekan/.build/bundle/programs/server/npm/node_modules/meteor/npm-bcrypt + #rm -rf node_modules/bcrypt + #meteor npm install bcrypt + cd ~/repos/wekan/.build/bundle/programs/server + rm -rf node_modules + meteor npm install + #meteor npm install bcrypt + cd ~/repos + echo Building Wekan Done. diff --git a/releases/release-cleanup.sh b/releases/release-cleanup.sh new file mode 100755 index 00000000..ed49638e --- /dev/null +++ b/releases/release-cleanup.sh @@ -0,0 +1,19 @@ +# Usage: ./release.sh 1.36 + +# Delete old stuff +cd ~/ +sudo rm -rf .npm +cd ~/repos/wekan +sudo rm -rf parts prime stage .meteor-spk + +# Set permissions +cd ~/repos +sudo chown user:user wekan -R +cd ~/ +sudo chown user:user .meteor -R +#sudo chown user:user .cache/snapcraft -R +sudo rm -rf .cache/snapcraft +sudo chown user:user .config -R + +# Back +cd ~/repos diff --git a/releases/release-sandstorm.sh b/releases/release-sandstorm.sh new file mode 100755 index 00000000..e696eab4 --- /dev/null +++ b/releases/release-sandstorm.sh @@ -0,0 +1,20 @@ +# Usage: ./release.sh 1.36 + +# Delete old stuff +cd ~/repos +./release-cleanup.sh + +# Build Source +cd ~/repos +./rebuild-release.sh + +# Build Sandstorm +cd ~/repos/wekan +meteor-spk pack wekan-$1.spk +spk publish wekan-$1.spk +scp wekan-$1.spk x2:/var/snap/wekan/common/releases.wekan.team/ +mv wekan-$1.spk .. + +# Delete old stuff +cd ~/repos +./release-cleanup.sh diff --git a/releases/release-snap.sh b/releases/release-snap.sh new file mode 100755 index 00000000..127334c3 --- /dev/null +++ b/releases/release-snap.sh @@ -0,0 +1,26 @@ +# Usage: ./release.sh 1.36 + +# Cleanup +cd ~/repos +./release-cleanup.sh + +# Build Source +cd ~/repos +./rebuild-release.sh + +# Build Snap +cd ~/repos/wekan +rm -rf packages +sudo snapcraft + +# Cleanup +cd ~/repos +./release-cleanup.sh + +# Push snap +cd ~/repos/wekan +sudo snap install --dangerous wekan_$1_amd64.snap +echo "Now you can test local installed snap." +snapcraft push wekan_$1_amd64.snap +scp wekan_$1_amd64.snap x2:/var/snap/wekan/common/releases.wekan.team/ +mv wekan_$1_amd64.snap .. diff --git a/releases/release.sh b/releases/release.sh new file mode 100755 index 00000000..85c60b17 --- /dev/null +++ b/releases/release.sh @@ -0,0 +1,9 @@ +# Usage: ./release.sh 1.36 + +# Build Sandstorm +cd ~/repos/wekan +./releases/release-sandstorm.sh $1 + +# Build Snap +cd ~/repos/wekan +./releases/release-snap.sh $1 diff --git a/releases/sandstorm-make-spk.sh b/releases/sandstorm-make-spk.sh new file mode 100755 index 00000000..8db2a4c3 --- /dev/null +++ b/releases/sandstorm-make-spk.sh @@ -0,0 +1 @@ +meteor-spk pack wekan-1.11.spk diff --git a/releases/sandstorm-test-dev.sh b/releases/sandstorm-test-dev.sh new file mode 100755 index 00000000..5aae36b1 --- /dev/null +++ b/releases/sandstorm-test-dev.sh @@ -0,0 +1 @@ +meteor-spk dev diff --git a/releases/snap-edge.sh b/releases/snap-edge.sh new file mode 100755 index 00000000..2b5197c8 --- /dev/null +++ b/releases/snap-edge.sh @@ -0,0 +1,2 @@ +# Change to snap edge +sudo snap refresh wekan --edge --amend diff --git a/releases/snap-install.sh b/releases/snap-install.sh new file mode 100755 index 00000000..bdb0b7a2 --- /dev/null +++ b/releases/snap-install.sh @@ -0,0 +1 @@ +sudo snap install --dangerous wekan_1.23-17-g9c94ea5_amd64.snap diff --git a/releases/snap-push-to-store.sh b/releases/snap-push-to-store.sh new file mode 100755 index 00000000..dca942fd --- /dev/null +++ b/releases/snap-push-to-store.sh @@ -0,0 +1 @@ +snapcraft push $1 diff --git a/releases/snap-stable.sh b/releases/snap-stable.sh new file mode 100755 index 00000000..b8633100 --- /dev/null +++ b/releases/snap-stable.sh @@ -0,0 +1,2 @@ +# Change to snap stable +sudo snap refresh wekan --stable --amend diff --git a/releases/snapcraft-help.sh b/releases/snapcraft-help.sh new file mode 100755 index 00000000..fa576b30 --- /dev/null +++ b/releases/snapcraft-help.sh @@ -0,0 +1 @@ +snapcraft help topics diff --git a/releases/translations/pull-translations.sh b/releases/translations/pull-translations.sh new file mode 100755 index 00000000..4ce9d22d --- /dev/null +++ b/releases/translations/pull-translations.sh @@ -0,0 +1,136 @@ +cd ~/repos/wekan + +echo "Arabic:" +tx pull -f -l ar + +echo "Bulgarian:" +tx pull -f -l bg_BG + +echo "Breton:" +tx pull -f -l br + +echo "Catalan:" +tx pull -f -l ca + +echo "Czech:" +tx pull -f -l cs + +echo "Georgian:" +tx pull -f -l ka + +echo "German:" +tx pull -f -l de + +echo "Hindi:" +tx pull -f -l hi + +echo "Esperanto:" +tx pull -f -l eo + +echo "English (United Kingdom):" +tx pull -f -l en_GB + +echo "Greek:" +tx pull -f -l el + +echo "Spanish:" +tx pull -f -l es + +echo "Spanish (Argentina):" +tx pull -f -l es_AR + +echo "Basque:" +tx pull -f -l eu + +echo "Persian:" +tx pull -f -l fa + +echo "Finnish:" +tx pull -f -l fi + +echo "French:" +tx pull -f -l fr + +echo "Galician:" +tx pull -f -l gl + +echo "Hebrew:" +tx pull -f -l he + +echo "Hungarian:" +tx pull -f -l hu_HU + +echo "Armenian:" +tx pull -f -l hy + +echo "Indonesian (Indonesia):" +tx pull -f -l id_ID + +echo "Igbo:" +tx pull -f -l ig + +echo "Italian:" +tx pull -f -l it + +echo "Japanese:" +tx pull -f -l ja + +echo "Khmer:" +tx pull -f -l km + +echo "Korean:" +tx pull -f -l ko + +echo "Latvian (Latvia):" +tx pull -f -l lv_LV + +echo "Mongolian (Mongolia):" +tx pull -f -l mn_MN + +echo "Dutch:" +tx pull -f -l nl + +echo "Norwegian:" +tx pull -f -l no + +echo "Polish:" +tx pull -f -l pl + +echo "Portuguese:" +tx pull -f -l pt + +echo "Portuguese (Brazil):" +tx pull -f -l pt_BR + +echo "Romanian (Romania):" +tx pull -f -l ro + +echo "Russian:" +tx pull -f -l ru + +echo "Serbian:" +tx pull -f -l sr + +echo "Swedish:" +tx pull -f -l sv + +echo "Tamil:" +tx pull -f -l ta + +echo "Thai:" +tx pull -f -l th + +echo "Turkish:" +tx pull -f -l tr + +echo "Ukrainian:" +tx pull -f -l uk + +echo "Vietnamese:" +tx pull -f -l vi + +echo "Chinese (China):" +tx pull -f -l zh_CN + +echo "Chinese (Taiwan)" +tx pull -f -l zh_TW diff --git a/releases/translations/push-english-base-translation.sh b/releases/translations/push-english-base-translation.sh new file mode 100755 index 00000000..1d29fd0d --- /dev/null +++ b/releases/translations/push-english-base-translation.sh @@ -0,0 +1,2 @@ +cd ~/repos/wekan +tx push -s diff --git a/releases/virtualbox/README.txt b/releases/virtualbox/README.txt new file mode 100644 index 00000000..04beeba8 --- /dev/null +++ b/releases/virtualbox/README.txt @@ -0,0 +1,6 @@ +Wekan +----- +- NOTE: VirtualBox script use Wekan stable (master+devel branch). Edge scripts are at wekan-maintainer/releases/ directory. +- Wekan is started at boot at /etc/rc.local +- scripts are at ~/repos +- this README.txt is at VirtualBox Ubuntu desktop diff --git a/releases/virtualbox/etc-rc.local.txt b/releases/virtualbox/etc-rc.local.txt new file mode 100644 index 00000000..7c951a8c --- /dev/null +++ b/releases/virtualbox/etc-rc.local.txt @@ -0,0 +1,20 @@ +#!/bin/sh -e +# +# rc.local +# +# This script is executed at the end of each multiuser runlevel. +# Make sure that the script will "exit 0" on success or any other +# value on error. +# +# In order to enable or disable this script just change the execution +# bits. +# +# By default this script does nothing. + +# node-allow-port-80.sh +sudo setcap cap_net_bind_service=+ep /usr/local/bin/node + +# Start Wekan at boot at Ubuntu 14.04 +sudo -H -u wekan bash -c '/home/wekan/repos/wekan/releases/virtualbox/start-wekan.sh' + +exit 0 diff --git a/releases/virtualbox/ipaddress.sh b/releases/virtualbox/ipaddress.sh new file mode 100755 index 00000000..0d79d43d --- /dev/null +++ b/releases/virtualbox/ipaddress.sh @@ -0,0 +1,2 @@ +# ifdata -pa eth0 +ip address diff --git a/releases/virtualbox/node-allow-port-80.sh b/releases/virtualbox/node-allow-port-80.sh new file mode 100755 index 00000000..4f1861b6 --- /dev/null +++ b/releases/virtualbox/node-allow-port-80.sh @@ -0,0 +1 @@ +sudo setcap cap_net_bind_service=+ep /usr/local/bin/node diff --git a/releases/virtualbox/old-rebuild-wekan.sh b/releases/virtualbox/old-rebuild-wekan.sh new file mode 100755 index 00000000..a3941d55 --- /dev/null +++ b/releases/virtualbox/old-rebuild-wekan.sh @@ -0,0 +1,42 @@ +## Most of these are uncommented, because they are already installed. +#sudo rm -rf /usr/local/lib/node_modules +#sudo rm -rf ~/.npm +#sudo apt install build-essential c++ capnproto npm git curl +#sudo npm -g install n +#sudo n 4.8.6 +#sudo npm -g install npm@4.6.1 +#sudo npm -g install node-gyp +#sudo npm -g install node-pre-gyp +#sudo npm -g install fibers@1.0.15 +sudo rm -rf wekan +git clone https://github.com/wekan/wekan +cd ~/repos +#curl https://install.meteor.com -o ./install_meteor.sh +#sed -i "s|RELEASE=.*|RELEASE=${METEOR_RELEASE}\"\"|g" ./install_meteor.sh +#echo "Starting meteor ${METEOR_RELEASE} installation... \n" +#chown wekan:wekan ./install_meteor.sh +#sh ./install_meteor.sh +mkdir -p ~/repos/wekan/packages +cd ~/repos/wekan/packages +rm -rf kadira-flow-router +rm -rf meteor-useraccounts-core +git clone https://github.com/wekan/flow-router.git kadira-flow-router +git clone https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core +sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' ~/repos/wekan/packages/meteor-useraccounts-core/package.js +cd ~/repos/wekan + +rm -rf node_modules +npm install +rm -rf .build +meteor build .build --directory +cp -f fix-download-unicode/cfs_access-point.txt .build/bundle/programs/server/packages/cfs_access-point.js +sed -i "s|build\/Release\/bson|browser_build\/bson|g" ~/repos/wekan/.build/bundle/programs/server/npm/node_modules/meteor/cfs_gridfs/node_modules/mongodb/node_modules/bson/ext/index.js +cd ~/repos/wekan/.build/bundle/programs/server/npm/node_modules/meteor/npm-bcrypt +rm -rf node_modules/bcrypt +meteor npm install --save bcrypt +cd ~/repos/wekan/.build/bundle/programs/server +rm -rf node_modules +npm install +meteor npm install --save bcrypt +cd ~/repos +echo Done. diff --git a/releases/virtualbox/rebuild-wekan.sh b/releases/virtualbox/rebuild-wekan.sh new file mode 100755 index 00000000..e7d55107 --- /dev/null +++ b/releases/virtualbox/rebuild-wekan.sh @@ -0,0 +1,127 @@ +#!/bin/bash + +echo "Note: If you use other locale than en_US.UTF-8 , you need to additionally install en_US.UTF-8" +echo " with 'sudo dpkg-reconfigure locales' , so that MongoDB works correctly." +echo " You can still use any other locale as your main locale." + +X64NODE="https://releases.wekan.team/node-v8.11.3-linux-x64.tar.gz" + +function pause(){ + read -p "$*" +} + +echo +PS3='Please enter your choice: ' +options=("Install Wekan dependencies" "Build Wekan" "Quit") +select opt in "${options[@]}" +do + case $opt in + "Install Wekan dependencies") + + if [[ "$OSTYPE" == "linux-gnu" ]]; then + echo "Linux"; + + if [ "$(grep -Ei 'buntu|mint' /etc/*release)" ]; then + sudo apt install -y build-essential git curl wget + sudo apt -y install nodejs npm + sudo npm -g install n + sudo n 8.11.3 + fi + + if [ "$(grep -Ei 'debian' /etc/*release)" ]; then + sudo apt install -y build-essential git curl wget + echo "Debian, or Debian on Windows Subsystem for Linux" + curl -sL https://deb.nodesource.com/setup_8.x | sudo -E bash - + sudo apt install -y nodejs + fi + + # TODO: Add Sandstorm for version of Node.js install + #MACHINE_TYPE=`uname -m` + #if [ ${MACHINE_TYPE} == 'x86_64' ]; then + # # 64-bit stuff here + # wget ${X64NODE} + # sudo tar -C /usr/local --strip-components 1 -xzf ${X64NODE} + #elif [ ${MACHINE_TYPE} == '32bit' ]; then + # echo "TODO: 32-bit Linux install here" + # exit + #fi + elif [[ "$OSTYPE" == "darwin"* ]]; then + echo "macOS"; + pause '1) Install XCode 2) Install Node 8.x from https://nodejs.org/en/ 3) Press [Enter] key to continue.' + elif [[ "$OSTYPE" == "cygwin" ]]; then + # POSIX compatibility layer and Linux environment emulation for Windows + echo "TODO: Add Cygwin"; + exit; + elif [[ "$OSTYPE" == "msys" ]]; then + # Lightweight shell and GNU utilities compiled for Windows (part of MinGW) + echo "TODO: Add msys on Windows"; + exit; + elif [[ "$OSTYPE" == "win32" ]]; then + # I'm not sure this can happen. + echo "TODO: Add Windows"; + exit; + elif [[ "$OSTYPE" == "freebsd"* ]]; then + echo "TODO: Add FreeBSD"; + exit; + else + echo "Unknown" + echo ${OSTYPE} + exit; + fi + + ## Latest npm with Meteor 1.6 + sudo npm -g install npm + sudo npm -g install node-gyp + # Latest fibers for Meteor 1.6 + sudo npm -g install fibers@2.0.0 + # Install Meteor, if it's not yet installed + curl https://install.meteor.com | bash + mkdir ~/repos + cd ~/repos + git clone https://github.com/wekan/wekan.git + cd wekan + git checkout devel + break + ;; + "Build Wekan") + echo "Building Wekan." + cd ~/repos/wekan + mkdir -p ~/repos/wekan/packages + cd ~/repos/wekan/packages + git clone https://github.com/wekan/flow-router.git kadira-flow-router + git clone https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core + + if [[ "$OSTYPE" == "darwin"* ]]; then + echo "sed at macOS"; + sed -i '' 's/api\.versionsFrom/\/\/api.versionsFrom/' ~/repos/wekan/packages/meteor-useraccounts-core/package.js + else + echo "sed at ${OSTYPE}" + sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' ~/repos/wekan/packages/meteor-useraccounts-core/package.js + fi + + cd ~/repos/wekan + rm -rf node_modules + meteor npm install + rm -rf .build + meteor build .build --directory + cp -f fix-download-unicode/cfs_access-point.txt .build/bundle/programs/server/packages/cfs_access-point.js + #Removed binary version of bcrypt because of security vulnerability that is not fixed yet. + #https://github.com/wekan/wekan/commit/4b2010213907c61b0e0482ab55abb06f6a668eac + #https://github.com/wekan/wekan/commit/7eeabf14be3c63fae2226e561ef8a0c1390c8d3c + #cd ~/repos/wekan/.build/bundle/programs/server/npm/node_modules/meteor/npm-bcrypt + #rm -rf node_modules/bcrypt + #meteor npm install bcrypt + cd ~/repos/wekan/.build/bundle/programs/server + rm -rf node_modules + meteor npm install + #meteor npm install bcrypt + cd ~/repos + echo Done. + break + ;; + "Quit") + break + ;; + *) echo invalid option;; + esac +done diff --git a/releases/virtualbox/start-wekan.sh b/releases/virtualbox/start-wekan.sh new file mode 100755 index 00000000..67f52dc0 --- /dev/null +++ b/releases/virtualbox/start-wekan.sh @@ -0,0 +1,72 @@ +# If you want to restart even on crash, uncomment while and done lines. + +#while true; do + cd ~/repos/wekan/.build/bundle + export MONGO_URL='mongodb://127.0.0.1:27017/admin' + # ROOT_URL EXAMPLES FOR WEBSERVERS: https://github.com/wekan/wekan/wiki/Settings + # Production: https://example.com/wekan + # Local: http://localhost:3000 + #export ipaddress=$(ifdata -pa eth0) + export ROOT_URL='http://localhost' + #--------------------------------------------- + # Working email IS NOT REQUIRED to use Wekan. + # https://github.com/wekan/wekan/wiki/Adding-users + # https://github.com/wekan/wekan/wiki/Troubleshooting-Mail + # https://github.com/wekan/wekan-mongodb/blob/master/docker-compose.yml + export MAIL_URL='smtp://user:pass@mailserver.example.com:25/' + export MAIL_FROM='Wekan Support ' + # This is local port where Wekan Node.js runs, same as below on Caddyfile settings. + export PORT=80 + #--------------------------------------------- + # Wekan Export Board works when WITH_API='true'. + # If you disable Wekan API, Export Board does not work. + export WITH_API='true' + #--------------------------------------------- + ## Optional: Integration with Matomo https://matomo.org that is installed to your server + ## The address of the server where Matomo is hosted: + # export MATOMO_ADDRESS='https://example.com/matomo' + export MATOMO_ADDRESS='' + ## The value of the site ID given in Matomo server for Wekan + # export MATOMO_SITE_ID='123456789' + export MATOMO_SITE_ID='' + ## The option do not track which enables users to not be tracked by matomo" + # export MATOMO_DO_NOT_TRACK='false' + export MATOMO_DO_NOT_TRACK='true' + ## The option that allows matomo to retrieve the username: + # export MATOMO_WITH_USERNAME='true' + export MATOMO_WITH_USERNAME='false' + # Enable browser policy and allow one trusted URL that can have iframe that has Wekan embedded inside. + # Setting this to false is not recommended, it also disables all other browser policy protections + # and allows all iframing etc. See wekan/server/policy.js + # Default value: true + export BROWSER_POLICY_ENABLED=true + # When browser policy is enabled, HTML code at this Trusted URL can have iframe that embeds Wekan inside. + # Example: export TRUSTED_URL=http://example.com + export TRUSTED_URL='' + # What to send to Outgoing Webhook, or leave out. Example, that includes all that are default: cardId,listId,oldListId,boardId,comment,user,card,commentId . + # Example: export WEBHOOKS_ATTRIBUTES=cardId,listId,oldListId,boardId,comment,user,card,commentId + export WEBHOOKS_ATTRIBUTES='' + #--------------------------------------------- + # OAuth2 docs: https://github.com/wekan/wekan/wiki/OAuth2 + # OAuth2 Client ID, for example from Rocket.Chat. Example: abcde12345 + # example: export OAUTH2_CLIENT_ID=abcde12345 + export OAUTH2_CLIENT_ID='' + # OAuth2 Secret, for example from Rocket.Chat: Example: 54321abcde + # example: export OAUTH2_SECRET=54321abcde + export OAUTH2_SECRET='' + # OAuth2 Server URL, for example Rocket.Chat. Example: https://chat.example.com + # example: export OAUTH2_SERVER_URL=https://chat.example.com + export OAUTH2_SERVER_URL='' + # OAuth2 Authorization Endpoint. Example: /oauth/authorize + # example: export OAUTH2_AUTH_ENDPOINT=/oauth/authorize + export OAUTH2_AUTH_ENDPOINT='' + # OAuth2 Userinfo Endpoint. Example: /oauth/userinfo + # example: export OAUTH2_USERINFO_ENDPOINT=/oauth/userinfo + export OAUTH2_USERINFO_ENDPOINT='' + # OAuth2 Token Endpoint. Example: /oauth/token + # example: export OAUTH2_TOKEN_ENDPOINT=/oauth/token + export OAUTH2_TOKEN_ENDPOINT='' + #--------------------------------------------- + node main.js & >> ~/repos/wekan.log + cd ~/repos +#done diff --git a/releases/virtualbox/stop-wekan.sh b/releases/virtualbox/stop-wekan.sh new file mode 100755 index 00000000..a7adf03b --- /dev/null +++ b/releases/virtualbox/stop-wekan.sh @@ -0,0 +1 @@ +pkill -f "node main.js" diff --git a/releases/wekan-snap-help.sh b/releases/wekan-snap-help.sh new file mode 100755 index 00000000..cbeb7426 --- /dev/null +++ b/releases/wekan-snap-help.sh @@ -0,0 +1 @@ +wekan.help | less diff --git a/start-wekan.bat b/start-wekan.bat new file mode 100644 index 00000000..019e3863 --- /dev/null +++ b/start-wekan.bat @@ -0,0 +1,8 @@ +SET MONGO_URL=mongodb://127.0.0.1:27017/wekan +SET ROOT_URL=http://127.0.0.1:2000/ +SET MAIL_URL=smtp://user:pass@mailserver.example.com:25/ +SET MAIL_FROM=admin@example.com +SET PORT=2000 +SET WITH_API=true +cd .build\bundle +node main.js \ No newline at end of file diff --git a/start-wekan.sh b/start-wekan.sh new file mode 100755 index 00000000..6006fb92 --- /dev/null +++ b/start-wekan.sh @@ -0,0 +1,23 @@ +# If you want to restart even on crash, uncomment while and done lines. + +#while true; do + cd ~/repos/wekan/.build/bundle + #export MONGO_URL='mongodb://127.0.0.1:27019/wekantest' + #export MONGO_URL='mongodb://127.0.0.1:27019/wekan' + export MONGO_URL='mongodb://127.0.0.1:27019/wekantest' + # Production: https://example.com/wekan + # Local: http://localhost:2000 + #export ipaddress=$(ifdata -pa eth0) + export ROOT_URL='http://localhost:2000' + # https://github.com/wekan/wekan/wiki/Troubleshooting-Mail + # https://github.com/wekan/wekan-mongodb/blob/master/docker-compose.yml + export MAIL_URL='smtp://user:pass@mailserver.example.com:25/' + # This is local port where Wekan Node.js runs, same as below on Caddyfile settings. + export WITH_API=true + export KADIRA_OPTIONS_ENDPOINT=http://127.0.0.1:11011 + export PORT=2000 + #export LDAP_ENABLE=true + node main.js + # & >> ~/repos/wekan.log + cd ~/repos +#done diff --git a/status-wekan.sh b/status-wekan.sh new file mode 100755 index 00000000..2b815f4a --- /dev/null +++ b/status-wekan.sh @@ -0,0 +1,5 @@ +echo -e "\nWekan node.js:" +ps aux | grep "node main.js" | grep -v grep +echo -e "\nWekan mongodb:" +ps aux | grep mongo | grep -v grep +echo -e "\nWekan logs are at /home/wekan/repos/wekan.log\n" diff --git a/stop-wekan.sh b/stop-wekan.sh new file mode 100755 index 00000000..a7adf03b --- /dev/null +++ b/stop-wekan.sh @@ -0,0 +1 @@ +pkill -f "node main.js" -- cgit v1.2.3-1-g7c22 From 68e5909c96e1ce1360d31f956686e3144b698b97 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 4 Nov 2018 18:47:18 +0200 Subject: - Add more options to start-wekan.bat --- start-wekan.bat | 172 +++++++++++++++++++++++++++++++++++++++++++++++++++++++- 1 file changed, 171 insertions(+), 1 deletion(-) diff --git a/start-wekan.bat b/start-wekan.bat index 019e3863..3b1e8e77 100644 --- a/start-wekan.bat +++ b/start-wekan.bat @@ -3,6 +3,176 @@ SET ROOT_URL=http://127.0.0.1:2000/ SET MAIL_URL=smtp://user:pass@mailserver.example.com:25/ SET MAIL_FROM=admin@example.com SET PORT=2000 + +REM If you disable Wekan API with false, Export Board does not work. SET WITH_API=true + +REM Optional: Integration with Matomo https://matomo.org that is installed to your server +REM The address of the server where Matomo is hosted. +REM example: - MATOMO_ADDRESS=https://example.com/matomo +REM SET MATOMO_ADDRESS= +REM The value of the site ID given in Matomo server for Wekan +REM example: - MATOMO_SITE_ID=12345 +REM SET MATOMO_SITE_ID= +REM The option do not track which enables users to not be tracked by matomo +REM example: - MATOMO_DO_NOT_TRACK=false +REM SET MATOMO_DO_NOT_TRACK= +REM The option that allows matomo to retrieve the username: +REM example: MATOMO_WITH_USERNAME=true +REM SET MATOMO_WITH_USERNAME=false + +REM Enable browser policy and allow one trusted URL that can have iframe that has Wekan embedded inside. +REM Setting this to false is not recommended, it also disables all other browser policy protections +REM and allows all iframing etc. See wekan/server/policy.js +SET BROWSER_POLICY_ENABLED=true +REM When browser policy is enabled, HTML code at this Trusted URL can have iframe that embeds Wekan inside. +REM SET TRUSTED_URL= + +REM What to send to Outgoing Webhook, or leave out. Example, that includes all that are default: cardId,listId,oldListId,boardId,comment,user,card,commentId . +REM example: WEBHOOKS_ATTRIBUTES=cardId,listId,oldListId,boardId,comment,user,card,commentId +REM SET WEBHOOKS_ATTRIBUTES= + +REM Enable the OAuth2 connection +REM example: OAUTH2_ENABLED=true +REM SET OAUTH2_ENABLED=false +REM OAuth2 docs: https://github.com/wekan/wekan/wiki/OAuth2 +REM OAuth2 Client ID, for example from Rocket.Chat. Example: abcde12345 +REM example: OAUTH2_CLIENT_ID=abcde12345 +REM SET OAUTH2_CLIENT_ID= +REM OAuth2 Secret, for example from Rocket.Chat: Example: 54321abcde +REM example: OAUTH2_SECRET=54321abcde +REM SET OAUTH2_SECRET= +REM OAuth2 Server URL, for example Rocket.Chat. Example: https://chat.example.com +REM example: OAUTH2_SERVER_URL=https://chat.example.com +REM SET OAUTH2_SERVER_URL= +REM OAuth2 Authorization Endpoint. Example: /oauth/authorize +REM example: OAUTH2_AUTH_ENDPOINT=/oauth/authorize +REM SET OAUTH2_AUTH_ENDPOINT= +REM OAuth2 Userinfo Endpoint. Example: /oauth/userinfo +REM example: OAUTH2_USERINFO_ENDPOINT=/oauth/userinfo +REM SET OAUTH2_USERINFO_ENDPOINT= +REM OAuth2 Token Endpoint. Example: /oauth/token +REM example: OAUTH2_TOKEN_ENDPOINT=/oauth/token +REM SET OAUTH2_TOKEN_ENDPOINT= + +REM LDAP_ENABLE : Enable or not the connection by the LDAP +REM example : LDAP_ENABLE=true +REM SET LDAP_ENABLE=false +REM LDAP_PORT : The port of the LDAP server +REM example : LDAP_PORT=389 +REM SET LDAP_PORT=389 +REM LDAP_HOST : The host server for the LDAP server +REM example : LDAP_HOST=localhost +REM SET LDAP_HOST= +REM LDAP_BASEDN : The base DN for the LDAP Tree +REM example : LDAP_BASEDN=ou=user,dc=example,dc=org +REM SET LDAP_BASEDN= +REM LDAP_LOGIN_FALLBACK : Fallback on the default authentication method +REM example : LDAP_LOGIN_FALLBACK=true +REM SET LDAP_LOGIN_FALLBACK=false +REM LDAP_RECONNECT : Reconnect to the server if the connection is lost +REM example : LDAP_RECONNECT=false +REM SET LDAP_RECONNECT=true +REM LDAP_TIMEOUT : Overall timeout, in milliseconds +REM example : LDAP_TIMEOUT=12345 +REM SET LDAP_TIMEOUT=10000 +REM LDAP_IDLE_TIMEOUT : Specifies the timeout for idle LDAP connections in milliseconds +REM example : LDAP_IDLE_TIMEOUT=12345 +REM SET LDAP_IDLE_TIMEOUT=10000 +REM LDAP_CONNECT_TIMEOUT : Connection timeout, in milliseconds +REM example : LDAP_CONNECT_TIMEOUT=12345 +REM SET LDAP_CONNECT_TIMEOUT=10000 +REM LDAP_AUTHENTIFICATION : If the LDAP needs a user account to search +REM example : LDAP_AUTHENTIFICATION=true +REM SET LDAP_AUTHENTIFICATION=false +REM LDAP_AUTHENTIFICATION_USERDN : The search user DN +REM example : LDAP_AUTHENTIFICATION_USERDN=cn=admin,dc=example,dc=org +REM SET LDAP_AUTHENTIFICATION_USERDN= +REM LDAP_AUTHENTIFICATION_PASSWORD : The password for the search user +REM example : AUTHENTIFICATION_PASSWORD=admin +REM SET LDAP_AUTHENTIFICATION_PASSWORD= +REM LDAP_LOG_ENABLED : Enable logs for the module +REM example : LDAP_LOG_ENABLED=true +REM SET LDAP_LOG_ENABLED=false +REM LDAP_BACKGROUND_SYNC : If the sync of the users should be done in the background +REM example : LDAP_BACKGROUND_SYNC=true +REM SET LDAP_BACKGROUND_SYNC=false +REM LDAP_BACKGROUND_SYNC_INTERVAL : At which interval does the background task sync in milliseconds +REM example : LDAP_BACKGROUND_SYNC_INTERVAL=12345 +REM SET LDAP_BACKGROUND_SYNC_INTERVAL=100 +REM LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED : +REM example : LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=true +REM SET LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=false +REM LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS : +REM example : LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=true +REM SET LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=false +REM LDAP_ENCRYPTION : If using LDAPS +REM example : LDAP_ENCRYPTION=ssl +REM SET LDAP_ENCRYPTION=false +REM LDAP_CA_CERT : The certification for the LDAPS server. Certificate needs to be included in this docker-compose.yml file. +REM example : LDAP_CA_CERT=-----BEGIN CERTIFICATE-----MIIE+zCCA+OgAwIBAgIkAhwR/6TVLmdRY6hHxvUFWc0+Enmu/Hu6cj+G2FIdAgIC...-----END CERTIFICATE----- +REM SET LDAP_CA_CERT= +REM LDAP_REJECT_UNAUTHORIZED : Reject Unauthorized Certificate +REM example : LDAP_REJECT_UNAUTHORIZED=true +REM SET LDAP_REJECT_UNAUTHORIZED=false +REM LDAP_USER_SEARCH_FILTER : Optional extra LDAP filters. Don't forget the outmost enclosing parentheses if needed +REM example : LDAP_USER_SEARCH_FILTER= +REM SET LDAP_USER_SEARCH_FILTER= +REM LDAP_USER_SEARCH_SCOPE : base (search only in the provided DN), one (search only in the provided DN and one level deep), or sub (search the whole subtree) +REM example : LDAP_USER_SEARCH_SCOPE=one +REM SET LDAP_USER_SEARCH_SCOPE= +REM LDAP_USER_SEARCH_FIELD : Which field is used to find the user +REM example : LDAP_USER_SEARCH_FIELD=uid +REM SET LDAP_USER_SEARCH_FIELD= +REM LDAP_SEARCH_PAGE_SIZE : Used for pagination (0=unlimited) +REM example : LDAP_SEARCH_PAGE_SIZE=12345 +REM SET LDAP_SEARCH_PAGE_SIZE=0 +REM LDAP_SEARCH_SIZE_LIMIT : The limit number of entries (0=unlimited) +REM example : LDAP_SEARCH_SIZE_LIMIT=12345 +REM SET LDAP_SEARCH_SIZE_LIMIT=0 +REM LDAP_GROUP_FILTER_ENABLE : Enable group filtering +REM example : LDAP_GROUP_FILTER_ENABLE=true +REM SET LDAP_GROUP_FILTER_ENABLE=false +REM LDAP_GROUP_FILTER_OBJECTCLASS : The object class for filtering +REM example : LDAP_GROUP_FILTER_OBJECTCLASS=group +REM SET LDAP_GROUP_FILTER_OBJECTCLASS= +REM LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE : +REM example : +REM SET LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE= +REM LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE : +REM example : +REM SET LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE= +REM LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT : +REM example : +REM SET LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT= +REM LDAP_GROUP_FILTER_GROUP_NAME : +REM example : +REM SET LDAP_GROUP_FILTER_GROUP_NAME= +REM LDAP_UNIQUE_IDENTIFIER_FIELD : This field is sometimes class GUID (Globally Unique Identifier) +REM example : LDAP_UNIQUE_IDENTIFIER_FIELD=guid +REM SET LDAP_UNIQUE_IDENTIFIER_FIELD= +REM LDAP_UTF8_NAMES_SLUGIFY : Convert the username to utf8 +REM example : LDAP_UTF8_NAMES_SLUGIFY=false +REM SET LDAP_UTF8_NAMES_SLUGIFY=true +REM LDAP_USERNAME_FIELD : Which field contains the ldap username +REM example : LDAP_USERNAME_FIELD=username +REM SET LDAP_USERNAME_FIELD= +REM LDAP_MERGE_EXISTING_USERS : +REM example : LDAP_MERGE_EXISTING_USERS=true +REM SET LDAP_MERGE_EXISTING_USERS=false +REM LDAP_SYNC_USER_DATA : +REM example : LDAP_SYNC_USER_DATA=true +REM SET LDAP_SYNC_USER_DATA=false +REM LDAP_SYNC_USER_DATA_FIELDMAP : +REM example : LDAP_SYNC_USER_DATA_FIELDMAP={"cn":"name", "mail":"email"} +REM SET LDAP_SYNC_USER_DATA_FIELDMAP= +REM LDAP_SYNC_GROUP_ROLES : +REM example : +REM SET LDAP_SYNC_GROUP_ROLES= +REM LDAP_DEFAULT_DOMAIN : The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP +REM example : +REM SET LDAP_DEFAULT_DOMAIN= + cd .build\bundle -node main.js \ No newline at end of file +node main.js +cd ..\.. \ No newline at end of file -- cgit v1.2.3-1-g7c22 From a82aa87850b9bfbab503b1f07dd6b7542a20c2f4 Mon Sep 17 00:00:00 2001 From: Nunes Nelson Date: Mon, 5 Nov 2018 21:46:57 +0100 Subject: custom fields upgrade --- client/components/cards/minicard.jade | 5 +++-- client/components/lists/listBody.js | 10 ++++++++++ client/components/sidebar/sidebarCustomFields.jade | 10 ++++++++++ client/components/sidebar/sidebarCustomFields.js | 18 ++++++++++++++++++ i18n/en.i18n.json | 2 ++ models/customFields.js | 8 ++++++++ 6 files changed, 51 insertions(+), 2 deletions(-) diff --git a/client/components/cards/minicard.jade b/client/components/cards/minicard.jade index 5c609802..f23e91b3 100644 --- a/client/components/cards/minicard.jade +++ b/client/components/cards/minicard.jade @@ -53,8 +53,9 @@ template(name="minicard") each customFieldsWD if definition.showOnCard .minicard-custom-field - .minicard-custom-field-item - = definition.name + if definition.showLabelOnMiniCard + .minicard-custom-field-item + = definition.name .minicard-custom-field-item +viewer = trueValue diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index d99d9dc8..66b50123 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -59,6 +59,8 @@ BlazeComponent.extendComponent({ swimlaneId, type: 'cardType-card', }); + + // In case the filter is active we need to add the newly inserted card in // the list of exceptions -- cards that are not filtered. Otherwise the // card will disappear instantly. @@ -152,6 +154,14 @@ BlazeComponent.extendComponent({ this.labels = new ReactiveVar([]); this.members = new ReactiveVar([]); this.customFields = new ReactiveVar([]); + + const currentBoardId = Session.get('currentBoard'); + arr = [] + _.forEach(Boards.findOne(currentBoardId).customFields().fetch(), function(field){ + if(field.automaticallyOnCard) + arr.push({_id: field._id, value: null,}) + }) + this.customFields.set(arr); }, reset() { diff --git a/client/components/sidebar/sidebarCustomFields.jade b/client/components/sidebar/sidebarCustomFields.jade index fd31e5ac..f0a17773 100644 --- a/client/components/sidebar/sidebarCustomFields.jade +++ b/client/components/sidebar/sidebarCustomFields.jade @@ -41,6 +41,16 @@ template(name="createCustomFieldPopup") .materialCheckBox(class="{{#if showOnCard}}is-checked{{/if}}") span {{_ 'show-field-on-card'}} + a.flex.js-field-automatically-on-card(class="{{#if automaticallyOnCard}}is-checked{{/if}}") + .materialCheckBox(class="{{#if automaticallyOnCard}}is-checked{{/if}}") + + span {{_ 'automatically-field-on-card'}} + + a.flex.js-field-showLabel-on-card(class="{{#if showLabelOnMiniCard}}is-checked{{/if}}") + .materialCheckBox(class="{{#if showLabelOnMiniCard}}is-checked{{/if}}") + + span {{_ 'showLabel-field-on-card'}} + button.primary.wide.left(type="button") | {{_ 'save'}} if _id diff --git a/client/components/sidebar/sidebarCustomFields.js b/client/components/sidebar/sidebarCustomFields.js index e56d744e..ccc8ffb9 100644 --- a/client/components/sidebar/sidebarCustomFields.js +++ b/client/components/sidebar/sidebarCustomFields.js @@ -83,6 +83,22 @@ const CreateCustomFieldPopup = BlazeComponent.extendComponent({ $target.find('.materialCheckBox').toggleClass('is-checked'); $target.toggleClass('is-checked'); }, + 'click .js-field-automatically-on-card'(evt) { + let $target = $(evt.target); + if(!$target.hasClass('js-field-automatically-on-card')){ + $target = $target.parent(); + } + $target.find('.materialCheckBox').toggleClass('is-checked'); + $target.toggleClass('is-checked'); + }, + 'click .js-field-showLabel-on-card'(evt) { + let $target = $(evt.target); + if(!$target.hasClass('js-field-showLabel-on-card')){ + $target = $target.parent(); + } + $target.find('.materialCheckBox').toggleClass('is-checked'); + $target.toggleClass('is-checked'); + }, 'click .primary'(evt) { evt.preventDefault(); @@ -92,6 +108,8 @@ const CreateCustomFieldPopup = BlazeComponent.extendComponent({ type: this.type.get(), settings: this.getSettings(), showOnCard: this.find('.js-field-show-on-card.is-checked') !== null, + showLabelOnMiniCard: this.find('.js-field-showLabel-on-card.is-checked') !== null, + automaticallyOnCard: this.find('.js-field-automatically-on-card.is-checked') !== null, }; // insert or update diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index e69101f0..fb005392 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -482,6 +482,8 @@ "minutes": "minutes", "seconds": "seconds", "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create on all cards", + "showLabel-field-on-card": "Show label on mini card", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/models/customFields.js b/models/customFields.js index 203e46d0..5bb5e743 100644 --- a/models/customFields.js +++ b/models/customFields.js @@ -31,6 +31,12 @@ CustomFields.attachSchema(new SimpleSchema({ showOnCard: { type: Boolean, }, + automaticallyOnCard: { + type: Boolean, + }, + showLabelOnMiniCard: { + type: Boolean, + }, })); CustomFields.allow({ @@ -115,6 +121,8 @@ if (Meteor.isServer) { type: req.body.type, settings: req.body.settings, showOnCard: req.body.showOnCard, + automaticallyOnCard: req.body.automaticallyOnCard, + showLabelOnMiniCard: req.body.showLabelOnMiniCard, boardId: paramBoardId, }); -- cgit v1.2.3-1-g7c22 From 8c497efb46d2193674fee2e0c9da8053c533e79e Mon Sep 17 00:00:00 2001 From: guillaume Date: Tue, 6 Nov 2018 11:28:35 +0100 Subject: patch authentication --- client/components/main/layouts.jade | 1 - client/components/main/layouts.js | 70 +++++++++--------------- client/components/settings/connectionMethod.jade | 6 -- client/components/settings/connectionMethod.js | 34 ------------ models/users.js | 8 +-- 5 files changed, 31 insertions(+), 88 deletions(-) delete mode 100644 client/components/settings/connectionMethod.jade delete mode 100644 client/components/settings/connectionMethod.js diff --git a/client/components/main/layouts.jade b/client/components/main/layouts.jade index 68876dc5..ac7da3af 100644 --- a/client/components/main/layouts.jade +++ b/client/components/main/layouts.jade @@ -18,7 +18,6 @@ template(name="userFormsLayout") img(src="{{pathFor '/wekan-logo.png'}}" alt="Wekan") section.auth-dialog +Template.dynamic(template=content) - +connectionMethod if isCas .at-form button#cas(class='at-btn submit' type='submit') {{casSignInLabel}} diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index 393f890b..18cc6cc4 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -6,23 +6,7 @@ const i18nTagToT9n = (i18nTag) => { return i18nTag; }; -const validator = { - set(obj, prop, value) { - if (prop === 'state' && value !== 'signIn') { - $('.at-form-authentication').hide(); - } else if (prop === 'state' && value === 'signIn') { - $('.at-form-authentication').show(); - } - // The default behavior to store the value - obj[prop] = value; - // Indicate success - return true; - }, -}; - Template.userFormsLayout.onRendered(() => { - AccountsTemplates.state.form.keys = new Proxy(AccountsTemplates.state.form.keys, validator); - const i18nTag = navigator.language; if (i18nTag) { T9n.setLanguage(i18nTagToT9n(i18nTag)); @@ -85,39 +69,39 @@ Template.userFormsLayout.events({ /* All authentication method can be managed/called here. !! DON'T FORGET to correctly fill the fields of the user during its creation if necessary authenticationMethod : String !! */ - const authenticationMethodSelected = $('.select-authentication').val(); - // Local account - if (authenticationMethodSelected === 'password') { + if (FlowRouter.getRouteName() !== 'atSignIn') { return; } - // Stop submit #at-pwd-form - event.preventDefault(); - event.stopImmediatePropagation(); - const email = $('#at-field-username_and_email').val(); - const password = $('#at-field-password').val(); - // Ldap account - if (authenticationMethodSelected === 'ldap') { - // Check if the user can use the ldap connection - Meteor.subscribe('user-authenticationMethod', email, { - onReady() { - const user = Users.findOne(); - if (user === undefined || user.authenticationMethod === 'ldap') { - // Use the ldap connection package - Meteor.loginWithLDAP(email, password, function(error) { - if (!error) { - // Connection - return FlowRouter.go('/'); - } - return error; - }); - } + Meteor.subscribe('user-authenticationMethod', email, { + onReady() { + const user = Users.findOne(); + + if (user && user.authenticationMethod === 'password') { return this.stop(); - }, - }); - } + } + + // Stop submit #at-pwd-form + event.preventDefault(); + event.stopImmediatePropagation(); + + const password = $('#at-field-password').val(); + + if (user === undefined || user.authenticationMethod === 'ldap') { + // Use the ldap connection package + Meteor.loginWithLDAP(email, password, function(error) { + if (!error) { + // Connection + return FlowRouter.go('/'); + } + return error; + }); + } + return this.stop(); + }, + }); }, }); diff --git a/client/components/settings/connectionMethod.jade b/client/components/settings/connectionMethod.jade deleted file mode 100644 index ac4c8c64..00000000 --- a/client/components/settings/connectionMethod.jade +++ /dev/null @@ -1,6 +0,0 @@ -template(name='connectionMethod') - div.at-form-authentication - label {{_ 'authentication-method'}} - select.select-authentication - each authentications - option(value="{{value}}") {{_ value}} diff --git a/client/components/settings/connectionMethod.js b/client/components/settings/connectionMethod.js deleted file mode 100644 index 9fe8f382..00000000 --- a/client/components/settings/connectionMethod.js +++ /dev/null @@ -1,34 +0,0 @@ -Template.connectionMethod.onCreated(function() { - this.authenticationMethods = new ReactiveVar([]); - - Meteor.call('getAuthenticationsEnabled', (_, result) => { - if (result) { - // TODO : add a management of different languages - // (ex {value: ldap, text: TAPi18n.__('ldap', {}, T9n.getLanguage() || 'en')}) - this.authenticationMethods.set([ - {value: 'password'}, - // Gets only the authentication methods availables - ...Object.entries(result).filter((e) => e[1]).map((e) => ({value: e[0]})), - ]); - } - - // If only the default authentication available, hides the select boxe - const content = $('.at-form-authentication'); - if (!(this.authenticationMethods.get().length > 1)) { - content.hide(); - } else { - content.show(); - } - }); -}); - -Template.connectionMethod.onRendered(() => { - // Moves the select boxe in the first place of the at-pwd-form div - $('.at-form-authentication').detach().prependTo('.at-pwd-form'); -}); - -Template.connectionMethod.helpers({ - authentications() { - return Template.instance().authenticationMethods.get(); - }, -}); diff --git a/models/users.js b/models/users.js index 630f4703..2e879d94 100644 --- a/models/users.js +++ b/models/users.js @@ -520,10 +520,10 @@ if (Meteor.isServer) { } const disableRegistration = Settings.findOne().disableRegistration; - // If ldap, bypass the inviation code if the self registration isn't allowed. - // TODO : pay attention if ldap field in the user model change to another content ex : ldap field to connection_type - if (options.ldap || !disableRegistration) { - user.authenticationMethod = 'ldap'; + if (!disableRegistration) { + if (options.ldap) { + user.authenticationMethod = 'ldap'; + } return user; } -- cgit v1.2.3-1-g7c22 From 3646a9c259634bbed03b71ead53338c3f290cf0b Mon Sep 17 00:00:00 2001 From: guillaume Date: Tue, 6 Nov 2018 17:48:12 +0100 Subject: Logout with timer --- .meteor/packages | 1 + .meteor/versions | 1 + Dockerfile | 12 ++++++++++-- client/components/main/layouts.js | 2 ++ docker-compose.yml | 12 ++++++++++++ models/settings.js | 23 +++++++++++++++++++++++ server/publications/users.js | 1 + snap-src/bin/config | 18 +++++++++++++++++- snap-src/bin/wekan-help | 16 ++++++++++++++++ 9 files changed, 83 insertions(+), 3 deletions(-) diff --git a/.meteor/packages b/.meteor/packages index 3779a684..f8626704 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -89,3 +89,4 @@ mquandalle:moment msavin:usercache wekan:wekan-ldap wekan:accounts-cas +msavin:sjobs diff --git a/.meteor/versions b/.meteor/versions index 6415eb8b..5235e6a0 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -117,6 +117,7 @@ mquandalle:jquery-ui-drag-drop-sort@0.2.0 mquandalle:moment@1.0.1 mquandalle:mousetrap-bindglobal@0.0.1 mquandalle:perfect-scrollbar@0.6.5_2 +msavin:sjobs@3.0.6 msavin:usercache@1.0.0 npm-bcrypt@0.9.3 npm-mongo@2.2.33 diff --git a/Dockerfile b/Dockerfile index 0ba7bfc3..90f1d0a4 100644 --- a/Dockerfile +++ b/Dockerfile @@ -64,6 +64,10 @@ ARG LDAP_SYNC_USER_DATA ARG LDAP_SYNC_USER_DATA_FIELDMAP ARG LDAP_SYNC_GROUP_ROLES ARG LDAP_DEFAULT_DOMAIN +ARG LOGOUT_WITH_TIMER +ARG LOGOUT_IN +ARG LOGOUT_ON_HOURS +ARG LOGOUT_ON_MINUTES # Set the environment variables (defaults where required) # DOES NOT WORK: paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303 @@ -130,7 +134,11 @@ ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential pyth LDAP_SYNC_USER_DATA=false \ LDAP_SYNC_USER_DATA_FIELDMAP="" \ LDAP_SYNC_GROUP_ROLES="" \ - LDAP_DEFAULT_DOMAIN="" + LDAP_DEFAULT_DOMAIN="" \ + LOGOUT_WITH_TIMER="false" \ + LOGOUT_IN="" \ + LOGOUT_ON_HOURS="" \ + LOGOUT_ON_MINUTES="" # Copy the app to the image COPY ${SRC_PATH} /home/wekan/app @@ -159,7 +167,7 @@ RUN \ # Also see beginning of wekan/server/authentication.js # import Fiber from "fibers"; # Fiber.poolSize = 1e9; - # OLD: Download node version 8.12.0 prerelease that has fix included, => Official 8.12.0 has been released + # OLD: Download node version 8.12.0 prerelease that has fix included, => Official 8.12.0 has been released # Description at https://releases.wekan.team/node.txt #wget https://releases.wekan.team/node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz && \ #echo "1ed54adb8497ad8967075a0b5d03dd5d0a502be43d4a4d84e5af489c613d7795 node-v8.12.0-linux-x64.tar.gz" >> SHASUMS256.txt.asc && \ diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index 18cc6cc4..3fda11b7 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -80,6 +80,7 @@ Template.userFormsLayout.events({ const user = Users.findOne(); if (user && user.authenticationMethod === 'password') { + logoutWithTimer(user._id); return this.stop(); } @@ -93,6 +94,7 @@ Template.userFormsLayout.events({ // Use the ldap connection package Meteor.loginWithLDAP(email, password, function(error) { if (!error) { + logoutWithTimer(user._id); // Connection return FlowRouter.go('/'); } diff --git a/docker-compose.yml b/docker-compose.yml index 56ca7775..3a3befbb 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -195,6 +195,18 @@ services: # LDAP_DEFAULT_DOMAIN : The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP # example : #- LDAP_DEFAULT_DOMAIN= + # LOGOUT_WITH_TIMER : Enables or not the option logout with timer + # example : LOGOUT_WITH_TIMER=true + #- LOGOUT_WITH_TIMER= + # LOGOUT_IN : The number of days + # example : LOGOUT_IN=1 + #- LOGOUT_IN= + # LOGOUT_ON_HOURS : The number of hours + # example : LOGOUT_ON_HOURS=9 + #- LOGOUT_ON_HOURS= + # LOGOUT_ON_MINUTES : The number of minutes + # example : LOGOUT_ON_MINUTES=55 + #- LOGOUT_ON_MINUTES= depends_on: - wekandb diff --git a/models/settings.js b/models/settings.js index c2a9bf01..35d71533 100644 --- a/models/settings.js +++ b/models/settings.js @@ -235,5 +235,28 @@ if (Meteor.isServer) { cas: isCasEnabled(), }; }, + logoutWithTimer(userId) { + if (process.env.LOGOUT_WITH_TIMER) { + Jobs.run('logOut', userId, { + in: { + days: process.env.LOGOUT_IN, + }, + on: { + hour: process.env.LOGOUT_ON_HOURS, + minute: process.env.LOGOUT_ON_MINUTES, + }, + priority: 1, + }); + } + }, + }); + + Jobs.register({ + logOut(userId) { + Meteor.users.update( + {_id: userId}, + {$set: {'services.resume.loginTokens': []}} + ); + }, }); } diff --git a/server/publications/users.js b/server/publications/users.js index f0c94153..136e1e08 100644 --- a/server/publications/users.js +++ b/server/publications/users.js @@ -22,6 +22,7 @@ Meteor.publish('user-authenticationMethod', function(match) { check(match, String); return Users.find({$or: [{_id: match}, {email: match}, {username: match}]}, { fields: { + '_id': 1, 'authenticationMethod': 1, }, }); diff --git a/snap-src/bin/config b/snap-src/bin/config index a19baf7d..a89dfffd 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -3,7 +3,7 @@ # All supported keys are defined here together with descriptions and default values # list of supported keys -keys="MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN" +keys="MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN LOGOUT_WITH_TIMER, LOGOUT_IN, LOGOUT_ON_HOURS, LOGOUT_ON_MINUTES" # default values DESCRIPTION_MONGODB_BIND_UNIX_SOCKET="mongodb binding unix socket:\n"\ @@ -265,3 +265,19 @@ KEY_LDAP_SYNC_GROUP_ROLES="ldap-sync-group-roles" DESCRIPTION_LDAP_DEFAULT_DOMAIN="The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP" DEFAULT_LDAP_DEFAULT_DOMAIN="" KEY_LDAP_DEFAULT_DOMAIN="ldap-default-domain" + +DESCRIPTION_LOGOUT_WITH_TIMER="Enables or not the option logout with timer" +DEFAULT_LOGOUT_WITH_TIMER="false" +KEY_LOGOUT_WITH_TIMER="logout-with-timer" + +DESCRIPTION_LOGOUT_IN="The number of days" +DEFAULT_LOGOUT_IN="" +KEY_LOGOUT_IN="logout-in" + +DESCRIPTION_LOGOUT_ON_HOURS="The number of hours" +DEFAULT_LOGOUT_ON_HOURS="" +KEY_LOGOUT_ON_HOURS="logout-on-hours" + +DESCRIPTION_LOGOUT_ON_MINUTES="The number of minutes" +DEFAULT_LOGOUT_ON_MINUTES="" +KEY_LOGOUT_ON_MINUTES="logout-on-minutes" diff --git a/snap-src/bin/wekan-help b/snap-src/bin/wekan-help index c488a538..4cd0001e 100755 --- a/snap-src/bin/wekan-help +++ b/snap-src/bin/wekan-help @@ -245,6 +245,22 @@ echo -e "Ldap Default Domain." echo -e "The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP:" echo -e "\t$ snap set $SNAP_NAME LDAP_DEFAULT_DOMAIN=''" echo -e "\n" +echo -e "Logout with timer." +echo -e "Enable or not the option that allows to disconnect an user after a given time:" +echo -e "\t$ snap set $SNAP_NAME LOGOUT_WITH_TIMER='true'" +echo -e "\n" +echo -e "Logout in." +echo -e "Logout in how many days:" +echo -e "\t$ snap set $SNAP_NAME LOGOUT_IN='1'" +echo -e "\n" +echo -e "Logout on hours." +echo -e "Logout in how many hours:" +echo -e "\t$ snap set $SNAP_NAME LOGOUT_ON_HOURS='9'" +echo -e "\n" +echo -e "Logout on minutes." +echo -e "Logout in how many minutes:" +echo -e "\t$ snap set $SNAP_NAME LOGOUT_ON_MINUTES='5'" +echo -e "\n" # parse config file for supported settings keys echo -e "wekan supports settings keys" echo -e "values can be changed by calling\n$ snap set $SNAP_NAME =''" -- cgit v1.2.3-1-g7c22 From f2dd725eff931c9b5c836d17fe0a72dca07a1ceb Mon Sep 17 00:00:00 2001 From: Nunes Nelson Date: Wed, 7 Nov 2018 18:23:28 +0100 Subject: custom fields upgrade -- correct --- client/components/lists/listBody.js | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 66b50123..1001f3bc 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -156,11 +156,11 @@ BlazeComponent.extendComponent({ this.customFields = new ReactiveVar([]); const currentBoardId = Session.get('currentBoard'); - arr = [] + arr = []; _.forEach(Boards.findOne(currentBoardId).customFields().fetch(), function(field){ if(field.automaticallyOnCard) - arr.push({_id: field._id, value: null,}) - }) + arr.push({_id: field._id, value: null}); + }); this.customFields.set(arr); }, -- cgit v1.2.3-1-g7c22 From d44fb6bedd80e2ae85c028c4eb34bc9da90e4418 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 7 Nov 2018 23:20:10 +0200 Subject: Update translations. --- i18n/fa.i18n.json | 4 ++-- i18n/pl.i18n.json | 10 +++++----- 2 files changed, 7 insertions(+), 7 deletions(-) diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index a91cd46d..09a114d8 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -525,11 +525,11 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", - "r-rule": "Rule", + "r-rule": "نقش", "r-add-trigger": "Add trigger", "r-add-action": "Add action", "r-board-rules": "Board rules", - "r-add-rule": "Add rule", + "r-add-rule": "افزودن نقش", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 6f7e4644..8bd74721 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -75,8 +75,8 @@ "admin-announcement-active": "Włącz ogłoszenie systemowe", "admin-announcement-title": "Ogłoszenie od administratora", "all-boards": "Wszystkie tablice", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", + "and-n-other-card": "I __count__ inna karta", + "and-n-other-card_plural": "I __count__ inne karty", "apply": "Zastosuj", "app-is-offline": "Wekan jest aktualnie ładowany, proszę czekać. Odświeżenie strony spowoduję utratę danych. Jeżeli Wekan się nie ładuje, upewnij się czy serwer Wekan nie został zatrzymany.", "archive": "Przenieś do Kosza", @@ -304,7 +304,7 @@ "just-invited": "Właśnie zostałeś zaproszony do tej tablicy", "keyboard-shortcuts": "Skróty klawiaturowe", "label-create": "Utwórz etykietę", - "label-default": "%s etykieta (domyślna)", + "label-default": "'%s' etykieta (domyślna)", "label-delete-pop": "Nie da się tego wycofać. To usunie tę etykietę ze wszystkich kart i usunie ich historię.", "labels": "Etykiety", "language": "Język", @@ -519,8 +519,8 @@ "parent-card": "Karta rodzica", "source-board": "Tablica źródłowa", "no-parent": "Nie pokazuj rodzica", - "activity-added-label": "dodał(a) etykietę '%s' z %s", - "activity-removed-label": "usunięto etykietę '%s' z %s", + "activity-added-label": "dodał(a) etykietę '%s' z '%s'", + "activity-removed-label": "usunięto etykietę '%s' z '%s'", "activity-delete-attach": "usunięto załącznik z %s", "activity-added-label-card": "dodał(a) etykietę '%s'", "activity-removed-label-card": "usunięto etykietę '%s'", -- cgit v1.2.3-1-g7c22 From 4cf98134491b5870796de795418000c0a7c3a694 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 8 Nov 2018 22:49:08 +0200 Subject: - Some fixes to Wekan import: - isCommentOnly and isNoComments are now optional - Turn off import error checking, so something is imported anyway, and import does not stop at error. - Now most of Sandstorm export do import to Standalone Wekan, but some of imported cards, dates etc are missing. - Sandstorm Import Wekan board warning messages are now translateable. Thanks to xet7 ! Closes #1945, closes #1616, closes #1903 --- client/components/import/import.jade | 4 ++-- i18n/ar.i18n.json | 2 ++ i18n/bg.i18n.json | 2 ++ i18n/br.i18n.json | 2 ++ i18n/ca.i18n.json | 2 ++ i18n/cs.i18n.json | 2 ++ i18n/de.i18n.json | 2 ++ i18n/el.i18n.json | 2 ++ i18n/en-GB.i18n.json | 2 ++ i18n/en.i18n.json | 2 ++ i18n/eo.i18n.json | 2 ++ i18n/es-AR.i18n.json | 2 ++ i18n/es.i18n.json | 2 ++ i18n/eu.i18n.json | 2 ++ i18n/fa.i18n.json | 2 ++ i18n/fi.i18n.json | 2 ++ i18n/fr.i18n.json | 2 ++ i18n/gl.i18n.json | 2 ++ i18n/he.i18n.json | 2 ++ i18n/hi.i18n.json | 2 ++ i18n/hu.i18n.json | 2 ++ i18n/hy.i18n.json | 2 ++ i18n/id.i18n.json | 2 ++ i18n/ig.i18n.json | 2 ++ i18n/it.i18n.json | 2 ++ i18n/ja.i18n.json | 2 ++ i18n/ka.i18n.json | 2 ++ i18n/km.i18n.json | 2 ++ i18n/ko.i18n.json | 2 ++ i18n/lv.i18n.json | 2 ++ i18n/mn.i18n.json | 2 ++ i18n/nb.i18n.json | 2 ++ i18n/nl.i18n.json | 2 ++ i18n/pl.i18n.json | 2 ++ i18n/pt-BR.i18n.json | 2 ++ i18n/pt.i18n.json | 2 ++ i18n/ro.i18n.json | 2 ++ i18n/ru.i18n.json | 2 ++ i18n/sr.i18n.json | 2 ++ i18n/sv.i18n.json | 2 ++ i18n/ta.i18n.json | 2 ++ i18n/th.i18n.json | 2 ++ i18n/tr.i18n.json | 2 ++ i18n/uk.i18n.json | 2 ++ i18n/vi.i18n.json | 2 ++ i18n/zh-CN.i18n.json | 2 ++ i18n/zh-TW.i18n.json | 2 ++ models/boards.js | 2 ++ models/import.js | 10 ++++----- models/wekanCreator.js | 39 +++++++++++++++++++----------------- 50 files changed, 122 insertions(+), 25 deletions(-) diff --git a/client/components/import/import.jade b/client/components/import/import.jade index a1fbd83b..5b52f417 100644 --- a/client/components/import/import.jade +++ b/client/components/import/import.jade @@ -12,11 +12,11 @@ template(name="import") template(name="importTextarea") form - p: label(for='import-textarea') {{_ instruction}} + p: label(for='import-textarea') {{_ instruction}} {{_ 'import-board-instruction-about-errors'}} textarea.js-import-json(placeholder="{{_ 'import-json-placeholder'}}" autofocus) | {{jsonText}} if isSandstorm - h1.warning DANGER !!! THIS DESTROYS YOUR IMPORTED DATA, CAUSES BOARD NOT FOUND ERROR WHEN YOU OPEN THIS GRAIN AGAIN https://github.com/wekan/wekan/issues/1430 + h1.warning {{_ 'import-sandstorm-backup-warning'}} p.warning {{_ 'import-sandstorm-warning'}} input.primary.wide(type="submit" value="{{_ 'import'}}") diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 4f13db90..06ffb1d3 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "استيراد لوحة", "import-board-title-trello": "Import board from Trello", "import-board-title-wekan": "استيراد لوحة من ويكان", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "من تريلو", "from-wekan": "من ويكان", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", "import-board-instruction-wekan": "في لوحة ويكان الخاصة بك، انتقل إلى 'القائمة'، ثم 'تصدير اللوحة'، ونسخ النص في الملف الذي تم تنزيله.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "رسم خريطة الأعضاء", "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 9b0e3c74..bddfb734 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Импортирай Табло", "import-board-title-trello": "Импорт на табло от Trello", "import-board-title-wekan": "Импортирай табло от Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Импортирането ще изтрие всичката налична информация в таблото и ще я замени с нова.", "from-trello": "От Trello", "from-wekan": "От Wekan", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Копирайте валидната Ви JSON информация тук", "import-map-members": "Map members", "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index ab015806..84233da4 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", "from-wekan": "From Wekan", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 1830946a..a237b237 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Importa tauler", "import-board-title-trello": "Importa tauler des de Trello", "import-board-title-wekan": "I", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Estau segur que voleu esborrar aquesta checklist?", "from-trello": "Des de Trello", "from-wekan": "Des de Wekan", "import-board-instruction-trello": "En el teu tauler Trello, ves a 'Menú', 'Més'.' Imprimir i Exportar', 'Exportar JSON', i copia el text resultant.", "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Aferra codi JSON vàlid aquí", "import-map-members": "Mapeja el membres", "import-members-map": "El tauler importat conté membres. Assigna els membres que vulguis importar a usuaris Wekan", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 09acb6f7..cf57a355 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Importovat tablo", "import-board-title-trello": "Import board from Trello", "import-board-title-wekan": "Importovat tablo z Wekanu", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Importované tablo spaže všechny existující data v tablu a nahradí je importovaným tablem.", "from-trello": "Z Trella", "from-wekan": "Z Wekanu", "import-board-instruction-trello": "Na svém Trello tablu, otevři 'Menu', pak 'More', 'Print and Export', 'Export JSON', a zkopíruj výsledný text", "import-board-instruction-wekan": "Ve vašem Wekan tablu jděte do 'Menu', klikněte na 'Exportovat tablo' a zkopírujte text ze staženého souboru.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Sem vlož validní JSON data", "import-map-members": "Mapovat členy", "import-members-map": "Toto importované tablo obsahuje několik členů. Namapuj členy z importu na uživatelské účty Wekan.", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 1dd27930..e3af991c 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Board importieren", "import-board-title-trello": "Board von Trello importieren", "import-board-title-wekan": "Board von Wekan importieren", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Das importierte Board wird alle bereits existierenden Daten löschen und mit den importierten Daten überschreiben.", "from-trello": "Von Trello", "from-wekan": "Von Wekan", "import-board-instruction-trello": "Gehen Sie in ihrem Trello-Board auf 'Menü', dann 'Mehr', 'Drucken und Exportieren', 'JSON-Export' und kopieren Sie den dort angezeigten Text", "import-board-instruction-wekan": "Gehen Sie in Ihrem Wekan board auf 'Menü', und dann auf 'Board exportieren'. Kopieren Sie anschließend den Text aus der heruntergeladenen Datei.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Fügen Sie die korrekten JSON-Daten hier ein", "import-map-members": "Mitglieder zuordnen", "import-members-map": "Das importierte Board hat Mitglieder. Bitte ordnen Sie jene, die importiert werden sollen, vorhandenen Wekan-Nutzern zu", diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 175979e9..9a23a023 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "Από το Trello", "from-wekan": "Από το Wekan", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 992eb801..efbea57b 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", "from-wekan": "From Wekan", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index e69101f0..52bd424c 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", "from-wekan": "From Wekan", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index 834029e2..d5911ad4 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", "from-wekan": "From Wekan", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index a8672691..22d2bbd1 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Importar tablero", "import-board-title-trello": "Importar tablero de Trello", "import-board-title-wekan": "Importar tablero de Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "El tablero importado va a borrar todos los datos existentes en el tablero y reemplazarlos con los del tablero en cuestión.", "from-trello": "De Trello", "from-wekan": "De Wekan", "import-board-instruction-trello": "En tu tablero de Trello, ve a 'Menú', luego a 'Más', 'Imprimir y Exportar', 'Exportar JSON', y copia el texto resultante.", "import-board-instruction-wekan": "En tu tablero Wekan, ve a 'Menú', luego a 'Exportar tablero', y copia el texto en el archivo descargado.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Pegá tus datos JSON válidos acá", "import-map-members": "Mapear Miembros", "import-members-map": "Tu tablero importado tiene algunos miembros. Por favor mapeá los miembros que quieras importar/convertir a usuarios de Wekan.", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index d53a5508..7501cfe5 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Importar un tablero", "import-board-title-trello": "Importar un tablero desde Trello", "import-board-title-wekan": "Importar un tablero desde Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "El tablero importado eliminará todos los datos existentes en este tablero y los reemplazará con los datos del tablero importado.", "from-trello": "Desde Trello", "from-wekan": "Desde Wekan", "import-board-instruction-trello": "En tu tablero de Trello, ve a 'Menú', luego 'Más' > 'Imprimir y exportar' > 'Exportar JSON', y copia el texto resultante.", "import-board-instruction-wekan": "En tu tablero de Wekan, ve a 'Menú del tablero', luego 'Exportar el tablero', y copia aquí el texto del fichero descargado.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Pega tus datos JSON válidos aquí", "import-map-members": "Mapa de miembros", "import-members-map": "El tablero importado tiene algunos miembros. Por favor mapea los miembros que deseas importar a los usuarios de Wekan", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index 541956d2..9161fd3b 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Inportatu arbela", "import-board-title-trello": "Inportatu arbela Trellotik", "import-board-title-wekan": "Inportatu arbela Wekanetik", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Inportatutako arbelak oraingo arbeleko informazio guztia ezabatuko du eta inportatutako arbeleko informazioarekin ordeztu.", "from-trello": "Trellotik", "from-wekan": "Wekanetik", "import-board-instruction-trello": "Zure Trello arbelean, aukeratu 'Menu\", 'More', 'Print and Export', 'Export JSON', eta kopiatu jasotako testua hemen.", "import-board-instruction-wekan": "Zure Wekan arbelean, aukeratu 'Menua' - 'Esportatu arbela', eta kopiatu testua deskargatutako fitxategian.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Isatsi baliozko JSON datuak hemen", "import-map-members": "Kideen mapa", "import-members-map": "Inportatu duzun arbela kide batzuk ditu, mesedez lotu inportatu nahi dituzun kideak Wekan erabiltzaileekin", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index 09a114d8..8be43861 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "وارد کردن تخته", "import-board-title-trello": "وارد کردن تخته از Trello", "import-board-title-wekan": "وارد کردن تخته از Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "از Trello", "from-wekan": "از Wekan", "import-board-instruction-trello": "در Trello-ی خود به 'Menu'، 'More'، 'Print'، 'Export to JSON رفته و متن نهایی را دراینجا وارد نمایید.", "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "اطلاعات Json معتبر خود را اینجا وارد کنید.", "import-map-members": "نگاشت اعضا", "import-members-map": "تعدادی عضو در تخته وارد شده می باشد. لطفا کاربرانی که باید وارد نرم افزار بشوند را مشخص کنید.", diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 024300f2..3cc3ae1a 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Tuo taulu", "import-board-title-trello": "Tuo taulu Trellosta", "import-board-title-wekan": "Tuo taulu Wekanista", + "import-sandstorm-backup-warning": "Älä poista tietoja joita tuo alkuperääisestä Wekanista tai Trellosta ennenkuin tarkistan onnistuuko sulkea ja avata tämä jyvä uudelleen, vai näkyykö Board not found virhe, joka tarkoittaa tietojen häviämistä.", "import-sandstorm-warning": "Tuotu taulu poistaa kaikki olemassaolevan taulun tiedot ja korvaa ne tuodulla taululla.", "from-trello": "Trellosta", "from-wekan": "Wekanista", "import-board-instruction-trello": "Trello taulullasi, mene 'Menu', sitten 'More', 'Print and Export', 'Export JSON', ja kopioi tuloksena saamasi teksti", "import-board-instruction-wekan": "Wekan taulullasi, mene 'Valikko', sitten 'Vie taulu', ja kopioi teksti ladatusta tiedostosta.", + "import-board-instruction-about-errors": "Jos virheitä tulee taulua tuotaessa, joskus tuonti silti toimii, ja taulu on Kaikki taulut sivulla.", "import-json-placeholder": "Liitä kelvollinen JSON tietosi tähän", "import-map-members": "Vastaavat jäsenet", "import-members-map": "Tuomallasi taululla on muutamia jäseniä. Ole hyvä ja valitse tuomiasi jäseniä vastaavat Wekan käyttäjät", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index a42b382e..f590f37a 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Importer un tableau", "import-board-title-trello": "Importer le tableau depuis Trello", "import-board-title-wekan": "Importer un tableau depuis Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Le tableau importé supprimera toutes les données du tableau et les remplacera avec celles du tableau importé.", "from-trello": "Depuis Trello", "from-wekan": "Depuis Wekan", "import-board-instruction-trello": "Dans votre tableau Trello, allez sur 'Menu', puis sur 'Plus', 'Imprimer et exporter', 'Exporter en JSON' et copiez le texte du résultat", "import-board-instruction-wekan": "Dans votre tableau Wekan, allez dans 'Menu', puis 'Exporter un tableau', et copier le texte du fichier téléchargé.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Collez ici les données JSON valides", "import-map-members": "Faire correspondre aux membres", "import-members-map": "Le tableau que vous venez d'importer contient des membres. Veuillez associer les membres que vous souhaitez importer à des utilisateurs de Wekan.", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 3ba7320c..945eeb04 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Importar taboleiro", "import-board-title-trello": "Importar taboleiro de Trello", "import-board-title-wekan": "Importar taboleiro de Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "De Trello", "from-wekan": "De Wekan", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 4009e08c..7622407d 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "יבוא לוח", "import-board-title-trello": "ייבוא לוח מטרלו", "import-board-title-wekan": "ייבוא לוח מ־Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "הלוח שייובא ימחק את כל הנתונים הקיימים בלוח ויחליף אותם בלוח שייובא.", "from-trello": "מ־Trello", "from-wekan": "מ־Wekan", "import-board-instruction-trello": "בלוח הטרלו שלך, עליך ללחוץ על ‚תפריט‘, ואז על ‚עוד‘, ‚הדפסה וייצוא‘, ‚יצוא JSON‘ ולהעתיק את הטקסט שנוצר.", "import-board-instruction-wekan": "בלוח ה־Wekan, יש לגשת אל ‚תפריט‘, לאחר מכן ‚יצוא לוח‘ ולהעתיק את הטקסט בקובץ שהתקבל.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "יש להדביק את נתוני ה־JSON התקינים לכאן", "import-map-members": "מיפוי חברים", "import-members-map": "הלוחות המיובאים שלך מכילים חברים. נא למפות את החברים שברצונך לייבא למשתמשי Wekan", diff --git a/i18n/hi.i18n.json b/i18n/hi.i18n.json index 0a64c41e..438bff8c 100644 --- a/i18n/hi.i18n.json +++ b/i18n/hi.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Import बोर्ड", "import-board-title-trello": "Import बोर्ड से Trello", "import-board-title-wekan": "Import बोर्ड से Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "सूचित कर बोर्ड will मिटाएँ संपूर्ण existing data on बोर्ड और replace it साथ में सूचित कर बोर्ड.", "from-trello": "From Trello", "from-wekan": "From Wekan", "import-board-instruction-trello": "In your Trello बोर्ड, go तक 'Menu', then 'More', 'Print और Export', 'Export JSON', और copy the resulting text.", "import-board-instruction-wekan": "In your Wekan बोर्ड, go तक 'Menu', then 'Export बोर्ड', और copy the text अंदर में the downloaded file.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map सदस्य", "import-members-map": "Your सूचित कर बोर्ड has some सदस्य. Please map the सदस्य you want तक import तक Wekan users", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index 63c04d93..0d43baf4 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Tábla importálása", "import-board-title-trello": "Tábla importálása a Trello oldalról", "import-board-title-wekan": "Tábla importálása a Wekan oldalról", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Az importált tábla törölni fogja a táblán lévő összes meglévő adatot, és kicseréli az importált táblával.", "from-trello": "A Trello oldalról", "from-wekan": "A Wekan oldalról", "import-board-instruction-trello": "A Trello tábláján menjen a „Menü”, majd a „Több”, „Nyomtatás és exportálás”, „JSON exportálása” menüpontokra, és másolja ki az eredményül kapott szöveget.", "import-board-instruction-wekan": "A Wekan tábláján menjen a „Menü”, majd a „Tábla exportálás” menüpontra, és másolja ki a letöltött fájlban lévő szöveget.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Illessze be ide az érvényes JSON adatokat", "import-map-members": "Tagok leképezése", "import-members-map": "Az importált táblának van néhány tagja. Képezze le a tagokat, akiket importálni szeretne a Wekan felhasználókba.", diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index 4554b4f1..1b381411 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", "from-wekan": "From Wekan", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 15d16e06..e8380f7e 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Import board", "import-board-title-trello": "Impor panel dari Trello", "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", "from-wekan": "From Wekan", "import-board-instruction-trello": "Di panel Trello anda, ke 'Menu', terus 'More', 'Print and Export','Export JSON', dan salin hasilnya", "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Tempelkan data JSON yang sah disini", "import-map-members": "Petakan partisipan", "import-members-map": "Panel yang anda impor punya partisipan. Silahkan petakan anggota yang anda ingin impor ke user [Wekan]", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 488e08a4..24f74f4d 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", "from-wekan": "From Wekan", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 69351a6a..738ec173 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Importa bacheca", "import-board-title-trello": "Importa una bacheca da Trello", "import-board-title-wekan": "Importa bacheca da Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "La bacheca importata cancellerà tutti i dati esistenti su questa bacheca e li rimpiazzerà con quelli della bacheca importata.", "from-trello": "Da Trello", "from-wekan": "Da Wekan", "import-board-instruction-trello": "Nella tua bacheca Trello vai a 'Menu', poi 'Altro', 'Stampa ed esporta', 'Esporta JSON', e copia il testo che compare.", "import-board-instruction-wekan": "Nella tua bacheca Wekan, vai su 'Menu', poi 'Esporta bacheca', e copia il testo nel file scaricato.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Incolla un JSON valido qui", "import-map-members": "Mappatura dei membri", "import-members-map": "La bacheca che hai importato ha alcuni membri. Per favore scegli i membri che vuoi vengano importati negli utenti di Wekan", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index aa3a0b86..9a85a1f4 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "ボードをインポート", "import-board-title-trello": "Trelloからボードをインポート", "import-board-title-wekan": "Wekanからボードをインポート", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "ボードのインポートは、既存ボードのすべてのデータを置き換えます。", "from-trello": "Trelloから", "from-wekan": "Wekanから", "import-board-instruction-trello": "Trelloボードの、 'Menu' → 'More' → 'Print and Export' → 'Export JSON'を選択し、テキストをコピーしてください。", "import-board-instruction-wekan": "Wekanボードの、'Menu' → 'Export board'を選択し、ダウンロードされたファイルからテキストをコピーしてください。", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "JSONデータをここに貼り付けする", "import-map-members": "メンバーを紐付け", "import-members-map": "インポートしたボードにはメンバーが含まれます。これらのメンバーをWekanのメンバーに紐付けしてください。", diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index 2f030843..e8354231 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "დაფის იმპორტი", "import-board-title-trello": "დაფის იმპორტი Trello-დან", "import-board-title-wekan": "დაფის იმპორტი Wekan-დან", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "იმპორტირებული დაფა წაშლის ყველა არსებულ მონაცემს დაფაზე და შეანაცვლებს მას იმპორტირებული დაფა. ", "from-trello": "Trello-დან", "from-wekan": "Wekan-დან", "import-board-instruction-trello": "თქვენს Trello დაფაზე, შედით \"მენიუ\"-ში, შემდეგ დააკლიკეთ \"მეტი\", \"ამოპრინტერება და ექსპორტი\", \"JSON-ის ექსპორტი\" და დააკოპირეთ შედეგი. ", "import-board-instruction-wekan": "თქვენს Wekan დაფაზე, შედით \"მენიუ\"-ში შემდეგ დააკლიკეთ \"დაფის ექსპორტი\" და დააკოპირეთ ტექსტი ჩამოტვირთულ ფაილში.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "მოათავსეთ თქვენი ვალიდური JSON მონაცემები აქ. ", "import-map-members": "რუკის წევრები", "import-members-map": "თქვენს იმპორტირებულ დაფას ჰყავს მომხმარებლები. გთხოვთ დაამატოთ ის წევრები რომლის იმპორტიც გსურთ Wekan მომხმარებლებში", diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index 85531320..6c31160c 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", "from-wekan": "From Wekan", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index b3a81c6e..7bce95f6 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "보드 가져오기", "import-board-title-trello": "Trello에서 보드 가져오기", "import-board-title-wekan": "Wekan에서 보드 가져오기", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", "from-wekan": "From Wekan", "import-board-instruction-trello": "Trello 게시판에서 'Menu' -> 'More' -> 'Print and Export', 'Export JSON' 선택하여 텍스트 결과값 복사", "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "유효한 JSON 데이터를 여기에 붙여 넣으십시오.", "import-map-members": "보드 멤버들", "import-members-map": "가져온 보드에는 멤버가 있습니다. 원하는 멤버를 Wekan 멤버로 매핑하세요.", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 3ea4292c..1adfce88 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", "from-wekan": "From Wekan", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index 19496197..0125b943 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", "from-wekan": "From Wekan", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index 5e4b1338..194760f9 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", "from-wekan": "From Wekan", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 707d5572..6aeff026 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Importeer bord", "import-board-title-trello": "Importeer bord van Trello", "import-board-title-wekan": "Importeer bord van Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Het geïmporteerde bord verwijdert alle data op het huidige bord, om het daarna te vervangen.", "from-trello": "Van Trello", "from-wekan": "Van Wekan", "import-board-instruction-trello": "Op jouw Trello bord, ga naar 'Menu', dan naar 'Meer', 'Print en Exporteer', 'Exporteer JSON', en kopieer de tekst.", "import-board-instruction-wekan": "In jouw Wekan bord, ga naar 'Menu', dan 'Exporteer bord', en kopieer de tekst in het gedownloade bestand.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Plak geldige JSON data hier", "import-map-members": "Breng leden in kaart", "import-members-map": "Jouw geïmporteerde borden heeft een paar leden. Selecteer de leden die je wilt importeren naar Wekan gebruikers. ", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 8bd74721..2517a326 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Import tablicy", "import-board-title-trello": "Importuj tablicę z Trello", "import-board-title-wekan": "Importuj tablice z Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Zaimportowana tablica usunie wszystkie istniejące dane na aktualnej tablicy oraz zastąpi ją danymi z tej importowanej.", "from-trello": "Z Trello", "from-wekan": "Z Wekan", "import-board-instruction-trello": "W twojej tablicy na Trello przejdź do 'Menu', następnie 'Więcej', 'Drukuj i eksportuj', 'Eksportuj jako JSON' i skopiuj wynik", "import-board-instruction-wekan": "Na Twojej tablicy Wekan przejdź do 'Menu', a następnie wybierz 'Eksportuj tablicę' i skopiuj tekst w pobranym pliku.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Wklej Twoje dane JSON tutaj", "import-map-members": "Przypisz członków", "import-members-map": "Twoje zaimportowane tablice mają kilku członków. Proszę wybierz członków których chcesz zaimportować do Wekan", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 608ae44a..4f88367f 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Importar quadro", "import-board-title-trello": "Importar board do Trello", "import-board-title-wekan": "Importar quadro do Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "O quadro importado irá excluir todos os dados existentes no quadro e irá sobrescrever com o quadro importado.", "from-trello": "Do Trello", "from-wekan": "Do Wekan", "import-board-instruction-trello": "No seu quadro do Trello, vá em 'Menu', depois em 'Mais', 'Imprimir e Exportar', 'Exportar JSON', então copie o texto emitido", "import-board-instruction-wekan": "Em seu quadro Wekan, vá para 'Menu', em seguida 'Exportar quadro', e copie o texto no arquivo baixado.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Cole seus dados JSON válidos aqui", "import-map-members": "Mapear membros", "import-members-map": "O seu quadro importado tem alguns membros. Por favor determine os membros que você deseja importar para os usuários Wekan", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index cf07549a..14dbe111 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", "from-wekan": "From Wekan", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index 794bda88..a360ba72 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", "from-wekan": "From Wekan", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 60cd10ef..e4f82e3b 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Импортировать доску", "import-board-title-trello": "Импортировать доску из Trello", "import-board-title-wekan": "Импортировать доску из Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Импортированная доска удалит все существующие данные на текущей доске и заменит её импортированной доской.", "from-trello": "Из Trello", "from-wekan": "Из Wekan", "import-board-instruction-trello": "На вашей Trello доске нажмите “Menu” - “More” - “Print and export - “Export JSON” и скопируйте полученный текст", "import-board-instruction-wekan": "На вашей Wekan доске, перейдите в “Меню”, далее “Экспортировать доску” и скопируйте текст из скачаного файла", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Вставьте JSON сюда", "import-map-members": "Составить карту участников", "import-members-map": "Вы импортировали доску с участниками. Пожалуйста, составьте карту участников, которых вы хотите импортировать в качестве пользователей Wekan", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index 150a1488..1d541634 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Import board", "import-board-title-trello": "Uvezi tablu iz Trella", "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", "from-wekan": "From Wekan", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Mapiraj članove", "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 8ad0597d..151b141c 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Importera anslagstavla", "import-board-title-trello": "Importera anslagstavla från Trello", "import-board-title-wekan": "Importera anslagstavla från Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Importerad anslagstavla raderar all befintlig data på anslagstavla och ersätter den med importerat anslagstavla.", "from-trello": "Från Trello", "from-wekan": "Från Wekan", "import-board-instruction-trello": "I din Trello-anslagstavla, gå till 'Meny', sedan 'Mera', 'Skriv ut och exportera', 'Exportera JSON' och kopiera den resulterande text.", "import-board-instruction-wekan": "I din Wekan-anslagstavla, gå till \"Meny\", sedan \"Exportera anslagstavla\" och kopiera texten i den hämtade filen.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Klistra in giltigt JSON data här", "import-map-members": "Kartlägg medlemmar", "import-members-map": "Din importerade anslagstavla har några medlemmar. Kartlägg medlemmarna som du vill importera till Wekan-användare", diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index 6fc81fe9..32d05c07 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", "from-wekan": "From Wekan", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index 93ca690e..c8ab353c 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Import board", "import-board-title-trello": "นำเข้าบอร์ดจาก Trello", "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", "from-wekan": "From Wekan", "import-board-instruction-trello": "ใน Trello ของคุณให้ไปที่ 'Menu' และไปที่ More -> Print and Export -> Export JSON และคัดลอกข้อความจากนั้น", "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "วางข้อมูล JSON ที่ถูกต้องของคุณที่นี่", "import-map-members": "แผนที่สมาชิก", "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index 0db2a8ae..a943deaf 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Panoyu içe aktar", "import-board-title-trello": "Trello'dan panoyu içeri aktar", "import-board-title-wekan": "Wekan'dan panoyu içe aktar", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "İçe aktarılan pano şu anki panonun verilerinin üzerine yazılacak ve var olan veriler silinecek.", "from-trello": "Trello'dan", "from-wekan": "Wekan'dan", "import-board-instruction-trello": "Trello panonuzda 'Menü'ye gidip 'Daha fazlası'na tıklayın, ardından 'Yazdır ve Çıktı Al'ı seçip 'JSON biçiminde çıktı al' diyerek çıkan metni buraya kopyalayın.", "import-board-instruction-wekan": "Wekan panonuzda önce Menü'yü, ardından \"Panoyu dışa aktar\"ı seçip bilgisayarınıza indirilen dosyanın içindeki metni kopyalayın.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Geçerli JSON verisini buraya yapıştırın", "import-map-members": "Üyeleri eşleştirme", "import-members-map": "İçe aktardığın panoda bazı kullanıcılar var. Lütfen bu kullanıcıları Wekan panosundaki kullanıcılarla eşleştirin.", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 21f162c8..07455af8 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", "from-wekan": "From Wekan", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index 5837bae7..e1fae393 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", "from-wekan": "From Wekan", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 7da16dc4..8af6406a 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "导入看板", "import-board-title-trello": "从Trello导入看板", "import-board-title-wekan": "从Wekan 导入看板", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "导入的面板将删除所有已存在于面板上的数据并替换他们为导入的面板。 ", "from-trello": "自 Trello", "from-wekan": "自 Wekan", "import-board-instruction-trello": "在你的Trello看板中,点击“菜单”,然后选择“更多”,“打印与导出”,“导出为 JSON” 并拷贝结果文本", "import-board-instruction-wekan": "在你的Wekan面板中点'菜单',然后点‘导出面板’并在已下载的文档复制文本。", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "粘贴您有效的 JSON 数据至此", "import-map-members": "映射成员", "import-members-map": "您导入的看板有一些成员。请将您想导入的成员映射到 Wekan 用户。", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 55027d6c..d1fec894 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -284,11 +284,13 @@ "import-board-c": "匯入看板", "import-board-title-trello": "匯入在 Trello 的看板", "import-board-title-wekan": "從 Wekan 匯入看板", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "匯入資料將會移除所有現有的看版資料,並取代成此次匯入的看板資料", "from-trello": "來自 Trello", "from-wekan": "來自 Wekan", "import-board-instruction-trello": "在你的Trello看板中,點選“功能表”,然後選擇“更多”,“列印與匯出”,“匯出為 JSON” 並拷貝結果文本", "import-board-instruction-wekan": "在 Wekan 看板中點選“功能表”,然後選擇“匯出看版”且複製文字到下載的檔案", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "貼上您有效的 JSON 資料至此", "import-map-members": "複製成員", "import-members-map": "您匯入的看板有一些成員。請將您想匯入的成員映射到 Wekan 使用者。", diff --git a/models/boards.js b/models/boards.js index cae6cf9f..57f3a1f1 100644 --- a/models/boards.js +++ b/models/boards.js @@ -127,9 +127,11 @@ Boards.attachSchema(new SimpleSchema({ }, 'members.$.isNoComments': { type: Boolean, + optional: true, }, 'members.$.isCommentOnly': { type: Boolean, + optional: true, }, permission: { type: String, diff --git a/models/import.js b/models/import.js index 09769794..5cdf8dc1 100644 --- a/models/import.js +++ b/models/import.js @@ -3,10 +3,10 @@ import { WekanCreator } from './wekanCreator'; Meteor.methods({ importBoard(board, data, importSource, currentBoard) { - check(board, Object); - check(data, Object); - check(importSource, String); - check(currentBoard, Match.Maybe(String)); + //check(board, Object); + //check(data, Object); + //check(importSource, String); + //check(currentBoard, Match.Maybe(String)); let creator; switch (importSource) { case 'trello': @@ -18,7 +18,7 @@ Meteor.methods({ } // 1. check all parameters are ok from a syntax point of view - creator.check(board); + //creator.check(board); // 2. check parameters are ok from a business point of view (exist & // authorized) nothing to check, everyone can import boards in their account diff --git a/models/wekanCreator.js b/models/wekanCreator.js index 59d0cfd5..b179cfae 100644 --- a/models/wekanCreator.js +++ b/models/wekanCreator.js @@ -40,6 +40,8 @@ export class WekanCreator { this.checklistItems = {}; // The comments, indexed by Wekan card id (to map when importing cards) this.comments = {}; + // Map of rules Wekan ID => Wekan ID + this.rules = {}; // the members, indexed by Wekan member id => Wekan user ID this.members = data.membersMapping ? data.membersMapping : {}; // Map of triggers Wekan ID => Wekan ID @@ -748,24 +750,25 @@ export class WekanCreator { } check(board) { - try { - // check(data, { - // membersMapping: Match.Optional(Object), - // }); - this.checkActivities(board.activities); - this.checkBoard(board); - this.checkLabels(board.labels); - this.checkLists(board.lists); - this.checkSwimlanes(board.swimlanes); - this.checkCards(board.cards); - this.checkChecklists(board.checklists); - this.checkRules(board.rules); - this.checkActions(board.actions); - this.checkTriggers(board.triggers); - this.checkChecklistItems(board.checklistItems); - } catch (e) { - throw new Meteor.Error('error-json-schema'); - } + //try { + // check(data, { + // membersMapping: Match.Optional(Object), + // }); + + // this.checkActivities(board.activities); + // this.checkBoard(board); + // this.checkLabels(board.labels); + // this.checkLists(board.lists); + // this.checkSwimlanes(board.swimlanes); + // this.checkCards(board.cards); + //this.checkChecklists(board.checklists); + // this.checkRules(board.rules); + // this.checkActions(board.actions); + //this.checkTriggers(board.triggers); + //this.checkChecklistItems(board.checklistItems); + //} catch (e) { + // throw new Meteor.Error('error-json-schema'); + // } } create(board, currentBoardId) { -- cgit v1.2.3-1-g7c22 From 508f47f9401354fc64f13ba70529b8121d6f724e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 8 Nov 2018 23:17:26 +0200 Subject: - Fix typo. --- i18n/en.i18n.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index fb005392..b4174614 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -483,7 +483,7 @@ "seconds": "seconds", "show-field-on-card": "Show this field on card", "automatically-field-on-card": "Auto create on all cards", - "showLabel-field-on-card": "Show label on mini card", + "showLabel-field-on-card": "Show label on minicard", "yes": "Yes", "no": "No", "accounts": "Accounts", -- cgit v1.2.3-1-g7c22 From 043f9813ef269cfc784ddb75e10e2b875d621ff8 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 8 Nov 2018 23:41:11 +0200 Subject: Update translations. --- i18n/ar.i18n.json | 2 ++ i18n/bg.i18n.json | 2 ++ i18n/br.i18n.json | 2 ++ i18n/ca.i18n.json | 2 ++ i18n/cs.i18n.json | 2 ++ i18n/de.i18n.json | 2 ++ i18n/el.i18n.json | 2 ++ i18n/en-GB.i18n.json | 2 ++ i18n/en.i18n.json | 4 ++-- i18n/eo.i18n.json | 2 ++ i18n/es-AR.i18n.json | 2 ++ i18n/es.i18n.json | 2 ++ i18n/eu.i18n.json | 2 ++ i18n/fa.i18n.json | 2 ++ i18n/fi.i18n.json | 2 ++ i18n/fr.i18n.json | 2 ++ i18n/gl.i18n.json | 2 ++ i18n/he.i18n.json | 2 ++ i18n/hi.i18n.json | 2 ++ i18n/hu.i18n.json | 2 ++ i18n/hy.i18n.json | 2 ++ i18n/id.i18n.json | 2 ++ i18n/ig.i18n.json | 2 ++ i18n/it.i18n.json | 2 ++ i18n/ja.i18n.json | 2 ++ i18n/ka.i18n.json | 2 ++ i18n/km.i18n.json | 2 ++ i18n/ko.i18n.json | 2 ++ i18n/lv.i18n.json | 2 ++ i18n/mn.i18n.json | 2 ++ i18n/nb.i18n.json | 2 ++ i18n/nl.i18n.json | 2 ++ i18n/pl.i18n.json | 2 ++ i18n/pt-BR.i18n.json | 2 ++ i18n/pt.i18n.json | 2 ++ i18n/ro.i18n.json | 2 ++ i18n/ru.i18n.json | 2 ++ i18n/sr.i18n.json | 2 ++ i18n/sv.i18n.json | 2 ++ i18n/ta.i18n.json | 2 ++ i18n/th.i18n.json | 2 ++ i18n/tr.i18n.json | 2 ++ i18n/uk.i18n.json | 2 ++ i18n/vi.i18n.json | 2 ++ i18n/zh-CN.i18n.json | 2 ++ i18n/zh-TW.i18n.json | 2 ++ 46 files changed, 92 insertions(+), 2 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 06ffb1d3..797e2d02 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -484,6 +484,8 @@ "minutes": "الدقائق", "seconds": "الثواني", "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "نعم", "no": "لا", "accounts": "الحسابات", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index bddfb734..13405b19 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -484,6 +484,8 @@ "minutes": "минути", "seconds": "секунди", "show-field-on-card": "Покажи това поле в картата", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Да", "no": "Не", "accounts": "Профили", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index 84233da4..2bb74b8e 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -484,6 +484,8 @@ "minutes": "minutes", "seconds": "seconds", "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index a237b237..a2e46c29 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -484,6 +484,8 @@ "minutes": "minuts", "seconds": "segons", "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Si", "no": "No", "accounts": "Comptes", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index cf57a355..bc231acf 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -484,6 +484,8 @@ "minutes": "minut", "seconds": "sekund", "show-field-on-card": "Ukázat toto pole na kartě", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Ano", "no": "Ne", "accounts": "Účty", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index e3af991c..77f88043 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -484,6 +484,8 @@ "minutes": "Minuten", "seconds": "Sekunden", "show-field-on-card": "Zeige dieses Feld auf der Karte", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Ja", "no": "Nein", "accounts": "Konten", diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 9a23a023..43eef890 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -484,6 +484,8 @@ "minutes": "λεπτά", "seconds": "δευτερόλεπτα", "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Ναι", "no": "Όχι", "accounts": "Λογαριασμοί", diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index efbea57b..a111ca83 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -484,6 +484,8 @@ "minutes": "minutes", "seconds": "seconds", "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index ff3c1311..8c5ce423 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -484,8 +484,8 @@ "minutes": "minutes", "seconds": "seconds", "show-field-on-card": "Show this field on card", - "automatically-field-on-card": "Auto create on all cards", - "showLabel-field-on-card": "Show label on minicard", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index d5911ad4..cc8415c3 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -484,6 +484,8 @@ "minutes": "minutes", "seconds": "seconds", "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index 22d2bbd1..9c1c1c5c 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -484,6 +484,8 @@ "minutes": "minutos", "seconds": "segundos", "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Si", "no": "No", "accounts": "Cuentas", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 7501cfe5..b0a320cb 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -484,6 +484,8 @@ "minutes": "minutos", "seconds": "segundos", "show-field-on-card": "Mostrar este campo en la tarjeta", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Sí", "no": "No", "accounts": "Cuentas", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index 9161fd3b..6e30db7f 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -484,6 +484,8 @@ "minutes": "minutu", "seconds": "segundo", "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Bai", "no": "Ez", "accounts": "Kontuak", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index 8be43861..6bd66af8 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -484,6 +484,8 @@ "minutes": "دقیقه", "seconds": "ثانیه", "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "بله", "no": "خیر", "accounts": "حساب‌ها", diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 3cc3ae1a..38734f9a 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -484,6 +484,8 @@ "minutes": "minuuttia", "seconds": "sekuntia", "show-field-on-card": "Näytä tämä kenttä kortilla", + "automatically-field-on-card": "Luo kenttä automaattisesti kaikille korteille", + "showLabel-field-on-card": "Näytä kentän tunniste minikortilla", "yes": "Kyllä", "no": "Ei", "accounts": "Tilit", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index f590f37a..63ab4f35 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -484,6 +484,8 @@ "minutes": "minutes", "seconds": "secondes", "show-field-on-card": "Afficher ce champ sur la carte", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Oui", "no": "Non", "accounts": "Comptes", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 945eeb04..4cc4f3d3 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -484,6 +484,8 @@ "minutes": "minutes", "seconds": "seconds", "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 7622407d..3823b3f5 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -484,6 +484,8 @@ "minutes": "דקות", "seconds": "שניות", "show-field-on-card": "הצגת שדה זה בכרטיס", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "כן", "no": "לא", "accounts": "חשבונות", diff --git a/i18n/hi.i18n.json b/i18n/hi.i18n.json index 438bff8c..0ad44955 100644 --- a/i18n/hi.i18n.json +++ b/i18n/hi.i18n.json @@ -484,6 +484,8 @@ "minutes": "minutes", "seconds": "seconds", "show-field-on-card": "Show यह field on कार्ड", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index 0d43baf4..a0b8f363 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -484,6 +484,8 @@ "minutes": "perc", "seconds": "másodperc", "show-field-on-card": "A mező megjelenítése a kártyán", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Igen", "no": "Nem", "accounts": "Fiókok", diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index 1b381411..98bcffbf 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -484,6 +484,8 @@ "minutes": "minutes", "seconds": "seconds", "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index e8380f7e..da691ae0 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -484,6 +484,8 @@ "minutes": "minutes", "seconds": "seconds", "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 24f74f4d..69535784 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -484,6 +484,8 @@ "minutes": "nkeji", "seconds": "seconds", "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Ee", "no": "Mba", "accounts": "Accounts", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 738ec173..7987abc0 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -484,6 +484,8 @@ "minutes": "minuti", "seconds": "secondi", "show-field-on-card": "Visualizza questo campo sulla scheda", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Sì", "no": "No", "accounts": "Profili", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 9a85a1f4..125a0de4 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -484,6 +484,8 @@ "minutes": "分", "seconds": "秒", "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "はい", "no": "いいえ", "accounts": "アカウント", diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index e8354231..29ec093d 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -484,6 +484,8 @@ "minutes": "წუთები", "seconds": "წამები", "show-field-on-card": "აჩვენეთ ეს ველი ბარათზე", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "დიახ", "no": "არა", "accounts": "ანგარიშები", diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index 6c31160c..85e8cdcb 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -484,6 +484,8 @@ "minutes": "minutes", "seconds": "seconds", "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index 7bce95f6..6d3c4ef3 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -484,6 +484,8 @@ "minutes": "minutes", "seconds": "seconds", "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 1adfce88..375f937a 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -484,6 +484,8 @@ "minutes": "minutes", "seconds": "seconds", "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index 0125b943..f83a4654 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -484,6 +484,8 @@ "minutes": "minutes", "seconds": "seconds", "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index 194760f9..323fb7ab 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -484,6 +484,8 @@ "minutes": "minutes", "seconds": "seconds", "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 6aeff026..22faaaa7 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -484,6 +484,8 @@ "minutes": "minuten", "seconds": "seconden", "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Ja", "no": "Nee", "accounts": "Accounts", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 2517a326..376696a6 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -484,6 +484,8 @@ "minutes": "minut", "seconds": "sekund", "show-field-on-card": "Pokaż te pole na karcie", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Tak", "no": "Nie", "accounts": "Konto", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 4f88367f..42c5403e 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -484,6 +484,8 @@ "minutes": "minutos", "seconds": "segundos", "show-field-on-card": "Mostrar este campo no cartão", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Sim", "no": "Não", "accounts": "Contas", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 14dbe111..812cef47 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -484,6 +484,8 @@ "minutes": "minutes", "seconds": "seconds", "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Yes", "no": "Não", "accounts": "Contas", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index a360ba72..8c4a8be2 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -484,6 +484,8 @@ "minutes": "minutes", "seconds": "seconds", "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index e4f82e3b..b59a661a 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -484,6 +484,8 @@ "minutes": "минуты", "seconds": "секунды", "show-field-on-card": "Показать это поле на карте", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Да", "no": "Нет", "accounts": "Учетные записи", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index 1d541634..5de8dc16 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -484,6 +484,8 @@ "minutes": "minutes", "seconds": "seconds", "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 151b141c..d1636bfa 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -484,6 +484,8 @@ "minutes": "minuter", "seconds": "sekunder", "show-field-on-card": "Visa detta fält på kort", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Ja", "no": "Nej", "accounts": "Konton", diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index 32d05c07..748b2121 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -484,6 +484,8 @@ "minutes": "minutes", "seconds": "seconds", "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index c8ab353c..fbd1268c 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -484,6 +484,8 @@ "minutes": "minutes", "seconds": "seconds", "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index a943deaf..05accf57 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -484,6 +484,8 @@ "minutes": "dakika", "seconds": "saniye", "show-field-on-card": "Bu alanı kartta göster", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Evet", "no": "Hayır", "accounts": "Hesaplar", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 07455af8..47c5db87 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -484,6 +484,8 @@ "minutes": "minutes", "seconds": "seconds", "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index e1fae393..be90e58e 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -484,6 +484,8 @@ "minutes": "minutes", "seconds": "seconds", "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "Yes", "no": "No", "accounts": "Accounts", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 8af6406a..c460d6a3 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -484,6 +484,8 @@ "minutes": "分钟", "seconds": "秒", "show-field-on-card": "在卡片上显示此字段", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "是", "no": "否", "accounts": "账号", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index d1fec894..d30f1aad 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -484,6 +484,8 @@ "minutes": "分鐘", "seconds": "秒", "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", "yes": "是", "no": "否", "accounts": "帳號", -- cgit v1.2.3-1-g7c22 From 893329d9c6d33aa5572e268e8f951400a2446303 Mon Sep 17 00:00:00 2001 From: guillaume Date: Fri, 9 Nov 2018 17:46:02 +0100 Subject: patch authentication --- client/components/main/layouts.js | 75 ++++++++++++++++++++++++--------------- models/settings.js | 8 +++++ 2 files changed, 54 insertions(+), 29 deletions(-) diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index 3fda11b7..52584169 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -6,6 +6,12 @@ const i18nTagToT9n = (i18nTag) => { return i18nTag; }; +Template.userFormsLayout.onCreated(function() { + Meteor.call('getDefaultAuthenticationMethod', (error, result) => { + this.data.defaultAuthenticationMethod = new ReactiveVar(error ? undefined : result); + }); +}); + Template.userFormsLayout.onRendered(() => { const i18nTag = navigator.language; if (i18nTag) { @@ -65,43 +71,24 @@ Template.userFormsLayout.events({ } }); }, - 'click #at-btn'(event) { + 'click #at-btn'(event, instance) { /* All authentication method can be managed/called here. !! DON'T FORGET to correctly fill the fields of the user during its creation if necessary authenticationMethod : String !! */ - if (FlowRouter.getRouteName() !== 'atSignIn') { + const email = $('#at-field-username_and_email').val(); + const password = $('#at-field-password').val(); + + if (FlowRouter.getRouteName() !== 'atSignIn' || password === '') { return; } - const email = $('#at-field-username_and_email').val(); + // Stop submit #at-pwd-form + event.preventDefault(); + event.stopImmediatePropagation(); Meteor.subscribe('user-authenticationMethod', email, { - onReady() { - const user = Users.findOne(); - - if (user && user.authenticationMethod === 'password') { - logoutWithTimer(user._id); - return this.stop(); - } - - // Stop submit #at-pwd-form - event.preventDefault(); - event.stopImmediatePropagation(); - - const password = $('#at-field-password').val(); - - if (user === undefined || user.authenticationMethod === 'ldap') { - // Use the ldap connection package - Meteor.loginWithLDAP(email, password, function(error) { - if (!error) { - logoutWithTimer(user._id); - // Connection - return FlowRouter.go('/'); - } - return error; - }); - } - return this.stop(); + onReady() { + return authentication.call(this, instance, email, password); }, }); }, @@ -112,3 +99,33 @@ Template.defaultLayout.events({ Modal.close(); }, }); + +function authentication(instance, email, password) { + let user = Users.findOne(); + // Authentication with password + if (user && user.authenticationMethod === 'password') { + $('#at-pwd-form').submit(); + // Meteor.call('logoutWithTimer', user._id, () => {}); + return this.stop(); + } + + // If user doesn't exist, uses the default authentication method if it defined + if (user === undefined) { + user = { + "authenticationMethod": instance.data.defaultAuthenticationMethod.get() + }; + } + + // Authentication with LDAP + if (user.authenticationMethod === 'ldap') { + // Use the ldap connection package + Meteor.loginWithLDAP(email, password, function(error) { + if (!error) { + // Meteor.call('logoutWithTimer', Users.findOne()._id, () => {}); + return FlowRouter.go('/'); + } + return error; + }); + } + return this.stop(); +} \ No newline at end of file diff --git a/models/settings.js b/models/settings.js index 35d71533..6c9f5a53 100644 --- a/models/settings.js +++ b/models/settings.js @@ -76,6 +76,7 @@ if (Meteor.isServer) { }, createdAt: now, modifiedAt: now}; Settings.insert(defaultSetting); } + const newSetting = Settings.findOne(); if (!process.env.MAIL_URL && newSetting.mailUrl()) process.env.MAIL_URL = newSetting.mailUrl(); @@ -235,6 +236,12 @@ if (Meteor.isServer) { cas: isCasEnabled(), }; }, + + getDefaultAuthenticationMethod() { + return process.env.DEFAULT_AUTHENTICATION_METHOD; + }, + + // TODO: patch error : did not check all arguments during call logoutWithTimer(userId) { if (process.env.LOGOUT_WITH_TIMER) { Jobs.run('logOut', userId, { @@ -257,6 +264,7 @@ if (Meteor.isServer) { {_id: userId}, {$set: {'services.resume.loginTokens': []}} ); + this.success(); }, }); } -- cgit v1.2.3-1-g7c22 From 8ddf1369288bab0fa36d8a67195a456669517836 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 9 Nov 2018 20:54:27 +0200 Subject: Update changelog based on previous commits. --- CHANGELOG.md | 18 ++++++++++++++++++ 1 file changed, 18 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 5b71aac9..03a2d4b8 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,21 @@ +# Upcoming Wekan release + +This release adds the following new features: + +- [Auto create Custom Field to all cards. Show Custom Field Label on + minicard](https://github.com/wekan/wekan/pull/1987). + +and fixes the following bugs: + +- Some fixes to Wekan import, thanks to xet7: + - isCommentOnly and isNoComments are now optional + - Turn off import error checking, so something is imported anyway, and import does not stop at error. + - Now most of Sandstorm export do import to Standalone Wekan, but some of imported cards, dates etc are missing. + - Sandstorm Import Wekan board warning messages are now translateable. +- LDAP: Added INTERNAL_LOG_LEVEL. Fix lint and ldap group filter options. Thanks to Akuket. + +Thanks to above mentioned GitHub users for their contributions. + # v1.69 2018-11-03 Wekan release - Update translations. -- cgit v1.2.3-1-g7c22 From ddef1ea89c369c44a395fa6c7da6076bf2b1b5eb Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 9 Nov 2018 21:18:17 +0200 Subject: Update translations. --- i18n/de.i18n.json | 4 +- i18n/sv.i18n.json | 112 +++++++++++++++++++++++++++--------------------------- 2 files changed, 58 insertions(+), 58 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 77f88043..6e928248 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -484,8 +484,8 @@ "minutes": "Minuten", "seconds": "Sekunden", "show-field-on-card": "Zeige dieses Feld auf der Karte", - "automatically-field-on-card": "Auto create field to all cards", - "showLabel-field-on-card": "Show field label on minicard", + "automatically-field-on-card": "Automatisch Label für alle Karten erzeugen", + "showLabel-field-on-card": "Feldbezeichnung auf Minikarte anzeigen", "yes": "Ja", "no": "Nein", "accounts": "Konten", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index d1636bfa..ed513ef4 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -46,16 +46,16 @@ "activity-checked-item": "checked %s in checklist %s of %s", "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "lade kontrollista till %s", - "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", - "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", + "activity-checklist-removed": "tog bort en checklista från %s", + "activity-checklist-completed": "slutfört checklistan %s av %s", + "activity-checklist-uncompleted": "inte slutfört checklistan %s av %s", "activity-checklist-item-added": "lade checklista objekt till '%s' i %s", - "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", + "activity-checklist-item-removed": "tog bort en checklista objekt från \"%s\" i %s", "add": "Lägg till", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", - "activity-checklist-uncompleted-card": "uncompleted the checklist %s", + "activity-checklist-completed-card": "slutfört checklistan %s", + "activity-checklist-uncompleted-card": "icke slutfört checklistan %s", "add-attachment": "Lägg till bilaga", "add-board": "Lägg till anslagstavla", "add-card": "Lägg till kort", @@ -146,8 +146,8 @@ "cards": "Kort", "cards-count": "Kort", "casSignIn": "Logga in med CAS", - "cardType-card": "Card", - "cardType-linkedCard": "Linked Card", + "cardType-card": "Kort", + "cardType-linkedCard": "Länkat kort", "cardType-linkedBoard": "Linked Board", "change": "Ändra", "change-avatar": "Ändra avatar", @@ -181,14 +181,14 @@ "comment-placeholder": "Skriv kommentar", "comment-only": "Kommentera endast", "comment-only-desc": "Kan endast kommentera kort.", - "no-comments": "No comments", - "no-comments-desc": "Can not see comments and activities.", + "no-comments": "Inga kommentarer", + "no-comments-desc": "Kan inte se kommentarer och aktiviteter.", "computer": "Dator", "confirm-subtask-delete-dialog": "Är du säker på att du vill radera deluppgift?", "confirm-checklist-delete-dialog": "Är du säker på att du vill radera checklista?", "copy-card-link-to-clipboard": "Kopiera kortlänk till urklipp", - "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "linkCardPopup-title": "Länka kort", + "searchCardPopup-title": "Sök kort", "copyCardPopup-title": "Kopiera kort", "copyChecklistToManyCardsPopup-title": "Kopiera checklist-mallen till flera kort", "copyChecklistToManyCardsPopup-instructions": "Destinationskorttitlar och beskrivningar i detta JSON-format", @@ -279,7 +279,7 @@ "headerBarCreateBoardPopup-title": "Skapa anslagstavla", "home": "Hem", "import": "Importera", - "link": "Link", + "link": "Länka", "import-board": "importera anslagstavla", "import-board-c": "Importera anslagstavla", "import-board-title-trello": "Importera anslagstavla från Trello", @@ -383,7 +383,7 @@ "restore": "Återställ", "save": "Spara", "search": "Sök", - "rules": "Rules", + "rules": "Regler", "search-cards": "Sök från korttitlar och beskrivningar på det här brädet", "search-example": "Text att söka efter?", "select-color": "Välj färg", @@ -523,38 +523,38 @@ "parent-card": "Parent card", "source-board": "Source board", "no-parent": "Don't show parent", - "activity-added-label": "added label '%s' to %s", - "activity-removed-label": "removed label '%s' from %s", - "activity-delete-attach": "deleted an attachment from %s", - "activity-added-label-card": "added label '%s'", - "activity-removed-label-card": "removed label '%s'", - "activity-delete-attach-card": "deleted an attachment", - "r-rule": "Rule", + "activity-added-label": "lade till etiketten '%s' till %s", + "activity-removed-label": "tog bort etiketten '%s' från %s", + "activity-delete-attach": "raderade en bilaga från %s", + "activity-added-label-card": "lade till etiketten \"%s\"", + "activity-removed-label-card": "tog bort etiketten \"%s\"", + "activity-delete-attach-card": "tog bort en bilaga", + "r-rule": "Regel", "r-add-trigger": "Add trigger", - "r-add-action": "Add action", + "r-add-action": "Lägg till åtgärd", "r-board-rules": "Board rules", - "r-add-rule": "Add rule", - "r-view-rule": "View rule", - "r-delete-rule": "Delete rule", + "r-add-rule": "Lägg till regel", + "r-view-rule": "Visa regel", + "r-delete-rule": "Ta bort regel", "r-new-rule-name": "New rule title", - "r-no-rules": "No rules", + "r-no-rules": "Inga regler", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", - "r-moved-to": "Moved to", - "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", - "r-a-card": "a card", + "r-moved-to": "Flyttad till", + "r-moved-from": "Flyttad från", + "r-archived": "Flyttad till papperskorgen", + "r-unarchived": "Återställd från papperskorgen", + "r-a-card": "ett kort", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", "r-list-name": "List name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", - "r-name": "name", - "r-is": "is", + "r-name": "namn", + "r-is": "är", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -564,52 +564,52 @@ "r-when-the-item": "When the checklist item", "r-checked": "Checked", "r-unchecked": "Unchecked", - "r-move-card-to": "Move card to", + "r-move-card-to": "Flytta kort till", "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", "r-archive": "Flytta till papperskorgen", "r-unarchive": "Restore from Recycle Bin", - "r-card": "card", + "r-card": "kort", "r-add": "Lägg till", - "r-remove": "Remove", - "r-label": "label", - "r-member": "member", + "r-remove": "Ta bort", + "r-label": "etikett", + "r-member": "medlem", "r-remove-all": "Remove all members from the card", - "r-checklist": "checklist", + "r-checklist": "checklista", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-items-check": "items of checklist", + "r-items-check": "objekt på checklistan", "r-check": "Check", "r-uncheck": "Uncheck", - "r-item": "item", + "r-item": "objekt", "r-of-checklist": "of checklist", - "r-send-email": "Send an email", - "r-to": "to", - "r-subject": "subject", - "r-rule-details": "Rule details", + "r-send-email": "Skicka ett e-postmeddelande", + "r-to": "till", + "r-subject": "änme", + "r-rule-details": "Regeldetaljer", "r-d-move-to-top-gen": "Move card to top of its list", "r-d-move-to-top-spec": "Move card to top of list", "r-d-move-to-bottom-gen": "Move card to bottom of its list", "r-d-move-to-bottom-spec": "Move card to bottom of list", - "r-d-send-email": "Send email", - "r-d-send-email-to": "to", - "r-d-send-email-subject": "subject", - "r-d-send-email-message": "message", + "r-d-send-email": "Skicka e-post", + "r-d-send-email-to": "till", + "r-d-send-email-subject": "ämne", + "r-d-send-email-message": "meddelande", "r-d-archive": "Move card to Recycle Bin", "r-d-unarchive": "Restore card from Recycle Bin", - "r-d-add-label": "Add label", - "r-d-remove-label": "Remove label", - "r-d-add-member": "Add member", - "r-d-remove-member": "Remove member", - "r-d-remove-all-member": "Remove all member", + "r-d-add-label": "Lägg till etikett", + "r-d-remove-label": "Ta bort etikett", + "r-d-add-member": "Lägg till medlem", + "r-d-remove-member": "Ta bort medlem", + "r-d-remove-all-member": "Ta bort alla medlemmar", "r-d-check-all": "Check all items of a list", "r-d-uncheck-all": "Uncheck all items of a list", "r-d-check-one": "Check item", "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", - "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist", + "r-d-add-checklist": "Lägg till checklista", + "r-d-remove-checklist": "Ta bort checklista", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", -- cgit v1.2.3-1-g7c22 From e3b3e8b8c60c6c46304b80498075c08c6fce820e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 9 Nov 2018 21:44:50 +0200 Subject: v1.70 --- CHANGELOG.md | 4 ++-- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 03a2d4b8..4a7289d0 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.70 2018-11-09 Wekan release This release adds the following new features: @@ -11,7 +11,7 @@ and fixes the following bugs: - isCommentOnly and isNoComments are now optional - Turn off import error checking, so something is imported anyway, and import does not stop at error. - Now most of Sandstorm export do import to Standalone Wekan, but some of imported cards, dates etc are missing. - - Sandstorm Import Wekan board warning messages are now translateable. + - Sandstorm Import Wekan board warning messages are now translateable. But bug "Board not found" still exists. - LDAP: Added INTERNAL_LOG_LEVEL. Fix lint and ldap group filter options. Thanks to Akuket. Thanks to above mentioned GitHub users for their contributions. diff --git a/package.json b/package.json index 7cfffbf2..122097fa 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.69.0", + "version": "v1.70.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index e69a5621..45e4e237 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 172, + appVersion = 173, # Increment this for every release. - appMarketingVersion = (defaultText = "1.69.0~2018-11-03"), + appMarketingVersion = (defaultText = "1.70.0~2018-11-09"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 0daa6d3f7b36a7841fc44056e62af922a20a4dd7 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 10 Nov 2018 02:41:27 +0200 Subject: Update readme for clarity. --- README.md | 44 +++++++++++++++++++++++++++++++------------- 1 file changed, 31 insertions(+), 13 deletions(-) diff --git a/README.md b/README.md index 54804197..2f72e5c5 100644 --- a/README.md +++ b/README.md @@ -1,21 +1,30 @@ # Wekan -## Stable +## [Translate Wekan at Transifex](https://transifex.com/wekan/wekan) -- master+devel branch. At release, devel is merged to master. -- Receives fixes and features that have been tested at edge that they work. -- If you want automatic updates, [use Snap](https://github.com/wekan/wekan-snap/wiki/Install). -- If you want to test before update, [use Docker quay.io release tags](https://github.com/wekan/wekan/wiki/Docker). +Translations to non-English languages are accepted only at [Transifex](https://transifex.com/wekan/wekan) using webbrowser. +New English strings of new features can be added as PRs to edge branch file wekan/i18n/en.i18n.json . -## Edge +## [Wekan feature requests and bugs](https://github.com/wekan/wekan/issues) -- edge branch. All new fixes and features are added to here first. [Testing Edge](https://github.com/wekan/wekan-snap/wiki/Snap-Developer-Docs). +Please add most of your questions as GitHub issue: [Wekan feature requests and bugs](https://github.com/wekan/wekan/issues). +It's better than at chat where details get lost when chat scrolls up. -[![Translate Wekan at Transifex](https://img.shields.io/badge/Translate%20Wekan-at%20Transifex-brightgreen.svg "Freenode IRC")](https://transifex.com/wekan/wekan) +## Chat -[![Wekan Vanila Chat][vanila_badge]][vanila_chat] +[![Wekan Vanila Chat][vanila_badge]][vanila_chat] - Most Wekan community and developers are here at #wekan chat channel. +Use webbrowser to register, and after that you can also alternatively use mobile app Rocket.Chat by Rocket.Chat with +address https://chat.vanila.io and same username and password. + +[IRC FAQ - ANSWERS TO IRC QUESTIONS, READ BEFORE ASKING ANYTHING AT IRC](https://github.com/wekan/wekan/wiki/IRC-FAQ) [![IRC #wekan](https://img.shields.io/badge/IRC%20%23wekan-on%20Freenode-brightgreen.svg "Freenode IRC")](http://webchat.freenode.net?channels=%23wekan&uio=d4) +## FAQ + +**NOTE**: +- Please read the [FAQ](https://github.com/wekan/wekan/wiki/FAQ) first +- Please don't feed the trolls and spammers that are mentioned in the FAQ :) + [![Contributors](https://img.shields.io/github/contributors/wekan/wekan.svg "Contributors")](https://github.com/wekan/wekan/graphs/contributors) [![Docker Repository on Quay](https://quay.io/repository/wekan/wekan/status "Docker Repository on Quay")](https://quay.io/repository/wekan/wekan) [![Docker Hub container status](https://img.shields.io/docker/build/wekanteam/wekan.svg "Docker Hub container status")](https://hub.docker.com/r/wekanteam/wekan) @@ -26,9 +35,7 @@ [![Project Dependencies](https://david-dm.org/wekan/wekan.svg "Project Dependencies")](https://david-dm.org/wekan/wekan) [![Code analysis at Open Hub](https://img.shields.io/badge/code%20analysis-at%20Open%20Hub-brightgreen.svg "Code analysis at Open Hub")](https://www.openhub.net/p/wekan) -**NOTE**: -- Please read the [FAQ](https://github.com/wekan/wekan/wiki/FAQ) first -- Please don't feed the trolls and spammers that are mentioned in the FAQ :) +## About Wekan Wekan is an completely [Open Source][open_source] and [Free software][free_software] collaborative kanban board application with MIT license. @@ -42,7 +49,7 @@ that by providing one-click installation on various platforms. - [Features][features]: Wekan has real-time user interface. Not all features are implemented, yet. - [Platforms][platforms]: Wekan supports many platforms and plan is to add more. This will be the first place to look if you want to **install** it, test out and learn more in depth. - [Integrations][integrations]: Current possible integrations and future plans. -- [Team](https://github.com/wekan/wekan/wiki/Team): The people who spends their time and make wekan into what it is right now. +- [Team](https://github.com/wekan/wekan/wiki/Team): The people who spends their time and make Wekan into what it is right now. ## Roadmap @@ -71,6 +78,17 @@ If you want to know what is going on exactly this moment, you can check out the [![Screenshot of Wekan][screenshot_wefork]][roadmap_wefork] +## Stable + +- master+devel branch. At release, devel is merged to master. +- Receives fixes and features that have been tested at edge that they work. +- If you want automatic updates, [use Snap](https://github.com/wekan/wekan-snap/wiki/Install). +- If you want to test before update, [use Docker quay.io release tags](https://github.com/wekan/wekan/wiki/Docker). + +## Edge + +- edge branch. All new fixes and features are added to here first. [Testing Edge](https://github.com/wekan/wekan-snap/wiki/Snap-Developer-Docs). + ## License Wekan is released under the very permissive [MIT license](LICENSE), and made -- cgit v1.2.3-1-g7c22 From 16d925e588fa4e1a6422a08b9ef0b384fe4e255e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 10 Nov 2018 02:47:01 +0200 Subject: Reorganize readme. --- README.md | 22 +++++++++++----------- 1 file changed, 11 insertions(+), 11 deletions(-) diff --git a/README.md b/README.md index 2f72e5c5..5899a54d 100644 --- a/README.md +++ b/README.md @@ -1,4 +1,14 @@ -# Wekan +# Wekan - Open Source kanban + +[![Contributors](https://img.shields.io/github/contributors/wekan/wekan.svg "Contributors")](https://github.com/wekan/wekan/graphs/contributors) +[![Docker Repository on Quay](https://quay.io/repository/wekan/wekan/status "Docker Repository on Quay")](https://quay.io/repository/wekan/wekan) +[![Docker Hub container status](https://img.shields.io/docker/build/wekanteam/wekan.svg "Docker Hub container status")](https://hub.docker.com/r/wekanteam/wekan) +[![Docker Hub pulls](https://img.shields.io/docker/pulls/wekanteam/wekan.svg "Docker Hub Pulls")](https://hub.docker.com/r/wekanteam/wekan) +[![Wekan Build Status][travis_badge]][travis_status] +[![Codacy Badge](https://api.codacy.com/project/badge/Grade/02137ecec4e34c5aa303f57637196a93 "Codacy Badge")](https://www.codacy.com/app/xet7/wekan?utm_source=github.com&utm_medium=referral&utm_content=wekan/wekan&utm_campaign=Badge_Grade) +[![Code Climate](https://codeclimate.com/github/wekan/wekan/badges/gpa.svg "Code Climate")](https://codeclimate.com/github/wekan/wekan) +[![Project Dependencies](https://david-dm.org/wekan/wekan.svg "Project Dependencies")](https://david-dm.org/wekan/wekan) +[![Code analysis at Open Hub](https://img.shields.io/badge/code%20analysis-at%20Open%20Hub-brightgreen.svg "Code analysis at Open Hub")](https://www.openhub.net/p/wekan) ## [Translate Wekan at Transifex](https://transifex.com/wekan/wekan) @@ -25,16 +35,6 @@ address https://chat.vanila.io and same username and password. - Please read the [FAQ](https://github.com/wekan/wekan/wiki/FAQ) first - Please don't feed the trolls and spammers that are mentioned in the FAQ :) -[![Contributors](https://img.shields.io/github/contributors/wekan/wekan.svg "Contributors")](https://github.com/wekan/wekan/graphs/contributors) -[![Docker Repository on Quay](https://quay.io/repository/wekan/wekan/status "Docker Repository on Quay")](https://quay.io/repository/wekan/wekan) -[![Docker Hub container status](https://img.shields.io/docker/build/wekanteam/wekan.svg "Docker Hub container status")](https://hub.docker.com/r/wekanteam/wekan) -[![Docker Hub pulls](https://img.shields.io/docker/pulls/wekanteam/wekan.svg "Docker Hub Pulls")](https://hub.docker.com/r/wekanteam/wekan) -[![Wekan Build Status][travis_badge]][travis_status] -[![Codacy Badge](https://api.codacy.com/project/badge/Grade/02137ecec4e34c5aa303f57637196a93 "Codacy Badge")](https://www.codacy.com/app/xet7/wekan?utm_source=github.com&utm_medium=referral&utm_content=wekan/wekan&utm_campaign=Badge_Grade) -[![Code Climate](https://codeclimate.com/github/wekan/wekan/badges/gpa.svg "Code Climate")](https://codeclimate.com/github/wekan/wekan) -[![Project Dependencies](https://david-dm.org/wekan/wekan.svg "Project Dependencies")](https://david-dm.org/wekan/wekan) -[![Code analysis at Open Hub](https://img.shields.io/badge/code%20analysis-at%20Open%20Hub-brightgreen.svg "Code analysis at Open Hub")](https://www.openhub.net/p/wekan) - ## About Wekan Wekan is an completely [Open Source][open_source] and [Free software][free_software] -- cgit v1.2.3-1-g7c22 From 644e2c334f5598e89766ac21a9472339db812812 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 10 Nov 2018 03:36:26 +0200 Subject: Fix IRC link ;) --- README.md | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/README.md b/README.md index 5899a54d..e57a63e9 100644 --- a/README.md +++ b/README.md @@ -26,8 +26,7 @@ It's better than at chat where details get lost when chat scrolls up. Use webbrowser to register, and after that you can also alternatively use mobile app Rocket.Chat by Rocket.Chat with address https://chat.vanila.io and same username and password. -[IRC FAQ - ANSWERS TO IRC QUESTIONS, READ BEFORE ASKING ANYTHING AT IRC](https://github.com/wekan/wekan/wiki/IRC-FAQ) -[![IRC #wekan](https://img.shields.io/badge/IRC%20%23wekan-on%20Freenode-brightgreen.svg "Freenode IRC")](http://webchat.freenode.net?channels=%23wekan&uio=d4) +[Wekan IRC](https://github.com/wekan/wekan/wiki/IRC-FAQ) ## FAQ -- cgit v1.2.3-1-g7c22 From 329471e7e38bee8ba7def9910e6bc1b6a1f1d42e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 10 Nov 2018 04:12:56 +0200 Subject: Fix typo. --- README.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/README.md b/README.md index e57a63e9..02caa7ea 100644 --- a/README.md +++ b/README.md @@ -26,7 +26,7 @@ It's better than at chat where details get lost when chat scrolls up. Use webbrowser to register, and after that you can also alternatively use mobile app Rocket.Chat by Rocket.Chat with address https://chat.vanila.io and same username and password. -[Wekan IRC](https://github.com/wekan/wekan/wiki/IRC-FAQ) +[Wekan IRC FAQ](https://github.com/wekan/wekan/wiki/IRC-FAQ) ## FAQ -- cgit v1.2.3-1-g7c22 From 73daf191ae15591bdf7fa71446a636460c482d6e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 11 Nov 2018 20:20:19 +0200 Subject: Update translations. --- i18n/cs.i18n.json | 100 +++++++++++++++++++++++++-------------------------- i18n/de.i18n.json | 4 +-- i18n/sv.i18n.json | 54 ++++++++++++++-------------- i18n/zh-CN.i18n.json | 4 +-- 4 files changed, 81 insertions(+), 81 deletions(-) diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index bc231acf..7151f0d7 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -65,7 +65,7 @@ "add-checklist-item": "Přidat položku do zaškrtávacího seznamu", "add-cover": "Přidat obal", "add-label": "Přidat štítek", - "add-list": "Přidat list", + "add-list": "Přidat sloupec", "add-members": "Přidat členy", "added": "Přidán", "addMemberPopup-title": "Členové", @@ -83,7 +83,7 @@ "archive-all": "Přesunout všechno do koše", "archive-board": "Přesunout tablo do koše", "archive-card": "Přesunout kartu do koše", - "archive-list": "Přesunout seznam do koše", + "archive-list": "Přesunout sloupec do koše", "archive-swimlane": "Přesunout swimlane do koše", "archive-selection": "Přesunout výběr do koše", "archiveBoardPopup-title": "Chcete přesunout tablo do koše?", @@ -115,14 +115,14 @@ "board-view": "Náhled tabla", "board-view-cal": "Kalendář", "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Seznamy", - "bucket-example": "Například \"Než mě odvedou\"", + "board-view-lists": "Sloupce", + "bucket-example": "Například \"O čem sním\"", "cancel": "Zrušit", "card-archived": "Karta byla přesunuta do koše.", "board-archived": "Toto tablo je přesunuto do koše", "card-comments-title": "Tato karta má %s komentářů.", "card-delete-notice": "Smazání je trvalé. Přijdete o všechny akce asociované s touto kartou.", - "card-delete-pop": "Všechny akce budou odstraněny z kanálu aktivity a nebude možné kartu znovu otevřít. Toto nelze vrátit zpět.", + "card-delete-pop": "Všechny akce budou odstraněny z kanálu aktivity a nebude možné kartu obnovit. Toto nelze vrátit zpět.", "card-delete-suggest-archive": "Kartu můžete přesunout do koše a tím ji odstranit z tabla a přitom zachovat aktivity.", "card-due": "Termín", "card-due-on": "Do", @@ -147,8 +147,8 @@ "cards-count": "Karty", "casSignIn": "Sign In with CAS", "cardType-card": "Karta", - "cardType-linkedCard": "Linked Card", - "cardType-linkedBoard": "Linked Board", + "cardType-linkedCard": "Propojená karta", + "cardType-linkedBoard": "Propojené tablo", "change": "Změnit", "change-avatar": "Změnit avatar", "change-password": "Změnit heslo", @@ -187,7 +187,7 @@ "confirm-subtask-delete-dialog": "Opravdu chcete smazat tento podúkol?", "confirm-checklist-delete-dialog": "Opravdu chcete smazat tento checklist?", "copy-card-link-to-clipboard": "Kopírovat adresu karty do mezipaměti", - "linkCardPopup-title": "Link Card", + "linkCardPopup-title": "Propojit kartu", "searchCardPopup-title": "Hledat Kartu", "copyCardPopup-title": "Kopírovat kartu", "copyChecklistToManyCardsPopup-title": "Kopírovat checklist do více karet", @@ -255,7 +255,7 @@ "error-board-notAMember": "K provedení změny musíš být členem tohoto tabla", "error-json-malformed": "Tvůj text není validní JSON", "error-json-schema": "Tato JSON data neobsahují správné informace v platném formátu", - "error-list-doesNotExist": "Tento seznam neexistuje", + "error-list-doesNotExist": "Tento sloupec ;neexistuje", "error-user-doesNotExist": "Tento uživatel neexistuje", "error-user-notAllowSelf": "Nemůžeš pozvat sám sebe", "error-user-notCreated": "Tento uživatel není vytvořen", @@ -279,7 +279,7 @@ "headerBarCreateBoardPopup-title": "Vytvořit tablo", "home": "Domů", "import": "Import", - "link": "Link", + "link": "Propojit", "import-board": "Importovat tablo", "import-board-c": "Importovat tablo", "import-board-title-trello": "Import board from Trello", @@ -315,18 +315,18 @@ "leave-board-pop": "Opravdu chcete opustit tablo __boardTitle__? Odstraníte se tím i ze všech karet v tomto tablu.", "leaveBoardPopup-title": "Opustit tablo?", "link-card": "Odkázat na tuto kartu", - "list-archive-cards": "Přesunout všechny karty v tomto seznamu do koše", - "list-archive-cards-pop": "Toto odstraní z tabla všechny karty z tohoto seznamu. Pro zobrazení karet v koši a jejich opětovné obnovení, klikni v \"Menu\" > \"Archivované položky\".", - "list-move-cards": "Přesunout všechny karty v tomto seznamu", - "list-select-cards": "Vybrat všechny karty v tomto seznamu", + "list-archive-cards": "Přesunout všechny karty v tomto sloupci do koše", + "list-archive-cards-pop": "Toto odstraní z tabla všechny karty z tohoto sloupce. Pro zobrazení karet v koši a jejich opětovné obnovení, klikni v \"Menu\" > \"Koš\".", + "list-move-cards": "Přesunout všechny karty v tomto sloupci", + "list-select-cards": "Vybrat všechny karty v tomto sloupci", "listActionPopup-title": "Vypsat akce", "swimlaneActionPopup-title": "Akce swimlane", "listImportCardPopup-title": "Importovat Trello kartu", "listMorePopup-title": "Více", - "link-list": "Odkaz na tento seznam", - "list-delete-pop": "Všechny akce budou odstraněny z kanálu aktivity a nebude možné kartu obnovit. Toto nelze vrátit zpět.", - "list-delete-suggest-archive": "Kartu můžete přesunout do koše a tím ji odstranit z tabla a přitom zachovat aktivity.", - "lists": "Seznamy", + "link-list": "Odkaz na tento sloupec", + "list-delete-pop": "Všechny akce budou odstraněny z kanálu aktivity a nebude možné sloupec obnovit. Toto nelze vrátit zpět.", + "list-delete-suggest-archive": "Sloupec můžete přesunout do koše a tím jej odstranit z tabla a přitom zachovat aktivity.", + "lists": "Sloupce", "swimlanes": "Swimlanes", "log-out": "Odhlásit", "log-in": "Přihlásit", @@ -346,14 +346,14 @@ "my-boards": "Moje tabla", "name": "Jméno", "no-archived-cards": "Žádné karty v koši", - "no-archived-lists": "Žádné seznamy v koši", + "no-archived-lists": "Žádné sloupce v koši", "no-archived-swimlanes": "Žádné swimlane v koši", "no-results": "Žádné výsledky", "normal": "Normální", "normal-desc": "Může zobrazovat a upravovat karty. Nemůže měnit nastavení.", "not-accepted-yet": "Pozvánka ještě nebyla přijmuta", "notify-participate": "Dostane aktualizace do všech karet, ve kterých se účastní jako tvůrce nebo člen", - "notify-watch": "Dostane aktualitace to všech tabel, seznamů nebo karet, které sledujete", + "notify-watch": "Dostane aktualitace to všech tabel, sloupců nebo karet, které sledujete", "optional": "volitelný", "or": "nebo", "page-maybe-private": "Tato stránka může být soukromá. Můžete ji zobrazit po přihlášení.", @@ -373,7 +373,7 @@ "remove-cover": "Odstranit obal", "remove-from-board": "Odstranit z tabla", "remove-label": "Odstranit štítek", - "listDeletePopup-title": "Smazat seznam?", + "listDeletePopup-title": "Smazat sloupec?", "remove-member": "Odebrat uživatele", "remove-member-from-card": "Odstranit z karty", "remove-member-pop": "Odstranit __name__ (__username__) z __boardTitle__? Uživatel bude odebrán ze všech karet na tomto tablu. Na tuto skutečnost bude upozorněn.", @@ -387,7 +387,7 @@ "search-cards": "Hledat nadpisy a popisy karet v tomto tablu", "search-example": "Hledaný text", "select-color": "Vybrat barvu", - "set-wip-limit-value": "Nastaví limit pro maximální počet úkolů v seznamu.", + "set-wip-limit-value": "Nastaví limit pro maximální počet úkolů ve sloupci.", "setWipLimitPopup-title": "Nastavit WIP Limit", "shortcut-assign-self": "Přiřadit sebe k aktuální kartě", "shortcut-autocomplete-emoji": "Automatické dokončování emoji", @@ -398,13 +398,13 @@ "shortcut-show-shortcuts": "Otevřít tento seznam odkazů", "shortcut-toggle-filterbar": "Přepnout lištu filtrování", "shortcut-toggle-sidebar": "Přepnout lištu tabla", - "show-cards-minimum-count": "Zobrazit počet karet pokud seznam obsahuje více než ", + "show-cards-minimum-count": "Zobrazit počet karet pokud sloupec obsahuje více než ", "sidebar-open": "Otevřít boční panel", "sidebar-close": "Zavřít boční panel", "signupPopup-title": "Vytvořit účet", - "star-board-title": "Kliknutím přidat tablu hvězdičku. Poté bude zobrazeno navrchu seznamu.", + "star-board-title": "Kliknutím přidat tablu hvězdičku. Poté bude zobrazeno nahoře.", "starred-boards": "Tabla s hvězdičkou", - "starred-boards-description": "Tabla s hvězdičkou jsou zobrazena navrchu seznamu.", + "starred-boards-description": "Tabla s hvězdičkou jsou zobrazena nahoře.", "subscribe": "Odebírat", "team": "Tým", "this-board": "toto tablo", @@ -427,7 +427,7 @@ "uploaded-avatar": "Avatar nahrán", "username": "Uživatelské jméno", "view-it": "Zobrazit", - "warn-list-archived": "varování: tuto kartu obsahuje seznam v koši", + "warn-list-archived": "varování: tuto kartu obsahuje sloupec v koši", "watch": "Sledovat", "watching": "Sledující", "watching-info": "Bude vám oznámena každá změna v tomto tablu", @@ -437,8 +437,8 @@ "welcome-list2": "Pokročilé", "what-to-do": "Co chcete dělat?", "wipLimitErrorPopup-title": "Neplatný WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "Počet úkolů v tomto seznamu je vyšší než definovaný WIP limit.", - "wipLimitErrorPopup-dialog-pt2": "Přesuňte prosím některé úkoly mimo tento seznam, nebo nastavte vyšší WIP limit.", + "wipLimitErrorPopup-dialog-pt1": "Počet úkolů v tomto sloupci je vyšší než definovaný WIP limit.", + "wipLimitErrorPopup-dialog-pt2": "Přesuňte prosím některé úkoly mimo tento sloupec, nebo nastavte vyšší WIP limit.", "admin-panel": "Administrátorský panel", "settings": "Nastavení", "people": "Lidé", @@ -502,8 +502,8 @@ "editCardEndDatePopup-title": "Změnit datum konce", "assigned-by": "Přidělil(a)", "requested-by": "Vyžádal(a)", - "board-delete-notice": "Smazání je trvalé. Přijdete o všechny seznamy, karty a akce asociované s tímto tablem.", - "delete-board-confirm-popup": "Všechny sezamy, štítky a aktivity budou a obsah tabla nebude možné obnovit. Toto nelze vrátit zpět.", + "board-delete-notice": "Smazání je trvalé. Přijdete o všechny sloupce, karty a akce spojené s tímto tablem.", + "delete-board-confirm-popup": "Všechny sloupce, štítky a aktivity budou smazány a obsah tabla nebude možné obnovit. Toto nelze vrátit zpět.", "boardDeletePopup-title": "Smazat tablo?", "delete-board": "Smazat tablo", "default-subtasks-board": "Podúkoly pro tablo __board__", @@ -542,7 +542,7 @@ "r-added-to": "Přidáno do", "r-removed-from": "Odstraněno z", "r-the-board": "the board", - "r-list": "seznam", + "r-list": "sloupce", "r-moved-to": "Přesunuto do", "r-moved-from": "Přesunuto z", "r-archived": "Přesunuto do koše", @@ -550,24 +550,24 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "Název sloupce", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", "r-is": "is", "r-when-a-attach": "When an attachment", - "r-when-a-checklist": "When a checklist is", - "r-when-the-checklist": "When the checklist", + "r-when-a-checklist": "Když zaškrtávací seznam je", + "r-when-the-checklist": "Když zaškrtávací seznam", "r-completed": "Dokončeno", "r-made-incomplete": "Made incomplete", - "r-when-a-item": "When a checklist item is", - "r-when-the-item": "When the checklist item", + "r-when-a-item": "Když položka zaškrtávacího seznamu je", + "r-when-the-item": "Když položka zaškrtávacího seznamu", "r-checked": "Checked", "r-unchecked": "Unchecked", "r-move-card-to": "Move card to", "r-top-of": "Top of", "r-bottom-of": "Bottom of", - "r-its-list": "its list", + "r-its-list": "toho sloupce", "r-archive": "Přesunout do koše", "r-unarchive": "Restore from Recycle Bin", "r-card": "karta", @@ -576,22 +576,22 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", - "r-checklist": "checklist", + "r-checklist": "zaškrtávací seznam", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", - "r-items-check": "items of checklist", + "r-items-check": "položky zaškrtávacího seznamu", "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checklist", + "r-of-checklist": "ze zaškrtávacího seznamu", "r-send-email": "Send an email", "r-to": "komu", "r-subject": "předmět", "r-rule-details": "Rule details", - "r-d-move-to-top-gen": "Move card to top of its list", - "r-d-move-to-top-spec": "Přesunout kartu na začátek seznamu", - "r-d-move-to-bottom-gen": "Move card to bottom of its list", - "r-d-move-to-bottom-spec": "Přesunout kartu na konec seznamu", + "r-d-move-to-top-gen": "Přesunout kartu na začátek toho sloupce", + "r-d-move-to-top-spec": "Přesunout kartu na začátek sloupce", + "r-d-move-to-bottom-gen": "Přesunout kartu na konec sloupce", + "r-d-move-to-bottom-spec": "Přesunout kartu na konec sloupce", "r-d-send-email": "Odeslat email", "r-d-send-email-to": "komu", "r-d-send-email-subject": "předmět", @@ -607,15 +607,15 @@ "r-d-uncheck-all": "Uncheck all items of a list", "r-d-check-one": "Check item", "r-d-uncheck-one": "Uncheck item", - "r-d-check-of-list": "of checklist", - "r-d-add-checklist": "Přidat checklist", - "r-d-remove-checklist": "Odstranit checklist", - "r-when-a-card-is-moved": "When a card is moved to another list", + "r-d-check-of-list": "ze zaškrtávacího seznamu", + "r-d-add-checklist": "Přidat zaškrtávací seznam", + "r-d-remove-checklist": "Odstranit zaškrtávací seznam", + "r-when-a-card-is-moved": "Když je karta přesunuta do jiného sloupce", "ldap": "LDAP", "oauth2": "OAuth2", "cas": "CAS", - "authentication-method": "Authentication method", - "authentication-type": "Authentication type", + "authentication-method": "Metoda autentizace", + "authentication-type": "Typ autentizace", "custom-product-name": "Custom Product Name", "layout": "Layout" } \ No newline at end of file diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 6e928248..59dd9873 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -284,13 +284,13 @@ "import-board-c": "Board importieren", "import-board-title-trello": "Board von Trello importieren", "import-board-title-wekan": "Board von Wekan importieren", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-sandstorm-backup-warning": "Bitte keine Daten aus dem Original-Wekan oder Trello nach dem Import löschen, bitte prüfe vorher ob die alles funktioniert, andernfalls es kommt zum Fehler \"Board nicht gefunden\", dies meint Datenverlust.", "import-sandstorm-warning": "Das importierte Board wird alle bereits existierenden Daten löschen und mit den importierten Daten überschreiben.", "from-trello": "Von Trello", "from-wekan": "Von Wekan", "import-board-instruction-trello": "Gehen Sie in ihrem Trello-Board auf 'Menü', dann 'Mehr', 'Drucken und Exportieren', 'JSON-Export' und kopieren Sie den dort angezeigten Text", "import-board-instruction-wekan": "Gehen Sie in Ihrem Wekan board auf 'Menü', und dann auf 'Board exportieren'. Kopieren Sie anschließend den Text aus der heruntergeladenen Datei.", - "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", + "import-board-instruction-about-errors": "Treten beim importieren eines Board Fehler auf, so kann der Import dennoch erfolgreich abgeschlossen sein und das Board ist auf der Seite \"Alle Boards\" zusehen.", "import-json-placeholder": "Fügen Sie die korrekten JSON-Daten hier ein", "import-map-members": "Mitglieder zuordnen", "import-members-map": "Das importierte Board hat Mitglieder. Bitte ordnen Sie jene, die importiert werden sollen, vorhandenen Wekan-Nutzern zu", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index ed513ef4..5aef56c9 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -43,8 +43,8 @@ "activity-sent": "skickade %s till %s", "activity-unjoined": "gick ur %s", "activity-subtask-added": "lade till deluppgift till %s", - "activity-checked-item": "checked %s in checklist %s of %s", - "activity-unchecked-item": "unchecked %s in checklist %s of %s", + "activity-checked-item": "kryssad %s i checklistan %s av %s", + "activity-unchecked-item": "okryssad %s i checklistan %s av %s", "activity-checklist-added": "lade kontrollista till %s", "activity-checklist-removed": "tog bort en checklista från %s", "activity-checklist-completed": "slutfört checklistan %s av %s", @@ -52,8 +52,8 @@ "activity-checklist-item-added": "lade checklista objekt till '%s' i %s", "activity-checklist-item-removed": "tog bort en checklista objekt från \"%s\" i %s", "add": "Lägg till", - "activity-checked-item-card": "checked %s in checklist %s", - "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checked-item-card": "kryssad %s i checklistan %s", + "activity-unchecked-item-card": "okryssad %s i checklistan %s", "activity-checklist-completed-card": "slutfört checklistan %s", "activity-checklist-uncompleted-card": "icke slutfört checklistan %s", "add-attachment": "Lägg till bilaga", @@ -78,7 +78,7 @@ "and-n-other-card": "Och __count__ annat kort", "and-n-other-card_plural": "Och __count__ andra kort", "apply": "Tillämpa", - "app-is-offline": "Wekan laddar, vänta. Uppdatering av sidan kommer att leda till förlust av data. Om Wekan inte laddas, kontrollera att Wekan-servern inte har stoppats.", + "app-is-offline": "Wekan läses in, var god vänta. Uppdatering av sidan kommer att leda till förlust av data. Om Wekan inte läses in, kontrollera att Wekan-servern inte har stoppats.", "archive": "Flytta till papperskorgen", "archive-all": "Flytta alla till papperskorgen", "archive-board": "Flytta anslagstavla till papperskorgen", @@ -91,7 +91,7 @@ "archived-boards": "Anslagstavlor i papperskorgen", "restore-board": "Återställ anslagstavla", "no-archived-boards": "Inga anslagstavlor i papperskorgen", - "archives": "Papperskorgen", + "archives": "Papperskorg", "assign-member": "Tilldela medlem", "attached": "bifogad", "attachment": "Bilaga", @@ -119,7 +119,7 @@ "bucket-example": "Gilla \"att-göra-innan-jag-dör-lista\" till exempel", "cancel": "Avbryt", "card-archived": "Detta kort flyttas till papperskorgen.", - "board-archived": "This board is moved to Recycle Bin.", + "board-archived": "Den här anslagstavlan är flyttad till papperskorgen.", "card-comments-title": "Detta kort har %s kommentar.", "card-delete-notice": "Ta bort är permanent. Du kommer att förlora alla åtgärder i samband med detta kort.", "card-delete-pop": "Alla åtgärder kommer att tas bort från aktivitetsflöde och du kommer inte att kunna öppna kortet igen. Det går inte att ångra.", @@ -148,7 +148,7 @@ "casSignIn": "Logga in med CAS", "cardType-card": "Kort", "cardType-linkedCard": "Länkat kort", - "cardType-linkedBoard": "Linked Board", + "cardType-linkedBoard": "Länkad anslagstavla", "change": "Ändra", "change-avatar": "Ändra avatar", "change-password": "Ändra lösenord", @@ -290,7 +290,7 @@ "from-wekan": "Från Wekan", "import-board-instruction-trello": "I din Trello-anslagstavla, gå till 'Meny', sedan 'Mera', 'Skriv ut och exportera', 'Exportera JSON' och kopiera den resulterande text.", "import-board-instruction-wekan": "I din Wekan-anslagstavla, gå till \"Meny\", sedan \"Exportera anslagstavla\" och kopiera texten i den hämtade filen.", - "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", + "import-board-instruction-about-errors": "Om du får fel vid import av anslagstavla, ibland importerar fortfarande fungerar, och styrelsen är på alla sidor för anslagstavlor.", "import-json-placeholder": "Klistra in giltigt JSON data här", "import-map-members": "Kartlägg medlemmar", "import-members-map": "Din importerade anslagstavla har några medlemmar. Kartlägg medlemmarna som du vill importera till Wekan-användare", @@ -484,8 +484,8 @@ "minutes": "minuter", "seconds": "sekunder", "show-field-on-card": "Visa detta fält på kort", - "automatically-field-on-card": "Auto create field to all cards", - "showLabel-field-on-card": "Show field label on minicard", + "automatically-field-on-card": "Skapa automatiskt fält till alla kort", + "showLabel-field-on-card": "Visa fältetikett på minikort", "yes": "Ja", "no": "Nej", "accounts": "Konton", @@ -513,15 +513,15 @@ "boardSubtaskSettingsPopup-title": "Deluppgiftsinställningar för anslagstavla", "show-subtasks-field": "Kort kan ha deluppgifter", "deposit-subtasks-board": "Insättnings deluppgifter på denna anslagstavla:", - "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "deposit-subtasks-list": "Landningslista för deluppgifter deponerade här:", "show-parent-in-minicard": "Show parent in minicard:", - "prefix-with-full-path": "Prefix with full path", + "prefix-with-full-path": "Prefix med fullständig sökväg", "prefix-with-parent": "Prefix with parent", - "subtext-with-full-path": "Subtext with full path", + "subtext-with-full-path": "Undertext med fullständig sökväg", "subtext-with-parent": "Subtext with parent", "change-card-parent": "Change card's parent", "parent-card": "Parent card", - "source-board": "Source board", + "source-board": "Källa för anslagstavla", "no-parent": "Don't show parent", "activity-added-label": "lade till etiketten '%s' till %s", "activity-removed-label": "tog bort etiketten '%s' från %s", @@ -532,27 +532,27 @@ "r-rule": "Regel", "r-add-trigger": "Add trigger", "r-add-action": "Lägg till åtgärd", - "r-board-rules": "Board rules", + "r-board-rules": "Regler för anslagstavla", "r-add-rule": "Lägg till regel", "r-view-rule": "Visa regel", "r-delete-rule": "Ta bort regel", "r-new-rule-name": "New rule title", "r-no-rules": "Inga regler", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", - "r-removed-from": "Removed from", - "r-the-board": "the board", - "r-list": "list", + "r-when-a-card-is": "När ett kort är", + "r-added-to": "Tillagd till", + "r-removed-from": "Borttagen från", + "r-the-board": "anslagstavlan", + "r-list": "lista", "r-moved-to": "Flyttad till", "r-moved-from": "Flyttad från", "r-archived": "Flyttad till papperskorgen", "r-unarchived": "Återställd från papperskorgen", "r-a-card": "ett kort", - "r-when-a-label-is": "When a label is", - "r-when-the-label-is": "When the label is", + "r-when-a-label-is": "När en etikett är", + "r-when-the-label-is": "När etiketten är", "r-list-name": "List name", - "r-when-a-member": "When a member is", - "r-when-the-member": "When the member", + "r-when-a-member": "När en medlem är", + "r-when-the-member": "När medlemmen", "r-name": "namn", "r-is": "är", "r-when-a-attach": "When an attachment", @@ -562,8 +562,8 @@ "r-made-incomplete": "Made incomplete", "r-when-a-item": "When a checklist item is", "r-when-the-item": "When the checklist item", - "r-checked": "Checked", - "r-unchecked": "Unchecked", + "r-checked": "Kryssad", + "r-unchecked": "Okryssad", "r-move-card-to": "Flytta kort till", "r-top-of": "Top of", "r-bottom-of": "Bottom of", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index c460d6a3..63b09f3a 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -616,6 +616,6 @@ "cas": "CAS", "authentication-method": "认证方式", "authentication-type": "认证类型", - "custom-product-name": "Custom Product Name", - "layout": "Layout" + "custom-product-name": "自定义产品名称", + "layout": "布局" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From d4e75165dde4977f8354170d4367a4c5213b122c Mon Sep 17 00:00:00 2001 From: Jonathan Warner Date: Mon, 12 Nov 2018 03:49:13 -0700 Subject: Revised rebuild-wekan.sh to work correctly with npm The use of sudo npm is bugged. This is a workaround patch. Fixes issue #2001 --- rebuild-wekan.sh | 57 ++++++++++++++++++++++++++++++++++++++++++++++++++++---- 1 file changed, 53 insertions(+), 4 deletions(-) diff --git a/rebuild-wekan.sh b/rebuild-wekan.sh index c1f9f4a0..03586489 100755 --- a/rebuild-wekan.sh +++ b/rebuild-wekan.sh @@ -10,6 +10,55 @@ function pause(){ read -p "$*" } +function cprec(){ + if [[ -d "$1" ]]; then + if [[ ! -d "$2" ]]; then + sudo mkdir -p "$2" + fi + + for i in $(ls -A "$1"); do + cprec "$1/$i" "$2/$i" + done + else + sudo cp "$1" "$2" + fi +} + +# sudo npm doesn't work right, so this is a workaround +function npm_call(){ + TMPDIR="/tmp/tmp_npm_prefix" + if [[ -d "$TMPDIR" ]]; then + rm -rf $TMPDIR + fi + mkdir $TMPDIR + NPM_PREFIX="$(npm config get prefix)" + npm config set prefix $TMPDIR + npm "$@" + npm config set prefix "$NPM_PREFIX" + + echo "Moving files to $NPM_PREFIX" + for i in $(ls -A $TMPDIR); do + cprec "$TMPDIR/$i" "$NPM_PREFIX/$i" + done + rm -rf $TMPDIR +} + +function wekan_repo_check(){ + git_remotes="$(git remote show 2>/dev/null)" + res="" + for i in $git_remotes; do + res="$(git remote get-url $i | sed 's/.*wekan\/wekan.*/wekan\/wekan/')" + if [[ "$res" == "wekan/wekan" ]]; then + break + fi + done + + if [[ "$res" != "wekan/wekan" ]]; then + echo "$PWD is not a wekan repository" + exit; + fi +} + echo PS3='Please enter your choice: ' options=("Install Wekan dependencies" "Build Wekan" "Quit") @@ -24,7 +73,7 @@ do if [ "$(grep -Ei 'buntu|mint' /etc/*release)" ]; then sudo apt install -y build-essential git curl wget # sudo apt -y install nodejs npm -# sudo npm -g install n +# npm_call -g install n # sudo n 8.12.0 fi @@ -70,10 +119,10 @@ do fi ## Latest npm with Meteor 1.6 - sudo npm -g install npm - sudo npm -g install node-gyp + npm_call -g install npm + npm_call -g install node-gyp # Latest fibers for Meteor 1.6 - sudo npm -g install fibers@2.0.0 + npm_call -g install fibers@2.0.0 # Install Meteor, if it's not yet installed curl https://install.meteor.com | bash # mkdir ~/repos -- cgit v1.2.3-1-g7c22 From 22a9e783c99b56db688793ad3736bd1e3fc20f40 Mon Sep 17 00:00:00 2001 From: Jonathan Warner Date: Mon, 12 Nov 2018 03:51:44 -0700 Subject: Revised shell scripts to check for wekan repository The scripts used to assume that ~/repos/wekan was a local wekan repo. They now check that the active directory is a wekan repo. --- rebuild-wekan.sh | 12 ++++++------ start-wekan.sh | 26 ++++++++++++++++++++++---- status-wekan.sh | 4 +++- stop-wekan.sh | 2 ++ 4 files changed, 33 insertions(+), 11 deletions(-) diff --git a/rebuild-wekan.sh b/rebuild-wekan.sh index 03586489..42364515 100755 --- a/rebuild-wekan.sh +++ b/rebuild-wekan.sh @@ -134,10 +134,10 @@ do ;; "Build Wekan") echo "Building Wekan." - cd ~/repos/wekan + wekan_repo_check rm -rf packages - mkdir -p ~/repos/wekan/packages - cd ~/repos/wekan/packages + mkdir packages + cd packages git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-flow-router git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git @@ -150,7 +150,7 @@ do sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' ~/repos/wekan/packages/meteor-useraccounts-core/package.js fi - cd ~/repos/wekan + cd .. rm -rf node_modules meteor npm install rm -rf .build @@ -162,11 +162,11 @@ do #cd ~/repos/wekan/.build/bundle/programs/server/npm/node_modules/meteor/npm-bcrypt #rm -rf node_modules/bcrypt #meteor npm install bcrypt - cd ~/repos/wekan/.build/bundle/programs/server + cd .build/bundle/programs/server rm -rf node_modules meteor npm install #meteor npm install bcrypt - cd ~/repos + cd ../../../.. echo Done. break ;; diff --git a/start-wekan.sh b/start-wekan.sh index 6006fb92..3584ac6d 100755 --- a/start-wekan.sh +++ b/start-wekan.sh @@ -1,7 +1,25 @@ -# If you want to restart even on crash, uncomment while and done lines. +#!/bin/bash + +function wekan_repo_check(){ + git_remotes="$(git remote show 2>/dev/null)" + res="" + for i in $git_remotes; do + res="$(git remote get-url $i | sed 's/.*wekan\/wekan.*/wekan\/wekan/')" + if [[ "$res" == "wekan/wekan" ]]; then + break + fi + done + if [[ "$res" != "wekan/wekan" ]]; then + echo "$PWD is not a wekan repository" + exit; + fi +} + +# If you want to restart even on crash, uncomment while and done lines. #while true; do - cd ~/repos/wekan/.build/bundle + wekan_repo_check + cd .build/bundle #export MONGO_URL='mongodb://127.0.0.1:27019/wekantest' #export MONGO_URL='mongodb://127.0.0.1:27019/wekan' export MONGO_URL='mongodb://127.0.0.1:27019/wekantest' @@ -18,6 +36,6 @@ export PORT=2000 #export LDAP_ENABLE=true node main.js - # & >> ~/repos/wekan.log - cd ~/repos + # & >> ../../wekan.log + cd ../.. #done diff --git a/status-wekan.sh b/status-wekan.sh index 2b815f4a..3b0f232d 100755 --- a/status-wekan.sh +++ b/status-wekan.sh @@ -1,5 +1,7 @@ +#!/bin/sh + echo -e "\nWekan node.js:" ps aux | grep "node main.js" | grep -v grep echo -e "\nWekan mongodb:" ps aux | grep mongo | grep -v grep -echo -e "\nWekan logs are at /home/wekan/repos/wekan.log\n" +echo -e "\nWekan logs are at $PWD/wekan.log\n" diff --git a/stop-wekan.sh b/stop-wekan.sh index a7adf03b..8865a83a 100755 --- a/stop-wekan.sh +++ b/stop-wekan.sh @@ -1 +1,3 @@ +#!/bin/sh + pkill -f "node main.js" -- cgit v1.2.3-1-g7c22 From b919eb23ab807f0ec60c8ba722094bb0743a8af4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 13 Nov 2018 12:17:46 +0200 Subject: Rename Recycle Bin to Archive. Closes #1784, closes #1489 --- i18n/en.i18n.json | 68 +++++++++++++++++++++++++++---------------------------- 1 file changed, 34 insertions(+), 34 deletions(-) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 8c5ce423..67e03cd0 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "created custom field __customField__", "act-createList": "added __list__ to __board__", "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "imported __board__", "act-importCard": "imported __card__", "act-importList": "imported __list__", @@ -29,7 +29,7 @@ "activities": "Activities", "activity": "Activity", "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", + "activity-archived": "%s moved to Archive", "activity-attached": "attached %s to %s", "activity-created": "created %s", "activity-customfield-created": "created custom field %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "And __count__ other cards", "apply": "Apply", "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Archive", + "archived-boards": "Boards in Archive", "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "No Boards in Archive.", + "archives": "Archive", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -118,12 +118,12 @@ "board-view-lists": "Lists", "bucket-example": "Like “Bucket List” for example", "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", @@ -166,7 +166,7 @@ "clipboard": "Clipboard or drag & drop", "close": "Close", "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "black", "color-blue": "blue", "color-green": "green", @@ -315,8 +315,8 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", "listActionPopup-title": "List Actions", @@ -325,7 +325,7 @@ "listMorePopup-title": "More", "link-list": "Link to this list", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Lists", "swimlanes": "Swimlanes", "log-out": "Log Out", @@ -345,9 +345,9 @@ "muted-info": "You will never be notified of any changes in this board", "my-boards": "My Boards", "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "No results", "normal": "Normal", "normal-desc": "Can view and edit cards. Can't change settings.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Uploaded an avatar", "username": "Username", "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Watch", "watching": "Watching", "watching-info": "You will be notified of any change in this board", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -569,8 +569,8 @@ "r-bottom-of": "Bottom of", "r-its-list": "its list", "r-list": "list", - "r-archive": "Move to Recycle Bin", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Add", "r-remove": "Remove", @@ -597,8 +597,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", -- cgit v1.2.3-1-g7c22 From e266902ba9b3368bfc97d4924d902c6dc4e2ef8b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 13 Nov 2018 13:39:30 +0200 Subject: Update translations. --- i18n/ar.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/bg.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/br.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/ca.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/cs.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/de.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/el.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/en-GB.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/eo.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/es-AR.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/es.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/eu.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/fa.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/fi.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/fr.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/gl.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/he.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/hi.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/hu.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/hy.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/id.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/ig.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/it.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/ja.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/ka.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/km.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/ko.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/lv.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/mn.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/nb.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/nl.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/pl.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/pt-BR.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/pt.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/ro.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/ru.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/sr.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/sv.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/ta.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/th.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/tr.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/uk.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/vi.i18n.json | 68 +++++++++++++++++++++++----------------------- i18n/zh-CN.i18n.json | 76 ++++++++++++++++++++++++++-------------------------- i18n/zh-TW.i18n.json | 68 +++++++++++++++++++++++----------------------- 45 files changed, 1534 insertions(+), 1534 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 797e2d02..838be70d 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "created custom field __customField__", "act-createList": "اضاف __list__ الى __board__", "act-addBoardMember": "اضاف __member__ الى __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "إستورد __board__", "act-importCard": "إستورد __card__", "act-importList": "إستورد __list__", @@ -29,7 +29,7 @@ "activities": "الأنشطة", "activity": "النشاط", "activity-added": "تمت إضافة %s ل %s", - "activity-archived": "%s moved to Recycle Bin", + "activity-archived": "%s moved to Archive", "activity-attached": "إرفاق %s ل %s", "activity-created": "أنشأ %s", "activity-customfield-created": "created custom field %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "And __count__ other بطاقات", "apply": "طبق", "app-is-offline": "يتمّ تحميل ويكان، يرجى الانتظار. سيؤدي تحديث الصفحة إلى فقدان البيانات. إذا لم يتم تحميل ويكان، يرجى التحقق من أن خادم ويكان لم يتوقف. ", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "أرشيف", + "archived-boards": "Boards in Archive", "restore-board": "استعادة اللوحة", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "No Boards in Archive.", + "archives": "أرشيف", "assign-member": "تعيين عضو", "attached": "أُرفق)", "attachment": "مرفق", @@ -118,12 +118,12 @@ "board-view-lists": "القائمات", "bucket-example": "مثل « todo list » على سبيل المثال", "cancel": "إلغاء", - "card-archived": "This card is moved to Recycle Bin.", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "%s تعليقات لهذه البطاقة", "card-delete-notice": "هذا حذف أبديّ . سوف تفقد كل الإجراءات المنوطة بهذه البطاقة", "card-delete-pop": "سيتم إزالة جميع الإجراءات من تبعات النشاط، وأنك لن تكون قادرا على إعادة فتح البطاقة. لا يوجد التراجع.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "مستحق", "card-due-on": "مستحق في", "card-spent": "Spent Time", @@ -166,7 +166,7 @@ "clipboard": "Clipboard or drag & drop", "close": "غلق", "close-board": "غلق اللوحة", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "black", "color-blue": "blue", "color-green": "green", @@ -315,8 +315,8 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "مغادرة اللوحة ؟", "link-card": "ربط هذه البطاقة", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "نقل بطاقات هذه القائمة", "list-select-cards": "تحديد بطاقات هذه القائمة", "listActionPopup-title": "قائمة الإجراءات", @@ -325,7 +325,7 @@ "listMorePopup-title": "المزيد", "link-list": "رابط إلى هذه القائمة", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "القائمات", "swimlanes": "Swimlanes", "log-out": "تسجيل الخروج", @@ -345,9 +345,9 @@ "muted-info": "You will never be notified of any changes in this board", "my-boards": "لوحاتي", "name": "اسم", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "لا توجد نتائج", "normal": "عادي", "normal-desc": "يمكن مشاهدة و تعديل البطاقات. لا يمكن تغيير إعدادات الضبط.", @@ -427,7 +427,7 @@ "uploaded-avatar": "تم رفع الصورة الشخصية", "username": "اسم المستخدم", "view-it": "شاهدها", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "مُشاهد", "watching": "مشاهدة", "watching-info": "You will be notified of any change in this board", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Recycle Bin", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "أضف", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 13405b19..32cc0c09 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "създаде собствено поле __customField__", "act-createList": "добави __list__ към __board__", "act-addBoardMember": "добави __member__ към __board__", - "act-archivedBoard": "__board__ беше преместен в Кошчето", - "act-archivedCard": "__card__ беше преместена в Кошчето", - "act-archivedList": "__list__ беше преместен в Кошчето", - "act-archivedSwimlane": "__swimlane__ беше преместен в Кошчето", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "импортира __board__", "act-importCard": "импортира __card__", "act-importList": "импортира __list__", @@ -29,7 +29,7 @@ "activities": "Действия", "activity": "Дейности", "activity-added": "добави %s към %s", - "activity-archived": "премести %s в Кошчето", + "activity-archived": "%s moved to Archive", "activity-attached": "прикачи %s към %s", "activity-created": "създаде %s", "activity-customfield-created": "създаде собствено поле %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "И __count__ други карти", "apply": "Приложи", "app-is-offline": "Wekan зарежда, моля изчакайте! Презареждането на страницата може да доведе до загуба на данни. Ако Wekan не се зареди, моля проверете дали сървърът му работи.", - "archive": "Премести в Кошчето", - "archive-all": "Премести всички в Кошчето", - "archive-board": "Премести Таблото в Кошчето", - "archive-card": "Премести Картата в Кошчето", - "archive-list": "Премести Списъка в Кошчето", - "archive-swimlane": "Премести Коридора в Кошчето", - "archive-selection": "Премести избраните в Кошчето", - "archiveBoardPopup-title": "Сигурни ли сте, че искате да преместите Таблото в Кошчето?", - "archived-items": "Кошче", - "archived-boards": "Табла в Кошчето", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Архив", + "archived-boards": "Boards in Archive", "restore-board": "Възстанови Таблото", - "no-archived-boards": "Няма Табла в Кошчето.", - "archives": "Кошче", + "no-archived-boards": "No Boards in Archive.", + "archives": "Архив", "assign-member": "Възложи на член от екипа", "attached": "прикачен", "attachment": "Прикаченн файл", @@ -118,12 +118,12 @@ "board-view-lists": "Списъци", "bucket-example": "Like “Bucket List” for example", "cancel": "Cancel", - "card-archived": "Картата е преместена в Кошчето.", - "board-archived": "Това табло беше преместено в Кошчето", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "Тази карта има %s коментар.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Готова за", "card-due-on": "Готова за", "card-spent": "Изработено време", @@ -166,7 +166,7 @@ "clipboard": "Клипборда или с драг & дроп", "close": "Затвори", "close-board": "Затвори Таблото", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "черно", "color-blue": "синьо", "color-green": "зелено", @@ -315,8 +315,8 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", "link-card": "Връзка към тази карта", - "list-archive-cards": "Премести всички карти от този списък в Кошчето", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Премести всички карти в този списък", "list-select-cards": "Избери всички карти в този списък", "listActionPopup-title": "List Actions", @@ -325,7 +325,7 @@ "listMorePopup-title": "Още", "link-list": "Връзка към този списък", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "Можете да преместите списък в Кошчето, за да го премахнете от Таблото и запазите активността.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Списъци", "swimlanes": "Коридори", "log-out": "Изход", @@ -345,9 +345,9 @@ "muted-info": "You will never be notified of any changes in this board", "my-boards": "Моите табла", "name": "Име", - "no-archived-cards": "Няма карти в Кошчето.", - "no-archived-lists": "Няма списъци в Кошчето.", - "no-archived-swimlanes": "Няма коридори в Кошчето.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "No results", "normal": "Normal", "normal-desc": "Can view and edit cards. Can't change settings.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Качихте аватар", "username": "Потребителско име", "view-it": "View it", - "warn-list-archived": "внимание: тази карта е в списък, който е в Кошчето", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Наблюдавай", "watching": "Наблюдава", "watching-info": "You will be notified of any change in this board", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Премести в Кошчето", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Добави", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index 2bb74b8e..ed0e5fb2 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "created custom field __customField__", "act-createList": "added __list__ to __board__", "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "imported __board__", "act-importCard": "imported __card__", "act-importList": "imported __list__", @@ -29,7 +29,7 @@ "activities": "Oberiantizoù", "activity": "Oberiantiz", "activity-added": "%s ouzhpennet da %s", - "activity-archived": "%s moved to Recycle Bin", + "activity-archived": "%s moved to Archive", "activity-attached": "%s liammet ouzh %s", "activity-created": "%s krouet", "activity-customfield-created": "created custom field %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "And __count__ other cards", "apply": "Apply", "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Archive", + "archived-boards": "Boards in Archive", "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "No Boards in Archive.", + "archives": "Archive", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -118,12 +118,12 @@ "board-view-lists": "Lists", "bucket-example": "Like “Bucket List” for example", "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", @@ -166,7 +166,7 @@ "clipboard": "Clipboard or drag & drop", "close": "Close", "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "du", "color-blue": "glas", "color-green": "gwer", @@ -315,8 +315,8 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", "listActionPopup-title": "List Actions", @@ -325,7 +325,7 @@ "listMorePopup-title": "Muioc’h", "link-list": "Link to this list", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Lists", "swimlanes": "Swimlanes", "log-out": "Log Out", @@ -345,9 +345,9 @@ "muted-info": "You will never be notified of any changes in this board", "my-boards": "My Boards", "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "No results", "normal": "Normal", "normal-desc": "Can view and edit cards. Can't change settings.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Uploaded an avatar", "username": "Username", "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Watch", "watching": "Watching", "watching-info": "You will be notified of any change in this board", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Recycle Bin", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Ouzhpenn", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index a2e46c29..cd976bc2 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "created custom field __customField__", "act-createList": "afegit/da __list__ a __board__", "act-addBoardMember": "afegit/da __member__ a __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "__board__ importat", "act-importCard": "__card__ importat", "act-importList": "__list__ importat", @@ -29,7 +29,7 @@ "activities": "Activitats", "activity": "Activitat", "activity-added": "ha afegit %s a %s", - "activity-archived": "%s moved to Recycle Bin", + "activity-archived": "%s moved to Archive", "activity-attached": "ha adjuntat %s a %s", "activity-created": "ha creat %s", "activity-customfield-created": "created custom field %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "And __count__ other cards", "apply": "Aplica", "app-is-offline": "Wekan s'està carregant, esperau si us plau. Refrescar la pàgina causarà la pérdua de les dades. Si Wekan no carrega, verificau que el servei de Wekan no estigui aturat", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Desa", + "archived-boards": "Boards in Archive", "restore-board": "Restaura Tauler", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "No Boards in Archive.", + "archives": "Desa", "assign-member": "Assignar membre", "attached": "adjuntat", "attachment": "Adjunt", @@ -118,12 +118,12 @@ "board-view-lists": "Llistes", "bucket-example": "Igual que “Bucket List”, per exemple", "cancel": "Cancel·la", - "card-archived": "This card is moved to Recycle Bin.", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "Aquesta fitxa té %s comentaris.", "card-delete-notice": "L'esborrat és permanent. Perdreu totes les accions associades a aquesta fitxa.", "card-delete-pop": "Totes les accions s'eliminaran de l'activitat i no podreu tornar a obrir la fitxa. No es pot desfer.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Finalitza", "card-due-on": "Finalitza a", "card-spent": "Temps Dedicat", @@ -166,7 +166,7 @@ "clipboard": "Portaretalls o estirar i amollar", "close": "Tanca", "close-board": "Tanca tauler", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "negre", "color-blue": "blau", "color-green": "verd", @@ -315,8 +315,8 @@ "leave-board-pop": "De debò voleu abandonar __boardTitle__? Se us eliminarà de totes les fitxes d'aquest tauler.", "leaveBoardPopup-title": "Abandonar Tauler?", "link-card": "Enllaç a aquesta fitxa", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Mou totes les fitxes d'aquesta llista", "list-select-cards": "Selecciona totes les fitxes d'aquesta llista", "listActionPopup-title": "Accions de la llista", @@ -325,7 +325,7 @@ "listMorePopup-title": "Més", "link-list": "Enllaça a aquesta llista", "list-delete-pop": "Totes les accions seran esborrades de la llista d'activitats i no serà possible recuperar la llista", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Llistes", "swimlanes": "Carrils de Natació", "log-out": "Finalitza la sessió", @@ -345,9 +345,9 @@ "muted-info": "No seràs notificat dels canvis en aquest tauler", "my-boards": "Els meus taulers", "name": "Nom", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "Sense resultats", "normal": "Normal", "normal-desc": "Podeu veure i editar fitxes. No podeu canviar la configuració.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Avatar actualitzat", "username": "Nom d'Usuari", "view-it": "Vist", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Observa", "watching": "En observació", "watching-info": "Seràs notificat de cada canvi en aquest tauler", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Recycle Bin", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Afegeix", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 7151f0d7..fbb3c1f0 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "vytvořeno vlastní pole __customField__", "act-createList": "přidání __list__ do __board__", "act-addBoardMember": "přidání __member__ do __board__", - "act-archivedBoard": "__board__ bylo přesunuto do koše", - "act-archivedCard": "__card__ bylo přesunuto do koše", - "act-archivedList": "__list__ bylo přesunuto do koše", - "act-archivedSwimlane": "__swimlane__ bylo přesunuto do koše", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "import __board__", "act-importCard": "import __card__", "act-importList": "import __list__", @@ -29,7 +29,7 @@ "activities": "Aktivity", "activity": "Aktivita", "activity-added": "%s přidáno k %s", - "activity-archived": "%s bylo přesunuto do koše", + "activity-archived": "%s moved to Archive", "activity-attached": "přiloženo %s k %s", "activity-created": "%s vytvořeno", "activity-customfield-created": "vytvořeno vlastní pole %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "A __count__ dalších karet", "apply": "Použít", "app-is-offline": "Wekan se načítá, prosím čekejte. Obnovení stránky způsobí ztrátu dat. Pokud se Wekan nenačte, zkontrolujte prosím, jestli se server s Wekanem nezastavil.", - "archive": "Přesunout do koše", - "archive-all": "Přesunout všechno do koše", - "archive-board": "Přesunout tablo do koše", - "archive-card": "Přesunout kartu do koše", - "archive-list": "Přesunout sloupec do koše", - "archive-swimlane": "Přesunout swimlane do koše", - "archive-selection": "Přesunout výběr do koše", - "archiveBoardPopup-title": "Chcete přesunout tablo do koše?", - "archived-items": "Koš", - "archived-boards": "Tabla v koši", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Archiv", + "archived-boards": "Boards in Archive", "restore-board": "Obnovit tablo", - "no-archived-boards": "Žádná tabla v koši", - "archives": "Koš", + "no-archived-boards": "No Boards in Archive.", + "archives": "Archiv", "assign-member": "Přiřadit člena", "attached": "přiloženo", "attachment": "Příloha", @@ -118,12 +118,12 @@ "board-view-lists": "Sloupce", "bucket-example": "Například \"O čem sním\"", "cancel": "Zrušit", - "card-archived": "Karta byla přesunuta do koše.", - "board-archived": "Toto tablo je přesunuto do koše", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "Tato karta má %s komentářů.", "card-delete-notice": "Smazání je trvalé. Přijdete o všechny akce asociované s touto kartou.", "card-delete-pop": "Všechny akce budou odstraněny z kanálu aktivity a nebude možné kartu obnovit. Toto nelze vrátit zpět.", - "card-delete-suggest-archive": "Kartu můžete přesunout do koše a tím ji odstranit z tabla a přitom zachovat aktivity.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Termín", "card-due-on": "Do", "card-spent": "Strávený čas", @@ -166,7 +166,7 @@ "clipboard": "Schránka nebo potáhnout a pustit", "close": "Zavřít", "close-board": "Zavřít tablo", - "close-board-pop": "Kliknutím na tlačítko \"Recyklovat\" budete moci obnovit tablo z koše.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "černá", "color-blue": "modrá", "color-green": "zelená", @@ -315,8 +315,8 @@ "leave-board-pop": "Opravdu chcete opustit tablo __boardTitle__? Odstraníte se tím i ze všech karet v tomto tablu.", "leaveBoardPopup-title": "Opustit tablo?", "link-card": "Odkázat na tuto kartu", - "list-archive-cards": "Přesunout všechny karty v tomto sloupci do koše", - "list-archive-cards-pop": "Toto odstraní z tabla všechny karty z tohoto sloupce. Pro zobrazení karet v koši a jejich opětovné obnovení, klikni v \"Menu\" > \"Koš\".", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Přesunout všechny karty v tomto sloupci", "list-select-cards": "Vybrat všechny karty v tomto sloupci", "listActionPopup-title": "Vypsat akce", @@ -325,7 +325,7 @@ "listMorePopup-title": "Více", "link-list": "Odkaz na tento sloupec", "list-delete-pop": "Všechny akce budou odstraněny z kanálu aktivity a nebude možné sloupec obnovit. Toto nelze vrátit zpět.", - "list-delete-suggest-archive": "Sloupec můžete přesunout do koše a tím jej odstranit z tabla a přitom zachovat aktivity.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Sloupce", "swimlanes": "Swimlanes", "log-out": "Odhlásit", @@ -345,9 +345,9 @@ "muted-info": "Nikdy nedostanete oznámení o změně v tomto tablu.", "my-boards": "Moje tabla", "name": "Jméno", - "no-archived-cards": "Žádné karty v koši", - "no-archived-lists": "Žádné sloupce v koši", - "no-archived-swimlanes": "Žádné swimlane v koši", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "Žádné výsledky", "normal": "Normální", "normal-desc": "Může zobrazovat a upravovat karty. Nemůže měnit nastavení.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Avatar nahrán", "username": "Uživatelské jméno", "view-it": "Zobrazit", - "warn-list-archived": "varování: tuto kartu obsahuje sloupec v koši", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Sledovat", "watching": "Sledující", "watching-info": "Bude vám oznámena každá změna v tomto tablu", @@ -545,8 +545,8 @@ "r-list": "sloupce", "r-moved-to": "Přesunuto do", "r-moved-from": "Přesunuto z", - "r-archived": "Přesunuto do koše", - "r-unarchived": "Obnoveno z koše", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "toho sloupce", - "r-archive": "Přesunout do koše", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "karta", "r-add": "Přidat", "r-remove": "Odstranit", @@ -596,8 +596,8 @@ "r-d-send-email-to": "komu", "r-d-send-email-subject": "předmět", "r-d-send-email-message": "zpráva", - "r-d-archive": "Přesunout kartu do koše", - "r-d-unarchive": "Obnovit kartu z koše", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Přidat štítek", "r-d-remove-label": "Odstranit štítek", "r-d-add-member": "Přidat člena", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 59dd9873..ac738388 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "benutzerdefiniertes Feld __customField__ angelegt", "act-createList": "hat __list__ zu __board__ hinzugefügt", "act-addBoardMember": "hat __member__ zu __board__ hinzugefügt", - "act-archivedBoard": "__board__ in den Papierkorb verschoben", - "act-archivedCard": "__card__ in den Papierkorb verschoben", - "act-archivedList": "__list__ in den Papierkorb verschoben", - "act-archivedSwimlane": "__swimlane__ in den Papierkorb verschoben", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "hat __board__ importiert", "act-importCard": "hat __card__ importiert", "act-importList": "hat __list__ importiert", @@ -29,7 +29,7 @@ "activities": "Aktivitäten", "activity": "Aktivität", "activity-added": "hat %s zu %s hinzugefügt", - "activity-archived": "hat %s in den Papierkorb verschoben", + "activity-archived": "%s moved to Archive", "activity-attached": "hat %s an %s angehängt", "activity-created": "hat %s erstellt", "activity-customfield-created": "hat das benutzerdefinierte Feld %s erstellt", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "und __count__ andere Karten", "apply": "Übernehmen", "app-is-offline": "Wekan lädt gerade, bitte warten Sie. Wenn Sie die Seite neu laden, gehen nicht übertragene Änderungen verloren. Sollte Wekan nicht geladen werden, überprüfen Sie bitte, ob der Server noch läuft.", - "archive": "In den Papierkorb verschieben", - "archive-all": "Alles in den Papierkorb verschieben", - "archive-board": "Board in den Papierkorb verschieben", - "archive-card": "Karte in den Papierkorb verschieben", - "archive-list": "Liste in den Papierkorb verschieben", - "archive-swimlane": "Swimlane in den Papierkorb verschieben", - "archive-selection": "Auswahl in den Papierkorb verschieben", - "archiveBoardPopup-title": "Board in den Papierkorb verschieben?", - "archived-items": "Papierkorb", - "archived-boards": "Boards im Papierkorb", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Archiv", + "archived-boards": "Boards in Archive", "restore-board": "Board wiederherstellen", - "no-archived-boards": "Keine Boards im Papierkorb.", - "archives": "Papierkorb", + "no-archived-boards": "No Boards in Archive.", + "archives": "Archiv", "assign-member": "Mitglied zuweisen", "attached": "angehängt", "attachment": "Anhang", @@ -118,12 +118,12 @@ "board-view-lists": "Listen", "bucket-example": "z.B. \"Löffelliste\"", "cancel": "Abbrechen", - "card-archived": "Diese Karte wurde in den Papierkorb verschoben", - "board-archived": "Dieses Board wurde in den Papierkorb verschoben.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "Diese Karte hat %s Kommentar(e).", "card-delete-notice": "Löschen kann nicht rückgängig gemacht werden. Alle Aktionen, die dieser Karte zugeordnet sind, werden ebenfalls gelöscht.", "card-delete-pop": "Alle Aktionen werden aus dem Aktivitätsfeed entfernt und die Karte kann nicht wiedereröffnet werden. Die Aktion kann nicht rückgängig gemacht werden.", - "card-delete-suggest-archive": "Sie können eine Karte in den Papierkorb verschieben, um sie vom Board zu entfernen und die Aktivitäten zu behalten.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Fällig", "card-due-on": "Fällig am", "card-spent": "Aufgewendete Zeit", @@ -166,7 +166,7 @@ "clipboard": "Zwischenablage oder Drag & Drop", "close": "Schließen", "close-board": "Board schließen", - "close-board-pop": "Sie können das Board wiederherstellen, indem Sie die Schaltfläche \"Papierkorb\" in der Kopfzeile der Startseite anklicken.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "schwarz", "color-blue": "blau", "color-green": "grün", @@ -315,8 +315,8 @@ "leave-board-pop": "Sind Sie sicher, dass Sie __boardTitle__ verlassen möchten? Sie werden von allen Karten in diesem Board entfernt.", "leaveBoardPopup-title": "Board verlassen?", "link-card": "Link zu dieser Karte", - "list-archive-cards": "Alle Karten dieser Liste in den Papierkorb verschieben", - "list-archive-cards-pop": "Alle Karten dieser Liste werden vom Board entfernt. Um Karten im Papierkorb anzuzeigen und wiederherzustellen, klicken Sie auf \"Menü\" > \"Papierkorb\".", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Alle Karten in dieser Liste verschieben", "list-select-cards": "Alle Karten in dieser Liste auswählen", "listActionPopup-title": "Listenaktionen", @@ -325,7 +325,7 @@ "listMorePopup-title": "Mehr", "link-list": "Link zu dieser Liste", "list-delete-pop": "Alle Aktionen werden aus dem Verlauf gelöscht und die Liste kann nicht wiederhergestellt werden.", - "list-delete-suggest-archive": "Listen können in den Papierkorb verschoben werden, um sie aus dem Board zu entfernen und die Aktivitäten zu behalten.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Listen", "swimlanes": "Swimlanes", "log-out": "Ausloggen", @@ -345,9 +345,9 @@ "muted-info": "Sie werden nicht über Änderungen auf diesem Board benachrichtigt", "my-boards": "Meine Boards", "name": "Name", - "no-archived-cards": "Keine Karten im Papierkorb.", - "no-archived-lists": "Keine Listen im Papierkorb.", - "no-archived-swimlanes": "Keine Swimlanes im Papierkorb.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "Keine Ergebnisse", "normal": "Normal", "normal-desc": "Kann Karten anzeigen und bearbeiten, aber keine Einstellungen ändern.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Profilbild hochgeladen", "username": "Benutzername", "view-it": "Ansehen", - "warn-list-archived": "Warnung: Diese Karte befindet sich in einer Liste im Papierkorb!", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Beobachten", "watching": "Beobachten", "watching-info": "Sie werden über alle Änderungen in diesem Board benachrichtigt", @@ -545,8 +545,8 @@ "r-list": "Liste", "r-moved-to": "Verschieben nach", "r-moved-from": "Verschieben von", - "r-archived": "In den Papierkorb verschieben", - "r-unarchived": "Aus dem Papierkorb wiederhergestellt", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "eine Karte", "r-when-a-label-is": "Wenn ein Label ist", "r-when-the-label-is": " Wenn das Label ist", @@ -568,8 +568,8 @@ "r-top-of": "Anfang von", "r-bottom-of": "Ende von", "r-its-list": "seine Liste", - "r-archive": "In den Papierkorb verschieben", - "r-unarchive": "Wiederherstellen aus dem Papierkorb", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "Karte", "r-add": "Hinzufügen", "r-remove": "entfernen", @@ -596,8 +596,8 @@ "r-d-send-email-to": "an", "r-d-send-email-subject": "Betreff", "r-d-send-email-message": "Nachricht", - "r-d-archive": "Karte in den Papierkorb verschieben", - "r-d-unarchive": "Karte aus den Papierkorb wiederherstellen", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Label hinzufügen", "r-d-remove-label": "Label entfernen", "r-d-add-member": "Mitglied hinzufügen", diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 43eef890..a2d952b0 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "created custom field __customField__", "act-createList": "added __list__ to __board__", "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "imported __board__", "act-importCard": "imported __card__", "act-importList": "imported __list__", @@ -29,7 +29,7 @@ "activities": "Activities", "activity": "Activity", "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", + "activity-archived": "%s moved to Archive", "activity-attached": "attached %s to %s", "activity-created": "created %s", "activity-customfield-created": "created custom field %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "And __count__ other cards", "apply": "Εφαρμογή", "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Archive", + "archived-boards": "Boards in Archive", "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "No Boards in Archive.", + "archives": "Archive", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -118,12 +118,12 @@ "board-view-lists": "Λίστες", "bucket-example": "Like “Bucket List” for example", "cancel": "Ακύρωση", - "card-archived": "This card is moved to Recycle Bin.", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Έως", "card-due-on": "Έως τις", "card-spent": "Spent Time", @@ -166,7 +166,7 @@ "clipboard": "Clipboard or drag & drop", "close": "Κλείσιμο", "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "μαύρο", "color-blue": "μπλε", "color-green": "πράσινο", @@ -315,8 +315,8 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", "listActionPopup-title": "List Actions", @@ -325,7 +325,7 @@ "listMorePopup-title": "Περισσότερα", "link-list": "Link to this list", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Λίστες", "swimlanes": "Swimlanes", "log-out": "Αποσύνδεση", @@ -345,9 +345,9 @@ "muted-info": "You will never be notified of any changes in this board", "my-boards": "My Boards", "name": "Όνομα", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "Κανένα αποτέλεσμα", "normal": "Normal", "normal-desc": "Can view and edit cards. Can't change settings.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Uploaded an avatar", "username": "Όνομα Χρήστη", "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Watch", "watching": "Watching", "watching-info": "You will be notified of any change in this board", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Recycle Bin", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Προσθήκη", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index a111ca83..18bd4b39 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "created custom field __customField__", "act-createList": "added __list__ to __board__", "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "imported __board__", "act-importCard": "imported __card__", "act-importList": "imported __list__", @@ -29,7 +29,7 @@ "activities": "Activities", "activity": "Activity", "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", + "activity-archived": "%s moved to Archive", "activity-attached": "attached %s to %s", "activity-created": "created %s", "activity-customfield-created": "created custom field %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "And __count__ other cards", "apply": "Apply", "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Archive", + "archived-boards": "Boards in Archive", "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "No Boards in Archive.", + "archives": "Archive", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -118,12 +118,12 @@ "board-view-lists": "Lists", "bucket-example": "Like “Bucket List” for example", "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", @@ -166,7 +166,7 @@ "clipboard": "Clipboard or drag & drop", "close": "Close", "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "black", "color-blue": "blue", "color-green": "green", @@ -315,8 +315,8 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", "listActionPopup-title": "List Actions", @@ -325,7 +325,7 @@ "listMorePopup-title": "More", "link-list": "Link to this list", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve its activity.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve its activity.", "lists": "Lists", "swimlanes": "Swimlanes", "log-out": "Log Out", @@ -345,9 +345,9 @@ "muted-info": "You will never be notified of any changes in this board", "my-boards": "My Boards", "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "No results", "normal": "Normal", "normal-desc": "Can view and edit cards. Can't change settings.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Uploaded an avatar", "username": "Username", "view-it": "View it", - "warn-list-archived": "warning: this card is in a list in the Recycle Bin", + "warn-list-archived": "warning: this card is in a list in the Archive", "watch": "Watch", "watching": "Watching", "watching-info": "You will be notified of any changes in this board", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Recycle Bin", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Add", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index cc8415c3..9bc1ad9f 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "created custom field __customField__", "act-createList": "Aldonis __card__ al __board__", "act-addBoardMember": "Aldonis __member__ al __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "imported __board__", "act-importCard": "imported __card__", "act-importList": "imported __list__", @@ -29,7 +29,7 @@ "activities": "Aktivaĵoj", "activity": "Aktivaĵo", "activity-added": "Aldonis %s al %s", - "activity-archived": "%s moved to Recycle Bin", + "activity-archived": "%s moved to Archive", "activity-attached": "attached %s to %s", "activity-created": "Kreiis %s", "activity-customfield-created": "created custom field %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "And __count__ other cards", "apply": "Apliki", "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Arkivi", + "archived-boards": "Boards in Archive", "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "No Boards in Archive.", + "archives": "Arkivi", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -118,12 +118,12 @@ "board-view-lists": "Listoj", "bucket-example": "Like “Bucket List” for example", "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", @@ -166,7 +166,7 @@ "clipboard": "Clipboard or drag & drop", "close": "Fermi", "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "nigra", "color-blue": "blua", "color-green": "verda", @@ -315,8 +315,8 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", "link-card": "Ligi al ĉitiu karto", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Movu ĉiujn kartojn en tiu listo.", "list-select-cards": "Elektu ĉiujn kartojn en tiu listo.", "listActionPopup-title": "List Actions", @@ -325,7 +325,7 @@ "listMorePopup-title": "Pli", "link-list": "Link to this list", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Listoj", "swimlanes": "Swimlanes", "log-out": "Elsaluti", @@ -345,9 +345,9 @@ "muted-info": "You will never be notified of any changes in this board", "my-boards": "My Boards", "name": "Nomo", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "Neniaj rezultoj", "normal": "Normala", "normal-desc": "Can view and edit cards. Can't change settings.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Uploaded an avatar", "username": "Uzantnomo", "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Rigardi", "watching": "Rigardante", "watching-info": "You will be notified of any change in this board", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Recycle Bin", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Aldoni", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index 9c1c1c5c..dee4bc56 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "created custom field __customField__", "act-createList": "agregada __list__ a __board__", "act-addBoardMember": "agregado __member__ a __board__", - "act-archivedBoard": "__board__ movido a Papelera de Reciclaje", - "act-archivedCard": "__card__ movido a Papelera de Reciclaje", - "act-archivedList": "__list__ movido a Papelera de Reciclaje", - "act-archivedSwimlane": "__swimlane__ movido a Papelera de Reciclaje", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "__board__ importado", "act-importCard": "__card__ importada", "act-importList": "__list__ importada", @@ -29,7 +29,7 @@ "activities": "Actividades", "activity": "Actividad", "activity-added": "agregadas %s a %s", - "activity-archived": "%s movido a Papelera de Reciclaje", + "activity-archived": "%s moved to Archive", "activity-attached": "adjuntadas %s a %s", "activity-created": "creadas %s", "activity-customfield-created": "created custom field %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "Y __count__ otras tarjetas", "apply": "Aplicar", "app-is-offline": "Wekan está cargándose, por favor espere. Refrescar la página va a causar pérdida de datos. Si Wekan no se carga, por favor revise que el servidor de Wekan no se haya detenido.", - "archive": "Mover a Papelera de Reciclaje", - "archive-all": "Mover Todo a la Papelera de Reciclaje", - "archive-board": "Mover Tablero a la Papelera de Reciclaje", - "archive-card": "Mover Tarjeta a la Papelera de Reciclaje", - "archive-list": "Mover Lista a la Papelera de Reciclaje", - "archive-swimlane": "Mover Calle a la Papelera de Reciclaje", - "archive-selection": "Mover selección a la Papelera de Reciclaje", - "archiveBoardPopup-title": "¿Mover Tablero a la Papelera de Reciclaje?", - "archived-items": "Papelera de Reciclaje", - "archived-boards": "Tableros en la Papelera de Reciclaje", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Archivar", + "archived-boards": "Boards in Archive", "restore-board": "Restaurar Tablero", - "no-archived-boards": "No hay tableros en la Papelera de Reciclaje", - "archives": "Papelera de Reciclaje", + "no-archived-boards": "No Boards in Archive.", + "archives": "Archivar", "assign-member": "Asignar miembro", "attached": "adjunto(s)", "attachment": "Adjunto", @@ -118,12 +118,12 @@ "board-view-lists": "Listas", "bucket-example": "Como \"Lista de Contenedores\" por ejemplo", "cancel": "Cancelar", - "card-archived": "Esta tarjeta es movida a la Papelera de Reciclaje", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "Esta tarjeta tiene %s comentario.", "card-delete-notice": "Borrar es permanente. Perderás todas las acciones asociadas con esta tarjeta.", "card-delete-pop": "Todas las acciones van a ser eliminadas del agregador de actividad y no podrás re-abrir la tarjeta. No hay deshacer.", - "card-delete-suggest-archive": "Tu puedes mover una tarjeta a la Papelera de Reciclaje para removerla del tablero y preservar la actividad.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Vence", "card-due-on": "Vence en", "card-spent": "Tiempo Empleado", @@ -166,7 +166,7 @@ "clipboard": "Portapapeles o arrastrar y soltar", "close": "Cerrar", "close-board": "Cerrar Tablero", - "close-board-pop": "Podrás restaurar el tablero apretando el botón \"Papelera de Reciclaje\" del encabezado en inicio.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "negro", "color-blue": "azul", "color-green": "verde", @@ -315,8 +315,8 @@ "leave-board-pop": "¿Estás seguro que querés dejar __boardTitle__? Vas a salir de todas las tarjetas en este tablero.", "leaveBoardPopup-title": "¿Dejar Tablero?", "link-card": "Enlace a esta tarjeta", - "list-archive-cards": "Mover todas las tarjetas en esta lista a la Papelera de Reciclaje", - "list-archive-cards-pop": "Esto va a remover las tarjetas en esta lista del tablero. Para ver tarjetas en la Papelera de Reciclaje y traerlas de vuelta al tablero, clickeá \"Menú\" > \"Papelera de Reciclaje\".", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Mueve todas las tarjetas en esta lista", "list-select-cards": "Selecciona todas las tarjetas en esta lista", "listActionPopup-title": "Listar Acciones", @@ -325,7 +325,7 @@ "listMorePopup-title": "Mas", "link-list": "Enlace a esta lista", "list-delete-pop": "Todas las acciones van a ser eliminadas del agregador de actividad y no podás recuperar la lista. No se puede deshacer.", - "list-delete-suggest-archive": "Podés mover la lista a la Papelera de Reciclaje para remvoerla del tablero y preservar la actividad.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Listas", "swimlanes": "Calles", "log-out": "Salir", @@ -345,9 +345,9 @@ "muted-info": "No serás notificado de ningún cambio en este tablero", "my-boards": "Mis Tableros", "name": "Nombre", - "no-archived-cards": "No hay tarjetas en la Papelera de Reciclaje", - "no-archived-lists": "No hay listas en la Papelera de Reciclaje", - "no-archived-swimlanes": "No hay calles en la Papelera de Reciclaje", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "No hay resultados", "normal": "Normal", "normal-desc": "Puede ver y editar tarjetas. No puede cambiar opciones.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Cargado un avatar", "username": "Nombre de usuario", "view-it": "Verlo", - "warn-list-archived": "cuidado; esta tarjeta está en la Papelera de Reciclaje", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Seguir", "watching": "Siguiendo", "watching-info": "Serás notificado de cualquier cambio en este tablero", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Mover a Papelera de Reciclaje", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Agregar", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index b0a320cb..391ab3f5 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "creado el campo personalizado __customField__", "act-createList": "ha añadido __list__ a __board__", "act-addBoardMember": "ha añadido a __member__ a __board__", - "act-archivedBoard": "__board__ se ha enviado a la papelera de reciclaje", - "act-archivedCard": "__card__ se ha enviado a la papelera de reciclaje", - "act-archivedList": "__list__ se ha enviado a la papelera de reciclaje", - "act-archivedSwimlane": "__swimlane__ se ha enviado a la papelera de reciclaje", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "ha importado __board__", "act-importCard": "ha importado __card__", "act-importList": "ha importado __list__", @@ -29,7 +29,7 @@ "activities": "Actividades", "activity": "Actividad", "activity-added": "ha añadido %s a %s", - "activity-archived": "%s se ha enviado a la papelera de reciclaje", + "activity-archived": "%s moved to Archive", "activity-attached": "ha adjuntado %s a %s", "activity-created": "ha creado %s", "activity-customfield-created": "creado el campo personalizado %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "y otras __count__ tarjetas", "apply": "Aplicar", "app-is-offline": "Wekan se está cargando, por favor espere. Actualizar la página provocará la pérdida de datos. Si Wekan no se carga, por favor verifique que el servidor de Wekan no está detenido.", - "archive": "Enviar a la papelera de reciclaje", - "archive-all": "Enviar todo a la papelera de reciclaje", - "archive-board": "Enviar el tablero a la papelera de reciclaje", - "archive-card": "Enviar la tarjeta a la papelera de reciclaje", - "archive-list": "Enviar la lista a la papelera de reciclaje", - "archive-swimlane": "Enviar el carril de flujo a la papelera de reciclaje", - "archive-selection": "Enviar la selección a la papelera de reciclaje", - "archiveBoardPopup-title": "Enviar el tablero a la papelera de reciclaje", - "archived-items": "Papelera de reciclaje", - "archived-boards": "Tableros en la papelera de reciclaje", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Archivar", + "archived-boards": "Boards in Archive", "restore-board": "Restaurar el tablero", - "no-archived-boards": "No hay tableros en la papelera de reciclaje", - "archives": "Papelera de reciclaje", + "no-archived-boards": "No Boards in Archive.", + "archives": "Archivar", "assign-member": "Asignar miembros", "attached": "adjuntado", "attachment": "Adjunto", @@ -118,12 +118,12 @@ "board-view-lists": "Listas", "bucket-example": "Como “Cosas por hacer” por ejemplo", "cancel": "Cancelar", - "card-archived": "Esta tarjeta se ha enviado a la papelera de reciclaje.", - "board-archived": "Este tablero se ha enviado a la papelera de reciclaje.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "Esta tarjeta tiene %s comentarios.", "card-delete-notice": "la eliminación es permanente. Perderás todas las acciones asociadas a esta tarjeta.", "card-delete-pop": "Se eliminarán todas las acciones del historial de actividades y no se podrá volver a abrir la tarjeta. Esta acción no puede deshacerse.", - "card-delete-suggest-archive": "Puedes enviar una tarjeta a la papelera de reciclaje para eliminarla del tablero y conservar la actividad.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Vence", "card-due-on": "Vence el", "card-spent": "Tiempo consumido", @@ -166,7 +166,7 @@ "clipboard": "el portapapeles o con arrastrar y soltar", "close": "Cerrar", "close-board": "Cerrar el tablero", - "close-board-pop": "Podrás restaurar el tablero haciendo clic en el botón \"Papelera de reciclaje\" en la cabecera.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "negra", "color-blue": "azul", "color-green": "verde", @@ -315,8 +315,8 @@ "leave-board-pop": "¿Seguro que quieres abandonar __boardTitle__? Serás desvinculado de todas las tarjetas en este tablero.", "leaveBoardPopup-title": "¿Abandonar el tablero?", "link-card": "Enlazar a esta tarjeta", - "list-archive-cards": "Enviar todas las tarjetas de esta lista a la papelera de reciclaje", - "list-archive-cards-pop": "Esto eliminará todas las tarjetas de esta lista del tablero. Para ver las tarjetas en la papelera de reciclaje y devolverlas al tablero, haga clic en \"Menú\" > \"Papelera de reciclaje\".", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Mover todas las tarjetas de esta lista", "list-select-cards": "Seleccionar todas las tarjetas de esta lista", "listActionPopup-title": "Acciones de la lista", @@ -325,7 +325,7 @@ "listMorePopup-title": "Más", "link-list": "Enlazar a esta lista", "list-delete-pop": "Todas las acciones serán eliminadas del historial de actividades y no se podrá recuperar la lista. Esta acción no puede deshacerse.", - "list-delete-suggest-archive": "Puedes enviar una lista a la papelera de reciclaje para eliminarla del tablero y conservar la actividad.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Listas", "swimlanes": "Carriles", "log-out": "Finalizar la sesión", @@ -345,9 +345,9 @@ "muted-info": "No serás notificado de ningún cambio en este tablero", "my-boards": "Mis tableros", "name": "Nombre", - "no-archived-cards": "No hay tarjetas en la papelera de reciclaje", - "no-archived-lists": "No hay listas en la papelera de reciclaje", - "no-archived-swimlanes": "No hay carriles de flujo en la papelera de reciclaje", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "Sin resultados", "normal": "Normal", "normal-desc": "Puedes ver y editar tarjetas. No puedes cambiar la configuración.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Avatar cargado", "username": "Nombre de usuario", "view-it": "Verla", - "warn-list-archived": "advertencia: esta tarjeta está en una lista en la papelera de reciclaje", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Vigilar", "watching": "Vigilando", "watching-info": "Serás notificado de cualquier cambio en este tablero", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Enviar a la papelera de reciclaje", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Añadir", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index 6e30db7f..ae39a26a 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "created custom field __customField__", "act-createList": "__list__ __board__ arbelera gehituta", "act-addBoardMember": "__member__ __board__ arbelera gehituta", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "__board__ inportatuta", "act-importCard": "__card__ inportatuta", "act-importList": "__list__ inportatuta", @@ -29,7 +29,7 @@ "activities": "Jarduerak", "activity": "Jarduera", "activity-added": "%s %s(e)ra gehituta", - "activity-archived": "%s moved to Recycle Bin", + "activity-archived": "%s moved to Archive", "activity-attached": "%s %s(e)ra erantsita", "activity-created": "%s sortuta", "activity-customfield-created": "created custom field %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "Eta beste __count__ txartel", "apply": "Aplikatu", "app-is-offline": "Wekan kargatzen ari da, itxaron mesedez. Orria freskatzeak datuen galera ekarriko luke. Wekan kargatzen ez bada, egiaztatu Wekan zerbitzaria gelditu ez dela.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Artxibatu", + "archived-boards": "Boards in Archive", "restore-board": "Berreskuratu arbela", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "No Boards in Archive.", + "archives": "Artxibatu", "assign-member": "Esleitu kidea", "attached": "erantsita", "attachment": "Eranskina", @@ -118,12 +118,12 @@ "board-view-lists": "Zerrendak", "bucket-example": "Esaterako \"Pertz zerrenda\"", "cancel": "Utzi", - "card-archived": "This card is moved to Recycle Bin.", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "Txartel honek iruzkin %s dauka.", "card-delete-notice": "Ezabaketa behin betiko da. Txartel honi lotutako ekintza guztiak galduko dituzu.", "card-delete-pop": "Ekintza guztiak ekintza jariotik kenduko dira eta ezin izango duzu txartela berrireki. Ez dago desegiterik.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Epemuga", "card-due-on": "Epemuga", "card-spent": "Erabilitako denbora", @@ -166,7 +166,7 @@ "clipboard": "Kopiatu eta itsatsi edo arrastatu eta jaregin", "close": "Itxi", "close-board": "Itxi arbela", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "beltza", "color-blue": "urdina", "color-green": "berdea", @@ -315,8 +315,8 @@ "leave-board-pop": "Ziur zaude __boardTitle__ utzi nahi duzula? Arbel honetako txartel guztietatik ezabatua izango zara.", "leaveBoardPopup-title": "Arbela utzi?", "link-card": "Lotura txartel honetara", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Lekuz aldatu zerrendako txartel guztiak", "list-select-cards": "Aukeratu zerrenda honetako txartel guztiak", "listActionPopup-title": "Zerrendaren ekintzak", @@ -325,7 +325,7 @@ "listMorePopup-title": "Gehiago", "link-list": "Lotura zerrenda honetara", "list-delete-pop": "Ekintza guztiak ekintza jariotik kenduko dira eta ezin izango duzu zerrenda berreskuratu. Ez dago desegiterik.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Zerrendak", "swimlanes": "Swimlanes", "log-out": "Itxi saioa", @@ -345,9 +345,9 @@ "muted-info": "Ez zaizkizu jakinaraziko arbel honi egindako aldaketak", "my-boards": "Nire arbelak", "name": "Izena", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "Emaitzarik ez", "normal": "Arrunta", "normal-desc": "Txartelak ikusi eta editatu ditzake. Ezin ditu ezarpenak aldatu.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Avatar bat igo da", "username": "Erabiltzaile-izena", "view-it": "Ikusi", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Ikuskatu", "watching": "Ikuskatzen", "watching-info": "Arbel honi egindako aldaketak jakinaraziko zaizkizu", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Recycle Bin", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Gehitu", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index 6bd66af8..dc19c579 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "فیلد __customField__ ایجاد شد", "act-createList": "__list__ به __board__ اضافه شد", "act-addBoardMember": "__member__ به __board__ اضافه شد", - "act-archivedBoard": "__board__ به بازیافتی ریخته شد", - "act-archivedCard": "__card__ به بازیافتی منتقل شد", - "act-archivedList": "__list__ به بازیافتی منتقل شد", - "act-archivedSwimlane": "__swimlane__ به بازیافتی منتقل شد", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "__board__ وارد شده", "act-importCard": "__card__ وارد شده", "act-importList": "__list__ وارد شده", @@ -29,7 +29,7 @@ "activities": "فعالیت‌ها", "activity": "فعالیت", "activity-added": "%s به %s اضافه شد", - "activity-archived": "%s به بازیافتی منتقل شد", + "activity-archived": "%s moved to Archive", "activity-attached": "%s به %s پیوست شد", "activity-created": "%s ایجاد شد", "activity-customfield-created": "%s فیلدشخصی ایجاد شد", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "و __count__ کارت دیگر", "apply": "اعمال", "app-is-offline": "Wekan در حال بارگذاری است. لطفا صبر کنید. نوسازی صفحه، منجر به از دست رفتن داده‌ها می‌شود. اگر Wekan بارگذاری نشد، لطفا بررسی کنید که سرور Wekan متوقف نشده باشد.", - "archive": "انتقال به بازیافتی", - "archive-all": "ریختن همه به سطل زباله", - "archive-board": "ریختن تخته به سطل زباله", - "archive-card": "ریختن کارت به سطل زباله", - "archive-list": "ریختن لیست به سطل زباله", - "archive-swimlane": "ریختن مسیرشنا به سطل زباله", - "archive-selection": "انتخاب شده ها را به سطل زباله بریز", - "archiveBoardPopup-title": "آیا تخته به سطل زباله ریخته شود؟", - "archived-items": "سطل زباله", - "archived-boards": "تخته هایی که به زباله ریخته شده است", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "بایگانی", + "archived-boards": "Boards in Archive", "restore-board": "بازیابی تخته", - "no-archived-boards": "هیچ تخته ای در سطل زباله وجود ندارد", - "archives": "سطل زباله", + "no-archived-boards": "No Boards in Archive.", + "archives": "بایگانی", "assign-member": "تعیین عضو", "attached": "ضمیمه شده", "attachment": "ضمیمه", @@ -118,12 +118,12 @@ "board-view-lists": "فهرست‌ها", "bucket-example": "برای مثال چیزی شبیه \"لیست سبدها\"", "cancel": "انصراف", - "card-archived": "این کارت به سطل زباله ریخته شده است", - "board-archived": "این تخته به بازیافتی انتقال یافت.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "این کارت دارای %s نظر است.", "card-delete-notice": "حذف دائمی. تمامی موارد مرتبط با این کارت از بین خواهند رفت.", "card-delete-pop": "همه اقدامات از این پردازه (خوراک) حذف خواهد شد و امکان بازگرداندن کارت وجود نخواهد داشت.", - "card-delete-suggest-archive": "شما میتوانید این کارت را به سطل بازیافت انتقال دهید تا از تخته پاک و فعالیت ها حفظ شود", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "تا", "card-due-on": "تا", "card-spent": "زمان صرف شده", @@ -166,7 +166,7 @@ "clipboard": "ذخیره در حافظه ویا بردار-رهاکن", "close": "بستن", "close-board": "بستن برد", - "close-board-pop": "شما با کلیک روی دکمه \"سطل زباله\" در قسمت خانه می توانید تخته را بازیابی کنید.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "مشکی", "color-blue": "آبی", "color-green": "سبز", @@ -315,8 +315,8 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", "link-card": "ارجاع به این کارت", - "list-archive-cards": "همه‌ کارت‌های این لیست را به بازیافتی انتقال بده", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "انتقال تمام کارت های این لیست", "list-select-cards": "انتخاب تمام کارت های این لیست", "listActionPopup-title": "لیست اقدامات", @@ -325,7 +325,7 @@ "listMorePopup-title": "بیشتر", "link-list": "پیوند به این فهرست", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "با انتقال سیاهه به سطل ذباله می‌توانید ضمن حفظ فعالیت، سیاهه را از تخته حذف کنید.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "لیست ها", "swimlanes": "Swimlanes", "log-out": "خروج", @@ -345,9 +345,9 @@ "muted-info": "شما هیچگاه از تغییرات این تخته مطلع نخواهید شد", "my-boards": "تخته‌های من", "name": "نام", - "no-archived-cards": "کارتی در سطل ذباله نیست.", - "no-archived-lists": "سیاهه‌ای در سطل ذباله نیست.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "بدون نتیجه", "normal": "عادی", "normal-desc": "امکان نمایش و تنظیم کارت بدون امکان تغییر تنظیمات", @@ -427,7 +427,7 @@ "uploaded-avatar": "تصویر ارسال شد", "username": "نام کاربری", "view-it": "مشاهده", - "warn-list-archived": "هشدار: این کارت در سیاهه‌ای داخل سطح ذباله است", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "دیده بانی", "watching": "درحال دیده بانی", "watching-info": "شما از هر تغییری دراین تخته آگاه خواهید شد", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "بالای", "r-bottom-of": "پایین", "r-its-list": "لیست خود", - "r-archive": "انتقال به بازیافتی", - "r-unarchive": "بازگردانی از سطل زباله", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "کارت", "r-add": "افزودن", "r-remove": "حذف", @@ -596,8 +596,8 @@ "r-d-send-email-to": "به", "r-d-send-email-subject": "عنوان", "r-d-send-email-message": "پیام", - "r-d-archive": "انتقال کارت به سطل زباله", - "r-d-unarchive": "بازگردانی کارت از سطل زباله", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "افزودن برچسب", "r-d-remove-label": "حذف برچسب", "r-d-add-member": "افزودن عضو", diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 38734f9a..0295d59d 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "luotu mukautettu kenttä __customField__", "act-createList": "lisätty __list__ taululle __board__", "act-addBoardMember": "lisätty __member__ taululle __board__", - "act-archivedBoard": "__board__ siirretty roskakoriin", - "act-archivedCard": "__card__ siirretty roskakoriin", - "act-archivedList": "__list__ siirretty roskakoriin", - "act-archivedSwimlane": "__swimlane__ siirretty roskakoriin", + "act-archivedBoard": "__board__ siirretty Arkistoin", + "act-archivedCard": "__card__ siirretty Arkistoin", + "act-archivedList": "__list__ siirretty Arkistoin", + "act-archivedSwimlane": "__swimlane__ siirretty Arkistoin", "act-importBoard": "tuotu __board__", "act-importCard": "tuotu __card__", "act-importList": "tuotu __list__", @@ -29,7 +29,7 @@ "activities": "Toimet", "activity": "Toiminta", "activity-added": "lisätty %s kohteeseen %s", - "activity-archived": "%s siirretty roskakoriin", + "activity-archived": "%s siirretty Arkistoin", "activity-attached": "liitetty %s kohteeseen %s", "activity-created": "luotu %s", "activity-customfield-created": "luotu mukautettu kenttä %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "Ja __count__ muuta korttia", "apply": "Käytä", "app-is-offline": "Wekan latautuu, odota. Sivun uudelleenlataus aiheuttaa tietojen menettämisen. Jos Wekan ei lataudu, tarkista että Wekan palvelin ei ole pysähtynyt.", - "archive": "Siirrä roskakoriin", - "archive-all": "Siirrä kaikki roskakoriin", - "archive-board": "Siirrä taulu roskakoriin", - "archive-card": "Siirrä kortti roskakoriin", - "archive-list": "Siirrä lista roskakoriin", - "archive-swimlane": "Siirrä Swimlane roskakoriin", - "archive-selection": "Siirrä valinta roskakoriin", - "archiveBoardPopup-title": "Siirrä taulu roskakoriin?", - "archived-items": "Roskakori", - "archived-boards": "Taulut roskakorissa", + "archive": "Siirrä Arkistoin", + "archive-all": "Siirrä kaikki Arkistoin", + "archive-board": "Siirrä taulu Arkistoin", + "archive-card": "Siirrä kortti Arkistoin", + "archive-list": "Siirrä lista Arkistoin", + "archive-swimlane": "Siirrä Swimlane Arkistoin", + "archive-selection": "Siirrä valinta Arkistoin", + "archiveBoardPopup-title": "Siirrä taulu Arkistoin?", + "archived-items": "Arkisto", + "archived-boards": "Taulut Arkistossa", "restore-board": "Palauta taulu", - "no-archived-boards": "Ei tauluja roskakorissa", - "archives": "Roskakori", + "no-archived-boards": "Ei tauluja Arkistossa", + "archives": "Arkisto", "assign-member": "Valitse jäsen", "attached": "liitetty", "attachment": "Liitetiedosto", @@ -118,12 +118,12 @@ "board-view-lists": "Listat", "bucket-example": "Kuten “Laatikko lista” esimerkiksi", "cancel": "Peruuta", - "card-archived": "Tämä kortti on siirretty roskakoriin.", - "board-archived": "Tämä taulu on siirretty roskakoriin.", + "card-archived": "Tämä kortti on siirretty Arkistoin.", + "board-archived": "Tämä taulu on siirretty Arkistoin.", "card-comments-title": "Tässä kortissa on %s kommenttia.", "card-delete-notice": "Poistaminen on lopullista. Menetät kaikki toimet jotka on liitetty tähän korttiin.", "card-delete-pop": "Kaikki toimet poistetaan toimintasyötteestä ja et tule pystymään uudelleenavaamaan korttia. Tätä ei voi peruuttaa.", - "card-delete-suggest-archive": "Voit siirtää kortin roskakoriin poistaaksesi sen taululta ja säilyttääksesi toimintalokin.", + "card-delete-suggest-archive": "Voit siirtää kortin Arkistoin poistaaksesi sen taululta ja säilyttääksesi toimintalokin.", "card-due": "Erääntyy", "card-due-on": "Erääntyy", "card-spent": "Käytetty aika", @@ -166,7 +166,7 @@ "clipboard": "Leikepöytä tai raahaa ja pudota", "close": "Sulje", "close-board": "Sulje taulu", - "close-board-pop": "Voit palauttaa taulun klikkaamalla “Roskakori” painiketta taululistan yläpalkista.", + "close-board-pop": "Voit palauttaa taulun klikkaamalla “Arkisto” painiketta taululistan yläpalkista.", "color-black": "musta", "color-blue": "sininen", "color-green": "vihreä", @@ -315,8 +315,8 @@ "leave-board-pop": "Haluatko varmasti poistua taululta __boardTitle__? Sinut poistetaan kaikista tämän taulun korteista.", "leaveBoardPopup-title": "Jää pois taululta ?", "link-card": "Linkki tähän korttiin", - "list-archive-cards": "Siirrä kaikki tämän listan kortit roskakoriin", - "list-archive-cards-pop": "Tämä poistaa kaikki tämän listan kortit taululta. Nähdäksesi roskakorissa olevat kortit ja tuodaksesi ne takaisin taululle, klikkaa “Valikko” > “Roskakori”.", + "list-archive-cards": "Siirrä kaikki tämän listan kortit Arkistoin", + "list-archive-cards-pop": "Tämä poistaa kaikki tämän listan kortit taululta. Nähdäksesi Arkistossa olevat kortit ja tuodaksesi ne takaisin taululle, klikkaa “Valikko” > “Arkisto”.", "list-move-cards": "Siirrä kaikki kortit tässä listassa", "list-select-cards": "Valitse kaikki kortit tässä listassa", "listActionPopup-title": "Listaa toimet", @@ -325,7 +325,7 @@ "listMorePopup-title": "Lisää", "link-list": "Linkki tähän listaan", "list-delete-pop": "Kaikki toimet poistetaan toimintasyötteestä ja listan poistaminen on lopullista. Tätä ei pysty peruuttamaan.", - "list-delete-suggest-archive": "Voit siirtää listan roskakoriin poistaaksesi sen taululta ja säilyttääksesi toimintalokin.", + "list-delete-suggest-archive": "Voit siirtää listan Arkistoin poistaaksesi sen taululta ja säilyttääksesi toimintalokin.", "lists": "Listat", "swimlanes": "Swimlanet", "log-out": "Kirjaudu ulos", @@ -345,9 +345,9 @@ "muted-info": "Et saa koskaan ilmoituksia tämän taulun muutoksista", "my-boards": "Tauluni", "name": "Nimi", - "no-archived-cards": "Ei kortteja roskakorissa.", - "no-archived-lists": "Ei listoja roskakorissa.", - "no-archived-swimlanes": "Ei Swimlaneja roskakorissa.", + "no-archived-cards": "Ei kortteja Arkistossa.", + "no-archived-lists": "Ei listoja Arkistossa.", + "no-archived-swimlanes": "Ei Swimlaneja Arkistossa.", "no-results": "Ei tuloksia", "normal": "Normaali", "normal-desc": "Voi nähdä ja muokata kortteja. Ei voi muokata asetuksia.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Profiilikuva lähetetty", "username": "Käyttäjätunnus", "view-it": "Näytä se", - "warn-list-archived": "varoitus: tämä kortti on roskakorissa olevassa listassa", + "warn-list-archived": "varoitus: tämä kortti on Arkistossa olevassa listassa", "watch": "Seuraa", "watching": "Seurataan", "watching-info": "Sinulle ilmoitetaan tämän taulun muutoksista", @@ -545,8 +545,8 @@ "r-list": "lista", "r-moved-to": "Siirretty kohteeseen", "r-moved-from": "Siirretty kohteesta", - "r-archived": "Siirretty roskakoriin", - "r-unarchived": "Palautettu roskakorista", + "r-archived": "Siirretty Arkistoin", + "r-unarchived": "Palautettu Arkistosta", "r-a-card": "kortti", "r-when-a-label-is": "Kun tunniste on", "r-when-the-label-is": "Kun tunniste on", @@ -568,8 +568,8 @@ "r-top-of": "Päällä kohteen", "r-bottom-of": "Pohjalla kohteen", "r-its-list": "sen lista", - "r-archive": "Siirrä roskakoriin", - "r-unarchive": "Palauta roskakorista", + "r-archive": "Siirrä Arkistoin", + "r-unarchive": "Palauta Arkistosta", "r-card": "kortti", "r-add": "Lisää", "r-remove": "Poista", @@ -596,8 +596,8 @@ "r-d-send-email-to": "vastaanottajalle", "r-d-send-email-subject": "aihe", "r-d-send-email-message": "viesti", - "r-d-archive": "Siirrä kortti roskakoriin", - "r-d-unarchive": "Palauta kortti roskakorista", + "r-d-archive": "Siirrä kortti Arkistoin", + "r-d-unarchive": "Palauta kortti Arkistosta", "r-d-add-label": "Lisää tunniste", "r-d-remove-label": "Poista tunniste", "r-d-add-member": "Lisää jäsen", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 63ab4f35..6305de6d 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "a créé le champ personnalisé __customField__", "act-createList": "a ajouté __list__ à __board__", "act-addBoardMember": "a ajouté __member__ à __board__", - "act-archivedBoard": "__board__ a été déplacé vers la corbeille", - "act-archivedCard": "__card__ a été déplacée vers la corbeille", - "act-archivedList": "__list__ a été déplacée vers la corbeille", - "act-archivedSwimlane": "__swimlane__ a été déplacé vers la corbeille", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "a importé __board__", "act-importCard": "a importé __card__", "act-importList": "a importé __list__", @@ -29,7 +29,7 @@ "activities": "Activités", "activity": "Activité", "activity-added": "a ajouté %s à %s", - "activity-archived": "%s a été déplacé vers la corbeille", + "activity-archived": "%s moved to Archive", "activity-attached": "a attaché %s à %s", "activity-created": "a créé %s", "activity-customfield-created": "a créé le champ personnalisé %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "Et __count__ autres cartes", "apply": "Appliquer", "app-is-offline": "Chargement en cours, veuillez patienter. Vous risquez de perdre des données si vous rechargez la page. Si le chargement échoue, veuillez vérifier l'état du serveur Wekan.", - "archive": "Déplacer vers la corbeille", - "archive-all": "Tout déplacer vers la corbeille", - "archive-board": "Déplacer le tableau vers la corbeille", - "archive-card": "Déplacer la carte vers la corbeille", - "archive-list": "Déplacer la liste vers la corbeille", - "archive-swimlane": "Déplacer le couloir vers la corbeille", - "archive-selection": "Déplacer la sélection vers la corbeille", - "archiveBoardPopup-title": "Déplacer le tableau vers la corbeille ?", - "archived-items": "Corbeille", - "archived-boards": "Tableaux dans la corbeille", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Archiver", + "archived-boards": "Boards in Archive", "restore-board": "Restaurer le tableau", - "no-archived-boards": "Aucun tableau dans la corbeille.", - "archives": "Corbeille", + "no-archived-boards": "No Boards in Archive.", + "archives": "Archiver", "assign-member": "Affecter un membre", "attached": "joint", "attachment": "Pièce jointe", @@ -118,12 +118,12 @@ "board-view-lists": "Listes", "bucket-example": "Comme « todo list » par exemple", "cancel": "Annuler", - "card-archived": "Cette carte est déplacée vers la corbeille.", - "board-archived": "Ce tableau a été déplacé dans la Corbeille.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "Cette carte a %s commentaires.", "card-delete-notice": "La suppression est permanente. Vous perdrez toutes les actions associées à cette carte.", "card-delete-pop": "Toutes les actions vont être supprimées du suivi d'activités et vous ne pourrez plus utiliser cette carte. Cette action est irréversible.", - "card-delete-suggest-archive": "Vous pouvez déplacer une carte vers la corbeille afin de l'enlever du tableau tout en préservant l'activité.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "À échéance", "card-due-on": "Échéance le", "card-spent": "Temps passé", @@ -166,7 +166,7 @@ "clipboard": "Presse-papier ou glisser-déposer", "close": "Fermer", "close-board": "Fermer le tableau", - "close-board-pop": "Vous pourrez restaurer le tableau en cliquant le bouton « Corbeille » en entête.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "noir", "color-blue": "bleu", "color-green": "vert", @@ -315,8 +315,8 @@ "leave-board-pop": "Êtes-vous sur de vouloir quitter __boardTitle__ ? Vous ne serez plus associé aux cartes de ce tableau.", "leaveBoardPopup-title": "Quitter le tableau", "link-card": "Lier à cette carte", - "list-archive-cards": "Déplacer toutes les cartes de la liste vers la corbeille", - "list-archive-cards-pop": "Cela supprimera du tableau toutes les cartes de cette liste. Pour voir les cartes dans la corbeille et les renvoyer vers le tableau, cliquez sur « Menu » puis « Corbeille ».", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Déplacer toutes les cartes de cette liste", "list-select-cards": "Sélectionner toutes les cartes de cette liste", "listActionPopup-title": "Actions sur la liste", @@ -325,7 +325,7 @@ "listMorePopup-title": "Plus", "link-list": "Lien vers cette liste", "list-delete-pop": "Toutes les actions seront supprimées du fil d'activité et il ne sera plus possible de les récupérer. Cette action ne peut pas être annulée.", - "list-delete-suggest-archive": "Vous pouvez déplacer une liste vers la corbeille pour l'enlever du tableau tout en conservant son activité.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Listes", "swimlanes": "Couloirs", "log-out": "Déconnexion", @@ -345,9 +345,9 @@ "muted-info": "Vous ne serez jamais averti des modifications effectuées dans ce tableau", "my-boards": "Mes tableaux", "name": "Nom", - "no-archived-cards": "Aucune carte dans la corbeille.", - "no-archived-lists": "Aucune liste dans la corbeille.", - "no-archived-swimlanes": "Aucun couloir dans la corbeille.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "Pas de résultats", "normal": "Normal", "normal-desc": "Peut voir et modifier les cartes. Ne peut pas changer les paramètres.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Avatar téléchargé", "username": "Nom d'utilisateur", "view-it": "Le voir", - "warn-list-archived": "Attention : cette carte est dans une liste se trouvant dans la corbeille", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Suivre", "watching": "Suivi", "watching-info": "Vous serez notifié de toute modification dans ce tableau", @@ -545,8 +545,8 @@ "r-list": "liste", "r-moved-to": "Déplacé vers", "r-moved-from": "Déplacé depuis", - "r-archived": "Déplacé vers la Corbeille", - "r-unarchived": "Restauré depuis la Corbeille", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "carte", "r-when-a-label-is": "Quand une étiquette est", "r-when-the-label-is": "Quand l'étiquette est", @@ -568,8 +568,8 @@ "r-top-of": "En haut de", "r-bottom-of": "En bas de", "r-its-list": "sa liste", - "r-archive": "Déplacer vers la corbeille", - "r-unarchive": "Restaurer depuis la Corbeille", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "carte", "r-add": "Ajouter", "r-remove": "Supprimer", @@ -596,8 +596,8 @@ "r-d-send-email-to": "à", "r-d-send-email-subject": "sujet", "r-d-send-email-message": "message", - "r-d-archive": "Déplacer la carte vers la Corbeille", - "r-d-unarchive": "Restaurer la carte depuis la Corbeille", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Ajouter une étiquette", "r-d-remove-label": "Supprimer l'étiquette", "r-d-add-member": "Ajouter un membre", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 4cc4f3d3..1ae1fea3 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "created custom field __customField__", "act-createList": "added __list__ to __board__", "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "imported __board__", "act-importCard": "imported __card__", "act-importList": "imported __list__", @@ -29,7 +29,7 @@ "activities": "Actividades", "activity": "Actividade", "activity-added": "engadiuse %s a %s", - "activity-archived": "%s moved to Recycle Bin", + "activity-archived": "%s moved to Archive", "activity-attached": "attached %s to %s", "activity-created": "created %s", "activity-customfield-created": "created custom field %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "And __count__ other cards", "apply": "Apply", "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Arquivar", + "archived-boards": "Boards in Archive", "restore-board": "Restaurar taboleiro", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "No Boards in Archive.", + "archives": "Arquivar", "assign-member": "Assign member", "attached": "attached", "attachment": "Anexo", @@ -118,12 +118,12 @@ "board-view-lists": "Listas", "bucket-example": "Like “Bucket List” for example", "cancel": "Cancelar", - "card-archived": "This card is moved to Recycle Bin.", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", @@ -166,7 +166,7 @@ "clipboard": "Clipboard or drag & drop", "close": "Close", "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "negro", "color-blue": "azul", "color-green": "verde", @@ -315,8 +315,8 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", "listActionPopup-title": "List Actions", @@ -325,7 +325,7 @@ "listMorePopup-title": "Máis", "link-list": "Link to this list", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Listas", "swimlanes": "Swimlanes", "log-out": "Pechar a sesión", @@ -345,9 +345,9 @@ "muted-info": "You will never be notified of any changes in this board", "my-boards": "My Boards", "name": "Nome", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "Non hai resultados", "normal": "Normal", "normal-desc": "Pode ver e editar tarxetas. Non pode cambiar a configuración.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Uploaded an avatar", "username": "Nome de usuario", "view-it": "Velo", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Vixiar", "watching": "Vixiando", "watching-info": "Recibirá unha notificación sobre calquera cambio que se produza neste taboleiro", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Recycle Bin", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Engadir", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 3823b3f5..27870825 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "נוצר שדה בהתאמה אישית __customField__", "act-createList": "הרשימה __list__ התווספה ללוח __board__", "act-addBoardMember": "המשתמש __member__ נוסף ללוח __board__", - "act-archivedBoard": "__board__ הועבר לסל המחזור", - "act-archivedCard": "__card__ הועבר לסל המחזור", - "act-archivedList": "__list__ הועבר לסל המחזור", - "act-archivedSwimlane": "__swimlane__ הועבר לסל המחזור", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "הלוח __board__ יובא", "act-importCard": "הכרטיס __card__ יובא", "act-importList": "הרשימה __list__ יובאה", @@ -29,7 +29,7 @@ "activities": "פעילויות", "activity": "פעילות", "activity-added": "%s נוסף ל%s", - "activity-archived": "%s הועבר לסל המחזור", + "activity-archived": "%s moved to Archive", "activity-attached": "%s צורף ל%s", "activity-created": "%s נוצר", "activity-customfield-created": "נוצר שדה בהתאמה אישית %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "ו־__count__ כרטיסים נוספים", "apply": "החלה", "app-is-offline": "Wekan בטעינה, נא להמתין. רענון העמוד עשוי להוביל לאובדן מידע. אם הטעינה של Wekan נעצרה, נא לבדוק ששרת ה־Wekan לא נעצר.", - "archive": "העברה לסל המחזור", - "archive-all": "להעביר הכול לסל המחזור", - "archive-board": "העברת הלוח לסל המחזור", - "archive-card": "העברת הכרטיס לסל המחזור", - "archive-list": "העברת הרשימה לסל המחזור", - "archive-swimlane": "העברת מסלול לסל המחזור", - "archive-selection": "העברת הבחירה לסל המחזור", - "archiveBoardPopup-title": "להעביר את הלוח לסל המחזור?", - "archived-items": "סל מחזור", - "archived-boards": "לוחות בסל המחזור", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "להעביר לארכיון", + "archived-boards": "Boards in Archive", "restore-board": "שחזור לוח", - "no-archived-boards": "אין לוחות בסל המחזור", - "archives": "סל מחזור", + "no-archived-boards": "No Boards in Archive.", + "archives": "להעביר לארכיון", "assign-member": "הקצאת חבר", "attached": "מצורף", "attachment": "קובץ מצורף", @@ -118,12 +118,12 @@ "board-view-lists": "רשימות", "bucket-example": "כמו למשל „רשימת המשימות“", "cancel": "ביטול", - "card-archived": "כרטיס זה הועבר לסל המחזור", - "board-archived": "הלוח עבר לסל המחזור", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "לכרטיס זה %s תגובות.", "card-delete-notice": "מחיקה היא סופית. כל הפעולות המשויכות לכרטיס זה תלכנה לאיוד.", "card-delete-pop": "כל הפעולות יוסרו מלוח הפעילות ולא תהיה אפשרות לפתוח מחדש את הכרטיס. אין דרך חזרה.", - "card-delete-suggest-archive": "ניתן להעביר כרטיס לסל המחזור כדי להסיר אותו מהלוח ולשמר את הפעילות.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "תאריך יעד", "card-due-on": "תאריך יעד", "card-spent": "זמן שהושקע", @@ -166,7 +166,7 @@ "clipboard": "לוח גזירים או גרירה ושחרור", "close": "סגירה", "close-board": "סגירת לוח", - "close-board-pop": "תהיה לך אפשרות להסיר את הלוח על ידי לחיצה על הכפתור „סל מחזור” מכותרת הבית.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "שחור", "color-blue": "כחול", "color-green": "ירוק", @@ -315,8 +315,8 @@ "leave-board-pop": "לעזוב את __boardTitle__? שמך יוסר מכל הכרטיסים שבלוח זה.", "leaveBoardPopup-title": "לעזוב לוח ?", "link-card": "קישור לכרטיס זה", - "list-archive-cards": "להעביר את כל הכרטיסים לסל המחזור", - "list-archive-cards-pop": "פעולה זו תסיר את כל הכרטיסים שברשימה זו מהלוח. כדי לצפות בכרטיסים בסל המחזור ולהשיב אותם ללוח ניתן ללחוץ על „תפריט” > „סל מחזור”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "העברת כל הכרטיסים שברשימה זו", "list-select-cards": "בחירת כל הכרטיסים שברשימה זו", "listActionPopup-title": "פעולות רשימה", @@ -325,7 +325,7 @@ "listMorePopup-title": "עוד", "link-list": "קישור לרשימה זו", "list-delete-pop": "כל הפעולות תוסרנה מרצף הפעילות ולא תהיה לך אפשרות לשחזר את הרשימה. אין ביטול.", - "list-delete-suggest-archive": "ניתן להעביר רשימה לסל מחזור כדי להסיר אותה מהלוח ולשמר את הפעילות.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "רשימות", "swimlanes": "מסלולים", "log-out": "יציאה", @@ -345,9 +345,9 @@ "muted-info": "מעתה לא תתקבלנה אצלך התרעות על שינויים בלוח זה", "my-boards": "הלוחות שלי", "name": "שם", - "no-archived-cards": "אין כרטיסים בסל המחזור.", - "no-archived-lists": "אין רשימות בסל המחזור.", - "no-archived-swimlanes": "אין מסלולים בסל המחזור.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "אין תוצאות", "normal": "רגיל", "normal-desc": "הרשאה לצפות ולערוך כרטיסים. לא ניתן לשנות הגדרות.", @@ -427,7 +427,7 @@ "uploaded-avatar": "הועלתה תמונה משתמש", "username": "שם משתמש", "view-it": "הצגה", - "warn-list-archived": "אזהרה: כרטיס זה נמצא ברשימה בסל המחזור", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "לעקוב", "watching": "במעקב", "watching-info": "מעתה יגיעו אליך דיווחים על כל שינוי בלוח זה", @@ -545,8 +545,8 @@ "r-list": "רשימה", "r-moved-to": "מועבר אל", "r-moved-from": "מועבר מ־", - "r-archived": "מועבר לסל המחזור", - "r-unarchived": "משוחזר מסל המחזור", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "כרטיס", "r-when-a-label-is": "כאשר תווית", "r-when-the-label-is": "כאשר התווית היא", @@ -568,8 +568,8 @@ "r-top-of": "ראש", "r-bottom-of": "תחתית", "r-its-list": "הרשימה שלו", - "r-archive": "העברה לסל המחזור", - "r-unarchive": "שחזור מסל המחזור", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "כרטיס", "r-add": "הוספה", "r-remove": "הסרה", @@ -596,8 +596,8 @@ "r-d-send-email-to": "אל", "r-d-send-email-subject": "נושא", "r-d-send-email-message": "הודעה", - "r-d-archive": "העברת כרטיס לסל המחזור", - "r-d-unarchive": "שחזור כרטיס מסל המחזור", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "הוספת תווית", "r-d-remove-label": "הסרת תווית", "r-d-add-member": "הוספת חבר", diff --git a/i18n/hi.i18n.json b/i18n/hi.i18n.json index 0ad44955..9880fcf4 100644 --- a/i18n/hi.i18n.json +++ b/i18n/hi.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "बनाया रिवाज क्षेत्र __customField__", "act-createList": "जोड़ा __list__ से __board__", "act-addBoardMember": "जोड़ा __member__ से __board__", - "act-archivedBoard": "__board__ यह ले जाएँ और मिटाए", - "act-archivedCard": "__card__ यह ले जाएँ और मिटाए", - "act-archivedList": "__list__ यह ले जाएँ और मिटाए", - "act-archivedSwimlane": "__swimlane__ यह ले जाएँ और मिटाए", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "महत्त्व का __board__", "act-importCard": "महत्त्व का __card__", "act-importList": "महत्त्व का __list__", @@ -29,7 +29,7 @@ "activities": "गतिविधि", "activity": "क्रियाएँ", "activity-added": "जोड़ा गया %s से %s", - "activity-archived": "%s यह ले जाएँ और मिटाए", + "activity-archived": "%s moved to Archive", "activity-attached": "संलग्न %s से %s", "activity-created": "बनाया %s", "activity-customfield-created": "बनाया रिवाज क्षेत्र %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "और __count__ other कार्ड", "apply": "Apply", "app-is-offline": "Wekan लोड हो रहा है, कृपया प्रतीक्षा करें। पृष्ठ को रीफ्रेश करने से डेटा हानि होगी। यदि वीकन लोड नहीं होता है, तो कृपया जांचें कि वीकन सर्वर बंद नहीं हुआ है।", - "archive": "स्थानांतरित तक पुनः चक्र", - "archive-all": "स्थानांतरित संपूर्ण तक पुनः चक्र", - "archive-board": "स्थानांतरित बोर्ड तक पुनः चक्र", - "archive-card": "स्थानांतरित कार्ड तक पुनः चक्र", - "archive-list": "स्थानांतरित सूची तक पुनः चक्र", - "archive-swimlane": "स्थानांतरित तैरन तक पुनः चक्र", - "archive-selection": "चयन को मिटाए", - "archiveBoardPopup-title": "स्थानांतरित बोर्ड तक पुनः चक्र ?", - "archived-items": "पुनः चक्र", - "archived-boards": "बोर्डों अंदर में पुनः चक्र", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Archive", + "archived-boards": "Boards in Archive", "restore-board": "Restore बोर्ड", - "no-archived-boards": "पुनः चक्र में कोई बोर्ड नहीं ।.", - "archives": "पुनः चक्र", + "no-archived-boards": "No Boards in Archive.", + "archives": "Archive", "assign-member": "आवंटित सदस्य", "attached": "संलग्न", "attachment": "संलग्नक", @@ -118,12 +118,12 @@ "board-view-lists": "सूचियाँ", "bucket-example": "उदाहरण के लिए “बाल्टी सूची” की तरह", "cancel": "रद्द करें", - "card-archived": "यह कार्ड यह ले जाएँ और मिटाए.", - "board-archived": "यह बोर्ड यह ले जाएँ और मिटाए.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "इस कार्ड में %s टिप्पणी है।", "card-delete-notice": "हटाना स्थायी है। आप इस कार्ड से जुड़े सभी कार्यों को खो देंगे।", "card-delete-pop": "सभी कार्रवाइयां गतिविधि फ़ीड से निकाल दी जाएंगी और आप कार्ड को फिर से खोलने में सक्षम नहीं होंगे । कोई पूर्ववत् नहीं है ।", - "card-delete-suggest-archive": "आप किसी कार्ड को पुनः चक्र में ले जा सकते है उसे बोर्ड से निकालने और गतिविधि को रक्षित करने के लिए ।", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "नियत", "card-due-on": "पर नियत", "card-spent": "समय बिताया", @@ -166,7 +166,7 @@ "clipboard": "क्लिपबोर्ड या खींचें और छोड़ें", "close": "बंद करे", "close-board": "बोर्ड बंद करे", - "close-board-pop": "आप घर शीर्षक से “पुनः चक्र” बटन पर क्लिक करके बोर्ड को बहाल करने में सक्षम हो जाएगा ।", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "काला", "color-blue": "नीला", "color-green": "हरा", @@ -315,8 +315,8 @@ "leave-board-pop": "Are you sure you want तक leave __boardTitle__? You हो जाएगा हटा दिया से संपूर्ण कार्ड इस पर बोर्ड.", "leaveBoardPopup-title": "Leave बोर्ड ?", "link-card": "Link तक यह कार्ड", - "list-archive-cards": "स्थानांतरित संपूर्ण कार्ड अंदर में यह सूची तक पुनः चक्र", - "list-archive-cards-pop": "यह will हटा संपूर्ण the कार्ड अंदर में यह सूची से the बोर्ड. तक आलोकन कार्ड अंदर में पुनः चक्र और bring them back तक the बोर्ड, click “Menu” > “पुनः चक्र”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "स्थानांतरित संपूर्ण कार्ड अंदर में यह list", "list-select-cards": "Select संपूर्ण कार्ड अंदर में यह list", "listActionPopup-title": "सूची Actions", @@ -325,7 +325,7 @@ "listMorePopup-title": "More", "link-list": "Link तक यह list", "list-delete-pop": "All actions हो जाएगा हटा दिया से the activity feed और you won't be able तक recover the list. There is no undo.", - "list-delete-suggest-archive": "You can स्थानांतरित एक सूची तक पुनः चक्र तक हटा it से the बोर्ड और preserve the activity.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Lists", "swimlanes": "तैरन", "log-out": "Log Out", @@ -345,9 +345,9 @@ "muted-info": "आप किसी भी परिवर्तन के अधिसूचित नहीं किया जाएगा अंदर में यह बोर्ड", "my-boards": "My बोर्ड", "name": "Name", - "no-archived-cards": "No कार्ड अंदर में पुनः चक्र .", - "no-archived-lists": "No lists अंदर में पुनः चक्र .", - "no-archived-swimlanes": "No swimlanes अंदर में पुनः चक्र .", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "No results", "normal": "Normal", "normal-desc": "Can आलोकन और संपादित करें कार्ड. Can't change व्यवस्था.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Uploaded an avatar", "username": "Username", "view-it": "आलोकन it", - "warn-list-archived": "warning: यह कार्ड is अंदर में पुनः चक्र में एक सूची", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Watch", "watching": "Watching", "watching-info": "You हो जाएगा notified of any change अंदर में यह बोर्ड", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "स्थानांतरित to", "r-moved-from": "स्थानांतरित from", - "r-archived": "यह ले जाएँ और मिटाए", - "r-unarchived": "पुनर्स्थापित से पुनः चक्र", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a कार्ड", "r-when-a-label-is": "जब एक नामपत्र है", "r-when-the-label-is": "जब नामपत्र है", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "स्थानांतरित तक पुनः चक्र", - "r-unarchive": "Restore से पुनः चक्र", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "कार्ड", "r-add": "जोड़ें", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "स्थानांतरित कार्ड तक पुनः चक्र", - "r-d-unarchive": "Restore कार्ड से पुनः चक्र", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "जोड़ें label", "r-d-remove-label": "हटाएँ label", "r-d-add-member": "जोड़ें सदस्य", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index a0b8f363..bd59f47e 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "létrehozta a(z) __customField__ egyéni listát", "act-createList": "__list__ listát adott hozzá a táblához: __board__", "act-addBoardMember": "__member__ tagot hozzáadta a táblához: __board__", - "act-archivedBoard": "A(z) __board__ tábla áthelyezve a lomtárba", - "act-archivedCard": "A(z) __card__ kártya áthelyezve a lomtárba", - "act-archivedList": "A(z) __list__ lista áthelyezve a lomtárba", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "importálta a táblát: __board__", "act-importCard": "importálta a kártyát: __card__", "act-importList": "importálta a listát: __list__", @@ -29,7 +29,7 @@ "activities": "Tevékenységek", "activity": "Tevékenység", "activity-added": "%s hozzáadva ehhez: %s", - "activity-archived": "%s áthelyezve a lomtárba", + "activity-archived": "%s moved to Archive", "activity-attached": "%s mellékletet csatolt a kártyához: %s", "activity-created": "%s létrehozva", "activity-customfield-created": "létrehozta a(z) %s egyéni mezőt", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "És __count__ egyéb kártya", "apply": "Alkalmaz", "app-is-offline": "A Wekan betöltés alatt van, kérem várjon. Az oldal újratöltése adatvesztést okoz. Ha a Wekan nem töltődik be, akkor ellenőrizze, hogy a Wekan kiszolgáló nem állt-e le.", - "archive": "Lomtárba", - "archive-all": "Összes lomtárba helyezése", - "archive-board": "Tábla lomtárba helyezése", - "archive-card": "Kártya lomtárba helyezése", - "archive-list": "Lista lomtárba helyezése", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Kijelölés lomtárba helyezése", - "archiveBoardPopup-title": "Lomtárba helyezi a táblát?", - "archived-items": "Lomtár", - "archived-boards": "Lomtárban lévő táblák", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Archiválás", + "archived-boards": "Boards in Archive", "restore-board": "Tábla visszaállítása", - "no-archived-boards": "Nincs tábla a lomtárban.", - "archives": "Lomtár", + "no-archived-boards": "No Boards in Archive.", + "archives": "Archiválás", "assign-member": "Tag hozzárendelése", "attached": "csatolva", "attachment": "Melléklet", @@ -118,12 +118,12 @@ "board-view-lists": "Listák", "bucket-example": "Mint például „Bakancslista”", "cancel": "Mégse", - "card-archived": "Ez a kártya a lomtárba került.", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "Ez a kártya %s hozzászólást tartalmaz.", "card-delete-notice": "A törlés végleges. Az összes műveletet elveszíti, amely ehhez a kártyához tartozik.", "card-delete-pop": "Az összes művelet el lesz távolítva a tevékenységlistából, és nem lesz képes többé újra megnyitni a kártyát. Nincs visszaállítási lehetőség.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Esedékes", "card-due-on": "Esedékes ekkor", "card-spent": "Eltöltött idő", @@ -166,7 +166,7 @@ "clipboard": "Vágólap vagy fogd és vidd", "close": "Bezárás", "close-board": "Tábla bezárása", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "fekete", "color-blue": "kék", "color-green": "zöld", @@ -315,8 +315,8 @@ "leave-board-pop": "Biztosan el szeretné hagyni ezt a táblát: __boardTitle__? El lesz távolítva a táblán lévő összes kártyáról.", "leaveBoardPopup-title": "Elhagyja a táblát?", "link-card": "Összekapcsolás ezzel a kártyával", - "list-archive-cards": "Az összes kártya lomtárba helyezése ezen a listán.", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "A listán lévő összes kártya áthelyezése", "list-select-cards": "A listán lévő összes kártya kiválasztása", "listActionPopup-title": "Műveletek felsorolása", @@ -325,7 +325,7 @@ "listMorePopup-title": "Több", "link-list": "Összekapcsolás ezzel a listával", "list-delete-pop": "Az összes művelet el lesz távolítva a tevékenységlistából, és nem lesz lehetősége visszaállítani a listát. Nincs visszavonás.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Listák", "swimlanes": "Swimlanes", "log-out": "Kijelentkezés", @@ -345,9 +345,9 @@ "muted-info": "Soha sem lesz értesítve a táblán lévő semmilyen változásról.", "my-boards": "Saját tábláim", "name": "Név", - "no-archived-cards": "Nincs kártya a lomtárban.", - "no-archived-lists": "Nincs lista a lomtárban.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "Nincs találat", "normal": "Normál", "normal-desc": "Megtekintheti és szerkesztheti a kártyákat. Nem változtathatja meg a beállításokat.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Egy avatár feltöltve", "username": "Felhasználónév", "view-it": "Megtekintés", - "warn-list-archived": "figyelem: ez a kártya egy lomtárban lévő listán van", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Megfigyelés", "watching": "Megfigyelés", "watching-info": "Értesítve lesz a táblán lévő összes változásról", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Lomtárba", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Hozzáadás", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index 98bcffbf..3e0585bb 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "created custom field __customField__", "act-createList": "added __list__ to __board__", "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "imported __board__", "act-importCard": "imported __card__", "act-importList": "imported __list__", @@ -29,7 +29,7 @@ "activities": "Activities", "activity": "Activity", "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", + "activity-archived": "%s moved to Archive", "activity-attached": "attached %s to %s", "activity-created": "created %s", "activity-customfield-created": "created custom field %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "And __count__ other cards", "apply": "Apply", "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Archive", + "archived-boards": "Boards in Archive", "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "No Boards in Archive.", + "archives": "Archive", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -118,12 +118,12 @@ "board-view-lists": "Lists", "bucket-example": "Like “Bucket List” for example", "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", @@ -166,7 +166,7 @@ "clipboard": "Clipboard or drag & drop", "close": "Close", "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "black", "color-blue": "blue", "color-green": "green", @@ -315,8 +315,8 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", "listActionPopup-title": "List Actions", @@ -325,7 +325,7 @@ "listMorePopup-title": "More", "link-list": "Link to this list", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Lists", "swimlanes": "Swimlanes", "log-out": "Log Out", @@ -345,9 +345,9 @@ "muted-info": "You will never be notified of any changes in this board", "my-boards": "My Boards", "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "No results", "normal": "Normal", "normal-desc": "Can view and edit cards. Can't change settings.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Uploaded an avatar", "username": "Username", "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Watch", "watching": "Watching", "watching-info": "You will be notified of any change in this board", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Recycle Bin", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Add", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index da691ae0..864ee8b9 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "created custom field __customField__", "act-createList": "Daftar__ditambahkan__ke__Panel", "act-addBoardMember": "Partisipan__ditambahkan__ke__Kartu", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "Panel__diimpor", "act-importCard": "Kartu__diimpor__", "act-importList": "Daftar__diimpor__", @@ -29,7 +29,7 @@ "activities": "Daftar Kegiatan", "activity": "Kegiatan", "activity-added": "ditambahkan %s ke %s", - "activity-archived": "%s moved to Recycle Bin", + "activity-archived": "%s moved to Archive", "activity-attached": "dilampirkan %s ke %s", "activity-created": "dibuat %s", "activity-customfield-created": "created custom field %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "Dan__menghitung__kartu lain", "apply": "Terapkan", "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Arsip", + "archived-boards": "Boards in Archive", "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "No Boards in Archive.", + "archives": "Arsip", "assign-member": "Tugaskan anggota", "attached": "terlampir", "attachment": "Lampiran", @@ -118,12 +118,12 @@ "board-view-lists": "Daftar", "bucket-example": "Contohnya seperti “Bucket List” ", "cancel": "Batal", - "card-archived": "This card is moved to Recycle Bin.", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "Kartu ini punya %s komentar", "card-delete-notice": "Menghapus sama dengan permanen. Anda akan kehilangan semua aksi yang terhubung ke kartu ini", "card-delete-pop": "Semua aksi akan dihapus dari aktivitas dan anda tidak bisa lagi buka kartu ini", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Jatuh Tempo", "card-due-on": "Jatuh Tempo pada", "card-spent": "Spent Time", @@ -166,7 +166,7 @@ "clipboard": "Clipboard atau drag & drop", "close": "Tutup", "close-board": "Tutup Panel", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "hitam", "color-blue": "biru", "color-green": "hijau", @@ -315,8 +315,8 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", "link-card": "Link ke kartu ini", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Pindah semua kartu ke daftar ini", "list-select-cards": "Pilih semua kartu di daftar ini", "listActionPopup-title": "Daftar Tindakan", @@ -325,7 +325,7 @@ "listMorePopup-title": "Lainnya", "link-list": "Link to this list", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Daftar", "swimlanes": "Swimlanes", "log-out": "Keluar", @@ -345,9 +345,9 @@ "muted-info": "Anda tidak akan pernah dinotifikasi semua perubahan di panel ini", "my-boards": "Panel saya", "name": "Nama", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "Tidak ada hasil", "normal": "Normal", "normal-desc": "Bisa tampilkan dan edit kartu. Tidak bisa ubah setting", @@ -427,7 +427,7 @@ "uploaded-avatar": "Avatar diunggah", "username": "Nama Pengguna", "view-it": "Lihat", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Amati", "watching": "Mengamati", "watching-info": "Anda akan diberitahu semua perubahan di panel ini", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Recycle Bin", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Tambah", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 69535784..c05a48d8 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "created custom field __customField__", "act-createList": "added __list__ to __board__", "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "imported __board__", "act-importCard": "imported __card__", "act-importList": "imported __list__", @@ -29,7 +29,7 @@ "activities": "Activities", "activity": "Activity", "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", + "activity-archived": "%s moved to Archive", "activity-attached": "attached %s to %s", "activity-created": "created %s", "activity-customfield-created": "created custom field %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "And __count__ other cards", "apply": "Apply", "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Archive", + "archived-boards": "Boards in Archive", "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "No Boards in Archive.", + "archives": "Archive", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -118,12 +118,12 @@ "board-view-lists": "Lists", "bucket-example": "Like “Bucket List” for example", "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", @@ -166,7 +166,7 @@ "clipboard": "Clipboard or drag & drop", "close": "Close", "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "black", "color-blue": "blue", "color-green": "green", @@ -315,8 +315,8 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", "listActionPopup-title": "List Actions", @@ -325,7 +325,7 @@ "listMorePopup-title": "More", "link-list": "Link to this list", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Lists", "swimlanes": "Swimlanes", "log-out": "Log Out", @@ -345,9 +345,9 @@ "muted-info": "You will never be notified of any changes in this board", "my-boards": "My Boards", "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "No results", "normal": "Normal", "normal-desc": "Can view and edit cards. Can't change settings.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Uploaded an avatar", "username": "Username", "view-it": "Hụ ya", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Hụ", "watching": "Watching", "watching-info": "You will be notified of any change in this board", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Recycle Bin", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Tinye", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 7987abc0..6dc55773 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "campo personalizzato __customField__ creato", "act-createList": "ha aggiunto __list__ a __board__", "act-addBoardMember": "ha aggiunto __member__ a __board__", - "act-archivedBoard": "__board__ spostata nel cestino", - "act-archivedCard": "__card__ spostata nel cestino", - "act-archivedList": "__list__ spostata nel cestino", - "act-archivedSwimlane": "__swimlane__ spostata nel cestino", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "ha importato __board__", "act-importCard": "ha importato __card__", "act-importList": "ha importato __list__", @@ -29,7 +29,7 @@ "activities": "Attività", "activity": "Attività", "activity-added": "ha aggiunto %s a %s", - "activity-archived": "%s spostato nel cestino", + "activity-archived": "%s moved to Archive", "activity-attached": "allegato %s a %s", "activity-created": "creato %s", "activity-customfield-created": "Campo personalizzato creato", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "E __count__ altre schede", "apply": "Applica", "app-is-offline": "Wekan è in caricamento, attendi per favore. Ricaricare la pagina causerà una perdita di dati. Se Wekan non si carica, controlla per favore che non ci siano problemi al server.", - "archive": "Sposta nel cestino", - "archive-all": "Sposta tutto nel cestino", - "archive-board": "Sposta la bacheca nel cestino", - "archive-card": "Sposta la scheda nel cestino", - "archive-list": "Sposta la lista nel cestino", - "archive-swimlane": "Sposta la corsia nel cestino", - "archive-selection": "Sposta la selezione nel cestino", - "archiveBoardPopup-title": "Sposta la bacheca nel cestino", - "archived-items": "Cestino", - "archived-boards": "Bacheche cestinate", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Archivia", + "archived-boards": "Boards in Archive", "restore-board": "Ripristina Bacheca", - "no-archived-boards": "Nessuna bacheca nel cestino", - "archives": "Cestino", + "no-archived-boards": "No Boards in Archive.", + "archives": "Archivia", "assign-member": "Aggiungi membro", "attached": "allegato", "attachment": "Allegato", @@ -118,12 +118,12 @@ "board-view-lists": "Liste", "bucket-example": "Per esempio come \"una lista di cose da fare\"", "cancel": "Cancella", - "card-archived": "Questa scheda è stata spostata nel cestino.", - "board-archived": "Questa bacheca è stata spostata nel cestino.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "Questa scheda ha %s commenti.", "card-delete-notice": "L'eliminazione è permanente. Tutte le azioni associate a questa scheda andranno perse.", "card-delete-pop": "Tutte le azioni saranno rimosse dal flusso attività e non sarai in grado di riaprire la scheda. Non potrai tornare indietro.", - "card-delete-suggest-archive": "Puoi cestinare una scheda per rimuoverla dalla bacheca e preservare la sua attività.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Scadenza", "card-due-on": "Scade", "card-spent": "Tempo trascorso", @@ -166,7 +166,7 @@ "clipboard": "Clipboard o drag & drop", "close": "Chiudi", "close-board": "Chiudi bacheca", - "close-board-pop": "Sarai in grado di ripristinare la bacheca cliccando il tasto \"Cestino\" dall'intestazione della pagina principale.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "nero", "color-blue": "blu", "color-green": "verde", @@ -315,8 +315,8 @@ "leave-board-pop": "Sei sicuro di voler abbandonare __boardTitle__? Sarai rimosso da tutte le schede in questa bacheca.", "leaveBoardPopup-title": "Abbandona Bacheca?", "link-card": "Link a questa scheda", - "list-archive-cards": "Cestina tutte le schede in questa lista", - "list-archive-cards-pop": "Questo rimuoverà dalla bacheca tutte le schede in questa lista. Per vedere le schede cestinate e portarle indietro alla bacheca, clicca “Menu” > “Elementi cestinati”", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Sposta tutte le schede in questa lista", "list-select-cards": "Selezione tutte le schede in questa lista", "listActionPopup-title": "Azioni disponibili", @@ -325,7 +325,7 @@ "listMorePopup-title": "Altro", "link-list": "Link a questa lista", "list-delete-pop": "Tutte le azioni saranno rimosse dal flusso attività e non sarai in grado di recuperare la lista. Non potrai tornare indietro.", - "list-delete-suggest-archive": "Puoi cestinare una scheda per rimuoverla dalla bacheca e preservare la sua attività.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Liste", "swimlanes": "Corsie", "log-out": "Log Out", @@ -345,9 +345,9 @@ "muted-info": "Non sarai mai notificato delle modifiche in questa bacheca", "my-boards": "Le mie bacheche", "name": "Nome", - "no-archived-cards": "Nessuna scheda nel cestino", - "no-archived-lists": "Nessuna lista nel cestino", - "no-archived-swimlanes": "Nessuna corsia nel cestino", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "Nessun risultato", "normal": "Normale", "normal-desc": "Può visionare e modificare le schede. Non può cambiare le impostazioni.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Avatar caricato", "username": "Username", "view-it": "Vedi", - "warn-list-archived": "attenzione: questa scheda è in una lista cestinata", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Segui", "watching": "Stai seguendo", "watching-info": "Sarai notificato per tutte le modifiche in questa bacheca", @@ -545,8 +545,8 @@ "r-list": "lista", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Sposta nel cestino", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Aggiungere", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "soggetto", "r-d-send-email-message": "Messaggio", - "r-d-archive": "Metti la scheda nel cestino", - "r-d-unarchive": "Recupera scheda da cestino", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Aggiungi etichetta", "r-d-remove-label": "Rimuovi Etichetta", "r-d-add-member": "Aggiungi membro", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 125a0de4..84dfff20 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "__customField__ を作成しました", "act-createList": "__board__ に __list__ を追加しました", "act-addBoardMember": "__board__ に __member__ を追加しました", - "act-archivedBoard": "__board__ をゴミ箱に移動しました", - "act-archivedCard": "__card__ をゴミ箱に移動しました", - "act-archivedList": "__list__ をゴミ箱に移動しました", - "act-archivedSwimlane": "__swimlane__ をゴミ箱に移動しました", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "__board__ をインポートしました", "act-importCard": "__card__ をインポートしました", "act-importList": "__list__ をインポートしました", @@ -29,7 +29,7 @@ "activities": "アクティビティ", "activity": "アクティビティ", "activity-added": "%s を %s に追加しました", - "activity-archived": "%s をゴミ箱へ移動しました", + "activity-archived": "%s moved to Archive", "activity-attached": "%s を %s に添付しました", "activity-created": "%s を作成しました", "activity-customfield-created": "%s を作成しました", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "And __count__ other cards", "apply": "適用", "app-is-offline": "現在オフラインです。ページを更新すると保存していないデータは失われます。", - "archive": "ゴミ箱へ移動", - "archive-all": "すべてゴミ箱へ移動", - "archive-board": "ボードをゴミ箱へ移動", - "archive-card": "カードをゴミ箱へ移動", - "archive-list": "リストをゴミ箱へ移動", - "archive-swimlane": "スイムレーンをゴミ箱へ移動", - "archive-selection": "選択したものをゴミ箱へ移動", - "archiveBoardPopup-title": "ボードをゴミ箱へ移動しますか?", - "archived-items": "ゴミ箱", - "archived-boards": "ゴミ箱のボード", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "アーカイブ", + "archived-boards": "Boards in Archive", "restore-board": "ボードをリストア", - "no-archived-boards": "ゴミ箱にボードはありません", - "archives": "ゴミ箱", + "no-archived-boards": "No Boards in Archive.", + "archives": "アーカイブ", "assign-member": "メンバーの割当", "attached": "添付されました", "attachment": "添付ファイル", @@ -118,12 +118,12 @@ "board-view-lists": "リスト", "bucket-example": "例:バケットリスト", "cancel": "キャンセル", - "card-archived": "このカードはゴミ箱に移動されます", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "%s 件のコメントがあります。", "card-delete-notice": "削除は取り消しできません。このカードに関係するすべてのアクションがなくなります。", "card-delete-pop": "すべての内容がアクティビティから削除されます。この削除は元に戻すことができません。", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "期限", "card-due-on": "期限日", "card-spent": "Spent Time", @@ -166,7 +166,7 @@ "clipboard": "クリップボードもしくはドラッグ&ドロップ", "close": "閉じる", "close-board": "ボードを閉じる", - "close-board-pop": "ホームヘッダから「ごみ箱」ボタンをクリックすると、ボードを復元できます。", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "黒", "color-blue": "青", "color-green": "緑", @@ -315,8 +315,8 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "ボードから退出しますか?", "link-card": "このカードへのリンク", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "リストの全カードを移動する", "list-select-cards": "リストの全カードを選択", "listActionPopup-title": "操作一覧", @@ -325,7 +325,7 @@ "listMorePopup-title": "さらに見る", "link-list": "このリストへのリンク", "list-delete-pop": "すべての内容がアクティビティから削除されます。この削除は元に戻すことができません。", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "リスト", "swimlanes": "スイムレーン", "log-out": "ログアウト", @@ -345,9 +345,9 @@ "muted-info": "このボードの変更は通知されません", "my-boards": "自分のボード", "name": "名前", - "no-archived-cards": "ゴミ箱にカードはありません", - "no-archived-lists": "ゴミ箱にリストはありません", - "no-archived-swimlanes": "ゴミ箱にスイムレーンはありません", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "該当するものはありません", "normal": "通常", "normal-desc": "カードの閲覧と編集が可能。設定変更不可。", @@ -427,7 +427,7 @@ "uploaded-avatar": "アップロードされたアバター", "username": "ユーザー名", "view-it": "見る", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "ウォッチ", "watching": "ウォッチしています", "watching-info": "このボードの変更が通知されます", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "ゴミ箱へ移動", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "追加", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index 29ec093d..e019faf4 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "შექმნა სტანდარტული ველი __სტანდარტული ველი__", "act-createList": "დაამატა __ჩამონათვალი__ დაფაზე__", "act-addBoardMember": "დაამატა __წევრი__ დაფაზე__", - "act-archivedBoard": "__board__ გადატანილია სანაგვე ურნაში", - "act-archivedCard": "__ბარათი__ გადატანილია სანაგვე ურნაში", - "act-archivedList": "__list__ გადატანილია სანაგვე ურნაში", - "act-archivedSwimlane": "__swimlane__ გადატანილია სანაგვე ურნაში", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "იმპორტირებულია__დაფა__", "act-importCard": "იმპორტირებულია __ბარათი__", "act-importList": "იმპორტირებულია __სია__", @@ -29,7 +29,7 @@ "activities": "აქტივეობები", "activity": "აქტივობები", "activity-added": "დამატებულია %s ზე %s", - "activity-archived": "%s-მა გადაინაცვლა წაშლილებში", + "activity-archived": "%s moved to Archive", "activity-attached": "მიბმულია %s %s-დან", "activity-created": "შექმნილია %s", "activity-customfield-created": "created custom field %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "და __count__ სხვა ბარათები", "apply": "გამოყენება", "app-is-offline": "Wekan იტვირთება, გთხოვთ დაელოდოთ. გვერდის განახლებამ შეიძლება გამოიწვიოს მონაცემების დაკარგვა. იმ შემთხვევაში თუ Wekan არ იტვირთება, შეამოწმეთ სერვერი მუშაობს თუ არა. ", - "archive": "სანაგვე ურნაში გადატანა", - "archive-all": "ყველას სანაგვე ურნაში გადატანა", - "archive-board": "გადავიტანოთ დაფა სანაგვე ურნაში ", - "archive-card": "გადავიტანოთ ბარათი სანაგვე ურნაში ", - "archive-list": "გავიტანოთ ჩამონათვალი სანაგვე ურნაში ", - "archive-swimlane": "გადავიტანოთ ბილიკი სანაგვე ურნაში ", - "archive-selection": "გადავიტანოთ მონიშნული სანაგვე ურნაში ", - "archiveBoardPopup-title": "გადავიტანოთ დაფა სანაგვე ურნაში ", - "archived-items": "სანაგვე ურნა", - "archived-boards": "დაფები სანაგვე ურნაში ", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Archive", + "archived-boards": "Boards in Archive", "restore-board": "ბარათის აღდგენა", - "no-archived-boards": "სანაგვე ურნაში დაფები არ მოიძებნა.", - "archives": "სანაგვე ურნა", + "no-archived-boards": "No Boards in Archive.", + "archives": "Archive", "assign-member": "უფლებამოსილი წევრი", "attached": "მიბმული", "attachment": "მიბმული ფიალი", @@ -118,12 +118,12 @@ "board-view-lists": "ჩამონათვალი", "bucket-example": "მაგალითად “Bucket List” ", "cancel": "გაუქმება", - "card-archived": "ბარათი გადატანილია სანაგვე ურნაში ", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "ამ ბარათს ჰქონდა%s კომენტარი.", "card-delete-notice": "წაშლის შემთხვევაში ამ ბარათთან ასცირებული ყველა მოქმედება დაიკარგება.", "card-delete-pop": "ყველა მოქმედება წაიშლება აქტივობების ველიდან და თქვენ აღარ შეგეძლებათ ბარათის ხელახლა გახსნა. დაბრუნება შეუძლებელია.", - "card-delete-suggest-archive": "თქვენ შეგიძლიათ გადაიტანოთ ბარათი სანაგვე ურნაში რათა წაშალოთ ის დაფიდან და დაიცვათ აქტივობა. ", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "საბოლოო ვადა ", "card-due-on": "საბოლოო ვადა", "card-spent": "დახარჯული დრო", @@ -166,7 +166,7 @@ "clipboard": "Clipboard ან drag & drop", "close": "დახურვა", "close-board": "დაფის დახურვა", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "შავი", "color-blue": "ლურჯი", "color-green": "მწვანე", @@ -315,8 +315,8 @@ "leave-board-pop": "დარწმუნებული ხართ, რომ გინდათ დატოვოთ __boardTitle__? თქვენ წაიშლებით ამ დაფის ყველა ბარათიდან. ", "leaveBoardPopup-title": "გსურთ დაფის დატოვება? ", "link-card": "დააკავშირეთ ამ ბარათთან", - "list-archive-cards": "ყველა ბარათის სანაგვე ურნაში გადატანა", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "გადაიტანე ყველა ბარათი ამ სიაში", "list-select-cards": "მონიშნე ყველა ბარათი ამ სიაში", "listActionPopup-title": "მოქმედებების სია", @@ -325,7 +325,7 @@ "listMorePopup-title": "მეტი", "link-list": "დააკავშირეთ ამ ჩამონათვალთან", "list-delete-pop": "ყველა მოქმედება წაიშლება აქტივობების ველიდან და თქვენ ვეღარ შეძლებთ მის აღდგენას ჩამონათვალში", - "list-delete-suggest-archive": "თქვენ შეგიძლიათ გადაიტანოთ ჩამონათვალი სანაგვე ურნაში, იმისთვის, რომ წაშალოთ დაფიდან და შეინახოთ აქტივობა. ", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "ჩამონათვალი", "swimlanes": "ბილიკები", "log-out": "გამოსვლა", @@ -345,9 +345,9 @@ "muted-info": "თქვენ აღარ მიიღებთ შეტყობინებას ამ დაფაზე მიმდინარე ცვლილებების შესახებ. ", "my-boards": "ჩემი დაფები", "name": "სახელი", - "no-archived-cards": "სანაგვე ურნაში ბარათები არ მოიძებნა.", - "no-archived-lists": "სანაგვე ურნაში ჩამონათვალი არ მოიძებნა. ", - "no-archived-swimlanes": "სანაგვე ურნაში ბილიკები არ მოიძებნა.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "შედეგის გარეშე", "normal": "ნორმალური", "normal-desc": "შეუძლია ნახოს და შეასწოროს ბარათები. ამ პარამეტრების შეცვლა შეუძლებელია. ", @@ -427,7 +427,7 @@ "uploaded-avatar": "სურათი ატვირთულია", "username": "მომხმარებლის სახელი", "view-it": "ნახვა", - "warn-list-archived": "გაფრთხილება: ეს ბარათი არის ჩამონათვალში სანაგვე ურნაში", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "ნახვა", "watching": "ნახვის პროცესი", "watching-info": "თქვენ მოგივათ შეტყობინება ამ დაფაზე არსებული ნებისმიერი ცვლილების შესახებ. ", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "სანაგვე ურნაში გადატანა", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "დამატება", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index 85e8cdcb..d424a871 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "created custom field __customField__", "act-createList": "added __list__ to __board__", "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "imported __board__", "act-importCard": "imported __card__", "act-importList": "imported __list__", @@ -29,7 +29,7 @@ "activities": "Activities", "activity": "Activity", "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", + "activity-archived": "%s moved to Archive", "activity-attached": "attached %s to %s", "activity-created": "created %s", "activity-customfield-created": "created custom field %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "And __count__ other cards", "apply": "Apply", "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Archive", + "archived-boards": "Boards in Archive", "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "No Boards in Archive.", + "archives": "Archive", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -118,12 +118,12 @@ "board-view-lists": "Lists", "bucket-example": "Like “Bucket List” for example", "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", @@ -166,7 +166,7 @@ "clipboard": "Clipboard or drag & drop", "close": "Close", "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "black", "color-blue": "blue", "color-green": "green", @@ -315,8 +315,8 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", "listActionPopup-title": "List Actions", @@ -325,7 +325,7 @@ "listMorePopup-title": "More", "link-list": "Link to this list", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Lists", "swimlanes": "Swimlanes", "log-out": "Log Out", @@ -345,9 +345,9 @@ "muted-info": "You will never be notified of any changes in this board", "my-boards": "My Boards", "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "No results", "normal": "Normal", "normal-desc": "Can view and edit cards. Can't change settings.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Uploaded an avatar", "username": "Username", "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Watch", "watching": "Watching", "watching-info": "You will be notified of any change in this board", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Recycle Bin", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Add", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index 6d3c4ef3..999c65f7 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "created custom field __customField__", "act-createList": "__board__에 __list__ 추가", "act-addBoardMember": "__board__에 __member__ 추가", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "가져온 __board__", "act-importCard": "가져온 __card__", "act-importList": "가져온 __list__", @@ -29,7 +29,7 @@ "activities": "활동 내역", "activity": "활동 상태", "activity-added": "%s를 %s에 추가함", - "activity-archived": "%s moved to Recycle Bin", + "activity-archived": "%s moved to Archive", "activity-attached": "%s를 %s에 첨부함", "activity-created": "%s 생성됨", "activity-customfield-created": "created custom field %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "__count__ 개의 다른 카드들", "apply": "적용", "app-is-offline": "Wekan 로딩 중 입니다. 잠시 기다려주세요. 페이지를 새로고침 하시면 데이터가 손실될 수 있습니다. Wekan 을 불러오는데 실패한다면 서버가 중지되지 않았는지 확인 바랍니다.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "보관", + "archived-boards": "Boards in Archive", "restore-board": "보드 복구", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "No Boards in Archive.", + "archives": "보관", "assign-member": "멤버 지정", "attached": "첨부됨", "attachment": "첨부 파일", @@ -118,12 +118,12 @@ "board-view-lists": "목록들", "bucket-example": "예: “프로젝트 이름“ 입력", "cancel": "취소", - "card-archived": "This card is moved to Recycle Bin.", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "이 카드에 %s 코멘트가 있습니다.", "card-delete-notice": "영구 삭제입니다. 이 카드와 관련된 모든 작업들을 잃게됩니다.", "card-delete-pop": "모든 작업이 활동 내역에서 제거되며 카드를 다시 열 수 없습니다. 복구가 안되니 주의하시기 바랍니다.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "종료일", "card-due-on": "종료일", "card-spent": "Spent Time", @@ -166,7 +166,7 @@ "clipboard": "클립보드 또는 드래그 앤 드롭", "close": "닫기", "close-board": "보드 닫기", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "블랙", "color-blue": "블루", "color-green": "그린", @@ -315,8 +315,8 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", "link-card": "카드에대한 링크", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "목록에 있는 모든 카드를 이동", "list-select-cards": "목록에 있는 모든 카드를 선택", "listActionPopup-title": "동작 목록", @@ -325,7 +325,7 @@ "listMorePopup-title": "더보기", "link-list": "이 리스트에 링크", "list-delete-pop": "모든 작업이 활동내역에서 제거되며 리스트를 복구 할 수 없습니다. 실행 취소는 불가능 합니다.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "목록들", "swimlanes": "Swimlanes", "log-out": "로그아웃", @@ -345,9 +345,9 @@ "muted-info": "보드의 변경된 사항들의 알림을 받지 않습니다.", "my-boards": "내 보드", "name": "이름", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "결과 값 없음", "normal": "표준", "normal-desc": "카드를 보거나 수정할 수 있습니다. 설정값은 변경할 수 없습니다.", @@ -427,7 +427,7 @@ "uploaded-avatar": "업로드한 아바타", "username": "아이디", "view-it": "보기", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "감시", "watching": "감시 중", "watching-info": "\"이 보드의 변경사항을 알림으로 받습니다.", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Recycle Bin", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "추가", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 375f937a..ed8b521b 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "created custom field __customField__", "act-createList": "pievienoja __list__ to __board__", "act-addBoardMember": "pievienoja __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "importēja __board__", "act-importCard": "importēja __card__", "act-importList": "importēja __list__", @@ -29,7 +29,7 @@ "activities": "Aktivitātes", "activity": "Aktivitāte", "activity-added": "pievienoja %s pie %s", - "activity-archived": "%s moved to Recycle Bin", + "activity-archived": "%s moved to Archive", "activity-attached": "pievienoja %s pie %s", "activity-created": "izveidoja%s", "activity-customfield-created": "created custom field %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "And __count__ other cards", "apply": "Apply", "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Archive", + "archived-boards": "Boards in Archive", "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "No Boards in Archive.", + "archives": "Archive", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -118,12 +118,12 @@ "board-view-lists": "Lists", "bucket-example": "Like “Bucket List” for example", "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", @@ -166,7 +166,7 @@ "clipboard": "Clipboard or drag & drop", "close": "Close", "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "black", "color-blue": "blue", "color-green": "green", @@ -315,8 +315,8 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", "listActionPopup-title": "List Actions", @@ -325,7 +325,7 @@ "listMorePopup-title": "More", "link-list": "Link to this list", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Lists", "swimlanes": "Swimlanes", "log-out": "Log Out", @@ -345,9 +345,9 @@ "muted-info": "You will never be notified of any changes in this board", "my-boards": "My Boards", "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "No results", "normal": "Normal", "normal-desc": "Can view and edit cards. Can't change settings.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Uploaded an avatar", "username": "Username", "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Watch", "watching": "Watching", "watching-info": "You will be notified of any change in this board", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Recycle Bin", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Add", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index f83a4654..fbfdde36 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "created custom field __customField__", "act-createList": "added __list__ to __board__", "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "imported __board__", "act-importCard": "imported __card__", "act-importList": "imported __list__", @@ -29,7 +29,7 @@ "activities": "Activities", "activity": "Activity", "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", + "activity-archived": "%s moved to Archive", "activity-attached": "attached %s to %s", "activity-created": "created %s", "activity-customfield-created": "created custom field %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "And __count__ other cards", "apply": "Apply", "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Archive", + "archived-boards": "Boards in Archive", "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "No Boards in Archive.", + "archives": "Archive", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -118,12 +118,12 @@ "board-view-lists": "Lists", "bucket-example": "Like “Bucket List” for example", "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", @@ -166,7 +166,7 @@ "clipboard": "Clipboard or drag & drop", "close": "Close", "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "black", "color-blue": "blue", "color-green": "green", @@ -315,8 +315,8 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", "listActionPopup-title": "List Actions", @@ -325,7 +325,7 @@ "listMorePopup-title": "More", "link-list": "Link to this list", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Lists", "swimlanes": "Swimlanes", "log-out": "Гарах", @@ -345,9 +345,9 @@ "muted-info": "You will never be notified of any changes in this board", "my-boards": "Миний самбарууд", "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "No results", "normal": "Normal", "normal-desc": "Can view and edit cards. Can't change settings.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Uploaded an avatar", "username": "Username", "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Watch", "watching": "Watching", "watching-info": "You will be notified of any change in this board", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Recycle Bin", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Нэмэх", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index 323fb7ab..feaab44f 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "created custom field __customField__", "act-createList": "la __list__ til __board__", "act-addBoardMember": "la __member__ til __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "importerte __board__", "act-importCard": "importerte __card__", "act-importList": "importerte __list__", @@ -29,7 +29,7 @@ "activities": "Aktiviteter", "activity": "Aktivitet", "activity-added": "la %s til %s", - "activity-archived": "%s moved to Recycle Bin", + "activity-archived": "%s moved to Archive", "activity-attached": "la %s til %s", "activity-created": "opprettet %s", "activity-customfield-created": "created custom field %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "Og __count__ andre kort", "apply": "Lagre", "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Arkiv", + "archived-boards": "Boards in Archive", "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "No Boards in Archive.", + "archives": "Arkiv", "assign-member": "Tildel medlem", "attached": "la ved", "attachment": "Vedlegg", @@ -118,12 +118,12 @@ "board-view-lists": "Lists", "bucket-example": "Som \"Bucket List\" for eksempel", "cancel": "Avbryt", - "card-archived": "This card is moved to Recycle Bin.", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "Dette kortet har %s kommentar.", "card-delete-notice": "Sletting er permanent. Du vil miste alle hendelser knyttet til dette kortet.", "card-delete-pop": "Alle handlinger vil fjernes fra feeden for aktiviteter og du vil ikke kunne åpne kortet på nytt. Det er ingen mulighet å angre.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Frist", "card-due-on": "Frist til", "card-spent": "Spent Time", @@ -166,7 +166,7 @@ "clipboard": "Clipboard or drag & drop", "close": "Close", "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "black", "color-blue": "blue", "color-green": "green", @@ -315,8 +315,8 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", "listActionPopup-title": "List Actions", @@ -325,7 +325,7 @@ "listMorePopup-title": "Mer", "link-list": "Link to this list", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Lists", "swimlanes": "Swimlanes", "log-out": "Log Out", @@ -345,9 +345,9 @@ "muted-info": "You will never be notified of any changes in this board", "my-boards": "My Boards", "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "No results", "normal": "Normal", "normal-desc": "Can view and edit cards. Can't change settings.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Uploaded an avatar", "username": "Username", "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Watch", "watching": "Watching", "watching-info": "You will be notified of any change in this board", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Recycle Bin", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Legg til", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 22faaaa7..62e310bc 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "created custom field __customField__", "act-createList": "toegevoegd __lijst__ aan __bord__", "act-addBoardMember": "__member__ aan __board__ toegevoegd", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": " __board__ geïmporteerd", "act-importCard": "__card__ geïmporteerd", "act-importList": "__list__ geïmporteerd", @@ -29,7 +29,7 @@ "activities": "Activiteiten", "activity": "Activiteit", "activity-added": "%s toegevoegd aan %s", - "activity-archived": "%s moved to Recycle Bin", + "activity-archived": "%s moved to Archive", "activity-attached": "%s bijgevoegd aan %s", "activity-created": "%s aangemaakt", "activity-customfield-created": "created custom field %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "En __count__ andere kaarten", "apply": "Aanmelden", "app-is-offline": "Wekan is aan het laden, wacht alstublieft. Het verversen van de pagina zorgt voor verlies van gegevens. Als Wekan niet laadt, check of de Wekan server is gestopt.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Archiveren", + "archived-boards": "Boards in Archive", "restore-board": "Herstel Bord", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "No Boards in Archive.", + "archives": "Archiveren", "assign-member": "Wijs lid aan", "attached": "bijgevoegd", "attachment": "Bijlage", @@ -118,12 +118,12 @@ "board-view-lists": "Lijsten", "bucket-example": "Zoals \"Bucket List\" bijvoorbeeld", "cancel": "Annuleren", - "card-archived": "This card is moved to Recycle Bin.", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "Deze kaart heeft %s reactie.", "card-delete-notice": "Verwijdering is permanent. Als je dit doet, verlies je alle informatie die op deze kaart is opgeslagen.", "card-delete-pop": "Alle acties worden verwijderd van de activiteiten feed, en er zal geen mogelijkheid zijn om de kaart opnieuw te openen. Deze actie kan je niet ongedaan maken.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Deadline: ", "card-due-on": "Deadline: ", "card-spent": "gespendeerde tijd", @@ -166,7 +166,7 @@ "clipboard": "Vanuit clipboard of sleep het bestand hierheen", "close": "Sluiten", "close-board": "Sluit bord", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "zwart", "color-blue": "blauw", "color-green": "groen", @@ -315,8 +315,8 @@ "leave-board-pop": "Weet u zeker dat u __boardTitle__ wilt verlaten? U wordt verwijderd van alle kaarten binnen dit bord", "leaveBoardPopup-title": "Bord verlaten?", "link-card": "Link naar deze kaart", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Verplaats alle kaarten in deze lijst", "list-select-cards": "Selecteer alle kaarten in deze lijst", "listActionPopup-title": "Lijst acties", @@ -325,7 +325,7 @@ "listMorePopup-title": "Meer", "link-list": "Link naar deze lijst", "list-delete-pop": "Alle acties zullen verwijderd worden van de activiteiten feed, en je zult deze niet meer kunnen herstellen. Je kan deze actie niet ongedaan maken.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Lijsten", "swimlanes": "Swimlanes", "log-out": "Uitloggen", @@ -345,9 +345,9 @@ "muted-info": "Je zal nooit meer geïnformeerd worden bij veranderingen in dit bord.", "my-boards": "Mijn Borden", "name": "Naam", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "Geen resultaten", "normal": "Normaal", "normal-desc": "Kan de kaarten zien en wijzigen. Kan de instellingen niet wijzigen.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Avatar is geüpload", "username": "Gebruikersnaam", "view-it": "Bekijk het", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Bekijk", "watching": "Bekijken", "watching-info": "Je zal op de hoogte worden gesteld als er een verandering gebeurt op dit bord.", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Recycle Bin", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Toevoegen", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 376696a6..57626de9 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "dodano niestandardowe pole __customField__", "act-createList": "dodał(a) __list__ do __board__", "act-addBoardMember": "dodał(a) __member__ do __board__", - "act-archivedBoard": "__board__ została przeniesiona do kosza", - "act-archivedCard": "__card__ została przeniesiona do Kosza", - "act-archivedList": "__list__ została przeniesiona do Kosza", - "act-archivedSwimlane": "__swimlane__ została przeniesiona do Kosza", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "zaimportowano __board__", "act-importCard": "zaimportowano __card__", "act-importList": "zaimportowano __list__", @@ -29,7 +29,7 @@ "activities": "Ostatnia aktywność", "activity": "Aktywność", "activity-added": "dodał(a) %s z %s", - "activity-archived": "%s przeniesiono do Kosza", + "activity-archived": "%s moved to Archive", "activity-attached": "załączono %s z %s", "activity-created": "utworzono %s", "activity-customfield-created": "utworzono niestandardowe pole %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "I __count__ inne karty", "apply": "Zastosuj", "app-is-offline": "Wekan jest aktualnie ładowany, proszę czekać. Odświeżenie strony spowoduję utratę danych. Jeżeli Wekan się nie ładuje, upewnij się czy serwer Wekan nie został zatrzymany.", - "archive": "Przenieś do Kosza", - "archive-all": "Przenieś wszystko do Kosza", - "archive-board": "Przenieś tablicę do Kosza", - "archive-card": "Przenieś kartę do Kosza", - "archive-list": "Przenieś listę do Kosza", - "archive-swimlane": "Przenieś diagram czynności do kosza", - "archive-selection": "Przenieś zaznaczenie do Kosza", - "archiveBoardPopup-title": "Czy przenieść tablicę do Kosza?", - "archived-items": "Kosz", - "archived-boards": "Tablice w Koszu", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Zarchiwizuj", + "archived-boards": "Boards in Archive", "restore-board": "Przywróć tablicę", - "no-archived-boards": "Brak tablic w Koszu.", - "archives": "Kosz", + "no-archived-boards": "No Boards in Archive.", + "archives": "Zarchiwizuj", "assign-member": "Dodaj członka", "attached": "załączono", "attachment": "Załącznik", @@ -118,12 +118,12 @@ "board-view-lists": "Listy", "bucket-example": "Tak jak na przykład \"lista kubełkowa\"", "cancel": "Anuluj", - "card-archived": "Ta Karta została przeniesiona do Kosza.", - "board-archived": "Ta Tablica została przeniesiona do Kosza.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "Ta karta ma %s komentarzy.", "card-delete-notice": "Usunięcie jest trwałe. Stracisz wszystkie akcje powiązane z tą kartą.", "card-delete-pop": "Wszystkie akcje będą usunięte z widoku aktywności, nie można będzie ponownie otworzyć karty. Usunięcie jest nieodwracalne.", - "card-delete-suggest-archive": "Możesz przenieść Kartę do Kosza by usunąć ją z tablicy i zachować aktywności.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Ukończenie\n", "card-due-on": "Ukończenie w", "card-spent": "Spędzony czas", @@ -166,7 +166,7 @@ "clipboard": "Schowek lub przeciągnij & upuść", "close": "Zamknij", "close-board": "Zamknij tablicę", - "close-board-pop": "Będziesz w stanie przywrócić tablicę klikając na \"Kosz\" w nagłówku strony początkowej.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "czarny", "color-blue": "niebieski", "color-green": "zielony", @@ -315,8 +315,8 @@ "leave-board-pop": "Czy jesteś pewien, że chcesz opuścić tablicę __boardTitle__? Zostaniesz usunięty ze wszystkich kart tej tablicy.", "leaveBoardPopup-title": "Opuścić tablicę?", "link-card": "Link do tej karty", - "list-archive-cards": "Przenieś wszystkie karty tej listy do Kosza.", - "list-archive-cards-pop": "To usunie wszystkie karty w tej liście z tablicy. By przejrzeć karty w Koszu i przywrócić je na tablicę, wybierz 'Menu', a następnie 'Kosz'.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Przenieś wszystkie karty z tej listy", "list-select-cards": "Zaznacz wszystkie karty z tej listy", "listActionPopup-title": "Lista akcji", @@ -325,7 +325,7 @@ "listMorePopup-title": "Więcej", "link-list": "Podepnij do tej listy", "list-delete-pop": "Wszystkie czynności zostaną usunięte z Aktywności i nie będziesz w stanie przywrócić listy. Nie ma możliwości cofnięcia tej operacji.", - "list-delete-suggest-archive": "Możesz przenieść listę do Kosza i usunąć ją z tablicy zachowując aktywności.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Listy", "swimlanes": "Diagramy czynności", "log-out": "Wyloguj", @@ -345,9 +345,9 @@ "muted-info": "Nie zostaniesz powiadomiony o zmianach w tej tablicy", "my-boards": "Moje tablice", "name": "Nazwa", - "no-archived-cards": "Brak kart w Koszu.", - "no-archived-lists": "Brak list w Koszu.", - "no-archived-swimlanes": "Brak diagramów czynności w Koszu.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "Brak wyników", "normal": "Użytkownik standardowy", "normal-desc": "Może widzieć i edytować karty. Nie może zmieniać ustawiań.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Wysłany avatar", "username": "Nazwa użytkownika", "view-it": "Zobacz", - "warn-list-archived": "ostrzeżenie: ta karta jest na liście w Koszu", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Obserwuj", "watching": "Obserwujesz", "watching-info": "Będziesz poinformowany o każdej zmianie na tej tablicy", @@ -545,8 +545,8 @@ "r-list": "lista", "r-moved-to": "Przeniesiono do", "r-moved-from": "Przeniesiono z", - "r-archived": "Przeniesiono do Kosza", - "r-unarchived": "Przywrócono z Kosza", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "karta", "r-when-a-label-is": "Gdy etykieta jest", "r-when-the-label-is": "Gdy etykieta jest", @@ -568,8 +568,8 @@ "r-top-of": "Góra od", "r-bottom-of": "Dół od", "r-its-list": "tej listy", - "r-archive": "Przenieś do Kosza", - "r-unarchive": "Przywróć z Kosza", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "karta", "r-add": "Dodaj", "r-remove": "Usuń", @@ -596,8 +596,8 @@ "r-d-send-email-to": "do", "r-d-send-email-subject": "temat", "r-d-send-email-message": "wiadomość", - "r-d-archive": "Przenieś kartę do Kosza", - "r-d-unarchive": "Przywróć kartę z Kosza", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Dodaj etykietę", "r-d-remove-label": "Usuń etykietę", "r-d-add-member": "Dodaj członka", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 42c5403e..77d836ee 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "criado campo customizado __customField__", "act-createList": "__list__ adicionada à __board__", "act-addBoardMember": "__member__ adicionado à __board__", - "act-archivedBoard": "__board__ movido para a lixeira", - "act-archivedCard": "__card__ movido para a lixeira", - "act-archivedList": "__list__ movido para a lixeira", - "act-archivedSwimlane": "__swimlane__ movido para a lixeira", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "__board__ importado", "act-importCard": "__card__ importado", "act-importList": "__list__ importada", @@ -29,7 +29,7 @@ "activities": "Atividades", "activity": "Atividade", "activity-added": "adicionou %s a %s", - "activity-archived": "%s movido para a lixeira", + "activity-archived": "%s moved to Archive", "activity-attached": "anexou %s a %s", "activity-created": "criou %s", "activity-customfield-created": "criado campo customizado %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "E __count__ outros cartões", "apply": "Aplicar", "app-is-offline": "O Wekan está carregando, por favor espere. Recarregar a página irá causar perda de dado. Se o Wekan não carregar por favor verifique se o servidor Wekan não está parado.", - "archive": "Mover para a lixeira", - "archive-all": "Mover tudo para a lixeira", - "archive-board": "Mover quadro para a lixeira", - "archive-card": "Mover cartão para a lixeira", - "archive-list": "Mover lista para a lixeira", - "archive-swimlane": "Mover Swimlane para a lixeira", - "archive-selection": "Mover seleção para a lixeira", - "archiveBoardPopup-title": "Mover o quadro para a lixeira?", - "archived-items": "Lixeira", - "archived-boards": "Quadros na lixeira", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Arquivar", + "archived-boards": "Boards in Archive", "restore-board": "Restaurar Quadro", - "no-archived-boards": "Não há quadros na lixeira", - "archives": "Lixeira", + "no-archived-boards": "No Boards in Archive.", + "archives": "Arquivar", "assign-member": "Atribuir Membro", "attached": "anexado", "attachment": "Anexo", @@ -118,12 +118,12 @@ "board-view-lists": "Listas", "bucket-example": "\"Bucket List\", por exemplo", "cancel": "Cancelar", - "card-archived": "Este cartão foi movido para a lixeira", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "Este cartão possui %s comentários.", "card-delete-notice": "A exclusão será permanente. Você perderá todas as ações associadas a este cartão.", "card-delete-pop": "Todas as ações serão removidas da lista de Atividades e vocês não poderá re-abrir o cartão. Não há como desfazer.", - "card-delete-suggest-archive": "Você pode mover um cartão para fora da lixeira e movê-lo para o quadro e preservar a atividade.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Data fim", "card-due-on": "Finaliza em", "card-spent": "Tempo Gasto", @@ -166,7 +166,7 @@ "clipboard": "Área de Transferência ou arraste e solte", "close": "Fechar", "close-board": "Fechar Quadro", - "close-board-pop": "Você poderá restaurar o quadro clicando no botão lixeira no cabeçalho da página inicial", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "preto", "color-blue": "azul", "color-green": "verde", @@ -315,8 +315,8 @@ "leave-board-pop": "Tem a certeza de que pretende sair de __boardTitle__? Você será removido de todos os cartões neste quadro.", "leaveBoardPopup-title": "Sair do Quadro ?", "link-card": "Vincular a este cartão", - "list-archive-cards": "Mover todos os cartões nesta lista para a lixeira", - "list-archive-cards-pop": "Isso irá remover todos os cartões nesta lista do quadro. Para visualizar cartões na lixeira e trazê-los de volta ao quadro, clique em \"Menu\" > \"Lixeira\".", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Mover todos os cartões desta lista", "list-select-cards": "Selecionar todos os cartões nesta lista", "listActionPopup-title": "Listar Ações", @@ -325,7 +325,7 @@ "listMorePopup-title": "Mais", "link-list": "Vincular a esta lista", "list-delete-pop": "Todas as ações serão removidas da lista de atividades e você não poderá recuperar a lista. Não há como desfazer.", - "list-delete-suggest-archive": "Você pode mover a lista para a lixeira para removê-la do quadro e preservar a atividade.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Listas", "swimlanes": "Swimlanes", "log-out": "Sair", @@ -345,9 +345,9 @@ "muted-info": "Você nunca receberá qualquer notificação desse board", "my-boards": "Meus Quadros", "name": "Nome", - "no-archived-cards": "Não há cartões na lixeira", - "no-archived-lists": "Não há listas na lixeira", - "no-archived-swimlanes": "Não há swimlanes na lixeira", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "Nenhum resultado.", "normal": "Normal", "normal-desc": "Pode ver e editar cartões. Não pode alterar configurações.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Avatar carregado", "username": "Nome de usuário", "view-it": "Visualizar", - "warn-list-archived": "Aviso: este cartão está em uma lista na lixeira", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Observar", "watching": "Observando", "watching-info": "Você será notificado em qualquer alteração desse board", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Enviado para a lixeira", - "r-unarchived": "Restaurado da lixeira", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "um cartão", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Mover para a lixeira", - "r-unarchive": "Restaurar da Lixeira", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "cartão", "r-add": "Novo", "r-remove": "Remover", @@ -596,8 +596,8 @@ "r-d-send-email-to": "para", "r-d-send-email-subject": "assunto", "r-d-send-email-message": "mensagem", - "r-d-archive": "Enviar cartão para a lixeira", - "r-d-unarchive": "Restaurar cartão da lixeira", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Adicionar etiqueta", "r-d-remove-label": "Remover etiqueta", "r-d-add-member": "Adicionar membro", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 812cef47..df9d0bf9 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "created custom field __customField__", "act-createList": "added __list__ to __board__", "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "imported __board__", "act-importCard": "imported __card__", "act-importList": "imported __list__", @@ -29,7 +29,7 @@ "activities": "Activities", "activity": "Activity", "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", + "activity-archived": "%s moved to Archive", "activity-attached": "attached %s to %s", "activity-created": "Criado %s", "activity-customfield-created": "created custom field %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "And __count__ other cards", "apply": "Apply", "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Archive", + "archived-boards": "Boards in Archive", "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "No Boards in Archive.", + "archives": "Archive", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -118,12 +118,12 @@ "board-view-lists": "Lists", "bucket-example": "Like “Bucket List” for example", "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", @@ -166,7 +166,7 @@ "clipboard": "Clipboard or drag & drop", "close": "Close", "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "black", "color-blue": "blue", "color-green": "green", @@ -315,8 +315,8 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", "listActionPopup-title": "List Actions", @@ -325,7 +325,7 @@ "listMorePopup-title": "Mais", "link-list": "Link to this list", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Lists", "swimlanes": "Swimlanes", "log-out": "Log Out", @@ -345,9 +345,9 @@ "muted-info": "You will never be notified of any changes in this board", "my-boards": "My Boards", "name": "Nome", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "Nenhum resultado", "normal": "Normal", "normal-desc": "Can view and edit cards. Can't change settings.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Uploaded an avatar", "username": "Username", "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Watch", "watching": "Watching", "watching-info": "You will be notified of any change in this board", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Recycle Bin", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Adicionar", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index 8c4a8be2..02eafde6 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "created custom field __customField__", "act-createList": "added __list__ to __board__", "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "imported __board__", "act-importCard": "imported __card__", "act-importList": "imported __list__", @@ -29,7 +29,7 @@ "activities": "Activities", "activity": "Activity", "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", + "activity-archived": "%s moved to Archive", "activity-attached": "attached %s to %s", "activity-created": "created %s", "activity-customfield-created": "created custom field %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "And __count__ other cards", "apply": "Apply", "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Archive", + "archived-boards": "Boards in Archive", "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "No Boards in Archive.", + "archives": "Archive", "assign-member": "Assign member", "attached": "attached", "attachment": "Ataşament", @@ -118,12 +118,12 @@ "board-view-lists": "Liste", "bucket-example": "Like “Bucket List” for example", "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", @@ -166,7 +166,7 @@ "clipboard": "Clipboard or drag & drop", "close": "Închide", "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "black", "color-blue": "blue", "color-green": "green", @@ -315,8 +315,8 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", "listActionPopup-title": "List Actions", @@ -325,7 +325,7 @@ "listMorePopup-title": "More", "link-list": "Link to this list", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Liste", "swimlanes": "Swimlanes", "log-out": "Log Out", @@ -345,9 +345,9 @@ "muted-info": "You will never be notified of any changes in this board", "my-boards": "My Boards", "name": "Nume", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "No results", "normal": "Normal", "normal-desc": "Can view and edit cards. Can't change settings.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Uploaded an avatar", "username": "Username", "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Watch", "watching": "Watching", "watching-info": "You will be notified of any change in this board", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Recycle Bin", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Add", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index b59a661a..c5cc1102 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "создано настраиваемое поле __customField__", "act-createList": "добавил __list__ на __board__", "act-addBoardMember": "добавил __member__ на __board__", - "act-archivedBoard": "Доска __board__ перемещена в Корзину", - "act-archivedCard": "Карточка __card__ перемещена в Корзину", - "act-archivedList": "Список __list__ перемещён в Корзину", - "act-archivedSwimlane": "Дорожка __swimlane__ перемещена в Корзину", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "__board__ импортирована", "act-importCard": "__card__ импортирована", "act-importList": "__list__ импортирован", @@ -29,7 +29,7 @@ "activities": "История действий", "activity": "Действия участников", "activity-added": "добавил %s на %s", - "activity-archived": "%s перемещено в Корзину", + "activity-archived": "%s moved to Archive", "activity-attached": "прикрепил %s к %s", "activity-created": "создал %s", "activity-customfield-created": "создать настраиваемое поле", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "И __count__ другие карточки", "apply": "Применить", "app-is-offline": "Wekan загружается, пожалуйста подождите. Обновление страницы может привести к потере данных. Если Wekan не загрузился, пожалуйста проверьте что связь с сервером доступна.", - "archive": "Переместить в Корзину", - "archive-all": "Переместить всё в Корзину", - "archive-board": "Переместить Доску в Корзину", - "archive-card": "Переместить Карточку в Корзину", - "archive-list": "Переместить Список в Корзину", - "archive-swimlane": "Переместить Дорожку в Корзину", - "archive-selection": "Переместить выбранное в Корзину", - "archiveBoardPopup-title": "Переместить Доску в Корзину?", - "archived-items": "Корзина", - "archived-boards": "Доски находящиеся в Корзине", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Архивировать", + "archived-boards": "Boards in Archive", "restore-board": "Востановить доску", - "no-archived-boards": "В Корзине нет никаких Досок", - "archives": "Корзина", + "no-archived-boards": "No Boards in Archive.", + "archives": "Архивировать", "assign-member": "Назначить участника", "attached": "прикреплено", "attachment": "Вложение", @@ -118,12 +118,12 @@ "board-view-lists": "Списки", "bucket-example": "Например “Список дел”", "cancel": "Отмена", - "card-archived": "Эта карточка перемещена в Корзину", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "Комментарии (%s)", "card-delete-notice": "Это действие невозможно будет отменить. Все изменения, которые вы вносили в карточку будут потеряны.", "card-delete-pop": "Все действия будут удалены из ленты активности участников и вы не сможете заново открыть карточку. Действие необратимо", - "card-delete-suggest-archive": "Вы можете переместить карточку в Корзину, чтобы удалить ее с доски и сохранить активность .", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Выполнить к", "card-due-on": "Выполнить до", "card-spent": "Затраченное время", @@ -166,7 +166,7 @@ "clipboard": "Буфер обмена или drag & drop", "close": "Закрыть", "close-board": "Закрыть доску", - "close-board-pop": "Вы можете восстановить доску, нажав “Корзина” в заголовке.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "черный", "color-blue": "синий", "color-green": "зеленый", @@ -315,8 +315,8 @@ "leave-board-pop": "Вы уверенны, что хотите покинуть __boardTitle__? Вы будете удалены из всех карточек на этой доске.", "leaveBoardPopup-title": "Покинуть доску?", "link-card": "Доступна по ссылке", - "list-archive-cards": "Переместить все карточки в этом списке в Корзину", - "list-archive-cards-pop": "Это действие переместит все карточки в Корзину и они перестанут быть видимым на доске. Для просмотра карточек в Корзине и их восстановления нажмите “Меню” > “Корзина”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Переместить все карточки в этом списке", "list-select-cards": "Выбрать все карточки в этом списке", "listActionPopup-title": "Список действий", @@ -325,7 +325,7 @@ "listMorePopup-title": "Поделиться", "link-list": "Ссылка на список", "list-delete-pop": "Все действия будут удалены из ленты активности участников и вы не сможете восстановить список. Данное действие необратимо.", - "list-delete-suggest-archive": "Вы можете переместить карточку в Корзину, чтобы удалить ее с доски и сохранить активность .", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Списки", "swimlanes": "Дорожки", "log-out": "Выйти", @@ -345,9 +345,9 @@ "muted-info": "Вы НИКОГДА не будете уведомлены ни о каких изменениях в этой доске.", "my-boards": "Мои доски", "name": "Имя", - "no-archived-cards": "В Корзине нет никаких Карточек", - "no-archived-lists": "В Корзине нет никаких Списков", - "no-archived-swimlanes": "В Корзине нет никаких Дорожек", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "Ничего не найдено", "normal": "Обычный", "normal-desc": "Может редактировать карточки. Не может управлять настройками.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Загруженный аватар", "username": "Имя пользователя", "view-it": "Просмотреть", - "warn-list-archived": "Внимание: Данная карточка находится в списке, который перемещен в Корзину", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Следить", "watching": "Отслеживается", "watching-info": "Вы будете уведомлены об любых изменениях в этой доске.", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Переместить в Корзину", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Создать", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index 5de8dc16..669ba24f 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "created custom field __customField__", "act-createList": "added __list__ to __board__", "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "imported __board__", "act-importCard": "imported __card__", "act-importList": "imported __list__", @@ -29,7 +29,7 @@ "activities": "Aktivnosti", "activity": "Aktivnost", "activity-added": "dodao %s u %s", - "activity-archived": "%s moved to Recycle Bin", + "activity-archived": "%s moved to Archive", "activity-attached": "prikačio %s u %s", "activity-created": "kreirao %s", "activity-customfield-created": "created custom field %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "And __count__ other cards", "apply": "Primeni", "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Arhiviraj", + "archived-boards": "Boards in Archive", "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "No Boards in Archive.", + "archives": "Arhiviraj", "assign-member": "Dodeli člana", "attached": "Prikačeno", "attachment": "Prikačeni dokument", @@ -118,12 +118,12 @@ "board-view-lists": "Lists", "bucket-example": "Na primer \"Lista zadataka\"", "cancel": "Otkaži", - "card-archived": "This card is moved to Recycle Bin.", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "Ova kartica ima %s komentar.", "card-delete-notice": "Brisanje je trajno. Izgubićeš sve akcije povezane sa ovom karticom.", "card-delete-pop": "Sve akcije će biti uklonjene sa liste aktivnosti i kartica neće moći biti ponovo otvorena. Nema vraćanja unazad.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Krajnji datum", "card-due-on": "Završava se", "card-spent": "Spent Time", @@ -166,7 +166,7 @@ "clipboard": "Clipboard or drag & drop", "close": "Close", "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "black", "color-blue": "blue", "color-green": "green", @@ -315,8 +315,8 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", "listActionPopup-title": "List Actions", @@ -325,7 +325,7 @@ "listMorePopup-title": "More", "link-list": "Link to this list", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Lists", "swimlanes": "Swimlanes", "log-out": "Log Out", @@ -345,9 +345,9 @@ "muted-info": "Nećete biti obavešteni o promenama u ovoj tabli", "my-boards": "My Boards", "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "Nema rezultata", "normal": "Normalno", "normal-desc": "Can view and edit cards. Can't change settings.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Uploaded an avatar", "username": "Korisničko ime", "view-it": "Pregledaj je", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Posmatraj", "watching": "Posmatranje", "watching-info": "Bićete obavešteni o promenama u ovoj tabli", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Recycle Bin", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Dodaj", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 5aef56c9..14302494 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "skapa anpassat fält __customField__", "act-createList": "lade till __list__ to __board__", "act-addBoardMember": "lade till __member__ to __board__", - "act-archivedBoard": "__board__ flyttad till papperskorgen", - "act-archivedCard": "__card__ flyttad till papperskorgen", - "act-archivedList": "__list__ flyttad till papperskorgen", - "act-archivedSwimlane": "__swimlane__ flyttad till papperskorgen", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "importerade __board__", "act-importCard": "importerade __card__", "act-importList": "importerade __list__", @@ -29,7 +29,7 @@ "activities": "Aktiviteter", "activity": "Aktivitet", "activity-added": "Lade %s till %s", - "activity-archived": "%s flyttad till papperskorgen", + "activity-archived": "%s moved to Archive", "activity-attached": "bifogade %s to %s", "activity-created": "skapade %s", "activity-customfield-created": "skapa anpassat fält %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "Och __count__ andra kort", "apply": "Tillämpa", "app-is-offline": "Wekan läses in, var god vänta. Uppdatering av sidan kommer att leda till förlust av data. Om Wekan inte läses in, kontrollera att Wekan-servern inte har stoppats.", - "archive": "Flytta till papperskorgen", - "archive-all": "Flytta alla till papperskorgen", - "archive-board": "Flytta anslagstavla till papperskorgen", - "archive-card": "Flytta kort till papperskorgen", - "archive-list": "Flytta lista till papperskorgen", - "archive-swimlane": "Flytta simbana till papperskorgen", - "archive-selection": "Flytta val till papperskorgen", - "archiveBoardPopup-title": "Flytta anslagstavla till papperskorgen?", - "archived-items": "Papperskorgen", - "archived-boards": "Anslagstavlor i papperskorgen", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Arkivera", + "archived-boards": "Boards in Archive", "restore-board": "Återställ anslagstavla", - "no-archived-boards": "Inga anslagstavlor i papperskorgen", - "archives": "Papperskorg", + "no-archived-boards": "No Boards in Archive.", + "archives": "Arkivera", "assign-member": "Tilldela medlem", "attached": "bifogad", "attachment": "Bilaga", @@ -118,12 +118,12 @@ "board-view-lists": "Listor", "bucket-example": "Gilla \"att-göra-innan-jag-dör-lista\" till exempel", "cancel": "Avbryt", - "card-archived": "Detta kort flyttas till papperskorgen.", - "board-archived": "Den här anslagstavlan är flyttad till papperskorgen.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "Detta kort har %s kommentar.", "card-delete-notice": "Ta bort är permanent. Du kommer att förlora alla åtgärder i samband med detta kort.", "card-delete-pop": "Alla åtgärder kommer att tas bort från aktivitetsflöde och du kommer inte att kunna öppna kortet igen. Det går inte att ångra.", - "card-delete-suggest-archive": "Du kan flytta ett kort till papperskorgen for att ta bort det från anslagstavlan och bevara aktiviteten.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Förfaller", "card-due-on": "Förfaller på", "card-spent": "Spenderad tid", @@ -166,7 +166,7 @@ "clipboard": "Urklipp eller dra och släpp", "close": "Stäng", "close-board": "Stäng anslagstavla", - "close-board-pop": "Du kan återskapa anslagstavlan genom att klicka på \"Papperskorgen\" från huvudmenyn.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "svart", "color-blue": "blå", "color-green": "grön", @@ -315,8 +315,8 @@ "leave-board-pop": "Är du säker på att du vill lämna __boardTitle__? Du kommer att tas bort från alla kort på den här anslagstavlan.", "leaveBoardPopup-title": "Lämna anslagstavla ?", "link-card": "Länka till detta kort", - "list-archive-cards": "Flytta alla kort i den här listan till papperskorgen", - "list-archive-cards-pop": "Detta tar bort alla kort i den här listan från anslagstavlan. För att se kort i papperskorgen och få tillbaka dem till den här anslagstavlan, klicka på \"Meny\" > \"Papperskorgen\".", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Flytta alla kort i denna lista", "list-select-cards": "Välj alla kort i denna lista", "listActionPopup-title": "Liståtgärder", @@ -325,7 +325,7 @@ "listMorePopup-title": "Mera", "link-list": "Länk till den här listan", "list-delete-pop": "Alla åtgärder kommer att tas bort från aktivitetsmatningen och du kommer inte att kunna återställa listan. Det går inte att ångra.", - "list-delete-suggest-archive": "Du kan flytta en lista till papperskorgen för att ta bort den från brädet och bevara aktiviteten.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Listor", "swimlanes": "Simbanor ", "log-out": "Logga ut", @@ -345,9 +345,9 @@ "muted-info": "Du kommer aldrig att meddelas om eventuella ändringar i denna anslagstavla", "my-boards": "Mina anslagstavlor", "name": "Namn", - "no-archived-cards": "Inga kort i papperskorgen.", - "no-archived-lists": "Inga listor i papperskorgen.", - "no-archived-swimlanes": "Inga simbanor i papperskorgen.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "Inga reslutat", "normal": "Normal", "normal-desc": "Kan se och redigera kort. Kan inte ändra inställningar.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Laddade upp en avatar", "username": "Änvandarnamn", "view-it": "Visa det", - "warn-list-archived": "varning: det här kortet finns i en lista i papperskorgen", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Bevaka", "watching": "Bevakar", "watching-info": "Du kommer att meddelas om alla ändringar på denna anslagstavla", @@ -545,8 +545,8 @@ "r-list": "lista", "r-moved-to": "Flyttad till", "r-moved-from": "Flyttad från", - "r-archived": "Flyttad till papperskorgen", - "r-unarchived": "Återställd från papperskorgen", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "ett kort", "r-when-a-label-is": "När en etikett är", "r-when-the-label-is": "När etiketten är", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Flytta till papperskorgen", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "kort", "r-add": "Lägg till", "r-remove": "Ta bort", @@ -596,8 +596,8 @@ "r-d-send-email-to": "till", "r-d-send-email-subject": "ämne", "r-d-send-email-message": "meddelande", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Lägg till etikett", "r-d-remove-label": "Ta bort etikett", "r-d-add-member": "Lägg till medlem", diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index 748b2121..fa52d09b 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "created custom field __customField__", "act-createList": "added __list__ to __board__", "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "imported __board__", "act-importCard": "imported __card__", "act-importList": "imported __list__", @@ -29,7 +29,7 @@ "activities": "Activities", "activity": "Activity", "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", + "activity-archived": "%s moved to Archive", "activity-attached": "attached %s to %s", "activity-created": "created %s", "activity-customfield-created": "created custom field %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "And __count__ other cards", "apply": "Apply", "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Archive", + "archived-boards": "Boards in Archive", "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "No Boards in Archive.", + "archives": "Archive", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -118,12 +118,12 @@ "board-view-lists": "Lists", "bucket-example": "Like “Bucket List” for example", "cancel": "Cancel", - "card-archived": "This card is moved to Recycle Bin.", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", @@ -166,7 +166,7 @@ "clipboard": "Clipboard or drag & drop", "close": "Close", "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "black", "color-blue": "blue", "color-green": "green", @@ -315,8 +315,8 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", "listActionPopup-title": "List Actions", @@ -325,7 +325,7 @@ "listMorePopup-title": "More", "link-list": "Link to this list", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Lists", "swimlanes": "Swimlanes", "log-out": "Log Out", @@ -345,9 +345,9 @@ "muted-info": "You will never be notified of any changes in this board", "my-boards": "My Boards", "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "No results", "normal": "Normal", "normal-desc": "Can view and edit cards. Can't change settings.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Uploaded an avatar", "username": "Username", "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Watch", "watching": "Watching", "watching-info": "You will be notified of any change in this board", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Recycle Bin", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Add", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index fbd1268c..55928a4a 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "created custom field __customField__", "act-createList": "เพิ่ม __list__ ไปยัง __board__", "act-addBoardMember": "เพิ่ม __member__ ไปยัง __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "นำเข้า __board__", "act-importCard": "นำเข้า __card__", "act-importList": "นำเข้า __list__", @@ -29,7 +29,7 @@ "activities": "กิจกรรม", "activity": "กิจกรรม", "activity-added": "เพิ่ม %s ไปยัง %s", - "activity-archived": "%s moved to Recycle Bin", + "activity-archived": "%s moved to Archive", "activity-attached": "แนบ %s ไปยัง %s", "activity-created": "สร้าง %s", "activity-customfield-created": "created custom field %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "และการ์ดอื่น ๆ __count__", "apply": "นำมาใช้", "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "เอกสารที่เก็บไว้", + "archived-boards": "Boards in Archive", "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "No Boards in Archive.", + "archives": "เอกสารที่เก็บไว้", "assign-member": "กำหนดสมาชิก", "attached": "แนบมาด้วย", "attachment": "สิ่งที่แนบมา", @@ -118,12 +118,12 @@ "board-view-lists": "รายการ", "bucket-example": "ตัวอย่างเช่น “ระบบที่ต้องทำ”", "cancel": "ยกเลิก", - "card-archived": "This card is moved to Recycle Bin.", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "การ์ดนี้มี %s ความเห็น.", "card-delete-notice": "เป็นการลบถาวร คุณจะสูญเสียข้อมูลที่เกี่ยวข้องกับการ์ดนี้ทั้งหมด", "card-delete-pop": "การดำเนินการทั้งหมดจะถูกลบจาก feed กิจกรรมและคุณไม่สามารถเปิดได้อีกครั้งหรือยกเลิกการทำ", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "ครบกำหนด", "card-due-on": "ครบกำหนดเมื่อ", "card-spent": "Spent Time", @@ -166,7 +166,7 @@ "clipboard": "Clipboard หรือลากและวาง", "close": "ปิด", "close-board": "ปิดบอร์ด", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "ดำ", "color-blue": "น้ำเงิน", "color-green": "เขียว", @@ -315,8 +315,8 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", "link-card": "เชื่อมโยงไปยังการ์ดใบนี้", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "ย้ายการ์ดทั้งหมดในรายการนี้", "list-select-cards": "เลือกการ์ดทั้งหมดในรายการนี้", "listActionPopup-title": "รายการการดำเนิน", @@ -325,7 +325,7 @@ "listMorePopup-title": "เพิ่มเติม", "link-list": "Link to this list", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "รายการ", "swimlanes": "Swimlanes", "log-out": "ออกจากระบบ", @@ -345,9 +345,9 @@ "muted-info": "คุณจะไม่ได้รับแจ้งการเปลี่ยนแปลงใด ๆ ในบอร์ดนี้", "my-boards": "บอร์ดของฉัน", "name": "ชื่อ", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "ไม่มีข้อมูล", "normal": "ธรรมดา", "normal-desc": "สามารถดูและแก้ไขการ์ดได้ แต่ไม่สามารถเปลี่ยนการตั้งค่าได้", @@ -427,7 +427,7 @@ "uploaded-avatar": "ภาพอัพโหลดแล้ว", "username": "ชื่อผู้ใช้งาน", "view-it": "ดู", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "เฝ้าดู", "watching": "เฝ้าดู", "watching-info": "คุณจะได้รับแจ้งหากมีการเปลี่ยนแปลงใด ๆ ในบอร์ดนี้", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Recycle Bin", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "เพิ่ม", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index 05accf57..469c1d85 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "__customField__ adlı özel alan yaratıldı", "act-createList": "__list__ listesini __board__ panosuna ekledi", "act-addBoardMember": "__member__ kullanıcısını __board__ panosuna ekledi", - "act-archivedBoard": "__board__ Geri Dönüşüm Kutusu'na taşındı", - "act-archivedCard": "__card__ Geri Dönüşüm Kutusu'na taşındı", - "act-archivedList": "__list__ Geri Dönüşüm Kutusu'na taşındı", - "act-archivedSwimlane": "__swimlane__ Geri Dönüşüm Kutusu'na taşındı", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "__board__ panosunu içe aktardı", "act-importCard": "__card__ kartını içe aktardı", "act-importList": "__list__ listesini içe aktardı", @@ -29,7 +29,7 @@ "activities": "Etkinlikler", "activity": "Etkinlik", "activity-added": "%s içine %s ekledi", - "activity-archived": "%s Geri Dönüşüm Kutusu'na taşındı", + "activity-archived": "%s moved to Archive", "activity-attached": "%s içine %s ekledi", "activity-created": "%s öğesini oluşturdu", "activity-customfield-created": "%s adlı özel alan yaratıldı", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "Ve __count__ diğer kart", "apply": "Uygula", "app-is-offline": "Wekan yükleniyor, lütfen bekleyin. Sayfayı yenilemek veri kaybına sebep olabilir. Eğer Wekan yüklenmezse, lütfen Wekan sunucusunun çalıştığından emin olun.", - "archive": "Geri Dönüşüm Kutusu'na taşı", - "archive-all": "Tümünü Geri Dönüşüm Kutusu'na taşı", - "archive-board": "Panoyu Geri Dönüşüm Kutusu'na taşı", - "archive-card": "Kartı Geri Dönüşüm Kutusu'na taşı", - "archive-list": "Listeyi Geri Dönüşüm Kutusu'na taşı", - "archive-swimlane": "Kulvarı Geri Dönüşüm Kutusu'na taşı", - "archive-selection": "Seçimi Geri Dönüşüm Kutusu'na taşı", - "archiveBoardPopup-title": "Panoyu Geri Dönüşüm Kutusu'na taşı", - "archived-items": "Geri Dönüşüm Kutusu", - "archived-boards": "Geri Dönüşüm Kutusu'ndaki panolar", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Arşivle", + "archived-boards": "Boards in Archive", "restore-board": "Panoyu Geri Getir", - "no-archived-boards": "Geri Dönüşüm Kutusu'nda pano yok.", - "archives": "Geri Dönüşüm Kutusu", + "no-archived-boards": "No Boards in Archive.", + "archives": "Arşivle", "assign-member": "Üye ata", "attached": "dosya(sı) eklendi", "attachment": "Ek Dosya", @@ -118,12 +118,12 @@ "board-view-lists": "Listeler", "bucket-example": "Örn: \"Marketten Alacaklarım\"", "cancel": "İptal", - "card-archived": "Bu kart Geri Dönüşüm Kutusu'na taşındı", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "Bu kartta %s yorum var.", "card-delete-notice": "Silme işlemi kalıcıdır. Bu kartla ilişkili tüm eylemleri kaybedersiniz.", "card-delete-pop": "Son hareketler alanındaki tüm veriler silinecek, ayrıca bu kartı yeniden açamayacaksın. Bu işlemin geri dönüşü yok.", - "card-delete-suggest-archive": "Kartları Geri Dönüşüm Kutusu'na taşıyarak panodan kaldırabilir ve içindeki aktiviteleri saklayabilirsiniz.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Bitiş", "card-due-on": "Bitiş tarihi:", "card-spent": "Harcanan Zaman", @@ -166,7 +166,7 @@ "clipboard": "Yapıştır veya sürükleyip bırak", "close": "Kapat", "close-board": "Panoyu kapat", - "close-board-pop": "Silinen panoyu geri getirmek için menüden \"Geri Dönüşüm Kutusu\"'na tıklayabilirsiniz.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "siyah", "color-blue": "mavi", "color-green": "yeşil", @@ -315,8 +315,8 @@ "leave-board-pop": "__boardTitle__ panosundan ayrılmak istediğinize emin misiniz? Panodaki tüm kartlardan kaldırılacaksınız.", "leaveBoardPopup-title": "Panodan ayrılmak istediğinize emin misiniz?", "link-card": "Bu kartın bağlantısı", - "list-archive-cards": "Listedeki tüm kartları Geri Dönüşüm Kutusu'na gönder", - "list-archive-cards-pop": "Bu işlem listedeki tüm kartları kaldıracak. Silinmiş kartları görüntülemek ve geri yüklemek için menüden Geri Dönüşüm Kutusu'na tıklayabilirsiniz.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Listedeki tüm kartları taşı", "list-select-cards": "Listedeki tüm kartları seç", "listActionPopup-title": "Liste İşlemleri", @@ -325,7 +325,7 @@ "listMorePopup-title": "Daha", "link-list": "Listeye doğrudan bağlantı", "list-delete-pop": "Etkinlik akışınızdaki tüm eylemler geri kurtarılamaz şekilde kaldırılacak. Bu işlem geri alınamaz.", - "list-delete-suggest-archive": "Bir listeyi Dönüşüm Kutusuna atarak panodan kaldırabilir, ancak eylemleri koruyarak saklayabilirsiniz. ", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Listeler", "swimlanes": "Kulvarlar", "log-out": "Oturum Kapat", @@ -345,9 +345,9 @@ "muted-info": "Bu panodaki hiçbir değişiklik hakkında bildirim almayacaksınız", "my-boards": "Panolarım", "name": "Adı", - "no-archived-cards": "Dönüşüm Kutusunda hiç kart yok.", - "no-archived-lists": "Dönüşüm Kutusunda hiç liste yok.", - "no-archived-swimlanes": "Dönüşüm Kutusunda hiç kulvar yok.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "Sonuç yok", "normal": "Normal", "normal-desc": "Kartları görüntüleyebilir ve düzenleyebilir. Ayarları değiştiremez.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Avatar yüklendi", "username": "Kullanıcı adı", "view-it": "Görüntüle", - "warn-list-archived": "uyarı: bu kart Dönüşüm Kutusundaki bir listede var", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Takip Et", "watching": "Takip Ediliyor", "watching-info": "Bu pano hakkındaki tüm değişiklikler hakkında bildirim alacaksınız", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Geri Dönüşüm Kutusu'na taşı", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Ekle", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 47c5db87..cacf2c75 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "created custom field __customField__", "act-createList": "added __list__ to __board__", "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "imported __board__", "act-importCard": "__card__ заімпортована", "act-importList": "imported __list__", @@ -29,7 +29,7 @@ "activities": "Діяльність", "activity": "Активність", "activity-added": "added %s to %s", - "activity-archived": "%s moved to Recycle Bin", + "activity-archived": "%s moved to Archive", "activity-attached": "attached %s to %s", "activity-created": "created %s", "activity-customfield-created": "created custom field %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "та __count__ інших карток", "apply": "Прийняти", "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Архів", + "archived-boards": "Boards in Archive", "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "No Boards in Archive.", + "archives": "Архів", "assign-member": "Assign member", "attached": "доданно", "attachment": "Додаток", @@ -118,12 +118,12 @@ "board-view-lists": "Lists", "bucket-example": "Like “Bucket List” for example", "cancel": "Відміна", - "card-archived": "This card is moved to Recycle Bin.", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "This card has %s comment.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", @@ -166,7 +166,7 @@ "clipboard": "Clipboard or drag & drop", "close": "Close", "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "black", "color-blue": "blue", "color-green": "green", @@ -315,8 +315,8 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", "listActionPopup-title": "List Actions", @@ -325,7 +325,7 @@ "listMorePopup-title": "More", "link-list": "Link to this list", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Lists", "swimlanes": "Swimlanes", "log-out": "Log Out", @@ -345,9 +345,9 @@ "muted-info": "You will never be notified of any changes in this board", "my-boards": "My Boards", "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "No results", "normal": "Normal", "normal-desc": "Can view and edit cards. Can't change settings.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Uploaded an avatar", "username": "Username", "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Watch", "watching": "Watching", "watching-info": "You will be notified of any change in this board", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Recycle Bin", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Додати", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index be90e58e..f07b5eec 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "created custom field __customField__", "act-createList": "đã thêm __list__ vào __board__", "act-addBoardMember": "đã thêm __member__ vào __board__", - "act-archivedBoard": "__board__ moved to Recycle Bin", - "act-archivedCard": "__card__ moved to Recycle Bin", - "act-archivedList": "__list__ moved to Recycle Bin", - "act-archivedSwimlane": "__swimlane__ moved to Recycle Bin", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "đã nạp bảng __board__", "act-importCard": "đã nạp thẻ __card__", "act-importList": "đã nạp danh sách __list__", @@ -29,7 +29,7 @@ "activities": "Hoạt Động", "activity": "Hoạt Động", "activity-added": "đã thêm %s vào %s", - "activity-archived": "%s moved to Recycle Bin", + "activity-archived": "%s moved to Archive", "activity-attached": "đã đính kèm %s vào %s", "activity-created": "đã tạo %s", "activity-customfield-created": "created custom field %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "Và __count__ thẻ khác", "apply": "Ứng Dụng", "app-is-offline": "Wekan đang tải, vui lòng đợi. Tải lại trang có thể làm mất dữ liệu. Nếu Wekan không thể tải được, Vui lòng kiểm tra lại Wekan server.", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Lưu Trữ", + "archived-boards": "Boards in Archive", "restore-board": "Khôi Phục Bảng", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "No Boards in Archive.", + "archives": "Lưu Trữ", "assign-member": "Chỉ định thành viên", "attached": "đã đính kèm", "attachment": "Phần đính kèm", @@ -118,12 +118,12 @@ "board-view-lists": "Lists", "bucket-example": "Like “Bucket List” for example", "cancel": "Hủy", - "card-archived": "This card is moved to Recycle Bin.", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "Thẻ này có %s bình luận.", "card-delete-notice": "Hành động xóa là không thể khôi phục. Bạn sẽ mất hết các hoạt động liên quan đến thẻ này.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "Due", "card-due-on": "Due on", "card-spent": "Spent Time", @@ -166,7 +166,7 @@ "clipboard": "Clipboard or drag & drop", "close": "Close", "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "black", "color-blue": "blue", "color-green": "green", @@ -315,8 +315,8 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", "listActionPopup-title": "List Actions", @@ -325,7 +325,7 @@ "listMorePopup-title": "More", "link-list": "Link to this list", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Lists", "swimlanes": "Swimlanes", "log-out": "Log Out", @@ -345,9 +345,9 @@ "muted-info": "You will never be notified of any changes in this board", "my-boards": "My Boards", "name": "Name", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "No results", "normal": "Normal", "normal-desc": "Can view and edit cards. Can't change settings.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Uploaded an avatar", "username": "Username", "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "Watch", "watching": "Watching", "watching-info": "You will be notified of any change in this board", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Recycle Bin", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Thêm", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 63b09f3a..1b7255b4 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "创建了自定义字段 __customField__", "act-createList": "添加列表 __list__ 至看板 __board__", "act-addBoardMember": "添加成员 __member__ 至看板 __board__", - "act-archivedBoard": "__board__ 已被移入回收站 ", - "act-archivedCard": "__card__ 已被移入回收站", - "act-archivedList": "__list__ 已被移入回收站", - "act-archivedSwimlane": "__swimlane__ 已被移入回收站", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "导入看板 __board__", "act-importCard": "导入卡片 __card__", "act-importList": "导入列表 __list__", @@ -29,7 +29,7 @@ "activities": "活动", "activity": "活动", "activity-added": "添加 %s 至 %s", - "activity-archived": "%s 已被移入回收站", + "activity-archived": "%s moved to Archive", "activity-attached": "添加附件 %s 至 %s", "activity-created": "创建 %s", "activity-customfield-created": "创建了自定义字段 %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "和其他 __count__ 个卡片", "apply": "应用", "app-is-offline": "Wekan 正在加载,请稍等。刷新页面将导致数据丢失。如果 Wekan 无法加载,请检查 Wekan 服务器是否已经停止。", - "archive": "移入回收站", - "archive-all": "全部移入回收站", - "archive-board": "移动看板到回收站", - "archive-card": "移动卡片到回收站", - "archive-list": "移动列表到回收站", - "archive-swimlane": "移动泳道到回收站", - "archive-selection": "移动选择内容到回收站", - "archiveBoardPopup-title": "移动看板到回收站?", - "archived-items": "回收站", - "archived-boards": "回收站中的看板", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "归档", + "archived-boards": "Boards in Archive", "restore-board": "还原看板", - "no-archived-boards": "回收站中无看板", - "archives": "回收站", + "no-archived-boards": "No Boards in Archive.", + "archives": "归档", "assign-member": "分配成员", "attached": "附加", "attachment": "附件", @@ -118,12 +118,12 @@ "board-view-lists": "列表", "bucket-example": "例如 “目标清单”", "cancel": "取消", - "card-archived": "此卡片已经被移入回收站。", - "board-archived": "将看板移动到回收站", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "该卡片有 %s 条评论", "card-delete-notice": "彻底删除的操作不可恢复,你将会丢失该卡片相关的所有操作记录。", "card-delete-pop": "所有的活动将从活动摘要中被移除且您将无法重新打开该卡片。此操作无法撤销。", - "card-delete-suggest-archive": "将卡片移入回收站可以从看板中删除卡片,相关活动记录将被保留。", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "到期", "card-due-on": "期限", "card-spent": "耗时", @@ -166,7 +166,7 @@ "clipboard": "剪贴板或者拖放文件", "close": "关闭", "close-board": "关闭看板", - "close-board-pop": "在主页中点击顶部的“回收站”按钮可以恢复看板。", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "黑色", "color-blue": "蓝色", "color-green": "绿色", @@ -284,13 +284,13 @@ "import-board-c": "导入看板", "import-board-title-trello": "从Trello导入看板", "import-board-title-wekan": "从Wekan 导入看板", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-sandstorm-backup-warning": "在确认重新关闭和打开看板并且没有得到报错信息前,不要删除您从原始的Wekan或Trello导入的数据,否则将意味着数据的丢失。", "import-sandstorm-warning": "导入的面板将删除所有已存在于面板上的数据并替换他们为导入的面板。 ", "from-trello": "自 Trello", "from-wekan": "自 Wekan", "import-board-instruction-trello": "在你的Trello看板中,点击“菜单”,然后选择“更多”,“打印与导出”,“导出为 JSON” 并拷贝结果文本", "import-board-instruction-wekan": "在你的Wekan面板中点'菜单',然后点‘导出面板’并在已下载的文档复制文本。", - "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", + "import-board-instruction-about-errors": "如果在导入看板时出现错误,导入工作可能仍然在进行中,并且看板已经出现在全部看板页。", "import-json-placeholder": "粘贴您有效的 JSON 数据至此", "import-map-members": "映射成员", "import-members-map": "您导入的看板有一些成员。请将您想导入的成员映射到 Wekan 用户。", @@ -315,8 +315,8 @@ "leave-board-pop": "确认要离开 __boardTitle__ 吗?此看板的所有卡片都会将您移除。", "leaveBoardPopup-title": "离开看板?", "link-card": "关联至该卡片", - "list-archive-cards": "移动此列表中的所有卡片到回收站", - "list-archive-cards-pop": "此操作会从看板中删除所有此列表包含的卡片。要查看回收站中的卡片并恢复到看板,请点击“菜单” > “回收站”。", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "移动列表中的所有卡片", "list-select-cards": "选择列表中的所有卡片", "listActionPopup-title": "列表操作", @@ -325,7 +325,7 @@ "listMorePopup-title": "更多", "link-list": "关联到这个列表", "list-delete-pop": "所有活动将被从活动动态中删除并且你无法恢复他们,此操作无法撤销。 ", - "list-delete-suggest-archive": "可以将列表移入回收站,看板中将删除列表,但是相关活动记录会被保留。", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "列表", "swimlanes": "泳道图", "log-out": "登出", @@ -345,9 +345,9 @@ "muted-info": "你将不会收到此看板的任何变更通知", "my-boards": "我的看板", "name": "名称", - "no-archived-cards": "回收站中无卡片。", - "no-archived-lists": "回收站中无列表。", - "no-archived-swimlanes": "回收站中无泳道。", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "无结果", "normal": "普通", "normal-desc": "可以创建以及编辑卡片,无法更改设置。", @@ -427,7 +427,7 @@ "uploaded-avatar": "头像已经上传", "username": "用户名", "view-it": "查看", - "warn-list-archived": "警告:此卡片属于回收站中的一个列表", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "关注", "watching": "关注", "watching-info": "当此看板发生变更时会通知你", @@ -484,8 +484,8 @@ "minutes": "分钟", "seconds": "秒", "show-field-on-card": "在卡片上显示此字段", - "automatically-field-on-card": "Auto create field to all cards", - "showLabel-field-on-card": "Show field label on minicard", + "automatically-field-on-card": "自动创建所有卡片的字段", + "showLabel-field-on-card": "在迷你卡片上显示字段标签", "yes": "是", "no": "否", "accounts": "账号", @@ -545,8 +545,8 @@ "r-list": "列表", "r-moved-to": "移至", "r-moved-from": "已移动", - "r-archived": "已放入回收站", - "r-unarchived": "已从回收站恢复", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "一个卡片", "r-when-a-label-is": "当一个标签是", "r-when-the-label-is": "当该标签是", @@ -568,8 +568,8 @@ "r-top-of": "的顶部", "r-bottom-of": "的尾部", "r-its-list": "其清单", - "r-archive": "移入回收站", - "r-unarchive": "从回收站恢复", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "卡片", "r-add": "添加", "r-remove": "移除", @@ -596,8 +596,8 @@ "r-d-send-email-to": "收件人", "r-d-send-email-subject": "标题", "r-d-send-email-message": "消息", - "r-d-archive": "移动卡片到回收站", - "r-d-unarchive": "从回收站恢复卡片", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "添加标签", "r-d-remove-label": "移除标签", "r-d-add-member": "添加成员", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index d30f1aad..494b145b 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "已新增自訂欄位__customField__", "act-createList": "已新增__list__至__board__", "act-addBoardMember": "已在__board__中新增成員__member__", - "act-archivedBoard": "已將__board__移至回收桶", - "act-archivedCard": "已將__card__移至回收桶", - "act-archivedList": "已將__list__移至回收桶", - "act-archivedSwimlane": "已將__swimlane__移至回收桶", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "已匯入__board__", "act-importCard": "已匯入__card__", "act-importList": "已匯入__list__", @@ -29,7 +29,7 @@ "activities": "活動", "activity": "活動", "activity-added": "新增 %s 至 %s", - "activity-archived": "已將%s移至回收桶", + "activity-archived": "%s moved to Archive", "activity-attached": "已新增附件 %s 至 %s", "activity-created": "建立 %s", "activity-customfield-created": "created custom field %s", @@ -79,19 +79,19 @@ "and-n-other-card_plural": "和其他 __count__ 個卡片", "apply": "送出", "app-is-offline": "請稍候,資料讀取中,重整頁面可能會導致資料遺失。如果一直讀取,請檢查 Wekan 的伺服器是否正確運行。", - "archive": "Move to Recycle Bin", - "archive-all": "Move All to Recycle Bin", - "archive-board": "Move Board to Recycle Bin", - "archive-card": "Move Card to Recycle Bin", - "archive-list": "Move List to Recycle Bin", - "archive-swimlane": "Move Swimlane to Recycle Bin", - "archive-selection": "Move selection to Recycle Bin", - "archiveBoardPopup-title": "Move Board to Recycle Bin?", - "archived-items": "Recycle Bin", - "archived-boards": "Boards in Recycle Bin", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "刪除", + "archived-boards": "Boards in Archive", "restore-board": "還原看板", - "no-archived-boards": "No Boards in Recycle Bin.", - "archives": "Recycle Bin", + "no-archived-boards": "No Boards in Archive.", + "archives": "刪除", "assign-member": "分配成員", "attached": "附加", "attachment": "附件", @@ -118,12 +118,12 @@ "board-view-lists": "清單", "bucket-example": "例如 “目標清單”", "cancel": "取消", - "card-archived": "This card is moved to Recycle Bin.", - "board-archived": "This board is moved to Recycle Bin.", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", "card-comments-title": "該卡片有 %s 則評論", "card-delete-notice": "徹底刪除的操作不可復原,你將會遺失該卡片相關的所有操作記錄。", "card-delete-pop": "所有的動作將從活動動態中被移除且您將無法重新打開該卡片。此操作無法復原。", - "card-delete-suggest-archive": "You can move a card to Recycle Bin to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", "card-due": "到期", "card-due-on": "到期", "card-spent": "Spent Time", @@ -166,7 +166,7 @@ "clipboard": "剪貼簿貼上或者拖曳檔案", "close": "關閉", "close-board": "關閉看板", - "close-board-pop": "You will be able to restore the board by clicking the “Recycle Bin” button from the home header.", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "黑色", "color-blue": "藍色", "color-green": "綠色", @@ -315,8 +315,8 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", "link-card": "關聯至該卡片", - "list-archive-cards": "Move all cards in this list to Recycle Bin", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Recycle Bin and bring them back to the board, click “Menu” > “Recycle Bin”.", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "移動清單中的所有卡片", "list-select-cards": "選擇清單中的所有卡片", "listActionPopup-title": "清單操作", @@ -325,7 +325,7 @@ "listMorePopup-title": "更多", "link-list": "連結到這個清單", "list-delete-pop": "所有的動作將從活動動態中被移除且您將無法再開啟該清單\b。此操作無法復原。", - "list-delete-suggest-archive": "You can move a list to Recycle Bin to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "清單", "swimlanes": "Swimlanes", "log-out": "登出", @@ -345,9 +345,9 @@ "muted-info": "您將不會收到有關這個看板的任何訊息", "my-boards": "我的看板", "name": "名稱", - "no-archived-cards": "No cards in Recycle Bin.", - "no-archived-lists": "No lists in Recycle Bin.", - "no-archived-swimlanes": "No swimlanes in Recycle Bin.", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "無結果", "normal": "普通", "normal-desc": "可以建立以及編輯卡片,無法更改。", @@ -427,7 +427,7 @@ "uploaded-avatar": "大頭貼已經上傳", "username": "使用者名稱", "view-it": "檢視", - "warn-list-archived": "warning: this card is in an list at Recycle Bin", + "warn-list-archived": "warning: this card is in an list at Archive", "watch": "觀察", "watching": "觀察中", "watching-info": "你將會收到關於這個看板所有的變更通知", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Recycle Bin", - "r-unarchived": "Restored from Recycle Bin", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Recycle Bin", - "r-unarchive": "Restore from Recycle Bin", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "新增", "r-remove": "Remove", @@ -596,8 +596,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Recycle Bin", - "r-d-unarchive": "Restore card from Recycle Bin", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", -- cgit v1.2.3-1-g7c22 From c11b91d32a457e4039cbbcd7bb61a34d4bcb24f7 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 16 Nov 2018 21:04:58 +0200 Subject: - Update translations. - Add language: Swahili / Kiswahili. Thanks to translators. --- CHANGELOG.md | 8 + i18n/de.i18n.json | 64 +-- i18n/fr.i18n.json | 60 +-- i18n/hi.i18n.json | 4 +- i18n/pl.i18n.json | 80 ++-- i18n/sw.i18n.json | 621 +++++++++++++++++++++++++++++ releases/translations/pull-translations.sh | 3 + 7 files changed, 736 insertions(+), 104 deletions(-) create mode 100644 i18n/sw.i18n.json diff --git a/CHANGELOG.md b/CHANGELOG.md index 4a7289d0..ab4c2fe5 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release adds the following new features: + +- Add language: Swahili / Kiswahili. + +Thanks to translators. + # v1.70 2018-11-09 Wekan release This release adds the following new features: diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index ac738388..48d5eeee 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "benutzerdefiniertes Feld __customField__ angelegt", "act-createList": "hat __list__ zu __board__ hinzugefügt", "act-addBoardMember": "hat __member__ zu __board__ hinzugefügt", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", + "act-archivedBoard": "__board__ ins Archiv verschoben", + "act-archivedCard": "__card__ ins Archiv verschoben", + "act-archivedList": "__list__ ins Archiv verschoben", + "act-archivedSwimlane": "__swimlane__ ins Archiv verschoben", "act-importBoard": "hat __board__ importiert", "act-importCard": "hat __card__ importiert", "act-importList": "hat __list__ importiert", @@ -29,7 +29,7 @@ "activities": "Aktivitäten", "activity": "Aktivität", "activity-added": "hat %s zu %s hinzugefügt", - "activity-archived": "%s moved to Archive", + "activity-archived": "hat %s ins Archiv verschoben", "activity-attached": "hat %s an %s angehängt", "activity-created": "hat %s erstellt", "activity-customfield-created": "hat das benutzerdefinierte Feld %s erstellt", @@ -79,18 +79,18 @@ "and-n-other-card_plural": "und __count__ andere Karten", "apply": "Übernehmen", "app-is-offline": "Wekan lädt gerade, bitte warten Sie. Wenn Sie die Seite neu laden, gehen nicht übertragene Änderungen verloren. Sollte Wekan nicht geladen werden, überprüfen Sie bitte, ob der Server noch läuft.", - "archive": "Move to Archive", - "archive-all": "Move All to Archive", - "archive-board": "Move Board to Archive", - "archive-card": "Move Card to Archive", - "archive-list": "Move List to Archive", - "archive-swimlane": "Move Swimlane to Archive", - "archive-selection": "Move selection to Archive", - "archiveBoardPopup-title": "Move Board to Archive?", + "archive": "Ins Archiv verschieben", + "archive-all": "Alles ins Archiv verschieben", + "archive-board": "Board ins Archiv verschieben", + "archive-card": "Karte ins Archiv verschieben", + "archive-list": "Liste ins Archiv verschieben", + "archive-swimlane": "Swimlane ins Archiv verschieben", + "archive-selection": "Auswahl ins Archiv verschieben", + "archiveBoardPopup-title": "Board ins Archiv verschieben?", "archived-items": "Archiv", - "archived-boards": "Boards in Archive", + "archived-boards": "Boards im Archiv", "restore-board": "Board wiederherstellen", - "no-archived-boards": "No Boards in Archive.", + "no-archived-boards": "Keine Boards im Archiv.", "archives": "Archiv", "assign-member": "Mitglied zuweisen", "attached": "angehängt", @@ -118,12 +118,12 @@ "board-view-lists": "Listen", "bucket-example": "z.B. \"Löffelliste\"", "cancel": "Abbrechen", - "card-archived": "This card is moved to Archive.", - "board-archived": "This board is moved to Archive.", + "card-archived": "Diese Karte wurde ins Archiv verschoben", + "board-archived": "Dieses Board wurde ins Archiv verschoben.", "card-comments-title": "Diese Karte hat %s Kommentar(e).", "card-delete-notice": "Löschen kann nicht rückgängig gemacht werden. Alle Aktionen, die dieser Karte zugeordnet sind, werden ebenfalls gelöscht.", "card-delete-pop": "Alle Aktionen werden aus dem Aktivitätsfeed entfernt und die Karte kann nicht wiedereröffnet werden. Die Aktion kann nicht rückgängig gemacht werden.", - "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "Sie können eine Karte ins Archiv verschieben, um sie vom Board zu entfernen und die Aktivitäten zu behalten.", "card-due": "Fällig", "card-due-on": "Fällig am", "card-spent": "Aufgewendete Zeit", @@ -166,7 +166,7 @@ "clipboard": "Zwischenablage oder Drag & Drop", "close": "Schließen", "close-board": "Board schließen", - "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", + "close-board-pop": "Sie können das Board wiederherstellen, indem Sie die Schaltfläche \"Archiv\" in der Kopfzeile der Startseite anklicken.", "color-black": "schwarz", "color-blue": "blau", "color-green": "grün", @@ -315,8 +315,8 @@ "leave-board-pop": "Sind Sie sicher, dass Sie __boardTitle__ verlassen möchten? Sie werden von allen Karten in diesem Board entfernt.", "leaveBoardPopup-title": "Board verlassen?", "link-card": "Link zu dieser Karte", - "list-archive-cards": "Move all cards in this list to Archive", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", + "list-archive-cards": "Alle Karten dieser Liste ins Archiv verschieben", + "list-archive-cards-pop": "Alle Karten dieser Liste werden vom Board entfernt. Um Karten im Papierkorb anzuzeigen und wiederherzustellen, klicken Sie auf \"Menü\" > \"Archiv\".", "list-move-cards": "Alle Karten in dieser Liste verschieben", "list-select-cards": "Alle Karten in dieser Liste auswählen", "listActionPopup-title": "Listenaktionen", @@ -325,7 +325,7 @@ "listMorePopup-title": "Mehr", "link-list": "Link zu dieser Liste", "list-delete-pop": "Alle Aktionen werden aus dem Verlauf gelöscht und die Liste kann nicht wiederhergestellt werden.", - "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "Listen können ins Archiv verschoben werden, um sie aus dem Board zu entfernen und die Aktivitäten zu behalten.", "lists": "Listen", "swimlanes": "Swimlanes", "log-out": "Ausloggen", @@ -345,9 +345,9 @@ "muted-info": "Sie werden nicht über Änderungen auf diesem Board benachrichtigt", "my-boards": "Meine Boards", "name": "Name", - "no-archived-cards": "No cards in Archive.", - "no-archived-lists": "No lists in Archive.", - "no-archived-swimlanes": "No swimlanes in Archive.", + "no-archived-cards": "Keine Karten im Archiv.", + "no-archived-lists": "Keine Listen im Archiv.", + "no-archived-swimlanes": "Keine Swimlanes im Archiv.", "no-results": "Keine Ergebnisse", "normal": "Normal", "normal-desc": "Kann Karten anzeigen und bearbeiten, aber keine Einstellungen ändern.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Profilbild hochgeladen", "username": "Benutzername", "view-it": "Ansehen", - "warn-list-archived": "warning: this card is in an list at Archive", + "warn-list-archived": "Warnung: Diese Karte befindet sich in einer Liste im Archiv", "watch": "Beobachten", "watching": "Beobachten", "watching-info": "Sie werden über alle Änderungen in diesem Board benachrichtigt", @@ -545,8 +545,8 @@ "r-list": "Liste", "r-moved-to": "Verschieben nach", "r-moved-from": "Verschieben von", - "r-archived": "Moved to Archive", - "r-unarchived": "Restored from Archive", + "r-archived": "Ins Archiv verschieben", + "r-unarchived": "Aus dem Archiv wiederhergestellt", "r-a-card": "eine Karte", "r-when-a-label-is": "Wenn ein Label ist", "r-when-the-label-is": " Wenn das Label ist", @@ -568,8 +568,8 @@ "r-top-of": "Anfang von", "r-bottom-of": "Ende von", "r-its-list": "seine Liste", - "r-archive": "Move to Archive", - "r-unarchive": "Restore from Archive", + "r-archive": "Ins Archiv verschieben", + "r-unarchive": "Aus dem Archiv wiederherstellen", "r-card": "Karte", "r-add": "Hinzufügen", "r-remove": "entfernen", @@ -596,8 +596,8 @@ "r-d-send-email-to": "an", "r-d-send-email-subject": "Betreff", "r-d-send-email-message": "Nachricht", - "r-d-archive": "Move card to Archive", - "r-d-unarchive": "Restore card from Archive", + "r-d-archive": "Karte ins Archiv verschieben", + "r-d-unarchive": "Karte aus dem Archiv wiederherstellen", "r-d-add-label": "Label hinzufügen", "r-d-remove-label": "Label entfernen", "r-d-add-member": "Mitglied hinzufügen", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 6305de6d..30b075e0 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "a créé le champ personnalisé __customField__", "act-createList": "a ajouté __list__ à __board__", "act-addBoardMember": "a ajouté __member__ à __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", + "act-archivedBoard": "__board__ a été archivé", + "act-archivedCard": "__card__ a été archivé", + "act-archivedList": "__list__ a été archivé", + "act-archivedSwimlane": "__ swimlane__ a été archivé", "act-importBoard": "a importé __board__", "act-importCard": "a importé __card__", "act-importList": "a importé __list__", @@ -29,7 +29,7 @@ "activities": "Activités", "activity": "Activité", "activity-added": "a ajouté %s à %s", - "activity-archived": "%s moved to Archive", + "activity-archived": "%s a été archivé", "activity-attached": "a attaché %s à %s", "activity-created": "a créé %s", "activity-customfield-created": "a créé le champ personnalisé %s", @@ -79,18 +79,18 @@ "and-n-other-card_plural": "Et __count__ autres cartes", "apply": "Appliquer", "app-is-offline": "Chargement en cours, veuillez patienter. Vous risquez de perdre des données si vous rechargez la page. Si le chargement échoue, veuillez vérifier l'état du serveur Wekan.", - "archive": "Move to Archive", - "archive-all": "Move All to Archive", - "archive-board": "Move Board to Archive", - "archive-card": "Move Card to Archive", - "archive-list": "Move List to Archive", - "archive-swimlane": "Move Swimlane to Archive", - "archive-selection": "Move selection to Archive", - "archiveBoardPopup-title": "Move Board to Archive?", + "archive": "Archiver", + "archive-all": "Tout archiver", + "archive-board": "Archiver le tableau", + "archive-card": "Archiver la carte", + "archive-list": "Archiver la liste", + "archive-swimlane": "Archiver le couloir", + "archive-selection": "Archiver la sélection", + "archiveBoardPopup-title": "Archiver le tableau ?", "archived-items": "Archiver", - "archived-boards": "Boards in Archive", + "archived-boards": "Tableaux archivés", "restore-board": "Restaurer le tableau", - "no-archived-boards": "No Boards in Archive.", + "no-archived-boards": "Aucun tableau archivé.", "archives": "Archiver", "assign-member": "Affecter un membre", "attached": "joint", @@ -118,8 +118,8 @@ "board-view-lists": "Listes", "bucket-example": "Comme « todo list » par exemple", "cancel": "Annuler", - "card-archived": "This card is moved to Archive.", - "board-archived": "This board is moved to Archive.", + "card-archived": "Cette carte est archivée", + "board-archived": "Ce tableau est archivé", "card-comments-title": "Cette carte a %s commentaires.", "card-delete-notice": "La suppression est permanente. Vous perdrez toutes les actions associées à cette carte.", "card-delete-pop": "Toutes les actions vont être supprimées du suivi d'activités et vous ne pourrez plus utiliser cette carte. Cette action est irréversible.", @@ -325,7 +325,7 @@ "listMorePopup-title": "Plus", "link-list": "Lien vers cette liste", "list-delete-pop": "Toutes les actions seront supprimées du fil d'activité et il ne sera plus possible de les récupérer. Cette action ne peut pas être annulée.", - "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "Vous pouvez archiver une liste pour l'enlever du tableau tout en conservant son activité.", "lists": "Listes", "swimlanes": "Couloirs", "log-out": "Déconnexion", @@ -345,9 +345,9 @@ "muted-info": "Vous ne serez jamais averti des modifications effectuées dans ce tableau", "my-boards": "Mes tableaux", "name": "Nom", - "no-archived-cards": "No cards in Archive.", - "no-archived-lists": "No lists in Archive.", - "no-archived-swimlanes": "No swimlanes in Archive.", + "no-archived-cards": "Aucune carte archivée.", + "no-archived-lists": "Aucune liste archivée.", + "no-archived-swimlanes": "Aucun couloir archivé.", "no-results": "Pas de résultats", "normal": "Normal", "normal-desc": "Peut voir et modifier les cartes. Ne peut pas changer les paramètres.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Avatar téléchargé", "username": "Nom d'utilisateur", "view-it": "Le voir", - "warn-list-archived": "warning: this card is in an list at Archive", + "warn-list-archived": "attention : cette carte est dans une liste archivée", "watch": "Suivre", "watching": "Suivi", "watching-info": "Vous serez notifié de toute modification dans ce tableau", @@ -484,8 +484,8 @@ "minutes": "minutes", "seconds": "secondes", "show-field-on-card": "Afficher ce champ sur la carte", - "automatically-field-on-card": "Auto create field to all cards", - "showLabel-field-on-card": "Show field label on minicard", + "automatically-field-on-card": "Créer automatiquement le champ sur toutes les cartes", + "showLabel-field-on-card": "Indiquer l'étiquette du champ sur la mini-carte", "yes": "Oui", "no": "Non", "accounts": "Comptes", @@ -545,8 +545,8 @@ "r-list": "liste", "r-moved-to": "Déplacé vers", "r-moved-from": "Déplacé depuis", - "r-archived": "Moved to Archive", - "r-unarchived": "Restored from Archive", + "r-archived": "Archivé", + "r-unarchived": "Restauré depuis l'Archive", "r-a-card": "carte", "r-when-a-label-is": "Quand une étiquette est", "r-when-the-label-is": "Quand l'étiquette est", @@ -568,8 +568,8 @@ "r-top-of": "En haut de", "r-bottom-of": "En bas de", "r-its-list": "sa liste", - "r-archive": "Move to Archive", - "r-unarchive": "Restore from Archive", + "r-archive": "Archiver", + "r-unarchive": "Restaurer depuis l'Archive", "r-card": "carte", "r-add": "Ajouter", "r-remove": "Supprimer", @@ -596,8 +596,8 @@ "r-d-send-email-to": "à", "r-d-send-email-subject": "sujet", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Archive", - "r-d-unarchive": "Restore card from Archive", + "r-d-archive": "Archiver la carte", + "r-d-unarchive": "Restaurer la carte depuis l'Archive", "r-d-add-label": "Ajouter une étiquette", "r-d-remove-label": "Supprimer l'étiquette", "r-d-add-member": "Ajouter un membre", diff --git a/i18n/hi.i18n.json b/i18n/hi.i18n.json index 9880fcf4..d57c3f0f 100644 --- a/i18n/hi.i18n.json +++ b/i18n/hi.i18n.json @@ -87,11 +87,11 @@ "archive-swimlane": "Move Swimlane to Archive", "archive-selection": "Move selection to Archive", "archiveBoardPopup-title": "Move Board to Archive?", - "archived-items": "Archive", + "archived-items": "पुरालेख", "archived-boards": "Boards in Archive", "restore-board": "Restore बोर्ड", "no-archived-boards": "No Boards in Archive.", - "archives": "Archive", + "archives": "पुरालेख", "assign-member": "आवंटित सदस्य", "attached": "संलग्न", "attachment": "संलग्नक", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 57626de9..790f224d 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -2,19 +2,19 @@ "accept": "Akceptuj", "act-activity-notify": "[Wekan] Powiadomienia - aktywności", "act-addAttachment": "dodano załącznik __attachement__ do __card__", - "act-addSubtask": "dodał(a) podzadanie __checklist__ do __card__", - "act-addChecklist": "dodał(a) listę zadań __checklist__ to __card__", - "act-addChecklistItem": "dodał(a) __checklistItem__ do listy zadań __checklist__ na karcie __card__", + "act-addSubtask": "dodał podzadanie __checklist__ do __card__", + "act-addChecklist": "dodał listę zadań __checklist__ to __card__", + "act-addChecklistItem": "dodał __checklistItem__ do listy zadań __checklist__ na karcie __card__", "act-addComment": "skomentowano __card__: __comment__", "act-createBoard": "utworzono __board__", "act-createCard": "dodał(a) __card__ do __list__", "act-createCustomField": "dodano niestandardowe pole __customField__", "act-createList": "dodał(a) __list__ do __board__", "act-addBoardMember": "dodał(a) __member__ do __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", + "act-archivedBoard": "Tablica __board__ została przeniesiona do Archiwum", + "act-archivedCard": "Karta __card__ została przeniesiona do Archiwum", + "act-archivedList": "Lista __list__ została przeniesiona do Archiwum", + "act-archivedSwimlane": "Diagram czynności __swimlane__ został przeniesiony do Archiwum", "act-importBoard": "zaimportowano __board__", "act-importCard": "zaimportowano __card__", "act-importList": "zaimportowano __list__", @@ -29,7 +29,7 @@ "activities": "Ostatnia aktywność", "activity": "Aktywność", "activity-added": "dodał(a) %s z %s", - "activity-archived": "%s moved to Archive", + "activity-archived": "%s została przeniesiona do Archiwum ", "activity-attached": "załączono %s z %s", "activity-created": "utworzono %s", "activity-customfield-created": "utworzono niestandardowe pole %s", @@ -50,7 +50,7 @@ "activity-checklist-completed": "ukończono listę zadań %s z %s", "activity-checklist-uncompleted": "nieukończono listy zadań %s z %s", "activity-checklist-item-added": "dodał(a) zadanie '%s' do %s", - "activity-checklist-item-removed": "usunięto element z listy zadań %s w %s", + "activity-checklist-item-removed": "usunięto element z listy zadań '%s' w %s", "add": "Dodaj", "activity-checked-item-card": "zaznaczono %s w liście zadań %s", "activity-unchecked-item-card": "odznaczono %s w liście zadań %s", @@ -79,18 +79,18 @@ "and-n-other-card_plural": "I __count__ inne karty", "apply": "Zastosuj", "app-is-offline": "Wekan jest aktualnie ładowany, proszę czekać. Odświeżenie strony spowoduję utratę danych. Jeżeli Wekan się nie ładuje, upewnij się czy serwer Wekan nie został zatrzymany.", - "archive": "Move to Archive", - "archive-all": "Move All to Archive", - "archive-board": "Move Board to Archive", - "archive-card": "Move Card to Archive", - "archive-list": "Move List to Archive", - "archive-swimlane": "Move Swimlane to Archive", - "archive-selection": "Move selection to Archive", - "archiveBoardPopup-title": "Move Board to Archive?", + "archive": "Przenieś do Archiwum", + "archive-all": "Przenieś wszystko do Archiwum", + "archive-board": "Przenieś tablicę do Archiwum", + "archive-card": "Przenieś kartę do Archiwum", + "archive-list": "Przenieś listę do Archiwum", + "archive-swimlane": "Przenieś diagram czynności do Archiwum", + "archive-selection": "Przenieś zaznaczone do Archiwum", + "archiveBoardPopup-title": "Przenieść tablicę do Archiwum?", "archived-items": "Zarchiwizuj", - "archived-boards": "Boards in Archive", + "archived-boards": "Tablice w Archiwum", "restore-board": "Przywróć tablicę", - "no-archived-boards": "No Boards in Archive.", + "no-archived-boards": "Brak tablic w Archiwum.", "archives": "Zarchiwizuj", "assign-member": "Dodaj członka", "attached": "załączono", @@ -118,12 +118,12 @@ "board-view-lists": "Listy", "bucket-example": "Tak jak na przykład \"lista kubełkowa\"", "cancel": "Anuluj", - "card-archived": "This card is moved to Archive.", - "board-archived": "This board is moved to Archive.", + "card-archived": "Ta karta została przeniesiona do Archiwum.", + "board-archived": "Ta tablica została przeniesiona do Archiwum.", "card-comments-title": "Ta karta ma %s komentarzy.", "card-delete-notice": "Usunięcie jest trwałe. Stracisz wszystkie akcje powiązane z tą kartą.", "card-delete-pop": "Wszystkie akcje będą usunięte z widoku aktywności, nie można będzie ponownie otworzyć karty. Usunięcie jest nieodwracalne.", - "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "Możesz przenieść kartę do Archiwum, a następnie usunąć ją z tablicy i zachować ją w Aktywności.", "card-due": "Ukończenie\n", "card-due-on": "Ukończenie w", "card-spent": "Spędzony czas", @@ -166,7 +166,7 @@ "clipboard": "Schowek lub przeciągnij & upuść", "close": "Zamknij", "close-board": "Zamknij tablicę", - "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", + "close-board-pop": "Będziesz w stanie przywrócić tablicę poprzez kliknięcie przycisku \"Archiwizuj\" w nagłówku strony domowej.", "color-black": "czarny", "color-blue": "niebieski", "color-green": "zielony", @@ -284,13 +284,13 @@ "import-board-c": "Import tablicy", "import-board-title-trello": "Importuj tablicę z Trello", "import-board-title-wekan": "Importuj tablice z Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-sandstorm-backup-warning": "Nie usuwaj danych, które importujesz z oryginalnej instancji Wekan lub Trello zanim upewnisz się, że wszystko zostało prawidłowo przeniesione przy czym brane jest pod uwagę ponowne uruchomienie strony, ponieważ w przypadku błędu braku tablicy stracisz dane.", "import-sandstorm-warning": "Zaimportowana tablica usunie wszystkie istniejące dane na aktualnej tablicy oraz zastąpi ją danymi z tej importowanej.", "from-trello": "Z Trello", "from-wekan": "Z Wekan", "import-board-instruction-trello": "W twojej tablicy na Trello przejdź do 'Menu', następnie 'Więcej', 'Drukuj i eksportuj', 'Eksportuj jako JSON' i skopiuj wynik", "import-board-instruction-wekan": "Na Twojej tablicy Wekan przejdź do 'Menu', a następnie wybierz 'Eksportuj tablicę' i skopiuj tekst w pobranym pliku.", - "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", + "import-board-instruction-about-errors": "W przypadku, gdy otrzymujesz błędy importowania tablicy, czasami importowanie pomimo wszystko działa poprawnie i tablica znajduje się w oknie Wszystkie tablice.", "import-json-placeholder": "Wklej Twoje dane JSON tutaj", "import-map-members": "Przypisz członków", "import-members-map": "Twoje zaimportowane tablice mają kilku członków. Proszę wybierz członków których chcesz zaimportować do Wekan", @@ -315,8 +315,8 @@ "leave-board-pop": "Czy jesteś pewien, że chcesz opuścić tablicę __boardTitle__? Zostaniesz usunięty ze wszystkich kart tej tablicy.", "leaveBoardPopup-title": "Opuścić tablicę?", "link-card": "Link do tej karty", - "list-archive-cards": "Move all cards in this list to Archive", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", + "list-archive-cards": "Przenieś wszystkie karty z tej listy do Archiwum", + "list-archive-cards-pop": "To usunie wszystkie karty z tej listy z tej tablicy. Aby przejrzeć karty w Archiwum i przywrócić na tablicę, kliknij \"Menu\" > \"Archiwizuj\".", "list-move-cards": "Przenieś wszystkie karty z tej listy", "list-select-cards": "Zaznacz wszystkie karty z tej listy", "listActionPopup-title": "Lista akcji", @@ -325,7 +325,7 @@ "listMorePopup-title": "Więcej", "link-list": "Podepnij do tej listy", "list-delete-pop": "Wszystkie czynności zostaną usunięte z Aktywności i nie będziesz w stanie przywrócić listy. Nie ma możliwości cofnięcia tej operacji.", - "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "Możesz przenieść listę do Archiwum, a następnie usunąć ją z tablicy i zachować ją w Aktywności.", "lists": "Listy", "swimlanes": "Diagramy czynności", "log-out": "Wyloguj", @@ -345,9 +345,9 @@ "muted-info": "Nie zostaniesz powiadomiony o zmianach w tej tablicy", "my-boards": "Moje tablice", "name": "Nazwa", - "no-archived-cards": "No cards in Archive.", - "no-archived-lists": "No lists in Archive.", - "no-archived-swimlanes": "No swimlanes in Archive.", + "no-archived-cards": "Brak kart w Archiwum.", + "no-archived-lists": "Brak list w Archiwum.", + "no-archived-swimlanes": "Brak diagramów czynności w Archiwum", "no-results": "Brak wyników", "normal": "Użytkownik standardowy", "normal-desc": "Może widzieć i edytować karty. Nie może zmieniać ustawiań.", @@ -427,7 +427,7 @@ "uploaded-avatar": "Wysłany avatar", "username": "Nazwa użytkownika", "view-it": "Zobacz", - "warn-list-archived": "warning: this card is in an list at Archive", + "warn-list-archived": "Ostrzeżenie: ta karta jest na liście będącej w Archiwum", "watch": "Obserwuj", "watching": "Obserwujesz", "watching-info": "Będziesz poinformowany o każdej zmianie na tej tablicy", @@ -484,8 +484,8 @@ "minutes": "minut", "seconds": "sekund", "show-field-on-card": "Pokaż te pole na karcie", - "automatically-field-on-card": "Auto create field to all cards", - "showLabel-field-on-card": "Show field label on minicard", + "automatically-field-on-card": "Automatycznie stwórz pole dla wszystkich kart", + "showLabel-field-on-card": "Pokaż pole etykiety w minikarcie", "yes": "Tak", "no": "Nie", "accounts": "Konto", @@ -545,8 +545,8 @@ "r-list": "lista", "r-moved-to": "Przeniesiono do", "r-moved-from": "Przeniesiono z", - "r-archived": "Moved to Archive", - "r-unarchived": "Restored from Archive", + "r-archived": "Przeniesione z Archiwum", + "r-unarchived": "Przywrócone z Archiwum", "r-a-card": "karta", "r-when-a-label-is": "Gdy etykieta jest", "r-when-the-label-is": "Gdy etykieta jest", @@ -568,8 +568,8 @@ "r-top-of": "Góra od", "r-bottom-of": "Dół od", "r-its-list": "tej listy", - "r-archive": "Move to Archive", - "r-unarchive": "Restore from Archive", + "r-archive": "Przenieś do Archiwum", + "r-unarchive": "Przywróć z Archiwum", "r-card": "karta", "r-add": "Dodaj", "r-remove": "Usuń", @@ -596,8 +596,8 @@ "r-d-send-email-to": "do", "r-d-send-email-subject": "temat", "r-d-send-email-message": "wiadomość", - "r-d-archive": "Move card to Archive", - "r-d-unarchive": "Restore card from Archive", + "r-d-archive": "Przenieś kartę z Archiwum", + "r-d-unarchive": "Przywróć kartę z Archiwum", "r-d-add-label": "Dodaj etykietę", "r-d-remove-label": "Usuń etykietę", "r-d-add-member": "Dodaj członka", diff --git a/i18n/sw.i18n.json b/i18n/sw.i18n.json new file mode 100644 index 00000000..18883da6 --- /dev/null +++ b/i18n/sw.i18n.json @@ -0,0 +1,621 @@ +{ + "accept": "Kubali", + "act-activity-notify": "[Wekan] Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Archive", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", + "add": "Add", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Members", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Archive", + "archived-boards": "Boards in Archive", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Archive.", + "archives": "Archive", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Rudi", + "board-change-color": "Badilisha rangi", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-cal": "Calendar", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Muda uliotumika", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Badilisha tarehe", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Members", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "subtasks": "Subtasks", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Funga", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", + "color-black": "Nyeusi", + "color-blue": "Samawati", + "color-green": "Kijani", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Changia", + "comment-placeholder": "Andika changio", + "comment-only": "Changia pekee", + "comment-only-desc": "Can comment on cards only.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", + "computer": "Tarakilishi", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "link": "Link", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Members", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "rules": "Rules", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Archive", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "New rule title", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", + "r-card": "card", + "r-add": "Add", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-items-check": "items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checklist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" +} \ No newline at end of file diff --git a/releases/translations/pull-translations.sh b/releases/translations/pull-translations.sh index 4ce9d22d..2b7316b9 100755 --- a/releases/translations/pull-translations.sh +++ b/releases/translations/pull-translations.sh @@ -111,6 +111,9 @@ tx pull -f -l ru echo "Serbian:" tx pull -f -l sr +echo "Swahili:" +tx pull -f -l sw + echo "Swedish:" tx pull -f -l sv -- cgit v1.2.3-1-g7c22 From 9f5d04de2798fdeffd2a23f16a29d6557e8d402a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 16 Nov 2018 21:12:06 +0200 Subject: - Add language: Danish. Thanks to translators. --- CHANGELOG.md | 1 + i18n/da.i18n.json | 621 +++++++++++++++++++++++++++++ releases/translations/pull-translations.sh | 3 + 3 files changed, 625 insertions(+) create mode 100644 i18n/da.i18n.json diff --git a/CHANGELOG.md b/CHANGELOG.md index ab4c2fe5..eacc4d2e 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,6 +2,7 @@ This release adds the following new features: +- Add language: Danish. - Add language: Swahili / Kiswahili. Thanks to translators. diff --git a/i18n/da.i18n.json b/i18n/da.i18n.json new file mode 100644 index 00000000..cd5eebdd --- /dev/null +++ b/i18n/da.i18n.json @@ -0,0 +1,621 @@ +{ + "accept": "Accepter", + "act-activity-notify": "[Wekan] Aktivitets Notifikation", + "act-addAttachment": "tilføjede__vedhæftet fil__ til __kort__", + "act-addSubtask": "tilføjede delopgave __tjekliste__ til __kort__", + "act-addChecklist": "tilføjede tjekliste__tjekliste__ til __kort__", + "act-addChecklistItem": "tilføjede__tjeklistePunkt__ til tjekliste__tjekliste__ til__kort__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "[Wekan] __board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Archive", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", + "add": "Add", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Members", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Archive", + "archived-boards": "Boards in Archive", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Archive.", + "archives": "Archive", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-cal": "Calendar", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Members", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "subtasks": "Subtasks", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-green": "green", + "color-lime": "lime", + "color-orange": "orange", + "color-pink": "pink", + "color-purple": "purple", + "color-red": "red", + "color-sky": "sky", + "color-yellow": "yellow", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", + "computer": "Computer", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "link": "Link", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from Wekan", + "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From Wekan", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick the Wekan user you want to use as this member", + "importMapMembersAddPopup-title": "Select Wekan member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Members", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "rules": "Rules", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Archive", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Wekan_version": "Wekan version", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "New rule title", + "r-no-rules": "No rules", + "r-when-a-card-is": "When a card is", + "r-added-to": "Added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "List name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member", + "r-name": "name", + "r-is": "is", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", + "r-card": "card", + "r-add": "Add", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-items-check": "items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checklist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist", + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout" +} \ No newline at end of file diff --git a/releases/translations/pull-translations.sh b/releases/translations/pull-translations.sh index 2b7316b9..0070214f 100755 --- a/releases/translations/pull-translations.sh +++ b/releases/translations/pull-translations.sh @@ -15,6 +15,9 @@ tx pull -f -l ca echo "Czech:" tx pull -f -l cs +echo "Danish:" +tx pull -f -l da + echo "Georgian:" tx pull -f -l ka -- cgit v1.2.3-1-g7c22 From 6df296da47cf7dfe4b6669d9ac84dc225c2029e0 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 16 Nov 2018 21:14:10 +0200 Subject: - Rename Recycle Bin to Archive. Thanks to xet7 ! --- CHANGELOG.md | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index eacc4d2e..433200f4 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,8 +4,9 @@ This release adds the following new features: - Add language: Danish. - Add language: Swahili / Kiswahili. +- Rename Recycle Bin to Archive. -Thanks to translators. +Thanks to GitHub user xet7 and translators. # v1.70 2018-11-09 Wekan release -- cgit v1.2.3-1-g7c22 From 4b53a532bd912aa455d7b7e7f440899550ba77c1 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 16 Nov 2018 21:17:06 +0200 Subject: Update readme for clarity. --- CHANGELOG.md | 10 ++++++---- 1 file changed, 6 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 433200f4..945ad984 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,11 +2,13 @@ This release adds the following new features: -- Add language: Danish. -- Add language: Swahili / Kiswahili. -- Rename Recycle Bin to Archive. +- Add languages, thanks to translators: + - Danish + - Swahili / Kiswahili; +- Rename Recycle Bin to Archive. Thanks to xet7. +- Update readme for clarity. Thanks to xet7. -Thanks to GitHub user xet7 and translators. +Thanks to above GitHub users and translators for their contributions. # v1.70 2018-11-09 Wekan release -- cgit v1.2.3-1-g7c22 From 017017623f24303de414472ee7c29f9e3323ec64 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 16 Nov 2018 21:22:41 +0200 Subject: Fix typo. --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 945ad984..698d5aea 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,7 +4,7 @@ This release adds the following new features: - Add languages, thanks to translators: - Danish - - Swahili / Kiswahili; + - Swahili / Kiswahili - Rename Recycle Bin to Archive. Thanks to xet7. - Update readme for clarity. Thanks to xet7. -- cgit v1.2.3-1-g7c22 From 3aec8087f77acba9f4fdc686b26cb36542d37dfd Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 16 Nov 2018 21:32:01 +0200 Subject: Fix lint errors. --- client/components/main/layouts.js | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index 52584169..9838354f 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -87,7 +87,7 @@ Template.userFormsLayout.events({ event.stopImmediatePropagation(); Meteor.subscribe('user-authenticationMethod', email, { - onReady() { + onReady() { return authentication.call(this, instance, email, password); }, }); @@ -112,7 +112,7 @@ function authentication(instance, email, password) { // If user doesn't exist, uses the default authentication method if it defined if (user === undefined) { user = { - "authenticationMethod": instance.data.defaultAuthenticationMethod.get() + 'authenticationMethod': instance.data.defaultAuthenticationMethod.get(), }; } @@ -128,4 +128,4 @@ function authentication(instance, email, password) { }); } return this.stop(); -} \ No newline at end of file +} -- cgit v1.2.3-1-g7c22 From cb24b8519154b13685af58f67b492d850abbf3c2 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 16 Nov 2018 21:48:53 +0200 Subject: Improve authentication. Thanks to Akuket. --- CHANGELOG.md | 7 ++++++- 1 file changed, 6 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 698d5aea..a396b389 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,12 +1,17 @@ # Upcoming Wekan release -This release adds the following new features: +This release adds the following new features and bugfixes: - Add languages, thanks to translators: - Danish - Swahili / Kiswahili - Rename Recycle Bin to Archive. Thanks to xet7. - Update readme for clarity. Thanks to xet7. +- [Improve authentication](https://github.com/wekan/wekan/pull/2003), thanks to Akuket: + - Removing the select box: Now it just checks the user.authenticationMethod value to choose the authentication method. + - Adding an option to choose the default authentication method with env var. + - Bug fix that allowed a user to connect with the password method while his user.authenticationMethod is "ldap" for example. + - Adding a server-side method which allows disconnecting a user after a delay defined by env vars. Thanks to above GitHub users and translators for their contributions. -- cgit v1.2.3-1-g7c22 From 685eb0f22c0a3fc4dc4b7334f976edfc792151fd Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 16 Nov 2018 22:00:50 +0200 Subject: - [Improve shell scripts](https://github.com/wekan/wekan/pull/2002). Thanks to warnerjon12. --- CHANGELOG.md | 1 + 1 file changed, 1 insertion(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index a396b389..f91b1c36 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -12,6 +12,7 @@ This release adds the following new features and bugfixes: - Adding an option to choose the default authentication method with env var. - Bug fix that allowed a user to connect with the password method while his user.authenticationMethod is "ldap" for example. - Adding a server-side method which allows disconnecting a user after a delay defined by env vars. +- [Improve shell scripts](https://github.com/wekan/wekan/pull/2002). Thanks to warnerjon12. Thanks to above GitHub users and translators for their contributions. -- cgit v1.2.3-1-g7c22 From 960b33c3d91f2d3c943b8d889292ac4e7407ddcd Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 17 Nov 2018 00:30:49 +0200 Subject: v1.71 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index f91b1c36..1b85499b 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.71 2018-11-17 Wekan release This release adds the following new features and bugfixes: diff --git a/package.json b/package.json index 122097fa..2a900138 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.70.0", + "version": "v1.71.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 45e4e237..d864798c 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 173, + appVersion = 174, # Increment this for every release. - appMarketingVersion = (defaultText = "1.70.0~2018-11-09"), + appMarketingVersion = (defaultText = "1.71.0~2018-11-17"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 4daf69e4b6354da3e5b8270532b766a000699f16 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 17 Nov 2018 15:15:50 +0200 Subject: Update translations. --- i18n/fi.i18n.json | 42 +++++++++++++++---------------- releases/translations/push-translation.sh | 1 + 2 files changed, 22 insertions(+), 21 deletions(-) create mode 100755 releases/translations/push-translation.sh diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 0295d59d..2e98899c 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "luotu mukautettu kenttä __customField__", "act-createList": "lisätty __list__ taululle __board__", "act-addBoardMember": "lisätty __member__ taululle __board__", - "act-archivedBoard": "__board__ siirretty Arkistoin", - "act-archivedCard": "__card__ siirretty Arkistoin", - "act-archivedList": "__list__ siirretty Arkistoin", - "act-archivedSwimlane": "__swimlane__ siirretty Arkistoin", + "act-archivedBoard": "__board__ siirretty Arkistoon", + "act-archivedCard": "__card__ siirretty Arkistoon", + "act-archivedList": "__list__ siirretty Arkistoon", + "act-archivedSwimlane": "__swimlane__ siirretty Arkistoon", "act-importBoard": "tuotu __board__", "act-importCard": "tuotu __card__", "act-importList": "tuotu __list__", @@ -29,7 +29,7 @@ "activities": "Toimet", "activity": "Toiminta", "activity-added": "lisätty %s kohteeseen %s", - "activity-archived": "%s siirretty Arkistoin", + "activity-archived": "%s siirretty Arkistoon", "activity-attached": "liitetty %s kohteeseen %s", "activity-created": "luotu %s", "activity-customfield-created": "luotu mukautettu kenttä %s", @@ -79,14 +79,14 @@ "and-n-other-card_plural": "Ja __count__ muuta korttia", "apply": "Käytä", "app-is-offline": "Wekan latautuu, odota. Sivun uudelleenlataus aiheuttaa tietojen menettämisen. Jos Wekan ei lataudu, tarkista että Wekan palvelin ei ole pysähtynyt.", - "archive": "Siirrä Arkistoin", - "archive-all": "Siirrä kaikki Arkistoin", - "archive-board": "Siirrä taulu Arkistoin", - "archive-card": "Siirrä kortti Arkistoin", - "archive-list": "Siirrä lista Arkistoin", - "archive-swimlane": "Siirrä Swimlane Arkistoin", - "archive-selection": "Siirrä valinta Arkistoin", - "archiveBoardPopup-title": "Siirrä taulu Arkistoin?", + "archive": "Siirrä Arkistoon", + "archive-all": "Siirrä kaikki Arkistoon", + "archive-board": "Siirrä taulu Arkistoon", + "archive-card": "Siirrä kortti Arkistoon", + "archive-list": "Siirrä lista Arkistoon", + "archive-swimlane": "Siirrä Swimlane Arkistoon", + "archive-selection": "Siirrä valinta Arkistoon", + "archiveBoardPopup-title": "Siirrä taulu Arkistoon?", "archived-items": "Arkisto", "archived-boards": "Taulut Arkistossa", "restore-board": "Palauta taulu", @@ -118,12 +118,12 @@ "board-view-lists": "Listat", "bucket-example": "Kuten “Laatikko lista” esimerkiksi", "cancel": "Peruuta", - "card-archived": "Tämä kortti on siirretty Arkistoin.", - "board-archived": "Tämä taulu on siirretty Arkistoin.", + "card-archived": "Tämä kortti on siirretty Arkistoon.", + "board-archived": "Tämä taulu on siirretty Arkistoon.", "card-comments-title": "Tässä kortissa on %s kommenttia.", "card-delete-notice": "Poistaminen on lopullista. Menetät kaikki toimet jotka on liitetty tähän korttiin.", "card-delete-pop": "Kaikki toimet poistetaan toimintasyötteestä ja et tule pystymään uudelleenavaamaan korttia. Tätä ei voi peruuttaa.", - "card-delete-suggest-archive": "Voit siirtää kortin Arkistoin poistaaksesi sen taululta ja säilyttääksesi toimintalokin.", + "card-delete-suggest-archive": "Voit siirtää kortin Arkistoon poistaaksesi sen taululta ja säilyttääksesi toimintalokin.", "card-due": "Erääntyy", "card-due-on": "Erääntyy", "card-spent": "Käytetty aika", @@ -315,7 +315,7 @@ "leave-board-pop": "Haluatko varmasti poistua taululta __boardTitle__? Sinut poistetaan kaikista tämän taulun korteista.", "leaveBoardPopup-title": "Jää pois taululta ?", "link-card": "Linkki tähän korttiin", - "list-archive-cards": "Siirrä kaikki tämän listan kortit Arkistoin", + "list-archive-cards": "Siirrä kaikki tämän listan kortit Arkistoon", "list-archive-cards-pop": "Tämä poistaa kaikki tämän listan kortit taululta. Nähdäksesi Arkistossa olevat kortit ja tuodaksesi ne takaisin taululle, klikkaa “Valikko” > “Arkisto”.", "list-move-cards": "Siirrä kaikki kortit tässä listassa", "list-select-cards": "Valitse kaikki kortit tässä listassa", @@ -325,7 +325,7 @@ "listMorePopup-title": "Lisää", "link-list": "Linkki tähän listaan", "list-delete-pop": "Kaikki toimet poistetaan toimintasyötteestä ja listan poistaminen on lopullista. Tätä ei pysty peruuttamaan.", - "list-delete-suggest-archive": "Voit siirtää listan Arkistoin poistaaksesi sen taululta ja säilyttääksesi toimintalokin.", + "list-delete-suggest-archive": "Voit siirtää listan Arkistoon poistaaksesi sen taululta ja säilyttääksesi toimintalokin.", "lists": "Listat", "swimlanes": "Swimlanet", "log-out": "Kirjaudu ulos", @@ -545,7 +545,7 @@ "r-list": "lista", "r-moved-to": "Siirretty kohteeseen", "r-moved-from": "Siirretty kohteesta", - "r-archived": "Siirretty Arkistoin", + "r-archived": "Siirretty Arkistoon", "r-unarchived": "Palautettu Arkistosta", "r-a-card": "kortti", "r-when-a-label-is": "Kun tunniste on", @@ -568,7 +568,7 @@ "r-top-of": "Päällä kohteen", "r-bottom-of": "Pohjalla kohteen", "r-its-list": "sen lista", - "r-archive": "Siirrä Arkistoin", + "r-archive": "Siirrä Arkistoon", "r-unarchive": "Palauta Arkistosta", "r-card": "kortti", "r-add": "Lisää", @@ -596,7 +596,7 @@ "r-d-send-email-to": "vastaanottajalle", "r-d-send-email-subject": "aihe", "r-d-send-email-message": "viesti", - "r-d-archive": "Siirrä kortti Arkistoin", + "r-d-archive": "Siirrä kortti Arkistoon", "r-d-unarchive": "Palauta kortti Arkistosta", "r-d-add-label": "Lisää tunniste", "r-d-remove-label": "Poista tunniste", diff --git a/releases/translations/push-translation.sh b/releases/translations/push-translation.sh new file mode 100755 index 00000000..fb92c723 --- /dev/null +++ b/releases/translations/push-translation.sh @@ -0,0 +1 @@ +tx push -t -l $1 -- cgit v1.2.3-1-g7c22 From 7a75d821147c7d9e2ad48b212348c4bf2d4db063 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 17 Nov 2018 15:20:33 +0200 Subject: v1.72 --- CHANGELOG.md | 4 ++++ package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 7 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 1b85499b..0b73d3a2 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,7 @@ +# v1.72 2018-11-17 Wekan release + +- Update translations (fi). + # v1.71 2018-11-17 Wekan release This release adds the following new features and bugfixes: diff --git a/package.json b/package.json index 2a900138..2643dfac 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.71.0", + "version": "v1.72.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index d864798c..72f11492 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 174, + appVersion = 175, # Increment this for every release. - appMarketingVersion = (defaultText = "1.71.0~2018-11-17"), + appMarketingVersion = (defaultText = "1.72.0~2018-11-17"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From aa691b0af105c8dbc5443b1e0823a701e53c3871 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 17 Nov 2018 16:50:42 +0200 Subject: - Revert Improve authentication to [fix Login failure](https://github.com/wekan/wekan/issues/2004). Thanks to xet7 ! Closes #2004 --- .meteor/packages | 1 - .meteor/versions | 1 - Dockerfile | 10 +-- client/components/main/layouts.jade | 1 + client/components/main/layouts.js | 87 ++++++++++++------------ client/components/settings/connectionMethod.jade | 6 ++ client/components/settings/connectionMethod.js | 34 +++++++++ docker-compose.yml | 12 ---- models/settings.js | 31 --------- models/users.js | 8 +-- server/publications/users.js | 1 - snap-src/bin/config | 18 +---- snap-src/bin/wekan-help | 16 ----- 13 files changed, 89 insertions(+), 137 deletions(-) create mode 100644 client/components/settings/connectionMethod.jade create mode 100644 client/components/settings/connectionMethod.js diff --git a/.meteor/packages b/.meteor/packages index f8626704..3779a684 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -89,4 +89,3 @@ mquandalle:moment msavin:usercache wekan:wekan-ldap wekan:accounts-cas -msavin:sjobs diff --git a/.meteor/versions b/.meteor/versions index 5235e6a0..6415eb8b 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -117,7 +117,6 @@ mquandalle:jquery-ui-drag-drop-sort@0.2.0 mquandalle:moment@1.0.1 mquandalle:mousetrap-bindglobal@0.0.1 mquandalle:perfect-scrollbar@0.6.5_2 -msavin:sjobs@3.0.6 msavin:usercache@1.0.0 npm-bcrypt@0.9.3 npm-mongo@2.2.33 diff --git a/Dockerfile b/Dockerfile index 90f1d0a4..bab307e3 100644 --- a/Dockerfile +++ b/Dockerfile @@ -64,10 +64,6 @@ ARG LDAP_SYNC_USER_DATA ARG LDAP_SYNC_USER_DATA_FIELDMAP ARG LDAP_SYNC_GROUP_ROLES ARG LDAP_DEFAULT_DOMAIN -ARG LOGOUT_WITH_TIMER -ARG LOGOUT_IN -ARG LOGOUT_ON_HOURS -ARG LOGOUT_ON_MINUTES # Set the environment variables (defaults where required) # DOES NOT WORK: paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303 @@ -134,11 +130,7 @@ ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential pyth LDAP_SYNC_USER_DATA=false \ LDAP_SYNC_USER_DATA_FIELDMAP="" \ LDAP_SYNC_GROUP_ROLES="" \ - LDAP_DEFAULT_DOMAIN="" \ - LOGOUT_WITH_TIMER="false" \ - LOGOUT_IN="" \ - LOGOUT_ON_HOURS="" \ - LOGOUT_ON_MINUTES="" + LDAP_DEFAULT_DOMAIN="" # Copy the app to the image COPY ${SRC_PATH} /home/wekan/app diff --git a/client/components/main/layouts.jade b/client/components/main/layouts.jade index ac7da3af..68876dc5 100644 --- a/client/components/main/layouts.jade +++ b/client/components/main/layouts.jade @@ -18,6 +18,7 @@ template(name="userFormsLayout") img(src="{{pathFor '/wekan-logo.png'}}" alt="Wekan") section.auth-dialog +Template.dynamic(template=content) + +connectionMethod if isCas .at-form button#cas(class='at-btn submit' type='submit') {{casSignInLabel}} diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index 9838354f..393f890b 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -6,13 +6,23 @@ const i18nTagToT9n = (i18nTag) => { return i18nTag; }; -Template.userFormsLayout.onCreated(function() { - Meteor.call('getDefaultAuthenticationMethod', (error, result) => { - this.data.defaultAuthenticationMethod = new ReactiveVar(error ? undefined : result); - }); -}); +const validator = { + set(obj, prop, value) { + if (prop === 'state' && value !== 'signIn') { + $('.at-form-authentication').hide(); + } else if (prop === 'state' && value === 'signIn') { + $('.at-form-authentication').show(); + } + // The default behavior to store the value + obj[prop] = value; + // Indicate success + return true; + }, +}; Template.userFormsLayout.onRendered(() => { + AccountsTemplates.state.form.keys = new Proxy(AccountsTemplates.state.form.keys, validator); + const i18nTag = navigator.language; if (i18nTag) { T9n.setLanguage(i18nTagToT9n(i18nTag)); @@ -71,14 +81,13 @@ Template.userFormsLayout.events({ } }); }, - 'click #at-btn'(event, instance) { + 'click #at-btn'(event) { /* All authentication method can be managed/called here. !! DON'T FORGET to correctly fill the fields of the user during its creation if necessary authenticationMethod : String !! */ - const email = $('#at-field-username_and_email').val(); - const password = $('#at-field-password').val(); - - if (FlowRouter.getRouteName() !== 'atSignIn' || password === '') { + const authenticationMethodSelected = $('.select-authentication').val(); + // Local account + if (authenticationMethodSelected === 'password') { return; } @@ -86,11 +95,29 @@ Template.userFormsLayout.events({ event.preventDefault(); event.stopImmediatePropagation(); - Meteor.subscribe('user-authenticationMethod', email, { - onReady() { - return authentication.call(this, instance, email, password); - }, - }); + const email = $('#at-field-username_and_email').val(); + const password = $('#at-field-password').val(); + + // Ldap account + if (authenticationMethodSelected === 'ldap') { + // Check if the user can use the ldap connection + Meteor.subscribe('user-authenticationMethod', email, { + onReady() { + const user = Users.findOne(); + if (user === undefined || user.authenticationMethod === 'ldap') { + // Use the ldap connection package + Meteor.loginWithLDAP(email, password, function(error) { + if (!error) { + // Connection + return FlowRouter.go('/'); + } + return error; + }); + } + return this.stop(); + }, + }); + } }, }); @@ -99,33 +126,3 @@ Template.defaultLayout.events({ Modal.close(); }, }); - -function authentication(instance, email, password) { - let user = Users.findOne(); - // Authentication with password - if (user && user.authenticationMethod === 'password') { - $('#at-pwd-form').submit(); - // Meteor.call('logoutWithTimer', user._id, () => {}); - return this.stop(); - } - - // If user doesn't exist, uses the default authentication method if it defined - if (user === undefined) { - user = { - 'authenticationMethod': instance.data.defaultAuthenticationMethod.get(), - }; - } - - // Authentication with LDAP - if (user.authenticationMethod === 'ldap') { - // Use the ldap connection package - Meteor.loginWithLDAP(email, password, function(error) { - if (!error) { - // Meteor.call('logoutWithTimer', Users.findOne()._id, () => {}); - return FlowRouter.go('/'); - } - return error; - }); - } - return this.stop(); -} diff --git a/client/components/settings/connectionMethod.jade b/client/components/settings/connectionMethod.jade new file mode 100644 index 00000000..ac4c8c64 --- /dev/null +++ b/client/components/settings/connectionMethod.jade @@ -0,0 +1,6 @@ +template(name='connectionMethod') + div.at-form-authentication + label {{_ 'authentication-method'}} + select.select-authentication + each authentications + option(value="{{value}}") {{_ value}} diff --git a/client/components/settings/connectionMethod.js b/client/components/settings/connectionMethod.js new file mode 100644 index 00000000..9fe8f382 --- /dev/null +++ b/client/components/settings/connectionMethod.js @@ -0,0 +1,34 @@ +Template.connectionMethod.onCreated(function() { + this.authenticationMethods = new ReactiveVar([]); + + Meteor.call('getAuthenticationsEnabled', (_, result) => { + if (result) { + // TODO : add a management of different languages + // (ex {value: ldap, text: TAPi18n.__('ldap', {}, T9n.getLanguage() || 'en')}) + this.authenticationMethods.set([ + {value: 'password'}, + // Gets only the authentication methods availables + ...Object.entries(result).filter((e) => e[1]).map((e) => ({value: e[0]})), + ]); + } + + // If only the default authentication available, hides the select boxe + const content = $('.at-form-authentication'); + if (!(this.authenticationMethods.get().length > 1)) { + content.hide(); + } else { + content.show(); + } + }); +}); + +Template.connectionMethod.onRendered(() => { + // Moves the select boxe in the first place of the at-pwd-form div + $('.at-form-authentication').detach().prependTo('.at-pwd-form'); +}); + +Template.connectionMethod.helpers({ + authentications() { + return Template.instance().authenticationMethods.get(); + }, +}); diff --git a/docker-compose.yml b/docker-compose.yml index 3a3befbb..56ca7775 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -195,18 +195,6 @@ services: # LDAP_DEFAULT_DOMAIN : The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP # example : #- LDAP_DEFAULT_DOMAIN= - # LOGOUT_WITH_TIMER : Enables or not the option logout with timer - # example : LOGOUT_WITH_TIMER=true - #- LOGOUT_WITH_TIMER= - # LOGOUT_IN : The number of days - # example : LOGOUT_IN=1 - #- LOGOUT_IN= - # LOGOUT_ON_HOURS : The number of hours - # example : LOGOUT_ON_HOURS=9 - #- LOGOUT_ON_HOURS= - # LOGOUT_ON_MINUTES : The number of minutes - # example : LOGOUT_ON_MINUTES=55 - #- LOGOUT_ON_MINUTES= depends_on: - wekandb diff --git a/models/settings.js b/models/settings.js index 6c9f5a53..c2a9bf01 100644 --- a/models/settings.js +++ b/models/settings.js @@ -76,7 +76,6 @@ if (Meteor.isServer) { }, createdAt: now, modifiedAt: now}; Settings.insert(defaultSetting); } - const newSetting = Settings.findOne(); if (!process.env.MAIL_URL && newSetting.mailUrl()) process.env.MAIL_URL = newSetting.mailUrl(); @@ -236,35 +235,5 @@ if (Meteor.isServer) { cas: isCasEnabled(), }; }, - - getDefaultAuthenticationMethod() { - return process.env.DEFAULT_AUTHENTICATION_METHOD; - }, - - // TODO: patch error : did not check all arguments during call - logoutWithTimer(userId) { - if (process.env.LOGOUT_WITH_TIMER) { - Jobs.run('logOut', userId, { - in: { - days: process.env.LOGOUT_IN, - }, - on: { - hour: process.env.LOGOUT_ON_HOURS, - minute: process.env.LOGOUT_ON_MINUTES, - }, - priority: 1, - }); - } - }, - }); - - Jobs.register({ - logOut(userId) { - Meteor.users.update( - {_id: userId}, - {$set: {'services.resume.loginTokens': []}} - ); - this.success(); - }, }); } diff --git a/models/users.js b/models/users.js index 2e879d94..630f4703 100644 --- a/models/users.js +++ b/models/users.js @@ -520,10 +520,10 @@ if (Meteor.isServer) { } const disableRegistration = Settings.findOne().disableRegistration; - if (!disableRegistration) { - if (options.ldap) { - user.authenticationMethod = 'ldap'; - } + // If ldap, bypass the inviation code if the self registration isn't allowed. + // TODO : pay attention if ldap field in the user model change to another content ex : ldap field to connection_type + if (options.ldap || !disableRegistration) { + user.authenticationMethod = 'ldap'; return user; } diff --git a/server/publications/users.js b/server/publications/users.js index 136e1e08..f0c94153 100644 --- a/server/publications/users.js +++ b/server/publications/users.js @@ -22,7 +22,6 @@ Meteor.publish('user-authenticationMethod', function(match) { check(match, String); return Users.find({$or: [{_id: match}, {email: match}, {username: match}]}, { fields: { - '_id': 1, 'authenticationMethod': 1, }, }); diff --git a/snap-src/bin/config b/snap-src/bin/config index a89dfffd..a19baf7d 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -3,7 +3,7 @@ # All supported keys are defined here together with descriptions and default values # list of supported keys -keys="MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN LOGOUT_WITH_TIMER, LOGOUT_IN, LOGOUT_ON_HOURS, LOGOUT_ON_MINUTES" +keys="MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN" # default values DESCRIPTION_MONGODB_BIND_UNIX_SOCKET="mongodb binding unix socket:\n"\ @@ -265,19 +265,3 @@ KEY_LDAP_SYNC_GROUP_ROLES="ldap-sync-group-roles" DESCRIPTION_LDAP_DEFAULT_DOMAIN="The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP" DEFAULT_LDAP_DEFAULT_DOMAIN="" KEY_LDAP_DEFAULT_DOMAIN="ldap-default-domain" - -DESCRIPTION_LOGOUT_WITH_TIMER="Enables or not the option logout with timer" -DEFAULT_LOGOUT_WITH_TIMER="false" -KEY_LOGOUT_WITH_TIMER="logout-with-timer" - -DESCRIPTION_LOGOUT_IN="The number of days" -DEFAULT_LOGOUT_IN="" -KEY_LOGOUT_IN="logout-in" - -DESCRIPTION_LOGOUT_ON_HOURS="The number of hours" -DEFAULT_LOGOUT_ON_HOURS="" -KEY_LOGOUT_ON_HOURS="logout-on-hours" - -DESCRIPTION_LOGOUT_ON_MINUTES="The number of minutes" -DEFAULT_LOGOUT_ON_MINUTES="" -KEY_LOGOUT_ON_MINUTES="logout-on-minutes" diff --git a/snap-src/bin/wekan-help b/snap-src/bin/wekan-help index 4cd0001e..c488a538 100755 --- a/snap-src/bin/wekan-help +++ b/snap-src/bin/wekan-help @@ -245,22 +245,6 @@ echo -e "Ldap Default Domain." echo -e "The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP:" echo -e "\t$ snap set $SNAP_NAME LDAP_DEFAULT_DOMAIN=''" echo -e "\n" -echo -e "Logout with timer." -echo -e "Enable or not the option that allows to disconnect an user after a given time:" -echo -e "\t$ snap set $SNAP_NAME LOGOUT_WITH_TIMER='true'" -echo -e "\n" -echo -e "Logout in." -echo -e "Logout in how many days:" -echo -e "\t$ snap set $SNAP_NAME LOGOUT_IN='1'" -echo -e "\n" -echo -e "Logout on hours." -echo -e "Logout in how many hours:" -echo -e "\t$ snap set $SNAP_NAME LOGOUT_ON_HOURS='9'" -echo -e "\n" -echo -e "Logout on minutes." -echo -e "Logout in how many minutes:" -echo -e "\t$ snap set $SNAP_NAME LOGOUT_ON_MINUTES='5'" -echo -e "\n" # parse config file for supported settings keys echo -e "wekan supports settings keys" echo -e "values can be changed by calling\n$ snap set $SNAP_NAME =''" -- cgit v1.2.3-1-g7c22 From 21a8c7cc45e03dafd8ea3f255a7fc7106cd61ae0 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 17 Nov 2018 16:57:12 +0200 Subject: v1.73 --- CHANGELOG.md | 8 ++++++++ package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 11 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 0b73d3a2..2572bb81 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# v1.73 2018-11-17 Wekan release + +This release fixes the following bugs: + +- Revert Improve authentication to [fix Login failure](https://github.com/wekan/wekan/issues/2004). + +Thanks to GitHub users Broxxx3 and xet7 for their contributions. + # v1.72 2018-11-17 Wekan release - Update translations (fi). diff --git a/package.json b/package.json index 2643dfac..1dcd7261 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.72.0", + "version": "v1.73.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 72f11492..e20984eb 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 175, + appVersion = 176, # Increment this for every release. - appMarketingVersion = (defaultText = "1.72.0~2018-11-17"), + appMarketingVersion = (defaultText = "1.73.0~2018-11-17"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From d4ec0cc64704751c15cd00ba33bed4ea15434011 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 17 Nov 2018 17:41:31 +0200 Subject: v1.74 --- CHANGELOG.md | 4 ++++ package.json | 2 +- sandstorm-pkgdef.capnp | 2 +- 3 files changed, 6 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 2572bb81..e1513372 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,7 @@ +# v1.74 2018-11-17 Wekan release + +- Update version number to get this released to snap. Thanks to xet7. + # v1.73 2018-11-17 Wekan release This release fixes the following bugs: diff --git a/package.json b/package.json index 1dcd7261..4fa37da6 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.73.0", + "version": "v1.74.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index e20984eb..e18303e7 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -25,7 +25,7 @@ const pkgdef :Spk.PackageDefinition = ( appVersion = 176, # Increment this for every release. - appMarketingVersion = (defaultText = "1.73.0~2018-11-17"), + appMarketingVersion = (defaultText = "1.74.0~2018-11-17"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From b5d1799f5a4d95b5d6f76a451f0c76ba1905a205 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 18 Nov 2018 20:15:18 +0200 Subject: v1.74.1 - Full Name from LDAP server via environment variable. Thanks to alkemyst. Closes wekan/wekan-ldap#10 --- CHANGELOG.md | 8 ++++++++ package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 11 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index e1513372..739b19e3 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# v1.74.1 2018-11-18 Wekan Edge release + +This release adds the following new features: + +- [Full Name from LDAP server via environment variable](https://github.com/wekan/wekan-ldap/pull/18). + +Thanks to GitHub user alkemyst for contributions. + # v1.74 2018-11-17 Wekan release - Update version number to get this released to snap. Thanks to xet7. diff --git a/package.json b/package.json index 4fa37da6..158f55a0 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.74.0", + "version": "v1.74.1", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index e18303e7..470bf23a 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 176, + appVersion = 177, # Increment this for every release. - appMarketingVersion = (defaultText = "1.74.0~2018-11-17"), + appMarketingVersion = (defaultText = "1.74.1~2018-11-17"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From dbf3a48b5ff25c22030adbffd736075778f60c8c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 19 Nov 2018 23:11:37 +0200 Subject: Update GitHub issue template for LDAP and Snap issues elsewhere. --- .github/ISSUE_TEMPLATE.md | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/.github/ISSUE_TEMPLATE.md b/.github/ISSUE_TEMPLATE.md index 8a92ed83..cca047ea 100644 --- a/.github/ISSUE_TEMPLATE.md +++ b/.github/ISSUE_TEMPLATE.md @@ -1,5 +1,11 @@ ## Issue +Add these issues to elsewhere: +- LDAP: https://github.com/wekan/wekan-ldap/issues +- Snap: https://github.com/wekan/wekan-snap/issues + +Other Wekan issues can be added here. + **Server Setup Information**: * Did you test in newest Wekan?: -- cgit v1.2.3-1-g7c22 From cb9ced756fb9fd0f731fe194d732f21bcb156578 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 19 Nov 2018 23:28:37 +0200 Subject: - [Fix Snap database-list-backups command](https://github.com/wekan/wekan-snap/issues/26). Thanks to WaryWolf. Closes wekan/wekan-snap#26 --- CHANGELOG.md | 8 ++++++++ snapcraft.yaml | 2 +- 2 files changed, 9 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 739b19e3..97531d75 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- [Fix Snap database-list-backups command](https://github.com/wekan/wekan-snap/issues/26). Thanks to WaryWolf. + +Thanks to above GitHub users for their contributions. + # v1.74.1 2018-11-18 Wekan Edge release This release adds the following new features: diff --git a/snapcraft.yaml b/snapcraft.yaml index 8ab977c5..bb1f337f 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -57,7 +57,7 @@ apps: plugs: [network, network-bind] database-list-backups: - command: ls -ald $SNAP_COMMON/db-backups/* + command: ls -al $SNAP_COMMON/db-backups/ database-restore: command: mongodb-restore -- cgit v1.2.3-1-g7c22 From dd6ba152a0b38950f82ec98fbe51fb746c402615 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 20 Nov 2018 02:38:00 +0200 Subject: Admin Panel / Layout: Hide Logo: Yes / No. This does hide Wekan logo on Login page and Board page. Thanks to xet7. --- CHANGELOG.md | 6 +++++- client/components/main/header.jade | 6 ++++-- client/components/main/header.js | 5 +++++ client/components/main/layouts.jade | 9 +++++++-- client/components/main/layouts.js | 11 +++++++++++ client/components/settings/settingBody.jade | 8 +++++++- client/components/settings/settingBody.js | 10 +++++++++- i18n/en.i18n.json | 3 ++- models/settings.js | 4 ++++ server/migrations.js | 12 ++++++++++++ server/publications/settings.js | 2 +- 11 files changed, 67 insertions(+), 9 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 97531d75..b5ceb84f 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,6 +1,10 @@ # Upcoming Wekan release -This release fixes the following bugs: +This release adds the following new features: + +- Admin Panel / Layout: Hide Logo: Yes / No. This does hide Wekan logo on Login page and Board page. Thanks to xet7. + +and fixes the following bugs: - [Fix Snap database-list-backups command](https://github.com/wekan/wekan-snap/issues/26). Thanks to WaryWolf. diff --git a/client/components/main/header.jade b/client/components/main/header.jade index 2751c0cc..e21ce096 100644 --- a/client/components/main/header.jade +++ b/client/components/main/header.jade @@ -47,6 +47,7 @@ template(name="header") +Template.dynamic(template=headerBar) unless hideLogo + //- On sandstorm, the logo shouldn't be clickable, because we only have one page/document on it, and we don't want to see the home page containing @@ -55,8 +56,9 @@ template(name="header") .wekan-logo img(src="{{pathFor '/wekan-logo-header.png'}}" alt="Wekan") else - a.wekan-logo(href="{{pathFor 'home'}}" title="{{_ 'header-logo-title'}}") - img(src="{{pathFor '/wekan-logo-header.png'}}" alt="Wekan") + unless currentSetting.hideLogo + a.wekan-logo(href="{{pathFor 'home'}}" title="{{_ 'header-logo-title'}}") + img(src="{{pathFor '/wekan-logo-header.png'}}" alt="Wekan") if appIsOffline +offlineWarning diff --git a/client/components/main/header.js b/client/components/main/header.js index 7fbc5716..c05b1c3c 100644 --- a/client/components/main/header.js +++ b/client/components/main/header.js @@ -1,11 +1,16 @@ Meteor.subscribe('user-admin'); Meteor.subscribe('boards'); +Meteor.subscribe('setting'); Template.header.helpers({ wrappedHeader() { return !Session.get('currentBoard'); }, + currentSetting() { + return Settings.findOne(); + }, + hideLogo() { return Utils.isMiniScreen() && Session.get('currentBoard'); }, diff --git a/client/components/main/layouts.jade b/client/components/main/layouts.jade index 68876dc5..e434eaba 100644 --- a/client/components/main/layouts.jade +++ b/client/components/main/layouts.jade @@ -14,8 +14,13 @@ head template(name="userFormsLayout") section.auth-layout - h1.at-form-landing-logo - img(src="{{pathFor '/wekan-logo.png'}}" alt="Wekan") + unless currentSetting.hideLogo + h1.at-form-landing-logo + img(src="{{pathFor '/wekan-logo.png'}}" alt="Wekan") + if currentSetting.hideLogo + h1 + br + br section.auth-dialog +Template.dynamic(template=content) +connectionMethod diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index 393f890b..d4a9d6d1 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -20,7 +20,13 @@ const validator = { }, }; +Template.userFormsLayout.onCreated(() => { + Meteor.subscribe('setting'); + +}); + Template.userFormsLayout.onRendered(() => { + AccountsTemplates.state.form.keys = new Proxy(AccountsTemplates.state.form.keys, validator); const i18nTag = navigator.language; @@ -31,6 +37,11 @@ Template.userFormsLayout.onRendered(() => { }); Template.userFormsLayout.helpers({ + + currentSetting() { + return Settings.findOne(); + }, + languages() { return _.map(TAPi18n.getLanguages(), (lang, code) => { const tag = code; diff --git a/client/components/settings/settingBody.jade b/client/components/settings/settingBody.jade index a05be1c6..bc6e0f50 100644 --- a/client/components/settings/settingBody.jade +++ b/client/components/settings/settingBody.jade @@ -134,10 +134,16 @@ template(name='announcementSettings') template(name='layoutSettings') ul#layout-setting.setting-detail + li.layout-form + .title {{_ 'hide-logo'}} + .form-group.flex + input.form-control#hide-logo(type="radio" name="hideLogo" value="true" checked="{{#if currentSetting.hideLogo}}checked{{/if}}") + span {{_ 'yes'}} + input.form-control#hide-logo(type="radio" name="hideLogo" value="false" checked="{{#unless currentSetting.hideLogo}}checked{{/unless}}") + span {{_ 'no'}} li.layout-form .title {{_ 'custom-product-name'}} .form-group input.form-control#product-name(type="text", placeholder="Wekan" value="{{currentSetting.productName}}") - li button.js-save-layout.primary {{_ 'save'}} diff --git a/client/components/settings/settingBody.js b/client/components/settings/settingBody.js index 4ad65400..5bebc8d0 100644 --- a/client/components/settings/settingBody.js +++ b/client/components/settings/settingBody.js @@ -59,6 +59,9 @@ BlazeComponent.extendComponent({ toggleTLS() { $('#mail-server-tls').toggleClass('is-checked'); }, + toggleHideLogo() { + $('#hide-logo').toggleClass('is-checked'); + }, switchMenu(event) { const target = $(event.target); if (!target.hasClass('active')) { @@ -135,11 +138,15 @@ BlazeComponent.extendComponent({ this.setLoading(true); $('li').removeClass('has-error'); + const productName = $('#product-name').val().trim(); + const hideLogoChange = ($('input[name=hideLogo]:checked').val() === 'true'); + try { - const productName = $('#product-name').val().trim(); + Settings.update(Settings.findOne()._id, { $set: { productName, + hideLogo: hideLogoChange, }, }); } catch (e) { @@ -175,6 +182,7 @@ BlazeComponent.extendComponent({ 'click button.js-email-invite': this.inviteThroughEmail, 'click button.js-save': this.saveMailServerInfo, 'click button.js-send-smtp-test-email': this.sendSMTPTestEmail, + 'click a.js-toggle-hide-logo': this.toggleHideLogo, 'click button.js-save-layout': this.saveLayout, }]; }, diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 67e03cd0..9b1f2851 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -618,5 +618,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } diff --git a/models/settings.js b/models/settings.js index c2a9bf01..52212809 100644 --- a/models/settings.js +++ b/models/settings.js @@ -32,6 +32,10 @@ Settings.attachSchema(new SimpleSchema({ type: String, optional: true, }, + hideLogo: { + type: Boolean, + optional: true, + }, createdAt: { type: Date, denyUpdate: true, diff --git a/server/migrations.js b/server/migrations.js index 5b9cc341..56d2858d 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -362,3 +362,15 @@ Migrations.add('add-product-name', () => { }, }, noValidateMulti); }); + +Migrations.add('add-hide-logo', () => { + Settings.update({ + hideLogo: { + $exists: false, + }, + }, { + $set: { + hideLogo: false, + }, + }, noValidateMulti); +}); diff --git a/server/publications/settings.js b/server/publications/settings.js index 72538124..d2690439 100644 --- a/server/publications/settings.js +++ b/server/publications/settings.js @@ -1,5 +1,5 @@ Meteor.publish('setting', () => { - return Settings.find({}, {fields:{disableRegistration: 1, productName: 1}}); + return Settings.find({}, {fields:{disableRegistration: 1, productName: 1, hideLogo: 1}}); }); Meteor.publish('mailServer', function () { -- cgit v1.2.3-1-g7c22 From b72a68705c1f5f4df1d484f3585e5bfda5ff95ed Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 20 Nov 2018 02:42:14 +0200 Subject: Update translations. --- i18n/ar.i18n.json | 3 ++- i18n/bg.i18n.json | 3 ++- i18n/br.i18n.json | 3 ++- i18n/ca.i18n.json | 3 ++- i18n/cs.i18n.json | 3 ++- i18n/da.i18n.json | 3 ++- i18n/de.i18n.json | 3 ++- i18n/el.i18n.json | 3 ++- i18n/en-GB.i18n.json | 3 ++- i18n/eo.i18n.json | 3 ++- i18n/es-AR.i18n.json | 3 ++- i18n/es.i18n.json | 3 ++- i18n/eu.i18n.json | 3 ++- i18n/fa.i18n.json | 3 ++- i18n/fi.i18n.json | 3 ++- i18n/fr.i18n.json | 3 ++- i18n/gl.i18n.json | 3 ++- i18n/he.i18n.json | 3 ++- i18n/hi.i18n.json | 3 ++- i18n/hu.i18n.json | 3 ++- i18n/hy.i18n.json | 3 ++- i18n/id.i18n.json | 3 ++- i18n/ig.i18n.json | 3 ++- i18n/it.i18n.json | 3 ++- i18n/ja.i18n.json | 3 ++- i18n/ka.i18n.json | 3 ++- i18n/km.i18n.json | 3 ++- i18n/ko.i18n.json | 3 ++- i18n/lv.i18n.json | 3 ++- i18n/mn.i18n.json | 3 ++- i18n/nb.i18n.json | 3 ++- i18n/nl.i18n.json | 3 ++- i18n/pl.i18n.json | 3 ++- i18n/pt-BR.i18n.json | 3 ++- i18n/pt.i18n.json | 3 ++- i18n/ro.i18n.json | 3 ++- i18n/ru.i18n.json | 3 ++- i18n/sr.i18n.json | 3 ++- i18n/sv.i18n.json | 3 ++- i18n/sw.i18n.json | 3 ++- i18n/ta.i18n.json | 3 ++- i18n/th.i18n.json | 3 ++- i18n/tr.i18n.json | 3 ++- i18n/uk.i18n.json | 3 ++- i18n/vi.i18n.json | 3 ++- i18n/zh-CN.i18n.json | 3 ++- i18n/zh-TW.i18n.json | 3 ++- 47 files changed, 94 insertions(+), 47 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 838be70d..96a33aa7 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 32cc0c09..ad8ea80e 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index ed0e5fb2..af1ae61a 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index cd976bc2..5e1e4a3f 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index fbb3c1f0..30d3b230 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Metoda autentizace", "authentication-type": "Typ autentizace", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/da.i18n.json b/i18n/da.i18n.json index cd5eebdd..423c04c7 100644 --- a/i18n/da.i18n.json +++ b/i18n/da.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 48d5eeee..d26a46cc 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentifizierungsmethode", "authentication-type": "Authentifizierungstyp", "custom-product-name": "Benutzerdefinierter Produktname", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index a2d952b0..a1f3bc2d 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 18bd4b39..85c02c4b 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index 9bc1ad9f..8f182480 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index dee4bc56..6a8a439f 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 391ab3f5..4e07c15d 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index ae39a26a..fae5d5b2 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index dc19c579..ee479ed6 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "متد اعتبارسنجی", "authentication-type": "نوع اعتبارسنجی", "custom-product-name": "نام سفارشی محصول", - "layout": "لایه" + "layout": "لایه", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 2e98899c..3c2c16c6 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Kirjautumistapa", "authentication-type": "Kirjautumistyyppi", "custom-product-name": "Mukautettu tuotenimi", - "layout": "Ulkoasu" + "layout": "Ulkoasu", + "hide-logo": "Piilota Logo" } \ No newline at end of file diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 30b075e0..1bcedb34 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Méthode d'authentification", "authentication-type": "Type d'authentification", "custom-product-name": "Nom personnalisé", - "layout": "Interface" + "layout": "Interface", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 1ae1fea3..bbb127fd 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 27870825..5353e564 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/hi.i18n.json b/i18n/hi.i18n.json index d57c3f0f..25094011 100644 --- a/i18n/hi.i18n.json +++ b/i18n/hi.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index bd59f47e..304cffc6 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index 3e0585bb..7932b778 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 864ee8b9..ae89a932 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index c05a48d8..1e483265 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 6dc55773..6bc5f73f 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Metodo di Autenticazione", "authentication-type": "Tipo Autenticazione", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 84dfff20..592f3881 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index e019faf4..03165811 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index d424a871..0d8ddedf 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index 999c65f7..b4344d8f 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index ed8b521b..b8908ceb 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index fbfdde36..b67c2d97 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index feaab44f..3e7f5c3b 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 62e310bc..a819b5f7 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 790f224d..8132a50d 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Sposób autoryzacji", "authentication-type": "Typ autoryzacji", "custom-product-name": "Niestandardowa nazwa produktu", - "layout": "Układ strony" + "layout": "Układ strony", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 77d836ee..95511472 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index df9d0bf9..163edf8b 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index 02eafde6..0b33bba4 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index c5cc1102..7b6d63fa 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index 669ba24f..b6df90e2 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 14302494..07e99fbe 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/sw.i18n.json b/i18n/sw.i18n.json index 18883da6..19c81ef0 100644 --- a/i18n/sw.i18n.json +++ b/i18n/sw.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index fa52d09b..5a947273 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index 55928a4a..63a778e4 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index 469c1d85..952aae32 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index cacf2c75..d97be115 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index f07b5eec..228c1e0e 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 1b7255b4..8da0b566 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "认证方式", "authentication-type": "认证类型", "custom-product-name": "自定义产品名称", - "layout": "布局" + "layout": "布局", + "hide-logo": "Hide Logo" } \ No newline at end of file diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 494b145b..06828154 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -617,5 +617,6 @@ "authentication-method": "Authentication method", "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", - "layout": "Layout" + "layout": "Layout", + "hide-logo": "Hide Logo" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From f84bad13b4427cbaf2e1333869270cada09383a4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 20 Nov 2018 02:45:03 +0200 Subject: v1.75 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index b5ceb84f..55febdfb 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.75 2018-11-20 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index 158f55a0..380e0d65 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.74.1", + "version": "v1.75.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 470bf23a..63b22485 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 177, + appVersion = 178, # Increment this for every release. - appMarketingVersion = (defaultText = "1.74.1~2018-11-17"), + appMarketingVersion = (defaultText = "1.75.0~2018-11-20"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From f0232fb5cb0f2a890f346f2a0e7277c826244266 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 20 Nov 2018 11:35:14 +0200 Subject: - Fix: When saving Admin Panel / Layout, save also SMTP settings. Thanks to xet7 ! --- client/components/settings/settingBody.js | 2 ++ 1 file changed, 2 insertions(+) diff --git a/client/components/settings/settingBody.js b/client/components/settings/settingBody.js index 5bebc8d0..ddb4cd0f 100644 --- a/client/components/settings/settingBody.js +++ b/client/components/settings/settingBody.js @@ -155,6 +155,8 @@ BlazeComponent.extendComponent({ this.setLoading(false); } + saveMailServerInfo(); + }, sendSMTPTestEmail() { -- cgit v1.2.3-1-g7c22 From f9b272c223fb61d35dbf6cb741df80c96a0f0118 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 20 Nov 2018 11:38:39 +0200 Subject: - Fix: When saving Custom Layout, save also SMTP settings. Thanks to xet7. --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 55febdfb..b9a2b71b 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- Fix: When saving Custom Layout, save also SMTP settings. Thanks to xet7. + +Thanks to above GitHub users for their contributions. + # v1.75 2018-11-20 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From 8e3f53021775069dba125efd4b7200d0d70a1ed1 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 20 Nov 2018 12:11:37 +0200 Subject: - Add [LDAP_FULLNAME_FIELD](https://github.com/wekan/wekan-ldap/issues/10). Thanks to alkemyst and xet7. Closes wekan/wekan-ldap#21, closes wekan/wekan-ldap#10 --- Dockerfile | 2 + docker-compose-build.yml | 3 + docker-compose-postgresql.yml | 19 ++-- docker-compose.yml | 3 + releases/virtualbox/start-wekan.sh | 148 +++++++++++++++++++++++++++--- snap-src/bin/config | 6 +- snap-src/bin/wekan-help | 4 + start-wekan.sh | 179 +++++++++++++++++++++++++++++++++++-- 8 files changed, 334 insertions(+), 30 deletions(-) diff --git a/Dockerfile b/Dockerfile index bab307e3..f9b71521 100644 --- a/Dockerfile +++ b/Dockerfile @@ -59,6 +59,7 @@ ARG LDAP_GROUP_FILTER_GROUP_NAME ARG LDAP_UNIQUE_IDENTIFIER_FIELD ARG LDAP_UTF8_NAMES_SLUGIFY ARG LDAP_USERNAME_FIELD +ARG LDAP_FULLNAME_FIELD ARG LDAP_MERGE_EXISTING_USERS ARG LDAP_SYNC_USER_DATA ARG LDAP_SYNC_USER_DATA_FIELDMAP @@ -126,6 +127,7 @@ ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential pyth LDAP_UNIQUE_IDENTIFIER_FIELD="" \ LDAP_UTF8_NAMES_SLUGIFY=true \ LDAP_USERNAME_FIELD="" \ + LDAP_FULLNAME_FIELD="" \ LDAP_MERGE_EXISTING_USERS=false \ LDAP_SYNC_USER_DATA=false \ LDAP_SYNC_USER_DATA_FIELDMAP="" \ diff --git a/docker-compose-build.yml b/docker-compose-build.yml index a9b573c4..58c5c525 100644 --- a/docker-compose-build.yml +++ b/docker-compose-build.yml @@ -191,6 +191,9 @@ services: # LDAP_USERNAME_FIELD : Which field contains the ldap username # example : LDAP_USERNAME_FIELD=username #- LDAP_USERNAME_FIELD= + # LDAP_FULLNAME_FIELD : Which field contains the ldap fullname + # example : LDAP_FULLNAME_FIELD=fullname + #- LDAP_FULLNAME_FIELD= # LDAP_MERGE_EXISTING_USERS : # example : LDAP_MERGE_EXISTING_USERS=true #- LDAP_MERGE_EXISTING_USERS=false diff --git a/docker-compose-postgresql.yml b/docker-compose-postgresql.yml index 7689cc71..c8844408 100644 --- a/docker-compose-postgresql.yml +++ b/docker-compose-postgresql.yml @@ -41,15 +41,15 @@ services: - /bin/bash - "-c" - mongo --nodb --eval ' - var db; - while (!db) { - try { - db = new Mongo("mongodb:27017").getDB("local"); - } catch(ex) {} - sleep(3000); - }; + var db; + while (!db) { + try { + db = new Mongo("mongodb:27017").getDB("local"); + } catch(ex) {} + sleep(3000); + }; rs.initiate({_id:"rs1",members:[{_id:0,host:"mongodb:27017"}]}); - ' 1>/dev/null 2>&1 & + ' 1>/dev/null 2>&1 & mongod --replSet rs1 wekan: image: quay.io/wekan/wekan @@ -213,6 +213,9 @@ services: # LDAP_USERNAME_FIELD : Which field contains the ldap username # example : LDAP_USERNAME_FIELD=username #- LDAP_USERNAME_FIELD= + # LDAP_FULLNAME_FIELD : Which field contains the ldap fullname + # example : LDAP_FULLNAME_FIELD=fullname + #- LDAP_FULLNAME_FIELD= # LDAP_MERGE_EXISTING_USERS : # example : LDAP_MERGE_EXISTING_USERS=true #- LDAP_MERGE_EXISTING_USERS=false diff --git a/docker-compose.yml b/docker-compose.yml index 56ca7775..4d3f1c9b 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -180,6 +180,9 @@ services: # LDAP_USERNAME_FIELD : Which field contains the ldap username # example : LDAP_USERNAME_FIELD=username #- LDAP_USERNAME_FIELD= + # LDAP_FULLNAME_FIELD : Which field contains the ldap fullname + # example : LDAP_FULLNAME_FIELD=fullname + #- LDAP_FULLNAME_FIELD= # LDAP_MERGE_EXISTING_USERS : # example : LDAP_MERGE_EXISTING_USERS=true #- LDAP_MERGE_EXISTING_USERS=false diff --git a/releases/virtualbox/start-wekan.sh b/releases/virtualbox/start-wekan.sh index 67f52dc0..388e3066 100755 --- a/releases/virtualbox/start-wekan.sh +++ b/releases/virtualbox/start-wekan.sh @@ -24,17 +24,17 @@ #--------------------------------------------- ## Optional: Integration with Matomo https://matomo.org that is installed to your server ## The address of the server where Matomo is hosted: - # export MATOMO_ADDRESS='https://example.com/matomo' - export MATOMO_ADDRESS='' + ##export MATOMO_ADDRESS=https://example.com/matomo + #export MATOMO_ADDRESS= ## The value of the site ID given in Matomo server for Wekan - # export MATOMO_SITE_ID='123456789' - export MATOMO_SITE_ID='' + # Example: export MATOMO_SITE_ID=123456789 + #export MATOMO_SITE_ID='' ## The option do not track which enables users to not be tracked by matomo" - # export MATOMO_DO_NOT_TRACK='false' - export MATOMO_DO_NOT_TRACK='true' + #Example: export MATOMO_DO_NOT_TRACK=false + #export MATOMO_DO_NOT_TRACK=true ## The option that allows matomo to retrieve the username: - # export MATOMO_WITH_USERNAME='true' - export MATOMO_WITH_USERNAME='false' + # Example: export MATOMO_WITH_USERNAME=true + #export MATOMO_WITH_USERNAME='false' # Enable browser policy and allow one trusted URL that can have iframe that has Wekan embedded inside. # Setting this to false is not recommended, it also disables all other browser policy protections # and allows all iframing etc. See wekan/server/policy.js @@ -50,23 +50,143 @@ # OAuth2 docs: https://github.com/wekan/wekan/wiki/OAuth2 # OAuth2 Client ID, for example from Rocket.Chat. Example: abcde12345 # example: export OAUTH2_CLIENT_ID=abcde12345 - export OAUTH2_CLIENT_ID='' + #export OAUTH2_CLIENT_ID='' # OAuth2 Secret, for example from Rocket.Chat: Example: 54321abcde # example: export OAUTH2_SECRET=54321abcde - export OAUTH2_SECRET='' + #export OAUTH2_SECRET='' # OAuth2 Server URL, for example Rocket.Chat. Example: https://chat.example.com # example: export OAUTH2_SERVER_URL=https://chat.example.com - export OAUTH2_SERVER_URL='' + #export OAUTH2_SERVER_URL='' # OAuth2 Authorization Endpoint. Example: /oauth/authorize # example: export OAUTH2_AUTH_ENDPOINT=/oauth/authorize - export OAUTH2_AUTH_ENDPOINT='' + #export OAUTH2_AUTH_ENDPOINT='' # OAuth2 Userinfo Endpoint. Example: /oauth/userinfo # example: export OAUTH2_USERINFO_ENDPOINT=/oauth/userinfo - export OAUTH2_USERINFO_ENDPOINT='' + #export OAUTH2_USERINFO_ENDPOINT='' # OAuth2 Token Endpoint. Example: /oauth/token # example: export OAUTH2_TOKEN_ENDPOINT=/oauth/token - export OAUTH2_TOKEN_ENDPOINT='' + #export OAUTH2_TOKEN_ENDPOINT='' #--------------------------------------------- + # LDAP_ENABLE : Enable or not the connection by the LDAP + # example : export LDAP_ENABLE=true + #export LDAP_ENABLE=false + # LDAP_PORT : The port of the LDAP server + # example : export LDAP_PORT=389 + #export LDAP_PORT=389 + # LDAP_HOST : The host server for the LDAP server + # example : export LDAP_HOST=localhost + #export LDAP_HOST= + # LDAP_BASEDN : The base DN for the LDAP Tree + # example : export LDAP_BASEDN=ou=user,dc=example,dc=org + #export LDAP_BASEDN= + # LDAP_LOGIN_FALLBACK : Fallback on the default authentication method + # example : export LDAP_LOGIN_FALLBACK=true + #export LDAP_LOGIN_FALLBACK=false + # LDAP_RECONNECT : Reconnect to the server if the connection is lost + # example : export LDAP_RECONNECT=false + #export LDAP_RECONNECT=true + # LDAP_TIMEOUT : Overall timeout, in milliseconds + # example : export LDAP_TIMEOUT=12345 + #export LDAP_TIMEOUT=10000 + # LDAP_IDLE_TIMEOUT : Specifies the timeout for idle LDAP connections in milliseconds + # example : export LDAP_IDLE_TIMEOUT=12345 + #export LDAP_IDLE_TIMEOUT=10000 + # LDAP_CONNECT_TIMEOUT : Connection timeout, in milliseconds + # example : export LDAP_CONNECT_TIMEOUT=12345 + #export LDAP_CONNECT_TIMEOUT=10000 + # LDAP_AUTHENTIFICATION : If the LDAP needs a user account to search + # example : export LDAP_AUTHENTIFICATION=true + #export LDAP_AUTHENTIFICATION=false + # LDAP_AUTHENTIFICATION_USERDN : The search user DN + # example : export LDAP_AUTHENTIFICATION_USERDN=cn=admin,dc=example,dc=org + #export LDAP_AUTHENTIFICATION_USERDN= + # LDAP_AUTHENTIFICATION_PASSWORD : The password for the search user + # example : AUTHENTIFICATION_PASSWORD=admin + #export LDAP_AUTHENTIFICATION_PASSWORD= + # LDAP_LOG_ENABLED : Enable logs for the module + # example : export LDAP_LOG_ENABLED=true + #export LDAP_LOG_ENABLED=false + # LDAP_BACKGROUND_SYNC : If the sync of the users should be done in the background + # example : export LDAP_BACKGROUND_SYNC=true + #export LDAP_BACKGROUND_SYNC=false + # LDAP_BACKGROUND_SYNC_INTERVAL : At which interval does the background task sync in milliseconds + # example : export LDAP_BACKGROUND_SYNC_INTERVAL=12345 + #export LDAP_BACKGROUND_SYNC_INTERVAL=100 + # LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED : + # example : export LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=true + #export LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=false + # LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS : + # example : export LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=true + #export LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=false + # LDAP_ENCRYPTION : If using LDAPS + # example : export LDAP_ENCRYPTION=ssl + #export LDAP_ENCRYPTION=false + # LDAP_CA_CERT : The certification for the LDAPS server. Certificate needs to be included in this docker-compose.yml file. + # example : export LDAP_CA_CERT=-----BEGIN CERTIFICATE-----MIIE+zCCA+OgAwIBAgIkAhwR/6TVLmdRY6hHxvUFWc0+Enmu/Hu6cj+G2FIdAgIC...-----END CERTIFICATE----- + #export LDAP_CA_CERT= + # LDAP_REJECT_UNAUTHORIZED : Reject Unauthorized Certificate + # example : export LDAP_REJECT_UNAUTHORIZED=true + #export LDAP_REJECT_UNAUTHORIZED=false + # LDAP_USER_SEARCH_FILTER : Optional extra LDAP filters. Don't forget the outmost enclosing parentheses if needed + # example : export LDAP_USER_SEARCH_FILTER= + #export LDAP_USER_SEARCH_FILTER= + # LDAP_USER_SEARCH_SCOPE : base (search only in the provided DN), one (search only in the provided DN and one level deep), or sub (search the whole subtree) + # example : export LDAP_USER_SEARCH_SCOPE=one + #export LDAP_USER_SEARCH_SCOPE= + # LDAP_USER_SEARCH_FIELD : Which field is used to find the user + # example : export LDAP_USER_SEARCH_FIELD=uid + #export LDAP_USER_SEARCH_FIELD= + # LDAP_SEARCH_PAGE_SIZE : Used for pagination (0=unlimited) + # example : export LDAP_SEARCH_PAGE_SIZE=12345 + #export LDAP_SEARCH_PAGE_SIZE=0 + # LDAP_SEARCH_SIZE_LIMIT : The limit number of entries (0=unlimited) + # example : export LDAP_SEARCH_SIZE_LIMIT=12345 + #export LDAP_SEARCH_SIZE_LIMIT=0 + # LDAP_GROUP_FILTER_ENABLE : Enable group filtering + # example : export LDAP_GROUP_FILTER_ENABLE=true + #export LDAP_GROUP_FILTER_ENABLE=false + # LDAP_GROUP_FILTER_OBJECTCLASS : The object class for filtering + # example : export LDAP_GROUP_FILTER_OBJECTCLASS=group + #export LDAP_GROUP_FILTER_OBJECTCLASS= + # LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE : + # example : + #export LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE= + # LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE : + # example : + #export LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE= + # LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT : + # example : + #export LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT= + # LDAP_GROUP_FILTER_GROUP_NAME : + # example : + #export LDAP_GROUP_FILTER_GROUP_NAME= + # LDAP_UNIQUE_IDENTIFIER_FIELD : This field is sometimes class GUID (Globally Unique Identifier) + # example : export LDAP_UNIQUE_IDENTIFIER_FIELD=guid + #export LDAP_UNIQUE_IDENTIFIER_FIELD= + # LDAP_UTF8_NAMES_SLUGIFY : Convert the username to utf8 + # example : export LDAP_UTF8_NAMES_SLUGIFY=false + #export LDAP_UTF8_NAMES_SLUGIFY=true + # LDAP_USERNAME_FIELD : Which field contains the ldap username + # example : export LDAP_USERNAME_FIELD=username + #export LDAP_USERNAME_FIELD= + # LDAP_FULLNAME_FIELD : Which field contains the ldap fullname + # example : export LDAP_FULLNAME_FIELD=fullname + #export LDAP_FULLNAME_FIELD= + # LDAP_MERGE_EXISTING_USERS : + # example : export LDAP_MERGE_EXISTING_USERS=true + #export LDAP_MERGE_EXISTING_USERS=false + # LDAP_SYNC_USER_DATA : + # example : export LDAP_SYNC_USER_DATA=true + #export LDAP_SYNC_USER_DATA=false + # LDAP_SYNC_USER_DATA_FIELDMAP : + # example : export LDAP_SYNC_USER_DATA_FIELDMAP={"cn":"name", "mail":"email"} + #export LDAP_SYNC_USER_DATA_FIELDMAP= + # LDAP_SYNC_GROUP_ROLES : + # example : + #export LDAP_SYNC_GROUP_ROLES= + # LDAP_DEFAULT_DOMAIN : The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP + # example : + #export LDAP_DEFAULT_DOMAIN= node main.js & >> ~/repos/wekan.log cd ~/repos #done diff --git a/snap-src/bin/config b/snap-src/bin/config index a19baf7d..0472f4f9 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -3,7 +3,7 @@ # All supported keys are defined here together with descriptions and default values # list of supported keys -keys="MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN" +keys="MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_FULLNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN" # default values DESCRIPTION_MONGODB_BIND_UNIX_SOCKET="mongodb binding unix socket:\n"\ @@ -246,6 +246,10 @@ DESCRIPTION_LDAP_USERNAME_FIELD="Which field contains the ldap username" DEFAULT_LDAP_USERNAME_FIELD="" KEY_LDAP_USERNAME_FIELD="ldap-username-field" +DESCRIPTION_LDAP_FULLNAME_FIELD="Which field contains the ldap fullname" +DEFAULT_LDAP_FULLNAME_FIELD="" +KEY_LDAP_FULLNAME_FIELD="ldap-fullname-field" + DESCRIPTION_LDAP_MERGE_EXISTING_USERS="ldap-merge-existing-users . Default: false" DEFAULT_LDAP_MERGE_EXISTING_USERS="false" KEY_LDAP_MERGE_EXISTING_USERS="ldap-merge-existing-users" diff --git a/snap-src/bin/wekan-help b/snap-src/bin/wekan-help index c488a538..f28f8f9d 100755 --- a/snap-src/bin/wekan-help +++ b/snap-src/bin/wekan-help @@ -227,6 +227,10 @@ echo -e "Ldap Username Field." echo -e "Which field contains the ldap username:" echo -e "\t$ snap set $SNAP_NAME LDAP_USERNAME_FIELD='username'" echo -e "\n" +echo -e "Ldap Fullname Field." +echo -e "Which field contains the ldap fullname:" +echo -e "\t$ snap set $SNAP_NAME LDAP_FULLNAME_FIELD='fullname'" +echo -e "\n" echo -e "Ldap Merge Existing Users." echo -e "\t$ snap set $SNAP_NAME LDAP_MERGE_EXISTING_USERS='true'" echo -e "\n" diff --git a/start-wekan.sh b/start-wekan.sh index 3584ac6d..dd8bf9eb 100755 --- a/start-wekan.sh +++ b/start-wekan.sh @@ -20,9 +20,7 @@ function wekan_repo_check(){ #while true; do wekan_repo_check cd .build/bundle - #export MONGO_URL='mongodb://127.0.0.1:27019/wekantest' - #export MONGO_URL='mongodb://127.0.0.1:27019/wekan' - export MONGO_URL='mongodb://127.0.0.1:27019/wekantest' + export MONGO_URL='mongodb://127.0.0.1:27019/wekan' # Production: https://example.com/wekan # Local: http://localhost:2000 #export ipaddress=$(ifdata -pa eth0) @@ -30,12 +28,179 @@ function wekan_repo_check(){ # https://github.com/wekan/wekan/wiki/Troubleshooting-Mail # https://github.com/wekan/wekan-mongodb/blob/master/docker-compose.yml export MAIL_URL='smtp://user:pass@mailserver.example.com:25/' + #export KADIRA_OPTIONS_ENDPOINT=http://127.0.0.1:11011 # This is local port where Wekan Node.js runs, same as below on Caddyfile settings. - export WITH_API=true - export KADIRA_OPTIONS_ENDPOINT=http://127.0.0.1:11011 export PORT=2000 - #export LDAP_ENABLE=true + # Wekan Export Board works when WITH_API=true. + # If you disable Wekan API with false, Export Board does not work. + export WITH_API='true' + #--------------------------------------------- + ## Optional: Integration with Matomo https://matomo.org that is installed to your server + ## The address of the server where Matomo is hosted: + ##export MATOMO_ADDRESS=https://example.com/matomo + #export MATOMO_ADDRESS= + ## The value of the site ID given in Matomo server for Wekan + # Example: export MATOMO_SITE_ID=123456789 + #export MATOMO_SITE_ID='' + ## The option do not track which enables users to not be tracked by matomo" + #Example: export MATOMO_DO_NOT_TRACK=false + #export MATOMO_DO_NOT_TRACK=true + ## The option that allows matomo to retrieve the username: + # Example: export MATOMO_WITH_USERNAME=true + #export MATOMO_WITH_USERNAME='false' + # Enable browser policy and allow one trusted URL that can have iframe that has Wekan embedded inside. + # Setting this to false is not recommended, it also disables all other browser policy protections + # and allows all iframing etc. See wekan/server/policy.js + # Default value: true + export BROWSER_POLICY_ENABLED=true + # When browser policy is enabled, HTML code at this Trusted URL can have iframe that embeds Wekan inside. + # Example: export TRUSTED_URL=http://example.com + export TRUSTED_URL='' + # What to send to Outgoing Webhook, or leave out. Example, that includes all that are default: cardId,listId,oldListId,boardId,comment,user,card,commentId . + # Example: export WEBHOOKS_ATTRIBUTES=cardId,listId,oldListId,boardId,comment,user,card,commentId + export WEBHOOKS_ATTRIBUTES='' + #--------------------------------------------- + # OAuth2 docs: https://github.com/wekan/wekan/wiki/OAuth2 + # OAuth2 Client ID, for example from Rocket.Chat. Example: abcde12345 + # example: export OAUTH2_CLIENT_ID=abcde12345 + #export OAUTH2_CLIENT_ID='' + # OAuth2 Secret, for example from Rocket.Chat: Example: 54321abcde + # example: export OAUTH2_SECRET=54321abcde + #export OAUTH2_SECRET='' + # OAuth2 Server URL, for example Rocket.Chat. Example: https://chat.example.com + # example: export OAUTH2_SERVER_URL=https://chat.example.com + #export OAUTH2_SERVER_URL='' + # OAuth2 Authorization Endpoint. Example: /oauth/authorize + # example: export OAUTH2_AUTH_ENDPOINT=/oauth/authorize + #export OAUTH2_AUTH_ENDPOINT='' + # OAuth2 Userinfo Endpoint. Example: /oauth/userinfo + # example: export OAUTH2_USERINFO_ENDPOINT=/oauth/userinfo + #export OAUTH2_USERINFO_ENDPOINT='' + # OAuth2 Token Endpoint. Example: /oauth/token + # example: export OAUTH2_TOKEN_ENDPOINT=/oauth/token + #export OAUTH2_TOKEN_ENDPOINT='' + #--------------------------------------------- + # LDAP_ENABLE : Enable or not the connection by the LDAP + # example : export LDAP_ENABLE=true + #export LDAP_ENABLE=false + # LDAP_PORT : The port of the LDAP server + # example : export LDAP_PORT=389 + #export LDAP_PORT=389 + # LDAP_HOST : The host server for the LDAP server + # example : export LDAP_HOST=localhost + #export LDAP_HOST= + # LDAP_BASEDN : The base DN for the LDAP Tree + # example : export LDAP_BASEDN=ou=user,dc=example,dc=org + #export LDAP_BASEDN= + # LDAP_LOGIN_FALLBACK : Fallback on the default authentication method + # example : export LDAP_LOGIN_FALLBACK=true + #export LDAP_LOGIN_FALLBACK=false + # LDAP_RECONNECT : Reconnect to the server if the connection is lost + # example : export LDAP_RECONNECT=false + #export LDAP_RECONNECT=true + # LDAP_TIMEOUT : Overall timeout, in milliseconds + # example : export LDAP_TIMEOUT=12345 + #export LDAP_TIMEOUT=10000 + # LDAP_IDLE_TIMEOUT : Specifies the timeout for idle LDAP connections in milliseconds + # example : export LDAP_IDLE_TIMEOUT=12345 + #export LDAP_IDLE_TIMEOUT=10000 + # LDAP_CONNECT_TIMEOUT : Connection timeout, in milliseconds + # example : export LDAP_CONNECT_TIMEOUT=12345 + #export LDAP_CONNECT_TIMEOUT=10000 + # LDAP_AUTHENTIFICATION : If the LDAP needs a user account to search + # example : export LDAP_AUTHENTIFICATION=true + #export LDAP_AUTHENTIFICATION=false + # LDAP_AUTHENTIFICATION_USERDN : The search user DN + # example : export LDAP_AUTHENTIFICATION_USERDN=cn=admin,dc=example,dc=org + #export LDAP_AUTHENTIFICATION_USERDN= + # LDAP_AUTHENTIFICATION_PASSWORD : The password for the search user + # example : AUTHENTIFICATION_PASSWORD=admin + #export LDAP_AUTHENTIFICATION_PASSWORD= + # LDAP_LOG_ENABLED : Enable logs for the module + # example : export LDAP_LOG_ENABLED=true + #export LDAP_LOG_ENABLED=false + # LDAP_BACKGROUND_SYNC : If the sync of the users should be done in the background + # example : export LDAP_BACKGROUND_SYNC=true + #export LDAP_BACKGROUND_SYNC=false + # LDAP_BACKGROUND_SYNC_INTERVAL : At which interval does the background task sync in milliseconds + # example : export LDAP_BACKGROUND_SYNC_INTERVAL=12345 + #export LDAP_BACKGROUND_SYNC_INTERVAL=100 + # LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED : + # example : export LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=true + #export LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=false + # LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS : + # example : export LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=true + #export LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=false + # LDAP_ENCRYPTION : If using LDAPS + # example : export LDAP_ENCRYPTION=ssl + #export LDAP_ENCRYPTION=false + # LDAP_CA_CERT : The certification for the LDAPS server. Certificate needs to be included in this docker-compose.yml file. + # example : export LDAP_CA_CERT=-----BEGIN CERTIFICATE-----MIIE+zCCA+OgAwIBAgIkAhwR/6TVLmdRY6hHxvUFWc0+Enmu/Hu6cj+G2FIdAgIC...-----END CERTIFICATE----- + #export LDAP_CA_CERT= + # LDAP_REJECT_UNAUTHORIZED : Reject Unauthorized Certificate + # example : export LDAP_REJECT_UNAUTHORIZED=true + #export LDAP_REJECT_UNAUTHORIZED=false + # LDAP_USER_SEARCH_FILTER : Optional extra LDAP filters. Don't forget the outmost enclosing parentheses if needed + # example : export LDAP_USER_SEARCH_FILTER= + #export LDAP_USER_SEARCH_FILTER= + # LDAP_USER_SEARCH_SCOPE : base (search only in the provided DN), one (search only in the provided DN and one level deep), or sub (search the whole subtree) + # example : export LDAP_USER_SEARCH_SCOPE=one + #export LDAP_USER_SEARCH_SCOPE= + # LDAP_USER_SEARCH_FIELD : Which field is used to find the user + # example : export LDAP_USER_SEARCH_FIELD=uid + #export LDAP_USER_SEARCH_FIELD= + # LDAP_SEARCH_PAGE_SIZE : Used for pagination (0=unlimited) + # example : export LDAP_SEARCH_PAGE_SIZE=12345 + #export LDAP_SEARCH_PAGE_SIZE=0 + # LDAP_SEARCH_SIZE_LIMIT : The limit number of entries (0=unlimited) + # example : export LDAP_SEARCH_SIZE_LIMIT=12345 + #export LDAP_SEARCH_SIZE_LIMIT=0 + # LDAP_GROUP_FILTER_ENABLE : Enable group filtering + # example : export LDAP_GROUP_FILTER_ENABLE=true + #export LDAP_GROUP_FILTER_ENABLE=false + # LDAP_GROUP_FILTER_OBJECTCLASS : The object class for filtering + # example : export LDAP_GROUP_FILTER_OBJECTCLASS=group + #export LDAP_GROUP_FILTER_OBJECTCLASS= + # LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE : + # example : + #export LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE= + # LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE : + # example : + #export LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE= + # LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT : + # example : + #export LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT= + # LDAP_GROUP_FILTER_GROUP_NAME : + # example : + #export LDAP_GROUP_FILTER_GROUP_NAME= + # LDAP_UNIQUE_IDENTIFIER_FIELD : This field is sometimes class GUID (Globally Unique Identifier) + # example : export LDAP_UNIQUE_IDENTIFIER_FIELD=guid + #export LDAP_UNIQUE_IDENTIFIER_FIELD= + # LDAP_UTF8_NAMES_SLUGIFY : Convert the username to utf8 + # example : export LDAP_UTF8_NAMES_SLUGIFY=false + #export LDAP_UTF8_NAMES_SLUGIFY=true + # LDAP_USERNAME_FIELD : Which field contains the ldap username + # example : export LDAP_USERNAME_FIELD=username + #export LDAP_USERNAME_FIELD= + # LDAP_FULLNAME_FIELD : Which field contains the ldap fullname + # example : export LDAP_FULLNAME_FIELD=fullname + #export LDAP_FULLNAME_FIELD= + # LDAP_MERGE_EXISTING_USERS : + # example : export LDAP_MERGE_EXISTING_USERS=true + #export LDAP_MERGE_EXISTING_USERS=false + # LDAP_SYNC_USER_DATA : + # example : export LDAP_SYNC_USER_DATA=true + #export LDAP_SYNC_USER_DATA=false + # LDAP_SYNC_USER_DATA_FIELDMAP : + # example : export LDAP_SYNC_USER_DATA_FIELDMAP={"cn":"name", "mail":"email"} + #export LDAP_SYNC_USER_DATA_FIELDMAP= + # LDAP_SYNC_GROUP_ROLES : + # example : + #export LDAP_SYNC_GROUP_ROLES= + # LDAP_DEFAULT_DOMAIN : The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP + # example : + #export LDAP_DEFAULT_DOMAIN= node main.js - # & >> ../../wekan.log + # & >> ../../wekan.log cd ../.. #done -- cgit v1.2.3-1-g7c22 From cc64ef903f148a72812c2bb23cc359ad8958ee51 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 20 Nov 2018 12:19:05 +0200 Subject: - Add [LDAP_FULLNAME_FIELD](https://github.com/wekan/wekan-ldap/issues/10) to [configs](https://github.com/wekan/wekan/commit/8e3f53021775069dba125efd4b7200d0d70a1ed1) and other options that were not in all config files. Thanks to alkemyst and xet7. --- CHANGELOG.md | 8 +++++++- 1 file changed, 7 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index b9a2b71b..bca685e0 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,6 +1,12 @@ # Upcoming Wekan release -This release fixes the following bugs: +This release adds the following new features: + +- Add [LDAP_FULLNAME_FIELD](https://github.com/wekan/wekan-ldap/issues/10) to + [configs](https://github.com/wekan/wekan/commit/8e3f53021775069dba125efd4b7200d0d70a1ed1) + and other options that were not in all config files. Thanks to alkemyst and xet7. + +and fixes the following bugs: - Fix: When saving Custom Layout, save also SMTP settings. Thanks to xet7. -- cgit v1.2.3-1-g7c22 From 24b61cf772f920aeac134ce5d3d64355b508fe4b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 20 Nov 2018 12:24:38 +0200 Subject: v1.76 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index bca685e0..cf321085 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.76 2018-11-20 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index 380e0d65..bdfe1887 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.75.0", + "version": "v1.76.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 63b22485..a244684b 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 178, + appVersion = 179, # Increment this for every release. - appMarketingVersion = (defaultText = "1.75.0~2018-11-20"), + appMarketingVersion = (defaultText = "1.76.0~2018-11-20"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 7432af67c1d6c74f957efcc45e3317af09e6e1e1 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 20 Nov 2018 22:45:42 +0200 Subject: v1.77 --- CHANGELOG.md | 5 +++++ package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 8 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index cf321085..3279d6b0 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,8 @@ +# v1.77 2018-11-20 Wekan release + +- Update version number. Trying to get Snap automatic review working, so that + it would accept new Wekan release. + # v1.76 2018-11-20 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index bdfe1887..42bdd809 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.76.0", + "version": "v1.77.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index a244684b..d33cfa7a 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 179, + appVersion = 180, # Increment this for every release. - appMarketingVersion = (defaultText = "1.76.0~2018-11-20"), + appMarketingVersion = (defaultText = "1.77.0~2018-11-20"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From d5be48b9055c68dbe1fad018e7d79977b799f7d1 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 20 Nov 2018 22:49:04 +0200 Subject: Update translations. --- i18n/de.i18n.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index d26a46cc..d6d133e4 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -618,5 +618,5 @@ "authentication-type": "Authentifizierungstyp", "custom-product-name": "Benutzerdefinierter Produktname", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Verstecke Logo" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From a27c16e434f413fe23279b2656b77649c4f202a9 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 20 Nov 2018 22:50:44 +0200 Subject: v1.78 --- CHANGELOG.md | 4 ++++ package.json | 2 +- sandstorm-pkgdef.capnp | 2 +- 3 files changed, 6 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 3279d6b0..6dab7cc9 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,7 @@ +# v1.78 2018-11-20 Wekan release + +- Update translations (de). + # v1.77 2018-11-20 Wekan release - Update version number. Trying to get Snap automatic review working, so that diff --git a/package.json b/package.json index 42bdd809..9337fc32 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.77.0", + "version": "v1.78.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index d33cfa7a..889c046c 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -25,7 +25,7 @@ const pkgdef :Spk.PackageDefinition = ( appVersion = 180, # Increment this for every release. - appMarketingVersion = (defaultText = "1.77.0~2018-11-20"), + appMarketingVersion = (defaultText = "1.78.0~2018-11-20"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From f23448be3340c56f6fae85b19a52aecf55e4753b Mon Sep 17 00:00:00 2001 From: guillaume Date: Thu, 22 Nov 2018 18:00:21 +0100 Subject: revert changes for patch authentication --- .meteor/packages | 1 + .meteor/versions | 1 + Dockerfile | 8 ++++ client/components/main/layouts.jade | 1 - client/components/main/layouts.js | 89 ++++++++++++++++++------------------- docker-compose.yml | 12 +++++ models/settings.js | 30 +++++++++++++ models/users.js | 8 ++-- server/publications/users.js | 1 + snap-src/bin/config | 18 +++++++- snap-src/bin/wekan-help | 16 +++++++ 11 files changed, 133 insertions(+), 52 deletions(-) diff --git a/.meteor/packages b/.meteor/packages index 3779a684..698f1a73 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -89,3 +89,4 @@ mquandalle:moment msavin:usercache wekan:wekan-ldap wekan:accounts-cas +msavin:sjobs \ No newline at end of file diff --git a/.meteor/versions b/.meteor/versions index 6415eb8b..5235e6a0 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -117,6 +117,7 @@ mquandalle:jquery-ui-drag-drop-sort@0.2.0 mquandalle:moment@1.0.1 mquandalle:mousetrap-bindglobal@0.0.1 mquandalle:perfect-scrollbar@0.6.5_2 +msavin:sjobs@3.0.6 msavin:usercache@1.0.0 npm-bcrypt@0.9.3 npm-mongo@2.2.33 diff --git a/Dockerfile b/Dockerfile index f9b71521..96749eb0 100644 --- a/Dockerfile +++ b/Dockerfile @@ -65,6 +65,10 @@ ARG LDAP_SYNC_USER_DATA ARG LDAP_SYNC_USER_DATA_FIELDMAP ARG LDAP_SYNC_GROUP_ROLES ARG LDAP_DEFAULT_DOMAIN +ARG LOGOUT_WITH_TIMER +ARG LOGOUT_IN +ARG LOGOUT_ON_HOURS +ARG LOGOUT_ON_MINUTES # Set the environment variables (defaults where required) # DOES NOT WORK: paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303 @@ -133,6 +137,10 @@ ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential pyth LDAP_SYNC_USER_DATA_FIELDMAP="" \ LDAP_SYNC_GROUP_ROLES="" \ LDAP_DEFAULT_DOMAIN="" + LOGOUT_WITH_TIMER="false" \ + LOGOUT_IN="" \ + LOGOUT_ON_HOURS="" \ + LOGOUT_ON_MINUTES="" # Copy the app to the image COPY ${SRC_PATH} /home/wekan/app diff --git a/client/components/main/layouts.jade b/client/components/main/layouts.jade index e434eaba..969ec6a9 100644 --- a/client/components/main/layouts.jade +++ b/client/components/main/layouts.jade @@ -23,7 +23,6 @@ template(name="userFormsLayout") br section.auth-dialog +Template.dynamic(template=content) - +connectionMethod if isCas .at-form button#cas(class='at-btn submit' type='submit') {{casSignInLabel}} diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index d4a9d6d1..c98eb6b9 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -6,29 +6,14 @@ const i18nTagToT9n = (i18nTag) => { return i18nTag; }; -const validator = { - set(obj, prop, value) { - if (prop === 'state' && value !== 'signIn') { - $('.at-form-authentication').hide(); - } else if (prop === 'state' && value === 'signIn') { - $('.at-form-authentication').show(); - } - // The default behavior to store the value - obj[prop] = value; - // Indicate success - return true; - }, -}; - Template.userFormsLayout.onCreated(() => { Meteor.subscribe('setting'); - + Meteor.call('getDefaultAuthenticationMethod', (error, result) => { + this.data.defaultAuthenticationMethod = new ReactiveVar(error ? undefined : result); + }); }); Template.userFormsLayout.onRendered(() => { - - AccountsTemplates.state.form.keys = new Proxy(AccountsTemplates.state.form.keys, validator); - const i18nTag = navigator.language; if (i18nTag) { T9n.setLanguage(i18nTagToT9n(i18nTag)); @@ -37,7 +22,6 @@ Template.userFormsLayout.onRendered(() => { }); Template.userFormsLayout.helpers({ - currentSetting() { return Settings.findOne(); }, @@ -92,13 +76,14 @@ Template.userFormsLayout.events({ } }); }, - 'click #at-btn'(event) { + 'click #at-btn'(event, instance) { /* All authentication method can be managed/called here. !! DON'T FORGET to correctly fill the fields of the user during its creation if necessary authenticationMethod : String !! */ - const authenticationMethodSelected = $('.select-authentication').val(); - // Local account - if (authenticationMethodSelected === 'password') { + const email = $('#at-field-username_and_email').val(); + const password = $('#at-field-password').val(); + + if (FlowRouter.getRouteName() !== 'atSignIn' || password === '') { return; } @@ -106,29 +91,11 @@ Template.userFormsLayout.events({ event.preventDefault(); event.stopImmediatePropagation(); - const email = $('#at-field-username_and_email').val(); - const password = $('#at-field-password').val(); - - // Ldap account - if (authenticationMethodSelected === 'ldap') { - // Check if the user can use the ldap connection - Meteor.subscribe('user-authenticationMethod', email, { - onReady() { - const user = Users.findOne(); - if (user === undefined || user.authenticationMethod === 'ldap') { - // Use the ldap connection package - Meteor.loginWithLDAP(email, password, function(error) { - if (!error) { - // Connection - return FlowRouter.go('/'); - } - return error; - }); - } - return this.stop(); - }, - }); - } + Meteor.subscribe('user-authenticationMethod', email, { + onReady() { + return authentication.call(this, instance, email, password); + }, + }); }, }); @@ -137,3 +104,33 @@ Template.defaultLayout.events({ Modal.close(); }, }); + +function authentication(instance, email, password) { + let user = Users.findOne(); + // Authentication with password + if (user && user.authenticationMethod === 'password') { + $('#at-pwd-form').submit(); + // Meteor.call('logoutWithTimer', user._id, () => {}); + return this.stop(); + } + + // If user doesn't exist, uses the default authentication method if it defined + if (user === undefined) { + user = { + 'authenticationMethod': instance.data.defaultAuthenticationMethod.get(), + }; + } + + // Authentication with LDAP + if (user.authenticationMethod === 'ldap') { + // Use the ldap connection package + Meteor.loginWithLDAP(email, password, function(error) { + if (!error) { + // Meteor.call('logoutWithTimer', Users.findOne()._id, () => {}); + return FlowRouter.go('/'); + } + return error; + }); + } + return this.stop(); +} diff --git a/docker-compose.yml b/docker-compose.yml index 4d3f1c9b..5054e135 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -198,6 +198,18 @@ services: # LDAP_DEFAULT_DOMAIN : The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP # example : #- LDAP_DEFAULT_DOMAIN= + # LOGOUT_WITH_TIMER : Enables or not the option logout with timer + # example : LOGOUT_WITH_TIMER=true + #- LOGOUT_WITH_TIMER= + # LOGOUT_IN : The number of days + # example : LOGOUT_IN=1 + #- LOGOUT_IN= + # LOGOUT_ON_HOURS : The number of hours + # example : LOGOUT_ON_HOURS=9 + #- LOGOUT_ON_HOURS= + # LOGOUT_ON_MINUTES : The number of minutes + # example : LOGOUT_ON_MINUTES=55 + #- LOGOUT_ON_MINUTES= depends_on: - wekandb diff --git a/models/settings.js b/models/settings.js index 52212809..8d067c6d 100644 --- a/models/settings.js +++ b/models/settings.js @@ -239,5 +239,35 @@ if (Meteor.isServer) { cas: isCasEnabled(), }; }, + + getDefaultAuthenticationMethod() { + return process.env.DEFAULT_AUTHENTICATION_METHOD; + }, + + // TODO: patch error : did not check all arguments during call + logoutWithTimer(userId) { + if (process.env.LOGOUT_WITH_TIMER) { + Jobs.run('logOut', userId, { + in: { + days: process.env.LOGOUT_IN, + }, + on: { + hour: process.env.LOGOUT_ON_HOURS, + minute: process.env.LOGOUT_ON_MINUTES, + }, + priority: 1, + }); + } + }, + }); + + Jobs.register({ + logOut(userId) { + Meteor.users.update( + {_id: userId}, + {$set: {'services.resume.loginTokens': []}} + ); + this.success(); + }, }); } diff --git a/models/users.js b/models/users.js index 630f4703..2e879d94 100644 --- a/models/users.js +++ b/models/users.js @@ -520,10 +520,10 @@ if (Meteor.isServer) { } const disableRegistration = Settings.findOne().disableRegistration; - // If ldap, bypass the inviation code if the self registration isn't allowed. - // TODO : pay attention if ldap field in the user model change to another content ex : ldap field to connection_type - if (options.ldap || !disableRegistration) { - user.authenticationMethod = 'ldap'; + if (!disableRegistration) { + if (options.ldap) { + user.authenticationMethod = 'ldap'; + } return user; } diff --git a/server/publications/users.js b/server/publications/users.js index f0c94153..136e1e08 100644 --- a/server/publications/users.js +++ b/server/publications/users.js @@ -22,6 +22,7 @@ Meteor.publish('user-authenticationMethod', function(match) { check(match, String); return Users.find({$or: [{_id: match}, {email: match}, {username: match}]}, { fields: { + '_id': 1, 'authenticationMethod': 1, }, }); diff --git a/snap-src/bin/config b/snap-src/bin/config index 0472f4f9..4aa12475 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -3,7 +3,7 @@ # All supported keys are defined here together with descriptions and default values # list of supported keys -keys="MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_FULLNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN" +keys="MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_FULLNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN LOGOUT_WITH_TIMER, LOGOUT_IN, LOGOUT_ON_HOURS, LOGOUT_ON_MINUTES" # default values DESCRIPTION_MONGODB_BIND_UNIX_SOCKET="mongodb binding unix socket:\n"\ @@ -269,3 +269,19 @@ KEY_LDAP_SYNC_GROUP_ROLES="ldap-sync-group-roles" DESCRIPTION_LDAP_DEFAULT_DOMAIN="The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP" DEFAULT_LDAP_DEFAULT_DOMAIN="" KEY_LDAP_DEFAULT_DOMAIN="ldap-default-domain" + +DESCRIPTION_LOGOUT_WITH_TIMER="Enables or not the option logout with timer" +DEFAULT_LOGOUT_WITH_TIMER="false" +KEY_LOGOUT_WITH_TIMER="logout-with-timer" + +DESCRIPTION_LOGOUT_IN="The number of days" +DEFAULT_LOGOUT_IN="" +KEY_LOGOUT_IN="logout-in" + +DESCRIPTION_LOGOUT_ON_HOURS="The number of hours" +DEFAULT_LOGOUT_ON_HOURS="" +KEY_LOGOUT_ON_HOURS="logout-on-hours" + +DESCRIPTION_LOGOUT_ON_MINUTES="The number of minutes" +DEFAULT_LOGOUT_ON_MINUTES="" +KEY_LOGOUT_ON_MINUTES="logout-on-minutes" diff --git a/snap-src/bin/wekan-help b/snap-src/bin/wekan-help index f28f8f9d..4bd7c277 100755 --- a/snap-src/bin/wekan-help +++ b/snap-src/bin/wekan-help @@ -249,6 +249,22 @@ echo -e "Ldap Default Domain." echo -e "The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP:" echo -e "\t$ snap set $SNAP_NAME LDAP_DEFAULT_DOMAIN=''" echo -e "\n" +echo -e "Logout with timer." +echo -e "Enable or not the option that allows to disconnect an user after a given time:" +echo -e "\t$ snap set $SNAP_NAME LOGOUT_WITH_TIMER='true'" +echo -e "\n" +echo -e "Logout in." +echo -e "Logout in how many days:" +echo -e "\t$ snap set $SNAP_NAME LOGOUT_IN='1'" +echo -e "\n" +echo -e "Logout on hours." +echo -e "Logout in how many hours:" +echo -e "\t$ snap set $SNAP_NAME LOGOUT_ON_HOURS='9'" +echo -e "\n" +echo -e "Logout on minutes." +echo -e "Logout in how many minutes:" +echo -e "\t$ snap set $SNAP_NAME LOGOUT_ON_MINUTES='5'" +echo -e "\n" # parse config file for supported settings keys echo -e "wekan supports settings keys" echo -e "values can be changed by calling\n$ snap set $SNAP_NAME =''" -- cgit v1.2.3-1-g7c22 From a085ed1e1b794d81d7b2d7dae7ca6a884d46147c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 22 Nov 2018 23:41:50 +0200 Subject: Update translations. --- i18n/id.i18n.json | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index ae89a932..0133779d 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -598,7 +598,7 @@ "r-d-send-email-message": "message", "r-d-archive": "Move card to Archive", "r-d-unarchive": "Restore card from Archive", - "r-d-add-label": "Add label", + "r-d-add-label": "Tambahkan label", "r-d-remove-label": "Remove label", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", @@ -614,9 +614,9 @@ "ldap": "LDAP", "oauth2": "OAuth2", "cas": "CAS", - "authentication-method": "Authentication method", - "authentication-type": "Authentication type", + "authentication-method": "Metode Autentikasi", + "authentication-type": "Tipe Autentikasi", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Sembunyikan Logo" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 064a2deaaf4896ddb30c84505c6cbfb6cc18ff9c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 23 Nov 2018 16:30:18 +0200 Subject: - Fix: Message box for deleting subtask unreachable. Thanks to hupptechnologies ! Closes #1800 --- client/components/cards/checklists.styl | 1 + 1 file changed, 1 insertion(+) diff --git a/client/components/cards/checklists.styl b/client/components/cards/checklists.styl index d48c1851..70fb5007 100644 --- a/client/components/cards/checklists.styl +++ b/client/components/cards/checklists.styl @@ -51,6 +51,7 @@ textarea.js-add-checklist-item, textarea.js-edit-checklist-item padding-right: 3% z-index: 17 border-radius: 3px + top: 50% p position: relative -- cgit v1.2.3-1-g7c22 From cdb44da71efdba027a82c37e0b9e08d01bde0d0f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 23 Nov 2018 16:37:34 +0200 Subject: - Fix: Message box for deleting subtask unreachable. Thanks to hupptechnologies. Closes #1800 --- CHANGELOG.md | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 6dab7cc9..f9d2e5fb 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- Fix: Message box for deleting subtask unreachable. + Thanks to hupptechnologies. Closes #1800 + +Thanks to above GitHub users for their contributions. + # v1.78 2018-11-20 Wekan release - Update translations (de). -- cgit v1.2.3-1-g7c22 From 745bd7e8068213487f5829f24ba99b26f6935818 Mon Sep 17 00:00:00 2001 From: guillaume Date: Fri, 23 Nov 2018 18:04:05 +0100 Subject: finish prepare for test --- client/components/main/layouts.js | 11 ++++++++--- 1 file changed, 8 insertions(+), 3 deletions(-) diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index c98eb6b9..3db228ee 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -6,11 +6,11 @@ const i18nTagToT9n = (i18nTag) => { return i18nTag; }; -Template.userFormsLayout.onCreated(() => { - Meteor.subscribe('setting'); +Template.userFormsLayout.onCreated(function() { Meteor.call('getDefaultAuthenticationMethod', (error, result) => { this.data.defaultAuthenticationMethod = new ReactiveVar(error ? undefined : result); }); + Meteor.subscribe('setting'); }); Template.userFormsLayout.onRendered(() => { @@ -83,7 +83,7 @@ Template.userFormsLayout.events({ const email = $('#at-field-username_and_email').val(); const password = $('#at-field-password').val(); - if (FlowRouter.getRouteName() !== 'atSignIn' || password === '') { + if (FlowRouter.getRouteName() !== 'atSignIn' || password === '' || email === '') { return; } @@ -132,5 +132,10 @@ function authentication(instance, email, password) { return error; }); } + + /* else { + process.env.DEFAULT_AUTHENTICATION_METHOD is not defined + } */ + return this.stop(); } -- cgit v1.2.3-1-g7c22 From 8a9a82fc8016163f4ad8ccc6edb0481613307749 Mon Sep 17 00:00:00 2001 From: hupptechnologies Date: Sat, 24 Nov 2018 16:30:12 +0530 Subject: Pull code --- .meteor/packages | 2 -- .meteor/versions | 3 --- 2 files changed, 5 deletions(-) diff --git a/.meteor/packages b/.meteor/packages index 3779a684..4083d0c1 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -87,5 +87,3 @@ momentjs:moment@2.22.2 browser-policy-framing mquandalle:moment msavin:usercache -wekan:wekan-ldap -wekan:accounts-cas diff --git a/.meteor/versions b/.meteor/versions index 6415eb8b..8c5c1569 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -179,7 +179,4 @@ useraccounts:unstyled@1.14.2 verron:autosize@3.0.8 webapp@1.4.0 webapp-hashing@1.0.9 -wekan:accounts-cas@0.1.0 -wekan:wekan-ldap@0.0.2 -yasaricli:slugify@0.0.7 zimme:active-route@2.3.2 -- cgit v1.2.3-1-g7c22 From 1bad6306416a0c0718a6b1717a7392726cb56472 Mon Sep 17 00:00:00 2001 From: hupptechnologies Date: Tue, 27 Nov 2018 12:57:03 +0530 Subject: autoamted local change --- .meteor/packages | 2 -- .meteor/versions | 3 --- client/components/cards/cardDetails.styl | 3 +++ client/components/cards/checklists.styl | 1 - 4 files changed, 3 insertions(+), 6 deletions(-) diff --git a/.meteor/packages b/.meteor/packages index 3779a684..4083d0c1 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -87,5 +87,3 @@ momentjs:moment@2.22.2 browser-policy-framing mquandalle:moment msavin:usercache -wekan:wekan-ldap -wekan:accounts-cas diff --git a/.meteor/versions b/.meteor/versions index 6415eb8b..8c5c1569 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -179,7 +179,4 @@ useraccounts:unstyled@1.14.2 verron:autosize@3.0.8 webapp@1.4.0 webapp-hashing@1.0.9 -wekan:accounts-cas@0.1.0 -wekan:wekan-ldap@0.0.2 -yasaricli:slugify@0.0.7 zimme:active-route@2.3.2 diff --git a/client/components/cards/cardDetails.styl b/client/components/cards/cardDetails.styl index 1e290305..66ecc22d 100644 --- a/client/components/cards/cardDetails.styl +++ b/client/components/cards/cardDetails.styl @@ -14,6 +14,9 @@ box-shadow: 0 0 7px 0 darken(white, 30%) transition: flex-basis 0.1s + .ps-scrollbar-y-rail + pointer-event: all + .card-details-canvas width: 470px diff --git a/client/components/cards/checklists.styl b/client/components/cards/checklists.styl index 70fb5007..d48c1851 100644 --- a/client/components/cards/checklists.styl +++ b/client/components/cards/checklists.styl @@ -51,7 +51,6 @@ textarea.js-add-checklist-item, textarea.js-edit-checklist-item padding-right: 3% z-index: 17 border-radius: 3px - top: 50% p position: relative -- cgit v1.2.3-1-g7c22 From f19dc77d2c0567e15f560f1d2b5b8deec12df015 Mon Sep 17 00:00:00 2001 From: Kelvin Date: Sat, 1 Dec 2018 23:43:37 -0500 Subject: Updated CHANGELOG.md - Fixed 2018-20-24 dates --- CHANGELOG.md | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index f9d2e5fb..311550d4 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -185,11 +185,11 @@ REST API: [Allow to remove the full list of labels/members through the API](http Thanks to GitHub user bentiss for contributions. -# v1.62 2018-20-24 Wekan release +# v1.62 2018-10-24 Wekan release - Fix missing dropdown arrow on Chrome. Thanks to xet7. Closes #1964 -# v1.61 2018-20-24 Wekan release +# v1.61 2018-10-24 Wekan release - Fix lint error. Thanks to xet7. -- cgit v1.2.3-1-g7c22 From 3e03f557cf46bf32258fbd8e4b6433ca4469cfb4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 2 Dec 2018 23:12:45 +0200 Subject: - Build snap also on i386, armhf and arm64. Ignore if it fails. Most likely armhf and arm64 does not build yet, I will add fixes later. Thanks to xet7 ! Related #1503, related wekan/wekan-snap#46 --- snapcraft.yaml | 15 ++++++++++++++- 1 file changed, 14 insertions(+), 1 deletion(-) diff --git a/snapcraft.yaml b/snapcraft.yaml index bb1f337f..b876bfbf 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -14,7 +14,20 @@ confinement: strict grade: stable architectures: - - amd64 + - build-on: amd64 + run-on: amd64 + + - build-on: i386 + run-on: i386 + build-error: ignore + + - build-on: armhf + run-on: armhf + build-error: ignore + + - build-on: arm64 + run-on: arm64 + build-error: ignore plugs: mongodb-plug: -- cgit v1.2.3-1-g7c22 From af9ca9b6c4a283f93d0c6d32e373ddc3c6ade71a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 2 Dec 2018 23:17:14 +0200 Subject: - Build snap also on i386, armhf and arm64. Ignore if it fails. Most likely armhf and arm64 does not build yet, I will add fixes later. Thanks to xet7 ! --- CHANGELOG.md | 7 ++++++- 1 file changed, 6 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index f9d2e5fb..c87eda0f 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,6 +1,11 @@ # Upcoming Wekan release -This release fixes the following bugs: +This release adds the following new features: + +- Build snap also on i386, armhf and arm64. Ignore if it fails. + Most likely armhf and arm64 does not build yet, I will add fixes later. Thanks to xet7. + +and fixes the following bugs: - Fix: Message box for deleting subtask unreachable. Thanks to hupptechnologies. Closes #1800 -- cgit v1.2.3-1-g7c22 From 30c80f167cd2ebf4ad13056ef303ca7ba95a3bff Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 2 Dec 2018 23:19:51 +0200 Subject: Update translations. --- i18n/fr.i18n.json | 14 ++-- i18n/sv.i18n.json | 28 ++++---- i18n/tr.i18n.json | 200 +++++++++++++++++++++++++-------------------------- i18n/zh-CN.i18n.json | 14 ++-- 4 files changed, 128 insertions(+), 128 deletions(-) diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 1bcedb34..d90d7031 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -123,7 +123,7 @@ "card-comments-title": "Cette carte a %s commentaires.", "card-delete-notice": "La suppression est permanente. Vous perdrez toutes les actions associées à cette carte.", "card-delete-pop": "Toutes les actions vont être supprimées du suivi d'activités et vous ne pourrez plus utiliser cette carte. Cette action est irréversible.", - "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "Vous pouvez déplacer une carte vers les archives afin de l'enlever du tableau tout en préservant l'activité.", "card-due": "À échéance", "card-due-on": "Échéance le", "card-spent": "Temps passé", @@ -166,7 +166,7 @@ "clipboard": "Presse-papier ou glisser-déposer", "close": "Fermer", "close-board": "Fermer le tableau", - "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", + "close-board-pop": "Vous pouvez restaurer le tableau en cliquant sur le bouton « Archives » depuis le menu en entête.", "color-black": "noir", "color-blue": "bleu", "color-green": "vert", @@ -284,13 +284,13 @@ "import-board-c": "Importer un tableau", "import-board-title-trello": "Importer le tableau depuis Trello", "import-board-title-wekan": "Importer un tableau depuis Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-sandstorm-backup-warning": "Ne supprimez pas les données que vous importez du Wekan ou Trello original avant de vérifier que la graine peut se fermer et s'ouvrir à nouveau, ou qu'une erreur \"Tableau introuvable\" survient, sinon vous perdrez vos données.", "import-sandstorm-warning": "Le tableau importé supprimera toutes les données du tableau et les remplacera avec celles du tableau importé.", "from-trello": "Depuis Trello", "from-wekan": "Depuis Wekan", "import-board-instruction-trello": "Dans votre tableau Trello, allez sur 'Menu', puis sur 'Plus', 'Imprimer et exporter', 'Exporter en JSON' et copiez le texte du résultat", "import-board-instruction-wekan": "Dans votre tableau Wekan, allez dans 'Menu', puis 'Exporter un tableau', et copier le texte du fichier téléchargé.", - "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", + "import-board-instruction-about-errors": "Si une erreur survient en important le tableau, il se peut que l'import ait fonctionné, et que le tableau se trouve sur la page \"Tous les tableaux\".", "import-json-placeholder": "Collez ici les données JSON valides", "import-map-members": "Faire correspondre aux membres", "import-members-map": "Le tableau que vous venez d'importer contient des membres. Veuillez associer les membres que vous souhaitez importer à des utilisateurs de Wekan.", @@ -315,8 +315,8 @@ "leave-board-pop": "Êtes-vous sur de vouloir quitter __boardTitle__ ? Vous ne serez plus associé aux cartes de ce tableau.", "leaveBoardPopup-title": "Quitter le tableau", "link-card": "Lier à cette carte", - "list-archive-cards": "Move all cards in this list to Archive", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", + "list-archive-cards": "Déplacer toutes les cartes de cette liste vers les archives", + "list-archive-cards-pop": "Cela supprimera du tableau toutes les cartes de cette liste. Pour voir les cartes archivées et les renvoyer vers le tableau, cliquez sur « Menu » puis « Archives ».", "list-move-cards": "Déplacer toutes les cartes de cette liste", "list-select-cards": "Sélectionner toutes les cartes de cette liste", "listActionPopup-title": "Actions sur la liste", @@ -618,5 +618,5 @@ "authentication-type": "Type d'authentification", "custom-product-name": "Nom personnalisé", "layout": "Interface", - "hide-logo": "Hide Logo" + "hide-logo": "Cacher le logo" } \ No newline at end of file diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 07e99fbe..2470c3f4 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "skapa anpassat fält __customField__", "act-createList": "lade till __list__ to __board__", "act-addBoardMember": "lade till __member__ to __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", + "act-archivedBoard": "__board__ flyttades till Arkiv", + "act-archivedCard": "__card__ flyttades till Arkiv", + "act-archivedList": "__list__ flyttades till Arkiv", + "act-archivedSwimlane": "__swimlane__ flyttades till Arkiv", "act-importBoard": "importerade __board__", "act-importCard": "importerade __card__", "act-importList": "importerade __list__", @@ -29,7 +29,7 @@ "activities": "Aktiviteter", "activity": "Aktivitet", "activity-added": "Lade %s till %s", - "activity-archived": "%s moved to Archive", + "activity-archived": "%s flyttades till Arkiv", "activity-attached": "bifogade %s to %s", "activity-created": "skapade %s", "activity-customfield-created": "skapa anpassat fält %s", @@ -79,8 +79,8 @@ "and-n-other-card_plural": "Och __count__ andra kort", "apply": "Tillämpa", "app-is-offline": "Wekan läses in, var god vänta. Uppdatering av sidan kommer att leda till förlust av data. Om Wekan inte läses in, kontrollera att Wekan-servern inte har stoppats.", - "archive": "Move to Archive", - "archive-all": "Move All to Archive", + "archive": "Flytta till Arkiv", + "archive-all": "Flytta alla till Arkiv", "archive-board": "Move Board to Archive", "archive-card": "Move Card to Archive", "archive-list": "Move List to Archive", @@ -558,7 +558,7 @@ "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", - "r-completed": "Completed", + "r-completed": "Avslutad", "r-made-incomplete": "Made incomplete", "r-when-a-item": "When a checklist item is", "r-when-the-item": "When the checklist item", @@ -568,8 +568,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Archive", - "r-unarchive": "Restore from Archive", + "r-archive": "Flytta till Arkiv", + "r-unarchive": "Återställ från Arkiv", "r-card": "kort", "r-add": "Lägg till", "r-remove": "Ta bort", @@ -614,9 +614,9 @@ "ldap": "LDAP", "oauth2": "OAuth2", "cas": "CAS", - "authentication-method": "Authentication method", - "authentication-type": "Authentication type", - "custom-product-name": "Custom Product Name", + "authentication-method": "Autentiseringsmetod", + "authentication-type": "Autentiseringstyp", + "custom-product-name": "Anpassat produktnamn", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Dölj logotypen" } \ No newline at end of file diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index 952aae32..b5a96bce 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -29,7 +29,7 @@ "activities": "Etkinlikler", "activity": "Etkinlik", "activity-added": "%s içine %s ekledi", - "activity-archived": "%s moved to Archive", + "activity-archived": "%s arşive taşındı", "activity-attached": "%s içine %s ekledi", "activity-created": "%s öğesini oluşturdu", "activity-customfield-created": "%s adlı özel alan yaratıldı", @@ -79,18 +79,18 @@ "and-n-other-card_plural": "Ve __count__ diğer kart", "apply": "Uygula", "app-is-offline": "Wekan yükleniyor, lütfen bekleyin. Sayfayı yenilemek veri kaybına sebep olabilir. Eğer Wekan yüklenmezse, lütfen Wekan sunucusunun çalıştığından emin olun.", - "archive": "Move to Archive", - "archive-all": "Move All to Archive", - "archive-board": "Move Board to Archive", - "archive-card": "Move Card to Archive", - "archive-list": "Move List to Archive", - "archive-swimlane": "Move Swimlane to Archive", - "archive-selection": "Move selection to Archive", - "archiveBoardPopup-title": "Move Board to Archive?", + "archive": "Arşive Taşı", + "archive-all": "Hepsini Arşive Taşı", + "archive-board": "Panoyu Arşive Taşı", + "archive-card": "Kartı Arşive Taşı", + "archive-list": "Listeyi Arşive Taşı", + "archive-swimlane": "Kulvarı Arşive Taşı", + "archive-selection": "Seçimi arşive taşı", + "archiveBoardPopup-title": "Panoyu arşive taşı?", "archived-items": "Arşivle", - "archived-boards": "Boards in Archive", + "archived-boards": "Panolar Arşivde", "restore-board": "Panoyu Geri Getir", - "no-archived-boards": "No Boards in Archive.", + "no-archived-boards": "Arşivde Pano Yok.", "archives": "Arşivle", "assign-member": "Üye ata", "attached": "dosya(sı) eklendi", @@ -118,8 +118,8 @@ "board-view-lists": "Listeler", "bucket-example": "Örn: \"Marketten Alacaklarım\"", "cancel": "İptal", - "card-archived": "This card is moved to Archive.", - "board-archived": "This board is moved to Archive.", + "card-archived": "Bu kart arşive taşındı.", + "board-archived": "Bu pano arşive taşındı.", "card-comments-title": "Bu kartta %s yorum var.", "card-delete-notice": "Silme işlemi kalıcıdır. Bu kartla ilişkili tüm eylemleri kaybedersiniz.", "card-delete-pop": "Son hareketler alanındaki tüm veriler silinecek, ayrıca bu kartı yeniden açamayacaksın. Bu işlemin geri dönüşü yok.", @@ -147,8 +147,8 @@ "cards-count": "Kartlar", "casSignIn": "CAS ile giriş yapın", "cardType-card": "Kart", - "cardType-linkedCard": "Linked Card", - "cardType-linkedBoard": "Linked Board", + "cardType-linkedCard": "Bağlantılı kart", + "cardType-linkedBoard": "Bağlantılı Pano", "change": "Değiştir", "change-avatar": "Avatar Değiştir", "change-password": "Parola Değiştir", @@ -181,14 +181,14 @@ "comment-placeholder": "Yorum Yaz", "comment-only": "Sadece yorum", "comment-only-desc": "Sadece kartlara yorum yazabilir.", - "no-comments": "No comments", - "no-comments-desc": "Can not see comments and activities.", + "no-comments": "Yorum Yok", + "no-comments-desc": "Yorumlar ve aktiviteleri göremiyorum.", "computer": "Bilgisayar", - "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", + "confirm-subtask-delete-dialog": "Alt görevi silmek istediğinizden emin misiniz?", + "confirm-checklist-delete-dialog": "Kontrol listesini silmek istediğinden emin misin?", "copy-card-link-to-clipboard": "Kartın linkini kopyala", - "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "linkCardPopup-title": "Bağlantı kartı", + "searchCardPopup-title": "Kart Ara", "copyCardPopup-title": "Kartı Kopyala", "copyChecklistToManyCardsPopup-title": "Yapılacaklar Listesi şemasını birden çok karta kopyala", "copyChecklistToManyCardsPopup-instructions": "Hedef Kart Başlıkları ve Açıklamaları bu JSON formatında", @@ -271,7 +271,7 @@ "filter-on": "Filtre aktif", "filter-on-desc": "Bu panodaki kartları filtreliyorsunuz. Fitreyi düzenlemek için tıklayın.", "filter-to-selection": "Seçime göre filtreleme yap", - "advanced-filter-label": "Advanced Filter", + "advanced-filter-label": "Gelişmiş Filtreleme", "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Ad Soyad", "header-logo-title": "Panolar sayfanıza geri dön.", @@ -315,7 +315,7 @@ "leave-board-pop": "__boardTitle__ panosundan ayrılmak istediğinize emin misiniz? Panodaki tüm kartlardan kaldırılacaksınız.", "leaveBoardPopup-title": "Panodan ayrılmak istediğinize emin misiniz?", "link-card": "Bu kartın bağlantısı", - "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards": "Bu listedeki tüm kartları arşive taşı", "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Listedeki tüm kartları taşı", "list-select-cards": "Listedeki tüm kartları seç", @@ -345,9 +345,9 @@ "muted-info": "Bu panodaki hiçbir değişiklik hakkında bildirim almayacaksınız", "my-boards": "Panolarım", "name": "Adı", - "no-archived-cards": "No cards in Archive.", - "no-archived-lists": "No lists in Archive.", - "no-archived-swimlanes": "No swimlanes in Archive.", + "no-archived-cards": "Arşivde kart yok", + "no-archived-lists": "Arşivde liste yok", + "no-archived-swimlanes": "Arşivde kulvar yok", "no-results": "Sonuç yok", "normal": "Normal", "normal-desc": "Kartları görüntüleyebilir ve düzenleyebilir. Ayarları değiştiremez.", @@ -383,7 +383,7 @@ "restore": "Geri Getir", "save": "Kaydet", "search": "Arama", - "rules": "Rules", + "rules": "Kurallar", "search-cards": "Bu tahta da ki kart başlıkları ve açıklamalarında arama yap", "search-example": "Aranılacak metin?", "select-color": "Renk Seç", @@ -427,7 +427,7 @@ "uploaded-avatar": "Avatar yüklendi", "username": "Kullanıcı adı", "view-it": "Görüntüle", - "warn-list-archived": "warning: this card is in an list at Archive", + "warn-list-archived": "Uyarı: Bu kart arşivdeki bir listede", "watch": "Takip Et", "watching": "Takip Ediliyor", "watching-info": "Bu pano hakkındaki tüm değişiklikler hakkında bildirim alacaksınız", @@ -484,8 +484,8 @@ "minutes": "dakika", "seconds": "saniye", "show-field-on-card": "Bu alanı kartta göster", - "automatically-field-on-card": "Auto create field to all cards", - "showLabel-field-on-card": "Show field label on minicard", + "automatically-field-on-card": "Tüm kartlara otomatik alan oluştur", + "showLabel-field-on-card": "Minikard üzerindeki alan etiketini göster", "yes": "Evet", "no": "Hayır", "accounts": "Hesaplar", @@ -504,119 +504,119 @@ "requested-by": "Talep Eden", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board", + "boardDeletePopup-title": "Panoyu Sil?", + "delete-board": "Panoyu Sil", "default-subtasks-board": "Subtasks for __board__ board", "default": "Varsayılan", "queue": "Sıra", - "subtask-settings": "Subtasks Settings", - "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", - "show-subtasks-field": "Cards can have subtasks", + "subtask-settings": "Alt Görev ayarları", + "boardSubtaskSettingsPopup-title": "Pano alt görev ayarları", + "show-subtasks-field": "Kartların alt görevleri olabilir", "deposit-subtasks-board": "Deposit subtasks to this board:", - "deposit-subtasks-list": "Landing list for subtasks deposited here:", - "show-parent-in-minicard": "Show parent in minicard:", - "prefix-with-full-path": "Prefix with full path", + "deposit-subtasks-list": "Alt görevlerin açılacağı liste:", + "show-parent-in-minicard": "Mini kart içinde üst kartı göster", + "prefix-with-full-path": "Tam yolunu önüne ekle", "prefix-with-parent": "Prefix with parent", - "subtext-with-full-path": "Subtext with full path", - "subtext-with-parent": "Subtext with parent", - "change-card-parent": "Change card's parent", - "parent-card": "Parent card", - "source-board": "Source board", - "no-parent": "Don't show parent", + "subtext-with-full-path": "Tam yolu ile alt metin", + "subtext-with-parent": "üst öge ile alt metin", + "change-card-parent": "Kartın üst kartını değiştir", + "parent-card": "Ana kart", + "source-board": "Kaynak panosu", + "no-parent": "Üst ögeyi gösterme", "activity-added-label": "added label '%s' to %s", "activity-removed-label": "removed label '%s' from %s", "activity-delete-attach": "deleted an attachment from %s", "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", - "activity-delete-attach-card": "deleted an attachment", - "r-rule": "Rule", - "r-add-trigger": "Add trigger", - "r-add-action": "Add action", - "r-board-rules": "Board rules", - "r-add-rule": "Add rule", - "r-view-rule": "View rule", - "r-delete-rule": "Delete rule", - "r-new-rule-name": "New rule title", - "r-no-rules": "No rules", + "activity-delete-attach-card": "Ek silindi", + "r-rule": "Kural", + "r-add-trigger": "Tetikleyici ekle", + "r-add-action": "Eylem ekle", + "r-board-rules": "Pano Kuralları", + "r-add-rule": "Kural ekle", + "r-view-rule": "Kuralı göster", + "r-delete-rule": "Kuralı sil", + "r-new-rule-name": "Yeni kural başlığı", + "r-no-rules": "Kural yok", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", "r-removed-from": "Removed from", - "r-the-board": "the board", - "r-list": "list", + "r-the-board": "pano", + "r-list": "liste", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Archive", - "r-unarchived": "Restored from Archive", - "r-a-card": "a card", + "r-archived": "Arşive taşındı", + "r-unarchived": "Arşivden geri çıkarıldı", + "r-a-card": "Kart", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "Liste İsmi", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", - "r-name": "name", + "r-name": "isim", "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", - "r-completed": "Completed", - "r-made-incomplete": "Made incomplete", + "r-completed": "Tamamlandı", + "r-made-incomplete": "Tamamlanmamış", "r-when-a-item": "When a checklist item is", "r-when-the-item": "When the checklist item", - "r-checked": "Checked", - "r-unchecked": "Unchecked", - "r-move-card-to": "Move card to", - "r-top-of": "Top of", - "r-bottom-of": "Bottom of", + "r-checked": "İşaretlendi", + "r-unchecked": "İşaret Kaldırıldı", + "r-move-card-to": "Kartı taşı", + "r-top-of": "En üst", + "r-bottom-of": "En alt", "r-its-list": "its list", - "r-archive": "Move to Archive", - "r-unarchive": "Restore from Archive", - "r-card": "card", + "r-archive": "Arşive Taşı", + "r-unarchive": "Arşivden Geri Yükle", + "r-card": "Kart", "r-add": "Ekle", - "r-remove": "Remove", + "r-remove": "Kaldır", "r-label": "label", - "r-member": "member", + "r-member": "üye", "r-remove-all": "Remove all members from the card", - "r-checklist": "checklist", - "r-check-all": "Check all", - "r-uncheck-all": "Uncheck all", - "r-items-check": "items of checklist", - "r-check": "Check", - "r-uncheck": "Uncheck", + "r-checklist": "Kontrol Listesi", + "r-check-all": "Tümünü işaretle", + "r-uncheck-all": "Tüm işaretleri kaldır", + "r-items-check": "Kontrol Listesi maddeleri", + "r-check": "işaretle", + "r-uncheck": "İşareti Kaldır", "r-item": "item", "r-of-checklist": "of checklist", - "r-send-email": "Send an email", + "r-send-email": "E-Posta Gönder", "r-to": "to", - "r-subject": "subject", - "r-rule-details": "Rule details", + "r-subject": "Konu", + "r-rule-details": "Kural Detayları", "r-d-move-to-top-gen": "Move card to top of its list", "r-d-move-to-top-spec": "Move card to top of list", "r-d-move-to-bottom-gen": "Move card to bottom of its list", "r-d-move-to-bottom-spec": "Move card to bottom of list", - "r-d-send-email": "Send email", + "r-d-send-email": "E-Posta gönder", "r-d-send-email-to": "to", - "r-d-send-email-subject": "subject", - "r-d-send-email-message": "message", - "r-d-archive": "Move card to Archive", - "r-d-unarchive": "Restore card from Archive", - "r-d-add-label": "Add label", - "r-d-remove-label": "Remove label", - "r-d-add-member": "Add member", - "r-d-remove-member": "Remove member", - "r-d-remove-all-member": "Remove all member", + "r-d-send-email-subject": "Konu", + "r-d-send-email-message": "mesaj", + "r-d-archive": "Kartı Arşive Taşı", + "r-d-unarchive": "Kartı arşivden geri yükle", + "r-d-add-label": "Etiket ekle", + "r-d-remove-label": "Etiketi kaldır", + "r-d-add-member": "Üye Ekle", + "r-d-remove-member": "Üye Sil", + "r-d-remove-all-member": "Tüm Üyeleri Sil", "r-d-check-all": "Check all items of a list", "r-d-uncheck-all": "Uncheck all items of a list", "r-d-check-one": "Check item", "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", - "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist", + "r-d-add-checklist": "Kontrol listesine ekle", + "r-d-remove-checklist": "Kontrol listesini kaldır", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", - "oauth2": "OAuth2", + "oauth2": "Oauth2", "cas": "CAS", - "authentication-method": "Authentication method", - "authentication-type": "Authentication type", - "custom-product-name": "Custom Product Name", - "layout": "Layout", - "hide-logo": "Hide Logo" + "authentication-method": "Kimlik doğrulama yöntemi", + "authentication-type": "Kimlik doğrulama türü", + "custom-product-name": "Özel Ürün Adı", + "layout": "Düzen", + "hide-logo": "Logoyu Gizle" } \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 8da0b566..2984137a 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "创建了自定义字段 __customField__", "act-createList": "添加列表 __list__ 至看板 __board__", "act-addBoardMember": "添加成员 __member__ 至看板 __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", + "act-archivedBoard": "__board__ 已被移入归档", + "act-archivedCard": "__card__ 已被移入归档", + "act-archivedList": "__list__ 已被移入归档", + "act-archivedSwimlane": "__swimlane__ 已被移入归档", "act-importBoard": "导入看板 __board__", "act-importCard": "导入卡片 __card__", "act-importList": "导入列表 __list__", @@ -29,7 +29,7 @@ "activities": "活动", "activity": "活动", "activity-added": "添加 %s 至 %s", - "activity-archived": "%s moved to Archive", + "activity-archived": "%s 已被移入归档", "activity-attached": "添加附件 %s 至 %s", "activity-created": "创建 %s", "activity-customfield-created": "创建了自定义字段 %s", @@ -79,7 +79,7 @@ "and-n-other-card_plural": "和其他 __count__ 个卡片", "apply": "应用", "app-is-offline": "Wekan 正在加载,请稍等。刷新页面将导致数据丢失。如果 Wekan 无法加载,请检查 Wekan 服务器是否已经停止。", - "archive": "Move to Archive", + "archive": "归档", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", "archive-card": "Move Card to Archive", @@ -568,7 +568,7 @@ "r-top-of": "的顶部", "r-bottom-of": "的尾部", "r-its-list": "其清单", - "r-archive": "Move to Archive", + "r-archive": "归档", "r-unarchive": "Restore from Archive", "r-card": "卡片", "r-add": "添加", -- cgit v1.2.3-1-g7c22 From 228996412c1324f4151c27ebbe172a94ce167eb9 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 2 Dec 2018 23:24:32 +0200 Subject: - Fix wrong dates in ChangeLog. Thanks to kelvinhammond ! --- CHANGELOG.md | 1 + 1 file changed, 1 insertion(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 8f23d89d..799efde6 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -9,6 +9,7 @@ and fixes the following bugs: - Fix: Message box for deleting subtask unreachable. Thanks to hupptechnologies. Closes #1800 +- Fix wrong dates in ChangeLog. Thanks to kelvinhammond. Thanks to above GitHub users for their contributions. -- cgit v1.2.3-1-g7c22 From 70fd1ce57d0529ebc35c9877a8a36a21450fb350 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 3 Dec 2018 11:18:54 +0200 Subject: Fix lint errors. --- client/components/main/layouts.js | 2 +- models/settings.js | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index 3db228ee..0f64ca14 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -92,7 +92,7 @@ Template.userFormsLayout.events({ event.stopImmediatePropagation(); Meteor.subscribe('user-authenticationMethod', email, { - onReady() { + onReady() { return authentication.call(this, instance, email, password); }, }); diff --git a/models/settings.js b/models/settings.js index 8d067c6d..9ca26c48 100644 --- a/models/settings.js +++ b/models/settings.js @@ -260,7 +260,7 @@ if (Meteor.isServer) { } }, }); - + Jobs.register({ logOut(userId) { Meteor.users.update( -- cgit v1.2.3-1-g7c22 From fa6b2e567910c5dbe007ab3482a64c9007614788 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 3 Dec 2018 11:31:03 +0200 Subject: - Improve authentication. Thanks to Akuket. --- CHANGELOG.md | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 799efde6..6d66f038 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,6 +4,9 @@ This release adds the following new features: - Build snap also on i386, armhf and arm64. Ignore if it fails. Most likely armhf and arm64 does not build yet, I will add fixes later. Thanks to xet7. +- [Improve authentication, removing Login password/LDAP dropdown](https://github.com/wekan/wekan/issues/2016). + NOTE: This was added in v1.71, then reverted at v1.73 because login did not work, and after fix added back at v1.79. + Thanks to Akuket. and fixes the following bugs: @@ -65,6 +68,7 @@ Thanks to GitHub user alkemyst for contributions. This release fixes the following bugs: - Revert Improve authentication to [fix Login failure](https://github.com/wekan/wekan/issues/2004). + NOTE: This was added in v1.71, then reverted at v1.73 because login did not work, and after fix added back at v1.79. Thanks to GitHub users Broxxx3 and xet7 for their contributions. @@ -86,6 +90,7 @@ This release adds the following new features and bugfixes: - Adding an option to choose the default authentication method with env var. - Bug fix that allowed a user to connect with the password method while his user.authenticationMethod is "ldap" for example. - Adding a server-side method which allows disconnecting a user after a delay defined by env vars. + - NOTE: This was added in v1.71, then reverted at v1.73 because login did not work, and after fix added back at v1.79. - [Improve shell scripts](https://github.com/wekan/wekan/pull/2002). Thanks to warnerjon12. Thanks to above GitHub users and translators for their contributions. -- cgit v1.2.3-1-g7c22 From b788deb002aab83fc127d1a8b3f47670258dbb6a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 3 Dec 2018 16:05:24 +0200 Subject: - Add CORS https://enable-cors.org/server_meteor.html - Add missing LDAP and TIMER environment variables. Thanks to xet7 ! Closes wekan/wekan-snap#69 --- Dockerfile | 4 +- docker-compose-build.yml | 14 ++ docker-compose-postgresql.yml | 15 +- docker-compose.yml | 2 + releases/virtualbox/start-wekan.sh | 14 ++ server/cors.js | 11 + snap-src/bin/config | 6 +- snap-src/bin/wekan-help | 5 + start-wekan.bat | 290 ++++++++++++++++---------- start-wekan.sh | 413 +++++++++++++++++++------------------ 10 files changed, 464 insertions(+), 310 deletions(-) create mode 100644 server/cors.js diff --git a/Dockerfile b/Dockerfile index 96749eb0..966e0e1d 100644 --- a/Dockerfile +++ b/Dockerfile @@ -69,6 +69,7 @@ ARG LOGOUT_WITH_TIMER ARG LOGOUT_IN ARG LOGOUT_ON_HOURS ARG LOGOUT_ON_MINUTES +ARG CORS # Set the environment variables (defaults where required) # DOES NOT WORK: paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303 @@ -140,7 +141,8 @@ ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential pyth LOGOUT_WITH_TIMER="false" \ LOGOUT_IN="" \ LOGOUT_ON_HOURS="" \ - LOGOUT_ON_MINUTES="" + LOGOUT_ON_MINUTES="" \ + CORS="" # Copy the app to the image COPY ${SRC_PATH} /home/wekan/app diff --git a/docker-compose-build.yml b/docker-compose-build.yml index 58c5c525..a3ee2bd6 100644 --- a/docker-compose-build.yml +++ b/docker-compose-build.yml @@ -45,6 +45,8 @@ services: # Wekan Export Board works when WITH_API=true. # If you disable Wekan API with false, Export Board does not work. - WITH_API=true + # CORS: Set Access-Control-Allow-Origin header. Example: * + #- CORS=* # Optional: Integration with Matomo https://matomo.org that is installed to your server # The address of the server where Matomo is hosted. # example: - MATOMO_ADDRESS=https://example.com/matomo @@ -209,6 +211,18 @@ services: # LDAP_DEFAULT_DOMAIN : The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP # example : #- LDAP_DEFAULT_DOMAIN= + # LOGOUT_WITH_TIMER : Enables or not the option logout with timer + # example : LOGOUT_WITH_TIMER=true + #- LOGOUT_WITH_TIMER= + # LOGOUT_IN : The number of days + # example : LOGOUT_IN=1 + #- LOGOUT_IN= + # LOGOUT_ON_HOURS : The number of hours + # example : LOGOUT_ON_HOURS=9 + #- LOGOUT_ON_HOURS= + # LOGOUT_ON_MINUTES : The number of minutes + # example : LOGOUT_ON_MINUTES=55 + #- LOGOUT_ON_MINUTES= depends_on: - wekandb diff --git a/docker-compose-postgresql.yml b/docker-compose-postgresql.yml index c8844408..ab15d978 100644 --- a/docker-compose-postgresql.yml +++ b/docker-compose-postgresql.yml @@ -67,6 +67,8 @@ services: # Wekan Export Board works when WITH_API='true'. # If you disable Wekan API, Export Board does not work. - WITH_API=true + # CORS: Set Access-Control-Allow-Origin header. Example: * + #- CORS=* # Optional: Integration with Matomo https://matomo.org that is installed to your server # The address of the server where Matomo is hosted. # example: - MATOMO_ADDRESS=https://example.com/matomo @@ -231,7 +233,18 @@ services: # LDAP_DEFAULT_DOMAIN : The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP # example : #- LDAP_DEFAULT_DOMAIN= - + # LOGOUT_WITH_TIMER : Enables or not the option logout with timer + # example : LOGOUT_WITH_TIMER=true + #- LOGOUT_WITH_TIMER= + # LOGOUT_IN : The number of days + # example : LOGOUT_IN=1 + #- LOGOUT_IN= + # LOGOUT_ON_HOURS : The number of hours + # example : LOGOUT_ON_HOURS=9 + #- LOGOUT_ON_HOURS= + # LOGOUT_ON_MINUTES : The number of minutes + # example : LOGOUT_ON_MINUTES=55 + #- LOGOUT_ON_MINUTES= depends_on: - mongodb diff --git a/docker-compose.yml b/docker-compose.yml index 5054e135..0cb58cff 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -34,6 +34,8 @@ services: # Wekan Export Board works when WITH_API=true. # If you disable Wekan API with false, Export Board does not work. - WITH_API=true + # CORS: Set Access-Control-Allow-Origin header. Example: * + #- CORS=* # Optional: Integration with Matomo https://matomo.org that is installed to your server # The address of the server where Matomo is hosted. # example: - MATOMO_ADDRESS=https://example.com/matomo diff --git a/releases/virtualbox/start-wekan.sh b/releases/virtualbox/start-wekan.sh index 388e3066..2aec8004 100755 --- a/releases/virtualbox/start-wekan.sh +++ b/releases/virtualbox/start-wekan.sh @@ -22,6 +22,9 @@ # If you disable Wekan API, Export Board does not work. export WITH_API='true' #--------------------------------------------- + # CORS: Set Access-Control-Allow-Origin header. Example: * + #- CORS=* + #--------------------------------------------- ## Optional: Integration with Matomo https://matomo.org that is installed to your server ## The address of the server where Matomo is hosted: ##export MATOMO_ADDRESS=https://example.com/matomo @@ -187,6 +190,17 @@ # LDAP_DEFAULT_DOMAIN : The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP # example : #export LDAP_DEFAULT_DOMAIN= + # LOGOUT_WITH_TIMER : Enables or not the option logout with timer + # example : LOGOUT_WITH_TIMER=true + #- LOGOUT_WITH_TIMER= + # LOGOUT_IN : The number of days + # example : LOGOUT_IN=1 + #- LOGOUT_IN= + #- LOGOUT_ON_HOURS= + # LOGOUT_ON_MINUTES : The number of minutes + # example : LOGOUT_ON_MINUTES=55 + #- LOGOUT_ON_MINUTES= + node main.js & >> ~/repos/wekan.log cd ~/repos #done diff --git a/server/cors.js b/server/cors.js new file mode 100644 index 00000000..80369a83 --- /dev/null +++ b/server/cors.js @@ -0,0 +1,11 @@ +Meteor.startup(() => { + + if ( process.env.CORS ) { + // Listen to incoming HTTP requests, can only be used on the server + WebApp.rawConnectHandlers.use(function(req, res, next) { + res.setHeader('Access-Control-Allow-Origin', process.env.CORS); + return next(); + }); + } + +}); diff --git a/snap-src/bin/config b/snap-src/bin/config index 4aa12475..ac39e71c 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -3,7 +3,7 @@ # All supported keys are defined here together with descriptions and default values # list of supported keys -keys="MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_FULLNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN LOGOUT_WITH_TIMER, LOGOUT_IN, LOGOUT_ON_HOURS, LOGOUT_ON_MINUTES" +keys="MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API CORS MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_FULLNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN LOGOUT_WITH_TIMER, LOGOUT_IN, LOGOUT_ON_HOURS, LOGOUT_ON_MINUTES" # default values DESCRIPTION_MONGODB_BIND_UNIX_SOCKET="mongodb binding unix socket:\n"\ @@ -52,6 +52,10 @@ DESCRIPTION_WITH_API="Enable/disable the api of wekan" DEFAULT_WITH_API="true" KEY_WITH_API="with-api" +DESCRIPTION_CORS="Enable/disable CORS: Set Access-Control-Allow-Origin header. Example: *" +DEFAULT_CORS="" +KEY_CORS="cors" + DESCRIPTION_MATOMO_ADDRESS="The address of the server where matomo is hosted" DEFAULT_MATOMO_ADDRESS="" KEY_MATOMO_ADDRESS="matomo-address" diff --git a/snap-src/bin/wekan-help b/snap-src/bin/wekan-help index 4bd7c277..804f9ad6 100755 --- a/snap-src/bin/wekan-help +++ b/snap-src/bin/wekan-help @@ -33,6 +33,11 @@ echo -e "\t$ snap set $SNAP_NAME WITH_API='true'" echo -e "\t-Disable the API:" echo -e "\t$ snap set $SNAP_NAME WITH_API='false'" echo -e "\n" +echo -e "To enable the CORS of wekan, to set Access-Control-Allow-Origin header:" +echo -e "\t$ snap set $SNAP_NAME CORS='*'" +echo -e "\t-Disable the CORS:" +echo -e "\t$ snap set $SNAP_NAME CORS=''" +echo -e "\n" echo -e "Enable browser policy and allow one trusted URL that can have iframe that has Wekan embedded inside." echo -e "\t\t Setting this to false is not recommended, it also disables all other browser policy protections" echo -e "\t\t and allows all iframing etc. See wekan/server/policy.js" diff --git a/start-wekan.bat b/start-wekan.bat index 3b1e8e77..fee3e18a 100644 --- a/start-wekan.bat +++ b/start-wekan.bat @@ -4,175 +4,245 @@ SET MAIL_URL=smtp://user:pass@mailserver.example.com:25/ SET MAIL_FROM=admin@example.com SET PORT=2000 -REM If you disable Wekan API with false, Export Board does not work. +REM # If you disable Wekan API with false, Export Board does not work. SET WITH_API=true -REM Optional: Integration with Matomo https://matomo.org that is installed to your server -REM The address of the server where Matomo is hosted. -REM example: - MATOMO_ADDRESS=https://example.com/matomo +REM # Optional: Integration with Matomo https://matomo.org that is installed to your server +REM # The address of the server where Matomo is hosted. +REM # example: - MATOMO_ADDRESS=https://example.com/matomo REM SET MATOMO_ADDRESS= -REM The value of the site ID given in Matomo server for Wekan -REM example: - MATOMO_SITE_ID=12345 + +REM # The value of the site ID given in Matomo server for Wekan +REM # example: - MATOMO_SITE_ID=12345 REM SET MATOMO_SITE_ID= -REM The option do not track which enables users to not be tracked by matomo -REM example: - MATOMO_DO_NOT_TRACK=false + +REM # The option do not track which enables users to not be tracked by matomo +REM # example: - MATOMO_DO_NOT_TRACK=false REM SET MATOMO_DO_NOT_TRACK= -REM The option that allows matomo to retrieve the username: -REM example: MATOMO_WITH_USERNAME=true + +REM # The option that allows matomo to retrieve the username: +REM # example: MATOMO_WITH_USERNAME=true REM SET MATOMO_WITH_USERNAME=false -REM Enable browser policy and allow one trusted URL that can have iframe that has Wekan embedded inside. -REM Setting this to false is not recommended, it also disables all other browser policy protections -REM and allows all iframing etc. See wekan/server/policy.js +REM # Enable browser policy and allow one trusted URL that can have iframe that has Wekan embedded inside. +REM # Setting this to false is not recommended, it also disables all other browser policy protections +REM # and allows all iframing etc. See wekan/server/policy.js SET BROWSER_POLICY_ENABLED=true -REM When browser policy is enabled, HTML code at this Trusted URL can have iframe that embeds Wekan inside. + +REM # When browser policy is enabled, HTML code at this Trusted URL can have iframe that embeds Wekan inside. REM SET TRUSTED_URL= -REM What to send to Outgoing Webhook, or leave out. Example, that includes all that are default: cardId,listId,oldListId,boardId,comment,user,card,commentId . -REM example: WEBHOOKS_ATTRIBUTES=cardId,listId,oldListId,boardId,comment,user,card,commentId +REM # What to send to Outgoing Webhook, or leave out. Example, that includes all that are default: cardId,listId,oldListId,boardId,comment,user,card,commentId . +REM # example: WEBHOOKS_ATTRIBUTES=cardId,listId,oldListId,boardId,comment,user,card,commentId REM SET WEBHOOKS_ATTRIBUTES= -REM Enable the OAuth2 connection -REM example: OAUTH2_ENABLED=true +REM ------------------------------------------------------------ + +REM # Enable the OAuth2 connection +REM # OAuth2 docs: https://github.com/wekan/wekan/wiki/OAuth2 +REM # example: OAUTH2_ENABLED=true REM SET OAUTH2_ENABLED=false -REM OAuth2 docs: https://github.com/wekan/wekan/wiki/OAuth2 -REM OAuth2 Client ID, for example from Rocket.Chat. Example: abcde12345 -REM example: OAUTH2_CLIENT_ID=abcde12345 + +REM # OAuth2 Client ID, for example from Rocket.Chat. Example: abcde12345 +REM # example: OAUTH2_CLIENT_ID=abcde12345 REM SET OAUTH2_CLIENT_ID= -REM OAuth2 Secret, for example from Rocket.Chat: Example: 54321abcde -REM example: OAUTH2_SECRET=54321abcde + +REM # OAuth2 Secret, for example from Rocket.Chat: Example: 54321abcde +REM # example: OAUTH2_SECRET=54321abcde REM SET OAUTH2_SECRET= -REM OAuth2 Server URL, for example Rocket.Chat. Example: https://chat.example.com -REM example: OAUTH2_SERVER_URL=https://chat.example.com + +REM # OAuth2 Server URL, for example Rocket.Chat. Example: https://chat.example.com +REM # example: OAUTH2_SERVER_URL=https://chat.example.com REM SET OAUTH2_SERVER_URL= -REM OAuth2 Authorization Endpoint. Example: /oauth/authorize -REM example: OAUTH2_AUTH_ENDPOINT=/oauth/authorize + +REM # OAuth2 Authorization Endpoint. Example: /oauth/authorize +REM # example: OAUTH2_AUTH_ENDPOINT=/oauth/authorize REM SET OAUTH2_AUTH_ENDPOINT= -REM OAuth2 Userinfo Endpoint. Example: /oauth/userinfo -REM example: OAUTH2_USERINFO_ENDPOINT=/oauth/userinfo + +REM # OAuth2 Userinfo Endpoint. Example: /oauth/userinfo +REM # example: OAUTH2_USERINFO_ENDPOINT=/oauth/userinfo REM SET OAUTH2_USERINFO_ENDPOINT= -REM OAuth2 Token Endpoint. Example: /oauth/token -REM example: OAUTH2_TOKEN_ENDPOINT=/oauth/token + +REM # OAuth2 Token Endpoint. Example: /oauth/token +REM # example: OAUTH2_TOKEN_ENDPOINT=/oauth/token REM SET OAUTH2_TOKEN_ENDPOINT= -REM LDAP_ENABLE : Enable or not the connection by the LDAP -REM example : LDAP_ENABLE=true +REM ------------------------------------------------------------ + +REM # LDAP_ENABLE : Enable or not the connection by the LDAP +REM # example : LDAP_ENABLE=true REM SET LDAP_ENABLE=false -REM LDAP_PORT : The port of the LDAP server -REM example : LDAP_PORT=389 + +REM # LDAP_PORT : The port of the LDAP server +REM # example : LDAP_PORT=389 REM SET LDAP_PORT=389 -REM LDAP_HOST : The host server for the LDAP server -REM example : LDAP_HOST=localhost + +REM # LDAP_HOST : The host server for the LDAP server +REM # example : LDAP_HOST=localhost REM SET LDAP_HOST= -REM LDAP_BASEDN : The base DN for the LDAP Tree -REM example : LDAP_BASEDN=ou=user,dc=example,dc=org + +REM # LDAP_BASEDN : The base DN for the LDAP Tree +REM # example : LDAP_BASEDN=ou=user,dc=example,dc=org REM SET LDAP_BASEDN= -REM LDAP_LOGIN_FALLBACK : Fallback on the default authentication method -REM example : LDAP_LOGIN_FALLBACK=true + +REM # LDAP_LOGIN_FALLBACK : Fallback on the default authentication method +REM # example : LDAP_LOGIN_FALLBACK=true REM SET LDAP_LOGIN_FALLBACK=false -REM LDAP_RECONNECT : Reconnect to the server if the connection is lost -REM example : LDAP_RECONNECT=false + +REM # LDAP_RECONNECT : Reconnect to the server if the connection is lost +REM # example : LDAP_RECONNECT=false REM SET LDAP_RECONNECT=true -REM LDAP_TIMEOUT : Overall timeout, in milliseconds -REM example : LDAP_TIMEOUT=12345 + +REM # LDAP_TIMEOUT : Overall timeout, in milliseconds +REM # example : LDAP_TIMEOUT=12345 REM SET LDAP_TIMEOUT=10000 -REM LDAP_IDLE_TIMEOUT : Specifies the timeout for idle LDAP connections in milliseconds -REM example : LDAP_IDLE_TIMEOUT=12345 + +REM # LDAP_IDLE_TIMEOUT : Specifies the timeout for idle LDAP connections in milliseconds +REM # example : LDAP_IDLE_TIMEOUT=12345 REM SET LDAP_IDLE_TIMEOUT=10000 -REM LDAP_CONNECT_TIMEOUT : Connection timeout, in milliseconds -REM example : LDAP_CONNECT_TIMEOUT=12345 + +REM # LDAP_CONNECT_TIMEOUT : Connection timeout, in milliseconds +REM # example : LDAP_CONNECT_TIMEOUT=12345 REM SET LDAP_CONNECT_TIMEOUT=10000 -REM LDAP_AUTHENTIFICATION : If the LDAP needs a user account to search -REM example : LDAP_AUTHENTIFICATION=true + +REM # LDAP_AUTHENTIFICATION : If the LDAP needs a user account to search +REM # example : LDAP_AUTHENTIFICATION=true REM SET LDAP_AUTHENTIFICATION=false -REM LDAP_AUTHENTIFICATION_USERDN : The search user DN -REM example : LDAP_AUTHENTIFICATION_USERDN=cn=admin,dc=example,dc=org + +REM # LDAP_AUTHENTIFICATION_USERDN : The search user DN +REM # example: LDAP_AUTHENTIFICATION_USERDN=cn=admin,dc=example,dc=org REM SET LDAP_AUTHENTIFICATION_USERDN= -REM LDAP_AUTHENTIFICATION_PASSWORD : The password for the search user -REM example : AUTHENTIFICATION_PASSWORD=admin + +REM # LDAP_AUTHENTIFICATION_PASSWORD : The password for the search user +REM # example : AUTHENTIFICATION_PASSWORD=admin REM SET LDAP_AUTHENTIFICATION_PASSWORD= -REM LDAP_LOG_ENABLED : Enable logs for the module -REM example : LDAP_LOG_ENABLED=true + +REM # LDAP_LOG_ENABLED : Enable logs for the module +REM # example : LDAP_LOG_ENABLED=true REM SET LDAP_LOG_ENABLED=false -REM LDAP_BACKGROUND_SYNC : If the sync of the users should be done in the background -REM example : LDAP_BACKGROUND_SYNC=true + +REM # LDAP_BACKGROUND_SYNC : If the sync of the users should be done in the background +REM # example : LDAP_BACKGROUND_SYNC=true REM SET LDAP_BACKGROUND_SYNC=false -REM LDAP_BACKGROUND_SYNC_INTERVAL : At which interval does the background task sync in milliseconds -REM example : LDAP_BACKGROUND_SYNC_INTERVAL=12345 + +REM # LDAP_BACKGROUND_SYNC_INTERVAL : At which interval does the background task sync in milliseconds +REM # example : LDAP_BACKGROUND_SYNC_INTERVAL=12345 REM SET LDAP_BACKGROUND_SYNC_INTERVAL=100 -REM LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED : -REM example : LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=true + +REM # LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED : +REM # example : LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=true REM SET LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=false -REM LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS : -REM example : LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=true + +REM # LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS : +REM # example : LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=true REM SET LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=false -REM LDAP_ENCRYPTION : If using LDAPS -REM example : LDAP_ENCRYPTION=ssl + +REM # LDAP_ENCRYPTION : If using LDAPS +REM # example : LDAP_ENCRYPTION=ssl REM SET LDAP_ENCRYPTION=false -REM LDAP_CA_CERT : The certification for the LDAPS server. Certificate needs to be included in this docker-compose.yml file. -REM example : LDAP_CA_CERT=-----BEGIN CERTIFICATE-----MIIE+zCCA+OgAwIBAgIkAhwR/6TVLmdRY6hHxvUFWc0+Enmu/Hu6cj+G2FIdAgIC...-----END CERTIFICATE----- + +REM # LDAP_CA_CERT : The certification for the LDAPS server. Certificate needs to be included in this docker-compose.yml file. +REM # example : LDAP_CA_CERT=-----BEGIN CERTIFICATE-----MIIE+zCCA+OgAwIBAgIkAhwR/6TVLmdRY6hHxvUFWc0+Enmu/Hu6cj+G2FIdAgIC...-----END CERTIFICATE----- REM SET LDAP_CA_CERT= -REM LDAP_REJECT_UNAUTHORIZED : Reject Unauthorized Certificate -REM example : LDAP_REJECT_UNAUTHORIZED=true + +REM # LDAP_REJECT_UNAUTHORIZED : Reject Unauthorized Certificate +REM # example : LDAP_REJECT_UNAUTHORIZED=true REM SET LDAP_REJECT_UNAUTHORIZED=false -REM LDAP_USER_SEARCH_FILTER : Optional extra LDAP filters. Don't forget the outmost enclosing parentheses if needed -REM example : LDAP_USER_SEARCH_FILTER= + +REM # LDAP_USER_SEARCH_FILTER : Optional extra LDAP filters. Don't forget the outmost enclosing parentheses if needed +REM # example : LDAP_USER_SEARCH_FILTER= REM SET LDAP_USER_SEARCH_FILTER= -REM LDAP_USER_SEARCH_SCOPE : base (search only in the provided DN), one (search only in the provided DN and one level deep), or sub (search the whole subtree) -REM example : LDAP_USER_SEARCH_SCOPE=one + +REM # LDAP_USER_SEARCH_SCOPE : base (search only in the provided DN), one (search only in the provided DN and one level deep), or sub (search the whole subtree) +REM # example : LDAP_USER_SEARCH_SCOPE=one REM SET LDAP_USER_SEARCH_SCOPE= -REM LDAP_USER_SEARCH_FIELD : Which field is used to find the user -REM example : LDAP_USER_SEARCH_FIELD=uid + +REM # LDAP_USER_SEARCH_FIELD : Which field is used to find the user +REM # example : LDAP_USER_SEARCH_FIELD=uid REM SET LDAP_USER_SEARCH_FIELD= -REM LDAP_SEARCH_PAGE_SIZE : Used for pagination (0=unlimited) -REM example : LDAP_SEARCH_PAGE_SIZE=12345 + +REM # LDAP_SEARCH_PAGE_SIZE : Used for pagination (0=unlimited) +REM # example : LDAP_SEARCH_PAGE_SIZE=12345 REM SET LDAP_SEARCH_PAGE_SIZE=0 -REM LDAP_SEARCH_SIZE_LIMIT : The limit number of entries (0=unlimited) -REM example : LDAP_SEARCH_SIZE_LIMIT=12345 + +REM # LDAP_SEARCH_SIZE_LIMIT : The limit number of entries (0=unlimited) +REM #33 example : LDAP_SEARCH_SIZE_LIMIT=12345 REM SET LDAP_SEARCH_SIZE_LIMIT=0 -REM LDAP_GROUP_FILTER_ENABLE : Enable group filtering -REM example : LDAP_GROUP_FILTER_ENABLE=true + +REM # LDAP_GROUP_FILTER_ENABLE : Enable group filtering +REM # example : LDAP_GROUP_FILTER_ENABLE=true REM SET LDAP_GROUP_FILTER_ENABLE=false -REM LDAP_GROUP_FILTER_OBJECTCLASS : The object class for filtering -REM example : LDAP_GROUP_FILTER_OBJECTCLASS=group + +REM # LDAP_GROUP_FILTER_OBJECTCLASS : The object class for filtering +REM # example : LDAP_GROUP_FILTER_OBJECTCLASS=group REM SET LDAP_GROUP_FILTER_OBJECTCLASS= -REM LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE : -REM example : + +REM # LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE : +REM # example : REM SET LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE= -REM LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE : -REM example : + +REM # LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE : +REM # example : REM SET LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE= -REM LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT : -REM example : + +REM # LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT : +REM # example : REM SET LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT= -REM LDAP_GROUP_FILTER_GROUP_NAME : -REM example : + +REM # LDAP_GROUP_FILTER_GROUP_NAME : +REM # example : REM SET LDAP_GROUP_FILTER_GROUP_NAME= -REM LDAP_UNIQUE_IDENTIFIER_FIELD : This field is sometimes class GUID (Globally Unique Identifier) -REM example : LDAP_UNIQUE_IDENTIFIER_FIELD=guid + +REM # LDAP_UNIQUE_IDENTIFIER_FIELD : This field is sometimes class GUID (Globally Unique Identifier) +REM # example : LDAP_UNIQUE_IDENTIFIER_FIELD=guid REM SET LDAP_UNIQUE_IDENTIFIER_FIELD= -REM LDAP_UTF8_NAMES_SLUGIFY : Convert the username to utf8 -REM example : LDAP_UTF8_NAMES_SLUGIFY=false + +REM # LDAP_UTF8_NAMES_SLUGIFY : Convert the username to utf8 +REM # example : LDAP_UTF8_NAMES_SLUGIFY=false REM SET LDAP_UTF8_NAMES_SLUGIFY=true -REM LDAP_USERNAME_FIELD : Which field contains the ldap username -REM example : LDAP_USERNAME_FIELD=username + +REM # LDAP_USERNAME_FIELD : Which field contains the ldap username +REM # example : LDAP_USERNAME_FIELD=username REM SET LDAP_USERNAME_FIELD= -REM LDAP_MERGE_EXISTING_USERS : -REM example : LDAP_MERGE_EXISTING_USERS=true + +REM # LDAP_MERGE_EXISTING_USERS : +REM # example : LDAP_MERGE_EXISTING_USERS=true REM SET LDAP_MERGE_EXISTING_USERS=false -REM LDAP_SYNC_USER_DATA : -REM example : LDAP_SYNC_USER_DATA=true + +REM # LDAP_SYNC_USER_DATA : +REM # example : LDAP_SYNC_USER_DATA=true REM SET LDAP_SYNC_USER_DATA=false -REM LDAP_SYNC_USER_DATA_FIELDMAP : -REM example : LDAP_SYNC_USER_DATA_FIELDMAP={"cn":"name", "mail":"email"} + +REM # LDAP_SYNC_USER_DATA_FIELDMAP : +REM # example : LDAP_SYNC_USER_DATA_FIELDMAP={"cn":"name", "mail":"email"} REM SET LDAP_SYNC_USER_DATA_FIELDMAP= -REM LDAP_SYNC_GROUP_ROLES : -REM example : -REM SET LDAP_SYNC_GROUP_ROLES= -REM LDAP_DEFAULT_DOMAIN : The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP -REM example : + +REM # LDAP_SYNC_GROUP_ROLES : +REM # example : +REM # SET LDAP_SYNC_GROUP_ROLES= + +REM # LDAP_DEFAULT_DOMAIN : The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP +REM # example : REM SET LDAP_DEFAULT_DOMAIN= +REM ------------------------------------------------ + +REM # LOGOUT_WITH_TIMER : Enables or not the option logout with timer +REM # example : LOGOUT_WITH_TIMER=true +REM SET LOGOUT_WITH_TIMER= + +REM # LOGOUT_IN : The number of days +REM # example : LOGOUT_IN=1 +REM SET LOGOUT_IN= + +REM # LOGOUT_ON_HOURS : The number of hours +REM # example : LOGOUT_ON_HOURS=9 +REM SET LOGOUT_ON_HOURS= + +REM # LOGOUT_ON_MINUTES : The number of minutes +REM # example : LOGOUT_ON_MINUTES=55 +REM SET LOGOUT_ON_MINUTES= + cd .build\bundle node main.js cd ..\.. \ No newline at end of file diff --git a/start-wekan.sh b/start-wekan.sh index dd8bf9eb..a7587e40 100755 --- a/start-wekan.sh +++ b/start-wekan.sh @@ -1,206 +1,225 @@ #!/bin/bash function wekan_repo_check(){ - git_remotes="$(git remote show 2>/dev/null)" - res="" - for i in $git_remotes; do - res="$(git remote get-url $i | sed 's/.*wekan\/wekan.*/wekan\/wekan/')" - if [[ "$res" == "wekan/wekan" ]]; then - break - fi - done + git_remotes="$(git remote show 2>/dev/null)" + res="" + for i in $git_remotes; do + res="$(git remote get-url $i | sed 's/.*wekan\/wekan.*/wekan\/wekan/')" + if [[ "$res" == "wekan/wekan" ]]; then + break + fi + done - if [[ "$res" != "wekan/wekan" ]]; then - echo "$PWD is not a wekan repository" - exit; - fi + if [[ "$res" != "wekan/wekan" ]]; then + echo "$PWD is not a wekan repository" + exit; + fi } # If you want to restart even on crash, uncomment while and done lines. #while true; do - wekan_repo_check - cd .build/bundle - export MONGO_URL='mongodb://127.0.0.1:27019/wekan' - # Production: https://example.com/wekan - # Local: http://localhost:2000 - #export ipaddress=$(ifdata -pa eth0) - export ROOT_URL='http://localhost:2000' - # https://github.com/wekan/wekan/wiki/Troubleshooting-Mail - # https://github.com/wekan/wekan-mongodb/blob/master/docker-compose.yml - export MAIL_URL='smtp://user:pass@mailserver.example.com:25/' - #export KADIRA_OPTIONS_ENDPOINT=http://127.0.0.1:11011 - # This is local port where Wekan Node.js runs, same as below on Caddyfile settings. - export PORT=2000 - # Wekan Export Board works when WITH_API=true. - # If you disable Wekan API with false, Export Board does not work. - export WITH_API='true' - #--------------------------------------------- - ## Optional: Integration with Matomo https://matomo.org that is installed to your server - ## The address of the server where Matomo is hosted: - ##export MATOMO_ADDRESS=https://example.com/matomo - #export MATOMO_ADDRESS= - ## The value of the site ID given in Matomo server for Wekan - # Example: export MATOMO_SITE_ID=123456789 - #export MATOMO_SITE_ID='' - ## The option do not track which enables users to not be tracked by matomo" - #Example: export MATOMO_DO_NOT_TRACK=false - #export MATOMO_DO_NOT_TRACK=true - ## The option that allows matomo to retrieve the username: - # Example: export MATOMO_WITH_USERNAME=true - #export MATOMO_WITH_USERNAME='false' - # Enable browser policy and allow one trusted URL that can have iframe that has Wekan embedded inside. - # Setting this to false is not recommended, it also disables all other browser policy protections - # and allows all iframing etc. See wekan/server/policy.js - # Default value: true - export BROWSER_POLICY_ENABLED=true - # When browser policy is enabled, HTML code at this Trusted URL can have iframe that embeds Wekan inside. - # Example: export TRUSTED_URL=http://example.com - export TRUSTED_URL='' - # What to send to Outgoing Webhook, or leave out. Example, that includes all that are default: cardId,listId,oldListId,boardId,comment,user,card,commentId . - # Example: export WEBHOOKS_ATTRIBUTES=cardId,listId,oldListId,boardId,comment,user,card,commentId - export WEBHOOKS_ATTRIBUTES='' - #--------------------------------------------- - # OAuth2 docs: https://github.com/wekan/wekan/wiki/OAuth2 - # OAuth2 Client ID, for example from Rocket.Chat. Example: abcde12345 - # example: export OAUTH2_CLIENT_ID=abcde12345 - #export OAUTH2_CLIENT_ID='' - # OAuth2 Secret, for example from Rocket.Chat: Example: 54321abcde - # example: export OAUTH2_SECRET=54321abcde - #export OAUTH2_SECRET='' - # OAuth2 Server URL, for example Rocket.Chat. Example: https://chat.example.com - # example: export OAUTH2_SERVER_URL=https://chat.example.com - #export OAUTH2_SERVER_URL='' - # OAuth2 Authorization Endpoint. Example: /oauth/authorize - # example: export OAUTH2_AUTH_ENDPOINT=/oauth/authorize - #export OAUTH2_AUTH_ENDPOINT='' - # OAuth2 Userinfo Endpoint. Example: /oauth/userinfo - # example: export OAUTH2_USERINFO_ENDPOINT=/oauth/userinfo - #export OAUTH2_USERINFO_ENDPOINT='' - # OAuth2 Token Endpoint. Example: /oauth/token - # example: export OAUTH2_TOKEN_ENDPOINT=/oauth/token - #export OAUTH2_TOKEN_ENDPOINT='' - #--------------------------------------------- - # LDAP_ENABLE : Enable or not the connection by the LDAP - # example : export LDAP_ENABLE=true - #export LDAP_ENABLE=false - # LDAP_PORT : The port of the LDAP server - # example : export LDAP_PORT=389 - #export LDAP_PORT=389 - # LDAP_HOST : The host server for the LDAP server - # example : export LDAP_HOST=localhost - #export LDAP_HOST= - # LDAP_BASEDN : The base DN for the LDAP Tree - # example : export LDAP_BASEDN=ou=user,dc=example,dc=org - #export LDAP_BASEDN= - # LDAP_LOGIN_FALLBACK : Fallback on the default authentication method - # example : export LDAP_LOGIN_FALLBACK=true - #export LDAP_LOGIN_FALLBACK=false - # LDAP_RECONNECT : Reconnect to the server if the connection is lost - # example : export LDAP_RECONNECT=false - #export LDAP_RECONNECT=true - # LDAP_TIMEOUT : Overall timeout, in milliseconds - # example : export LDAP_TIMEOUT=12345 - #export LDAP_TIMEOUT=10000 - # LDAP_IDLE_TIMEOUT : Specifies the timeout for idle LDAP connections in milliseconds - # example : export LDAP_IDLE_TIMEOUT=12345 - #export LDAP_IDLE_TIMEOUT=10000 - # LDAP_CONNECT_TIMEOUT : Connection timeout, in milliseconds - # example : export LDAP_CONNECT_TIMEOUT=12345 - #export LDAP_CONNECT_TIMEOUT=10000 - # LDAP_AUTHENTIFICATION : If the LDAP needs a user account to search - # example : export LDAP_AUTHENTIFICATION=true - #export LDAP_AUTHENTIFICATION=false - # LDAP_AUTHENTIFICATION_USERDN : The search user DN - # example : export LDAP_AUTHENTIFICATION_USERDN=cn=admin,dc=example,dc=org - #export LDAP_AUTHENTIFICATION_USERDN= - # LDAP_AUTHENTIFICATION_PASSWORD : The password for the search user - # example : AUTHENTIFICATION_PASSWORD=admin - #export LDAP_AUTHENTIFICATION_PASSWORD= - # LDAP_LOG_ENABLED : Enable logs for the module - # example : export LDAP_LOG_ENABLED=true - #export LDAP_LOG_ENABLED=false - # LDAP_BACKGROUND_SYNC : If the sync of the users should be done in the background - # example : export LDAP_BACKGROUND_SYNC=true - #export LDAP_BACKGROUND_SYNC=false - # LDAP_BACKGROUND_SYNC_INTERVAL : At which interval does the background task sync in milliseconds - # example : export LDAP_BACKGROUND_SYNC_INTERVAL=12345 - #export LDAP_BACKGROUND_SYNC_INTERVAL=100 - # LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED : - # example : export LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=true - #export LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=false - # LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS : - # example : export LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=true - #export LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=false - # LDAP_ENCRYPTION : If using LDAPS - # example : export LDAP_ENCRYPTION=ssl - #export LDAP_ENCRYPTION=false - # LDAP_CA_CERT : The certification for the LDAPS server. Certificate needs to be included in this docker-compose.yml file. - # example : export LDAP_CA_CERT=-----BEGIN CERTIFICATE-----MIIE+zCCA+OgAwIBAgIkAhwR/6TVLmdRY6hHxvUFWc0+Enmu/Hu6cj+G2FIdAgIC...-----END CERTIFICATE----- - #export LDAP_CA_CERT= - # LDAP_REJECT_UNAUTHORIZED : Reject Unauthorized Certificate - # example : export LDAP_REJECT_UNAUTHORIZED=true - #export LDAP_REJECT_UNAUTHORIZED=false - # LDAP_USER_SEARCH_FILTER : Optional extra LDAP filters. Don't forget the outmost enclosing parentheses if needed - # example : export LDAP_USER_SEARCH_FILTER= - #export LDAP_USER_SEARCH_FILTER= - # LDAP_USER_SEARCH_SCOPE : base (search only in the provided DN), one (search only in the provided DN and one level deep), or sub (search the whole subtree) - # example : export LDAP_USER_SEARCH_SCOPE=one - #export LDAP_USER_SEARCH_SCOPE= - # LDAP_USER_SEARCH_FIELD : Which field is used to find the user - # example : export LDAP_USER_SEARCH_FIELD=uid - #export LDAP_USER_SEARCH_FIELD= - # LDAP_SEARCH_PAGE_SIZE : Used for pagination (0=unlimited) - # example : export LDAP_SEARCH_PAGE_SIZE=12345 - #export LDAP_SEARCH_PAGE_SIZE=0 - # LDAP_SEARCH_SIZE_LIMIT : The limit number of entries (0=unlimited) - # example : export LDAP_SEARCH_SIZE_LIMIT=12345 - #export LDAP_SEARCH_SIZE_LIMIT=0 - # LDAP_GROUP_FILTER_ENABLE : Enable group filtering - # example : export LDAP_GROUP_FILTER_ENABLE=true - #export LDAP_GROUP_FILTER_ENABLE=false - # LDAP_GROUP_FILTER_OBJECTCLASS : The object class for filtering - # example : export LDAP_GROUP_FILTER_OBJECTCLASS=group - #export LDAP_GROUP_FILTER_OBJECTCLASS= - # LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE : - # example : - #export LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE= - # LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE : - # example : - #export LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE= - # LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT : - # example : - #export LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT= - # LDAP_GROUP_FILTER_GROUP_NAME : - # example : - #export LDAP_GROUP_FILTER_GROUP_NAME= - # LDAP_UNIQUE_IDENTIFIER_FIELD : This field is sometimes class GUID (Globally Unique Identifier) - # example : export LDAP_UNIQUE_IDENTIFIER_FIELD=guid - #export LDAP_UNIQUE_IDENTIFIER_FIELD= - # LDAP_UTF8_NAMES_SLUGIFY : Convert the username to utf8 - # example : export LDAP_UTF8_NAMES_SLUGIFY=false - #export LDAP_UTF8_NAMES_SLUGIFY=true - # LDAP_USERNAME_FIELD : Which field contains the ldap username - # example : export LDAP_USERNAME_FIELD=username - #export LDAP_USERNAME_FIELD= - # LDAP_FULLNAME_FIELD : Which field contains the ldap fullname - # example : export LDAP_FULLNAME_FIELD=fullname - #export LDAP_FULLNAME_FIELD= - # LDAP_MERGE_EXISTING_USERS : - # example : export LDAP_MERGE_EXISTING_USERS=true - #export LDAP_MERGE_EXISTING_USERS=false - # LDAP_SYNC_USER_DATA : - # example : export LDAP_SYNC_USER_DATA=true - #export LDAP_SYNC_USER_DATA=false - # LDAP_SYNC_USER_DATA_FIELDMAP : - # example : export LDAP_SYNC_USER_DATA_FIELDMAP={"cn":"name", "mail":"email"} - #export LDAP_SYNC_USER_DATA_FIELDMAP= - # LDAP_SYNC_GROUP_ROLES : - # example : - #export LDAP_SYNC_GROUP_ROLES= - # LDAP_DEFAULT_DOMAIN : The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP - # example : - #export LDAP_DEFAULT_DOMAIN= - node main.js - # & >> ../../wekan.log - cd ../.. + wekan_repo_check + cd .build/bundle + export MONGO_URL='mongodb://127.0.0.1:27019/wekan' + #--------------------------------------------- + # Production: https://example.com/wekan + # Local: http://localhost:2000 + #export ipaddress=$(ifdata -pa eth0) + export ROOT_URL='http://localhost:2000' + #--------------------------------------------- + # https://github.com/wekan/wekan/wiki/Troubleshooting-Mail + # https://github.com/wekan/wekan-mongodb/blob/master/docker-compose.yml + export MAIL_URL='smtp://user:pass@mailserver.example.com:25/' + #--------------------------------------------- + #export KADIRA_OPTIONS_ENDPOINT=http://127.0.0.1:11011 + #--------------------------------------------- + # This is local port where Wekan Node.js runs, same as below on Caddyfile settings. + export PORT=2000 + #--------------------------------------------- + # Wekan Export Board works when WITH_API=true. + # If you disable Wekan API with false, Export Board does not work. + export WITH_API='true' + #--------------------------------------------- + # CORS: Set Access-Control-Allow-Origin header. Example: * + #- CORS=* + #--------------------------------------------- + ## Optional: Integration with Matomo https://matomo.org that is installed to your server + ## The address of the server where Matomo is hosted: + ##export MATOMO_ADDRESS=https://example.com/matomo + #export MATOMO_ADDRESS= + ## The value of the site ID given in Matomo server for Wekan + # Example: export MATOMO_SITE_ID=123456789 + #export MATOMO_SITE_ID='' + ## The option do not track which enables users to not be tracked by matomo" + #Example: export MATOMO_DO_NOT_TRACK=false + #export MATOMO_DO_NOT_TRACK=true + ## The option that allows matomo to retrieve the username: + # Example: export MATOMO_WITH_USERNAME=true + #export MATOMO_WITH_USERNAME='false' + # Enable browser policy and allow one trusted URL that can have iframe that has Wekan embedded inside. + # Setting this to false is not recommended, it also disables all other browser policy protections + # and allows all iframing etc. See wekan/server/policy.js + # Default value: true + export BROWSER_POLICY_ENABLED=true + # When browser policy is enabled, HTML code at this Trusted URL can have iframe that embeds Wekan inside. + # Example: export TRUSTED_URL=http://example.com + export TRUSTED_URL='' + # What to send to Outgoing Webhook, or leave out. Example, that includes all that are default: cardId,listId,oldListId,boardId,comment,user,card,commentId . + # Example: export WEBHOOKS_ATTRIBUTES=cardId,listId,oldListId,boardId,comment,user,card,commentId + export WEBHOOKS_ATTRIBUTES='' + #--------------------------------------------- + # OAuth2 docs: https://github.com/wekan/wekan/wiki/OAuth2 + # OAuth2 Client ID, for example from Rocket.Chat. Example: abcde12345 + # example: export OAUTH2_CLIENT_ID=abcde12345 + #export OAUTH2_CLIENT_ID='' + # OAuth2 Secret, for example from Rocket.Chat: Example: 54321abcde + # example: export OAUTH2_SECRET=54321abcde + #export OAUTH2_SECRET='' + # OAuth2 Server URL, for example Rocket.Chat. Example: https://chat.example.com + # example: export OAUTH2_SERVER_URL=https://chat.example.com + #export OAUTH2_SERVER_URL='' + # OAuth2 Authorization Endpoint. Example: /oauth/authorize + # example: export OAUTH2_AUTH_ENDPOINT=/oauth/authorize + #export OAUTH2_AUTH_ENDPOINT='' + # OAuth2 Userinfo Endpoint. Example: /oauth/userinfo + # example: export OAUTH2_USERINFO_ENDPOINT=/oauth/userinfo + #export OAUTH2_USERINFO_ENDPOINT='' + # OAuth2 Token Endpoint. Example: /oauth/token + # example: export OAUTH2_TOKEN_ENDPOINT=/oauth/token + #export OAUTH2_TOKEN_ENDPOINT='' + #--------------------------------------------- + # LDAP_ENABLE : Enable or not the connection by the LDAP + # example : export LDAP_ENABLE=true + #export LDAP_ENABLE=false + # LDAP_PORT : The port of the LDAP server + # example : export LDAP_PORT=389 + #export LDAP_PORT=389 + # LDAP_HOST : The host server for the LDAP server + # example : export LDAP_HOST=localhost + #export LDAP_HOST= + # LDAP_BASEDN : The base DN for the LDAP Tree + # example : export LDAP_BASEDN=ou=user,dc=example,dc=org + #export LDAP_BASEDN= + # LDAP_LOGIN_FALLBACK : Fallback on the default authentication method + # example : export LDAP_LOGIN_FALLBACK=true + #export LDAP_LOGIN_FALLBACK=false + # LDAP_RECONNECT : Reconnect to the server if the connection is lost + # example : export LDAP_RECONNECT=false + #export LDAP_RECONNECT=true + # LDAP_TIMEOUT : Overall timeout, in milliseconds + # example : export LDAP_TIMEOUT=12345 + #export LDAP_TIMEOUT=10000 + # LDAP_IDLE_TIMEOUT : Specifies the timeout for idle LDAP connections in milliseconds + # example : export LDAP_IDLE_TIMEOUT=12345 + #export LDAP_IDLE_TIMEOUT=10000 + # LDAP_CONNECT_TIMEOUT : Connection timeout, in milliseconds + # example : export LDAP_CONNECT_TIMEOUT=12345 + #export LDAP_CONNECT_TIMEOUT=10000 + # LDAP_AUTHENTIFICATION : If the LDAP needs a user account to search + # example : export LDAP_AUTHENTIFICATION=true + #export LDAP_AUTHENTIFICATION=false + # LDAP_AUTHENTIFICATION_USERDN : The search user DN + # example : export LDAP_AUTHENTIFICATION_USERDN=cn=admin,dc=example,dc=org + #export LDAP_AUTHENTIFICATION_USERDN= + # LDAP_AUTHENTIFICATION_PASSWORD : The password for the search user + # example : AUTHENTIFICATION_PASSWORD=admin + #export LDAP_AUTHENTIFICATION_PASSWORD= + # LDAP_LOG_ENABLED : Enable logs for the module + # example : export LDAP_LOG_ENABLED=true + #export LDAP_LOG_ENABLED=false + # LDAP_BACKGROUND_SYNC : If the sync of the users should be done in the background + # example : export LDAP_BACKGROUND_SYNC=true + #export LDAP_BACKGROUND_SYNC=false + # LDAP_BACKGROUND_SYNC_INTERVAL : At which interval does the background task sync in milliseconds + # example : export LDAP_BACKGROUND_SYNC_INTERVAL=12345 + #export LDAP_BACKGROUND_SYNC_INTERVAL=100 + # LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED : + # example : export LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=true + #export LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=false + # LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS : + # example : export LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=true + #export LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=false + # LDAP_ENCRYPTION : If using LDAPS + # example : export LDAP_ENCRYPTION=ssl + #export LDAP_ENCRYPTION=false + # LDAP_CA_CERT : The certification for the LDAPS server. Certificate needs to be included in this docker-compose.yml file. + # example : export LDAP_CA_CERT=-----BEGIN CERTIFICATE-----MIIE+zCCA+OgAwIBAgIkAhwR/6TVLmdRY6hHxvUFWc0+Enmu/Hu6cj+G2FIdAgIC...-----END CERTIFICATE----- + #export LDAP_CA_CERT= + # LDAP_REJECT_UNAUTHORIZED : Reject Unauthorized Certificate + # example : export LDAP_REJECT_UNAUTHORIZED=true + #export LDAP_REJECT_UNAUTHORIZED=false + # LDAP_USER_SEARCH_FILTER : Optional extra LDAP filters. Don't forget the outmost enclosing parentheses if needed + # example : export LDAP_USER_SEARCH_FILTER= + #export LDAP_USER_SEARCH_FILTER= + # LDAP_USER_SEARCH_SCOPE : base (search only in the provided DN), one (search only in the provided DN and one level deep), or sub (search the whole subtree) + # example : export LDAP_USER_SEARCH_SCOPE=one + #export LDAP_USER_SEARCH_SCOPE= + # LDAP_USER_SEARCH_FIELD : Which field is used to find the user + # example : export LDAP_USER_SEARCH_FIELD=uid + #export LDAP_USER_SEARCH_FIELD= + # LDAP_SEARCH_PAGE_SIZE : Used for pagination (0=unlimited) + # example : export LDAP_SEARCH_PAGE_SIZE=12345 + #export LDAP_SEARCH_PAGE_SIZE=0 + # LDAP_SEARCH_SIZE_LIMIT : The limit number of entries (0=unlimited) + # example : export LDAP_SEARCH_SIZE_LIMIT=12345 + #export LDAP_SEARCH_SIZE_LIMIT=0 + # LDAP_GROUP_FILTER_ENABLE : Enable group filtering + # example : export LDAP_GROUP_FILTER_ENABLE=true + #export LDAP_GROUP_FILTER_ENABLE=false + # LDAP_GROUP_FILTER_OBJECTCLASS : The object class for filtering + # example : export LDAP_GROUP_FILTER_OBJECTCLASS=group + #export LDAP_GROUP_FILTER_OBJECTCLASS= + # LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE : + # example : + #export LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE= + # LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE : + # example : + #export LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE= + # LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT : + # example : + #export LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT= + # LDAP_GROUP_FILTER_GROUP_NAME : + # example : + #export LDAP_GROUP_FILTER_GROUP_NAME= + # LDAP_UNIQUE_IDENTIFIER_FIELD : This field is sometimes class GUID (Globally Unique Identifier) + # example : export LDAP_UNIQUE_IDENTIFIER_FIELD=guid + #export LDAP_UNIQUE_IDENTIFIER_FIELD= + # LDAP_UTF8_NAMES_SLUGIFY : Convert the username to utf8 + # example : export LDAP_UTF8_NAMES_SLUGIFY=false + #export LDAP_UTF8_NAMES_SLUGIFY=true + # LDAP_USERNAME_FIELD : Which field contains the ldap username + # example : export LDAP_USERNAME_FIELD=username + #export LDAP_USERNAME_FIELD= + # LDAP_FULLNAME_FIELD : Which field contains the ldap fullname + # example : export LDAP_FULLNAME_FIELD=fullname + #export LDAP_FULLNAME_FIELD= + # LDAP_MERGE_EXISTING_USERS : + # example : export LDAP_MERGE_EXISTING_USERS=true + #export LDAP_MERGE_EXISTING_USERS=false + # LDAP_SYNC_USER_DATA : + # example : export LDAP_SYNC_USER_DATA=true + #export LDAP_SYNC_USER_DATA=false + # LDAP_SYNC_USER_DATA_FIELDMAP : + # example : export LDAP_SYNC_USER_DATA_FIELDMAP={"cn":"name", "mail":"email"} + #export LDAP_SYNC_USER_DATA_FIELDMAP= + # LDAP_SYNC_GROUP_ROLES : + # example : + #export LDAP_SYNC_GROUP_ROLES= + # LDAP_DEFAULT_DOMAIN : The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP + # example : + #export LDAP_DEFAULT_DOMAIN= + # LOGOUT_WITH_TIMER : Enables or not the option logout with timer + # example : LOGOUT_WITH_TIMER=true + #- LOGOUT_WITH_TIMER= + # LOGOUT_IN : The number of days + # example : LOGOUT_IN=1 + #- LOGOUT_IN= + #- LOGOUT_ON_HOURS= + # LOGOUT_ON_MINUTES : The number of minutes + # example : LOGOUT_ON_MINUTES=55 + #- LOGOUT_ON_MINUTES= + + node main.js + # & >> ../../wekan.log + cd ../.. #done -- cgit v1.2.3-1-g7c22 From b75fafc5f2de1a3bdd479566099356e4576099d7 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 3 Dec 2018 16:20:04 +0200 Subject: - Add CORS https://enable-cors.org/server_meteor.html - Add missing LDAP and TIMER environment variables. Thanks to xet7 ! Closes wekan/wekan-snap#69 --- CHANGELOG.md | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 6d66f038..b37a575e 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,11 +2,13 @@ This release adds the following new features: -- Build snap also on i386, armhf and arm64. Ignore if it fails. - Most likely armhf and arm64 does not build yet, I will add fixes later. Thanks to xet7. - [Improve authentication, removing Login password/LDAP dropdown](https://github.com/wekan/wekan/issues/2016). NOTE: This was added in v1.71, then reverted at v1.73 because login did not work, and after fix added back at v1.79. Thanks to Akuket. +- Thanks to xet7: + - Build snap also on i386, armhf and arm64. Ignore if it fails. More fixes will be added later. + - Add CORS https://enable-cors.org/server_meteor.html to Standalone Wekan settings. + - Add missing LDAP and TIMER environment variables. and fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 40367995e739ab96cad82d3806b46874d5260c5f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 3 Dec 2018 16:29:58 +0200 Subject: v1.79 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index b37a575e..c808ae70 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.79 2018-12-03 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index 9337fc32..e2e60637 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.78.0", + "version": "v1.79.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 889c046c..567332ac 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 180, + appVersion = 181, # Increment this for every release. - appMarketingVersion = (defaultText = "1.78.0~2018-11-20"), + appMarketingVersion = (defaultText = "1.79.0~2018-12-03"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From fe7c4528d7c19ab77f2d2ea098e83f6a4c6650f4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 3 Dec 2018 18:19:25 +0200 Subject: - Upgrade Node from v8.12 to v8.14 - Revert non-working architectures that were added at v1.79, so now Wekan is just amd64 as before. Thanks to xet7 ! --- CHANGELOG.md | 12 ++++++++++++ Dockerfile | 2 +- rebuild-wekan.sh | 4 ++-- releases/virtualbox/rebuild-wekan.sh | 4 ++-- snapcraft.yaml | 17 ++--------------- 5 files changed, 19 insertions(+), 20 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index c808ae70..02a09293 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,15 @@ +# Upcoming Wekan release + +This release adds the following new features: + +- Upgrade Node from v8.12 to v8.14 + +and fixes the following bugs: + +- Revert non-working architectures that were added at v1.79, so now Wekan is just amd64 as before. + +Thanks to GitHub user xet7 for contributions. + # v1.79 2018-12-03 Wekan release This release adds the following new features: diff --git a/Dockerfile b/Dockerfile index 966e0e1d..641d3d38 100644 --- a/Dockerfile +++ b/Dockerfile @@ -75,7 +75,7 @@ ARG CORS # DOES NOT WORK: paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303 # ENV BUILD_DEPS="paxctl" ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential python git ca-certificates gcc-7" \ - NODE_VERSION=v8.12.0 \ + NODE_VERSION=v8.14.0 \ METEOR_RELEASE=1.6.0.1 \ USE_EDGE=false \ METEOR_EDGE=1.5-beta.17 \ diff --git a/rebuild-wekan.sh b/rebuild-wekan.sh index 42364515..d50e2aff 100755 --- a/rebuild-wekan.sh +++ b/rebuild-wekan.sh @@ -4,7 +4,7 @@ echo "Note: If you use other locale than en_US.UTF-8 , you need to additionally echo " with 'sudo dpkg-reconfigure locales' , so that MongoDB works correctly." echo " You can still use any other locale as your main locale." -X64NODE="https://nodejs.org/dist/v8.12.0/node-v8.12.0-linux-x64.tar.gz" +X64NODE="https://nodejs.org/dist/v8.14.0/node-v8.14.0-linux-x64.tar.gz" function pause(){ read -p "$*" @@ -74,7 +74,7 @@ do sudo apt install -y build-essential git curl wget # sudo apt -y install nodejs npm # npm_call -g install n -# sudo n 8.12.0 +# sudo n 8.14.0 fi # if [ "$(grep -Ei 'debian' /etc/*release)" ]; then diff --git a/releases/virtualbox/rebuild-wekan.sh b/releases/virtualbox/rebuild-wekan.sh index e7d55107..ca00f0e2 100755 --- a/releases/virtualbox/rebuild-wekan.sh +++ b/releases/virtualbox/rebuild-wekan.sh @@ -4,7 +4,7 @@ echo "Note: If you use other locale than en_US.UTF-8 , you need to additionally echo " with 'sudo dpkg-reconfigure locales' , so that MongoDB works correctly." echo " You can still use any other locale as your main locale." -X64NODE="https://releases.wekan.team/node-v8.11.3-linux-x64.tar.gz" +X64NODE="https://releases.wekan.team/node-v8.14.0-linux-x64.tar.gz" function pause(){ read -p "$*" @@ -25,7 +25,7 @@ do sudo apt install -y build-essential git curl wget sudo apt -y install nodejs npm sudo npm -g install n - sudo n 8.11.3 + sudo n 8.14.0 fi if [ "$(grep -Ei 'debian' /etc/*release)" ]; then diff --git a/snapcraft.yaml b/snapcraft.yaml index b876bfbf..c69b1dcc 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -14,20 +14,7 @@ confinement: strict grade: stable architectures: - - build-on: amd64 - run-on: amd64 - - - build-on: i386 - run-on: i386 - build-error: ignore - - - build-on: armhf - run-on: armhf - build-error: ignore - - - build-on: arm64 - run-on: arm64 - build-error: ignore + - amd64 plugs: mongodb-plug: @@ -94,7 +81,7 @@ parts: wekan: source: . plugin: nodejs - node-engine: 8.12.0 + node-engine: 8.14.0 node-packages: - node-gyp - node-pre-gyp -- cgit v1.2.3-1-g7c22 From 30151de2695c6b0d51816919a4892c66088b6ab7 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 3 Dec 2018 18:22:41 +0200 Subject: v1.80 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 02a09293..11cefaa5 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.80 2018-12-03 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index e2e60637..045dda8a 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.79.0", + "version": "v1.80.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 567332ac..19b76878 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 181, + appVersion = 182, # Increment this for every release. - appMarketingVersion = (defaultText = "1.79.0~2018-12-03"), + appMarketingVersion = (defaultText = "1.80.0~2018-12-03"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From bfca1822a09a4d57e37869d3008491741d3c4751 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 4 Dec 2018 22:20:24 +0200 Subject: - Remove extra commas `,` and add missing backslash `\`. Maybe after that login, logout and CORS works. Thanks to xet7 ! Related #2045, related wekan/wekan-snap#69 --- Dockerfile | 4 ++-- snap-src/bin/config | 2 +- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/Dockerfile b/Dockerfile index 641d3d38..7852bc73 100644 --- a/Dockerfile +++ b/Dockerfile @@ -137,8 +137,8 @@ ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential pyth LDAP_SYNC_USER_DATA=false \ LDAP_SYNC_USER_DATA_FIELDMAP="" \ LDAP_SYNC_GROUP_ROLES="" \ - LDAP_DEFAULT_DOMAIN="" - LOGOUT_WITH_TIMER="false" \ + LDAP_DEFAULT_DOMAIN="" \ + LOGOUT_WITH_TIMER=false \ LOGOUT_IN="" \ LOGOUT_ON_HOURS="" \ LOGOUT_ON_MINUTES="" \ diff --git a/snap-src/bin/config b/snap-src/bin/config index ac39e71c..92532978 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -3,7 +3,7 @@ # All supported keys are defined here together with descriptions and default values # list of supported keys -keys="MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API CORS MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_FULLNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN LOGOUT_WITH_TIMER, LOGOUT_IN, LOGOUT_ON_HOURS, LOGOUT_ON_MINUTES" +keys="MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API CORS MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_FULLNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN LOGOUT_WITH_TIMER LOGOUT_IN LOGOUT_ON_HOURS LOGOUT_ON_MINUTES" # default values DESCRIPTION_MONGODB_BIND_UNIX_SOCKET="mongodb binding unix socket:\n"\ -- cgit v1.2.3-1-g7c22 From b5ccf7a58f20d3e1e8f8864eaf7a06520ea5f4dd Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 4 Dec 2018 22:23:49 +0200 Subject: - Remove extra commas `,` and add missing backslash `\`. Maybe after that login, logout and CORS works. Thanks to xet7 ! Related #2045, related wekan/wekan-snap#69 --- CHANGELOG.md | 10 ++++++++++ 1 file changed, 10 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 11cefaa5..76aaac1a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,13 @@ +# Upcoming Wekan release + +- Remove extra commas `,` and add missing backslash `\`. + Maybe after that login, logout and CORS works. + +Thanks to GitHub user xet7 for contributions. + +Related #2045, +related wekan/wekan-snap#69 + # v1.80 2018-12-03 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From d6857693bbb8e60be75105878ed8d483da212622 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 4 Dec 2018 22:30:54 +0200 Subject: v1.81 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 76aaac1a..b76cad37 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.81 2018-12-04 Wekan release - Remove extra commas `,` and add missing backslash `\`. Maybe after that login, logout and CORS works. diff --git a/package.json b/package.json index 045dda8a..f5d86fa5 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.80.0", + "version": "v1.81.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 19b76878..463b8fcb 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 182, + appVersion = 183, # Increment this for every release. - appMarketingVersion = (defaultText = "1.80.0~2018-12-03"), + appMarketingVersion = (defaultText = "1.81.0~2018-12-04"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 0611e0c4bd13cb7d93e52abfeaf48f2c79a1ee15 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 4 Dec 2018 22:32:30 +0200 Subject: Add text about fixing bugs. --- CHANGELOG.md | 2 ++ 1 file changed, 2 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index b76cad37..f36681f3 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,5 +1,7 @@ # v1.81 2018-12-04 Wekan release +This release fixes the following bugs: + - Remove extra commas `,` and add missing backslash `\`. Maybe after that login, logout and CORS works. -- cgit v1.2.3-1-g7c22 From e3a40aca6f09ced580df26f438855107752650dd Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 5 Dec 2018 08:20:59 +0200 Subject: This release fixes the following bugs: - Partially #2045 revert [Improve authentication](https://github.com/wekan/wekan/issues/2016), adding back password/LDAP dropdown, because login did now work. NOTE: This was added in v1.71, reverted at v1.73 because login did not work, added back at v1.79, and then reverted partially at v1.82 because login did not work. Related LDAP logout timer does not work yet. Thanks to xet7 ! --- CHANGELOG.md | 12 +++++ client/components/main/layouts.jade | 1 + client/components/main/layouts.js | 96 ++++++++++++++++++------------------- models/settings.js | 30 ------------ server/publications/pub-users.js | 28 +++++++++++ 5 files changed, 88 insertions(+), 79 deletions(-) create mode 100644 server/publications/pub-users.js diff --git a/CHANGELOG.md b/CHANGELOG.md index f36681f3..65de5702 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,15 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- Partially #2045 revert [Improve authentication](https://github.com/wekan/wekan/issues/2016), + adding back password/LDAP dropdown, because login did now work. + NOTE: This was added in v1.71, reverted at v1.73 because login did not work, added back at v1.79, + and then reverted partially at v1.82 because login did not work. + Related LDAP logout timer does not work yet. + +Thanks to GitHub user xet7 for contributions. + # v1.81 2018-12-04 Wekan release This release fixes the following bugs: diff --git a/client/components/main/layouts.jade b/client/components/main/layouts.jade index 969ec6a9..e434eaba 100644 --- a/client/components/main/layouts.jade +++ b/client/components/main/layouts.jade @@ -23,6 +23,7 @@ template(name="userFormsLayout") br section.auth-dialog +Template.dynamic(template=content) + +connectionMethod if isCas .at-form button#cas(class='at-btn submit' type='submit') {{casSignInLabel}} diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index 0f64ca14..d4a9d6d1 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -6,14 +6,29 @@ const i18nTagToT9n = (i18nTag) => { return i18nTag; }; -Template.userFormsLayout.onCreated(function() { - Meteor.call('getDefaultAuthenticationMethod', (error, result) => { - this.data.defaultAuthenticationMethod = new ReactiveVar(error ? undefined : result); - }); +const validator = { + set(obj, prop, value) { + if (prop === 'state' && value !== 'signIn') { + $('.at-form-authentication').hide(); + } else if (prop === 'state' && value === 'signIn') { + $('.at-form-authentication').show(); + } + // The default behavior to store the value + obj[prop] = value; + // Indicate success + return true; + }, +}; + +Template.userFormsLayout.onCreated(() => { Meteor.subscribe('setting'); + }); Template.userFormsLayout.onRendered(() => { + + AccountsTemplates.state.form.keys = new Proxy(AccountsTemplates.state.form.keys, validator); + const i18nTag = navigator.language; if (i18nTag) { T9n.setLanguage(i18nTagToT9n(i18nTag)); @@ -22,6 +37,7 @@ Template.userFormsLayout.onRendered(() => { }); Template.userFormsLayout.helpers({ + currentSetting() { return Settings.findOne(); }, @@ -76,14 +92,13 @@ Template.userFormsLayout.events({ } }); }, - 'click #at-btn'(event, instance) { + 'click #at-btn'(event) { /* All authentication method can be managed/called here. !! DON'T FORGET to correctly fill the fields of the user during its creation if necessary authenticationMethod : String !! */ - const email = $('#at-field-username_and_email').val(); - const password = $('#at-field-password').val(); - - if (FlowRouter.getRouteName() !== 'atSignIn' || password === '' || email === '') { + const authenticationMethodSelected = $('.select-authentication').val(); + // Local account + if (authenticationMethodSelected === 'password') { return; } @@ -91,11 +106,29 @@ Template.userFormsLayout.events({ event.preventDefault(); event.stopImmediatePropagation(); - Meteor.subscribe('user-authenticationMethod', email, { - onReady() { - return authentication.call(this, instance, email, password); - }, - }); + const email = $('#at-field-username_and_email').val(); + const password = $('#at-field-password').val(); + + // Ldap account + if (authenticationMethodSelected === 'ldap') { + // Check if the user can use the ldap connection + Meteor.subscribe('user-authenticationMethod', email, { + onReady() { + const user = Users.findOne(); + if (user === undefined || user.authenticationMethod === 'ldap') { + // Use the ldap connection package + Meteor.loginWithLDAP(email, password, function(error) { + if (!error) { + // Connection + return FlowRouter.go('/'); + } + return error; + }); + } + return this.stop(); + }, + }); + } }, }); @@ -104,38 +137,3 @@ Template.defaultLayout.events({ Modal.close(); }, }); - -function authentication(instance, email, password) { - let user = Users.findOne(); - // Authentication with password - if (user && user.authenticationMethod === 'password') { - $('#at-pwd-form').submit(); - // Meteor.call('logoutWithTimer', user._id, () => {}); - return this.stop(); - } - - // If user doesn't exist, uses the default authentication method if it defined - if (user === undefined) { - user = { - 'authenticationMethod': instance.data.defaultAuthenticationMethod.get(), - }; - } - - // Authentication with LDAP - if (user.authenticationMethod === 'ldap') { - // Use the ldap connection package - Meteor.loginWithLDAP(email, password, function(error) { - if (!error) { - // Meteor.call('logoutWithTimer', Users.findOne()._id, () => {}); - return FlowRouter.go('/'); - } - return error; - }); - } - - /* else { - process.env.DEFAULT_AUTHENTICATION_METHOD is not defined - } */ - - return this.stop(); -} diff --git a/models/settings.js b/models/settings.js index 9ca26c48..52212809 100644 --- a/models/settings.js +++ b/models/settings.js @@ -239,35 +239,5 @@ if (Meteor.isServer) { cas: isCasEnabled(), }; }, - - getDefaultAuthenticationMethod() { - return process.env.DEFAULT_AUTHENTICATION_METHOD; - }, - - // TODO: patch error : did not check all arguments during call - logoutWithTimer(userId) { - if (process.env.LOGOUT_WITH_TIMER) { - Jobs.run('logOut', userId, { - in: { - days: process.env.LOGOUT_IN, - }, - on: { - hour: process.env.LOGOUT_ON_HOURS, - minute: process.env.LOGOUT_ON_MINUTES, - }, - priority: 1, - }); - } - }, - }); - - Jobs.register({ - logOut(userId) { - Meteor.users.update( - {_id: userId}, - {$set: {'services.resume.loginTokens': []}} - ); - this.success(); - }, }); } diff --git a/server/publications/pub-users.js b/server/publications/pub-users.js new file mode 100644 index 00000000..f0c94153 --- /dev/null +++ b/server/publications/pub-users.js @@ -0,0 +1,28 @@ +Meteor.publish('user-miniprofile', function(userId) { + check(userId, String); + + return Users.find(userId, { + fields: { + 'username': 1, + 'profile.fullname': 1, + 'profile.avatarUrl': 1, + }, + }); +}); + +Meteor.publish('user-admin', function() { + return Meteor.users.find(this.userId, { + fields: { + isAdmin: 1, + }, + }); +}); + +Meteor.publish('user-authenticationMethod', function(match) { + check(match, String); + return Users.find({$or: [{_id: match}, {email: match}, {username: match}]}, { + fields: { + 'authenticationMethod': 1, + }, + }); +}); -- cgit v1.2.3-1-g7c22 From 167197fcda390abd76dd2eaa4966b55940e1eb29 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 5 Dec 2018 08:47:48 +0200 Subject: - Partially #2045 revert, continue. Thanks to xet7 ! --- .meteor/packages | 1 - .meteor/versions | 1 - server/publications/pub-users.js | 28 ---------------------------- server/publications/users.js | 1 - 4 files changed, 31 deletions(-) delete mode 100644 server/publications/pub-users.js diff --git a/.meteor/packages b/.meteor/packages index 698f1a73..3779a684 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -89,4 +89,3 @@ mquandalle:moment msavin:usercache wekan:wekan-ldap wekan:accounts-cas -msavin:sjobs \ No newline at end of file diff --git a/.meteor/versions b/.meteor/versions index 5235e6a0..6415eb8b 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -117,7 +117,6 @@ mquandalle:jquery-ui-drag-drop-sort@0.2.0 mquandalle:moment@1.0.1 mquandalle:mousetrap-bindglobal@0.0.1 mquandalle:perfect-scrollbar@0.6.5_2 -msavin:sjobs@3.0.6 msavin:usercache@1.0.0 npm-bcrypt@0.9.3 npm-mongo@2.2.33 diff --git a/server/publications/pub-users.js b/server/publications/pub-users.js deleted file mode 100644 index f0c94153..00000000 --- a/server/publications/pub-users.js +++ /dev/null @@ -1,28 +0,0 @@ -Meteor.publish('user-miniprofile', function(userId) { - check(userId, String); - - return Users.find(userId, { - fields: { - 'username': 1, - 'profile.fullname': 1, - 'profile.avatarUrl': 1, - }, - }); -}); - -Meteor.publish('user-admin', function() { - return Meteor.users.find(this.userId, { - fields: { - isAdmin: 1, - }, - }); -}); - -Meteor.publish('user-authenticationMethod', function(match) { - check(match, String); - return Users.find({$or: [{_id: match}, {email: match}, {username: match}]}, { - fields: { - 'authenticationMethod': 1, - }, - }); -}); diff --git a/server/publications/users.js b/server/publications/users.js index 136e1e08..f0c94153 100644 --- a/server/publications/users.js +++ b/server/publications/users.js @@ -22,7 +22,6 @@ Meteor.publish('user-authenticationMethod', function(match) { check(match, String); return Users.find({$or: [{_id: match}, {email: match}, {username: match}]}, { fields: { - '_id': 1, 'authenticationMethod': 1, }, }); -- cgit v1.2.3-1-g7c22 From 9c4e305a84ae4c32de9929ec95290efc596508e4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 5 Dec 2018 08:53:40 +0200 Subject: v1.82 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 65de5702..6b817a0a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.82 2018-12-05 Wekan release This release fixes the following bugs: diff --git a/package.json b/package.json index f5d86fa5..67075b97 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.81.0", + "version": "v1.82.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 463b8fcb..b5fcd0c3 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 183, + appVersion = 184, # Increment this for every release. - appMarketingVersion = (defaultText = "1.81.0~2018-12-04"), + appMarketingVersion = (defaultText = "1.82.0~2018-12-05"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 40cf1c7549b10ce13f59083870f5b8ea4089156a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 5 Dec 2018 15:21:24 +0200 Subject: - Fix IFTTT Rule action/trigger: When a checklist is completed/made incomplete. Thanks to BurakTuran9 ! Related #1972 --- models/checklistItems.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/models/checklistItems.js b/models/checklistItems.js index c85c0260..0f85019e 100644 --- a/models/checklistItems.js +++ b/models/checklistItems.js @@ -126,7 +126,7 @@ function publishChekListCompleted(userId, doc){ if(checkList.isFinished()){ const act = { userId, - activityType: 'checklistCompleted', + activityType: 'completeChecklist', cardId: doc.cardId, boardId, checklistId: doc.checklistId, -- cgit v1.2.3-1-g7c22 From eadbebb4fa58c145570741ae28a2b594f51f61ef Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 5 Dec 2018 15:45:10 +0200 Subject: - Fix IFTTT Rule action/trigger: When a checklist is completed/made incomplete. Thanks to BurakTuran9 ! Related #1972 --- CHANGELOG.md | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 6b817a0a..913ecc7d 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- Fix IFTTT Rule action/trigger part 1 of 7: [When a checklist is completed/made + incomplete](https://github.com/wekan/wekan/issues/1972). + +Thanks to GitHub user BurakTuran9 for contributions. + # v1.82 2018-12-05 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From f154c5e52122ba0b8febb79997aa8eae4c31a4ea Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 5 Dec 2018 15:45:42 +0200 Subject: Update translations. --- i18n/fi.i18n.json | 4 ++-- i18n/ru.i18n.json | 40 ++++++++++++++++++++-------------------- 2 files changed, 22 insertions(+), 22 deletions(-) diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 3c2c16c6..d8671e4a 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -565,8 +565,8 @@ "r-checked": "Ruksattu", "r-unchecked": "Poistettu ruksi", "r-move-card-to": "Siirrä kortti kohteeseen", - "r-top-of": "Päällä kohteen", - "r-bottom-of": "Pohjalla kohteen", + "r-top-of": "Ylimmäiseksi", + "r-bottom-of": "Alimmaiseksi", "r-its-list": "sen lista", "r-archive": "Siirrä Arkistoon", "r-unarchive": "Palauta Arkistosta", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 7b6d63fa..a49ef8f9 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "создано настраиваемое поле __customField__", "act-createList": "добавил __list__ на __board__", "act-addBoardMember": "добавил __member__ на __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", + "act-archivedBoard": "Доска __board__ перемещена в архив", + "act-archivedCard": "Карточка __card__ перемещена в архив", + "act-archivedList": "Список __list__ перемещён в архив", + "act-archivedSwimlane": "Дорожка __swimlane__ перемещена в архив", "act-importBoard": "__board__ импортирована", "act-importCard": "__card__ импортирована", "act-importList": "__list__ импортирован", @@ -79,18 +79,18 @@ "and-n-other-card_plural": "И __count__ другие карточки", "apply": "Применить", "app-is-offline": "Wekan загружается, пожалуйста подождите. Обновление страницы может привести к потере данных. Если Wekan не загрузился, пожалуйста проверьте что связь с сервером доступна.", - "archive": "Move to Archive", - "archive-all": "Move All to Archive", - "archive-board": "Move Board to Archive", - "archive-card": "Move Card to Archive", - "archive-list": "Move List to Archive", - "archive-swimlane": "Move Swimlane to Archive", - "archive-selection": "Move selection to Archive", - "archiveBoardPopup-title": "Move Board to Archive?", + "archive": "Переместить в архив", + "archive-all": "Переместить всё в архив", + "archive-board": "Переместить доску в архив", + "archive-card": "Переместить карточку в архив", + "archive-list": "Переместить список в архив", + "archive-swimlane": "Переместить дорожку в архив", + "archive-selection": "Переместить выбранное в архив", + "archiveBoardPopup-title": "Переместить доску в архив?", "archived-items": "Архивировать", - "archived-boards": "Boards in Archive", + "archived-boards": "Доски в архиве", "restore-board": "Востановить доску", - "no-archived-boards": "No Boards in Archive.", + "no-archived-boards": "Нет досок в архиве.", "archives": "Архивировать", "assign-member": "Назначить участника", "attached": "прикреплено", @@ -118,12 +118,12 @@ "board-view-lists": "Списки", "bucket-example": "Например “Список дел”", "cancel": "Отмена", - "card-archived": "This card is moved to Archive.", - "board-archived": "This board is moved to Archive.", + "card-archived": "Эта карточка перемещена в архив", + "board-archived": "Эта доска перемещена в архив.", "card-comments-title": "Комментарии (%s)", "card-delete-notice": "Это действие невозможно будет отменить. Все изменения, которые вы вносили в карточку будут потеряны.", "card-delete-pop": "Все действия будут удалены из ленты активности участников и вы не сможете заново открыть карточку. Действие необратимо", - "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "Вы можете переместить карточку в архив, чтобы убрать ее с доски, сохранив всю историю действий участников.", "card-due": "Выполнить к", "card-due-on": "Выполнить до", "card-spent": "Затраченное время", @@ -146,7 +146,7 @@ "cards": "Карточки", "cards-count": "Карточки", "casSignIn": "Sign In with CAS", - "cardType-card": "Card", + "cardType-card": "Карточка", "cardType-linkedCard": "Linked Card", "cardType-linkedBoard": "Linked Board", "change": "Изменить", @@ -568,7 +568,7 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Archive", + "r-archive": "Переместить в архив", "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Создать", @@ -618,5 +618,5 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Скрыть логотип" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From c2e58dcb62a5340f4922d5986342ef821ce4b2b3 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 6 Dec 2018 01:49:57 +0200 Subject: - Partial fix to unchecked rule, and tips for fixing. Related #1972 --- models/checklistItems.js | 15 ++++++++++++++- 1 file changed, 14 insertions(+), 1 deletion(-) diff --git a/models/checklistItems.js b/models/checklistItems.js index 0f85019e..9867dd94 100644 --- a/models/checklistItems.js +++ b/models/checklistItems.js @@ -141,10 +141,23 @@ function publishChekListUncompleted(userId, doc){ const boardId = card.boardId; const checklistId = doc.checklistId; const checkList = Checklists.findOne({_id:checklistId}); + // BUGS in IFTTT Rules: https://github.com/wekan/wekan/issues/1972 + // Currently in checklist all are set as uncompleted/not checked, + // IFTTT Rule does not move card to other list. + // If following line is negated/changed to: + // if(!checkList.isFinished()){ + // then unchecking of any checkbox will move card to other list, + // even when all checkboxes are not yet unchecked. + // What is correct code for only moving when all in list is unchecked? + // TIPS: Finding files, ignoring some directories with grep -v: + // cd wekan + // find . | xargs grep 'count' -sl | grep -v .meteor | grep -v node_modules | grep -v .build + // Maybe something related here? + // wekan/client/components/rules/triggers/checklistTriggers.js if(checkList.isFinished()){ const act = { userId, - activityType: 'checklistUncompleted', + activityType: 'uncompleteChecklist', cardId: doc.cardId, boardId, checklistId: doc.checklistId, -- cgit v1.2.3-1-g7c22 From 2d49006aee6cf22ad96bf0b0349440d0bed4d5da Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 6 Dec 2018 01:55:02 +0200 Subject: - Fix IFTTT Rule action/trigger part 1 of 7: [When a checklist is completed](https://github.com/wekan/wekan/issues/1972). And partial incomplete fix to when all of checklist is set as uncompleted. Help in fixing welcome. Thanks to BurakTuran9 and xet7 ! Related #1972 --- CHANGELOG.md | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 913ecc7d..de5533d4 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,10 +2,10 @@ This release fixes the following bugs: -- Fix IFTTT Rule action/trigger part 1 of 7: [When a checklist is completed/made - incomplete](https://github.com/wekan/wekan/issues/1972). +- Fix IFTTT Rule action/trigger part 1 of 7: [When a checklist is completed](https://github.com/wekan/wekan/issues/1972). + And partial incomplete fix to when all of checklist is set as uncompleted. Help in fixing welcome. -Thanks to GitHub user BurakTuran9 for contributions. +Thanks to GitHub users BurakTuran9 and xet7 for their contributions. # v1.82 2018-12-05 Wekan release -- cgit v1.2.3-1-g7c22 From 83f7fa768d67dc3386287cd70ea178b6b5374e72 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 6 Dec 2018 01:59:37 +0200 Subject: v1.83 --- CHANGELOG.md | 4 ++-- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index de5533d4..bd80b530 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,8 +1,8 @@ -# Upcoming Wekan release +# v1.83 2018-12-06 Wekan release This release fixes the following bugs: -- Fix IFTTT Rule action/trigger part 1 of 7: [When a checklist is completed](https://github.com/wekan/wekan/issues/1972). +- Fix IFTTT Rule action/trigger part 1 of 8: [When a checklist is completed](https://github.com/wekan/wekan/issues/1972). And partial incomplete fix to when all of checklist is set as uncompleted. Help in fixing welcome. Thanks to GitHub users BurakTuran9 and xet7 for their contributions. diff --git a/package.json b/package.json index 67075b97..07668c18 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.82.0", + "version": "v1.83.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index b5fcd0c3..04c717d7 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 184, + appVersion = 185, # Increment this for every release. - appMarketingVersion = (defaultText = "1.82.0~2018-12-05"), + appMarketingVersion = (defaultText = "1.83.0~2018-12-06"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From d6e36ed50a2d5bfe601432aafa12eb0dca1b5b01 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 7 Dec 2018 04:55:33 +0200 Subject: - Fix: IFTTT Rule "Remove all members from the card" doesn't work. Thanks to BurakTuran9 ! Related #1972 --- server/rulesHelper.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/server/rulesHelper.js b/server/rulesHelper.js index 833092d0..81e6b74f 100644 --- a/server/rulesHelper.js +++ b/server/rulesHelper.js @@ -98,7 +98,7 @@ RulesHelper = { card.assignMember(memberId); } if(action.actionType === 'removeMember'){ - if(action.memberName === '*'){ + if(action.username === '*'){ const members = card.members; for(let i = 0; i< members.length; i++){ card.unassignMember(members[i]); -- cgit v1.2.3-1-g7c22 From bccca00aafd1d7f4b71e3b5b0c55f812781c04da Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 7 Dec 2018 05:07:22 +0200 Subject: - Fix 2/8: IFTTT Rule action/trigger ["Remove all members from the card"](https://github.com/wekan/wekan/issues/1972). Thanks to BurakTuran9 ! --- CHANGELOG.md | 8 +++++++- 1 file changed, 7 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index bd80b530..961604cc 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,8 +1,14 @@ +# Upcoming Wekan release + +- Fix 2/8: IFTTT Rule action/trigger ["Remove all members from the card"](https://github.com/wekan/wekan/issues/1972). + +Thanks to GitHub user BurakTuran9 for contributions. + # v1.83 2018-12-06 Wekan release This release fixes the following bugs: -- Fix IFTTT Rule action/trigger part 1 of 8: [When a checklist is completed](https://github.com/wekan/wekan/issues/1972). +- Fix 1/8: IFTTT Rule action/trigger [When a checklist is completed](https://github.com/wekan/wekan/issues/1972). And partial incomplete fix to when all of checklist is set as uncompleted. Help in fixing welcome. Thanks to GitHub users BurakTuran9 and xet7 for their contributions. -- cgit v1.2.3-1-g7c22 From 87d91560f8fa8dc23278117fd933bc5f3d33aa45 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 7 Dec 2018 05:11:08 +0200 Subject: Update translations (ru). --- i18n/ru.i18n.json | 74 +++++++++++++++++++++++++++---------------------------- 1 file changed, 37 insertions(+), 37 deletions(-) diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index a49ef8f9..7be64453 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -1,8 +1,8 @@ { "accept": "Принять", "act-activity-notify": "[Wekan] Уведомление о действиях участников", - "act-addAttachment": "вложено __attachment__ в __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", + "act-addAttachment": "прикрепил __attachment__ в __card__", + "act-addSubtask": "добавил подзадачу __checklist__ в __card__", "act-addChecklist": "добавил контрольный список __checklist__ в __card__", "act-addChecklistItem": "добавил __checklistItem__ в контрольный список __checklist__ в __card__", "act-addComment": "прокомментировал __card__: __comment__", @@ -87,11 +87,11 @@ "archive-swimlane": "Переместить дорожку в архив", "archive-selection": "Переместить выбранное в архив", "archiveBoardPopup-title": "Переместить доску в архив?", - "archived-items": "Архивировать", + "archived-items": "Архив", "archived-boards": "Доски в архиве", "restore-board": "Востановить доску", "no-archived-boards": "Нет досок в архиве.", - "archives": "Архивировать", + "archives": "Архив", "assign-member": "Назначить участника", "attached": "прикреплено", "attachment": "Вложение", @@ -166,7 +166,7 @@ "clipboard": "Буфер обмена или drag & drop", "close": "Закрыть", "close-board": "Закрыть доску", - "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", + "close-board-pop": "Вы сможете восстановить доску, нажав \"Архив\" в заголовке домашней страницы.", "color-black": "черный", "color-blue": "синий", "color-green": "зеленый", @@ -279,7 +279,7 @@ "headerBarCreateBoardPopup-title": "Создать доску", "home": "Главная", "import": "Импорт", - "link": "Link", + "link": "Ссылка", "import-board": "импортировать доску", "import-board-c": "Импортировать доску", "import-board-title-trello": "Импортировать доску из Trello", @@ -315,8 +315,8 @@ "leave-board-pop": "Вы уверенны, что хотите покинуть __boardTitle__? Вы будете удалены из всех карточек на этой доске.", "leaveBoardPopup-title": "Покинуть доску?", "link-card": "Доступна по ссылке", - "list-archive-cards": "Move all cards in this list to Archive", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", + "list-archive-cards": "Переместить все карточки в этом списке в Архив", + "list-archive-cards-pop": "Это действие удалит все карточки из этого списка с доски. Чтобы просмотреть карточки в Архиве и вернуть их на доску, нажмите “Меню” > “Архив”.", "list-move-cards": "Переместить все карточки в этом списке", "list-select-cards": "Выбрать все карточки в этом списке", "listActionPopup-title": "Список действий", @@ -345,9 +345,9 @@ "muted-info": "Вы НИКОГДА не будете уведомлены ни о каких изменениях в этой доске.", "my-boards": "Мои доски", "name": "Имя", - "no-archived-cards": "No cards in Archive.", - "no-archived-lists": "No lists in Archive.", - "no-archived-swimlanes": "No swimlanes in Archive.", + "no-archived-cards": "Нет карточек в Архиве", + "no-archived-lists": "Нет списков в Архиве", + "no-archived-swimlanes": "Нет дорожек в Архиве", "no-results": "Ничего не найдено", "normal": "Обычный", "normal-desc": "Может редактировать карточки. Не может управлять настройками.", @@ -383,7 +383,7 @@ "restore": "Восстановить", "save": "Сохранить", "search": "Поиск", - "rules": "Rules", + "rules": "Правила", "search-cards": "Искать в названиях и описаниях карточек на этой доске", "search-example": "Искать текст?", "select-color": "Выбрать цвет", @@ -500,8 +500,8 @@ "card-end-on": "Завершится до", "editCardReceivedDatePopup-title": "Изменить дату получения", "editCardEndDatePopup-title": "Изменить дату завершения", - "assigned-by": "Назначено", - "requested-by": "Запрошен", + "assigned-by": "Поручил", + "requested-by": "Запросил", "board-delete-notice": "Удаление является постоянным. Вы потеряете все списки, карты и действия, связанные с этой доской.", "delete-board-confirm-popup": "Все списки, карточки, ярлыки и действия будут удалены, и вы не сможете восстановить содержимое доски. Отменить нельзя.", "boardDeletePopup-title": "Удалить доску?", @@ -510,34 +510,34 @@ "default": "Default", "queue": "Queue", "subtask-settings": "Настройки подзадач", - "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", - "show-subtasks-field": "Cards can have subtasks", - "deposit-subtasks-board": "Deposit subtasks to this board:", - "deposit-subtasks-list": "Landing list for subtasks deposited here:", - "show-parent-in-minicard": "Show parent in minicard:", - "prefix-with-full-path": "Prefix with full path", - "prefix-with-parent": "Prefix with parent", - "subtext-with-full-path": "Subtext with full path", - "subtext-with-parent": "Subtext with parent", + "boardSubtaskSettingsPopup-title": "Настройки подзадач для доски", + "show-subtasks-field": "Разрешить подзадачи", + "deposit-subtasks-board": "Отправлять подзадачи на эту доску:", + "deposit-subtasks-list": "Размещать подзадачи, отправленные на эту доску, в списке:", + "show-parent-in-minicard": "Указывать исходную карточку:", + "prefix-with-full-path": "Полный путь – сверху", + "prefix-with-parent": "Имя – сверху", + "subtext-with-full-path": "Полный путь – снизу", + "subtext-with-parent": "Имя – снизу", "change-card-parent": "Change card's parent", "parent-card": "Parent card", "source-board": "Source board", - "no-parent": "Don't show parent", + "no-parent": "Не указывать", "activity-added-label": "added label '%s' to %s", "activity-removed-label": "removed label '%s' from %s", "activity-delete-attach": "deleted an attachment from %s", "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", - "r-rule": "Rule", + "r-rule": "Правило", "r-add-trigger": "Add trigger", "r-add-action": "Add action", - "r-board-rules": "Board rules", - "r-add-rule": "Add rule", - "r-view-rule": "View rule", - "r-delete-rule": "Delete rule", - "r-new-rule-name": "New rule title", - "r-no-rules": "No rules", + "r-board-rules": "Правила доски", + "r-add-rule": "Добавить правило", + "r-view-rule": "Показать правило", + "r-delete-rule": "Удалить правило", + "r-new-rule-name": "Имя нового правила", + "r-no-rules": "Нет правил", "r-when-a-card-is": "When a card is", "r-added-to": "Added to", "r-removed-from": "Removed from", @@ -545,8 +545,8 @@ "r-list": "list", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Archive", - "r-unarchived": "Restored from Archive", + "r-archived": "Перемещено в архив", + "r-unarchived": "Восстановлено из архива", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -569,7 +569,7 @@ "r-bottom-of": "Bottom of", "r-its-list": "its list", "r-archive": "Переместить в архив", - "r-unarchive": "Restore from Archive", + "r-unarchive": "Восстановить из Архива", "r-card": "card", "r-add": "Создать", "r-remove": "Remove", @@ -587,7 +587,7 @@ "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", - "r-rule-details": "Rule details", + "r-rule-details": "Содержание правила", "r-d-move-to-top-gen": "Move card to top of its list", "r-d-move-to-top-spec": "Move card to top of list", "r-d-move-to-bottom-gen": "Move card to bottom of its list", @@ -616,7 +616,7 @@ "cas": "CAS", "authentication-method": "Authentication method", "authentication-type": "Authentication type", - "custom-product-name": "Custom Product Name", - "layout": "Layout", + "custom-product-name": "Собственное наименование", + "layout": "Внешний вид", "hide-logo": "Скрыть логотип" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From ee212b69a9c936b16eac73425b15fd5c67f04882 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 7 Dec 2018 05:20:06 +0200 Subject: v1.84 --- CHANGELOG.md | 4 +++- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 6 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 961604cc..5e78a6fc 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,6 @@ -# Upcoming Wekan release +# v1.84 2018-12-07 Wekan release + +This release fixes the following bugs: - Fix 2/8: IFTTT Rule action/trigger ["Remove all members from the card"](https://github.com/wekan/wekan/issues/1972). diff --git a/package.json b/package.json index 07668c18..4233f31a 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.83.0", + "version": "v1.84.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 04c717d7..c107b605 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 185, + appVersion = 186, # Increment this for every release. - appMarketingVersion = (defaultText = "1.83.0~2018-12-06"), + appMarketingVersion = (defaultText = "1.84.0~2018-12-07"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From cf2cf7898a05516e79cfd2d57ca65098fd2dc4c4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 7 Dec 2018 06:18:15 +0200 Subject: - Fix lint warning. Thanks to xet7 ! --- models/wekanCreator.js | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/models/wekanCreator.js b/models/wekanCreator.js index b179cfae..fa950970 100644 --- a/models/wekanCreator.js +++ b/models/wekanCreator.js @@ -749,7 +749,8 @@ export class WekanCreator { }); } - check(board) { + //check(board) { + check() { //try { // check(data, { // membersMapping: Match.Optional(Object), -- cgit v1.2.3-1-g7c22 From 0620fe5e111d50384ccca29afe8be5ddd3ee28bf Mon Sep 17 00:00:00 2001 From: hupptechnologies Date: Sat, 8 Dec 2018 17:53:26 +0530 Subject: Issue : Clicking the scrollbar closes the card on Chrome #1404 Resolved #1404 --- .meteor/packages | 3 +++ client/components/cards/cardDetails.js | 3 +++ client/components/cards/cardDetails.styl | 9 +++++++-- 3 files changed, 13 insertions(+), 2 deletions(-) diff --git a/.meteor/packages b/.meteor/packages index 4083d0c1..549b562f 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -87,3 +87,6 @@ momentjs:moment@2.22.2 browser-policy-framing mquandalle:moment msavin:usercache +wekan:wekan-ldap +wekan:accounts-cas +maazalik:malihu-jquery-custom-scrollbar diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index da0f126a..d2825058 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -112,6 +112,9 @@ BlazeComponent.extendComponent({ onRendered() { if (!Utils.isMiniScreen()) { Meteor.setTimeout(() => { + $(".card-details").mCustomScrollbar({ + theme:"minimal-dark", setWidth: false, setLeft: 0, scrollbarPosition: "outside", mouseWheel:true + }); this.scrollParentContainer(); }, 500); } diff --git a/client/components/cards/cardDetails.styl b/client/components/cards/cardDetails.styl index 66ecc22d..1dc56f58 100644 --- a/client/components/cards/cardDetails.styl +++ b/client/components/cards/cardDetails.styl @@ -1,9 +1,9 @@ @import 'nib' .card-details - padding: 0 20px + padding: 0 flex-shrink: 0 - flex-basis: 470px + flex-basis: 510px will-change: flex-basis overflow-y: scroll overflow-x: hidden @@ -14,11 +14,16 @@ box-shadow: 0 0 7px 0 darken(white, 30%) transition: flex-basis 0.1s + .mCustomScrollBox + padding-left: 0 + .ps-scrollbar-y-rail pointer-event: all + position: absolute; .card-details-canvas width: 470px + padding-left: 20px; .card-details-header margin: 0 -20px 5px -- cgit v1.2.3-1-g7c22 From 5ac69ed7dea94feea5cf58cb4b1df846b3fadd37 Mon Sep 17 00:00:00 2001 From: hupptechnologies Date: Sat, 8 Dec 2018 18:05:59 +0530 Subject: Fix lineter issue --- client/components/cards/cardDetails.js | 4 +--- 1 file changed, 1 insertion(+), 3 deletions(-) diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index d2825058..e17e7467 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -112,9 +112,7 @@ BlazeComponent.extendComponent({ onRendered() { if (!Utils.isMiniScreen()) { Meteor.setTimeout(() => { - $(".card-details").mCustomScrollbar({ - theme:"minimal-dark", setWidth: false, setLeft: 0, scrollbarPosition: "outside", mouseWheel:true - }); + $('.card-details').mCustomScrollbar({theme:'minimal-dark', setWidth: false, setLeft: 0, scrollbarPosition: 'outside', mouseWheel: true }); this.scrollParentContainer(); }, 500); } -- cgit v1.2.3-1-g7c22 From 20c86613a7d0aa7ba1330680dd7e52b7d55f4690 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 9 Dec 2018 00:16:48 +0200 Subject: Update translations (ru). --- i18n/ru.i18n.json | 248 +++++++++++++++++++++++++++--------------------------- 1 file changed, 124 insertions(+), 124 deletions(-) diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 7be64453..b7016399 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -29,10 +29,10 @@ "activities": "История действий", "activity": "Действия участников", "activity-added": "добавил %s на %s", - "activity-archived": "%s moved to Archive", + "activity-archived": "%s теперь в Архиве", "activity-attached": "прикрепил %s к %s", "activity-created": "создал %s", - "activity-customfield-created": "создать настраиваемое поле", + "activity-customfield-created": "создал настраиваемое поле %s", "activity-excluded": "исключил %s из %s", "activity-imported": "импортировал %s в %s из %s", "activity-imported-board": "импортировал %s из %s", @@ -43,22 +43,22 @@ "activity-sent": "отправил %s в %s", "activity-unjoined": "вышел из %s", "activity-subtask-added": "добавил подзадачу в %s", - "activity-checked-item": "checked %s in checklist %s of %s", - "activity-unchecked-item": "unchecked %s in checklist %s of %s", + "activity-checked-item": "отметил %s в контрольном списке %s в %s", + "activity-unchecked-item": "снял %s в контрольном списке %s в %s", "activity-checklist-added": "добавил контрольный список в %s", "activity-checklist-removed": "удалил контрольный список из %s", - "activity-checklist-completed": "completed the checklist %s of %s", - "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", - "activity-checklist-item-added": "добавил пункт контрольного списка в '%s' в карточке %s", - "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", + "activity-checklist-completed": "завершил контрольный список %s в %s", + "activity-checklist-uncompleted": "вновь открыл контрольный список %s в %s", + "activity-checklist-item-added": "добавил пункт в контрольный список '%s' в карточке %s", + "activity-checklist-item-removed": "удалил пункт из контрольного списка '%s' в карточке %s", "add": "Создать", - "activity-checked-item-card": "checked %s in checklist %s", - "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", - "activity-checklist-uncompleted-card": "uncompleted the checklist %s", + "activity-checked-item-card": "отметил %s в контрольном списке %s", + "activity-unchecked-item-card": "снял %s в контрольном списке %s", + "activity-checklist-completed-card": "завершил контрольный список %s", + "activity-checklist-uncompleted-card": "вновь открыл контрольный список %s", "add-attachment": "Добавить вложение", "add-board": "Добавить доску", - "add-card": "Добавить карту", + "add-card": "Добавить карточку", "add-swimlane": "Добавить дорожку", "add-subtask": "Добавить подзадачу", "add-checklist": "Добавить контрольный список", @@ -145,10 +145,10 @@ "cardMorePopup-title": "Поделиться", "cards": "Карточки", "cards-count": "Карточки", - "casSignIn": "Sign In with CAS", + "casSignIn": "Войти через CAS", "cardType-card": "Карточка", - "cardType-linkedCard": "Linked Card", - "cardType-linkedBoard": "Linked Board", + "cardType-linkedCard": "Связанная карточка", + "cardType-linkedBoard": "Связанная доска", "change": "Изменить", "change-avatar": "Изменить аватар", "change-password": "Изменить пароль", @@ -181,18 +181,18 @@ "comment-placeholder": "Написать комментарий", "comment-only": "Только комментирование", "comment-only-desc": "Может комментировать только карточки.", - "no-comments": "No comments", - "no-comments-desc": "Can not see comments and activities.", + "no-comments": "Без комментариев", + "no-comments-desc": "Не видит комментарии и историю действий.", "computer": "Загрузить с компьютера", "confirm-subtask-delete-dialog": "Вы уверены, что хотите удалить подзадачу?", - "confirm-checklist-delete-dialog": "Вы уверены, что хотите удалить чеклист?", + "confirm-checklist-delete-dialog": "Вы уверены, что хотите удалить контрольный список?", "copy-card-link-to-clipboard": "Копировать ссылку на карточку в буфер обмена", - "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "linkCardPopup-title": "Карточка-ссылка", + "searchCardPopup-title": "Найти карточку", "copyCardPopup-title": "Копировать карточку", "copyChecklistToManyCardsPopup-title": "Копировать шаблон контрольного списка в несколько карточек", "copyChecklistToManyCardsPopup-instructions": "Названия и описания целевых карт в формате JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Заголовок первой карточки\", \"description\":\"Описание первой карточки\"}, {\"title\":\"Заголовок второй карточки\",\"description\":\"Описание второй карточки\"},{\"title\":\"Заголовок последней карточки\",\"description\":\"Описание последней карточки\"} ]", "create": "Создать", "createBoardPopup-title": "Создать доску", "chooseBoardSourcePopup-title": "Импортировать доску", @@ -227,7 +227,7 @@ "edit-avatar": "Изменить аватар", "edit-profile": "Изменить профиль", "edit-wip-limit": " Изменить лимит на кол-во задач", - "soft-wip-limit": "Мягкий лимит на кол-во задач", + "soft-wip-limit": "Мягкий лимит", "editCardStartDatePopup-title": "Изменить дату начала", "editCardDueDatePopup-title": "Изменить дату выполнения", "editCustomFieldPopup-title": "Редактировать поле", @@ -240,7 +240,7 @@ "email-enrollAccount-text": "Привет __user__,\n\nДля того, чтобы начать использовать сервис, просто нажми на ссылку ниже.\n\n__url__\n\nСпасибо.", "email-fail": "Отправка письма на EMail не удалась", "email-fail-text": "Ошибка при попытке отправить письмо", - "email-invalid": "Неверный адрес электронной почти", + "email-invalid": "Неверный адрес электронной почты", "email-invite": "Пригласить по электронной почте", "email-invite-subject": "__inviter__ прислал вам приглашение", "email-invite-text": "Дорогой __user__,\n\n__inviter__ пригласил вас присоединиться к доске \"__board__\" для сотрудничества.\n\nПожалуйста проследуйте по ссылке ниже:\n\n__url__\n\nСпасибо.", @@ -284,13 +284,13 @@ "import-board-c": "Импортировать доску", "import-board-title-trello": "Импортировать доску из Trello", "import-board-title-wekan": "Импортировать доску из Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-sandstorm-backup-warning": "Не удаляйте импортируемые данные из источника (Wekan или Trello), пока не убедитесь, что импорт завершился успешно – удается закрыть и снова открыть доску, и не появляется ошибка «Доска не найдена»", "import-sandstorm-warning": "Импортированная доска удалит все существующие данные на текущей доске и заменит её импортированной доской.", "from-trello": "Из Trello", "from-wekan": "Из Wekan", "import-board-instruction-trello": "На вашей Trello доске нажмите “Menu” - “More” - “Print and export - “Export JSON” и скопируйте полученный текст", "import-board-instruction-wekan": "На вашей Wekan доске, перейдите в “Меню”, далее “Экспортировать доску” и скопируйте текст из скачаного файла", - "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", + "import-board-instruction-about-errors": "Даже если при импорте возникли ошибки, иногда импортирование проходит успешно – тогда доска появится на странице «Все доски».", "import-json-placeholder": "Вставьте JSON сюда", "import-map-members": "Составить карту участников", "import-members-map": "Вы импортировали доску с участниками. Пожалуйста, составьте карту участников, которых вы хотите импортировать в качестве пользователей Wekan", @@ -306,7 +306,7 @@ "just-invited": "Вас только что пригласили на эту доску", "keyboard-shortcuts": "Сочетания клавиш", "label-create": "Создать метку", - "label-default": "%sметка (по умолчанию)", + "label-default": "%s (по умолчанию)", "label-delete-pop": "Это действие невозможно будет отменить. Эта метка будут удалена во всех карточках. Также будет удалена вся история этой метки.", "labels": "Метки", "language": "Язык", @@ -325,7 +325,7 @@ "listMorePopup-title": "Поделиться", "link-list": "Ссылка на список", "list-delete-pop": "Все действия будут удалены из ленты активности участников и вы не сможете восстановить список. Данное действие необратимо.", - "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "Вы можете отправить список в Архив, чтобы убрать его с доски и при этом сохранить результаты.", "lists": "Списки", "swimlanes": "Дорожки", "log-out": "Выйти", @@ -427,7 +427,7 @@ "uploaded-avatar": "Загруженный аватар", "username": "Имя пользователя", "view-it": "Просмотреть", - "warn-list-archived": "warning: this card is in an list at Archive", + "warn-list-archived": "внимание: эта карточка из списка, который находится в Архиве", "watch": "Следить", "watching": "Отслеживается", "watching-info": "Вы будете уведомлены об любых изменениях в этой доске.", @@ -483,16 +483,16 @@ "hours": "часы", "minutes": "минуты", "seconds": "секунды", - "show-field-on-card": "Показать это поле на карте", - "automatically-field-on-card": "Auto create field to all cards", - "showLabel-field-on-card": "Show field label on minicard", + "show-field-on-card": "Показать это поле на карточке", + "automatically-field-on-card": "Cоздавать поле во всех новых карточках", + "showLabel-field-on-card": "Показать имя поля на карточке", "yes": "Да", "no": "Нет", "accounts": "Учетные записи", "accounts-allowEmailChange": "Разрешить изменение электронной почты", "accounts-allowUserNameChange": "Разрешить изменение имени пользователя", - "createdAt": "Создано на", - "verified": "Проверено", + "createdAt": "Создан", + "verified": "Подтвержден", "active": "Действующий", "card-received": "Получено", "card-received-on": "Получено с", @@ -503,119 +503,119 @@ "assigned-by": "Поручил", "requested-by": "Запросил", "board-delete-notice": "Удаление является постоянным. Вы потеряете все списки, карты и действия, связанные с этой доской.", - "delete-board-confirm-popup": "Все списки, карточки, ярлыки и действия будут удалены, и вы не сможете восстановить содержимое доски. Отменить нельзя.", + "delete-board-confirm-popup": "Все списки, карточки, метки и действия будут удалены, и вы не сможете восстановить содержимое доски. Отменить нельзя.", "boardDeletePopup-title": "Удалить доску?", "delete-board": "Удалить доску", "default-subtasks-board": "Подзадача для доски __board__ ", - "default": "Default", - "queue": "Queue", + "default": "По умолчанию", + "queue": "Очередь", "subtask-settings": "Настройки подзадач", "boardSubtaskSettingsPopup-title": "Настройки подзадач для доски", "show-subtasks-field": "Разрешить подзадачи", - "deposit-subtasks-board": "Отправлять подзадачи на эту доску:", + "deposit-subtasks-board": "Отправлять подзадачи на доску:", "deposit-subtasks-list": "Размещать подзадачи, отправленные на эту доску, в списке:", "show-parent-in-minicard": "Указывать исходную карточку:", - "prefix-with-full-path": "Полный путь – сверху", - "prefix-with-parent": "Имя – сверху", - "subtext-with-full-path": "Полный путь – снизу", - "subtext-with-parent": "Имя – снизу", - "change-card-parent": "Change card's parent", - "parent-card": "Parent card", - "source-board": "Source board", + "prefix-with-full-path": "Cверху, полный путь", + "prefix-with-parent": "Сверху, только имя", + "subtext-with-full-path": "Cнизу, полный путь", + "subtext-with-parent": "Снизу, только имя", + "change-card-parent": "Сменить исходную карточку", + "parent-card": "Исходная карточка", + "source-board": "Исходная доска", "no-parent": "Не указывать", - "activity-added-label": "added label '%s' to %s", - "activity-removed-label": "removed label '%s' from %s", - "activity-delete-attach": "deleted an attachment from %s", - "activity-added-label-card": "added label '%s'", - "activity-removed-label-card": "removed label '%s'", - "activity-delete-attach-card": "deleted an attachment", + "activity-added-label": "добавил метку '%s' на %s", + "activity-removed-label": "удалил метку '%s' с %s", + "activity-delete-attach": "удалил вложение из %s", + "activity-added-label-card": "добавил метку '%s'", + "activity-removed-label-card": "удалил метку '%s'", + "activity-delete-attach-card": "удалил вложение", "r-rule": "Правило", - "r-add-trigger": "Add trigger", - "r-add-action": "Add action", + "r-add-trigger": "Задать условие", + "r-add-action": "Задать действие", "r-board-rules": "Правила доски", "r-add-rule": "Добавить правило", "r-view-rule": "Показать правило", "r-delete-rule": "Удалить правило", "r-new-rule-name": "Имя нового правила", "r-no-rules": "Нет правил", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", - "r-removed-from": "Removed from", - "r-the-board": "the board", - "r-list": "list", - "r-moved-to": "Moved to", - "r-moved-from": "Moved from", - "r-archived": "Перемещено в архив", - "r-unarchived": "Восстановлено из архива", - "r-a-card": "a card", - "r-when-a-label-is": "When a label is", - "r-when-the-label-is": "When the label is", - "r-list-name": "List name", - "r-when-a-member": "When a member is", - "r-when-the-member": "When the member", - "r-name": "name", - "r-is": "is", - "r-when-a-attach": "When an attachment", - "r-when-a-checklist": "When a checklist is", - "r-when-the-checklist": "When the checklist", - "r-completed": "Completed", - "r-made-incomplete": "Made incomplete", - "r-when-a-item": "When a checklist item is", - "r-when-the-item": "When the checklist item", - "r-checked": "Checked", - "r-unchecked": "Unchecked", - "r-move-card-to": "Move card to", - "r-top-of": "Top of", - "r-bottom-of": "Bottom of", - "r-its-list": "its list", + "r-when-a-card-is": "Когда карточка", + "r-added-to": "Добавлен(а) в/на", + "r-removed-from": "Покидает", + "r-the-board": "доску", + "r-list": "список", + "r-moved-to": "Перемещается в", + "r-moved-from": "Покидает", + "r-archived": "Перемещена в архив", + "r-unarchived": "Восстановлена из архива", + "r-a-card": "карточку", + "r-when-a-label-is": "Когда метка", + "r-when-the-label-is": "Когда метка", + "r-list-name": "Имя списка", + "r-when-a-member": "Когда участник", + "r-when-the-member": "Когда участник", + "r-name": "имя", + "r-is": " ", + "r-when-a-attach": "Когда вложение", + "r-when-a-checklist": "Когда контрольный список", + "r-when-the-checklist": "Когда контрольный список", + "r-completed": "Завершен", + "r-made-incomplete": "Вновь открыт", + "r-when-a-item": "Когда пункт контрольного списка", + "r-when-the-item": "Когда пункт контрольного списка", + "r-checked": "Отмечен", + "r-unchecked": "Снят", + "r-move-card-to": "Переместить карточку в", + "r-top-of": "Начало", + "r-bottom-of": "Конец", + "r-its-list": "текущего списка", "r-archive": "Переместить в архив", "r-unarchive": "Восстановить из Архива", - "r-card": "card", + "r-card": "карточку", "r-add": "Создать", - "r-remove": "Remove", - "r-label": "label", - "r-member": "member", - "r-remove-all": "Remove all members from the card", - "r-checklist": "checklist", - "r-check-all": "Check all", - "r-uncheck-all": "Uncheck all", - "r-items-check": "items of checklist", - "r-check": "Check", - "r-uncheck": "Uncheck", - "r-item": "item", - "r-of-checklist": "of checklist", - "r-send-email": "Send an email", - "r-to": "to", - "r-subject": "subject", + "r-remove": "Удалить", + "r-label": "метку", + "r-member": "участника", + "r-remove-all": "Удалить всех участников из карточки", + "r-checklist": "контрольный список", + "r-check-all": "Отметить все", + "r-uncheck-all": "Снять все", + "r-items-check": "пункты контрольного списка", + "r-check": "Отметить", + "r-uncheck": "Снять", + "r-item": "пункт", + "r-of-checklist": "контрольного списка", + "r-send-email": "Отправить письмо", + "r-to": "кому", + "r-subject": "тема", "r-rule-details": "Содержание правила", - "r-d-move-to-top-gen": "Move card to top of its list", - "r-d-move-to-top-spec": "Move card to top of list", - "r-d-move-to-bottom-gen": "Move card to bottom of its list", - "r-d-move-to-bottom-spec": "Move card to bottom of list", - "r-d-send-email": "Send email", - "r-d-send-email-to": "to", - "r-d-send-email-subject": "subject", - "r-d-send-email-message": "message", - "r-d-archive": "Move card to Archive", - "r-d-unarchive": "Restore card from Archive", - "r-d-add-label": "Add label", - "r-d-remove-label": "Remove label", - "r-d-add-member": "Add member", - "r-d-remove-member": "Remove member", - "r-d-remove-all-member": "Remove all member", - "r-d-check-all": "Check all items of a list", - "r-d-uncheck-all": "Uncheck all items of a list", - "r-d-check-one": "Check item", - "r-d-uncheck-one": "Uncheck item", - "r-d-check-of-list": "of checklist", - "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list", + "r-d-move-to-top-gen": "Переместить карточку в начало текущего списка", + "r-d-move-to-top-spec": "Переместить карточку в начало списка", + "r-d-move-to-bottom-gen": "Переместить карточку в конец текущего списка", + "r-d-move-to-bottom-spec": "Переместить карточку в конец списка", + "r-d-send-email": "Отправить письмо", + "r-d-send-email-to": "кому", + "r-d-send-email-subject": "тема", + "r-d-send-email-message": "сообщение", + "r-d-archive": "Переместить карточку в Архив", + "r-d-unarchive": "Восстановить карточку из Архива", + "r-d-add-label": "Добавить метку", + "r-d-remove-label": "Удалить метку", + "r-d-add-member": "Добавить участника", + "r-d-remove-member": "Удалить участника", + "r-d-remove-all-member": "Удалить всех участников", + "r-d-check-all": "Отметить все пункты в списке", + "r-d-uncheck-all": "Снять все пункты в списке", + "r-d-check-one": "Отметить пункт", + "r-d-uncheck-one": "Снять пункт", + "r-d-check-of-list": "контрольного списка", + "r-d-add-checklist": "Добавить контрольный список", + "r-d-remove-checklist": "Удалить контрольный список", + "r-when-a-card-is-moved": "Когда карточка перемещена в другой список", "ldap": "LDAP", "oauth2": "OAuth2", "cas": "CAS", - "authentication-method": "Authentication method", - "authentication-type": "Authentication type", + "authentication-method": "Способ авторизации", + "authentication-type": "Тип авторизации", "custom-product-name": "Собственное наименование", "layout": "Внешний вид", "hide-logo": "Скрыть логотип" -- cgit v1.2.3-1-g7c22 From bc35d9fe1a97d8643439966523d021818f49f315 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 9 Dec 2018 00:33:36 +0200 Subject: - Fix [Clicking the scrollbar closes the card on Chrome](https://github.com/wekan/wekan/issues/1404) by changing [mquandalle:perfect-scrollbar to malihu-jquery-custom-scrollbar](https://github.com/wekan/wekan/pull/2050). that works also when clicking scrollbar in Chrome. Also added back required packages that were removed in PR. Thanks to hupptechnologies and xet7 ! Closes #1404 --- .meteor/packages | 1 - .meteor/versions | 5 ++++- 2 files changed, 4 insertions(+), 2 deletions(-) diff --git a/.meteor/packages b/.meteor/packages index 549b562f..2db7fe2d 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -63,7 +63,6 @@ mousetrap:mousetrap mquandalle:jquery-textcomplete mquandalle:jquery-ui-drag-drop-sort mquandalle:mousetrap-bindglobal -mquandalle:perfect-scrollbar peerlibrary:blaze-components@=0.15.1 perak:markdown templates:tabs diff --git a/.meteor/versions b/.meteor/versions index 8c5c1569..05948769 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -82,6 +82,7 @@ launch-screen@1.1.1 livedata@1.0.18 localstorage@1.2.0 logging@1.1.19 +maazalik:malihu-jquery-custom-scrollbar@3.0.6 matb33:collection-hooks@0.8.4 matteodem:easy-search@1.6.4 mdg:validation-error@0.5.1 @@ -116,7 +117,6 @@ mquandalle:jquery-textcomplete@0.8.0_1 mquandalle:jquery-ui-drag-drop-sort@0.2.0 mquandalle:moment@1.0.1 mquandalle:mousetrap-bindglobal@0.0.1 -mquandalle:perfect-scrollbar@0.6.5_2 msavin:usercache@1.0.0 npm-bcrypt@0.9.3 npm-mongo@2.2.33 @@ -179,4 +179,7 @@ useraccounts:unstyled@1.14.2 verron:autosize@3.0.8 webapp@1.4.0 webapp-hashing@1.0.9 +wekan:accounts-cas@0.1.0 +wekan:wekan-ldap@0.0.2 +yasaricli:slugify@0.0.7 zimme:active-route@2.3.2 -- cgit v1.2.3-1-g7c22 From 90208b774ab562fa683596935b966980899f61d8 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 9 Dec 2018 00:43:21 +0200 Subject: - Fix [Clicking the scrollbar closes the card on Chrome](https://github.com/wekan/wekan/issues/1404) by changing [mquandalle:perfect-scrollbar to malihu-jquery-custom-scrollbar](https://github.com/wekan/wekan/pull/2050). that works also when clicking scrollbar in Chrome. Also added back required packages that were removed in PR. Thanks to hupptechnologies and xet7 ! --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 5e78a6fc..0bf91a1a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +- Fix [Clicking the scrollbar closes the card on Chrome](https://github.com/wekan/wekan/issues/1404) + by changing [mquandalle:perfect-scrollbar to malihu-jquery-custom-scrollbar](https://github.com/wekan/wekan/pull/2050). + that works also when clicking scrollbar in Chrome. Also added back required packages that were removed in PR. + +Thanks to GitHub users hupptechnologies and xet7 for their contributions. + # v1.84 2018-12-07 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From b143fc9297f7c60b4bd27350d9216ccdae31c67b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 9 Dec 2018 00:49:07 +0200 Subject: v1.85 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 0bf91a1a..441ceffc 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.85 2018-12-09 Wekan release - Fix [Clicking the scrollbar closes the card on Chrome](https://github.com/wekan/wekan/issues/1404) by changing [mquandalle:perfect-scrollbar to malihu-jquery-custom-scrollbar](https://github.com/wekan/wekan/pull/2050). diff --git a/package.json b/package.json index 4233f31a..9e8e854a 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.84.0", + "version": "v1.85.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index c107b605..dc9cca9d 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 186, + appVersion = 187, # Increment this for every release. - appMarketingVersion = (defaultText = "1.84.0~2018-12-07"), + appMarketingVersion = (defaultText = "1.85.0~2018-12-09"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 38e8f522931f0912e86cf35dcc288faa2a47245a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 9 Dec 2018 01:44:08 +0200 Subject: Add missing text about bugs fixes. --- CHANGELOG.md | 2 ++ 1 file changed, 2 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 441ceffc..17c39fb5 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,5 +1,7 @@ # v1.85 2018-12-09 Wekan release +This release fixes the following bugs: + - Fix [Clicking the scrollbar closes the card on Chrome](https://github.com/wekan/wekan/issues/1404) by changing [mquandalle:perfect-scrollbar to malihu-jquery-custom-scrollbar](https://github.com/wekan/wekan/pull/2050). that works also when clicking scrollbar in Chrome. Also added back required packages that were removed in PR. -- cgit v1.2.3-1-g7c22 From 2ae143e6dafd9bbaf212d8a0c1149732980b92a2 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 13 Dec 2018 14:10:55 +0200 Subject: Update translations. --- i18n/es.i18n.json | 6 +++--- i18n/pl.i18n.json | 2 +- i18n/ru.i18n.json | 2 +- 3 files changed, 5 insertions(+), 5 deletions(-) diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 4e07c15d..db20897b 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -11,9 +11,9 @@ "act-createCustomField": "creado el campo personalizado __customField__", "act-createList": "ha añadido __list__ a __board__", "act-addBoardMember": "ha añadido a __member__ a __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", + "act-archivedBoard": "__board__ movido al Archivo", + "act-archivedCard": "__card__ movida al Archivo", + "act-archivedList": "__list__ movida a Archivo", "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "ha importado __board__", "act-importCard": "ha importado __card__", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 8132a50d..b98882be 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -618,5 +618,5 @@ "authentication-type": "Typ autoryzacji", "custom-product-name": "Niestandardowa nazwa produktu", "layout": "Układ strony", - "hide-logo": "Hide Logo" + "hide-logo": "Ukryj logo" } \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index b7016399..67de8551 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -12,7 +12,7 @@ "act-createList": "добавил __list__ на __board__", "act-addBoardMember": "добавил __member__ на __board__", "act-archivedBoard": "Доска __board__ перемещена в архив", - "act-archivedCard": "Карточка __card__ перемещена в архив", + "act-archivedCard": "Карточка __card__ перемещена в Архив", "act-archivedList": "Список __list__ перемещён в архив", "act-archivedSwimlane": "Дорожка __swimlane__ перемещена в архив", "act-importBoard": "__board__ импортирована", -- cgit v1.2.3-1-g7c22 From f8ef8507b5620cee6df73d1cd38df72d18db48e6 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 13 Dec 2018 14:27:34 +0200 Subject: - Fix [Cannot login with new LDAP account when auto-registration disabled (request invitation code)](https://github.com/wekan/wekan-ldap/issues/29); - Fix [Unable to create new account from LDAP](https://github.com/wekan/wekan-ldap/issues/32). Thanks to Akuket ! Closes wekan/wekan-ldap#29, closes wekan/wekan-ldap#32 --- models/users.js | 10 +++++++--- 1 file changed, 7 insertions(+), 3 deletions(-) diff --git a/models/users.js b/models/users.js index 2e879d94..90ae8bf6 100644 --- a/models/users.js +++ b/models/users.js @@ -520,10 +520,14 @@ if (Meteor.isServer) { } const disableRegistration = Settings.findOne().disableRegistration; + // If this is the first Authentication by the ldap and self registration disabled + if (disableRegistration && options.ldap) { + user.authenticationMethod = 'ldap'; + return user; + } + + // If self registration enabled if (!disableRegistration) { - if (options.ldap) { - user.authenticationMethod = 'ldap'; - } return user; } -- cgit v1.2.3-1-g7c22 From 5f4e2d8e06514d0442785bac6b0d6aa014c37f60 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 13 Dec 2018 14:34:11 +0200 Subject: - Fix [Cannot login with new LDAP account when auto-registration disabled (request invitation code)](https://github.com/wekan/wekan-ldap/issues/29); - Fix [Unable to create new account from LDAP](https://github.com/wekan/wekan-ldap/issues/32). Thanks to Akuket ! --- CHANGELOG.md | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 17c39fb5..086da18a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- Fix [Cannot login with new LDAP account when auto-registration disabled (request invitation code)](https://github.com/wekan/wekan-ldap/issues/29); +- Fix [Unable to create new account from LDAP](https://github.com/wekan/wekan-ldap/issues/32). + +Thanks to GitHub user Akuket for contributions. + # v1.85 2018-12-09 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 4b7d47465acf5c435f8e13810328bd8effedc1e3 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 13 Dec 2018 14:40:16 +0200 Subject: v1.86 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 086da18a..c28a70bf 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.86 2018-12-13 Wekan release This release fixes the following bugs: diff --git a/package.json b/package.json index 9e8e854a..b4dd4461 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.85.0", + "version": "v1.86.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index dc9cca9d..4034276d 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 187, + appVersion = 188, # Increment this for every release. - appMarketingVersion = (defaultText = "1.85.0~2018-12-09"), + appMarketingVersion = (defaultText = "1.86.0~2018-12-13"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 2a5a428bc072e33a6cc6f4a3bebdde74d87bfcec Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 13 Dec 2018 20:07:55 +0200 Subject: - Fix Reference error. Thanks to Akuket ! --- models/users.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/models/users.js b/models/users.js index 90ae8bf6..d4c678b7 100644 --- a/models/users.js +++ b/models/users.js @@ -521,7 +521,7 @@ if (Meteor.isServer) { const disableRegistration = Settings.findOne().disableRegistration; // If this is the first Authentication by the ldap and self registration disabled - if (disableRegistration && options.ldap) { + if (disableRegistration && options && options.ldap) { user.authenticationMethod = 'ldap'; return user; } -- cgit v1.2.3-1-g7c22 From 7af20fd2d91435ba1ff7d1d8e33139c30df1f859 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 13 Dec 2018 20:10:00 +0200 Subject: - Fix Reference error. Thanks to Akuket ! --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index c28a70bf..7c0b128e 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- Fix Reference error. + +Thanks to GitHub user Akuket for contributions. + # v1.86 2018-12-13 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From af9156b18a33bfab57c947edc1888e854d47ba39 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 13 Dec 2018 20:12:03 +0200 Subject: Update translations (es). --- i18n/es.i18n.json | 260 +++++++++++++++++++++++++++--------------------------- 1 file changed, 130 insertions(+), 130 deletions(-) diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index db20897b..899123b5 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -14,7 +14,7 @@ "act-archivedBoard": "__board__ movido al Archivo", "act-archivedCard": "__card__ movida al Archivo", "act-archivedList": "__list__ movida a Archivo", - "act-archivedSwimlane": "__swimlane__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ movido a Archivo", "act-importBoard": "ha importado __board__", "act-importCard": "ha importado __card__", "act-importList": "ha importado __list__", @@ -29,7 +29,7 @@ "activities": "Actividades", "activity": "Actividad", "activity-added": "ha añadido %s a %s", - "activity-archived": "%s moved to Archive", + "activity-archived": "%s movido a Archivo", "activity-attached": "ha adjuntado %s a %s", "activity-created": "ha creado %s", "activity-customfield-created": "creado el campo personalizado %s", @@ -43,19 +43,19 @@ "activity-sent": "ha enviado %s a %s", "activity-unjoined": "se ha desvinculado de %s", "activity-subtask-added": "ha añadido la subtarea a %s", - "activity-checked-item": "checked %s in checklist %s of %s", - "activity-unchecked-item": "unchecked %s in checklist %s of %s", + "activity-checked-item": "marcado %s en la lista de verificación %s de %s", + "activity-unchecked-item": "desmarcado %s en lista %s de %s", "activity-checklist-added": "ha añadido una lista de verificación a %s", - "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", - "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", + "activity-checklist-removed": "eliminada una lista de verificación desde %s ", + "activity-checklist-completed": "completada la lista %s de %s", + "activity-checklist-uncompleted": "no completado la lista %s de %s", "activity-checklist-item-added": "ha añadido el elemento de la lista de verificación a '%s' en %s", - "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", + "activity-checklist-item-removed": "eliminado un elemento de la lista de verificación desde '%s' en %s", "add": "Añadir", - "activity-checked-item-card": "checked %s in checklist %s", - "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", - "activity-checklist-uncompleted-card": "uncompleted the checklist %s", + "activity-checked-item-card": "marcado %s en la lista de verificación %s", + "activity-unchecked-item-card": "desmarcado %s en la lista de verificación %s", + "activity-checklist-completed-card": "completó la lista de verificación %s", + "activity-checklist-uncompleted-card": "no completó la lista de verificación %s", "add-attachment": "Añadir adjunto", "add-board": "Añadir tablero", "add-card": "Añadir una tarjeta", @@ -79,18 +79,18 @@ "and-n-other-card_plural": "y otras __count__ tarjetas", "apply": "Aplicar", "app-is-offline": "Wekan se está cargando, por favor espere. Actualizar la página provocará la pérdida de datos. Si Wekan no se carga, por favor verifique que el servidor de Wekan no está detenido.", - "archive": "Move to Archive", - "archive-all": "Move All to Archive", - "archive-board": "Move Board to Archive", - "archive-card": "Move Card to Archive", - "archive-list": "Move List to Archive", - "archive-swimlane": "Move Swimlane to Archive", - "archive-selection": "Move selection to Archive", - "archiveBoardPopup-title": "Move Board to Archive?", + "archive": "Mover al Archivo", + "archive-all": "Mover todo al Archivo", + "archive-board": "Mover Tablero al Archivo", + "archive-card": "Mover tarjeta al Archivo", + "archive-list": "Mover Lista al Archivo", + "archive-swimlane": "Mover carril al Archivo", + "archive-selection": "Mover selección al Archivo", + "archiveBoardPopup-title": "¿Mover Tablero al Archivo?", "archived-items": "Archivar", - "archived-boards": "Boards in Archive", + "archived-boards": "Tableros en Archivo", "restore-board": "Restaurar el tablero", - "no-archived-boards": "No Boards in Archive.", + "no-archived-boards": "No hay Tableros en el Archivo", "archives": "Archivar", "assign-member": "Asignar miembros", "attached": "adjuntado", @@ -118,12 +118,12 @@ "board-view-lists": "Listas", "bucket-example": "Como “Cosas por hacer” por ejemplo", "cancel": "Cancelar", - "card-archived": "This card is moved to Archive.", - "board-archived": "This board is moved to Archive.", + "card-archived": "Esta tarjeta se movió al Archivo", + "board-archived": "Este tablero se movió al Archivo", "card-comments-title": "Esta tarjeta tiene %s comentarios.", "card-delete-notice": "la eliminación es permanente. Perderás todas las acciones asociadas a esta tarjeta.", "card-delete-pop": "Se eliminarán todas las acciones del historial de actividades y no se podrá volver a abrir la tarjeta. Esta acción no puede deshacerse.", - "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "Puedes mover una tarjeta al Archivo para quitarla del tablero y preservar la actividad.", "card-due": "Vence", "card-due-on": "Vence el", "card-spent": "Tiempo consumido", @@ -166,7 +166,7 @@ "clipboard": "el portapapeles o con arrastrar y soltar", "close": "Cerrar", "close-board": "Cerrar el tablero", - "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", + "close-board-pop": "Podrás restaurar el tablero haciendo clic en el botón \"Archivo\" del encabezado de la pantalla inicial.", "color-black": "negra", "color-blue": "azul", "color-green": "verde", @@ -284,13 +284,13 @@ "import-board-c": "Importar un tablero", "import-board-title-trello": "Importar un tablero desde Trello", "import-board-title-wekan": "Importar un tablero desde Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-sandstorm-backup-warning": "No elimine los datos que está importando del Wekan o Trello original antes de verificar que la semilla pueda cerrarse y abrirse nuevamente, o que ocurra un error de \"Tablero no encontrado\", de lo contrario perderá sus datos.", "import-sandstorm-warning": "El tablero importado eliminará todos los datos existentes en este tablero y los reemplazará con los datos del tablero importado.", "from-trello": "Desde Trello", "from-wekan": "Desde Wekan", "import-board-instruction-trello": "En tu tablero de Trello, ve a 'Menú', luego 'Más' > 'Imprimir y exportar' > 'Exportar JSON', y copia el texto resultante.", "import-board-instruction-wekan": "En tu tablero de Wekan, ve a 'Menú del tablero', luego 'Exportar el tablero', y copia aquí el texto del fichero descargado.", - "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", + "import-board-instruction-about-errors": "Si obtiene errores cuando importe el tablero, a veces la importación funciona igualmente, y el tablero se encuentra en la página de Todos los Tableros.", "import-json-placeholder": "Pega tus datos JSON válidos aquí", "import-map-members": "Mapa de miembros", "import-members-map": "El tablero importado tiene algunos miembros. Por favor mapea los miembros que deseas importar a los usuarios de Wekan", @@ -315,8 +315,8 @@ "leave-board-pop": "¿Seguro que quieres abandonar __boardTitle__? Serás desvinculado de todas las tarjetas en este tablero.", "leaveBoardPopup-title": "¿Abandonar el tablero?", "link-card": "Enlazar a esta tarjeta", - "list-archive-cards": "Move all cards in this list to Archive", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", + "list-archive-cards": "Mover todas las tarjetas de la lista al Archivo", + "list-archive-cards-pop": "Esto eliminará del tablero todas las tarjetas en esta lista. Para ver las tarjetas en el Archivo y recuperarlas al tablero haga click en \"Menu\" > \"Archivo\"", "list-move-cards": "Mover todas las tarjetas de esta lista", "list-select-cards": "Seleccionar todas las tarjetas de esta lista", "listActionPopup-title": "Acciones de la lista", @@ -325,7 +325,7 @@ "listMorePopup-title": "Más", "link-list": "Enlazar a esta lista", "list-delete-pop": "Todas las acciones serán eliminadas del historial de actividades y no se podrá recuperar la lista. Esta acción no puede deshacerse.", - "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "Puedes mover una lista al Archivo para quitarla del tablero y preservar la actividad.", "lists": "Listas", "swimlanes": "Carriles", "log-out": "Finalizar la sesión", @@ -345,9 +345,9 @@ "muted-info": "No serás notificado de ningún cambio en este tablero", "my-boards": "Mis tableros", "name": "Nombre", - "no-archived-cards": "No cards in Archive.", - "no-archived-lists": "No lists in Archive.", - "no-archived-swimlanes": "No swimlanes in Archive.", + "no-archived-cards": "No hay tarjetas en el Archivo", + "no-archived-lists": "No hay listas en el Archivo", + "no-archived-swimlanes": "No hay carriles en el Archivo", "no-results": "Sin resultados", "normal": "Normal", "normal-desc": "Puedes ver y editar tarjetas. No puedes cambiar la configuración.", @@ -383,7 +383,7 @@ "restore": "Restaurar", "save": "Añadir", "search": "Buscar", - "rules": "Rules", + "rules": "Reglas", "search-cards": "Buscar entre los títulos y las descripciones de las tarjetas en este tablero.", "search-example": "¿Texto a buscar?", "select-color": "Selecciona un color", @@ -427,7 +427,7 @@ "uploaded-avatar": "Avatar cargado", "username": "Nombre de usuario", "view-it": "Verla", - "warn-list-archived": "warning: this card is in an list at Archive", + "warn-list-archived": "advertencia: esta tarjeta está en una lista en el Archivo", "watch": "Vigilar", "watching": "Vigilando", "watching-info": "Serás notificado de cualquier cambio en este tablero", @@ -484,8 +484,8 @@ "minutes": "minutos", "seconds": "segundos", "show-field-on-card": "Mostrar este campo en la tarjeta", - "automatically-field-on-card": "Auto create field to all cards", - "showLabel-field-on-card": "Show field label on minicard", + "automatically-field-on-card": "Crear campos automáticamente para todas las tarjetas.", + "showLabel-field-on-card": "Mostrar etiquetas de campos en la minitarjeta.", "yes": "Sí", "no": "No", "accounts": "Cuentas", @@ -523,100 +523,100 @@ "parent-card": "Tarjeta padre", "source-board": "Tablero de origen", "no-parent": "No mostrar la tarjeta padre", - "activity-added-label": "added label '%s' to %s", - "activity-removed-label": "removed label '%s' from %s", - "activity-delete-attach": "deleted an attachment from %s", - "activity-added-label-card": "added label '%s'", - "activity-removed-label-card": "removed label '%s'", - "activity-delete-attach-card": "deleted an attachment", - "r-rule": "Rule", - "r-add-trigger": "Add trigger", - "r-add-action": "Add action", - "r-board-rules": "Board rules", - "r-add-rule": "Add rule", - "r-view-rule": "View rule", - "r-delete-rule": "Delete rule", - "r-new-rule-name": "New rule title", - "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", - "r-removed-from": "Removed from", - "r-the-board": "the board", - "r-list": "list", - "r-moved-to": "Moved to", - "r-moved-from": "Moved from", - "r-archived": "Moved to Archive", - "r-unarchived": "Restored from Archive", - "r-a-card": "a card", - "r-when-a-label-is": "When a label is", - "r-when-the-label-is": "When the label is", - "r-list-name": "List name", - "r-when-a-member": "When a member is", - "r-when-the-member": "When the member", - "r-name": "name", - "r-is": "is", - "r-when-a-attach": "When an attachment", - "r-when-a-checklist": "When a checklist is", - "r-when-the-checklist": "When the checklist", - "r-completed": "Completed", - "r-made-incomplete": "Made incomplete", - "r-when-a-item": "When a checklist item is", - "r-when-the-item": "When the checklist item", - "r-checked": "Checked", - "r-unchecked": "Unchecked", - "r-move-card-to": "Move card to", - "r-top-of": "Top of", - "r-bottom-of": "Bottom of", - "r-its-list": "its list", - "r-archive": "Move to Archive", - "r-unarchive": "Restore from Archive", - "r-card": "card", + "activity-added-label": "añadida etiqueta %s a %s", + "activity-removed-label": "eliminada etiqueta '%s' desde %s", + "activity-delete-attach": "borrado un adjunto desde %s", + "activity-added-label-card": "añadida etiqueta '%s'", + "activity-removed-label-card": "eliminada etiqueta '%s'", + "activity-delete-attach-card": "borrado un adjunto", + "r-rule": "Regla", + "r-add-trigger": "Añadir disparador", + "r-add-action": "Añadir acción", + "r-board-rules": "Reglas del tablero", + "r-add-rule": "Añadir regla", + "r-view-rule": "Ver regla", + "r-delete-rule": "Eliminar regla", + "r-new-rule-name": "Nueva título de regla", + "r-no-rules": "No hay reglas", + "r-when-a-card-is": "Cuando una tarjeta es", + "r-added-to": "Añadido a", + "r-removed-from": "Eliminado de", + "r-the-board": "el tablero", + "r-list": "lista", + "r-moved-to": "Movido a", + "r-moved-from": "Movido desde", + "r-archived": "Movido a Archivo", + "r-unarchived": "Restaurado del archivo", + "r-a-card": "una tarjeta", + "r-when-a-label-is": "Cuando una etiqueta es", + "r-when-the-label-is": "Cuando la etiqueta es", + "r-list-name": "Nombre de lista", + "r-when-a-member": "Cuando un miembro es", + "r-when-the-member": "Cuando el miembro", + "r-name": "nombre", + "r-is": "es", + "r-when-a-attach": "Cuando un adjunto", + "r-when-a-checklist": "Cuando una lista de verificación es", + "r-when-the-checklist": "Cuando la lista de verificación", + "r-completed": "Completada", + "r-made-incomplete": "Hecha incompleta", + "r-when-a-item": "Cuando un elemento de la lista de verificación es", + "r-when-the-item": "Cuando el elemento de la lista de verificación es", + "r-checked": "Marcado", + "r-unchecked": "Desmarcado", + "r-move-card-to": "Mover tarjeta a", + "r-top-of": "Arriba de", + "r-bottom-of": "Abajo de", + "r-its-list": "su lista", + "r-archive": "Mover al Archivo", + "r-unarchive": "Restaurar del Archivo", + "r-card": "tarjeta", "r-add": "Añadir", - "r-remove": "Remove", - "r-label": "label", - "r-member": "member", - "r-remove-all": "Remove all members from the card", - "r-checklist": "checklist", - "r-check-all": "Check all", - "r-uncheck-all": "Uncheck all", - "r-items-check": "items of checklist", - "r-check": "Check", - "r-uncheck": "Uncheck", - "r-item": "item", - "r-of-checklist": "of checklist", - "r-send-email": "Send an email", - "r-to": "to", - "r-subject": "subject", - "r-rule-details": "Rule details", - "r-d-move-to-top-gen": "Move card to top of its list", - "r-d-move-to-top-spec": "Move card to top of list", - "r-d-move-to-bottom-gen": "Move card to bottom of its list", - "r-d-move-to-bottom-spec": "Move card to bottom of list", - "r-d-send-email": "Send email", - "r-d-send-email-to": "to", - "r-d-send-email-subject": "subject", - "r-d-send-email-message": "message", - "r-d-archive": "Move card to Archive", - "r-d-unarchive": "Restore card from Archive", - "r-d-add-label": "Add label", - "r-d-remove-label": "Remove label", - "r-d-add-member": "Add member", - "r-d-remove-member": "Remove member", - "r-d-remove-all-member": "Remove all member", - "r-d-check-all": "Check all items of a list", - "r-d-uncheck-all": "Uncheck all items of a list", - "r-d-check-one": "Check item", - "r-d-uncheck-one": "Uncheck item", - "r-d-check-of-list": "of checklist", - "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist", - "r-when-a-card-is-moved": "When a card is moved to another list", + "r-remove": "Eliminar", + "r-label": "etiqueta", + "r-member": "miembro", + "r-remove-all": "Eliminar todos los miembros de la tarjeta", + "r-checklist": "lista de verificación", + "r-check-all": "Marcar todo", + "r-uncheck-all": "Desmarcar todo", + "r-items-check": "elementos de la lista de verificación", + "r-check": "Marcar", + "r-uncheck": "Desmarcar", + "r-item": "elemento", + "r-of-checklist": "de la lista de verificación", + "r-send-email": "Enviar un email", + "r-to": "a", + "r-subject": "asunto", + "r-rule-details": "Detalle de la regla", + "r-d-move-to-top-gen": "Mover tarjeta arriba de su lista", + "r-d-move-to-top-spec": "Mover tarjeta arriba de la lista", + "r-d-move-to-bottom-gen": "Mover tarjeta abajo de su lista", + "r-d-move-to-bottom-spec": "Mover tarjeta al fondo de la lista", + "r-d-send-email": "Enviar email", + "r-d-send-email-to": "a", + "r-d-send-email-subject": "asunto", + "r-d-send-email-message": "mensaje", + "r-d-archive": "Mover tarjeta al Archivo", + "r-d-unarchive": "Restaurar tarjeta del Archivo", + "r-d-add-label": "Añadir etiqueta", + "r-d-remove-label": "Eliminar etiqueta", + "r-d-add-member": "Añadir miembro", + "r-d-remove-member": "Eliminar miembro", + "r-d-remove-all-member": "Eliminar todos los miembros", + "r-d-check-all": "Marcar todos los elementos de una lista", + "r-d-uncheck-all": "Desmarcar todos los elementos de una lista", + "r-d-check-one": "Marcar elemento", + "r-d-uncheck-one": "Desmarcar elemento", + "r-d-check-of-list": "de la lista de verificación", + "r-d-add-checklist": "Añadir una lista de verificación", + "r-d-remove-checklist": "Eliminar lista de verificación", + "r-when-a-card-is-moved": "Cuando una tarjeta es movida a otra lista", "ldap": "LDAP", "oauth2": "OAuth2", "cas": "CAS", - "authentication-method": "Authentication method", - "authentication-type": "Authentication type", - "custom-product-name": "Custom Product Name", - "layout": "Layout", - "hide-logo": "Hide Logo" + "authentication-method": "Método de autenticación", + "authentication-type": "Tipo de autenticación", + "custom-product-name": "Nombre de producto personalizado", + "layout": "Disñeo", + "hide-logo": "Ocultar logo" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 67a5fdaf96a6932a6239302af6cefbbd60e8f347 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 13 Dec 2018 20:13:50 +0200 Subject: v1.87 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 7c0b128e..92b4353e 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.87 2018-12-13 Wekan release This release fixes the following bugs: diff --git a/package.json b/package.json index b4dd4461..96dd482a 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.86.0", + "version": "v1.87.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 4034276d..0e52aafe 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 188, + appVersion = 189, # Increment this for every release. - appMarketingVersion = (defaultText = "1.86.0~2018-12-13"), + appMarketingVersion = (defaultText = "1.87.0~2018-12-13"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From d6127082e9dba7978c67ddfd23df4a5fff883366 Mon Sep 17 00:00:00 2001 From: Jose Fuentes Date: Thu, 13 Dec 2018 20:27:35 +0100 Subject: Add stacksmith scripts --- stacksmith/user-scripts/boot.sh | 22 ++++++++++ stacksmith/user-scripts/build.sh | 86 ++++++++++++++++++++++++++++++++++++++++ stacksmith/user-scripts/run.sh | 9 +++++ 3 files changed, 117 insertions(+) create mode 100755 stacksmith/user-scripts/boot.sh create mode 100755 stacksmith/user-scripts/build.sh create mode 100755 stacksmith/user-scripts/run.sh diff --git a/stacksmith/user-scripts/boot.sh b/stacksmith/user-scripts/boot.sh new file mode 100755 index 00000000..2e3f1921 --- /dev/null +++ b/stacksmith/user-scripts/boot.sh @@ -0,0 +1,22 @@ +#!/bin/bash +set -eux + +#!/bin/bash + +set -euo pipefail + +# This file will store the config env variables needed by the app +readonly CONF=/build/env.config + +cat >"${CONF}" <<'EOF' +export MONGO_URL=mongodb://{{DATABASE_USER}}:{{DATABASE_PASSWORD}}@{{DATABASE_HOST}}:{{DATABASE_PORT}}/{{DATABASE_NAME}} +export ROOT_URL=http://localhost +export PORT=3000 +EOF + +sed -i -e "s/{{DATABASE_USER}}/${DATABASE_USER}/" "${CONF}" +sed -i -e "s/{{DATABASE_PASSWORD}}/${DATABASE_PASSWORD}/" "${CONF}" +sed -i -e "s/{{DATABASE_HOST}}/${DATABASE_HOST}/" "${CONF}" +sed -i -e "s/{{DATABASE_PORT}}/${DATABASE_PORT}/" "${CONF}" +sed -i -e "s/{{DATABASE_NAME}}/${DATABASE_NAME}/" "${CONF}" + diff --git a/stacksmith/user-scripts/build.sh b/stacksmith/user-scripts/build.sh new file mode 100755 index 00000000..144ba468 --- /dev/null +++ b/stacksmith/user-scripts/build.sh @@ -0,0 +1,86 @@ +#!/bin/bash +set -euxo pipefail + +BUILD_DEPS="bsdtar gnupg wget curl bzip2 python git ca-certificates perl-Digest-SHA" +NODE_VERSION=v8.14.0 +METEOR_RELEASE=1.6.0.1 +USE_EDGE=false +METEOR_EDGE=1.5-beta.17 +NPM_VERSION=latest +FIBERS_VERSION=2.0.0 +ARCHITECTURE=linux-x64 +NODE_VERSION=v10.14.1 + +sudo yum groupinstall 'Development Tools' +sudo yum install -y http://opensource.wandisco.com/centos/7/git/x86_64/wandisco-git-release-7-2.noarch.rpm +sudo yum install -y git + +sudo useradd --user-group --system --home-dir /home/wekan wekan +sudo mkdir -p /home/wekan +sudo chown wekan:wekan /home/wekan/ + +sudo -u wekan git clone https://github.com/j-fuentes/wekan.git /home/wekan/app + +sudo yum install -y ${BUILD_DEPS} + +# Meteor installer doesn't work with the default tar binary, so using bsdtar while installing. +# https://github.com/coreos/bugs/issues/1095#issuecomment-350574389 +sudo cp $(which tar) $(which tar)~ +sudo ln -sf $(which bsdtar) $(which tar) + +# Install nodejs +wget https://nodejs.org/dist/${NODE_VERSION}/node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz +wget https://nodejs.org/dist/${NODE_VERSION}/SHASUMS256.txt.asc + +grep ${NODE_VERSION}-${ARCHITECTURE}.tar.gz SHASUMS256.txt.asc | shasum -a 256 -c - + +tar xvzf node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz +rm node-${NODE_VERSION}-${ARCHITECTURE}.tar.gz +sudo mv node-${NODE_VERSION}-${ARCHITECTURE} /opt/nodejs +sudo rm -f /usr/bin/node +sudo rm -f /usr/bin/npm +sudo ln -s /opt/nodejs/bin/node /usr/bin/node || true +sudo ln -s /opt/nodejs/bin/npm /usr/bin/npm || true + +sudo npm install -g npm@${NPM_VERSION} +sudo npm install -g node-gyp +sudo npm install -g --unsafe-perm fibers@${FIBERS_VERSION} + +cd /home/wekan + +#install meteor +sudo curl "https://install.meteor.com" -o /home/wekan/install_meteor.sh +sudo chmod +x /home/wekan/install_meteor.sh +sudo sed -i 's/VERBOSITY="--silent"/VERBOSITY="--progress-bar"/' ./install_meteor.sh +echo "Starting meteor ${METEOR_RELEASE} installation... \n" + +# Check if opting for a release candidate instead of major release +if [ "$USE_EDGE" = false ]; then + sudo su -c '/home/wekan/install_meteor.sh' - wekan +else + sudo -u wekan git clone --recursive --depth 1 -b release/METEOR@${METEOR_EDGE} git://github.com/meteor/meteor.git /home/wekan/.meteor; +fi; + +# Get additional packages +sudo mkdir -p /home/wekan/app/packages +sudo chown wekan:wekan --recursive /home/wekan/app +cd /home/wekan/app/packages +sudo -u wekan git clone --depth 1 -b master git://github.com/wekan/flow-router.git kadira-flow-router +sudo -u wekan git clone --depth 1 -b master git://github.com/meteor-useraccounts/core.git meteor-useraccounts-core +sudo -u wekan git clone --depth 1 -b master git://github.com/wekan/meteor-accounts-cas.git +sudo -u wekan git clone --depth 1 -b master git://github.com/wekan/wekan-ldap.git +sudo sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' /home/wekan/app/packages/meteor-useraccounts-core/package.js +sudo -u wekan /home/wekan/.meteor/meteor -- help + +# Build app +cd /home/wekan/app +meteor=/home/wekan/.meteor/meteor +sudo -u wekan ${meteor} add standard-minifier-js +sudo -u wekan ${meteor} npm install +sudo -u wekan ${meteor} build --directory /home/wekan/app_build +sudo cp /home/wekan/app/fix-download-unicode/cfs_access-point.txt /home/wekan/app_build/bundle/programs/server/packages/cfs_access-point.js +sudo chown wekan:wekan /home/wekan/app_build/bundle/programs/server/packages/cfs_access-point.js +cd /home/wekan/app_build/bundle/programs/server/ +sudo npm install +sudo chown -R wekan:wekan ./node_modules +sudo mv /home/wekan/app_build/bundle /build diff --git a/stacksmith/user-scripts/run.sh b/stacksmith/user-scripts/run.sh new file mode 100755 index 00000000..20d4743b --- /dev/null +++ b/stacksmith/user-scripts/run.sh @@ -0,0 +1,9 @@ +#!/bin/bash + +readonly CONF=/build/env.config + +source ${CONF} + +cd /build +echo "starting the wekan service..." +node main.js -- cgit v1.2.3-1-g7c22 From 7b3e2c58e29de6477dfcd2e2051d241c67266c85 Mon Sep 17 00:00:00 2001 From: Jose Fuentes Date: Fri, 14 Dec 2018 09:35:48 +0100 Subject: Pipefail error --- Stackerfile.yml | 9 +++++++++ stacksmith/user-scripts/boot.sh | 5 ++++- stacksmith/user-scripts/run.sh | 1 + 3 files changed, 14 insertions(+), 1 deletion(-) create mode 100644 Stackerfile.yml diff --git a/Stackerfile.yml b/Stackerfile.yml new file mode 100644 index 00000000..26c403c0 --- /dev/null +++ b/Stackerfile.yml @@ -0,0 +1,9 @@ +appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 +appVersion: "0" +files: + userUploads: + - README.md + userScripts: + build: stacksmith/user-scripts/build.sh + boot: stacksmith/user-scripts/boot.sh + run: stacksmith/user-scripts/run.sh diff --git a/stacksmith/user-scripts/boot.sh b/stacksmith/user-scripts/boot.sh index 2e3f1921..19ea8825 100755 --- a/stacksmith/user-scripts/boot.sh +++ b/stacksmith/user-scripts/boot.sh @@ -1,5 +1,5 @@ #!/bin/bash -set -eux +set -euxo pipefail #!/bin/bash @@ -8,6 +8,9 @@ set -euo pipefail # This file will store the config env variables needed by the app readonly CONF=/build/env.config +# EMAIL_URL can also be set here by injecting another env variable in the template +# ROOT_URL can also be set at runtime, by querying AWS api or by using ingress annotations in the template for k8s. + cat >"${CONF}" <<'EOF' export MONGO_URL=mongodb://{{DATABASE_USER}}:{{DATABASE_PASSWORD}}@{{DATABASE_HOST}}:{{DATABASE_PORT}}/{{DATABASE_NAME}} export ROOT_URL=http://localhost diff --git a/stacksmith/user-scripts/run.sh b/stacksmith/user-scripts/run.sh index 20d4743b..e7cc6df6 100755 --- a/stacksmith/user-scripts/run.sh +++ b/stacksmith/user-scripts/run.sh @@ -1,4 +1,5 @@ #!/bin/bash +set -euxo pipefail readonly CONF=/build/env.config -- cgit v1.2.3-1-g7c22 From c546464d9f56117a8bf580512cd62fc1102559c3 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 14 Dec 2018 23:13:15 +0200 Subject: - Because scrollbar uses [remote file from CDN](https://github.com/MaazAli/Meteor-Malihu-Custom-Scrollbar/blob/master/jquery.mCustomScrollbar.js#L50), fork package to https://github.com/wekan/wekan-scrollbar and include non-minified file locally to Wekan, so that using scrollbar works without direct connection to Internet. Wekan should not load any external files by default, as was case before new scrollbar, and is again now after this fix. Closes #2056 --- .meteor/packages | 2 +- .meteor/versions | 2 +- Dockerfile | 1 + rebuild-wekan.bat | 1 + rebuild-wekan.sh | 1 + releases/rebuild-release.sh | 9 +++++---- releases/virtualbox/rebuild-wekan.sh | 7 +++++-- snapcraft.yaml | 5 +++++ 8 files changed, 20 insertions(+), 8 deletions(-) diff --git a/.meteor/packages b/.meteor/packages index 2db7fe2d..56732bb2 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -88,4 +88,4 @@ mquandalle:moment msavin:usercache wekan:wekan-ldap wekan:accounts-cas -maazalik:malihu-jquery-custom-scrollbar +wekan-scrollbar diff --git a/.meteor/versions b/.meteor/versions index 05948769..2542c263 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -82,7 +82,6 @@ launch-screen@1.1.1 livedata@1.0.18 localstorage@1.2.0 logging@1.1.19 -maazalik:malihu-jquery-custom-scrollbar@3.0.6 matb33:collection-hooks@0.8.4 matteodem:easy-search@1.6.4 mdg:validation-error@0.5.1 @@ -179,6 +178,7 @@ useraccounts:unstyled@1.14.2 verron:autosize@3.0.8 webapp@1.4.0 webapp-hashing@1.0.9 +wekan-scrollbar@3.1.3 wekan:accounts-cas@0.1.0 wekan:wekan-ldap@0.0.2 yasaricli:slugify@0.0.7 diff --git a/Dockerfile b/Dockerfile index 7852bc73..1383883e 100644 --- a/Dockerfile +++ b/Dockerfile @@ -244,6 +244,7 @@ RUN \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/meteor-useraccounts/core.git meteor-useraccounts-core && \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/meteor-accounts-cas.git && \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/wekan-ldap.git && \ + gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/wekan-scrollbar.git && \ sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' /home/wekan/app/packages/meteor-useraccounts-core/package.js && \ cd /home/wekan/.meteor && \ gosu wekan:wekan /home/wekan/.meteor/meteor -- help; \ diff --git a/rebuild-wekan.bat b/rebuild-wekan.bat index 57d174ca..48ef393b 100644 --- a/rebuild-wekan.bat +++ b/rebuild-wekan.bat @@ -33,6 +33,7 @@ git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-fl git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git +git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git REM sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' ~/repos/wekan/packages/meteor-useraccounts-core/package.js cd .. REM del /S /F /Q node_modules diff --git a/rebuild-wekan.sh b/rebuild-wekan.sh index d50e2aff..bb6456de 100755 --- a/rebuild-wekan.sh +++ b/rebuild-wekan.sh @@ -142,6 +142,7 @@ do git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git + git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git if [[ "$OSTYPE" == "darwin"* ]]; then echo "sed at macOS"; sed -i '' 's/api\.versionsFrom/\/\/api.versionsFrom/' ~/repos/wekan/packages/meteor-useraccounts-core/package.js diff --git a/releases/rebuild-release.sh b/releases/rebuild-release.sh index 8a5b8890..9000334b 100755 --- a/releases/rebuild-release.sh +++ b/releases/rebuild-release.sh @@ -5,10 +5,11 @@ rm -rf packages mkdir -p ~/repos/wekan/packages cd ~/repos/wekan/packages - git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-flow-router - git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core - git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git - git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git + git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-flow-router + git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core + git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git + git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git + git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git if [[ "$OSTYPE" == "darwin"* ]]; then echo "sed at macOS"; diff --git a/releases/virtualbox/rebuild-wekan.sh b/releases/virtualbox/rebuild-wekan.sh index ca00f0e2..64e4fbea 100755 --- a/releases/virtualbox/rebuild-wekan.sh +++ b/releases/virtualbox/rebuild-wekan.sh @@ -88,8 +88,11 @@ do cd ~/repos/wekan mkdir -p ~/repos/wekan/packages cd ~/repos/wekan/packages - git clone https://github.com/wekan/flow-router.git kadira-flow-router - git clone https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core + git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-flow-router + git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core + git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git + git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git + git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git if [[ "$OSTYPE" == "darwin"* ]]; then echo "sed at macOS"; diff --git a/snapcraft.yaml b/snapcraft.yaml index c69b1dcc..d7cd86cf 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -152,6 +152,11 @@ parts: git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git cd .. fi + if [ ! -d "packages/wekan-scrollbar" ]; then + cd packages + git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git + cd .. + fi rm -rf package-lock.json .build meteor add standard-minifier-js --allow-superuser meteor npm install --allow-superuser -- cgit v1.2.3-1-g7c22 From 0b6b6dc7fd8c2d3f90e8128da8275d43821df041 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 14 Dec 2018 23:27:22 +0200 Subject: - Fix: [Scrollbar used](https://github.com/wekan/wekan/issues/2056) [remote file from CDN](https://github.com/MaazAli/Meteor-Malihu-Custom-Scrollbar/blob/master/jquery.mCustomScrollbar.js#L50), so forked package to https://github.com/wekan/wekan-scrollbar and included non-minified file locally to Wekan, so that using scrollbar works without direct connection to Internet. Wekan should not load any external files by default, as was case before new scrollbar, and is again now [after this fix](https://github.com/wekan/wekan/commit/c546464d9f56117a8bf580512cd62fc1102559c3). Thanks to xet7 ! Closes #2056 --- CHANGELOG.md | 12 ++++++++++++ 1 file changed, 12 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 92b4353e..ec0622d6 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,15 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- Fix: [Scrollbar used](https://github.com/wekan/wekan/issues/2056) [remote file from CDN](https://github.com/MaazAli/Meteor-Malihu-Custom-Scrollbar/blob/master/jquery.mCustomScrollbar.js#L50), + so forked package to https://github.com/wekan/wekan-scrollbar and included + non-minified file locally to Wekan, so that using scrollbar works without direct connection + to Internet. Wekan should not load any external files by default, as was case before + new scrollbar, and is again now [after this fix](https://github.com/wekan/wekan/commit/c546464d9f56117a8bf580512cd62fc1102559c3). + +Thanks to GitHub user xet7 for contributions. + # v1.87 2018-12-13 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From c066883dbd76110be19d75bd77ef2a0270dadda2 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 14 Dec 2018 23:31:17 +0200 Subject: v1.88 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index ec0622d6..bb129ea2 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.88 2018-12-14 Wekan release This release fixes the following bugs: diff --git a/package.json b/package.json index 96dd482a..63d7d060 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.87.0", + "version": "v1.88.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 0e52aafe..3da80867 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 189, + appVersion = 190, # Increment this for every release. - appMarketingVersion = (defaultText = "1.87.0~2018-12-13"), + appMarketingVersion = (defaultText = "1.88.0~2018-12-14"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From dbb1a86ca377e551063cc04c5189fad4aa9148c0 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 15 Dec 2018 20:39:01 +0200 Subject: - Admin Panel / Layout / Custom Product Name now changes webpage title. Thanks to xet7 ! Related #1196 --- client/components/settings/settingBody.js | 2 ++ client/lib/utils.js | 20 ++++++++++++++++++++ config/router.js | 27 ++++++++++++++++----------- models/settings.js | 15 ++++++++++++++- models/trelloCreator.js | 4 ++-- models/wekanCreator.js | 2 +- 6 files changed, 55 insertions(+), 15 deletions(-) diff --git a/client/components/settings/settingBody.js b/client/components/settings/settingBody.js index ddb4cd0f..3f6f36f4 100644 --- a/client/components/settings/settingBody.js +++ b/client/components/settings/settingBody.js @@ -155,6 +155,8 @@ BlazeComponent.extendComponent({ this.setLoading(false); } + DocHead.setTitle(productName); + saveMailServerInfo(); }, diff --git a/client/lib/utils.js b/client/lib/utils.js index 525cfb83..d46d8076 100644 --- a/client/lib/utils.js +++ b/client/lib/utils.js @@ -145,6 +145,26 @@ Utils = { }); }, + manageCustomUI(){ + Meteor.call('getCustomUI', (err, data) => { + if (err && err.error[0] === 'var-not-exist'){ + Session.set('customUI', false); // siteId || address server not defined + } + if (!err){ + Utils.setCustomUI(data); + } + }); + }, + + setCustomUI(data){ + const currentBoard = Boards.findOne(Session.get('currentBoard')); + if (currentBoard) { + DocHead.setTitle(`${currentBoard.title } - ${ data.productName}`); + } else { + DocHead.setTitle(`${data.productName}`); + } + }, + setMatomo(data){ window._paq = window._paq || []; window._paq.push(['setDoNotTrack', data.doNotTrack]); diff --git a/config/router.js b/config/router.js index 91d08897..80e89e4c 100644 --- a/config/router.js +++ b/config/router.js @@ -14,6 +14,7 @@ FlowRouter.route('/', { Filter.reset(); EscapeActions.executeAll(); + Utils.manageCustomUI(); Utils.manageMatomo(); BlazeLayout.render('defaultLayout', { @@ -40,6 +41,7 @@ FlowRouter.route('/b/:id/:slug', { EscapeActions.executeUpTo('popup-close'); } + Utils.manageCustomUI(); Utils.manageMatomo(); BlazeLayout.render('defaultLayout', { @@ -57,6 +59,7 @@ FlowRouter.route('/b/:boardId/:slug/:cardId', { Session.set('currentBoard', params.boardId); Session.set('currentCard', params.cardId); + Utils.manageCustomUI(); Utils.manageMatomo(); BlazeLayout.render('defaultLayout', { @@ -122,6 +125,7 @@ FlowRouter.route('/setting', { }, ], action() { + Utils.manageCustomUI(); BlazeLayout.render('defaultLayout', { headerBar: 'settingHeaderBar', content: 'setting', @@ -199,20 +203,21 @@ _.each(redirections, (newPath, oldPath) => { // using the `kadira:dochead` package. Currently we only use it to display the // board title if we are in a board page (see #364) but we may want to support // some tags in the future. -const appTitle = 'Wekan'; +//const appTitle = Utils.manageCustomUI(); // XXX The `Meteor.startup` should not be necessary -- we don't need to wait for // the complete DOM to be ready to call `DocHead.setTitle`. But the problem is // that the global variable `Boards` is undefined when this file loads so we // wait a bit until hopefully all files are loaded. This will be fixed in a // clean way once Meteor will support ES6 modules -- hopefully in Meteor 1.3. -Meteor.isClient && Meteor.startup(() => { - Tracker.autorun(() => { - const currentBoard = Boards.findOne(Session.get('currentBoard')); - const titleStack = [appTitle]; - if (currentBoard) { - titleStack.push(currentBoard.title); - } - DocHead.setTitle(titleStack.reverse().join(' - ')); - }); -}); +//Meteor.isClient && Meteor.startup(() => { +// Tracker.autorun(() => { + +// const currentBoard = Boards.findOne(Session.get('currentBoard')); +// const titleStack = [appTitle]; +// if (currentBoard) { +// titleStack.push(currentBoard.title); +// } +// DocHead.setTitle(titleStack.reverse().join(' - ')); +// }); +//}); diff --git a/models/settings.js b/models/settings.js index 52212809..5db57cd8 100644 --- a/models/settings.js +++ b/models/settings.js @@ -74,7 +74,7 @@ if (Meteor.isServer) { if(!setting){ const now = new Date(); const domain = process.env.ROOT_URL.match(/\/\/(?:www\.)?(.*)?(?:\/)?/)[1]; - const from = `Wekan `; + const from = `Boards Support `; const defaultSetting = {disableRegistration: false, mailServer: { username: '', password: '', host: '', port: '', enableTLS: false, from, }, createdAt: now, modifiedAt: now}; @@ -210,6 +210,19 @@ if (Meteor.isServer) { }; }, + getCustomUI(){ + const setting = Settings.findOne({}); + if (!setting.productName) { + return { + productName: 'Wekan', + }; + } else { + return { + productName: `${setting.productName}`, + }; + } + }, + getMatomoConf(){ return { address: getEnvVar('MATOMO_ADDRESS'), diff --git a/models/trelloCreator.js b/models/trelloCreator.js index b5a255cc..3ac511a5 100644 --- a/models/trelloCreator.js +++ b/models/trelloCreator.js @@ -268,7 +268,7 @@ export class TrelloCreator { } // insert card const cardId = Cards.direct.insert(cardToCreate); - // keep track of Trello id => WeKan id + // keep track of Trello id => Wekan id this.cards[card.id] = cardId; // log activity // Activities.direct.insert({ @@ -431,7 +431,7 @@ export class TrelloCreator { sort: checklist.pos, }; const checklistId = Checklists.direct.insert(checklistToCreate); - // keep track of Trello id => WeKan id + // keep track of Trello id => Wekan id this.checklists[checklist.id] = checklistId; // Now add the items to the checklistItems let counter = 0; diff --git a/models/wekanCreator.js b/models/wekanCreator.js index fa950970..2d3ec5de 100644 --- a/models/wekanCreator.js +++ b/models/wekanCreator.js @@ -300,7 +300,7 @@ export class WekanCreator { } // insert card const cardId = Cards.direct.insert(cardToCreate); - // keep track of Wekan id => WeKan id + // keep track of Wekan id => Wekan id this.cards[card._id] = cardId; // // log activity // Activities.direct.insert({ -- cgit v1.2.3-1-g7c22 From 4bd74b58170cd93a1de0b9ab9b203c67ff514e14 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 15 Dec 2018 20:46:47 +0200 Subject: - Admin Panel / Layout / Custom Product Name [now changes webpage title](https://github.com/wekan/wekan/commit/dbb1a86ca377e551063cc04c5189fad4aa9148c0). Related #1196 Thanks to xet7 ! --- CHANGELOG.md | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index bb129ea2..9357cc4d 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# Upcoming Wekan release + +This release adds the following new features: + +- Admin Panel / Layout / Custom Product Name [now changes webpage title](https://github.com/wekan/wekan/commit/dbb1a86ca377e551063cc04c5189fad4aa9148c0). + Related #1196 + +Thanks to GitHub user xet7 for contributions. + # v1.88 2018-12-14 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 209a76c5cea4e641a9d60fe9597c3bc820a7e766 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 15 Dec 2018 20:52:11 +0200 Subject: v1.89 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 9357cc4d..f47e8dcb 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.89 2018-12-15 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index 63d7d060..8fceb6e7 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.88.0", + "version": "v1.89.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 3da80867..f5d24601 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 190, + appVersion = 191, # Increment this for every release. - appMarketingVersion = (defaultText = "1.88.0~2018-12-14"), + appMarketingVersion = (defaultText = "1.89.0~2018-12-15"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From ab031d9da134aa13490a26dbe97ad2d7d01d534a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 15 Dec 2018 21:55:20 +0200 Subject: - Remove not working duplicate saveMailServerInfo, to remove error from browser dev tools console. Thanks to xet7 ! --- client/components/settings/settingBody.js | 2 -- 1 file changed, 2 deletions(-) diff --git a/client/components/settings/settingBody.js b/client/components/settings/settingBody.js index 3f6f36f4..ba5b4f47 100644 --- a/client/components/settings/settingBody.js +++ b/client/components/settings/settingBody.js @@ -157,8 +157,6 @@ BlazeComponent.extendComponent({ DocHead.setTitle(productName); - saveMailServerInfo(); - }, sendSMTPTestEmail() { -- cgit v1.2.3-1-g7c22 From 40e156992a319c09e4ecf5808c5c5fa6db969d12 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 15 Dec 2018 21:59:29 +0200 Subject: - [Remove not working duplicate saveMailServerInfo](https://github.com/wekan/wekan/commit/ab031d9da134aa13490a26dbe97ad2d7d01d534a), to remove error from browser dev tools console. Thanks to xet7 ! --- CHANGELOG.md | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index f47e8dcb..f6a6dac6 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- [Remove not working duplicate saveMailServerInfo](https://github.com/wekan/wekan/commit/ab031d9da134aa13490a26dbe97ad2d7d01d534a), + to remove error from browser dev tools console. + +Thanks to GitHub user xet7 for contributions. + # v1.89 2018-12-15 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From b0a71e96ccd6facd09b7695047afcec23a626485 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 15 Dec 2018 22:01:57 +0200 Subject: v1.90 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index f6a6dac6..41d68f7c 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.90 2018-12-15 Wekan release This release fixes the following bugs: diff --git a/package.json b/package.json index 8fceb6e7..b790791c 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.89.0", + "version": "v1.90.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index f5d24601..b462ee9d 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 191, + appVersion = 192, # Increment this for every release. - appMarketingVersion = (defaultText = "1.89.0~2018-12-15"), + appMarketingVersion = (defaultText = "1.90.0~2018-12-15"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 821dc22e80a90ead44fa99653a3140020cbf1b07 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 15 Dec 2018 22:36:15 +0200 Subject: - Add back mquandalle:perfect-scrollbar package so that Firefox and Chrome stop complaning in browser dev tools console. Thanks to uusijani and xet7 ! Closes #2057 --- .meteor/packages | 1 + .meteor/versions | 1 + 2 files changed, 2 insertions(+) diff --git a/.meteor/packages b/.meteor/packages index 56732bb2..88a0cae6 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -89,3 +89,4 @@ msavin:usercache wekan:wekan-ldap wekan:accounts-cas wekan-scrollbar +mquandalle:perfect-scrollbar diff --git a/.meteor/versions b/.meteor/versions index 2542c263..e09ff33f 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -116,6 +116,7 @@ mquandalle:jquery-textcomplete@0.8.0_1 mquandalle:jquery-ui-drag-drop-sort@0.2.0 mquandalle:moment@1.0.1 mquandalle:mousetrap-bindglobal@0.0.1 +mquandalle:perfect-scrollbar@0.6.5_2 msavin:usercache@1.0.0 npm-bcrypt@0.9.3 npm-mongo@2.2.33 -- cgit v1.2.3-1-g7c22 From adaffd7189945944999dd2ec49a9b5686d8d6610 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 15 Dec 2018 22:41:10 +0200 Subject: - [Add back mquandalle:perfect-scrollbar package so that Firefox and Chrome stop complaning in browser dev tools console](https://github.com/wekan/wekan/issues/2057). Thanks uusijani and xet7 ! Closes #2057 --- CHANGELOG.md | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 41d68f7c..4c799cb7 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- [Add back mquandalle:perfect-scrollbar package so that Firefox and Chrome + stop complaning in browser dev tools console](https://github.com/wekan/wekan/issues/2057). + +Thanks to GitHub users uusijani and xet7 for their contributions. + # v1.90 2018-12-15 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From cb4c93a63248130b0afff87d4cccf2ec05a07bdc Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 15 Dec 2018 22:44:25 +0200 Subject: v1.91 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 4c799cb7..ec54c5e4 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.91 2018-12-15 Wekan release This release fixes the following bugs: diff --git a/package.json b/package.json index b790791c..80d6e795 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.90.0", + "version": "v1.91.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index b462ee9d..c9e67cb8 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 192, + appVersion = 193, # Increment this for every release. - appMarketingVersion = (defaultText = "1.90.0~2018-12-15"), + appMarketingVersion = (defaultText = "1.91.0~2018-12-15"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 9366eaf374b4f06aafdab6443b0661ca53e226d0 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Dec 2018 00:42:13 +0200 Subject: - Fix typo. Thanks to xet7 ! --- CHANGELOG.md | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index ec54c5e4..962b2176 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,8 +2,8 @@ This release fixes the following bugs: -- [Add back mquandalle:perfect-scrollbar package so that Firefox and Chrome - stop complaning in browser dev tools console](https://github.com/wekan/wekan/issues/2057). +- [Add back mquandalle:perfect-scrollbar package](https://github.com/wekan/wekan/issues/2057) + so that Firefox and Chrome stop complaining in browser dev tools console. Thanks to GitHub users uusijani and xet7 for their contributions. -- cgit v1.2.3-1-g7c22 From 3e5ff42474da489c21e4f8beb6f55a26a0a02bb3 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Dec 2018 11:06:29 +0200 Subject: - Fix [Popup class declares member name _current but use current instead](https://github.com/wekan/wekan/issues/2059). Thanks to peishaofeng ! Closes #2059 --- client/lib/popup.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/client/lib/popup.js b/client/lib/popup.js index 0a700f82..516ce849 100644 --- a/client/lib/popup.js +++ b/client/lib/popup.js @@ -4,9 +4,9 @@ window.Popup = new class { this.template = Template.popup; // We only want to display one popup at a time and we keep the view object - // in this `Popup._current` variable. If there is no popup currently opened + // in this `Popup.current` variable. If there is no popup currently opened // the value is `null`. - this._current = null; + this.current = null; // It's possible to open a sub-popup B from a popup A. In that case we keep // the data of popup A so we can return back to it. Every time we open a new -- cgit v1.2.3-1-g7c22 From a2869e9d2aa052ef627ed8e125a3f8def456b700 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Dec 2018 11:10:06 +0200 Subject: - Fix [Popup class declares member name _current but use current instead](https://github.com/wekan/wekan/issues/2059). Thanks to peishaofeng ! Closes #2059 --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 962b2176..e95e54d2 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- Fix [Popup class declares member name _current but use current instead](https://github.com/wekan/wekan/issues/2059). Thanks to peishaofeng. + +Thanks to above GitHub users for their contributions. + # v1.91 2018-12-15 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 388c1bec451934e7ea499e6189a00b0601ac1e59 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Dec 2018 11:14:16 +0200 Subject: - Fix [Card scrollbar ignores mousewheel](https://github.com/wekan/wekan-scrollbar/commit/94a40da51627c6322afca50a5b1f4aa55c7ce7bf). Thanks to rinnaz and xet7 ! Closes #2058 --- CHANGELOG.md | 1 + 1 file changed, 1 insertion(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index e95e54d2..f2e8b855 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,6 +3,7 @@ This release fixes the following bugs: - Fix [Popup class declares member name _current but use current instead](https://github.com/wekan/wekan/issues/2059). Thanks to peishaofeng. +- Fix [Card scrollbar ignores mousewheel](https://github.com/wekan/wekan-scrollbar/commit/94a40da51627c6322afca50a5b1f4aa55c7ce7bf). Thanks to rinnaz and xet7. Closes #2058 Thanks to above GitHub users for their contributions. -- cgit v1.2.3-1-g7c22 From c1733fc89c4c73a1ab3f4054d0a9ebff7741a804 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Dec 2018 11:41:10 +0200 Subject: - Fix favicon paths for non-suburl cases. Thanks to xet7 ! Related #1692 --- client/components/main/layouts.jade | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/client/components/main/layouts.jade b/client/components/main/layouts.jade index e434eaba..d0c27da5 100644 --- a/client/components/main/layouts.jade +++ b/client/components/main/layouts.jade @@ -7,10 +7,10 @@ head where the application is deployed with a path prefix, but it seems to be difficult to do that cleanly with Blaze -- at least without adding extra packages. - link(rel="shortcut icon" href="/wekan-favicon.png") - link(rel="apple-touch-icon" href="/wekan-favicon.png") - link(rel="mask-icon" href="/wekan-150.svg") - link(rel="manifest" href="/wekan-manifest.json") + link(rel="shortcut icon" href="/public/wekan-favicon.png") + link(rel="apple-touch-icon" href="/public/wekan-favicon.png") + link(rel="mask-icon" href="/public/wekan-150.svg") + link(rel="manifest" href="/public/wekan-manifest.json") template(name="userFormsLayout") section.auth-layout -- cgit v1.2.3-1-g7c22 From 3d76a35a68dc4d3236b21aec2615d21946c743dd Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Dec 2018 11:45:12 +0200 Subject: - Fix [favicon paths for non-suburl cases](https://github.com/wekan/wekan/commit/c1733fc89c4c73a1ab3f4054d0a9ebff7741a804). Thanks to xet7 ! Related #1692 --- CHANGELOG.md | 1 + 1 file changed, 1 insertion(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index f2e8b855..0e054c5c 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,6 +4,7 @@ This release fixes the following bugs: - Fix [Popup class declares member name _current but use current instead](https://github.com/wekan/wekan/issues/2059). Thanks to peishaofeng. - Fix [Card scrollbar ignores mousewheel](https://github.com/wekan/wekan-scrollbar/commit/94a40da51627c6322afca50a5b1f4aa55c7ce7bf). Thanks to rinnaz and xet7. Closes #2058 +- Fix [favicon paths for non-suburl cases](https://github.com/wekan/wekan/commit/c1733fc89c4c73a1ab3f4054d0a9ebff7741a804). Thanks to xet7. Related #1692 Thanks to above GitHub users for their contributions. -- cgit v1.2.3-1-g7c22 From 2a59043ef18831e6d560cf8c901d25437915728d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Dec 2018 11:58:44 +0200 Subject: v1.92 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 0e054c5c..014b141f 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.92 2018-12-16 Wekan release This release fixes the following bugs: diff --git a/package.json b/package.json index 80d6e795..412733fa 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.91.0", + "version": "v1.92.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index c9e67cb8..8050b81c 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 193, + appVersion = 194, # Increment this for every release. - appMarketingVersion = (defaultText = "1.91.0~2018-12-15"), + appMarketingVersion = (defaultText = "1.92.0~2018-12-16"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From c3e04da7964969069d6d44d0e329127b3c79bfad Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Dec 2018 18:14:18 +0200 Subject: - Update translations (ru). --- i18n/ru.i18n.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 67de8551..29fcb6d8 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -272,7 +272,7 @@ "filter-on-desc": "Показываются карточки, соответствующие настройкам фильтра. Нажмите для редактирования.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Расширенный фильтр", - "advanced-filter-description": "Расширенный фильтр позволяет написать строку, содержащую следующие операторы: ==! = <=> = && || () Пространство используется как разделитель между Операторами. Вы можете фильтровать все пользовательские поля, введя их имена и значения. Например: Field1 == Value1. Примечание. Если поля или значения содержат пробелы, вам необходимо взять их в кавычки. Например: «Поле 1» == «Значение 1». Для одиночных управляющих символов ('\\ /), которые нужно пропустить, вы можете использовать \\. Например: Field1 = I \\ m. Также вы можете комбинировать несколько условий. Например: F1 == V1 || F1 == V2. Обычно все операторы интерпретируются слева направо. Вы можете изменить порядок, разместив скобки. Например: F1 == V1 && (F2 == V2 || F2 == V3). Также вы можете искать текстовые поля с помощью regex: F1 == /Tes.*/i", + "advanced-filter-description": "Расширенный фильтр позволяет написать строку, содержащую следующие операторы: == != <= >= && || ( ) Пробел используется как разделитель между Операторами. Вы можете фильтровать все настраиваемые поля, введя их имена и значения. Например: Поле1 == Значение1. Примечание. Если поля или значения содержат пробелы, вам необходимо взять их в одинарные кавычки. Например: 'Поле 1' == 'Значение 1'. Для одиночных управляющих символов (' \\/), которые нужно пропустить, вы можете использовать \\. Например: Field1 = I\\'m. Также вы можете комбинировать несколько условий. Например: F1 == V1 || F1 == V2. Обычно все операторы интерпретируются слева направо. Вы можете изменить порядок, разместив скобки. Например: F1 == V1 && (F2 == V2 || F2 == V3). Также вы можете искать текстовые поля с помощью регулярных выражений: F1 == /Tes.*/i", "fullname": "Полное имя", "header-logo-title": "Вернуться к доскам.", "hide-system-messages": "Скрыть системные сообщения", -- cgit v1.2.3-1-g7c22 From db63af5f7ad46e277e72f0faad5bbb1e8e3844cc Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Dec 2018 18:27:47 +0200 Subject: - In tranlations, only show name "Wekan" in Admin Panel Wekan version. Elsewhere use general descriptions for whitelabeling. Thanks to xet7 ! --- i18n/en.i18n.json | 24 ++++++++++++------------ 1 file changed, 12 insertions(+), 12 deletions(-) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 9b1f2851..c000fbf3 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -1,6 +1,6 @@ { "accept": "Accept", - "act-activity-notify": "[Wekan] Activity Notification", + "act-activity-notify": "Activity Notification", "act-addAttachment": "attached __attachment__ to __card__", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "removed __member__ from __board__", "act-restoredCard": "restored __card__ to __board__", "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", "activities": "Activities", @@ -78,7 +78,7 @@ "and-n-other-card": "And __count__ other card", "and-n-other-card_plural": "And __count__ other cards", "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", - "from-wekan": "From Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Version", "initials": "Initials", "invalid-date": "Invalid date", @@ -460,8 +460,8 @@ "send-smtp-test": "Send a test email to yourself", "invitation-code": "Invitation Code", "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "You have successfully sent an email", "error-invitation-code-not-exist": "Invitation code doesn't exist", "error-notAuthorized": "You are not authorized to view this page.", -- cgit v1.2.3-1-g7c22 From 78e88f4c427d942f643e3740e9f2216e6630915d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Dec 2018 18:36:50 +0200 Subject: - Remove Wekan_version translation string. Thanks to xet7 ! --- CHANGELOG.md | 7 +++++++ client/components/settings/informationBody.jade | 2 +- i18n/en.i18n.json | 1 - 3 files changed, 8 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 014b141f..2791d3f3 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,10 @@ +# Upcoming Wekan release + +- In tranlations, only show name "Wekan" in Admin Panel Wekan version. + Elsewhere use general descriptions for whitelabeling. + +Thanks to GitHub user xet7 for contributions. + # v1.92 2018-12-16 Wekan release This release fixes the following bugs: diff --git a/client/components/settings/informationBody.jade b/client/components/settings/informationBody.jade index 53907513..feb7c0dc 100644 --- a/client/components/settings/informationBody.jade +++ b/client/components/settings/informationBody.jade @@ -17,7 +17,7 @@ template(name='statistics') table tbody tr - th {{_ 'Wekan_version'}} + th Wekan {{_ 'info'}} td {{statistics.version}} tr th {{_ 'Node_version'}} diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index c000fbf3..0c3cc465 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Outgoing Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", - "Wekan_version": "Wekan version", "Node_version": "Node version", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", -- cgit v1.2.3-1-g7c22 From fb39811d959d2c8f2db8f30d488d06254af8163d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Dec 2018 19:02:09 +0200 Subject: Update translations. --- i18n/ar.i18n.json | 25 ++++++++++++------------- i18n/bg.i18n.json | 25 ++++++++++++------------- i18n/br.i18n.json | 25 ++++++++++++------------- i18n/ca.i18n.json | 25 ++++++++++++------------- i18n/cs.i18n.json | 25 ++++++++++++------------- i18n/da.i18n.json | 25 ++++++++++++------------- i18n/de.i18n.json | 25 ++++++++++++------------- i18n/el.i18n.json | 25 ++++++++++++------------- i18n/en-GB.i18n.json | 25 ++++++++++++------------- i18n/eo.i18n.json | 25 ++++++++++++------------- i18n/es-AR.i18n.json | 25 ++++++++++++------------- i18n/es.i18n.json | 25 ++++++++++++------------- i18n/eu.i18n.json | 25 ++++++++++++------------- i18n/fa.i18n.json | 25 ++++++++++++------------- i18n/fi.i18n.json | 25 ++++++++++++------------- i18n/fr.i18n.json | 25 ++++++++++++------------- i18n/gl.i18n.json | 25 ++++++++++++------------- i18n/he.i18n.json | 25 ++++++++++++------------- i18n/hi.i18n.json | 25 ++++++++++++------------- i18n/hu.i18n.json | 25 ++++++++++++------------- i18n/hy.i18n.json | 25 ++++++++++++------------- i18n/id.i18n.json | 25 ++++++++++++------------- i18n/ig.i18n.json | 25 ++++++++++++------------- i18n/it.i18n.json | 25 ++++++++++++------------- i18n/ja.i18n.json | 25 ++++++++++++------------- i18n/ka.i18n.json | 25 ++++++++++++------------- i18n/km.i18n.json | 25 ++++++++++++------------- i18n/ko.i18n.json | 25 ++++++++++++------------- i18n/lv.i18n.json | 25 ++++++++++++------------- i18n/mn.i18n.json | 25 ++++++++++++------------- i18n/nb.i18n.json | 25 ++++++++++++------------- i18n/nl.i18n.json | 25 ++++++++++++------------- i18n/pl.i18n.json | 25 ++++++++++++------------- i18n/pt-BR.i18n.json | 25 ++++++++++++------------- i18n/pt.i18n.json | 25 ++++++++++++------------- i18n/ro.i18n.json | 25 ++++++++++++------------- i18n/ru.i18n.json | 25 ++++++++++++------------- i18n/sr.i18n.json | 25 ++++++++++++------------- i18n/sv.i18n.json | 25 ++++++++++++------------- i18n/sw.i18n.json | 25 ++++++++++++------------- i18n/ta.i18n.json | 25 ++++++++++++------------- i18n/th.i18n.json | 25 ++++++++++++------------- i18n/tr.i18n.json | 25 ++++++++++++------------- i18n/uk.i18n.json | 25 ++++++++++++------------- i18n/vi.i18n.json | 25 ++++++++++++------------- i18n/zh-CN.i18n.json | 25 ++++++++++++------------- i18n/zh-TW.i18n.json | 25 ++++++++++++------------- 47 files changed, 564 insertions(+), 611 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 96a33aa7..0e9db4ef 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -1,6 +1,6 @@ { "accept": "اقبلboard", - "act-activity-notify": "[Wekan] اشعار عن نشاط", + "act-activity-notify": "Activity Notification", "act-addAttachment": "ربط __attachment__ الى __card__", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "أزال __member__ من __board__", "act-restoredCard": "أعاد __card__ إلى __board__", "act-unjoinMember": "أزال __member__ من __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "الإجراءات", "activities": "الأنشطة", @@ -78,7 +78,7 @@ "and-n-other-card": "And __count__ other بطاقة", "and-n-other-card_plural": "And __count__ other بطاقات", "apply": "طبق", - "app-is-offline": "يتمّ تحميل ويكان، يرجى الانتظار. سيؤدي تحديث الصفحة إلى فقدان البيانات. إذا لم يتم تحميل ويكان، يرجى التحقق من أن خادم ويكان لم يتوقف. ", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "استيراد لوحة", "import-board-c": "استيراد لوحة", "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "استيراد لوحة من ويكان", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "من تريلو", - "from-wekan": "من ويكان", + "from-wekan": "From previous export", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", - "import-board-instruction-wekan": "في لوحة ويكان الخاصة بك، انتقل إلى 'القائمة'، ثم 'تصدير اللوحة'، ونسخ النص في الملف الذي تم تنزيله.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "رسم خريطة الأعضاء", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "حدّد عضو ويكان", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "الإصدار", "initials": "أولية", "invalid-date": "تاريخ غير صالح", @@ -460,8 +460,8 @@ "send-smtp-test": "Send a test email to yourself", "invitation-code": "رمز الدعوة", "email-invite-register-subject": "__inviter__ أرسل دعوة لك", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "You have successfully sent an email", "error-invitation-code-not-exist": "رمز الدعوة غير موجود", "error-notAuthorized": "أنتَ لا تملك الصلاحيات لرؤية هذه الصفحة.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "الويبهوك الصادرة", "new-outgoing-webhook": "ويبهوك جديدة ", "no-name": "(غير معروف)", - "Wekan_version": "إصدار ويكان", "Node_version": "إصدار النود", "OS_Arch": "معمارية نظام التشغيل", "OS_Cpus": "استهلاك وحدة المعالجة المركزية لنظام التشغيل", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index ad8ea80e..6fca26ce 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -1,6 +1,6 @@ { "accept": "Приемам", - "act-activity-notify": "[Wekan] Известия за дейности", + "act-activity-notify": "Activity Notification", "act-addAttachment": "прикачи __attachment__ към __card__", "act-addSubtask": "добави задача __checklist__ към __card__", "act-addChecklist": "добави списък със задачи __checklist__ към __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "премахна __member__ от __board__", "act-restoredCard": "възстанови __card__ в __board__", "act-unjoinMember": "премахна __member__ от __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Действия", "activities": "Действия", @@ -78,7 +78,7 @@ "and-n-other-card": "И __count__ друга карта", "and-n-other-card_plural": "И __count__ други карти", "apply": "Приложи", - "app-is-offline": "Wekan зарежда, моля изчакайте! Презареждането на страницата може да доведе до загуба на данни. Ако Wekan не се зареди, моля проверете дали сървърът му работи.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "Импортирай Табло", "import-board-c": "Импортирай Табло", "import-board-title-trello": "Импорт на табло от Trello", - "import-board-title-wekan": "Импортирай табло от Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Импортирането ще изтрие всичката налична информация в таблото и ще я замени с нова.", "from-trello": "От Trello", - "from-wekan": "От Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Копирайте валидната Ви JSON информация тук", "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Избери Wekan член", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Версия", "initials": "Инициали", "invalid-date": "Невалидна дата", @@ -460,8 +460,8 @@ "send-smtp-test": "Изпрати тестов имейл на себе си", "invitation-code": "Invitation Code", "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP тестов имейл, изпратен от Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "Успешно изпратихте имейл", "error-invitation-code-not-exist": "Invitation code doesn't exist", "error-notAuthorized": "You are not authorized to view this page.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Outgoing Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", - "Wekan_version": "Версия на Wekan", "Node_version": "Версия на Node", "OS_Arch": "Архитектура на ОС", "OS_Cpus": "Брой CPU ядра", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index af1ae61a..ed810a07 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -1,6 +1,6 @@ { "accept": "Asantiñ", - "act-activity-notify": "[Wekan] Activity Notification", + "act-activity-notify": "Activity Notification", "act-addAttachment": "attached __attachment__ to __card__", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "removed __member__ from __board__", "act-restoredCard": "restored __card__ to __board__", "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Oberoù", "activities": "Oberiantizoù", @@ -78,7 +78,7 @@ "and-n-other-card": "And __count__ other card", "and-n-other-card_plural": "And __count__ other cards", "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", - "from-wekan": "From Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Version", "initials": "Initials", "invalid-date": "Invalid date", @@ -460,8 +460,8 @@ "send-smtp-test": "Send a test email to yourself", "invitation-code": "Invitation Code", "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "You have successfully sent an email", "error-invitation-code-not-exist": "Invitation code doesn't exist", "error-notAuthorized": "You are not authorized to view this page.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Outgoing Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", - "Wekan_version": "Wekan version", "Node_version": "Node version", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 5e1e4a3f..11453597 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -1,6 +1,6 @@ { "accept": "Accepta", - "act-activity-notify": "[Wekan] Notificació d'activitat", + "act-activity-notify": "Activity Notification", "act-addAttachment": "adjuntat __attachment__ a __card__", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "afegida la checklist _checklist__ a __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "elimina __member__ de __board__", "act-restoredCard": "recupera __card__ a __board__", "act-unjoinMember": "elimina __member__ de __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Accions", "activities": "Activitats", @@ -78,7 +78,7 @@ "and-n-other-card": "And __count__ other card", "and-n-other-card_plural": "And __count__ other cards", "apply": "Aplica", - "app-is-offline": "Wekan s'està carregant, esperau si us plau. Refrescar la pàgina causarà la pérdua de les dades. Si Wekan no carrega, verificau que el servei de Wekan no estigui aturat", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "Importa tauler", "import-board-c": "Importa tauler", "import-board-title-trello": "Importa tauler des de Trello", - "import-board-title-wekan": "I", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Estau segur que voleu esborrar aquesta checklist?", "from-trello": "Des de Trello", - "from-wekan": "Des de Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "En el teu tauler Trello, ves a 'Menú', 'Més'.' Imprimir i Exportar', 'Exportar JSON', i copia el text resultant.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Aferra codi JSON vàlid aquí", "import-map-members": "Mapeja el membres", - "import-members-map": "El tauler importat conté membres. Assigna els membres que vulguis importar a usuaris Wekan", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Revisa l'assignació de membres", - "import-user-select": "Selecciona l'usuari Wekan que vulguis associar a aquest membre", - "importMapMembersAddPopup-title": "Selecciona un membre de Wekan", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Versió", "initials": "Inicials", "invalid-date": "Data invàlida", @@ -460,8 +460,8 @@ "send-smtp-test": "Envia't un correu electrònic de prova", "invitation-code": "Codi d'invitació", "email-invite-register-subject": "__inviter__ t'ha convidat", - "email-invite-register-text": " __user__,\n\n __inviter__ us ha convidat a col·laborar a Wekan.\n\n Clicau l'enllaç següent per acceptar l'invitació:\n __url__\n\n El vostre codi d'invitació és: __icode__\n\n Gràcies", - "email-smtp-test-subject": "Correu de Prova SMTP de Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "Has enviat un missatge satisfactòriament", "error-invitation-code-not-exist": "El codi d'invitació no existeix", "error-notAuthorized": "No estau autoritzats per veure aquesta pàgina", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Webhooks sortints", "new-outgoing-webhook": "Nou Webook sortint", "no-name": "Importa tauler des de Wekan", - "Wekan_version": "Versió Wekan", "Node_version": "Versió Node", "OS_Arch": "Arquitectura SO", "OS_Cpus": "Plataforma SO", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 30d3b230..17013168 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -1,6 +1,6 @@ { "accept": "Přijmout", - "act-activity-notify": "[Wekan] Notifikace aktivit", + "act-activity-notify": "Activity Notification", "act-addAttachment": "přiložen __attachment__ do __card__", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "přidán checklist __checklist__ do __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "odstranění __member__ z __board__", "act-restoredCard": "obnovení __card__ do __board__", "act-unjoinMember": "odstranění __member__ z __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Akce", "activities": "Aktivity", @@ -78,7 +78,7 @@ "and-n-other-card": "A __count__ další karta(y)", "and-n-other-card_plural": "A __count__ dalších karet", "apply": "Použít", - "app-is-offline": "Wekan se načítá, prosím čekejte. Obnovení stránky způsobí ztrátu dat. Pokud se Wekan nenačte, zkontrolujte prosím, jestli se server s Wekanem nezastavil.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "Importovat tablo", "import-board-c": "Importovat tablo", "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Importovat tablo z Wekanu", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Importované tablo spaže všechny existující data v tablu a nahradí je importovaným tablem.", "from-trello": "Z Trella", - "from-wekan": "Z Wekanu", + "from-wekan": "From previous export", "import-board-instruction-trello": "Na svém Trello tablu, otevři 'Menu', pak 'More', 'Print and Export', 'Export JSON', a zkopíruj výsledný text", - "import-board-instruction-wekan": "Ve vašem Wekan tablu jděte do 'Menu', klikněte na 'Exportovat tablo' a zkopírujte text ze staženého souboru.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Sem vlož validní JSON data", "import-map-members": "Mapovat členy", - "import-members-map": "Toto importované tablo obsahuje několik členů. Namapuj členy z importu na uživatelské účty Wekan.", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Zkontrolovat namapování členů", - "import-user-select": "Vyber uživatele Wekan, kterého chceš použít pro tohoto člena", - "importMapMembersAddPopup-title": "Vybrat Wekan uživatele", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Verze", "initials": "Iniciály", "invalid-date": "Neplatné datum", @@ -460,8 +460,8 @@ "send-smtp-test": "Poslat si zkušební email.", "invitation-code": "Kód pozvánky", "email-invite-register-subject": "__inviter__ odeslal pozvánku", - "email-invite-register-text": "Ahoj __user__,\n\n__inviter__ tě přizval ke spolupráci ve Wekanu.\n\nNásleduj prosím odkaz níže:\n\n__url__\n\nKód Tvé pozvánky je: __icode__\n\nDěkujeme.", - "email-smtp-test-subject": "SMTP Testovací email z Wekanu", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "Email byl úspěšně odeslán", "error-invitation-code-not-exist": "Kód pozvánky neexistuje.", "error-notAuthorized": "Nejste autorizován k prohlížení této stránky.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Odchozí Webhooky", "new-outgoing-webhook": "Nové odchozí Webhooky", "no-name": "(Neznámé)", - "Wekan_version": "Wekan verze", "Node_version": "Node verze", "OS_Arch": "OS Architektura", "OS_Cpus": "OS Počet CPU", diff --git a/i18n/da.i18n.json b/i18n/da.i18n.json index 423c04c7..d3c8d733 100644 --- a/i18n/da.i18n.json +++ b/i18n/da.i18n.json @@ -1,6 +1,6 @@ { "accept": "Accepter", - "act-activity-notify": "[Wekan] Aktivitets Notifikation", + "act-activity-notify": "Activity Notification", "act-addAttachment": "tilføjede__vedhæftet fil__ til __kort__", "act-addSubtask": "tilføjede delopgave __tjekliste__ til __kort__", "act-addChecklist": "tilføjede tjekliste__tjekliste__ til __kort__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "removed __member__ from __board__", "act-restoredCard": "restored __card__ to __board__", "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", "activities": "Activities", @@ -78,7 +78,7 @@ "and-n-other-card": "And __count__ other card", "and-n-other-card_plural": "And __count__ other cards", "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", - "from-wekan": "From Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Version", "initials": "Initials", "invalid-date": "Invalid date", @@ -460,8 +460,8 @@ "send-smtp-test": "Send a test email to yourself", "invitation-code": "Invitation Code", "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "You have successfully sent an email", "error-invitation-code-not-exist": "Invitation code doesn't exist", "error-notAuthorized": "You are not authorized to view this page.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Outgoing Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", - "Wekan_version": "Wekan version", "Node_version": "Node version", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index d6d133e4..f84cc3de 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -1,6 +1,6 @@ { "accept": "Akzeptieren", - "act-activity-notify": "[Wekan] Aktivitätsbenachrichtigung", + "act-activity-notify": "Activity Notification", "act-addAttachment": "hat __attachment__ an __card__ angehängt", "act-addSubtask": "hat die Teilaufgabe __checklist__ zu __card__ hinzugefügt", "act-addChecklist": "hat die Checkliste __checklist__ zu __card__ hinzugefügt", @@ -23,7 +23,7 @@ "act-removeBoardMember": "hat __member__ von __board__ entfernt", "act-restoredCard": "hat __card__ in __board__ wiederhergestellt", "act-unjoinMember": "hat __member__ von __card__ entfernt", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Aktionen", "activities": "Aktivitäten", @@ -78,7 +78,7 @@ "and-n-other-card": "und eine andere Karte", "and-n-other-card_plural": "und __count__ andere Karten", "apply": "Übernehmen", - "app-is-offline": "Wekan lädt gerade, bitte warten Sie. Wenn Sie die Seite neu laden, gehen nicht übertragene Änderungen verloren. Sollte Wekan nicht geladen werden, überprüfen Sie bitte, ob der Server noch läuft.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Ins Archiv verschieben", "archive-all": "Alles ins Archiv verschieben", "archive-board": "Board ins Archiv verschieben", @@ -283,20 +283,20 @@ "import-board": "Board importieren", "import-board-c": "Board importieren", "import-board-title-trello": "Board von Trello importieren", - "import-board-title-wekan": "Board von Wekan importieren", - "import-sandstorm-backup-warning": "Bitte keine Daten aus dem Original-Wekan oder Trello nach dem Import löschen, bitte prüfe vorher ob die alles funktioniert, andernfalls es kommt zum Fehler \"Board nicht gefunden\", dies meint Datenverlust.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Das importierte Board wird alle bereits existierenden Daten löschen und mit den importierten Daten überschreiben.", "from-trello": "Von Trello", - "from-wekan": "Von Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "Gehen Sie in ihrem Trello-Board auf 'Menü', dann 'Mehr', 'Drucken und Exportieren', 'JSON-Export' und kopieren Sie den dort angezeigten Text", - "import-board-instruction-wekan": "Gehen Sie in Ihrem Wekan board auf 'Menü', und dann auf 'Board exportieren'. Kopieren Sie anschließend den Text aus der heruntergeladenen Datei.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "Treten beim importieren eines Board Fehler auf, so kann der Import dennoch erfolgreich abgeschlossen sein und das Board ist auf der Seite \"Alle Boards\" zusehen.", "import-json-placeholder": "Fügen Sie die korrekten JSON-Daten hier ein", "import-map-members": "Mitglieder zuordnen", - "import-members-map": "Das importierte Board hat Mitglieder. Bitte ordnen Sie jene, die importiert werden sollen, vorhandenen Wekan-Nutzern zu", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Mitgliederzuordnung überprüfen", - "import-user-select": "Wählen Sie den Wekan-Nutzer aus, der dieses Mitglied sein soll", - "importMapMembersAddPopup-title": "Wekan-Nutzer auswählen", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Version", "initials": "Initialen", "invalid-date": "Ungültiges Datum", @@ -460,8 +460,8 @@ "send-smtp-test": "Test-E-Mail an sich selbst schicken", "invitation-code": "Einladungscode", "email-invite-register-subject": "__inviter__ hat Ihnen eine Einladung geschickt", - "email-invite-register-text": "Hallo __user__,\n\n__inviter__ hat Sie für Ihre Zusammenarbeit zu Wekan eingeladen.\n\nBitte klicken Sie auf folgenden Link:\n__url__\n\nIhr Einladungscode lautet: __icode__\n\nDanke.", - "email-smtp-test-subject": "SMTP-Test-E-Mail von Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "Sie haben erfolgreich eine E-Mail versandt", "error-invitation-code-not-exist": "Ungültiger Einladungscode", "error-notAuthorized": "Sie sind nicht berechtigt diese Seite zu sehen.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Ausgehende Webhooks", "new-outgoing-webhook": "Neuer ausgehender Webhook", "no-name": "(Unbekannt)", - "Wekan_version": "Wekan-Version", "Node_version": "Node-Version", "OS_Arch": "Betriebssystem-Architektur", "OS_Cpus": "Anzahl Prozessoren", diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index a1f3bc2d..51a9de83 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -1,6 +1,6 @@ { "accept": "Accept", - "act-activity-notify": "[Wekan] Activity Notification", + "act-activity-notify": "Activity Notification", "act-addAttachment": "attached __attachment__ to __card__", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "removed __member__ from __board__", "act-restoredCard": "restored __card__ to __board__", "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", "activities": "Activities", @@ -78,7 +78,7 @@ "and-n-other-card": "And __count__ other card", "and-n-other-card_plural": "And __count__ other cards", "apply": "Εφαρμογή", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "Από το Trello", - "from-wekan": "Από το Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Έκδοση", "initials": "Initials", "invalid-date": "Invalid date", @@ -460,8 +460,8 @@ "send-smtp-test": "Send a test email to yourself", "invitation-code": "Κωδικός Πρόσκλησης", "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "You have successfully sent an email", "error-invitation-code-not-exist": "Ο κωδικός πρόσκλησης δεν υπάρχει", "error-notAuthorized": "You are not authorized to view this page.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Outgoing Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Άγνωστο)", - "Wekan_version": "Wekan έκδοση", "Node_version": "Node version", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 85c02c4b..4a5dfae5 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -1,6 +1,6 @@ { "accept": "Accept", - "act-activity-notify": "[Wekan] Activity Notification", + "act-activity-notify": "Activity Notification", "act-addAttachment": "attached _ attachment _ to _ card _", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "removed __member__ from __board__", "act-restoredCard": "restored __card__ to __board__", "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", "activities": "Activities", @@ -78,7 +78,7 @@ "and-n-other-card": "And __count__ other card", "and-n-other-card_plural": "And __count__ other cards", "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", - "from-wekan": "From Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Version", "initials": "Initials", "invalid-date": "Invalid date", @@ -460,8 +460,8 @@ "send-smtp-test": "Send a test email to yourself", "invitation-code": "Invitation Code", "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaboration.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "You have successfully sent an email", "error-invitation-code-not-exist": "Invitation code doesn't exist", "error-notAuthorized": "You are not authorised to view this page.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Outgoing Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", - "Wekan_version": "Wekan version", "Node_version": "Node version", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index 8f182480..c4f386ca 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -1,6 +1,6 @@ { "accept": "Akcepti", - "act-activity-notify": "[Wekan] Activity Notification", + "act-activity-notify": "Activity Notification", "act-addAttachment": "attached __attachment__ to __card__", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "removed __member__ from __board__", "act-restoredCard": "restored __card__ to __board__", "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Akcioj", "activities": "Aktivaĵoj", @@ -78,7 +78,7 @@ "and-n-other-card": "And __count__ other card", "and-n-other-card_plural": "And __count__ other cards", "apply": "Apliki", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", - "from-wekan": "From Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Version", "initials": "Initials", "invalid-date": "Invalid date", @@ -460,8 +460,8 @@ "send-smtp-test": "Send a test email to yourself", "invitation-code": "Invitation Code", "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "You have successfully sent an email", "error-invitation-code-not-exist": "Invitation code doesn't exist", "error-notAuthorized": "You are not authorized to view this page.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Outgoing Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", - "Wekan_version": "Wekan version", "Node_version": "Node version", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index 6a8a439f..c0c6701d 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -1,6 +1,6 @@ { "accept": "Aceptar", - "act-activity-notify": "[Wekan] Notificación de Actividad", + "act-activity-notify": "Activity Notification", "act-addAttachment": "adjunto __attachment__ a __card__", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "lista de ítems __checklist__ agregada a __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "__member__ removido de __board__", "act-restoredCard": "__card__ restaurada a __board__", "act-unjoinMember": "__member__ removido de __card__", - "act-withBoardTitle": "__board__ [Wekan]", + "act-withBoardTitle": "__board__", "act-withCardTitle": "__card__ [__board__] ", "actions": "Acciones", "activities": "Actividades", @@ -78,7 +78,7 @@ "and-n-other-card": "Y __count__ otra tarjeta", "and-n-other-card_plural": "Y __count__ otras tarjetas", "apply": "Aplicar", - "app-is-offline": "Wekan está cargándose, por favor espere. Refrescar la página va a causar pérdida de datos. Si Wekan no se carga, por favor revise que el servidor de Wekan no se haya detenido.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "importar tablero", "import-board-c": "Importar tablero", "import-board-title-trello": "Importar tablero de Trello", - "import-board-title-wekan": "Importar tablero de Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "El tablero importado va a borrar todos los datos existentes en el tablero y reemplazarlos con los del tablero en cuestión.", "from-trello": "De Trello", - "from-wekan": "De Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "En tu tablero de Trello, ve a 'Menú', luego a 'Más', 'Imprimir y Exportar', 'Exportar JSON', y copia el texto resultante.", - "import-board-instruction-wekan": "En tu tablero Wekan, ve a 'Menú', luego a 'Exportar tablero', y copia el texto en el archivo descargado.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Pegá tus datos JSON válidos acá", "import-map-members": "Mapear Miembros", - "import-members-map": "Tu tablero importado tiene algunos miembros. Por favor mapeá los miembros que quieras importar/convertir a usuarios de Wekan.", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Revisar mapeo de miembros", - "import-user-select": "Elegí el usuario de Wekan que querés usar como éste miembro", - "importMapMembersAddPopup-title": "Elegí el miembro de Wekan.", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Versión", "initials": "Iniciales", "invalid-date": "Fecha inválida", @@ -460,8 +460,8 @@ "send-smtp-test": "Enviarse un email de prueba", "invitation-code": "Código de Invitación", "email-invite-register-subject": "__inviter__ te envió una invitación", - "email-invite-register-text": "Querido __user__,\n\n__inviter__ te invita a Wekan para colaborar.\n\nPor favor sigue el enlace de abajo:\n__url__\n\nI tu código de invitación es: __icode__\n\nGracias.", - "email-smtp-test-subject": "Email de Prueba SMTP de Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "Enviaste el correo correctamente", "error-invitation-code-not-exist": "El código de invitación no existe", "error-notAuthorized": "No estás autorizado para ver esta página.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Ganchos Web Salientes", "new-outgoing-webhook": "Nuevo Gancho Web", "no-name": "(desconocido)", - "Wekan_version": "Versión de Wekan", "Node_version": "Versión de Node", "OS_Arch": "Arch del SO", "OS_Cpus": "Cantidad de CPU del SO", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 899123b5..c0a6d870 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -1,6 +1,6 @@ { "accept": "Aceptar", - "act-activity-notify": "[Wekan] Notificación de actividad", + "act-activity-notify": "Activity Notification", "act-addAttachment": "ha adjuntado __attachment__ a __card__", "act-addSubtask": "ha añadido la subtarea __checklist__ a __card__", "act-addChecklist": "ha añadido la lista de verificación __checklist__ a __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "ha eliminado a __member__ de __board__", "act-restoredCard": "ha restaurado __card__ en __board__", "act-unjoinMember": "ha eliminado a __member__ de __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Acciones", "activities": "Actividades", @@ -78,7 +78,7 @@ "and-n-other-card": "y __count__ tarjeta más", "and-n-other-card_plural": "y otras __count__ tarjetas", "apply": "Aplicar", - "app-is-offline": "Wekan se está cargando, por favor espere. Actualizar la página provocará la pérdida de datos. Si Wekan no se carga, por favor verifique que el servidor de Wekan no está detenido.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Mover al Archivo", "archive-all": "Mover todo al Archivo", "archive-board": "Mover Tablero al Archivo", @@ -283,20 +283,20 @@ "import-board": "importar un tablero", "import-board-c": "Importar un tablero", "import-board-title-trello": "Importar un tablero desde Trello", - "import-board-title-wekan": "Importar un tablero desde Wekan", - "import-sandstorm-backup-warning": "No elimine los datos que está importando del Wekan o Trello original antes de verificar que la semilla pueda cerrarse y abrirse nuevamente, o que ocurra un error de \"Tablero no encontrado\", de lo contrario perderá sus datos.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "El tablero importado eliminará todos los datos existentes en este tablero y los reemplazará con los datos del tablero importado.", "from-trello": "Desde Trello", - "from-wekan": "Desde Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "En tu tablero de Trello, ve a 'Menú', luego 'Más' > 'Imprimir y exportar' > 'Exportar JSON', y copia el texto resultante.", - "import-board-instruction-wekan": "En tu tablero de Wekan, ve a 'Menú del tablero', luego 'Exportar el tablero', y copia aquí el texto del fichero descargado.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "Si obtiene errores cuando importe el tablero, a veces la importación funciona igualmente, y el tablero se encuentra en la página de Todos los Tableros.", "import-json-placeholder": "Pega tus datos JSON válidos aquí", "import-map-members": "Mapa de miembros", - "import-members-map": "El tablero importado tiene algunos miembros. Por favor mapea los miembros que deseas importar a los usuarios de Wekan", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Revisión de la asignación de miembros", - "import-user-select": "Escoge el usuario de Wekan que deseas utilizar como miembro", - "importMapMembersAddPopup-title": "Selecciona un miembro de Wekan", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Versión", "initials": "Iniciales", "invalid-date": "Fecha no válida", @@ -460,8 +460,8 @@ "send-smtp-test": "Enviarte un correo de prueba a ti mismo", "invitation-code": "Código de Invitación", "email-invite-register-subject": "__inviter__ te ha enviado una invitación", - "email-invite-register-text": "Estimado __user__,\n\n__inviter__ te invita a unirte a Wekan para colaborar.\n\nPor favor, haz clic en el siguiente enlace:\n__url__\n\nTu código de invitación es: __icode__\n\nGracias.", - "email-smtp-test-subject": "Prueba de correo SMTP desde Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "El correo se ha enviado correctamente", "error-invitation-code-not-exist": "El código de invitación no existe", "error-notAuthorized": "No estás autorizado a ver esta página.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Webhooks salientes", "new-outgoing-webhook": "Nuevo webhook saliente", "no-name": "(Desconocido)", - "Wekan_version": "Versión de Wekan", "Node_version": "Versión de Node", "OS_Arch": "Arquitectura del sistema", "OS_Cpus": "Número de CPUs del sistema", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index fae5d5b2..bea57946 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -1,6 +1,6 @@ { "accept": "Onartu", - "act-activity-notify": "[Wekan] Jarduera-jakinarazpena", + "act-activity-notify": "Activity Notification", "act-addAttachment": "__attachment__ __card__ txartelera erantsita", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "gehituta checklist __checklist__ __card__ -ri", @@ -23,7 +23,7 @@ "act-removeBoardMember": "__member__ __board__ arbeletik kendu da", "act-restoredCard": "__card__ __board__ arbelean berrezarri da", "act-unjoinMember": "__member__ __card__ txarteletik kendu da", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Ekintzak", "activities": "Jarduerak", @@ -78,7 +78,7 @@ "and-n-other-card": "Eta beste txartel __count__", "and-n-other-card_plural": "Eta beste __count__ txartel", "apply": "Aplikatu", - "app-is-offline": "Wekan kargatzen ari da, itxaron mesedez. Orria freskatzeak datuen galera ekarriko luke. Wekan kargatzen ez bada, egiaztatu Wekan zerbitzaria gelditu ez dela.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "inportatu arbela", "import-board-c": "Inportatu arbela", "import-board-title-trello": "Inportatu arbela Trellotik", - "import-board-title-wekan": "Inportatu arbela Wekanetik", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Inportatutako arbelak oraingo arbeleko informazio guztia ezabatuko du eta inportatutako arbeleko informazioarekin ordeztu.", "from-trello": "Trellotik", - "from-wekan": "Wekanetik", + "from-wekan": "From previous export", "import-board-instruction-trello": "Zure Trello arbelean, aukeratu 'Menu\", 'More', 'Print and Export', 'Export JSON', eta kopiatu jasotako testua hemen.", - "import-board-instruction-wekan": "Zure Wekan arbelean, aukeratu 'Menua' - 'Esportatu arbela', eta kopiatu testua deskargatutako fitxategian.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Isatsi baliozko JSON datuak hemen", "import-map-members": "Kideen mapa", - "import-members-map": "Inportatu duzun arbela kide batzuk ditu, mesedez lotu inportatu nahi dituzun kideak Wekan erabiltzaileekin", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Berrikusi kideen mapa", - "import-user-select": "Hautatu kide hau bezala erabili nahi duzun Wekan erabiltzailea", - "importMapMembersAddPopup-title": "Aukeratu Wekan kidea", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Bertsioa", "initials": "Inizialak", "invalid-date": "Baliogabeko data", @@ -460,8 +460,8 @@ "send-smtp-test": "Bidali posta elektroniko mezu bat zure buruari", "invitation-code": "Gonbidapen kodea", "email-invite-register-subject": "__inviter__ erabiltzaileak gonbidapen bat bidali dizu", - "email-invite-register-text": "Kaixo __user__,\n\n__inviter__ erabiltzaileak Wekanera gonbidatu zaitu elkar-lanean aritzeko.\n\nJarraitu mesedez lotura hau:\n__url__\n\nZure gonbidapen kodea hau da: __icode__\n\nEskerrik asko.", - "email-smtp-test-subject": "Wekan-etik bidalitako test-mezua", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "Arrakastaz bidali duzu posta elektroniko mezua", "error-invitation-code-not-exist": "Gonbidapen kodea ez da existitzen", "error-notAuthorized": "Ez duzu orri hau ikusteko baimenik.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Irteerako Webhook-ak", "new-outgoing-webhook": "Irteera-webhook berria", "no-name": "(Ezezaguna)", - "Wekan_version": "Wekan bertsioa", "Node_version": "Nodo bertsioa", "OS_Arch": "SE Arkitektura", "OS_Cpus": "SE PUZ kopurua", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index ee479ed6..a9068d35 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -1,6 +1,6 @@ { "accept": "پذیرش", - "act-activity-notify": "[wekan] اطلاع فعالیت", + "act-activity-notify": "Activity Notification", "act-addAttachment": "پیوست __attachment__ به __card__", "act-addSubtask": "زیر وظیفه __checklist__ به __card__ اضافه شد", "act-addChecklist": "سیاهه __checklist__ به __card__ افزوده شد", @@ -23,7 +23,7 @@ "act-removeBoardMember": "__member__ از __board__ پاک شد", "act-restoredCard": "__card__ به __board__ بازآوری شد", "act-unjoinMember": "__member__ از __card__ پاک شد", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "اعمال", "activities": "فعالیت‌ها", @@ -78,7 +78,7 @@ "and-n-other-card": "و __count__ کارت دیگر", "and-n-other-card_plural": "و __count__ کارت دیگر", "apply": "اعمال", - "app-is-offline": "Wekan در حال بارگذاری است. لطفا صبر کنید. نوسازی صفحه، منجر به از دست رفتن داده‌ها می‌شود. اگر Wekan بارگذاری نشد، لطفا بررسی کنید که سرور Wekan متوقف نشده باشد.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "وارد کردن تخته", "import-board-c": "وارد کردن تخته", "import-board-title-trello": "وارد کردن تخته از Trello", - "import-board-title-wekan": "وارد کردن تخته از Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "از Trello", - "from-wekan": "از Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "در Trello-ی خود به 'Menu'، 'More'، 'Print'، 'Export to JSON رفته و متن نهایی را دراینجا وارد نمایید.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "اطلاعات Json معتبر خود را اینجا وارد کنید.", "import-map-members": "نگاشت اعضا", - "import-members-map": "تعدادی عضو در تخته وارد شده می باشد. لطفا کاربرانی که باید وارد نرم افزار بشوند را مشخص کنید.", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "بررسی نقشه کاربران", - "import-user-select": "کاربری از نرم افزار را که می خواهید بعنوان این عضو جایگزین شود را انتخاب کنید.", - "importMapMembersAddPopup-title": "انتخاب کاربر Wekan", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "نسخه", "initials": "تخصیصات اولیه", "invalid-date": "تاریخ نامعتبر", @@ -460,8 +460,8 @@ "send-smtp-test": "فرستادن رایانامه آزمایشی به خود", "invitation-code": "کد دعوت نامه", "email-invite-register-subject": "__inviter__ برای شما دعوت نامه ارسال کرده است", - "email-invite-register-text": "__User__ عزیز \nکاربر __inviter__ شما را به عضویت در Wekan برای همکاری دعوت کرده است.\nلطفا لینک زیر را دنبال کنید،\n __url__\nکد دعوت شما __icode__ می باشد.\n باتشکر", - "email-smtp-test-subject": "رایانامه SMTP آزمایشی از Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "با موفقیت، یک رایانامه را فرستادید", "error-invitation-code-not-exist": "چنین کد دعوتی یافت نشد", "error-notAuthorized": "شما مجاز به دیدن این صفحه نیستید.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Outgoing Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(ناشناخته)", - "Wekan_version": "نسخه Wekan", "Node_version": "نسخه Node ", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index d8671e4a..323bd155 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -1,6 +1,6 @@ { "accept": "Hyväksy", - "act-activity-notify": "[Wekan] Toimintailmoitus", + "act-activity-notify": "Toimintailmoitus", "act-addAttachment": "liitetty __attachment__ kortille __card__", "act-addSubtask": "lisätty alitehtävä __checklist__ kortille __card__", "act-addChecklist": "lisätty tarkistuslista __checklist__ kortille __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "poistettu __member__ taululta __board__", "act-restoredCard": "palautettu __card__ taululle __board__", "act-unjoinMember": "poistettu __member__ kortilta __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Toimet", "activities": "Toimet", @@ -78,7 +78,7 @@ "and-n-other-card": "Ja __count__ muu kortti", "and-n-other-card_plural": "Ja __count__ muuta korttia", "apply": "Käytä", - "app-is-offline": "Wekan latautuu, odota. Sivun uudelleenlataus aiheuttaa tietojen menettämisen. Jos Wekan ei lataudu, tarkista että Wekan palvelin ei ole pysähtynyt.", + "app-is-offline": "Ladataan, odota. Sivun uudelleenlataus aiheuttaa tietojen menettämisen. Jos lataaminen ei toimi, tarkista että palvelin ei ole pysähtynyt.", "archive": "Siirrä Arkistoon", "archive-all": "Siirrä kaikki Arkistoon", "archive-board": "Siirrä taulu Arkistoon", @@ -283,20 +283,20 @@ "import-board": "tuo taulu", "import-board-c": "Tuo taulu", "import-board-title-trello": "Tuo taulu Trellosta", - "import-board-title-wekan": "Tuo taulu Wekanista", - "import-sandstorm-backup-warning": "Älä poista tietoja joita tuo alkuperääisestä Wekanista tai Trellosta ennenkuin tarkistan onnistuuko sulkea ja avata tämä jyvä uudelleen, vai näkyykö Board not found virhe, joka tarkoittaa tietojen häviämistä.", + "import-board-title-wekan": "Tuo taulu edellisestä viennistä", + "import-sandstorm-backup-warning": "Älä poista tietoja joita toit alkuperäisestä viennistä tai Trellosta ennenkuin tarkistat onnistuuko sulkea ja avata tämä jyvä uudelleen, vai näkyykö Board not found virhe, joka tarkoittaa tietojen häviämistä.", "import-sandstorm-warning": "Tuotu taulu poistaa kaikki olemassaolevan taulun tiedot ja korvaa ne tuodulla taululla.", "from-trello": "Trellosta", - "from-wekan": "Wekanista", + "from-wekan": "Edellisestä viennistä", "import-board-instruction-trello": "Trello taulullasi, mene 'Menu', sitten 'More', 'Print and Export', 'Export JSON', ja kopioi tuloksena saamasi teksti", - "import-board-instruction-wekan": "Wekan taulullasi, mene 'Valikko', sitten 'Vie taulu', ja kopioi teksti ladatusta tiedostosta.", + "import-board-instruction-wekan": "Taulullasi, mene 'Valikko', sitten 'Vie taulu', ja kopioi teksti ladatusta tiedostosta.", "import-board-instruction-about-errors": "Jos virheitä tulee taulua tuotaessa, joskus tuonti silti toimii, ja taulu on Kaikki taulut sivulla.", "import-json-placeholder": "Liitä kelvollinen JSON tietosi tähän", "import-map-members": "Vastaavat jäsenet", - "import-members-map": "Tuomallasi taululla on muutamia jäseniä. Ole hyvä ja valitse tuomiasi jäseniä vastaavat Wekan käyttäjät", + "import-members-map": "Tuomallasi taululla on muutamia jäseniä. Ole hyvä ja valitse tuomiasi jäseniä vastaavat käyttäjäsi", "import-show-user-mapping": "Tarkasta vastaavat jäsenet", - "import-user-select": "Valitse Wekan käyttäjä jota haluat käyttää tänä käyttäjänä", - "importMapMembersAddPopup-title": "Valitse Wekan käyttäjä", + "import-user-select": "Valitse olemassaoleva käyttäjä jota haluat käyttää tänä käyttäjänä", + "importMapMembersAddPopup-title": "Valitse käyttäjä", "info": "Versio", "initials": "Nimikirjaimet", "invalid-date": "Virheellinen päivämäärä", @@ -460,8 +460,8 @@ "send-smtp-test": "Lähetä testi sähköposti itsellesi", "invitation-code": "Kutsukoodi", "email-invite-register-subject": "__inviter__ lähetti sinulle kutsun", - "email-invite-register-text": "Hei __user__,\n\n__inviter__ kutsuu sinut mukaan Wekan ohjelman käyttöön.\n\nOle hyvä ja seuraa allaolevaa linkkiä:\n__url__\n\nJa kutsukoodisi on: __icode__\n\nKiitos.", - "email-smtp-test-subject": "SMTP testi sähköposti Wekanista", + "email-invite-register-text": "Hei __user__,\n\n__inviter__ kutsuu sinut mukaan kanban taulun käyttöön.\n\nOle hyvä ja seuraa allaolevaa linkkiä:\n__url__\n\nJa kutsukoodisi on: __icode__\n\nKiitos.", + "email-smtp-test-subject": "SMTP testi sähköposti", "email-smtp-test-text": "Olet onnistuneesti lähettänyt sähköpostin", "error-invitation-code-not-exist": "Kutsukoodi ei ole olemassa", "error-notAuthorized": "Sinulla ei ole oikeutta tarkastella tätä sivua.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Lähtevät Webkoukut", "new-outgoing-webhook": "Uusi lähtevä Webkoukku", "no-name": "(Tuntematon)", - "Wekan_version": "Wekan versio", "Node_version": "Node versio", "OS_Arch": "Käyttöjärjestelmän arkkitehtuuri", "OS_Cpus": "Käyttöjärjestelmän CPU määrä", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index d90d7031..44bdbd3a 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -1,6 +1,6 @@ { "accept": "Accepter", - "act-activity-notify": "[Wekan] Notification d'activité", + "act-activity-notify": "Activity Notification", "act-addAttachment": "a joint __attachment__ à __card__", "act-addSubtask": "a ajouté une sous-tâche __checklist__ à __card__", "act-addChecklist": "a ajouté la checklist __checklist__ à __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "a retiré __member__ de __board__", "act-restoredCard": "a restauré __card__ dans __board__", "act-unjoinMember": "a retiré __member__ de __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", "activities": "Activités", @@ -78,7 +78,7 @@ "and-n-other-card": "Et __count__ autre carte", "and-n-other-card_plural": "Et __count__ autres cartes", "apply": "Appliquer", - "app-is-offline": "Chargement en cours, veuillez patienter. Vous risquez de perdre des données si vous rechargez la page. Si le chargement échoue, veuillez vérifier l'état du serveur Wekan.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Archiver", "archive-all": "Tout archiver", "archive-board": "Archiver le tableau", @@ -283,20 +283,20 @@ "import-board": "importer un tableau", "import-board-c": "Importer un tableau", "import-board-title-trello": "Importer le tableau depuis Trello", - "import-board-title-wekan": "Importer un tableau depuis Wekan", - "import-sandstorm-backup-warning": "Ne supprimez pas les données que vous importez du Wekan ou Trello original avant de vérifier que la graine peut se fermer et s'ouvrir à nouveau, ou qu'une erreur \"Tableau introuvable\" survient, sinon vous perdrez vos données.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Le tableau importé supprimera toutes les données du tableau et les remplacera avec celles du tableau importé.", "from-trello": "Depuis Trello", - "from-wekan": "Depuis Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "Dans votre tableau Trello, allez sur 'Menu', puis sur 'Plus', 'Imprimer et exporter', 'Exporter en JSON' et copiez le texte du résultat", - "import-board-instruction-wekan": "Dans votre tableau Wekan, allez dans 'Menu', puis 'Exporter un tableau', et copier le texte du fichier téléchargé.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "Si une erreur survient en important le tableau, il se peut que l'import ait fonctionné, et que le tableau se trouve sur la page \"Tous les tableaux\".", "import-json-placeholder": "Collez ici les données JSON valides", "import-map-members": "Faire correspondre aux membres", - "import-members-map": "Le tableau que vous venez d'importer contient des membres. Veuillez associer les membres que vous souhaitez importer à des utilisateurs de Wekan.", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Contrôler l'association des membres", - "import-user-select": "Sélectionnez l'utilisateur Wekan que vous voulez associer à ce membre", - "importMapMembersAddPopup-title": "Sélectionner le membre Wekan", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Version", "initials": "Initiales", "invalid-date": "Date invalide", @@ -460,8 +460,8 @@ "send-smtp-test": "Envoyer un mail de test à vous-même", "invitation-code": "Code d'invitation", "email-invite-register-subject": "__inviter__ vous a envoyé une invitation", - "email-invite-register-text": "Cher __user__,\n\n__inviter__ vous invite à le rejoindre sur Wekan pour collaborer.\n\nVeuillez suivre le lien ci-dessous :\n__url__\n\nVotre code d'invitation est : __icode__\n\nMerci.", - "email-smtp-test-subject": "Email de test SMTP de Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "Vous avez envoyé un mail avec succès", "error-invitation-code-not-exist": "Ce code d'invitation n'existe pas.", "error-notAuthorized": "Vous n'êtes pas autorisé à accéder à cette page.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Webhooks sortants", "new-outgoing-webhook": "Nouveau webhook sortant", "no-name": "(Inconnu)", - "Wekan_version": "Version de Wekan", "Node_version": "Version de Node", "OS_Arch": "OS Architecture", "OS_Cpus": "OS Nombre CPU", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index bbb127fd..1de0e0c0 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -1,6 +1,6 @@ { "accept": "Aceptar", - "act-activity-notify": "[Wekan] Activity Notification", + "act-activity-notify": "Activity Notification", "act-addAttachment": "attached __attachment__ to __card__", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "removed __member__ from __board__", "act-restoredCard": "restored __card__ to __board__", "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Accións", "activities": "Actividades", @@ -78,7 +78,7 @@ "and-n-other-card": "And __count__ other card", "and-n-other-card_plural": "And __count__ other cards", "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "importar taboleiro", "import-board-c": "Importar taboleiro", "import-board-title-trello": "Importar taboleiro de Trello", - "import-board-title-wekan": "Importar taboleiro de Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "De Trello", - "from-wekan": "De Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Version", "initials": "Iniciais", "invalid-date": "A data é incorrecta", @@ -460,8 +460,8 @@ "send-smtp-test": "Send a test email to yourself", "invitation-code": "Invitation Code", "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "You have successfully sent an email", "error-invitation-code-not-exist": "Invitation code doesn't exist", "error-notAuthorized": "You are not authorized to view this page.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Outgoing Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", - "Wekan_version": "Wekan version", "Node_version": "Node version", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 5353e564..03d47653 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -1,6 +1,6 @@ { "accept": "אישור", - "act-activity-notify": "[Wekan] הודעת פעילות", + "act-activity-notify": "Activity Notification", "act-addAttachment": " __attachment__ צורף לכרטיס __card__", "act-addSubtask": "נוספה תת־משימה __checklist__ אל __card__", "act-addChecklist": "רשימת משימות __checklist__ נוספה ל __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "המשתמש __member__ הוסר מהלוח __board__", "act-restoredCard": "הכרטיס __card__ שוחזר ללוח __board__", "act-unjoinMember": "המשתמש __member__ הוסר מהכרטיס __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "פעולות", "activities": "פעילויות", @@ -78,7 +78,7 @@ "and-n-other-card": "וכרטיס נוסף", "and-n-other-card_plural": "ו־__count__ כרטיסים נוספים", "apply": "החלה", - "app-is-offline": "Wekan בטעינה, נא להמתין. רענון העמוד עשוי להוביל לאובדן מידע. אם הטעינה של Wekan נעצרה, נא לבדוק ששרת ה־Wekan לא נעצר.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "ייבוא לוח", "import-board-c": "יבוא לוח", "import-board-title-trello": "ייבוא לוח מטרלו", - "import-board-title-wekan": "ייבוא לוח מ־Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "הלוח שייובא ימחק את כל הנתונים הקיימים בלוח ויחליף אותם בלוח שייובא.", "from-trello": "מ־Trello", - "from-wekan": "מ־Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "בלוח הטרלו שלך, עליך ללחוץ על ‚תפריט‘, ואז על ‚עוד‘, ‚הדפסה וייצוא‘, ‚יצוא JSON‘ ולהעתיק את הטקסט שנוצר.", - "import-board-instruction-wekan": "בלוח ה־Wekan, יש לגשת אל ‚תפריט‘, לאחר מכן ‚יצוא לוח‘ ולהעתיק את הטקסט בקובץ שהתקבל.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "יש להדביק את נתוני ה־JSON התקינים לכאן", "import-map-members": "מיפוי חברים", - "import-members-map": "הלוחות המיובאים שלך מכילים חברים. נא למפות את החברים שברצונך לייבא למשתמשי Wekan", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "סקירת מיפוי חברים", - "import-user-select": "נא לבחור את המשתמש ב־Wekan בו ברצונך להשתמש עבור חבר זה", - "importMapMembersAddPopup-title": "בחירת משתמש Wekan", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "גרסא", "initials": "ראשי תיבות", "invalid-date": "תאריך שגוי", @@ -460,8 +460,8 @@ "send-smtp-test": "שליחת דוא״ל בדיקה לעצמך", "invitation-code": "קוד הזמנה", "email-invite-register-subject": "נשלחה אליך הזמנה מאת __inviter__", - "email-invite-register-text": "__user__ היקר,\n\nקיבלת הזמנה מאת __inviter__ לשתף פעולה ב־Wekan.\n\nנא ללחוץ על הקישור:\n__url__\n\nקוד ההזמנה שלך הוא: __icode__\n\nתודה.", - "email-smtp-test-subject": "הודעת בדיקה דרך SMTP מאת Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "שלחת הודעת דוא״ל בהצלחה", "error-invitation-code-not-exist": "קוד ההזמנה אינו קיים", "error-notAuthorized": "אין לך הרשאה לצפות בעמוד זה.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "קרסי רשת יוצאים", "new-outgoing-webhook": "קרסי רשת יוצאים חדשים", "no-name": "(לא ידוע)", - "Wekan_version": "גרסת Wekan", "Node_version": "גרסת Node", "OS_Arch": "ארכיטקטורת מערכת הפעלה", "OS_Cpus": "מספר מעבדים", diff --git a/i18n/hi.i18n.json b/i18n/hi.i18n.json index 25094011..f95edc6b 100644 --- a/i18n/hi.i18n.json +++ b/i18n/hi.i18n.json @@ -1,6 +1,6 @@ { "accept": "स्वीकार", - "act-activity-notify": "[Wekan] गतिविधि अधिसूचना", + "act-activity-notify": "Activity Notification", "act-addAttachment": "जुड़ा __attachment__ से __card__", "act-addSubtask": "जोड़ा उप कार्य __checklist__ से __card__", "act-addChecklist": "जोड़ा चेक सूची __checklist__ से __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "हटा कर __member__ से __board__", "act-restoredCard": "पुनर्स्थापित __card__ को __board__", "act-unjoinMember": "हटा दिया __member__ तक __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "कार्रवाई", "activities": "गतिविधि", @@ -78,7 +78,7 @@ "and-n-other-card": "और __count__ other कार्ड", "and-n-other-card_plural": "और __count__ other कार्ड", "apply": "Apply", - "app-is-offline": "Wekan लोड हो रहा है, कृपया प्रतीक्षा करें। पृष्ठ को रीफ्रेश करने से डेटा हानि होगी। यदि वीकन लोड नहीं होता है, तो कृपया जांचें कि वीकन सर्वर बंद नहीं हुआ है।", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "import बोर्ड", "import-board-c": "Import बोर्ड", "import-board-title-trello": "Import बोर्ड से Trello", - "import-board-title-wekan": "Import बोर्ड से Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "सूचित कर बोर्ड will मिटाएँ संपूर्ण existing data on बोर्ड और replace it साथ में सूचित कर बोर्ड.", "from-trello": "From Trello", - "from-wekan": "From Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "In your Trello बोर्ड, go तक 'Menu', then 'More', 'Print और Export', 'Export JSON', और copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan बोर्ड, go तक 'Menu', then 'Export बोर्ड', और copy the text अंदर में the downloaded file.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map सदस्य", - "import-members-map": "Your सूचित कर बोर्ड has some सदस्य. Please map the सदस्य you want तक import तक Wekan users", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Re आलोकन सदस्य mapping", - "import-user-select": "Pick the Wekan user you want तक use as यह सदस्य", - "importMapMembersAddPopup-title": "Select Wekan सदस्य", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Version", "initials": "Initials", "invalid-date": "Invalid date", @@ -460,8 +460,8 @@ "send-smtp-test": "Send एक test email तक yourself", "invitation-code": "Invitation Code", "email-invite-register-subject": "__inviter__ प्रेषित you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you तक Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nऔर your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email से Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "You have successfully प्रेषित an email", "error-invitation-code-not-exist": "Invitation code doesn't exist", "error-notAuthorized": "You are not authorized तक आलोकन यह page.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Outgoing Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", - "Wekan_version": "Wekan version", "Node_version": "Node version", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index 304cffc6..6721d679 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -1,6 +1,6 @@ { "accept": "Elfogadás", - "act-activity-notify": "[Wekan] Tevékenység értesítés", + "act-activity-notify": "Activity Notification", "act-addAttachment": "__attachment__ mellékletet csatolt a kártyához: __card__", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "__checklist__ ellenőrzőlistát adott hozzá a kártyához: __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "eltávolította __member__ tagot a tábláról: __board__", "act-restoredCard": "visszaállította a(z) __card__ kártyát ide: __board__", "act-unjoinMember": "eltávolította __member__ tagot a kártyáról: __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Műveletek", "activities": "Tevékenységek", @@ -78,7 +78,7 @@ "and-n-other-card": "És __count__ egyéb kártya", "and-n-other-card_plural": "És __count__ egyéb kártya", "apply": "Alkalmaz", - "app-is-offline": "A Wekan betöltés alatt van, kérem várjon. Az oldal újratöltése adatvesztést okoz. Ha a Wekan nem töltődik be, akkor ellenőrizze, hogy a Wekan kiszolgáló nem állt-e le.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "tábla importálása", "import-board-c": "Tábla importálása", "import-board-title-trello": "Tábla importálása a Trello oldalról", - "import-board-title-wekan": "Tábla importálása a Wekan oldalról", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Az importált tábla törölni fogja a táblán lévő összes meglévő adatot, és kicseréli az importált táblával.", "from-trello": "A Trello oldalról", - "from-wekan": "A Wekan oldalról", + "from-wekan": "From previous export", "import-board-instruction-trello": "A Trello tábláján menjen a „Menü”, majd a „Több”, „Nyomtatás és exportálás”, „JSON exportálása” menüpontokra, és másolja ki az eredményül kapott szöveget.", - "import-board-instruction-wekan": "A Wekan tábláján menjen a „Menü”, majd a „Tábla exportálás” menüpontra, és másolja ki a letöltött fájlban lévő szöveget.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Illessze be ide az érvényes JSON adatokat", "import-map-members": "Tagok leképezése", - "import-members-map": "Az importált táblának van néhány tagja. Képezze le a tagokat, akiket importálni szeretne a Wekan felhasználókba.", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Tagok leképezésének vizsgálata", - "import-user-select": "Válassza ki a Wekan felhasználót, akit ezen tagként használni szeretne", - "importMapMembersAddPopup-title": "Wekan tag kiválasztása", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Verzió", "initials": "Kezdőbetűk", "invalid-date": "Érvénytelen dátum", @@ -460,8 +460,8 @@ "send-smtp-test": "Teszt e-mail küldése magamnak", "invitation-code": "Meghívási kód", "email-invite-register-subject": "__inviter__ egy meghívás küldött Önnek", - "email-invite-register-text": "Kedves __user__!\n\n__inviter__ meghívta Önt közreműködésre a Wekan oldalra.\n\nKövesse a lenti hivatkozást:\n__url__\n\nÉs a meghívási kódja: __icode__\n\nKöszönjük.", - "email-smtp-test-subject": "SMTP teszt e-mail a Wekantól", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "Sikeresen elküldött egy e-mailt", "error-invitation-code-not-exist": "A meghívási kód nem létezik", "error-notAuthorized": "Nincs jogosultsága az oldal megtekintéséhez.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Kimenő webhurkok", "new-outgoing-webhook": "Új kimenő webhurok", "no-name": "(Ismeretlen)", - "Wekan_version": "Wekan verzió", "Node_version": "Node verzió", "OS_Arch": "Operációs rendszer architektúrája", "OS_Cpus": "Operációs rendszer CPU száma", diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index 7932b778..bce67502 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -1,6 +1,6 @@ { "accept": "Ընդունել", - "act-activity-notify": "[Wekan] Activity Notification", + "act-activity-notify": "Activity Notification", "act-addAttachment": "attached __attachment__ to __card__", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "removed __member__ from __board__", "act-restoredCard": "restored __card__ to __board__", "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", "activities": "Activities", @@ -78,7 +78,7 @@ "and-n-other-card": "And __count__ other card", "and-n-other-card_plural": "And __count__ other cards", "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", - "from-wekan": "From Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Version", "initials": "Initials", "invalid-date": "Invalid date", @@ -460,8 +460,8 @@ "send-smtp-test": "Send a test email to yourself", "invitation-code": "Invitation Code", "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "You have successfully sent an email", "error-invitation-code-not-exist": "Invitation code doesn't exist", "error-notAuthorized": "You are not authorized to view this page.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Outgoing Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", - "Wekan_version": "Wekan version", "Node_version": "Node version", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 0133779d..d7d21d40 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -1,6 +1,6 @@ { "accept": "Terima", - "act-activity-notify": "[Wekan] Pemberitahuan Kegiatan", + "act-activity-notify": "Activity Notification", "act-addAttachment": "Lampirkan__attachment__ke__kartu__", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "Hapus__partisipan__dari__panel", "act-restoredCard": "Kembalikan__kartu__ke__panel", "act-unjoinMember": "hapus__partisipan__dari__kartu__", - "act-withBoardTitle": "Panel__[Wekan}__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "__kartu__[__Panel__]", "actions": "Daftar Tindakan", "activities": "Daftar Kegiatan", @@ -78,7 +78,7 @@ "and-n-other-card": "Dan__menghitung__kartu lain", "and-n-other-card_plural": "Dan__menghitung__kartu lain", "apply": "Terapkan", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Impor panel dari Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", - "from-wekan": "From Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "Di panel Trello anda, ke 'Menu', terus 'More', 'Print and Export','Export JSON', dan salin hasilnya", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Tempelkan data JSON yang sah disini", "import-map-members": "Petakan partisipan", - "import-members-map": "Panel yang anda impor punya partisipan. Silahkan petakan anggota yang anda ingin impor ke user [Wekan]", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Review pemetaan partisipan", - "import-user-select": "Pilih nama pengguna yang Anda mau gunakan sebagai anggota ini", - "importMapMembersAddPopup-title": "Pilih anggota Wekan", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Versi", "initials": "Inisial", "invalid-date": "Tanggal tidak sah", @@ -460,8 +460,8 @@ "send-smtp-test": "Send a test email to yourself", "invitation-code": "Kode Undangan", "email-invite-register-subject": "__inviter__ mengirim undangan ke Anda", - "email-invite-register-text": "Halo __user__,\n\n__inviter__ mengundang Anda untuk berkolaborasi menggunakan Wekan.\n\nMohon ikuti tautan berikut:\n__url__\n\nDan kode undangan Anda adalah: __icode__\n\nTerima kasih.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "You have successfully sent an email", "error-invitation-code-not-exist": "Kode undangan tidak ada", "error-notAuthorized": "You are not authorized to view this page.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Outgoing Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", - "Wekan_version": "Wekan version", "Node_version": "Node version", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 1e483265..6593058c 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -1,6 +1,6 @@ { "accept": "Kwere", - "act-activity-notify": "[Wekan] Activity Notification", + "act-activity-notify": "Activity Notification", "act-addAttachment": "attached __attachment__ to __card__", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "removed __member__ from __board__", "act-restoredCard": "restored __card__ to __board__", "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", "activities": "Activities", @@ -78,7 +78,7 @@ "and-n-other-card": "And __count__ other card", "and-n-other-card_plural": "And __count__ other cards", "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", - "from-wekan": "From Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Version", "initials": "Initials", "invalid-date": "Invalid date", @@ -460,8 +460,8 @@ "send-smtp-test": "Send a test email to yourself", "invitation-code": "Invitation Code", "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "You have successfully sent an email", "error-invitation-code-not-exist": "Invitation code doesn't exist", "error-notAuthorized": "You are not authorized to view this page.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Outgoing Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", - "Wekan_version": "Wekan version", "Node_version": "Node version", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 6bc5f73f..496714b5 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -1,6 +1,6 @@ { "accept": "Accetta", - "act-activity-notify": "[Wekan] Notifiche attività", + "act-activity-notify": "Activity Notification", "act-addAttachment": "ha allegato __attachment__ a __card__", "act-addSubtask": "ha aggiunto il sotto compito__checklist__in_card__", "act-addChecklist": "aggiunta checklist __checklist__ a __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "ha rimosso __member__ a __board__", "act-restoredCard": "ha ripristinato __card__ su __board__", "act-unjoinMember": "ha rimosso __member__ da __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Azioni", "activities": "Attività", @@ -78,7 +78,7 @@ "and-n-other-card": "E __count__ altra scheda", "and-n-other-card_plural": "E __count__ altre schede", "apply": "Applica", - "app-is-offline": "Wekan è in caricamento, attendi per favore. Ricaricare la pagina causerà una perdita di dati. Se Wekan non si carica, controlla per favore che non ci siano problemi al server.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "Importa bacheca", "import-board-c": "Importa bacheca", "import-board-title-trello": "Importa una bacheca da Trello", - "import-board-title-wekan": "Importa bacheca da Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "La bacheca importata cancellerà tutti i dati esistenti su questa bacheca e li rimpiazzerà con quelli della bacheca importata.", "from-trello": "Da Trello", - "from-wekan": "Da Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "Nella tua bacheca Trello vai a 'Menu', poi 'Altro', 'Stampa ed esporta', 'Esporta JSON', e copia il testo che compare.", - "import-board-instruction-wekan": "Nella tua bacheca Wekan, vai su 'Menu', poi 'Esporta bacheca', e copia il testo nel file scaricato.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Incolla un JSON valido qui", "import-map-members": "Mappatura dei membri", - "import-members-map": "La bacheca che hai importato ha alcuni membri. Per favore scegli i membri che vuoi vengano importati negli utenti di Wekan", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Rivedi la mappatura dei membri", - "import-user-select": "Scegli l'utente Wekan che vuoi utilizzare come questo membro", - "importMapMembersAddPopup-title": "Seleziona i membri di Wekan", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Versione", "initials": "Iniziali", "invalid-date": "Data non valida", @@ -460,8 +460,8 @@ "send-smtp-test": "Invia un'email di test a te stesso", "invitation-code": "Codice d'invito", "email-invite-register-subject": "__inviter__ ti ha inviato un invito", - "email-invite-register-text": "Gentile __user__,\n\n__inviter__ ti ha invitato su Wekan per collaborare.\n\nPer favore segui il link qui sotto:\n__url__\n\nIl tuo codice d'invito è: __icode__\n\nGrazie.", - "email-smtp-test-subject": "Test invio email SMTP per Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "Hai inviato un'email con successo", "error-invitation-code-not-exist": "Il codice d'invito non esiste", "error-notAuthorized": "Non sei autorizzato ad accedere a questa pagina.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Server esterni", "new-outgoing-webhook": "Nuovo webhook in uscita", "no-name": "(Sconosciuto)", - "Wekan_version": "Versione di Wekan", "Node_version": "Versione di Node", "OS_Arch": "Architettura del sistema operativo", "OS_Cpus": "Conteggio della CPU del sistema operativo", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 592f3881..5a9682cf 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -1,6 +1,6 @@ { "accept": "受け入れ", - "act-activity-notify": "[Wekan] アクティビティ通知", + "act-activity-notify": "Activity Notification", "act-addAttachment": "__card__ に __attachment__ を添付しました", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "__card__ に __checklist__ を追加しました", @@ -23,7 +23,7 @@ "act-removeBoardMember": "__board__ から __member__ を削除しました", "act-restoredCard": "__card__ を __board__ にリストアしました", "act-unjoinMember": "__card__ から __member__ を削除しました", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "操作", "activities": "アクティビティ", @@ -78,7 +78,7 @@ "and-n-other-card": "And __count__ other card", "and-n-other-card_plural": "And __count__ other cards", "apply": "適用", - "app-is-offline": "現在オフラインです。ページを更新すると保存していないデータは失われます。", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "ボードをインポート", "import-board-c": "ボードをインポート", "import-board-title-trello": "Trelloからボードをインポート", - "import-board-title-wekan": "Wekanからボードをインポート", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "ボードのインポートは、既存ボードのすべてのデータを置き換えます。", "from-trello": "Trelloから", - "from-wekan": "Wekanから", + "from-wekan": "From previous export", "import-board-instruction-trello": "Trelloボードの、 'Menu' → 'More' → 'Print and Export' → 'Export JSON'を選択し、テキストをコピーしてください。", - "import-board-instruction-wekan": "Wekanボードの、'Menu' → 'Export board'を選択し、ダウンロードされたファイルからテキストをコピーしてください。", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "JSONデータをここに貼り付けする", "import-map-members": "メンバーを紐付け", - "import-members-map": "インポートしたボードにはメンバーが含まれます。これらのメンバーをWekanのメンバーに紐付けしてください。", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "メンバー紐付けの確認", - "import-user-select": "メンバーとして利用したいWekanユーザーを選択", - "importMapMembersAddPopup-title": "Wekanメンバーを選択", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "バージョン", "initials": "イニシャル", "invalid-date": "無効な日付", @@ -460,8 +460,8 @@ "send-smtp-test": "Send a test email to yourself", "invitation-code": "招待コード", "email-invite-register-subject": "__inviter__さんがあなたを招待しています", - "email-invite-register-text": " __user__ さん\n\n__inviter__ があなたをWekanに招待しました。\n\n以下のリンクをクリックしてください。\n__url__\n\nあなたの招待コードは、 __icode__ です。\n\nよろしくお願いします。", - "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "You have successfully sent an email", "error-invitation-code-not-exist": "招待コードが存在しません", "error-notAuthorized": "このページを参照する権限がありません。", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "発信Webフック", "new-outgoing-webhook": "発信Webフックの作成", "no-name": "(Unknown)", - "Wekan_version": "Wekanバージョン", "Node_version": "Nodeバージョン", "OS_Arch": "OSアーキテクチャ", "OS_Cpus": "OS CPU数", diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index 03165811..151c146a 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -1,6 +1,6 @@ { "accept": "დათანხმება", - "act-activity-notify": "[ვეკანი] აქტივობის შეტყობინება", + "act-activity-notify": "Activity Notification", "act-addAttachment": "მიბმულია__მიბმა __ბარათზე__", "act-addSubtask": "დამატებულია ქვესაქმიანობა__ჩამონათვალი__ ბარათზე__", "act-addChecklist": "დაამატა ჩამონათვალი__ჩამონათვალი__ ბარათზე__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "წაშალა__წევრი__ დაფიდან__", "act-restoredCard": "აღადგინა __ბარათი __დაფა__ზე__", "act-unjoinMember": "წაშალა__წევრი__ ბარათი __დან__", - "act-withBoardTitle": "[Wekan] __დაფა__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__დაფა__] __ბარათი__", "actions": "მოქმედებები", "activities": "აქტივეობები", @@ -78,7 +78,7 @@ "and-n-other-card": "და __count__ სხვა ბარათი", "and-n-other-card_plural": "და __count__ სხვა ბარათები", "apply": "გამოყენება", - "app-is-offline": "Wekan იტვირთება, გთხოვთ დაელოდოთ. გვერდის განახლებამ შეიძლება გამოიწვიოს მონაცემების დაკარგვა. იმ შემთხვევაში თუ Wekan არ იტვირთება, შეამოწმეთ სერვერი მუშაობს თუ არა. ", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": " დაფის იმპორტი", "import-board-c": "დაფის იმპორტი", "import-board-title-trello": "დაფის იმპორტი Trello-დან", - "import-board-title-wekan": "დაფის იმპორტი Wekan-დან", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "იმპორტირებული დაფა წაშლის ყველა არსებულ მონაცემს დაფაზე და შეანაცვლებს მას იმპორტირებული დაფა. ", "from-trello": "Trello-დან", - "from-wekan": "Wekan-დან", + "from-wekan": "From previous export", "import-board-instruction-trello": "თქვენს Trello დაფაზე, შედით \"მენიუ\"-ში, შემდეგ დააკლიკეთ \"მეტი\", \"ამოპრინტერება და ექსპორტი\", \"JSON-ის ექსპორტი\" და დააკოპირეთ შედეგი. ", - "import-board-instruction-wekan": "თქვენს Wekan დაფაზე, შედით \"მენიუ\"-ში შემდეგ დააკლიკეთ \"დაფის ექსპორტი\" და დააკოპირეთ ტექსტი ჩამოტვირთულ ფაილში.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "მოათავსეთ თქვენი ვალიდური JSON მონაცემები აქ. ", "import-map-members": "რუკის წევრები", - "import-members-map": "თქვენს იმპორტირებულ დაფას ჰყავს მომხმარებლები. გთხოვთ დაამატოთ ის წევრები რომლის იმპორტიც გსურთ Wekan მომხმარებლებში", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "მომხმარებლის რუკების განხილვა", - "import-user-select": "აირჩიეთ Wekan მომხმარებელი, რომელიც გსურთ რომ გახდეს წევრი", - "importMapMembersAddPopup-title": "მონიშნეთ Wekan მომხმარებელი", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "ვერსია", "initials": "ინიციალები", "invalid-date": "არასწორი თარიღი", @@ -460,8 +460,8 @@ "send-smtp-test": "გაუგზავნეთ სატესტო ელ.ფოსტა საკუთარ თავს", "invitation-code": "მოწვევის კოდი", "email-invite-register-subject": "__inviter__ გამოგიგზავნათ მოწვევა", - "email-invite-register-text": "ძვირგასო __user__,\n\n__inviter__ გიწვევთ Wekan-ში თანამშრომლობისთვის.\n\nგთხოვთ მიყვეთ ქვემოთ მოცემულ ბმულს:\n__url__\n\nდა ჩაწეროთ თქვენი მოწვევის კოდი: __icode__\n\nმადლობა.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "თქვენ წარმატებით გააგზავნეთ ელ.ფოსტა.", "error-invitation-code-not-exist": "მსგავსი მოსაწვევი კოდი არ არსებობს", "error-notAuthorized": "თქვენ არ გაქვთ ამ გვერდის ნახვის უფლება", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "გამავალი Webhook", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(უცნობი)", - "Wekan_version": "Wekan ვერსია", "Node_version": "Node ვერსია", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index 0d8ddedf..31df5a47 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -1,6 +1,6 @@ { "accept": "យល់ព្រម", - "act-activity-notify": "[Wekan] សកម្មភាពជូនដំណឹង", + "act-activity-notify": "Activity Notification", "act-addAttachment": "attached __attachment__ to __card__", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "removed __member__ from __board__", "act-restoredCard": "restored __card__ to __board__", "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", "activities": "Activities", @@ -78,7 +78,7 @@ "and-n-other-card": "And __count__ other card", "and-n-other-card_plural": "And __count__ other cards", "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", - "from-wekan": "From Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Version", "initials": "Initials", "invalid-date": "Invalid date", @@ -460,8 +460,8 @@ "send-smtp-test": "Send a test email to yourself", "invitation-code": "Invitation Code", "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "You have successfully sent an email", "error-invitation-code-not-exist": "Invitation code doesn't exist", "error-notAuthorized": "You are not authorized to view this page.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Outgoing Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", - "Wekan_version": "Wekan version", "Node_version": "Node version", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index b4344d8f..27d03f6e 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -1,6 +1,6 @@ { "accept": "확인", - "act-activity-notify": "[Wekan] 활동 알림", + "act-activity-notify": "Activity Notification", "act-addAttachment": "__attachment__를 __card__에 첨부", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "__board__에서 __member__를 삭제", "act-restoredCard": "__card__를 __board__에 복원했습니다.", "act-unjoinMember": "__card__에서 __member__를 삭제", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "동작", "activities": "활동 내역", @@ -78,7 +78,7 @@ "and-n-other-card": "__count__ 개의 다른 카드", "and-n-other-card_plural": "__count__ 개의 다른 카드들", "apply": "적용", - "app-is-offline": "Wekan 로딩 중 입니다. 잠시 기다려주세요. 페이지를 새로고침 하시면 데이터가 손실될 수 있습니다. Wekan 을 불러오는데 실패한다면 서버가 중지되지 않았는지 확인 바랍니다.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "보드 가져오기", "import-board-c": "보드 가져오기", "import-board-title-trello": "Trello에서 보드 가져오기", - "import-board-title-wekan": "Wekan에서 보드 가져오기", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", - "from-wekan": "From Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "Trello 게시판에서 'Menu' -> 'More' -> 'Print and Export', 'Export JSON' 선택하여 텍스트 결과값 복사", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "유효한 JSON 데이터를 여기에 붙여 넣으십시오.", "import-map-members": "보드 멤버들", - "import-members-map": "가져온 보드에는 멤버가 있습니다. 원하는 멤버를 Wekan 멤버로 매핑하세요.", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "멤버 매핑 미리보기", - "import-user-select": "이 멤버로 사용하려는 Wekan 유저를 선택하십시오.", - "importMapMembersAddPopup-title": "Wekan 멤버 선택", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Version", "initials": "이니셜", "invalid-date": "적절하지 않은 날짜", @@ -460,8 +460,8 @@ "send-smtp-test": "Send a test email to yourself", "invitation-code": "초대 코드", "email-invite-register-subject": "\"__inviter__ 님이 당신에게 초대장을 보냈습니다.", - "email-invite-register-text": "\"__user__ 님, \n\n__inviter__ 님이 Wekan 보드에 협업을 위하여 당신을 초대합니다.\n\n아래 링크를 클릭해주세요 : \n__url__\n\n그리고 초대 코드는 __icode__ 입니다.\n\n감사합니다.", - "email-smtp-test-subject": "SMTP 테스트 이메일이 발송되었습니다.", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "테스트 메일을 성공적으로 발송하였습니다.", "error-invitation-code-not-exist": "초대 코드가 존재하지 않습니다.", "error-notAuthorized": "이 페이지를 볼 수있는 권한이 없습니다.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Outgoing Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", - "Wekan_version": "Wekan version", "Node_version": "Node version", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index b8908ceb..56e7b245 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -1,6 +1,6 @@ { "accept": "Piekrist", - "act-activity-notify": "[Wekan] Aktivitātes paziņojums", + "act-activity-notify": "Activity Notification", "act-addAttachment": "pievienots __attachment__ to __card__", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "pievienots checklist __checklist__ to __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "noņēma __member__ from __board__", "act-restoredCard": "atjaunoja __card__ to __board__", "act-unjoinMember": "noņēma __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Darbības", "activities": "Aktivitātes", @@ -78,7 +78,7 @@ "and-n-other-card": "And __count__ other card", "and-n-other-card_plural": "And __count__ other cards", "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", - "from-wekan": "From Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Version", "initials": "Initials", "invalid-date": "Invalid date", @@ -460,8 +460,8 @@ "send-smtp-test": "Send a test email to yourself", "invitation-code": "Invitation Code", "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "You have successfully sent an email", "error-invitation-code-not-exist": "Invitation code doesn't exist", "error-notAuthorized": "You are not authorized to view this page.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Outgoing Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", - "Wekan_version": "Wekan version", "Node_version": "Node version", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index b67c2d97..3b352c45 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -1,6 +1,6 @@ { "accept": "Зөвшөөрөх", - "act-activity-notify": "[Wekan] Activity Notification", + "act-activity-notify": "Activity Notification", "act-addAttachment": "_attachment__ хавсралтыг __card__-д хавсаргав", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "removed __member__ from __board__", "act-restoredCard": "restored __card__ to __board__", "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", "activities": "Activities", @@ -78,7 +78,7 @@ "and-n-other-card": "And __count__ other card", "and-n-other-card_plural": "And __count__ other cards", "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", - "from-wekan": "From Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Version", "initials": "Initials", "invalid-date": "Invalid date", @@ -460,8 +460,8 @@ "send-smtp-test": "Send a test email to yourself", "invitation-code": "Invitation Code", "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "You have successfully sent an email", "error-invitation-code-not-exist": "Invitation code doesn't exist", "error-notAuthorized": "You are not authorized to view this page.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Outgoing Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", - "Wekan_version": "Wekan version", "Node_version": "Node version", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index 3e7f5c3b..99aab795 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -1,6 +1,6 @@ { "accept": "Godta", - "act-activity-notify": "[Wekan] Aktivitetsvarsel", + "act-activity-notify": "Activity Notification", "act-addAttachment": "la ved __attachment__ til __card__", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "fjernet __member__ fra __board__", "act-restoredCard": "gjenopprettet __card__ til __board__", "act-unjoinMember": "fjernet __member__ fra __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", "activities": "Aktiviteter", @@ -78,7 +78,7 @@ "and-n-other-card": "Og __count__ andre kort", "and-n-other-card_plural": "Og __count__ andre kort", "apply": "Lagre", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", - "from-wekan": "From Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Version", "initials": "Initials", "invalid-date": "Invalid date", @@ -460,8 +460,8 @@ "send-smtp-test": "Send a test email to yourself", "invitation-code": "Invitation Code", "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "You have successfully sent an email", "error-invitation-code-not-exist": "Invitation code doesn't exist", "error-notAuthorized": "You are not authorized to view this page.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Outgoing Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", - "Wekan_version": "Wekan version", "Node_version": "Node version", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index a819b5f7..edc9aad5 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -1,6 +1,6 @@ { "accept": "Accepteren", - "act-activity-notify": "[Wekan] Activiteit Notificatie", + "act-activity-notify": "Activity Notification", "act-addAttachment": "__attachment__ als bijlage toegevoegd aan __card__", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "__checklist__ toegevoegd aan __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "verwijderd __member__ van __board__", "act-restoredCard": "hersteld __card__ naar __board__", "act-unjoinMember": "verwijderd __member__ van __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Acties", "activities": "Activiteiten", @@ -78,7 +78,7 @@ "and-n-other-card": "En nog __count__ ander", "and-n-other-card_plural": "En __count__ andere kaarten", "apply": "Aanmelden", - "app-is-offline": "Wekan is aan het laden, wacht alstublieft. Het verversen van de pagina zorgt voor verlies van gegevens. Als Wekan niet laadt, check of de Wekan server is gestopt.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "Importeer bord", "import-board-c": "Importeer bord", "import-board-title-trello": "Importeer bord van Trello", - "import-board-title-wekan": "Importeer bord van Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Het geïmporteerde bord verwijdert alle data op het huidige bord, om het daarna te vervangen.", "from-trello": "Van Trello", - "from-wekan": "Van Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "Op jouw Trello bord, ga naar 'Menu', dan naar 'Meer', 'Print en Exporteer', 'Exporteer JSON', en kopieer de tekst.", - "import-board-instruction-wekan": "In jouw Wekan bord, ga naar 'Menu', dan 'Exporteer bord', en kopieer de tekst in het gedownloade bestand.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Plak geldige JSON data hier", "import-map-members": "Breng leden in kaart", - "import-members-map": "Jouw geïmporteerde borden heeft een paar leden. Selecteer de leden die je wilt importeren naar Wekan gebruikers. ", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Breng leden overzicht tevoorschijn", - "import-user-select": "Kies de Wekan gebruiker uit die je hier als lid wilt hebben", - "importMapMembersAddPopup-title": "Selecteer een Wekan lid", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Versie", "initials": "Initialen", "invalid-date": "Ongeldige datum", @@ -460,8 +460,8 @@ "send-smtp-test": "Verzend een email naar uzelf", "invitation-code": "Uitnodigings code", "email-invite-register-subject": "__inviter__ heeft je een uitnodiging gestuurd", - "email-invite-register-text": "Beste __user__,\n\n__inviter__ heeft je uitgenodigd voor Wekan om samen te werken.\n\nKlik op de volgende link:\n__url__\n\nEn je uitnodigingscode is __icode__\n\nBedankt.", - "email-smtp-test-subject": "SMTP Test email van Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "U heeft met succes een email verzonden", "error-invitation-code-not-exist": "Uitnodigings code bestaat niet", "error-notAuthorized": "Je bent niet toegestaan om deze pagina te bekijken.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Uitgaande Webhooks", "new-outgoing-webhook": "Nieuwe webhook", "no-name": "(Onbekend)", - "Wekan_version": "Wekan versie", "Node_version": "Node versie", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index b98882be..e79971dc 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -1,6 +1,6 @@ { "accept": "Akceptuj", - "act-activity-notify": "[Wekan] Powiadomienia - aktywności", + "act-activity-notify": "Activity Notification", "act-addAttachment": "dodano załącznik __attachement__ do __card__", "act-addSubtask": "dodał podzadanie __checklist__ do __card__", "act-addChecklist": "dodał listę zadań __checklist__ to __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "usunął/usunęła __member__ z __board__", "act-restoredCard": "przywrócono __card__ do __board__", "act-unjoinMember": "usunął/usunęła __member__ z __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Akcje", "activities": "Ostatnia aktywność", @@ -78,7 +78,7 @@ "and-n-other-card": "I __count__ inna karta", "and-n-other-card_plural": "I __count__ inne karty", "apply": "Zastosuj", - "app-is-offline": "Wekan jest aktualnie ładowany, proszę czekać. Odświeżenie strony spowoduję utratę danych. Jeżeli Wekan się nie ładuje, upewnij się czy serwer Wekan nie został zatrzymany.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Przenieś do Archiwum", "archive-all": "Przenieś wszystko do Archiwum", "archive-board": "Przenieś tablicę do Archiwum", @@ -283,20 +283,20 @@ "import-board": "importuj tablice", "import-board-c": "Import tablicy", "import-board-title-trello": "Importuj tablicę z Trello", - "import-board-title-wekan": "Importuj tablice z Wekan", - "import-sandstorm-backup-warning": "Nie usuwaj danych, które importujesz z oryginalnej instancji Wekan lub Trello zanim upewnisz się, że wszystko zostało prawidłowo przeniesione przy czym brane jest pod uwagę ponowne uruchomienie strony, ponieważ w przypadku błędu braku tablicy stracisz dane.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Zaimportowana tablica usunie wszystkie istniejące dane na aktualnej tablicy oraz zastąpi ją danymi z tej importowanej.", "from-trello": "Z Trello", - "from-wekan": "Z Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "W twojej tablicy na Trello przejdź do 'Menu', następnie 'Więcej', 'Drukuj i eksportuj', 'Eksportuj jako JSON' i skopiuj wynik", - "import-board-instruction-wekan": "Na Twojej tablicy Wekan przejdź do 'Menu', a następnie wybierz 'Eksportuj tablicę' i skopiuj tekst w pobranym pliku.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "W przypadku, gdy otrzymujesz błędy importowania tablicy, czasami importowanie pomimo wszystko działa poprawnie i tablica znajduje się w oknie Wszystkie tablice.", "import-json-placeholder": "Wklej Twoje dane JSON tutaj", "import-map-members": "Przypisz członków", - "import-members-map": "Twoje zaimportowane tablice mają kilku członków. Proszę wybierz członków których chcesz zaimportować do Wekan", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Przejrzyj wybranych członków", - "import-user-select": "Wybierz użytkownika Wekan, który ma stać się członkiem", - "importMapMembersAddPopup-title": "Wybierz użytkownika", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Wersja", "initials": "Inicjały", "invalid-date": "Błędna data", @@ -460,8 +460,8 @@ "send-smtp-test": "Wyślij wiadomość testową do siebie", "invitation-code": "Kod z zaproszenia", "email-invite-register-subject": "__inviter__ wysłał Ci zaproszenie", - "email-invite-register-text": "Drogi __user__,\n\n__inviter__ zaprasza Cię do współpracy na Wekan.\n\nAby kontynuować, wejdź w poniższy link:\n__url__\n\nTwój kod zaproszenia to: __icode__\n\nDziękuję.", - "email-smtp-test-subject": "Test serwera SMTP z Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "Wiadomość testowa została wysłana z powodzeniem.", "error-invitation-code-not-exist": "Kod zaproszenia nie istnieje", "error-notAuthorized": "Nie jesteś uprawniony do przeglądania tej strony.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Wychodzące webhooki", "new-outgoing-webhook": "Nowy wychodzący webhook", "no-name": "(nieznany)", - "Wekan_version": "Wersja Wekan", "Node_version": "Wersja Node", "OS_Arch": "Architektura systemu", "OS_Cpus": "Ilość rdzeni systemu", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 95511472..a7fcab69 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -1,6 +1,6 @@ { "accept": "Aceitar", - "act-activity-notify": "[Wekan] Notificação de Atividade", + "act-activity-notify": "Activity Notification", "act-addAttachment": "anexo __attachment__ de __card__", "act-addSubtask": "Subtarefa adicionada__checklist__ao__cartão", "act-addChecklist": "added checklist __checklist__ no __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "__member__ removido de __board__", "act-restoredCard": "__card__ restaurado para __board__", "act-unjoinMember": "__member__ removido de __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Ações", "activities": "Atividades", @@ -78,7 +78,7 @@ "and-n-other-card": "E __count__ outro cartão", "and-n-other-card_plural": "E __count__ outros cartões", "apply": "Aplicar", - "app-is-offline": "O Wekan está carregando, por favor espere. Recarregar a página irá causar perda de dado. Se o Wekan não carregar por favor verifique se o servidor Wekan não está parado.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "importar quadro", "import-board-c": "Importar quadro", "import-board-title-trello": "Importar board do Trello", - "import-board-title-wekan": "Importar quadro do Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "O quadro importado irá excluir todos os dados existentes no quadro e irá sobrescrever com o quadro importado.", "from-trello": "Do Trello", - "from-wekan": "Do Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "No seu quadro do Trello, vá em 'Menu', depois em 'Mais', 'Imprimir e Exportar', 'Exportar JSON', então copie o texto emitido", - "import-board-instruction-wekan": "Em seu quadro Wekan, vá para 'Menu', em seguida 'Exportar quadro', e copie o texto no arquivo baixado.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Cole seus dados JSON válidos aqui", "import-map-members": "Mapear membros", - "import-members-map": "O seu quadro importado tem alguns membros. Por favor determine os membros que você deseja importar para os usuários Wekan", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Revisar mapeamento dos membros", - "import-user-select": "Selecione o usuário Wekan que você gostaria de usar como este membro", - "importMapMembersAddPopup-title": "Seleciona um membro", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Versão", "initials": "Iniciais", "invalid-date": "Data inválida", @@ -460,8 +460,8 @@ "send-smtp-test": "Enviar um email de teste para você mesmo", "invitation-code": "Código do Convite", "email-invite-register-subject": "__inviter__ lhe enviou um convite", - "email-invite-register-text": "Caro __user__,\n\n__inviter__ convidou você para colaborar no Wekan.\n\nPor favor, vá no link abaixo:\n__url__\n\nE seu código de convite é: __icode__\n\nObrigado.", - "email-smtp-test-subject": "Email Teste SMTP de Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "Você enviou um email com sucesso", "error-invitation-code-not-exist": "O código do convite não existe", "error-notAuthorized": "Você não está autorizado à ver esta página.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Webhook de saída", "new-outgoing-webhook": "Novo Webhook de saída", "no-name": "(Desconhecido)", - "Wekan_version": "Versão do Wekan", "Node_version": "Versão do Node", "OS_Arch": "Arquitetura do SO", "OS_Cpus": "Quantidade de CPUS do SO", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 163edf8b..a70b1d27 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -1,6 +1,6 @@ { "accept": "Aceitar", - "act-activity-notify": "[Wekan] Activity Notification", + "act-activity-notify": "Activity Notification", "act-addAttachment": "attached __attachment__ to __card__", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "removed __member__ from __board__", "act-restoredCard": "restored __card__ to __board__", "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", "activities": "Activities", @@ -78,7 +78,7 @@ "and-n-other-card": "And __count__ other card", "and-n-other-card_plural": "And __count__ other cards", "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", - "from-wekan": "From Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Version", "initials": "Initials", "invalid-date": "Invalid date", @@ -460,8 +460,8 @@ "send-smtp-test": "Send a test email to yourself", "invitation-code": "Invitation Code", "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "You have successfully sent an email", "error-invitation-code-not-exist": "Invitation code doesn't exist", "error-notAuthorized": "You are not authorized to view this page.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Outgoing Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", - "Wekan_version": "Wekan version", "Node_version": "Node version", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index 0b33bba4..b830b1cb 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -1,6 +1,6 @@ { "accept": "Accept", - "act-activity-notify": "[Wekan] Activity Notification", + "act-activity-notify": "Activity Notification", "act-addAttachment": "attached __attachment__ to __card__", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "removed __member__ from __board__", "act-restoredCard": "restored __card__ to __board__", "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", "activities": "Activities", @@ -78,7 +78,7 @@ "and-n-other-card": "And __count__ other card", "and-n-other-card_plural": "And __count__ other cards", "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", - "from-wekan": "From Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Version", "initials": "Iniţiale", "invalid-date": "Invalid date", @@ -460,8 +460,8 @@ "send-smtp-test": "Send a test email to yourself", "invitation-code": "Invitation Code", "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "You have successfully sent an email", "error-invitation-code-not-exist": "Invitation code doesn't exist", "error-notAuthorized": "You are not authorized to view this page.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Outgoing Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", - "Wekan_version": "Wekan version", "Node_version": "Node version", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 29fcb6d8..8681051d 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -1,6 +1,6 @@ { "accept": "Принять", - "act-activity-notify": "[Wekan] Уведомление о действиях участников", + "act-activity-notify": "Activity Notification", "act-addAttachment": "прикрепил __attachment__ в __card__", "act-addSubtask": "добавил подзадачу __checklist__ в __card__", "act-addChecklist": "добавил контрольный список __checklist__ в __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "__member__ удален из __board__", "act-restoredCard": "__card__ востановлена в __board__", "act-unjoinMember": "__member__ удален из __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Действия", "activities": "История действий", @@ -78,7 +78,7 @@ "and-n-other-card": "И __count__ другая карточка", "and-n-other-card_plural": "И __count__ другие карточки", "apply": "Применить", - "app-is-offline": "Wekan загружается, пожалуйста подождите. Обновление страницы может привести к потере данных. Если Wekan не загрузился, пожалуйста проверьте что связь с сервером доступна.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Переместить в архив", "archive-all": "Переместить всё в архив", "archive-board": "Переместить доску в архив", @@ -283,20 +283,20 @@ "import-board": "импортировать доску", "import-board-c": "Импортировать доску", "import-board-title-trello": "Импортировать доску из Trello", - "import-board-title-wekan": "Импортировать доску из Wekan", - "import-sandstorm-backup-warning": "Не удаляйте импортируемые данные из источника (Wekan или Trello), пока не убедитесь, что импорт завершился успешно – удается закрыть и снова открыть доску, и не появляется ошибка «Доска не найдена»", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Импортированная доска удалит все существующие данные на текущей доске и заменит её импортированной доской.", "from-trello": "Из Trello", - "from-wekan": "Из Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "На вашей Trello доске нажмите “Menu” - “More” - “Print and export - “Export JSON” и скопируйте полученный текст", - "import-board-instruction-wekan": "На вашей Wekan доске, перейдите в “Меню”, далее “Экспортировать доску” и скопируйте текст из скачаного файла", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "Даже если при импорте возникли ошибки, иногда импортирование проходит успешно – тогда доска появится на странице «Все доски».", "import-json-placeholder": "Вставьте JSON сюда", "import-map-members": "Составить карту участников", - "import-members-map": "Вы импортировали доску с участниками. Пожалуйста, составьте карту участников, которых вы хотите импортировать в качестве пользователей Wekan", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Проверить карту участников", - "import-user-select": "Выберите пользователя Wekan, которого вы хотите использовать в качестве участника", - "importMapMembersAddPopup-title": "Выбрать участника Wekan", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Версия", "initials": "Инициалы", "invalid-date": "Неверная дата", @@ -460,8 +460,8 @@ "send-smtp-test": "Отправьте тестовое письмо себе", "invitation-code": "Код приглашения", "email-invite-register-subject": "__inviter__ прислал вам приглашение", - "email-invite-register-text": "Уважаемый __user__,\n\n__inviter__ приглашает вас в Wekan для сотрудничества.\n\nПожалуйста, проследуйте по ссылке:\n__url__\n\nВаш код приглашения: __icode__\n\nСпасибо.", - "email-smtp-test-subject": "SMTP Тестовое письмо от Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "Вы успешно отправили письмо", "error-invitation-code-not-exist": "Код приглашения не существует", "error-notAuthorized": "У вас нет доступа на просмотр этой страницы.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Исходящие Веб-хуки", "new-outgoing-webhook": "Новый исходящий Веб-хук", "no-name": "(Неизвестный)", - "Wekan_version": "Версия Wekan", "Node_version": "Версия NodeJS", "OS_Arch": "Архитектура", "OS_Cpus": "Количество процессоров", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index b6df90e2..6ccb2ed8 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -1,6 +1,6 @@ { "accept": "Prihvati", - "act-activity-notify": "[Wekan] Obaveštenje o aktivnostima", + "act-activity-notify": "Activity Notification", "act-addAttachment": "attached __attachment__ to __card__", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "removed __member__ from __board__", "act-restoredCard": "restored __card__ to __board__", "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Akcije", "activities": "Aktivnosti", @@ -78,7 +78,7 @@ "and-n-other-card": "And __count__ other card", "and-n-other-card_plural": "And __count__ other cards", "apply": "Primeni", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Uvezi tablu iz Trella", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", - "from-wekan": "From Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Mapiraj članove", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Izaberi člana Wekan-a", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Version", "initials": "Initials", "invalid-date": "Neispravan datum", @@ -460,8 +460,8 @@ "send-smtp-test": "Send a test email to yourself", "invitation-code": "Invitation Code", "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "You have successfully sent an email", "error-invitation-code-not-exist": "Invitation code doesn't exist", "error-notAuthorized": "You are not authorized to view this page.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Outgoing Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", - "Wekan_version": "Wekan version", "Node_version": "Node version", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 2470c3f4..dd8a05c9 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -1,6 +1,6 @@ { "accept": "Acceptera", - "act-activity-notify": "[Wekan] Aktivitetsavisering", + "act-activity-notify": "Activity Notification", "act-addAttachment": "bifogade __attachment__ to __card__", "act-addSubtask": "lade till deluppgift __checklist__ till __card__", "act-addChecklist": "lade till checklist __checklist__ till __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "tog bort __member__ från __board__", "act-restoredCard": "återställde __card__ to __board__", "act-unjoinMember": "tog bort __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Åtgärder", "activities": "Aktiviteter", @@ -78,7 +78,7 @@ "and-n-other-card": "Och __count__ annat kort", "and-n-other-card_plural": "Och __count__ andra kort", "apply": "Tillämpa", - "app-is-offline": "Wekan läses in, var god vänta. Uppdatering av sidan kommer att leda till förlust av data. Om Wekan inte läses in, kontrollera att Wekan-servern inte har stoppats.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Flytta till Arkiv", "archive-all": "Flytta alla till Arkiv", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "importera anslagstavla", "import-board-c": "Importera anslagstavla", "import-board-title-trello": "Importera anslagstavla från Trello", - "import-board-title-wekan": "Importera anslagstavla från Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Importerad anslagstavla raderar all befintlig data på anslagstavla och ersätter den med importerat anslagstavla.", "from-trello": "Från Trello", - "from-wekan": "Från Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "I din Trello-anslagstavla, gå till 'Meny', sedan 'Mera', 'Skriv ut och exportera', 'Exportera JSON' och kopiera den resulterande text.", - "import-board-instruction-wekan": "I din Wekan-anslagstavla, gå till \"Meny\", sedan \"Exportera anslagstavla\" och kopiera texten i den hämtade filen.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "Om du får fel vid import av anslagstavla, ibland importerar fortfarande fungerar, och styrelsen är på alla sidor för anslagstavlor.", "import-json-placeholder": "Klistra in giltigt JSON data här", "import-map-members": "Kartlägg medlemmar", - "import-members-map": "Din importerade anslagstavla har några medlemmar. Kartlägg medlemmarna som du vill importera till Wekan-användare", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Granska medlemskartläggning", - "import-user-select": "Välj Wekan-användare du vill använda som denna medlem", - "importMapMembersAddPopup-title": "Välj Wekan member", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Version", "initials": "Initialer ", "invalid-date": "Ogiltigt datum", @@ -460,8 +460,8 @@ "send-smtp-test": "Skicka ett prov e-postmeddelande till dig själv", "invitation-code": "Inbjudningskod", "email-invite-register-subject": "__inviter__ skickade dig en inbjudan", - "email-invite-register-text": "Bästa __user__,\n\n__inviter__ inbjuder dig till Wekan för samarbeten.\n\nVänligen följ länken nedan:\n__url__\n\nOch din inbjudningskod är: __icode__\n\nTack.", - "email-smtp-test-subject": "SMTP-prov e-post från Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "Du har skickat ett e-postmeddelande", "error-invitation-code-not-exist": "Inbjudningskod finns inte", "error-notAuthorized": "Du är inte behörig att se den här sidan.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Utgående Webhookar", "new-outgoing-webhook": "Ny utgående webhook", "no-name": "(Okänd)", - "Wekan_version": "Wekan version", "Node_version": "Nodversion", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU-räkning", diff --git a/i18n/sw.i18n.json b/i18n/sw.i18n.json index 19c81ef0..38f4bdc6 100644 --- a/i18n/sw.i18n.json +++ b/i18n/sw.i18n.json @@ -1,6 +1,6 @@ { "accept": "Kubali", - "act-activity-notify": "[Wekan] Activity Notification", + "act-activity-notify": "Activity Notification", "act-addAttachment": "attached __attachment__ to __card__", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "removed __member__ from __board__", "act-restoredCard": "restored __card__ to __board__", "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", "activities": "Activities", @@ -78,7 +78,7 @@ "and-n-other-card": "And __count__ other card", "and-n-other-card_plural": "And __count__ other cards", "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", - "from-wekan": "From Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Version", "initials": "Initials", "invalid-date": "Invalid date", @@ -460,8 +460,8 @@ "send-smtp-test": "Send a test email to yourself", "invitation-code": "Invitation Code", "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "You have successfully sent an email", "error-invitation-code-not-exist": "Invitation code doesn't exist", "error-notAuthorized": "You are not authorized to view this page.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Outgoing Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", - "Wekan_version": "Wekan version", "Node_version": "Node version", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index 5a947273..1c0950e7 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -1,6 +1,6 @@ { "accept": "Accept", - "act-activity-notify": "[Wekan] Activity Notification", + "act-activity-notify": "Activity Notification", "act-addAttachment": "attached __attachment__ to __card__", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "removed __member__ from __board__", "act-restoredCard": "restored __card__ to __board__", "act-unjoinMember": "removed __member__ from __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", "activities": "Activities", @@ -78,7 +78,7 @@ "and-n-other-card": "And __count__ other card", "and-n-other-card_plural": "And __count__ other cards", "apply": "Apply", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", - "from-wekan": "From Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Version", "initials": "Initials", "invalid-date": "Invalid date", @@ -460,8 +460,8 @@ "send-smtp-test": "Send a test email to yourself", "invitation-code": "Invitation Code", "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "You have successfully sent an email", "error-invitation-code-not-exist": "Invitation code doesn't exist", "error-notAuthorized": "You are not authorized to view this page.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Outgoing Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", - "Wekan_version": "Wekan version", "Node_version": "Node version", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index 63a778e4..c641060a 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -1,6 +1,6 @@ { "accept": "ยอมรับ", - "act-activity-notify": "[Wekan] แจ้งกิจกรรม", + "act-activity-notify": "Activity Notification", "act-addAttachment": "แนบไฟล์ __attachment__ ไปยัง __card__", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "ลบ __member__ จาก __board__", "act-restoredCard": "กู้คืน __card__ ไปยัง __board__", "act-unjoinMember": "ลบ __member__ จาก __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "ปฎิบัติการ", "activities": "กิจกรรม", @@ -78,7 +78,7 @@ "and-n-other-card": "และการ์ดอื่น __count__", "and-n-other-card_plural": "และการ์ดอื่น ๆ __count__", "apply": "นำมาใช้", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "นำเข้าบอร์ดจาก Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", - "from-wekan": "From Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "ใน Trello ของคุณให้ไปที่ 'Menu' และไปที่ More -> Print and Export -> Export JSON และคัดลอกข้อความจากนั้น", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "วางข้อมูล JSON ที่ถูกต้องของคุณที่นี่", "import-map-members": "แผนที่สมาชิก", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Review การทำแผนที่สมาชิก", - "import-user-select": "เลือกผู้ใช้ Wekan ที่คุณต้องการใช้เป็นเหมือนสมาชิกนี้", - "importMapMembersAddPopup-title": "เลือกสมาชิก", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Version", "initials": "ชื่อย่อ", "invalid-date": "วันที่ไม่ถูกต้อง", @@ -460,8 +460,8 @@ "send-smtp-test": "Send a test email to yourself", "invitation-code": "Invitation Code", "email-invite-register-subject": "__inviter__ ส่งคำเชิญให้คุณ", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "You have successfully sent an email", "error-invitation-code-not-exist": "Invitation code doesn't exist", "error-notAuthorized": "You are not authorized to view this page.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Outgoing Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", - "Wekan_version": "Wekan version", "Node_version": "Node version", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index b5a96bce..a2be9ac2 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -1,6 +1,6 @@ { "accept": "Kabul Et", - "act-activity-notify": "[Wekan] Etkinlik Bildirimi", + "act-activity-notify": "Activity Notification", "act-addAttachment": "__card__ kartına __attachment__ dosyasını ekledi", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "__card__ kartında __checklist__ yapılacak listesini ekledi", @@ -23,7 +23,7 @@ "act-removeBoardMember": "__board__ panosundan __member__ kullanıcısını çıkarttı", "act-restoredCard": "__card__ kartını __board__ panosuna geri getirdi", "act-unjoinMember": "__member__ kullanıcısnı __card__ kartından çıkarttı", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "İşlemler", "activities": "Etkinlikler", @@ -78,7 +78,7 @@ "and-n-other-card": "Ve __count__ diğer kart", "and-n-other-card_plural": "Ve __count__ diğer kart", "apply": "Uygula", - "app-is-offline": "Wekan yükleniyor, lütfen bekleyin. Sayfayı yenilemek veri kaybına sebep olabilir. Eğer Wekan yüklenmezse, lütfen Wekan sunucusunun çalıştığından emin olun.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Arşive Taşı", "archive-all": "Hepsini Arşive Taşı", "archive-board": "Panoyu Arşive Taşı", @@ -283,20 +283,20 @@ "import-board": "panoyu içe aktar", "import-board-c": "Panoyu içe aktar", "import-board-title-trello": "Trello'dan panoyu içeri aktar", - "import-board-title-wekan": "Wekan'dan panoyu içe aktar", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "İçe aktarılan pano şu anki panonun verilerinin üzerine yazılacak ve var olan veriler silinecek.", "from-trello": "Trello'dan", - "from-wekan": "Wekan'dan", + "from-wekan": "From previous export", "import-board-instruction-trello": "Trello panonuzda 'Menü'ye gidip 'Daha fazlası'na tıklayın, ardından 'Yazdır ve Çıktı Al'ı seçip 'JSON biçiminde çıktı al' diyerek çıkan metni buraya kopyalayın.", - "import-board-instruction-wekan": "Wekan panonuzda önce Menü'yü, ardından \"Panoyu dışa aktar\"ı seçip bilgisayarınıza indirilen dosyanın içindeki metni kopyalayın.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Geçerli JSON verisini buraya yapıştırın", "import-map-members": "Üyeleri eşleştirme", - "import-members-map": "İçe aktardığın panoda bazı kullanıcılar var. Lütfen bu kullanıcıları Wekan panosundaki kullanıcılarla eşleştirin.", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Üye eşleştirmesini kontrol et", - "import-user-select": "Bu üyenin sistemdeki hangi kullanıcı olduğunu seçin", - "importMapMembersAddPopup-title": "Üye seç", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Sürüm", "initials": "İlk Harfleri", "invalid-date": "Geçersiz tarih", @@ -460,8 +460,8 @@ "send-smtp-test": "Kendinize deneme E-Postası gönderin", "invitation-code": "Davetiye kodu", "email-invite-register-subject": "__inviter__ size bir davetiye gönderdi", - "email-invite-register-text": "Sevgili __user__,\n\n__inviter__ sizi beraber çalışabilmek için Wekan'a davet etti.\n\nLütfen aşağıdaki linke tıklayın:\n__url__\n\nDavetiye kodunuz: __icode__\n\nTeşekkürler.", - "email-smtp-test-subject": "Wekan' dan SMTP E-Postası", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "E-Posta başarıyla gönderildi", "error-invitation-code-not-exist": "Davetiye kodu bulunamadı", "error-notAuthorized": "Bu sayfayı görmek için yetkiniz yok.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Dışarı giden bağlantılar", "new-outgoing-webhook": "Yeni Dışarı Giden Web Bağlantısı", "no-name": "(Bilinmeyen)", - "Wekan_version": "Wekan sürümü", "Node_version": "Node sürümü", "OS_Arch": "İşletim Sistemi Mimarisi", "OS_Cpus": "İşletim Sistemi İşlemci Sayısı", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index d97be115..1cd76508 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -1,6 +1,6 @@ { "accept": "Прийняти", - "act-activity-notify": "[Wekan] Сповіщення Діяльності", + "act-activity-notify": "Activity Notification", "act-addAttachment": "__attachment__ додане до __card__", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "removed __member__ from __board__", "act-restoredCard": " __card__ відновлена у __board__", "act-unjoinMember": " __member__ був виделений з __card__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Дії", "activities": "Діяльність", @@ -78,7 +78,7 @@ "and-n-other-card": "та __count__ інших карток", "and-n-other-card_plural": "та __count__ інших карток", "apply": "Прийняти", - "app-is-offline": "Wekan is loading, please wait. Refreshing the page will cause data loss. If Wekan does not load, please check that Wekan server has not stopped.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", - "from-wekan": "From Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Version", "initials": "Initials", "invalid-date": "Invalid date", @@ -460,8 +460,8 @@ "send-smtp-test": "Send a test email to yourself", "invitation-code": "Invitation Code", "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "You have successfully sent an email", "error-invitation-code-not-exist": "Invitation code doesn't exist", "error-notAuthorized": "You are not authorized to view this page.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Outgoing Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", - "Wekan_version": "Wekan version", "Node_version": "Node version", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index 228c1e0e..be3296bc 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -1,6 +1,6 @@ { "accept": "Chấp nhận", - "act-activity-notify": "[Wekan] Thông Báo Hoạt Động", + "act-activity-notify": "Activity Notification", "act-addAttachment": "đã đính kèm __attachment__ vào __card__", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "added checklist __checklist__ to __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "đã xóa thành viên __member__ khỏi __board__", "act-restoredCard": "đã khôi phục thẻ __card__ vào bảng __board__", "act-unjoinMember": "đã xóa thành viên __member__ khỏi thẻ __card__", - "act-withBoardTitle": "[Wekan] Bảng __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Hành Động", "activities": "Hoạt Động", @@ -78,7 +78,7 @@ "and-n-other-card": "Và __count__ thẻ khác", "and-n-other-card_plural": "Và __count__ thẻ khác", "apply": "Ứng Dụng", - "app-is-offline": "Wekan đang tải, vui lòng đợi. Tải lại trang có thể làm mất dữ liệu. Nếu Wekan không thể tải được, Vui lòng kiểm tra lại Wekan server.", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from Wekan", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", - "from-wekan": "From Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your Wekan board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Paste your valid JSON data here", "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to Wekan users", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick the Wekan user you want to use as this member", - "importMapMembersAddPopup-title": "Select Wekan member", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "Version", "initials": "Initials", "invalid-date": "Invalid date", @@ -460,8 +460,8 @@ "send-smtp-test": "Send a test email to yourself", "invitation-code": "Invitation Code", "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to Wekan for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "You have successfully sent an email", "error-invitation-code-not-exist": "Invitation code doesn't exist", "error-notAuthorized": "You are not authorized to view this page.", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "Outgoing Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", - "Wekan_version": "Wekan version", "Node_version": "Node version", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 2984137a..74eafd03 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -1,6 +1,6 @@ { "accept": "接受", - "act-activity-notify": "[Wekan] 活动通知", + "act-activity-notify": "Activity Notification", "act-addAttachment": "添加附件 __attachment__ 至卡片 __card__", "act-addSubtask": "添加清单 __checklist__ 到__card__", "act-addChecklist": "添加清单 __checklist__ 到 __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "从看板 __board__ 移除成员 __member__", "act-restoredCard": "恢复卡片 __card__ 至看板 __board__", "act-unjoinMember": "从卡片 __card__ 移除成员 __member__", - "act-withBoardTitle": "[Wekan] 看板 __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[看板 __board__] 卡片 __card__", "actions": "操作", "activities": "活动", @@ -78,7 +78,7 @@ "and-n-other-card": "和其他 __count__ 个卡片", "and-n-other-card_plural": "和其他 __count__ 个卡片", "apply": "应用", - "app-is-offline": "Wekan 正在加载,请稍等。刷新页面将导致数据丢失。如果 Wekan 无法加载,请检查 Wekan 服务器是否已经停止。", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "归档", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "导入看板", "import-board-c": "导入看板", "import-board-title-trello": "从Trello导入看板", - "import-board-title-wekan": "从Wekan 导入看板", - "import-sandstorm-backup-warning": "在确认重新关闭和打开看板并且没有得到报错信息前,不要删除您从原始的Wekan或Trello导入的数据,否则将意味着数据的丢失。", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "导入的面板将删除所有已存在于面板上的数据并替换他们为导入的面板。 ", "from-trello": "自 Trello", - "from-wekan": "自 Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "在你的Trello看板中,点击“菜单”,然后选择“更多”,“打印与导出”,“导出为 JSON” 并拷贝结果文本", - "import-board-instruction-wekan": "在你的Wekan面板中点'菜单',然后点‘导出面板’并在已下载的文档复制文本。", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "如果在导入看板时出现错误,导入工作可能仍然在进行中,并且看板已经出现在全部看板页。", "import-json-placeholder": "粘贴您有效的 JSON 数据至此", "import-map-members": "映射成员", - "import-members-map": "您导入的看板有一些成员。请将您想导入的成员映射到 Wekan 用户。", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "核对成员映射", - "import-user-select": "选择您想将此成员映射到的 Wekan 用户", - "importMapMembersAddPopup-title": "选择Wekan成员", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "版本", "initials": "缩写", "invalid-date": "无效日期", @@ -460,8 +460,8 @@ "send-smtp-test": "给自己发送一封测试邮件", "invitation-code": "邀请码", "email-invite-register-subject": "__inviter__ 向您发出邀请", - "email-invite-register-text": "亲爱的 __user__,\n\n__inviter__ 邀请您加入 Wekan 进行协作。\n\n请访问下面的链接︰\n__url__\n\n您的的邀请码是︰\n__icode__\n\n非常感谢。", - "email-smtp-test-subject": "从Wekan发送SMTP测试邮件", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "你已成功发送邮件", "error-invitation-code-not-exist": "邀请码不存在", "error-notAuthorized": "您无权查看此页面。", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "外部Web挂钩", "new-outgoing-webhook": "新建外部Web挂钩", "no-name": "(未知)", - "Wekan_version": "Wekan版本", "Node_version": "Node.js版本", "OS_Arch": "系统架构", "OS_Cpus": "系统 CPU数量", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 06828154..6ce8c816 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -1,6 +1,6 @@ { "accept": "接受", - "act-activity-notify": "[Wekan] 活動通知", + "act-activity-notify": "Activity Notification", "act-addAttachment": "已新增附件__attachment__至__card__", "act-addSubtask": "已新增子任務__checklist__至__card__", "act-addChecklist": "已新增待辦清單__checklist__至__card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "已從__board__中移除成員__member__", "act-restoredCard": "已將__card__回復至__board__", "act-unjoinMember": "已從__card__中移除成員__member__", - "act-withBoardTitle": "[Wekan] __board__", + "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "操作", "activities": "活動", @@ -78,7 +78,7 @@ "and-n-other-card": "和其他 __count__ 個卡片", "and-n-other-card_plural": "和其他 __count__ 個卡片", "apply": "送出", - "app-is-offline": "請稍候,資料讀取中,重整頁面可能會導致資料遺失。如果一直讀取,請檢查 Wekan 的伺服器是否正確運行。", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "匯入看板", "import-board-c": "匯入看板", "import-board-title-trello": "匯入在 Trello 的看板", - "import-board-title-wekan": "從 Wekan 匯入看板", - "import-sandstorm-backup-warning": "Do not delete data you import from original Wekan or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "匯入資料將會移除所有現有的看版資料,並取代成此次匯入的看板資料", "from-trello": "來自 Trello", - "from-wekan": "來自 Wekan", + "from-wekan": "From previous export", "import-board-instruction-trello": "在你的Trello看板中,點選“功能表”,然後選擇“更多”,“列印與匯出”,“匯出為 JSON” 並拷貝結果文本", - "import-board-instruction-wekan": "在 Wekan 看板中點選“功能表”,然後選擇“匯出看版”且複製文字到下載的檔案", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "貼上您有效的 JSON 資料至此", "import-map-members": "複製成員", - "import-members-map": "您匯入的看板有一些成員。請將您想匯入的成員映射到 Wekan 使用者。", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "核對成員映射", - "import-user-select": "選擇您想將此成員映射到的 Wekan 使用者", - "importMapMembersAddPopup-title": "選擇 Wekan 成員", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", "info": "版本", "initials": "縮寫", "invalid-date": "無效的日期", @@ -460,8 +460,8 @@ "send-smtp-test": "Send a test email to yourself", "invitation-code": "邀請碼", "email-invite-register-subject": "__inviter__ 向您發出邀請", - "email-invite-register-text": "親愛的 __user__,\n\n__inviter__ 邀請您加入 Wekan 一同協作\n\n請點擊下列連結:\n__url__\n\n您的邀請碼為:__icode__\n\n謝謝。", - "email-smtp-test-subject": "SMTP Test Email From Wekan", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "You have successfully sent an email", "error-invitation-code-not-exist": "邀請碼不存在", "error-notAuthorized": "沒有適合的權限觀看", @@ -469,7 +469,6 @@ "outgoingWebhooksPopup-title": "設定 Webhooks", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", - "Wekan_version": "Wekan 版本", "Node_version": "Node 版本", "OS_Arch": "系統架構", "OS_Cpus": "系統\b CPU 數", -- cgit v1.2.3-1-g7c22 From 7a2ea7cacee6fc5cc8103144445e562d4e38d80c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Dec 2018 19:03:49 +0200 Subject: Fix typo. --- CHANGELOG.md | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 2791d3f3..645818b2 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,6 +1,8 @@ # Upcoming Wekan release -- In tranlations, only show name "Wekan" in Admin Panel Wekan version. +This release adds the following new features: + +- In translations, only show name "Wekan" in Admin Panel Wekan version. Elsewhere use general descriptions for whitelabeling. Thanks to GitHub user xet7 for contributions. -- cgit v1.2.3-1-g7c22 From a42d9871bd420ba0647a590ad2a131822455a905 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Dec 2018 19:09:16 +0200 Subject: v1.93 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 645818b2..fb9436d5 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.93 2018-12-16 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index 412733fa..a86c616f 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.92.0", + "version": "v1.93.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 8050b81c..9790e2d4 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 194, + appVersion = 195, # Increment this for every release. - appMarketingVersion = (defaultText = "1.92.0~2018-12-16"), + appMarketingVersion = (defaultText = "1.93.0~2018-12-16"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From f1ed6304a4c3bfcd1c778b0c43cafe6808829286 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Dec 2018 22:21:16 +0200 Subject: - Admin Panel / Layout / Custom HTML after start, and Custom HTML before end. In progress, does not work yet. Thanks to xet7 ! --- client/components/boards/boardBody.jade | 2 ++ client/components/settings/settingBody.jade | 6 ++++++ client/components/settings/settingBody.js | 4 ++++ i18n/en.i18n.json | 4 +++- models/settings.js | 8 ++++++++ server/migrations.js | 24 ++++++++++++++++++++++++ server/publications/settings.js | 2 +- 7 files changed, 48 insertions(+), 2 deletions(-) diff --git a/client/components/boards/boardBody.jade b/client/components/boards/boardBody.jade index 9e4b9c61..4631f999 100644 --- a/client/components/boards/boardBody.jade +++ b/client/components/boards/boardBody.jade @@ -12,6 +12,7 @@ template(name="board") +spinner template(name="boardBody") + | {{currentSetting.customHTMLafterBodyStart}} .board-wrapper(class=currentBoard.colorClass) +sidebar .board-canvas.js-swimlanes.js-perfect-scrollbar( @@ -27,6 +28,7 @@ template(name="boardBody") +listsGroup if isViewCalendar +calendarView + | {{currentSetting.customHTMLbeforeBodyEnd}} template(name="calendarView") .calendar-view.swimlane diff --git a/client/components/settings/settingBody.jade b/client/components/settings/settingBody.jade index bc6e0f50..153649fc 100644 --- a/client/components/settings/settingBody.jade +++ b/client/components/settings/settingBody.jade @@ -145,5 +145,11 @@ template(name='layoutSettings') .title {{_ 'custom-product-name'}} .form-group input.form-control#product-name(type="text", placeholder="Wekan" value="{{currentSetting.productName}}") + li.layout-form + .title {{_ 'add-custom-html-after-body-start'}} + textarea#customHTMLafterBodyStart.form-control= currentSetting.customHTMLafterBodyStart + li.layout-form + .title {{_ 'add-custom-html-before-body-end'}} + textarea#customHTMLbeforeBodyEnd.form-control= currentSetting.customHTMLbeforeBodyEnd li button.js-save-layout.primary {{_ 'save'}} diff --git a/client/components/settings/settingBody.js b/client/components/settings/settingBody.js index ba5b4f47..4f07c84c 100644 --- a/client/components/settings/settingBody.js +++ b/client/components/settings/settingBody.js @@ -140,6 +140,8 @@ BlazeComponent.extendComponent({ const productName = $('#product-name').val().trim(); const hideLogoChange = ($('input[name=hideLogo]:checked').val() === 'true'); + const customHTMLafterBodyStart = $('#customHTMLafterBodyStart').val().trim(); + const customHTMLbeforeBodyEnd = $('#customHTMLbeforeBodyEnd').val().trim(); try { @@ -147,6 +149,8 @@ BlazeComponent.extendComponent({ $set: { productName, hideLogo: hideLogoChange, + customHTMLafterBodyStart, + customHTMLbeforeBodyEnd, }, }); } catch (e) { diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 0c3cc465..5aa04e97 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -618,5 +618,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } diff --git a/models/settings.js b/models/settings.js index 5db57cd8..bfd844b0 100644 --- a/models/settings.js +++ b/models/settings.js @@ -32,6 +32,14 @@ Settings.attachSchema(new SimpleSchema({ type: String, optional: true, }, + customHTMLafterBodyStart: { + type: String, + optional: true, + }, + customHTMLbeforeBodyEnd: { + type: String, + optional: true, + }, hideLogo: { type: Boolean, optional: true, diff --git a/server/migrations.js b/server/migrations.js index 56d2858d..2512b40c 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -374,3 +374,27 @@ Migrations.add('add-hide-logo', () => { }, }, noValidateMulti); }); + +Migrations.add('add-custom-html-after-body-start', () => { + Settings.update({ + customHTMLafterBodyStart: { + $exists: false, + }, + }, { + $set: { + customHTMLafterBodyStart:'', + }, + }, noValidateMulti); +}); + +Migrations.add('add-custom-html-before-body-end', () => { + Settings.update({ + customHTMLbeforeBodyEnd: { + $exists: false, + }, + }, { + $set: { + customHTMLbeforeBodyEnd:'', + }, + }, noValidateMulti); +}); diff --git a/server/publications/settings.js b/server/publications/settings.js index d2690439..573a79b4 100644 --- a/server/publications/settings.js +++ b/server/publications/settings.js @@ -1,5 +1,5 @@ Meteor.publish('setting', () => { - return Settings.find({}, {fields:{disableRegistration: 1, productName: 1, hideLogo: 1}}); + return Settings.find({}, {fields:{disableRegistration: 1, productName: 1, hideLogo: 1, customHTMLafterBodyStart: 1, customHTMLbeforeBodyEnd: 1}}); }); Meteor.publish('mailServer', function () { -- cgit v1.2.3-1-g7c22 From 575b0241e4d1d8a8484c9573baf3865a127a3422 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Dec 2018 22:27:45 +0200 Subject: Update translations. --- i18n/ar.i18n.json | 4 +++- i18n/bg.i18n.json | 4 +++- i18n/br.i18n.json | 4 +++- i18n/ca.i18n.json | 4 +++- i18n/cs.i18n.json | 4 +++- i18n/da.i18n.json | 4 +++- i18n/de.i18n.json | 4 +++- i18n/el.i18n.json | 4 +++- i18n/en-GB.i18n.json | 4 +++- i18n/eo.i18n.json | 4 +++- i18n/es-AR.i18n.json | 4 +++- i18n/es.i18n.json | 4 +++- i18n/eu.i18n.json | 4 +++- i18n/fa.i18n.json | 4 +++- i18n/fi.i18n.json | 4 +++- i18n/fr.i18n.json | 4 +++- i18n/gl.i18n.json | 4 +++- i18n/he.i18n.json | 40 +++++++++++++++++++++------------------- i18n/hi.i18n.json | 4 +++- i18n/hu.i18n.json | 4 +++- i18n/hy.i18n.json | 4 +++- i18n/id.i18n.json | 4 +++- i18n/ig.i18n.json | 4 +++- i18n/it.i18n.json | 4 +++- i18n/ja.i18n.json | 4 +++- i18n/ka.i18n.json | 4 +++- i18n/km.i18n.json | 4 +++- i18n/ko.i18n.json | 4 +++- i18n/lv.i18n.json | 4 +++- i18n/mn.i18n.json | 4 +++- i18n/nb.i18n.json | 4 +++- i18n/nl.i18n.json | 4 +++- i18n/pl.i18n.json | 4 +++- i18n/pt-BR.i18n.json | 18 ++++++++++-------- i18n/pt.i18n.json | 4 +++- i18n/ro.i18n.json | 4 +++- i18n/ru.i18n.json | 30 ++++++++++++++++-------------- i18n/sr.i18n.json | 4 +++- i18n/sv.i18n.json | 4 +++- i18n/sw.i18n.json | 4 +++- i18n/ta.i18n.json | 4 +++- i18n/th.i18n.json | 4 +++- i18n/tr.i18n.json | 4 +++- i18n/uk.i18n.json | 4 +++- i18n/vi.i18n.json | 4 +++- i18n/zh-CN.i18n.json | 4 +++- i18n/zh-TW.i18n.json | 4 +++- 47 files changed, 179 insertions(+), 85 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 0e9db4ef..e19f9b40 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 6fca26ce..22e3e770 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index ed810a07..cc7cb39b 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 11453597..e43d799e 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 17013168..fe7d8303 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Typ autentizace", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/da.i18n.json b/i18n/da.i18n.json index d3c8d733..930f9181 100644 --- a/i18n/da.i18n.json +++ b/i18n/da.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index f84cc3de..8680d548 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentifizierungstyp", "custom-product-name": "Benutzerdefinierter Produktname", "layout": "Layout", - "hide-logo": "Verstecke Logo" + "hide-logo": "Verstecke Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 51a9de83..1534d835 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 4a5dfae5..3b4172df 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index c4f386ca..3613008e 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index c0c6701d..822c2b7a 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index c0a6d870..c89b543e 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Tipo de autenticación", "custom-product-name": "Nombre de producto personalizado", "layout": "Disñeo", - "hide-logo": "Ocultar logo" + "hide-logo": "Ocultar logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index bea57946..d2a6e68c 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index a9068d35..42bb5f89 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "نوع اعتبارسنجی", "custom-product-name": "نام سفارشی محصول", "layout": "لایه", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 323bd155..b5a5d025 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Kirjautumistyyppi", "custom-product-name": "Mukautettu tuotenimi", "layout": "Ulkoasu", - "hide-logo": "Piilota Logo" + "hide-logo": "Piilota Logo", + "add-custom-html-after-body-start": "Lisää HTML alun jälkeen", + "add-custom-html-before-body-end": "Lisä HTML ennen loppua" } \ No newline at end of file diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 44bdbd3a..98fade89 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Type d'authentification", "custom-product-name": "Nom personnalisé", "layout": "Interface", - "hide-logo": "Cacher le logo" + "hide-logo": "Cacher le logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 1de0e0c0..7302a65c 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 03d47653..523bf4f0 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -1,6 +1,6 @@ { "accept": "אישור", - "act-activity-notify": "Activity Notification", + "act-activity-notify": "הודעת פעילות", "act-addAttachment": " __attachment__ צורף לכרטיס __card__", "act-addSubtask": "נוספה תת־משימה __checklist__ אל __card__", "act-addChecklist": "רשימת משימות __checklist__ נוספה ל __card__", @@ -11,9 +11,9 @@ "act-createCustomField": "נוצר שדה בהתאמה אישית __customField__", "act-createList": "הרשימה __list__ התווספה ללוח __board__", "act-addBoardMember": "המשתמש __member__ נוסף ללוח __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", + "act-archivedBoard": "__board__ הועבר לארכיון", + "act-archivedCard": "__card__ הועבר לארכיון", + "act-archivedList": "__list__ הועבר לארכיון", "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "הלוח __board__ יובא", "act-importCard": "הכרטיס __card__ יובא", @@ -29,7 +29,7 @@ "activities": "פעילויות", "activity": "פעילות", "activity-added": "%s נוסף ל%s", - "activity-archived": "%s moved to Archive", + "activity-archived": "%s הועבר לארכיון", "activity-attached": "%s צורף ל%s", "activity-created": "%s נוצר", "activity-customfield-created": "נוצר שדה בהתאמה אישית %s", @@ -78,19 +78,19 @@ "and-n-other-card": "וכרטיס נוסף", "and-n-other-card_plural": "ו־__count__ כרטיסים נוספים", "apply": "החלה", - "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", - "archive": "Move to Archive", - "archive-all": "Move All to Archive", - "archive-board": "Move Board to Archive", - "archive-card": "Move Card to Archive", - "archive-list": "Move List to Archive", + "app-is-offline": "טוען, אנא המתן. טעינה מחדש של הדף תוביל לאבדן מידע. אם הטעינה לוקחת יותר מדי זמן, אנא בדוק אם השרת מקוון.", + "archive": "העברה לארכיון", + "archive-all": "אחסן הכל בארכיון", + "archive-board": "העברת הלוח לארכיון", + "archive-card": "העברת הכרטיס לארכיון", + "archive-list": "העברת הרשימה לארכיון", "archive-swimlane": "Move Swimlane to Archive", - "archive-selection": "Move selection to Archive", - "archiveBoardPopup-title": "Move Board to Archive?", + "archive-selection": "העברת הבחירה לארכיון", + "archiveBoardPopup-title": "האם להעביר לוח זה לארכיון?", "archived-items": "להעביר לארכיון", - "archived-boards": "Boards in Archive", + "archived-boards": "לוחות שנשמרו בארכיון", "restore-board": "שחזור לוח", - "no-archived-boards": "No Boards in Archive.", + "no-archived-boards": "לא נשמרו לוחות בארכיון.", "archives": "להעביר לארכיון", "assign-member": "הקצאת חבר", "attached": "מצורף", @@ -118,8 +118,8 @@ "board-view-lists": "רשימות", "bucket-example": "כמו למשל „רשימת המשימות“", "cancel": "ביטול", - "card-archived": "This card is moved to Archive.", - "board-archived": "This board is moved to Archive.", + "card-archived": "כרטיס זה שמור בארכיון.", + "board-archived": "הלוח עבר לארכיון", "card-comments-title": "לכרטיס זה %s תגובות.", "card-delete-notice": "מחיקה היא סופית. כל הפעולות המשויכות לכרטיס זה תלכנה לאיוד.", "card-delete-pop": "כל הפעולות יוסרו מלוח הפעילות ולא תהיה אפשרות לפתוח מחדש את הכרטיס. אין דרך חזרה.", @@ -567,7 +567,7 @@ "r-top-of": "ראש", "r-bottom-of": "תחתית", "r-its-list": "הרשימה שלו", - "r-archive": "Move to Archive", + "r-archive": "העבר לארכיון", "r-unarchive": "Restore from Archive", "r-card": "כרטיס", "r-add": "הוספה", @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/hi.i18n.json b/i18n/hi.i18n.json index f95edc6b..17ab8655 100644 --- a/i18n/hi.i18n.json +++ b/i18n/hi.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index 6721d679..671e9ea5 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index bce67502..403471ae 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index d7d21d40..2b67e996 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Tipe Autentikasi", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Sembunyikan Logo" + "hide-logo": "Sembunyikan Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 6593058c..f319d9ba 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 496714b5..03522434 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Tipo Autenticazione", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 5a9682cf..b5728aca 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index 151c146a..4f80d1ea 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index 31df5a47..6b761777 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index 27d03f6e..aa46dc6b 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 56e7b245..9675b56b 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index 3b352c45..1acbc6c3 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index 99aab795..e26f86db 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index edc9aad5..a71356bf 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index e79971dc..138452ba 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Typ autoryzacji", "custom-product-name": "Niestandardowa nazwa produktu", "layout": "Układ strony", - "hide-logo": "Ukryj logo" + "hide-logo": "Ukryj logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index a7fcab69..d9589518 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -1,8 +1,8 @@ { "accept": "Aceitar", - "act-activity-notify": "Activity Notification", + "act-activity-notify": "Notificação de atividade", "act-addAttachment": "anexo __attachment__ de __card__", - "act-addSubtask": "Subtarefa adicionada__checklist__ao__cartão", + "act-addSubtask": "Subtarefa adicionada __checklist__ ao __cartão", "act-addChecklist": "added checklist __checklist__ no __card__", "act-addChecklistItem": "adicionado __checklistitem__ para a lista de checagem __checklist__ em __card__", "act-addComment": "comentou em __card__: __comment__", @@ -11,10 +11,10 @@ "act-createCustomField": "criado campo customizado __customField__", "act-createList": "__list__ adicionada à __board__", "act-addBoardMember": "__member__ adicionado à __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", + "act-archivedBoard": "__board__ foi arquivada", + "act-archivedCard": "__card__ foi Arquivado", + "act-archivedList": "__list__ foi Arquivado", + "act-archivedSwimlane": "__swimlane__ foi Arquivado", "act-importBoard": "__board__ importado", "act-importCard": "__card__ importado", "act-importList": "__list__ importada", @@ -29,7 +29,7 @@ "activities": "Atividades", "activity": "Atividade", "activity-added": "adicionou %s a %s", - "activity-archived": "%s moved to Archive", + "activity-archived": "%s foi Arquivado", "activity-attached": "anexou %s a %s", "activity-created": "criou %s", "activity-customfield-created": "criado campo customizado %s", @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index a70b1d27..b15d2d66 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index b830b1cb..df2b9c36 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 8681051d..1e8f3263 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -1,6 +1,6 @@ { "accept": "Принять", - "act-activity-notify": "Activity Notification", + "act-activity-notify": "Уведомление о действиях участников", "act-addAttachment": "прикрепил __attachment__ в __card__", "act-addSubtask": "добавил подзадачу __checklist__ в __card__", "act-addChecklist": "добавил контрольный список __checklist__ в __card__", @@ -78,7 +78,7 @@ "and-n-other-card": "И __count__ другая карточка", "and-n-other-card_plural": "И __count__ другие карточки", "apply": "Применить", - "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", + "app-is-offline": "Идет загрузка, подождите. Обновление страницы приведет к потере данных. Если загрузка не происходит, проверьте работоспособность сервера.", "archive": "Переместить в архив", "archive-all": "Переместить всё в архив", "archive-board": "Переместить доску в архив", @@ -283,20 +283,20 @@ "import-board": "импортировать доску", "import-board-c": "Импортировать доску", "import-board-title-trello": "Импортировать доску из Trello", - "import-board-title-wekan": "Import board from previous export", - "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Импортировать доску, сохраненную ранее.", + "import-sandstorm-backup-warning": "Не удаляйте импортируемые данные из ранее сохраненной доски или Trello, пока не убедитесь, что импорт завершился успешно – удается закрыть и снова открыть доску, и не появляется ошибка «Доска не найдена», что означает потерю данных.", "import-sandstorm-warning": "Импортированная доска удалит все существующие данные на текущей доске и заменит её импортированной доской.", "from-trello": "Из Trello", - "from-wekan": "From previous export", + "from-wekan": "Сохраненную ранее", "import-board-instruction-trello": "На вашей Trello доске нажмите “Menu” - “More” - “Print and export - “Export JSON” и скопируйте полученный текст", - "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "На вашей доске перейдите в “Меню”, далее “Экспортировать доску” и скопируйте текст из скачаного файла", "import-board-instruction-about-errors": "Даже если при импорте возникли ошибки, иногда импортирование проходит успешно – тогда доска появится на странице «Все доски».", "import-json-placeholder": "Вставьте JSON сюда", "import-map-members": "Составить карту участников", - "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", + "import-members-map": "Вы импортировали доску с участниками. Пожалуйста, отметьте участников, которых вы хотите импортировать в качестве пользователей", "import-show-user-mapping": "Проверить карту участников", - "import-user-select": "Pick your existing user you want to use as this member", - "importMapMembersAddPopup-title": "Select member", + "import-user-select": "Выберите существующего пользователя, которого вы хотите использовать в качестве участника", + "importMapMembersAddPopup-title": "Выбрать участника", "info": "Версия", "initials": "Инициалы", "invalid-date": "Неверная дата", @@ -460,8 +460,8 @@ "send-smtp-test": "Отправьте тестовое письмо себе", "invitation-code": "Код приглашения", "email-invite-register-subject": "__inviter__ прислал вам приглашение", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email", + "email-invite-register-text": "Уважаемый __user__,\n\n__inviter__ приглашает вас использовать канбан-доску для совместной работы.\n\nПожалуйста, проследуйте по ссылке:\n__url__\n\nКод вашего приглашения: __icode__\n\nСпасибо.", + "email-smtp-test-subject": "Тестовое письмо SMTP", "email-smtp-test-text": "Вы успешно отправили письмо", "error-invitation-code-not-exist": "Код приглашения не существует", "error-notAuthorized": "У вас нет доступа на просмотр этой страницы.", @@ -538,7 +538,7 @@ "r-new-rule-name": "Имя нового правила", "r-no-rules": "Нет правил", "r-when-a-card-is": "Когда карточка", - "r-added-to": "Добавлен(а) в/на", + "r-added-to": "Добавляется в", "r-removed-from": "Покидает", "r-the-board": "доску", "r-list": "список", @@ -549,7 +549,7 @@ "r-a-card": "карточку", "r-when-a-label-is": "Когда метка", "r-when-the-label-is": "Когда метка", - "r-list-name": "Имя списка", + "r-list-name": "имя", "r-when-a-member": "Когда участник", "r-when-the-member": "Когда участник", "r-name": "имя", @@ -617,5 +617,7 @@ "authentication-type": "Тип авторизации", "custom-product-name": "Собственное наименование", "layout": "Внешний вид", - "hide-logo": "Скрыть логотип" + "hide-logo": "Скрыть логотип", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index 6ccb2ed8..c61a9948 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index dd8a05c9..dfb59e4e 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Autentiseringstyp", "custom-product-name": "Anpassat produktnamn", "layout": "Layout", - "hide-logo": "Dölj logotypen" + "hide-logo": "Dölj logotypen", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/sw.i18n.json b/i18n/sw.i18n.json index 38f4bdc6..040c62b9 100644 --- a/i18n/sw.i18n.json +++ b/i18n/sw.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index 1c0950e7..9bfe4310 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index c641060a..3724db81 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index a2be9ac2..7ed6a648 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Kimlik doğrulama türü", "custom-product-name": "Özel Ürün Adı", "layout": "Düzen", - "hide-logo": "Logoyu Gizle" + "hide-logo": "Logoyu Gizle", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 1cd76508..1e8aadec 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index be3296bc..08e97a0e 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 74eafd03..b6be13ae 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "认证类型", "custom-product-name": "自定义产品名称", "layout": "布局", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 6ce8c816..570e878e 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -617,5 +617,7 @@ "authentication-type": "Authentication type", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo" + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From bd1df642fa2a3d5962ca1ceba8decd6516811361 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Dec 2018 22:50:23 +0200 Subject: - Maybe custom html should be here. But it still does not work yet. Thanks to xet7 ! --- client/components/boards/boardBody.jade | 2 -- client/components/main/layouts.jade | 2 ++ 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/client/components/boards/boardBody.jade b/client/components/boards/boardBody.jade index 4631f999..9e4b9c61 100644 --- a/client/components/boards/boardBody.jade +++ b/client/components/boards/boardBody.jade @@ -12,7 +12,6 @@ template(name="board") +spinner template(name="boardBody") - | {{currentSetting.customHTMLafterBodyStart}} .board-wrapper(class=currentBoard.colorClass) +sidebar .board-canvas.js-swimlanes.js-perfect-scrollbar( @@ -28,7 +27,6 @@ template(name="boardBody") +listsGroup if isViewCalendar +calendarView - | {{currentSetting.customHTMLbeforeBodyEnd}} template(name="calendarView") .calendar-view.swimlane diff --git a/client/components/main/layouts.jade b/client/components/main/layouts.jade index d0c27da5..b2c23920 100644 --- a/client/components/main/layouts.jade +++ b/client/components/main/layouts.jade @@ -38,7 +38,9 @@ template(name="userFormsLayout") template(name="defaultLayout") +header #content + | {{{currentSetting.customHTMLafterBodyStart}}} +Template.dynamic(template=content) + | {{{currentSetting.customHTMLbeforeBodyEnd}}} if (Modal.isOpen) #modal .overlay -- cgit v1.2.3-1-g7c22 From 7f74e72cea111f6a776a12e6447847056af53fea Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Dec 2018 23:46:04 +0200 Subject: - Trying to get custom HTML working as described at https://guide.meteor.com/v1.3/blaze.html#rendering-html Still does not work yet. Thanks to xet7 ! --- client/components/main/layouts.jade | 4 ++-- client/components/main/layouts.js | 9 +++++++++ 2 files changed, 11 insertions(+), 2 deletions(-) diff --git a/client/components/main/layouts.jade b/client/components/main/layouts.jade index b2c23920..55ee2686 100644 --- a/client/components/main/layouts.jade +++ b/client/components/main/layouts.jade @@ -38,9 +38,9 @@ template(name="userFormsLayout") template(name="defaultLayout") +header #content - | {{{currentSetting.customHTMLafterBodyStart}}} + | {{{afterBodyStart}}} +Template.dynamic(template=content) - | {{{currentSetting.customHTMLbeforeBodyEnd}}} + | {{{beforeBodyEnd}}} if (Modal.isOpen) #modal .overlay diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index d4a9d6d1..a50d167e 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -42,6 +42,15 @@ Template.userFormsLayout.helpers({ return Settings.findOne(); }, + + afterBodyStart() { + return currentSetting.customHTMLafterBodyStart; + }, + + beforeBodyEnd() { + return currentSetting.customHTMLbeforeBodyEnd; + }, + languages() { return _.map(TAPi18n.getLanguages(), (lang, code) => { const tag = code; -- cgit v1.2.3-1-g7c22 From b6663acf910f724fcf95689073e8edf6c312f62e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 16 Dec 2018 23:48:43 +0200 Subject: Update translations. --- i18n/de.i18n.json | 26 +++++++++++++------------- 1 file changed, 13 insertions(+), 13 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 8680d548..db620dd6 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -1,6 +1,6 @@ { "accept": "Akzeptieren", - "act-activity-notify": "Activity Notification", + "act-activity-notify": "Aktivitätsbenachrichtigung", "act-addAttachment": "hat __attachment__ an __card__ angehängt", "act-addSubtask": "hat die Teilaufgabe __checklist__ zu __card__ hinzugefügt", "act-addChecklist": "hat die Checkliste __checklist__ zu __card__ hinzugefügt", @@ -78,7 +78,7 @@ "and-n-other-card": "und eine andere Karte", "and-n-other-card_plural": "und __count__ andere Karten", "apply": "Übernehmen", - "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", + "app-is-offline": "Wekan lädt gerade, bitte warten Sie. Wenn Sie die Seite neu laden, gehen nicht übertragene Änderungen verloren. Sollte Wekan nicht geladen werden, überprüfen Sie bitte, ob der Server noch läuft.", "archive": "Ins Archiv verschieben", "archive-all": "Alles ins Archiv verschieben", "archive-board": "Board ins Archiv verschieben", @@ -283,20 +283,20 @@ "import-board": "Board importieren", "import-board-c": "Board importieren", "import-board-title-trello": "Board von Trello importieren", - "import-board-title-wekan": "Import board from previous export", - "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Board aus vorherigem Export importieren", + "import-sandstorm-backup-warning": "Bitte keine Daten aus dem Original-Wekan oder Trello Board nach dem Import löschen, bitte prüfe vorher ob die alles funktioniert, andernfalls es kommt zum Fehler \"Board nicht gefunden\", dies meint Datenverlust.", "import-sandstorm-warning": "Das importierte Board wird alle bereits existierenden Daten löschen und mit den importierten Daten überschreiben.", "from-trello": "Von Trello", - "from-wekan": "From previous export", + "from-wekan": "Aus vorherigem Export", "import-board-instruction-trello": "Gehen Sie in ihrem Trello-Board auf 'Menü', dann 'Mehr', 'Drucken und Exportieren', 'JSON-Export' und kopieren Sie den dort angezeigten Text", - "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "Gehen Sie in Ihrem Wekan Board auf 'Menü', anschließend auf 'Board exportieren'. Kopieren Sie anschließend den Text aus der heruntergeladenen Datei.", "import-board-instruction-about-errors": "Treten beim importieren eines Board Fehler auf, so kann der Import dennoch erfolgreich abgeschlossen sein und das Board ist auf der Seite \"Alle Boards\" zusehen.", "import-json-placeholder": "Fügen Sie die korrekten JSON-Daten hier ein", "import-map-members": "Mitglieder zuordnen", - "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", + "import-members-map": "Das importierte Board hat Mitglieder. Bitte ordnen jene, die importiert werden sollen, vorhandenen Wekan-Nutzern zu", "import-show-user-mapping": "Mitgliederzuordnung überprüfen", - "import-user-select": "Pick your existing user you want to use as this member", - "importMapMembersAddPopup-title": "Select member", + "import-user-select": "Wählen Sie den Wekan-Nutzer aus, der dieses Mitglied sein soll", + "importMapMembersAddPopup-title": "Mitglied auswählen", "info": "Version", "initials": "Initialen", "invalid-date": "Ungültiges Datum", @@ -460,8 +460,8 @@ "send-smtp-test": "Test-E-Mail an sich selbst schicken", "invitation-code": "Einladungscode", "email-invite-register-subject": "__inviter__ hat Ihnen eine Einladung geschickt", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email", + "email-invite-register-text": "Hallo __user__,\n\n__inviter__ hat Sie für Ihre Zusammenarbeit zu Wekan eingeladen.\n\nBitte klicken Sie auf folgenden Link:\n__url__\n\nIhr Einladungscode lautet: __icode__\n\nDanke.", + "email-smtp-test-subject": "SMTP Test E-Mail", "email-smtp-test-text": "Sie haben erfolgreich eine E-Mail versandt", "error-invitation-code-not-exist": "Ungültiger Einladungscode", "error-notAuthorized": "Sie sind nicht berechtigt diese Seite zu sehen.", @@ -618,6 +618,6 @@ "custom-product-name": "Benutzerdefinierter Produktname", "layout": "Layout", "hide-logo": "Verstecke Logo", - "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-after-body-start": "Füge benutzerdefiniertes HTML nach Anfang hinzu", + "add-custom-html-before-body-end": "Füge benutzerdefiniertes HTML vor Ende hinzu" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 991b2b97218c2ded4d76bd0951f7fa5f37b78b08 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 17 Dec 2018 01:15:44 +0200 Subject: Update translations (he). --- i18n/he.i18n.json | 36 ++++++++++++++++++------------------ 1 file changed, 18 insertions(+), 18 deletions(-) diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 523bf4f0..0033a846 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -345,8 +345,8 @@ "muted-info": "מעתה לא תתקבלנה אצלך התרעות על שינויים בלוח זה", "my-boards": "הלוחות שלי", "name": "שם", - "no-archived-cards": "No cards in Archive.", - "no-archived-lists": "No lists in Archive.", + "no-archived-cards": "אין כרטיסים בארכיון", + "no-archived-lists": "אין רשימות בארכיון", "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "אין תוצאות", "normal": "רגיל", @@ -427,7 +427,7 @@ "uploaded-avatar": "הועלתה תמונה משתמש", "username": "שם משתמש", "view-it": "הצגה", - "warn-list-archived": "warning: this card is in an list at Archive", + "warn-list-archived": "אזהרה: כרטיס זה הוא חלק מרשימה שנמצאת בארכיון", "watch": "לעקוב", "watching": "במעקב", "watching-info": "מעתה יגיעו אליך דיווחים על כל שינוי בלוח זה", @@ -460,8 +460,8 @@ "send-smtp-test": "שליחת דוא״ל בדיקה לעצמך", "invitation-code": "קוד הזמנה", "email-invite-register-subject": "נשלחה אליך הזמנה מאת __inviter__", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email", + "email-invite-register-text": " __user__, יקר/ה\n\n__inviter__ מזמין/ה אתכם לשיתוף פעולה בלוח הקנבן.\n\nאנא לחצו על הקישור הבא:\n__url__\n\nקוד ההזמנה הוא: __icode__\n\nתודה.", + "email-smtp-test-subject": "דוא\"ל בדיקת SMTP", "email-smtp-test-text": "שלחת הודעת דוא״ל בהצלחה", "error-invitation-code-not-exist": "קוד ההזמנה אינו קיים", "error-notAuthorized": "אין לך הרשאה לצפות בעמוד זה.", @@ -535,7 +535,7 @@ "r-add-rule": "הוספת כלל", "r-view-rule": "הצגת כלל", "r-delete-rule": "מחיקת כל", - "r-new-rule-name": "New rule title", + "r-new-rule-name": "שמו של הכלל החדש", "r-no-rules": "אין כללים", "r-when-a-card-is": "כאשר כרטיס", "r-added-to": "נוסף אל", @@ -544,8 +544,8 @@ "r-list": "רשימה", "r-moved-to": "מועבר אל", "r-moved-from": "מועבר מ־", - "r-archived": "Moved to Archive", - "r-unarchived": "Restored from Archive", + "r-archived": "הועבר לארכיון", + "r-unarchived": "הוחזר מהארכיון", "r-a-card": "כרטיס", "r-when-a-label-is": "כאשר תווית", "r-when-the-label-is": "כאשר התווית היא", @@ -567,8 +567,8 @@ "r-top-of": "ראש", "r-bottom-of": "תחתית", "r-its-list": "הרשימה שלו", - "r-archive": "העבר לארכיון", - "r-unarchive": "Restore from Archive", + "r-archive": "העברה לארכיון", + "r-unarchive": "החזרה מהארכיון", "r-card": "כרטיס", "r-add": "הוספה", "r-remove": "הסרה", @@ -578,7 +578,7 @@ "r-checklist": "רשימת משימות", "r-check-all": "לסמן הכול", "r-uncheck-all": "לבטל את הסימון", - "r-items-check": "items of checklist", + "r-items-check": "פריטים ברשימת משימות", "r-check": "סימון", "r-uncheck": "ביטול סימון", "r-item": "פריט", @@ -595,8 +595,8 @@ "r-d-send-email-to": "אל", "r-d-send-email-subject": "נושא", "r-d-send-email-message": "הודעה", - "r-d-archive": "Move card to Archive", - "r-d-unarchive": "Restore card from Archive", + "r-d-archive": "העברת כרטיס לארכיון", + "r-d-unarchive": "החזרת כרטיס מהארכיון", "r-d-add-label": "הוספת תווית", "r-d-remove-label": "הסרת תווית", "r-d-add-member": "הוספת חבר", @@ -613,11 +613,11 @@ "ldap": "LDAP", "oauth2": "OAuth2", "cas": "CAS", - "authentication-method": "Authentication method", - "authentication-type": "Authentication type", - "custom-product-name": "Custom Product Name", - "layout": "Layout", - "hide-logo": "Hide Logo", + "authentication-method": "שיטת אימות", + "authentication-type": "סוג אימות", + "custom-product-name": "שם מותאם אישית למוצר", + "layout": "פריסה", + "hide-logo": "הסתרת לוגו", "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From cac74122f204bfb13e9e277901b9a385c75f4135 Mon Sep 17 00:00:00 2001 From: Jose Fuentes Date: Mon, 17 Dec 2018 13:09:32 +0100 Subject: Wait for DB on boot --- Stackerfile.yml | 2 +- stacksmith/user-scripts/boot.sh | 4 ---- stacksmith/user-scripts/build.sh | 2 +- stacksmith/user-scripts/run.sh | 12 +++++++++++- 4 files changed, 13 insertions(+), 7 deletions(-) diff --git a/Stackerfile.yml b/Stackerfile.yml index 26c403c0..1922d538 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "0" +appVersion: "v1.85.0" files: userUploads: - README.md diff --git a/stacksmith/user-scripts/boot.sh b/stacksmith/user-scripts/boot.sh index 19ea8825..bd95102f 100755 --- a/stacksmith/user-scripts/boot.sh +++ b/stacksmith/user-scripts/boot.sh @@ -1,10 +1,6 @@ #!/bin/bash set -euxo pipefail -#!/bin/bash - -set -euo pipefail - # This file will store the config env variables needed by the app readonly CONF=/build/env.config diff --git a/stacksmith/user-scripts/build.sh b/stacksmith/user-scripts/build.sh index 144ba468..a8f756e6 100755 --- a/stacksmith/user-scripts/build.sh +++ b/stacksmith/user-scripts/build.sh @@ -11,7 +11,7 @@ FIBERS_VERSION=2.0.0 ARCHITECTURE=linux-x64 NODE_VERSION=v10.14.1 -sudo yum groupinstall 'Development Tools' +sudo yum groupinstall -y 'Development Tools' sudo yum install -y http://opensource.wandisco.com/centos/7/git/x86_64/wandisco-git-release-7-2.noarch.rpm sudo yum install -y git diff --git a/stacksmith/user-scripts/run.sh b/stacksmith/user-scripts/run.sh index e7cc6df6..2aea7ea0 100755 --- a/stacksmith/user-scripts/run.sh +++ b/stacksmith/user-scripts/run.sh @@ -1,10 +1,20 @@ #!/bin/bash -set -euxo pipefail +set -euo pipefail readonly CONF=/build/env.config source ${CONF} +# wait for DB +check_db() { + mongo $MONGO_URL --eval "db.runCommand( { connectionStatus: 1} )" --quiet | python -c 'import json,sys;obj=json.load(sys.stdin);code = 0 if obj["ok"]==1 else 1; sys.exit(code);' +} +until check_db; do + period=5 + echo "Cannot connect to db, waiting ${period} seconds before trying again..." + sleep ${period} +done + cd /build echo "starting the wekan service..." node main.js -- cgit v1.2.3-1-g7c22 From ddca6a1ad84944af43dc858c573dbaedf469eb1a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 18 Dec 2018 19:27:23 +0200 Subject: Update translations. --- i18n/es.i18n.json | 26 +++--- i18n/fa.i18n.json | 234 +++++++++++++++++++++++++-------------------------- i18n/he.i18n.json | 34 ++++---- i18n/it.i18n.json | 16 ++-- i18n/pl.i18n.json | 2 +- i18n/ru.i18n.json | 4 +- i18n/uk.i18n.json | 170 ++++++++++++++++++------------------- i18n/zh-CN.i18n.json | 104 +++++++++++------------ 8 files changed, 295 insertions(+), 295 deletions(-) diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index c89b543e..1313e252 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -1,6 +1,6 @@ { "accept": "Aceptar", - "act-activity-notify": "Activity Notification", + "act-activity-notify": "Notificación de actividad", "act-addAttachment": "ha adjuntado __attachment__ a __card__", "act-addSubtask": "ha añadido la subtarea __checklist__ a __card__", "act-addChecklist": "ha añadido la lista de verificación __checklist__ a __card__", @@ -78,7 +78,7 @@ "and-n-other-card": "y __count__ tarjeta más", "and-n-other-card_plural": "y otras __count__ tarjetas", "apply": "Aplicar", - "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", + "app-is-offline": "Cargando, espera por favor. Refrescar esta página causará pérdida de datos. Si la carga no funciona, por favor comprueba que el servidor no se ha parado.", "archive": "Mover al Archivo", "archive-all": "Mover todo al Archivo", "archive-board": "Mover Tablero al Archivo", @@ -283,20 +283,20 @@ "import-board": "importar un tablero", "import-board-c": "Importar un tablero", "import-board-title-trello": "Importar un tablero desde Trello", - "import-board-title-wekan": "Import board from previous export", - "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Importar tablero desde una exportación previa", + "import-sandstorm-backup-warning": "No elimine los datos que está importando del tablero o Trello original antes de verificar que la semilla pueda cerrarse y abrirse nuevamente, o que ocurra un error de \"Tablero no encontrado\", de lo contrario perderá sus datos.", "import-sandstorm-warning": "El tablero importado eliminará todos los datos existentes en este tablero y los reemplazará con los datos del tablero importado.", "from-trello": "Desde Trello", - "from-wekan": "From previous export", + "from-wekan": "Desde exportación previa", "import-board-instruction-trello": "En tu tablero de Trello, ve a 'Menú', luego 'Más' > 'Imprimir y exportar' > 'Exportar JSON', y copia el texto resultante.", - "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "En tu tablero, vete a 'Menú', luego 'Exportar tablero', y copia el texto en el archivo descargado.", "import-board-instruction-about-errors": "Si obtiene errores cuando importe el tablero, a veces la importación funciona igualmente, y el tablero se encuentra en la página de Todos los Tableros.", "import-json-placeholder": "Pega tus datos JSON válidos aquí", "import-map-members": "Mapa de miembros", - "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", + "import-members-map": "Tu tablero importado tiene algunos miembros. Por favor, mapea los miembros que quieres importar con tus usuarios.", "import-show-user-mapping": "Revisión de la asignación de miembros", - "import-user-select": "Pick your existing user you want to use as this member", - "importMapMembersAddPopup-title": "Select member", + "import-user-select": "Selecciona el miembro existe que quieres usar como este miembro.", + "importMapMembersAddPopup-title": "Seleccionar miembro", "info": "Versión", "initials": "Iniciales", "invalid-date": "Fecha no válida", @@ -460,8 +460,8 @@ "send-smtp-test": "Enviarte un correo de prueba a ti mismo", "invitation-code": "Código de Invitación", "email-invite-register-subject": "__inviter__ te ha enviado una invitación", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email", + "email-invite-register-text": "Querido __user__,\n__inviter__ le invita al tablero kanban para colaborar.\n\nPor favor, siga el siguiente enlace:\n__url__\n\nY tu código de invitación es: __icode__\n\nGracias.", + "email-smtp-test-subject": "Prueba de email SMTP", "email-smtp-test-text": "El correo se ha enviado correctamente", "error-invitation-code-not-exist": "El código de invitación no existe", "error-notAuthorized": "No estás autorizado a ver esta página.", @@ -618,6 +618,6 @@ "custom-product-name": "Nombre de producto personalizado", "layout": "Disñeo", "hide-logo": "Ocultar logo", - "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-after-body-start": "Añade HTML personalizado después de ", + "add-custom-html-before-body-end": "Añade HTML personalizado después de " } \ No newline at end of file diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index 42bb5f89..fded3329 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -1,6 +1,6 @@ { "accept": "پذیرش", - "act-activity-notify": "Activity Notification", + "act-activity-notify": "اعلان فعالیت", "act-addAttachment": "پیوست __attachment__ به __card__", "act-addSubtask": "زیر وظیفه __checklist__ به __card__ اضافه شد", "act-addChecklist": "سیاهه __checklist__ به __card__ افزوده شد", @@ -11,10 +11,10 @@ "act-createCustomField": "فیلد __customField__ ایجاد شد", "act-createList": "__list__ به __board__ اضافه شد", "act-addBoardMember": "__member__ به __board__ اضافه شد", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", + "act-archivedBoard": "__board__ به آرشیو انتقال یافت", + "act-archivedCard": "__card__ به آرشیو انتقال یافت", + "act-archivedList": "__list__ به آرشیو انتقال یافت", + "act-archivedSwimlane": "__swimlane__ به آرشیو انتقال یافت", "act-importBoard": "__board__ وارد شده", "act-importCard": "__card__ وارد شده", "act-importList": "__list__ وارد شده", @@ -29,7 +29,7 @@ "activities": "فعالیت‌ها", "activity": "فعالیت", "activity-added": "%s به %s اضافه شد", - "activity-archived": "%s moved to Archive", + "activity-archived": "%s به آرشیو انتقال یافت", "activity-attached": "%s به %s پیوست شد", "activity-created": "%s ایجاد شد", "activity-customfield-created": "%s فیلدشخصی ایجاد شد", @@ -43,19 +43,19 @@ "activity-sent": "ارسال %s به %s", "activity-unjoined": "قطع اتصال %s", "activity-subtask-added": "زیروظیفه به %s اضافه شد", - "activity-checked-item": "checked %s in checklist %s of %s", - "activity-unchecked-item": "unchecked %s in checklist %s of %s", + "activity-checked-item": "چک شده %s در چک لیست %s از %s", + "activity-unchecked-item": "چک نشده %s در چک لیست %s از %s", "activity-checklist-added": "سیاهه به %s اضافه شد", - "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", - "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", + "activity-checklist-removed": "از چک لیست حذف گردید", + "activity-checklist-completed": "تمام شده ها در چک لیست %s از %s", + "activity-checklist-uncompleted": "تمام نشده ها در چک لیست %s از %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", - "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", + "activity-checklist-item-removed": "حذف شده از چک لیست '%s' در %s", "add": "افزودن", - "activity-checked-item-card": "checked %s in checklist %s", - "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", - "activity-checklist-uncompleted-card": "uncompleted the checklist %s", + "activity-checked-item-card": "چک شده %s در چک لیست %s", + "activity-unchecked-item-card": "چک نشده %s در چک لیست %s", + "activity-checklist-completed-card": "چک لیست تمام شده %s", + "activity-checklist-uncompleted-card": "چک لیست تمام نشده %s", "add-attachment": "افزودن ضمیمه", "add-board": "افزودن برد", "add-card": "افزودن کارت", @@ -78,19 +78,19 @@ "and-n-other-card": "و __count__ کارت دیگر", "and-n-other-card_plural": "و __count__ کارت دیگر", "apply": "اعمال", - "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", - "archive": "Move to Archive", - "archive-all": "Move All to Archive", - "archive-board": "Move Board to Archive", - "archive-card": "Move Card to Archive", - "archive-list": "Move List to Archive", - "archive-swimlane": "Move Swimlane to Archive", - "archive-selection": "Move selection to Archive", - "archiveBoardPopup-title": "Move Board to Archive?", + "app-is-offline": "در حال بارگزاری لطفا منتظر بمانید. بازخوانی صفحه باعث از بین رفتن اطلاعات می شود. اگر بارگذاری کار نمی کند، لطفا بررسی کنید که این سرور متوقف نشده است.", + "archive": "انتقال به آرشیو", + "archive-all": "انتقال همه به آرشیو", + "archive-board": "انتقال برد به آرشیو", + "archive-card": "انتقال کارت به آرشیو", + "archive-list": "انتقال لیست به آرشیو", + "archive-swimlane": "انتقال مسیر به آرشیو", + "archive-selection": "انتقال انتخاب شده ها به آرشیو", + "archiveBoardPopup-title": "انتقال برد به آرشیو؟", "archived-items": "بایگانی", - "archived-boards": "Boards in Archive", + "archived-boards": "برد های داخل آرشیو", "restore-board": "بازیابی تخته", - "no-archived-boards": "No Boards in Archive.", + "no-archived-boards": "هیچ بردی داخل آرشیو نیست", "archives": "بایگانی", "assign-member": "تعیین عضو", "attached": "ضمیمه شده", @@ -118,12 +118,12 @@ "board-view-lists": "فهرست‌ها", "bucket-example": "برای مثال چیزی شبیه \"لیست سبدها\"", "cancel": "انصراف", - "card-archived": "This card is moved to Archive.", - "board-archived": "This board is moved to Archive.", + "card-archived": "این کارت به آرشیو انتقال داده شد", + "board-archived": "این برد به آرشیو انتقال یافت", "card-comments-title": "این کارت دارای %s نظر است.", "card-delete-notice": "حذف دائمی. تمامی موارد مرتبط با این کارت از بین خواهند رفت.", - "card-delete-pop": "همه اقدامات از این پردازه (خوراک) حذف خواهد شد و امکان بازگرداندن کارت وجود نخواهد داشت.", - "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", + "card-delete-pop": "همه اقدامات از این پردازه حذف خواهد شد و امکان بازگرداندن کارت وجود نخواهد داشت.", + "card-delete-suggest-archive": "شما می توانید کارت را به بایگانی منتقل کنید تا آن را از هیئت مدیره حذف کنید و فعالیت را حفظ کنید.", "card-due": "تا", "card-due-on": "تا", "card-spent": "زمان صرف شده", @@ -166,7 +166,7 @@ "clipboard": "ذخیره در حافظه ویا بردار-رهاکن", "close": "بستن", "close-board": "بستن برد", - "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", + "close-board-pop": "شما می توانید با کلیک کردن بر روی دکمه «بایگانی» از صفحه هدر، صفحه را بازگردانید.", "color-black": "مشکی", "color-blue": "آبی", "color-green": "سبز", @@ -181,8 +181,8 @@ "comment-placeholder": "درج نظر", "comment-only": "فقط نظر", "comment-only-desc": "فقط می‌تواند روی کارت‌ها نظر دهد.", - "no-comments": "No comments", - "no-comments-desc": "Can not see comments and activities.", + "no-comments": "هیچ کامنتی موجود نیست", + "no-comments-desc": "نظرات و فعالیت ها را نمی توان دید.", "computer": "رایانه", "confirm-subtask-delete-dialog": "از حذف این زیر وظیفه اطمینان دارید؟", "confirm-checklist-delete-dialog": "مطمئنا چک لیست پاک شود؟", @@ -272,7 +272,7 @@ "filter-on-desc": "شما صافی ـFilterـ برای کارتهای تخته را روشن کرده اید. جهت ویرایش کلیک نمایید.", "filter-to-selection": "صافی ـFilterـ برای موارد انتخابی", "advanced-filter-label": "صافی پیشرفته", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "advanced-filter-description": "فیلتر پیشرفته اجازه می دهد تا برای نوشتن رشته حاوی اپراتورهای زیر: ==! = <=> = && || () یک فضای به عنوان یک جداساز بین اپراتورها استفاده می شود. با تایپ کردن نام ها و مقادیر آنها می توانید برای تمام زمینه های سفارشی فیلتر کنید. به عنوان مثال: Field1 == Value1. نکته: اگر فیلدها یا مقادیر حاوی فضاها باشند، شما باید آنها را به یک نقل قول کپسول کنید. برای مثال: 'فیلد 1' == 'مقدار 1'. برای تک تک کاراکترهای کنترل (\\\\) که می توانید از آنها استفاده کنید، می توانید از \\ استفاده کنید. به عنوان مثال: Field1 == I \\ 'm. همچنین شما می توانید شرایط مختلف را ترکیب کنید. برای مثال: F1 == V1 || F1 == V2. به طور معمول همه اپراتورها از چپ به راست تفسیر می شوند. شما می توانید سفارش را با قرار دادن براکت تغییر دهید. برای مثال: F1 == V1 && (F2 == V2 || F2 == V3). همچنین می توانید فیلدهای متنی را با استفاده از regex جستجو کنید: F1 == /Tes.*/i", "fullname": "نام و نام خانوادگی", "header-logo-title": "بازگشت به صفحه تخته.", "hide-system-messages": "عدم نمایش پیامهای سیستمی", @@ -283,20 +283,20 @@ "import-board": "وارد کردن تخته", "import-board-c": "وارد کردن تخته", "import-board-title-trello": "وارد کردن تخته از Trello", - "import-board-title-wekan": "Import board from previous export", - "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "بارگذاری برد ها از آخرین خروجی", + "import-sandstorm-backup-warning": "قبل از بررسی این داده ها را از صفحه اصلی صادر شده یا Trello وارد نمیکنید این دانه دوباره باز می شود و یا دوباره باز می شود، یا برد را پیدا نمی کنید، این بدان معنی است که از دست دادن اطلاعات.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "از Trello", - "from-wekan": "From previous export", + "from-wekan": "از آخرین خروجی", "import-board-instruction-trello": "در Trello-ی خود به 'Menu'، 'More'، 'Print'، 'Export to JSON رفته و متن نهایی را دراینجا وارد نمایید.", - "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", + "import-board-instruction-wekan": "در هیئت مدیره خود، به 'Menu' بروید، سپس 'Export Board'، و متن را در فایل دانلود شده کپی کنید.", + "import-board-instruction-about-errors": "اگر هنگام بازگردانی با خطا مواجه شدید بعضی اوقات بازگردانی انجام می شود و تمامی برد ها در داخل صفحه All Boards هستند", "import-json-placeholder": "اطلاعات Json معتبر خود را اینجا وارد کنید.", "import-map-members": "نگاشت اعضا", - "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", + "import-members-map": "برد ها بازگردانده شده تعدادی کاربر دارند . لطفا کاربر های که می خواهید را انتخاب نمایید", "import-show-user-mapping": "بررسی نقشه کاربران", - "import-user-select": "Pick your existing user you want to use as this member", - "importMapMembersAddPopup-title": "Select member", + "import-user-select": "کاربر فعلی خود را انتخاب نمایید اگر میخواهیپ بعنوان کاربر باشد", + "importMapMembersAddPopup-title": "انتخاب کاربر", "info": "نسخه", "initials": "تخصیصات اولیه", "invalid-date": "تاریخ نامعتبر", @@ -315,8 +315,8 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", "link-card": "ارجاع به این کارت", - "list-archive-cards": "Move all cards in this list to Archive", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", + "list-archive-cards": "انتقال تمامی کارت های این لیست به آرشیو", + "list-archive-cards-pop": "این کارتباعث حذف تمامی کارت های این لیست از برد می شود . برای مشاهده کارت ها در آرشیو و برگرداندن آنها به برد بر بروی \"Menu\">\"Archive\" کلیک نمایید", "list-move-cards": "انتقال تمام کارت های این لیست", "list-select-cards": "انتخاب تمام کارت های این لیست", "listActionPopup-title": "لیست اقدامات", @@ -325,7 +325,7 @@ "listMorePopup-title": "بیشتر", "link-list": "پیوند به این فهرست", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "شما می توانید لیست را به آرشیو انتقال دهید تا آن را از برد حذف نمایید و فعالیت های خود را حفظ نمایید", "lists": "لیست ها", "swimlanes": "Swimlanes", "log-out": "خروج", @@ -345,9 +345,9 @@ "muted-info": "شما هیچگاه از تغییرات این تخته مطلع نخواهید شد", "my-boards": "تخته‌های من", "name": "نام", - "no-archived-cards": "No cards in Archive.", - "no-archived-lists": "No lists in Archive.", - "no-archived-swimlanes": "No swimlanes in Archive.", + "no-archived-cards": "هیچ کارتی در آرشیو موجود نمی باشد", + "no-archived-lists": "هیچ لیستی در آرشیو موجود نمی باشد", + "no-archived-swimlanes": "هیچ مسیری در آرشیو موجود نمی باشد", "no-results": "بدون نتیجه", "normal": "عادی", "normal-desc": "امکان نمایش و تنظیم کارت بدون امکان تغییر تنظیمات", @@ -383,7 +383,7 @@ "restore": "بازیابی", "save": "ذخیره", "search": "جستجو", - "rules": "Rules", + "rules": "قوانین", "search-cards": "جستجو در میان عناوین و توضیحات در این تخته", "search-example": "متن مورد جستجو؟", "select-color": "انتخاب رنگ", @@ -427,7 +427,7 @@ "uploaded-avatar": "تصویر ارسال شد", "username": "نام کاربری", "view-it": "مشاهده", - "warn-list-archived": "warning: this card is in an list at Archive", + "warn-list-archived": "اخطار:این کارت در یک لیست در آرشیو موجود می باشد", "watch": "دیده بانی", "watching": "درحال دیده بانی", "watching-info": "شما از هر تغییری دراین تخته آگاه خواهید شد", @@ -460,8 +460,8 @@ "send-smtp-test": "فرستادن رایانامه آزمایشی به خود", "invitation-code": "کد دعوت نامه", "email-invite-register-subject": "__inviter__ برای شما دعوت نامه ارسال کرده است", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email", + "email-invite-register-text": "__user__ عزیز,\n\n__inviter__ شما را به این برد دعوت کرده است.\n\nلطفا روی لینک زیر کلیک نمایید:\n__url__\n\nو کد معرفی شما: __icode__\n\nبا تشکر.", + "email-smtp-test-subject": "SMTP تست ایمیل", "email-smtp-test-text": "با موفقیت، یک رایانامه را فرستادید", "error-invitation-code-not-exist": "چنین کد دعوتی یافت نشد", "error-notAuthorized": "شما مجاز به دیدن این صفحه نیستید.", @@ -482,9 +482,9 @@ "hours": "ساعت", "minutes": "دقیقه", "seconds": "ثانیه", - "show-field-on-card": "Show this field on card", - "automatically-field-on-card": "Auto create field to all cards", - "showLabel-field-on-card": "Show field label on minicard", + "show-field-on-card": "این رشته را در کارت نمایش بده", + "automatically-field-on-card": "اتوماتیک این رشته را در همه ی کارت ها اضافه کن", + "showLabel-field-on-card": "نمایش نام رشته در کارت های کوچک", "yes": "بله", "no": "خیر", "accounts": "حساب‌ها", @@ -501,74 +501,74 @@ "editCardEndDatePopup-title": "تغییر تاریخ پایان", "assigned-by": "محول شده توسط", "requested-by": "تقاضا شده توسط", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "board-delete-notice": "حذف دائمی است شما تمام لیست ها، کارت ها و اقدامات مرتبط با این برد را از دست خواهید داد.", + "delete-board-confirm-popup": "تمام لیست ها، کارت ها، برچسب ها و فعالیت ها حذف خواهند شد و شما نمی توانید محتوای برد را بازیابی کنید. هیچ واکنشی وجود ندارد", "boardDeletePopup-title": "حذف تخته؟", "delete-board": "حذف تخته", - "default-subtasks-board": "Subtasks for __board__ board", + "default-subtasks-board": "ریزکار برای __board__ برد", "default": "پیش‌فرض", "queue": "صف", - "subtask-settings": "Subtasks Settings", - "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", - "show-subtasks-field": "Cards can have subtasks", - "deposit-subtasks-board": "Deposit subtasks to this board:", - "deposit-subtasks-list": "Landing list for subtasks deposited here:", - "show-parent-in-minicard": "Show parent in minicard:", - "prefix-with-full-path": "Prefix with full path", - "prefix-with-parent": "Prefix with parent", - "subtext-with-full-path": "Subtext with full path", - "subtext-with-parent": "Subtext with parent", - "change-card-parent": "Change card's parent", - "parent-card": "Parent card", - "source-board": "Source board", - "no-parent": "Don't show parent", - "activity-added-label": "added label '%s' to %s", - "activity-removed-label": "removed label '%s' from %s", - "activity-delete-attach": "deleted an attachment from %s", - "activity-added-label-card": "added label '%s'", - "activity-removed-label-card": "removed label '%s'", - "activity-delete-attach-card": "deleted an attachment", + "subtask-settings": "تنظیمات ریزکارها", + "boardSubtaskSettingsPopup-title": "تنظیمات ریزکار های برد", + "show-subtasks-field": "کارت می تواند ریزکار داشته باشد", + "deposit-subtasks-board": "افزودن ریزکار به برد:", + "deposit-subtasks-list": "لیست برای ریزکار های افزوده شده", + "show-parent-in-minicard": "نمایش خانواده در ریز کارت", + "prefix-with-full-path": "پیشوند با مسیر کامل", + "prefix-with-parent": "پیشوند با خانواده", + "subtext-with-full-path": "زیرنویس با مسیر کامل", + "subtext-with-parent": "زیرنویس با خانواده", + "change-card-parent": "تغییرخانواده کارت", + "parent-card": "کارت خانواده", + "source-board": "کارت مرجع", + "no-parent": "خانواده نمایش داده نشود", + "activity-added-label": "افزودن لیبل '%s' به %s", + "activity-removed-label": "حذف لیبل '%s' از %s", + "activity-delete-attach": "حذف ضمیمه از %s", + "activity-added-label-card": "افزودن لیبل '%s'", + "activity-removed-label-card": "حذف لیبل '%s'", + "activity-delete-attach-card": "حذف ضمیمه", "r-rule": "نقش", - "r-add-trigger": "Add trigger", - "r-add-action": "Add action", - "r-board-rules": "Board rules", + "r-add-trigger": "افزودن گیره", + "r-add-action": "افزودن عملیات", + "r-board-rules": "قوانین برد", "r-add-rule": "افزودن نقش", - "r-view-rule": "View rule", - "r-delete-rule": "Delete rule", - "r-new-rule-name": "New rule title", - "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", - "r-removed-from": "Removed from", - "r-the-board": "the board", - "r-list": "list", - "r-moved-to": "Moved to", - "r-moved-from": "Moved from", - "r-archived": "Moved to Archive", - "r-unarchived": "Restored from Archive", - "r-a-card": "a card", - "r-when-a-label-is": "When a label is", - "r-when-the-label-is": "When the label is", - "r-list-name": "List name", - "r-when-a-member": "When a member is", - "r-when-the-member": "When the member", - "r-name": "name", - "r-is": "is", - "r-when-a-attach": "When an attachment", - "r-when-a-checklist": "When a checklist is", - "r-when-the-checklist": "When the checklist", - "r-completed": "Completed", - "r-made-incomplete": "Made incomplete", - "r-when-a-item": "When a checklist item is", - "r-when-the-item": "When the checklist item", + "r-view-rule": "نمایش قانون", + "r-delete-rule": "حذف قانون", + "r-new-rule-name": "تیتر قانون جدید", + "r-no-rules": "بدون قانون", + "r-when-a-card-is": "زمانی که کارت هست", + "r-added-to": "افزودن به", + "r-removed-from": "حذف از", + "r-the-board": "برد", + "r-list": "لیست", + "r-moved-to": "انتقال به", + "r-moved-from": "انتقال از", + "r-archived": "انتقال به آرشیو", + "r-unarchived": "بازگردانی از آرشیو", + "r-a-card": "کارت", + "r-when-a-label-is": "زمانی که لیبل هست", + "r-when-the-label-is": "زمانی که لیبل هست", + "r-list-name": "نام لیست", + "r-when-a-member": "زمانی که کاربر هست", + "r-when-the-member": "زمانی که کاربر", + "r-name": "نام", + "r-is": "هست", + "r-when-a-attach": "زمانی که ضمیمه", + "r-when-a-checklist": "زمانی که چک لیست هست", + "r-when-the-checklist": "زمانی که چک لیست", + "r-completed": "تمام شده", + "r-made-incomplete": "تمام نشده", + "r-when-a-item": "زمانی که چک لیست ایتم هست", + "r-when-the-item": "زمانی که چک لیست ایتم", "r-checked": "انتخاب شده", "r-unchecked": "لغو انتخاب", "r-move-card-to": "انتقال کارت به", "r-top-of": "بالای", "r-bottom-of": "پایین", "r-its-list": "لیست خود", - "r-archive": "Move to Archive", - "r-unarchive": "Restore from Archive", + "r-archive": "انتقال به آرشیو", + "r-unarchive": "بازگردانی از آرشیو", "r-card": "کارت", "r-add": "افزودن", "r-remove": "حذف", @@ -595,8 +595,8 @@ "r-d-send-email-to": "به", "r-d-send-email-subject": "عنوان", "r-d-send-email-message": "پیام", - "r-d-archive": "Move card to Archive", - "r-d-unarchive": "Restore card from Archive", + "r-d-archive": "انتقال کارت به آرشیو", + "r-d-unarchive": "بازگردانی کارت از آرشیو", "r-d-add-label": "افزودن برچسب", "r-d-remove-label": "حذف برچسب", "r-d-add-member": "افزودن عضو", @@ -617,7 +617,7 @@ "authentication-type": "نوع اعتبارسنجی", "custom-product-name": "نام سفارشی محصول", "layout": "لایه", - "hide-logo": "Hide Logo", - "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "hide-logo": "مخفی سازی نماد", + "add-custom-html-after-body-start": "افزودن کد های HTML بعد از شروع", + "add-custom-html-before-body-end": "افزودن کد های HTML قبل از پایان" } \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 0033a846..2b13e730 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -14,7 +14,7 @@ "act-archivedBoard": "__board__ הועבר לארכיון", "act-archivedCard": "__card__ הועבר לארכיון", "act-archivedList": "__list__ הועבר לארכיון", - "act-archivedSwimlane": "__swimlane__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ נשמר בארכיון", "act-importBoard": "הלוח __board__ יובא", "act-importCard": "הכרטיס __card__ יובא", "act-importList": "הרשימה __list__ יובאה", @@ -84,7 +84,7 @@ "archive-board": "העברת הלוח לארכיון", "archive-card": "העברת הכרטיס לארכיון", "archive-list": "העברת הרשימה לארכיון", - "archive-swimlane": "Move Swimlane to Archive", + "archive-swimlane": "שמור נתיב זרימה לארכיון", "archive-selection": "העברת הבחירה לארכיון", "archiveBoardPopup-title": "האם להעביר לוח זה לארכיון?", "archived-items": "להעביר לארכיון", @@ -123,7 +123,7 @@ "card-comments-title": "לכרטיס זה %s תגובות.", "card-delete-notice": "מחיקה היא סופית. כל הפעולות המשויכות לכרטיס זה תלכנה לאיוד.", "card-delete-pop": "כל הפעולות יוסרו מלוח הפעילות ולא תהיה אפשרות לפתוח מחדש את הכרטיס. אין דרך חזרה.", - "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "על מנת להסיר כרטיסים מהלוח מבלי לאבד את היסטוריית הפעילות שלהם, ניתן לשמור אותם בארכיון.", "card-due": "תאריך יעד", "card-due-on": "תאריך יעד", "card-spent": "זמן שהושקע", @@ -166,7 +166,7 @@ "clipboard": "לוח גזירים או גרירה ושחרור", "close": "סגירה", "close-board": "סגירת לוח", - "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", + "close-board-pop": "ניתן לשחזר את הלוח בלחיצה על כפתור „ארכיונים“ מהכותרת העליונה.", "color-black": "שחור", "color-blue": "כחול", "color-green": "ירוק", @@ -287,16 +287,16 @@ "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "הלוח שייובא ימחק את כל הנתונים הקיימים בלוח ויחליף אותם בלוח שייובא.", "from-trello": "מ־Trello", - "from-wekan": "From previous export", + "from-wekan": "מייצוא קודם", "import-board-instruction-trello": "בלוח הטרלו שלך, עליך ללחוץ על ‚תפריט‘, ואז על ‚עוד‘, ‚הדפסה וייצוא‘, ‚יצוא JSON‘ ולהעתיק את הטקסט שנוצר.", "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", + "import-board-instruction-about-errors": "גם אם התקבלו שגיאות בעת ייבוא לוח, ייתכן שהייבוא עבד. כדי לבדוק זאת, יש להיכנס ל„כל הלוחות”.", "import-json-placeholder": "יש להדביק את נתוני ה־JSON התקינים לכאן", "import-map-members": "מיפוי חברים", - "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", + "import-members-map": "הלוחות המיובאים שלך מכילים חברים. בבקשה מפה את החברים שתרצה לייבא כמשתמשים", "import-show-user-mapping": "סקירת מיפוי חברים", - "import-user-select": "Pick your existing user you want to use as this member", - "importMapMembersAddPopup-title": "Select member", + "import-user-select": "נא לבחור את המשתמש ב־Wekan בו ברצונך להשתמש עבור חבר זה", + "importMapMembersAddPopup-title": "בחר משתמש", "info": "גרסא", "initials": "ראשי תיבות", "invalid-date": "תאריך שגוי", @@ -315,8 +315,8 @@ "leave-board-pop": "לעזוב את __boardTitle__? שמך יוסר מכל הכרטיסים שבלוח זה.", "leaveBoardPopup-title": "לעזוב לוח ?", "link-card": "קישור לכרטיס זה", - "list-archive-cards": "Move all cards in this list to Archive", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", + "list-archive-cards": "העברת כל הכרטיסים שברשימה זו לארכיון", + "list-archive-cards-pop": "כל הכרטיסים מרשימה זו יוסרו מהלוח. לצפייה בכרטיסים השמורים בארכיון ולהחזירם ללוח, לחצו \"תפריט\" > \"פריטים בארכיון\".", "list-move-cards": "העברת כל הכרטיסים שברשימה זו", "list-select-cards": "בחירת כל הכרטיסים שברשימה זו", "listActionPopup-title": "פעולות רשימה", @@ -325,7 +325,7 @@ "listMorePopup-title": "עוד", "link-list": "קישור לרשימה זו", "list-delete-pop": "כל הפעולות תוסרנה מרצף הפעילות ולא תהיה לך אפשרות לשחזר את הרשימה. אין ביטול.", - "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "ניתן לשמור רשימה בארכיון כדי להסיר אותה מהלוח ולשמור על היסטוריית הפעילות.", "lists": "רשימות", "swimlanes": "מסלולים", "log-out": "יציאה", @@ -347,7 +347,7 @@ "name": "שם", "no-archived-cards": "אין כרטיסים בארכיון", "no-archived-lists": "אין רשימות בארכיון", - "no-archived-swimlanes": "No swimlanes in Archive.", + "no-archived-swimlanes": "לא שמורים נתיבי זרימה בארכיון", "no-results": "אין תוצאות", "normal": "רגיל", "normal-desc": "הרשאה לצפות ולערוך כרטיסים. לא ניתן לשנות הגדרות.", @@ -483,8 +483,8 @@ "minutes": "דקות", "seconds": "שניות", "show-field-on-card": "הצגת שדה זה בכרטיס", - "automatically-field-on-card": "Auto create field to all cards", - "showLabel-field-on-card": "Show field label on minicard", + "automatically-field-on-card": "הוספת שדה לכל הכרטיסים", + "showLabel-field-on-card": "הצג תווית של השדה במיני כרטיס", "yes": "כן", "no": "לא", "accounts": "חשבונות", @@ -618,6 +618,6 @@ "custom-product-name": "שם מותאם אישית למוצר", "layout": "פריסה", "hide-logo": "הסתרת לוגו", - "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-after-body-start": "הוספת קוד HTML מותאם אישית בתחילת ה .", + "add-custom-html-before-body-end": "הוספת קוד HTML מותאם אישית בסוף ה." } \ No newline at end of file diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 03522434..1e3cc86c 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -1,6 +1,6 @@ { "accept": "Accetta", - "act-activity-notify": "Activity Notification", + "act-activity-notify": "Notifica attività ", "act-addAttachment": "ha allegato __attachment__ a __card__", "act-addSubtask": "ha aggiunto il sotto compito__checklist__in_card__", "act-addChecklist": "aggiunta checklist __checklist__ a __card__", @@ -11,10 +11,10 @@ "act-createCustomField": "campo personalizzato __customField__ creato", "act-createList": "ha aggiunto __list__ a __board__", "act-addBoardMember": "ha aggiunto __member__ a __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", + "act-archivedBoard": "__board__ spostata nell'archivio ", + "act-archivedCard": "__card__ spostata nell'archivio", + "act-archivedList": "__list__ spostato nell'archivio", + "act-archivedSwimlane": "__swimlane__ spostato nell'archivio", "act-importBoard": "ha importato __board__", "act-importCard": "ha importato __card__", "act-importList": "ha importato __list__", @@ -29,7 +29,7 @@ "activities": "Attività", "activity": "Attività", "activity-added": "ha aggiunto %s a %s", - "activity-archived": "%s moved to Archive", + "activity-archived": "%s spostato nell'archivio", "activity-attached": "allegato %s a %s", "activity-created": "creato %s", "activity-customfield-created": "Campo personalizzato creato", @@ -44,9 +44,9 @@ "activity-unjoined": "ha abbandonato %s", "activity-subtask-added": "aggiunto il sottocompito a 1%s", "activity-checked-item": " selezionata %s nella checklist %s di %s", - "activity-unchecked-item": "unchecked %s in checklist %s of %s", + "activity-unchecked-item": "disattivato %s nella checklist %s di %s", "activity-checklist-added": "aggiunta checklist a %s", - "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-removed": "È stata rimossa una checklist da%s", "activity-checklist-completed": "completed the checklist %s of %s", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "Aggiunto l'elemento checklist a '%s' in %s", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 138452ba..6389b240 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -296,7 +296,7 @@ "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Przejrzyj wybranych członków", "import-user-select": "Pick your existing user you want to use as this member", - "importMapMembersAddPopup-title": "Select member", + "importMapMembersAddPopup-title": "Wybierz użytkownika", "info": "Wersja", "initials": "Inicjały", "invalid-date": "Błędna data", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 1e8f3263..40b7529c 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -618,6 +618,6 @@ "custom-product-name": "Собственное наименование", "layout": "Внешний вид", "hide-logo": "Скрыть логотип", - "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-after-body-start": "Добавить HTML после начала ", + "add-custom-html-before-body-end": "Добавить HTML до завершения " } \ No newline at end of file diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 1e8aadec..18ebc4b1 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -1,26 +1,26 @@ { "accept": "Прийняти", - "act-activity-notify": "Activity Notification", + "act-activity-notify": "Сповіщення діяльності", "act-addAttachment": "__attachment__ додане до __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "комментар в __card__: __comment__", - "act-createBoard": "__board__ створенна", - "act-createCard": "__card__ карта додана до __list__ листа", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "imported __board__", + "act-addSubtask": "додав підзадачу __checklist__ до __card__", + "act-addChecklist": "додав список __checklist__ до __card__", + "act-addChecklistItem": "додав __checklistItem__ до списку __checklist__ в __card__", + "act-addComment": "прокоментував __card__: __comment__", + "act-createBoard": "створив __board__", + "act-createCard": "додав __card__ до __list__", + "act-createCustomField": "створено налаштовуване поле __customField__", + "act-createList": "додав __list__ до __board__", + "act-addBoardMember": "додав __member__ до __board__", + "act-archivedBoard": "__board__ перенесена до архіву", + "act-archivedCard": "__card__ перенесена до архіву", + "act-archivedList": "__list__ перенесений до архіву", + "act-archivedSwimlane": "__swimlane__ перенесений до архіву", + "act-importBoard": "__board__ імпортована", "act-importCard": "__card__ заімпортована", - "act-importList": "imported __list__", + "act-importList": "__list__ імпортовано", "act-joinMember": "__member__ був доданий до __card__", "act-moveCard": " __card__ була перенесена з __oldList__ до __list__", - "act-removeBoardMember": "removed __member__ from __board__", + "act-removeBoardMember": "__member__ видалений з __board__", "act-restoredCard": " __card__ відновлена у __board__", "act-unjoinMember": " __member__ був виделений з __card__", "act-withBoardTitle": "__board__", @@ -28,24 +28,24 @@ "actions": "Дії", "activities": "Діяльність", "activity": "Активність", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Archive", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", + "activity-added": "додав %s до %s", + "activity-archived": "%s перенесено до архіву", + "activity-attached": "прикріпив %s до %s", + "activity-created": "створив %s", + "activity-customfield-created": "створив налаштовуване поле", + "activity-excluded": "виключено %s з %s", + "activity-imported": "імпортовано %s до %s з %s", + "activity-imported-board": "імпортовано %s з %s", + "activity-joined": "приєднався %s", + "activity-moved": "переміщений %s з %s до %s", + "activity-on": "%s", + "activity-removed": "видалив %s з %s", + "activity-sent": "відправив %s до %s", "activity-unjoined": "unjoined %s", - "activity-subtask-added": "added subtask to %s", + "activity-subtask-added": "додав підзадачу до %s", "activity-checked-item": "checked %s in checklist %s of %s", "activity-unchecked-item": "unchecked %s in checklist %s of %s", - "activity-checklist-added": "added checklist to %s", + "activity-checklist-added": "додав список до %s", "activity-checklist-removed": "removed a checklist from %s", "activity-checklist-completed": "completed the checklist %s of %s", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", @@ -57,15 +57,15 @@ "activity-checklist-completed-card": "completed the checklist %s", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", + "add-board": "Додати дошку", + "add-card": "Додати картку", "add-swimlane": "Add Swimlane", "add-subtask": "Add Subtask", "add-checklist": "Add Checklist", "add-checklist-item": "Додати елемент в список", "add-cover": "Додати обкладинку", - "add-label": "Add Label", - "add-list": "Add List", + "add-label": "Додати мітку", + "add-list": "Додати список", "add-members": "Додати користувача", "added": "Доданно", "addMemberPopup-title": "Користувачі", @@ -78,7 +78,7 @@ "and-n-other-card": "та __count__ інших карток", "and-n-other-card_plural": "та __count__ інших карток", "apply": "Прийняти", - "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", + "app-is-offline": "Завантаження, будь ласка, зачекайте. Оновлення сторінки призведе до втрати даних. Якщо завантаження не працює, перевірте, чи не зупинився сервер.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -88,32 +88,32 @@ "archive-selection": "Move selection to Archive", "archiveBoardPopup-title": "Move Board to Archive?", "archived-items": "Архів", - "archived-boards": "Boards in Archive", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Archive.", + "archived-boards": "Дошки в архіві", + "restore-board": "Відновити дошку", + "no-archived-boards": "Немає дошок в архіві", "archives": "Архів", "assign-member": "Assign member", "attached": "доданно", "attachment": "Додаток", "attachment-delete-pop": "Видалення Додатку безповоротне. Тут нема відміні (undo).", "attachmentDeletePopup-title": "Видалити Додаток?", - "attachments": "Attachments", + "attachments": "Додатки", "auto-watch": "Automatically watch boards when they are created", "avatar-too-big": "The avatar is too large (70KB max)", "back": "Назад", - "board-change-color": "Change color", + "board-change-color": "Змінити колір", "board-nb-stars": "%s stars", - "board-not-found": "Board not found", + "board-not-found": "Дошка не знайдена", "board-private-info": "This board will be private.", "board-public-info": "This board will be public.", "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", + "boardChangeTitlePopup-title": "Перейменувати дошку", "boardChangeVisibilityPopup-title": "Change Visibility", "boardChangeWatchPopup-title": "Change Watch", "boardMenuPopup-title": "Board Menu", "boards": "Дошки", "board-view": "Board View", - "board-view-cal": "Calendar", + "board-view-cal": "Календар", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Lists", "bucket-example": "Like “Bucket List” for example", @@ -121,16 +121,16 @@ "card-archived": "This card is moved to Archive.", "board-archived": "This board is moved to Archive.", "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", + "card-delete-notice": "Цю дію неможливо буде скасувати. Всі зміни, які ви вносили в картку будуть втрачені.", + "card-delete-pop": "Усі дії буде видалено з каналу активності, і ви не зможете повторно відкрити картку. Цю дію не можна скасувати.", + "card-delete-suggest-archive": "Ви можете перемістити картку до архіву, щоб прибрати її з дошки, зберігаючи всю історію дій учасників.", "card-due": "Due", "card-due-on": "Due on", - "card-spent": "Spent Time", + "card-spent": "Витрачено часу", "card-edit-attachments": "Edit attachments", "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", + "card-edit-labels": "Редагувати мітки", + "card-edit-members": "Редагувати учасників", "card-labels-title": "Change the labels for the card.", "card-members-title": "Add or remove members of the board from the card.", "card-start": "Start", @@ -138,55 +138,55 @@ "cardAttachmentsPopup-title": "Attach From", "cardCustomField-datePopup-title": "Change date", "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", + "cardDeletePopup-title": "Видалити картку?", "cardDetailsActionsPopup-title": "Card Actions", "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Користувачі", "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", + "cards": "Картки", + "cards-count": "Картки", "casSignIn": "Sign In with CAS", - "cardType-card": "Card", + "cardType-card": "Картка", "cardType-linkedCard": "Linked Card", "cardType-linkedBoard": "Linked Board", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", + "change": "Змінити", + "change-avatar": "Змінити аватар", + "change-password": "Змінити пароль", "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", + "change-settings": "Змінити налаштування", + "changeAvatarPopup-title": "Змінити аватар", + "changeLanguagePopup-title": "Змінити мову", + "changePasswordPopup-title": "Змінити пароль", "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "subtasks": "Subtasks", + "changeSettingsPopup-title": "Змінити налаштування", + "subtasks": "Підзадачі", "checklists": "Checklists", "click-to-star": "Click to star this board.", "click-to-unstar": "Click to unstar this board.", "clipboard": "Clipboard or drag & drop", - "close": "Close", + "close": "Закрити", "close-board": "Close Board", "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-green": "green", - "color-lime": "lime", - "color-orange": "orange", - "color-pink": "pink", - "color-purple": "purple", - "color-red": "red", + "color-black": "чорний", + "color-blue": "синій", + "color-green": "зелений", + "color-lime": "лайм", + "color-orange": "помаранчевий", + "color-pink": "рожевий", + "color-purple": "фіолетовий", + "color-red": "червоний", "color-sky": "sky", - "color-yellow": "yellow", - "comment": "Comment", - "comment-placeholder": "Write Comment", + "color-yellow": "жовтий", + "comment": "Коментар", + "comment-placeholder": "Написати коментар", "comment-only": "Comment only", "comment-only-desc": "Can comment on cards only.", - "no-comments": "No comments", + "no-comments": "Немає коментарів", "no-comments-desc": "Can not see comments and activities.", "computer": "Computer", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", - "copy-card-link-to-clipboard": "Copy card link to clipboard", + "copy-card-link-to-clipboard": "Скопіювати посилання на картку в буфер обміну", "linkCardPopup-title": "Link Card", "searchCardPopup-title": "Search Card", "copyCardPopup-title": "Copy Card", @@ -224,7 +224,7 @@ "done": "Done", "download": "Download", "edit": "Edit", - "edit-avatar": "Change Avatar", + "edit-avatar": "Змінити аватар", "edit-profile": "Edit Profile", "edit-wip-limit": "Edit WIP Limit", "soft-wip-limit": "Soft WIP Limit", @@ -284,7 +284,7 @@ "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", "import-board-title-wekan": "Import board from previous export", - "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-sandstorm-backup-warning": "Не видаляйте імпортовані дані з раніше збереженої дошки або Trello, поки не переконаєтеся, що імпорт завершився успішно - вдається закрити і знову відкрити дошку, і не з'являється помилка «Дошка не знайдена», що означає втрату даних.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", "from-trello": "From Trello", "from-wekan": "From previous export", @@ -368,7 +368,7 @@ "private-desc": "This board is private. Only people added to the board can view and edit it.", "profile": "Profile", "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "public-desc": "Цю дошку можуть переглядати усі, у кого є посилання. Також ця дошка може бути проіндексована пошуковими системами. Вносити зміни можуть тільки учасники.", "quick-access-description": "Star a board to add a shortcut in this bar.", "remove-cover": "Remove Cover", "remove-from-board": "Remove from Board", @@ -379,7 +379,7 @@ "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", "removeMemberPopup-title": "Remove Member?", "rename": "Rename", - "rename-board": "Rename Board", + "rename-board": "Перейменувати дошку", "restore": "Restore", "save": "Save", "search": "Search", @@ -417,7 +417,7 @@ "time": "Time", "title": "Title", "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "tracking-info": "Ви будете повідомлені про будь-які зміни в тих картках, в яких ви є творцем або учасником.", "type": "Type", "unassign-member": "Unassign member", "unsaved-description": "You have an unsaved description.", @@ -437,8 +437,8 @@ "welcome-list2": "Advanced", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "wipLimitErrorPopup-dialog-pt1": "Кількість завдань у цьому списку перевищує встановлений вами ліміт", + "wipLimitErrorPopup-dialog-pt2": "Будь ласка, перенесіть деякі завдання з цього списку або збільште ліміт на кількість завдань", "admin-panel": "Admin Panel", "settings": "Settings", "people": "People", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index b6be13ae..76e062ce 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -1,6 +1,6 @@ { "accept": "接受", - "act-activity-notify": "Activity Notification", + "act-activity-notify": "活动通知", "act-addAttachment": "添加附件 __attachment__ 至卡片 __card__", "act-addSubtask": "添加清单 __checklist__ 到__card__", "act-addChecklist": "添加清单 __checklist__ 到 __card__", @@ -23,7 +23,7 @@ "act-removeBoardMember": "从看板 __board__ 移除成员 __member__", "act-restoredCard": "恢复卡片 __card__ 至看板 __board__", "act-unjoinMember": "从卡片 __card__ 移除成员 __member__", - "act-withBoardTitle": "__board__", + "act-withBoardTitle": "看板__board__", "act-withCardTitle": "[看板 __board__] 卡片 __card__", "actions": "操作", "activities": "活动", @@ -43,7 +43,7 @@ "activity-sent": "发送 %s 至 %s", "activity-unjoined": "已解除 %s 关联", "activity-subtask-added": "添加子任务到%s", - "activity-checked-item": "勾选%s于清单 %s 共 %s", + "activity-checked-item": "勾选%s于清单%s 共 %s", "activity-unchecked-item": "未勾选 %s 于清单 %s 共 %s", "activity-checklist-added": "已经将清单添加到 %s", "activity-checklist-removed": "已从%s移除待办清单", @@ -78,19 +78,19 @@ "and-n-other-card": "和其他 __count__ 个卡片", "and-n-other-card_plural": "和其他 __count__ 个卡片", "apply": "应用", - "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", + "app-is-offline": "加载中,请稍后。刷新页面将导致数据丢失,如果加载长时间不起作用,请检查服务器是否已经停止工作。", "archive": "归档", - "archive-all": "Move All to Archive", - "archive-board": "Move Board to Archive", - "archive-card": "Move Card to Archive", - "archive-list": "Move List to Archive", - "archive-swimlane": "Move Swimlane to Archive", - "archive-selection": "Move selection to Archive", - "archiveBoardPopup-title": "Move Board to Archive?", + "archive-all": "全部归档", + "archive-board": "将看板归档", + "archive-card": "将卡片归档", + "archive-list": "将列表归档", + "archive-swimlane": "将泳道归档", + "archive-selection": "将选择归档", + "archiveBoardPopup-title": "是否归档看板?", "archived-items": "归档", - "archived-boards": "Boards in Archive", + "archived-boards": "归档的看板", "restore-board": "还原看板", - "no-archived-boards": "No Boards in Archive.", + "no-archived-boards": "没有归档的看板。", "archives": "归档", "assign-member": "分配成员", "attached": "附加", @@ -118,12 +118,12 @@ "board-view-lists": "列表", "bucket-example": "例如 “目标清单”", "cancel": "取消", - "card-archived": "This card is moved to Archive.", - "board-archived": "This board is moved to Archive.", + "card-archived": "归档这个卡片。", + "board-archived": "归档这个看板。", "card-comments-title": "该卡片有 %s 条评论", "card-delete-notice": "彻底删除的操作不可恢复,你将会丢失该卡片相关的所有操作记录。", "card-delete-pop": "所有的活动将从活动摘要中被移除且您将无法重新打开该卡片。此操作无法撤销。", - "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "您可以移动卡片到活动以便从看板中删除并保持活动。", "card-due": "到期", "card-due-on": "期限", "card-spent": "耗时", @@ -166,7 +166,7 @@ "clipboard": "剪贴板或者拖放文件", "close": "关闭", "close-board": "关闭看板", - "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", + "close-board-pop": "您可以通过主页头部的“归档”按钮,来恢复看板。", "color-black": "黑色", "color-blue": "蓝色", "color-green": "绿色", @@ -283,20 +283,20 @@ "import-board": "导入看板", "import-board-c": "导入看板", "import-board-title-trello": "从Trello导入看板", - "import-board-title-wekan": "Import board from previous export", - "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "从以前的导出数据导入看板", + "import-sandstorm-backup-warning": "在检查此颗粒是否关闭和再次打开之前,不要删除从原始导出的看板或Trello导入的数据,否则看板会发生未知的错误,这将意味着数据丢失。", "import-sandstorm-warning": "导入的面板将删除所有已存在于面板上的数据并替换他们为导入的面板。 ", "from-trello": "自 Trello", - "from-wekan": "From previous export", + "from-wekan": "自以前的导出", "import-board-instruction-trello": "在你的Trello看板中,点击“菜单”,然后选择“更多”,“打印与导出”,“导出为 JSON” 并拷贝结果文本", - "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "在您的看板,点击“菜单”,然后“导出看板”,复制下载文件中的文本。", "import-board-instruction-about-errors": "如果在导入看板时出现错误,导入工作可能仍然在进行中,并且看板已经出现在全部看板页。", "import-json-placeholder": "粘贴您有效的 JSON 数据至此", "import-map-members": "映射成员", - "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", + "import-members-map": "您导入的看板有一些成员,请映射这些成员到您导入的用户。", "import-show-user-mapping": "核对成员映射", - "import-user-select": "Pick your existing user you want to use as this member", - "importMapMembersAddPopup-title": "Select member", + "import-user-select": "为这个成员选择您已经存在的用户", + "importMapMembersAddPopup-title": "选择成员", "info": "版本", "initials": "缩写", "invalid-date": "无效日期", @@ -315,8 +315,8 @@ "leave-board-pop": "确认要离开 __boardTitle__ 吗?此看板的所有卡片都会将您移除。", "leaveBoardPopup-title": "离开看板?", "link-card": "关联至该卡片", - "list-archive-cards": "Move all cards in this list to Archive", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", + "list-archive-cards": "将此列表中的所有卡片归档", + "list-archive-cards-pop": "将移动看板中列表的所有卡片,查看或回复归档中的卡片,点击“菜单”->“归档”", "list-move-cards": "移动列表中的所有卡片", "list-select-cards": "选择列表中的所有卡片", "listActionPopup-title": "列表操作", @@ -325,7 +325,7 @@ "listMorePopup-title": "更多", "link-list": "关联到这个列表", "list-delete-pop": "所有活动将被从活动动态中删除并且你无法恢复他们,此操作无法撤销。 ", - "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "您可以移动列表到归档以将其从看板中移除并保留活动。", "lists": "列表", "swimlanes": "泳道图", "log-out": "登出", @@ -345,9 +345,9 @@ "muted-info": "你将不会收到此看板的任何变更通知", "my-boards": "我的看板", "name": "名称", - "no-archived-cards": "No cards in Archive.", - "no-archived-lists": "No lists in Archive.", - "no-archived-swimlanes": "No swimlanes in Archive.", + "no-archived-cards": "存档中没有卡片。", + "no-archived-lists": "存档中没有清单。", + "no-archived-swimlanes": "存档中没有泳道。", "no-results": "无结果", "normal": "普通", "normal-desc": "可以创建以及编辑卡片,无法更改设置。", @@ -427,7 +427,7 @@ "uploaded-avatar": "头像已经上传", "username": "用户名", "view-it": "查看", - "warn-list-archived": "warning: this card is in an list at Archive", + "warn-list-archived": "警告:此卡片在列表归档中", "watch": "关注", "watching": "关注", "watching-info": "当此看板发生变更时会通知你", @@ -460,8 +460,8 @@ "send-smtp-test": "给自己发送一封测试邮件", "invitation-code": "邀请码", "email-invite-register-subject": "__inviter__ 向您发出邀请", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email", + "email-invite-register-text": "亲爱的__user__:\n__inviter__ 邀请您加入到看板\n\n请点击下面的链接:\n__url__\n\n您的邀请码是:__icode__\n\n谢谢。", + "email-smtp-test-subject": "通过SMTP发送测试邮件", "email-smtp-test-text": "你已成功发送邮件", "error-invitation-code-not-exist": "邀请码不存在", "error-notAuthorized": "您无权查看此页面。", @@ -531,7 +531,7 @@ "r-rule": "规则", "r-add-trigger": "添加触发器", "r-add-action": "添加行动", - "r-board-rules": "面板规则", + "r-board-rules": "看板规则", "r-add-rule": "添加规则", "r-view-rule": "查看规则", "r-delete-rule": "删除规则", @@ -544,12 +544,12 @@ "r-list": "列表", "r-moved-to": "移至", "r-moved-from": "已移动", - "r-archived": "Moved to Archive", - "r-unarchived": "Restored from Archive", + "r-archived": "已移动到归档", + "r-unarchived": "已从归档中恢复", "r-a-card": "一个卡片", "r-when-a-label-is": "当一个标签是", "r-when-the-label-is": "当该标签是", - "r-list-name": "清单名称", + "r-list-name": "列表名称", "r-when-a-member": "当一个成员是", "r-when-the-member": "当该成员", "r-name": "名称", @@ -566,9 +566,9 @@ "r-move-card-to": "移动卡片到", "r-top-of": "的顶部", "r-bottom-of": "的尾部", - "r-its-list": "其清单", + "r-its-list": "其列表", "r-archive": "归档", - "r-unarchive": "Restore from Archive", + "r-unarchive": "从归档中恢复", "r-card": "卡片", "r-add": "添加", "r-remove": "移除", @@ -587,29 +587,29 @@ "r-to": "收件人", "r-subject": "标题", "r-rule-details": "规则详情", - "r-d-move-to-top-gen": "移动卡片到其清单顶部", - "r-d-move-to-top-spec": "移动卡片到清单顶部", - "r-d-move-to-bottom-gen": "移动卡片到其清单尾部", - "r-d-move-to-bottom-spec": "移动卡片到清单尾部", + "r-d-move-to-top-gen": "移动卡片到其列表顶部", + "r-d-move-to-top-spec": "移动卡片到列表顶部", + "r-d-move-to-bottom-gen": "移动卡片到其列表尾部", + "r-d-move-to-bottom-spec": "移动卡片到列表尾部", "r-d-send-email": "发送邮件", "r-d-send-email-to": "收件人", "r-d-send-email-subject": "标题", "r-d-send-email-message": "消息", - "r-d-archive": "Move card to Archive", - "r-d-unarchive": "Restore card from Archive", + "r-d-archive": "将卡片归档", + "r-d-unarchive": "从归档中恢复卡片", "r-d-add-label": "添加标签", "r-d-remove-label": "移除标签", "r-d-add-member": "添加成员", "r-d-remove-member": "移除成员", "r-d-remove-all-member": "移除所有成员", - "r-d-check-all": "勾选所有清单项", - "r-d-uncheck-all": "取消勾选所有清单项", + "r-d-check-all": "勾选所有列表项", + "r-d-uncheck-all": "取消勾选所有列表项", "r-d-check-one": "勾选该项", "r-d-uncheck-one": "取消勾选", "r-d-check-of-list": "清单的", "r-d-add-checklist": "添加待办清单", - "r-d-remove-checklist": "移除待办清单", - "r-when-a-card-is-moved": "当移动卡片到另一个清单时", + "r-d-remove-checklist": "移动待办清单", + "r-when-a-card-is-moved": "当移动卡片到另一个列表时", "ldap": "LDAP", "oauth2": "OAuth2", "cas": "CAS", @@ -617,7 +617,7 @@ "authentication-type": "认证类型", "custom-product-name": "自定义产品名称", "layout": "布局", - "hide-logo": "Hide Logo", - "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "hide-logo": "隐藏LOGO", + "add-custom-html-after-body-start": "添加定制的HTML在开始之前", + "add-custom-html-before-body-end": "添加定制的HTML在结束之后" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From d70ad9d73308656942c6e698012684cd0d3db399 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 18 Dec 2018 19:42:04 +0200 Subject: - Comment out extra node version. Thanks to xet7 ! --- stacksmith/user-scripts/build.sh | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/stacksmith/user-scripts/build.sh b/stacksmith/user-scripts/build.sh index a8f756e6..e113f839 100755 --- a/stacksmith/user-scripts/build.sh +++ b/stacksmith/user-scripts/build.sh @@ -9,7 +9,7 @@ METEOR_EDGE=1.5-beta.17 NPM_VERSION=latest FIBERS_VERSION=2.0.0 ARCHITECTURE=linux-x64 -NODE_VERSION=v10.14.1 +#NODE_VERSION=v10.14.1 sudo yum groupinstall -y 'Development Tools' sudo yum install -y http://opensource.wandisco.com/centos/7/git/x86_64/wandisco-git-release-7-2.noarch.rpm -- cgit v1.2.3-1-g7c22 From 0ade4dbf000cb10461e773f00671ba0892740275 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 18 Dec 2018 20:05:10 +0200 Subject: - Use wekan/wekan repo. Thanks to xet7 ! --- stacksmith/user-scripts/build.sh | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/stacksmith/user-scripts/build.sh b/stacksmith/user-scripts/build.sh index e113f839..72c7a1de 100755 --- a/stacksmith/user-scripts/build.sh +++ b/stacksmith/user-scripts/build.sh @@ -19,7 +19,7 @@ sudo useradd --user-group --system --home-dir /home/wekan wekan sudo mkdir -p /home/wekan sudo chown wekan:wekan /home/wekan/ -sudo -u wekan git clone https://github.com/j-fuentes/wekan.git /home/wekan/app +sudo -u wekan git clone https://github.com/wekan/wekan.git /home/wekan/app sudo yum install -y ${BUILD_DEPS} -- cgit v1.2.3-1-g7c22 From 2fbcf7e9b61702a2c3311f813de2bb12a754b2b2 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 18 Dec 2018 20:22:11 +0200 Subject: v1.94 --- CHANGELOG.md | 12 +++++++++++- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 15 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index fb9436d5..ce29cfb7 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,13 @@ +# v1.94 2018-12-18 Wekan version + +This release adds the following new features: + +- Admin Panel / Layout / Custom HTML after `` start, and Custom HTML before `` end. + In progress, does not work yet. Thanks to xet7. +- Add Bitnami Stacksmith. In progress test version, that does work, but is not released yet. Thanks to j-fuentes. + +Thanks to above GitHub users for their contributions. + # v1.93 2018-12-16 Wekan release This release adds the following new features: @@ -5,7 +15,7 @@ This release adds the following new features: - In translations, only show name "Wekan" in Admin Panel Wekan version. Elsewhere use general descriptions for whitelabeling. -Thanks to GitHub user xet7 for contributions. +Thanks to GitHub user xet7 and translators for their contributions. # v1.92 2018-12-16 Wekan release diff --git a/Stackerfile.yml b/Stackerfile.yml index 1922d538..625f4354 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v1.85.0" +appVersion: "v1.94.0" files: userUploads: - README.md diff --git a/package.json b/package.json index a86c616f..25835b13 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.93.0", + "version": "v1.94.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 9790e2d4..f0f4cc71 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 195, + appVersion = 196, # Increment this for every release. - appMarketingVersion = (defaultText = "1.93.0~2018-12-16"), + appMarketingVersion = (defaultText = "1.94.0~2018-12-18"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 72e905675da64d403c2b9a5c51deb01d9084af85 Mon Sep 17 00:00:00 2001 From: guillaume Date: Wed, 19 Dec 2018 13:41:21 +0100 Subject: Removes the dropdown for the authentication method --- client/components/main/layouts.jade | 1 - client/components/main/layouts.js | 90 +++++++++++------------- client/components/settings/connectionMethod.jade | 6 -- client/components/settings/connectionMethod.js | 34 --------- 4 files changed, 41 insertions(+), 90 deletions(-) delete mode 100644 client/components/settings/connectionMethod.jade delete mode 100644 client/components/settings/connectionMethod.js diff --git a/client/components/main/layouts.jade b/client/components/main/layouts.jade index 55ee2686..1c22fee6 100644 --- a/client/components/main/layouts.jade +++ b/client/components/main/layouts.jade @@ -23,7 +23,6 @@ template(name="userFormsLayout") br section.auth-dialog +Template.dynamic(template=content) - +connectionMethod if isCas .at-form button#cas(class='at-btn submit' type='submit') {{casSignInLabel}} diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index a50d167e..7c060ca5 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -6,29 +6,14 @@ const i18nTagToT9n = (i18nTag) => { return i18nTag; }; -const validator = { - set(obj, prop, value) { - if (prop === 'state' && value !== 'signIn') { - $('.at-form-authentication').hide(); - } else if (prop === 'state' && value === 'signIn') { - $('.at-form-authentication').show(); - } - // The default behavior to store the value - obj[prop] = value; - // Indicate success - return true; - }, -}; - -Template.userFormsLayout.onCreated(() => { +Template.userFormsLayout.onCreated(function() { + Meteor.call('getDefaultAuthenticationMethod', (error, result) => { + this.data.defaultAuthenticationMethod = new ReactiveVar(error ? undefined : result); + }); Meteor.subscribe('setting'); - }); Template.userFormsLayout.onRendered(() => { - - AccountsTemplates.state.form.keys = new Proxy(AccountsTemplates.state.form.keys, validator); - const i18nTag = navigator.language; if (i18nTag) { T9n.setLanguage(i18nTagToT9n(i18nTag)); @@ -101,13 +86,11 @@ Template.userFormsLayout.events({ } }); }, - 'click #at-btn'(event) { - /* All authentication method can be managed/called here. - !! DON'T FORGET to correctly fill the fields of the user during its creation if necessary authenticationMethod : String !! - */ - const authenticationMethodSelected = $('.select-authentication').val(); - // Local account - if (authenticationMethodSelected === 'password') { + 'click #at-btn'(event, instance) { + const email = $('#at-field-username_and_email').val(); + const password = $('#at-field-password').val(); + + if (FlowRouter.getRouteName() !== 'atSignIn' || password === '' || email === '') { return; } @@ -115,29 +98,11 @@ Template.userFormsLayout.events({ event.preventDefault(); event.stopImmediatePropagation(); - const email = $('#at-field-username_and_email').val(); - const password = $('#at-field-password').val(); - - // Ldap account - if (authenticationMethodSelected === 'ldap') { - // Check if the user can use the ldap connection - Meteor.subscribe('user-authenticationMethod', email, { - onReady() { - const user = Users.findOne(); - if (user === undefined || user.authenticationMethod === 'ldap') { - // Use the ldap connection package - Meteor.loginWithLDAP(email, password, function(error) { - if (!error) { - // Connection - return FlowRouter.go('/'); - } - return error; - }); - } - return this.stop(); - }, - }); - } + Meteor.subscribe('user-authenticationMethod', email, { + onReady() { + return authentication.call(this, instance, email, password); + }, + }); }, }); @@ -146,3 +111,30 @@ Template.defaultLayout.events({ Modal.close(); }, }); + +function authentication(instance, email, password) { + const user = Users.findOne(); + + // Authentication with password + if (user && user.authenticationMethod === 'password') { + $('#at-pwd-form').submit(); + return this.stop(); + } + + const authenticationMethod = user ? + user.authenticationMethod : + instance.data.defaultAuthenticationMethod.get(); + + // Authentication with LDAP + if (authenticationMethod === 'ldap') { + // Use the ldap connection package + Meteor.loginWithLDAP(email, password, function(error) { + if (!error) { + return FlowRouter.go('/'); + } + return error; + }); + } + + return this.stop(); +} diff --git a/client/components/settings/connectionMethod.jade b/client/components/settings/connectionMethod.jade deleted file mode 100644 index ac4c8c64..00000000 --- a/client/components/settings/connectionMethod.jade +++ /dev/null @@ -1,6 +0,0 @@ -template(name='connectionMethod') - div.at-form-authentication - label {{_ 'authentication-method'}} - select.select-authentication - each authentications - option(value="{{value}}") {{_ value}} diff --git a/client/components/settings/connectionMethod.js b/client/components/settings/connectionMethod.js deleted file mode 100644 index 9fe8f382..00000000 --- a/client/components/settings/connectionMethod.js +++ /dev/null @@ -1,34 +0,0 @@ -Template.connectionMethod.onCreated(function() { - this.authenticationMethods = new ReactiveVar([]); - - Meteor.call('getAuthenticationsEnabled', (_, result) => { - if (result) { - // TODO : add a management of different languages - // (ex {value: ldap, text: TAPi18n.__('ldap', {}, T9n.getLanguage() || 'en')}) - this.authenticationMethods.set([ - {value: 'password'}, - // Gets only the authentication methods availables - ...Object.entries(result).filter((e) => e[1]).map((e) => ({value: e[0]})), - ]); - } - - // If only the default authentication available, hides the select boxe - const content = $('.at-form-authentication'); - if (!(this.authenticationMethods.get().length > 1)) { - content.hide(); - } else { - content.show(); - } - }); -}); - -Template.connectionMethod.onRendered(() => { - // Moves the select boxe in the first place of the at-pwd-form div - $('.at-form-authentication').detach().prependTo('.at-pwd-form'); -}); - -Template.connectionMethod.helpers({ - authentications() { - return Template.instance().authenticationMethods.get(); - }, -}); -- cgit v1.2.3-1-g7c22 From 6b145bb3cca96c16e9b410b6597a3c010cdfe9d7 Mon Sep 17 00:00:00 2001 From: guillaume Date: Wed, 19 Dec 2018 13:42:51 +0100 Subject: Add a new env var to select the default authentication method --- Dockerfile | 4 +++- docker-compose-build.yml | 3 +++ docker-compose-postgresql.yml | 3 +++ docker-compose.yml | 3 +++ models/settings.js | 4 ++++ sandstorm-pkgdef.capnp | 3 ++- snap-src/bin/config | 7 ++++++- 7 files changed, 24 insertions(+), 3 deletions(-) diff --git a/Dockerfile b/Dockerfile index 1383883e..b64b124a 100644 --- a/Dockerfile +++ b/Dockerfile @@ -70,6 +70,7 @@ ARG LOGOUT_IN ARG LOGOUT_ON_HOURS ARG LOGOUT_ON_MINUTES ARG CORS +ARG DEFAULT_AUTHENTICATION_METHOD # Set the environment variables (defaults where required) # DOES NOT WORK: paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303 @@ -142,7 +143,8 @@ ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential pyth LOGOUT_IN="" \ LOGOUT_ON_HOURS="" \ LOGOUT_ON_MINUTES="" \ - CORS="" + CORS="" \ + DEFAULT_AUTHENTICATION_METHOD="" # Copy the app to the image COPY ${SRC_PATH} /home/wekan/app diff --git a/docker-compose-build.yml b/docker-compose-build.yml index a3ee2bd6..f75e7580 100644 --- a/docker-compose-build.yml +++ b/docker-compose-build.yml @@ -223,6 +223,9 @@ services: # LOGOUT_ON_MINUTES : The number of minutes # example : LOGOUT_ON_MINUTES=55 #- LOGOUT_ON_MINUTES= + # DEFAULT_AUTHENTICATION_METHOD : The default authentication method used if a user does not exist to create and authenticate him + # example : DEFAULT_AUTHENTICATION_METHOD=ldap + #- DEFAULT_AUTHENTICATION_METHOD= depends_on: - wekandb diff --git a/docker-compose-postgresql.yml b/docker-compose-postgresql.yml index ab15d978..2f557fa5 100644 --- a/docker-compose-postgresql.yml +++ b/docker-compose-postgresql.yml @@ -245,6 +245,9 @@ services: # LOGOUT_ON_MINUTES : The number of minutes # example : LOGOUT_ON_MINUTES=55 #- LOGOUT_ON_MINUTES= + # DEFAULT_AUTHENTICATION_METHOD : The default authentication method used if a user does not exist to create and authenticate him + # example : DEFAULT_AUTHENTICATION_METHOD=ldap + #- DEFAULT_AUTHENTICATION_METHOD= depends_on: - mongodb diff --git a/docker-compose.yml b/docker-compose.yml index 0cb58cff..bb2f833d 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -212,6 +212,9 @@ services: # LOGOUT_ON_MINUTES : The number of minutes # example : LOGOUT_ON_MINUTES=55 #- LOGOUT_ON_MINUTES= + # DEFAULT_AUTHENTICATION_METHOD : The default authentication method used if a user does not exist to create and authenticate him + # example : DEFAULT_AUTHENTICATION_METHOD=ldap + #- DEFAULT_AUTHENTICATION_METHOD= depends_on: - wekandb diff --git a/models/settings.js b/models/settings.js index bfd844b0..97bbe878 100644 --- a/models/settings.js +++ b/models/settings.js @@ -260,5 +260,9 @@ if (Meteor.isServer) { cas: isCasEnabled(), }; }, + + getDefaultAuthenticationMethod() { + return process.env.DEFAULT_AUTHENTICATION_METHOD; + } }); } diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index f0f4cc71..720ce87c 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -254,6 +254,7 @@ const myCommand :Spk.Manifest.Command = ( (key = "OAUTH2_TOKEN_ENDPOINT", value=""), (key = "LDAP_ENABLE", value="false"), (key = "SANDSTORM", value = "1"), - (key = "METEOR_SETTINGS", value = "{\"public\": {\"sandstorm\": true}}") + (key = "METEOR_SETTINGS", value = "{\"public\": {\"sandstorm\": true}}"), + (key = "DEFAULT_AUTHENTICATION_METHOD", value = "") ] ); diff --git a/snap-src/bin/config b/snap-src/bin/config index 92532978..0cd3f298 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -3,7 +3,7 @@ # All supported keys are defined here together with descriptions and default values # list of supported keys -keys="MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API CORS MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_FULLNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN LOGOUT_WITH_TIMER LOGOUT_IN LOGOUT_ON_HOURS LOGOUT_ON_MINUTES" +keys="MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API CORS MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_FULLNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN LOGOUT_WITH_TIMER LOGOUT_IN LOGOUT_ON_HOURS LOGOUT_ON_MINUTES DEFAULT_AUTHENTICATION_METHOD" # default values DESCRIPTION_MONGODB_BIND_UNIX_SOCKET="mongodb binding unix socket:\n"\ @@ -289,3 +289,8 @@ KEY_LOGOUT_ON_HOURS="logout-on-hours" DESCRIPTION_LOGOUT_ON_MINUTES="The number of minutes" DEFAULT_LOGOUT_ON_MINUTES="" KEY_LOGOUT_ON_MINUTES="logout-on-minutes" + + +DESCRIPTION_DEFAULT_AUTHENTICATION_METHOD="The default authentication method used if a user does not exist to create and authenticate him" +DEFAULT_DEFAULT_AUTHENTICATION_METHOD="" +KEY_DEFAULT_AUTHENTICATION_METHOD="default-authentication-method" \ No newline at end of file -- cgit v1.2.3-1-g7c22 From d7529bf6b515375cbb089473c1e2cdca1ec61a3c Mon Sep 17 00:00:00 2001 From: guillaume Date: Wed, 19 Dec 2018 13:53:05 +0100 Subject: Add help message for the new env var in snap --- snap-src/bin/wekan-help | 34 +++++++++++++++++++--------------- 1 file changed, 19 insertions(+), 15 deletions(-) diff --git a/snap-src/bin/wekan-help b/snap-src/bin/wekan-help index 804f9ad6..b4835473 100755 --- a/snap-src/bin/wekan-help +++ b/snap-src/bin/wekan-help @@ -254,21 +254,25 @@ echo -e "Ldap Default Domain." echo -e "The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP:" echo -e "\t$ snap set $SNAP_NAME LDAP_DEFAULT_DOMAIN=''" echo -e "\n" -echo -e "Logout with timer." -echo -e "Enable or not the option that allows to disconnect an user after a given time:" -echo -e "\t$ snap set $SNAP_NAME LOGOUT_WITH_TIMER='true'" -echo -e "\n" -echo -e "Logout in." -echo -e "Logout in how many days:" -echo -e "\t$ snap set $SNAP_NAME LOGOUT_IN='1'" -echo -e "\n" -echo -e "Logout on hours." -echo -e "Logout in how many hours:" -echo -e "\t$ snap set $SNAP_NAME LOGOUT_ON_HOURS='9'" -echo -e "\n" -echo -e "Logout on minutes." -echo -e "Logout in how many minutes:" -echo -e "\t$ snap set $SNAP_NAME LOGOUT_ON_MINUTES='5'" +# echo -e "Logout with timer." +# echo -e "Enable or not the option that allows to disconnect an user after a given time:" +# echo -e "\t$ snap set $SNAP_NAME LOGOUT_WITH_TIMER='true'" +# echo -e "\n" +# echo -e "Logout in." +# echo -e "Logout in how many days:" +# echo -e "\t$ snap set $SNAP_NAME LOGOUT_IN='1'" +# echo -e "\n" +# echo -e "Logout on hours." +# echo -e "Logout in how many hours:" +# echo -e "\t$ snap set $SNAP_NAME LOGOUT_ON_HOURS='9'" +# echo -e "\n" +# echo -e "Logout on minutes." +# echo -e "Logout in how many minutes:" +# echo -e "\t$ snap set $SNAP_NAME LOGOUT_ON_MINUTES='5'" +# echo -e "\n" +echo -e "Default authentication method." +echo -e "The default authentication method used if a user does not exist to create and authenticate him" +echo -e "\t$ snap set $SNAP_NAME DEFAULT_AUTHENTICATION_METHOD='ldap'" echo -e "\n" # parse config file for supported settings keys echo -e "wekan supports settings keys" -- cgit v1.2.3-1-g7c22 From 1712368f6a1ec07bad2c1edb17ae480397e0f45f Mon Sep 17 00:00:00 2001 From: guillaume Date: Wed, 19 Dec 2018 17:21:27 +0100 Subject: Improves UI for ldap error messages --- client/components/main/layouts.js | 41 ++++++++++++++++++++++++++------------- i18n/en.i18n.json | 4 +++- i18n/fr.i18n.json | 4 +++- 3 files changed, 34 insertions(+), 15 deletions(-) diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index 7c060ca5..abc8f6e1 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -121,20 +121,35 @@ function authentication(instance, email, password) { return this.stop(); } - const authenticationMethod = user ? - user.authenticationMethod : - instance.data.defaultAuthenticationMethod.get(); - - // Authentication with LDAP - if (authenticationMethod === 'ldap') { - // Use the ldap connection package - Meteor.loginWithLDAP(email, password, function(error) { - if (!error) { - return FlowRouter.go('/'); - } - return error; - }); + const authenticationMethod = user + ? user.authenticationMethod + : instance.data.defaultAuthenticationMethod.get(); + + switch (authenticationMethod) { + case 'ldap': + // Use the ldap connection package + Meteor.loginWithLDAP(email, password, function(error) { + if (!error) return FlowRouter.go('/'); + displayError('error-ldap-login'); + }); + break; + + default: + displayError('error-undefined'); } return this.stop(); } + +function displayError(code) { + const translated = TAPi18n.__(code); + + if (translated === code) { + return; + } + + if(!$('.at-error').length) { + $('.at-pwd-form').before('

'); + } + $('.at-error p').text(translated); +} \ No newline at end of file diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 5aa04e97..a4138f14 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -620,5 +620,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 98fade89..f2a7c5db 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -619,5 +619,7 @@ "layout": "Interface", "hide-logo": "Cacher le logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Une erreur inconnue s'est produite", + "error-ldap-login": "Une erreur s'est produite lors de la tentative de connexion" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From ff1c3722a87768378632e368bfe2c27cddd9ec23 Mon Sep 17 00:00:00 2001 From: guillaume Date: Wed, 19 Dec 2018 17:22:16 +0100 Subject: Patch currentBoard doesn't exist when logout --- client/components/main/editor.js | 13 +++++++++---- 1 file changed, 9 insertions(+), 4 deletions(-) diff --git a/client/components/main/editor.js b/client/components/main/editor.js index 20ece562..8ea73793 100755 --- a/client/components/main/editor.js +++ b/client/components/main/editor.js @@ -9,10 +9,12 @@ Template.editor.onRendered(() => { match: /\B@([\w.]*)$/, search(term, callback) { const currentBoard = Boards.findOne(Session.get('currentBoard')); - callback(currentBoard.activeMembers().map((member) => { - const username = Users.findOne(member.userId).username; - return username.includes(term) ? username : null; - }).filter(Boolean)); + if (currentBoard) { + callback(currentBoard.activeMembers().map((member) => { + const username = Users.findOne(member.userId).username; + return username.includes(term) ? username : null; + }).filter(Boolean)); + } }, template(value) { return value; @@ -37,6 +39,9 @@ const at = HTML.CharRef({html: '@', str: '@'}); Blaze.Template.registerHelper('mentions', new Template('mentions', function() { const view = this; const currentBoard = Boards.findOne(Session.get('currentBoard')); + if (!currentBoard) { + return HTML.Raw(""); + } const knowedUsers = currentBoard.members.map((member) => { const u = Users.findOne(member.userId); if(u){ -- cgit v1.2.3-1-g7c22 From 23fb2bfc7f0c0bd30dc41f7e29a5ec2964d3f217 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 19 Dec 2018 19:42:40 +0200 Subject: - Use meteor 1.8.x, because Stacksmith uses MongoDB 4.0.3. Thanks to xet7 ! --- stacksmith/user-scripts/build.sh | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/stacksmith/user-scripts/build.sh b/stacksmith/user-scripts/build.sh index 72c7a1de..a874534a 100755 --- a/stacksmith/user-scripts/build.sh +++ b/stacksmith/user-scripts/build.sh @@ -19,7 +19,7 @@ sudo useradd --user-group --system --home-dir /home/wekan wekan sudo mkdir -p /home/wekan sudo chown wekan:wekan /home/wekan/ -sudo -u wekan git clone https://github.com/wekan/wekan.git /home/wekan/app +sudo -u wekan git clone -b meteor-1.8 https://github.com/wekan/wekan.git /home/wekan/app sudo yum install -y ${BUILD_DEPS} -- cgit v1.2.3-1-g7c22 From ac6f8e85519da2b7eabcec6e598c96b5fb9a2cfa Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 19 Dec 2018 19:55:30 +0200 Subject: - Output Meteor 1.8.x version in build log. Thanks to xet7 ! --- stacksmith/user-scripts/build.sh | 7 +++++-- 1 file changed, 5 insertions(+), 2 deletions(-) diff --git a/stacksmith/user-scripts/build.sh b/stacksmith/user-scripts/build.sh index a874534a..8ea6cd91 100755 --- a/stacksmith/user-scripts/build.sh +++ b/stacksmith/user-scripts/build.sh @@ -3,7 +3,7 @@ set -euxo pipefail BUILD_DEPS="bsdtar gnupg wget curl bzip2 python git ca-certificates perl-Digest-SHA" NODE_VERSION=v8.14.0 -METEOR_RELEASE=1.6.0.1 +#METEOR_RELEASE=1.6.0.1 - for Stacksmith, meteor-1.8 branch that could have METEOR@1.8.1-beta.8 or newer USE_EDGE=false METEOR_EDGE=1.5-beta.17 NPM_VERSION=latest @@ -19,6 +19,7 @@ sudo useradd --user-group --system --home-dir /home/wekan wekan sudo mkdir -p /home/wekan sudo chown wekan:wekan /home/wekan/ +# Using meteor-1.8 branch that has newer Meteor that is compatible with MongoDB 4.x sudo -u wekan git clone -b meteor-1.8 https://github.com/wekan/wekan.git /home/wekan/app sudo yum install -y ${BUILD_DEPS} @@ -52,7 +53,9 @@ cd /home/wekan sudo curl "https://install.meteor.com" -o /home/wekan/install_meteor.sh sudo chmod +x /home/wekan/install_meteor.sh sudo sed -i 's/VERBOSITY="--silent"/VERBOSITY="--progress-bar"/' ./install_meteor.sh -echo "Starting meteor ${METEOR_RELEASE} installation... \n" +echo "Starting installation of " +sudo cat /home/wekan/app/.meteor/release +echo " ...\n" # Check if opting for a release candidate instead of major release if [ "$USE_EDGE" = false ]; then -- cgit v1.2.3-1-g7c22 From a9be6b17b9c8c6b4a59a89b9d3670cca1a6ed9af Mon Sep 17 00:00:00 2001 From: hupptechnologies Date: Thu, 20 Dec 2018 14:42:46 +0530 Subject: Issue : UI feature suggestion: drag handles and long press #1772 Resolved #1772 --- .meteor/packages | 6 +++--- .meteor/versions | 4 ---- client/components/cards/minicard.jade | 2 ++ client/components/cards/minicard.styl | 13 +++++++++++++ client/components/lists/list.js | 7 +++++++ 5 files changed, 25 insertions(+), 7 deletions(-) diff --git a/.meteor/packages b/.meteor/packages index 88a0cae6..306cfc1c 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -86,7 +86,7 @@ momentjs:moment@2.22.2 browser-policy-framing mquandalle:moment msavin:usercache -wekan:wekan-ldap -wekan:accounts-cas -wekan-scrollbar +#wekan:wekan-ldap +#wekan:accounts-cas +#wekan-scrollbar mquandalle:perfect-scrollbar diff --git a/.meteor/versions b/.meteor/versions index e09ff33f..8c5c1569 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -179,8 +179,4 @@ useraccounts:unstyled@1.14.2 verron:autosize@3.0.8 webapp@1.4.0 webapp-hashing@1.0.9 -wekan-scrollbar@3.1.3 -wekan:accounts-cas@0.1.0 -wekan:wekan-ldap@0.0.2 -yasaricli:slugify@0.0.7 zimme:active-route@2.3.2 diff --git a/client/components/cards/minicard.jade b/client/components/cards/minicard.jade index f23e91b3..0dfcee44 100644 --- a/client/components/cards/minicard.jade +++ b/client/components/cards/minicard.jade @@ -9,6 +9,8 @@ template(name="minicard") each labels .minicard-label(class="card-label-{{color}}" title="{{name}}") .minicard-title + .handle + .fa.fa-arrows if $eq 'prefix-with-full-path' currentBoard.presentParentTask .parent-prefix | {{ parentString ' > ' }} diff --git a/client/components/cards/minicard.styl b/client/components/cards/minicard.styl index 8fec7238..7ad51161 100644 --- a/client/components/cards/minicard.styl +++ b/client/components/cards/minicard.styl @@ -94,6 +94,19 @@ .minicard-custom-field-item max-width:50%; flex-grow:1; + .handle + width: 20px; + height: 20px; + position: absolute; + right: 5px; + top: 5px; + display:none; + @media only screen and (max-width: 1199px) { + display:block; + } + .fa-arrows + font-size:20px; + color: #ccc; .minicard-title p:last-child margin-bottom: 0 diff --git a/client/components/lists/list.js b/client/components/lists/list.js index 00908faa..043cb77c 100644 --- a/client/components/lists/list.js +++ b/client/components/lists/list.js @@ -26,6 +26,13 @@ BlazeComponent.extendComponent({ const itemsSelector = '.js-minicard:not(.placeholder, .js-card-composer)'; const $cards = this.$('.js-minicards'); + + if(window.matchMedia('(max-width: 1199px)').matches) { + $( '.js-minicards' ).sortable({ + handle: '.handle', + }); + } + $cards.sortable({ connectWith: '.js-minicards:not(.js-list-full)', tolerance: 'pointer', -- cgit v1.2.3-1-g7c22 From b94bd73d33e39d7c2af15668dd15ea21edea5cc1 Mon Sep 17 00:00:00 2001 From: hupptechnologies Date: Thu, 20 Dec 2018 14:43:21 +0530 Subject: Uncommect packages --- .meteor/packages | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/.meteor/packages b/.meteor/packages index 306cfc1c..88a0cae6 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -86,7 +86,7 @@ momentjs:moment@2.22.2 browser-policy-framing mquandalle:moment msavin:usercache -#wekan:wekan-ldap -#wekan:accounts-cas -#wekan-scrollbar +wekan:wekan-ldap +wekan:accounts-cas +wekan-scrollbar mquandalle:perfect-scrollbar -- cgit v1.2.3-1-g7c22 From 1e034a794fcf417a6722c8cc6dea8a537bc5ce51 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 21 Dec 2018 19:47:34 +0200 Subject: - Update translated text. --- docker-compose-build.yml | 2 +- docker-compose-postgresql.yml | 2 +- docker-compose.yml | 2 +- snap-src/bin/config | 4 ++-- snap-src/bin/wekan-help | 2 +- 5 files changed, 6 insertions(+), 6 deletions(-) diff --git a/docker-compose-build.yml b/docker-compose-build.yml index f75e7580..d7276948 100644 --- a/docker-compose-build.yml +++ b/docker-compose-build.yml @@ -223,7 +223,7 @@ services: # LOGOUT_ON_MINUTES : The number of minutes # example : LOGOUT_ON_MINUTES=55 #- LOGOUT_ON_MINUTES= - # DEFAULT_AUTHENTICATION_METHOD : The default authentication method used if a user does not exist to create and authenticate him + # DEFAULT_AUTHENTICATION_METHOD : The default authentication method used if a user does not exist to create and authenticate. Method can be password or ldap. # example : DEFAULT_AUTHENTICATION_METHOD=ldap #- DEFAULT_AUTHENTICATION_METHOD= diff --git a/docker-compose-postgresql.yml b/docker-compose-postgresql.yml index 2f557fa5..215dc7d5 100644 --- a/docker-compose-postgresql.yml +++ b/docker-compose-postgresql.yml @@ -245,7 +245,7 @@ services: # LOGOUT_ON_MINUTES : The number of minutes # example : LOGOUT_ON_MINUTES=55 #- LOGOUT_ON_MINUTES= - # DEFAULT_AUTHENTICATION_METHOD : The default authentication method used if a user does not exist to create and authenticate him + # DEFAULT_AUTHENTICATION_METHOD : The default authentication method used if a user does not exist to create and authenticate. . Method can be password or ldap. # example : DEFAULT_AUTHENTICATION_METHOD=ldap #- DEFAULT_AUTHENTICATION_METHOD= diff --git a/docker-compose.yml b/docker-compose.yml index bb2f833d..7d7bf9d1 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -212,7 +212,7 @@ services: # LOGOUT_ON_MINUTES : The number of minutes # example : LOGOUT_ON_MINUTES=55 #- LOGOUT_ON_MINUTES= - # DEFAULT_AUTHENTICATION_METHOD : The default authentication method used if a user does not exist to create and authenticate him + # DEFAULT_AUTHENTICATION_METHOD : The default authentication method used if a user does not exist to create and authenticate. Method can be password or ldap. # example : DEFAULT_AUTHENTICATION_METHOD=ldap #- DEFAULT_AUTHENTICATION_METHOD= diff --git a/snap-src/bin/config b/snap-src/bin/config index 0cd3f298..7eb9a990 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -291,6 +291,6 @@ DEFAULT_LOGOUT_ON_MINUTES="" KEY_LOGOUT_ON_MINUTES="logout-on-minutes" -DESCRIPTION_DEFAULT_AUTHENTICATION_METHOD="The default authentication method used if a user does not exist to create and authenticate him" +DESCRIPTION_DEFAULT_AUTHENTICATION_METHOD="The default authentication method used if a user does not exist to create and authenticate. Method can be password or ldap." DEFAULT_DEFAULT_AUTHENTICATION_METHOD="" -KEY_DEFAULT_AUTHENTICATION_METHOD="default-authentication-method" \ No newline at end of file +KEY_DEFAULT_AUTHENTICATION_METHOD="default-authentication-method" diff --git a/snap-src/bin/wekan-help b/snap-src/bin/wekan-help index b4835473..9c7a67a2 100755 --- a/snap-src/bin/wekan-help +++ b/snap-src/bin/wekan-help @@ -271,7 +271,7 @@ echo -e "\n" # echo -e "\t$ snap set $SNAP_NAME LOGOUT_ON_MINUTES='5'" # echo -e "\n" echo -e "Default authentication method." -echo -e "The default authentication method used if a user does not exist to create and authenticate him" +echo -e "The default authentication method used if a user does not exist to create and authenticate. Method can be password or ldap." echo -e "\t$ snap set $SNAP_NAME DEFAULT_AUTHENTICATION_METHOD='ldap'" echo -e "\n" # parse config file for supported settings keys -- cgit v1.2.3-1-g7c22 From dba9d13b00e3c1a69168ccc89ecc9c4f43e5e23c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 21 Dec 2018 20:11:32 +0200 Subject: Update translations. --- i18n/ar.i18n.json | 4 +++- i18n/bg.i18n.json | 4 +++- i18n/br.i18n.json | 4 +++- i18n/ca.i18n.json | 4 +++- i18n/cs.i18n.json | 22 ++++++++++++---------- i18n/da.i18n.json | 4 +++- i18n/de.i18n.json | 4 +++- i18n/el.i18n.json | 4 +++- i18n/en-GB.i18n.json | 4 +++- i18n/eo.i18n.json | 4 +++- i18n/es-AR.i18n.json | 4 +++- i18n/es.i18n.json | 4 +++- i18n/eu.i18n.json | 4 +++- i18n/fa.i18n.json | 4 +++- i18n/fi.i18n.json | 4 +++- i18n/fr.i18n.json | 26 +++++++++++++------------- i18n/gl.i18n.json | 4 +++- i18n/he.i18n.json | 4 +++- i18n/hi.i18n.json | 4 +++- i18n/hu.i18n.json | 4 +++- i18n/hy.i18n.json | 4 +++- i18n/id.i18n.json | 4 +++- i18n/ig.i18n.json | 4 +++- i18n/it.i18n.json | 4 +++- i18n/ja.i18n.json | 4 +++- i18n/ka.i18n.json | 4 +++- i18n/km.i18n.json | 4 +++- i18n/ko.i18n.json | 4 +++- i18n/lv.i18n.json | 4 +++- i18n/mn.i18n.json | 4 +++- i18n/nb.i18n.json | 4 +++- i18n/nl.i18n.json | 4 +++- i18n/pl.i18n.json | 4 +++- i18n/pt-BR.i18n.json | 4 +++- i18n/pt.i18n.json | 4 +++- i18n/ro.i18n.json | 4 +++- i18n/ru.i18n.json | 10 ++++++---- i18n/sr.i18n.json | 4 +++- i18n/sv.i18n.json | 4 +++- i18n/sw.i18n.json | 4 +++- i18n/ta.i18n.json | 4 +++- i18n/th.i18n.json | 4 +++- i18n/tr.i18n.json | 4 +++- i18n/uk.i18n.json | 4 +++- i18n/vi.i18n.json | 4 +++- i18n/zh-CN.i18n.json | 4 +++- i18n/zh-TW.i18n.json | 4 +++- 47 files changed, 163 insertions(+), 71 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index e19f9b40..a2692e96 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 22e3e770..f26a29c5 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index cc7cb39b..3a94b649 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index e43d799e..d39c6597 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index fe7d8303..c3775d42 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -1,6 +1,6 @@ { "accept": "Přijmout", - "act-activity-notify": "Activity Notification", + "act-activity-notify": "Notifikace aktivit", "act-addAttachment": "přiložen __attachment__ do __card__", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "přidán checklist __checklist__ do __card__", @@ -78,7 +78,7 @@ "and-n-other-card": "A __count__ další karta(y)", "and-n-other-card_plural": "A __count__ dalších karet", "apply": "Použít", - "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", + "app-is-offline": "Načítá se, prosím čekejte. Obnovení stránky způsobí ztrátu dat. Pokud se načítání nedaří, zkontrolujte prosím server.", "archive": "Move to Archive", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", @@ -283,20 +283,20 @@ "import-board": "Importovat tablo", "import-board-c": "Importovat tablo", "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from previous export", + "import-board-title-wekan": "Importovat tablo z předchozího exportu", "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Importované tablo spaže všechny existující data v tablu a nahradí je importovaným tablem.", "from-trello": "Z Trella", - "from-wekan": "From previous export", + "from-wekan": "Z předchozího exportu", "import-board-instruction-trello": "Na svém Trello tablu, otevři 'Menu', pak 'More', 'Print and Export', 'Export JSON', a zkopíruj výsledný text", - "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "Ve vašem tablu jděte do 'Menu', klikněte na 'Exportovat tablo' a zkopírujte text ze staženého souboru.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", "import-json-placeholder": "Sem vlož validní JSON data", "import-map-members": "Mapovat členy", - "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", + "import-members-map": "Toto importované tablo obsahuje několik osob. Prosím namapujte osoby z importu na místní uživatelské účty.", "import-show-user-mapping": "Zkontrolovat namapování členů", - "import-user-select": "Pick your existing user you want to use as this member", - "importMapMembersAddPopup-title": "Select member", + "import-user-select": "Vyberte existující uživatelský účet, kterého chcete použít pro tuto osobu", + "importMapMembersAddPopup-title": "Zvolte osobu", "info": "Verze", "initials": "Iniciály", "invalid-date": "Neplatné datum", @@ -460,7 +460,7 @@ "send-smtp-test": "Poslat si zkušební email.", "invitation-code": "Kód pozvánky", "email-invite-register-subject": "__inviter__ odeslal pozvánku", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-invite-register-text": "Ahoj __user__,\n\n__inviter__ tě přizval do kanban boardu ke spolupráci.\n\nNásleduj prosím odkaz níže:\n\n__url__\n\nKód Tvé pozvánky je: __icode__\n\nDěkujeme.", "email-smtp-test-subject": "SMTP Test Email", "email-smtp-test-text": "Email byl úspěšně odeslán", "error-invitation-code-not-exist": "Kód pozvánky neexistuje.", @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/da.i18n.json b/i18n/da.i18n.json index 930f9181..f73389d1 100644 --- a/i18n/da.i18n.json +++ b/i18n/da.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index db620dd6..97288727 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Verstecke Logo", "add-custom-html-after-body-start": "Füge benutzerdefiniertes HTML nach Anfang hinzu", - "add-custom-html-before-body-end": "Füge benutzerdefiniertes HTML vor Ende hinzu" + "add-custom-html-before-body-end": "Füge benutzerdefiniertes HTML vor Ende hinzu", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 1534d835..5fafb43e 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 3b4172df..0899b113 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index 3613008e..4fdb7fab 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index 822c2b7a..0b854479 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 1313e252..7d37a331 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -619,5 +619,7 @@ "layout": "Disñeo", "hide-logo": "Ocultar logo", "add-custom-html-after-body-start": "Añade HTML personalizado después de ", - "add-custom-html-before-body-end": "Añade HTML personalizado después de " + "add-custom-html-before-body-end": "Añade HTML personalizado después de ", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index d2a6e68c..e12e0f19 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index fded3329..e72048d8 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -619,5 +619,7 @@ "layout": "لایه", "hide-logo": "مخفی سازی نماد", "add-custom-html-after-body-start": "افزودن کد های HTML بعد از شروع", - "add-custom-html-before-body-end": "افزودن کد های HTML قبل از پایان" + "add-custom-html-before-body-end": "افزودن کد های HTML قبل از پایان", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index b5a5d025..9f2432b4 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -619,5 +619,7 @@ "layout": "Ulkoasu", "hide-logo": "Piilota Logo", "add-custom-html-after-body-start": "Lisää HTML alun jälkeen", - "add-custom-html-before-body-end": "Lisä HTML ennen loppua" + "add-custom-html-before-body-end": "Lisä HTML ennen loppua", + "error-undefined": "Jotain meni pieleen", + "error-ldap-login": "Virhe tapahtui yrittäessä kirjautua sisään" } \ No newline at end of file diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index f2a7c5db..db70770d 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -1,6 +1,6 @@ { "accept": "Accepter", - "act-activity-notify": "Activity Notification", + "act-activity-notify": "Notification d'activité", "act-addAttachment": "a joint __attachment__ à __card__", "act-addSubtask": "a ajouté une sous-tâche __checklist__ à __card__", "act-addChecklist": "a ajouté la checklist __checklist__ à __card__", @@ -78,7 +78,7 @@ "and-n-other-card": "Et __count__ autre carte", "and-n-other-card_plural": "Et __count__ autres cartes", "apply": "Appliquer", - "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", + "app-is-offline": "Chargement en cours, veuillez patienter. Vous risquez de perdre des données si vous rechargez la page. Si le chargement échoue, veuillez vérifier que le serveur n'est pas arrêté.", "archive": "Archiver", "archive-all": "Tout archiver", "archive-board": "Archiver le tableau", @@ -283,20 +283,20 @@ "import-board": "importer un tableau", "import-board-c": "Importer un tableau", "import-board-title-trello": "Importer le tableau depuis Trello", - "import-board-title-wekan": "Import board from previous export", - "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Importer le tableau depuis l'export précédent", + "import-sandstorm-backup-warning": "Ne supprimez pas les données que vous importez du tableau exporté d'origine ou de Trello avant de vérifier que la graine peut se fermer et s'ouvrir à nouveau, ou qu'une erreur \"Tableau introuvable\" survient, sinon vous perdrez vos données.", "import-sandstorm-warning": "Le tableau importé supprimera toutes les données du tableau et les remplacera avec celles du tableau importé.", "from-trello": "Depuis Trello", - "from-wekan": "From previous export", + "from-wekan": "Depuis un export précédent", "import-board-instruction-trello": "Dans votre tableau Trello, allez sur 'Menu', puis sur 'Plus', 'Imprimer et exporter', 'Exporter en JSON' et copiez le texte du résultat", - "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "Dans votre tableau, allez dans 'Menu', puis 'Exporter un tableau', et copier le texte du fichier téléchargé.", "import-board-instruction-about-errors": "Si une erreur survient en important le tableau, il se peut que l'import ait fonctionné, et que le tableau se trouve sur la page \"Tous les tableaux\".", "import-json-placeholder": "Collez ici les données JSON valides", "import-map-members": "Faire correspondre aux membres", - "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", + "import-members-map": "Le tableau que vous venez d'importer contient des membres. Veuillez associer les membres que vous souhaitez importer à vos utilisateurs.", "import-show-user-mapping": "Contrôler l'association des membres", - "import-user-select": "Pick your existing user you want to use as this member", - "importMapMembersAddPopup-title": "Select member", + "import-user-select": "Sélectionnez l'utilisateur existant que vous voulez associer à ce membre", + "importMapMembersAddPopup-title": "Sélectionner le membre", "info": "Version", "initials": "Initiales", "invalid-date": "Date invalide", @@ -460,8 +460,8 @@ "send-smtp-test": "Envoyer un mail de test à vous-même", "invitation-code": "Code d'invitation", "email-invite-register-subject": "__inviter__ vous a envoyé une invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email", + "email-invite-register-text": "Cher __user__,\n\n__inviter__ vous invite à le rejoindre sur le tableau kanban pour collaborer.\n\nVeuillez suivre le lien ci-dessous :\n__url__\n\nVotre code d'invitation est : __icode__\n\nMerci.", + "email-smtp-test-subject": "Email de test SMTP", "email-smtp-test-text": "Vous avez envoyé un mail avec succès", "error-invitation-code-not-exist": "Ce code d'invitation n'existe pas.", "error-notAuthorized": "Vous n'êtes pas autorisé à accéder à cette page.", @@ -618,8 +618,8 @@ "custom-product-name": "Nom personnalisé", "layout": "Interface", "hide-logo": "Cacher le logo", - "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end", + "add-custom-html-after-body-start": "Ajouter le HTML personnalisé après le début du ", + "add-custom-html-before-body-end": "Ajouter le HTML personnalisé avant la fin du ", "error-undefined": "Une erreur inconnue s'est produite", "error-ldap-login": "Une erreur s'est produite lors de la tentative de connexion" } \ No newline at end of file diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 7302a65c..4a16edff 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 2b13e730..e18f4c57 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -619,5 +619,7 @@ "layout": "פריסה", "hide-logo": "הסתרת לוגו", "add-custom-html-after-body-start": "הוספת קוד HTML מותאם אישית בתחילת ה .", - "add-custom-html-before-body-end": "הוספת קוד HTML מותאם אישית בסוף ה." + "add-custom-html-before-body-end": "הוספת קוד HTML מותאם אישית בסוף ה.", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/hi.i18n.json b/i18n/hi.i18n.json index 17ab8655..ea4276d0 100644 --- a/i18n/hi.i18n.json +++ b/i18n/hi.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index 671e9ea5..0fc4d4ea 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index 403471ae..a0d91b42 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 2b67e996..e83a7c74 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Sembunyikan Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index f319d9ba..bbbbcc6d 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 1e3cc86c..2b7c1e6b 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index b5728aca..2091a594 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index 4f80d1ea..d538eae8 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index 6b761777..e8d35789 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index aa46dc6b..91065b35 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 9675b56b..999335a5 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index 1acbc6c3..647358fa 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index e26f86db..77f1d200 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index a71356bf..96ed163c 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 6389b240..9c2e2ef0 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -619,5 +619,7 @@ "layout": "Układ strony", "hide-logo": "Ukryj logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index d9589518..2189381b 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index b15d2d66..fc98a27b 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index df2b9c36..a54e1fa0 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 40b7529c..26fbc32d 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -109,7 +109,7 @@ "boardChangeColorPopup-title": "Изменить фон доски", "boardChangeTitlePopup-title": "Переименовать доску", "boardChangeVisibilityPopup-title": "Изменить настройки видимости", - "boardChangeWatchPopup-title": "Изменить Отслеживание", + "boardChangeWatchPopup-title": "Режимы оповещения", "boardMenuPopup-title": "Меню доски", "boards": "Доски", "board-view": "Вид доски", @@ -341,7 +341,7 @@ "moveSelectionPopup-title": "Переместить выделение", "multi-selection": "Выбрать несколько", "multi-selection-on": "Выбрать несколько из", - "muted": "Заглушен", + "muted": "Не беспокоить", "muted-info": "Вы НИКОГДА не будете уведомлены ни о каких изменениях в этой доске.", "my-boards": "Мои доски", "name": "Имя", @@ -429,7 +429,7 @@ "view-it": "Просмотреть", "warn-list-archived": "внимание: эта карточка из списка, который находится в Архиве", "watch": "Следить", - "watching": "Отслеживается", + "watching": "Полный контроль", "watching-info": "Вы будете уведомлены об любых изменениях в этой доске.", "welcome-board": "Приветственная Доска", "welcome-swimlane": "Этап 1", @@ -619,5 +619,7 @@ "layout": "Внешний вид", "hide-logo": "Скрыть логотип", "add-custom-html-after-body-start": "Добавить HTML после начала ", - "add-custom-html-before-body-end": "Добавить HTML до завершения " + "add-custom-html-before-body-end": "Добавить HTML до завершения ", + "error-undefined": "Что-то пошло не так", + "error-ldap-login": "Ошибка при попытке авторизации" } \ No newline at end of file diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index c61a9948..7816ca29 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index dfb59e4e..87da07f9 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Dölj logotypen", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/sw.i18n.json b/i18n/sw.i18n.json index 040c62b9..be53203f 100644 --- a/i18n/sw.i18n.json +++ b/i18n/sw.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index 9bfe4310..460f1f12 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index 3724db81..21965a72 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index 7ed6a648..bf2d99ac 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -619,5 +619,7 @@ "layout": "Düzen", "hide-logo": "Logoyu Gizle", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 18ebc4b1..0c2ebbc2 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index 08e97a0e..4a9aaeb9 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 76e062ce..35e9c280 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -619,5 +619,7 @@ "layout": "布局", "hide-logo": "隐藏LOGO", "add-custom-html-after-body-start": "添加定制的HTML在开始之前", - "add-custom-html-before-body-end": "添加定制的HTML在结束之后" + "add-custom-html-before-body-end": "添加定制的HTML在结束之后", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 570e878e..b2e7136a 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -619,5 +619,7 @@ "layout": "Layout", "hide-logo": "Hide Logo", "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end" + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From bd66ea8accf808b27737d6dd2e21ead1caf35ad0 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 21 Dec 2018 20:16:35 +0200 Subject: Update translations (ru). --- i18n/ru.i18n.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 26fbc32d..7eda08cc 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -272,7 +272,7 @@ "filter-on-desc": "Показываются карточки, соответствующие настройкам фильтра. Нажмите для редактирования.", "filter-to-selection": "Filter to selection", "advanced-filter-label": "Расширенный фильтр", - "advanced-filter-description": "Расширенный фильтр позволяет написать строку, содержащую следующие операторы: == != <= >= && || ( ) Пробел используется как разделитель между Операторами. Вы можете фильтровать все настраиваемые поля, введя их имена и значения. Например: Поле1 == Значение1. Примечание. Если поля или значения содержат пробелы, вам необходимо взять их в одинарные кавычки. Например: 'Поле 1' == 'Значение 1'. Для одиночных управляющих символов (' \\/), которые нужно пропустить, вы можете использовать \\. Например: Field1 = I\\'m. Также вы можете комбинировать несколько условий. Например: F1 == V1 || F1 == V2. Обычно все операторы интерпретируются слева направо. Вы можете изменить порядок, разместив скобки. Например: F1 == V1 && (F2 == V2 || F2 == V3). Также вы можете искать текстовые поля с помощью регулярных выражений: F1 == /Tes.*/i", + "advanced-filter-description": "Расширенный фильтр позволяет написать строку, содержащую следующие операторы: == != <= >= && || ( ) Пробел используется как разделитель между операторами. Можно фильтровать все настраиваемые поля, вводя их имена и значения. Например: Поле1 == Значение1. Примечание. Если поля или значения содержат пробелы, нужно взять их в одинарные кавычки. Например: 'Поле 1' == 'Значение 1'. Для одиночных управляющих символов (' \\/), которые нужно пропустить, следует использовать \\. Например: Field1 = I\\'m. Также можно комбинировать несколько условий. Например: F1 == V1 || F1 == V2. Обычно все операторы интерпретируются слева направо, но можно изменить порядок, разместив скобки. Например: F1 == V1 && (F2 == V2 || F2 == V3). Также можно искать текстовые поля с помощью регулярных выражений: F1 == /Tes.*/i", "fullname": "Полное имя", "header-logo-title": "Вернуться к доскам.", "hide-system-messages": "Скрыть системные сообщения", -- cgit v1.2.3-1-g7c22 From 417dc9dc428db2fef14130d3de9a91e9efb1f717 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 21 Dec 2018 20:36:26 +0200 Subject: Fix lint errors. --- client/components/main/editor.js | 2 +- client/components/main/layouts.js | 22 +++++++++++++--------- models/settings.js | 2 +- 3 files changed, 15 insertions(+), 11 deletions(-) diff --git a/client/components/main/editor.js b/client/components/main/editor.js index 8ea73793..152f69e2 100755 --- a/client/components/main/editor.js +++ b/client/components/main/editor.js @@ -40,7 +40,7 @@ Blaze.Template.registerHelper('mentions', new Template('mentions', function() { const view = this; const currentBoard = Boards.findOne(Session.get('currentBoard')); if (!currentBoard) { - return HTML.Raw(""); + return HTML.Raw(''); } const knowedUsers = currentBoard.members.map((member) => { const u = Users.findOne(member.userId); diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index abc8f6e1..89dcca2d 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -126,16 +126,20 @@ function authentication(instance, email, password) { : instance.data.defaultAuthenticationMethod.get(); switch (authenticationMethod) { - case 'ldap': - // Use the ldap connection package - Meteor.loginWithLDAP(email, password, function(error) { - if (!error) return FlowRouter.go('/'); + case 'ldap': + // Use the ldap connection package + Meteor.loginWithLDAP(email, password, function(error) { + if (error) { displayError('error-ldap-login'); - }); - break; + return this.stop(); + } else { + return FlowRouter.go('/'); + } + }); + break; - default: - displayError('error-undefined'); + default: + displayError('error-undefined'); } return this.stop(); @@ -152,4 +156,4 @@ function displayError(code) { $('.at-pwd-form').before('

'); } $('.at-error p').text(translated); -} \ No newline at end of file +} diff --git a/models/settings.js b/models/settings.js index 97bbe878..674c99a0 100644 --- a/models/settings.js +++ b/models/settings.js @@ -263,6 +263,6 @@ if (Meteor.isServer) { getDefaultAuthenticationMethod() { return process.env.DEFAULT_AUTHENTICATION_METHOD; - } + }, }); } -- cgit v1.2.3-1-g7c22 From 1f512c8ba1396f9c512f6b2bccd9ffe9417c4cf4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 21 Dec 2018 20:52:48 +0200 Subject: - [Improve authentication](https://github.com/wekan/wekan/pull/2065): remove login dropdown, and add setting `DEFAULT_AUTHENTICATION_METHOD=ldap` or `sudo snap set wekan default-authentication-method='ldap'`. Thanks to Akuket. Closes wekan/wekan-ldap#31 --- CHANGELOG.md | 10 ++++++++++ 1 file changed, 10 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index ce29cfb7..b444bf1d 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,13 @@ +# Upcoming Wekan release + +This release adds the following new features: + +- [Improve authentication](https://github.com/wekan/wekan/pull/2065): remove login dropdown, + and add setting `DEFAULT_AUTHENTICATION_METHOD=ldap` or + `sudo snap set wekan default-authentication-method='ldap'`. Thanks to Akuket. Closes wekan/wekan-ldap#31 + +Thanks to above GitHub users for their contributions. + # v1.94 2018-12-18 Wekan version This release adds the following new features: -- cgit v1.2.3-1-g7c22 From 2f747fc09df4a08bcb6d5353a022f2a68aa70ed2 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 21 Dec 2018 21:10:00 +0200 Subject: - Added removed packages back. Thanks to xet7 ! --- .meteor/versions | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/.meteor/versions b/.meteor/versions index 8c5c1569..e09ff33f 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -179,4 +179,8 @@ useraccounts:unstyled@1.14.2 verron:autosize@3.0.8 webapp@1.4.0 webapp-hashing@1.0.9 +wekan-scrollbar@3.1.3 +wekan:accounts-cas@0.1.0 +wekan:wekan-ldap@0.0.2 +yasaricli:slugify@0.0.7 zimme:active-route@2.3.2 -- cgit v1.2.3-1-g7c22 From 16d53897c7dbee3ab041190a0ab043e1dfb49ac8 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 21 Dec 2018 21:56:30 +0200 Subject: - [Drag handles and long press on mobile when using desktop mode of mobile browser](https://github.com/wekan/wekan/pull/2067). Thanks to hupptechnologies. --- CHANGELOG.md | 2 ++ 1 file changed, 2 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index b444bf1d..b5c46fb3 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -5,6 +5,8 @@ This release adds the following new features: - [Improve authentication](https://github.com/wekan/wekan/pull/2065): remove login dropdown, and add setting `DEFAULT_AUTHENTICATION_METHOD=ldap` or `sudo snap set wekan default-authentication-method='ldap'`. Thanks to Akuket. Closes wekan/wekan-ldap#31 +- [Drag handles and long press on mobile when using desktop mode of mobile + browser](https://github.com/wekan/wekan/pull/2067). Thanks to hupptechnologies. Thanks to above GitHub users for their contributions. -- cgit v1.2.3-1-g7c22 From f7153da83d8378bc19b24344ddee013206568e3d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 21 Dec 2018 22:11:43 +0200 Subject: - Upgrade to node v8.14.1 Thanks to xet7 ! --- Dockerfile | 2 +- rebuild-wekan.sh | 4 ++-- releases/virtualbox/rebuild-wekan.sh | 4 ++-- snapcraft.yaml | 2 +- stacksmith/user-scripts/build.sh | 2 +- 5 files changed, 7 insertions(+), 7 deletions(-) diff --git a/Dockerfile b/Dockerfile index b64b124a..896012f9 100644 --- a/Dockerfile +++ b/Dockerfile @@ -76,7 +76,7 @@ ARG DEFAULT_AUTHENTICATION_METHOD # DOES NOT WORK: paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303 # ENV BUILD_DEPS="paxctl" ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential python git ca-certificates gcc-7" \ - NODE_VERSION=v8.14.0 \ + NODE_VERSION=v8.14.1 \ METEOR_RELEASE=1.6.0.1 \ USE_EDGE=false \ METEOR_EDGE=1.5-beta.17 \ diff --git a/rebuild-wekan.sh b/rebuild-wekan.sh index bb6456de..37e46f29 100755 --- a/rebuild-wekan.sh +++ b/rebuild-wekan.sh @@ -4,7 +4,7 @@ echo "Note: If you use other locale than en_US.UTF-8 , you need to additionally echo " with 'sudo dpkg-reconfigure locales' , so that MongoDB works correctly." echo " You can still use any other locale as your main locale." -X64NODE="https://nodejs.org/dist/v8.14.0/node-v8.14.0-linux-x64.tar.gz" +X64NODE="https://nodejs.org/dist/v8.14.1/node-v8.14.1-linux-x64.tar.gz" function pause(){ read -p "$*" @@ -74,7 +74,7 @@ do sudo apt install -y build-essential git curl wget # sudo apt -y install nodejs npm # npm_call -g install n -# sudo n 8.14.0 +# sudo n 8.14.1 fi # if [ "$(grep -Ei 'debian' /etc/*release)" ]; then diff --git a/releases/virtualbox/rebuild-wekan.sh b/releases/virtualbox/rebuild-wekan.sh index 64e4fbea..a6135526 100755 --- a/releases/virtualbox/rebuild-wekan.sh +++ b/releases/virtualbox/rebuild-wekan.sh @@ -4,7 +4,7 @@ echo "Note: If you use other locale than en_US.UTF-8 , you need to additionally echo " with 'sudo dpkg-reconfigure locales' , so that MongoDB works correctly." echo " You can still use any other locale as your main locale." -X64NODE="https://releases.wekan.team/node-v8.14.0-linux-x64.tar.gz" +X64NODE="https://nodejs.org/dist/v8.14.1/node-v8.14.1-linux-x64.tar.gz" function pause(){ read -p "$*" @@ -25,7 +25,7 @@ do sudo apt install -y build-essential git curl wget sudo apt -y install nodejs npm sudo npm -g install n - sudo n 8.14.0 + sudo n 8.14.1 fi if [ "$(grep -Ei 'debian' /etc/*release)" ]; then diff --git a/snapcraft.yaml b/snapcraft.yaml index d7cd86cf..4831f150 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -81,7 +81,7 @@ parts: wekan: source: . plugin: nodejs - node-engine: 8.14.0 + node-engine: 8.14.1 node-packages: - node-gyp - node-pre-gyp diff --git a/stacksmith/user-scripts/build.sh b/stacksmith/user-scripts/build.sh index 8ea6cd91..f589bd82 100755 --- a/stacksmith/user-scripts/build.sh +++ b/stacksmith/user-scripts/build.sh @@ -2,7 +2,7 @@ set -euxo pipefail BUILD_DEPS="bsdtar gnupg wget curl bzip2 python git ca-certificates perl-Digest-SHA" -NODE_VERSION=v8.14.0 +NODE_VERSION=v8.14.1 #METEOR_RELEASE=1.6.0.1 - for Stacksmith, meteor-1.8 branch that could have METEOR@1.8.1-beta.8 or newer USE_EDGE=false METEOR_EDGE=1.5-beta.17 -- cgit v1.2.3-1-g7c22 From 68d60f4f6481c63a520c113973500ba547b8f229 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 21 Dec 2018 22:12:54 +0200 Subject: - Upgrade to node v8.14.1 Thanks to xet7 ! --- CHANGELOG.md | 1 + 1 file changed, 1 insertion(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index b5c46fb3..1915afc7 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -7,6 +7,7 @@ This release adds the following new features: `sudo snap set wekan default-authentication-method='ldap'`. Thanks to Akuket. Closes wekan/wekan-ldap#31 - [Drag handles and long press on mobile when using desktop mode of mobile browser](https://github.com/wekan/wekan/pull/2067). Thanks to hupptechnologies. +- Upgrade to node v8.14.1 . Thanks to xet7. Thanks to above GitHub users for their contributions. -- cgit v1.2.3-1-g7c22 From 96f33e4052f57706c91a1780a2ad7d77da347021 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 21 Dec 2018 22:23:12 +0200 Subject: v1.95 --- CHANGELOG.md | 4 ++-- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 6 insertions(+), 6 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 1915afc7..127f349e 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.95 2018-12-21 Wekan release This release adds the following new features: @@ -11,7 +11,7 @@ This release adds the following new features: Thanks to above GitHub users for their contributions. -# v1.94 2018-12-18 Wekan version +# v1.94 2018-12-18 Wekan release This release adds the following new features: diff --git a/Stackerfile.yml b/Stackerfile.yml index 625f4354..944d6c0c 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v1.94.0" +appVersion: "v1.95.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 25835b13..f753fb46 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.94.0", + "version": "v1.95.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 720ce87c..461b8b43 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 196, + appVersion = 197, # Increment this for every release. - appMarketingVersion = (defaultText = "1.94.0~2018-12-18"), + appMarketingVersion = (defaultText = "1.95.0~2018-12-21"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 3f948ba49ba7266c436ff138716bdcae9e879903 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 22 Dec 2018 18:44:08 +0200 Subject: - Combine all docker-compose.yml files. Thanks to xet7 ! --- docker-compose-build.yml | 241 ----------------------------- docker-compose-postgresql.yml | 263 -------------------------------- docker-compose.yml | 347 ++++++++++++++++++++++++++++++++++++++++-- 3 files changed, 338 insertions(+), 513 deletions(-) delete mode 100644 docker-compose-build.yml delete mode 100644 docker-compose-postgresql.yml diff --git a/docker-compose-build.yml b/docker-compose-build.yml deleted file mode 100644 index d7276948..00000000 --- a/docker-compose-build.yml +++ /dev/null @@ -1,241 +0,0 @@ -version: '2' - -# Note: Do not add single quotes '' to variables. Having spaces still works without quotes where required. -# 1) Edit settings -# 2) docker-compose up -d - -services: - - wekandb: - image: mongo:3.2.21 - container_name: wekan-db - restart: always - command: mongod --smallfiles --oplogSize 128 - networks: - - wekan-tier - expose: - - 27017 - volumes: - - wekan-db:/data/db - - wekan-db-dump:/dump - - wekan: - image: quay.io/wekan/wekan - container_name: wekan-app - restart: always - networks: - - wekan-tier - build: - context: . - dockerfile: Dockerfile - args: - - NODE_VERSION=${NODE_VERSION} - - METEOR_RELEASE=${METEOR_RELEASE} - - NPM_VERSION=${NPM_VERSION} - - ARCHITECTURE=${ARCHITECTURE} - - SRC_PATH=${SRC_PATH} - - METEOR_EDGE=${METEOR_EDGE} - - USE_EDGE=${USE_EDGE} - ports: - # Docker outsideport:insideport - - 80:8080 - environment: - - MONGO_URL=mongodb://wekandb:27017/wekan - - ROOT_URL=http://localhost - # Wekan Export Board works when WITH_API=true. - # If you disable Wekan API with false, Export Board does not work. - - WITH_API=true - # CORS: Set Access-Control-Allow-Origin header. Example: * - #- CORS=* - # Optional: Integration with Matomo https://matomo.org that is installed to your server - # The address of the server where Matomo is hosted. - # example: - MATOMO_ADDRESS=https://example.com/matomo - #- MATOMO_ADDRESS= - # The value of the site ID given in Matomo server for Wekan - # example: - MATOMO_SITE_ID=12345 - #- MATOMO_SITE_ID= - # The option do not track which enables users to not be tracked by matomo - # example: - MATOMO_DO_NOT_TRACK=false - #- MATOMO_DO_NOT_TRACK= - # The option that allows matomo to retrieve the username: - # example: MATOMO_WITH_USERNAME=true - #- MATOMO_WITH_USERNAME=false - # Enable browser policy and allow one trusted URL that can have iframe that has Wekan embedded inside. - # Setting this to false is not recommended, it also disables all other browser policy protections - # and allows all iframing etc. See wekan/server/policy.js - - BROWSER_POLICY_ENABLED=true - # When browser policy is enabled, HTML code at this Trusted URL can have iframe that embeds Wekan inside. - #- TRUSTED_URL= - # What to send to Outgoing Webhook, or leave out. Example, that includes all that are default: cardId,listId,oldListId,boardId,comment,user,card,commentId . - # example: WEBHOOKS_ATTRIBUTES=cardId,listId,oldListId,boardId,comment,user,card,commentId - #- WEBHOOKS_ATTRIBUTES= - # Enable the OAuth2 connection - # example: OAUTH2_ENABLED=true - #- OAUTH2_ENABLED=false - # OAuth2 docs: https://github.com/wekan/wekan/wiki/OAuth2 - # OAuth2 Client ID, for example from Rocket.Chat. Example: abcde12345 - # example: OAUTH2_CLIENT_ID=abcde12345 - #- OAUTH2_CLIENT_ID= - # OAuth2 Secret, for example from Rocket.Chat: Example: 54321abcde - # example: OAUTH2_SECRET=54321abcde - #- OAUTH2_SECRET= - # OAuth2 Server URL, for example Rocket.Chat. Example: https://chat.example.com - # example: OAUTH2_SERVER_URL=https://chat.example.com - #- OAUTH2_SERVER_URL= - # OAuth2 Authorization Endpoint. Example: /oauth/authorize - # example: OAUTH2_AUTH_ENDPOINT=/oauth/authorize - #- OAUTH2_AUTH_ENDPOINT= - # OAuth2 Userinfo Endpoint. Example: /oauth/userinfo - # example: OAUTH2_USERINFO_ENDPOINT=/oauth/userinfo - #- OAUTH2_USERINFO_ENDPOINT= - # OAuth2 Token Endpoint. Example: /oauth/token - # example: OAUTH2_TOKEN_ENDPOINT=/oauth/token - #- OAUTH2_TOKEN_ENDPOINT= - # LDAP_ENABLE : Enable or not the connection by the LDAP - # example : LDAP_ENABLE=true - #- LDAP_ENABLE=false - # LDAP_PORT : The port of the LDAP server - # example : LDAP_PORT=389 - #- LDAP_PORT=389 - # LDAP_HOST : The host server for the LDAP server - # example : LDAP_HOST=localhost - #- LDAP_HOST= - # LDAP_BASEDN : The base DN for the LDAP Tree - # example : LDAP_BASEDN=ou=user,dc=example,dc=org - #- LDAP_BASEDN= - # LDAP_LOGIN_FALLBACK : Fallback on the default authentication method - # example : LDAP_LOGIN_FALLBACK=true - #- LDAP_LOGIN_FALLBACK=false - # LDAP_RECONNECT : Reconnect to the server if the connection is lost - # example : LDAP_RECONNECT=false - #- LDAP_RECONNECT=true - # LDAP_TIMEOUT : Overall timeout, in milliseconds - # example : LDAP_TIMEOUT=12345 - #- LDAP_TIMEOUT=10000 - # LDAP_IDLE_TIMEOUT : Specifies the timeout for idle LDAP connections in milliseconds - # example : LDAP_IDLE_TIMEOUT=12345 - #- LDAP_IDLE_TIMEOUT=10000 - # LDAP_CONNECT_TIMEOUT : Connection timeout, in milliseconds - # example : LDAP_CONNECT_TIMEOUT=12345 - #- LDAP_CONNECT_TIMEOUT=10000 - # LDAP_AUTHENTIFICATION : If the LDAP needs a user account to search - # example : LDAP_AUTHENTIFICATION=true - #- LDAP_AUTHENTIFICATION=false - # LDAP_AUTHENTIFICATION_USERDN : The search user DN - # example : LDAP_AUTHENTIFICATION_USERDN=cn=admin,dc=example,dc=org - #- LDAP_AUTHENTIFICATION_USERDN= - # LDAP_AUTHENTIFICATION_PASSWORD : The password for the search user - # example : AUTHENTIFICATION_PASSWORD=admin - #- LDAP_AUTHENTIFICATION_PASSWORD= - # LDAP_LOG_ENABLED : Enable logs for the module - # example : LDAP_LOG_ENABLED=true - #- LDAP_LOG_ENABLED=false - # LDAP_BACKGROUND_SYNC : If the sync of the users should be done in the background - # example : LDAP_BACKGROUND_SYNC=true - #- LDAP_BACKGROUND_SYNC=false - # LDAP_BACKGROUND_SYNC_INTERVAL : At which interval does the background task sync in milliseconds - # example : LDAP_BACKGROUND_SYNC_INTERVAL=12345 - #- LDAP_BACKGROUND_SYNC_INTERVAL=100 - # LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED : - # example : LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=true - #- LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=false - # LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS : - # example : LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=true - #- LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=false - # LDAP_ENCRYPTION : If using LDAPS - # example : LDAP_ENCRYPTION=ssl - #- LDAP_ENCRYPTION=false - # LDAP_CA_CERT : The certification for the LDAPS server. Certificate needs to be included in this docker-compose.yml file. - # example : LDAP_CA_CERT=-----BEGIN CERTIFICATE-----MIIE+zCCA+OgAwIBAgIkAhwR/6TVLmdRY6hHxvUFWc0+Enmu/Hu6cj+G2FIdAgIC...-----END CERTIFICATE----- - #- LDAP_CA_CERT= - # LDAP_REJECT_UNAUTHORIZED : Reject Unauthorized Certificate - # example : LDAP_REJECT_UNAUTHORIZED=true - #- LDAP_REJECT_UNAUTHORIZED=false - # LDAP_USER_SEARCH_FILTER : Optional extra LDAP filters. Don't forget the outmost enclosing parentheses if needed - # example : LDAP_USER_SEARCH_FILTER= - #- LDAP_USER_SEARCH_FILTER= - # LDAP_USER_SEARCH_SCOPE : base (search only in the provided DN), one (search only in the provided DN and one level deep), or sub (search the whole subtree) - # example : LDAP_USER_SEARCH_SCOPE=one - #- LDAP_USER_SEARCH_SCOPE= - # LDAP_USER_SEARCH_FIELD : Which field is used to find the user - # example : LDAP_USER_SEARCH_FIELD=uid - #- LDAP_USER_SEARCH_FIELD= - # LDAP_SEARCH_PAGE_SIZE : Used for pagination (0=unlimited) - # example : LDAP_SEARCH_PAGE_SIZE=12345 - #- LDAP_SEARCH_PAGE_SIZE=0 - # LDAP_SEARCH_SIZE_LIMIT : The limit number of entries (0=unlimited) - # example : LDAP_SEARCH_SIZE_LIMIT=12345 - #- LDAP_SEARCH_SIZE_LIMIT=0 - # LDAP_GROUP_FILTER_ENABLE : Enable group filtering - # example : LDAP_GROUP_FILTER_ENABLE=true - #- LDAP_GROUP_FILTER_ENABLE=false - # LDAP_GROUP_FILTER_OBJECTCLASS : The object class for filtering - # example : LDAP_GROUP_FILTER_OBJECTCLASS=group - #- LDAP_GROUP_FILTER_OBJECTCLASS= - # LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE : - # example : - #- LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE= - # LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE : - # example : - #- LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE= - # LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT : - # example : - #- LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT= - # LDAP_GROUP_FILTER_GROUP_NAME : - # example : - #- LDAP_GROUP_FILTER_GROUP_NAME= - # LDAP_UNIQUE_IDENTIFIER_FIELD : This field is sometimes class GUID (Globally Unique Identifier) - # example : LDAP_UNIQUE_IDENTIFIER_FIELD=guid - #- LDAP_UNIQUE_IDENTIFIER_FIELD= - # LDAP_UTF8_NAMES_SLUGIFY : Convert the username to utf8 - # example : LDAP_UTF8_NAMES_SLUGIFY=false - #- LDAP_UTF8_NAMES_SLUGIFY=true - # LDAP_USERNAME_FIELD : Which field contains the ldap username - # example : LDAP_USERNAME_FIELD=username - #- LDAP_USERNAME_FIELD= - # LDAP_FULLNAME_FIELD : Which field contains the ldap fullname - # example : LDAP_FULLNAME_FIELD=fullname - #- LDAP_FULLNAME_FIELD= - # LDAP_MERGE_EXISTING_USERS : - # example : LDAP_MERGE_EXISTING_USERS=true - #- LDAP_MERGE_EXISTING_USERS=false - # LDAP_SYNC_USER_DATA : - # example : LDAP_SYNC_USER_DATA=true - #- LDAP_SYNC_USER_DATA=false - # LDAP_SYNC_USER_DATA_FIELDMAP : - # example : LDAP_SYNC_USER_DATA_FIELDMAP={"cn":"name", "mail":"email"} - #- LDAP_SYNC_USER_DATA_FIELDMAP= - # LDAP_SYNC_GROUP_ROLES : - # example : - #- LDAP_SYNC_GROUP_ROLES= - # LDAP_DEFAULT_DOMAIN : The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP - # example : - #- LDAP_DEFAULT_DOMAIN= - # LOGOUT_WITH_TIMER : Enables or not the option logout with timer - # example : LOGOUT_WITH_TIMER=true - #- LOGOUT_WITH_TIMER= - # LOGOUT_IN : The number of days - # example : LOGOUT_IN=1 - #- LOGOUT_IN= - # LOGOUT_ON_HOURS : The number of hours - # example : LOGOUT_ON_HOURS=9 - #- LOGOUT_ON_HOURS= - # LOGOUT_ON_MINUTES : The number of minutes - # example : LOGOUT_ON_MINUTES=55 - #- LOGOUT_ON_MINUTES= - # DEFAULT_AUTHENTICATION_METHOD : The default authentication method used if a user does not exist to create and authenticate. Method can be password or ldap. - # example : DEFAULT_AUTHENTICATION_METHOD=ldap - #- DEFAULT_AUTHENTICATION_METHOD= - - depends_on: - - wekandb - -volumes: - wekan-db: - driver: local - wekan-db-dump: - driver: local - -networks: - wekan-tier: - driver: bridge diff --git a/docker-compose-postgresql.yml b/docker-compose-postgresql.yml deleted file mode 100644 index 215dc7d5..00000000 --- a/docker-compose-postgresql.yml +++ /dev/null @@ -1,263 +0,0 @@ -version: '2' - -# Docker: Wekan <=> MongoDB <=> ToroDB => PostgreSQL read-only mirroring -# for reporting with SQL, and accessing with any programming language, -# reporting package and Office suite that can connect to PostgreSQL. -# https://github.com/wekan/wekan-postgresql - -services: - torodb-stampede: - image: torodb/stampede:1.0.0-SNAPSHOT - networks: - - wekan-tier - links: - - postgres - - mongodb - environment: - - POSTGRES_PASSWORD - - TORODB_SETUP=true - - TORODB_SYNC_SOURCE=mongodb:27017 - - TORODB_BACKEND_HOST=postgres - - TORODB_BACKEND_PORT=5432 - - TORODB_BACKEND_DATABASE=wekan - - TORODB_BACKEND_USER=wekan - - TORODB_BACKEND_PASSWORD=wekan - - DEBUG - postgres: - image: postgres:9.6 - networks: - - wekan-tier - environment: - - POSTGRES_PASSWORD - ports: - - "15432:5432" - mongodb: - image: mongo:3.2 - networks: - - wekan-tier - ports: - - "28017:27017" - entrypoint: - - /bin/bash - - "-c" - - mongo --nodb --eval ' - var db; - while (!db) { - try { - db = new Mongo("mongodb:27017").getDB("local"); - } catch(ex) {} - sleep(3000); - }; - rs.initiate({_id:"rs1",members:[{_id:0,host:"mongodb:27017"}]}); - ' 1>/dev/null 2>&1 & - mongod --replSet rs1 - wekan: - image: quay.io/wekan/wekan - container_name: wekan-app - restart: always - networks: - - wekan-tier - ports: - - 80:8080 - environment: - - MONGO_URL=mongodb://mongodb:27017/wekan - - ROOT_URL=http://localhost - #--------------------------------------------------------------- - # == WEKAN API == - # Wekan Export Board works when WITH_API='true'. - # If you disable Wekan API, Export Board does not work. - - WITH_API=true - # CORS: Set Access-Control-Allow-Origin header. Example: * - #- CORS=* - # Optional: Integration with Matomo https://matomo.org that is installed to your server - # The address of the server where Matomo is hosted. - # example: - MATOMO_ADDRESS=https://example.com/matomo - #- MATOMO_ADDRESS= - # The value of the site ID given in Matomo server for Wekan - # example: - MATOMO_SITE_ID=12345 - #- MATOMO_SITE_ID= - # The option do not track which enables users to not be tracked by matomo - # example: - MATOMO_DO_NOT_TRACK=false - #- MATOMO_DO_NOT_TRACK= - # The option that allows matomo to retrieve the username: - # example: MATOMO_WITH_USERNAME=true - #- MATOMO_WITH_USERNAME=false - # Enable browser policy and allow one trusted URL that can have iframe that has Wekan embedded inside. - # Setting this to false is not recommended, it also disables all other browser policy protections - # and allows all iframing etc. See wekan/server/policy.js - - BROWSER_POLICY_ENABLED=true - # When browser policy is enabled, HTML code at this Trusted URL can have iframe that embeds Wekan inside. - #- TRUSTED_URL= - # What to send to Outgoing Webhook, or leave out. Example, that includes all that are default: cardId,listId,oldListId,boardId,comment,user,card,commentId . - # example: WEBHOOKS_ATTRIBUTES=cardId,listId,oldListId,boardId,comment,user,card,commentId - #- WEBHOOKS_ATTRIBUTES= - # Enable the OAuth2 connection - # example: OAUTH2_ENABLED=true - #- OAUTH2_ENABLED=false - # OAuth2 docs: https://github.com/wekan/wekan/wiki/OAuth2 - # OAuth2 Client ID, for example from Rocket.Chat. Example: abcde12345 - # example: OAUTH2_CLIENT_ID=abcde12345 - #- OAUTH2_CLIENT_ID= - # OAuth2 Secret, for example from Rocket.Chat: Example: 54321abcde - # example: OAUTH2_SECRET=54321abcde - #- OAUTH2_SECRET= - # OAuth2 Server URL, for example Rocket.Chat. Example: https://chat.example.com - # example: OAUTH2_SERVER_URL=https://chat.example.com - #- OAUTH2_SERVER_URL= - # OAuth2 Authorization Endpoint. Example: /oauth/authorize - # example: OAUTH2_AUTH_ENDPOINT=/oauth/authorize - #- OAUTH2_AUTH_ENDPOINT= - # OAuth2 Userinfo Endpoint. Example: /oauth/userinfo - # example: OAUTH2_USERINFO_ENDPOINT=/oauth/userinfo - #- OAUTH2_USERINFO_ENDPOINT= - # OAuth2 Token Endpoint. Example: /oauth/token - # example: OAUTH2_TOKEN_ENDPOINT=/oauth/token - #- OAUTH2_TOKEN_ENDPOINT= - # LDAP_ENABLE : Enable or not the connection by the LDAP - # example : LDAP_ENABLE=true - #- LDAP_ENABLE=false - # LDAP_PORT : The port of the LDAP server - # example : LDAP_PORT=389 - #- LDAP_PORT=389 - # LDAP_HOST : The host server for the LDAP server - # example : LDAP_HOST=localhost - #- LDAP_HOST= - # LDAP_BASEDN : The base DN for the LDAP Tree - # example : LDAP_BASEDN=ou=user,dc=example,dc=org - #- LDAP_BASEDN= - # LDAP_LOGIN_FALLBACK : Fallback on the default authentication method - # example : LDAP_LOGIN_FALLBACK=true - #- LDAP_LOGIN_FALLBACK=false - # LDAP_RECONNECT : Reconnect to the server if the connection is lost - # example : LDAP_RECONNECT=false - #- LDAP_RECONNECT=true - # LDAP_TIMEOUT : Overall timeout, in milliseconds - # example : LDAP_TIMEOUT=12345 - #- LDAP_TIMEOUT=10000 - # LDAP_IDLE_TIMEOUT : Specifies the timeout for idle LDAP connections in milliseconds - # example : LDAP_IDLE_TIMEOUT=12345 - #- LDAP_IDLE_TIMEOUT=10000 - # LDAP_CONNECT_TIMEOUT : Connection timeout, in milliseconds - # example : LDAP_CONNECT_TIMEOUT=12345 - #- LDAP_CONNECT_TIMEOUT=10000 - # LDAP_AUTHENTIFICATION : If the LDAP needs a user account to search - # example : LDAP_AUTHENTIFICATION=true - #- LDAP_AUTHENTIFICATION=false - # LDAP_AUTHENTIFICATION_USERDN : The search user DN - # example : LDAP_AUTHENTIFICATION_USERDN=cn=admin,dc=example,dc=org - #- LDAP_AUTHENTIFICATION_USERDN= - # LDAP_AUTHENTIFICATION_PASSWORD : The password for the search user - # example : AUTHENTIFICATION_PASSWORD=admin - #- LDAP_AUTHENTIFICATION_PASSWORD= - # LDAP_LOG_ENABLED : Enable logs for the module - # example : LDAP_LOG_ENABLED=true - #- LDAP_LOG_ENABLED=false - # LDAP_BACKGROUND_SYNC : If the sync of the users should be done in the background - # example : LDAP_BACKGROUND_SYNC=true - #- LDAP_BACKGROUND_SYNC=false - # LDAP_BACKGROUND_SYNC_INTERVAL : At which interval does the background task sync in milliseconds - # example : LDAP_BACKGROUND_SYNC_INTERVAL=12345 - #- LDAP_BACKGROUND_SYNC_INTERVAL=100 - # LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED : - # example : LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=true - #- LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=false - # LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS : - # example : LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=true - #- LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=false - # LDAP_ENCRYPTION : If using LDAPS - # example : LDAP_ENCRYPTION=ssl - #- LDAP_ENCRYPTION=false - # LDAP_CA_CERT : The certification for the LDAPS server. Certificate needs to be included in this docker-compose.yml file. - # example : LDAP_CA_CERT=-----BEGIN CERTIFICATE-----MIIE+zCCA+OgAwIBAgIkAhwR/6TVLmdRY6hHxvUFWc0+Enmu/Hu6cj+G2FIdAgIC...-----END CERTIFICATE----- - #- LDAP_CA_CERT= - # LDAP_REJECT_UNAUTHORIZED : Reject Unauthorized Certificate - # example : LDAP_REJECT_UNAUTHORIZED=true - #- LDAP_REJECT_UNAUTHORIZED=false - # LDAP_USER_SEARCH_FILTER : Optional extra LDAP filters. Don't forget the outmost enclosing parentheses if needed - # example : LDAP_USER_SEARCH_FILTER= - #- LDAP_USER_SEARCH_FILTER= - # LDAP_USER_SEARCH_SCOPE : base (search only in the provided DN), one (search only in the provided DN and one level deep), or sub (search the whole subtree) - # example : LDAP_USER_SEARCH_SCOPE=one - #- LDAP_USER_SEARCH_SCOPE= - # LDAP_USER_SEARCH_FIELD : Which field is used to find the user - # example : LDAP_USER_SEARCH_FIELD=uid - #- LDAP_USER_SEARCH_FIELD= - # LDAP_SEARCH_PAGE_SIZE : Used for pagination (0=unlimited) - # example : LDAP_SEARCH_PAGE_SIZE=12345 - #- LDAP_SEARCH_PAGE_SIZE=0 - # LDAP_SEARCH_SIZE_LIMIT : The limit number of entries (0=unlimited) - # example : LDAP_SEARCH_SIZE_LIMIT=12345 - #- LDAP_SEARCH_SIZE_LIMIT=0 - # LDAP_GROUP_FILTER_ENABLE : Enable group filtering - # example : LDAP_GROUP_FILTER_ENABLE=true - #- LDAP_GROUP_FILTER_ENABLE=false - # LDAP_GROUP_FILTER_OBJECTCLASS : The object class for filtering - # example : LDAP_GROUP_FILTER_OBJECTCLASS=group - #- LDAP_GROUP_FILTER_OBJECTCLASS= - # LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE : - # example : - #- LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE= - # LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE : - # example : - #- LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE= - # LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT : - # example : - #- LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT= - # LDAP_GROUP_FILTER_GROUP_NAME : - # example : - #- LDAP_GROUP_FILTER_GROUP_NAME= - # LDAP_UNIQUE_IDENTIFIER_FIELD : This field is sometimes class GUID (Globally Unique Identifier) - # example : LDAP_UNIQUE_IDENTIFIER_FIELD=guid - #- LDAP_UNIQUE_IDENTIFIER_FIELD= - # LDAP_UTF8_NAMES_SLUGIFY : Convert the username to utf8 - # example : LDAP_UTF8_NAMES_SLUGIFY=false - #- LDAP_UTF8_NAMES_SLUGIFY=true - # LDAP_USERNAME_FIELD : Which field contains the ldap username - # example : LDAP_USERNAME_FIELD=username - #- LDAP_USERNAME_FIELD= - # LDAP_FULLNAME_FIELD : Which field contains the ldap fullname - # example : LDAP_FULLNAME_FIELD=fullname - #- LDAP_FULLNAME_FIELD= - # LDAP_MERGE_EXISTING_USERS : - # example : LDAP_MERGE_EXISTING_USERS=true - #- LDAP_MERGE_EXISTING_USERS=false - # LDAP_SYNC_USER_DATA : - # example : LDAP_SYNC_USER_DATA=true - #- LDAP_SYNC_USER_DATA=false - # LDAP_SYNC_USER_DATA_FIELDMAP : - # example : LDAP_SYNC_USER_DATA_FIELDMAP={"cn":"name", "mail":"email"} - #- LDAP_SYNC_USER_DATA_FIELDMAP= - # LDAP_SYNC_GROUP_ROLES : - # example : - #- LDAP_SYNC_GROUP_ROLES= - # LDAP_DEFAULT_DOMAIN : The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP - # example : - #- LDAP_DEFAULT_DOMAIN= - # LOGOUT_WITH_TIMER : Enables or not the option logout with timer - # example : LOGOUT_WITH_TIMER=true - #- LOGOUT_WITH_TIMER= - # LOGOUT_IN : The number of days - # example : LOGOUT_IN=1 - #- LOGOUT_IN= - # LOGOUT_ON_HOURS : The number of hours - # example : LOGOUT_ON_HOURS=9 - #- LOGOUT_ON_HOURS= - # LOGOUT_ON_MINUTES : The number of minutes - # example : LOGOUT_ON_MINUTES=55 - #- LOGOUT_ON_MINUTES= - # DEFAULT_AUTHENTICATION_METHOD : The default authentication method used if a user does not exist to create and authenticate. . Method can be password or ldap. - # example : DEFAULT_AUTHENTICATION_METHOD=ldap - #- DEFAULT_AUTHENTICATION_METHOD= - - depends_on: - - mongodb - -volumes: - mongodb: - driver: local - mongodb-dump: - driver: local - -networks: - wekan-tier: - driver: bridge diff --git a/docker-compose.yml b/docker-compose.yml index 7d7bf9d1..be1508c8 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -1,13 +1,158 @@ version: '2' # Note: Do not add single quotes '' to variables. Having spaces still works without quotes where required. -# 1) Edit settings -# 2) docker-compose up -d +#--------------------------------------------------------------------------------------------------------- +# ==== CREATING USERS AND LOGGING IN TO WEKAN ==== +# https://github.com/wekan/wekan/wiki/Adding-users +#--------------------------------------------------------------------------------------------------------- +# ==== FORGOT PASSWORD ==== +# https://github.com/wekan/wekan/wiki/Forgot-Password +#--------------------------------------------------------------------------------------------------------- +# ==== Upgrading Wekan to new version ===== +# 1) Stop Wekan: +# docker-compose stop +# 2) Download new version: +# docker-compose pull wekan +# 3) If you have more networks for VPN etc as described at bottom of +# this config, download for them too: +# docker-compose pull wekan2 +# 4) Start Wekan: +# docker-compose start +#---------------------------------------------------------------------------------- +# ==== OPTIONAL: DEDICATED DOCKER USER ==== +# 1) Optionally create a dedicated user for Wekan, for example: +# sudo useradd -d /home/wekan -m -s /bin/bash wekan +# 2) Add this user to the docker group, then logout+login or reboot: +# sudo usermod -aG docker wekan +# 3) Then login as user wekan. +# 4) Create this file /home/wekan/docker-compose.yml with your modifications. +#---------------------------------------------------------------------------------- +# ==== RUN DOCKER AS SERVICE ==== +# 1a) Running Docker as service, on Systemd like Debian 9, Ubuntu 16.04, CentOS 7: +# sudo systemctl enable docker +# sudo systemctl start docker +# 1b) Running Docker as service, on init.d like Debian 8, Ubuntu 14.04, CentOS 6: +# sudo update-rc.d docker defaults +# sudo service docker start +# ---------------------------------------------------------------------------------- +# ==== USAGE OF THIS docker-compose.yml ==== +# 1) For seeing does Wekan work, try this and check with your webbroser: +# docker-compose up +# 2) Stop Wekan and start Wekan in background: +# docker-compose stop +# docker-compose up -d +# 3) See running Docker containers: +# docker ps +# 4) Stop Docker containers: +# docker-compose stop +# ---------------------------------------------------------------------------------- +# ===== INSIDE DOCKER CONTAINERS, AND BACKUP/RESTORE ==== +# https://github.com/wekan/wekan/wiki/Backup +# If really necessary, repair MongoDB: https://github.com/wekan/wekan-mongodb/issues/6#issuecomment-424004116 +# 1) Going inside containers: +# a) Wekan app, does not contain data +# docker exec -it wekan-app bash +# b) MongoDB, contains all data +# docker exec -it wekan-db bash +# 2) Copying database to outside of container: +# docker exec -it wekan-db bash +# cd /data +# mongodump +# exit +# docker cp wekan-db:/data/dump . +# 3) Restoring database +# # 1) Stop wekan +# docker stop wekan-app +# # 2) Go inside database container +# docker exec -it wekan-db bash +# # 3) and data directory +# cd /data +# # 4) Remove previos dump +# rm -rf dump +# # 5) Exit db container +# exit +# # 6) Copy dump to inside docker container +# docker cp dump wekan-db:/data/ +# # 7) Go inside database container +# docker exec -it wekan-db bash +# # 8) and data directory +# cd /data +# # 9) Restore +# mongorestore --drop +# # 10) Exit db container +# exit +# # 11) Start wekan +# docker start wekan-app +#------------------------------------------------------------------------- services: + #----------------------------------------------------------------------------------- + # ==== OPTIONAL Wekan <=> MongoDB <=> ToroDB => PostgreSQL read-only mirroring ==== + # For reporting with SQL, and accessing with any programming language, + # reporting package and Office suite that can connect to PostgreSQL. + # https://github.com/wekan/wekan-postgresql + # + #torodb-stampede: + # image: torodb/stampede:1.0.0-SNAPSHOT + # networks: + # - wekan-tier + # links: + # - postgres + # - wekandb + # environment: + # - POSTGRES_PASSWORD + # - TORODB_SETUP=true + # - TORODB_SYNC_SOURCE=mongodb:27017 + # - TORODB_BACKEND_HOST=postgres + # - TORODB_BACKEND_PORT=5432 + # - TORODB_BACKEND_DATABASE=wekan + # - TORODB_BACKEND_USER=wekan + # - TORODB_BACKEND_PASSWORD=wekan + # - DEBUG + #postgres: + # image: postgres:9.6 + # networks: + # - wekan-tier + # environment: + # - POSTGRES_PASSWORD + # ports: + # - "15432:5432" + #wekandb: + # image: mongo:3.2 + # networks: + # - wekan-tier + # ports: + # - "28017:27017" + # entrypoint: + # - /bin/bash + # - "-c" + # - mongo --nodb --eval ' + # var db; + # while (!db) { + # try { + # db = new Mongo("mongodb:27017").getDB("local"); + # } catch(ex) {} + # sleep(3000); + # }; + # rs.initiate({_id:"rs1",members:[{_id:0,host:"mongodb:27017"}]}); + # ' 1>/dev/null 2>&1 & + # mongod --replSet rs1 + #--------------------------------------------------------------------------------------- + # === FOR ABOVE ToroDB, UNCOMMENT all of above with wekandb: mongo:3.2 that is only === + # === compatible with ToroDB, and COMMENT OUF all of below wekandb: with mongo:4.0.4 === + # === and mongo:3.2.21 === + #-----------------------:::-------------------------------------------------------------- + wekandb: - image: mongo:3.2.21 + #------------------------------------------------------------------------------------- + # ==== MONGODB AND METEOR VERSION ==== + # a) For Wekan Meteor 1.8.x version at meteor-1.8 branch, use mongo 4.x + image: mongo:4.0.4 + # b) For Wekan Meteor 1.6.x version at master/devel/edge branches. + # Only for Snap and Sandstorm while they are not upgraded yet to Meteor 1.8.x + # image: mongo:3.2.21 + #------------------------------------------------------------------------------------- container_name: wekan-db restart: always command: mongod --smallfiles --oplogSize 128 @@ -20,22 +165,119 @@ services: - wekan-db-dump:/dump wekan: - image: quay.io/wekan/wekan + #------------------------------------------------------------------------------------- + # ==== MONGODB AND METEOR VERSION ==== + # a) For Wekan Meteor 1.8.x version at meteor-1.8 branch, + # using https://quay.io/wekan/wekan automatic builds + image: quay.io/wekan/wekan:meteor-1.8 + # b) For Wekan Meteor 1.6.x version at master/devel/edge branches. + # Only for Snap and Sandstorm while they are not upgraded yet to Meteor 1.8.x + # image: quay.io/wekan/wekan + # c) Using specific Meteor 1.6.x version tag: + # image: quay.io/wekan/wekan:v1.95 + # c) Using Docker Hub automatic builds https://hub.docker.com/r/wekanteam/wekan + # image: wekanteam/wekan:meteor-1.8 + # image: wekanteam/wekan:v1.95 + #------------------------------------------------------------------------------------- container_name: wekan-app restart: always networks: - wekan-tier + #------------------------------------------------------------------------------------- + # ==== BUILD wekan-app DOCKER CONTAINER FROM SOURCE, if you uncomment these ==== + #build: + # context: . + # dockerfile: Dockerfile + # args: + # - NODE_VERSION=${NODE_VERSION} + # - METEOR_RELEASE=${METEOR_RELEASE} + # - NPM_VERSION=${NPM_VERSION} + # - ARCHITECTURE=${ARCHITECTURE} + # - SRC_PATH=${SRC_PATH} + # - METEOR_EDGE=${METEOR_EDGE} + # - USE_EDGE=${USE_EDGE} + #------------------------------------------------------------------------------------- ports: - # Docker outsideport:insideport + # Docker outsideport:insideport. Do not add anything extra here. + # For example, if you want to have wekan on port 3001, + # use 3001:8080 . Do not add any extra address etc here, that way it does not work. - 80:8080 environment: - MONGO_URL=mongodb://wekandb:27017/wekan - - ROOT_URL=http://localhost + #--------------------------------------------------------------- + # ==== ROOT_URL SETTING ==== + # Change ROOT_URL to your real Wekan URL, for example: + # If you have Caddy/Nginx/Apache providing SSL + # - https://example.com + # - https://boards.example.com + # This can be problematic with avatars https://github.com/wekan/wekan/issues/1776 + # - https://example.com/wekan + # If without https, can be only wekan node, no need for Caddy/Nginx/Apache if you don't need them + # - http://example.com + # - http://boards.example.com + # - http://192.168.1.100 <=== using at local LAN + - ROOT_URL=http://localhost # <=== using only at same laptop/desktop where Wekan is installed + #--------------------------------------------------------------- + # ==== EMAIL SETTINGS ==== + # Email settings are required in both MAIL_URL and Admin Panel, + # see https://github.com/wekan/wekan/wiki/Troubleshooting-Mail + # For SSL in email, change smtp:// to smtps:// + # NOTE: Special characters need to be url-encoded in MAIL_URL. + # You can encode those characters for example at: https://www.urlencoder.org + - MAIL_URL=smtp://user:pass@mailserver.example.com:25/ + - MAIL_FROM='Example Wekan Support ' + #--------------------------------------------------------------- + # ==== OPTIONAL: MONGO OPLOG SETTINGS ===== + # https://github.com/wekan/wekan-mongodb/issues/2#issuecomment-378343587 + # We've fixed our CPU usage problem today with an environment + # change around Wekan. I wasn't aware during implementation + # that if you're using more than 1 instance of Wekan + # (or any MeteorJS based tool) you're supposed to set + # MONGO_OPLOG_URL as an environment variable. + # Without setting it, Meteor will perform a pull-and-diff + # update of it's dataset. With it, Meteor will update from + # the OPLOG. See here + # https://blog.meteor.com/tuning-meteor-mongo-livedata-for-scalability-13fe9deb8908 + # After setting + # MONGO_OPLOG_URL=mongodb://:@/local?authSource=admin&replicaSet=rsWekan + # the CPU usage for all Wekan instances dropped to an average + # of less than 10% with only occasional spikes to high usage + # (I guess when someone is doing a lot of work) + # - MONGO_OPLOG_URL=mongodb://:@/local?authSource=admin&replicaSet=rsWekan + #--------------------------------------------------------------- + # ==== OPTIONAL: KADIRA PERFORMANCE MONITORING FOR METEOR ==== + # https://github.com/smeijer/kadira + # https://blog.meteor.com/kadira-apm-is-now-open-source-490469ffc85f + # - export KADIRA_OPTIONS_ENDPOINT=http://127.0.0.1:11011 + #--------------------------------------------------------------- + # ==== OPTIONAL: LOGS AND STATS ==== + # https://github.com/wekan/wekan/wiki/Logs + # + # Daily export of Wekan changes as JSON to Logstash and ElasticSearch / Kibana (ELK) + # https://github.com/wekan/wekan-logstash + # + # Statistics Python script for Wekan Dashboard + # https://github.com/wekan/wekan-stats + # + # Console, file, and zulip logger on database changes https://github.com/wekan/wekan/pull/1010 + # with fix to replace console.log by winston logger https://github.com/wekan/wekan/pull/1033 + # but there could be bug https://github.com/wekan/wekan/issues/1094 + # + # There is Feature Request: Logging date and time of all activity with summary reports, + # and requesting reason for changing card to other column https://github.com/wekan/wekan/issues/1598 + #--------------------------------------------------------------- + # ==== WEKAN API AND EXPORT BOARD ==== # Wekan Export Board works when WITH_API=true. + # https://github.com/wekan/wekan/wiki/REST-API + # https://github.com/wekan/wekan-gogs # If you disable Wekan API with false, Export Board does not work. - WITH_API=true + #----------------------------------------------------------------- + # ==== CORS ===== # CORS: Set Access-Control-Allow-Origin header. Example: * #- CORS=* + #----------------------------------------------------------------- + # ==== MATOMO INTEGRATION ==== # Optional: Integration with Matomo https://matomo.org that is installed to your server # The address of the server where Matomo is hosted. # example: - MATOMO_ADDRESS=https://example.com/matomo @@ -49,15 +291,23 @@ services: # The option that allows matomo to retrieve the username: # example: MATOMO_WITH_USERNAME=true #- MATOMO_WITH_USERNAME=false + #----------------------------------------------------------------- + # ==== BROWSER POLICY AND TRUSTED IFRAME URL ==== # Enable browser policy and allow one trusted URL that can have iframe that has Wekan embedded inside. # Setting this to false is not recommended, it also disables all other browser policy protections # and allows all iframing etc. See wekan/server/policy.js - BROWSER_POLICY_ENABLED=true # When browser policy is enabled, HTML code at this Trusted URL can have iframe that embeds Wekan inside. #- TRUSTED_URL= + #----------------------------------------------------------------- + # ==== OUTGOING WEBHOOKS ==== # What to send to Outgoing Webhook, or leave out. Example, that includes all that are default: cardId,listId,oldListId,boardId,comment,user,card,commentId . # example: WEBHOOKS_ATTRIBUTES=cardId,listId,oldListId,boardId,comment,user,card,commentId #- WEBHOOKS_ATTRIBUTES= + #----------------------------------------------------------------- + # ==== OAUTH2 ONLY WITH OIDC AND DOORKEEPER AS INDENTITY PROVIDER + # https://github.com/wekan/wekan/issues/1874 + # https://github.com/wekan/wekan/wiki/OAuth2 # Enable the OAuth2 connection # example: OAUTH2_ENABLED=true #- OAUTH2_ENABLED=false @@ -80,145 +330,224 @@ services: # OAuth2 Token Endpoint. Example: /oauth/token # example: OAUTH2_TOKEN_ENDPOINT=/oauth/token #- OAUTH2_TOKEN_ENDPOINT= + #----------------------------------------------------------------- + # ==== LDAP ==== + # https://github.com/wekan/wekan/wiki/LDAP + # For Snap settings see https://github.com/wekan/wekan-snap/wiki/Supported-settings-keys + # Most settings work both on Snap and Docker below. + # Note: Do not add single quotes '' to variables. Having spaces still works without quotes where required. + # + # DEFAULT_AUTHENTICATION_METHOD : The default authentication method used if a user does not exist to create and authenticate. Can be set as ldap. + # example : DEFAULT_AUTHENTICATION_METHOD=ldap + #- DEFAULT_AUTHENTICATION_METHOD= + # # LDAP_ENABLE : Enable or not the connection by the LDAP # example : LDAP_ENABLE=true #- LDAP_ENABLE=false + # # LDAP_PORT : The port of the LDAP server # example : LDAP_PORT=389 #- LDAP_PORT=389 + # # LDAP_HOST : The host server for the LDAP server # example : LDAP_HOST=localhost #- LDAP_HOST= + # # LDAP_BASEDN : The base DN for the LDAP Tree # example : LDAP_BASEDN=ou=user,dc=example,dc=org #- LDAP_BASEDN= + # # LDAP_LOGIN_FALLBACK : Fallback on the default authentication method # example : LDAP_LOGIN_FALLBACK=true #- LDAP_LOGIN_FALLBACK=false + # # LDAP_RECONNECT : Reconnect to the server if the connection is lost # example : LDAP_RECONNECT=false #- LDAP_RECONNECT=true + # # LDAP_TIMEOUT : Overall timeout, in milliseconds # example : LDAP_TIMEOUT=12345 #- LDAP_TIMEOUT=10000 + # # LDAP_IDLE_TIMEOUT : Specifies the timeout for idle LDAP connections in milliseconds # example : LDAP_IDLE_TIMEOUT=12345 #- LDAP_IDLE_TIMEOUT=10000 + # # LDAP_CONNECT_TIMEOUT : Connection timeout, in milliseconds # example : LDAP_CONNECT_TIMEOUT=12345 #- LDAP_CONNECT_TIMEOUT=10000 + # # LDAP_AUTHENTIFICATION : If the LDAP needs a user account to search # example : LDAP_AUTHENTIFICATION=true #- LDAP_AUTHENTIFICATION=false + # # LDAP_AUTHENTIFICATION_USERDN : The search user DN # example : LDAP_AUTHENTIFICATION_USERDN=cn=admin,dc=example,dc=org #- LDAP_AUTHENTIFICATION_USERDN= + # # LDAP_AUTHENTIFICATION_PASSWORD : The password for the search user # example : AUTHENTIFICATION_PASSWORD=admin #- LDAP_AUTHENTIFICATION_PASSWORD= + # # LDAP_LOG_ENABLED : Enable logs for the module # example : LDAP_LOG_ENABLED=true #- LDAP_LOG_ENABLED=false + # # LDAP_BACKGROUND_SYNC : If the sync of the users should be done in the background # example : LDAP_BACKGROUND_SYNC=true #- LDAP_BACKGROUND_SYNC=false + # # LDAP_BACKGROUND_SYNC_INTERVAL : At which interval does the background task sync in milliseconds # example : LDAP_BACKGROUND_SYNC_INTERVAL=12345 #- LDAP_BACKGROUND_SYNC_INTERVAL=100 + # # LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED : # example : LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=true #- LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=false + # # LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS : # example : LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=true #- LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=false + # # LDAP_ENCRYPTION : If using LDAPS # example : LDAP_ENCRYPTION=ssl #- LDAP_ENCRYPTION=false + # # LDAP_CA_CERT : The certification for the LDAPS server. Certificate needs to be included in this docker-compose.yml file. # example : LDAP_CA_CERT=-----BEGIN CERTIFICATE-----MIIE+zCCA+OgAwIBAgIkAhwR/6TVLmdRY6hHxvUFWc0+Enmu/Hu6cj+G2FIdAgIC...-----END CERTIFICATE----- #- LDAP_CA_CERT= + # # LDAP_REJECT_UNAUTHORIZED : Reject Unauthorized Certificate # example : LDAP_REJECT_UNAUTHORIZED=true #- LDAP_REJECT_UNAUTHORIZED=false + # # LDAP_USER_SEARCH_FILTER : Optional extra LDAP filters. Don't forget the outmost enclosing parentheses if needed # example : LDAP_USER_SEARCH_FILTER= #- LDAP_USER_SEARCH_FILTER= + # # LDAP_USER_SEARCH_SCOPE : base (search only in the provided DN), one (search only in the provided DN and one level deep), or sub (search the whole subtree) # example : LDAP_USER_SEARCH_SCOPE=one #- LDAP_USER_SEARCH_SCOPE= + # # LDAP_USER_SEARCH_FIELD : Which field is used to find the user # example : LDAP_USER_SEARCH_FIELD=uid #- LDAP_USER_SEARCH_FIELD= + # # LDAP_SEARCH_PAGE_SIZE : Used for pagination (0=unlimited) # example : LDAP_SEARCH_PAGE_SIZE=12345 #- LDAP_SEARCH_PAGE_SIZE=0 + # # LDAP_SEARCH_SIZE_LIMIT : The limit number of entries (0=unlimited) # example : LDAP_SEARCH_SIZE_LIMIT=12345 #- LDAP_SEARCH_SIZE_LIMIT=0 + # # LDAP_GROUP_FILTER_ENABLE : Enable group filtering # example : LDAP_GROUP_FILTER_ENABLE=true #- LDAP_GROUP_FILTER_ENABLE=false + # # LDAP_GROUP_FILTER_OBJECTCLASS : The object class for filtering # example : LDAP_GROUP_FILTER_OBJECTCLASS=group #- LDAP_GROUP_FILTER_OBJECTCLASS= + # # LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE : # example : #- LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE= + # # LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE : # example : #- LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE= + # # LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT : # example : #- LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT= + # # LDAP_GROUP_FILTER_GROUP_NAME : # example : #- LDAP_GROUP_FILTER_GROUP_NAME= + # # LDAP_UNIQUE_IDENTIFIER_FIELD : This field is sometimes class GUID (Globally Unique Identifier) # example : LDAP_UNIQUE_IDENTIFIER_FIELD=guid #- LDAP_UNIQUE_IDENTIFIER_FIELD= + # # LDAP_UTF8_NAMES_SLUGIFY : Convert the username to utf8 # example : LDAP_UTF8_NAMES_SLUGIFY=false #- LDAP_UTF8_NAMES_SLUGIFY=true + # # LDAP_USERNAME_FIELD : Which field contains the ldap username # example : LDAP_USERNAME_FIELD=username #- LDAP_USERNAME_FIELD= + # # LDAP_FULLNAME_FIELD : Which field contains the ldap fullname # example : LDAP_FULLNAME_FIELD=fullname #- LDAP_FULLNAME_FIELD= + # # LDAP_MERGE_EXISTING_USERS : # example : LDAP_MERGE_EXISTING_USERS=true #- LDAP_MERGE_EXISTING_USERS=false + #----------------------------------------------------------------- # LDAP_SYNC_USER_DATA : # example : LDAP_SYNC_USER_DATA=true #- LDAP_SYNC_USER_DATA=false + # # LDAP_SYNC_USER_DATA_FIELDMAP : # example : LDAP_SYNC_USER_DATA_FIELDMAP={"cn":"name", "mail":"email"} #- LDAP_SYNC_USER_DATA_FIELDMAP= + # # LDAP_SYNC_GROUP_ROLES : # example : #- LDAP_SYNC_GROUP_ROLES= + # # LDAP_DEFAULT_DOMAIN : The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP # example : #- LDAP_DEFAULT_DOMAIN= + #--------------------------------------------------------------------- + # ==== LOGOUT TIMER, probably does not work yet ==== # LOGOUT_WITH_TIMER : Enables or not the option logout with timer # example : LOGOUT_WITH_TIMER=true #- LOGOUT_WITH_TIMER= + # # LOGOUT_IN : The number of days # example : LOGOUT_IN=1 #- LOGOUT_IN= + # # LOGOUT_ON_HOURS : The number of hours # example : LOGOUT_ON_HOURS=9 #- LOGOUT_ON_HOURS= + # # LOGOUT_ON_MINUTES : The number of minutes # example : LOGOUT_ON_MINUTES=55 #- LOGOUT_ON_MINUTES= - # DEFAULT_AUTHENTICATION_METHOD : The default authentication method used if a user does not exist to create and authenticate. Method can be password or ldap. - # example : DEFAULT_AUTHENTICATION_METHOD=ldap - #- DEFAULT_AUTHENTICATION_METHOD= + #------------------------------------------------------------------- depends_on: - wekandb +#--------------------------------------------------------------------------------- +# ==== OPTIONAL: SHARE DATABASE TO OFFICE LAN AND REMOTE VPN ==== +# When using Wekan both at office LAN and remote VPN: +# 1) Have above Wekan docker container config with LAN IP address +# 2) Copy all of above wekan container config below, look above of this part above and all config below it, +# before above depends_on: part: +# +# wekan: +# #------------------------------------------------------------------------------------- +# # ==== MONGODB AND METEOR VERSION ==== +# # a) For Wekan Meteor 1.8.x version at meteor-1.8 branch, ..... +# +# +# and change name to different name like wekan2 or wekanvpn, and change ROOT_URL to server VPN IP +# address. +# 3) This way both Wekan containers can use same MongoDB database +# and see the same Wekan boards. +# 4) You could also add 3rd Wekan container for 3rd network etc. +# EXAMPLE: +# wekan2: +# ....COPY CONFIG FROM ABOVE TO HERE... +# environment: +# - ROOT_URL='http://10.10.10.10' +# ...COPY CONFIG FROM ABOVE TO HERE... +#--------------------------------------------------------------------------------- + volumes: wekan-db: driver: local -- cgit v1.2.3-1-g7c22 From e7e67e300b3aaa3448d7579fbf81509b59ea886a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 22 Dec 2018 18:46:45 +0200 Subject: - [Combine all docker-compose.yml files](https://github.com/wekan/wekan/commit/3f948ba49ba7266c436ff138716bdcae9e879903). Thanks to xet7. --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 127f349e..169efdf7 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release adds the following new features: + +- [Combine all docker-compose.yml files](https://github.com/wekan/wekan/commit/3f948ba49ba7266c436ff138716bdcae9e879903). Thanks to xet7. + +Thanks to above GitHub users for their contributions. + # v1.95 2018-12-21 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From 6cb046f29e1c8757897d5e3595d72a70e56c04e7 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 22 Dec 2018 18:57:23 +0200 Subject: Update translations (de). --- i18n/de.i18n.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 97288727..c8ea8804 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -620,6 +620,6 @@ "hide-logo": "Verstecke Logo", "add-custom-html-after-body-start": "Füge benutzerdefiniertes HTML nach Anfang hinzu", "add-custom-html-before-body-end": "Füge benutzerdefiniertes HTML vor Ende hinzu", - "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-undefined": "Etwas ist schief gelaufen", + "error-ldap-login": "Es ist ein Fehler beim Anmelden aufgetreten" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 1901c3c7983f6c9871e14d8e7d45889c5c2127f3 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 22 Dec 2018 19:04:43 +0200 Subject: Fix typo. --- docker-compose.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/docker-compose.yml b/docker-compose.yml index be1508c8..2a831094 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -140,7 +140,7 @@ services: # mongod --replSet rs1 #--------------------------------------------------------------------------------------- # === FOR ABOVE ToroDB, UNCOMMENT all of above with wekandb: mongo:3.2 that is only === - # === compatible with ToroDB, and COMMENT OUF all of below wekandb: with mongo:4.0.4 === + # === compatible with ToroDB, and COMMENT OUT all of below wekandb: with mongo:4.0.4 === # === and mongo:3.2.21 === #-----------------------:::-------------------------------------------------------------- -- cgit v1.2.3-1-g7c22 From ef6aa4e415233eff6baa9a918e5b77b9b8bf53eb Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 22 Dec 2018 21:40:34 +0200 Subject: - Move wekan-postgresql back to https://github.com/wekan/wekan-postgresql because there is many differences in database settings. Thanks to xet7 ! --- docker-compose.yml | 57 ------------------------------------------------------ 1 file changed, 57 deletions(-) diff --git a/docker-compose.yml b/docker-compose.yml index 2a831094..804a127f 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -87,63 +87,6 @@ version: '2' services: - #----------------------------------------------------------------------------------- - # ==== OPTIONAL Wekan <=> MongoDB <=> ToroDB => PostgreSQL read-only mirroring ==== - # For reporting with SQL, and accessing with any programming language, - # reporting package and Office suite that can connect to PostgreSQL. - # https://github.com/wekan/wekan-postgresql - # - #torodb-stampede: - # image: torodb/stampede:1.0.0-SNAPSHOT - # networks: - # - wekan-tier - # links: - # - postgres - # - wekandb - # environment: - # - POSTGRES_PASSWORD - # - TORODB_SETUP=true - # - TORODB_SYNC_SOURCE=mongodb:27017 - # - TORODB_BACKEND_HOST=postgres - # - TORODB_BACKEND_PORT=5432 - # - TORODB_BACKEND_DATABASE=wekan - # - TORODB_BACKEND_USER=wekan - # - TORODB_BACKEND_PASSWORD=wekan - # - DEBUG - #postgres: - # image: postgres:9.6 - # networks: - # - wekan-tier - # environment: - # - POSTGRES_PASSWORD - # ports: - # - "15432:5432" - #wekandb: - # image: mongo:3.2 - # networks: - # - wekan-tier - # ports: - # - "28017:27017" - # entrypoint: - # - /bin/bash - # - "-c" - # - mongo --nodb --eval ' - # var db; - # while (!db) { - # try { - # db = new Mongo("mongodb:27017").getDB("local"); - # } catch(ex) {} - # sleep(3000); - # }; - # rs.initiate({_id:"rs1",members:[{_id:0,host:"mongodb:27017"}]}); - # ' 1>/dev/null 2>&1 & - # mongod --replSet rs1 - #--------------------------------------------------------------------------------------- - # === FOR ABOVE ToroDB, UNCOMMENT all of above with wekandb: mongo:3.2 that is only === - # === compatible with ToroDB, and COMMENT OUT all of below wekandb: with mongo:4.0.4 === - # === and mongo:3.2.21 === - #-----------------------:::-------------------------------------------------------------- - wekandb: #------------------------------------------------------------------------------------- # ==== MONGODB AND METEOR VERSION ==== -- cgit v1.2.3-1-g7c22 From e9006a234bdf684c03c7bb3aac67753fe759ac2a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 24 Dec 2018 16:29:53 +0200 Subject: - Fix docker-compose.yml to use Meteor 1.6.x based Wekan, because currently Meteor 1.8.x based version is broken. Thanks to xet7 ! --- docker-compose.yml | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/docker-compose.yml b/docker-compose.yml index 804a127f..8b0418fd 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -90,11 +90,11 @@ services: wekandb: #------------------------------------------------------------------------------------- # ==== MONGODB AND METEOR VERSION ==== - # a) For Wekan Meteor 1.8.x version at meteor-1.8 branch, use mongo 4.x - image: mongo:4.0.4 + # a) CURRENTLY BROKEN: For Wekan Meteor 1.8.x version at meteor-1.8 branch, use mongo 4.x + # image: mongo:4.0.4 # b) For Wekan Meteor 1.6.x version at master/devel/edge branches. # Only for Snap and Sandstorm while they are not upgraded yet to Meteor 1.8.x - # image: mongo:3.2.21 + image: mongo:3.2.21 #------------------------------------------------------------------------------------- container_name: wekan-db restart: always @@ -110,12 +110,12 @@ services: wekan: #------------------------------------------------------------------------------------- # ==== MONGODB AND METEOR VERSION ==== - # a) For Wekan Meteor 1.8.x version at meteor-1.8 branch, + # a) CURRENTLY BROKEN: For Wekan Meteor 1.8.x version at meteor-1.8 branch, # using https://quay.io/wekan/wekan automatic builds - image: quay.io/wekan/wekan:meteor-1.8 + # image: quay.io/wekan/wekan:meteor-1.8 # b) For Wekan Meteor 1.6.x version at master/devel/edge branches. # Only for Snap and Sandstorm while they are not upgraded yet to Meteor 1.8.x - # image: quay.io/wekan/wekan + image: quay.io/wekan/wekan # c) Using specific Meteor 1.6.x version tag: # image: quay.io/wekan/wekan:v1.95 # c) Using Docker Hub automatic builds https://hub.docker.com/r/wekanteam/wekan -- cgit v1.2.3-1-g7c22 From 425ae5542227ecbb8bae0acd62d553d64b4d893c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 24 Dec 2018 16:41:36 +0200 Subject: Update translations (fa). --- i18n/fa.i18n.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index e72048d8..f46e9cfc 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -620,6 +620,6 @@ "hide-logo": "مخفی سازی نماد", "add-custom-html-after-body-start": "افزودن کد های HTML بعد از شروع", "add-custom-html-before-body-end": "افزودن کد های HTML قبل از پایان", - "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-undefined": "یک اشتباه رخ داده شده است", + "error-ldap-login": "هنگام تلاش برای ورود به یک خطا رخ داد" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From c502ab95009fc5814f1b96b45c6503313551578d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 24 Dec 2018 18:18:41 +0200 Subject: - Revert "Improve authentication" and "Default Authentication Method" to make login work again. - Fixes to docker-compose.yml so that Wekan Meteor 1.6.x version would work. Most likely Meteor 1.8.x version is still broken. Thanks to xet7 ! --- client/components/main/editor.js | 13 +-- client/components/main/layouts.jade | 1 + client/components/main/layouts.js | 109 ++++++++++------------- client/components/settings/connectionMethod.jade | 6 ++ client/components/settings/connectionMethod.js | 34 +++++++ docker-compose.yml | 23 ++--- sandstorm-pkgdef.capnp | 3 +- 7 files changed, 107 insertions(+), 82 deletions(-) create mode 100644 client/components/settings/connectionMethod.jade create mode 100644 client/components/settings/connectionMethod.js diff --git a/client/components/main/editor.js b/client/components/main/editor.js index 152f69e2..20ece562 100755 --- a/client/components/main/editor.js +++ b/client/components/main/editor.js @@ -9,12 +9,10 @@ Template.editor.onRendered(() => { match: /\B@([\w.]*)$/, search(term, callback) { const currentBoard = Boards.findOne(Session.get('currentBoard')); - if (currentBoard) { - callback(currentBoard.activeMembers().map((member) => { - const username = Users.findOne(member.userId).username; - return username.includes(term) ? username : null; - }).filter(Boolean)); - } + callback(currentBoard.activeMembers().map((member) => { + const username = Users.findOne(member.userId).username; + return username.includes(term) ? username : null; + }).filter(Boolean)); }, template(value) { return value; @@ -39,9 +37,6 @@ const at = HTML.CharRef({html: '@', str: '@'}); Blaze.Template.registerHelper('mentions', new Template('mentions', function() { const view = this; const currentBoard = Boards.findOne(Session.get('currentBoard')); - if (!currentBoard) { - return HTML.Raw(''); - } const knowedUsers = currentBoard.members.map((member) => { const u = Users.findOne(member.userId); if(u){ diff --git a/client/components/main/layouts.jade b/client/components/main/layouts.jade index 1c22fee6..55ee2686 100644 --- a/client/components/main/layouts.jade +++ b/client/components/main/layouts.jade @@ -23,6 +23,7 @@ template(name="userFormsLayout") br section.auth-dialog +Template.dynamic(template=content) + +connectionMethod if isCas .at-form button#cas(class='at-btn submit' type='submit') {{casSignInLabel}} diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index 89dcca2d..a50d167e 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -6,14 +6,29 @@ const i18nTagToT9n = (i18nTag) => { return i18nTag; }; -Template.userFormsLayout.onCreated(function() { - Meteor.call('getDefaultAuthenticationMethod', (error, result) => { - this.data.defaultAuthenticationMethod = new ReactiveVar(error ? undefined : result); - }); +const validator = { + set(obj, prop, value) { + if (prop === 'state' && value !== 'signIn') { + $('.at-form-authentication').hide(); + } else if (prop === 'state' && value === 'signIn') { + $('.at-form-authentication').show(); + } + // The default behavior to store the value + obj[prop] = value; + // Indicate success + return true; + }, +}; + +Template.userFormsLayout.onCreated(() => { Meteor.subscribe('setting'); + }); Template.userFormsLayout.onRendered(() => { + + AccountsTemplates.state.form.keys = new Proxy(AccountsTemplates.state.form.keys, validator); + const i18nTag = navigator.language; if (i18nTag) { T9n.setLanguage(i18nTagToT9n(i18nTag)); @@ -86,11 +101,13 @@ Template.userFormsLayout.events({ } }); }, - 'click #at-btn'(event, instance) { - const email = $('#at-field-username_and_email').val(); - const password = $('#at-field-password').val(); - - if (FlowRouter.getRouteName() !== 'atSignIn' || password === '' || email === '') { + 'click #at-btn'(event) { + /* All authentication method can be managed/called here. + !! DON'T FORGET to correctly fill the fields of the user during its creation if necessary authenticationMethod : String !! + */ + const authenticationMethodSelected = $('.select-authentication').val(); + // Local account + if (authenticationMethodSelected === 'password') { return; } @@ -98,11 +115,29 @@ Template.userFormsLayout.events({ event.preventDefault(); event.stopImmediatePropagation(); - Meteor.subscribe('user-authenticationMethod', email, { - onReady() { - return authentication.call(this, instance, email, password); - }, - }); + const email = $('#at-field-username_and_email').val(); + const password = $('#at-field-password').val(); + + // Ldap account + if (authenticationMethodSelected === 'ldap') { + // Check if the user can use the ldap connection + Meteor.subscribe('user-authenticationMethod', email, { + onReady() { + const user = Users.findOne(); + if (user === undefined || user.authenticationMethod === 'ldap') { + // Use the ldap connection package + Meteor.loginWithLDAP(email, password, function(error) { + if (!error) { + // Connection + return FlowRouter.go('/'); + } + return error; + }); + } + return this.stop(); + }, + }); + } }, }); @@ -111,49 +146,3 @@ Template.defaultLayout.events({ Modal.close(); }, }); - -function authentication(instance, email, password) { - const user = Users.findOne(); - - // Authentication with password - if (user && user.authenticationMethod === 'password') { - $('#at-pwd-form').submit(); - return this.stop(); - } - - const authenticationMethod = user - ? user.authenticationMethod - : instance.data.defaultAuthenticationMethod.get(); - - switch (authenticationMethod) { - case 'ldap': - // Use the ldap connection package - Meteor.loginWithLDAP(email, password, function(error) { - if (error) { - displayError('error-ldap-login'); - return this.stop(); - } else { - return FlowRouter.go('/'); - } - }); - break; - - default: - displayError('error-undefined'); - } - - return this.stop(); -} - -function displayError(code) { - const translated = TAPi18n.__(code); - - if (translated === code) { - return; - } - - if(!$('.at-error').length) { - $('.at-pwd-form').before('

'); - } - $('.at-error p').text(translated); -} diff --git a/client/components/settings/connectionMethod.jade b/client/components/settings/connectionMethod.jade new file mode 100644 index 00000000..ac4c8c64 --- /dev/null +++ b/client/components/settings/connectionMethod.jade @@ -0,0 +1,6 @@ +template(name='connectionMethod') + div.at-form-authentication + label {{_ 'authentication-method'}} + select.select-authentication + each authentications + option(value="{{value}}") {{_ value}} diff --git a/client/components/settings/connectionMethod.js b/client/components/settings/connectionMethod.js new file mode 100644 index 00000000..9fe8f382 --- /dev/null +++ b/client/components/settings/connectionMethod.js @@ -0,0 +1,34 @@ +Template.connectionMethod.onCreated(function() { + this.authenticationMethods = new ReactiveVar([]); + + Meteor.call('getAuthenticationsEnabled', (_, result) => { + if (result) { + // TODO : add a management of different languages + // (ex {value: ldap, text: TAPi18n.__('ldap', {}, T9n.getLanguage() || 'en')}) + this.authenticationMethods.set([ + {value: 'password'}, + // Gets only the authentication methods availables + ...Object.entries(result).filter((e) => e[1]).map((e) => ({value: e[0]})), + ]); + } + + // If only the default authentication available, hides the select boxe + const content = $('.at-form-authentication'); + if (!(this.authenticationMethods.get().length > 1)) { + content.hide(); + } else { + content.show(); + } + }); +}); + +Template.connectionMethod.onRendered(() => { + // Moves the select boxe in the first place of the at-pwd-form div + $('.at-form-authentication').detach().prependTo('.at-pwd-form'); +}); + +Template.connectionMethod.helpers({ + authentications() { + return Template.instance().authenticationMethods.get(); + }, +}); diff --git a/docker-compose.yml b/docker-compose.yml index 8b0418fd..085d511e 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -128,17 +128,18 @@ services: - wekan-tier #------------------------------------------------------------------------------------- # ==== BUILD wekan-app DOCKER CONTAINER FROM SOURCE, if you uncomment these ==== - #build: - # context: . - # dockerfile: Dockerfile - # args: - # - NODE_VERSION=${NODE_VERSION} - # - METEOR_RELEASE=${METEOR_RELEASE} - # - NPM_VERSION=${NPM_VERSION} - # - ARCHITECTURE=${ARCHITECTURE} - # - SRC_PATH=${SRC_PATH} - # - METEOR_EDGE=${METEOR_EDGE} - # - USE_EDGE=${USE_EDGE} + # ==== and use commands: docker-compose up -d --build + build: + context: . + dockerfile: Dockerfile + args: + - NODE_VERSION=${NODE_VERSION} + - METEOR_RELEASE=${METEOR_RELEASE} + - NPM_VERSION=${NPM_VERSION} + - ARCHITECTURE=${ARCHITECTURE} + - SRC_PATH=${SRC_PATH} + - METEOR_EDGE=${METEOR_EDGE} + - USE_EDGE=${USE_EDGE} #------------------------------------------------------------------------------------- ports: # Docker outsideport:insideport. Do not add anything extra here. diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 461b8b43..6eb535f0 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -254,7 +254,6 @@ const myCommand :Spk.Manifest.Command = ( (key = "OAUTH2_TOKEN_ENDPOINT", value=""), (key = "LDAP_ENABLE", value="false"), (key = "SANDSTORM", value = "1"), - (key = "METEOR_SETTINGS", value = "{\"public\": {\"sandstorm\": true}}"), - (key = "DEFAULT_AUTHENTICATION_METHOD", value = "") + (key = "METEOR_SETTINGS", value = "{\"public\": {\"sandstorm\": true}}") ] ); -- cgit v1.2.3-1-g7c22 From f140e20c6f889cbdccc86abc5b5821567fda06bc Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 24 Dec 2018 18:22:30 +0200 Subject: - Revert "Improve authentication" and "Default Authentication Method" to make login work again. - Fixes to docker-compose.yml so that Wekan Meteor 1.6.x version would work. Most likely Meteor 1.8.x version is still broken. Thanks to xet7 ! --- CHANGELOG.md | 11 +++++++++-- 1 file changed, 9 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 169efdf7..6460ba84 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,9 +2,16 @@ This release adds the following new features: -- [Combine all docker-compose.yml files](https://github.com/wekan/wekan/commit/3f948ba49ba7266c436ff138716bdcae9e879903). Thanks to xet7. +- [Combine all docker-compose.yml files](https://github.com/wekan/wekan/commit/3f948ba49ba7266c436ff138716bdcae9e879903). -Thanks to above GitHub users for their contributions. +and tries to fix following bugs: + +- Revert "Improve authentication" and "Default Authentication Method" + to make login work again. +- Fixes to docker-compose.yml so that Wekan Meteor 1.6.x version would work. + Most likely Meteor 1.8.x version is still broken. + +Thanks to GitHub user xet7 contributions. # v1.95 2018-12-21 Wekan release -- cgit v1.2.3-1-g7c22 From f60429efdfd485c10212392e55f773726c3fb24e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 24 Dec 2018 18:24:32 +0200 Subject: - Comment out docker build from source part of docker-compose.yml Thanks to xet7 ! --- docker-compose.yml | 22 +++++++++++----------- 1 file changed, 11 insertions(+), 11 deletions(-) diff --git a/docker-compose.yml b/docker-compose.yml index 085d511e..9d635a33 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -129,17 +129,17 @@ services: #------------------------------------------------------------------------------------- # ==== BUILD wekan-app DOCKER CONTAINER FROM SOURCE, if you uncomment these ==== # ==== and use commands: docker-compose up -d --build - build: - context: . - dockerfile: Dockerfile - args: - - NODE_VERSION=${NODE_VERSION} - - METEOR_RELEASE=${METEOR_RELEASE} - - NPM_VERSION=${NPM_VERSION} - - ARCHITECTURE=${ARCHITECTURE} - - SRC_PATH=${SRC_PATH} - - METEOR_EDGE=${METEOR_EDGE} - - USE_EDGE=${USE_EDGE} + #build: + # context: . + # dockerfile: Dockerfile + # args: + # - NODE_VERSION=${NODE_VERSION} + # - METEOR_RELEASE=${METEOR_RELEASE} + # - NPM_VERSION=${NPM_VERSION} + # - ARCHITECTURE=${ARCHITECTURE} + # - SRC_PATH=${SRC_PATH} + # - METEOR_EDGE=${METEOR_EDGE} + # - USE_EDGE=${USE_EDGE} #------------------------------------------------------------------------------------- ports: # Docker outsideport:insideport. Do not add anything extra here. -- cgit v1.2.3-1-g7c22 From 67b76558fc0ff25fa01ce20cbb29a26b6f7aebbd Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 24 Dec 2018 18:26:33 +0200 Subject: v1.96 --- CHANGELOG.md | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 6460ba84..f1422939 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.96 2018-12-24 Wekan release This release adds the following new features: diff --git a/package.json b/package.json index f753fb46..034db32a 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.95.0", + "version": "v1.96.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 6eb535f0..f9574568 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 197, + appVersion = 198, # Increment this for every release. - appMarketingVersion = (defaultText = "1.95.0~2018-12-21"), + appMarketingVersion = (defaultText = "1.96.0~2018-12-24"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 007bea0a4bab85837d715526822022886f3658f4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 24 Dec 2018 23:50:43 +0200 Subject: Update rebuild script. --- rebuild-wekan.sh | 37 ++++++------------------------------- 1 file changed, 6 insertions(+), 31 deletions(-) diff --git a/rebuild-wekan.sh b/rebuild-wekan.sh index 37e46f29..1b2016d0 100755 --- a/rebuild-wekan.sh +++ b/rebuild-wekan.sh @@ -4,7 +4,9 @@ echo "Note: If you use other locale than en_US.UTF-8 , you need to additionally echo " with 'sudo dpkg-reconfigure locales' , so that MongoDB works correctly." echo " You can still use any other locale as your main locale." -X64NODE="https://nodejs.org/dist/v8.14.1/node-v8.14.1-linux-x64.tar.gz" +#Below script installs newest node 8.x for Debian/Ubuntu/Mint. +#NODE_VERSION=8.14.1 +#X64NODE="https://nodejs.org/dist/v${NODE_VERSION}/node-v${NODE_VERSION}-linux-x64.tar.gz" function pause(){ read -p "$*" @@ -69,31 +71,9 @@ do if [[ "$OSTYPE" == "linux-gnu" ]]; then echo "Linux"; - - if [ "$(grep -Ei 'buntu|mint' /etc/*release)" ]; then - sudo apt install -y build-essential git curl wget -# sudo apt -y install nodejs npm -# npm_call -g install n -# sudo n 8.14.1 - fi - -# if [ "$(grep -Ei 'debian' /etc/*release)" ]; then -# sudo apt install -y build-essential git curl wget -# echo "Debian, or Debian on Windows Subsystem for Linux" -# curl -sL https://deb.nodesource.com/setup_8.x | sudo -E bash - -# sudo apt install -y nodejs -# fi - - # TODO: Add Sandstorm for version of Node.js install - #MACHINE_TYPE=`uname -m` - #if [ ${MACHINE_TYPE} == 'x86_64' ]; then - # # 64-bit stuff here - # wget ${X64NODE} - # sudo tar -C /usr/local --strip-components 1 -xzf ${X64NODE} - #elif [ ${MACHINE_TYPE} == '32bit' ]; then - # echo "TODO: 32-bit Linux install here" - # exit - #fi + # Debian, Ubuntu, Mint + sudo apt-get install -y build-essential git curl wget + curl -sL https://deb.nodesource.com/setup_8.x | sudo -E bash - elif [[ "$OSTYPE" == "darwin"* ]]; then echo "macOS"; pause '1) Install XCode 2) Install Node 8.x from https://nodejs.org/en/ 3) Press [Enter] key to continue.' @@ -125,11 +105,6 @@ do npm_call -g install fibers@2.0.0 # Install Meteor, if it's not yet installed curl https://install.meteor.com | bash -# mkdir ~/repos -# cd ~/repos -# git clone https://github.com/wekan/wekan.git -# cd wekan -# git checkout devel break ;; "Build Wekan") -- cgit v1.2.3-1-g7c22 From e1436ab9640e98e7c6808f7760409d05994d6fd2 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 24 Dec 2018 23:54:57 +0200 Subject: Update rebuild script. --- releases/virtualbox/rebuild-wekan.sh | 30 ++++-------------------------- 1 file changed, 4 insertions(+), 26 deletions(-) diff --git a/releases/virtualbox/rebuild-wekan.sh b/releases/virtualbox/rebuild-wekan.sh index a6135526..7501cee1 100755 --- a/releases/virtualbox/rebuild-wekan.sh +++ b/releases/virtualbox/rebuild-wekan.sh @@ -4,7 +4,7 @@ echo "Note: If you use other locale than en_US.UTF-8 , you need to additionally echo " with 'sudo dpkg-reconfigure locales' , so that MongoDB works correctly." echo " You can still use any other locale as your main locale." -X64NODE="https://nodejs.org/dist/v8.14.1/node-v8.14.1-linux-x64.tar.gz" +#X64NODE="https://nodejs.org/dist/v8.14.1/node-v8.14.1-linux-x64.tar.gz" function pause(){ read -p "$*" @@ -20,31 +20,9 @@ do if [[ "$OSTYPE" == "linux-gnu" ]]; then echo "Linux"; - - if [ "$(grep -Ei 'buntu|mint' /etc/*release)" ]; then - sudo apt install -y build-essential git curl wget - sudo apt -y install nodejs npm - sudo npm -g install n - sudo n 8.14.1 - fi - - if [ "$(grep -Ei 'debian' /etc/*release)" ]; then - sudo apt install -y build-essential git curl wget - echo "Debian, or Debian on Windows Subsystem for Linux" - curl -sL https://deb.nodesource.com/setup_8.x | sudo -E bash - - sudo apt install -y nodejs - fi - - # TODO: Add Sandstorm for version of Node.js install - #MACHINE_TYPE=`uname -m` - #if [ ${MACHINE_TYPE} == 'x86_64' ]; then - # # 64-bit stuff here - # wget ${X64NODE} - # sudo tar -C /usr/local --strip-components 1 -xzf ${X64NODE} - #elif [ ${MACHINE_TYPE} == '32bit' ]; then - # echo "TODO: 32-bit Linux install here" - # exit - #fi + echo "Ubuntu, Mint, Debian, or Debian on Windows Subsystem for Linux"; + sudo apt-get install -y build-essential git curl wget; + curl -sL https://deb.nodesource.com/setup_8.x | sudo -E bash -; elif [[ "$OSTYPE" == "darwin"* ]]; then echo "macOS"; pause '1) Install XCode 2) Install Node 8.x from https://nodejs.org/en/ 3) Press [Enter] key to continue.' -- cgit v1.2.3-1-g7c22 From 879ad4001dc4cce58dc04522bbd2433ac4b8f8bb Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 26 Dec 2018 11:40:31 +0200 Subject: Update translations (he). --- i18n/he.i18n.json | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index e18f4c57..4f8493b1 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -283,13 +283,13 @@ "import-board": "ייבוא לוח", "import-board-c": "יבוא לוח", "import-board-title-trello": "ייבוא לוח מטרלו", - "import-board-title-wekan": "Import board from previous export", - "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "ייבוא לוח מייצוא קודם", + "import-sandstorm-backup-warning": "עדיף לא למחוק נתונים שייובאו מייצוא מקורי או מ־Trello בטרם בדיקה האם הגרעין הזה נסגר ונפתח שוב או אם מתקבלת שגיאה על כך שהלוח לא נמצא, משמעות הדבר היא אבדן מידע.", "import-sandstorm-warning": "הלוח שייובא ימחק את כל הנתונים הקיימים בלוח ויחליף אותם בלוח שייובא.", "from-trello": "מ־Trello", "from-wekan": "מייצוא קודם", "import-board-instruction-trello": "בלוח הטרלו שלך, עליך ללחוץ על ‚תפריט‘, ואז על ‚עוד‘, ‚הדפסה וייצוא‘, ‚יצוא JSON‘ ולהעתיק את הטקסט שנוצר.", - "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "בלוח שלך עליך לגשת אל ‚תפריט’, לאחר מכן ‚ייצוא לוח’ ואז להעתיק את הטקסט מהקובץ שהתקבל.", "import-board-instruction-about-errors": "גם אם התקבלו שגיאות בעת ייבוא לוח, ייתכן שהייבוא עבד. כדי לבדוק זאת, יש להיכנס ל„כל הלוחות”.", "import-json-placeholder": "יש להדביק את נתוני ה־JSON התקינים לכאן", "import-map-members": "מיפוי חברים", @@ -620,6 +620,6 @@ "hide-logo": "הסתרת לוגו", "add-custom-html-after-body-start": "הוספת קוד HTML מותאם אישית בתחילת ה .", "add-custom-html-before-body-end": "הוספת קוד HTML מותאם אישית בסוף ה.", - "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-undefined": "מהו השתבש", + "error-ldap-login": "אירעה שגיאה בעת ניסיון הכניסה" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 77ff6349f6f85dc83d51ecc4078856846383048a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 26 Dec 2018 22:29:04 +0200 Subject: - Use Node 8.15.0 and MongoDB 3.2.22. - Stacksmith: back to Meteor 1.6.x based Wekan, because Meteor 1.8.x based is currently broken. Thanks to xet7 ! --- Dockerfile | 2 +- docker-compose.yml | 2 +- snapcraft.yaml | 4 ++-- stacksmith/user-scripts/build.sh | 9 ++++++--- 4 files changed, 10 insertions(+), 7 deletions(-) diff --git a/Dockerfile b/Dockerfile index 896012f9..0a7479b4 100644 --- a/Dockerfile +++ b/Dockerfile @@ -76,7 +76,7 @@ ARG DEFAULT_AUTHENTICATION_METHOD # DOES NOT WORK: paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303 # ENV BUILD_DEPS="paxctl" ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential python git ca-certificates gcc-7" \ - NODE_VERSION=v8.14.1 \ + NODE_VERSION=v8.15.0 \ METEOR_RELEASE=1.6.0.1 \ USE_EDGE=false \ METEOR_EDGE=1.5-beta.17 \ diff --git a/docker-compose.yml b/docker-compose.yml index 9d635a33..4df91f75 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -94,7 +94,7 @@ services: # image: mongo:4.0.4 # b) For Wekan Meteor 1.6.x version at master/devel/edge branches. # Only for Snap and Sandstorm while they are not upgraded yet to Meteor 1.8.x - image: mongo:3.2.21 + image: mongo:3.2.22 #------------------------------------------------------------------------------------- container_name: wekan-db restart: always diff --git a/snapcraft.yaml b/snapcraft.yaml index 4831f150..d14d8037 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -65,7 +65,7 @@ apps: parts: mongodb: - source: https://fastdl.mongodb.org/linux/mongodb-linux-x86_64-ubuntu1604-3.2.21.tgz + source: https://fastdl.mongodb.org/linux/mongodb-linux-x86_64-ubuntu1604-3.2.22.tgz plugin: dump stage-packages: [libssl1.0.0] filesets: @@ -81,7 +81,7 @@ parts: wekan: source: . plugin: nodejs - node-engine: 8.14.1 + node-engine: 8.15.0 node-packages: - node-gyp - node-pre-gyp diff --git a/stacksmith/user-scripts/build.sh b/stacksmith/user-scripts/build.sh index f589bd82..c3b80eac 100755 --- a/stacksmith/user-scripts/build.sh +++ b/stacksmith/user-scripts/build.sh @@ -2,7 +2,7 @@ set -euxo pipefail BUILD_DEPS="bsdtar gnupg wget curl bzip2 python git ca-certificates perl-Digest-SHA" -NODE_VERSION=v8.14.1 +NODE_VERSION=v8.15.0 #METEOR_RELEASE=1.6.0.1 - for Stacksmith, meteor-1.8 branch that could have METEOR@1.8.1-beta.8 or newer USE_EDGE=false METEOR_EDGE=1.5-beta.17 @@ -19,8 +19,11 @@ sudo useradd --user-group --system --home-dir /home/wekan wekan sudo mkdir -p /home/wekan sudo chown wekan:wekan /home/wekan/ -# Using meteor-1.8 branch that has newer Meteor that is compatible with MongoDB 4.x -sudo -u wekan git clone -b meteor-1.8 https://github.com/wekan/wekan.git /home/wekan/app +# CURRENTLY BROKEN: meteor-1.8 branch that has newer Meteor that is compatible with MongoDB 4.x +# sudo -u wekan git clone -b meteor-1.8 https://github.com/wekan/wekan.git /home/wekan/app + +# Using Meteor 1.6.x version of Wekan +sudo -u wekan git clone https://github.com/wekan/wekan.git /home/wekan/app sudo yum install -y ${BUILD_DEPS} -- cgit v1.2.3-1-g7c22 From cb53c53c2bcb7742a966752ace7d76d88a45f708 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 26 Dec 2018 22:32:25 +0200 Subject: - Use Node 8.15.0 and MongoDB 3.2.22. - Stacksmith: back to Meteor 1.6.x based Wekan, because Meteor 1.8.x based is currently broken. Thanks to xet7 ! --- CHANGELOG.md | 11 ++++++++++- 1 file changed, 10 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index f1422939..b4f78837 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# Upcoming Wekan release + +This release adds the following new features: + +- Use Node 8.15.0 and MongoDB 3.2.22. +- Stacksmith: back to Meteor 1.6.x based Wekan, because Meteor 1.8.x based is currently broken. + +Thanks to GitHub user xet7 contributions. + # v1.96 2018-12-24 Wekan release This release adds the following new features: @@ -11,7 +20,7 @@ and tries to fix following bugs: - Fixes to docker-compose.yml so that Wekan Meteor 1.6.x version would work. Most likely Meteor 1.8.x version is still broken. -Thanks to GitHub user xet7 contributions. +Thanks to GitHub user xet7 for contributions. # v1.95 2018-12-21 Wekan release -- cgit v1.2.3-1-g7c22 From 7fd09761cbeb19c19d1e96d63a0b7a5c5d19e0f2 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 26 Dec 2018 22:49:14 +0200 Subject: v1.97 --- CHANGELOG.md | 4 ++-- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 6 insertions(+), 6 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index b4f78837..7ef8f851 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,8 +1,8 @@ -# Upcoming Wekan release +# v1.97 2018-12-26 Wekan release This release adds the following new features: -- Use Node 8.15.0 and MongoDB 3.2.22. +- Upgrade to Node 8.15.0 and MongoDB 3.2.22. - Stacksmith: back to Meteor 1.6.x based Wekan, because Meteor 1.8.x based is currently broken. Thanks to GitHub user xet7 contributions. diff --git a/Stackerfile.yml b/Stackerfile.yml index 944d6c0c..c1e2a029 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v1.95.0" +appVersion: "v1.97.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 034db32a..010acb4d 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.96.0", + "version": "v1.97.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index f9574568..b90591a8 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 198, + appVersion = 199, # Increment this for every release. - appMarketingVersion = (defaultText = "1.96.0~2018-12-24"), + appMarketingVersion = (defaultText = "1.97.0~2018-12-26"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 2d88afb77ee98558b32486f70a0e226a3dc2a2e5 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 26 Dec 2018 23:57:00 +0200 Subject: - docker-compose.yml back to MongoDB 3.2.21 because 3.2.22 MongoDB container does not exist yet. Thanks to xet7 ! --- docker-compose.yml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/docker-compose.yml b/docker-compose.yml index 4df91f75..9d635a33 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -94,7 +94,7 @@ services: # image: mongo:4.0.4 # b) For Wekan Meteor 1.6.x version at master/devel/edge branches. # Only for Snap and Sandstorm while they are not upgraded yet to Meteor 1.8.x - image: mongo:3.2.22 + image: mongo:3.2.21 #------------------------------------------------------------------------------------- container_name: wekan-db restart: always -- cgit v1.2.3-1-g7c22 From 76c5c283b91c2772a0a978e0b49622058833f951 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 27 Dec 2018 00:35:39 +0200 Subject: - docker-compose.yml back to MongoDB 3.2.21 because 3.2.22 MongoDB container does not exist yet. Thanks to xet7 ! --- CHANGELOG.md | 10 +++++++++- 1 file changed, 9 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 7ef8f851..9f517504 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- docker-compose.yml back to MongoDB 3.2.21 because 3.2.22 MongoDB container does not exist yet. + +Thanks to GitHub user xet7 for contributions. + # v1.97 2018-12-26 Wekan release This release adds the following new features: @@ -5,7 +13,7 @@ This release adds the following new features: - Upgrade to Node 8.15.0 and MongoDB 3.2.22. - Stacksmith: back to Meteor 1.6.x based Wekan, because Meteor 1.8.x based is currently broken. -Thanks to GitHub user xet7 contributions. +Thanks to GitHub user xet7 for contributions. # v1.96 2018-12-24 Wekan release -- cgit v1.2.3-1-g7c22 From c61e44d55b6e69b94bd6c7a31890263aba0c614a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 28 Dec 2018 17:26:30 +0200 Subject: - Add optional Nginx reverse proxy config to docker-compose.yml and nginx directory. Thanks to MyTheValentinus ! --- CHANGELOG.md | 10 ++++-- docker-compose.yml | 18 +++++++++++ nginx/nginx.conf | 92 ++++++++++++++++++++++++++++++++++++++++++++++++++++++ nginx/ssl/.gitkeep | 1 + 4 files changed, 118 insertions(+), 3 deletions(-) create mode 100644 nginx/nginx.conf create mode 100644 nginx/ssl/.gitkeep diff --git a/CHANGELOG.md b/CHANGELOG.md index 9f517504..82e98421 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,10 +1,14 @@ # Upcoming Wekan release -This release fixes the following bugs: +This release adds the following new features: -- docker-compose.yml back to MongoDB 3.2.21 because 3.2.22 MongoDB container does not exist yet. +- Add optional Nginx reverse proxy config to docker-compose.yml and nginx directory. Thanks to MyTheValentinus. + +and fixes the following bugs: + +- docker-compose.yml back to MongoDB 3.2.21 because 3.2.22 MongoDB container does not exist yet. Thanks to xet7. -Thanks to GitHub user xet7 for contributions. +Thanks to above GitHub users for their contributions. # v1.97 2018-12-26 Wekan release diff --git a/docker-compose.yml b/docker-compose.yml index 9d635a33..abcaa48b 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -145,6 +145,7 @@ services: # Docker outsideport:insideport. Do not add anything extra here. # For example, if you want to have wekan on port 3001, # use 3001:8080 . Do not add any extra address etc here, that way it does not work. + # remove port mapping if you use nginx reverse proxy, port 8080 is already exposed to wekan-tier network - 80:8080 environment: - MONGO_URL=mongodb://wekandb:27017/wekan @@ -492,6 +493,23 @@ services: # ...COPY CONFIG FROM ABOVE TO HERE... #--------------------------------------------------------------------------------- +# OPTIONAL NGINX CONFIG FOR REVERSE PROXY +# nginx: +# image: nginx +# container_name: nginx +# restart: always +# networks: +# - wekan-tier +# depends_on: +# - wekan +# ports: +# - 80:80 +# - 443:443 +# volumes: +# - ./nginx/ssl:/etc/nginx/ssl/ +# - ./nginx/nginx.conf:/etc/nginx/nginx.conf + + volumes: wekan-db: driver: local diff --git a/nginx/nginx.conf b/nginx/nginx.conf new file mode 100644 index 00000000..9029a2b4 --- /dev/null +++ b/nginx/nginx.conf @@ -0,0 +1,92 @@ +user www-data; +worker_processes 1; + +error_log /var/log/nginx/error.log warn; +pid /var/run/nginx.pid; + +events { + worker_connections 1024; +} + +http { + include /etc/nginx/mime.types; + default_type application/octet-stream; + + log_format main '$remote_addr - $remote_user [$time_local] "$request" ' + '$status $body_bytes_sent "$http_referer" ' + '"$http_user_agent" "$http_x_forwarded_for"'; + + access_log /var/log/nginx/access.log main; + + sendfile on; + #tcp_nopush on; + + keepalive_timeout 65; + + map $http_host $this_host { + "" $host; + default $http_host; + } + + map $http_x_forwarded_proto $the_scheme { + default $http_x_forwarded_proto; + "" $scheme; + } + + map $http_x_forwarded_host $the_host { + default $http_x_forwarded_host; + "" $this_host; + } + + map $http_upgrade $connection_upgrade { + default upgrade; + '' close; + } + + server { + listen 80; + listen 443 ssl; + + if ($scheme = http) { + rewrite ^ https://$host$request_uri? permanent; + } + + + ssl_certificate /etc/nginx/ssl/server.crt; + ssl_certificate_key /etc/nginx/ssl/server.key; + + + ssl_protocols TLSv1.2; + ssl_prefer_server_ciphers on; + ssl_ciphers EECDH+AESGCM:EECDH+CHACHA20:EECDH+AES; + + ssl_session_cache shared:SSL:10m; + ssl_session_timeout 10m; + + ssl_ecdh_curve sect571r1:secp521r1:brainpoolP512r1:secp384r1; + add_header Strict-Transport-Security "max-age=31536000; preload"; + + # Add headers to serve security related headers + add_header X-Content-Type-Options nosniff; + add_header X-XSS-Protection "1; mode=block"; + add_header X-Robots-Tag none; + add_header X-Download-Options noopen; + add_header X-Permitted-Cross-Domain-Policies none; + + add_header Referrer-Policy "same-origin"; + + root /var/www/html; + client_max_body_size 10G; # 0=unlimited - set max upload size + fastcgi_buffers 64 4K; + + gzip off; + + location / { + proxy_pass http://wekan:8080; + proxy_http_version 1.1; + proxy_set_header Upgrade $http_upgrade; + proxy_set_header Connection $connection_upgrade; + proxy_set_header X-Forwarded-For $remote_addr; + } + } +} diff --git a/nginx/ssl/.gitkeep b/nginx/ssl/.gitkeep new file mode 100644 index 00000000..1fe3dd24 --- /dev/null +++ b/nginx/ssl/.gitkeep @@ -0,0 +1 @@ +PLACE YOUR SSL Certificates in this folder -- cgit v1.2.3-1-g7c22 From 9d1d66b0f5253c571f07c0f7c6250f5a725ddbb1 Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Sat, 29 Dec 2018 16:59:50 +0100 Subject: Added triggers by username --- client/components/rules/rules.styl | 7 +++- client/components/rules/rulesMain.js | 19 ++++++++++ .../components/rules/triggers/boardTriggers.jade | 37 ++++++++++++++++++- client/components/rules/triggers/cardTriggers.jade | 35 ++++++++++++++++++ .../rules/triggers/checklistTriggers.jade | 42 ++++++++++++++++++++++ i18n/en.i18n.json | 2 ++ server/triggersDef.js | 36 +++++++++---------- 7 files changed, 158 insertions(+), 20 deletions(-) diff --git a/client/components/rules/rules.styl b/client/components/rules/rules.styl index b52f84a7..4679e039 100644 --- a/client/components/rules/rules.styl +++ b/client/components/rules/rules.styl @@ -10,7 +10,10 @@ display: inline-block float: left margin: revert - +.hide-element + display:none !important +.user-details + display:inline-block .rules-btns-group position: absolute right: 0 @@ -160,6 +163,8 @@ box-shadow: 0 0 0 2px darken(white, 60%) inset .trigger-button.trigger-button-email top:30px + .trigger-button.trigger-button-person + right:-40px .trigger-item.trigger-item-mail height:300px diff --git a/client/components/rules/rulesMain.js b/client/components/rules/rulesMain.js index 0752a541..566fd3e5 100644 --- a/client/components/rules/rulesMain.js +++ b/client/components/rules/rulesMain.js @@ -42,7 +42,26 @@ BlazeComponent.extendComponent({ }, 'click .js-goto-action' (event) { event.preventDefault(); + // Add user to the trigger + const username = $(event.currentTarget.offsetParent).find(".user-name").val(); + let trigger = this.triggerVar.get(); + const user = Users.findOne({"username":username}); + if(user != undefined){ + trigger["userId"] = user._id; + }else{ + trigger["userId"] = "*"; + } + this.triggerVar.set(trigger); this.setAction(); + }, + 'click .js-show-user-field' (event) { + event.preventDefault(); + console.log(event); + console.log(event.currentTarget.offsetParent); + console.log($(event.currentTarget.offsetParent)); + $(event.currentTarget.offsetParent).find(".user-details").removeClass("hide-element"); + + }, 'click .js-goto-rules' (event) { event.preventDefault(); diff --git a/client/components/rules/triggers/boardTriggers.jade b/client/components/rules/triggers/boardTriggers.jade index 48b9345c..b0f2b44f 100644 --- a/client/components/rules/triggers/boardTriggers.jade +++ b/client/components/rules/triggers/boardTriggers.jade @@ -9,6 +9,13 @@ template(name="boardTriggers") option(value="removed") {{_'r-removed-from'}} div.trigger-text | {{_'r-the-board'}} + div.trigger-button.trigger-button-person.js-show-user-field + i.fa.fa-user + div.user-details.hide-element + div.trigger-text + | {{_'r-by'}} + div.trigger-dropdown + input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-gen-trigger.js-goto-action i.fa.fa-plus @@ -23,7 +30,14 @@ template(name="boardTriggers") div.trigger-text | {{_'r-list'}} div.trigger-dropdown - input(id="create-list-name",type=text,placeholder="{{_'r-list-name'}}") + input(id="create-list-name",type=text,placeholder="{{_'r-list-name'}}") + div.trigger-button.trigger-button-person.js-show-user-field + i.fa.fa-user + div.user-details.hide-element + div.trigger-text + | {{_'r-by'}} + div.trigger-dropdown + input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-create-trigger.js-goto-action i.fa.fa-plus @@ -31,6 +45,13 @@ template(name="boardTriggers") div.trigger-content div.trigger-text | {{_'r-when-a-card-is-moved'}} + div.trigger-button.trigger-button-person.js-show-user-field + i.fa.fa-user + div.user-details.hide-element + div.trigger-text + | {{_'r-by'}} + div.trigger-dropdown + input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-gen-moved-trigger.js-goto-action i.fa.fa-plus @@ -46,6 +67,13 @@ template(name="boardTriggers") | {{_'r-list'}} div.trigger-dropdown input(id="move-list-name",type=text,placeholder="{{_'r-list-name'}}") + div.trigger-button.trigger-button-person.js-show-user-field + i.fa.fa-user + div.user-details.hide-element + div.trigger-text + | {{_'r-by'}} + div.trigger-dropdown + input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-moved-trigger.js-goto-action i.fa.fa-plus @@ -57,6 +85,13 @@ template(name="boardTriggers") select(id="arch-action") option(value="archived") {{_'r-archived'}} option(value="unarchived") {{_'r-unarchived'}} + div.trigger-button.trigger-button-person.js-show-user-field + i.fa.fa-user + div.user-details.hide-element + div.trigger-text + | {{_'r-by'}} + div.trigger-dropdown + input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-arch-trigger.js-goto-action i.fa.fa-plus diff --git a/client/components/rules/triggers/cardTriggers.jade b/client/components/rules/triggers/cardTriggers.jade index 5226e3c4..52594986 100644 --- a/client/components/rules/triggers/cardTriggers.jade +++ b/client/components/rules/triggers/cardTriggers.jade @@ -9,6 +9,13 @@ template(name="cardTriggers") option(value="removed") {{_'r-removed-from'}} div.trigger-text | {{_'r-a-card'}} + div.trigger-button.trigger-button-person.js-show-user-field + i.fa.fa-user + div.user-details.hide-element + div.trigger-text + | {{_'r-by'}} + div.trigger-dropdown + input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-gen-label-trigger.js-goto-action i.fa.fa-plus @@ -29,6 +36,13 @@ template(name="cardTriggers") option(value="removed") {{_'r-removed-from'}} div.trigger-text | {{_'r-a-card'}} + div.trigger-button.trigger-button-person.js-show-user-field + i.fa.fa-user + div.user-details.hide-element + div.trigger-text + | {{_'r-by'}} + div.trigger-dropdown + input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-spec-label-trigger.js-goto-action i.fa.fa-plus @@ -42,6 +56,13 @@ template(name="cardTriggers") option(value="removed") {{_'r-removed-from'}} div.trigger-text | {{_'r-a-card'}} + div.trigger-button.trigger-button-person.js-show-user-field + i.fa.fa-user + div.user-details.hide-element + div.trigger-text + | {{_'r-by'}} + div.trigger-dropdown + input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-gen-member-trigger.js-goto-action i.fa.fa-plus @@ -60,6 +81,13 @@ template(name="cardTriggers") option(value="removed") {{_'r-removed-from'}} div.trigger-text | {{_'r-a-card'}} + div.trigger-button.trigger-button-person.js-show-user-field + i.fa.fa-user + div.user-details.hide-element + div.trigger-text + | {{_'r-by'}} + div.trigger-dropdown + input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-spec-member-trigger.js-goto-action i.fa.fa-plus @@ -75,5 +103,12 @@ template(name="cardTriggers") option(value="removed") {{_'r-removed-from'}} div.trigger-text | {{_'r-a-card'}} + div.trigger-button.trigger-button-person.js-show-user-field + i.fa.fa-user + div.user-details.hide-element + div.trigger-text + | {{_'r-by'}} + div.trigger-dropdown + input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-attachment-trigger.js-goto-action i.fa.fa-plus diff --git a/client/components/rules/triggers/checklistTriggers.jade b/client/components/rules/triggers/checklistTriggers.jade index c6cd99a6..a563e93b 100644 --- a/client/components/rules/triggers/checklistTriggers.jade +++ b/client/components/rules/triggers/checklistTriggers.jade @@ -9,6 +9,13 @@ template(name="checklistTriggers") option(value="removed") {{_'r-removed-from'}} div.trigger-text | {{_'r-a-card'}} + div.trigger-button.trigger-button-person.js-show-user-field + i.fa.fa-user + div.user-details.hide-element + div.trigger-text + | {{_'r-by'}} + div.trigger-dropdown + input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-gen-check-trigger.js-goto-action i.fa.fa-plus @@ -27,6 +34,13 @@ template(name="checklistTriggers") option(value="removed") {{_'r-removed-from'}} div.trigger-text | {{_'r-a-card'}} + div.trigger-button.trigger-button-person.js-show-user-field + i.fa.fa-user + div.user-details.hide-element + div.trigger-text + | {{_'r-by'}} + div.trigger-dropdown + input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-spec-check-trigger.js-goto-action i.fa.fa-plus @@ -38,6 +52,13 @@ template(name="checklistTriggers") select(id="gen-comp-check-action") option(value="completed") {{_'r-completed'}} option(value="uncompleted") {{_'r-made-incomplete'}} + div.trigger-button.trigger-button-person.js-show-user-field + i.fa.fa-user + div.user-details.hide-element + div.trigger-text + | {{_'r-by'}} + div.trigger-dropdown + input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-gen-comp-trigger.js-goto-action i.fa.fa-plus @@ -53,6 +74,13 @@ template(name="checklistTriggers") select(id="spec-comp-check-action") option(value="completed") {{_'r-completed'}} option(value="uncompleted") {{_'r-made-incomplete'}} + div.trigger-button.trigger-button-person.js-show-user-field + i.fa.fa-user + div.user-details.hide-element + div.trigger-text + | {{_'r-by'}} + div.trigger-dropdown + input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-spec-comp-trigger.js-goto-action i.fa.fa-plus @@ -64,6 +92,13 @@ template(name="checklistTriggers") select(id="check-item-gen-action") option(value="checked") {{_'r-checked'}} option(value="unchecked") {{_'r-unchecked'}} + div.trigger-button.trigger-button-person.js-show-user-field + i.fa.fa-user + div.user-details.hide-element + div.trigger-text + | {{_'r-by'}} + div.trigger-dropdown + input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-gen-check-item-trigger.js-goto-action i.fa.fa-plus @@ -79,5 +114,12 @@ template(name="checklistTriggers") select(id="check-item-spec-action") option(value="checked") {{_'r-checked'}} option(value="unchecked") {{_'r-unchecked'}} + div.trigger-button.trigger-button-person.js-show-user-field + i.fa.fa-user + div.user-details.hide-element + div.trigger-text + | {{_'r-by'}} + div.trigger-dropdown + input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-spec-check-item-trigger.js-goto-action i.fa.fa-plus diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index a4138f14..9a18cc22 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -610,6 +610,8 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-user-name": "username", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/server/triggersDef.js b/server/triggersDef.js index f6d5333b..73779d05 100644 --- a/server/triggersDef.js +++ b/server/triggersDef.js @@ -1,57 +1,57 @@ TriggersDef = { createCard:{ - matchingFields: ['boardId', 'listName'], + matchingFields: ['boardId', 'listName','userId'], }, moveCard:{ - matchingFields: ['boardId', 'listName', 'oldListName'], + matchingFields: ['boardId', 'listName', 'oldListName','userId'], }, archivedCard:{ - matchingFields: ['boardId'], + matchingFields: ['boardId','userId'], }, restoredCard:{ - matchingFields: ['boardId'], + matchingFields: ['boardId','userId'], }, joinMember:{ - matchingFields: ['boardId', 'username'], + matchingFields: ['boardId', 'username','userId'], }, unjoinMember:{ - matchingFields: ['boardId', 'username'], + matchingFields: ['boardId', 'username','userId'], }, addChecklist:{ - matchingFields: ['boardId', 'checklistName'], + matchingFields: ['boardId', 'checklistName','userId'], }, removeChecklist:{ - matchingFields: ['boardId', 'checklistName'], + matchingFields: ['boardId', 'checklistName','userId'], }, completeChecklist:{ - matchingFields: ['boardId', 'checklistName'], + matchingFields: ['boardId', 'checklistName','userId'], }, uncompleteChecklist:{ - matchingFields: ['boardId', 'checklistName'], + matchingFields: ['boardId', 'checklistName','userId'], }, addedChecklistItem:{ - matchingFields: ['boardId', 'checklistItemName'], + matchingFields: ['boardId', 'checklistItemName','userId'], }, removedChecklistItem:{ - matchingFields: ['boardId', 'checklistItemName'], + matchingFields: ['boardId', 'checklistItemName','userId'], }, checkedItem:{ - matchingFields: ['boardId', 'checklistItemName'], + matchingFields: ['boardId', 'checklistItemName','userId'], }, uncheckedItem:{ - matchingFields: ['boardId', 'checklistItemName'], + matchingFields: ['boardId', 'checklistItemName','userId'], }, addAttachment:{ - matchingFields: ['boardId'], + matchingFields: ['boardId','userId'], }, deleteAttachment:{ - matchingFields: ['boardId'], + matchingFields: ['boardId','userId'], }, addedLabel:{ - matchingFields: ['boardId', 'labelId'], + matchingFields: ['boardId', 'labelId','userId'], }, removedLabel:{ - matchingFields: ['boardId', 'labelId'], + matchingFields: ['boardId', 'labelId','userId'], }, }; -- cgit v1.2.3-1-g7c22 From b2f23d619d1ff33e899080dca17d018f0e8d0963 Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Sat, 29 Dec 2018 17:36:57 +0100 Subject: Triggers by username, updated desc --- client/lib/utils.js | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/client/lib/utils.js b/client/lib/utils.js index d46d8076..5ec62ef9 100644 --- a/client/lib/utils.js +++ b/client/lib/utils.js @@ -218,11 +218,14 @@ Utils = { const element = tempInstance.$(triggerEls[i]); if (element.hasClass('trigger-text')) { finalString += element.text().toLowerCase(); + } else if (element.hasClass('user-details')) { + console.log(element); + finalString += element.find('.trigger-text').text().toLowerCase()+ " " + element.find('input').val(); } else if (element.find('select').length > 0) { finalString += element.find('select option:selected').text().toLowerCase(); } else if (element.find('input').length > 0) { finalString += element.find('input').val(); - } + } // Add space if (i !== length - 1) { finalString += ' '; -- cgit v1.2.3-1-g7c22 From a2d756074f05299248944ecce2cc87a9a28ab020 Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Sun, 30 Dec 2018 22:08:34 +0100 Subject: Added swimlane trigger --- .../components/rules/triggers/boardTriggers.jade | 35 +++++++++++--------- client/components/rules/triggers/boardTriggers.js | 37 ++++++++-------------- client/components/rules/triggers/cardTriggers.jade | 10 +++--- .../rules/triggers/checklistTriggers.jade | 12 +++---- client/lib/utils.js | 13 ++++++-- i18n/en.i18n.json | 5 ++- models/cards.js | 2 ++ server/triggersDef.js | 4 +-- 8 files changed, 62 insertions(+), 56 deletions(-) diff --git a/client/components/rules/triggers/boardTriggers.jade b/client/components/rules/triggers/boardTriggers.jade index b0f2b44f..abf2ee6d 100644 --- a/client/components/rules/triggers/boardTriggers.jade +++ b/client/components/rules/triggers/boardTriggers.jade @@ -3,10 +3,8 @@ template(name="boardTriggers") div.trigger-content div.trigger-text | {{_'r-when-a-card-is'}} - div.trigger-dropdown - select(id="gen-action") - option(value="created") {{_'r-added-to'}} - option(value="removed") {{_'r-removed-from'}} + div.trigger-text + | {{_'r-added-to'}} div.trigger-text | {{_'r-the-board'}} div.trigger-button.trigger-button-person.js-show-user-field @@ -15,7 +13,7 @@ template(name="boardTriggers") div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-gen-trigger.js-goto-action i.fa.fa-plus @@ -23,21 +21,23 @@ template(name="boardTriggers") div.trigger-content div.trigger-text | {{_'r-when-a-card-is'}} - div.trigger-dropdown - select(id="create-action") - option(value="created") {{_'r-added-to'}} - option(value="removed") {{_'r-removed-from'}} + div.trigger-text + | {{_'r-added-to'}} div.trigger-text | {{_'r-list'}} div.trigger-dropdown - input(id="create-list-name",type=text,placeholder="{{_'r-list-name'}}") + input(id="create-list-name",type=text,placeholder="{{_'r-list-name'}}") + div.trigger-text + | {{_'r-swimlane'}} + div.trigger-dropdown + input(id="create-swimlane-name",type=text,placeholder="{{_'r-swimlane-name'}}") div.trigger-button.trigger-button-person.js-show-user-field i.fa.fa-user div.user-details.hide-element div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-create-trigger.js-goto-action i.fa.fa-plus @@ -51,7 +51,7 @@ template(name="boardTriggers") div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-gen-moved-trigger.js-goto-action i.fa.fa-plus @@ -66,14 +66,19 @@ template(name="boardTriggers") div.trigger-text | {{_'r-list'}} div.trigger-dropdown - input(id="move-list-name",type=text,placeholder="{{_'r-list-name'}}") + input(id="move-list-name",type=text,placeholder="{{_'r-list-name'}}") + div.trigger-text + | {{_'r-swimlane'}} + div.trigger-dropdown + input(id="create-swimlane-name",type=text,placeholder="{{_'r-swimlane-name'}}") + div.trigger-button.trigger-button-person.js-show-user-field div.trigger-button.trigger-button-person.js-show-user-field i.fa.fa-user div.user-details.hide-element div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-moved-trigger.js-goto-action i.fa.fa-plus @@ -91,7 +96,7 @@ template(name="boardTriggers") div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-arch-trigger.js-goto-action i.fa.fa-plus diff --git a/client/components/rules/triggers/boardTriggers.js b/client/components/rules/triggers/boardTriggers.js index 40c5b07e..b822d643 100644 --- a/client/components/rules/triggers/boardTriggers.js +++ b/client/components/rules/triggers/boardTriggers.js @@ -8,60 +8,48 @@ BlazeComponent.extendComponent({ 'click .js-add-gen-trigger' (event) { const desc = Utils.getTriggerActionDesc(event, this); const datas = this.data(); - const actionSelected = this.find('#gen-action').value; const boardId = Session.get('currentBoard'); - if (actionSelected === 'created') { - datas.triggerVar.set({ + datas.triggerVar.set({ activityType: 'createCard', boardId, 'listName': '*', desc, }); - } - if (actionSelected === 'removed') { - datas.triggerVar.set({ - activityType: 'removeCard', - boardId, - desc, - }); - } }, 'click .js-add-create-trigger' (event) { const desc = Utils.getTriggerActionDesc(event, this); const datas = this.data(); - const actionSelected = this.find('#create-action').value; const listName = this.find('#create-list-name').value; + const swimlaneName = this.find('#create-swimlane-name').value; + if(swimlaneName == undefined || swimlaneName == ""){ + swimlaneName = "*"; + } const boardId = Session.get('currentBoard'); - if (actionSelected === 'created') { - datas.triggerVar.set({ + datas.triggerVar.set({ activityType: 'createCard', boardId, + swimlaneName, listName, desc, }); - } - if (actionSelected === 'removed') { - datas.triggerVar.set({ - activityType: 'removeCard', - boardId, - listName, - desc, - }); - } }, 'click .js-add-moved-trigger' (event) { const datas = this.data(); const desc = Utils.getTriggerActionDesc(event, this); - + const swimlaneName = this.find('#create-swimlane-name').value; const actionSelected = this.find('#move-action').value; const listName = this.find('#move-list-name').value; const boardId = Session.get('currentBoard'); + if(swimlaneName == undefined || swimlaneName == ""){ + swimlaneName = "*"; + } if (actionSelected === 'moved-to') { datas.triggerVar.set({ activityType: 'moveCard', boardId, listName, + swimlaneName, 'oldListName': '*', desc, }); @@ -70,6 +58,7 @@ BlazeComponent.extendComponent({ datas.triggerVar.set({ activityType: 'moveCard', boardId, + swimlaneName, 'listName': '*', 'oldListName': listName, desc, diff --git a/client/components/rules/triggers/cardTriggers.jade b/client/components/rules/triggers/cardTriggers.jade index 52594986..54133451 100644 --- a/client/components/rules/triggers/cardTriggers.jade +++ b/client/components/rules/triggers/cardTriggers.jade @@ -15,7 +15,7 @@ template(name="cardTriggers") div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-gen-label-trigger.js-goto-action i.fa.fa-plus @@ -42,7 +42,7 @@ template(name="cardTriggers") div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-spec-label-trigger.js-goto-action i.fa.fa-plus @@ -62,7 +62,7 @@ template(name="cardTriggers") div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-gen-member-trigger.js-goto-action i.fa.fa-plus @@ -87,7 +87,7 @@ template(name="cardTriggers") div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-spec-member-trigger.js-goto-action i.fa.fa-plus @@ -109,6 +109,6 @@ template(name="cardTriggers") div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-attachment-trigger.js-goto-action i.fa.fa-plus diff --git a/client/components/rules/triggers/checklistTriggers.jade b/client/components/rules/triggers/checklistTriggers.jade index a563e93b..8745b364 100644 --- a/client/components/rules/triggers/checklistTriggers.jade +++ b/client/components/rules/triggers/checklistTriggers.jade @@ -15,7 +15,7 @@ template(name="checklistTriggers") div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-gen-check-trigger.js-goto-action i.fa.fa-plus @@ -40,7 +40,7 @@ template(name="checklistTriggers") div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-spec-check-trigger.js-goto-action i.fa.fa-plus @@ -58,7 +58,7 @@ template(name="checklistTriggers") div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-gen-comp-trigger.js-goto-action i.fa.fa-plus @@ -80,7 +80,7 @@ template(name="checklistTriggers") div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-spec-comp-trigger.js-goto-action i.fa.fa-plus @@ -98,7 +98,7 @@ template(name="checklistTriggers") div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-gen-check-item-trigger.js-goto-action i.fa.fa-plus @@ -120,6 +120,6 @@ template(name="checklistTriggers") div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",id="create-list-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") div.trigger-button.js-add-spec-check-item-trigger.js-goto-action i.fa.fa-plus diff --git a/client/lib/utils.js b/client/lib/utils.js index 5ec62ef9..f252a220 100644 --- a/client/lib/utils.js +++ b/client/lib/utils.js @@ -219,12 +219,19 @@ Utils = { if (element.hasClass('trigger-text')) { finalString += element.text().toLowerCase(); } else if (element.hasClass('user-details')) { - console.log(element); - finalString += element.find('.trigger-text').text().toLowerCase()+ " " + element.find('input').val(); + let username = element.find('input').val(); + if(username == undefined || username == ""){ + username = "*"; + } + finalString += element.find('.trigger-text').text().toLowerCase()+ " " + username ; } else if (element.find('select').length > 0) { finalString += element.find('select option:selected').text().toLowerCase(); } else if (element.find('input').length > 0) { - finalString += element.find('input').val(); + let inputvalue = element.find('input').val(); + if(inputvalue == undefined || inputvalue == ""){ + inputvalue = "*"; + } + finalString += inputvalue; } // Add space if (i !== length - 1) { diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 9a18cc22..d4745b22 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -549,7 +549,7 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", @@ -611,7 +611,10 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-by": "by", + "r-swimlane": "in swimlane", + "r-swimlane-name": "swimlane name", "r-user-name": "username", + "r-added-to": "added to", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/models/cards.js b/models/cards.js index bcd16ece..a7217c5d 100644 --- a/models/cards.js +++ b/models/cards.js @@ -1128,6 +1128,7 @@ function cardMove(userId, doc, fieldNames, oldListId, oldSwimlaneId) { listId: doc.listId, boardId: doc.boardId, cardId: doc._id, + swimlaneName: Swimlanes.findOne(doc.swimlaneId).title, swimlaneId: doc.swimlaneId, oldSwimlaneId, }); @@ -1237,6 +1238,7 @@ function cardCreation(userId, doc) { listName: Lists.findOne(doc.listId).title, listId: doc.listId, cardId: doc._id, + swimlaneName: Swimlanes.findOne(doc.swimlaneId).title, swimlaneId: doc.swimlaneId, }); } diff --git a/server/triggersDef.js b/server/triggersDef.js index 73779d05..0f573ba5 100644 --- a/server/triggersDef.js +++ b/server/triggersDef.js @@ -1,9 +1,9 @@ TriggersDef = { createCard:{ - matchingFields: ['boardId', 'listName','userId'], + matchingFields: ['boardId', 'listName','userId','swimlaneName'], }, moveCard:{ - matchingFields: ['boardId', 'listName', 'oldListName','userId'], + matchingFields: ['boardId', 'listName', 'oldListName','userId','swimlaneName'], }, archivedCard:{ matchingFields: ['boardId','userId'], -- cgit v1.2.3-1-g7c22 From 196fef3a1bca7d2d4fbb07e6134c1de2a4338a97 Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Mon, 31 Dec 2018 00:45:11 +0100 Subject: Added popup --- client/components/rules/rules.styl | 9 +++++++++ client/components/rules/rulesMain.jade | 8 +++++++- client/components/rules/rulesMain.js | 1 + client/components/rules/triggers/boardTriggers.jade | 2 ++ client/lib/popup.js | 6 ++---- i18n/en.i18n.json | 1 + 6 files changed, 22 insertions(+), 5 deletions(-) diff --git a/client/components/rules/rules.styl b/client/components/rules/rules.styl index 4679e039..27463d12 100644 --- a/client/components/rules/rules.styl +++ b/client/components/rules/rules.styl @@ -123,6 +123,15 @@ .trigger-text font-size: 16px display:inline-block + .trigger-inline-button + font-size: 16px + display: inline; + padding: 6px; + border: 1px solid #eee + border-radius: 4px + box-shadow: inset -1px -1px 3px rgba(0,0,0,.05) + &:hover, &.is-active + box-shadow: 0 0 0 2px darken(white, 60%) inset .trigger-text.trigger-text-email margin-left: 5px; margin-top: 10px; diff --git a/client/components/rules/rulesMain.jade b/client/components/rules/rulesMain.jade index dc33ee4e..d01d9f77 100644 --- a/client/components/rules/rulesMain.jade +++ b/client/components/rules/rulesMain.jade @@ -6,4 +6,10 @@ template(name="rulesMain") if($eq rulesCurrentTab.get 'action') +rulesActions(ruleName=ruleName triggerVar=triggerVar) if($eq rulesCurrentTab.get 'ruleDetails') - +ruleDetails(ruleId=ruleId) \ No newline at end of file + +ruleDetails(ruleId=ruleId) + +template(name="boardCardTitlePopup") + form + label + | Card Title Filter + input.js-board-name(type="text" value=title autofocus) \ No newline at end of file diff --git a/client/components/rules/rulesMain.js b/client/components/rules/rulesMain.js index 566fd3e5..373c7502 100644 --- a/client/components/rules/rulesMain.js +++ b/client/components/rules/rulesMain.js @@ -31,6 +31,7 @@ BlazeComponent.extendComponent({ Triggers.remove(rule.triggerId); }, + 'click .js-open-card-title-popup': Popup.open('boardCardTitle'), 'click .js-goto-trigger' (event) { event.preventDefault(); const ruleTitle = this.find('#ruleTitle').value; diff --git a/client/components/rules/triggers/boardTriggers.jade b/client/components/rules/triggers/boardTriggers.jade index abf2ee6d..f8767974 100644 --- a/client/components/rules/triggers/boardTriggers.jade +++ b/client/components/rules/triggers/boardTriggers.jade @@ -21,6 +21,8 @@ template(name="boardTriggers") div.trigger-content div.trigger-text | {{_'r-when-a-card-is'}} + div.trigger-inline-button.js-open-card-title-popup + i.fa.fa-filter div.trigger-text | {{_'r-added-to'}} div.trigger-text diff --git a/client/lib/popup.js b/client/lib/popup.js index 516ce849..5b640f50 100644 --- a/client/lib/popup.js +++ b/client/lib/popup.js @@ -27,11 +27,9 @@ window.Popup = new class { open(name) { const self = this; const popupName = `${name}Popup`; - function clickFromPopup(evt) { return $(evt.target).closest('.js-pop-over').length !== 0; } - return function(evt) { // If a popup is already opened, clicking again on the opener element // should close it -- and interrupt the current `open` function. @@ -57,7 +55,6 @@ window.Popup = new class { self._stack = []; openerElement = evt.currentTarget; } - $(openerElement).addClass('is-active'); evt.preventDefault(); @@ -139,6 +136,7 @@ window.Popup = new class { const openerElement = this._getTopStack().openerElement; $(openerElement).removeClass('is-active'); + this._stack = []; } } @@ -200,7 +198,7 @@ escapeActions.forEach((actionName) => { () => Popup[actionName](), () => Popup.isOpen(), { - noClickEscapeOn: '.js-pop-over', + noClickEscapeOn: '.js-pop-over,.js-open-card-title-popup', enabledOnClick: actionName === 'close', } ); diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index d4745b22..1007a650 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "You are not authorized to view this page.", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", "Node_version": "Node version", -- cgit v1.2.3-1-g7c22 From 97f64fe5e6efa1643de78abaaaeeeb857f3025c5 Mon Sep 17 00:00:00 2001 From: hupptechnologies Date: Tue, 1 Jan 2019 16:35:18 +0530 Subject: Issue: Hard to use Wekan on mobile because of UI/UX issues #953 Resolved #953 --- .meteor/versions | 4 ---- client/components/cards/cardDetails.jade | 4 ++-- client/components/main/header.styl | 2 -- client/components/main/layouts.styl | 4 ++-- 4 files changed, 4 insertions(+), 10 deletions(-) diff --git a/.meteor/versions b/.meteor/versions index e09ff33f..8c5c1569 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -179,8 +179,4 @@ useraccounts:unstyled@1.14.2 verron:autosize@3.0.8 webapp@1.4.0 webapp-hashing@1.0.9 -wekan-scrollbar@3.1.3 -wekan:accounts-cas@0.1.0 -wekan:wekan-ldap@0.0.2 -yasaricli:slugify@0.0.7 zimme:active-route@2.3.2 diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index daeab7d3..a6dc3dde 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -264,7 +264,7 @@ template(name="copyChecklistToManyCardsPopup") template(name="boardsAndLists") label {{_ 'boards'}}: - select.js-select-boards + select.js-select-boards(autofocus) each boards if $eq _id currentBoard._id option(value="{{_id}}" selected) {{_ 'current'}} @@ -302,7 +302,7 @@ template(name="cardMorePopup") span {{_ 'link-card'}} = ' ' i.fa.colorful(class="{{#if board.isPublic}}fa-globe{{else}}fa-lock{{/if}}") - input.inline-input(type="text" id="cardURL" readonly value="{{ absoluteUrl }}") + input.inline-input(type="text" id="cardURL" readonly value="{{ absoluteUrl }}" autofocus="autofocus") button.js-copy-card-link-to-clipboard(class="btn") {{_ 'copy-card-link-to-clipboard'}} span.clearfix br diff --git a/client/components/main/header.styl b/client/components/main/header.styl index 495716e1..e3c7618d 100644 --- a/client/components/main/header.styl +++ b/client/components/main/header.styl @@ -188,8 +188,6 @@ width: 100% padding: 10px 0px z-index: 30 - position: absolute - bottom: 0px ul width: calc(100% - 60px) diff --git a/client/components/main/layouts.styl b/client/components/main/layouts.styl index 3457a028..edbf759b 100644 --- a/client/components/main/layouts.styl +++ b/client/components/main/layouts.styl @@ -385,8 +385,8 @@ a @media screen and (max-width: 800px) #content - margin: 1px 0px 49px 0px - height: calc(100% - 96px) + margin: 1px 0px 0px 0px + height: calc(100% - 0px) > .wrapper margin-top: 0px -- cgit v1.2.3-1-g7c22 From 88bdb0815d7c3bc017a248ba2c463e14d8eb7557 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 1 Jan 2019 13:40:22 +0200 Subject: Update translations (cs). --- i18n/cs.i18n.json | 14 +++++++------- 1 file changed, 7 insertions(+), 7 deletions(-) diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index c3775d42..3f712447 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -546,14 +546,14 @@ "r-moved-from": "Přesunuto z", "r-archived": "Moved to Archive", "r-unarchived": "Restored from Archive", - "r-a-card": "a card", + "r-a-card": "karta", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", "r-list-name": "Název sloupce", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", + "r-is": "je", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "Když zaškrtávací seznam je", "r-when-the-checklist": "Když zaškrtávací seznam", @@ -561,8 +561,8 @@ "r-made-incomplete": "Made incomplete", "r-when-a-item": "Když položka zaškrtávacího seznamu je", "r-when-the-item": "Když položka zaškrtávacího seznamu", - "r-checked": "Checked", - "r-unchecked": "Unchecked", + "r-checked": "Zaškrtnuto", + "r-unchecked": "Odškrtnuto", "r-move-card-to": "Move card to", "r-top-of": "Top of", "r-bottom-of": "Bottom of", @@ -573,11 +573,11 @@ "r-add": "Přidat", "r-remove": "Odstranit", "r-label": "label", - "r-member": "member", + "r-member": "člen", "r-remove-all": "Remove all members from the card", "r-checklist": "zaškrtávací seznam", - "r-check-all": "Check all", - "r-uncheck-all": "Uncheck all", + "r-check-all": "Zaškrtnout vše", + "r-uncheck-all": "Odškrtnout vše", "r-items-check": "položky zaškrtávacího seznamu", "r-check": "Check", "r-uncheck": "Uncheck", -- cgit v1.2.3-1-g7c22 From 6259f0de70dbf25853bbdef8537b814dbedbe7cd Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 1 Jan 2019 13:42:13 +0200 Subject: - Add removed packages back. Thanks to xet7 ! --- .meteor/versions | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/.meteor/versions b/.meteor/versions index 8c5c1569..e09ff33f 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -179,4 +179,8 @@ useraccounts:unstyled@1.14.2 verron:autosize@3.0.8 webapp@1.4.0 webapp-hashing@1.0.9 +wekan-scrollbar@3.1.3 +wekan:accounts-cas@0.1.0 +wekan:wekan-ldap@0.0.2 +yasaricli:slugify@0.0.7 zimme:active-route@2.3.2 -- cgit v1.2.3-1-g7c22 From 991843acb06f535e197e40342ff22fda261021ae Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 1 Jan 2019 14:03:24 +0200 Subject: - [Mobile fixes](https://github.com/wekan/wekan/pull/2084), thanks to hupptechnologies: - Move home button / avatar bar from bottom to top. So at top first is home button / avatar, then others. - When clicking Move Card, go to correct page position. Currently it's at empty page position, and there is need to scroll page up to see Move Card options. It should work similarly like Copy Card, that is visible. - Also check that other buttons go to visible page. --- CHANGELOG.md | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 82e98421..cb2a59d0 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -7,6 +7,11 @@ This release adds the following new features: and fixes the following bugs: - docker-compose.yml back to MongoDB 3.2.21 because 3.2.22 MongoDB container does not exist yet. Thanks to xet7. +- [Mobile fixes](https://github.com/wekan/wekan/pull/2084), thanks to hupptechnologies: + - Move home button / avatar bar from bottom to top. So at top first is home button / avatar, then others. + - When clicking Move Card, go to correct page position. Currently it's at empty page position, and there is + need to scroll page up to see Move Card options. It should work similarly like Copy Card, that is visible. + - Also check that other buttons go to visible page. Thanks to above GitHub users for their contributions. -- cgit v1.2.3-1-g7c22 From 1683bcb3e5980d3af4a07c4bb22e534b98eff862 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 1 Jan 2019 14:08:44 +0200 Subject: v1.98 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- stacksmith/user-scripts/build.sh | 8 ++++---- 5 files changed, 9 insertions(+), 9 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index cb2a59d0..e59520e2 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v1.98 2019-01-01 Wekan release This release adds the following new features: diff --git a/Stackerfile.yml b/Stackerfile.yml index c1e2a029..fcaa3e0c 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v1.97.0" +appVersion: "v1.98.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 010acb4d..7266a458 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.97.0", + "version": "v1.98.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index b90591a8..0dab07a9 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 199, + appVersion = 200, # Increment this for every release. - appMarketingVersion = (defaultText = "1.97.0~2018-12-26"), + appMarketingVersion = (defaultText = "1.98.0~2019-01-01"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, diff --git a/stacksmith/user-scripts/build.sh b/stacksmith/user-scripts/build.sh index c3b80eac..10823ab1 100755 --- a/stacksmith/user-scripts/build.sh +++ b/stacksmith/user-scripts/build.sh @@ -19,11 +19,11 @@ sudo useradd --user-group --system --home-dir /home/wekan wekan sudo mkdir -p /home/wekan sudo chown wekan:wekan /home/wekan/ -# CURRENTLY BROKEN: meteor-1.8 branch that has newer Meteor that is compatible with MongoDB 4.x -# sudo -u wekan git clone -b meteor-1.8 https://github.com/wekan/wekan.git /home/wekan/app +# meteor-1.8 branch that has newer Meteor that is compatible with MongoDB 4.x +sudo -u wekan git clone -b meteor-1.8 https://github.com/wekan/wekan.git /home/wekan/app -# Using Meteor 1.6.x version of Wekan -sudo -u wekan git clone https://github.com/wekan/wekan.git /home/wekan/app +# OLD: Using Meteor 1.6.x version of Wekan +#sudo -u wekan git clone https://github.com/wekan/wekan.git /home/wekan/app sudo yum install -y ${BUILD_DEPS} -- cgit v1.2.3-1-g7c22 From 548d095223b52de74c29e0f67f12848503bc95ee Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 2 Jan 2019 13:22:21 +0200 Subject: - Add find.sh bash script that ignores extra directories when searching. xet7 uses this a lot when developing. Thanks to xet7 ! --- find.sh | 16 ++++++++++++++++ 1 file changed, 16 insertions(+) create mode 100755 find.sh diff --git a/find.sh b/find.sh new file mode 100755 index 00000000..b552866e --- /dev/null +++ b/find.sh @@ -0,0 +1,16 @@ +#!/bin/bash + +# Find text from all subdirectories +# and ignore all temporary directories: +# - node-modules = installed node modules +# - .build = Wekan bundle that is combined from source. Do not edit these, these are deleted and recreated. +# - .meteor = Meteor version, packages etc at .meteor/local +# - .git = git history + +# If less or more that 1 parameter, show usage. +if (( $# != 1 )); then + echo 'Usage: ./find.sh text-to-find' + exit 0 +fi + +find . | grep -v node_modules | grep -v .build | grep -v .meteor | grep -v .git | xargs grep --no-messages $1 | less -- cgit v1.2.3-1-g7c22 From 25968a35cc568e1c3f7d084632f4d2c8b41ed380 Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Wed, 2 Jan 2019 14:45:45 +0100 Subject: Finished triggers improvements --- client/components/rules/rulesMain.jade | 8 +--- client/components/rules/rulesMain.js | 34 ++++++++------ .../components/rules/triggers/boardTriggers.jade | 54 +++++++++++----------- client/components/rules/triggers/boardTriggers.js | 51 ++++++++++++-------- i18n/en.i18n.json | 5 +- models/cards.js | 1 + server/triggersDef.js | 2 +- 7 files changed, 88 insertions(+), 67 deletions(-) diff --git a/client/components/rules/rulesMain.jade b/client/components/rules/rulesMain.jade index d01d9f77..dc33ee4e 100644 --- a/client/components/rules/rulesMain.jade +++ b/client/components/rules/rulesMain.jade @@ -6,10 +6,4 @@ template(name="rulesMain") if($eq rulesCurrentTab.get 'action') +rulesActions(ruleName=ruleName triggerVar=triggerVar) if($eq rulesCurrentTab.get 'ruleDetails') - +ruleDetails(ruleId=ruleId) - -template(name="boardCardTitlePopup") - form - label - | Card Title Filter - input.js-board-name(type="text" value=title autofocus) \ No newline at end of file + +ruleDetails(ruleId=ruleId) \ No newline at end of file diff --git a/client/components/rules/rulesMain.js b/client/components/rules/rulesMain.js index 373c7502..42116790 100644 --- a/client/components/rules/rulesMain.js +++ b/client/components/rules/rulesMain.js @@ -1,4 +1,4 @@ -BlazeComponent.extendComponent({ +let rulesMainComponent = BlazeComponent.extendComponent({ onCreated() { this.rulesCurrentTab = new ReactiveVar('rulesList'); this.ruleName = new ReactiveVar(''); @@ -9,7 +9,13 @@ BlazeComponent.extendComponent({ setTrigger() { this.rulesCurrentTab.set('trigger'); }, - + sanitizeObject(obj){ + Object.keys(obj).forEach(key =>{ + if(obj[key] == "" || obj[key] == undefined){ + obj[key] = "*"; + }} + ); + }, setRulesList() { this.rulesCurrentTab.set('rulesList'); }, @@ -31,7 +37,6 @@ BlazeComponent.extendComponent({ Triggers.remove(rule.triggerId); }, - 'click .js-open-card-title-popup': Popup.open('boardCardTitle'), 'click .js-goto-trigger' (event) { event.preventDefault(); const ruleTitle = this.find('#ruleTitle').value; @@ -46,23 +51,23 @@ BlazeComponent.extendComponent({ // Add user to the trigger const username = $(event.currentTarget.offsetParent).find(".user-name").val(); let trigger = this.triggerVar.get(); - const user = Users.findOne({"username":username}); - if(user != undefined){ - trigger["userId"] = user._id; - }else{ - trigger["userId"] = "*"; + trigger["userId"] = "*"; + if(username != undefined ){ + const userFound = Users.findOne({"username":username}); + if(userFound != undefined){ + trigger["userId"] = userFound._id; + this.triggerVar.set(trigger); + } } + // Sanitize trigger + trigger = this.triggerVar.get(); + this.sanitizeObject(trigger) this.triggerVar.set(trigger); this.setAction(); }, 'click .js-show-user-field' (event) { event.preventDefault(); - console.log(event); - console.log(event.currentTarget.offsetParent); - console.log($(event.currentTarget.offsetParent)); $(event.currentTarget.offsetParent).find(".user-details").removeClass("hide-element"); - - }, 'click .js-goto-rules' (event) { event.preventDefault(); @@ -88,3 +93,6 @@ BlazeComponent.extendComponent({ }, }).register('rulesMain'); + + + diff --git a/client/components/rules/triggers/boardTriggers.jade b/client/components/rules/triggers/boardTriggers.jade index f8767974..dae3351e 100644 --- a/client/components/rules/triggers/boardTriggers.jade +++ b/client/components/rules/triggers/boardTriggers.jade @@ -1,28 +1,12 @@ template(name="boardTriggers") - div.trigger-item + div.trigger-item#trigger-two div.trigger-content div.trigger-text - | {{_'r-when-a-card-is'}} - div.trigger-text - | {{_'r-added-to'}} - div.trigger-text - | {{_'r-the-board'}} - div.trigger-button.trigger-button-person.js-show-user-field - i.fa.fa-user - div.user-details.hide-element - div.trigger-text - | {{_'r-by'}} - div.trigger-dropdown - input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") - div.trigger-button.js-add-gen-trigger.js-goto-action - i.fa.fa-plus - - div.trigger-item - div.trigger-content - div.trigger-text - | {{_'r-when-a-card-is'}} + | {{_'r-when-a-card'}} div.trigger-inline-button.js-open-card-title-popup i.fa.fa-filter + div.trigger-text + | {{_'r-is'}} div.trigger-text | {{_'r-added-to'}} div.trigger-text @@ -43,10 +27,14 @@ template(name="boardTriggers") div.trigger-button.js-add-create-trigger.js-goto-action i.fa.fa-plus - div.trigger-item + div.trigger-item#trigger-three div.trigger-content div.trigger-text - | {{_'r-when-a-card-is-moved'}} + | {{_'r-when-a-card'}} + div.trigger-inline-button.js-open-card-title-popup + i.fa.fa-filter + div.trigger-text + | {{_'r-is-moved'}} div.trigger-button.trigger-button-person.js-show-user-field i.fa.fa-user div.user-details.hide-element @@ -57,10 +45,14 @@ template(name="boardTriggers") div.trigger-button.js-add-gen-moved-trigger.js-goto-action i.fa.fa-plus - div.trigger-item + div.trigger-item#trigger-four div.trigger-content div.trigger-text - | {{_'r-when-a-card-is'}} + | {{_'r-when-a-card'}} + div.trigger-inline-button.js-open-card-title-popup + i.fa.fa-filter + div.trigger-text + | {{_'r-is'}} div.trigger-dropdown select(id="move-action") option(value="moved-to") {{_'r-moved-to'}} @@ -84,10 +76,14 @@ template(name="boardTriggers") div.trigger-button.js-add-moved-trigger.js-goto-action i.fa.fa-plus - div.trigger-item + div.trigger-item#trigger-five div.trigger-content div.trigger-text - | {{_'r-when-a-card-is'}} + | {{_'r-when-a-card'}} + div.trigger-inline-button.js-open-card-title-popup + i.fa.fa-filter + div.trigger-text + | {{_'r-is'}} div.trigger-dropdown select(id="arch-action") option(value="archived") {{_'r-archived'}} @@ -102,6 +98,12 @@ template(name="boardTriggers") div.trigger-button.js-add-arch-trigger.js-goto-action i.fa.fa-plus +template(name="boardCardTitlePopup") + form + label + | Card Title Filter + input.js-card-filter-name(type="text" value=title autofocus) + input.js-card-filter-button.primary.wide(type="submit" value="{{_ 'set-filter'}}") diff --git a/client/components/rules/triggers/boardTriggers.js b/client/components/rules/triggers/boardTriggers.js index b822d643..1a7948de 100644 --- a/client/components/rules/triggers/boardTriggers.js +++ b/client/components/rules/triggers/boardTriggers.js @@ -1,34 +1,36 @@ BlazeComponent.extendComponent({ onCreated() { - + this.provaVar = new ReactiveVar(''); + this.currentPopupTriggerId = "def"; + this.cardTitleFilters = {}; + }, + setNameFilter(name){ + this.cardTitleFilters[this.currentPopupTriggerId] = name; }, events() { return [{ - 'click .js-add-gen-trigger' (event) { - const desc = Utils.getTriggerActionDesc(event, this); - const datas = this.data(); - const boardId = Session.get('currentBoard'); - datas.triggerVar.set({ - activityType: 'createCard', - boardId, - 'listName': '*', - desc, - }); - + 'click .js-open-card-title-popup'(event){ + var funct = Popup.open('boardCardTitle'); + let divId = $(event.currentTarget.parentNode.parentNode).attr("id"); + console.log("current popup"); + console.log(this.currentPopupTriggerId); + this.currentPopupTriggerId = divId; + funct.call(this,event); }, 'click .js-add-create-trigger' (event) { const desc = Utils.getTriggerActionDesc(event, this); const datas = this.data(); const listName = this.find('#create-list-name').value; const swimlaneName = this.find('#create-swimlane-name').value; - if(swimlaneName == undefined || swimlaneName == ""){ - swimlaneName = "*"; - } const boardId = Session.get('currentBoard'); + const divId = $(event.currentTarget.parentNode).attr("id"); + const cardTitle = this.cardTitleFilters[divId]; + // move to generic funciont datas.triggerVar.set({ activityType: 'createCard', boardId, + cardTitle, swimlaneName, listName, desc, @@ -41,9 +43,6 @@ BlazeComponent.extendComponent({ const actionSelected = this.find('#move-action').value; const listName = this.find('#move-list-name').value; const boardId = Session.get('currentBoard'); - if(swimlaneName == undefined || swimlaneName == ""){ - swimlaneName = "*"; - } if (actionSelected === 'moved-to') { datas.triggerVar.set({ activityType: 'moveCard', @@ -71,8 +70,9 @@ BlazeComponent.extendComponent({ const boardId = Session.get('currentBoard'); datas.triggerVar.set({ - activityType: 'moveCard', + 'activityType': 'moveCard', boardId, + 'swimlaneName': '*', 'listName':'*', 'oldListName': '*', desc, @@ -103,3 +103,16 @@ BlazeComponent.extendComponent({ }, }).register('boardTriggers'); + + + + + +Template.boardCardTitlePopup.events({ + submit(evt, tpl) { + const title = tpl.$('.js-card-filter-name').val().trim(); + Popup.getOpenerComponent().setNameFilter(title); + evt.preventDefault(); + Popup.close(); + }, +}); diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 1007a650..903d1fe5 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -538,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", "r-added-to": "Added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter":"Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", diff --git a/models/cards.js b/models/cards.js index a7217c5d..7b05e4b5 100644 --- a/models/cards.js +++ b/models/cards.js @@ -1238,6 +1238,7 @@ function cardCreation(userId, doc) { listName: Lists.findOne(doc.listId).title, listId: doc.listId, cardId: doc._id, + cardTitle:doc.title, swimlaneName: Swimlanes.findOne(doc.swimlaneId).title, swimlaneId: doc.swimlaneId, }); diff --git a/server/triggersDef.js b/server/triggersDef.js index 0f573ba5..2c8deb07 100644 --- a/server/triggersDef.js +++ b/server/triggersDef.js @@ -1,6 +1,6 @@ TriggersDef = { createCard:{ - matchingFields: ['boardId', 'listName','userId','swimlaneName'], + matchingFields: ['boardId', 'listName','userId','swimlaneName','cardTitle'], }, moveCard:{ matchingFields: ['boardId', 'listName', 'oldListName','userId','swimlaneName'], -- cgit v1.2.3-1-g7c22 From 4c399a41f7b87247c979e98c422d7aad999fbdb1 Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Wed, 2 Jan 2019 15:42:10 +0100 Subject: Add action: create checklist with items --- client/components/rules/actions/boardActions.jade | 11 ++++++++++- client/components/rules/actions/boardActions.js | 21 ++++++++++++++++++++ .../components/rules/actions/checklistActions.jade | 13 ++++++++++++ .../components/rules/actions/checklistActions.js | 23 ++++++++++++++++++++++ i18n/en.i18n.json | 4 ++++ server/rulesHelper.js | 13 ++++++++++++ 6 files changed, 84 insertions(+), 1 deletion(-) diff --git a/client/components/rules/actions/boardActions.jade b/client/components/rules/actions/boardActions.jade index 768d77cf..ab7d77a8 100644 --- a/client/components/rules/actions/boardActions.jade +++ b/client/components/rules/actions/boardActions.jade @@ -36,7 +36,16 @@ template(name="boardActions") div.trigger-text | {{_'r-card'}} div.trigger-button.js-add-arch-action.js-goto-rules - i.fa.fa-plus + i.fa.fa-plus + + div.trigger-item + div.trigger-content + div.trigger-text + | {{_'r-add-swimlane'}} + div.trigger-dropdown + input(id="swimlane-name",type=text,placeholder="{{_'r-name'}}") + div.trigger-button.js-add-swimlane-action.js-goto-rules + i.fa.fa-plus diff --git a/client/components/rules/actions/boardActions.js b/client/components/rules/actions/boardActions.js index 95771fce..34f7c4b4 100644 --- a/client/components/rules/actions/boardActions.js +++ b/client/components/rules/actions/boardActions.js @@ -5,6 +5,27 @@ BlazeComponent.extendComponent({ events() { return [{ + 'click .js-add-swimlane-action' (event) { + const ruleName = this.data().ruleName.get(); + const trigger = this.data().triggerVar.get(); + const swimlaneName = this.find('#swimlane-name').value; + const boardId = Session.get('currentBoard'); + const desc = Utils.getTriggerActionDesc(event, this); + const triggerId = Triggers.insert(trigger); + const actionId = Actions.insert({ + actionType: 'addSwimlane', + swimlaneName, + boardId, + desc, + }); + Rules.insert({ + title: ruleName, + triggerId, + actionId, + boardId, + }); + + }, 'click .js-add-spec-move-action' (event) { const ruleName = this.data().ruleName.get(); const trigger = this.data().triggerVar.get(); diff --git a/client/components/rules/actions/checklistActions.jade b/client/components/rules/actions/checklistActions.jade index 8414a1a5..3542c5c9 100644 --- a/client/components/rules/actions/checklistActions.jade +++ b/client/components/rules/actions/checklistActions.jade @@ -43,6 +43,19 @@ template(name="checklistActions") div.trigger-button.js-add-check-item-action.js-goto-rules i.fa.fa-plus + div.trigger-item + div.trigger-content + div.trigger-text + | {{{_'r-add-checklist'}}} + div.trigger-dropdown + input(id="checklist-name-3",type=text,placeholder="{{{_'r-name'}}}") + div.trigger-text + | {{{_'r-with-items'}}} + div.trigger-dropdown + input(id="checklist-items",type=text,placeholder="{{{_'r-items-list'}}}") + div.trigger-button.js-add-checklist-items-action.js-goto-rules + i.fa.fa-plus + diff --git a/client/components/rules/actions/checklistActions.js b/client/components/rules/actions/checklistActions.js index 4b70f959..59141c39 100644 --- a/client/components/rules/actions/checklistActions.js +++ b/client/components/rules/actions/checklistActions.js @@ -4,6 +4,29 @@ BlazeComponent.extendComponent({ }, events() { return [{ + 'click .js-add-checklist-items-action' (event) { + const ruleName = this.data().ruleName.get(); + const trigger = this.data().triggerVar.get(); + const checklistName = this.find('#checklist-name-3').value; + const checklistItems = this.find('#checklist-items').value; + const boardId = Session.get('currentBoard'); + const desc = Utils.getTriggerActionDesc(event, this); + const triggerId = Triggers.insert(trigger); + const actionId = Actions.insert({ + actionType: 'addChecklistWithItems', + checklistName, + checklistItems, + boardId, + desc, + }); + Rules.insert({ + title: ruleName, + triggerId, + actionId, + boardId, + }); + + }, 'click .js-add-checklist-action' (event) { const ruleName = this.data().ruleName.get(); const trigger = this.data().triggerVar.get(); diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 903d1fe5..2bffa1a5 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -615,6 +615,10 @@ "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", "r-swimlane": "in swimlane", "r-swimlane-name": "swimlane name", "r-user-name": "username", diff --git a/server/rulesHelper.js b/server/rulesHelper.js index 81e6b74f..e06ed4aa 100644 --- a/server/rulesHelper.js +++ b/server/rulesHelper.js @@ -132,6 +132,19 @@ RulesHelper = { if(action.actionType === 'removeChecklist'){ Checklists.remove({'title':action.checklistName, 'cardId':card._id, 'sort':0}); } + if(action.actionType === 'addSwimlane'){ + Swimlanes.insert({ + title: action.swimlaneName, + boardId + }); + } + if(action.actionType === 'addChecklistWithItems'){ + const checkListId = Checklists.insert({'title':action.checklistName, 'cardId':card._id, 'sort':0}); + const itemsArray = action.checklistItems.split(','); + for(let i = 0;i Date: Wed, 2 Jan 2019 15:52:58 +0100 Subject: Added notes --- client/components/rules/actions/checklistActions.jade | 6 ++++++ client/components/rules/triggers/boardTriggers.jade | 5 +++++ i18n/en.i18n.json | 2 ++ 3 files changed, 13 insertions(+) diff --git a/client/components/rules/actions/checklistActions.jade b/client/components/rules/actions/checklistActions.jade index 3542c5c9..94c63557 100644 --- a/client/components/rules/actions/checklistActions.jade +++ b/client/components/rules/actions/checklistActions.jade @@ -56,6 +56,12 @@ template(name="checklistActions") div.trigger-button.js-add-checklist-items-action.js-goto-rules i.fa.fa-plus + div.trigger-item + div.trigger-content + div.trigger-text + | {{{_'r-checklist-note'}}} + + diff --git a/client/components/rules/triggers/boardTriggers.jade b/client/components/rules/triggers/boardTriggers.jade index dae3351e..c39ff6d0 100644 --- a/client/components/rules/triggers/boardTriggers.jade +++ b/client/components/rules/triggers/boardTriggers.jade @@ -98,6 +98,11 @@ template(name="boardTriggers") div.trigger-button.js-add-arch-trigger.js-goto-action i.fa.fa-plus + div.trigger-item + div.trigger-content + div.trigger-text + | {{{_'r-board-note'}}} + template(name="boardCardTitlePopup") form label diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 2bffa1a5..f609d2eb 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -622,6 +622,8 @@ "r-swimlane": "in swimlane", "r-swimlane-name": "swimlane name", "r-user-name": "username", + "r-board-note": "Note: leave a field empty to match every possible value. ", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-added-to": "added to", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", -- cgit v1.2.3-1-g7c22 From 8ad0da210940c514fc173564955568f023bde3d6 Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Wed, 2 Jan 2019 22:32:08 +0100 Subject: Added create card action --- client/components/rules/actions/boardActions.jade | 17 +++++++++++++++ client/components/rules/actions/boardActions.js | 25 +++++++++++++++++++++++ i18n/en.i18n.json | 3 +++ server/rulesHelper.js | 17 +++++++++++++++ 4 files changed, 62 insertions(+) diff --git a/client/components/rules/actions/boardActions.jade b/client/components/rules/actions/boardActions.jade index ab7d77a8..6034184c 100644 --- a/client/components/rules/actions/boardActions.jade +++ b/client/components/rules/actions/boardActions.jade @@ -47,6 +47,23 @@ template(name="boardActions") div.trigger-button.js-add-swimlane-action.js-goto-rules i.fa.fa-plus + div.trigger-item + div.trigger-content + div.trigger-text + | {{_'r-create-card'}} + div.trigger-dropdown + input(id="card-name",type=text,placeholder="{{_'r-name'}}") + div.trigger-text + | {{_'r-in-list'}} + div.trigger-dropdown + input(id="list-name",type=text,placeholder="{{_'r-name'}}") + div.trigger-text + | {{_'r-in-swimlane'}} + div.trigger-dropdown + input(id="swimlane-name2",type=text,placeholder="{{_'r-name'}}") + div.trigger-button.js-create-card-action.js-goto-rules + i.fa.fa-plus + diff --git a/client/components/rules/actions/boardActions.js b/client/components/rules/actions/boardActions.js index 34f7c4b4..c2ac156c 100644 --- a/client/components/rules/actions/boardActions.js +++ b/client/components/rules/actions/boardActions.js @@ -5,6 +5,31 @@ BlazeComponent.extendComponent({ events() { return [{ + 'click .js-create-card-action' (event) { + const ruleName = this.data().ruleName.get(); + const trigger = this.data().triggerVar.get(); + const cardName = this.find('#card-name').value; + const listName = this.find('#list-name').value; + const swimlaneName = this.find('#swimlane-name2').value; + const boardId = Session.get('currentBoard'); + const desc = Utils.getTriggerActionDesc(event, this); + const triggerId = Triggers.insert(trigger); + const actionId = Actions.insert({ + actionType: 'createCard', + swimlaneName, + cardName, + listName, + boardId, + desc, + }); + Rules.insert({ + title: ruleName, + triggerId, + actionId, + boardId, + }); + + }, 'click .js-add-swimlane-action' (event) { const ruleName = this.data().ruleName.get(); const trigger = this.data().triggerVar.get(); diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index f609d2eb..6aa0335d 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -604,6 +604,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", diff --git a/server/rulesHelper.js b/server/rulesHelper.js index e06ed4aa..ef3c9514 100644 --- a/server/rulesHelper.js +++ b/server/rulesHelper.js @@ -145,6 +145,23 @@ RulesHelper = { ChecklistItems.insert({title:itemsArray[i],checklistId:checkListId,cardId:card._id,'sort':0}); } } + if(action.actionType === 'createCard'){ + let list = Lists.findOne({title:action.listName,boardId}); + let listId = ''; + let swimlaneId = ''; + let swimlane = Swimlanes.findOne({title:action.swimlaneName,boardId}); + if(list == undefined){ + listId = ''; + }else{ + listId = list._id; + } + if(swimlane == undefined){ + swimlaneId = Swimlanes.findOne({title:"Default",boardId})._id; + }else{ + swimlaneId = swimlane._id; + } + Cards.insert({title:action.cardName,listId,swimlaneId,sort:0,boardId}); + } }, -- cgit v1.2.3-1-g7c22 From 4d8b2029d266843dc0eb376a0bf752c46e440a13 Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Wed, 2 Jan 2019 22:51:00 +0100 Subject: Fixed errors --- client/components/rules/actions/boardActions.js | 4 +-- .../components/rules/actions/checklistActions.js | 2 +- client/components/rules/rulesMain.js | 21 ++++++------- client/components/rules/triggers/boardTriggers.js | 29 ++++++++--------- client/lib/utils.js | 12 ++++---- server/rulesHelper.js | 20 ++++++------ server/triggersDef.js | 36 +++++++++++----------- 7 files changed, 60 insertions(+), 64 deletions(-) diff --git a/client/components/rules/actions/boardActions.js b/client/components/rules/actions/boardActions.js index c2ac156c..e0b8edc9 100644 --- a/client/components/rules/actions/boardActions.js +++ b/client/components/rules/actions/boardActions.js @@ -28,7 +28,7 @@ BlazeComponent.extendComponent({ actionId, boardId, }); - + }, 'click .js-add-swimlane-action' (event) { const ruleName = this.data().ruleName.get(); @@ -49,7 +49,7 @@ BlazeComponent.extendComponent({ actionId, boardId, }); - + }, 'click .js-add-spec-move-action' (event) { const ruleName = this.data().ruleName.get(); diff --git a/client/components/rules/actions/checklistActions.js b/client/components/rules/actions/checklistActions.js index 59141c39..3e79b075 100644 --- a/client/components/rules/actions/checklistActions.js +++ b/client/components/rules/actions/checklistActions.js @@ -25,7 +25,7 @@ BlazeComponent.extendComponent({ actionId, boardId, }); - + }, 'click .js-add-checklist-action' (event) { const ruleName = this.data().ruleName.get(); diff --git a/client/components/rules/rulesMain.js b/client/components/rules/rulesMain.js index 42116790..2e125960 100644 --- a/client/components/rules/rulesMain.js +++ b/client/components/rules/rulesMain.js @@ -1,4 +1,4 @@ -let rulesMainComponent = BlazeComponent.extendComponent({ +const rulesMainComponent = BlazeComponent.extendComponent({ onCreated() { this.rulesCurrentTab = new ReactiveVar('rulesList'); this.ruleName = new ReactiveVar(''); @@ -10,9 +10,9 @@ let rulesMainComponent = BlazeComponent.extendComponent({ this.rulesCurrentTab.set('trigger'); }, sanitizeObject(obj){ - Object.keys(obj).forEach(key =>{ - if(obj[key] == "" || obj[key] == undefined){ - obj[key] = "*"; + Object.keys(obj).forEach((key) => { + if(obj[key] == '' || obj[key] == undefined){ + obj[key] = '*'; }} ); }, @@ -49,25 +49,25 @@ let rulesMainComponent = BlazeComponent.extendComponent({ 'click .js-goto-action' (event) { event.preventDefault(); // Add user to the trigger - const username = $(event.currentTarget.offsetParent).find(".user-name").val(); + const username = $(event.currentTarget.offsetParent).find('.user-name').val(); let trigger = this.triggerVar.get(); - trigger["userId"] = "*"; + trigger.userId = '*'; if(username != undefined ){ - const userFound = Users.findOne({"username":username}); + const userFound = Users.findOne({username}); if(userFound != undefined){ - trigger["userId"] = userFound._id; + trigger.userId = userFound._id; this.triggerVar.set(trigger); } } // Sanitize trigger trigger = this.triggerVar.get(); - this.sanitizeObject(trigger) + this.sanitizeObject(trigger); this.triggerVar.set(trigger); this.setAction(); }, 'click .js-show-user-field' (event) { event.preventDefault(); - $(event.currentTarget.offsetParent).find(".user-details").removeClass("hide-element"); + $(event.currentTarget.offsetParent).find('.user-details').removeClass('hide-element'); }, 'click .js-goto-rules' (event) { event.preventDefault(); @@ -95,4 +95,3 @@ let rulesMainComponent = BlazeComponent.extendComponent({ }).register('rulesMain'); - diff --git a/client/components/rules/triggers/boardTriggers.js b/client/components/rules/triggers/boardTriggers.js index 1a7948de..f9aa57cb 100644 --- a/client/components/rules/triggers/boardTriggers.js +++ b/client/components/rules/triggers/boardTriggers.js @@ -1,7 +1,7 @@ BlazeComponent.extendComponent({ onCreated() { this.provaVar = new ReactiveVar(''); - this.currentPopupTriggerId = "def"; + this.currentPopupTriggerId = 'def'; this.cardTitleFilters = {}; }, setNameFilter(name){ @@ -11,12 +11,12 @@ BlazeComponent.extendComponent({ events() { return [{ 'click .js-open-card-title-popup'(event){ - var funct = Popup.open('boardCardTitle'); - let divId = $(event.currentTarget.parentNode.parentNode).attr("id"); - console.log("current popup"); + const funct = Popup.open('boardCardTitle'); + const divId = $(event.currentTarget.parentNode.parentNode).attr('id'); + console.log('current popup'); console.log(this.currentPopupTriggerId); this.currentPopupTriggerId = divId; - funct.call(this,event); + funct.call(this, event); }, 'click .js-add-create-trigger' (event) { const desc = Utils.getTriggerActionDesc(event, this); @@ -24,17 +24,17 @@ BlazeComponent.extendComponent({ const listName = this.find('#create-list-name').value; const swimlaneName = this.find('#create-swimlane-name').value; const boardId = Session.get('currentBoard'); - const divId = $(event.currentTarget.parentNode).attr("id"); + const divId = $(event.currentTarget.parentNode).attr('id'); const cardTitle = this.cardTitleFilters[divId]; // move to generic funciont datas.triggerVar.set({ - activityType: 'createCard', - boardId, - cardTitle, - swimlaneName, - listName, - desc, - }); + activityType: 'createCard', + boardId, + cardTitle, + swimlaneName, + listName, + desc, + }); }, 'click .js-add-moved-trigger' (event) { const datas = this.data(); @@ -105,9 +105,6 @@ BlazeComponent.extendComponent({ }).register('boardTriggers'); - - - Template.boardCardTitlePopup.events({ submit(evt, tpl) { const title = tpl.$('.js-card-filter-name').val().trim(); diff --git a/client/lib/utils.js b/client/lib/utils.js index f252a220..051ec952 100644 --- a/client/lib/utils.js +++ b/client/lib/utils.js @@ -220,19 +220,19 @@ Utils = { finalString += element.text().toLowerCase(); } else if (element.hasClass('user-details')) { let username = element.find('input').val(); - if(username == undefined || username == ""){ - username = "*"; + if(username == undefined || username == ''){ + username = '*'; } - finalString += element.find('.trigger-text').text().toLowerCase()+ " " + username ; + finalString += `${element.find('.trigger-text').text().toLowerCase() } ${ username}`; } else if (element.find('select').length > 0) { finalString += element.find('select option:selected').text().toLowerCase(); } else if (element.find('input').length > 0) { let inputvalue = element.find('input').val(); - if(inputvalue == undefined || inputvalue == ""){ - inputvalue = "*"; + if(inputvalue == undefined || inputvalue == ''){ + inputvalue = '*'; } finalString += inputvalue; - } + } // Add space if (i !== length - 1) { finalString += ' '; diff --git a/server/rulesHelper.js b/server/rulesHelper.js index ef3c9514..c3a20c3b 100644 --- a/server/rulesHelper.js +++ b/server/rulesHelper.js @@ -135,32 +135,32 @@ RulesHelper = { if(action.actionType === 'addSwimlane'){ Swimlanes.insert({ title: action.swimlaneName, - boardId + boardId, }); } if(action.actionType === 'addChecklistWithItems'){ - const checkListId = Checklists.insert({'title':action.checklistName, 'cardId':card._id, 'sort':0}); - const itemsArray = action.checklistItems.split(','); - for(let i = 0;i Date: Fri, 4 Jan 2019 09:05:57 +0200 Subject: Update translations (pt-BR). --- i18n/pt-BR.i18n.json | 336 +++++++++++++++++++++++++-------------------------- 1 file changed, 168 insertions(+), 168 deletions(-) diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 2189381b..065df77e 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -3,8 +3,8 @@ "act-activity-notify": "Notificação de atividade", "act-addAttachment": "anexo __attachment__ de __card__", "act-addSubtask": "Subtarefa adicionada __checklist__ ao __cartão", - "act-addChecklist": "added checklist __checklist__ no __card__", - "act-addChecklistItem": "adicionado __checklistitem__ para a lista de checagem __checklist__ em __card__", + "act-addChecklist": "adicionada lista de verificação __checklist__ no __card__", + "act-addChecklistItem": "adicionado __checklistitem__ para a lista de verificação __checklist__ em __card__", "act-addComment": "comentou em __card__: __comment__", "act-createBoard": "criou __board__", "act-createCard": "__card__ adicionado à __list__", @@ -43,25 +43,25 @@ "activity-sent": "enviou %s de %s", "activity-unjoined": "saiu de %s", "activity-subtask-added": "Adcionar subtarefa à", - "activity-checked-item": "checked %s in checklist %s of %s", - "activity-unchecked-item": "unchecked %s in checklist %s of %s", - "activity-checklist-added": "Adicionado lista de verificação a %s", - "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", - "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", - "activity-checklist-item-added": "adicionado o item de checklist para '%s' em %s", - "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", + "activity-checked-item": "marcado %s na lista de verificação %s de %s", + "activity-unchecked-item": "desmarcado %s na lista de verificação %s de %s", + "activity-checklist-added": "Adicionada lista de verificação a %s", + "activity-checklist-removed": "removida a lista de verificação de %s", + "activity-checklist-completed": "completada a lista de verificação %s de %s", + "activity-checklist-uncompleted": "não-completada a lista de verificação %s de %s", + "activity-checklist-item-added": "adicionado o item de lista de verificação para '%s' em %s", + "activity-checklist-item-removed": "removida o item de lista de verificação de '%s' na %s", "add": "Novo", - "activity-checked-item-card": "checked %s in checklist %s", - "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", - "activity-checklist-uncompleted-card": "uncompleted the checklist %s", + "activity-checked-item-card": "marcaddo %s na lista de verificação %s", + "activity-unchecked-item-card": "desmarcado %s na lista de verificação %s", + "activity-checklist-completed-card": "completada a lista de verificação %s", + "activity-checklist-uncompleted-card": "não-completada a lista de verificação %s", "add-attachment": "Adicionar Anexos", "add-board": "Adicionar Quadro", "add-card": "Adicionar Cartão", - "add-swimlane": "Adicionar Swimlane", + "add-swimlane": "Adicionar Raia", "add-subtask": "Adicionar subtarefa", - "add-checklist": "Adicionar Checklist", + "add-checklist": "Adicionar lista de verificação", "add-checklist-item": "Adicionar um item à lista de verificação", "add-cover": "Adicionar Capa", "add-label": "Adicionar Etiqueta", @@ -78,20 +78,20 @@ "and-n-other-card": "E __count__ outro cartão", "and-n-other-card_plural": "E __count__ outros cartões", "apply": "Aplicar", - "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", - "archive": "Move to Archive", - "archive-all": "Move All to Archive", - "archive-board": "Move Board to Archive", - "archive-card": "Move Card to Archive", - "archive-list": "Move List to Archive", - "archive-swimlane": "Move Swimlane to Archive", - "archive-selection": "Move selection to Archive", - "archiveBoardPopup-title": "Move Board to Archive?", - "archived-items": "Arquivar", - "archived-boards": "Boards in Archive", + "app-is-offline": "Carregando, por favor espere. Atualizar a página causará perda de dados. Se a carga não funcionar, por favor verifique se o servidor não caiu.", + "archive": "Mover para o Arquivo-morto", + "archive-all": "Mover Tudo para o Arquivo-morto", + "archive-board": "Mover Quadro para o Arquivo-morto", + "archive-card": "Mover Cartão para o Arquivo-morto", + "archive-list": "Mover Lista para o Arquivo-morto", + "archive-swimlane": "Mover Raia para Arquivo-morto", + "archive-selection": "Mover seleção para o Arquivo-morto", + "archiveBoardPopup-title": "Mover Quadro para o Arquivo-morto?", + "archived-items": "Arquivo-morto", + "archived-boards": "Quadros no Arquivo-morto", "restore-board": "Restaurar Quadro", - "no-archived-boards": "No Boards in Archive.", - "archives": "Arquivar", + "no-archived-boards": "Sem Quadros no Arquivo-morto.", + "archives": "Arquivos-morto", "assign-member": "Atribuir Membro", "attached": "anexado", "attachment": "Anexo", @@ -114,16 +114,16 @@ "boards": "Quadros", "board-view": "Visão de quadro", "board-view-cal": "Calendário", - "board-view-swimlanes": "Swimlanes", + "board-view-swimlanes": "Raias", "board-view-lists": "Listas", "bucket-example": "\"Bucket List\", por exemplo", "cancel": "Cancelar", - "card-archived": "This card is moved to Archive.", - "board-archived": "This board is moved to Archive.", + "card-archived": "Este cartão está Arquivado.", + "board-archived": "Este quadro está Arquivado.", "card-comments-title": "Este cartão possui %s comentários.", "card-delete-notice": "A exclusão será permanente. Você perderá todas as ações associadas a este cartão.", - "card-delete-pop": "Todas as ações serão removidas da lista de Atividades e vocês não poderá re-abrir o cartão. Não há como desfazer.", - "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", + "card-delete-pop": "Todas as ações serão excluidas da lista de Atividades e vocês não poderá re-abrir o cartão. Não há como desfazer.", + "card-delete-suggest-archive": "Você pode mover um cartão para o Arquivo-morto para removê-lo do quadro e preservar a atividade.", "card-due": "Data fim", "card-due-on": "Finaliza em", "card-spent": "Tempo Gasto", @@ -146,9 +146,9 @@ "cards": "Cartões", "cards-count": "Cartões", "casSignIn": "Entrar com CAS", - "cardType-card": "Card", - "cardType-linkedCard": "Linked Card", - "cardType-linkedBoard": "Linked Board", + "cardType-card": "Cartão", + "cardType-linkedCard": "Cartão ligado", + "cardType-linkedBoard": "Quadro ligado", "change": "Alterar", "change-avatar": "Alterar Avatar", "change-password": "Alterar Senha", @@ -160,13 +160,13 @@ "changePermissionsPopup-title": "Alterar Permissões", "changeSettingsPopup-title": "Altera configurações", "subtasks": "Subtarefas", - "checklists": "Checklists", + "checklists": "Listas de verificação", "click-to-star": "Marcar quadro como favorito.", "click-to-unstar": "Remover quadro dos favoritos.", "clipboard": "Área de Transferência ou arraste e solte", "close": "Fechar", "close-board": "Fechar Quadro", - "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", + "close-board-pop": "Você será capaz de restaurar o quadro clicando no botão “Arquivo-morto” a partir do cabeçalho do Início.", "color-black": "preto", "color-blue": "azul", "color-green": "verde", @@ -175,22 +175,22 @@ "color-pink": "cor-de-rosa", "color-purple": "roxo", "color-red": "vermelho", - "color-sky": "céu", + "color-sky": "azul-celeste", "color-yellow": "amarelo", "comment": "Comentário", "comment-placeholder": "Escrever Comentário", "comment-only": "Somente comentários", "comment-only-desc": "Pode comentar apenas em cartões.", "no-comments": "Sem comentários", - "no-comments-desc": "Can not see comments and activities.", + "no-comments-desc": "Sem visualização de comentários e atividades.", "computer": "Computador", - "confirm-subtask-delete-dialog": "Tem certeza que deseja deletar a subtarefa?", - "confirm-checklist-delete-dialog": "Tem certeza que quer deletar o checklist?", + "confirm-subtask-delete-dialog": "Tem certeza que deseja excluir a subtarefa?", + "confirm-checklist-delete-dialog": "Tem certeza que quer excluir a lista de verificação?", "copy-card-link-to-clipboard": "Copiar link do cartão para a área de transferência", - "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "linkCardPopup-title": "Ligar Cartão", + "searchCardPopup-title": "Procurar Cartão", "copyCardPopup-title": "Copiar o cartão", - "copyChecklistToManyCardsPopup-title": "Copiar modelo de checklist para vários cartões", + "copyChecklistToManyCardsPopup-title": "Copiar modelo de lista de verificação para vários cartões", "copyChecklistToManyCardsPopup-instructions": "Títulos e descrições do cartão de destino neste formato JSON", "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Título do primeiro cartão\", \"description\":\"Descrição do primeiro cartão\"}, {\"title\":\"Título do segundo cartão\",\"description\":\"Descrição do segundo cartão\"},{\"title\":\"Título do último cartão\",\"description\":\"Descrição do último cartão\"} ]", "create": "Criar", @@ -200,7 +200,7 @@ "createCustomField": "Criar campo", "createCustomFieldPopup-title": "Criar campo", "current": "atual", - "custom-field-delete-pop": "Não existe desfazer. Isso irá remover o campo customizado de todos os cartões e destruir seu histórico", + "custom-field-delete-pop": "Não existe desfazer. Isso irá excluir o campo customizado de todos os cartões e destruir seu histórico", "custom-field-checkbox": "Caixa de seleção", "custom-field-date": "Data", "custom-field-dropdown": "Lista suspensa", @@ -215,7 +215,7 @@ "decline": "Rejeitar", "default-avatar": "Avatar padrão", "delete": "Excluir", - "deleteCustomFieldPopup-title": "Deletar campo customizado?", + "deleteCustomFieldPopup-title": "Excluir campo customizado?", "deleteLabelPopup-title": "Excluir Etiqueta?", "description": "Descrição", "disambiguateMultiLabelPopup-title": "Desambiguar ações de etiquetas", @@ -238,17 +238,17 @@ "email": "E-mail", "email-enrollAccount-subject": "Uma conta foi criada para você em __siteName__", "email-enrollAccount-text": "Olá __user__\npara iniciar utilizando o serviço basta clicar no link abaixo.\n__url__\nMuito Obrigado.", - "email-fail": "Falhou ao enviar email", + "email-fail": "Falhou ao enviar e-mail", "email-fail-text": "Erro ao tentar enviar e-mail", - "email-invalid": "Email inválido", - "email-invite": "Convite via Email", + "email-invalid": "E-mail inválido", + "email-invite": "Convite via E-mail", "email-invite-subject": "__inviter__ lhe enviou um convite", "email-invite-text": "Caro __user__\n__inviter__ lhe convidou para ingressar no quadro \"__board__\" como colaborador.\nPor favor prossiga através do link abaixo:\n__url__\nMuito obrigado.", "email-resetPassword-subject": "Redefina sua senha em __siteName__", "email-resetPassword-text": "Olá __user__\nPara redefinir sua senha, por favor clique no link abaixo.\n__url__\nMuito obrigado.", - "email-sent": "Email enviado", - "email-verifyEmail-subject": "Verifique seu endereço de email em __siteName__", - "email-verifyEmail-text": "Olá __user__\nPara verificar sua conta de email, clique no link abaixo.\n__url__\nObrigado.", + "email-sent": "E-mail enviado", + "email-verifyEmail-subject": "Verifique seu endereço de e-mail em __siteName__", + "email-verifyEmail-text": "Olá __user__\nPara verificar sua conta de e-mail, clique no link abaixo.\n__url__\nObrigado.", "enable-wip-limit": "Ativar Limite WIP", "error-board-doesNotExist": "Este quadro não existe", "error-board-notAdmin": "Você precisa ser administrador desse quadro para fazer isto", @@ -265,7 +265,7 @@ "filter": "Filtrar", "filter-cards": "Filtrar Cartões", "filter-clear": "Limpar filtro", - "filter-no-label": "Sem labels", + "filter-no-label": "Sem etiquetas", "filter-no-member": "Sem membros", "filter-no-custom-fields": "Não há campos customizados", "filter-on": "Filtro está ativo", @@ -279,24 +279,24 @@ "headerBarCreateBoardPopup-title": "Criar Quadro", "home": "Início", "import": "Importar", - "link": "Link", + "link": "Ligação", "import-board": "importar quadro", "import-board-c": "Importar quadro", - "import-board-title-trello": "Importar board do Trello", - "import-board-title-wekan": "Import board from previous export", - "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-trello": "Importar quadro do Trello", + "import-board-title-wekan": "Importar quadro a partir de exportação prévia", + "import-sandstorm-backup-warning": "Não exclua os dados importados do quadro original exportado ou do Trello antes de verificar se esse item fecha e abre novamente, ou se você receber o erro Quadro não encontrado, que significa perda de dados.", "import-sandstorm-warning": "O quadro importado irá excluir todos os dados existentes no quadro e irá sobrescrever com o quadro importado.", "from-trello": "Do Trello", - "from-wekan": "From previous export", + "from-wekan": "A partir de exportação prévia", "import-board-instruction-trello": "No seu quadro do Trello, vá em 'Menu', depois em 'Mais', 'Imprimir e Exportar', 'Exportar JSON', então copie o texto emitido", - "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", + "import-board-instruction-wekan": "Em seu quadro vá para 'Menu', depois 'Exportar quadro' e copie o texto no arquivo baixado.", + "import-board-instruction-about-errors": "Se você receber erros ao importar o quadro, às vezes a importação ainda funciona e o quadro está na página Todos os Quadros.", "import-json-placeholder": "Cole seus dados JSON válidos aqui", "import-map-members": "Mapear membros", - "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", + "import-members-map": "Seu quadro importado possui alguns membros. Por favor, mapeie os membros que você deseja importar para seus usuários", "import-show-user-mapping": "Revisar mapeamento dos membros", - "import-user-select": "Pick your existing user you want to use as this member", - "importMapMembersAddPopup-title": "Select member", + "import-user-select": "Escolha um usuário existente que você deseja usar como esse membro", + "importMapMembersAddPopup-title": "Selecione membro", "info": "Versão", "initials": "Iniciais", "invalid-date": "Data inválida", @@ -307,27 +307,27 @@ "keyboard-shortcuts": "Atalhos do teclado", "label-create": "Criar Etiqueta", "label-default": "%s etiqueta (padrão)", - "label-delete-pop": "Não será possível recuperá-la. A etiqueta será removida de todos os cartões e seu histórico será destruído.", + "label-delete-pop": "Não será possível recuperá-la. A etiqueta será excluida de todos os cartões e seu histórico será destruído.", "labels": "Etiquetas", "language": "Idioma", "last-admin-desc": "Você não pode alterar funções porque deve existir pelo menos um administrador.", "leave-board": "Sair do Quadro", "leave-board-pop": "Tem a certeza de que pretende sair de __boardTitle__? Você será removido de todos os cartões neste quadro.", - "leaveBoardPopup-title": "Sair do Quadro ?", + "leaveBoardPopup-title": "Sair do Quadro?", "link-card": "Vincular a este cartão", - "list-archive-cards": "Move all cards in this list to Archive", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", + "list-archive-cards": "Move todos os cartões nesta lista para o Arquivo-morto", + "list-archive-cards-pop": "Isto removerá todos os cartões desta lista para o quadro. Para visualizar cartões arquivados e trazê-los de volta para o quadro, clique em “Menu” > “Arquivo-morto”.", "list-move-cards": "Mover todos os cartões desta lista", "list-select-cards": "Selecionar todos os cartões nesta lista", "listActionPopup-title": "Listar Ações", - "swimlaneActionPopup-title": "Ações de Swimlane", + "swimlaneActionPopup-title": "Ações de Raia", "listImportCardPopup-title": "Importe um cartão do Trello", "listMorePopup-title": "Mais", "link-list": "Vincular a esta lista", - "list-delete-pop": "Todas as ações serão removidas da lista de atividades e você não poderá recuperar a lista. Não há como desfazer.", - "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", + "list-delete-pop": "Todas as ações serão excluidas da lista de atividades e você não poderá recuperar a lista. Não há como desfazer.", + "list-delete-suggest-archive": "Você pode mover uma lista para o Arquivo-morto para removê-la do quadro e preservar a atividade.", "lists": "Listas", - "swimlanes": "Swimlanes", + "swimlanes": "Raias", "log-out": "Sair", "log-in": "Entrar", "loginPopup-title": "Entrar", @@ -345,9 +345,9 @@ "muted-info": "Você nunca receberá qualquer notificação desse board", "my-boards": "Meus Quadros", "name": "Nome", - "no-archived-cards": "No cards in Archive.", - "no-archived-lists": "No lists in Archive.", - "no-archived-swimlanes": "No swimlanes in Archive.", + "no-archived-cards": "Sem cartões no Arquivo-morto.", + "no-archived-lists": "Sem listas no Arquivo-morto.", + "no-archived-swimlanes": "Sem raias no Arquivo-morto.", "no-results": "Nenhum resultado.", "normal": "Normal", "normal-desc": "Pode ver e editar cartões. Não pode alterar configurações.", @@ -359,7 +359,7 @@ "page-maybe-private": "Esta página pode ser privada. Você poderá vê-la se estiver logado.", "page-not-found": "Página não encontrada.", "password": "Senha", - "paste-or-dragdrop": "para colar, ou arraste e solte o arquivo da imagem para ca (somente imagens)", + "paste-or-dragdrop": "para colar, ou arraste e solte o arquivo da imagem para cá (somente imagens)", "participating": "Participando", "preview": "Previsualizar", "previewAttachedImagePopup-title": "Previsualizar", @@ -373,7 +373,7 @@ "remove-cover": "Remover Capa", "remove-from-board": "Remover do Quadro", "remove-label": "Remover Etiqueta", - "listDeletePopup-title": "Excluir Lista ?", + "listDeletePopup-title": "Excluir Lista?", "remove-member": "Remover Membro", "remove-member-from-card": "Remover do Cartão", "remove-member-pop": "Remover __name__ (__username__) de __boardTitle__? O membro será removido de todos os cartões neste quadro e será notificado.", @@ -383,7 +383,7 @@ "restore": "Restaurar", "save": "Salvar", "search": "Buscar", - "rules": "Rules", + "rules": "Regras", "search-cards": "Pesquisa em títulos e descrições de cartões neste quadro", "search-example": "Texto para procurar", "select-color": "Selecionar Cor", @@ -416,21 +416,21 @@ "has-spenttime-cards": "Gastou cartões de tempo", "time": "Tempo", "title": "Título", - "tracking": "Tracking", + "tracking": "Rastreamento", "tracking-info": "Você será notificado se houver qualquer alteração em cards em que você é o criador ou membro", "type": "Tipo", "unassign-member": "Membro não associado", "unsaved-description": "Você possui uma descrição não salva", "unwatch": "Deixar de observar", - "upload": "Upload", + "upload": "Carregar", "upload-avatar": "Carregar um avatar", "uploaded-avatar": "Avatar carregado", "username": "Nome de usuário", "view-it": "Visualizar", - "warn-list-archived": "warning: this card is in an list at Archive", + "warn-list-archived": "aviso: este cartão está em uma lista no Arquiv-morto", "watch": "Observar", "watching": "Observando", - "watching-info": "Você será notificado em qualquer alteração desse board", + "watching-info": "Você será notificado de qualquer alteração neste quadro", "welcome-board": "Board de Boas Vindas", "welcome-swimlane": "Marco 1", "welcome-list1": "Básico", @@ -447,9 +447,9 @@ "invite": "Convite", "invite-people": "Convide Pessoas", "to-boards": "Para o/os quadro(s)", - "email-addresses": "Endereço de Email", - "smtp-host-description": "O endereço do servidor SMTP que envia seus emails.", - "smtp-port-description": "A porta que o servidor SMTP usa para enviar os emails.", + "email-addresses": "Endereço de E-mail", + "smtp-host-description": "O endereço do servidor SMTP que envia seus e-mails.", + "smtp-port-description": "A porta que o servidor SMTP usa para enviar os e-mails.", "smtp-tls-description": "Habilitar suporte TLS para servidor SMTP", "smtp-host": "Servidor SMTP", "smtp-port": "Porta SMTP", @@ -457,12 +457,12 @@ "smtp-password": "Senha", "smtp-tls": "Suporte TLS", "send-from": "De", - "send-smtp-test": "Enviar um email de teste para você mesmo", + "send-smtp-test": "Enviar um e-mail de teste para você mesmo", "invitation-code": "Código do Convite", "email-invite-register-subject": "__inviter__ lhe enviou um convite", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email", - "email-smtp-test-text": "Você enviou um email com sucesso", + "email-invite-register-text": "Caro __user__,\n\n__inviter__ convida você para o quadro Kanban para colaborações.\n\nPor favor, siga o link abaixo:\n__url__ \n\nE seu código de convite é: __icode__\n\nObrigado.", + "email-smtp-test-subject": "E-mail de teste via SMTP", + "email-smtp-test-text": "Você enviou um e-mail com sucesso", "error-invitation-code-not-exist": "O código do convite não existe", "error-notAuthorized": "Você não está autorizado à ver esta página.", "outgoing-webhooks": "Webhook de saída", @@ -483,12 +483,12 @@ "minutes": "minutos", "seconds": "segundos", "show-field-on-card": "Mostrar este campo no cartão", - "automatically-field-on-card": "Auto create field to all cards", - "showLabel-field-on-card": "Show field label on minicard", + "automatically-field-on-card": "Criar campo automaticamente para todos os cartões", + "showLabel-field-on-card": "Mostrar etiqueta do campo no minicartão", "yes": "Sim", "no": "Não", "accounts": "Contas", - "accounts-allowEmailChange": "Permitir Mudança de Email", + "accounts-allowEmailChange": "Permitir Mudança de e-mail", "accounts-allowUserNameChange": "Permitir alteração de nome de usuário", "createdAt": "Criado em", "verified": "Verificado", @@ -501,17 +501,17 @@ "editCardEndDatePopup-title": "Mudar data de fim", "assigned-by": "Atribuído por", "requested-by": "Solicitado por", - "board-delete-notice": "Deletar é permanente. Você perderá todas as listas, cartões e ações associados nesse painel.", - "delete-board-confirm-popup": "Todas as listas, cartões, etiquetas e atividades serão deletadas e você não poderá recuperar o conteúdo do painel. Não há como desfazer.", - "boardDeletePopup-title": "Deletar painel?", - "delete-board": "Deletar painel", - "default-subtasks-board": "Subtarefas para __painel__ painel", + "board-delete-notice": "Excluir é permanente. Você perderá todas as listas, cartões e ações associados nesse quadro.", + "delete-board-confirm-popup": "Todas as listas, cartões, etiquetas e atividades serão excluidos e você não poderá recuperar o conteúdo do quadro. Não há como desfazer.", + "boardDeletePopup-title": "Excluir quadro?", + "delete-board": "Excluir quadro", + "default-subtasks-board": "Subtarefas para quadro __board__", "default": "Padrão", "queue": "Fila", "subtask-settings": "Configurações de subtarefas", - "boardSubtaskSettingsPopup-title": "Configurações das subtarefas do painel", + "boardSubtaskSettingsPopup-title": "Configurações das subtarefas do quadro", "show-subtasks-field": "Cartões podem ter subtarefas", - "deposit-subtasks-board": "Inserir subtarefas à este painel:", + "deposit-subtasks-board": "Inserir subtarefas a este quadro:", "deposit-subtasks-list": "Listas de subtarefas inseridas aqui:", "show-parent-in-minicard": "Mostrar Pai do mini cartão:", "prefix-with-full-path": "Prefixo com caminho completo", @@ -520,83 +520,83 @@ "subtext-with-parent": "Subtexto com Pai", "change-card-parent": "Mudar Pai do cartão", "parent-card": "Pai do cartão", - "source-board": "Painel de fonte", + "source-board": "Fonte do quadro", "no-parent": "Não mostrar Pai", - "activity-added-label": "added label '%s' to %s", - "activity-removed-label": "removed label '%s' from %s", - "activity-delete-attach": "deleted an attachment from %s", - "activity-added-label-card": "added label '%s'", - "activity-removed-label-card": "removed label '%s'", - "activity-delete-attach-card": "deleted an attachment", - "r-rule": "Rule", - "r-add-trigger": "Add trigger", - "r-add-action": "Add action", - "r-board-rules": "Board rules", - "r-add-rule": "Add rule", - "r-view-rule": "View rule", - "r-delete-rule": "Delete rule", - "r-new-rule-name": "New rule title", - "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", - "r-removed-from": "Removed from", - "r-the-board": "the board", - "r-list": "list", - "r-moved-to": "Moved to", - "r-moved-from": "Moved from", - "r-archived": "Moved to Archive", - "r-unarchived": "Restored from Archive", + "activity-added-label": "adicionada etiqueta '%s' para %s", + "activity-removed-label": "removida etiqueta '%s' de %s", + "activity-delete-attach": "excluido um anexo de %s", + "activity-added-label-card": "adicionada etiqueta '%s'", + "activity-removed-label-card": "removida etiqueta '%s'", + "activity-delete-attach-card": "excluido um anexo", + "r-rule": "Regra", + "r-add-trigger": "Adicionar gatilho", + "r-add-action": "Adicionar ação", + "r-board-rules": "Quadro de regras", + "r-add-rule": "Adicionar regra", + "r-view-rule": "Ver regra", + "r-delete-rule": "Excluir regra", + "r-new-rule-name": "Título da nova regra", + "r-no-rules": "Sem regras", + "r-when-a-card-is": "Quando um cartão é", + "r-added-to": "Adicionado para", + "r-removed-from": "Removido de", + "r-the-board": "o quadro", + "r-list": "lista", + "r-moved-to": "Movido para", + "r-moved-from": "Movido de", + "r-archived": "Movido para o Arquivo-morto", + "r-unarchived": "Restaurado do Arquivo-morto", "r-a-card": "um cartão", - "r-when-a-label-is": "When a label is", - "r-when-the-label-is": "When the label is", - "r-list-name": "List name", - "r-when-a-member": "When a member is", - "r-when-the-member": "When the member", - "r-name": "name", - "r-is": "is", - "r-when-a-attach": "When an attachment", - "r-when-a-checklist": "When a checklist is", - "r-when-the-checklist": "When the checklist", - "r-completed": "Completed", - "r-made-incomplete": "Made incomplete", - "r-when-a-item": "When a checklist item is", - "r-when-the-item": "When the checklist item", + "r-when-a-label-is": "Quando uma etiqueta é", + "r-when-the-label-is": "Quando a etiqueta é", + "r-list-name": "Listar nome", + "r-when-a-member": "Quando um membro é", + "r-when-the-member": "Quando o membro", + "r-name": "nome", + "r-is": "é", + "r-when-a-attach": "Quando um anexo", + "r-when-a-checklist": "Quando a lista de verificação é", + "r-when-the-checklist": "Quando a lista de verificação", + "r-completed": "Completado", + "r-made-incomplete": "Feito incompleto", + "r-when-a-item": "Quando o item da lista de verificação é", + "r-when-the-item": "Quando o item da lista de verificação", "r-checked": "Marcado", "r-unchecked": "Desmarcado", - "r-move-card-to": "Move card to", - "r-top-of": "Top of", - "r-bottom-of": "Bottom of", - "r-its-list": "its list", - "r-archive": "Move to Archive", - "r-unarchive": "Restore from Archive", + "r-move-card-to": "Mover cartão para", + "r-top-of": "Topo de", + "r-bottom-of": "Final de", + "r-its-list": "é lista", + "r-archive": "Mover para Arquivo-morto", + "r-unarchive": "Restaurar do Arquivo-morto", "r-card": "cartão", "r-add": "Novo", "r-remove": "Remover", "r-label": "etiqueta", "r-member": "membro", - "r-remove-all": "Remove all members from the card", - "r-checklist": "checklist", + "r-remove-all": "Remover todos os membros do cartão", + "r-checklist": "lista de verificação", "r-check-all": "Marcar todos", "r-uncheck-all": "Desmarcar todos", - "r-items-check": "items of checklist", + "r-items-check": "itens da lista de verificação", "r-check": "Marcar", "r-uncheck": "Desmarcar", "r-item": "item", - "r-of-checklist": "do checklist", + "r-of-checklist": "da lista de verificação", "r-send-email": "Enviar um e-mail", "r-to": "para", "r-subject": "assunto", - "r-rule-details": "Rule details", - "r-d-move-to-top-gen": "Move card to top of its list", - "r-d-move-to-top-spec": "Move card to top of list", - "r-d-move-to-bottom-gen": "Move card to bottom of its list", - "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-rule-details": "Detalhes da regra", + "r-d-move-to-top-gen": "Mover cartão para o topo da sua lista", + "r-d-move-to-top-spec": "Mover cartão para o topo da lista", + "r-d-move-to-bottom-gen": "Mover cartão para o final da sua lista", + "r-d-move-to-bottom-spec": "Mover cartão para final da lista", "r-d-send-email": "Enviar e-mail", "r-d-send-email-to": "para", "r-d-send-email-subject": "assunto", "r-d-send-email-message": "mensagem", - "r-d-archive": "Move card to Archive", - "r-d-unarchive": "Restore card from Archive", + "r-d-archive": "Mover cartão para Arquivo-morto", + "r-d-unarchive": "Restaurar cartão do Arquivo-morto", "r-d-add-label": "Adicionar etiqueta", "r-d-remove-label": "Remover etiqueta", "r-d-add-member": "Adicionar membro", @@ -606,20 +606,20 @@ "r-d-uncheck-all": "Desmarcar todos os itens de uma lista", "r-d-check-one": "Marcar item", "r-d-uncheck-one": "Desmarcar item", - "r-d-check-of-list": "do checklist", - "r-d-add-checklist": "Adicionar checklist", - "r-d-remove-checklist": "Remover checklist", + "r-d-check-of-list": "da lista de verificação", + "r-d-add-checklist": "Adicionar lista de verificação", + "r-d-remove-checklist": "Remover lista de verificação", "r-when-a-card-is-moved": "Quando um cartão é movido de outra lista", "ldap": "LDAP", "oauth2": "OAuth2", "cas": "CAS", - "authentication-method": "Authentication method", - "authentication-type": "Authentication type", - "custom-product-name": "Custom Product Name", - "layout": "Layout", - "hide-logo": "Hide Logo", - "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end", - "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "authentication-method": "Método de autenticação", + "authentication-type": "Tipo de autenticação", + "custom-product-name": "Nome Customizado do Produto", + "layout": "Leiaute", + "hide-logo": "Esconder Logo", + "add-custom-html-after-body-start": "Adicionar HTML Customizado depois do início do ", + "add-custom-html-before-body-end": "Adicionar HTML Customizado antes do fim do ", + "error-undefined": "Algo deu errado", + "error-ldap-login": "Um erro ocorreu enquanto tentava entrar" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From f5339ef97fe1529c63504982c0273233a1521701 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 4 Jan 2019 11:00:33 +0200 Subject: - Fix lint errors. Thanks to xet7 ! --- client/components/rules/rulesMain.js | 8 ++++---- client/components/rules/triggers/boardTriggers.js | 4 ++-- client/lib/utils.js | 4 ++-- server/rulesHelper.js | 4 ++-- 4 files changed, 10 insertions(+), 10 deletions(-) diff --git a/client/components/rules/rulesMain.js b/client/components/rules/rulesMain.js index 2e125960..d4af38f4 100644 --- a/client/components/rules/rulesMain.js +++ b/client/components/rules/rulesMain.js @@ -1,4 +1,4 @@ -const rulesMainComponent = BlazeComponent.extendComponent({ +BlazeComponent.extendComponent({ onCreated() { this.rulesCurrentTab = new ReactiveVar('rulesList'); this.ruleName = new ReactiveVar(''); @@ -11,7 +11,7 @@ const rulesMainComponent = BlazeComponent.extendComponent({ }, sanitizeObject(obj){ Object.keys(obj).forEach((key) => { - if(obj[key] == '' || obj[key] == undefined){ + if(obj[key] === '' || obj[key] === undefined){ obj[key] = '*'; }} ); @@ -52,9 +52,9 @@ const rulesMainComponent = BlazeComponent.extendComponent({ const username = $(event.currentTarget.offsetParent).find('.user-name').val(); let trigger = this.triggerVar.get(); trigger.userId = '*'; - if(username != undefined ){ + if(username !== undefined ){ const userFound = Users.findOne({username}); - if(userFound != undefined){ + if(userFound !== undefined){ trigger.userId = userFound._id; this.triggerVar.set(trigger); } diff --git a/client/components/rules/triggers/boardTriggers.js b/client/components/rules/triggers/boardTriggers.js index f9aa57cb..d4b9b81c 100644 --- a/client/components/rules/triggers/boardTriggers.js +++ b/client/components/rules/triggers/boardTriggers.js @@ -13,8 +13,8 @@ BlazeComponent.extendComponent({ 'click .js-open-card-title-popup'(event){ const funct = Popup.open('boardCardTitle'); const divId = $(event.currentTarget.parentNode.parentNode).attr('id'); - console.log('current popup'); - console.log(this.currentPopupTriggerId); + //console.log('current popup'); + //console.log(this.currentPopupTriggerId); this.currentPopupTriggerId = divId; funct.call(this, event); }, diff --git a/client/lib/utils.js b/client/lib/utils.js index 051ec952..e2339763 100644 --- a/client/lib/utils.js +++ b/client/lib/utils.js @@ -220,7 +220,7 @@ Utils = { finalString += element.text().toLowerCase(); } else if (element.hasClass('user-details')) { let username = element.find('input').val(); - if(username == undefined || username == ''){ + if(username === undefined || username === ''){ username = '*'; } finalString += `${element.find('.trigger-text').text().toLowerCase() } ${ username}`; @@ -228,7 +228,7 @@ Utils = { finalString += element.find('select option:selected').text().toLowerCase(); } else if (element.find('input').length > 0) { let inputvalue = element.find('input').val(); - if(inputvalue == undefined || inputvalue == ''){ + if(inputvalue === undefined || inputvalue === ''){ inputvalue = '*'; } finalString += inputvalue; diff --git a/server/rulesHelper.js b/server/rulesHelper.js index c3a20c3b..ccb5cb3b 100644 --- a/server/rulesHelper.js +++ b/server/rulesHelper.js @@ -150,12 +150,12 @@ RulesHelper = { let listId = ''; let swimlaneId = ''; const swimlane = Swimlanes.findOne({title:action.swimlaneName, boardId}); - if(list == undefined){ + if(list === undefined){ listId = ''; }else{ listId = list._id; } - if(swimlane == undefined){ + if(swimlane === undefined){ swimlaneId = Swimlanes.findOne({title:'Default', boardId})._id; }else{ swimlaneId = swimlane._id; -- cgit v1.2.3-1-g7c22 From e198282b4dc07beed0f940c9c3eaa9d338c09459 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 4 Jan 2019 11:18:26 +0200 Subject: - Remove duplicate translation. Thanks to xet7 ! --- client/components/rules/triggers/boardTriggers.jade | 4 ++-- i18n/en.i18n.json | 1 - 2 files changed, 2 insertions(+), 3 deletions(-) diff --git a/client/components/rules/triggers/boardTriggers.jade b/client/components/rules/triggers/boardTriggers.jade index c39ff6d0..cd388e68 100644 --- a/client/components/rules/triggers/boardTriggers.jade +++ b/client/components/rules/triggers/boardTriggers.jade @@ -14,7 +14,7 @@ template(name="boardTriggers") div.trigger-dropdown input(id="create-list-name",type=text,placeholder="{{_'r-list-name'}}") div.trigger-text - | {{_'r-swimlane'}} + | {{_'r-in-swimlane'}} div.trigger-dropdown input(id="create-swimlane-name",type=text,placeholder="{{_'r-swimlane-name'}}") div.trigger-button.trigger-button-person.js-show-user-field @@ -62,7 +62,7 @@ template(name="boardTriggers") div.trigger-dropdown input(id="move-list-name",type=text,placeholder="{{_'r-list-name'}}") div.trigger-text - | {{_'r-swimlane'}} + | {{_'r-in-swimlane'}} div.trigger-dropdown input(id="create-swimlane-name",type=text,placeholder="{{_'r-swimlane-name'}}") div.trigger-button.trigger-button-person.js-show-user-field diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 6aa0335d..343d17c2 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -622,7 +622,6 @@ "r-with-items": "with items", "r-items-list": "item1,item2,item3", "r-add-swimlane": "Add swimlane", - "r-swimlane": "in swimlane", "r-swimlane-name": "swimlane name", "r-user-name": "username", "r-board-note": "Note: leave a field empty to match every possible value. ", -- cgit v1.2.3-1-g7c22 From 785bc2556eafede89efbd354f2e5c946df81d460 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 4 Jan 2019 11:26:38 +0200 Subject: - Merge duplicate translation. Thanks to xet7 ! --- client/components/rules/triggers/boardTriggers.jade | 8 ++++---- client/components/rules/triggers/cardTriggers.jade | 10 +++++----- client/components/rules/triggers/checklistTriggers.jade | 12 ++++++------ i18n/en.i18n.json | 1 - 4 files changed, 15 insertions(+), 16 deletions(-) diff --git a/client/components/rules/triggers/boardTriggers.jade b/client/components/rules/triggers/boardTriggers.jade index cd388e68..b8c11d69 100644 --- a/client/components/rules/triggers/boardTriggers.jade +++ b/client/components/rules/triggers/boardTriggers.jade @@ -23,7 +23,7 @@ template(name="boardTriggers") div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'username'}}") div.trigger-button.js-add-create-trigger.js-goto-action i.fa.fa-plus @@ -41,7 +41,7 @@ template(name="boardTriggers") div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'username'}}") div.trigger-button.js-add-gen-moved-trigger.js-goto-action i.fa.fa-plus @@ -72,7 +72,7 @@ template(name="boardTriggers") div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'username'}}") div.trigger-button.js-add-moved-trigger.js-goto-action i.fa.fa-plus @@ -94,7 +94,7 @@ template(name="boardTriggers") div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'username'}}") div.trigger-button.js-add-arch-trigger.js-goto-action i.fa.fa-plus diff --git a/client/components/rules/triggers/cardTriggers.jade b/client/components/rules/triggers/cardTriggers.jade index 54133451..4492502b 100644 --- a/client/components/rules/triggers/cardTriggers.jade +++ b/client/components/rules/triggers/cardTriggers.jade @@ -15,7 +15,7 @@ template(name="cardTriggers") div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'username'}}") div.trigger-button.js-add-gen-label-trigger.js-goto-action i.fa.fa-plus @@ -42,7 +42,7 @@ template(name="cardTriggers") div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'username'}}") div.trigger-button.js-add-spec-label-trigger.js-goto-action i.fa.fa-plus @@ -62,7 +62,7 @@ template(name="cardTriggers") div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'username'}}") div.trigger-button.js-add-gen-member-trigger.js-goto-action i.fa.fa-plus @@ -87,7 +87,7 @@ template(name="cardTriggers") div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'username'}}") div.trigger-button.js-add-spec-member-trigger.js-goto-action i.fa.fa-plus @@ -109,6 +109,6 @@ template(name="cardTriggers") div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'username'}}") div.trigger-button.js-add-attachment-trigger.js-goto-action i.fa.fa-plus diff --git a/client/components/rules/triggers/checklistTriggers.jade b/client/components/rules/triggers/checklistTriggers.jade index 8745b364..841ec6f7 100644 --- a/client/components/rules/triggers/checklistTriggers.jade +++ b/client/components/rules/triggers/checklistTriggers.jade @@ -15,7 +15,7 @@ template(name="checklistTriggers") div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'username'}}") div.trigger-button.js-add-gen-check-trigger.js-goto-action i.fa.fa-plus @@ -40,7 +40,7 @@ template(name="checklistTriggers") div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'username'}}") div.trigger-button.js-add-spec-check-trigger.js-goto-action i.fa.fa-plus @@ -58,7 +58,7 @@ template(name="checklistTriggers") div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'username'}}") div.trigger-button.js-add-gen-comp-trigger.js-goto-action i.fa.fa-plus @@ -80,7 +80,7 @@ template(name="checklistTriggers") div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'username'}}") div.trigger-button.js-add-spec-comp-trigger.js-goto-action i.fa.fa-plus @@ -98,7 +98,7 @@ template(name="checklistTriggers") div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'username'}}") div.trigger-button.js-add-gen-check-item-trigger.js-goto-action i.fa.fa-plus @@ -120,6 +120,6 @@ template(name="checklistTriggers") div.trigger-text | {{_'r-by'}} div.trigger-dropdown - input(class="user-name",type=text,placeholder="{{_'r-user-name'}}") + input(class="user-name",type=text,placeholder="{{_'username'}}") div.trigger-button.js-add-spec-check-item-trigger.js-goto-action i.fa.fa-plus diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 343d17c2..5e21f767 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -623,7 +623,6 @@ "r-items-list": "item1,item2,item3", "r-add-swimlane": "Add swimlane", "r-swimlane-name": "swimlane name", - "r-user-name": "username", "r-board-note": "Note: leave a field empty to match every possible value. ", "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-added-to": "added to", -- cgit v1.2.3-1-g7c22 From 3f698ca0125f578ba2a5ef20f953bd50c0fc035d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 4 Jan 2019 12:07:03 +0200 Subject: Update translations. --- i18n/ar.i18n.json | 22 ++++++++++++++++++---- i18n/bg.i18n.json | 22 ++++++++++++++++++---- i18n/br.i18n.json | 22 ++++++++++++++++++---- i18n/ca.i18n.json | 22 ++++++++++++++++++---- i18n/cs.i18n.json | 22 ++++++++++++++++++---- i18n/da.i18n.json | 22 ++++++++++++++++++---- i18n/de.i18n.json | 22 ++++++++++++++++++---- i18n/el.i18n.json | 22 ++++++++++++++++++---- i18n/en-GB.i18n.json | 22 ++++++++++++++++++---- i18n/eo.i18n.json | 22 ++++++++++++++++++---- i18n/es-AR.i18n.json | 22 ++++++++++++++++++---- i18n/es.i18n.json | 22 ++++++++++++++++++---- i18n/eu.i18n.json | 22 ++++++++++++++++++---- i18n/fa.i18n.json | 22 ++++++++++++++++++---- i18n/fi.i18n.json | 22 ++++++++++++++++++---- i18n/fr.i18n.json | 22 ++++++++++++++++++---- i18n/gl.i18n.json | 22 ++++++++++++++++++---- i18n/he.i18n.json | 22 ++++++++++++++++++---- i18n/hi.i18n.json | 22 ++++++++++++++++++---- i18n/hu.i18n.json | 22 ++++++++++++++++++---- i18n/hy.i18n.json | 22 ++++++++++++++++++---- i18n/id.i18n.json | 22 ++++++++++++++++++---- i18n/ig.i18n.json | 22 ++++++++++++++++++---- i18n/it.i18n.json | 22 ++++++++++++++++++---- i18n/ja.i18n.json | 22 ++++++++++++++++++---- i18n/ka.i18n.json | 22 ++++++++++++++++++---- i18n/km.i18n.json | 22 ++++++++++++++++++---- i18n/ko.i18n.json | 22 ++++++++++++++++++---- i18n/lv.i18n.json | 22 ++++++++++++++++++---- i18n/mn.i18n.json | 22 ++++++++++++++++++---- i18n/nb.i18n.json | 22 ++++++++++++++++++---- i18n/nl.i18n.json | 22 ++++++++++++++++++---- i18n/pl.i18n.json | 22 ++++++++++++++++++---- i18n/pt-BR.i18n.json | 22 ++++++++++++++++++---- i18n/pt.i18n.json | 22 ++++++++++++++++++---- i18n/ro.i18n.json | 22 ++++++++++++++++++---- i18n/ru.i18n.json | 22 ++++++++++++++++++---- i18n/sr.i18n.json | 22 ++++++++++++++++++---- i18n/sv.i18n.json | 22 ++++++++++++++++++---- i18n/sw.i18n.json | 22 ++++++++++++++++++---- i18n/ta.i18n.json | 22 ++++++++++++++++++---- i18n/th.i18n.json | 22 ++++++++++++++++++---- i18n/tr.i18n.json | 22 ++++++++++++++++++---- i18n/uk.i18n.json | 22 ++++++++++++++++++---- i18n/vi.i18n.json | 22 ++++++++++++++++++---- i18n/zh-CN.i18n.json | 22 ++++++++++++++++++---- i18n/zh-TW.i18n.json | 22 ++++++++++++++++++---- 47 files changed, 846 insertions(+), 188 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index a2692e96..c2a484bd 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "أنتَ لا تملك الصلاحيات لرؤية هذه الصفحة.", "outgoing-webhooks": "الويبهوك الصادرة", "outgoingWebhooksPopup-title": "الويبهوك الصادرة", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "ويبهوك جديدة ", "no-name": "(غير معروف)", "Node_version": "إصدار النود", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index f26a29c5..e396bc8b 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "You are not authorized to view this page.", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", "Node_version": "Версия на Node", @@ -537,11 +538,14 @@ "r-delete-rule": "Изтрий правилото", "r-new-rule-name": "Заглавие за новото правило", "r-no-rules": "Няма правила", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index 3a94b649..ef2d0636 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "You are not authorized to view this page.", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", "Node_version": "Node version", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index d39c6597..44e80a62 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "No estau autoritzats per veure aquesta pàgina", "outgoing-webhooks": "Webhooks sortints", "outgoingWebhooksPopup-title": "Webhooks sortints", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "Nou Webook sortint", "no-name": "Importa tauler des de Wekan", "Node_version": "Versió Node", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 3f712447..ec2d993d 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "Nejste autorizován k prohlížení této stránky.", "outgoing-webhooks": "Odchozí Webhooky", "outgoingWebhooksPopup-title": "Odchozí Webhooky", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "Nové odchozí Webhooky", "no-name": "(Neznámé)", "Node_version": "Node verze", @@ -537,11 +538,14 @@ "r-delete-rule": "Smazat pravidlo", "r-new-rule-name": "New rule title", "r-no-rules": "Žádná pravidla", - "r-when-a-card-is": "Pokud je karta", - "r-added-to": "Přidáno do", + "r-when-a-card": "When a card", + "r-is": "je", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Odstraněno z", "r-the-board": "the board", "r-list": "sloupce", + "set-filter": "Set Filter", "r-moved-to": "Přesunuto do", "r-moved-from": "Přesunuto z", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "karta", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "Název sloupce", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "je", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "Když zaškrtávací seznam je", "r-when-the-checklist": "Když zaškrtávací seznam", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Přidat štítek", "r-d-remove-label": "Odstranit štítek", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Přidat člena", "r-d-remove-member": "Odstranit člena", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "ze zaškrtávacího seznamu", "r-d-add-checklist": "Přidat zaškrtávací seznam", "r-d-remove-checklist": "Odstranit zaškrtávací seznam", + "r-by": "by", + "r-add-checklist": "Přidat zaškrtávací seznam", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "Když je karta přesunuta do jiného sloupce", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/da.i18n.json b/i18n/da.i18n.json index f73389d1..d19fd2e7 100644 --- a/i18n/da.i18n.json +++ b/i18n/da.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "You are not authorized to view this page.", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", "Node_version": "Node version", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index c8ea8804..80d6aadc 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "Sie sind nicht berechtigt diese Seite zu sehen.", "outgoing-webhooks": "Ausgehende Webhooks", "outgoingWebhooksPopup-title": "Ausgehende Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "Neuer ausgehender Webhook", "no-name": "(Unbekannt)", "Node_version": "Node-Version", @@ -537,11 +538,14 @@ "r-delete-rule": "Regel löschen", "r-new-rule-name": "Neuer Regeltitel", "r-no-rules": "Keine Regeln", - "r-when-a-card-is": "Wenn eine Karte ist", - "r-added-to": "Hinzugefügt zu", + "r-when-a-card": "When a card", + "r-is": "ist", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Entfernt von", "r-the-board": "das Board", "r-list": "Liste", + "set-filter": "Set Filter", "r-moved-to": "Verschieben nach", "r-moved-from": "Verschieben von", "r-archived": "Ins Archiv verschieben", @@ -549,11 +553,10 @@ "r-a-card": "eine Karte", "r-when-a-label-is": "Wenn ein Label ist", "r-when-the-label-is": " Wenn das Label ist", - "r-list-name": "Listennamen", + "r-list-name": "list name", "r-when-a-member": "Wenn ein Mitglied ist", "r-when-the-member": "Wenn das Mitglied", "r-name": "Name", - "r-is": "ist", "r-when-a-attach": "Wenn ein Anhang", "r-when-a-checklist": "Wenn eine Checkliste ist", "r-when-the-checklist": "Wenn die Checkliste", @@ -599,6 +602,9 @@ "r-d-unarchive": "Karte aus dem Archiv wiederherstellen", "r-d-add-label": "Label hinzufügen", "r-d-remove-label": "Label entfernen", + "r-create-card": "Create new card", + "r-in-list": "in der Liste", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Mitglied hinzufügen", "r-d-remove-member": "Mitglied entfernen", "r-d-remove-all-member": "Entferne alle Mitglieder", @@ -609,6 +615,14 @@ "r-d-check-of-list": "der Checkliste", "r-d-add-checklist": "Checkliste hinzufügen", "r-d-remove-checklist": "Checkliste entfernen", + "r-by": "by", + "r-add-checklist": "Checkliste hinzufügen", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "Wenn eine Karte in eine andere Liste verschoben wird", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 5fafb43e..5a9558bd 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "You are not authorized to view this page.", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Άγνωστο)", "Node_version": "Node version", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 0899b113..a2e32365 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "You are not authorised to view this page.", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", "Node_version": "Node version", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index 4fdb7fab..fc418b11 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "You are not authorized to view this page.", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", "Node_version": "Node version", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index 0b854479..d01d25a3 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "No estás autorizado para ver esta página.", "outgoing-webhooks": "Ganchos Web Salientes", "outgoingWebhooksPopup-title": "Ganchos Web Salientes", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "Nuevo Gancho Web", "no-name": "(desconocido)", "Node_version": "Versión de Node", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 7d37a331..c49941c7 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "No estás autorizado a ver esta página.", "outgoing-webhooks": "Webhooks salientes", "outgoingWebhooksPopup-title": "Webhooks salientes", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "Nuevo webhook saliente", "no-name": "(Desconocido)", "Node_version": "Versión de Node", @@ -537,11 +538,14 @@ "r-delete-rule": "Eliminar regla", "r-new-rule-name": "Nueva título de regla", "r-no-rules": "No hay reglas", - "r-when-a-card-is": "Cuando una tarjeta es", - "r-added-to": "Añadido a", + "r-when-a-card": "When a card", + "r-is": "es", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Eliminado de", "r-the-board": "el tablero", "r-list": "lista", + "set-filter": "Set Filter", "r-moved-to": "Movido a", "r-moved-from": "Movido desde", "r-archived": "Movido a Archivo", @@ -549,11 +553,10 @@ "r-a-card": "una tarjeta", "r-when-a-label-is": "Cuando una etiqueta es", "r-when-the-label-is": "Cuando la etiqueta es", - "r-list-name": "Nombre de lista", + "r-list-name": "list name", "r-when-a-member": "Cuando un miembro es", "r-when-the-member": "Cuando el miembro", "r-name": "nombre", - "r-is": "es", "r-when-a-attach": "Cuando un adjunto", "r-when-a-checklist": "Cuando una lista de verificación es", "r-when-the-checklist": "Cuando la lista de verificación", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restaurar tarjeta del Archivo", "r-d-add-label": "Añadir etiqueta", "r-d-remove-label": "Eliminar etiqueta", + "r-create-card": "Create new card", + "r-in-list": "en la lista", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Añadir miembro", "r-d-remove-member": "Eliminar miembro", "r-d-remove-all-member": "Eliminar todos los miembros", @@ -609,6 +615,14 @@ "r-d-check-of-list": "de la lista de verificación", "r-d-add-checklist": "Añadir una lista de verificación", "r-d-remove-checklist": "Eliminar lista de verificación", + "r-by": "by", + "r-add-checklist": "Añadir una lista de verificación", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "Cuando una tarjeta es movida a otra lista", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index e12e0f19..b2314da7 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "Ez duzu orri hau ikusteko baimenik.", "outgoing-webhooks": "Irteerako Webhook-ak", "outgoingWebhooksPopup-title": "Irteerako Webhook-ak", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "Irteera-webhook berria", "no-name": "(Ezezaguna)", "Node_version": "Nodo bertsioa", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index f46e9cfc..e0341907 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "شما مجاز به دیدن این صفحه نیستید.", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(ناشناخته)", "Node_version": "نسخه Node ", @@ -537,11 +538,14 @@ "r-delete-rule": "حذف قانون", "r-new-rule-name": "تیتر قانون جدید", "r-no-rules": "بدون قانون", - "r-when-a-card-is": "زمانی که کارت هست", - "r-added-to": "افزودن به", + "r-when-a-card": "When a card", + "r-is": "هست", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "حذف از", "r-the-board": "برد", "r-list": "لیست", + "set-filter": "Set Filter", "r-moved-to": "انتقال به", "r-moved-from": "انتقال از", "r-archived": "انتقال به آرشیو", @@ -549,11 +553,10 @@ "r-a-card": "کارت", "r-when-a-label-is": "زمانی که لیبل هست", "r-when-the-label-is": "زمانی که لیبل هست", - "r-list-name": "نام لیست", + "r-list-name": "list name", "r-when-a-member": "زمانی که کاربر هست", "r-when-the-member": "زمانی که کاربر", "r-name": "نام", - "r-is": "هست", "r-when-a-attach": "زمانی که ضمیمه", "r-when-a-checklist": "زمانی که چک لیست هست", "r-when-the-checklist": "زمانی که چک لیست", @@ -599,6 +602,9 @@ "r-d-unarchive": "بازگردانی کارت از آرشیو", "r-d-add-label": "افزودن برچسب", "r-d-remove-label": "حذف برچسب", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "افزودن عضو", "r-d-remove-member": "حذف عضو", "r-d-remove-all-member": "حذف تمامی کاربران", @@ -609,6 +615,14 @@ "r-d-check-of-list": "از چک لیست", "r-d-add-checklist": "افزودن چک لیست", "r-d-remove-checklist": "حذف چک لیست", + "r-by": "by", + "r-add-checklist": "افزودن چک لیست", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "دمانی که یک کارت به لیست دیگری منتقل شد", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 9f2432b4..a5090959 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "Sinulla ei ole oikeutta tarkastella tätä sivua.", "outgoing-webhooks": "Lähtevät Webkoukut", "outgoingWebhooksPopup-title": "Lähtevät Webkoukut", + "boardCardTitlePopup-title": "Kortin otsikko suodatin", "new-outgoing-webhook": "Uusi lähtevä Webkoukku", "no-name": "(Tuntematon)", "Node_version": "Node versio", @@ -537,11 +538,14 @@ "r-delete-rule": "Poista sääntö", "r-new-rule-name": "Uuden säännön otsikko", "r-no-rules": "Ei sääntöjä", - "r-when-a-card-is": "Kun kortti on", - "r-added-to": "Lisätty kohteeseen", + "r-when-a-card": "Kun kortti", + "r-is": "on", + "r-is-moved": "on siirretty", + "r-added-to": "lisätty kohteeseen", "r-removed-from": "Poistettu kohteesta", "r-the-board": "taulu", "r-list": "lista", + "set-filter": "Aseta suodatin", "r-moved-to": "Siirretty kohteeseen", "r-moved-from": "Siirretty kohteesta", "r-archived": "Siirretty Arkistoon", @@ -549,11 +553,10 @@ "r-a-card": "kortti", "r-when-a-label-is": "Kun tunniste on", "r-when-the-label-is": "Kun tunniste on", - "r-list-name": "Listan nimi", + "r-list-name": "listan nimi", "r-when-a-member": "Kun jäsen on", "r-when-the-member": "Kun käyttäjä", "r-name": "nimi", - "r-is": "on", "r-when-a-attach": "Kun liitetiedosto", "r-when-a-checklist": "Kun tarkistuslista on", "r-when-the-checklist": "Kun tarkistuslista", @@ -599,6 +602,9 @@ "r-d-unarchive": "Palauta kortti Arkistosta", "r-d-add-label": "Lisää tunniste", "r-d-remove-label": "Poista tunniste", + "r-create-card": "Luo uusi kortti", + "r-in-list": "listassa", + "r-in-swimlane": "swimlanessa", "r-d-add-member": "Lisää jäsen", "r-d-remove-member": "Poista jäsen", "r-d-remove-all-member": "Poista kaikki jäsenet", @@ -609,6 +615,14 @@ "r-d-check-of-list": "tarkistuslistasta", "r-d-add-checklist": "Lisää tarkistuslista", "r-d-remove-checklist": "Poista tarkistuslista", + "r-by": "mennessä", + "r-add-checklist": "Lisää tarkistuslista", + "r-with-items": "kohteiden kanssa", + "r-items-list": "kohde1,kohde2,kohde3", + "r-add-swimlane": "Lisää swimlane", + "r-swimlane-name": "swimlanen nimi", + "r-board-note": "Huom: jätä kenttä tyhjäksi täsmätäksesi jokaiseen mahdolliseen arvoon.", + "r-checklist-note": "Huom: tarkistuslistan kohteet täytyy kirjoittaa pilkulla eroteltuina.", "r-when-a-card-is-moved": "Kun kortti on siirretty toiseen listaan", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index db70770d..8f86aace 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "Vous n'êtes pas autorisé à accéder à cette page.", "outgoing-webhooks": "Webhooks sortants", "outgoingWebhooksPopup-title": "Webhooks sortants", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "Nouveau webhook sortant", "no-name": "(Inconnu)", "Node_version": "Version de Node", @@ -537,11 +538,14 @@ "r-delete-rule": "Supprimer la règle", "r-new-rule-name": "Titre de la nouvelle règle", "r-no-rules": "Pas de règles", - "r-when-a-card-is": "Quand une carte est", - "r-added-to": "Ajouté à", + "r-when-a-card": "When a card", + "r-is": "est", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Supprimé de", "r-the-board": "tableau", "r-list": "liste", + "set-filter": "Set Filter", "r-moved-to": "Déplacé vers", "r-moved-from": "Déplacé depuis", "r-archived": "Archivé", @@ -549,11 +553,10 @@ "r-a-card": "carte", "r-when-a-label-is": "Quand une étiquette est", "r-when-the-label-is": "Quand l'étiquette est", - "r-list-name": "Nom de la liste", + "r-list-name": "list name", "r-when-a-member": "Quand un membre est", "r-when-the-member": "Quand le membre", "r-name": "nom", - "r-is": "est", "r-when-a-attach": "Quand une pièce jointe", "r-when-a-checklist": "Quand une checklist est", "r-when-the-checklist": "Quand la checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restaurer la carte depuis l'Archive", "r-d-add-label": "Ajouter une étiquette", "r-d-remove-label": "Supprimer l'étiquette", + "r-create-card": "Create new card", + "r-in-list": "dans la liste", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Ajouter un membre", "r-d-remove-member": "Supprimer un membre", "r-d-remove-all-member": "Supprimer tous les membres", @@ -609,6 +615,14 @@ "r-d-check-of-list": "de la checklist", "r-d-add-checklist": "Ajouter une checklist", "r-d-remove-checklist": "Supprimer la checklist", + "r-by": "by", + "r-add-checklist": "Ajouter une checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "Quand une carte est déplacée vers une autre liste", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 4a16edff..746133a8 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "You are not authorized to view this page.", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", "Node_version": "Node version", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 4f8493b1..cf09761e 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "אין לך הרשאה לצפות בעמוד זה.", "outgoing-webhooks": "קרסי רשת יוצאים", "outgoingWebhooksPopup-title": "קרסי רשת יוצאים", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "קרסי רשת יוצאים חדשים", "no-name": "(לא ידוע)", "Node_version": "גרסת Node", @@ -537,11 +538,14 @@ "r-delete-rule": "מחיקת כל", "r-new-rule-name": "שמו של הכלל החדש", "r-no-rules": "אין כללים", - "r-when-a-card-is": "כאשר כרטיס", - "r-added-to": "נוסף אל", + "r-when-a-card": "When a card", + "r-is": "הוא", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "מוסר מ־", "r-the-board": "הלוח", "r-list": "רשימה", + "set-filter": "Set Filter", "r-moved-to": "מועבר אל", "r-moved-from": "מועבר מ־", "r-archived": "הועבר לארכיון", @@ -549,11 +553,10 @@ "r-a-card": "כרטיס", "r-when-a-label-is": "כאשר תווית", "r-when-the-label-is": "כאשר התווית היא", - "r-list-name": "שם הרשימה", + "r-list-name": "list name", "r-when-a-member": "כאשר חבר הוא", "r-when-the-member": "כאשר חבר", "r-name": "שם", - "r-is": "הוא", "r-when-a-attach": "כאשר קובץ מצורף", "r-when-a-checklist": "כאשר רשימת משימות", "r-when-the-checklist": "כאשר רשימת המשימות", @@ -599,6 +602,9 @@ "r-d-unarchive": "החזרת כרטיס מהארכיון", "r-d-add-label": "הוספת תווית", "r-d-remove-label": "הסרת תווית", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "הוספת חבר", "r-d-remove-member": "הסרת חבר", "r-d-remove-all-member": "הסרת כל החברים", @@ -609,6 +615,14 @@ "r-d-check-of-list": "של רשימת משימות", "r-d-add-checklist": "הוספת רשימת משימות", "r-d-remove-checklist": "הסרת רשימת משימות", + "r-by": "by", + "r-add-checklist": "הוספת רשימת משימות", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "כאשר כרטיס מועבר לרשימה אחרת", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/hi.i18n.json b/i18n/hi.i18n.json index ea4276d0..165ccca9 100644 --- a/i18n/hi.i18n.json +++ b/i18n/hi.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "You are not authorized तक आलोकन यह page.", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", "Node_version": "Node version", @@ -537,11 +538,14 @@ "r-delete-rule": "मिटाएँ rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "जब एक कार्ड is", - "r-added-to": "संकलित to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "हटा दिया from", "r-the-board": "the बोर्ड", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "स्थानांतरित to", "r-moved-from": "स्थानांतरित from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a कार्ड", "r-when-a-label-is": "जब एक नामपत्र है", "r-when-the-label-is": "जब नामपत्र है", - "r-list-name": "सूची name", + "r-list-name": "list name", "r-when-a-member": "जब एक सदस्य is", "r-when-the-member": "जब the सदस्य", "r-name": "name", - "r-is": "is", "r-when-a-attach": "जब an संलग्नक", "r-when-a-checklist": "जब एक चिह्नांकन-सूची is", "r-when-the-checklist": "जब the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "जोड़ें label", "r-d-remove-label": "हटाएँ label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "जोड़ें सदस्य", "r-d-remove-member": "हटाएँ सदस्य", "r-d-remove-all-member": "हटाएँ संपूर्ण सदस्य", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "जोड़ें checklist", "r-d-remove-checklist": "हटाएँ checklist", + "r-by": "by", + "r-add-checklist": "जोड़ें checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "जब एक कार्ड is स्थानांतरित तक another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index 0fc4d4ea..f04eaf03 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "Nincs jogosultsága az oldal megtekintéséhez.", "outgoing-webhooks": "Kimenő webhurkok", "outgoingWebhooksPopup-title": "Kimenő webhurkok", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "Új kimenő webhurok", "no-name": "(Ismeretlen)", "Node_version": "Node verzió", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index a0d91b42..6c48bcfa 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "You are not authorized to view this page.", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", "Node_version": "Node version", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index e83a7c74..c7788f93 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "You are not authorized to view this page.", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", "Node_version": "Node version", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Tambahkan label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index bbbbcc6d..3e1298b0 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "You are not authorized to view this page.", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", "Node_version": "Node version", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 2b7c1e6b..1feffb8b 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "Non sei autorizzato ad accedere a questa pagina.", "outgoing-webhooks": "Server esterni", "outgoingWebhooksPopup-title": "Server esterni", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "Nuovo webhook in uscita", "no-name": "(Sconosciuto)", "Node_version": "Versione di Node", @@ -537,11 +538,14 @@ "r-delete-rule": "Cancella regola", "r-new-rule-name": "Titolo nuova regola", "r-no-rules": "Nessuna regola", - "r-when-a-card-is": "Quando la tessera è", - "r-added-to": "Aggiunta a", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Rimosso da", "r-the-board": "Il cruscotto", "r-list": "lista", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Aggiungi etichetta", "r-d-remove-label": "Rimuovi Etichetta", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Aggiungi membro", "r-d-remove-member": "Rimuovi membro", "r-d-remove-all-member": "Rimouvi tutti i membri", @@ -609,6 +615,14 @@ "r-d-check-of-list": "della lista di cose da fare", "r-d-add-checklist": "Aggiungi lista di cose da fare", "r-d-remove-checklist": "Rimuovi check list", + "r-by": "by", + "r-add-checklist": "Aggiungi lista di cose da fare", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "Quando una scheda viene spostata su un'altra lista", "ldap": "LDAP", "oauth2": "Oauth2", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 2091a594..ea18d714 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "このページを参照する権限がありません。", "outgoing-webhooks": "発信Webフック", "outgoingWebhooksPopup-title": "発信Webフック", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "発信Webフックの作成", "no-name": "(Unknown)", "Node_version": "Nodeバージョン", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "リスト:", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index d538eae8..7e2e8d47 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "თქვენ არ გაქვთ ამ გვერდის ნახვის უფლება", "outgoing-webhooks": "გამავალი Webhook", "outgoingWebhooksPopup-title": "გამავალი Webhook", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(უცნობი)", "Node_version": "Node ვერსია", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index e8d35789..510b5ea3 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "You are not authorized to view this page.", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", "Node_version": "Node version", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index 91065b35..90dbd71e 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "이 페이지를 볼 수있는 권한이 없습니다.", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", "Node_version": "Node version", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "목록에", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 999335a5..0546f280 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "You are not authorized to view this page.", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", "Node_version": "Node version", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index 647358fa..a1a8da25 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "You are not authorized to view this page.", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", "Node_version": "Node version", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index 77f1d200..25f04af4 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "You are not authorized to view this page.", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", "Node_version": "Node version", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 96ed163c..657c2e4c 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "Je bent niet toegestaan om deze pagina te bekijken.", "outgoing-webhooks": "Uitgaande Webhooks", "outgoingWebhooksPopup-title": "Uitgaande Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "Nieuwe webhook", "no-name": "(Onbekend)", "Node_version": "Node versie", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 9c2e2ef0..c32096e2 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "Nie jesteś uprawniony do przeglądania tej strony.", "outgoing-webhooks": "Wychodzące webhooki", "outgoingWebhooksPopup-title": "Wychodzące webhooki", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "Nowy wychodzący webhook", "no-name": "(nieznany)", "Node_version": "Wersja Node", @@ -537,11 +538,14 @@ "r-delete-rule": "Usuń regułę", "r-new-rule-name": "Nowa nazwa reguły", "r-no-rules": "Brak regułę", - "r-when-a-card-is": "Gdy karta jest", - "r-added-to": "Dodano do", + "r-when-a-card": "When a card", + "r-is": "jest", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Usunięto z", "r-the-board": "tablicy", "r-list": "lista", + "set-filter": "Set Filter", "r-moved-to": "Przeniesiono do", "r-moved-from": "Przeniesiono z", "r-archived": "Przeniesione z Archiwum", @@ -549,11 +553,10 @@ "r-a-card": "karta", "r-when-a-label-is": "Gdy etykieta jest", "r-when-the-label-is": "Gdy etykieta jest", - "r-list-name": "Nazwa listy", + "r-list-name": "list name", "r-when-a-member": "Gdy członek jest", "r-when-the-member": "Gdy członek jest", "r-name": "nazwa", - "r-is": "jest", "r-when-a-attach": "Gdy załącznik", "r-when-a-checklist": "Gdy lista zadań jest", "r-when-the-checklist": "Gdy lista zadań", @@ -599,6 +602,9 @@ "r-d-unarchive": "Przywróć kartę z Archiwum", "r-d-add-label": "Dodaj etykietę", "r-d-remove-label": "Usuń etykietę", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Dodaj członka", "r-d-remove-member": "Usuń członka", "r-d-remove-all-member": "Usuń wszystkich członków", @@ -609,6 +615,14 @@ "r-d-check-of-list": "z listy zadań", "r-d-add-checklist": "Dodaj listę zadań", "r-d-remove-checklist": "Usuń listę zadań", + "r-by": "by", + "r-add-checklist": "Dodaj listę zadań", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "Gdy karta jest przeniesiona do innej listy", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 065df77e..9244ca25 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "Você não está autorizado à ver esta página.", "outgoing-webhooks": "Webhook de saída", "outgoingWebhooksPopup-title": "Webhook de saída", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "Novo Webhook de saída", "no-name": "(Desconhecido)", "Node_version": "Versão do Node", @@ -537,11 +538,14 @@ "r-delete-rule": "Excluir regra", "r-new-rule-name": "Título da nova regra", "r-no-rules": "Sem regras", - "r-when-a-card-is": "Quando um cartão é", - "r-added-to": "Adicionado para", + "r-when-a-card": "When a card", + "r-is": "é", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removido de", "r-the-board": "o quadro", "r-list": "lista", + "set-filter": "Set Filter", "r-moved-to": "Movido para", "r-moved-from": "Movido de", "r-archived": "Movido para o Arquivo-morto", @@ -549,11 +553,10 @@ "r-a-card": "um cartão", "r-when-a-label-is": "Quando uma etiqueta é", "r-when-the-label-is": "Quando a etiqueta é", - "r-list-name": "Listar nome", + "r-list-name": "list name", "r-when-a-member": "Quando um membro é", "r-when-the-member": "Quando o membro", "r-name": "nome", - "r-is": "é", "r-when-a-attach": "Quando um anexo", "r-when-a-checklist": "Quando a lista de verificação é", "r-when-the-checklist": "Quando a lista de verificação", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restaurar cartão do Arquivo-morto", "r-d-add-label": "Adicionar etiqueta", "r-d-remove-label": "Remover etiqueta", + "r-create-card": "Create new card", + "r-in-list": "na lista", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Adicionar membro", "r-d-remove-member": "Remover membro", "r-d-remove-all-member": "Remover todos os membros", @@ -609,6 +615,14 @@ "r-d-check-of-list": "da lista de verificação", "r-d-add-checklist": "Adicionar lista de verificação", "r-d-remove-checklist": "Remover lista de verificação", + "r-by": "by", + "r-add-checklist": "Adicionar lista de verificação", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "Quando um cartão é movido de outra lista", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index fc98a27b..80ec412a 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "You are not authorized to view this page.", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", "Node_version": "Node version", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index a54e1fa0..e8bdc604 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "You are not authorized to view this page.", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", "Node_version": "Node version", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 7eda08cc..422ce077 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "У вас нет доступа на просмотр этой страницы.", "outgoing-webhooks": "Исходящие Веб-хуки", "outgoingWebhooksPopup-title": "Исходящие Веб-хуки", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "Новый исходящий Веб-хук", "no-name": "(Неизвестный)", "Node_version": "Версия NodeJS", @@ -537,11 +538,14 @@ "r-delete-rule": "Удалить правило", "r-new-rule-name": "Имя нового правила", "r-no-rules": "Нет правил", - "r-when-a-card-is": "Когда карточка", - "r-added-to": "Добавляется в", + "r-when-a-card": "When a card", + "r-is": " ", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Покидает", "r-the-board": "доску", "r-list": "список", + "set-filter": "Set Filter", "r-moved-to": "Перемещается в", "r-moved-from": "Покидает", "r-archived": "Перемещена в архив", @@ -549,11 +553,10 @@ "r-a-card": "карточку", "r-when-a-label-is": "Когда метка", "r-when-the-label-is": "Когда метка", - "r-list-name": "имя", + "r-list-name": "list name", "r-when-a-member": "Когда участник", "r-when-the-member": "Когда участник", "r-name": "имя", - "r-is": " ", "r-when-a-attach": "Когда вложение", "r-when-a-checklist": "Когда контрольный список", "r-when-the-checklist": "Когда контрольный список", @@ -599,6 +602,9 @@ "r-d-unarchive": "Восстановить карточку из Архива", "r-d-add-label": "Добавить метку", "r-d-remove-label": "Удалить метку", + "r-create-card": "Create new card", + "r-in-list": "в списке", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Добавить участника", "r-d-remove-member": "Удалить участника", "r-d-remove-all-member": "Удалить всех участников", @@ -609,6 +615,14 @@ "r-d-check-of-list": "контрольного списка", "r-d-add-checklist": "Добавить контрольный список", "r-d-remove-checklist": "Удалить контрольный список", + "r-by": "by", + "r-add-checklist": "Добавить контрольный список", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "Когда карточка перемещена в другой список", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index 7816ca29..d8d80162 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "You are not authorized to view this page.", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", "Node_version": "Node version", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 87da07f9..56158a71 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "Du är inte behörig att se den här sidan.", "outgoing-webhooks": "Utgående Webhookar", "outgoingWebhooksPopup-title": "Utgående Webhookar", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "Ny utgående webhook", "no-name": "(Okänd)", "Node_version": "Nodversion", @@ -537,11 +538,14 @@ "r-delete-rule": "Ta bort regel", "r-new-rule-name": "New rule title", "r-no-rules": "Inga regler", - "r-when-a-card-is": "När ett kort är", - "r-added-to": "Tillagd till", + "r-when-a-card": "When a card", + "r-is": "är", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Borttagen från", "r-the-board": "anslagstavlan", "r-list": "lista", + "set-filter": "Set Filter", "r-moved-to": "Flyttad till", "r-moved-from": "Flyttad från", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "ett kort", "r-when-a-label-is": "När en etikett är", "r-when-the-label-is": "När etiketten är", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "När en medlem är", "r-when-the-member": "När medlemmen", "r-name": "namn", - "r-is": "är", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Lägg till etikett", "r-d-remove-label": "Ta bort etikett", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Lägg till medlem", "r-d-remove-member": "Ta bort medlem", "r-d-remove-all-member": "Ta bort alla medlemmar", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Lägg till checklista", "r-d-remove-checklist": "Ta bort checklista", + "r-by": "by", + "r-add-checklist": "Lägg till checklista", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/sw.i18n.json b/i18n/sw.i18n.json index be53203f..03e7d57b 100644 --- a/i18n/sw.i18n.json +++ b/i18n/sw.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "You are not authorized to view this page.", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", "Node_version": "Node version", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index 460f1f12..75e606a4 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "You are not authorized to view this page.", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", "Node_version": "Node version", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index 21965a72..39368515 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "You are not authorized to view this page.", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", "Node_version": "Node version", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index bf2d99ac..220fc9d2 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "Bu sayfayı görmek için yetkiniz yok.", "outgoing-webhooks": "Dışarı giden bağlantılar", "outgoingWebhooksPopup-title": "Dışarı giden bağlantılar", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "Yeni Dışarı Giden Web Bağlantısı", "no-name": "(Bilinmeyen)", "Node_version": "Node sürümü", @@ -537,11 +538,14 @@ "r-delete-rule": "Kuralı sil", "r-new-rule-name": "Yeni kural başlığı", "r-no-rules": "Kural yok", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "pano", "r-list": "liste", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Arşive taşındı", @@ -549,11 +553,10 @@ "r-a-card": "Kart", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "Liste İsmi", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "isim", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Kartı arşivden geri yükle", "r-d-add-label": "Etiket ekle", "r-d-remove-label": "Etiketi kaldır", + "r-create-card": "Create new card", + "r-in-list": ", listesinde", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Üye Ekle", "r-d-remove-member": "Üye Sil", "r-d-remove-all-member": "Tüm Üyeleri Sil", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Kontrol listesine ekle", "r-d-remove-checklist": "Kontrol listesini kaldır", + "r-by": "by", + "r-add-checklist": "Kontrol listesine ekle", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "Oauth2", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 0c2ebbc2..2bea1d31 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "You are not authorized to view this page.", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", "Node_version": "Node version", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index 4a9aaeb9..7cf7b840 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "You are not authorized to view this page.", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", "Node_version": "Node version", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 35e9c280..0227f2ee 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "您无权查看此页面。", "outgoing-webhooks": "外部Web挂钩", "outgoingWebhooksPopup-title": "外部Web挂钩", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "新建外部Web挂钩", "no-name": "(未知)", "Node_version": "Node.js版本", @@ -537,11 +538,14 @@ "r-delete-rule": "删除规则", "r-new-rule-name": "新建规则标题", "r-no-rules": "暂无规则", - "r-when-a-card-is": "当卡片是", - "r-added-to": "添加到", + "r-when-a-card": "When a card", + "r-is": "是", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "已移除", "r-the-board": "该看板", "r-list": "列表", + "set-filter": "Set Filter", "r-moved-to": "移至", "r-moved-from": "已移动", "r-archived": "已移动到归档", @@ -549,11 +553,10 @@ "r-a-card": "一个卡片", "r-when-a-label-is": "当一个标签是", "r-when-the-label-is": "当该标签是", - "r-list-name": "列表名称", + "r-list-name": "list name", "r-when-a-member": "当一个成员是", "r-when-the-member": "当该成员", "r-name": "名称", - "r-is": "是", "r-when-a-attach": "当一个附件", "r-when-a-checklist": "当一个清单是", "r-when-the-checklist": "当该清单", @@ -599,6 +602,9 @@ "r-d-unarchive": "从归档中恢复卡片", "r-d-add-label": "添加标签", "r-d-remove-label": "移除标签", + "r-create-card": "Create new card", + "r-in-list": "在列表中", + "r-in-swimlane": "in swimlane", "r-d-add-member": "添加成员", "r-d-remove-member": "移除成员", "r-d-remove-all-member": "移除所有成员", @@ -609,6 +615,14 @@ "r-d-check-of-list": "清单的", "r-d-add-checklist": "添加待办清单", "r-d-remove-checklist": "移动待办清单", + "r-by": "by", + "r-add-checklist": "添加待办清单", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "当移动卡片到另一个列表时", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index b2e7136a..2305ce7d 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -467,6 +467,7 @@ "error-notAuthorized": "沒有適合的權限觀看", "outgoing-webhooks": "設定 Webhooks", "outgoingWebhooksPopup-title": "設定 Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", "Node_version": "Node 版本", @@ -537,11 +538,14 @@ "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", "r-no-rules": "No rules", - "r-when-a-card-is": "When a card is", - "r-added-to": "Added to", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "the board", "r-list": "list", + "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Moved to Archive", @@ -549,11 +553,10 @@ "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "List name", + "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "name", - "r-is": "is", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -599,6 +602,9 @@ "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", "r-d-add-member": "Add member", "r-d-remove-member": "Remove member", "r-d-remove-all-member": "Remove all member", @@ -609,6 +615,14 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Add checklist", "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", "ldap": "LDAP", "oauth2": "OAuth2", -- cgit v1.2.3-1-g7c22 From ff65b37336689afa87f1e1dcf0cea8a5cd60311f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 4 Jan 2019 12:17:05 +0200 Subject: v1.99 --- CHANGELOG.md | 17 +++++++++++++++-- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 19 insertions(+), 6 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index e59520e2..e62c49a6 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,13 @@ +# v1.99 2019-01-04 Wekan release + +This release adds the following new features: + +- [IFTTT Rules improvements](https://github.com/wekan/wekan/pull/2088). Thanks to Angtrim. +- Add [find.sh](https://github.com/wekan/wekan/blob/devel/find.sh) bash script that ignores + extra directories when searching. xet7 uses this a lot when developing. Thanks to xet7. + +Thanks to above GitHub users for their contributions. + # v1.98 2019-01-01 Wekan release This release adds the following new features: @@ -32,8 +42,9 @@ This release adds the following new features: and tries to fix following bugs: -- Revert "Improve authentication" and "Default Authentication Method" - to make login work again. +- Revert "Improve authentication", remove login dropdown and "Default Authentication Method" that were added + in Wekan v1.95 because login did not work with email address. + It was later found that login did work with username, so later this could be fixed and added back. - Fixes to docker-compose.yml so that Wekan Meteor 1.6.x version would work. Most likely Meteor 1.8.x version is still broken. @@ -46,6 +57,8 @@ This release adds the following new features: - [Improve authentication](https://github.com/wekan/wekan/pull/2065): remove login dropdown, and add setting `DEFAULT_AUTHENTICATION_METHOD=ldap` or `sudo snap set wekan default-authentication-method='ldap'`. Thanks to Akuket. Closes wekan/wekan-ldap#31 + NOTE: This was reverted in Wekan v1.96 because login did not work with email address. + It was later found that login did work with username, so later this could be fixed and added back. - [Drag handles and long press on mobile when using desktop mode of mobile browser](https://github.com/wekan/wekan/pull/2067). Thanks to hupptechnologies. - Upgrade to node v8.14.1 . Thanks to xet7. diff --git a/Stackerfile.yml b/Stackerfile.yml index fcaa3e0c..ed2ac499 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v1.98.0" +appVersion: "v1.99.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 7266a458..8a3be5b9 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.98.0", + "version": "v1.99.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 0dab07a9..11d36fdf 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 200, + appVersion = 201, # Increment this for every release. - appMarketingVersion = (defaultText = "1.98.0~2019-01-01"), + appMarketingVersion = (defaultText = "1.99.0~2019-01-04"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 32c561d78e7e44bb8f80e07ea1d9b2390e3cdb83 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 4 Jan 2019 20:03:16 +0200 Subject: Update translations. --- i18n/de.i18n.json | 28 ++++++++++++++-------------- i18n/es-AR.i18n.json | 4 ++-- i18n/es.i18n.json | 32 ++++++++++++++++---------------- i18n/fr.i18n.json | 30 +++++++++++++++--------------- i18n/pt-BR.i18n.json | 28 ++++++++++++++-------------- i18n/sv.i18n.json | 2 +- i18n/tr.i18n.json | 48 ++++++++++++++++++++++++------------------------ 7 files changed, 86 insertions(+), 86 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 80d6aadc..efb84e21 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -467,7 +467,7 @@ "error-notAuthorized": "Sie sind nicht berechtigt diese Seite zu sehen.", "outgoing-webhooks": "Ausgehende Webhooks", "outgoingWebhooksPopup-title": "Ausgehende Webhooks", - "boardCardTitlePopup-title": "Card Title Filter", + "boardCardTitlePopup-title": "Kartentitel-Filter", "new-outgoing-webhook": "Neuer ausgehender Webhook", "no-name": "(Unbekannt)", "Node_version": "Node-Version", @@ -538,14 +538,14 @@ "r-delete-rule": "Regel löschen", "r-new-rule-name": "Neuer Regeltitel", "r-no-rules": "Keine Regeln", - "r-when-a-card": "When a card", + "r-when-a-card": "Wenn eine Karte", "r-is": "ist", - "r-is-moved": "is moved", - "r-added-to": "added to", + "r-is-moved": "wird verschoben", + "r-added-to": "hinzugefügt zu", "r-removed-from": "Entfernt von", "r-the-board": "das Board", "r-list": "Liste", - "set-filter": "Set Filter", + "set-filter": "Setze Filter", "r-moved-to": "Verschieben nach", "r-moved-from": "Verschieben von", "r-archived": "Ins Archiv verschieben", @@ -553,7 +553,7 @@ "r-a-card": "eine Karte", "r-when-a-label-is": "Wenn ein Label ist", "r-when-the-label-is": " Wenn das Label ist", - "r-list-name": "list name", + "r-list-name": "Listennamen", "r-when-a-member": "Wenn ein Mitglied ist", "r-when-the-member": "Wenn das Mitglied", "r-name": "Name", @@ -602,9 +602,9 @@ "r-d-unarchive": "Karte aus dem Archiv wiederherstellen", "r-d-add-label": "Label hinzufügen", "r-d-remove-label": "Label entfernen", - "r-create-card": "Create new card", + "r-create-card": "Neue Karte erstellen", "r-in-list": "in der Liste", - "r-in-swimlane": "in swimlane", + "r-in-swimlane": "in Swimlane", "r-d-add-member": "Mitglied hinzufügen", "r-d-remove-member": "Mitglied entfernen", "r-d-remove-all-member": "Entferne alle Mitglieder", @@ -615,14 +615,14 @@ "r-d-check-of-list": "der Checkliste", "r-d-add-checklist": "Checkliste hinzufügen", "r-d-remove-checklist": "Checkliste entfernen", - "r-by": "by", + "r-by": "durch", "r-add-checklist": "Checkliste hinzufügen", - "r-with-items": "with items", + "r-with-items": "mit Items", "r-items-list": "item1,item2,item3", - "r-add-swimlane": "Add swimlane", - "r-swimlane-name": "swimlane name", - "r-board-note": "Note: leave a field empty to match every possible value.", - "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", + "r-add-swimlane": "Füge Swimlane hinzu", + "r-swimlane-name": "Swimlane Name", + "r-board-note": "Hinweis: Ein leeres Feld, um jeden möglichen Wert zu finden.", + "r-checklist-note": "Hinweis: Die Elemente der Checkliste müssen als durch Kommas getrennte Werte geschrieben werden.", "r-when-a-card-is-moved": "Wenn eine Karte in eine andere Liste verschoben wird", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index d01d25a3..fe9ba9a4 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -1,8 +1,8 @@ { "accept": "Aceptar", - "act-activity-notify": "Activity Notification", + "act-activity-notify": "Notificación de Actividad", "act-addAttachment": "adjunto __attachment__ a __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", + "act-addSubtask": "lista de ítems __checklist__ agregada a __card__", "act-addChecklist": "lista de ítems __checklist__ agregada a __card__", "act-addChecklistItem": " __checklistItem__ agregada a lista de ítems __checklist__ en __card__", "act-addComment": "comentado en __card__: __comment__", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index c49941c7..3f254057 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -467,7 +467,7 @@ "error-notAuthorized": "No estás autorizado a ver esta página.", "outgoing-webhooks": "Webhooks salientes", "outgoingWebhooksPopup-title": "Webhooks salientes", - "boardCardTitlePopup-title": "Card Title Filter", + "boardCardTitlePopup-title": "Filtro de títulos de tarjeta ", "new-outgoing-webhook": "Nuevo webhook saliente", "no-name": "(Desconocido)", "Node_version": "Versión de Node", @@ -538,14 +538,14 @@ "r-delete-rule": "Eliminar regla", "r-new-rule-name": "Nueva título de regla", "r-no-rules": "No hay reglas", - "r-when-a-card": "When a card", + "r-when-a-card": "Cuando una tarjeta", "r-is": "es", - "r-is-moved": "is moved", - "r-added-to": "added to", + "r-is-moved": "es movida", + "r-added-to": "es agregada a", "r-removed-from": "Eliminado de", "r-the-board": "el tablero", "r-list": "lista", - "set-filter": "Set Filter", + "set-filter": "Filtrar", "r-moved-to": "Movido a", "r-moved-from": "Movido desde", "r-archived": "Movido a Archivo", @@ -553,7 +553,7 @@ "r-a-card": "una tarjeta", "r-when-a-label-is": "Cuando una etiqueta es", "r-when-the-label-is": "Cuando la etiqueta es", - "r-list-name": "list name", + "r-list-name": "Nombre de lista", "r-when-a-member": "Cuando un miembro es", "r-when-the-member": "Cuando el miembro", "r-name": "nombre", @@ -602,9 +602,9 @@ "r-d-unarchive": "Restaurar tarjeta del Archivo", "r-d-add-label": "Añadir etiqueta", "r-d-remove-label": "Eliminar etiqueta", - "r-create-card": "Create new card", + "r-create-card": "Crear nueva tarjeta", "r-in-list": "en la lista", - "r-in-swimlane": "in swimlane", + "r-in-swimlane": "en carril ", "r-d-add-member": "Añadir miembro", "r-d-remove-member": "Eliminar miembro", "r-d-remove-all-member": "Eliminar todos los miembros", @@ -615,14 +615,14 @@ "r-d-check-of-list": "de la lista de verificación", "r-d-add-checklist": "Añadir una lista de verificación", "r-d-remove-checklist": "Eliminar lista de verificación", - "r-by": "by", + "r-by": "por", "r-add-checklist": "Añadir una lista de verificación", - "r-with-items": "with items", + "r-with-items": "con items", "r-items-list": "item1,item2,item3", - "r-add-swimlane": "Add swimlane", - "r-swimlane-name": "swimlane name", - "r-board-note": "Note: leave a field empty to match every possible value.", - "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", + "r-add-swimlane": "Agregar carril", + "r-swimlane-name": "nombre del carril", + "r-board-note": "Nota: deje un campo vacío para que coincida con todos los valores posibles", + "r-checklist-note": "Nota: los ítems de la lista tienen que escribirse como valores separados por coma.", "r-when-a-card-is-moved": "Cuando una tarjeta es movida a otra lista", "ldap": "LDAP", "oauth2": "OAuth2", @@ -634,6 +634,6 @@ "hide-logo": "Ocultar logo", "add-custom-html-after-body-start": "Añade HTML personalizado después de ", "add-custom-html-before-body-end": "Añade HTML personalizado después de ", - "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-undefined": "Algo no está bien", + "error-ldap-login": "Ocurrió un error al intentar acceder" } \ No newline at end of file diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 8f86aace..ea5f5add 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -467,7 +467,7 @@ "error-notAuthorized": "Vous n'êtes pas autorisé à accéder à cette page.", "outgoing-webhooks": "Webhooks sortants", "outgoingWebhooksPopup-title": "Webhooks sortants", - "boardCardTitlePopup-title": "Card Title Filter", + "boardCardTitlePopup-title": "Filtre par titre de carte", "new-outgoing-webhook": "Nouveau webhook sortant", "no-name": "(Inconnu)", "Node_version": "Version de Node", @@ -538,14 +538,14 @@ "r-delete-rule": "Supprimer la règle", "r-new-rule-name": "Titre de la nouvelle règle", "r-no-rules": "Pas de règles", - "r-when-a-card": "When a card", + "r-when-a-card": "Quand une carte", "r-is": "est", - "r-is-moved": "is moved", - "r-added-to": "added to", + "r-is-moved": "est déplacée", + "r-added-to": "est ajoutée à", "r-removed-from": "Supprimé de", "r-the-board": "tableau", "r-list": "liste", - "set-filter": "Set Filter", + "set-filter": "Définir un filtre", "r-moved-to": "Déplacé vers", "r-moved-from": "Déplacé depuis", "r-archived": "Archivé", @@ -553,7 +553,7 @@ "r-a-card": "carte", "r-when-a-label-is": "Quand une étiquette est", "r-when-the-label-is": "Quand l'étiquette est", - "r-list-name": "list name", + "r-list-name": "Nom de la liste", "r-when-a-member": "Quand un membre est", "r-when-the-member": "Quand le membre", "r-name": "nom", @@ -602,9 +602,9 @@ "r-d-unarchive": "Restaurer la carte depuis l'Archive", "r-d-add-label": "Ajouter une étiquette", "r-d-remove-label": "Supprimer l'étiquette", - "r-create-card": "Create new card", + "r-create-card": "Créer une nouvelle carte", "r-in-list": "dans la liste", - "r-in-swimlane": "in swimlane", + "r-in-swimlane": "Dans le couloir", "r-d-add-member": "Ajouter un membre", "r-d-remove-member": "Supprimer un membre", "r-d-remove-all-member": "Supprimer tous les membres", @@ -615,14 +615,14 @@ "r-d-check-of-list": "de la checklist", "r-d-add-checklist": "Ajouter une checklist", "r-d-remove-checklist": "Supprimer la checklist", - "r-by": "by", + "r-by": "par", "r-add-checklist": "Ajouter une checklist", - "r-with-items": "with items", - "r-items-list": "item1,item2,item3", - "r-add-swimlane": "Add swimlane", - "r-swimlane-name": "swimlane name", - "r-board-note": "Note: leave a field empty to match every possible value.", - "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", + "r-with-items": "avec les items", + "r-items-list": "item1, item2, item3", + "r-add-swimlane": "Ajouter un couloir", + "r-swimlane-name": "Nom du couloir", + "r-board-note": "Note : laisser le champ vide pour faire correspondre avec toutes les valeurs possibles.", + "r-checklist-note": "Note : les items de la checklist doivent être séparés par des virgules.", "r-when-a-card-is-moved": "Quand une carte est déplacée vers une autre liste", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 9244ca25..e9cf736a 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -467,7 +467,7 @@ "error-notAuthorized": "Você não está autorizado à ver esta página.", "outgoing-webhooks": "Webhook de saída", "outgoingWebhooksPopup-title": "Webhook de saída", - "boardCardTitlePopup-title": "Card Title Filter", + "boardCardTitlePopup-title": "Filtro do Título do Cartão", "new-outgoing-webhook": "Novo Webhook de saída", "no-name": "(Desconhecido)", "Node_version": "Versão do Node", @@ -538,14 +538,14 @@ "r-delete-rule": "Excluir regra", "r-new-rule-name": "Título da nova regra", "r-no-rules": "Sem regras", - "r-when-a-card": "When a card", + "r-when-a-card": "Quando um cartão", "r-is": "é", - "r-is-moved": "is moved", - "r-added-to": "added to", + "r-is-moved": "é movido", + "r-added-to": "adicionado à ", "r-removed-from": "Removido de", "r-the-board": "o quadro", "r-list": "lista", - "set-filter": "Set Filter", + "set-filter": "Inserir Filtro", "r-moved-to": "Movido para", "r-moved-from": "Movido de", "r-archived": "Movido para o Arquivo-morto", @@ -553,7 +553,7 @@ "r-a-card": "um cartão", "r-when-a-label-is": "Quando uma etiqueta é", "r-when-the-label-is": "Quando a etiqueta é", - "r-list-name": "list name", + "r-list-name": "listar nome", "r-when-a-member": "Quando um membro é", "r-when-the-member": "Quando o membro", "r-name": "nome", @@ -602,9 +602,9 @@ "r-d-unarchive": "Restaurar cartão do Arquivo-morto", "r-d-add-label": "Adicionar etiqueta", "r-d-remove-label": "Remover etiqueta", - "r-create-card": "Create new card", + "r-create-card": "Criar novo cartão", "r-in-list": "na lista", - "r-in-swimlane": "in swimlane", + "r-in-swimlane": "na raia", "r-d-add-member": "Adicionar membro", "r-d-remove-member": "Remover membro", "r-d-remove-all-member": "Remover todos os membros", @@ -615,14 +615,14 @@ "r-d-check-of-list": "da lista de verificação", "r-d-add-checklist": "Adicionar lista de verificação", "r-d-remove-checklist": "Remover lista de verificação", - "r-by": "by", + "r-by": "por", "r-add-checklist": "Adicionar lista de verificação", - "r-with-items": "with items", + "r-with-items": "com os itens", "r-items-list": "item1,item2,item3", - "r-add-swimlane": "Add swimlane", - "r-swimlane-name": "swimlane name", - "r-board-note": "Note: leave a field empty to match every possible value.", - "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", + "r-add-swimlane": "Adicionar raia", + "r-swimlane-name": "Nome da raia", + "r-board-note": "Nota: deixe o campo vazio para corresponder à todos os valores possíveis", + "r-checklist-note": "Nota: itens de Checklists devem ser escritos separados por vírgulas", "r-when-a-card-is-moved": "Quando um cartão é movido de outra lista", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 56158a71..bc6ba72c 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -23,7 +23,7 @@ "act-removeBoardMember": "tog bort __member__ från __board__", "act-restoredCard": "återställde __card__ to __board__", "act-unjoinMember": "tog bort __member__ from __card__", - "act-withBoardTitle": "__board__", + "act-withBoardTitle": "_tavla_", "act-withCardTitle": "[__board__] __card__", "actions": "Åtgärder", "activities": "Aktiviteter", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index 220fc9d2..4bbb1437 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -1,6 +1,6 @@ { "accept": "Kabul Et", - "act-activity-notify": "Activity Notification", + "act-activity-notify": "Etkinlik Bildirimi", "act-addAttachment": "__card__ kartına __attachment__ dosyasını ekledi", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "__card__ kartında __checklist__ yapılacak listesini ekledi", @@ -78,7 +78,7 @@ "and-n-other-card": "Ve __count__ diğer kart", "and-n-other-card_plural": "Ve __count__ diğer kart", "apply": "Uygula", - "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", + "app-is-offline": "Yükleniyor lütfen bekleyin. Sayfayı yenilemek veri kaybına neden olur. Yükleme çalışmıyorsa, lütfen sunucunun durmadığını kontrol edin.", "archive": "Arşive Taşı", "archive-all": "Hepsini Arşive Taşı", "archive-board": "Panoyu Arşive Taşı", @@ -123,7 +123,7 @@ "card-comments-title": "Bu kartta %s yorum var.", "card-delete-notice": "Silme işlemi kalıcıdır. Bu kartla ilişkili tüm eylemleri kaybedersiniz.", "card-delete-pop": "Son hareketler alanındaki tüm veriler silinecek, ayrıca bu kartı yeniden açamayacaksın. Bu işlemin geri dönüşü yok.", - "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "Bir kartı tahtadan çıkarmak ve etkinliği korumak için Arşive taşıyabilirsiniz.", "card-due": "Bitiş", "card-due-on": "Bitiş tarihi:", "card-spent": "Harcanan Zaman", @@ -166,7 +166,7 @@ "clipboard": "Yapıştır veya sürükleyip bırak", "close": "Kapat", "close-board": "Panoyu kapat", - "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", + "close-board-pop": "\n92/5000\nAna başlıktaki “Arşiv” düğmesine tıklayarak tahtayı geri yükleyebilirsiniz.", "color-black": "siyah", "color-blue": "mavi", "color-green": "yeşil", @@ -295,8 +295,8 @@ "import-map-members": "Üyeleri eşleştirme", "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Üye eşleştirmesini kontrol et", - "import-user-select": "Pick your existing user you want to use as this member", - "importMapMembersAddPopup-title": "Select member", + "import-user-select": "Bu üye olarak kullanmak istediğiniz mevcut kullanıcınızı seçin", + "importMapMembersAddPopup-title": "Üye seç", "info": "Sürüm", "initials": "İlk Harfleri", "invalid-date": "Geçersiz tarih", @@ -461,13 +461,13 @@ "invitation-code": "Davetiye kodu", "email-invite-register-subject": "__inviter__ size bir davetiye gönderdi", "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email", + "email-smtp-test-subject": "SMTP Test E-postası", "email-smtp-test-text": "E-Posta başarıyla gönderildi", "error-invitation-code-not-exist": "Davetiye kodu bulunamadı", "error-notAuthorized": "Bu sayfayı görmek için yetkiniz yok.", "outgoing-webhooks": "Dışarı giden bağlantılar", "outgoingWebhooksPopup-title": "Dışarı giden bağlantılar", - "boardCardTitlePopup-title": "Card Title Filter", + "boardCardTitlePopup-title": "Kart Başlığı Filtresi", "new-outgoing-webhook": "Yeni Dışarı Giden Web Bağlantısı", "no-name": "(Bilinmeyen)", "Node_version": "Node sürümü", @@ -502,8 +502,8 @@ "editCardEndDatePopup-title": "Bitiş tarihini değiştir", "assigned-by": "Atamayı yapan", "requested-by": "Talep Eden", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "board-delete-notice": "Silme kalıcıdır. Bu kartla ilişkili tüm listeleri, kartları ve işlemleri kaybedeceksiniz.", + "delete-board-confirm-popup": "Tüm listeler, kartlar, etiketler ve etkinlikler silinecek ve pano içeriğini kurtaramayacaksınız. Geri dönüş yok.", "boardDeletePopup-title": "Panoyu Sil?", "delete-board": "Panoyu Sil", "default-subtasks-board": "Subtasks for __board__ board", @@ -553,7 +553,7 @@ "r-a-card": "Kart", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "list name", + "r-list-name": "liste adı", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", "r-name": "isim", @@ -577,7 +577,7 @@ "r-remove": "Kaldır", "r-label": "label", "r-member": "üye", - "r-remove-all": "Remove all members from the card", + "r-remove-all": "Tüm üyeleri karttan çıkarın", "r-checklist": "Kontrol Listesi", "r-check-all": "Tümünü işaretle", "r-uncheck-all": "Tüm işaretleri kaldır", @@ -590,10 +590,10 @@ "r-to": "to", "r-subject": "Konu", "r-rule-details": "Kural Detayları", - "r-d-move-to-top-gen": "Move card to top of its list", - "r-d-move-to-top-spec": "Move card to top of list", - "r-d-move-to-bottom-gen": "Move card to bottom of its list", - "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-move-to-top-gen": "Kartı listesinin en üstüne taşı", + "r-d-move-to-top-spec": "Kartı listenin en üstüne taşı", + "r-d-move-to-bottom-gen": "Kartı listesinin en altına taşı", + "r-d-move-to-bottom-spec": "Kartı listenin en altına taşı", "r-d-send-email": "E-Posta gönder", "r-d-send-email-to": "to", "r-d-send-email-subject": "Konu", @@ -602,7 +602,7 @@ "r-d-unarchive": "Kartı arşivden geri yükle", "r-d-add-label": "Etiket ekle", "r-d-remove-label": "Etiketi kaldır", - "r-create-card": "Create new card", + "r-create-card": "Yeni kart oluştur", "r-in-list": ", listesinde", "r-in-swimlane": "in swimlane", "r-d-add-member": "Üye Ekle", @@ -619,11 +619,11 @@ "r-add-checklist": "Kontrol listesine ekle", "r-with-items": "with items", "r-items-list": "item1,item2,item3", - "r-add-swimlane": "Add swimlane", - "r-swimlane-name": "swimlane name", - "r-board-note": "Note: leave a field empty to match every possible value.", - "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", - "r-when-a-card-is-moved": "When a card is moved to another list", + "r-add-swimlane": "Kulvar ekle", + "r-swimlane-name": "kulvar adı", + "r-board-note": "Not: Her olası değere uyması için bir alanı boş bırakın.", + "r-checklist-note": "Not: kontrol listesindeki öğelerin virgülle ayrılmış değerler olarak yazılması gerekir.", + "r-when-a-card-is-moved": "Bir kart başka bir listeye taşındığında", "ldap": "LDAP", "oauth2": "Oauth2", "cas": "CAS", @@ -634,6 +634,6 @@ "hide-logo": "Logoyu Gizle", "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", - "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-undefined": "Bir şeyler yanlış gitti", + "error-ldap-login": "Giriş yapmaya çalışırken bir hata oluştu" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 24ffe223be664eb8dd1ed97a89d772a9c1c39aa2 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 4 Jan 2019 20:07:22 +0200 Subject: v2.00 --- CHANGELOG.md | 4 ++++ Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 8 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index e62c49a6..a8cede6f 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,7 @@ +# v2.00 2018-01-04 Wekan release + +Update translations. Thanks to translators. + # v1.99 2019-01-04 Wekan release This release adds the following new features: diff --git a/Stackerfile.yml b/Stackerfile.yml index ed2ac499..47423b5a 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v1.99.0" +appVersion: "v2.00.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 8a3be5b9..243b3d1c 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v1.99.0", + "version": "v2.00.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 11d36fdf..86fa67c4 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 201, + appVersion = 202, # Increment this for every release. - appMarketingVersion = (defaultText = "1.99.0~2019-01-04"), + appMarketingVersion = (defaultText = "2.00.0~2019-01-04"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 501289786ce991dde40cbf75ccd358619f6a1f3b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 6 Jan 2019 13:26:10 +0200 Subject: Update translations (cs and he). --- i18n/cs.i18n.json | 122 +++++++++++++++++++++++++++--------------------------- i18n/he.i18n.json | 74 ++++++++++++++++----------------- 2 files changed, 98 insertions(+), 98 deletions(-) diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index ec2d993d..5060c8a3 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -2,7 +2,7 @@ "accept": "Přijmout", "act-activity-notify": "Notifikace aktivit", "act-addAttachment": "přiložen __attachment__ do __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", + "act-addSubtask": "přidán podúkol __checklist__ do __card__", "act-addChecklist": "přidán checklist __checklist__ do __card__", "act-addChecklistItem": "přidán __checklistItem__ do checklistu __checklist__ v __card__", "act-addComment": "komentář k __card__: __comment__", @@ -11,10 +11,10 @@ "act-createCustomField": "vytvořeno vlastní pole __customField__", "act-createList": "přidání __list__ do __board__", "act-addBoardMember": "přidání __member__ do __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", + "act-archivedBoard": "__board__ byl přesunut do archivu", + "act-archivedCard": "__card__ byla přesunuta do archivu", + "act-archivedList": "__list__ byl přesunut do archivu", + "act-archivedSwimlane": "__swimlane__ bylo přesunuto do archivu", "act-importBoard": "import __board__", "act-importCard": "import __card__", "act-importList": "import __list__", @@ -29,7 +29,7 @@ "activities": "Aktivity", "activity": "Aktivita", "activity-added": "%s přidáno k %s", - "activity-archived": "%s moved to Archive", + "activity-archived": "%s bylo přesunuto do archivu", "activity-attached": "přiloženo %s k %s", "activity-created": "%s vytvořeno", "activity-customfield-created": "vytvořeno vlastní pole %s", @@ -42,7 +42,7 @@ "activity-removed": "odstraněn %s z %s", "activity-sent": "%s posláno na %s", "activity-unjoined": "odpojen %s", - "activity-subtask-added": "added subtask to %s", + "activity-subtask-added": "podúkol přidán do %s", "activity-checked-item": "checked %s in checklist %s of %s", "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "přidán checklist do %s", @@ -79,18 +79,18 @@ "and-n-other-card_plural": "A __count__ dalších karet", "apply": "Použít", "app-is-offline": "Načítá se, prosím čekejte. Obnovení stránky způsobí ztrátu dat. Pokud se načítání nedaří, zkontrolujte prosím server.", - "archive": "Move to Archive", - "archive-all": "Move All to Archive", - "archive-board": "Move Board to Archive", - "archive-card": "Move Card to Archive", - "archive-list": "Move List to Archive", - "archive-swimlane": "Move Swimlane to Archive", - "archive-selection": "Move selection to Archive", - "archiveBoardPopup-title": "Move Board to Archive?", + "archive": "Přesunout do archivu", + "archive-all": "Přesunout vše do archivu", + "archive-board": "Přesunout tablo do archivu", + "archive-card": "Přesunout kartu do archivu", + "archive-list": "Přesunout seznam do archivu", + "archive-swimlane": "Přesunout swimlane do archivu", + "archive-selection": "Přesunout výběr do archivu", + "archiveBoardPopup-title": "Přesunout tablo do archivu?", "archived-items": "Archiv", - "archived-boards": "Boards in Archive", + "archived-boards": "Tabla v archivu", "restore-board": "Obnovit tablo", - "no-archived-boards": "No Boards in Archive.", + "no-archived-boards": "V archivu nejsou žádná tabla.", "archives": "Archiv", "assign-member": "Přiřadit člena", "attached": "přiloženo", @@ -118,12 +118,12 @@ "board-view-lists": "Sloupce", "bucket-example": "Například \"O čem sním\"", "cancel": "Zrušit", - "card-archived": "This card is moved to Archive.", - "board-archived": "This board is moved to Archive.", + "card-archived": "Karta byla přesunuta do archivu.", + "board-archived": "Toto tablo je přesunuto do archivu.", "card-comments-title": "Tato karta má %s komentářů.", "card-delete-notice": "Smazání je trvalé. Přijdete o všechny akce asociované s touto kartou.", "card-delete-pop": "Všechny akce budou odstraněny z kanálu aktivity a nebude možné kartu obnovit. Toto nelze vrátit zpět.", - "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "Můžete přesunout kartu do archivu pro odstranění z tabla a zachovat aktivitu.", "card-due": "Termín", "card-due-on": "Do", "card-spent": "Strávený čas", @@ -145,7 +145,7 @@ "cardMorePopup-title": "Více", "cards": "Karty", "cards-count": "Karty", - "casSignIn": "Sign In with CAS", + "casSignIn": "Přihlásit pomocí CAS", "cardType-card": "Karta", "cardType-linkedCard": "Propojená karta", "cardType-linkedBoard": "Propojené tablo", @@ -159,7 +159,7 @@ "changePasswordPopup-title": "Změnit heslo", "changePermissionsPopup-title": "Změnit oprávnění", "changeSettingsPopup-title": "Změnit nastavení", - "subtasks": "Subtasks", + "subtasks": "Podúkol", "checklists": "Checklisty", "click-to-star": "Kliknutím přidat hvězdičku tomuto tablu.", "click-to-unstar": "Kliknutím odebrat hvězdičku tomuto tablu.", @@ -284,13 +284,13 @@ "import-board-c": "Importovat tablo", "import-board-title-trello": "Import board from Trello", "import-board-title-wekan": "Importovat tablo z předchozího exportu", - "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-sandstorm-backup-warning": "Nemažte data, která importujete z původního exportovaného tabla nebo Trello předtím, nežli zkontrolujete, jestli lze tuto část zavřít a znovu otevřít nebo jestli se Vám nezobrazuje chyba tabla, což znamená ztrátu dat.", "import-sandstorm-warning": "Importované tablo spaže všechny existující data v tablu a nahradí je importovaným tablem.", "from-trello": "Z Trella", "from-wekan": "Z předchozího exportu", "import-board-instruction-trello": "Na svém Trello tablu, otevři 'Menu', pak 'More', 'Print and Export', 'Export JSON', a zkopíruj výsledný text", "import-board-instruction-wekan": "Ve vašem tablu jděte do 'Menu', klikněte na 'Exportovat tablo' a zkopírujte text ze staženého souboru.", - "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", + "import-board-instruction-about-errors": "Někdy import funguje i přestože dostáváte chyby při importování tabla, které se zobrazí na stránce Všechna tabla.", "import-json-placeholder": "Sem vlož validní JSON data", "import-map-members": "Mapovat členy", "import-members-map": "Toto importované tablo obsahuje několik osob. Prosím namapujte osoby z importu na místní uživatelské účty.", @@ -315,7 +315,7 @@ "leave-board-pop": "Opravdu chcete opustit tablo __boardTitle__? Odstraníte se tím i ze všech karet v tomto tablu.", "leaveBoardPopup-title": "Opustit tablo?", "link-card": "Odkázat na tuto kartu", - "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards": "Přesunout všechny karty v tomto seznamu do archivu.", "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Přesunout všechny karty v tomto sloupci", "list-select-cards": "Vybrat všechny karty v tomto sloupci", @@ -345,9 +345,9 @@ "muted-info": "Nikdy nedostanete oznámení o změně v tomto tablu.", "my-boards": "Moje tabla", "name": "Jméno", - "no-archived-cards": "No cards in Archive.", - "no-archived-lists": "No lists in Archive.", - "no-archived-swimlanes": "No swimlanes in Archive.", + "no-archived-cards": "V archivu nejsou žádné karty.", + "no-archived-lists": "V archivu nejsou žádné seznamy.", + "no-archived-swimlanes": "V archivu nejsou žádné swimlanes.", "no-results": "Žádné výsledky", "normal": "Normální", "normal-desc": "Může zobrazovat a upravovat karty. Nemůže měnit nastavení.", @@ -461,13 +461,13 @@ "invitation-code": "Kód pozvánky", "email-invite-register-subject": "__inviter__ odeslal pozvánku", "email-invite-register-text": "Ahoj __user__,\n\n__inviter__ tě přizval do kanban boardu ke spolupráci.\n\nNásleduj prosím odkaz níže:\n\n__url__\n\nKód Tvé pozvánky je: __icode__\n\nDěkujeme.", - "email-smtp-test-subject": "SMTP Test Email", + "email-smtp-test-subject": "E-mail testující SMTP", "email-smtp-test-text": "Email byl úspěšně odeslán", "error-invitation-code-not-exist": "Kód pozvánky neexistuje.", "error-notAuthorized": "Nejste autorizován k prohlížení této stránky.", "outgoing-webhooks": "Odchozí Webhooky", "outgoingWebhooksPopup-title": "Odchozí Webhooky", - "boardCardTitlePopup-title": "Card Title Filter", + "boardCardTitlePopup-title": "Filtr názvů karet", "new-outgoing-webhook": "Nové odchozí Webhooky", "no-name": "(Neznámé)", "Node_version": "Node verze", @@ -484,7 +484,7 @@ "minutes": "minut", "seconds": "sekund", "show-field-on-card": "Ukázat toto pole na kartě", - "automatically-field-on-card": "Auto create field to all cards", + "automatically-field-on-card": "Automaticky vytvořit pole na všech kartách", "showLabel-field-on-card": "Show field label on minicard", "yes": "Ano", "no": "Ne", @@ -508,7 +508,7 @@ "delete-board": "Smazat tablo", "default-subtasks-board": "Podúkoly pro tablo __board__", "default": "Výchozí", - "queue": "Queue", + "queue": "Fronta", "subtask-settings": "Nastavení podúkolů", "boardSubtaskSettingsPopup-title": "Nastavení podúkolů tabla", "show-subtasks-field": "Karty mohou mít podúkoly", @@ -519,10 +519,10 @@ "prefix-with-parent": "Prefix with parent", "subtext-with-full-path": "Subtext with full path", "subtext-with-parent": "Subtext with parent", - "change-card-parent": "Change card's parent", - "parent-card": "Parent card", + "change-card-parent": "Změnit rodiče karty", + "parent-card": "Rodičovská karta", "source-board": "Zdrojové tablo", - "no-parent": "Don't show parent", + "no-parent": "Nezobrazovat rodiče", "activity-added-label": "added label '%s' to %s", "activity-removed-label": "removed label '%s' from %s", "activity-delete-attach": "deleted an attachment from %s", @@ -543,20 +543,20 @@ "r-is-moved": "is moved", "r-added-to": "added to", "r-removed-from": "Odstraněno z", - "r-the-board": "the board", + "r-the-board": "tablo", "r-list": "sloupce", - "set-filter": "Set Filter", + "set-filter": "Nastavit filtr", "r-moved-to": "Přesunuto do", "r-moved-from": "Přesunuto z", - "r-archived": "Moved to Archive", - "r-unarchived": "Restored from Archive", + "r-archived": "Přesunuto do archivu", + "r-unarchived": "Obnoveno z archivu", "r-a-card": "karta", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", - "r-list-name": "list name", + "r-list-name": "název seznamu", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", - "r-name": "name", + "r-name": "jméno", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "Když zaškrtávací seznam je", "r-when-the-checklist": "Když zaškrtávací seznam", @@ -570,26 +570,26 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "toho sloupce", - "r-archive": "Move to Archive", - "r-unarchive": "Restore from Archive", + "r-archive": "Přesunout do archivu", + "r-unarchive": "Obnovit z archivu", "r-card": "karta", "r-add": "Přidat", "r-remove": "Odstranit", - "r-label": "label", + "r-label": "štítek", "r-member": "člen", "r-remove-all": "Remove all members from the card", "r-checklist": "zaškrtávací seznam", "r-check-all": "Zaškrtnout vše", "r-uncheck-all": "Odškrtnout vše", "r-items-check": "položky zaškrtávacího seznamu", - "r-check": "Check", - "r-uncheck": "Uncheck", - "r-item": "item", + "r-check": "Označit", + "r-uncheck": "Odznačit", + "r-item": "Položka", "r-of-checklist": "ze zaškrtávacího seznamu", - "r-send-email": "Send an email", + "r-send-email": "Odeslat e-mail", "r-to": "komu", "r-subject": "předmět", - "r-rule-details": "Rule details", + "r-rule-details": "Podrobnosti pravidla", "r-d-move-to-top-gen": "Přesunout kartu na začátek toho sloupce", "r-d-move-to-top-spec": "Přesunout kartu na začátek sloupce", "r-d-move-to-bottom-gen": "Přesunout kartu na konec sloupce", @@ -598,20 +598,20 @@ "r-d-send-email-to": "komu", "r-d-send-email-subject": "předmět", "r-d-send-email-message": "zpráva", - "r-d-archive": "Move card to Archive", - "r-d-unarchive": "Restore card from Archive", + "r-d-archive": "Přesunout kartu do archivu", + "r-d-unarchive": "Obnovit kartu z archivu", "r-d-add-label": "Přidat štítek", "r-d-remove-label": "Odstranit štítek", - "r-create-card": "Create new card", + "r-create-card": "Vytvořit novou kartu", "r-in-list": "in list", "r-in-swimlane": "in swimlane", "r-d-add-member": "Přidat člena", "r-d-remove-member": "Odstranit člena", - "r-d-remove-all-member": "Remove all member", - "r-d-check-all": "Check all items of a list", - "r-d-uncheck-all": "Uncheck all items of a list", - "r-d-check-one": "Check item", - "r-d-uncheck-one": "Uncheck item", + "r-d-remove-all-member": "Odstranit všechny členy", + "r-d-check-all": "Označit všechny položky na seznamu", + "r-d-uncheck-all": "Odznačit všechny položky na seznamu", + "r-d-check-one": "Označit položku", + "r-d-uncheck-one": "Odznačit položku", "r-d-check-of-list": "ze zaškrtávacího seznamu", "r-d-add-checklist": "Přidat zaškrtávací seznam", "r-d-remove-checklist": "Odstranit zaškrtávací seznam", @@ -619,7 +619,7 @@ "r-add-checklist": "Přidat zaškrtávací seznam", "r-with-items": "with items", "r-items-list": "item1,item2,item3", - "r-add-swimlane": "Add swimlane", + "r-add-swimlane": "Přidat swimlane", "r-swimlane-name": "swimlane name", "r-board-note": "Note: leave a field empty to match every possible value.", "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", @@ -631,9 +631,9 @@ "authentication-type": "Typ autentizace", "custom-product-name": "Custom Product Name", "layout": "Layout", - "hide-logo": "Hide Logo", + "hide-logo": "Skrýt logo", "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", - "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-undefined": "Něco se pokazilo", + "error-ldap-login": "Během přihlašování nastala chyba" } \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index cf09761e..e9abdf15 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -35,13 +35,13 @@ "activity-customfield-created": "נוצר שדה בהתאמה אישית %s", "activity-excluded": "%s לא נכלל ב%s", "activity-imported": "%s ייובא מ%s אל %s", - "activity-imported-board": "%s ייובא מ%s", + "activity-imported-board": "%s יובא מ%s", "activity-joined": "הצטרפות אל %s", "activity-moved": "%s עבר מ%s ל%s", "activity-on": "ב%s", "activity-removed": "%s הוסר מ%s", "activity-sent": "%s נשלח ל%s", - "activity-unjoined": "בטל צירוף %s", + "activity-unjoined": "בוטל צירוף אל %s", "activity-subtask-added": "נוספה תת־משימה אל %s", "activity-checked-item": "%s סומן ברשימת המשימות %s מתוך %s", "activity-unchecked-item": "בוטל הסימון של %s ברשימת המשימות %s מתוך %s", @@ -78,7 +78,7 @@ "and-n-other-card": "וכרטיס נוסף", "and-n-other-card_plural": "ו־__count__ כרטיסים נוספים", "apply": "החלה", - "app-is-offline": "טוען, אנא המתן. טעינה מחדש של הדף תוביל לאבדן מידע. אם הטעינה לוקחת יותר מדי זמן, אנא בדוק אם השרת מקוון.", + "app-is-offline": "בטעינה, נא להמתין. רענון הדף תוביל לאבדן מידע. אם הטעינה אורכת זמן רב מדי, מוטב לבדוק אם השרת מקוון.", "archive": "העברה לארכיון", "archive-all": "אחסן הכל בארכיון", "archive-board": "העברת הלוח לארכיון", @@ -86,7 +86,7 @@ "archive-list": "העברת הרשימה לארכיון", "archive-swimlane": "שמור נתיב זרימה לארכיון", "archive-selection": "העברת הבחירה לארכיון", - "archiveBoardPopup-title": "האם להעביר לוח זה לארכיון?", + "archiveBoardPopup-title": "להעביר לוח זה לארכיון?", "archived-items": "להעביר לארכיון", "archived-boards": "לוחות שנשמרו בארכיון", "restore-board": "שחזור לוח", @@ -159,7 +159,7 @@ "changePasswordPopup-title": "החלפת ססמה", "changePermissionsPopup-title": "שינוי הרשאות", "changeSettingsPopup-title": "שינוי הגדרות", - "subtasks": "תתי משימות", + "subtasks": "תת משימות", "checklists": "רשימות", "click-to-star": "יש ללחוץ להוספת הלוח למועדפים.", "click-to-unstar": "יש ללחוץ להסרת הלוח מהמועדפים.", @@ -195,7 +195,7 @@ "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"כותרת כרטיס ראשון\", \"description\":\"תיאור כרטיס ראשון\"}, {\"title\":\"כותרת כרטיס שני\",\"description\":\"תיאור כרטיס שני\"},{\"title\":\"כותרת כרטיס אחרון\",\"description\":\"תיאור כרטיס אחרון\"} ]", "create": "יצירה", "createBoardPopup-title": "יצירת לוח", - "chooseBoardSourcePopup-title": "ייבוא לוח", + "chooseBoardSourcePopup-title": "יבוא לוח", "createLabelPopup-title": "יצירת תווית", "createCustomField": "יצירת שדה", "createCustomFieldPopup-title": "יצירת שדה", @@ -290,14 +290,14 @@ "from-wekan": "מייצוא קודם", "import-board-instruction-trello": "בלוח הטרלו שלך, עליך ללחוץ על ‚תפריט‘, ואז על ‚עוד‘, ‚הדפסה וייצוא‘, ‚יצוא JSON‘ ולהעתיק את הטקסט שנוצר.", "import-board-instruction-wekan": "בלוח שלך עליך לגשת אל ‚תפריט’, לאחר מכן ‚ייצוא לוח’ ואז להעתיק את הטקסט מהקובץ שהתקבל.", - "import-board-instruction-about-errors": "גם אם התקבלו שגיאות בעת ייבוא לוח, ייתכן שהייבוא עבד. כדי לבדוק זאת, יש להיכנס ל„כל הלוחות”.", + "import-board-instruction-about-errors": "גם אם התקבלו שגיאות בעת יבוא לוח, ייתכן שהייבוא עבד. כדי לבדוק זאת, יש להיכנס ל„כל הלוחות”.", "import-json-placeholder": "יש להדביק את נתוני ה־JSON התקינים לכאן", "import-map-members": "מיפוי חברים", - "import-members-map": "הלוחות המיובאים שלך מכילים חברים. בבקשה מפה את החברים שתרצה לייבא כמשתמשים", + "import-members-map": "הלוחות המיובאים שלך מכילים חברים. נא למפות את החברים שברצונך לייבא למשתמשים שלך", "import-show-user-mapping": "סקירת מיפוי חברים", - "import-user-select": "נא לבחור את המשתמש ב־Wekan בו ברצונך להשתמש עבור חבר זה", - "importMapMembersAddPopup-title": "בחר משתמש", - "info": "גרסא", + "import-user-select": "נא לבחור את המשתמש ב־Wekan אותו ברצונך למפות אל חבר זה", + "importMapMembersAddPopup-title": "בחירת משתמש", + "info": "גרסה", "initials": "ראשי תיבות", "invalid-date": "תאריך שגוי", "invalid-time": "זמן שגוי", @@ -316,7 +316,7 @@ "leaveBoardPopup-title": "לעזוב לוח ?", "link-card": "קישור לכרטיס זה", "list-archive-cards": "העברת כל הכרטיסים שברשימה זו לארכיון", - "list-archive-cards-pop": "כל הכרטיסים מרשימה זו יוסרו מהלוח. לצפייה בכרטיסים השמורים בארכיון ולהחזירם ללוח, לחצו \"תפריט\" > \"פריטים בארכיון\".", + "list-archive-cards-pop": "כל הכרטיסים מרשימה זו יוסרו מהלוח. לצפייה בכרטיסים השמורים בארכיון ולהחזירם ללוח, ניתן ללחוץ על „תפריט” > „פריטים בארכיון”.", "list-move-cards": "העברת כל הכרטיסים שברשימה זו", "list-select-cards": "בחירת כל הכרטיסים שברשימה זו", "listActionPopup-title": "פעולות רשימה", @@ -347,7 +347,7 @@ "name": "שם", "no-archived-cards": "אין כרטיסים בארכיון", "no-archived-lists": "אין רשימות בארכיון", - "no-archived-swimlanes": "לא שמורים נתיבי זרימה בארכיון", + "no-archived-swimlanes": "לא שמורים מסלולים בארכיון", "no-results": "אין תוצאות", "normal": "רגיל", "normal-desc": "הרשאה לצפות ולערוך כרטיסים. לא ניתן לשנות הגדרות.", @@ -413,7 +413,7 @@ "overtime-hours": "שעות נוספות", "overtime": "שעות נוספות", "has-overtime-cards": "יש כרטיסי שעות נוספות", - "has-spenttime-cards": "ניצל את כרטיסי הזמן שהושקע", + "has-spenttime-cards": "יש כרטיסי זמן שהושקע", "time": "זמן", "title": "כותרת", "tracking": "מעקב", @@ -461,13 +461,13 @@ "invitation-code": "קוד הזמנה", "email-invite-register-subject": "נשלחה אליך הזמנה מאת __inviter__", "email-invite-register-text": " __user__, יקר/ה\n\n__inviter__ מזמין/ה אתכם לשיתוף פעולה בלוח הקנבן.\n\nאנא לחצו על הקישור הבא:\n__url__\n\nקוד ההזמנה הוא: __icode__\n\nתודה.", - "email-smtp-test-subject": "דוא\"ל בדיקת SMTP", + "email-smtp-test-subject": "דוא״ל לבדיקת SMTP", "email-smtp-test-text": "שלחת הודעת דוא״ל בהצלחה", "error-invitation-code-not-exist": "קוד ההזמנה אינו קיים", "error-notAuthorized": "אין לך הרשאה לצפות בעמוד זה.", "outgoing-webhooks": "קרסי רשת יוצאים", "outgoingWebhooksPopup-title": "קרסי רשת יוצאים", - "boardCardTitlePopup-title": "Card Title Filter", + "boardCardTitlePopup-title": "מסנן כותרת כרטיס", "new-outgoing-webhook": "קרסי רשת יוצאים חדשים", "no-name": "(לא ידוע)", "Node_version": "גרסת Node", @@ -477,7 +477,7 @@ "OS_Loadavg": "עומס ממוצע ", "OS_Platform": "מערכת הפעלה", "OS_Release": "גרסת מערכת הפעלה", - "OS_Totalmem": "סך הכל זיכרון (RAM)", + "OS_Totalmem": "סך כל הזיכרון (RAM)", "OS_Type": "סוג מערכת ההפעלה", "OS_Uptime": "זמן שעבר מאז האתחול האחרון", "hours": "שעות", @@ -485,11 +485,11 @@ "seconds": "שניות", "show-field-on-card": "הצגת שדה זה בכרטיס", "automatically-field-on-card": "הוספת שדה לכל הכרטיסים", - "showLabel-field-on-card": "הצג תווית של השדה במיני כרטיס", + "showLabel-field-on-card": "הצגת תווית של השדה בכרטיס מוקטן", "yes": "כן", "no": "לא", "accounts": "חשבונות", - "accounts-allowEmailChange": "אפשר שינוי דוא\"ל", + "accounts-allowEmailChange": "לאפשר שינוי דוא״ל", "accounts-allowUserNameChange": "לאפשר שינוי שם משתמש", "createdAt": "נוצר ב", "verified": "עבר אימות", @@ -507,7 +507,7 @@ "boardDeletePopup-title": "למחוק את הלוח?", "delete-board": "מחיקת לוח", "default-subtasks-board": "תת־משימות עבור הלוח __board__", - "default": "ברירת מחדל", + "default": "בררת מחדל", "queue": "תור", "subtask-settings": "הגדרות תתי משימות", "boardSubtaskSettingsPopup-title": "הגדרות תת־משימות בלוח", @@ -538,14 +538,14 @@ "r-delete-rule": "מחיקת כל", "r-new-rule-name": "שמו של הכלל החדש", "r-no-rules": "אין כללים", - "r-when-a-card": "When a card", + "r-when-a-card": "כאשר כרטיס", "r-is": "הוא", - "r-is-moved": "is moved", - "r-added-to": "added to", + "r-is-moved": "מועבר", + "r-added-to": "נוסף אל", "r-removed-from": "מוסר מ־", "r-the-board": "הלוח", "r-list": "רשימה", - "set-filter": "Set Filter", + "set-filter": "הגדרת מסנן", "r-moved-to": "מועבר אל", "r-moved-from": "מועבר מ־", "r-archived": "הועבר לארכיון", @@ -553,7 +553,7 @@ "r-a-card": "כרטיס", "r-when-a-label-is": "כאשר תווית", "r-when-the-label-is": "כאשר התווית היא", - "r-list-name": "list name", + "r-list-name": "שם הרשימה", "r-when-a-member": "כאשר חבר הוא", "r-when-the-member": "כאשר חבר", "r-name": "שם", @@ -602,9 +602,9 @@ "r-d-unarchive": "החזרת כרטיס מהארכיון", "r-d-add-label": "הוספת תווית", "r-d-remove-label": "הסרת תווית", - "r-create-card": "Create new card", - "r-in-list": "in list", - "r-in-swimlane": "in swimlane", + "r-create-card": "יצירת כרטיס חדש", + "r-in-list": "ברשימה", + "r-in-swimlane": "במסלול", "r-d-add-member": "הוספת חבר", "r-d-remove-member": "הסרת חבר", "r-d-remove-all-member": "הסרת כל החברים", @@ -615,14 +615,14 @@ "r-d-check-of-list": "של רשימת משימות", "r-d-add-checklist": "הוספת רשימת משימות", "r-d-remove-checklist": "הסרת רשימת משימות", - "r-by": "by", + "r-by": "על ידי", "r-add-checklist": "הוספת רשימת משימות", - "r-with-items": "with items", - "r-items-list": "item1,item2,item3", - "r-add-swimlane": "Add swimlane", - "r-swimlane-name": "swimlane name", - "r-board-note": "Note: leave a field empty to match every possible value.", - "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", + "r-with-items": "עם פריטים", + "r-items-list": "פריט1,פריט2,פריט3", + "r-add-swimlane": "הוספת מסלול", + "r-swimlane-name": "שם המסלול", + "r-board-note": "לתשומת לבך: ניתן להשאיר את השדה ריק כדי ללכוד כל ערך אפשרי.", + "r-checklist-note": "לתשומת לבך: את פריטי רשימת הביצוע יש לכתוב בתצורת רשימה של ערכים המופרדים בפסיקים.", "r-when-a-card-is-moved": "כאשר כרטיס מועבר לרשימה אחרת", "ldap": "LDAP", "oauth2": "OAuth2", @@ -632,8 +632,8 @@ "custom-product-name": "שם מותאם אישית למוצר", "layout": "פריסה", "hide-logo": "הסתרת לוגו", - "add-custom-html-after-body-start": "הוספת קוד HTML מותאם אישית בתחילת ה .", - "add-custom-html-before-body-end": "הוספת קוד HTML מותאם אישית בסוף ה.", + "add-custom-html-after-body-start": "הוספת קוד HTML מותאם אישית לאחר ה־ הפותח.", + "add-custom-html-before-body-end": "הוספת קוד HTML מותאם אישית לפני ה־ הסוגר.", "error-undefined": "מהו השתבש", "error-ldap-login": "אירעה שגיאה בעת ניסיון הכניסה" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 346bdf2ca833aa78165fdcb4cb9e488353a173a3 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 6 Jan 2019 13:29:04 +0200 Subject: v2.01 --- CHANGELOG.md | 4 ++++ Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 8 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index a8cede6f..5384d696 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,7 @@ +# v2.01 2018-01-06 Wekan release + +Update translations. Thanks to translators. + # v2.00 2018-01-04 Wekan release Update translations. Thanks to translators. diff --git a/Stackerfile.yml b/Stackerfile.yml index 47423b5a..df20fe6a 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.00.0" +appVersion: "v2.01.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 243b3d1c..2f697432 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.00.0", + "version": "v2.01.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 86fa67c4..6b8b10c8 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 202, + appVersion = 203, # Increment this for every release. - appMarketingVersion = (defaultText = "2.00.0~2019-01-04"), + appMarketingVersion = (defaultText = "2.01.0~2019-01-06"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 3b5e81d514ec22d5508c92576351cbb5605238d4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 11 Jan 2019 16:34:02 +0200 Subject: Update translations. --- i18n/cs.i18n.json | 66 ++++++++++++++++++++++++++-------------------------- i18n/de.i18n.json | 58 ++++++++++++++++++++++----------------------- i18n/ru.i18n.json | 32 ++++++++++++------------- i18n/sv.i18n.json | 10 ++++---- i18n/zh-CN.i18n.json | 34 +++++++++++++-------------- 5 files changed, 100 insertions(+), 100 deletions(-) diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 5060c8a3..e033d99c 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -47,7 +47,7 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "přidán checklist do %s", "activity-checklist-removed": "odstraněn checklist z %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "dokončen checklist %s z %s", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "přidána položka checklist do '%s' v %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", @@ -182,7 +182,7 @@ "comment-only": "Pouze komentáře", "comment-only-desc": "Může přidávat komentáře pouze do karet.", "no-comments": "Žádné komentáře", - "no-comments-desc": "Can not see comments and activities.", + "no-comments-desc": "Nemůže vidět komentáře a aktivity", "computer": "Počítač", "confirm-subtask-delete-dialog": "Opravdu chcete smazat tento podúkol?", "confirm-checklist-delete-dialog": "Opravdu chcete smazat tento checklist?", @@ -325,7 +325,7 @@ "listMorePopup-title": "Více", "link-list": "Odkaz na tento sloupec", "list-delete-pop": "Všechny akce budou odstraněny z kanálu aktivity a nebude možné sloupec obnovit. Toto nelze vrátit zpět.", - "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "Seznam můžete přesunout do archivu, abyste jej odstranili z tabla a zachovali si svou aktivitu.", "lists": "Sloupce", "swimlanes": "Swimlanes", "log-out": "Odhlásit", @@ -427,7 +427,7 @@ "uploaded-avatar": "Avatar nahrán", "username": "Uživatelské jméno", "view-it": "Zobrazit", - "warn-list-archived": "warning: this card is in an list at Archive", + "warn-list-archived": "varování: tato karta je v seznamu v Archivu", "watch": "Sledovat", "watching": "Sledující", "watching-info": "Bude vám oznámena každá změna v tomto tablu", @@ -485,7 +485,7 @@ "seconds": "sekund", "show-field-on-card": "Ukázat toto pole na kartě", "automatically-field-on-card": "Automaticky vytvořit pole na všech kartách", - "showLabel-field-on-card": "Show field label on minicard", + "showLabel-field-on-card": "Ukázat štítek pole na minikartě", "yes": "Ano", "no": "Ne", "accounts": "Účty", @@ -514,11 +514,11 @@ "show-subtasks-field": "Karty mohou mít podúkoly", "deposit-subtasks-board": "Deposit subtasks to this board:", "deposit-subtasks-list": "Landing list for subtasks deposited here:", - "show-parent-in-minicard": "Show parent in minicard:", - "prefix-with-full-path": "Prefix with full path", - "prefix-with-parent": "Prefix with parent", - "subtext-with-full-path": "Subtext with full path", - "subtext-with-parent": "Subtext with parent", + "show-parent-in-minicard": "Ukázat předka na minikartě", + "prefix-with-full-path": "Prefix s celou cestou", + "prefix-with-parent": "Prefix s předkem", + "subtext-with-full-path": "Podtext s celou cestou", + "subtext-with-parent": "Podtext s předkem", "change-card-parent": "Změnit rodiče karty", "parent-card": "Rodičovská karta", "source-board": "Zdrojové tablo", @@ -526,22 +526,22 @@ "activity-added-label": "added label '%s' to %s", "activity-removed-label": "removed label '%s' from %s", "activity-delete-attach": "deleted an attachment from %s", - "activity-added-label-card": "added label '%s'", - "activity-removed-label-card": "removed label '%s'", - "activity-delete-attach-card": "deleted an attachment", + "activity-added-label-card": "přidán štítek '%s'", + "activity-removed-label-card": "odstraněn štítek '%s'", + "activity-delete-attach-card": "odstraněna příloha", "r-rule": "Pravidlo", - "r-add-trigger": "Add trigger", + "r-add-trigger": "Přidat spoštěč", "r-add-action": "Přidat akci", "r-board-rules": "Pravidla Tabla", "r-add-rule": "Přidat pravidlo", "r-view-rule": "Zobrazit pravidlo", "r-delete-rule": "Smazat pravidlo", - "r-new-rule-name": "New rule title", + "r-new-rule-name": "Nový název pravidla", "r-no-rules": "Žádná pravidla", - "r-when-a-card": "When a card", + "r-when-a-card": "Pokud karta", "r-is": "je", - "r-is-moved": "is moved", - "r-added-to": "added to", + "r-is-moved": "je přesunuto", + "r-added-to": "přidáno do", "r-removed-from": "Odstraněno z", "r-the-board": "tablo", "r-list": "sloupce", @@ -551,22 +551,22 @@ "r-archived": "Přesunuto do archivu", "r-unarchived": "Obnoveno z archivu", "r-a-card": "karta", - "r-when-a-label-is": "When a label is", - "r-when-the-label-is": "When the label is", + "r-when-a-label-is": "Pokud nějaký štítek je", + "r-when-the-label-is": "Pokud tento štítek je", "r-list-name": "název seznamu", - "r-when-a-member": "When a member is", - "r-when-the-member": "When the member", + "r-when-a-member": "Pokud nějaký člen je", + "r-when-the-member": "Pokud tento člen je", "r-name": "jméno", - "r-when-a-attach": "When an attachment", + "r-when-a-attach": "Pokud je nějaká příloha", "r-when-a-checklist": "Když zaškrtávací seznam je", "r-when-the-checklist": "Když zaškrtávací seznam", "r-completed": "Dokončeno", - "r-made-incomplete": "Made incomplete", + "r-made-incomplete": "Vytvořeno nehotové", "r-when-a-item": "Když položka zaškrtávacího seznamu je", "r-when-the-item": "Když položka zaškrtávacího seznamu", "r-checked": "Zaškrtnuto", "r-unchecked": "Odškrtnuto", - "r-move-card-to": "Move card to", + "r-move-card-to": "Přesunout kartu do", "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "toho sloupce", @@ -577,7 +577,7 @@ "r-remove": "Odstranit", "r-label": "štítek", "r-member": "člen", - "r-remove-all": "Remove all members from the card", + "r-remove-all": "Odstranit všechny členy z této karty", "r-checklist": "zaškrtávací seznam", "r-check-all": "Zaškrtnout vše", "r-uncheck-all": "Odškrtnout vše", @@ -603,8 +603,8 @@ "r-d-add-label": "Přidat štítek", "r-d-remove-label": "Odstranit štítek", "r-create-card": "Vytvořit novou kartu", - "r-in-list": "in list", - "r-in-swimlane": "in swimlane", + "r-in-list": "v seznamu", + "r-in-swimlane": "ve swimlane", "r-d-add-member": "Přidat člena", "r-d-remove-member": "Odstranit člena", "r-d-remove-all-member": "Odstranit všechny členy", @@ -617,10 +617,10 @@ "r-d-remove-checklist": "Odstranit zaškrtávací seznam", "r-by": "by", "r-add-checklist": "Přidat zaškrtávací seznam", - "r-with-items": "with items", - "r-items-list": "item1,item2,item3", + "r-with-items": "s položkami", + "r-items-list": "položka1,položka2,položka3", "r-add-swimlane": "Přidat swimlane", - "r-swimlane-name": "swimlane name", + "r-swimlane-name": "Název swimlane", "r-board-note": "Note: leave a field empty to match every possible value.", "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "Když je karta přesunuta do jiného sloupce", @@ -629,8 +629,8 @@ "cas": "CAS", "authentication-method": "Metoda autentizace", "authentication-type": "Typ autentizace", - "custom-product-name": "Custom Product Name", - "layout": "Layout", + "custom-product-name": "Vlastní název produktu", + "layout": "uspořádání", "hide-logo": "Skrýt logo", "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index efb84e21..bcb71d98 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -44,16 +44,16 @@ "activity-unjoined": "hat %s verlassen", "activity-subtask-added": "Teilaufgabe zu %s hinzugefügt", "activity-checked-item": "markierte %s in Checkliste %svon %s", - "activity-unchecked-item": "demarkierte %s in Checkliste %s von %s", + "activity-unchecked-item": "hat %s in Checkliste %s von %s abgewählt", "activity-checklist-added": "hat eine Checkliste zu %s hinzugefügt", "activity-checklist-removed": "entfernte eine Checkliste von %s", "activity-checklist-completed": "vervollständigte die Checkliste %s von %s", "activity-checklist-uncompleted": "unvervollständigte die Checkliste %s von %s", - "activity-checklist-item-added": "hat eine Checklistenposition zu '%s' in %s hinzugefügt", - "activity-checklist-item-removed": "entfernte eine Checklistenposition von '%s' in %s", + "activity-checklist-item-added": "hat ein Checklistenelement zu '%s' in %s hinzugefügt", + "activity-checklist-item-removed": "hat ein Checklistenelement von '%s' in %s entfernt", "add": "Hinzufügen", "activity-checked-item-card": "markiere %s in Checkliste %s", - "activity-unchecked-item-card": "demarkiere %s in Checkliste %s", + "activity-unchecked-item-card": "hat %s in Checkliste %s abgewählt", "activity-checklist-completed-card": "vervollständigte die Checkliste %s", "activity-checklist-uncompleted-card": "unvervollständigte die Checkliste %s", "add-attachment": "Datei anhängen", @@ -62,7 +62,7 @@ "add-swimlane": "Swimlane hinzufügen", "add-subtask": "Teilaufgabe hinzufügen", "add-checklist": "Checkliste hinzufügen", - "add-checklist-item": "Position zu einer Checkliste hinzufügen", + "add-checklist-item": "Element zu Checkliste hinzufügen", "add-cover": "Cover hinzufügen", "add-label": "Label hinzufügen", "add-list": "Liste hinzufügen", @@ -78,7 +78,7 @@ "and-n-other-card": "und eine andere Karte", "and-n-other-card_plural": "und __count__ andere Karten", "apply": "Übernehmen", - "app-is-offline": "Wekan lädt gerade, bitte warten Sie. Wenn Sie die Seite neu laden, gehen nicht übertragene Änderungen verloren. Sollte Wekan nicht geladen werden, überprüfen Sie bitte, ob der Server noch läuft.", + "app-is-offline": "Laden, bitte warten. Das Aktualisieren der Seite führt zu Datenverlust. Wenn das Laden nicht funktioniert, überprüfen Sie bitte, ob der Server nicht angehalten wurde.", "archive": "Ins Archiv verschieben", "archive-all": "Alles ins Archiv verschieben", "archive-board": "Board ins Archiv verschieben", @@ -284,18 +284,18 @@ "import-board-c": "Board importieren", "import-board-title-trello": "Board von Trello importieren", "import-board-title-wekan": "Board aus vorherigem Export importieren", - "import-sandstorm-backup-warning": "Bitte keine Daten aus dem Original-Wekan oder Trello Board nach dem Import löschen, bitte prüfe vorher ob die alles funktioniert, andernfalls es kommt zum Fehler \"Board nicht gefunden\", dies meint Datenverlust.", + "import-sandstorm-backup-warning": "Löschen Sie keine Daten, die Sie aus einem ursprünglich exportierten oder Trelloboard importieren, bevor Sie geprüft haben, ob alles funktioniert. Andernfalls kann es zu Datenverlust kommen, falls es zu einem \"Board nicht gefunden\"-Fehler kommt.", "import-sandstorm-warning": "Das importierte Board wird alle bereits existierenden Daten löschen und mit den importierten Daten überschreiben.", "from-trello": "Von Trello", "from-wekan": "Aus vorherigem Export", "import-board-instruction-trello": "Gehen Sie in ihrem Trello-Board auf 'Menü', dann 'Mehr', 'Drucken und Exportieren', 'JSON-Export' und kopieren Sie den dort angezeigten Text", - "import-board-instruction-wekan": "Gehen Sie in Ihrem Wekan Board auf 'Menü', anschließend auf 'Board exportieren'. Kopieren Sie anschließend den Text aus der heruntergeladenen Datei.", + "import-board-instruction-wekan": "Gehen Sie in Ihrem Board auf 'Menü', danach auf 'Board exportieren' und kopieren Sie den Text aus der heruntergeladenen Datei.", "import-board-instruction-about-errors": "Treten beim importieren eines Board Fehler auf, so kann der Import dennoch erfolgreich abgeschlossen sein und das Board ist auf der Seite \"Alle Boards\" zusehen.", "import-json-placeholder": "Fügen Sie die korrekten JSON-Daten hier ein", "import-map-members": "Mitglieder zuordnen", - "import-members-map": "Das importierte Board hat Mitglieder. Bitte ordnen jene, die importiert werden sollen, vorhandenen Wekan-Nutzern zu", + "import-members-map": "Das importierte Board hat einige Mitglieder. Bitte ordnen sie die Mitglieder, die Sie importieren wollen, Ihren Benutzern zu.", "import-show-user-mapping": "Mitgliederzuordnung überprüfen", - "import-user-select": "Wählen Sie den Wekan-Nutzer aus, der dieses Mitglied sein soll", + "import-user-select": "Wählen Sie den bestehenden Benutzer aus, den Sie für dieses Mitglied verwenden wollen.", "importMapMembersAddPopup-title": "Mitglied auswählen", "info": "Version", "initials": "Initialen", @@ -460,8 +460,8 @@ "send-smtp-test": "Test-E-Mail an sich selbst schicken", "invitation-code": "Einladungscode", "email-invite-register-subject": "__inviter__ hat Ihnen eine Einladung geschickt", - "email-invite-register-text": "Hallo __user__,\n\n__inviter__ hat Sie für Ihre Zusammenarbeit zu Wekan eingeladen.\n\nBitte klicken Sie auf folgenden Link:\n__url__\n\nIhr Einladungscode lautet: __icode__\n\nDanke.", - "email-smtp-test-subject": "SMTP Test E-Mail", + "email-invite-register-text": "Sehr geehrte(r) __user__,\n\n__inviter__ hat Sie zur Mitarbeit an einem Kanbanboard eingeladen.\n\nBitte klicken Sie auf folgenden Link:\n__url__\n\nIhr Einladungscode lautet: __icode__\n\nDanke.", + "email-smtp-test-subject": "SMTP Test-E-Mail", "email-smtp-test-text": "Sie haben erfolgreich eine E-Mail versandt", "error-invitation-code-not-exist": "Ungültiger Einladungscode", "error-notAuthorized": "Sie sind nicht berechtigt diese Seite zu sehen.", @@ -540,8 +540,8 @@ "r-no-rules": "Keine Regeln", "r-when-a-card": "Wenn eine Karte", "r-is": "ist", - "r-is-moved": "wird verschoben", - "r-added-to": "hinzugefügt zu", + "r-is-moved": "verschoben wird", + "r-added-to": "hinzugefügt wird zu", "r-removed-from": "Entfernt von", "r-the-board": "das Board", "r-list": "Liste", @@ -553,7 +553,7 @@ "r-a-card": "eine Karte", "r-when-a-label-is": "Wenn ein Label ist", "r-when-the-label-is": " Wenn das Label ist", - "r-list-name": "Listennamen", + "r-list-name": "Listenname", "r-when-a-member": "Wenn ein Mitglied ist", "r-when-the-member": "Wenn das Mitglied", "r-name": "Name", @@ -562,10 +562,10 @@ "r-when-the-checklist": "Wenn die Checkliste", "r-completed": "Abgeschlossen", "r-made-incomplete": "Unvollständig gemacht", - "r-when-a-item": "Wenn eine Checklistenposition ist", - "r-when-the-item": "Wenn die Checklistenposition", + "r-when-a-item": "Wenn ein Checklistenelement ist", + "r-when-the-item": "Wenn das Checklistenelement", "r-checked": "Markiert", - "r-unchecked": "Demarkiert", + "r-unchecked": "Abgewählt", "r-move-card-to": "Verschiebe Karte nach", "r-top-of": "Anfang von", "r-bottom-of": "Ende von", @@ -580,10 +580,10 @@ "r-remove-all": "Entferne alle Mitglieder von der Karte", "r-checklist": "Checkliste", "r-check-all": "Alle markieren", - "r-uncheck-all": "Alle demarkieren", + "r-uncheck-all": "Alle abwählen", "r-items-check": "Elemente der Checkliste", "r-check": "Markieren", - "r-uncheck": "Demarkieren", + "r-uncheck": "Abwählen", "r-item": "Element", "r-of-checklist": "der Checkliste", "r-send-email": "Eine E-Mail senden", @@ -608,21 +608,21 @@ "r-d-add-member": "Mitglied hinzufügen", "r-d-remove-member": "Mitglied entfernen", "r-d-remove-all-member": "Entferne alle Mitglieder", - "r-d-check-all": "Alle Element der Liste markieren", - "r-d-uncheck-all": "Alle Element der Liste demarkieren", - "r-d-check-one": "Element markieren", - "r-d-uncheck-one": "Element demarkieren", + "r-d-check-all": "Alle Elemente der Liste markieren", + "r-d-uncheck-all": "Alle Element der Liste abwählen", + "r-d-check-one": "Element auswählen", + "r-d-uncheck-one": "Element abwählen", "r-d-check-of-list": "der Checkliste", "r-d-add-checklist": "Checkliste hinzufügen", "r-d-remove-checklist": "Checkliste entfernen", "r-by": "durch", "r-add-checklist": "Checkliste hinzufügen", - "r-with-items": "mit Items", - "r-items-list": "item1,item2,item3", + "r-with-items": "mit Elementen", + "r-items-list": "Element1,Element2,Element3", "r-add-swimlane": "Füge Swimlane hinzu", - "r-swimlane-name": "Swimlane Name", - "r-board-note": "Hinweis: Ein leeres Feld, um jeden möglichen Wert zu finden.", - "r-checklist-note": "Hinweis: Die Elemente der Checkliste müssen als durch Kommas getrennte Werte geschrieben werden.", + "r-swimlane-name": "Swimlanename", + "r-board-note": "Hinweis: Lassen Sie ein Feld leer, um alle möglichen Werte zu finden.", + "r-checklist-note": "Hinweis: Die Elemente der Checkliste müssen als kommagetrennte Werte geschrieben werden.", "r-when-a-card-is-moved": "Wenn eine Karte in eine andere Liste verschoben wird", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 422ce077..e82017ca 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -192,7 +192,7 @@ "copyCardPopup-title": "Копировать карточку", "copyChecklistToManyCardsPopup-title": "Копировать шаблон контрольного списка в несколько карточек", "copyChecklistToManyCardsPopup-instructions": "Названия и описания целевых карт в формате JSON", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Заголовок первой карточки\", \"description\":\"Описание первой карточки\"}, {\"title\":\"Заголовок второй карточки\",\"description\":\"Описание второй карточки\"},{\"title\":\"Заголовок последней карточки\",\"description\":\"Описание последней карточки\"} ]", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Название первой карточки\", \"description\":\"Описание первой карточки\"}, {\"title\":\"Название второй карточки\",\"description\":\"Описание второй карточки\"},{\"title\":\"Название последней карточки\",\"description\":\"Описание последней карточки\"} ]", "create": "Создать", "createBoardPopup-title": "Создать доску", "chooseBoardSourcePopup-title": "Импортировать доску", @@ -467,7 +467,7 @@ "error-notAuthorized": "У вас нет доступа на просмотр этой страницы.", "outgoing-webhooks": "Исходящие Веб-хуки", "outgoingWebhooksPopup-title": "Исходящие Веб-хуки", - "boardCardTitlePopup-title": "Card Title Filter", + "boardCardTitlePopup-title": "Фильтр названий карточек", "new-outgoing-webhook": "Новый исходящий Веб-хук", "no-name": "(Неизвестный)", "Node_version": "Версия NodeJS", @@ -538,14 +538,14 @@ "r-delete-rule": "Удалить правило", "r-new-rule-name": "Имя нового правила", "r-no-rules": "Нет правил", - "r-when-a-card": "When a card", + "r-when-a-card": "Когда карточка", "r-is": " ", - "r-is-moved": "is moved", - "r-added-to": "added to", + "r-is-moved": "перемещается", + "r-added-to": "добавляется в", "r-removed-from": "Покидает", "r-the-board": "доску", "r-list": "список", - "set-filter": "Set Filter", + "set-filter": "Установить фильтр", "r-moved-to": "Перемещается в", "r-moved-from": "Покидает", "r-archived": "Перемещена в архив", @@ -553,7 +553,7 @@ "r-a-card": "карточку", "r-when-a-label-is": "Когда метка", "r-when-the-label-is": "Когда метка", - "r-list-name": "list name", + "r-list-name": "имя", "r-when-a-member": "Когда участник", "r-when-the-member": "Когда участник", "r-name": "имя", @@ -602,9 +602,9 @@ "r-d-unarchive": "Восстановить карточку из Архива", "r-d-add-label": "Добавить метку", "r-d-remove-label": "Удалить метку", - "r-create-card": "Create new card", + "r-create-card": "Создать новую карточку", "r-in-list": "в списке", - "r-in-swimlane": "in swimlane", + "r-in-swimlane": "в дорожке", "r-d-add-member": "Добавить участника", "r-d-remove-member": "Удалить участника", "r-d-remove-all-member": "Удалить всех участников", @@ -615,14 +615,14 @@ "r-d-check-of-list": "контрольного списка", "r-d-add-checklist": "Добавить контрольный список", "r-d-remove-checklist": "Удалить контрольный список", - "r-by": "by", + "r-by": "пользователем", "r-add-checklist": "Добавить контрольный список", - "r-with-items": "with items", - "r-items-list": "item1,item2,item3", - "r-add-swimlane": "Add swimlane", - "r-swimlane-name": "swimlane name", - "r-board-note": "Note: leave a field empty to match every possible value.", - "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", + "r-with-items": "с пунктами", + "r-items-list": "пункт1,пункт2,пункт3", + "r-add-swimlane": "Добавить дорожку", + "r-swimlane-name": "имя", + "r-board-note": "Примечание: пустое поле соответствует любым возможным значениям.", + "r-checklist-note": "Примечание: пункты контрольных списков при перечислении разделяются запятыми.", "r-when-a-card-is-moved": "Когда карточка перемещена в другой список", "ldap": "LDAP", "oauth2": "OAuth2", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index bc6ba72c..9b1946e7 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -1,7 +1,7 @@ { "accept": "Acceptera", - "act-activity-notify": "Activity Notification", - "act-addAttachment": "bifogade __attachment__ to __card__", + "act-activity-notify": "Aktivitetsnotifikation", + "act-addAttachment": "bifogade __attachment__ till __card__", "act-addSubtask": "lade till deluppgift __checklist__ till __card__", "act-addChecklist": "lade till checklist __checklist__ till __card__", "act-addChecklistItem": "lade till __checklistItem__ till checklistan __checklist__ on __card__", @@ -10,7 +10,7 @@ "act-createCard": "lade till __card__ to __list__", "act-createCustomField": "skapa anpassat fält __customField__", "act-createList": "lade till __list__ to __board__", - "act-addBoardMember": "lade till __member__ to __board__", + "act-addBoardMember": "lade till __member__ till __board__", "act-archivedBoard": "__board__ flyttades till Arkiv", "act-archivedCard": "__card__ flyttades till Arkiv", "act-archivedList": "__list__ flyttades till Arkiv", @@ -81,7 +81,7 @@ "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", "archive": "Flytta till Arkiv", "archive-all": "Flytta alla till Arkiv", - "archive-board": "Move Board to Archive", + "archive-board": "Flytta Anslagstavla till Arkiv", "archive-card": "Move Card to Archive", "archive-list": "Move List to Archive", "archive-swimlane": "Move Swimlane to Archive", @@ -119,7 +119,7 @@ "bucket-example": "Gilla \"att-göra-innan-jag-dör-lista\" till exempel", "cancel": "Avbryt", "card-archived": "This card is moved to Archive.", - "board-archived": "This board is moved to Archive.", + "board-archived": "Den här anslagstavlan är flyttad till Arkiv.", "card-comments-title": "Detta kort har %s kommentar.", "card-delete-notice": "Ta bort är permanent. Du kommer att förlora alla åtgärder i samband med detta kort.", "card-delete-pop": "Alla åtgärder kommer att tas bort från aktivitetsflöde och du kommer inte att kunna öppna kortet igen. Det går inte att ångra.", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 0227f2ee..b1e08b71 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -467,7 +467,7 @@ "error-notAuthorized": "您无权查看此页面。", "outgoing-webhooks": "外部Web挂钩", "outgoingWebhooksPopup-title": "外部Web挂钩", - "boardCardTitlePopup-title": "Card Title Filter", + "boardCardTitlePopup-title": "卡片标题过滤", "new-outgoing-webhook": "新建外部Web挂钩", "no-name": "(未知)", "Node_version": "Node.js版本", @@ -538,14 +538,14 @@ "r-delete-rule": "删除规则", "r-new-rule-name": "新建规则标题", "r-no-rules": "暂无规则", - "r-when-a-card": "When a card", + "r-when-a-card": "当一张卡片", "r-is": "是", - "r-is-moved": "is moved", - "r-added-to": "added to", + "r-is-moved": "已经移动", + "r-added-to": "添加到", "r-removed-from": "已移除", "r-the-board": "该看板", "r-list": "列表", - "set-filter": "Set Filter", + "set-filter": "设置过滤器", "r-moved-to": "移至", "r-moved-from": "已移动", "r-archived": "已移动到归档", @@ -553,7 +553,7 @@ "r-a-card": "一个卡片", "r-when-a-label-is": "当一个标签是", "r-when-the-label-is": "当该标签是", - "r-list-name": "list name", + "r-list-name": "列表名称", "r-when-a-member": "当一个成员是", "r-when-the-member": "当该成员", "r-name": "名称", @@ -602,9 +602,9 @@ "r-d-unarchive": "从归档中恢复卡片", "r-d-add-label": "添加标签", "r-d-remove-label": "移除标签", - "r-create-card": "Create new card", + "r-create-card": "创建新卡片", "r-in-list": "在列表中", - "r-in-swimlane": "in swimlane", + "r-in-swimlane": "在泳道中", "r-d-add-member": "添加成员", "r-d-remove-member": "移除成员", "r-d-remove-all-member": "移除所有成员", @@ -615,14 +615,14 @@ "r-d-check-of-list": "清单的", "r-d-add-checklist": "添加待办清单", "r-d-remove-checklist": "移动待办清单", - "r-by": "by", + "r-by": "在", "r-add-checklist": "添加待办清单", - "r-with-items": "with items", - "r-items-list": "item1,item2,item3", - "r-add-swimlane": "Add swimlane", - "r-swimlane-name": "swimlane name", - "r-board-note": "Note: leave a field empty to match every possible value.", - "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", + "r-with-items": "与项目", + "r-items-list": "项目1,项目2,项目3", + "r-add-swimlane": "添加泳道", + "r-swimlane-name": "泳道名", + "r-board-note": "注意:保留一个空字段去匹配所有可能的值。", + "r-checklist-note": "注意:清单中的项目必须用都好分割。", "r-when-a-card-is-moved": "当移动卡片到另一个列表时", "ldap": "LDAP", "oauth2": "OAuth2", @@ -634,6 +634,6 @@ "hide-logo": "隐藏LOGO", "add-custom-html-after-body-start": "添加定制的HTML在开始之前", "add-custom-html-before-body-end": "添加定制的HTML在结束之后", - "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-undefined": "出了点问题", + "error-ldap-login": "尝试登陆时出错" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From be045f315661c1a498155cac24899afee2edcda5 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 13 Jan 2019 20:10:20 +0200 Subject: Fix typo. Thanks to xorander00 ! Closes #2101 --- CHANGELOG.md | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 5384d696..6e200455 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,8 +1,8 @@ -# v2.01 2018-01-06 Wekan release +# v2.01 2019-01-06 Wekan release Update translations. Thanks to translators. -# v2.00 2018-01-04 Wekan release +# v2.00 2019-01-04 Wekan release Update translations. Thanks to translators. -- cgit v1.2.3-1-g7c22 From 7f568faef6272b473ab2999e9b05e5b3b9b82bea Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 13 Jan 2019 20:12:57 +0200 Subject: Fix typo. Thanks to xorander00 ! Closes #2101 --- CHANGELOG.md | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 6e200455..a972a400 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,8 @@ +# Upcoming Wekan release + +- Update translations. +- Fix typo, changelog year to 2019. Thanks to xorander00 ! + # v2.01 2019-01-06 Wekan release Update translations. Thanks to translators. -- cgit v1.2.3-1-g7c22 From 78e04578436b54e2d47c89b9f82e8dcc96f6daf9 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 15 Jan 2019 15:47:46 +0200 Subject: Update translations (ca). --- i18n/ca.i18n.json | 74 +++++++++++++++++++++++++++---------------------------- 1 file changed, 37 insertions(+), 37 deletions(-) diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 44e80a62..d8d90a71 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -1,6 +1,6 @@ { "accept": "Accepta", - "act-activity-notify": "Activity Notification", + "act-activity-notify": "Notificació d'activitat", "act-addAttachment": "adjuntat __attachment__ a __card__", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "afegida la checklist _checklist__ a __card__", @@ -11,28 +11,28 @@ "act-createCustomField": "created custom field __customField__", "act-createList": "afegit/da __list__ a __board__", "act-addBoardMember": "afegit/da __member__ a __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", + "act-archivedBoard": "__tauler__ mogut al Arxiu", + "act-archivedCard": "__fitxa__ moguda al Arxiu", + "act-archivedList": "__llista__ mogud al Arxiu", "act-archivedSwimlane": "__swimlane__ moved to Archive", "act-importBoard": "__board__ importat", "act-importCard": "__card__ importat", "act-importList": "__list__ importat", "act-joinMember": "afegit/da __member__ a __card__", "act-moveCard": "mou __card__ de __oldList__ a __list__", - "act-removeBoardMember": "elimina __member__ de __board__", + "act-removeBoardMember": "elimina __usuari__ del __tauler__", "act-restoredCard": "recupera __card__ a __board__", "act-unjoinMember": "elimina __member__ de __card__", - "act-withBoardTitle": "__board__", + "act-withBoardTitle": "__tauler__", "act-withCardTitle": "[__board__] __card__", "actions": "Accions", "activities": "Activitats", "activity": "Activitat", "activity-added": "ha afegit %s a %s", - "activity-archived": "%s moved to Archive", + "activity-archived": "%s mogut al Arxiu", "activity-attached": "ha adjuntat %s a %s", "activity-created": "ha creat %s", - "activity-customfield-created": "created custom field %s", + "activity-customfield-created": "camp personalitzat creat %s", "activity-excluded": "ha exclòs %s de %s", "activity-imported": "importat %s dins %s des de %s", "activity-imported-board": "importat %s des de %s", @@ -60,9 +60,9 @@ "add-board": "Afegeix Tauler", "add-card": "Afegeix fitxa", "add-swimlane": "Afegix Carril de Natació", - "add-subtask": "Add Subtask", + "add-subtask": "Afegir Subtasca", "add-checklist": "Afegeix checklist", - "add-checklist-item": "Afegeix un ítem", + "add-checklist-item": "Afegeix un ítem al checklist", "add-cover": "Afegeix coberta", "add-label": "Afegeix etiqueta", "add-list": "Afegeix llista", @@ -79,18 +79,18 @@ "and-n-other-card_plural": "And __count__ other cards", "apply": "Aplica", "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", - "archive": "Move to Archive", - "archive-all": "Move All to Archive", - "archive-board": "Move Board to Archive", - "archive-card": "Move Card to Archive", - "archive-list": "Move List to Archive", + "archive": "Moure al arxiu", + "archive-all": "Moure tot al arxiu", + "archive-board": "Moure Tauler al Arxiu", + "archive-card": "Moure Fitxa al Arxiu", + "archive-list": "Moure Llista al Arxiu", "archive-swimlane": "Move Swimlane to Archive", - "archive-selection": "Move selection to Archive", - "archiveBoardPopup-title": "Move Board to Archive?", + "archive-selection": "Moure selecció al Arxiu", + "archiveBoardPopup-title": "Moure el Tauler al Arxiu?", "archived-items": "Desa", - "archived-boards": "Boards in Archive", + "archived-boards": "Taulers al Arxiu", "restore-board": "Restaura Tauler", - "no-archived-boards": "No Boards in Archive.", + "no-archived-boards": "No hi han Taulers al Arxiu.", "archives": "Desa", "assign-member": "Assignar membre", "attached": "adjuntat", @@ -113,12 +113,12 @@ "boardMenuPopup-title": "Menú del tauler", "boards": "Taulers", "board-view": "Visió del tauler", - "board-view-cal": "Calendar", + "board-view-cal": "Calendari", "board-view-swimlanes": "Carrils de Natació", "board-view-lists": "Llistes", "bucket-example": "Igual que “Bucket List”, per exemple", "cancel": "Cancel·la", - "card-archived": "This card is moved to Archive.", + "card-archived": "Aquesta fitxa ha estat moguda al Arxiu.", "board-archived": "This board is moved to Archive.", "card-comments-title": "Aquesta fitxa té %s comentaris.", "card-delete-notice": "L'esborrat és permanent. Perdreu totes les accions associades a aquesta fitxa.", @@ -128,7 +128,7 @@ "card-due-on": "Finalitza a", "card-spent": "Temps Dedicat", "card-edit-attachments": "Edita arxius adjunts", - "card-edit-custom-fields": "Edit custom fields", + "card-edit-custom-fields": "Editar camps personalitzats", "card-edit-labels": "Edita etiquetes", "card-edit-members": "Edita membres", "card-labels-title": "Canvia les etiquetes de la fitxa", @@ -136,8 +136,8 @@ "card-start": "Comença", "card-start-on": "Comença a", "cardAttachmentsPopup-title": "Adjunta des de", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", + "cardCustomField-datePopup-title": "Canviar data", + "cardCustomFieldsPopup-title": "Editar camps personalitzats", "cardDeletePopup-title": "Esborrar fitxa?", "cardDetailsActionsPopup-title": "Accions de fitxes", "cardLabelsPopup-title": "Etiquetes", @@ -146,7 +146,7 @@ "cards": "Fitxes", "cards-count": "Fitxes", "casSignIn": "Sign In with CAS", - "cardType-card": "Card", + "cardType-card": "Fitxa", "cardType-linkedCard": "Linked Card", "cardType-linkedBoard": "Linked Board", "change": "Canvia", @@ -159,7 +159,7 @@ "changePasswordPopup-title": "Canvia la contrasenya", "changePermissionsPopup-title": "Canvia permisos", "changeSettingsPopup-title": "Canvia configuració", - "subtasks": "Subtasks", + "subtasks": "Subtasca", "checklists": "Checklists", "click-to-star": "Fes clic per destacar aquest tauler.", "click-to-unstar": "Fes clic per deixar de destacar aquest tauler.", @@ -181,14 +181,14 @@ "comment-placeholder": "Escriu un comentari", "comment-only": "Només comentaris", "comment-only-desc": "Només pots fer comentaris a les fitxes", - "no-comments": "No comments", + "no-comments": "Sense comentaris", "no-comments-desc": "Can not see comments and activities.", "computer": "Ordinador", - "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-subtask-delete-dialog": "Esteu segur que voleu eliminar la subtasca?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copia l'enllaç de la ftixa al porta-retalls", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchCardPopup-title": "Buscar Fitxa", "copyCardPopup-title": "Copia la fitxa", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Títols de fitxa i Descripcions de destí en aquest format JSON", @@ -197,20 +197,20 @@ "createBoardPopup-title": "Crea tauler", "chooseBoardSourcePopup-title": "Importa Tauler", "createLabelPopup-title": "Crea etiqueta", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", + "createCustomField": "Crear camp", + "createCustomFieldPopup-title": "Crear camp", "current": "Actual", "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", "custom-field-checkbox": "Checkbox", "custom-field-date": "Data", "custom-field-dropdown": "Dropdown List", "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options": "Llista d'opcions", "custom-field-dropdown-options-placeholder": "Press enter to add more options", "custom-field-dropdown-unknown": "(unknown)", "custom-field-number": "Number", "custom-field-text": "Text", - "custom-fields": "Custom Fields", + "custom-fields": "Camps Personalitzats", "date": "Data", "decline": "Declina", "default-avatar": "Avatar per defecte", @@ -230,7 +230,7 @@ "soft-wip-limit": "Soft WIP Limit", "editCardStartDatePopup-title": "Canvia data d'inici", "editCardDueDatePopup-title": "Canvia data de finalització", - "editCustomFieldPopup-title": "Edit Field", + "editCustomFieldPopup-title": "Modificar camp", "editCardSpentTimePopup-title": "Canvia temps dedicat", "editLabelPopup-title": "Canvia etiqueta", "editNotificationPopup-title": "Edita la notificació", @@ -500,8 +500,8 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "assigned-by": "Assigned By", - "requested-by": "Requested By", + "assigned-by": "Assignat Per", + "requested-by": "Demanat Per", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", "boardDeletePopup-title": "Delete Board?", @@ -570,7 +570,7 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Archive", + "r-archive": "Moure al arxiu", "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Afegeix", -- cgit v1.2.3-1-g7c22 From 889aa6d65208db2f3f364cc37a29be9325fa186a Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Fri, 9 Nov 2018 16:00:21 +0100 Subject: Revert "models: boards: add PUT members entry point" This reverts commit f61942e5cb672d3e0fd4df6c5ff9b3f15f7cb778. Adding a member is actually already handled by POST', '/api/boards/:boardId/members/:userId/add' So this function is purely duplicated. Not to mention that the '/add' one allows to set permissions so this one in this commit is less interesting. --- models/boards.js | 32 -------------------------------- 1 file changed, 32 deletions(-) diff --git a/models/boards.js b/models/boards.js index 57f3a1f1..db3b1149 100644 --- a/models/boards.js +++ b/models/boards.js @@ -278,10 +278,6 @@ Boards.helpers({ return Users.find({ _id: { $in: _.pluck(this.members, 'userId') } }); }, - getMember(id) { - return _.findWhere(this.members, { userId: id }); - }, - getLabel(name, color) { return _.findWhere(this.labels, { name, color }); }, @@ -847,34 +843,6 @@ if (Meteor.isServer) { } }); - JsonRoutes.add('PUT', '/api/boards/:boardId/members', function (req, res) { - Authentication.checkUserId(req.userId); - try { - const boardId = req.params.boardId; - const board = Boards.findOne({ _id: boardId }); - const userId = req.body.userId; - const user = Users.findOne({ _id: userId }); - - if (!board.getMember(userId)) { - user.addInvite(boardId); - board.addMember(userId); - JsonRoutes.sendResult(res, { - code: 200, - data: id, - }); - } else { - JsonRoutes.sendResult(res, { - code: 200, - }); - } - } - catch (error) { - JsonRoutes.sendResult(res, { - data: error, - }); - } - }); - JsonRoutes.add('POST', '/api/boards', function (req, res) { try { Authentication.checkUserId(req.userId); -- cgit v1.2.3-1-g7c22 From 49d3eb5a3f21fad1eb2952eb3da2f93c5c5d6272 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Tue, 17 Jul 2018 10:14:26 +0200 Subject: Add OpenAPI description of the REST API The API is generated by a custom script that parses the models directory. Once the API is generated, tools like https://editor.swagger.io/ or Python bravado can parse the file and generate a language friendly API. Note that the tool generate an OpenAPI 2.0 version because bravado doesn't handle OpenAPI 3.0. The script also parses the JSDoc with a custom parser to allow customization of the description of the fields. --- openapi/README.md | 27 ++ openapi/generate_openapi.py | 911 ++++++++++++++++++++++++++++++++++++++++++++ 2 files changed, 938 insertions(+) create mode 100644 openapi/README.md create mode 100644 openapi/generate_openapi.py diff --git a/openapi/README.md b/openapi/README.md new file mode 100644 index 00000000..c353ffd4 --- /dev/null +++ b/openapi/README.md @@ -0,0 +1,27 @@ + +# OpenAPI tools and doc generation + +## Open API generation + +This folder contains a script (`generate_openapi.py`) that extracts +the REST API of Wekan and exports it under the OpenAPI 2.0 specification +(Swagger 2.0). + +### dependencies +- python3 +- [esprima-python](https://github.com/Kronuz/esprima-python) + +### calling the tool + + python3 generate_openapi.py --release v1.65 > ../public/wekan_api.yml + +## Generating docs +Now that we have the OpenAPI, it's easy enough to convert the YAML file into some nice Markdown with +[shins](https://github.com/Mermade/shins) and [api2html](https://github.com/tobilg/api2html), +or even [ReDoc](https://github.com/Rebilly/ReDoc): + + api2html -c ../public/wekan-logo-header.png -o api.html ../public/wekan_api.yml + +or + + redoc-cli serve ../public/wekan_api.yml diff --git a/openapi/generate_openapi.py b/openapi/generate_openapi.py new file mode 100644 index 00000000..2f206a2d --- /dev/null +++ b/openapi/generate_openapi.py @@ -0,0 +1,911 @@ +#!/bin/env python3 + +import argparse +import esprima +import json +import os +import re +import sys + + +def get_req_body_elems(obj, elems): + if obj.type == 'FunctionExpression': + get_req_body_elems(obj.body, elems) + elif obj.type == 'BlockStatement': + for s in obj.body: + get_req_body_elems(s, elems) + elif obj.type == 'TryStatement': + get_req_body_elems(obj.block, elems) + elif obj.type == 'ExpressionStatement': + get_req_body_elems(obj.expression, elems) + elif obj.type == 'MemberExpression': + left = get_req_body_elems(obj.object, elems) + right = obj.property.name + if left == 'req.body' and right not in elems: + elems.append(right) + return f'{left}.{right}' + elif obj.type == 'VariableDeclaration': + for s in obj.declarations: + get_req_body_elems(s, elems) + elif obj.type == 'VariableDeclarator': + if obj.id.type == "ObjectPattern": + # get_req_body_elems() can't be called directly here: + # const {isAdmin, isNoComments, isCommentOnly} = req.body; + right = get_req_body_elems(obj.init, elems) + if right == 'req.body': + for p in obj.id.properties: + name = p.key.name + if name not in elems: + elems.append(name) + else: + get_req_body_elems(obj.init, elems) + elif obj.type == 'Property': + get_req_body_elems(obj.value, elems) + elif obj.type == 'ObjectExpression': + for s in obj.properties: + get_req_body_elems(s, elems) + elif obj.type == 'CallExpression': + for s in obj.arguments: + get_req_body_elems(s, elems) + elif obj.type == 'ArrayExpression': + for s in obj.elements: + get_req_body_elems(s, elems) + elif obj.type == 'IfStatement': + get_req_body_elems(obj.test, elems) + if obj.consequent is not None: + get_req_body_elems(obj.consequent, elems) + if obj.alternate is not None: + get_req_body_elems(obj.alternate, elems) + elif obj.type in ('LogicalExpression', 'BinaryExpression', 'AssignmentExpression'): + get_req_body_elems(obj.left, elems) + get_req_body_elems(obj.right, elems) + elif obj.type in ('ReturnStatement', 'UnaryExpression'): + get_req_body_elems(obj.argument, elems) + elif obj.type == 'Literal': + pass + elif obj.type == 'Identifier': + return obj.name + elif obj.type == 'FunctionDeclaration': + pass + else: + print(obj) + return '' + + +def cleanup_jsdocs(jsdoc): + # remove leading spaces before the first '*' + doc = [s.lstrip() for s in jsdoc.value.split('\n')] + + # remove leading stars + doc = [s.lstrip('*') for s in doc] + + # remove leading empty lines + while len(doc) and not doc[0].strip(): + doc.pop(0) + + # remove terminating empty lines + while len(doc) and not doc[-1].strip(): + doc.pop(-1) + + return doc + + +class JS2jsonDecoder(json.JSONDecoder): + def decode(self, s): + result = super().decode(s) # result = super(Decoder, self).decode(s) for Python 2.x + return self._decode(result) + + def _decode(self, o): + if isinstance(o, str) or isinstance(o, unicode): + try: + return int(o) + except ValueError: + return o + elif isinstance(o, dict): + return {k: self._decode(v) for k, v in o.items()} + elif isinstance(o, list): + return [self._decode(v) for v in o] + else: + return o + + +def load_return_type_jsdoc_json(data): + regex_replace = [(r'\n', r' '), # replace new lines by spaces + (r'([\{\s,])(\w+)(:)', r'\1"\2"\3'), # insert double quotes in keys + (r'(:)\s*([^:\},\]]+)\s*([\},\]])', r'\1"\2"\3'), # insert double quotes in values + (r'(\[)\s*([^{].+)\s*(\])', r'\1"\2"\3'), # insert double quotes in array items + (r'^\s*([^\[{].+)\s*', r'"\1"')] # insert double quotes in single item + for r, s in regex_replace: + data = re.sub(r, s, data) + return json.loads(data) + + +class EntryPoint(object): + def __init__(self, schema, statements): + self.schema = schema + self.method, self._path, self.body = statements + self._jsdoc = None + self._doc = {} + self._raw_doc = None + self.path = self.compute_path() + self.method_name = self.method.value.lower() + self.body_params = [] + if self.method_name in ('post', 'put'): + get_req_body_elems(self.body, self.body_params) + + # replace the :parameter in path by {parameter} + self.url = re.sub(r':([^/]*)Id', r'{\1}', self.path) + self.url = re.sub(r':([^/]*)', r'{\1}', self.url) + + # reduce the api name + # get_boards_board_cards() should be get_board_cards() + tokens = self.url.split('/') + reduced_function_name = [] + for i, token in enumerate(tokens): + if token in ('api'): + continue + if (i < len(tokens) - 1 and # not the last item + tokens[i + 1].startswith('{')): # and the next token is a parameter + continue + reduced_function_name.append(token.strip('{}')) + self.reduced_function_name = '_'.join(reduced_function_name) + + # mark the schema as used + schema.used = True + + def compute_path(self): + return self._path.value.rstrip('/') + + def error(self, message): + if self._raw_doc is None: + sys.stderr.write(f'in {self.schema.name},\n') + sys.stderr.write(f'{message}\n') + return + sys.stderr.write(f'in {self.schema.name}, lines {self._raw_doc.loc.start.line}-{self._raw_doc.loc.end.line}\n') + sys.stderr.write(f'{self._raw_doc.value}\n') + sys.stderr.write(f'{message}\n') + + @property + def doc(self): + return self._doc + + @doc.setter + def doc(self, doc): + '''Parse the JSDoc attached to an entry point. + `jsdoc` will not get these right as they are not attached to a method. + So instead, we do our custom parsing here (yes, subject to errors). + + The expected format is the following (empty lines between entries + are ignored): + /** + * @operation name_of_entry_point + * @tag: a_tag_to_add + * @tag: an_other_tag_to_add + * @summary A nice summary, better in one line. + * + * @description This is a quite long description. + * We can use *mardown* as the final rendering is done + * by slate. + * + * indentation doesn't matter. + * + * @param param_0 description of param 0 + * @param {string} param_1 we can also put the type of the parameter + * before its name, like in JSDoc + * @param {boolean} [param_2] we can also tell if the parameter is + * optional by adding square brackets around its name + * + * @return Documents a return value + */ + + Notes: + - name_of_entry_point will be referenced in the ToC of the generated + document. This is also the operationId used in the resulting openapi + file. It needs to be uniq in the namesapce (the current schema.js + file) + - tags are appended to the current Schema attached to the file + ''' + + self._raw_doc = doc + + self._jsdoc = cleanup_jsdocs(doc) + + def store_tag(tag, data): + # check that there is something to store first + if not data.strip(): + return + + # remove terminating whitespaces and empty lines + data = data.rstrip() + + # parameters are handled specially + if tag == 'param': + if 'params' not in self._doc: + self._doc['params'] = {} + params = self._doc['params'] + + param_type = None + try: + name, desc = data.split(maxsplit=1) + except ValueError: + desc = '' + + if name.startswith('{'): + param_type = name.strip('{}') + if param_type not in ['string', 'number', 'boolean', 'integer', 'array', 'file']: + self.error(f'Warning, unknown type {param_type}\n allowed values: string, number, boolean, integer, array, file') + try: + name, desc = desc.split(maxsplit=1) + except ValueError: + desc = '' + + optional = name.startswith('[') and name.endswith(']') + + if optional: + name = name[1:-1] + + # we should not have 2 identical parameter names + if tag in params: + self.error(f'Warning, overwriting parameter {name}') + + params[name] = (param_type, optional, desc) + + if name.endswith('Id'): + # we strip out the 'Id' from the form parameters, we need + # to keep the actual description around + name = name[:-2] + if name not in params: + params[name] = (param_type, optional, desc) + + return + + # 'tag' can be set several times + if tag == 'tag': + if tag not in self._doc: + self._doc[tag] = [] + self._doc[tag].append(data) + + return + + # 'return' tag is json + if tag == 'return_type': + try: + data = load_return_type_jsdoc_json(data) + except json.decoder.JSONDecodeError: + pass + + # we should not have 2 identical tags but @param or @tag + if tag in self._doc: + self.error(f'Warning, overwriting tag {tag}') + + self._doc[tag] = data + + # reset the current doc fields + self._doc = {} + + # first item is supposed to be the description + current_tag = 'description' + current_data = '' + + for line in self._jsdoc: + if line.lstrip().startswith('@'): + tag, data = line.lstrip().split(maxsplit=1) + + if tag in ['@operation', '@summary', '@description', '@param', '@return_type', '@tag']: + # store the current data + store_tag(current_tag, current_data) + + current_tag = tag.lstrip('@') + current_data = '' + line = data + else: + self.error(f'Unknown tag {tag}, ignoring') + + current_data += line + '\n' + + store_tag(current_tag, current_data) + + @property + def summary(self): + if 'summary' in self._doc: + # new lines are not allowed + return self._doc['summary'].replace('\n', ' ') + + return None + + def doc_param(self, name): + if 'params' in self._doc and name in self._doc['params']: + return self._doc['params'][name] + return None, None, None + + def print_openapi_param(self, name, indent): + ptype, poptional, pdesc = self.doc_param(name) + if pdesc is not None: + print(f'{" " * indent}description: |') + print(f'{" " * (indent + 2)}{pdesc}') + else: + print(f'{" " * indent}description: the {name} value') + if ptype is not None: + print(f'{" " * indent}type: {ptype}') + else: + print(f'{" " * indent}type: string') + if poptional: + print(f'{" " * indent}required: false') + else: + print(f'{" " * indent}required: true') + + @property + def operationId(self): + if 'operation' in self._doc: + return self._doc['operation'] + return f'{self.method_name}_{self.reduced_function_name}' + + @property + def description(self): + if 'description' in self._doc: + return self._doc['description'] + return None + + @property + def returns(self): + if 'return_type' in self._doc: + return self._doc['return_type'] + return None + + @property + def tags(self): + tags = [] + if self.schema.fields is not None: + tags.append(self.schema.name) + if 'tag' in self._doc: + tags.extend(self._doc['tag']) + return tags + + def print_openapi_return(self, obj, indent): + if isinstance(obj, dict): + print(f'{" " * indent}type: object') + print(f'{" " * indent}properties:') + for k, v in obj.items(): + print(f'{" " * (indent + 2)}{k}:') + self.print_openapi_return(v, indent + 4) + + elif isinstance(obj, list): + if len(obj) > 1: + self.error('Error while parsing @return tag, an array should have only one type') + print(f'{" " * indent}type: array') + print(f'{" " * indent}items:') + self.print_openapi_return(obj[0], indent + 2) + + elif isinstance(obj, str) or isinstance(obj, unicode): + rtype = 'type: ' + obj + if obj == self.schema.name: + rtype = f'$ref: "#/definitions/{obj}"' + print(f'{" " * indent}{rtype}') + + def print_openapi(self): + parameters = [token[1:-2] if token.endswith('Id') else token[1:] + for token in self.path.split('/') + if token.startswith(':')] + + print(f' {self.method_name}:') + + print(f' operationId: {self.operationId}') + + if self.summary is not None: + print(f' summary: {self.summary}') + + if self.description is not None: + print(f' description: |') + for line in self.description.split('\n'): + if line.strip(): + print(f' {line}') + else: + print('') + + if len(self.tags) > 0: + print(f' tags:') + for tag in self.tags: + print(f' - {tag}') + + # export the parameters + if self.method_name in ('post', 'put'): + print(''' consumes: + - multipart/form-data + - application/json''') + if len(parameters) > 0 or self.method_name in ('post', 'put'): + print(' parameters:') + if self.method_name in ('post', 'put'): + for f in self.body_params: + print(f''' - name: {f} + in: formData''') + self.print_openapi_param(f, 10) + for p in parameters: + if p in self.body_params: + self.error(' '.join((p, self.path, self.method_name))) + print(f''' - name: {p} + in: path''') + self.print_openapi_param(p, 10) + print(''' produces: + - application/json + security: + - UserSecurity: [] + responses: + '200': + description: |- + 200 response''') + if self.returns is not None: + print(' schema:') + self.print_openapi_return(self.returns, 12) + + +class SchemaProperty(object): + def __init__(self, statement, schema): + self.schema = schema + self.statement = statement + self.name = statement.key.name or statement.key.value + self.type = 'object' + self.blackbox = False + self.required = True + for p in statement.value.properties: + if p.key.name == 'type': + if p.value.type == 'Identifier': + self.type = p.value.name.lower() + elif p.value.type == 'ArrayExpression': + self.type = 'array' + self.elements = [e.name.lower() for e in p.value.elements] + + elif p.key.name == 'allowedValues': + self.type = 'enum' + self.enum = [e.value.lower() for e in p.value.elements] + + elif p.key.name == 'blackbox': + self.blackbox = True + + elif p.key.name == 'optional' and p.value.value: + self.required = False + + self._doc = None + self._raw_doc = None + + @property + def doc(self): + return self._doc + + @doc.setter + def doc(self, jsdoc): + self._raw_doc = jsdoc + self._doc = cleanup_jsdocs(jsdoc) + + def process_jsdocs(self, jsdocs): + start = self.statement.key.loc.start.line + for index, doc in enumerate(jsdocs): + if start + 1 == doc.loc.start.line: + self.doc = doc + jsdocs.pop(index) + return + + def __repr__(self): + return f'SchemaProperty({self.name}{"*" if self.required else ""}, {self.doc})' + + def print_openapi(self, indent, current_schema, required_properties): + schema_name = self.schema.name + name = self.name + + # deal with subschemas + if '.' in name: + if name.endswith('$'): + # reference in reference + subschema = ''.join([n.capitalize() for n in self.name.split('.')[:-1]]) + subschema = self.schema.name + subschema + if current_schema != subschema: + if required_properties is not None and required_properties: + print(' required:') + for f in required_properties: + print(f' - {f}') + required_properties.clear() + + print(f''' {subschema}: + type: object''') + return current_schema + + subschema = name.split('.')[0] + schema_name = self.schema.name + subschema.capitalize() + name = name.split('.')[-1] + + if current_schema != schema_name: + if required_properties is not None and required_properties: + print(' required:') + for f in required_properties: + print(f' - {f}') + required_properties.clear() + + print(f''' {schema_name}: + type: object + properties:''') + + if required_properties is not None and self.required: + required_properties.append(name) + + print(f'{" "*indent}{name}:') + + if self.doc is not None: + print(f'{" "*indent} description: |') + for line in self.doc: + if line.strip(): + print(f'{" "*indent} {line}') + else: + print('') + + ptype = self.type + if ptype in ('enum', 'date'): + ptype = 'string' + if ptype != 'object': + print(f'{" "*indent} type: {ptype}') + + if self.type == 'array': + print(f'{" "*indent} items:') + for elem in self.elements: + if elem == 'object': + print(f'{" "*indent} $ref: "#/definitions/{schema_name + name.capitalize()}"') + else: + print(f'{" "*indent} type: {elem}') + if not self.required: + print(f'{" "*indent} x-nullable: true') + + elif self.type == 'object': + if self.blackbox: + print(f'{" "*indent} type: object') + else: + print(f'{" "*indent} $ref: "#/definitions/{schema_name + name.capitalize()}"') + + elif self.type == 'enum': + print(f'{" "*indent} enum:') + for enum in self.enum: + print(f'{" "*indent} - {enum}') + + if '.' not in self.name and not self.required: + print(f'{" "*indent} x-nullable: true') + + return schema_name + + +class Schemas(object): + def __init__(self, data=None, jsdocs=None, name=None): + self.name = name + self._data = data + self.fields = None + self.used = False + + if data is not None: + if self.name is None: + self.name = data.expression.callee.object.name + + content = data.expression.arguments[0].arguments[0] + self.fields = [SchemaProperty(p, self) for p in content.properties] + + self._doc = None + self._raw_doc = None + + if jsdocs is not None: + self.process_jsdocs(jsdocs) + + @property + def doc(self): + if self._doc is None: + return None + return ' '.join(self._doc) + + @doc.setter + def doc(self, jsdoc): + self._raw_doc = jsdoc + self._doc = cleanup_jsdocs(jsdoc) + + def process_jsdocs(self, jsdocs): + start = self._data.loc.start.line + end = self._data.loc.end.line + + for doc in jsdocs: + if doc.loc.end.line + 1 == start: + self.doc = doc + + docs = [doc + for doc in jsdocs + if doc.loc.start.line >= start and doc.loc.end.line <= end] + + for field in self.fields: + field.process_jsdocs(docs) + + def print_openapi(self): + # empty schemas are skipped + if self.fields is None: + return + + print(f' {self.name}:') + print(' type: object') + if self.doc is not None: + print(f' description: {self.doc}') + + print(' properties:') + + # first print out the object itself + properties = [field for field in self.fields if '.' not in field.name] + for prop in properties: + prop.print_openapi(6, None, None) + + required_properties = [f.name for f in properties if f.required] + if required_properties: + print(' required:') + for f in required_properties: + print(f' - {f}') + + # then print the references + current = None + required_properties = [] + properties = [f for f in self.fields if '.' in f.name and not f.name.endswith('$')] + for prop in properties: + current = prop.print_openapi(6, current, required_properties) + + if required_properties: + print(' required:') + for f in required_properties: + print(f' - {f}') + + required_properties = [] + # then print the references in the references + for prop in [f for f in self.fields if '.' in f.name and f.name.endswith('$')]: + current = prop.print_openapi(6, current, required_properties) + + if required_properties: + print(' required:') + for f in required_properties: + print(f' - {f}') + + +def parse_schemas(schemas_dir): + + schemas = {} + entry_points = [] + + for root, dirs, files in os.walk(schemas_dir): + files.sort() + for filename in files: + path = os.path.join(root, filename) + with open(path) as f: + data = ''.join(f.readlines()) + try: + # if the file failed, it's likely it doesn't contain a schema + program = esprima.parseScript(data, options={'comment': True, 'loc': True}) + except: + continue + + current_schema = None + jsdocs = [c for c in program.comments + if c.type == 'Block' and c.value.startswith('*\n')] + + for statement in program.body: + + # find the '.attachSchema(new SimpleSchema()' + # those are the schemas + if (statement.type == 'ExpressionStatement' and + statement.expression.callee is not None and + statement.expression.callee.property is not None and + statement.expression.callee.property.name == 'attachSchema' and + statement.expression.arguments[0].type == 'NewExpression' and + statement.expression.arguments[0].callee.name == 'SimpleSchema'): + + schema = Schemas(statement, jsdocs) + current_schema = schema.name + schemas[current_schema] = schema + + # find all the 'if (Meteor.isServer) { JsonRoutes.add(' + # those are the entry points of the API + elif (statement.type == 'IfStatement' and + statement.test.type == 'MemberExpression' and + statement.test.object.name == 'Meteor' and + statement.test.property.name == 'isServer'): + data = [s.expression.arguments + for s in statement.consequent.body + if (s.type == 'ExpressionStatement' and + s.expression.type == 'CallExpression' and + s.expression.callee.object.name == 'JsonRoutes')] + + # we found at least one entry point, keep them + if len(data) > 0: + if current_schema is None: + current_schema = filename + schemas[current_schema] = Schemas(name=current_schema) + + schema_entry_points = [EntryPoint(schemas[current_schema], d) + for d in data] + entry_points.extend(schema_entry_points) + + # try to match JSDoc to the operations + for entry_point in schema_entry_points: + operation = entry_point.method # POST/GET/PUT/DELETE + jsdoc = [j for j in jsdocs + if j.loc.end.line + 1 == operation.loc.start.line] + if bool(jsdoc): + entry_point.doc = jsdoc[0] + + return schemas, entry_points + + +def generate_openapi(schemas, entry_points, version): + print(f'''swagger: '2.0' +info: + title: Wekan REST API + version: {version} + description: | + The REST API allows you to control and extend Wekan with ease. + + If you are an end-user and not a dev or a tester, [create an issue](https://github.com/wekan/wekan/issues/new) to request new APIs. + + > All API calls in the documentation are made using `curl`. However, you are free to use Java / Python / PHP / Golang / Ruby / Swift / Objective-C / Rust / Scala / C# or any other programming languages. + + # Production Security Concerns + When calling a production Wekan server, ensure it is running via HTTPS and has a valid SSL Certificate. The login method requires you to post your username and password in plaintext, which is why we highly suggest only calling the REST login api over HTTPS. Also, few things to note: + + * Only call via HTTPS + * Implement a timed authorization token expiration strategy + * Ensure the calling user only has permissions for what they are calling and no more + +schemes: + - http + +securityDefinitions: + UserSecurity: + type: apiKey + in: header + name: Authorization + +paths: + /users/login: + post: + operationId: login + summary: Login with REST API + consumes: + - application/x-www-form-urlencoded + - application/json + tags: + - Login + parameters: + - name: username + in: formData + required: true + description: | + Your username + type: string + - name: password + in: formData + required: true + description: | + Your password + type: string + format: password + responses: + 200: + description: |- + Successful authentication + schema: + items: + properties: + id: + type: string + token: + type: string + tokenExpires: + type: string + 400: + description: | + Error in authentication + schema: + items: + properties: + error: + type: number + reason: + type: string + default: + description: | + Error in authentication + /users/register: + post: + operationId: register + summary: Register with REST API + description: | + Notes: + - You will need to provide the token for any of the authenticated methods. + consumes: + - application/x-www-form-urlencoded + - application/json + tags: + - Login + parameters: + - name: username + in: formData + required: true + description: | + Your username + type: string + - name: password + in: formData + required: true + description: | + Your password + type: string + format: password + - name: email + in: formData + required: true + description: | + Your email + type: string + responses: + 200: + description: |- + Successful registration + schema: + items: + properties: + id: + type: string + token: + type: string + tokenExpires: + type: string + 400: + description: | + Error in registration + schema: + items: + properties: + error: + type: number + reason: + type: string + default: + description: | + Error in registration +''') + + # GET and POST on the same path are valid, we need to reshuffle the paths + # with the path as the sorting key + methods = {} + for ep in entry_points: + if ep.path not in methods: + methods[ep.path] = [] + methods[ep.path].append(ep) + + sorted_paths = list(methods.keys()) + sorted_paths.sort() + + for path in sorted_paths: + print(f' {methods[path][0].url}:') + + for ep in methods[path]: + ep.print_openapi() + + print('definitions:') + for schema in schemas.values(): + # do not export the objects if there is no API attached + if not schema.used: + continue + + schema.print_openapi() + + +def main(): + parser = argparse.ArgumentParser(description='Generate an OpenAPI 2.0 from the given JS schemas.') + script_dir = os.path.dirname(os.path.realpath(__file__)) + parser.add_argument('--release', default=f'git-master', nargs=1, + help='the current version of the API, can be retrieved by running `git describe --tags --abbrev=0`') + parser.add_argument('dir', default=f'{script_dir}/../models', nargs='?', + help='the directory where to look for schemas') + + args = parser.parse_args() + schemas, entry_points = parse_schemas(args.dir) + generate_openapi(schemas, entry_points, args.release[0]) + + +if __name__ == '__main__': + main() -- cgit v1.2.3-1-g7c22 From ff467402c0c24981078f1f8e2b92b26b0d67d00a Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Fri, 26 Oct 2018 07:27:24 +0200 Subject: RESTAPI: Add some JSDoc So we can have a decent REST API documentation generated. --- models/boards.js | 176 +++++++++++++++++++++++++++++++++++++++++++++++ models/cardComments.js | 56 +++++++++++++++ models/cards.js | 169 +++++++++++++++++++++++++++++++++++++++++++++ models/checklistItems.js | 55 +++++++++++++++ models/checklists.js | 63 +++++++++++++++++ models/customFields.js | 73 ++++++++++++++++++++ models/export.js | 15 ++-- models/integrations.js | 99 ++++++++++++++++++++++++-- models/lists.js | 68 ++++++++++++++++++ models/swimlanes.js | 59 ++++++++++++++++ models/users.js | 172 +++++++++++++++++++++++++++++++++++++++++++++ 11 files changed, 994 insertions(+), 11 deletions(-) diff --git a/models/boards.js b/models/boards.js index db3b1149..99480ca7 100644 --- a/models/boards.js +++ b/models/boards.js @@ -1,10 +1,19 @@ Boards = new Mongo.Collection('boards'); +/** + * This is a Board. + */ Boards.attachSchema(new SimpleSchema({ title: { + /** + * The title of the board + */ type: String, }, slug: { + /** + * The title slugified. + */ type: String, autoValue() { // eslint-disable-line consistent-return // XXX We need to improve slug management. Only the id should be necessary @@ -24,6 +33,9 @@ Boards.attachSchema(new SimpleSchema({ }, }, archived: { + /** + * Is the board archived? + */ type: Boolean, autoValue() { // eslint-disable-line consistent-return if (this.isInsert && !this.isSet) { @@ -32,6 +44,9 @@ Boards.attachSchema(new SimpleSchema({ }, }, createdAt: { + /** + * Creation time of the board + */ type: Date, autoValue() { // eslint-disable-line consistent-return if (this.isInsert) { @@ -43,6 +58,9 @@ Boards.attachSchema(new SimpleSchema({ }, // XXX Inconsistent field naming modifiedAt: { + /** + * Last modification time of the board + */ type: Date, optional: true, autoValue() { // eslint-disable-line consistent-return @@ -55,6 +73,9 @@ Boards.attachSchema(new SimpleSchema({ }, // De-normalized number of users that have starred this board stars: { + /** + * How many stars the board has + */ type: Number, autoValue() { // eslint-disable-line consistent-return if (this.isInsert) { @@ -64,6 +85,9 @@ Boards.attachSchema(new SimpleSchema({ }, // De-normalized label system 'labels': { + /** + * List of labels attached to a board + */ type: [Object], autoValue() { // eslint-disable-line consistent-return if (this.isInsert && !this.isSet) { @@ -78,6 +102,9 @@ Boards.attachSchema(new SimpleSchema({ }, }, 'labels.$._id': { + /** + * Unique id of a label + */ // We don't specify that this field must be unique in the board because that // will cause performance penalties and is not necessary since this field is // always set on the server. @@ -86,10 +113,22 @@ Boards.attachSchema(new SimpleSchema({ type: String, }, 'labels.$.name': { + /** + * Name of a label + */ type: String, optional: true, }, 'labels.$.color': { + /** + * color of a label. + * + * Can be amongst `green`, `yellow`, `orange`, `red`, `purple`, + * `blue`, `sky`, `lime`, `pink`, `black`, + * `silver`, `peachpuff`, `crimson`, `plum`, `darkgreen`, + * `slateblue`, `magenta`, `gold`, `navy`, `gray`, + * `saddlebrown`, `paleturquoise`, `mistyrose`, `indigo` + */ type: String, allowedValues: [ 'green', 'yellow', 'orange', 'red', 'purple', @@ -103,6 +142,9 @@ Boards.attachSchema(new SimpleSchema({ // documents like de-normalized meta-data (the date the member joined the // board, the number of contributions, etc.). 'members': { + /** + * List of members of a board + */ type: [Object], autoValue() { // eslint-disable-line consistent-return if (this.isInsert && !this.isSet) { @@ -117,27 +159,48 @@ Boards.attachSchema(new SimpleSchema({ }, }, 'members.$.userId': { + /** + * The uniq ID of the member + */ type: String, }, 'members.$.isAdmin': { + /** + * Is the member an admin of the board? + */ type: Boolean, }, 'members.$.isActive': { + /** + * Is the member active? + */ type: Boolean, }, 'members.$.isNoComments': { + /** + * Is the member not allowed to make comments + */ type: Boolean, optional: true, }, 'members.$.isCommentOnly': { + /** + * Is the member only allowed to comment on the board + */ type: Boolean, optional: true, }, permission: { + /** + * visibility of the board + */ type: String, allowedValues: ['public', 'private'], }, color: { + /** + * The color of the board. + */ type: String, allowedValues: [ 'belize', @@ -154,24 +217,45 @@ Boards.attachSchema(new SimpleSchema({ }, }, description: { + /** + * The description of the board + */ type: String, optional: true, }, subtasksDefaultBoardId: { + /** + * The default board ID assigned to subtasks. + */ type: String, optional: true, defaultValue: null, }, subtasksDefaultListId: { + /** + * The default List ID assigned to subtasks. + */ type: String, optional: true, defaultValue: null, }, allowsSubtasks: { + /** + * Does the board allows subtasks? + */ type: Boolean, defaultValue: true, }, presentParentTask: { + /** + * Controls how to present the parent task: + * + * - `prefix-with-full-path`: add a prefix with the full path + * - `prefix-with-parent`: add a prefisx with the parent name + * - `subtext-with-full-path`: add a subtext with the full path + * - `subtext-with-parent`: add a subtext with the parent name + * - `no-parent`: does not show the parent at all + */ type: String, allowedValues: [ 'prefix-with-full-path', @@ -184,23 +268,38 @@ Boards.attachSchema(new SimpleSchema({ defaultValue: 'no-parent', }, startAt: { + /** + * Starting date of the board. + */ type: Date, optional: true, }, dueAt: { + /** + * Due date of the board. + */ type: Date, optional: true, }, endAt: { + /** + * End date of the board. + */ type: Date, optional: true, }, spentTime: { + /** + * Time spent in the board. + */ type: Number, decimal: true, optional: true, }, isOvertime: { + /** + * Is the board overtimed? + */ type: Boolean, defaultValue: false, optional: true, @@ -774,6 +873,14 @@ if (Meteor.isServer) { //BOARDS REST API if (Meteor.isServer) { + /** + * @operation get_boards_from_user + * @summary Get all boards attached to a user + * + * @param {string} userId the ID of the user to retrieve the data + * @return_type [{_id: string, + title: string}] + */ JsonRoutes.add('GET', '/api/users/:userId/boards', function (req, res) { try { Authentication.checkLoggedIn(req.userId); @@ -804,6 +911,13 @@ if (Meteor.isServer) { } }); + /** + * @operation get_public_boards + * @summary Get all public boards + * + * @return_type [{_id: string, + title: string}] + */ JsonRoutes.add('GET', '/api/boards', function (req, res) { try { Authentication.checkUserId(req.userId); @@ -825,6 +939,13 @@ if (Meteor.isServer) { } }); + /** + * @operation get_board + * @summary Get the board with that particular ID + * + * @param {string} boardId the ID of the board to retrieve the data + * @return_type Boards + */ JsonRoutes.add('GET', '/api/boards/:boardId', function (req, res) { try { const id = req.params.boardId; @@ -843,6 +964,31 @@ if (Meteor.isServer) { } }); + /** + * @operation new_board + * @summary Create a board + * + * @description This allows to create a board. + * + * The color has to be chosen between `belize`, `nephritis`, `pomegranate`, + * `pumpkin`, `wisteria`, `midnight`: + * + * Wekan logo + * + * @param {string} title the new title of the board + * @param {string} owner "ABCDE12345" <= User ID in Wekan. + * (Not username or email) + * @param {boolean} [isAdmin] is the owner an admin of the board (default true) + * @param {boolean} [isActive] is the board active (default true) + * @param {boolean} [isNoComments] disable comments (default false) + * @param {boolean} [isCommentOnly] only enable comments (default false) + * @param {string} [permission] "private" board <== Set to "public" if you + * want public Wekan board + * @param {string} [color] the color of the board + * + * @return_type {_id: string, + defaultSwimlaneId: string} + */ JsonRoutes.add('POST', '/api/boards', function (req, res) { try { Authentication.checkUserId(req.userId); @@ -880,6 +1026,12 @@ if (Meteor.isServer) { } }); + /** + * @operation delete_board + * @summary Delete a board + * + * @param {string} boardId the ID of the board + */ JsonRoutes.add('DELETE', '/api/boards/:boardId', function (req, res) { try { Authentication.checkUserId(req.userId); @@ -900,6 +1052,19 @@ if (Meteor.isServer) { } }); + /** + * @operation add_board_label + * @summary Add a label to a board + * + * @description If the board doesn't have the name/color label, this function + * adds the label to the board. + * + * @param {string} boardId the board + * @param {string} color the color of the new label + * @param {string} name the name of the new label + * + * @return_type string + */ JsonRoutes.add('PUT', '/api/boards/:boardId/labels', function (req, res) { Authentication.checkUserId(req.userId); const id = req.params.boardId; @@ -929,6 +1094,17 @@ if (Meteor.isServer) { } }); + /** + * @operation set_board_member_permission + * @tag Users + * @summary Change the permission of a member of a board + * + * @param {string} boardId the ID of the board that we are changing + * @param {string} memberId the ID of the user to change permissions + * @param {boolean} isAdmin admin capability + * @param {boolean} isNoComments NoComments capability + * @param {boolean} isCommentOnly CommentsOnly capability + */ JsonRoutes.add('POST', '/api/boards/:boardId/members/:memberId', function (req, res) { try { const boardId = req.params.boardId; diff --git a/models/cardComments.js b/models/cardComments.js index b6cb10fa..974c5ec9 100644 --- a/models/cardComments.js +++ b/models/cardComments.js @@ -1,19 +1,34 @@ CardComments = new Mongo.Collection('card_comments'); +/** + * A comment on a card + */ CardComments.attachSchema(new SimpleSchema({ boardId: { + /** + * the board ID + */ type: String, }, cardId: { + /** + * the card ID + */ type: String, }, // XXX Rename in `content`? `text` is a bit vague... text: { + /** + * the text of the comment + */ type: String, }, // XXX We probably don't need this information here, since we already have it // in the associated comment creation activity createdAt: { + /** + * when was the comment created + */ type: Date, denyUpdate: false, autoValue() { // eslint-disable-line consistent-return @@ -26,6 +41,9 @@ CardComments.attachSchema(new SimpleSchema({ }, // XXX Should probably be called `authorId` userId: { + /** + * the author ID of the comment + */ type: String, autoValue() { // eslint-disable-line consistent-return if (this.isInsert && !this.isSet) { @@ -87,6 +105,16 @@ if (Meteor.isServer) { //CARD COMMENT REST API if (Meteor.isServer) { + /** + * @operation get_all_comments + * @summary Get all comments attached to a card + * + * @param {string} boardId the board ID of the card + * @param {string} cardId the ID of the card + * @return_type [{_id: string, + * comment: string, + * authorId: string}] + */ JsonRoutes.add('GET', '/api/boards/:boardId/cards/:cardId/comments', function (req, res) { try { Authentication.checkUserId( req.userId); @@ -111,6 +139,15 @@ if (Meteor.isServer) { } }); + /** + * @operation get_comment + * @summary Get a comment on a card + * + * @param {string} boardId the board ID of the card + * @param {string} cardId the ID of the card + * @param {string} commentId the ID of the comment to retrieve + * @return_type CardComments + */ JsonRoutes.add('GET', '/api/boards/:boardId/cards/:cardId/comments/:commentId', function (req, res) { try { Authentication.checkUserId( req.userId); @@ -130,6 +167,16 @@ if (Meteor.isServer) { } }); + /** + * @operation new_comment + * @summary Add a comment on a card + * + * @param {string} boardId the board ID of the card + * @param {string} cardId the ID of the card + * @param {string} authorId the user who 'posted' the comment + * @param {string} text the content of the comment + * @return_type {_id: string} + */ JsonRoutes.add('POST', '/api/boards/:boardId/cards/:cardId/comments', function (req, res) { try { Authentication.checkUserId( req.userId); @@ -160,6 +207,15 @@ if (Meteor.isServer) { } }); + /** + * @operation delete_comment + * @summary Delete a comment on a card + * + * @param {string} boardId the board ID of the card + * @param {string} cardId the ID of the card + * @param {string} commentId the ID of the comment to delete + * @return_type {_id: string} + */ JsonRoutes.add('DELETE', '/api/boards/:boardId/cards/:cardId/comments/:commentId', function (req, res) { try { Authentication.checkUserId( req.userId); diff --git a/models/cards.js b/models/cards.js index 7b05e4b5..aa0bf93e 100644 --- a/models/cards.js +++ b/models/cards.js @@ -5,11 +5,17 @@ Cards = new Mongo.Collection('cards'); // of comments just to display the number of them in the board view. Cards.attachSchema(new SimpleSchema({ title: { + /** + * the title of the card + */ type: String, optional: true, defaultValue: '', }, archived: { + /** + * is the card archived + */ type: Boolean, autoValue() { // eslint-disable-line consistent-return if (this.isInsert && !this.isSet) { @@ -18,33 +24,51 @@ Cards.attachSchema(new SimpleSchema({ }, }, parentId: { + /** + * ID of the parent card + */ type: String, optional: true, defaultValue: '', }, listId: { + /** + * List ID where the card is + */ type: String, optional: true, defaultValue: '', }, swimlaneId: { + /** + * Swimlane ID where the card is + */ type: String, }, // The system could work without this `boardId` information (we could deduce // the board identifier from the card), but it would make the system more // difficult to manage and less efficient. boardId: { + /** + * Board ID of the card + */ type: String, optional: true, defaultValue: '', }, coverId: { + /** + * Cover ID of the card + */ type: String, optional: true, defaultValue: '', }, createdAt: { + /** + * creation date + */ type: Date, autoValue() { // eslint-disable-line consistent-return if (this.isInsert) { @@ -55,6 +79,9 @@ Cards.attachSchema(new SimpleSchema({ }, }, customFields: { + /** + * list of custom fields + */ type: [Object], optional: true, defaultValue: [], @@ -62,11 +89,17 @@ Cards.attachSchema(new SimpleSchema({ 'customFields.$': { type: new SimpleSchema({ _id: { + /** + * the ID of the related custom field + */ type: String, optional: true, defaultValue: '', }, value: { + /** + * value attached to the custom field + */ type: Match.OneOf(String, Number, Boolean, Date), optional: true, defaultValue: '', @@ -74,59 +107,95 @@ Cards.attachSchema(new SimpleSchema({ }), }, dateLastActivity: { + /** + * Date of last activity + */ type: Date, autoValue() { return new Date(); }, }, description: { + /** + * description of the card + */ type: String, optional: true, defaultValue: '', }, requestedBy: { + /** + * who requested the card (ID of the user) + */ type: String, optional: true, defaultValue: '', }, assignedBy: { + /** + * who assigned the card (ID of the user) + */ type: String, optional: true, defaultValue: '', }, labelIds: { + /** + * list of labels ID the card has + */ type: [String], optional: true, defaultValue: [], }, members: { + /** + * list of members (user IDs) + */ type: [String], optional: true, defaultValue: [], }, receivedAt: { + /** + * Date the card was received + */ type: Date, optional: true, }, startAt: { + /** + * Date the card was started to be worked on + */ type: Date, optional: true, }, dueAt: { + /** + * Date the card is due + */ type: Date, optional: true, }, endAt: { + /** + * Date the card ended + */ type: Date, optional: true, }, spentTime: { + /** + * How much time has been spent on this + */ type: Number, decimal: true, optional: true, defaultValue: 0, }, isOvertime: { + /** + * is the card over time? + */ type: Boolean, defaultValue: false, optional: true, @@ -134,6 +203,9 @@ Cards.attachSchema(new SimpleSchema({ // XXX Should probably be called `authorId`. Is it even needed since we have // the `members` field? userId: { + /** + * user ID of the author of the card + */ type: String, autoValue() { // eslint-disable-line consistent-return if (this.isInsert && !this.isSet) { @@ -142,21 +214,33 @@ Cards.attachSchema(new SimpleSchema({ }, }, sort: { + /** + * Sort value + */ type: Number, decimal: true, defaultValue: '', }, subtaskSort: { + /** + * subtask sort value + */ type: Number, decimal: true, defaultValue: -1, optional: true, }, type: { + /** + * type of the card + */ type: String, defaultValue: '', }, linkedId: { + /** + * ID of the linked card + */ type: String, optional: true, defaultValue: '', @@ -1309,6 +1393,17 @@ if (Meteor.isServer) { } //SWIMLANES REST API if (Meteor.isServer) { + /** + * @operation get_swimlane_cards + * @summary get all cards attached to a swimlane + * + * @param {string} boardId the board ID + * @param {string} swimlaneId the swimlane ID + * @return_type [{_id: string, + * title: string, + * description: string, + * listId: string}] + */ JsonRoutes.add('GET', '/api/boards/:boardId/swimlanes/:swimlaneId/cards', function(req, res) { const paramBoardId = req.params.boardId; const paramSwimlaneId = req.params.swimlaneId; @@ -1332,6 +1427,16 @@ if (Meteor.isServer) { } //LISTS REST API if (Meteor.isServer) { + /** + * @operation get_all_cards + * @summary get all cards attached to a list + * + * @param {string} boardId the board ID + * @param {string} listId the list ID + * @return_type [{_id: string, + * title: string, + * description: string}] + */ JsonRoutes.add('GET', '/api/boards/:boardId/lists/:listId/cards', function(req, res) { const paramBoardId = req.params.boardId; const paramListId = req.params.listId; @@ -1352,6 +1457,15 @@ if (Meteor.isServer) { }); }); + /** + * @operation get_card + * @summary get a card + * + * @param {string} boardId the board ID + * @param {string} listId the list ID of the card + * @param {string} cardId the card ID + * @return_type Cards + */ JsonRoutes.add('GET', '/api/boards/:boardId/lists/:listId/cards/:cardId', function(req, res) { const paramBoardId = req.params.boardId; const paramListId = req.params.listId; @@ -1368,6 +1482,19 @@ if (Meteor.isServer) { }); }); + /** + * @operation new_card + * @summary creates a new card + * + * @param {string} boardId the board ID of the new card + * @param {string} listId the list ID of the new card + * @param {string} authorID the user ID of the person owning the card + * @param {string} title the title of the new card + * @param {string} description the description of the new card + * @param {string} swimlaneId the swimlane ID of the new card + * @param {string} [members] the member IDs list of the new card + * @return_type {_id: string} + */ JsonRoutes.add('POST', '/api/boards/:boardId/lists/:listId/cards', function(req, res) { Authentication.checkUserId(req.userId); const paramBoardId = req.params.boardId; @@ -1406,6 +1533,36 @@ if (Meteor.isServer) { } }); + /* + * Note for the JSDoc: + * 'list' will be interpreted as the path parameter + * 'listID' will be interpreted as the body parameter + */ + /** + * @operation edit_card + * @summary edit fields in a card + * + * @param {string} boardId the board ID of the card + * @param {string} list the list ID of the card + * @param {string} cardId the ID of the card + * @param {string} [title] the new title of the card + * @param {string} [listId] the new list ID of the card (move operation) + * @param {string} [description] the new description of the card + * @param {string} [authorId] change the owner of the card + * @param {string} [labelIds] the new list of label IDs attached to the card + * @param {string} [swimlaneId] the new swimlane ID of the card + * @param {string} [members] the new list of member IDs attached to the card + * @param {string} [requestedBy] the new requestedBy field of the card + * @param {string} [assignedBy] the new assignedBy field of the card + * @param {string} [receivedAt] the new receivedAt field of the card + * @param {string} [assignBy] the new assignBy field of the card + * @param {string} [startAt] the new startAt field of the card + * @param {string} [dueAt] the new dueAt field of the card + * @param {string} [endAt] the new endAt field of the card + * @param {string} [spentTime] the new spentTime field of the card + * @param {boolean} [isOverTime] the new isOverTime field of the card + * @param {string} [customFields] the new customFields value of the card + */ JsonRoutes.add('PUT', '/api/boards/:boardId/lists/:listId/cards/:cardId', function(req, res) { Authentication.checkUserId(req.userId); const paramBoardId = req.params.boardId; @@ -1551,6 +1708,18 @@ if (Meteor.isServer) { }); }); + /** + * @operation delete_card + * @summary Delete a card from a board + * + * @description This operation **deletes** a card, and therefore the card + * is not put in the recycle bin. + * + * @param {string} boardId the board ID of the card + * @param {string} list the list ID of the card + * @param {string} cardId the ID of the card + * @return_type {_id: string} + */ JsonRoutes.add('DELETE', '/api/boards/:boardId/lists/:listId/cards/:cardId', function(req, res) { Authentication.checkUserId(req.userId); const paramBoardId = req.params.boardId; diff --git a/models/checklistItems.js b/models/checklistItems.js index 9867dd94..35b18ed7 100644 --- a/models/checklistItems.js +++ b/models/checklistItems.js @@ -1,21 +1,39 @@ ChecklistItems = new Mongo.Collection('checklistItems'); +/** + * An item in a checklist + */ ChecklistItems.attachSchema(new SimpleSchema({ title: { + /** + * the text of the item + */ type: String, }, sort: { + /** + * the sorting field of the item + */ type: Number, decimal: true, }, isFinished: { + /** + * Is the item checked? + */ type: Boolean, defaultValue: false, }, checklistId: { + /** + * the checklist ID the item is attached to + */ type: String, }, cardId: { + /** + * the card ID the item is attached to + */ type: String, }, })); @@ -193,6 +211,17 @@ if (Meteor.isServer) { } if (Meteor.isServer) { + /** + * @operation get_checklist_item + * @tag Checklists + * @summary Get a checklist item + * + * @param {string} boardId the board ID + * @param {string} cardId the card ID + * @param {string} checklistId the checklist ID + * @param {string} itemId the ID of the item + * @return_type ChecklistItems + */ JsonRoutes.add('GET', '/api/boards/:boardId/cards/:cardId/checklists/:checklistId/items/:itemId', function (req, res) { Authentication.checkUserId( req.userId); const paramItemId = req.params.itemId; @@ -209,6 +238,19 @@ if (Meteor.isServer) { } }); + /** + * @operation edit_checklist_item + * @tag Checklists + * @summary Edit a checklist item + * + * @param {string} boardId the board ID + * @param {string} cardId the card ID + * @param {string} checklistId the checklist ID + * @param {string} itemId the ID of the item + * @param {string} [isFinished] is the item checked? + * @param {string} [title] the new text of the item + * @return_type {_id: string} + */ JsonRoutes.add('PUT', '/api/boards/:boardId/cards/:cardId/checklists/:checklistId/items/:itemId', function (req, res) { Authentication.checkUserId( req.userId); @@ -229,6 +271,19 @@ if (Meteor.isServer) { }); }); + /** + * @operation delete_checklist_item + * @tag Checklists + * @summary Delete a checklist item + * + * @description Note: this operation can't be reverted. + * + * @param {string} boardId the board ID + * @param {string} cardId the card ID + * @param {string} checklistId the checklist ID + * @param {string} itemId the ID of the item to be removed + * @return_type {_id: string} + */ JsonRoutes.add('DELETE', '/api/boards/:boardId/cards/:cardId/checklists/:checklistId/items/:itemId', function (req, res) { Authentication.checkUserId( req.userId); const paramItemId = req.params.itemId; diff --git a/models/checklists.js b/models/checklists.js index 425a10b2..a372fafa 100644 --- a/models/checklists.js +++ b/models/checklists.js @@ -1,18 +1,33 @@ Checklists = new Mongo.Collection('checklists'); +/** + * A Checklist + */ Checklists.attachSchema(new SimpleSchema({ cardId: { + /** + * The ID of the card the checklist is in + */ type: String, }, title: { + /** + * the title of the checklist + */ type: String, defaultValue: 'Checklist', }, finishedAt: { + /** + * When was the checklist finished + */ type: Date, optional: true, }, createdAt: { + /** + * Creation date of the checklist + */ type: Date, denyUpdate: false, autoValue() { // eslint-disable-line consistent-return @@ -24,6 +39,9 @@ Checklists.attachSchema(new SimpleSchema({ }, }, sort: { + /** + * sorting value of the checklist + */ type: Number, decimal: true, }, @@ -128,6 +146,15 @@ if (Meteor.isServer) { } if (Meteor.isServer) { + /** + * @operation get_all_checklists + * @summary Get the list of checklists attached to a card + * + * @param {string} boardId the board ID + * @param {string} cardId the card ID + * @return_type [{_id: string, + * title: string}] + */ JsonRoutes.add('GET', '/api/boards/:boardId/cards/:cardId/checklists', function (req, res) { Authentication.checkUserId( req.userId); const paramCardId = req.params.cardId; @@ -149,6 +176,22 @@ if (Meteor.isServer) { } }); + /** + * @operation get_checklist + * @summary Get a checklist + * + * @param {string} boardId the board ID + * @param {string} cardId the card ID + * @param {string} checklistId the ID of the checklist + * @return_type {cardId: string, + * title: string, + * finishedAt: string, + * createdAt: string, + * sort: number, + * items: [{_id: string, + * title: string, + * isFinished: boolean}]} + */ JsonRoutes.add('GET', '/api/boards/:boardId/cards/:cardId/checklists/:checklistId', function (req, res) { Authentication.checkUserId( req.userId); const paramChecklistId = req.params.checklistId; @@ -173,6 +216,15 @@ if (Meteor.isServer) { } }); + /** + * @operation new_checklist + * @summary create a new checklist + * + * @param {string} boardId the board ID + * @param {string} cardId the card ID + * @param {string} title the title of the new checklist + * @return_type {_id: string} + */ JsonRoutes.add('POST', '/api/boards/:boardId/cards/:cardId/checklists', function (req, res) { Authentication.checkUserId( req.userId); @@ -204,6 +256,17 @@ if (Meteor.isServer) { } }); + /** + * @operation delete_checklist + * @summary Delete a checklist + * + * @description The checklist will be removed, not put in the recycle bin. + * + * @param {string} boardId the board ID + * @param {string} cardId the card ID + * @param {string} checklistId the ID of the checklist to remove + * @return_type {_id: string} + */ JsonRoutes.add('DELETE', '/api/boards/:boardId/cards/:cardId/checklists/:checklistId', function (req, res) { Authentication.checkUserId( req.userId); const paramChecklistId = req.params.checklistId; diff --git a/models/customFields.js b/models/customFields.js index 5bb5e743..3e8aa250 100644 --- a/models/customFields.js +++ b/models/customFields.js @@ -1,40 +1,73 @@ CustomFields = new Mongo.Collection('customFields'); +/** + * A custom field on a card in the board + */ CustomFields.attachSchema(new SimpleSchema({ boardId: { + /** + * the ID of the board + */ type: String, }, name: { + /** + * name of the custom field + */ type: String, }, type: { + /** + * type of the custom field + */ type: String, allowedValues: ['text', 'number', 'date', 'dropdown'], }, settings: { + /** + * settings of the custom field + */ type: Object, }, 'settings.dropdownItems': { + /** + * list of drop down items objects + */ type: [Object], optional: true, }, 'settings.dropdownItems.$': { type: new SimpleSchema({ _id: { + /** + * ID of the drop down item + */ type: String, }, name: { + /** + * name of the drop down item + */ type: String, }, }), }, showOnCard: { + /** + * should we show on the cards this custom field + */ type: Boolean, }, automaticallyOnCard: { + /** + * should the custom fields automatically be added on cards? + */ type: Boolean, }, showLabelOnMiniCard: { + /** + * should the label of the custom field be shown on minicards? + */ type: Boolean, }, })); @@ -88,6 +121,15 @@ if (Meteor.isServer) { //CUSTOM FIELD REST API if (Meteor.isServer) { + /** + * @operation get_all_custom_fields + * @summary Get the list of Custom Fields attached to a board + * + * @param {string} boardID the ID of the board + * @return_type [{_id: string, + * name: string, + * type: string}] + */ JsonRoutes.add('GET', '/api/boards/:boardId/custom-fields', function (req, res) { Authentication.checkUserId( req.userId); const paramBoardId = req.params.boardId; @@ -103,6 +145,14 @@ if (Meteor.isServer) { }); }); + /** + * @operation get_custom_field + * @summary Get a Custom Fields attached to a board + * + * @param {string} boardID the ID of the board + * @param {string} customFieldId the ID of the custom field + * @return_type CustomFields + */ JsonRoutes.add('GET', '/api/boards/:boardId/custom-fields/:customFieldId', function (req, res) { Authentication.checkUserId( req.userId); const paramBoardId = req.params.boardId; @@ -113,6 +163,19 @@ if (Meteor.isServer) { }); }); + /** + * @operation new_custom_field + * @summary Create a Custom Field + * + * @param {string} boardID the ID of the board + * @param {string} name the name of the custom field + * @param {string} type the type of the custom field + * @param {string} settings the settings object of the custom field + * @param {boolean} showOnCard should we show the custom field on cards? + * @param {boolean} automaticallyOnCard should the custom fields automatically be added on cards? + * @param {boolean} showLabelOnMiniCard should the label of the custom field be shown on minicards? + * @return_type {_id: string} + */ JsonRoutes.add('POST', '/api/boards/:boardId/custom-fields', function (req, res) { Authentication.checkUserId( req.userId); const paramBoardId = req.params.boardId; @@ -137,6 +200,16 @@ if (Meteor.isServer) { }); }); + /** + * @operation delete_custom_field + * @summary Delete a Custom Fields attached to a board + * + * @description The Custom Field can't be retrieved after this operation + * + * @param {string} boardID the ID of the board + * @param {string} customFieldId the ID of the custom field + * @return_type {_id: string} + */ JsonRoutes.add('DELETE', '/api/boards/:boardId/custom-fields/:customFieldId', function (req, res) { Authentication.checkUserId( req.userId); const paramBoardId = req.params.boardId; diff --git a/models/export.js b/models/export.js index 62d2687a..fa4894d9 100644 --- a/models/export.js +++ b/models/export.js @@ -6,13 +6,20 @@ if (Meteor.isServer) { // `ApiRoutes.path('boards/export', boardId)`` // on the client instead of copy/pasting the route path manually between the // client and the server. - /* - * This route is used to export the board FROM THE APPLICATION. - * If user is already logged-in, pass loginToken as param "authToken": - * '/api/boards/:boardId/export?authToken=:token' + /** + * @operation export + * @tag Boards + * + * @summary This route is used to export the board **FROM THE APPLICATION**. + * + * @description If user is already logged-in, pass loginToken as param + * "authToken": '/api/boards/:boardId/export?authToken=:token' * * See https://blog.kayla.com.au/server-side-route-authentication-in-meteor/ * for detailed explanations + * + * @param {string} boardId the ID of the board we are exporting + * @param {string} authToken the loginToken */ JsonRoutes.add('get', '/api/boards/:boardId/export', function(req, res) { const boardId = req.params.boardId; diff --git a/models/integrations.js b/models/integrations.js index 1062b93b..1c473b57 100644 --- a/models/integrations.js +++ b/models/integrations.js @@ -1,33 +1,60 @@ Integrations = new Mongo.Collection('integrations'); +/** + * Integration with third-party applications + */ Integrations.attachSchema(new SimpleSchema({ enabled: { + /** + * is the integration enabled? + */ type: Boolean, defaultValue: true, }, title: { + /** + * name of the integration + */ type: String, optional: true, }, type: { + /** + * type of the integratation (Default to 'outgoing-webhooks') + */ type: String, defaultValue: 'outgoing-webhooks', }, activities: { + /** + * activities the integration gets triggered (list) + */ type: [String], defaultValue: ['all'], }, url: { // URL validation regex (https://mathiasbynens.be/demo/url-regex) + /** + * URL validation regex (https://mathiasbynens.be/demo/url-regex) + */ type: String, }, token: { + /** + * token of the integration + */ type: String, optional: true, }, boardId: { + /** + * Board ID of the integration + */ type: String, }, createdAt: { + /** + * Creation date of the integration + */ type: Date, denyUpdate: false, autoValue() { // eslint-disable-line consistent-return @@ -39,6 +66,9 @@ Integrations.attachSchema(new SimpleSchema({ }, }, userId: { + /** + * user ID who created the interation + */ type: String, }, })); @@ -58,7 +88,13 @@ Integrations.allow({ //INTEGRATIONS REST API if (Meteor.isServer) { - // Get all integrations in board + /** + * @operation get_all_integrations + * @summary Get all integrations in board + * + * @param {string} boardId the board ID + * @return_type [Integrations] + */ JsonRoutes.add('GET', '/api/boards/:boardId/integrations', function(req, res) { try { const paramBoardId = req.params.boardId; @@ -78,7 +114,14 @@ if (Meteor.isServer) { } }); - // Get a single integration in board + /** + * @operation get_integration + * @summary Get a single integration in board + * + * @param {string} boardId the board ID + * @param {string} intId the integration ID + * @return_type Integrations + */ JsonRoutes.add('GET', '/api/boards/:boardId/integrations/:intId', function(req, res) { try { const paramBoardId = req.params.boardId; @@ -98,7 +141,14 @@ if (Meteor.isServer) { } }); - // Create a new integration + /** + * @operation new_integration + * @summary Create a new integration + * + * @param {string} boardId the board ID + * @param {string} url the URL of the integration + * @return_type {_id: string} + */ JsonRoutes.add('POST', '/api/boards/:boardId/integrations', function(req, res) { try { const paramBoardId = req.params.boardId; @@ -125,7 +175,19 @@ if (Meteor.isServer) { } }); - // Edit integration data + /** + * @operation edit_integration + * @summary Edit integration data + * + * @param {string} boardId the board ID + * @param {string} intId the integration ID + * @param {string} [enabled] is the integration enabled? + * @param {string} [title] new name of the integration + * @param {string} [url] new URL of the integration + * @param {string} [token] new token of the integration + * @param {string} [activities] new list of activities of the integration + * @return_type {_id: string} + */ JsonRoutes.add('PUT', '/api/boards/:boardId/integrations/:intId', function (req, res) { try { const paramBoardId = req.params.boardId; @@ -173,7 +235,15 @@ if (Meteor.isServer) { } }); - // Delete subscribed activities + /** + * @operation delete_integration_activities + * @summary Delete subscribed activities + * + * @param {string} boardId the board ID + * @param {string} intId the integration ID + * @param {string} newActivities the activities to remove from the integration + * @return_type Integrations + */ JsonRoutes.add('DELETE', '/api/boards/:boardId/integrations/:intId/activities', function (req, res) { try { const paramBoardId = req.params.boardId; @@ -197,7 +267,15 @@ if (Meteor.isServer) { } }); - // Add subscribed activities + /** + * @operation new_integration_activities + * @summary Add subscribed activities + * + * @param {string} boardId the board ID + * @param {string} intId the integration ID + * @param {string} newActivities the activities to add to the integration + * @return_type Integrations + */ JsonRoutes.add('POST', '/api/boards/:boardId/integrations/:intId/activities', function (req, res) { try { const paramBoardId = req.params.boardId; @@ -221,7 +299,14 @@ if (Meteor.isServer) { } }); - // Delete integration + /** + * @operation delete_integration + * @summary Delete integration + * + * @param {string} boardId the board ID + * @param {string} intId the integration ID + * @return_type {_id: string} + */ JsonRoutes.add('DELETE', '/api/boards/:boardId/integrations/:intId', function (req, res) { try { const paramBoardId = req.params.boardId; diff --git a/models/lists.js b/models/lists.js index b99fe8f5..0e1ba801 100644 --- a/models/lists.js +++ b/models/lists.js @@ -1,10 +1,19 @@ Lists = new Mongo.Collection('lists'); +/** + * A list (column) in the Wekan board. + */ Lists.attachSchema(new SimpleSchema({ title: { + /** + * the title of the list + */ type: String, }, archived: { + /** + * is the list archived + */ type: Boolean, autoValue() { // eslint-disable-line consistent-return if (this.isInsert && !this.isSet) { @@ -13,9 +22,15 @@ Lists.attachSchema(new SimpleSchema({ }, }, boardId: { + /** + * the board associated to this list + */ type: String, }, createdAt: { + /** + * creation date + */ type: Date, autoValue() { // eslint-disable-line consistent-return if (this.isInsert) { @@ -26,12 +41,18 @@ Lists.attachSchema(new SimpleSchema({ }, }, sort: { + /** + * is the list sorted + */ type: Number, decimal: true, // XXX We should probably provide a default optional: true, }, updatedAt: { + /** + * last update of the list + */ type: Date, optional: true, autoValue() { // eslint-disable-line consistent-return @@ -43,19 +64,31 @@ Lists.attachSchema(new SimpleSchema({ }, }, wipLimit: { + /** + * WIP object, see below + */ type: Object, optional: true, }, 'wipLimit.value': { + /** + * value of the WIP + */ type: Number, decimal: false, defaultValue: 1, }, 'wipLimit.enabled': { + /** + * is the WIP enabled + */ type: Boolean, defaultValue: false, }, 'wipLimit.soft': { + /** + * is the WIP a soft or hard requirement + */ type: Boolean, defaultValue: false, }, @@ -212,6 +245,14 @@ if (Meteor.isServer) { //LISTS REST API if (Meteor.isServer) { + /** + * @operation get_all_lists + * @summary Get the list of Lists attached to a board + * + * @param {string} boardId the board ID + * @return_type [{_id: string, + * title: string}] + */ JsonRoutes.add('GET', '/api/boards/:boardId/lists', function (req, res) { try { const paramBoardId = req.params.boardId; @@ -235,6 +276,14 @@ if (Meteor.isServer) { } }); + /** + * @operation get_list + * @summary Get a List attached to a board + * + * @param {string} boardId the board ID + * @param {string} listId the List ID + * @return_type Lists + */ JsonRoutes.add('GET', '/api/boards/:boardId/lists/:listId', function (req, res) { try { const paramBoardId = req.params.boardId; @@ -253,6 +302,14 @@ if (Meteor.isServer) { } }); + /** + * @operation new_list + * @summary Add a List to a board + * + * @param {string} boardId the board ID + * @param {string} title the title of the List + * @return_type {_id: string} + */ JsonRoutes.add('POST', '/api/boards/:boardId/lists', function (req, res) { try { Authentication.checkUserId( req.userId); @@ -276,6 +333,17 @@ if (Meteor.isServer) { } }); + /** + * @operation delete_list + * @summary Delete a List + * + * @description This **deletes** a list from a board. + * The list is not put in the recycle bin. + * + * @param {string} boardId the board ID + * @param {string} listId the ID of the list to remove + * @return_type {_id: string} + */ JsonRoutes.add('DELETE', '/api/boards/:boardId/lists/:listId', function (req, res) { try { Authentication.checkUserId( req.userId); diff --git a/models/swimlanes.js b/models/swimlanes.js index 3559bcd2..fa5245da 100644 --- a/models/swimlanes.js +++ b/models/swimlanes.js @@ -1,10 +1,19 @@ Swimlanes = new Mongo.Collection('swimlanes'); +/** + * A swimlane is an line in the kaban board. + */ Swimlanes.attachSchema(new SimpleSchema({ title: { + /** + * the title of the swimlane + */ type: String, }, archived: { + /** + * is the swimlane archived? + */ type: Boolean, autoValue() { // eslint-disable-line consistent-return if (this.isInsert && !this.isSet) { @@ -13,9 +22,15 @@ Swimlanes.attachSchema(new SimpleSchema({ }, }, boardId: { + /** + * the ID of the board the swimlane is attached to + */ type: String, }, createdAt: { + /** + * creation date of the swimlane + */ type: Date, autoValue() { // eslint-disable-line consistent-return if (this.isInsert) { @@ -26,12 +41,18 @@ Swimlanes.attachSchema(new SimpleSchema({ }, }, sort: { + /** + * the sort value of the swimlane + */ type: Number, decimal: true, // XXX We should probably provide a default optional: true, }, updatedAt: { + /** + * when was the swimlane last edited + */ type: Date, optional: true, autoValue() { // eslint-disable-line consistent-return @@ -131,6 +152,15 @@ if (Meteor.isServer) { //SWIMLANE REST API if (Meteor.isServer) { + /** + * @operation get_all_swimlanes + * + * @summary Get the list of swimlanes attached to a board + * + * @param {string} boardId the ID of the board + * @return_type [{_id: string, + * title: string}] + */ JsonRoutes.add('GET', '/api/boards/:boardId/swimlanes', function (req, res) { try { const paramBoardId = req.params.boardId; @@ -154,6 +184,15 @@ if (Meteor.isServer) { } }); + /** + * @operation get_swimlane + * + * @summary Get a swimlane + * + * @param {string} boardId the ID of the board + * @param {string} swimlaneId the ID of the swimlane + * @return_type Swimlanes + */ JsonRoutes.add('GET', '/api/boards/:boardId/swimlanes/:swimlaneId', function (req, res) { try { const paramBoardId = req.params.boardId; @@ -172,6 +211,15 @@ if (Meteor.isServer) { } }); + /** + * @operation new_swimlane + * + * @summary Add a swimlane to a board + * + * @param {string} boardId the ID of the board + * @param {string} title the new title of the swimlane + * @return_type {_id: string} + */ JsonRoutes.add('POST', '/api/boards/:boardId/swimlanes', function (req, res) { try { Authentication.checkUserId( req.userId); @@ -195,6 +243,17 @@ if (Meteor.isServer) { } }); + /** + * @operation delete_swimlane + * + * @summary Delete a swimlane + * + * @description The swimlane will be deleted, not moved to the recycle bin + * + * @param {string} boardId the ID of the board + * @param {string} swimlaneId the ID of the swimlane + * @return_type {_id: string} + */ JsonRoutes.add('DELETE', '/api/boards/:boardId/swimlanes/:swimlaneId', function (req, res) { try { Authentication.checkUserId( req.userId); diff --git a/models/users.js b/models/users.js index d4c678b7..56643848 100644 --- a/models/users.js +++ b/models/users.js @@ -4,8 +4,14 @@ const isSandstorm = Meteor.settings && Meteor.settings.public && Meteor.settings.public.sandstorm; Users = Meteor.users; +/** + * A User in wekan + */ Users.attachSchema(new SimpleSchema({ username: { + /** + * the username of the user + */ type: String, optional: true, autoValue() { // eslint-disable-line consistent-return @@ -18,17 +24,29 @@ Users.attachSchema(new SimpleSchema({ }, }, emails: { + /** + * the list of emails attached to a user + */ type: [Object], optional: true, }, 'emails.$.address': { + /** + * The email address + */ type: String, regEx: SimpleSchema.RegEx.Email, }, 'emails.$.verified': { + /** + * Has the email been verified + */ type: Boolean, }, createdAt: { + /** + * creation date of the user + */ type: Date, autoValue() { // eslint-disable-line consistent-return if (this.isInsert) { @@ -39,6 +57,9 @@ Users.attachSchema(new SimpleSchema({ }, }, profile: { + /** + * profile settings + */ type: Object, optional: true, autoValue() { // eslint-disable-line consistent-return @@ -50,50 +71,86 @@ Users.attachSchema(new SimpleSchema({ }, }, 'profile.avatarUrl': { + /** + * URL of the avatar of the user + */ type: String, optional: true, }, 'profile.emailBuffer': { + /** + * list of email buffers of the user + */ type: [String], optional: true, }, 'profile.fullname': { + /** + * full name of the user + */ type: String, optional: true, }, 'profile.hiddenSystemMessages': { + /** + * does the user wants to hide system messages? + */ type: Boolean, optional: true, }, 'profile.initials': { + /** + * initials of the user + */ type: String, optional: true, }, 'profile.invitedBoards': { + /** + * board IDs the user has been invited to + */ type: [String], optional: true, }, 'profile.language': { + /** + * language of the user + */ type: String, optional: true, }, 'profile.notifications': { + /** + * enabled notifications for the user + */ type: [String], optional: true, }, 'profile.showCardsCountAt': { + /** + * showCardCountAt field of the user + */ type: Number, optional: true, }, 'profile.starredBoards': { + /** + * list of starred board IDs + */ type: [String], optional: true, }, 'profile.icode': { + /** + * icode + */ type: String, optional: true, }, 'profile.boardView': { + /** + * boardView field of the user + */ type: String, optional: true, allowedValues: [ @@ -103,27 +160,45 @@ Users.attachSchema(new SimpleSchema({ ], }, services: { + /** + * services field of the user + */ type: Object, optional: true, blackbox: true, }, heartbeat: { + /** + * last time the user has been seen + */ type: Date, optional: true, }, isAdmin: { + /** + * is the user an admin of the board? + */ type: Boolean, optional: true, }, createdThroughApi: { + /** + * was the user created through the API? + */ type: Boolean, optional: true, }, loginDisabled: { + /** + * loginDisabled field of the user + */ type: Boolean, optional: true, }, 'authenticationMethod': { + /** + * authentication method of the user + */ type: String, optional: false, defaultValue: 'password', @@ -681,6 +756,12 @@ if (Meteor.isServer) { } }); + /** + * @operation get_current_user + * + * @summary returns the current user + * @return_type Users + */ JsonRoutes.add('GET', '/api/user', function(req, res) { try { Authentication.checkLoggedIn(req.userId); @@ -699,6 +780,15 @@ if (Meteor.isServer) { } }); + /** + * @operation get_all_users + * + * @summary return all the users + * + * @description Only the admin user (the first user) can call the REST API. + * @return_type [{ _id: string, + * username: string}] + */ JsonRoutes.add('GET', '/api/users', function (req, res) { try { Authentication.checkUserId(req.userId); @@ -717,6 +807,16 @@ if (Meteor.isServer) { } }); + /** + * @operation get_user + * + * @summary get a given user + * + * @description Only the admin user (the first user) can call the REST API. + * + * @param {string} userId the user ID + * @return_type Users + */ JsonRoutes.add('GET', '/api/users/:userId', function (req, res) { try { Authentication.checkUserId(req.userId); @@ -734,6 +834,23 @@ if (Meteor.isServer) { } }); + /** + * @operation edit_user + * + * @summary edit a given user + * + * @description Only the admin user (the first user) can call the REST API. + * + * Possible values for *action*: + * - `takeOwnership`: The admin takes the ownership of ALL boards of the user (archived and not archived) where the user is admin on. + * - `disableLogin`: Disable a user (the user is not allowed to login and his login tokens are purged) + * - `enableLogin`: Enable a user + * + * @param {string} userId the user ID + * @param {string} action the action + * @return_type {_id: string, + * title: string} + */ JsonRoutes.add('PUT', '/api/users/:userId', function (req, res) { try { Authentication.checkUserId(req.userId); @@ -777,6 +894,25 @@ if (Meteor.isServer) { } }); + /** + * @operation add_board_member + * @tag Boards + * + * @summary Add New Board Member with Role + * + * @description Only the admin user (the first user) can call the REST API. + * + * **Note**: see [Boards.set_board_member_permission](#set_board_member_permission) + * to later change the permissions. + * + * @param {string} boardId the board ID + * @param {string} userId the user ID + * @param {boolean} isAdmin is the user an admin of the board + * @param {boolean} isNoComments disable comments + * @param {boolean} isCommentOnly only enable comments + * @return_type {_id: string, + * title: string} + */ JsonRoutes.add('POST', '/api/boards/:boardId/members/:userId/add', function (req, res) { try { Authentication.checkUserId(req.userId); @@ -817,6 +953,20 @@ if (Meteor.isServer) { } }); + /** + * @operation remove_board_member + * @tag Boards + * + * @summary Remove Member from Board + * + * @description Only the admin user (the first user) can call the REST API. + * + * @param {string} boardId the board ID + * @param {string} userId the user ID + * @param {string} action the action (needs to be `remove`) + * @return_type {_id: string, + * title: string} + */ JsonRoutes.add('POST', '/api/boards/:boardId/members/:userId/remove', function (req, res) { try { Authentication.checkUserId(req.userId); @@ -852,6 +1002,18 @@ if (Meteor.isServer) { } }); + /** + * @operation new_user + * + * @summary Create a new user + * + * @description Only the admin user (the first user) can call the REST API. + * + * @param {string} username the new username + * @param {string} email the email of the new user + * @param {string} password the password of the new user + * @return_type {_id: string} + */ JsonRoutes.add('POST', '/api/users/', function (req, res) { try { Authentication.checkUserId(req.userId); @@ -876,6 +1038,16 @@ if (Meteor.isServer) { } }); + /** + * @operation delete_user + * + * @summary Delete a user + * + * @description Only the admin user (the first user) can call the REST API. + * + * @param {string} userId the ID of the user to delete + * @return_type {_id: string} + */ JsonRoutes.add('DELETE', '/api/users/:userId', function (req, res) { try { Authentication.checkUserId(req.userId); -- cgit v1.2.3-1-g7c22 From acc44935179cda665454d450ec246377f41f5afb Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Wed, 7 Nov 2018 18:49:21 +0100 Subject: Generate the OpenAPI in the Dockerfile When we build the docker container, we need to generate the openapi description in it so the geenrated API actually matches the code the container is running. --- Dockerfile | 14 +++++++++++++- 1 file changed, 13 insertions(+), 1 deletion(-) diff --git a/Dockerfile b/Dockerfile index 0a7479b4..7be32b60 100644 --- a/Dockerfile +++ b/Dockerfile @@ -75,7 +75,7 @@ ARG DEFAULT_AUTHENTICATION_METHOD # Set the environment variables (defaults where required) # DOES NOT WORK: paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303 # ENV BUILD_DEPS="paxctl" -ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential python git ca-certificates gcc-7" \ +ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential python python3 python3-distutils git ca-certificates gcc-7" \ NODE_VERSION=v8.15.0 \ METEOR_RELEASE=1.6.0.1 \ USE_EDGE=false \ @@ -251,6 +251,16 @@ RUN \ cd /home/wekan/.meteor && \ gosu wekan:wekan /home/wekan/.meteor/meteor -- help; \ \ + # extract the OpenAPI specification + mkdir -p /home/wekan/python && \ + chown wekan:wekan --recursive /home/wekan/python && \ + cd /home/wekan/python && \ + gosu wekan:wekan git clone --depth 1 -b master git://github.com/Kronuz/esprima-python && \ + cd /home/wekan/python/esprima-python && \ + python3 setup.py install --record files.txt && \ + cd /home/wekan/app &&\ + mkdir -p ./public/api && \ + python3 ./openapi/generate_openapi.py --release $(git describe --tags --abbrev=0) > ./public/api/wekan.yml; \ # Build app cd /home/wekan/app && \ gosu wekan:wekan /home/wekan/.meteor/meteor add standard-minifier-js && \ @@ -279,6 +289,8 @@ RUN \ rm -R /home/wekan/.meteor && \ rm -R /home/wekan/app && \ rm -R /home/wekan/app_build && \ + cat /home/wekan/python/esprima-python/files.txt | xargs rm -R && \ + rm -R /home/wekan/python && \ rm /home/wekan/install_meteor.sh ENV PORT=8080 -- cgit v1.2.3-1-g7c22 From 8be7eec2caea9daf7fd89d9fb3b715d3bcda3ba4 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Thu, 17 Jan 2019 16:30:57 +0100 Subject: openapi: make the code python 3.5 compatible It is common to use Ubuntu 16.04 to build snaps. For example, the official docker container to build snaps is using this old distribution. However, Ubuntu 16.04 ships Python 3.5.X which is not compatible with the f-strings in generate_openapi.py. This is sad, because we need to use the `.format()` syntax to make it compatible. --- openapi/generate_openapi.py | 140 +++++++++++++++++++++++--------------------- 1 file changed, 72 insertions(+), 68 deletions(-) diff --git a/openapi/generate_openapi.py b/openapi/generate_openapi.py index 2f206a2d..2a898f0e 100644 --- a/openapi/generate_openapi.py +++ b/openapi/generate_openapi.py @@ -23,12 +23,12 @@ def get_req_body_elems(obj, elems): right = obj.property.name if left == 'req.body' and right not in elems: elems.append(right) - return f'{left}.{right}' + return '{}.{}'.format(left, right) elif obj.type == 'VariableDeclaration': for s in obj.declarations: get_req_body_elems(s, elems) elif obj.type == 'VariableDeclarator': - if obj.id.type == "ObjectPattern": + if obj.id.type == 'ObjectPattern': # get_req_body_elems() can't be called directly here: # const {isAdmin, isNoComments, isCommentOnly} = req.body; right = get_req_body_elems(obj.init, elems) @@ -158,12 +158,14 @@ class EntryPoint(object): def error(self, message): if self._raw_doc is None: - sys.stderr.write(f'in {self.schema.name},\n') - sys.stderr.write(f'{message}\n') + sys.stderr.write('in {},\n'.format(self.schema.name)) + sys.stderr.write('{}\n'.format(message)) return - sys.stderr.write(f'in {self.schema.name}, lines {self._raw_doc.loc.start.line}-{self._raw_doc.loc.end.line}\n') - sys.stderr.write(f'{self._raw_doc.value}\n') - sys.stderr.write(f'{message}\n') + sys.stderr.write('in {}, lines {}-{}\n'.format(self.schema.name, + self._raw_doc.loc.start.line, + self._raw_doc.loc.end.line)) + sys.stderr.write('{}\n'.format(self._raw_doc.value)) + sys.stderr.write('{}\n'.format(message)) @property def doc(self): @@ -233,7 +235,7 @@ class EntryPoint(object): if name.startswith('{'): param_type = name.strip('{}') if param_type not in ['string', 'number', 'boolean', 'integer', 'array', 'file']: - self.error(f'Warning, unknown type {param_type}\n allowed values: string, number, boolean, integer, array, file') + self.error('Warning, unknown type {}\n allowed values: string, number, boolean, integer, array, file'.format(param_type)) try: name, desc = desc.split(maxsplit=1) except ValueError: @@ -246,7 +248,7 @@ class EntryPoint(object): # we should not have 2 identical parameter names if tag in params: - self.error(f'Warning, overwriting parameter {name}') + self.error('Warning, overwriting parameter {}'.format(name)) params[name] = (param_type, optional, desc) @@ -276,7 +278,7 @@ class EntryPoint(object): # we should not have 2 identical tags but @param or @tag if tag in self._doc: - self.error(f'Warning, overwriting tag {tag}') + self.error('Warning, overwriting tag {}'.format(tag)) self._doc[tag] = data @@ -299,7 +301,7 @@ class EntryPoint(object): current_data = '' line = data else: - self.error(f'Unknown tag {tag}, ignoring') + self.error('Unknown tag {}, ignoring'.format(tag)) current_data += line + '\n' @@ -321,24 +323,24 @@ class EntryPoint(object): def print_openapi_param(self, name, indent): ptype, poptional, pdesc = self.doc_param(name) if pdesc is not None: - print(f'{" " * indent}description: |') - print(f'{" " * (indent + 2)}{pdesc}') + print('{}description: |'.format(' ' * indent)) + print('{}{}'.format(' ' * (indent + 2), pdesc)) else: - print(f'{" " * indent}description: the {name} value') + print('{}description: the {} value'.format(' ' * indent, name)) if ptype is not None: - print(f'{" " * indent}type: {ptype}') + print('{}type: {}'.format(' ' * indent, ptype)) else: - print(f'{" " * indent}type: string') + print('{}type: string'.format(' ' * indent)) if poptional: - print(f'{" " * indent}required: false') + print('{}required: false'.format(' ' * indent)) else: - print(f'{" " * indent}required: true') + print('{}required: true'.format(' ' * indent)) @property def operationId(self): if 'operation' in self._doc: return self._doc['operation'] - return f'{self.method_name}_{self.reduced_function_name}' + return '{}_{}'.format(self.method_name, self.reduced_function_name) @property def description(self): @@ -363,49 +365,49 @@ class EntryPoint(object): def print_openapi_return(self, obj, indent): if isinstance(obj, dict): - print(f'{" " * indent}type: object') - print(f'{" " * indent}properties:') + print('{}type: object'.format(' ' * indent)) + print('{}properties:'.format(' ' * indent)) for k, v in obj.items(): - print(f'{" " * (indent + 2)}{k}:') + print('{}{}:'.format(' ' * (indent + 2), k)) self.print_openapi_return(v, indent + 4) elif isinstance(obj, list): if len(obj) > 1: self.error('Error while parsing @return tag, an array should have only one type') - print(f'{" " * indent}type: array') - print(f'{" " * indent}items:') + print('{}type: array'.format(' ' * indent)) + print('{}items:'.format(' ' * indent)) self.print_openapi_return(obj[0], indent + 2) elif isinstance(obj, str) or isinstance(obj, unicode): rtype = 'type: ' + obj if obj == self.schema.name: - rtype = f'$ref: "#/definitions/{obj}"' - print(f'{" " * indent}{rtype}') + rtype = '$ref: "#/definitions/{}"'.format(obj) + print('{}{}'.format(' ' * indent, rtype)) def print_openapi(self): parameters = [token[1:-2] if token.endswith('Id') else token[1:] for token in self.path.split('/') if token.startswith(':')] - print(f' {self.method_name}:') + print(' {}:'.format(self.method_name)) - print(f' operationId: {self.operationId}') + print(' operationId: {}'.format(self.operationId)) if self.summary is not None: - print(f' summary: {self.summary}') + print(' summary: {}'.format(self.summary)) if self.description is not None: - print(f' description: |') + print(' description: |') for line in self.description.split('\n'): if line.strip(): - print(f' {line}') + print(' {}'.format(line)) else: print('') if len(self.tags) > 0: - print(f' tags:') + print(' tags:') for tag in self.tags: - print(f' - {tag}') + print(' - {}'.format(tag)) # export the parameters if self.method_name in ('post', 'put'): @@ -416,14 +418,14 @@ class EntryPoint(object): print(' parameters:') if self.method_name in ('post', 'put'): for f in self.body_params: - print(f''' - name: {f} - in: formData''') + print(''' - name: {} + in: formData'''.format(f)) self.print_openapi_param(f, 10) for p in parameters: if p in self.body_params: self.error(' '.join((p, self.path, self.method_name))) - print(f''' - name: {p} - in: path''') + print(''' - name: {} + in: path'''.format(p)) self.print_openapi_param(p, 10) print(''' produces: - application/json @@ -485,7 +487,9 @@ class SchemaProperty(object): return def __repr__(self): - return f'SchemaProperty({self.name}{"*" if self.required else ""}, {self.doc})' + return 'SchemaProperty({}{}, {})'.format(self.name, + '*' if self.required else '', + self.doc) def print_openapi(self, indent, current_schema, required_properties): schema_name = self.schema.name @@ -501,11 +505,11 @@ class SchemaProperty(object): if required_properties is not None and required_properties: print(' required:') for f in required_properties: - print(f' - {f}') + print(' - {}'.format(f)) required_properties.clear() - print(f''' {subschema}: - type: object''') + print(''' {}: + type: object'''.format(subschema)) return current_schema subschema = name.split('.')[0] @@ -516,23 +520,23 @@ class SchemaProperty(object): if required_properties is not None and required_properties: print(' required:') for f in required_properties: - print(f' - {f}') + print(' - {}'.format(f)) required_properties.clear() - print(f''' {schema_name}: + print(''' {}: type: object - properties:''') + properties:'''.format(schema_name)) if required_properties is not None and self.required: required_properties.append(name) - print(f'{" "*indent}{name}:') + print('{}{}:'.format(' ' * indent, name)) if self.doc is not None: - print(f'{" "*indent} description: |') + print('{} description: |'.format(' ' * indent)) for line in self.doc: if line.strip(): - print(f'{" "*indent} {line}') + print('{} {}'.format(' ' * indent, line)) else: print('') @@ -540,31 +544,31 @@ class SchemaProperty(object): if ptype in ('enum', 'date'): ptype = 'string' if ptype != 'object': - print(f'{" "*indent} type: {ptype}') + print('{} type: {}'.format(' ' * indent, ptype)) if self.type == 'array': - print(f'{" "*indent} items:') + print('{} items:'.format(' ' * indent)) for elem in self.elements: if elem == 'object': - print(f'{" "*indent} $ref: "#/definitions/{schema_name + name.capitalize()}"') + print('{} $ref: "#/definitions/{}"'.format(' ' * indent, schema_name + name.capitalize())) else: - print(f'{" "*indent} type: {elem}') + print('{} type: {}'.format(' ' * indent, elem)) if not self.required: - print(f'{" "*indent} x-nullable: true') + print('{} x-nullable: true'.format(' ' * indent)) elif self.type == 'object': if self.blackbox: - print(f'{" "*indent} type: object') + print('{} type: object'.format(' ' * indent)) else: - print(f'{" "*indent} $ref: "#/definitions/{schema_name + name.capitalize()}"') + print('{} $ref: "#/definitions/{}"'.format(' ' * indent, schema_name + name.capitalize())) elif self.type == 'enum': - print(f'{" "*indent} enum:') + print('{} enum:'.format(' ' * indent)) for enum in self.enum: - print(f'{" "*indent} - {enum}') + print('{} - {}'.format(' ' * indent, enum)) if '.' not in self.name and not self.required: - print(f'{" "*indent} x-nullable: true') + print('{} x-nullable: true'.format(' ' * indent)) return schema_name @@ -620,10 +624,10 @@ class Schemas(object): if self.fields is None: return - print(f' {self.name}:') + print(' {}:'.format(self.name)) print(' type: object') if self.doc is not None: - print(f' description: {self.doc}') + print(' description: {}'.format(self.doc)) print(' properties:') @@ -636,7 +640,7 @@ class Schemas(object): if required_properties: print(' required:') for f in required_properties: - print(f' - {f}') + print(' - {}'.format(f)) # then print the references current = None @@ -648,7 +652,7 @@ class Schemas(object): if required_properties: print(' required:') for f in required_properties: - print(f' - {f}') + print(' - {}'.format(f)) required_properties = [] # then print the references in the references @@ -658,7 +662,7 @@ class Schemas(object): if required_properties: print(' required:') for f in required_properties: - print(f' - {f}') + print(' - {}'.format(f)) def parse_schemas(schemas_dir): @@ -731,10 +735,10 @@ def parse_schemas(schemas_dir): def generate_openapi(schemas, entry_points, version): - print(f'''swagger: '2.0' + print('''swagger: '2.0' info: title: Wekan REST API - version: {version} + version: {0} description: | The REST API allows you to control and extend Wekan with ease. @@ -866,7 +870,7 @@ paths: default: description: | Error in registration -''') +'''.format(version)) # GET and POST on the same path are valid, we need to reshuffle the paths # with the path as the sorting key @@ -880,7 +884,7 @@ paths: sorted_paths.sort() for path in sorted_paths: - print(f' {methods[path][0].url}:') + print(' {}:'.format(methods[path][0].url)) for ep in methods[path]: ep.print_openapi() @@ -897,9 +901,9 @@ paths: def main(): parser = argparse.ArgumentParser(description='Generate an OpenAPI 2.0 from the given JS schemas.') script_dir = os.path.dirname(os.path.realpath(__file__)) - parser.add_argument('--release', default=f'git-master', nargs=1, + parser.add_argument('--release', default='git-master', nargs=1, help='the current version of the API, can be retrieved by running `git describe --tags --abbrev=0`') - parser.add_argument('dir', default=f'{script_dir}/../models', nargs='?', + parser.add_argument('dir', default='{}/../models'.format(script_dir), nargs='?', help='the directory where to look for schemas') args = parser.parse_args() -- cgit v1.2.3-1-g7c22 From e91e3c076d93a2102c344432effbfa135469a9d4 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Fri, 18 Jan 2019 11:41:32 +0100 Subject: snapcraft add nodejs and npm as build dependencies When pulling the docker container snapcore/snapcraft to build the snap, those 2 packages are not present by default leading to a failure in the snap creation. Note: it is good to call `apt-get update` before `snapcraft` or the build will fail. --- snapcraft.yaml | 2 ++ 1 file changed, 2 insertions(+) diff --git a/snapcraft.yaml b/snapcraft.yaml index d14d8037..c8675fe1 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -94,6 +94,8 @@ parts: - capnproto - curl - execstack + - nodejs + - npm stage-packages: - libfontconfig1 override-build: | -- cgit v1.2.3-1-g7c22 From c83cdc933541ed8c9ef882a83affa1264833dd80 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Fri, 18 Jan 2019 11:44:53 +0100 Subject: Add openapi in snaps Same thing than in the Dockerfile, snaps need to embed the current openapi yaml file. --- snapcraft.yaml | 11 +++++++++++ 1 file changed, 11 insertions(+) diff --git a/snapcraft.yaml b/snapcraft.yaml index c8675fe1..cba5bf30 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -90,6 +90,7 @@ parts: - ca-certificates - apt-utils - python + - python3 - g++ - capnproto - curl @@ -101,6 +102,16 @@ parts: override-build: | echo "Cleaning environment first" rm -rf ~/.meteor ~/.npm /usr/local/lib/node_modules + # Create the OpenAPI specification + rm -rf .build + mkdir -p .build/python + cd .build/python + git clone --depth 1 -b master git://github.com/Kronuz/esprima-python + cd esprima-python + python3 setup.py install + cd ../../.. + mkdir -p ./public/api + python3 ./openapi/generate_openapi.py --release $(git describe --tags --abbrev=0) > ./public/api/wekan.yml # Node Fibers 100% CPU usage issue: # https://github.com/wekan/wekan-mongodb/issues/2#issuecomment-381453161 # https://github.com/meteor/meteor/issues/9796#issuecomment-381676326 -- cgit v1.2.3-1-g7c22 From 08ca353205df9612b1e8c0773fce7e85750dfe3b Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Fri, 18 Jan 2019 15:49:03 +0100 Subject: openapi: generate the HTML documentation too and embed it in the image Aligning with the requirement to run the container without external resources: embed the documentation of the REST API directly in the Docker image. --- Dockerfile | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/Dockerfile b/Dockerfile index 7be32b60..240fb0b7 100644 --- a/Dockerfile +++ b/Dockerfile @@ -252,6 +252,7 @@ RUN \ gosu wekan:wekan /home/wekan/.meteor/meteor -- help; \ \ # extract the OpenAPI specification + npm install -g api2html && \ mkdir -p /home/wekan/python && \ chown wekan:wekan --recursive /home/wekan/python && \ cd /home/wekan/python && \ @@ -260,7 +261,8 @@ RUN \ python3 setup.py install --record files.txt && \ cd /home/wekan/app &&\ mkdir -p ./public/api && \ - python3 ./openapi/generate_openapi.py --release $(git describe --tags --abbrev=0) > ./public/api/wekan.yml; \ + python3 ./openapi/generate_openapi.py --release $(git describe --tags --abbrev=0) > ./public/api/wekan.yml && \ + /opt/nodejs/bin/api2html -c ./public/wekan-logo-header.png -o ./public/api/wekan.html ./public/api/wekan.yml; \ # Build app cd /home/wekan/app && \ gosu wekan:wekan /home/wekan/.meteor/meteor add standard-minifier-js && \ @@ -285,6 +287,7 @@ RUN \ # Cleanup apt-get remove --purge -y ${BUILD_DEPS} && \ apt-get autoremove -y && \ + npm uninstall -g api2html &&\ rm -R /var/lib/apt/lists/* && \ rm -R /home/wekan/.meteor && \ rm -R /home/wekan/app && \ -- cgit v1.2.3-1-g7c22 From 048c3cd14d5f4236898e927576f9d2ad24e0cdb0 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Fri, 18 Jan 2019 15:51:16 +0100 Subject: snap: also generate the html doc of the REST API Same for snap: embed the documentation of the REST API in the snap. --- snapcraft.yaml | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/snapcraft.yaml b/snapcraft.yaml index cba5bf30..b2b3dfd2 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -112,6 +112,12 @@ parts: cd ../../.. mkdir -p ./public/api python3 ./openapi/generate_openapi.py --release $(git describe --tags --abbrev=0) > ./public/api/wekan.yml + # we temporary need api2html and mkdirp + npm install -g api2html + npm install -g mkdirp + api2html -c ./public/wekan-logo-header.png -o ./public/api/wekan.html ./public/api/wekan.yml + npm uninstall -g mkdirp + npm uninstall -g api2html # Node Fibers 100% CPU usage issue: # https://github.com/wekan/wekan-mongodb/issues/2#issuecomment-381453161 # https://github.com/meteor/meteor/issues/9796#issuecomment-381676326 -- cgit v1.2.3-1-g7c22 From f40d1f6bd55362599bf3e85ffeffcc3e82bb04ec Mon Sep 17 00:00:00 2001 From: AJ Rivera Date: Fri, 18 Jan 2019 17:25:48 -0400 Subject: update license to year 2019 --- LICENSE | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/LICENSE b/LICENSE index 04faa72e..c2d69158 100644 --- a/LICENSE +++ b/LICENSE @@ -1,6 +1,6 @@ The MIT License (MIT) -Copyright (c) 2014-2018 The Wekan Team +Copyright (c) 2014-2019 The Wekan Team Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal -- cgit v1.2.3-1-g7c22 From 68998e062e0ac647a433d5650d86a98d9493c2ba Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 19 Jan 2019 20:42:41 +0200 Subject: Update translations. --- i18n/ar.i18n.json | 104 +++++++++++++++++++++++++++--------------------------- i18n/ca.i18n.json | 20 +++++------ 2 files changed, 62 insertions(+), 62 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index c2a484bd..6e3b9799 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -1,20 +1,20 @@ { - "accept": "اقبلboard", - "act-activity-notify": "Activity Notification", - "act-addAttachment": "ربط __attachment__ الى __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "علق على __comment__ : __card__", - "act-createBoard": "احدث __board__", - "act-createCard": "اضاف __card__ الى __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "اضاف __list__ الى __board__", + "accept": "قبول", + "act-activity-notify": "اشعارات النشاط", + "act-addAttachment": "ربط __المرفق__ الى __بطاقة__", + "act-addSubtask": "تمة اضافة فرع المهمة __ قائمة التدقيق __ الى __ بطاقة", + "act-addChecklist": "تمة اضافة قائمة التدقيق __ قائمة التدقيق __ الى __ بطاقة", + "act-addChecklistItem": "تمة اضافة عنصر قائمة التدقيق __الى قائمة التدقيق __ قائمة التدقيق __ في __ بطاقة", + "act-addComment": "علق على __بطاقة__ : __تعليق__", + "act-createBoard": "احدث __لوحة__", + "act-createCard": "تمة اضافة __بطاقة__ الى __قائمة__", + "act-createCustomField": "احدث حقل مخصص __ حقل مخصص__", + "act-createList": "اضاف __قائمة__ الى __لوحة__", "act-addBoardMember": "اضاف __member__ الى __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", + "act-archivedBoard": "__ لوح __ انتقل إلى الأرشيف", + "act-archivedCard": "__ بطاقة __ انتقلت إلى الأرشيف", + "act-archivedList": "__ القائمة __ انتقلت إلى الأرشيف", + "act-archivedSwimlane": "__خط السباحة__انتقل إلى الأرشيف", "act-importBoard": "إستورد __board__", "act-importCard": "إستورد __card__", "act-importList": "إستورد __list__", @@ -23,16 +23,16 @@ "act-removeBoardMember": "أزال __member__ من __board__", "act-restoredCard": "أعاد __card__ إلى __board__", "act-unjoinMember": "أزال __member__ من __card__", - "act-withBoardTitle": "__board__", + "act-withBoardTitle": "__لوح__", "act-withCardTitle": "[__board__] __card__", "actions": "الإجراءات", "activities": "الأنشطة", "activity": "النشاط", "activity-added": "تمت إضافة %s ل %s", - "activity-archived": "%s moved to Archive", + "activity-archived": "%s انتقل الى الارشيف", "activity-attached": "إرفاق %s ل %s", "activity-created": "أنشأ %s", - "activity-customfield-created": "created custom field %s", + "activity-customfield-created": "%s احدت حقل مخصص", "activity-excluded": "استبعاد %s عن %s", "activity-imported": "imported %s into %s from %s", "activity-imported-board": "imported %s from %s", @@ -42,15 +42,15 @@ "activity-removed": "حذف %s إلى %s", "activity-sent": "إرسال %s إلى %s", "activity-unjoined": "غادر %s", - "activity-subtask-added": "added subtask to %s", - "activity-checked-item": "checked %s in checklist %s of %s", - "activity-unchecked-item": "unchecked %s in checklist %s of %s", + "activity-subtask-added": "تم اضافة مهمة فرعية الى %s", + "activity-checked-item": "تحقق %s في قائمة التحقق %s من %s", + "activity-unchecked-item": "ازالة تحقق %s من قائمة التحقق %s من %s", "activity-checklist-added": "أضاف قائمة تحقق إلى %s", - "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", - "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", + "activity-checklist-removed": "ازالة قائمة التحقق من %s", + "activity-checklist-completed": "تم انجاز قائمة التحقق %s من %s", + "activity-checklist-uncompleted": "لم يتم انجاز قائمة التحقق %s من %s", + "activity-checklist-item-added": "تم اضافة عنصر قائمة التحقق الى '%s' في %s", + "activity-checklist-item-removed": "تم ازالة عنصر قائمة التحقق الى '%s' في %s", "add": "أضف", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", @@ -79,18 +79,18 @@ "and-n-other-card_plural": "And __count__ other بطاقات", "apply": "طبق", "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", - "archive": "Move to Archive", - "archive-all": "Move All to Archive", - "archive-board": "Move Board to Archive", - "archive-card": "Move Card to Archive", - "archive-list": "Move List to Archive", - "archive-swimlane": "Move Swimlane to Archive", - "archive-selection": "Move selection to Archive", - "archiveBoardPopup-title": "Move Board to Archive?", + "archive": "نقل الى الارشيف", + "archive-all": "نقل الكل الى الارشيف", + "archive-board": "نقل اللوح الى الارشيف", + "archive-card": "نقل البطاقة الى الارشيف", + "archive-list": "نقل القائمة الى الارشيف", + "archive-swimlane": "نقل خط السباحة الى الارشيف", + "archive-selection": "نقل التحديد إلى الأرشيف", + "archiveBoardPopup-title": "نقل الوح إلى الأرشيف", "archived-items": "أرشيف", - "archived-boards": "Boards in Archive", + "archived-boards": "الالواح في الأرشيف", "restore-board": "استعادة اللوحة", - "no-archived-boards": "No Boards in Archive.", + "no-archived-boards": "لا توجد لوحات في الأرشيف.", "archives": "أرشيف", "assign-member": "تعيين عضو", "attached": "أُرفق)", @@ -112,23 +112,23 @@ "boardChangeWatchPopup-title": "تغيير المتابعة", "boardMenuPopup-title": "قائمة اللوحة", "boards": "لوحات", - "board-view": "Board View", - "board-view-cal": "Calendar", - "board-view-swimlanes": "Swimlanes", + "board-view": "عرض اللوحات", + "board-view-cal": "التقويم", + "board-view-swimlanes": "خطوط السباحة", "board-view-lists": "القائمات", "bucket-example": "مثل « todo list » على سبيل المثال", "cancel": "إلغاء", - "card-archived": "This card is moved to Archive.", - "board-archived": "This board is moved to Archive.", + "card-archived": "البطاقة منقولة الى الارشيف", + "board-archived": "اللوحات منقولة الى الارشيف", "card-comments-title": "%s تعليقات لهذه البطاقة", "card-delete-notice": "هذا حذف أبديّ . سوف تفقد كل الإجراءات المنوطة بهذه البطاقة", "card-delete-pop": "سيتم إزالة جميع الإجراءات من تبعات النشاط، وأنك لن تكون قادرا على إعادة فتح البطاقة. لا يوجد التراجع.", - "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "يمكنك نقل بطاقة إلى الأرشيف لإزالتها من اللوحة والمحافظة على النشاط.", "card-due": "مستحق", "card-due-on": "مستحق في", - "card-spent": "Spent Time", + "card-spent": "امضى وقتا", "card-edit-attachments": "تعديل المرفقات", - "card-edit-custom-fields": "Edit custom fields", + "card-edit-custom-fields": "تعديل الحقل المعدل", "card-edit-labels": "تعديل العلامات", "card-edit-members": "تعديل الأعضاء", "card-labels-title": "تعديل علامات البطاقة.", @@ -136,8 +136,8 @@ "card-start": "بداية", "card-start-on": "يبدأ في", "cardAttachmentsPopup-title": "إرفاق من", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", + "cardCustomField-datePopup-title": "تغير التاريخ", + "cardCustomFieldsPopup-title": "تعديل الحقل المعدل", "cardDeletePopup-title": "حذف البطاقة ?", "cardDetailsActionsPopup-title": "إجراءات على البطاقة", "cardLabelsPopup-title": "علامات", @@ -145,9 +145,9 @@ "cardMorePopup-title": "المزيد", "cards": "بطاقات", "cards-count": "بطاقات", - "casSignIn": "Sign In with CAS", - "cardType-card": "Card", - "cardType-linkedCard": "Linked Card", + "casSignIn": "تسجيل الدخول مع CAS", + "cardType-card": "بطاقة", + "cardType-linkedCard": "البطاقة المرتبطة", "cardType-linkedBoard": "Linked Board", "change": "Change", "change-avatar": "تعديل الصورة الشخصية", @@ -187,7 +187,7 @@ "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "نسخ رابط البطاقة إلى الحافظة", - "linkCardPopup-title": "Link Card", + "linkCardPopup-title": "ربط البطاقة", "searchCardPopup-title": "Search Card", "copyCardPopup-title": "نسخ البطاقة", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", @@ -327,7 +327,7 @@ "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "القائمات", - "swimlanes": "Swimlanes", + "swimlanes": "خطوط السباحة", "log-out": "تسجيل الخروج", "log-in": "تسجيل الدخول", "loginPopup-title": "تسجيل الدخول", @@ -570,7 +570,7 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Archive", + "r-archive": "نقل الى الارشيف", "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "أضف", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index d8d90a71..8d54a5fe 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -1,7 +1,7 @@ { "accept": "Accepta", "act-activity-notify": "Notificació d'activitat", - "act-addAttachment": "adjuntat __attachment__ a __card__", + "act-addAttachment": "afegit__adjunt__ a la __fitxa__", "act-addSubtask": "added subtask __checklist__ to __card__", "act-addChecklist": "afegida la checklist _checklist__ a __card__", "act-addChecklistItem": "afegit __checklistItem__ a la checklist __checklist__ on __card__", @@ -58,7 +58,7 @@ "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Afegeix adjunt", "add-board": "Afegeix Tauler", - "add-card": "Afegeix fitxa", + "add-card": "Afegeix Fitxa", "add-swimlane": "Afegix Carril de Natació", "add-subtask": "Afegir Subtasca", "add-checklist": "Afegeix checklist", @@ -71,9 +71,9 @@ "addMemberPopup-title": "Membres", "admin": "Administrador", "admin-desc": "Pots veure i editar fitxes, eliminar membres, i canviar la configuració del tauler", - "admin-announcement": "Bàndol", - "admin-announcement-active": "Activar bàndol del Sistema", - "admin-announcement-title": "Bàndol de l'administració", + "admin-announcement": "Alertes", + "admin-announcement-active": "Activar alertes del Sistema", + "admin-announcement-title": "Alertes d'administració", "all-boards": "Tots els taulers", "and-n-other-card": "And __count__ other card", "and-n-other-card_plural": "And __count__ other cards", @@ -279,7 +279,7 @@ "headerBarCreateBoardPopup-title": "Crea tauler", "home": "Inici", "import": "importa", - "link": "Link", + "link": "Enllaç", "import-board": "Importa tauler", "import-board-c": "Importa tauler", "import-board-title-trello": "Importa tauler des de Trello", @@ -383,7 +383,7 @@ "restore": "Restaura", "save": "Desa", "search": "Cerca", - "rules": "Rules", + "rules": "Regles", "search-cards": "Cerca títols de fitxa i descripcions en aquest tauler", "search-example": "Text que cercar?", "select-color": "Selecciona color", @@ -453,7 +453,7 @@ "smtp-tls-description": "Activa suport TLS pel servidor SMTP", "smtp-host": "Servidor SMTP", "smtp-port": "Port SMTP", - "smtp-username": "Nom d'Usuari", + "smtp-username": "Nom d'usuari", "smtp-password": "Contrasenya", "smtp-tls": "Suport TLS", "send-from": "De", @@ -532,12 +532,12 @@ "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", - "r-board-rules": "Board rules", + "r-board-rules": "Regles del tauler", "r-add-rule": "Add rule", "r-view-rule": "View rule", "r-delete-rule": "Delete rule", "r-new-rule-name": "New rule title", - "r-no-rules": "No rules", + "r-no-rules": "No hi han regles", "r-when-a-card": "When a card", "r-is": "is", "r-is-moved": "is moved", -- cgit v1.2.3-1-g7c22 From 8e8147b5acdf8639d5f164efc2acfb4efd12ff8a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 19 Jan 2019 20:45:43 +0200 Subject: - Fix License to 2019. https://github.com/wekan/wekan/pull/2112 Thanks to ajRiverav ! --- CHANGELOG.md | 1 + 1 file changed, 1 insertion(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index a972a400..1f0353a4 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,6 +2,7 @@ - Update translations. - Fix typo, changelog year to 2019. Thanks to xorander00 ! +- Fix License to 2019. Thanks to ajRiverav ! # v2.01 2019-01-06 Wekan release -- cgit v1.2.3-1-g7c22 From c960a8b909289527e6cd8a94f41f3b57ebf0eba8 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 19 Jan 2019 21:14:32 +0200 Subject: - [OpenAPI and generating of REST API Docs](https://github.com/wekan/wekan/pull/1965). Thanks to bentiss. --- CHANGELOG.md | 17 ++++++++++++++--- 1 file changed, 14 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 1f0353a4..88c018ab 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,8 +1,19 @@ # Upcoming Wekan release -- Update translations. -- Fix typo, changelog year to 2019. Thanks to xorander00 ! -- Fix License to 2019. Thanks to ajRiverav ! +This release adds the following new features: + +- [OpenAPI and generating of REST API Docs](https://github.com/wekan/wekan/pull/1965). Thanks to bentiss. + +and adds these updates: + +- Update translations. Thanks to translators. + +and fixes these typos; + +- Fix typo, changelog year to 2019. Thanks to xorander00. +- Fix License to 2019. Thanks to ajRiverav. + +Thanks to above GitHub users for their contributions. # v2.01 2019-01-06 Wekan release -- cgit v1.2.3-1-g7c22 From d5d71d70973a3b402691f9131bdf664f3aa88c48 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 20 Jan 2019 00:53:59 +0200 Subject: Update upcase/lowercase. --- models/cards.js | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/models/cards.js b/models/cards.js index aa0bf93e..a20da5ec 100644 --- a/models/cards.js +++ b/models/cards.js @@ -1429,7 +1429,7 @@ if (Meteor.isServer) { if (Meteor.isServer) { /** * @operation get_all_cards - * @summary get all cards attached to a list + * @summary Get all Cards attached to a List * * @param {string} boardId the board ID * @param {string} listId the list ID @@ -1459,7 +1459,7 @@ if (Meteor.isServer) { /** * @operation get_card - * @summary get a card + * @summary Get a Card * * @param {string} boardId the board ID * @param {string} listId the list ID of the card @@ -1484,7 +1484,7 @@ if (Meteor.isServer) { /** * @operation new_card - * @summary creates a new card + * @summary Create a new Card * * @param {string} boardId the board ID of the new card * @param {string} listId the list ID of the new card @@ -1540,7 +1540,7 @@ if (Meteor.isServer) { */ /** * @operation edit_card - * @summary edit fields in a card + * @summary Edit Fields in a Card * * @param {string} boardId the board ID of the card * @param {string} list the list ID of the card -- cgit v1.2.3-1-g7c22 From c87a8b86aed70593bf8a9628df830ca5f03d50d5 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 21 Jan 2019 16:26:55 +0200 Subject: - Added missing translation for 'days' Thanks to Chartman123 ! Closes #2114 --- i18n/en.i18n.json | 1 + 1 file changed, 1 insertion(+) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 5e21f767..c59f10b3 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OS Total Memory", "OS_Type": "OS Type", "OS_Uptime": "OS Uptime", + "days": "days", "hours": "hours", "minutes": "minutes", "seconds": "seconds", -- cgit v1.2.3-1-g7c22 From b0ac10d94a8200a1ad0199a82c3f9d9be7ac9882 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Tue, 24 Jul 2018 18:18:40 +0200 Subject: Add the ability to change the card background Currently the only way to set it is via the REST API --- client/components/cards/cardDetails.jade | 2 +- client/components/cards/cardDetails.js | 1 + client/components/cards/cardDetails.styl | 77 ++++++++++++++++++++++++++++ client/components/cards/minicard.jade | 3 +- client/components/cards/minicard.js | 4 ++ client/components/cards/minicard.styl | 83 +++++++++++++++++++++++++++++++ models/cards.js | 32 ++++++++++++ public/card-colors.png | Bin 0 -> 54127 bytes 8 files changed, 200 insertions(+), 2 deletions(-) create mode 100644 public/card-colors.png diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index a6dc3dde..f83c3526 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -1,6 +1,6 @@ template(name="cardDetails") section.card-details.js-card-details.js-perfect-scrollbar: .card-details-canvas - .card-details-header + .card-details-header(class='{{#if colorClass}}card-details-{{colorClass}}{{/if}}') +inlinedForm(classNames="js-card-details-title") +editCardTitleForm else diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index e17e7467..060ded5a 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -22,6 +22,7 @@ BlazeComponent.extendComponent({ onCreated() { this.currentBoard = Boards.findOne(Session.get('currentBoard')); this.isLoaded = new ReactiveVar(false); + this.currentColor = new ReactiveVar(this.data().color); const boardBody = this.parentComponent().parentComponent(); //in Miniview parent is Board, not BoardBody. if (boardBody !== null) { diff --git a/client/components/cards/cardDetails.styl b/client/components/cards/cardDetails.styl index 1dc56f58..5a486d84 100644 --- a/client/components/cards/cardDetails.styl +++ b/client/components/cards/cardDetails.styl @@ -140,3 +140,80 @@ input[type="submit"].attachment-add-link-submit .card-details-menu margin-right: 10px + +card-details-color(background, color...) + background: background !important + if color + color: color //overwrite text for better visibility + +.card-details-green + card-details-color(#3cb500, #ffffff) //White text for better visibility + +.card-details-yellow + card-details-color(#fad900) + +.card-details-orange + card-details-color(#ff9f19) + +.card-details-red + card-details-color(#eb4646, #ffffff) //White text for better visibility + +.card-details-purple + card-details-color(#a632db, #ffffff) //White text for better visibility + +.card-details-blue + card-details-color(#0079bf, #ffffff) //White text for better visibility + +.card-details-pink + card-details-color(#ff78cb) + +.card-details-sky + card-details-color(#00c2e0, #ffffff) //White text for better visibility + +.card-details-black + card-details-color(#4d4d4d, #ffffff) //White text for better visibility + +.card-details-lime + card-details-color(#51e898) + +.card-details-silver + card-details-color(#c0c0c0) + +.card-details-peachpuff + card-details-color(#ffdab9) + +.card-details-crimson + card-details-color(#dc143c, #ffffff) //White text for better visibility + +.card-details-plum + card-details-color(#dda0dd) + +.card-details-darkgreen + card-details-color(#006400, #ffffff) //White text for better visibility + +.card-details-slateblue + card-details-color(#6a5acd, #ffffff) //White text for better visibility + +.card-details-magenta + card-details-color(#ff00ff, #ffffff) //White text for better visibility + +.card-details-gold + card-details-color(#ffd700) + +.card-details-navy + card-details-color(#000080, #ffffff) //White text for better visibility + +.card-details-gray + card-details-color(#808080, #ffffff) //White text for better visibility + +.card-details-saddlebrown + card-details-color(#8b4513, #ffffff) //White text for better visibility + +.card-details-paleturquoise + card-details-color(#afeeee) + +.card-details-mistyrose + card-details-color(#ffe4e1) + +.card-details-indigo + card-details-color(#4b0082, #ffffff) //White text for better visibility diff --git a/client/components/cards/minicard.jade b/client/components/cards/minicard.jade index 0dfcee44..f47ae0c9 100644 --- a/client/components/cards/minicard.jade +++ b/client/components/cards/minicard.jade @@ -1,7 +1,8 @@ template(name="minicard") .minicard( class="{{#if isLinkedCard}}linked-card{{/if}}" - class="{{#if isLinkedBoard}}linked-board{{/if}}") + class="{{#if isLinkedBoard}}linked-board{{/if}}" + class="minicard-{{colorClass}}") if cover .minicard-cover(style="background-image: url('{{cover.url}}');") if labels diff --git a/client/components/cards/minicard.js b/client/components/cards/minicard.js index da7f9e01..e468ec56 100644 --- a/client/components/cards/minicard.js +++ b/client/components/cards/minicard.js @@ -3,6 +3,10 @@ // }); BlazeComponent.extendComponent({ + onCreated() { + this.currentColor = new ReactiveVar(this.data().color); + }, + template() { return 'minicard'; }, diff --git a/client/components/cards/minicard.styl b/client/components/cards/minicard.styl index 7ad51161..e3d1ff20 100644 --- a/client/components/cards/minicard.styl +++ b/client/components/cards/minicard.styl @@ -202,3 +202,86 @@ border-top-right-radius: 0 z-index: 15 box-shadow: 0 1px 2px rgba(0,0,0,.15) + +minicard-color(background, color...) + background-color: background + if color + color: color //overwrite text for better visibility + &:hover:not(.minicard-composer), + .is-selected &, + .draggable-hover-card & + background: darken(background, 3%) + .draggable-hover-card & + background: darken(background, 7%) + +.minicard-green + minicard-color(#3cb500, #ffffff) //White text for better visibility + +.minicard-yellow + minicard-color(#fad900) + +.minicard-orange + minicard-color(#ff9f19) + +.minicard-red + minicard-color(#eb4646, #ffffff) //White text for better visibility + +.minicard-purple + minicard-color(#a632db, #ffffff) //White text for better visibility + +.minicard-blue + minicard-color(#0079bf, #ffffff) //White text for better visibility + +.minicard-pink + minicard-color(#ff78cb) + +.minicard-sky + minicard-color(#00c2e0, #ffffff) //White text for better visibility + +.minicard-black + minicard-color(#4d4d4d, #ffffff) //White text for better visibility + +.minicard-lime + minicard-color(#51e898) + +.minicard-silver + minicard-color(#c0c0c0) + +.minicard-peachpuff + minicard-color(#ffdab9) + +.minicard-crimson + minicard-color(#dc143c, #ffffff) //White text for better visibility + +.minicard-plum + minicard-color(#dda0dd) + +.minicard-darkgreen + minicard-color(#006400, #ffffff) //White text for better visibility + +.minicard-slateblue + minicard-color(#6a5acd, #ffffff) //White text for better visibility + +.minicard-magenta + minicard-color(#ff00ff, #ffffff) //White text for better visibility + +.minicard-gold + minicard-color(#ffd700) + +.minicard-navy + minicard-color(#000080, #ffffff) //White text for better visibility + +.minicard-gray + minicard-color(#808080, #ffffff) //White text for better visibility + +.minicard-saddlebrown + minicard-color(#8b4513, #ffffff) //White text for better visibility + +.minicard-paleturquoise + minicard-color(#afeeee) + +.minicard-mistyrose + minicard-color(#ffe4e1) + +.minicard-indigo + minicard-color(#4b0082, #ffffff) //White text for better visibility diff --git a/models/cards.js b/models/cards.js index a20da5ec..7251faeb 100644 --- a/models/cards.js +++ b/models/cards.js @@ -65,6 +65,17 @@ Cards.attachSchema(new SimpleSchema({ defaultValue: '', }, + color: { + type: String, + optional: true, + allowedValues: [ + 'green', 'yellow', 'orange', 'red', 'purple', + 'blue', 'sky', 'lime', 'pink', 'black', + 'silver', 'peachpuff', 'crimson', 'plum', 'darkgreen', + 'slateblue', 'magenta', 'gold', 'navy', 'gray', + 'saddlebrown', 'paleturquoise', 'mistyrose', 'indigo', + ], + }, createdAt: { /** * creation date @@ -435,7 +446,12 @@ Cards.helpers({ definition, }; }); + }, + colorClass() { + if (this.color) + return this.color; + return ''; }, absoluteUrl() { @@ -1542,6 +1558,15 @@ if (Meteor.isServer) { * @operation edit_card * @summary Edit Fields in a Card * + * @description Edit a card + * + * The color has to be chosen between `green`, `yellow`, `orange`, `red`, + * `purple`, `blue`, `sky`, `lime`, `pink`, `black`, `silver`, `peachpuff`, + * `crimson`, `plum`, `darkgreen`, `slateblue`, `magenta`, `gold`, `navy`, + * `gray`, `saddlebrown`, `paleturquoise`, `mistyrose`, `indigo`: + * + * Wekan card colors + * * @param {string} boardId the board ID of the card * @param {string} list the list ID of the card * @param {string} cardId the ID of the card @@ -1562,6 +1587,8 @@ if (Meteor.isServer) { * @param {string} [spentTime] the new spentTime field of the card * @param {boolean} [isOverTime] the new isOverTime field of the card * @param {string} [customFields] the new customFields value of the card + * @param {string} [color] the new color of the card + * @return_type {_id: string} */ JsonRoutes.add('PUT', '/api/boards/:boardId/lists/:listId/cards/:cardId', function(req, res) { Authentication.checkUserId(req.userId); @@ -1616,6 +1643,11 @@ if (Meteor.isServer) { }, }); } + if (req.body.hasOwnProperty('color')) { + const newColor = req.body.color; + Cards.direct.update({_id: paramCardId, listId: paramListId, boardId: paramBoardId, archived: false}, + {$set: {color: newColor}}); + } if (req.body.hasOwnProperty('labelIds')) { let newlabelIds = req.body.labelIds; if (_.isString(newlabelIds)) { diff --git a/public/card-colors.png b/public/card-colors.png new file mode 100644 index 00000000..91d3a587 Binary files /dev/null and b/public/card-colors.png differ -- cgit v1.2.3-1-g7c22 From 3368ebf067779d1f306a2447e2357e34213f0126 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Tue, 22 Jan 2019 10:35:09 +0100 Subject: color: add option in hamburger to change the card color Currently only dropdown, no palette Fixes: #428 --- client/components/cards/cardDetails.jade | 34 +++++++++++++++++++++++++++++++- client/components/cards/cardDetails.js | 13 ++++++++++++ i18n/en.i18n.json | 16 +++++++++++++++ models/cards.js | 11 +++++++++++ 4 files changed, 73 insertions(+), 1 deletion(-) diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index f83c3526..4838d82c 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -234,6 +234,7 @@ template(name="cardDetailsActionsPopup") li: a.js-due-date {{_ 'editCardDueDatePopup-title'}} li: a.js-end-date {{_ 'editCardEndDatePopup-title'}} li: a.js-spent-time {{_ 'editCardSpentTimePopup-title'}} + li: a.js-set-card-color {{_ 'setCardColor-title'}} hr ul.pop-over-list li: a.js-move-card-to-top {{_ 'moveCardToTop-title'}} @@ -335,7 +336,38 @@ template(name="cardMorePopup") span.date(title=card.createdAt) {{ moment createdAt 'LLL' }} a.js-delete(title="{{_ 'card-delete-notice'}}") {{_ 'delete'}} - +template(name="setCardColorPopup") + p.quiet + span.clearfix + label {{_ "select-color"}} + select.js-select-colors + option(value="white") {{{_'color-white'}}} + option(value="green") {{{_'color-green'}}} + option(value="yellow") {{{_'color-yellow'}}} + option(value="orange") {{{_'color-orange'}}} + option(value="red") {{{_'color-red'}}} + option(value="purple") {{{_'color-purple'}}} + option(value="blue") {{{_'color-blue'}}} + option(value="sky") {{{_'color-sky'}}} + option(value="lime") {{{_'color-lime'}}} + option(value="pink") {{{_'color-pink'}}} + option(value="black") {{{_'color-black'}}} + option(value="silver") {{{_'color-silver'}}} + option(value="peachpuff") {{{_'color-peachpuff'}}} + option(value="crimson") {{{_'color-crimson'}}} + option(value="plum") {{{_'color-plum'}}} + option(value="darkgreen") {{{_'color-darkgreen'}}} + option(value="slateblue") {{{_'color-slateblue'}}} + option(value="magenta") {{{_'color-magenta'}}} + option(value="gold") {{{_'color-gold'}}} + option(value="navy") {{{_'color-navy'}}} + option(value="gray") {{{_'color-gray'}}} + option(value="saddlebrown") {{{_'color-saddlebrown'}}} + option(value="paleturquoise") {{{_'color-paleturquoise'}}} + option(value="mistyrose") {{{_'color-mistyrose'}}} + option(value="indigo") {{{_'color-indigo'}}} + .edit-controls.clearfix + button.primary.confirm.js-submit {{_ 'save'}} template(name="cardDeletePopup") p {{_ "card-delete-pop"}} diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index 060ded5a..7883f129 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -338,6 +338,7 @@ Template.cardDetailsActionsPopup.events({ 'click .js-move-card': Popup.open('moveCard'), 'click .js-copy-card': Popup.open('copyCard'), 'click .js-copy-checklist-cards': Popup.open('copyChecklistToManyCards'), + 'click .js-set-card-color': Popup.open('setCardColor'), 'click .js-move-card-to-top' (evt) { evt.preventDefault(); const minOrder = _.min(this.list().cards(this.swimlaneId).map((c) => c.sort)); @@ -584,6 +585,18 @@ Template.copyChecklistToManyCardsPopup.events({ }, }); +Template.setCardColorPopup.events({ + 'click .js-submit' () { + // XXX We should *not* get the currentCard from the global state, but + // instead from a “component” state. + const card = Cards.findOne(Session.get('currentCard')); + const colorSelect = $('.js-select-colors')[0]; + newColor = colorSelect.options[colorSelect.selectedIndex].value; + card.setColor(newColor); + Popup.close(); + }, +}); + BlazeComponent.extendComponent({ onCreated() { this.currentCard = this.currentData(); diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index c59f10b3..36153ff7 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "black", "color-blue": "blue", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "green", + "color-indigo": "indigo", "color-lime": "lime", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "orange", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "pink", + "color-plum": "plum", "color-purple": "purple", "color-red": "red", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "sky", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "yellow", "comment": "Comment", "comment-placeholder": "Write Comment", @@ -501,6 +516,7 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/models/cards.js b/models/cards.js index 7251faeb..c5d9bf05 100644 --- a/models/cards.js +++ b/models/cards.js @@ -1033,6 +1033,17 @@ Cards.mutations({ } }, + setColor(newColor) { + if (newColor === 'white') { + newColor = null; + } + return { + $set: { + color: newColor, + }, + }; + }, + assignMember(memberId) { return { $addToSet: { -- cgit v1.2.3-1-g7c22 From f4f0f489ebf9e23dc8150d5a94239484256b0beb Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Tue, 22 Jan 2019 10:39:30 +0100 Subject: add action: set card color --- client/components/rules/actions/cardActions.jade | 39 ++++++++++++++++++++---- client/components/rules/actions/cardActions.js | 20 ++++++++++++ i18n/en.i18n.json | 1 + server/rulesHelper.js | 3 ++ 4 files changed, 57 insertions(+), 6 deletions(-) diff --git a/client/components/rules/actions/cardActions.jade b/client/components/rules/actions/cardActions.jade index 74ad9ab5..dd92d8fe 100644 --- a/client/components/rules/actions/cardActions.jade +++ b/client/components/rules/actions/cardActions.jade @@ -35,9 +35,36 @@ template(name="cardActions") div.trigger-button.js-add-removeall-action.js-goto-rules i.fa.fa-plus - - - - - - + div.trigger-item + div.trigger-content + div.trigger-text + | {{{_'r-set-color'}}} + div.trigger-dropdown + select(id="color-action") + option(value="white") {{{_'color-white'}}} + option(value="green") {{{_'color-green'}}} + option(value="yellow") {{{_'color-yellow'}}} + option(value="orange") {{{_'color-orange'}}} + option(value="red") {{{_'color-red'}}} + option(value="purple") {{{_'color-purple'}}} + option(value="blue") {{{_'color-blue'}}} + option(value="sky") {{{_'color-sky'}}} + option(value="lime") {{{_'color-lime'}}} + option(value="pink") {{{_'color-pink'}}} + option(value="black") {{{_'color-black'}}} + option(value="silver") {{{_'color-silver'}}} + option(value="peachpuff") {{{_'color-peachpuff'}}} + option(value="crimson") {{{_'color-crimson'}}} + option(value="plum") {{{_'color-plum'}}} + option(value="darkgreen") {{{_'color-darkgreen'}}} + option(value="slateblue") {{{_'color-slateblue'}}} + option(value="magenta") {{{_'color-magenta'}}} + option(value="gold") {{{_'color-gold'}}} + option(value="navy") {{{_'color-navy'}}} + option(value="gray") {{{_'color-gray'}}} + option(value="saddlebrown") {{{_'color-saddlebrown'}}} + option(value="paleturquoise") {{{_'color-paleturquoise'}}} + option(value="mistyrose") {{{_'color-mistyrose'}}} + option(value="indigo") {{{_'color-indigo'}}} + div.trigger-button.js-set-color-action.js-goto-rules + i.fa.fa-plus diff --git a/client/components/rules/actions/cardActions.js b/client/components/rules/actions/cardActions.js index b04440bd..b66556b4 100644 --- a/client/components/rules/actions/cardActions.js +++ b/client/components/rules/actions/cardActions.js @@ -112,6 +112,26 @@ BlazeComponent.extendComponent({ boardId, }); }, + 'click .js-set-color-action' (event) { + const ruleName = this.data().ruleName.get(); + const trigger = this.data().triggerVar.get(); + const selectedColor = this.find('#color-action').value; + const boardId = Session.get('currentBoard'); + const desc = Utils.getTriggerActionDesc(event, this); + const triggerId = Triggers.insert(trigger); + const actionId = Actions.insert({ + actionType: 'setColor', + selectedColor, + boardId, + desc, + }); + Rules.insert({ + title: ruleName, + triggerId, + actionId, + boardId, + }); + }, }]; }, diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 36153ff7..a4338363 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -597,6 +597,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/server/rulesHelper.js b/server/rulesHelper.js index ccb5cb3b..163bd41e 100644 --- a/server/rulesHelper.js +++ b/server/rulesHelper.js @@ -87,6 +87,9 @@ RulesHelper = { if(action.actionType === 'unarchive'){ card.restore(); } + if(action.actionType === 'setColor'){ + card.setColor(action.selectedColor); + } if(action.actionType === 'addLabel'){ card.addLabel(action.labelId); } -- cgit v1.2.3-1-g7c22 From d3b2ae1975a72b3be816538059d9c3dc6684a59d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 22 Jan 2019 12:12:18 +0200 Subject: Update translations. --- i18n/ar.i18n.json | 1 + i18n/bg.i18n.json | 1 + i18n/br.i18n.json | 1 + i18n/ca.i18n.json | 25 +++++++++++++------------ i18n/cs.i18n.json | 1 + i18n/da.i18n.json | 1 + i18n/de.i18n.json | 1 + i18n/el.i18n.json | 1 + i18n/en-GB.i18n.json | 1 + i18n/eo.i18n.json | 1 + i18n/es-AR.i18n.json | 1 + i18n/es.i18n.json | 1 + i18n/eu.i18n.json | 1 + i18n/fa.i18n.json | 1 + i18n/fi.i18n.json | 1 + i18n/fr.i18n.json | 1 + i18n/gl.i18n.json | 1 + i18n/he.i18n.json | 1 + i18n/hi.i18n.json | 1 + i18n/hu.i18n.json | 1 + i18n/hy.i18n.json | 1 + i18n/id.i18n.json | 1 + i18n/ig.i18n.json | 1 + i18n/it.i18n.json | 1 + i18n/ja.i18n.json | 1 + i18n/ka.i18n.json | 1 + i18n/km.i18n.json | 1 + i18n/ko.i18n.json | 1 + i18n/lv.i18n.json | 1 + i18n/mn.i18n.json | 1 + i18n/nb.i18n.json | 1 + i18n/nl.i18n.json | 1 + i18n/pl.i18n.json | 1 + i18n/pt-BR.i18n.json | 1 + i18n/pt.i18n.json | 1 + i18n/ro.i18n.json | 1 + i18n/ru.i18n.json | 1 + i18n/sr.i18n.json | 1 + i18n/sv.i18n.json | 1 + i18n/sw.i18n.json | 1 + i18n/ta.i18n.json | 1 + i18n/th.i18n.json | 1 + i18n/tr.i18n.json | 17 +++++++++-------- i18n/uk.i18n.json | 1 + i18n/vi.i18n.json | 1 + i18n/zh-CN.i18n.json | 1 + i18n/zh-TW.i18n.json | 1 + 47 files changed, 67 insertions(+), 20 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 6e3b9799..841c8d35 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "الذاكرة الكلية لنظام التشغيل", "OS_Type": "نوع نظام التشغيل", "OS_Uptime": "مدة تشغيل نظام التشغيل", + "days": "days", "hours": "الساعات", "minutes": "الدقائق", "seconds": "الثواني", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index e396bc8b..b13e4447 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "ОС Общо памет", "OS_Type": "Тип ОС", "OS_Uptime": "OS Ъптайм", + "days": "days", "hours": "часа", "minutes": "минути", "seconds": "секунди", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index ef2d0636..2e450434 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OS Total Memory", "OS_Type": "OS Type", "OS_Uptime": "OS Uptime", + "days": "days", "hours": "hours", "minutes": "minutes", "seconds": "seconds", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 8d54a5fe..8de577ed 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -6,25 +6,25 @@ "act-addChecklist": "afegida la checklist _checklist__ a __card__", "act-addChecklistItem": "afegit __checklistItem__ a la checklist __checklist__ on __card__", "act-addComment": "comentat a __card__: __comment__", - "act-createBoard": "creat __board__", + "act-createBoard": "nou __tauler__", "act-createCard": "afegit/da __card__ a __list__", "act-createCustomField": "created custom field __customField__", - "act-createList": "afegit/da __list__ a __board__", - "act-addBoardMember": "afegit/da __member__ a __board__", + "act-createList": "llista __afegida__ al __tauler__", + "act-addBoardMember": "usuari __afegit__ al __tauler__", "act-archivedBoard": "__tauler__ mogut al Arxiu", "act-archivedCard": "__fitxa__ moguda al Arxiu", "act-archivedList": "__llista__ mogud al Arxiu", "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "__board__ importat", + "act-importBoard": "tauler __importat__", "act-importCard": "__card__ importat", "act-importList": "__list__ importat", "act-joinMember": "afegit/da __member__ a __card__", "act-moveCard": "mou __card__ de __oldList__ a __list__", "act-removeBoardMember": "elimina __usuari__ del __tauler__", - "act-restoredCard": "recupera __card__ a __board__", + "act-restoredCard": "fitxa __restaurada__ al __tauler__", "act-unjoinMember": "elimina __member__ de __card__", "act-withBoardTitle": "__tauler__", - "act-withCardTitle": "[__board__] __card__", + "act-withCardTitle": "[__tauler__] __fitxa__", "actions": "Accions", "activities": "Activitats", "activity": "Activitat", @@ -70,7 +70,7 @@ "added": "Afegit", "addMemberPopup-title": "Membres", "admin": "Administrador", - "admin-desc": "Pots veure i editar fitxes, eliminar membres, i canviar la configuració del tauler", + "admin-desc": "Pots veure i editar fitxes, eliminar usuaris, i canviar la configuració del tauler.", "admin-announcement": "Alertes", "admin-announcement-active": "Activar alertes del Sistema", "admin-announcement-title": "Alertes d'administració", @@ -98,15 +98,15 @@ "attachment-delete-pop": "L'esborrat d'un arxiu adjunt és permanent. No es pot desfer.", "attachmentDeletePopup-title": "Esborrar adjunt?", "attachments": "Adjunts", - "auto-watch": "Automàticament segueix el taulers quan són creats", + "auto-watch": "Segueix automàticament el taulers quan són creats", "avatar-too-big": "L'avatar es massa gran (70KM max)", "back": "Enrere", "board-change-color": "Canvia el color", "board-nb-stars": "%s estrelles", "board-not-found": "No s'ha trobat el tauler", - "board-private-info": "Aquest tauler serà privat .", - "board-public-info": "Aquest tauler serà públic .", - "boardChangeColorPopup-title": "Canvia fons", + "board-private-info": "Aquest tauler serà privat.", + "board-public-info": "Aquest tauler serà públic.", + "boardChangeColorPopup-title": "Canvia fons del tauler", "boardChangeTitlePopup-title": "Canvia el nom tauler", "boardChangeVisibilityPopup-title": "Canvia visibilitat", "boardChangeWatchPopup-title": "Canvia seguiment", @@ -119,7 +119,7 @@ "bucket-example": "Igual que “Bucket List”, per exemple", "cancel": "Cancel·la", "card-archived": "Aquesta fitxa ha estat moguda al Arxiu.", - "board-archived": "This board is moved to Archive.", + "board-archived": "Aquest tauler s'ha mogut al arxiu", "card-comments-title": "Aquesta fitxa té %s comentaris.", "card-delete-notice": "L'esborrat és permanent. Perdreu totes les accions associades a aquesta fitxa.", "card-delete-pop": "Totes les accions s'eliminaran de l'activitat i no podreu tornar a obrir la fitxa. No es pot desfer.", @@ -480,6 +480,7 @@ "OS_Totalmem": "Memòria total", "OS_Type": "Tipus de SO", "OS_Uptime": "Temps d'activitat", + "days": "days", "hours": "hores", "minutes": "minuts", "seconds": "segons", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index e033d99c..687df2d6 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OS Celková paměť", "OS_Type": "Typ OS", "OS_Uptime": "OS Doba běhu systému", + "days": "days", "hours": "hodin", "minutes": "minut", "seconds": "sekund", diff --git a/i18n/da.i18n.json b/i18n/da.i18n.json index d19fd2e7..67bfb37c 100644 --- a/i18n/da.i18n.json +++ b/i18n/da.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OS Total Memory", "OS_Type": "OS Type", "OS_Uptime": "OS Uptime", + "days": "days", "hours": "hours", "minutes": "minutes", "seconds": "seconds", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index bcb71d98..0169b63e 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "Gesamter Arbeitsspeicher", "OS_Type": "Typ des Betriebssystems", "OS_Uptime": "Laufzeit des Systems", + "days": "Tage", "hours": "Stunden", "minutes": "Minuten", "seconds": "Sekunden", diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 5a9558bd..2d9a0804 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OS Total Memory", "OS_Type": "OS Type", "OS_Uptime": "OS Uptime", + "days": "days", "hours": "ώρες", "minutes": "λεπτά", "seconds": "δευτερόλεπτα", diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index a2e32365..7caa8226 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OS Total Memory", "OS_Type": "OS Type", "OS_Uptime": "OS Uptime", + "days": "days", "hours": "hours", "minutes": "minutes", "seconds": "seconds", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index fc418b11..f9ca3d14 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OS Total Memory", "OS_Type": "OS Type", "OS_Uptime": "OS Uptime", + "days": "days", "hours": "hours", "minutes": "minutes", "seconds": "seconds", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index fe9ba9a4..13c3e973 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "Memoria Total del SO", "OS_Type": "Tipo de SO", "OS_Uptime": "Tiempo encendido del SO", + "days": "days", "hours": "horas", "minutes": "minutos", "seconds": "segundos", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 3f254057..92615f92 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "Memoria Total del sistema", "OS_Type": "Tipo de sistema", "OS_Uptime": "Tiempo activo del sistema", + "days": "days", "hours": "horas", "minutes": "minutos", "seconds": "segundos", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index b2314da7..e56a6dd1 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "SE memoria guztira", "OS_Type": "SE mota", "OS_Uptime": "SE denbora abiatuta", + "days": "days", "hours": "ordu", "minutes": "minutu", "seconds": "segundo", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index e0341907..c3700da6 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OS Total Memory", "OS_Type": "OS Type", "OS_Uptime": "OS Uptime", + "days": "days", "hours": "ساعت", "minutes": "دقیقه", "seconds": "ثانیه", diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index a5090959..e8730238 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "Käyttöjärjestelmän muistin kokonaismäärä", "OS_Type": "Käyttöjärjestelmän tyyppi", "OS_Uptime": "Käyttöjärjestelmä ollut käynnissä", + "days": "päivää", "hours": "tuntia", "minutes": "minuuttia", "seconds": "sekuntia", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index ea5f5add..acf1020c 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OS Mémoire totale", "OS_Type": "Type d'OS", "OS_Uptime": "OS Durée de fonctionnement", + "days": "jours", "hours": "heures", "minutes": "minutes", "seconds": "secondes", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 746133a8..09c0b013 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OS Total Memory", "OS_Type": "OS Type", "OS_Uptime": "OS Uptime", + "days": "days", "hours": "hours", "minutes": "minutes", "seconds": "seconds", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index e9abdf15..cad6d0ec 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "סך כל הזיכרון (RAM)", "OS_Type": "סוג מערכת ההפעלה", "OS_Uptime": "זמן שעבר מאז האתחול האחרון", + "days": "days", "hours": "שעות", "minutes": "דקות", "seconds": "שניות", diff --git a/i18n/hi.i18n.json b/i18n/hi.i18n.json index 165ccca9..f0586234 100644 --- a/i18n/hi.i18n.json +++ b/i18n/hi.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OS Total Memory", "OS_Type": "OS Type", "OS_Uptime": "OS Uptime", + "days": "days", "hours": "hours", "minutes": "minutes", "seconds": "seconds", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index f04eaf03..c6d388a8 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "Operációs rendszer összes memóriája", "OS_Type": "Operációs rendszer típusa", "OS_Uptime": "Operációs rendszer üzemideje", + "days": "days", "hours": "óra", "minutes": "perc", "seconds": "másodperc", diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index 6c48bcfa..728f6abc 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OS Total Memory", "OS_Type": "OS Type", "OS_Uptime": "OS Uptime", + "days": "days", "hours": "hours", "minutes": "minutes", "seconds": "seconds", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index c7788f93..99ceea14 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OS Total Memory", "OS_Type": "OS Type", "OS_Uptime": "OS Uptime", + "days": "days", "hours": "hours", "minutes": "minutes", "seconds": "seconds", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 3e1298b0..c1be77a0 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OS Total Memory", "OS_Type": "OS Type", "OS_Uptime": "OS Uptime", + "days": "days", "hours": "elekere", "minutes": "nkeji", "seconds": "seconds", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 1feffb8b..ccb87c4c 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "Memoria totale del sistema operativo ", "OS_Type": "Tipo di sistema operativo ", "OS_Uptime": "Tempo di attività del sistema operativo. ", + "days": "days", "hours": "ore", "minutes": "minuti", "seconds": "secondi", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index ea18d714..5c061e01 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OSトータルメモリ", "OS_Type": "OS種類", "OS_Uptime": "OSアップタイム", + "days": "days", "hours": "時", "minutes": "分", "seconds": "秒", diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index 7e2e8d47..94fb1af3 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OS მთლიანი მეხსიერება", "OS_Type": "OS ტიპი", "OS_Uptime": "OS Uptime", + "days": "days", "hours": "საათები", "minutes": "წუთები", "seconds": "წამები", diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index 510b5ea3..136cf79c 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OS Total Memory", "OS_Type": "OS Type", "OS_Uptime": "OS Uptime", + "days": "days", "hours": "hours", "minutes": "minutes", "seconds": "seconds", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index 90dbd71e..0933e045 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OS Total Memory", "OS_Type": "OS Type", "OS_Uptime": "OS Uptime", + "days": "days", "hours": "hours", "minutes": "minutes", "seconds": "seconds", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 0546f280..5eb48261 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OS Total Memory", "OS_Type": "OS Type", "OS_Uptime": "OS Uptime", + "days": "days", "hours": "hours", "minutes": "minutes", "seconds": "seconds", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index a1a8da25..2903c890 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OS Total Memory", "OS_Type": "OS Type", "OS_Uptime": "OS Uptime", + "days": "days", "hours": "hours", "minutes": "minutes", "seconds": "seconds", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index 25f04af4..c5a88246 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OS Total Memory", "OS_Type": "OS Type", "OS_Uptime": "OS Uptime", + "days": "days", "hours": "hours", "minutes": "minutes", "seconds": "seconds", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 657c2e4c..8b692495 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OS Totaal Geheugen", "OS_Type": "OS Type", "OS_Uptime": "OS Uptime", + "days": "days", "hours": "uren", "minutes": "minuten", "seconds": "seconden", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index c32096e2..65d3924c 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "Dostępna pamięć RAM", "OS_Type": "Typ systemu", "OS_Uptime": "Czas działania systemu", + "days": "days", "hours": "godzin", "minutes": "minut", "seconds": "sekund", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index e9cf736a..e5850756 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "Memória Total do SO", "OS_Type": "Tipo do SO", "OS_Uptime": "Disponibilidade do SO", + "days": "days", "hours": "horas", "minutes": "minutos", "seconds": "segundos", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 80ec412a..cd94e6b4 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OS Total Memory", "OS_Type": "OS Type", "OS_Uptime": "OS Uptime", + "days": "days", "hours": "hours", "minutes": "minutes", "seconds": "seconds", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index e8bdc604..0e5657fd 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OS Total Memory", "OS_Type": "OS Type", "OS_Uptime": "OS Uptime", + "days": "days", "hours": "hours", "minutes": "minutes", "seconds": "seconds", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index e82017ca..e0dc0559 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "Общая память", "OS_Type": "Тип ОС", "OS_Uptime": "Время работы", + "days": "days", "hours": "часы", "minutes": "минуты", "seconds": "секунды", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index d8d80162..57faf87f 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OS Total Memory", "OS_Type": "OS Type", "OS_Uptime": "OS Uptime", + "days": "days", "hours": "hours", "minutes": "minutes", "seconds": "seconds", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 9b1946e7..b6bb5db3 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OS totalt minne", "OS_Type": "OS Typ", "OS_Uptime": "OS drifttid", + "days": "days", "hours": "timmar", "minutes": "minuter", "seconds": "sekunder", diff --git a/i18n/sw.i18n.json b/i18n/sw.i18n.json index 03e7d57b..e2bb4f10 100644 --- a/i18n/sw.i18n.json +++ b/i18n/sw.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OS Total Memory", "OS_Type": "OS Type", "OS_Uptime": "OS Uptime", + "days": "days", "hours": "hours", "minutes": "minutes", "seconds": "seconds", diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index 75e606a4..431ae5f7 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OS Total Memory", "OS_Type": "OS Type", "OS_Uptime": "OS Uptime", + "days": "days", "hours": "hours", "minutes": "minutes", "seconds": "seconds", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index 39368515..21629362 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OS Total Memory", "OS_Type": "OS Type", "OS_Uptime": "OS Uptime", + "days": "days", "hours": "hours", "minutes": "minutes", "seconds": "seconds", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index 4bbb1437..ecbd0cc7 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "__customField__ adlı özel alan yaratıldı", "act-createList": "__list__ listesini __board__ panosuna ekledi", "act-addBoardMember": "__member__ kullanıcısını __board__ panosuna ekledi", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", + "act-archivedBoard": "__board__ arşive taşındı", + "act-archivedCard": "__card__ Arşive taşındı", + "act-archivedList": "__list__ Arşive taşındı", + "act-archivedSwimlane": "__swimlane__ Arşive taşındı", "act-importBoard": "__board__ panosunu içe aktardı", "act-importCard": "__card__ kartını içe aktardı", "act-importList": "__list__ listesini içe aktardı", @@ -480,6 +480,7 @@ "OS_Totalmem": "İşletim Sistemi Toplam Belleği", "OS_Type": "İşletim Sistemi Tipi", "OS_Uptime": "İşletim Sistemi Toplam Açık Kalınan Süre", + "days": "günler", "hours": "saat", "minutes": "dakika", "seconds": "saniye", @@ -526,7 +527,7 @@ "activity-added-label": "added label '%s' to %s", "activity-removed-label": "removed label '%s' from %s", "activity-delete-attach": "deleted an attachment from %s", - "activity-added-label-card": "added label '%s'", + "activity-added-label-card": "etiket eklendi '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "Ek silindi", "r-rule": "Kural", @@ -538,14 +539,14 @@ "r-delete-rule": "Kuralı sil", "r-new-rule-name": "Yeni kural başlığı", "r-no-rules": "Kural yok", - "r-when-a-card": "When a card", + "r-when-a-card": "Kart eklendiğinde", "r-is": "is", "r-is-moved": "is moved", "r-added-to": "added to", "r-removed-from": "Removed from", "r-the-board": "pano", "r-list": "liste", - "set-filter": "Set Filter", + "set-filter": "Filtrele", "r-moved-to": "Moved to", "r-moved-from": "Moved from", "r-archived": "Arşive taşındı", @@ -575,7 +576,7 @@ "r-card": "Kart", "r-add": "Ekle", "r-remove": "Kaldır", - "r-label": "label", + "r-label": "etiket", "r-member": "üye", "r-remove-all": "Tüm üyeleri karttan çıkarın", "r-checklist": "Kontrol Listesi", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 2bea1d31..8de67ca0 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OS Total Memory", "OS_Type": "OS Type", "OS_Uptime": "OS Uptime", + "days": "days", "hours": "hours", "minutes": "minutes", "seconds": "seconds", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index 7cf7b840..841523c8 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "OS Total Memory", "OS_Type": "OS Type", "OS_Uptime": "OS Uptime", + "days": "days", "hours": "hours", "minutes": "minutes", "seconds": "seconds", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index b1e08b71..508d9fd2 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "系统全部内存", "OS_Type": "系统类型", "OS_Uptime": "系统运行时间", + "days": "天", "hours": "小时", "minutes": "分钟", "seconds": "秒", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 2305ce7d..010eb69f 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -480,6 +480,7 @@ "OS_Totalmem": "系統總記憶體", "OS_Type": "系統類型", "OS_Uptime": "系統運行時間", + "days": "days", "hours": "小時", "minutes": "分鐘", "seconds": "秒", -- cgit v1.2.3-1-g7c22 From e8c4e394fdaa23b4af6c3e8c4beb4d64e24f0db8 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 22 Jan 2019 14:01:07 +0200 Subject: Update translations. --- i18n/ar.i18n.json | 17 +++++++++++++++++ i18n/bg.i18n.json | 17 +++++++++++++++++ i18n/br.i18n.json | 17 +++++++++++++++++ i18n/ca.i18n.json | 17 +++++++++++++++++ i18n/cs.i18n.json | 17 +++++++++++++++++ i18n/da.i18n.json | 17 +++++++++++++++++ i18n/de.i18n.json | 17 +++++++++++++++++ i18n/el.i18n.json | 17 +++++++++++++++++ i18n/en-GB.i18n.json | 17 +++++++++++++++++ i18n/eo.i18n.json | 17 +++++++++++++++++ i18n/es-AR.i18n.json | 17 +++++++++++++++++ i18n/es.i18n.json | 17 +++++++++++++++++ i18n/eu.i18n.json | 17 +++++++++++++++++ i18n/fa.i18n.json | 17 +++++++++++++++++ i18n/fi.i18n.json | 17 +++++++++++++++++ i18n/fr.i18n.json | 17 +++++++++++++++++ i18n/gl.i18n.json | 17 +++++++++++++++++ i18n/he.i18n.json | 17 +++++++++++++++++ i18n/hi.i18n.json | 17 +++++++++++++++++ i18n/hu.i18n.json | 17 +++++++++++++++++ i18n/hy.i18n.json | 17 +++++++++++++++++ i18n/id.i18n.json | 17 +++++++++++++++++ i18n/ig.i18n.json | 17 +++++++++++++++++ i18n/it.i18n.json | 17 +++++++++++++++++ i18n/ja.i18n.json | 17 +++++++++++++++++ i18n/ka.i18n.json | 17 +++++++++++++++++ i18n/km.i18n.json | 17 +++++++++++++++++ i18n/ko.i18n.json | 17 +++++++++++++++++ i18n/lv.i18n.json | 17 +++++++++++++++++ i18n/mn.i18n.json | 17 +++++++++++++++++ i18n/nb.i18n.json | 17 +++++++++++++++++ i18n/nl.i18n.json | 17 +++++++++++++++++ i18n/pl.i18n.json | 17 +++++++++++++++++ i18n/pt-BR.i18n.json | 17 +++++++++++++++++ i18n/pt.i18n.json | 17 +++++++++++++++++ i18n/ro.i18n.json | 17 +++++++++++++++++ i18n/ru.i18n.json | 17 +++++++++++++++++ i18n/sr.i18n.json | 17 +++++++++++++++++ i18n/sv.i18n.json | 17 +++++++++++++++++ i18n/sw.i18n.json | 17 +++++++++++++++++ i18n/ta.i18n.json | 17 +++++++++++++++++ i18n/th.i18n.json | 17 +++++++++++++++++ i18n/tr.i18n.json | 17 +++++++++++++++++ i18n/uk.i18n.json | 17 +++++++++++++++++ i18n/vi.i18n.json | 17 +++++++++++++++++ i18n/zh-CN.i18n.json | 17 +++++++++++++++++ i18n/zh-TW.i18n.json | 17 +++++++++++++++++ 47 files changed, 799 insertions(+) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 841c8d35..f490691f 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "black", "color-blue": "blue", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "green", + "color-indigo": "indigo", "color-lime": "lime", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "orange", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "pink", + "color-plum": "plum", "color-purple": "purple", "color-red": "red", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "sky", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "yellow", "comment": "تعليق", "comment-placeholder": "أكتب تعليق", @@ -501,6 +516,7 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index b13e4447..25cf67a5 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "черно", "color-blue": "синьо", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "зелено", + "color-indigo": "indigo", "color-lime": "лайм", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "оранжево", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "розово", + "color-plum": "plum", "color-purple": "пурпурно", "color-red": "червено", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "светло синьо", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "жълто", "comment": "Коментирай", "comment-placeholder": "Напиши коментар", @@ -501,6 +516,7 @@ "card-end-on": "Завършена на", "editCardReceivedDatePopup-title": "Промени датата на получаване", "editCardEndDatePopup-title": "Промени датата на завършване", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index 2e450434..d17e232c 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "du", "color-blue": "glas", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "gwer", + "color-indigo": "indigo", "color-lime": "melen sitroñs", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "orañjez", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "roz", + "color-plum": "plum", "color-purple": "mouk", "color-red": "ruz", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "pers", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "melen", "comment": "Comment", "comment-placeholder": "Write Comment", @@ -501,6 +516,7 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 8de577ed..f742196b 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "negre", "color-blue": "blau", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "verd", + "color-indigo": "indigo", "color-lime": "llima", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "taronja", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "rosa", + "color-plum": "plum", "color-purple": "púrpura", "color-red": "vermell", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "cel", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "groc", "comment": "Comentari", "comment-placeholder": "Escriu un comentari", @@ -501,6 +516,7 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", + "setCardColor-title": "Set color", "assigned-by": "Assignat Per", "requested-by": "Demanat Per", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 687df2d6..5a93dd31 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "černá", "color-blue": "modrá", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "zelená", + "color-indigo": "indigo", "color-lime": "světlezelená", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "oranžová", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "růžová", + "color-plum": "plum", "color-purple": "fialová", "color-red": "červená", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "nebeská", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "žlutá", "comment": "Komentář", "comment-placeholder": "Text komentáře", @@ -501,6 +516,7 @@ "card-end-on": "Končí v", "editCardReceivedDatePopup-title": "Změnit datum přijetí", "editCardEndDatePopup-title": "Změnit datum konce", + "setCardColor-title": "Set color", "assigned-by": "Přidělil(a)", "requested-by": "Vyžádal(a)", "board-delete-notice": "Smazání je trvalé. Přijdete o všechny sloupce, karty a akce spojené s tímto tablem.", @@ -579,6 +595,7 @@ "r-label": "štítek", "r-member": "člen", "r-remove-all": "Odstranit všechny členy z této karty", + "r-set-color": "Set color to", "r-checklist": "zaškrtávací seznam", "r-check-all": "Zaškrtnout vše", "r-uncheck-all": "Odškrtnout vše", diff --git a/i18n/da.i18n.json b/i18n/da.i18n.json index 67bfb37c..f080d2e0 100644 --- a/i18n/da.i18n.json +++ b/i18n/da.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "black", "color-blue": "blue", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "green", + "color-indigo": "indigo", "color-lime": "lime", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "orange", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "pink", + "color-plum": "plum", "color-purple": "purple", "color-red": "red", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "sky", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "yellow", "comment": "Comment", "comment-placeholder": "Write Comment", @@ -501,6 +516,7 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 0169b63e..da6574c7 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "Sie können das Board wiederherstellen, indem Sie die Schaltfläche \"Archiv\" in der Kopfzeile der Startseite anklicken.", "color-black": "schwarz", "color-blue": "blau", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "grün", + "color-indigo": "indigo", "color-lime": "hellgrün", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "orange", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "pink", + "color-plum": "plum", "color-purple": "lila", "color-red": "rot", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "himmelblau", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "gelb", "comment": "Kommentar", "comment-placeholder": "Kommentar schreiben", @@ -501,6 +516,7 @@ "card-end-on": "Endet am", "editCardReceivedDatePopup-title": "Empfangsdatum ändern", "editCardEndDatePopup-title": "Enddatum ändern", + "setCardColor-title": "Set color", "assigned-by": "Zugewiesen von", "requested-by": "Angefordert von", "board-delete-notice": "Löschen kann nicht rückgängig gemacht werden. Sie werden alle Listen, Karten und Aktionen, die mit diesem Board verbunden sind, verlieren.", @@ -579,6 +595,7 @@ "r-label": "Label", "r-member": "Mitglied", "r-remove-all": "Entferne alle Mitglieder von der Karte", + "r-set-color": "Set color to", "r-checklist": "Checkliste", "r-check-all": "Alle markieren", "r-uncheck-all": "Alle abwählen", diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 2d9a0804..74dfe693 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "μαύρο", "color-blue": "μπλε", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "πράσινο", + "color-indigo": "indigo", "color-lime": "λάιμ", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "πορτοκαλί", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "ροζ", + "color-plum": "plum", "color-purple": "μωβ", "color-red": "κόκκινο", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "ουρανός", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "κίτρινο", "comment": "Comment", "comment-placeholder": "Write Comment", @@ -501,6 +516,7 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 7caa8226..36f86e7b 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "black", "color-blue": "blue", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "green", + "color-indigo": "indigo", "color-lime": "lime", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "orange", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "pink", + "color-plum": "plum", "color-purple": "purple", "color-red": "red", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "sky", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "yellow", "comment": "Comment", "comment-placeholder": "Write Comment", @@ -501,6 +516,7 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index f9ca3d14..c1beb547 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "nigra", "color-blue": "blua", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "verda", + "color-indigo": "indigo", "color-lime": "lime", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "oranĝa", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "pink", + "color-plum": "plum", "color-purple": "purple", "color-red": "ruĝa", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "sky", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "flava", "comment": "Komento", "comment-placeholder": "Write Comment", @@ -501,6 +516,7 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index 13c3e973..42a12e44 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "negro", "color-blue": "azul", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "verde", + "color-indigo": "indigo", "color-lime": "lima", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "naranja", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "rosa", + "color-plum": "plum", "color-purple": "púrpura", "color-red": "rojo", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "cielo", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "amarillo", "comment": "Comentario", "comment-placeholder": "Comentar", @@ -501,6 +516,7 @@ "card-end-on": "Termina en", "editCardReceivedDatePopup-title": "Cambiar fecha de recepción", "editCardEndDatePopup-title": "Cambiar fecha de término", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 92615f92..02ff9944 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "Podrás restaurar el tablero haciendo clic en el botón \"Archivo\" del encabezado de la pantalla inicial.", "color-black": "negra", "color-blue": "azul", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "verde", + "color-indigo": "indigo", "color-lime": "lima", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "naranja", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "rosa", + "color-plum": "plum", "color-purple": "violeta", "color-red": "roja", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "celeste", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "amarilla", "comment": "Comentar", "comment-placeholder": "Escribir comentario", @@ -501,6 +516,7 @@ "card-end-on": "Finalizado el", "editCardReceivedDatePopup-title": "Cambiar la fecha de recepción", "editCardEndDatePopup-title": "Cambiar la fecha de finalización", + "setCardColor-title": "Set color", "assigned-by": "Asignado por", "requested-by": "Solicitado por", "board-delete-notice": "Se eliminarán todas las listas, tarjetas y acciones asociadas a este tablero. Esta acción no puede deshacerse.", @@ -579,6 +595,7 @@ "r-label": "etiqueta", "r-member": "miembro", "r-remove-all": "Eliminar todos los miembros de la tarjeta", + "r-set-color": "Set color to", "r-checklist": "lista de verificación", "r-check-all": "Marcar todo", "r-uncheck-all": "Desmarcar todo", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index e56a6dd1..364b3d44 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "beltza", "color-blue": "urdina", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "berdea", + "color-indigo": "indigo", "color-lime": "lima", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "laranja", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "larrosa", + "color-plum": "plum", "color-purple": "purpura", "color-red": "gorria", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "zerua", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "horia", "comment": "Iruzkina", "comment-placeholder": "Idatzi iruzkin bat", @@ -501,6 +516,7 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index c3700da6..11aea12c 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "شما می توانید با کلیک کردن بر روی دکمه «بایگانی» از صفحه هدر، صفحه را بازگردانید.", "color-black": "مشکی", "color-blue": "آبی", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "سبز", + "color-indigo": "indigo", "color-lime": "لیمویی", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "نارنجی", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "صورتی", + "color-plum": "plum", "color-purple": "بنفش", "color-red": "قرمز", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "آبی آسمانی", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "زرد", "comment": "نظر", "comment-placeholder": "درج نظر", @@ -501,6 +516,7 @@ "card-end-on": "پایان در", "editCardReceivedDatePopup-title": "تغییر تاریخ رسید", "editCardEndDatePopup-title": "تغییر تاریخ پایان", + "setCardColor-title": "Set color", "assigned-by": "محول شده توسط", "requested-by": "تقاضا شده توسط", "board-delete-notice": "حذف دائمی است شما تمام لیست ها، کارت ها و اقدامات مرتبط با این برد را از دست خواهید داد.", @@ -579,6 +595,7 @@ "r-label": "برچسب", "r-member": "عضو", "r-remove-all": "حذف همه کاربران از کارت", + "r-set-color": "Set color to", "r-checklist": "چک لیست", "r-check-all": "انتخاب همه", "r-uncheck-all": "لغو انتخاب همه", diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index e8730238..aa1a649c 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "Voit palauttaa taulun klikkaamalla “Arkisto” painiketta taululistan yläpalkista.", "color-black": "musta", "color-blue": "sininen", + "color-crimson": "karmiininpunainen", + "color-darkgreen": "tummanvihreä", + "color-gold": "kulta", + "color-gray": "harmaa", "color-green": "vihreä", + "color-indigo": "syvän sininen", "color-lime": "lime", + "color-magenta": "magenta", + "color-mistyrose": "vaaleanpunainen ruusu", + "color-navy": "laivastonsininen", "color-orange": "oranssi", + "color-paleturquoise": "vaalean turkoosi", + "color-peachpuff": "persikanpunainen", "color-pink": "vaaleanpunainen", + "color-plum": "luumunvärinen", "color-purple": "violetti", "color-red": "punainen", + "color-saddlebrown": "satulanruskea", + "color-silver": "hopea", "color-sky": "taivas", + "color-slateblue": "liuskekivi sininen", + "color-white": "valkoinen", "color-yellow": "keltainen", "comment": "Kommentti", "comment-placeholder": "Kirjoita kommentti", @@ -501,6 +516,7 @@ "card-end-on": "Loppuu", "editCardReceivedDatePopup-title": "Vaihda vastaanottamispäivää", "editCardEndDatePopup-title": "Vaihda loppumispäivää", + "setCardColor-title": "Aseta väri", "assigned-by": "Tehtävänantaja", "requested-by": "Pyytäjä", "board-delete-notice": "Poistaminen on lopullista. Menetät kaikki listat, kortit ja toimet tällä taululla.", @@ -579,6 +595,7 @@ "r-label": "tunniste", "r-member": "jäsen", "r-remove-all": "Poista kaikki jäsenet kortilta", + "r-set-color": "Aseta väriksi", "r-checklist": "tarkistuslista", "r-check-all": "Ruksaa kaikki", "r-uncheck-all": "Poista ruksi kaikista", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index acf1020c..919dad3e 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "Vous pouvez restaurer le tableau en cliquant sur le bouton « Archives » depuis le menu en entête.", "color-black": "noir", "color-blue": "bleu", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "vert", + "color-indigo": "indigo", "color-lime": "citron vert", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "orange", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "rose", + "color-plum": "plum", "color-purple": "violet", "color-red": "rouge", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "ciel", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "jaune", "comment": "Commenter", "comment-placeholder": "Écrire un commentaire", @@ -501,6 +516,7 @@ "card-end-on": "Se termine le", "editCardReceivedDatePopup-title": "Modifier la date de réception", "editCardEndDatePopup-title": "Modifier la date de fin", + "setCardColor-title": "Set color", "assigned-by": "Assigné par", "requested-by": "Demandé par", "board-delete-notice": "La suppression est définitive. Vous perdrez toutes les listes, cartes et actions associées à ce tableau.", @@ -579,6 +595,7 @@ "r-label": "étiquette", "r-member": "membre", "r-remove-all": "Supprimer tous les membres de la carte", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Tout cocher", "r-uncheck-all": "Tout décocher", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 09c0b013..518b6fd6 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "negro", "color-blue": "azul", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "verde", + "color-indigo": "indigo", "color-lime": "lime", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "laranxa", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "rosa", + "color-plum": "plum", "color-purple": "purple", "color-red": "vermello", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "celeste", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "amarelo", "comment": "Comentario", "comment-placeholder": "Escribir un comentario", @@ -501,6 +516,7 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index cad6d0ec..9c837e9c 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "ניתן לשחזר את הלוח בלחיצה על כפתור „ארכיונים“ מהכותרת העליונה.", "color-black": "שחור", "color-blue": "כחול", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "ירוק", + "color-indigo": "indigo", "color-lime": "ליים", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "כתום", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "ורוד", + "color-plum": "plum", "color-purple": "סגול", "color-red": "אדום", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "תכלת", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "צהוב", "comment": "לפרסם", "comment-placeholder": "כתיבת הערה", @@ -501,6 +516,7 @@ "card-end-on": "מועד הסיום", "editCardReceivedDatePopup-title": "החלפת מועד הקבלה", "editCardEndDatePopup-title": "החלפת מועד הסיום", + "setCardColor-title": "Set color", "assigned-by": "הוקצה על ידי", "requested-by": "התבקש על ידי", "board-delete-notice": "מחיקה היא לצמיתות. כל הרשימות, הכרטיבים והפעולות שקשורים בלוח הזה ילכו לאיבוד.", @@ -579,6 +595,7 @@ "r-label": "תווית", "r-member": "חבר", "r-remove-all": "הסרת כל החברים מהכרטיס", + "r-set-color": "Set color to", "r-checklist": "רשימת משימות", "r-check-all": "לסמן הכול", "r-uncheck-all": "לבטל את הסימון", diff --git a/i18n/hi.i18n.json b/i18n/hi.i18n.json index f0586234..ca7d502d 100644 --- a/i18n/hi.i18n.json +++ b/i18n/hi.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "काला", "color-blue": "नीला", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "हरा", + "color-indigo": "indigo", "color-lime": "हल्का हरा", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "नारंगी", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "गुलाबी", + "color-plum": "plum", "color-purple": "बैंगनी", "color-red": "लाल", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "आकाशिया नीला", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "पीला", "comment": "टिप्पणी", "comment-placeholder": "टिप्पणी लिखें", @@ -501,6 +516,7 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose संपूर्ण lists, कार्ड और actions associated साथ में यह बोर्ड.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "हटाएँ संपूर्ण सदस्य से the कार्ड", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index c6d388a8..5a02ae64 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "fekete", "color-blue": "kék", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "zöld", + "color-indigo": "indigo", "color-lime": "citrus", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "narancssárga", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "rózsaszín", + "color-plum": "plum", "color-purple": "lila", "color-red": "piros", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "égszínkék", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "sárga", "comment": "Megjegyzés", "comment-placeholder": "Megjegyzés írása", @@ -501,6 +516,7 @@ "card-end-on": "Befejeződik ekkor", "editCardReceivedDatePopup-title": "Érkezési dátum megváltoztatása", "editCardEndDatePopup-title": "Befejezési dátum megváltoztatása", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index 728f6abc..601503e0 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "black", "color-blue": "blue", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "green", + "color-indigo": "indigo", "color-lime": "lime", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "orange", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "pink", + "color-plum": "plum", "color-purple": "purple", "color-red": "red", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "sky", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "yellow", "comment": "Comment", "comment-placeholder": "Write Comment", @@ -501,6 +516,7 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 99ceea14..a9496d63 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "hitam", "color-blue": "biru", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "hijau", + "color-indigo": "indigo", "color-lime": "hijau muda", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "jingga", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "merah muda", + "color-plum": "plum", "color-purple": "ungu", "color-red": "merah", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "biru muda", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "kuning", "comment": "Komentar", "comment-placeholder": "Write Comment", @@ -501,6 +516,7 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index c1be77a0..b55a7e00 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "black", "color-blue": "blue", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "green", + "color-indigo": "indigo", "color-lime": "lime", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "orange", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "pink", + "color-plum": "plum", "color-purple": "purple", "color-red": "red", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "sky", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "yellow", "comment": "Comment", "comment-placeholder": "Write Comment", @@ -501,6 +516,7 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index ccb87c4c..fed71957 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "nero", "color-blue": "blu", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "verde", + "color-indigo": "indigo", "color-lime": "lime", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "arancione", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "rosa", + "color-plum": "plum", "color-purple": "viola", "color-red": "rosso", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "azzurro", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "giallo", "comment": "Commento", "comment-placeholder": "Scrivi Commento", @@ -501,6 +516,7 @@ "card-end-on": "Termina il", "editCardReceivedDatePopup-title": "Cambia data ricezione", "editCardEndDatePopup-title": "Cambia data finale", + "setCardColor-title": "Set color", "assigned-by": "Assegnato da", "requested-by": "Richiesto da", "board-delete-notice": "L'eliminazione è permanente. Tutte le azioni, liste e schede associate a questa bacheca andranno perse.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 5c061e01..3a482894 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "黒", "color-blue": "青", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "緑", + "color-indigo": "indigo", "color-lime": "ライム", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "オレンジ", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "ピンク", + "color-plum": "plum", "color-purple": "紫", "color-red": "赤", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "空", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "黄", "comment": "コメント", "comment-placeholder": "コメントを書く", @@ -501,6 +516,7 @@ "card-end-on": "終了日", "editCardReceivedDatePopup-title": "受付日の変更", "editCardEndDatePopup-title": "終了日の変更", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index 94fb1af3..c4fe85c8 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "შავი", "color-blue": "ლურჯი", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "მწვანე", + "color-indigo": "indigo", "color-lime": "ღია ყვითელი", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "ნარინჯისფერი", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "ვარდისფერი", + "color-plum": "plum", "color-purple": "იასამნისფერი", "color-red": "წითელი ", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "ცისფერი", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "ყვითელი", "comment": "კომენტარი", "comment-placeholder": "დაწერეთ კომენტარი", @@ -501,6 +516,7 @@ "card-end-on": "დასრულდება : ", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "შეცვალეთ საბოლოო თარიღი", + "setCardColor-title": "Set color", "assigned-by": "უფლებამოსილების გამცემი ", "requested-by": "მომთხოვნი", "board-delete-notice": "წაშლის შემთხვევაში თქვენ დაკარგავთ ამ დაფასთან ასოცირებულ ყველა მონაცემს მათ შორის : ჩამონათვალს, ბარათებს და მოქმედებებს. ", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index 136cf79c..71566be7 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "black", "color-blue": "blue", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "green", + "color-indigo": "indigo", "color-lime": "lime", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "orange", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "pink", + "color-plum": "plum", "color-purple": "purple", "color-red": "red", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "sky", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "yellow", "comment": "Comment", "comment-placeholder": "Write Comment", @@ -501,6 +516,7 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index 0933e045..71dd1092 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "블랙", "color-blue": "블루", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "그린", + "color-indigo": "indigo", "color-lime": "라임", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "오렌지", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "핑크", + "color-plum": "plum", "color-purple": "퍼플", "color-red": "레드", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "스카이", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "옐로우", "comment": "댓글", "comment-placeholder": "댓글 입력", @@ -501,6 +516,7 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 5eb48261..7edcac0a 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "black", "color-blue": "blue", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "green", + "color-indigo": "indigo", "color-lime": "lime", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "orange", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "pink", + "color-plum": "plum", "color-purple": "purple", "color-red": "red", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "sky", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "yellow", "comment": "Comment", "comment-placeholder": "Write Comment", @@ -501,6 +516,7 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index 2903c890..2309fd5d 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "black", "color-blue": "blue", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "green", + "color-indigo": "indigo", "color-lime": "lime", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "orange", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "pink", + "color-plum": "plum", "color-purple": "purple", "color-red": "red", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "sky", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "yellow", "comment": "Comment", "comment-placeholder": "Write Comment", @@ -501,6 +516,7 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index c5a88246..a67d4cb2 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "black", "color-blue": "blue", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "green", + "color-indigo": "indigo", "color-lime": "lime", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "orange", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "pink", + "color-plum": "plum", "color-purple": "purple", "color-red": "red", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "sky", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "yellow", "comment": "Comment", "comment-placeholder": "Write Comment", @@ -501,6 +516,7 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 8b692495..e7509c8e 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "zwart", "color-blue": "blauw", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "groen", + "color-indigo": "indigo", "color-lime": "Felgroen", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "Oranje", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "Roze", + "color-plum": "plum", "color-purple": "Paars", "color-red": "Rood", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "Lucht", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "Geel", "comment": "Reageer", "comment-placeholder": "Schrijf reactie", @@ -501,6 +516,7 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 65d3924c..bdc28d32 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "Będziesz w stanie przywrócić tablicę poprzez kliknięcie przycisku \"Archiwizuj\" w nagłówku strony domowej.", "color-black": "czarny", "color-blue": "niebieski", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "zielony", + "color-indigo": "indigo", "color-lime": "limonkowy", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "pomarańczowy", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "różowy", + "color-plum": "plum", "color-purple": "fioletowy", "color-red": "czerwony", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "błękitny", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "żółty", "comment": "Komentarz", "comment-placeholder": "Dodaj komentarz", @@ -501,6 +516,7 @@ "card-end-on": "Kończy się", "editCardReceivedDatePopup-title": "Zmień datę odebrania", "editCardEndDatePopup-title": "Zmień datę ukończenia", + "setCardColor-title": "Set color", "assigned-by": "Przypisane przez", "requested-by": "Zlecone przez", "board-delete-notice": "Usuwanie jest permanentne. Stracisz wszystkie listy, kart oraz czynności przypisane do tej tablicy.", @@ -579,6 +595,7 @@ "r-label": "etykieta", "r-member": "członek", "r-remove-all": "Usuń wszystkich członków tej karty", + "r-set-color": "Set color to", "r-checklist": "lista zadań", "r-check-all": "Zaznacz wszystkie", "r-uncheck-all": "Odznacz wszystkie", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index e5850756..bfa3903c 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "Você será capaz de restaurar o quadro clicando no botão “Arquivo-morto” a partir do cabeçalho do Início.", "color-black": "preto", "color-blue": "azul", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "verde", + "color-indigo": "indigo", "color-lime": "verde limão", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "laranja", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "cor-de-rosa", + "color-plum": "plum", "color-purple": "roxo", "color-red": "vermelho", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "azul-celeste", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "amarelo", "comment": "Comentário", "comment-placeholder": "Escrever Comentário", @@ -501,6 +516,7 @@ "card-end-on": "Termina em", "editCardReceivedDatePopup-title": "Modificar data de recebimento", "editCardEndDatePopup-title": "Mudar data de fim", + "setCardColor-title": "Set color", "assigned-by": "Atribuído por", "requested-by": "Solicitado por", "board-delete-notice": "Excluir é permanente. Você perderá todas as listas, cartões e ações associados nesse quadro.", @@ -579,6 +595,7 @@ "r-label": "etiqueta", "r-member": "membro", "r-remove-all": "Remover todos os membros do cartão", + "r-set-color": "Set color to", "r-checklist": "lista de verificação", "r-check-all": "Marcar todos", "r-uncheck-all": "Desmarcar todos", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index cd94e6b4..4fc0889a 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "black", "color-blue": "blue", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "green", + "color-indigo": "indigo", "color-lime": "lime", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "orange", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "pink", + "color-plum": "plum", "color-purple": "purple", "color-red": "red", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "sky", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "yellow", "comment": "Comentário", "comment-placeholder": "Write Comment", @@ -501,6 +516,7 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index 0e5657fd..ad64b79a 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "black", "color-blue": "blue", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "green", + "color-indigo": "indigo", "color-lime": "lime", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "orange", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "pink", + "color-plum": "plum", "color-purple": "purple", "color-red": "red", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "sky", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "yellow", "comment": "Comment", "comment-placeholder": "Write Comment", @@ -501,6 +516,7 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index e0dc0559..24e582d6 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "Вы сможете восстановить доску, нажав \"Архив\" в заголовке домашней страницы.", "color-black": "черный", "color-blue": "синий", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "зеленый", + "color-indigo": "indigo", "color-lime": "лимоновый", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "оранжевый", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "розовый", + "color-plum": "plum", "color-purple": "фиолетовый", "color-red": "красный", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "голубой", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "желтый", "comment": "Добавить комментарий", "comment-placeholder": "Написать комментарий", @@ -501,6 +516,7 @@ "card-end-on": "Завершится до", "editCardReceivedDatePopup-title": "Изменить дату получения", "editCardEndDatePopup-title": "Изменить дату завершения", + "setCardColor-title": "Set color", "assigned-by": "Поручил", "requested-by": "Запросил", "board-delete-notice": "Удаление является постоянным. Вы потеряете все списки, карты и действия, связанные с этой доской.", @@ -579,6 +595,7 @@ "r-label": "метку", "r-member": "участника", "r-remove-all": "Удалить всех участников из карточки", + "r-set-color": "Set color to", "r-checklist": "контрольный список", "r-check-all": "Отметить все", "r-uncheck-all": "Снять все", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index 57faf87f..f723c532 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "black", "color-blue": "blue", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "green", + "color-indigo": "indigo", "color-lime": "lime", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "orange", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "pink", + "color-plum": "plum", "color-purple": "purple", "color-red": "red", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "sky", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "yellow", "comment": "Comment", "comment-placeholder": "Write Comment", @@ -501,6 +516,7 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index b6bb5db3..c3cb5dcc 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "svart", "color-blue": "blå", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "grön", + "color-indigo": "indigo", "color-lime": "lime", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "orange", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "rosa", + "color-plum": "plum", "color-purple": "lila", "color-red": "röd", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "himmel", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "gul", "comment": "Kommentera", "comment-placeholder": "Skriv kommentar", @@ -501,6 +516,7 @@ "card-end-on": "Slutar den", "editCardReceivedDatePopup-title": "Ändra mottagningsdatum", "editCardEndDatePopup-title": "Ändra slutdatum", + "setCardColor-title": "Set color", "assigned-by": "Tilldelad av", "requested-by": "Efterfrågad av", "board-delete-notice": "Borttagningen är permanent. Du kommer förlora alla listor, kort och händelser kopplade till den här anslagstavlan.", @@ -579,6 +595,7 @@ "r-label": "etikett", "r-member": "medlem", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklista", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/sw.i18n.json b/i18n/sw.i18n.json index e2bb4f10..426ed634 100644 --- a/i18n/sw.i18n.json +++ b/i18n/sw.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "Nyeusi", "color-blue": "Samawati", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "Kijani", + "color-indigo": "indigo", "color-lime": "lime", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "orange", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "pink", + "color-plum": "plum", "color-purple": "purple", "color-red": "red", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "sky", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "yellow", "comment": "Changia", "comment-placeholder": "Andika changio", @@ -501,6 +516,7 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index 431ae5f7..c1847fc1 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "black", "color-blue": "blue", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "green", + "color-indigo": "indigo", "color-lime": "lime", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "orange", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "pink", + "color-plum": "plum", "color-purple": "purple", "color-red": "red", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "sky", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "yellow", "comment": "Comment", "comment-placeholder": "Write Comment", @@ -501,6 +516,7 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index 21629362..f0c13472 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "ดำ", "color-blue": "น้ำเงิน", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "เขียว", + "color-indigo": "indigo", "color-lime": "เหลืองมะนาว", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "ส้ม", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "ชมพู", + "color-plum": "plum", "color-purple": "ม่วง", "color-red": "แดง", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "ฟ้า", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "เหลือง", "comment": "คอมเม็นต์", "comment-placeholder": "Write Comment", @@ -501,6 +516,7 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index ecbd0cc7..8d8acd4d 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "\n92/5000\nAna başlıktaki “Arşiv” düğmesine tıklayarak tahtayı geri yükleyebilirsiniz.", "color-black": "siyah", "color-blue": "mavi", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "yeşil", + "color-indigo": "indigo", "color-lime": "misket limonu", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "turuncu", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "pembe", + "color-plum": "plum", "color-purple": "mor", "color-red": "kırmızı", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "açık mavi", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "sarı", "comment": "Yorum", "comment-placeholder": "Yorum Yaz", @@ -501,6 +516,7 @@ "card-end-on": "Bitiş zamanı", "editCardReceivedDatePopup-title": "Giriş tarihini değiştir", "editCardEndDatePopup-title": "Bitiş tarihini değiştir", + "setCardColor-title": "Set color", "assigned-by": "Atamayı yapan", "requested-by": "Talep Eden", "board-delete-notice": "Silme kalıcıdır. Bu kartla ilişkili tüm listeleri, kartları ve işlemleri kaybedeceksiniz.", @@ -579,6 +595,7 @@ "r-label": "etiket", "r-member": "üye", "r-remove-all": "Tüm üyeleri karttan çıkarın", + "r-set-color": "Set color to", "r-checklist": "Kontrol Listesi", "r-check-all": "Tümünü işaretle", "r-uncheck-all": "Tüm işaretleri kaldır", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 8de67ca0..5b6317cb 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "чорний", "color-blue": "синій", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "зелений", + "color-indigo": "indigo", "color-lime": "лайм", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "помаранчевий", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "рожевий", + "color-plum": "plum", "color-purple": "фіолетовий", "color-red": "червоний", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "sky", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "жовтий", "comment": "Коментар", "comment-placeholder": "Написати коментар", @@ -501,6 +516,7 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index 841523c8..ef4b6b8c 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "black", "color-blue": "blue", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "green", + "color-indigo": "indigo", "color-lime": "lime", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "orange", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "pink", + "color-plum": "plum", "color-purple": "purple", "color-red": "red", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "sky", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "yellow", "comment": "Comment", "comment-placeholder": "Write Comment", @@ -501,6 +516,7 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 508d9fd2..1bae6876 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "您可以通过主页头部的“归档”按钮,来恢复看板。", "color-black": "黑色", "color-blue": "蓝色", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "绿色", + "color-indigo": "indigo", "color-lime": "绿黄", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "橙色", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "粉红", + "color-plum": "plum", "color-purple": "紫色", "color-red": "红色", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "天蓝", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "黄色", "comment": "评论", "comment-placeholder": "添加评论", @@ -501,6 +516,7 @@ "card-end-on": "终止于", "editCardReceivedDatePopup-title": "修改接收日期", "editCardEndDatePopup-title": "修改终止日期", + "setCardColor-title": "Set color", "assigned-by": "分配人", "requested-by": "需求人", "board-delete-notice": "删除时永久操作,将会丢失此看板上的所有列表、卡片和动作。", @@ -579,6 +595,7 @@ "r-label": "标签", "r-member": "成员", "r-remove-all": "从卡片移除所有成员", + "r-set-color": "Set color to", "r-checklist": "清单", "r-check-all": "勾选所有", "r-uncheck-all": "取消勾选所有", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 010eb69f..43eff7de 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -169,13 +169,28 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "黑色", "color-blue": "藍色", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", "color-green": "綠色", + "color-indigo": "indigo", "color-lime": "綠黃", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", "color-orange": "橙色", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", "color-pink": "粉紅", + "color-plum": "plum", "color-purple": "紫色", "color-red": "紅色", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", "color-sky": "天藍", + "color-slateblue": "slateblue", + "color-white": "white", "color-yellow": "黃色", "comment": "留言", "comment-placeholder": "新增評論", @@ -501,6 +516,7 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", + "setCardColor-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", @@ -579,6 +595,7 @@ "r-label": "label", "r-member": "member", "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", "r-uncheck-all": "Uncheck all", -- cgit v1.2.3-1-g7c22 From 2082480ddd91343250d0fc8752750bd8801b45da Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Tue, 22 Jan 2019 13:38:08 +0100 Subject: Set the card color with the color picker When triggered from the hamburger --- client/components/cards/cardDetails.jade | 35 +++++-------------------- client/components/cards/cardDetails.js | 44 ++++++++++++++++++++++++-------- i18n/en.i18n.json | 1 + 3 files changed, 42 insertions(+), 38 deletions(-) diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index 4838d82c..c1e771cb 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -340,34 +340,13 @@ template(name="setCardColorPopup") p.quiet span.clearfix label {{_ "select-color"}} - select.js-select-colors - option(value="white") {{{_'color-white'}}} - option(value="green") {{{_'color-green'}}} - option(value="yellow") {{{_'color-yellow'}}} - option(value="orange") {{{_'color-orange'}}} - option(value="red") {{{_'color-red'}}} - option(value="purple") {{{_'color-purple'}}} - option(value="blue") {{{_'color-blue'}}} - option(value="sky") {{{_'color-sky'}}} - option(value="lime") {{{_'color-lime'}}} - option(value="pink") {{{_'color-pink'}}} - option(value="black") {{{_'color-black'}}} - option(value="silver") {{{_'color-silver'}}} - option(value="peachpuff") {{{_'color-peachpuff'}}} - option(value="crimson") {{{_'color-crimson'}}} - option(value="plum") {{{_'color-plum'}}} - option(value="darkgreen") {{{_'color-darkgreen'}}} - option(value="slateblue") {{{_'color-slateblue'}}} - option(value="magenta") {{{_'color-magenta'}}} - option(value="gold") {{{_'color-gold'}}} - option(value="navy") {{{_'color-navy'}}} - option(value="gray") {{{_'color-gray'}}} - option(value="saddlebrown") {{{_'color-saddlebrown'}}} - option(value="paleturquoise") {{{_'color-paleturquoise'}}} - option(value="mistyrose") {{{_'color-mistyrose'}}} - option(value="indigo") {{{_'color-indigo'}}} - .edit-controls.clearfix - button.primary.confirm.js-submit {{_ 'save'}} + form.edit-label + .palette-colors: each colors + span.card-label.palette-color.js-palette-color(class="card-details-{{color}}") + if(isSelected color) + i.fa.fa-check + button.primary.confirm.js-submit {{_ 'save'}} + button.js-remove-color.negate.wide.right {{_ 'unset-color'}} template(name="cardDeletePopup") p {{_ "card-delete-pop"}} diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index 7883f129..c936f0f4 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -1,6 +1,11 @@ const subManager = new SubsManager(); const { calculateIndexData, enableClickOnTouch } = Utils; +let cardColors; +Meteor.startup(() => { + cardColors = Cards.simpleSchema()._schema['color'].allowedValues; +}); + BlazeComponent.extendComponent({ mixins() { return [Mixins.InfiniteScrolling, Mixins.PerfectScrollbar]; @@ -585,17 +590,36 @@ Template.copyChecklistToManyCardsPopup.events({ }, }); -Template.setCardColorPopup.events({ - 'click .js-submit' () { - // XXX We should *not* get the currentCard from the global state, but - // instead from a “component” state. - const card = Cards.findOne(Session.get('currentCard')); - const colorSelect = $('.js-select-colors')[0]; - newColor = colorSelect.options[colorSelect.selectedIndex].value; - card.setColor(newColor); - Popup.close(); +BlazeComponent.extendComponent({ + onCreated() { + this.currentCard = this.currentData(); + this.currentColor = new ReactiveVar(this.currentCard.color); }, -}); + + colors() { + return cardColors.map((color) => ({ color, name: '' })); + }, + + isSelected(color) { + return this.currentColor.get() === color; + }, + + events() { + return [{ + 'click .js-palette-color'() { + this.currentColor.set(this.currentData().color); + }, + 'click .js-submit' () { + this.currentCard.setColor(this.currentColor.get()); + Popup.close(); + }, + 'click .js-remove-color'() { + this.currentCard.setColor(null); + Popup.close(); + }, + }]; + }, +}).register('setCardColorPopup'); BlazeComponent.extendComponent({ onCreated() { diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index a4338363..7097af7d 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "yellow", + "unset-color": "Unset", "comment": "Comment", "comment-placeholder": "Write Comment", "comment-only": "Comment only", -- cgit v1.2.3-1-g7c22 From 44e4df2492b95226f1297e7f556d61b1afaab714 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 22 Jan 2019 15:22:31 +0200 Subject: - Translate and add colors to IFTTT Rules dropdown. Thanks to xet7 ! --- client/components/cards/cardDetails.js | 2 +- client/components/rules/triggers/cardTriggers.jade | 32 +++++++++++----------- client/components/rules/triggers/cardTriggers.js | 3 +- 3 files changed, 19 insertions(+), 18 deletions(-) diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index c936f0f4..cc04b830 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -3,7 +3,7 @@ const { calculateIndexData, enableClickOnTouch } = Utils; let cardColors; Meteor.startup(() => { - cardColors = Cards.simpleSchema()._schema['color'].allowedValues; + cardColors = Cards.simpleSchema()._schema.color.allowedValues; }); BlazeComponent.extendComponent({ diff --git a/client/components/rules/triggers/cardTriggers.jade b/client/components/rules/triggers/cardTriggers.jade index 4492502b..72c4b8db 100644 --- a/client/components/rules/triggers/cardTriggers.jade +++ b/client/components/rules/triggers/cardTriggers.jade @@ -1,13 +1,13 @@ template(name="cardTriggers") div.trigger-item div.trigger-content - div.trigger-text + div.trigger-text | {{_'r-when-a-label-is'}} div.trigger-dropdown select(id="label-action") option(value="added") {{_'r-added-to'}} option(value="removed") {{_'r-removed-from'}} - div.trigger-text + div.trigger-text | {{_'r-a-card'}} div.trigger-button.trigger-button-person.js-show-user-field i.fa.fa-user @@ -21,20 +21,20 @@ template(name="cardTriggers") div.trigger-item div.trigger-content - div.trigger-text + div.trigger-text | {{_'r-when-the-label-is'}} div.trigger-dropdown select(id="spec-label") each labels - option(value="#{_id}") - = name - div.trigger-text + option(value="#{_id}" style="background-color: #{name}") + = translatedname + div.trigger-text | {{_'r-is'}} div.trigger-dropdown select(id="spec-label-action") option(value="added") {{_'r-added-to'}} option(value="removed") {{_'r-removed-from'}} - div.trigger-text + div.trigger-text | {{_'r-a-card'}} div.trigger-button.trigger-button-person.js-show-user-field i.fa.fa-user @@ -48,13 +48,13 @@ template(name="cardTriggers") div.trigger-item div.trigger-content - div.trigger-text + div.trigger-text | {{_'r-when-a-member'}} div.trigger-dropdown select(id="gen-member-action") option(value="added") {{_'r-added-to'}} option(value="removed") {{_'r-removed-from'}} - div.trigger-text + div.trigger-text | {{_'r-a-card'}} div.trigger-button.trigger-button-person.js-show-user-field i.fa.fa-user @@ -69,17 +69,17 @@ template(name="cardTriggers") div.trigger-item div.trigger-content - div.trigger-text + div.trigger-text | {{_'r-when-the-member'}} div.trigger-dropdown - input(id="spec-member",type=text,placeholder="{{_'r-name'}}") - div.trigger-text + input(id="spec-member",type=text,placeholder="{{_'r-name'}}") + div.trigger-text | {{_'r-is'}} div.trigger-dropdown select(id="spec-member-action") option(value="added") {{_'r-added-to'}} option(value="removed") {{_'r-removed-from'}} - div.trigger-text + div.trigger-text | {{_'r-a-card'}} div.trigger-button.trigger-button-person.js-show-user-field i.fa.fa-user @@ -93,15 +93,15 @@ template(name="cardTriggers") div.trigger-item div.trigger-content - div.trigger-text + div.trigger-text | {{_'r-when-a-attach'}} - div.trigger-text + div.trigger-text | {{_'r-is'}} div.trigger-dropdown select(id="attach-action") option(value="added") {{_'r-added-to'}} option(value="removed") {{_'r-removed-from'}} - div.trigger-text + div.trigger-text | {{_'r-a-card'}} div.trigger-button.trigger-button-person.js-show-user-field i.fa.fa-user diff --git a/client/components/rules/triggers/cardTriggers.js b/client/components/rules/triggers/cardTriggers.js index 2303a85b..ca282fa7 100644 --- a/client/components/rules/triggers/cardTriggers.js +++ b/client/components/rules/triggers/cardTriggers.js @@ -6,7 +6,8 @@ BlazeComponent.extendComponent({ const labels = Boards.findOne(Session.get('currentBoard')).labels; for (let i = 0; i < labels.length; i++) { if (labels[i].name === '' || labels[i].name === undefined) { - labels[i].name = labels[i].color.toUpperCase(); + labels[i].name = labels[i].color; + labels[i].translatedname = `${TAPi18n.__(`color-${ labels[i].color}`)}`; } } return labels; -- cgit v1.2.3-1-g7c22 From 26d7ba72aa85bd217fdb0e0e9ba16cdbdb9b4035 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Fri, 27 Jul 2018 07:12:29 +0200 Subject: api: export board: allow authentication through generic authentication This allows to retrieve the full export of the board from the API. When the board is big, retrieving individual cards is heavy for both the server and the number of requests. Allowing the API to directly call on export and then treat the data makes the whole process smoother. --- models/export.js | 8 +++++--- 1 file changed, 5 insertions(+), 3 deletions(-) diff --git a/models/export.js b/models/export.js index fa4894d9..50971c88 100644 --- a/models/export.js +++ b/models/export.js @@ -10,7 +10,7 @@ if (Meteor.isServer) { * @operation export * @tag Boards * - * @summary This route is used to export the board **FROM THE APPLICATION**. + * @summary This route is used to export the board. * * @description If user is already logged-in, pass loginToken as param * "authToken": '/api/boards/:boardId/export?authToken=:token' @@ -24,14 +24,16 @@ if (Meteor.isServer) { JsonRoutes.add('get', '/api/boards/:boardId/export', function(req, res) { const boardId = req.params.boardId; let user = null; - // todo XXX for real API, first look for token in Authentication: header - // then fallback to parameter + const loginToken = req.query.authToken; if (loginToken) { const hashToken = Accounts._hashLoginToken(loginToken); user = Meteor.users.findOne({ 'services.resume.loginTokens.hashedToken': hashToken, }); + } else { + Authentication.checkUserId(req.userId); + user = Users.findOne({ _id: req.userId, isAdmin: true }); } const exporter = new Exporter(boardId); -- cgit v1.2.3-1-g7c22 From 7261ccdc9074b443adb36e9365ba512eb74ffdfe Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 22 Jan 2019 16:32:43 +0200 Subject: Update translations. --- i18n/ar.i18n.json | 1 + i18n/bg.i18n.json | 1 + i18n/br.i18n.json | 1 + i18n/ca.i18n.json | 31 ++++++++++++++++--------------- i18n/cs.i18n.json | 1 + i18n/da.i18n.json | 1 + i18n/de.i18n.json | 1 + i18n/el.i18n.json | 1 + i18n/en-GB.i18n.json | 1 + i18n/eo.i18n.json | 1 + i18n/es-AR.i18n.json | 1 + i18n/es.i18n.json | 35 ++++++++++++++++++----------------- i18n/eu.i18n.json | 1 + i18n/fa.i18n.json | 1 + i18n/fi.i18n.json | 1 + i18n/fr.i18n.json | 31 ++++++++++++++++--------------- i18n/gl.i18n.json | 1 + i18n/he.i18n.json | 31 ++++++++++++++++--------------- i18n/hi.i18n.json | 1 + i18n/hu.i18n.json | 1 + i18n/hy.i18n.json | 1 + i18n/id.i18n.json | 1 + i18n/ig.i18n.json | 1 + i18n/it.i18n.json | 1 + i18n/ja.i18n.json | 1 + i18n/ka.i18n.json | 1 + i18n/km.i18n.json | 1 + i18n/ko.i18n.json | 1 + i18n/lv.i18n.json | 1 + i18n/mn.i18n.json | 1 + i18n/nb.i18n.json | 1 + i18n/nl.i18n.json | 1 + i18n/pl.i18n.json | 1 + i18n/pt-BR.i18n.json | 35 ++++++++++++++++++----------------- i18n/pt.i18n.json | 1 + i18n/ro.i18n.json | 1 + i18n/ru.i18n.json | 1 + i18n/sr.i18n.json | 1 + i18n/sv.i18n.json | 1 + i18n/sw.i18n.json | 1 + i18n/ta.i18n.json | 1 + i18n/th.i18n.json | 1 + i18n/tr.i18n.json | 1 + i18n/uk.i18n.json | 1 + i18n/vi.i18n.json | 1 + i18n/zh-CN.i18n.json | 1 + i18n/zh-TW.i18n.json | 1 + 47 files changed, 126 insertions(+), 79 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index f490691f..53508e42 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "yellow", + "unset-color": "Unset", "comment": "تعليق", "comment-placeholder": "أكتب تعليق", "comment-only": "التعليق فقط", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 25cf67a5..c374a430 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "жълто", + "unset-color": "Unset", "comment": "Коментирай", "comment-placeholder": "Напиши коментар", "comment-only": "Само коментар", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index d17e232c..899e2c00 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "melen", + "unset-color": "Unset", "comment": "Comment", "comment-placeholder": "Write Comment", "comment-only": "Comment only", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index f742196b..09f3aee1 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -169,29 +169,30 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "negre", "color-blue": "blau", - "color-crimson": "crimson", - "color-darkgreen": "darkgreen", - "color-gold": "gold", - "color-gray": "gray", + "color-crimson": "carmesí", + "color-darkgreen": "verd fosc", + "color-gold": "daurat", + "color-gray": "gris", "color-green": "verd", - "color-indigo": "indigo", + "color-indigo": "índigo", "color-lime": "llima", "color-magenta": "magenta", "color-mistyrose": "mistyrose", - "color-navy": "navy", + "color-navy": "marina", "color-orange": "taronja", "color-paleturquoise": "paleturquoise", "color-peachpuff": "peachpuff", "color-pink": "rosa", - "color-plum": "plum", + "color-plum": "pruna", "color-purple": "púrpura", "color-red": "vermell", "color-saddlebrown": "saddlebrown", - "color-silver": "silver", + "color-silver": "plata", "color-sky": "cel", "color-slateblue": "slateblue", - "color-white": "white", + "color-white": "blanc", "color-yellow": "groc", + "unset-color": "Unset", "comment": "Comentari", "comment-placeholder": "Escriu un comentari", "comment-only": "Només comentaris", @@ -286,7 +287,7 @@ "filter-on": "Filtra per", "filter-on-desc": "Estau filtrant fitxes en aquest tauler. Feu clic aquí per editar el filtre.", "filter-to-selection": "Filtra selecció", - "advanced-filter-label": "Advanced Filter", + "advanced-filter-label": "Filtre avançat", "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Nom complet", "header-logo-title": "Torna a la teva pàgina de taulers", @@ -311,7 +312,7 @@ "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Revisa l'assignació de membres", "import-user-select": "Pick your existing user you want to use as this member", - "importMapMembersAddPopup-title": "Select member", + "importMapMembersAddPopup-title": "Selecciona un usuari", "info": "Versió", "initials": "Inicials", "invalid-date": "Data invàlida", @@ -330,7 +331,7 @@ "leave-board-pop": "De debò voleu abandonar __boardTitle__? Se us eliminarà de totes les fitxes d'aquest tauler.", "leaveBoardPopup-title": "Abandonar Tauler?", "link-card": "Enllaç a aquesta fitxa", - "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards": "Moure totes les fitxes en aquesta llista al Arxiu", "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Mou totes les fitxes d'aquesta llista", "list-select-cards": "Selecciona totes les fitxes d'aquesta llista", @@ -360,8 +361,8 @@ "muted-info": "No seràs notificat dels canvis en aquest tauler", "my-boards": "Els meus taulers", "name": "Nom", - "no-archived-cards": "No cards in Archive.", - "no-archived-lists": "No lists in Archive.", + "no-archived-cards": "No hi ha fitxes a l'arxiu.", + "no-archived-lists": "No hi ha llistes al arxiu.", "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "Sense resultats", "normal": "Normal", @@ -433,7 +434,7 @@ "title": "Títol", "tracking": "En seguiment", "tracking-info": "Seràs notificat per cada canvi a aquelles fitxes de les que n'eres creador o membre", - "type": "Type", + "type": "Tipus", "unassign-member": "Desassignar membre", "unsaved-description": "Tens una descripció sense desar.", "unwatch": "Suprimeix observació", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 5a93dd31..7a6a7ba0 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "žlutá", + "unset-color": "Unset", "comment": "Komentář", "comment-placeholder": "Text komentáře", "comment-only": "Pouze komentáře", diff --git a/i18n/da.i18n.json b/i18n/da.i18n.json index f080d2e0..7ba182e0 100644 --- a/i18n/da.i18n.json +++ b/i18n/da.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "yellow", + "unset-color": "Unset", "comment": "Comment", "comment-placeholder": "Write Comment", "comment-only": "Comment only", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index da6574c7..0c155e55 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "gelb", + "unset-color": "Unset", "comment": "Kommentar", "comment-placeholder": "Kommentar schreiben", "comment-only": "Nur Kommentare", diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 74dfe693..84197b5d 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "κίτρινο", + "unset-color": "Unset", "comment": "Comment", "comment-placeholder": "Write Comment", "comment-only": "Comment only", diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 36f86e7b..0f38a3da 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "yellow", + "unset-color": "Unset", "comment": "Comment", "comment-placeholder": "Write Comment", "comment-only": "Comment only", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index c1beb547..236aec5a 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "flava", + "unset-color": "Unset", "comment": "Komento", "comment-placeholder": "Write Comment", "comment-only": "Comment only", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index 42a12e44..e7d7f132 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "amarillo", + "unset-color": "Unset", "comment": "Comentario", "comment-placeholder": "Comentar", "comment-only": "Comentar solamente", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 02ff9944..ac393ae3 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -169,29 +169,30 @@ "close-board-pop": "Podrás restaurar el tablero haciendo clic en el botón \"Archivo\" del encabezado de la pantalla inicial.", "color-black": "negra", "color-blue": "azul", - "color-crimson": "crimson", - "color-darkgreen": "darkgreen", - "color-gold": "gold", - "color-gray": "gray", + "color-crimson": "carmesí", + "color-darkgreen": "verde oscuro", + "color-gold": "oro", + "color-gray": "gris", "color-green": "verde", - "color-indigo": "indigo", + "color-indigo": "añil", "color-lime": "lima", "color-magenta": "magenta", - "color-mistyrose": "mistyrose", - "color-navy": "navy", + "color-mistyrose": "rosa claro", + "color-navy": "azul marino", "color-orange": "naranja", - "color-paleturquoise": "paleturquoise", - "color-peachpuff": "peachpuff", + "color-paleturquoise": "turquesa", + "color-peachpuff": "melocotón", "color-pink": "rosa", - "color-plum": "plum", + "color-plum": "púrpura", "color-purple": "violeta", "color-red": "roja", - "color-saddlebrown": "saddlebrown", - "color-silver": "silver", + "color-saddlebrown": "marrón", + "color-silver": "plata", "color-sky": "celeste", - "color-slateblue": "slateblue", - "color-white": "white", + "color-slateblue": "azul", + "color-white": "blanco", "color-yellow": "amarilla", + "unset-color": "Unset", "comment": "Comentar", "comment-placeholder": "Escribir comentario", "comment-only": "Sólo comentarios", @@ -495,7 +496,7 @@ "OS_Totalmem": "Memoria Total del sistema", "OS_Type": "Tipo de sistema", "OS_Uptime": "Tiempo activo del sistema", - "days": "days", + "days": "días", "hours": "horas", "minutes": "minutos", "seconds": "segundos", @@ -516,7 +517,7 @@ "card-end-on": "Finalizado el", "editCardReceivedDatePopup-title": "Cambiar la fecha de recepción", "editCardEndDatePopup-title": "Cambiar la fecha de finalización", - "setCardColor-title": "Set color", + "setCardColor-title": "Cambiar color", "assigned-by": "Asignado por", "requested-by": "Solicitado por", "board-delete-notice": "Se eliminarán todas las listas, tarjetas y acciones asociadas a este tablero. Esta acción no puede deshacerse.", @@ -595,7 +596,7 @@ "r-label": "etiqueta", "r-member": "miembro", "r-remove-all": "Eliminar todos los miembros de la tarjeta", - "r-set-color": "Set color to", + "r-set-color": "Cambiar color a", "r-checklist": "lista de verificación", "r-check-all": "Marcar todo", "r-uncheck-all": "Desmarcar todo", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index 364b3d44..e16ee3a1 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "horia", + "unset-color": "Unset", "comment": "Iruzkina", "comment-placeholder": "Idatzi iruzkin bat", "comment-only": "Iruzkinak besterik ez", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index 11aea12c..fe43bf9a 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "زرد", + "unset-color": "Unset", "comment": "نظر", "comment-placeholder": "درج نظر", "comment-only": "فقط نظر", diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index aa1a649c..5f3db02d 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "liuskekivi sininen", "color-white": "valkoinen", "color-yellow": "keltainen", + "unset-color": "Peru väri", "comment": "Kommentti", "comment-placeholder": "Kirjoita kommentti", "comment-only": "Vain kommentointi", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 919dad3e..040e34f8 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -169,29 +169,30 @@ "close-board-pop": "Vous pouvez restaurer le tableau en cliquant sur le bouton « Archives » depuis le menu en entête.", "color-black": "noir", "color-blue": "bleu", - "color-crimson": "crimson", - "color-darkgreen": "darkgreen", - "color-gold": "gold", - "color-gray": "gray", + "color-crimson": "rouge cramoisi", + "color-darkgreen": "vert foncé", + "color-gold": "or", + "color-gray": "gris", "color-green": "vert", "color-indigo": "indigo", "color-lime": "citron vert", "color-magenta": "magenta", - "color-mistyrose": "mistyrose", - "color-navy": "navy", + "color-mistyrose": "rose brumeux", + "color-navy": "bleu marin", "color-orange": "orange", - "color-paleturquoise": "paleturquoise", - "color-peachpuff": "peachpuff", + "color-paleturquoise": "azurin", + "color-peachpuff": "beige pêche", "color-pink": "rose", - "color-plum": "plum", + "color-plum": "prune", "color-purple": "violet", "color-red": "rouge", - "color-saddlebrown": "saddlebrown", - "color-silver": "silver", + "color-saddlebrown": "brun cuir", + "color-silver": "argent", "color-sky": "ciel", - "color-slateblue": "slateblue", - "color-white": "white", + "color-slateblue": "bleu ardoise", + "color-white": "blanc", "color-yellow": "jaune", + "unset-color": "Unset", "comment": "Commenter", "comment-placeholder": "Écrire un commentaire", "comment-only": "Commentaire uniquement", @@ -516,7 +517,7 @@ "card-end-on": "Se termine le", "editCardReceivedDatePopup-title": "Modifier la date de réception", "editCardEndDatePopup-title": "Modifier la date de fin", - "setCardColor-title": "Set color", + "setCardColor-title": "Définir la couleur", "assigned-by": "Assigné par", "requested-by": "Demandé par", "board-delete-notice": "La suppression est définitive. Vous perdrez toutes les listes, cartes et actions associées à ce tableau.", @@ -595,7 +596,7 @@ "r-label": "étiquette", "r-member": "membre", "r-remove-all": "Supprimer tous les membres de la carte", - "r-set-color": "Set color to", + "r-set-color": "Définir la couleur à", "r-checklist": "checklist", "r-check-all": "Tout cocher", "r-uncheck-all": "Tout décocher", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 518b6fd6..de4208ca 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "amarelo", + "unset-color": "Unset", "comment": "Comentario", "comment-placeholder": "Escribir un comentario", "comment-only": "Comment only", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 9c837e9c..afa54c07 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -169,29 +169,30 @@ "close-board-pop": "ניתן לשחזר את הלוח בלחיצה על כפתור „ארכיונים“ מהכותרת העליונה.", "color-black": "שחור", "color-blue": "כחול", - "color-crimson": "crimson", - "color-darkgreen": "darkgreen", - "color-gold": "gold", - "color-gray": "gray", + "color-crimson": "שני", + "color-darkgreen": "ירוק כהה", + "color-gold": "זהב", + "color-gray": "אפור", "color-green": "ירוק", - "color-indigo": "indigo", + "color-indigo": "אינדיגו", "color-lime": "ליים", - "color-magenta": "magenta", - "color-mistyrose": "mistyrose", - "color-navy": "navy", + "color-magenta": "ארגמן", + "color-mistyrose": "ורד", + "color-navy": "כחול כהה", "color-orange": "כתום", - "color-paleturquoise": "paleturquoise", - "color-peachpuff": "peachpuff", + "color-paleturquoise": "טורקיז חיוור", + "color-peachpuff": "נשיפת אפרסק", "color-pink": "ורוד", "color-plum": "plum", "color-purple": "סגול", "color-red": "אדום", "color-saddlebrown": "saddlebrown", - "color-silver": "silver", + "color-silver": "כסף", "color-sky": "תכלת", "color-slateblue": "slateblue", - "color-white": "white", + "color-white": "לבן", "color-yellow": "צהוב", + "unset-color": "Unset", "comment": "לפרסם", "comment-placeholder": "כתיבת הערה", "comment-only": "תגובה בלבד", @@ -495,7 +496,7 @@ "OS_Totalmem": "סך כל הזיכרון (RAM)", "OS_Type": "סוג מערכת ההפעלה", "OS_Uptime": "זמן שעבר מאז האתחול האחרון", - "days": "days", + "days": "ימים", "hours": "שעות", "minutes": "דקות", "seconds": "שניות", @@ -516,7 +517,7 @@ "card-end-on": "מועד הסיום", "editCardReceivedDatePopup-title": "החלפת מועד הקבלה", "editCardEndDatePopup-title": "החלפת מועד הסיום", - "setCardColor-title": "Set color", + "setCardColor-title": "הגדרת צבע", "assigned-by": "הוקצה על ידי", "requested-by": "התבקש על ידי", "board-delete-notice": "מחיקה היא לצמיתות. כל הרשימות, הכרטיבים והפעולות שקשורים בלוח הזה ילכו לאיבוד.", @@ -595,7 +596,7 @@ "r-label": "תווית", "r-member": "חבר", "r-remove-all": "הסרת כל החברים מהכרטיס", - "r-set-color": "Set color to", + "r-set-color": "הגדרת צבע לכדי", "r-checklist": "רשימת משימות", "r-check-all": "לסמן הכול", "r-uncheck-all": "לבטל את הסימון", diff --git a/i18n/hi.i18n.json b/i18n/hi.i18n.json index ca7d502d..d1d623d5 100644 --- a/i18n/hi.i18n.json +++ b/i18n/hi.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "पीला", + "unset-color": "Unset", "comment": "टिप्पणी", "comment-placeholder": "टिप्पणी लिखें", "comment-only": "केवल टिप्पणी करें", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index 5a02ae64..b960968c 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "sárga", + "unset-color": "Unset", "comment": "Megjegyzés", "comment-placeholder": "Megjegyzés írása", "comment-only": "Csak megjegyzés", diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index 601503e0..5c6639bf 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "yellow", + "unset-color": "Unset", "comment": "Comment", "comment-placeholder": "Write Comment", "comment-only": "Comment only", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index a9496d63..06d05573 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "kuning", + "unset-color": "Unset", "comment": "Komentar", "comment-placeholder": "Write Comment", "comment-only": "Hanya komentar", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index b55a7e00..122f99ba 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "yellow", + "unset-color": "Unset", "comment": "Comment", "comment-placeholder": "Write Comment", "comment-only": "Comment only", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index fed71957..fabc94b1 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "giallo", + "unset-color": "Unset", "comment": "Commento", "comment-placeholder": "Scrivi Commento", "comment-only": "Solo commenti", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 3a482894..8b6d6a3a 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "黄", + "unset-color": "Unset", "comment": "コメント", "comment-placeholder": "コメントを書く", "comment-only": "コメントのみ", diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index c4fe85c8..44bc6959 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "ყვითელი", + "unset-color": "Unset", "comment": "კომენტარი", "comment-placeholder": "დაწერეთ კომენტარი", "comment-only": "მხოლოდ კომენტარები", diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index 71566be7..009d0ea4 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "yellow", + "unset-color": "Unset", "comment": "Comment", "comment-placeholder": "Write Comment", "comment-only": "Comment only", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index 71dd1092..30ffb980 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "옐로우", + "unset-color": "Unset", "comment": "댓글", "comment-placeholder": "댓글 입력", "comment-only": "댓글만 입력 가능", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 7edcac0a..778c84f5 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "yellow", + "unset-color": "Unset", "comment": "Comment", "comment-placeholder": "Write Comment", "comment-only": "Comment only", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index 2309fd5d..656124f0 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "yellow", + "unset-color": "Unset", "comment": "Comment", "comment-placeholder": "Write Comment", "comment-only": "Comment only", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index a67d4cb2..edaf85f5 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "yellow", + "unset-color": "Unset", "comment": "Comment", "comment-placeholder": "Write Comment", "comment-only": "Comment only", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index e7509c8e..3df4f62a 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "Geel", + "unset-color": "Unset", "comment": "Reageer", "comment-placeholder": "Schrijf reactie", "comment-only": "Alleen reageren", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index bdc28d32..534c62ad 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "żółty", + "unset-color": "Unset", "comment": "Komentarz", "comment-placeholder": "Dodaj komentarz", "comment-only": "Tylko komentowanie", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index bfa3903c..4def5649 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -169,29 +169,30 @@ "close-board-pop": "Você será capaz de restaurar o quadro clicando no botão “Arquivo-morto” a partir do cabeçalho do Início.", "color-black": "preto", "color-blue": "azul", - "color-crimson": "crimson", - "color-darkgreen": "darkgreen", - "color-gold": "gold", - "color-gray": "gray", + "color-crimson": "carmesim", + "color-darkgreen": "verde escuro", + "color-gold": "dourado", + "color-gray": "cinza", "color-green": "verde", - "color-indigo": "indigo", + "color-indigo": "azul", "color-lime": "verde limão", "color-magenta": "magenta", - "color-mistyrose": "mistyrose", - "color-navy": "navy", + "color-mistyrose": "rosa claro", + "color-navy": "azul marinho", "color-orange": "laranja", - "color-paleturquoise": "paleturquoise", - "color-peachpuff": "peachpuff", + "color-paleturquoise": "azul ciano", + "color-peachpuff": "pêssego", "color-pink": "cor-de-rosa", - "color-plum": "plum", + "color-plum": "ameixa", "color-purple": "roxo", "color-red": "vermelho", - "color-saddlebrown": "saddlebrown", - "color-silver": "silver", + "color-saddlebrown": "marrom", + "color-silver": "prateado", "color-sky": "azul-celeste", - "color-slateblue": "slateblue", - "color-white": "white", + "color-slateblue": "azul ardósia", + "color-white": "branco", "color-yellow": "amarelo", + "unset-color": "Unset", "comment": "Comentário", "comment-placeholder": "Escrever Comentário", "comment-only": "Somente comentários", @@ -495,7 +496,7 @@ "OS_Totalmem": "Memória Total do SO", "OS_Type": "Tipo do SO", "OS_Uptime": "Disponibilidade do SO", - "days": "days", + "days": "dias", "hours": "horas", "minutes": "minutos", "seconds": "segundos", @@ -516,7 +517,7 @@ "card-end-on": "Termina em", "editCardReceivedDatePopup-title": "Modificar data de recebimento", "editCardEndDatePopup-title": "Mudar data de fim", - "setCardColor-title": "Set color", + "setCardColor-title": "Definir cor", "assigned-by": "Atribuído por", "requested-by": "Solicitado por", "board-delete-notice": "Excluir é permanente. Você perderá todas as listas, cartões e ações associados nesse quadro.", @@ -595,7 +596,7 @@ "r-label": "etiqueta", "r-member": "membro", "r-remove-all": "Remover todos os membros do cartão", - "r-set-color": "Set color to", + "r-set-color": "Definir cor para", "r-checklist": "lista de verificação", "r-check-all": "Marcar todos", "r-uncheck-all": "Desmarcar todos", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 4fc0889a..4a960d00 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "yellow", + "unset-color": "Unset", "comment": "Comentário", "comment-placeholder": "Write Comment", "comment-only": "Comment only", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index ad64b79a..25fdc937 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "yellow", + "unset-color": "Unset", "comment": "Comment", "comment-placeholder": "Write Comment", "comment-only": "Comment only", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 24e582d6..dd8114ba 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "желтый", + "unset-color": "Unset", "comment": "Добавить комментарий", "comment-placeholder": "Написать комментарий", "comment-only": "Только комментирование", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index f723c532..fe8f43fc 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "yellow", + "unset-color": "Unset", "comment": "Comment", "comment-placeholder": "Write Comment", "comment-only": "Comment only", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index c3cb5dcc..e134d9b1 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "gul", + "unset-color": "Unset", "comment": "Kommentera", "comment-placeholder": "Skriv kommentar", "comment-only": "Kommentera endast", diff --git a/i18n/sw.i18n.json b/i18n/sw.i18n.json index 426ed634..9bc667e8 100644 --- a/i18n/sw.i18n.json +++ b/i18n/sw.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "yellow", + "unset-color": "Unset", "comment": "Changia", "comment-placeholder": "Andika changio", "comment-only": "Changia pekee", diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index c1847fc1..159df52d 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "yellow", + "unset-color": "Unset", "comment": "Comment", "comment-placeholder": "Write Comment", "comment-only": "Comment only", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index f0c13472..6fe3d52f 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "เหลือง", + "unset-color": "Unset", "comment": "คอมเม็นต์", "comment-placeholder": "Write Comment", "comment-only": "Comment only", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index 8d8acd4d..ba05145e 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "sarı", + "unset-color": "Unset", "comment": "Yorum", "comment-placeholder": "Yorum Yaz", "comment-only": "Sadece yorum", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 5b6317cb..820524a3 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "жовтий", + "unset-color": "Unset", "comment": "Коментар", "comment-placeholder": "Написати коментар", "comment-only": "Comment only", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index ef4b6b8c..e9b454c1 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "yellow", + "unset-color": "Unset", "comment": "Comment", "comment-placeholder": "Write Comment", "comment-only": "Comment only", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 1bae6876..8e0b87f9 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "黄色", + "unset-color": "Unset", "comment": "评论", "comment-placeholder": "添加评论", "comment-only": "仅能评论", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 43eff7de..e578993a 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -192,6 +192,7 @@ "color-slateblue": "slateblue", "color-white": "white", "color-yellow": "黃色", + "unset-color": "Unset", "comment": "留言", "comment-placeholder": "新增評論", "comment-only": "只可以發表評論", -- cgit v1.2.3-1-g7c22 From ba9f0ca6720ff1bf2e775ae8b71ff82a23bb37e4 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Tue, 22 Jan 2019 15:32:40 +0100 Subject: Fix: Translate and add colors to IFTTT Rules dropdown." This fixes commit 44e4df2492b95226f1297e7f556d61b1afaab714. When the label has a name, not setting `translatedname` results in a blank item in the IFTTT label trigger. --- client/components/rules/triggers/cardTriggers.js | 2 ++ 1 file changed, 2 insertions(+) diff --git a/client/components/rules/triggers/cardTriggers.js b/client/components/rules/triggers/cardTriggers.js index ca282fa7..82b21d61 100644 --- a/client/components/rules/triggers/cardTriggers.js +++ b/client/components/rules/triggers/cardTriggers.js @@ -8,6 +8,8 @@ BlazeComponent.extendComponent({ if (labels[i].name === '' || labels[i].name === undefined) { labels[i].name = labels[i].color; labels[i].translatedname = `${TAPi18n.__(`color-${ labels[i].color}`)}`; + } else { + labels[i].translatedname = labels[i].name; } } return labels; -- cgit v1.2.3-1-g7c22 From 2b4df7e8c76bb3b48e32fd25105c1ee491472537 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 22 Jan 2019 17:26:48 +0200 Subject: Update changelog. --- CHANGELOG.md | 14 ++++++++++++-- 1 file changed, 12 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 88c018ab..4c405c76 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,12 +1,22 @@ # Upcoming Wekan release -This release adds the following new features: +This release adds the following new features with Apache I-CLA, thanks to bentiss: + +- [Add per card color: Card / Hamburger menu / Set Color](https://github.com/wekan/wekan/pull/2116) with [color picker](https://github.com/wekan/wekan/pull/2117); +- [OpenAPI and generating of REST API Docs](https://github.com/wekan/wekan/pull/1965); +- [Allow to retrieve full export of board from the REST API](https://github.com/wekan/wekan/pull/2118) through generic authentication. + When the board is big, retrieving individual cards is heavy for both the server and the number of requests. + Allowing the API to directly call on export and then treat the data makes the whole process smoother. + +and adds the following new features with Apache I-CLA, thanks to xet7 and bentiss: -- [OpenAPI and generating of REST API Docs](https://github.com/wekan/wekan/pull/1965). Thanks to bentiss. +- [Translate and add color names to IFTTT Rules dropdown](https://github.com/wekan/wekan/commit/44e4df2492b95226f1297e7f556d61b1afaab714), thanks to xet7. + [Fix to this feature blank item](https://github.com/wekan/wekan/pull/2119), thanks to bentiss. and adds these updates: - Update translations. Thanks to translators. +- Added missing translation for 'days'. Thanks to Chartman123. and fixes these typos; -- cgit v1.2.3-1-g7c22 From 9baed4256aa2d65ee85a9fc9c9815d57d1da0d0f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 22 Jan 2019 17:28:19 +0200 Subject: Update translations (he). --- i18n/he.i18n.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index afa54c07..771d36ad 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -183,7 +183,7 @@ "color-paleturquoise": "טורקיז חיוור", "color-peachpuff": "נשיפת אפרסק", "color-pink": "ורוד", - "color-plum": "plum", + "color-plum": "שזיף", "color-purple": "סגול", "color-red": "אדום", "color-saddlebrown": "saddlebrown", @@ -192,7 +192,7 @@ "color-slateblue": "slateblue", "color-white": "לבן", "color-yellow": "צהוב", - "unset-color": "Unset", + "unset-color": "בטל הגדרה", "comment": "לפרסם", "comment-placeholder": "כתיבת הערה", "comment-only": "תגובה בלבד", -- cgit v1.2.3-1-g7c22 From 1b445ad789a41d97b7cf4e16af35f52ae0be694b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 22 Jan 2019 17:31:57 +0200 Subject: v2.02 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 4c405c76..12b328f6 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.02 2019-01-22 Wekan release This release adds the following new features with Apache I-CLA, thanks to bentiss: diff --git a/Stackerfile.yml b/Stackerfile.yml index df20fe6a..68a8265d 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.01.0" +appVersion: "v2.02.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 2f697432..cc3ebfe9 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.01.0", + "version": "v2.02.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 6b8b10c8..4b0c8ece 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 203, + appVersion = 204, # Increment this for every release. - appMarketingVersion = (defaultText = "2.01.0~2019-01-06"), + appMarketingVersion = (defaultText = "2.02.0~2019-01-22"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 542cc75dc4a4bf392cac72345ab013cf59c67ad3 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 22 Jan 2019 19:27:32 +0200 Subject: Update translations (tr). --- i18n/tr.i18n.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index ba05145e..e973453d 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -517,7 +517,7 @@ "card-end-on": "Bitiş zamanı", "editCardReceivedDatePopup-title": "Giriş tarihini değiştir", "editCardEndDatePopup-title": "Bitiş tarihini değiştir", - "setCardColor-title": "Set color", + "setCardColor-title": "renk ayarla", "assigned-by": "Atamayı yapan", "requested-by": "Talep Eden", "board-delete-notice": "Silme kalıcıdır. Bu kartla ilişkili tüm listeleri, kartları ve işlemleri kaybedeceksiniz.", -- cgit v1.2.3-1-g7c22 From 0782c97d4f0ad7f5f22c632927a9484edffe7b93 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Tue, 22 Jan 2019 23:33:59 +0100 Subject: card colors: force overwrite of text color This allows to show checks on the color with the correct color instead of plain white. --- client/components/cards/cardDetails.styl | 22 +++++++++++----------- 1 file changed, 11 insertions(+), 11 deletions(-) diff --git a/client/components/cards/cardDetails.styl b/client/components/cards/cardDetails.styl index 5a486d84..c18e1d2d 100644 --- a/client/components/cards/cardDetails.styl +++ b/client/components/cards/cardDetails.styl @@ -144,16 +144,16 @@ input[type="submit"].attachment-add-link-submit card-details-color(background, color...) background: background !important if color - color: color //overwrite text for better visibility + color: color !important //overwrite text for better visibility .card-details-green card-details-color(#3cb500, #ffffff) //White text for better visibility .card-details-yellow - card-details-color(#fad900) + card-details-color(#fad900, #000) //Black text for better visibility .card-details-orange - card-details-color(#ff9f19) + card-details-color(#ff9f19, #000) //Black text for better visibility .card-details-red card-details-color(#eb4646, #ffffff) //White text for better visibility @@ -165,7 +165,7 @@ card-details-color(background, color...) card-details-color(#0079bf, #ffffff) //White text for better visibility .card-details-pink - card-details-color(#ff78cb) + card-details-color(#ff78cb, #000) //Black text for better visibility .card-details-sky card-details-color(#00c2e0, #ffffff) //White text for better visibility @@ -174,19 +174,19 @@ card-details-color(background, color...) card-details-color(#4d4d4d, #ffffff) //White text for better visibility .card-details-lime - card-details-color(#51e898) + card-details-color(#51e898, #000) //Black text for better visibility .card-details-silver - card-details-color(#c0c0c0) + card-details-color(#c0c0c0, #000) //Black text for better visibility .card-details-peachpuff - card-details-color(#ffdab9) + card-details-color(#ffdab9, #000) //Black text for better visibility .card-details-crimson card-details-color(#dc143c, #ffffff) //White text for better visibility .card-details-plum - card-details-color(#dda0dd) + card-details-color(#dda0dd, #000) //Black text for better visibility .card-details-darkgreen card-details-color(#006400, #ffffff) //White text for better visibility @@ -198,7 +198,7 @@ card-details-color(background, color...) card-details-color(#ff00ff, #ffffff) //White text for better visibility .card-details-gold - card-details-color(#ffd700) + card-details-color(#ffd700, #000) //Black text for better visibility .card-details-navy card-details-color(#000080, #ffffff) //White text for better visibility @@ -210,10 +210,10 @@ card-details-color(background, color...) card-details-color(#8b4513, #ffffff) //White text for better visibility .card-details-paleturquoise - card-details-color(#afeeee) + card-details-color(#afeeee, #000) //Black text for better visibility .card-details-mistyrose - card-details-color(#ffe4e1) + card-details-color(#ffe4e1, #000) //Black text for better visibility .card-details-indigo card-details-color(#4b0082, #ffffff) //White text for better visibility -- cgit v1.2.3-1-g7c22 From 8a48ff96efc29687c8a8c58d02d6741b50c83424 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Thu, 24 Jan 2019 15:24:55 +0100 Subject: set card colors: properly set the title of the popups --- client/components/cards/cardDetails.jade | 5 +---- i18n/en.i18n.json | 2 +- 2 files changed, 2 insertions(+), 5 deletions(-) diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index c1e771cb..f6cbbba6 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -234,7 +234,7 @@ template(name="cardDetailsActionsPopup") li: a.js-due-date {{_ 'editCardDueDatePopup-title'}} li: a.js-end-date {{_ 'editCardEndDatePopup-title'}} li: a.js-spent-time {{_ 'editCardSpentTimePopup-title'}} - li: a.js-set-card-color {{_ 'setCardColor-title'}} + li: a.js-set-card-color {{_ 'setCardColorPopup-title'}} hr ul.pop-over-list li: a.js-move-card-to-top {{_ 'moveCardToTop-title'}} @@ -337,9 +337,6 @@ template(name="cardMorePopup") a.js-delete(title="{{_ 'card-delete-notice'}}") {{_ 'delete'}} template(name="setCardColorPopup") - p.quiet - span.clearfix - label {{_ "select-color"}} form.edit-label .palette-colors: each colors span.card-label.palette-color.js-palette-color(class="card-details-{{color}}") diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 7097af7d..930e88c5 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -517,7 +517,7 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", -- cgit v1.2.3-1-g7c22 From 5769d438a05d01bd5f35cd5830b7ad3c03a21ed2 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Tue, 22 Jan 2019 23:36:43 +0100 Subject: rules: set card color: use the color picker --- client/components/rules/actions/cardActions.jade | 37 +++++------------- client/components/rules/actions/cardActions.js | 50 +++++++++++++++++++++++- client/components/rules/rules.styl | 9 +++++ i18n/en.i18n.json | 1 + 4 files changed, 69 insertions(+), 28 deletions(-) diff --git a/client/components/rules/actions/cardActions.jade b/client/components/rules/actions/cardActions.jade index dd92d8fe..1fee5231 100644 --- a/client/components/rules/actions/cardActions.jade +++ b/client/components/rules/actions/cardActions.jade @@ -39,32 +39,15 @@ template(name="cardActions") div.trigger-content div.trigger-text | {{{_'r-set-color'}}} - div.trigger-dropdown - select(id="color-action") - option(value="white") {{{_'color-white'}}} - option(value="green") {{{_'color-green'}}} - option(value="yellow") {{{_'color-yellow'}}} - option(value="orange") {{{_'color-orange'}}} - option(value="red") {{{_'color-red'}}} - option(value="purple") {{{_'color-purple'}}} - option(value="blue") {{{_'color-blue'}}} - option(value="sky") {{{_'color-sky'}}} - option(value="lime") {{{_'color-lime'}}} - option(value="pink") {{{_'color-pink'}}} - option(value="black") {{{_'color-black'}}} - option(value="silver") {{{_'color-silver'}}} - option(value="peachpuff") {{{_'color-peachpuff'}}} - option(value="crimson") {{{_'color-crimson'}}} - option(value="plum") {{{_'color-plum'}}} - option(value="darkgreen") {{{_'color-darkgreen'}}} - option(value="slateblue") {{{_'color-slateblue'}}} - option(value="magenta") {{{_'color-magenta'}}} - option(value="gold") {{{_'color-gold'}}} - option(value="navy") {{{_'color-navy'}}} - option(value="gray") {{{_'color-gray'}}} - option(value="saddlebrown") {{{_'color-saddlebrown'}}} - option(value="paleturquoise") {{{_'color-paleturquoise'}}} - option(value="mistyrose") {{{_'color-mistyrose'}}} - option(value="indigo") {{{_'color-indigo'}}} + button.trigger-button.trigger-button-color.card-details-green.js-show-color-palette(id="color-action") + | {{{_'color-green'}}} div.trigger-button.js-set-color-action.js-goto-rules i.fa.fa-plus + +template(name="setCardActionsColorPopup") + form.edit-label + .palette-colors: each colors + span.card-label.palette-color.js-palette-color(class="card-details-{{color}}") + if(isSelected color) + i.fa.fa-check + button.primary.confirm.js-submit {{_ 'save'}} diff --git a/client/components/rules/actions/cardActions.js b/client/components/rules/actions/cardActions.js index b66556b4..6c858358 100644 --- a/client/components/rules/actions/cardActions.js +++ b/client/components/rules/actions/cardActions.js @@ -1,3 +1,8 @@ +let cardColors; +Meteor.startup(() => { + cardColors = Cards.simpleSchema()._schema.color.allowedValues; +}); + BlazeComponent.extendComponent({ onCreated() { this.subscribe('allRules'); @@ -112,10 +117,22 @@ BlazeComponent.extendComponent({ boardId, }); }, + 'click .js-show-color-palette'(event){ + const funct = Popup.open('setCardActionsColor'); + const colorButton = this.find('#color-action'); + if (colorButton.value === '') { + colorButton.value = 'green'; + } + funct.call(this, event); + }, 'click .js-set-color-action' (event) { const ruleName = this.data().ruleName.get(); const trigger = this.data().triggerVar.get(); - const selectedColor = this.find('#color-action').value; + const colorButton = this.find('#color-action'); + if (colorButton.value === '') { + colorButton.value = 'green'; + } + const selectedColor = colorButton.value; const boardId = Session.get('currentBoard'); const desc = Utils.getTriggerActionDesc(event, this); const triggerId = Triggers.insert(trigger); @@ -136,3 +153,34 @@ BlazeComponent.extendComponent({ }, }).register('cardActions'); + +BlazeComponent.extendComponent({ + onCreated() { + this.currentAction = this.currentData(); + this.colorButton = Popup.getOpenerComponent().find('#color-action'); + this.currentColor = new ReactiveVar(this.colorButton.value); + }, + + colors() { + return cardColors.map((color) => ({ color, name: '' })); + }, + + isSelected(color) { + return this.currentColor.get() === color; + }, + + events() { + return [{ + 'click .js-palette-color'() { + this.currentColor.set(this.currentData().color); + }, + 'click .js-submit' () { + this.colorButton.classList.remove(`card-details-${ this.colorButton.value }`); + this.colorButton.value = this.currentColor.get(); + this.colorButton.innerText = `${TAPi18n.__(`color-${ this.currentColor.get() }`)}`; + this.colorButton.classList.add(`card-details-${ this.colorButton.value }`); + Popup.close(); + }, + }]; + }, +}).register('setCardActionsColorPopup'); diff --git a/client/components/rules/rules.styl b/client/components/rules/rules.styl index 27463d12..05302f7f 100644 --- a/client/components/rules/rules.styl +++ b/client/components/rules/rules.styl @@ -174,6 +174,15 @@ top:30px .trigger-button.trigger-button-person right:-40px + .trigger-button.trigger-button-color + top: unset + position: unset + transform: unset + font-size: 16px + width:auto + padding-left: 10px + padding-right: 10px + height:40px .trigger-item.trigger-item-mail height:300px diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 930e88c5..6c5f22a5 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -518,6 +518,7 @@ "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", -- cgit v1.2.3-1-g7c22 From 6e9bad57723919dc3fd63a5748902e9049320603 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Tue, 22 Jan 2019 23:35:12 +0100 Subject: IFTTT: card colors: add an actual white entry To unset the color through the IFTTT, we need a white entry. However, we do not want to show the white enry in the hamburger `Set Color` entry. We can also give the `white` capability to the API, it won't hurt and be more straightforward. --- client/components/cards/cardDetails.jade | 7 ++++--- client/components/cards/cardDetails.js | 3 +++ client/components/cards/cardDetails.styl | 4 ++++ models/cards.js | 13 ++++++++----- 4 files changed, 19 insertions(+), 8 deletions(-) diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index f6cbbba6..25316d04 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -339,9 +339,10 @@ template(name="cardMorePopup") template(name="setCardColorPopup") form.edit-label .palette-colors: each colors - span.card-label.palette-color.js-palette-color(class="card-details-{{color}}") - if(isSelected color) - i.fa.fa-check + unless $eq color 'white' + span.card-label.palette-color.js-palette-color(class="card-details-{{color}}") + if(isSelected color) + i.fa.fa-check button.primary.confirm.js-submit {{_ 'save'}} button.js-remove-color.negate.wide.right {{_ 'unset-color'}} diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index cc04b830..04620084 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -601,6 +601,9 @@ BlazeComponent.extendComponent({ }, isSelected(color) { + if (this.currentColor.get() === null) { + return color === 'white'; + } return this.currentColor.get() === color; }, diff --git a/client/components/cards/cardDetails.styl b/client/components/cards/cardDetails.styl index c18e1d2d..bf50c071 100644 --- a/client/components/cards/cardDetails.styl +++ b/client/components/cards/cardDetails.styl @@ -146,6 +146,10 @@ card-details-color(background, color...) if color color: color !important //overwrite text for better visibility +.card-details-white + card-details-color(unset, #000) //Black text for better visibility + border: 1px solid #eee + .card-details-green card-details-color(#3cb500, #ffffff) //White text for better visibility diff --git a/models/cards.js b/models/cards.js index c5d9bf05..9b32e89a 100644 --- a/models/cards.js +++ b/models/cards.js @@ -69,7 +69,7 @@ Cards.attachSchema(new SimpleSchema({ type: String, optional: true, allowedValues: [ - 'green', 'yellow', 'orange', 'red', 'purple', + 'white', 'green', 'yellow', 'orange', 'red', 'purple', 'blue', 'sky', 'lime', 'pink', 'black', 'silver', 'peachpuff', 'crimson', 'plum', 'darkgreen', 'slateblue', 'magenta', 'gold', 'navy', 'gray', @@ -1571,13 +1571,16 @@ if (Meteor.isServer) { * * @description Edit a card * - * The color has to be chosen between `green`, `yellow`, `orange`, `red`, - * `purple`, `blue`, `sky`, `lime`, `pink`, `black`, `silver`, `peachpuff`, - * `crimson`, `plum`, `darkgreen`, `slateblue`, `magenta`, `gold`, `navy`, - * `gray`, `saddlebrown`, `paleturquoise`, `mistyrose`, `indigo`: + * The color has to be chosen between `white`, `green`, `yellow`, `orange`, + * `red`, `purple`, `blue`, `sky`, `lime`, `pink`, `black`, `silver`, + * `peachpuff`, `crimson`, `plum`, `darkgreen`, `slateblue`, `magenta`, + * `gold`, `navy`, `gray`, `saddlebrown`, `paleturquoise`, `mistyrose`, + * `indigo`: * * Wekan card colors * + * Note: setting the color to white has the same effect than removing it. + * * @param {string} boardId the board ID of the card * @param {string} list the list ID of the card * @param {string} cardId the ID of the card -- cgit v1.2.3-1-g7c22 From 5fa0821e078ff03647d23909517ddf6984f8baf5 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Thu, 24 Jan 2019 16:41:23 +0100 Subject: card colors: remove unused variables --- client/components/cards/cardDetails.js | 1 - client/components/cards/minicard.js | 4 ---- 2 files changed, 5 deletions(-) diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index 04620084..79a686a7 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -27,7 +27,6 @@ BlazeComponent.extendComponent({ onCreated() { this.currentBoard = Boards.findOne(Session.get('currentBoard')); this.isLoaded = new ReactiveVar(false); - this.currentColor = new ReactiveVar(this.data().color); const boardBody = this.parentComponent().parentComponent(); //in Miniview parent is Board, not BoardBody. if (boardBody !== null) { diff --git a/client/components/cards/minicard.js b/client/components/cards/minicard.js index e468ec56..da7f9e01 100644 --- a/client/components/cards/minicard.js +++ b/client/components/cards/minicard.js @@ -3,10 +3,6 @@ // }); BlazeComponent.extendComponent({ - onCreated() { - this.currentColor = new ReactiveVar(this.data().color); - }, - template() { return 'minicard'; }, -- cgit v1.2.3-1-g7c22 From dd88eb4cc191a06f7eb84213b026dfb93546f245 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Thu, 24 Jan 2019 12:09:23 +0100 Subject: swimlane-view: have the swimlane header horizontal This allows to use the header as a separator between swimlanes. This will be most useful when we can set the background color of these headers. --- client/components/boards/boardBody.jade | 2 ++ client/components/lists/list.styl | 1 - client/components/swimlanes/swimlanes.jade | 36 ++++++++++----------------- client/components/swimlanes/swimlanes.js | 39 +++++++++--------------------- client/components/swimlanes/swimlanes.styl | 18 ++++++-------- 5 files changed, 34 insertions(+), 62 deletions(-) diff --git a/client/components/boards/boardBody.jade b/client/components/boards/boardBody.jade index 9e4b9c61..382c04f3 100644 --- a/client/components/boards/boardBody.jade +++ b/client/components/boards/boardBody.jade @@ -23,6 +23,8 @@ template(name="boardBody") if isViewSwimlanes each currentBoard.swimlanes +swimlane(this) + if currentUser.isBoardMember + +addSwimlaneForm if isViewLists +listsGroup if isViewCalendar diff --git a/client/components/lists/list.styl b/client/components/lists/list.styl index 72cb19f4..ec835961 100644 --- a/client/components/lists/list.styl +++ b/client/components/lists/list.styl @@ -10,7 +10,6 @@ // transparent, because that won't work during a list drag. background: darken(white, 13%) border-left: 1px solid darken(white, 20%) - border-bottom: 1px solid #CCC padding: 0 float: left diff --git a/client/components/swimlanes/swimlanes.jade b/client/components/swimlanes/swimlanes.jade index 76f54c66..4380de2b 100644 --- a/client/components/swimlanes/swimlanes.jade +++ b/client/components/swimlanes/swimlanes.jade @@ -1,21 +1,22 @@ template(name="swimlane") .swimlane.js-lists.js-swimlane +swimlaneHeader - if isMiniScreen - if currentList - +list(currentList) + .swimlane.list-group.js-lists + if isMiniScreen + if currentList + +list(currentList) + else + each currentBoard.lists + +miniList(this) + if currentUser.isBoardMember + +addListForm else each currentBoard.lists - +miniList(this) + +list(this) + if currentCardIsInThisList _id ../_id + +cardDetails(currentCard) if currentUser.isBoardMember +addListForm - else - each currentBoard.lists - +list(this) - if currentCardIsInThisList _id ../_id - +cardDetails(currentCard) - if currentUser.isBoardMember - +addListAndSwimlaneForm template(name="listsGroup") .swimlane.list-group.js-lists @@ -35,19 +36,8 @@ template(name="listsGroup") if currentUser.isBoardMember +addListForm -template(name="addListAndSwimlaneForm") +template(name="addSwimlaneForm") .list.list-composer.js-list-composer - .list-header - +inlinedForm(autoclose=false) - input.list-name-input.full-line(type="text" placeholder="{{_ 'add-list'}}" - autocomplete="off" autofocus) - .edit-controls.clearfix - button.primary.confirm(type="submit") {{_ 'save'}} - a.fa.fa-times-thin.js-close-inlined-form - else - a.open-list-composer.js-open-inlined-form - i.fa.fa-plus - | {{_ 'add-list'}} .list-header +inlinedForm(autoclose=false) input.swimlane-name-input.full-line(type="text" placeholder="{{_ 'add-swimlane'}}" diff --git a/client/components/swimlanes/swimlanes.js b/client/components/swimlanes/swimlanes.js index 865895a9..a7743ec7 100644 --- a/client/components/swimlanes/swimlanes.js +++ b/client/components/swimlanes/swimlanes.js @@ -185,37 +185,22 @@ BlazeComponent.extendComponent({ return [{ submit(evt) { evt.preventDefault(); - let titleInput = this.find('.list-name-input'); - if (titleInput) { - const title = titleInput.value.trim(); - if (title) { - Lists.insert({ - title, - boardId: Session.get('currentBoard'), - sort: $('.list').length, - }); - - titleInput.value = ''; - titleInput.focus(); - } - } else { - titleInput = this.find('.swimlane-name-input'); - const title = titleInput.value.trim(); - if (title) { - Swimlanes.insert({ - title, - boardId: Session.get('currentBoard'), - sort: $('.swimlane').length, - }); - - titleInput.value = ''; - titleInput.focus(); - } + let titleInput = this.find('.swimlane-name-input'); + const title = titleInput.value.trim(); + if (title) { + Swimlanes.insert({ + title, + boardId: Session.get('currentBoard'), + sort: $('.swimlane').length, + }); + + titleInput.value = ''; + titleInput.focus(); } }, }]; }, -}).register('addListAndSwimlaneForm'); +}).register('addSwimlaneForm'); Template.swimlane.helpers({ canSeeAddList() { diff --git a/client/components/swimlanes/swimlanes.styl b/client/components/swimlanes/swimlanes.styl index abcc90d4..fe7f5e53 100644 --- a/client/components/swimlanes/swimlanes.styl +++ b/client/components/swimlanes/swimlanes.styl @@ -5,7 +5,7 @@ // transparent, because that won't work during a swimlane drag. background: darken(white, 13%) display: flex - flex-direction: row + flex-direction: column overflow: 0; max-height: 100% @@ -27,20 +27,15 @@ .swimlane-header-wrap display: flex; flex-direction: row; - flex: 0 0 50px; - padding-bottom: 30px; - border-bottom: 1px solid #CCC + flex: 0 0 24px; + background-color: #ccc; .swimlane-header - -ms-writing-mode: tb-rl; - writing-mode: vertical-rl; - transform: rotate(180deg); font-size: 14px; - line-height: 50px; - margin-top: 50px; + padding: 5px 5px font-weight: bold; min-height: 9px; - width: 50px; + width: 100%; overflow: hidden; -o-text-overflow: ellipsis; text-overflow: ellipsis; @@ -49,7 +44,8 @@ .swimlane-header-menu position: absolute - padding: 20px 20px + padding: 5px 5px .list-group + flex-direction: row height: 100% -- cgit v1.2.3-1-g7c22 From 416b17062e57f215206e93a85b02ef9eb1ab4902 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Thu, 24 Jan 2019 15:16:13 +0100 Subject: Remove the 'Add Swimlane' entry and replace it by a plus sign Still need to create the swimlane right after the one that has been created --- client/components/boards/boardBody.jade | 2 -- client/components/swimlanes/swimlaneHeader.jade | 9 ++++++++ client/components/swimlanes/swimlaneHeader.js | 28 +++++++++++++++++++++++++ client/components/swimlanes/swimlanes.jade | 14 ------------- client/components/swimlanes/swimlanes.js | 27 ------------------------ client/components/swimlanes/swimlanes.styl | 4 ++++ i18n/en.i18n.json | 1 + 7 files changed, 42 insertions(+), 43 deletions(-) diff --git a/client/components/boards/boardBody.jade b/client/components/boards/boardBody.jade index 382c04f3..9e4b9c61 100644 --- a/client/components/boards/boardBody.jade +++ b/client/components/boards/boardBody.jade @@ -23,8 +23,6 @@ template(name="boardBody") if isViewSwimlanes each currentBoard.swimlanes +swimlane(this) - if currentUser.isBoardMember - +addSwimlaneForm if isViewLists +listsGroup if isViewCalendar diff --git a/client/components/swimlanes/swimlaneHeader.jade b/client/components/swimlanes/swimlaneHeader.jade index 483de06f..3e20e2d0 100644 --- a/client/components/swimlanes/swimlaneHeader.jade +++ b/client/components/swimlanes/swimlaneHeader.jade @@ -8,6 +8,7 @@ template(name="swimlaneHeader") = title .swimlane-header-menu unless currentUser.isCommentOnly + a.fa.fa-plus.js-open-add-swimlane-menu.swimlane-header-plus-icon a.fa.fa-navicon.js-open-swimlane-menu template(name="editSwimlaneTitleForm") @@ -21,3 +22,11 @@ template(name="swimlaneActionPopup") unless currentUser.isCommentOnly ul.pop-over-list li: a.js-close-swimlane {{_ 'archive-swimlane'}} + +template(name="swimlaneAddPopup") + unless currentUser.isCommentOnly + form + input.swimlane-name-input.full-line(type="text" placeholder="{{_ 'add-swimlane'}}" + autocomplete="off" autofocus) + .edit-controls.clearfix + button.primary.confirm(type="submit") {{_ 'add'}} diff --git a/client/components/swimlanes/swimlaneHeader.js b/client/components/swimlanes/swimlaneHeader.js index 50635f86..72437ba4 100644 --- a/client/components/swimlanes/swimlaneHeader.js +++ b/client/components/swimlanes/swimlaneHeader.js @@ -11,6 +11,7 @@ BlazeComponent.extendComponent({ events() { return [{ 'click .js-open-swimlane-menu': Popup.open('swimlaneAction'), + 'click .js-open-add-swimlane-menu': Popup.open('swimlaneAdd'), submit: this.editTitle, }]; }, @@ -23,3 +24,30 @@ Template.swimlaneActionPopup.events({ Popup.close(); }, }); + +BlazeComponent.extendComponent({ + events() { + return [{ + submit(evt) { + evt.preventDefault(); + const titleInput = this.find('.swimlane-name-input'); + const title = titleInput.value.trim(); + if (title) { + Swimlanes.insert({ + title, + boardId: Session.get('currentBoard'), + // XXX we should insert the swimlane right after the caller + sort: $('.swimlane').length, + }); + + titleInput.value = ''; + titleInput.focus(); + } + // XXX ideally, we should move the popup to the newly + // created swimlane so a user can add more than one swimlane + // with a minimum of interactions + Popup.close(); + }, + }]; + }, +}).register('swimlaneAddPopup'); diff --git a/client/components/swimlanes/swimlanes.jade b/client/components/swimlanes/swimlanes.jade index 4380de2b..cd864a7c 100644 --- a/client/components/swimlanes/swimlanes.jade +++ b/client/components/swimlanes/swimlanes.jade @@ -36,20 +36,6 @@ template(name="listsGroup") if currentUser.isBoardMember +addListForm -template(name="addSwimlaneForm") - .list.list-composer.js-list-composer - .list-header - +inlinedForm(autoclose=false) - input.swimlane-name-input.full-line(type="text" placeholder="{{_ 'add-swimlane'}}" - autocomplete="off" autofocus) - .edit-controls.clearfix - button.primary.confirm(type="submit") {{_ 'save'}} - a.fa.fa-times-thin.js-close-inlined-form - else - a.open-list-composer.js-open-inlined-form - i.fa.fa-plus - | {{_ 'add-swimlane'}} - template(name="addListForm") .list.list-composer.js-list-composer .list-header diff --git a/client/components/swimlanes/swimlanes.js b/client/components/swimlanes/swimlanes.js index a7743ec7..71317714 100644 --- a/client/components/swimlanes/swimlanes.js +++ b/client/components/swimlanes/swimlanes.js @@ -175,33 +175,6 @@ BlazeComponent.extendComponent({ }, }).register('addListForm'); -BlazeComponent.extendComponent({ - // Proxy - open() { - this.childComponents('inlinedForm')[0].open(); - }, - - events() { - return [{ - submit(evt) { - evt.preventDefault(); - let titleInput = this.find('.swimlane-name-input'); - const title = titleInput.value.trim(); - if (title) { - Swimlanes.insert({ - title, - boardId: Session.get('currentBoard'), - sort: $('.swimlane').length, - }); - - titleInput.value = ''; - titleInput.focus(); - } - }, - }]; - }, -}).register('addSwimlaneForm'); - Template.swimlane.helpers({ canSeeAddList() { return Meteor.user() && Meteor.user().isBoardMember() && !Meteor.user().isCommentOnly(); diff --git a/client/components/swimlanes/swimlanes.styl b/client/components/swimlanes/swimlanes.styl index fe7f5e53..71089bb4 100644 --- a/client/components/swimlanes/swimlanes.styl +++ b/client/components/swimlanes/swimlanes.styl @@ -46,6 +46,10 @@ position: absolute padding: 5px 5px + .swimlane-header-plus-icon + margin-left: 5px + margin-right: 10px + .list-group flex-direction: row height: 100% diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 6c5f22a5..1890f488 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -337,6 +337,7 @@ "list-select-cards": "Select all cards in this list", "listActionPopup-title": "List Actions", "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Import a Trello card", "listMorePopup-title": "More", "link-list": "Link to this list", -- cgit v1.2.3-1-g7c22 From c075187088e69d30db31489d75b22f991e1972ff Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Thu, 24 Jan 2019 20:45:52 +0100 Subject: swimlane: insert the new swimlane after the one we clicked on --- client/components/swimlanes/swimlaneHeader.js | 13 +++++++++++-- models/boards.js | 11 +++++++++++ 2 files changed, 22 insertions(+), 2 deletions(-) diff --git a/client/components/swimlanes/swimlaneHeader.js b/client/components/swimlanes/swimlaneHeader.js index 72437ba4..632a0f50 100644 --- a/client/components/swimlanes/swimlaneHeader.js +++ b/client/components/swimlanes/swimlaneHeader.js @@ -1,3 +1,5 @@ +const { calculateIndexData } = Utils; + BlazeComponent.extendComponent({ editTitle(evt) { evt.preventDefault(); @@ -26,18 +28,25 @@ Template.swimlaneActionPopup.events({ }); BlazeComponent.extendComponent({ + onCreated() { + this.currentSwimlane = this.currentData(); + }, + events() { return [{ submit(evt) { evt.preventDefault(); + const currentBoard = Boards.findOne(Session.get('currentBoard')); + const nextSwimlane = currentBoard.nextSwimlane(this.currentSwimlane); const titleInput = this.find('.swimlane-name-input'); const title = titleInput.value.trim(); + const sortValue = calculateIndexData(this.currentSwimlane, nextSwimlane, 1); + if (title) { Swimlanes.insert({ title, boardId: Session.get('currentBoard'), - // XXX we should insert the swimlane right after the caller - sort: $('.swimlane').length, + sort: sortValue.base, }); titleInput.value = ''; diff --git a/models/boards.js b/models/boards.js index 99480ca7..d92bec47 100644 --- a/models/boards.js +++ b/models/boards.js @@ -351,6 +351,17 @@ Boards.helpers({ return Swimlanes.find({ boardId: this._id, archived: false }, { sort: { sort: 1 } }); }, + nextSwimlane(swimlane) { + return Swimlanes.findOne({ + boardId: this._id, + archived: false, + sort: { $gte: swimlane.sort }, + _id: { $ne: swimlane._id }, + }, { + sort: { sort: 1 }, + }); + }, + hasOvertimeCards(){ const card = Cards.findOne({isOvertime: true, boardId: this._id, archived: false} ); return card !== undefined; -- cgit v1.2.3-1-g7c22 From 03efeaeb1abae0c8c39ad5644d44bad36f415d99 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Thu, 24 Jan 2019 16:47:09 +0100 Subject: Add colors to swimlanes fixes #1688 --- client/components/swimlanes/swimlaneHeader.jade | 14 ++++- client/components/swimlanes/swimlaneHeader.js | 37 +++++++++++ client/components/swimlanes/swimlanes.styl | 81 +++++++++++++++++++++++++ i18n/en.i18n.json | 1 + models/swimlanes.js | 32 ++++++++++ 5 files changed, 164 insertions(+), 1 deletion(-) diff --git a/client/components/swimlanes/swimlaneHeader.jade b/client/components/swimlanes/swimlaneHeader.jade index 3e20e2d0..33eb5731 100644 --- a/client/components/swimlanes/swimlaneHeader.jade +++ b/client/components/swimlanes/swimlaneHeader.jade @@ -1,5 +1,5 @@ template(name="swimlaneHeader") - .swimlane-header-wrap.js-swimlane-header + .swimlane-header-wrap.js-swimlane-header(class='{{#if colorClass}}swimlane-{{colorClass}}{{/if}}') +inlinedForm +editSwimlaneTitleForm else @@ -20,6 +20,9 @@ template(name="editSwimlaneTitleForm") template(name="swimlaneActionPopup") unless currentUser.isCommentOnly + ul.pop-over-list + li: a.js-set-swimlane-color {{_ 'select-color'}} + hr ul.pop-over-list li: a.js-close-swimlane {{_ 'archive-swimlane'}} @@ -30,3 +33,12 @@ template(name="swimlaneAddPopup") autocomplete="off" autofocus) .edit-controls.clearfix button.primary.confirm(type="submit") {{_ 'add'}} + +template(name="setSwimlaneColorPopup") + form.edit-label + .palette-colors: each colors + span.card-label.palette-color.js-palette-color(class="card-details-{{color}}") + if(isSelected color) + i.fa.fa-check + button.primary.confirm.js-submit {{_ 'save'}} + button.js-remove-color.negate.wide.right {{_ 'unset-color'}} diff --git a/client/components/swimlanes/swimlaneHeader.js b/client/components/swimlanes/swimlaneHeader.js index 632a0f50..1004cb25 100644 --- a/client/components/swimlanes/swimlaneHeader.js +++ b/client/components/swimlanes/swimlaneHeader.js @@ -1,5 +1,10 @@ const { calculateIndexData } = Utils; +let swimlaneColors; +Meteor.startup(() => { + swimlaneColors = Swimlanes.simpleSchema()._schema.color.allowedValues; +}); + BlazeComponent.extendComponent({ editTitle(evt) { evt.preventDefault(); @@ -20,6 +25,7 @@ BlazeComponent.extendComponent({ }).register('swimlaneHeader'); Template.swimlaneActionPopup.events({ + 'click .js-set-swimlane-color': Popup.open('setSwimlaneColor'), 'click .js-close-swimlane' (evt) { evt.preventDefault(); this.archive(); @@ -60,3 +66,34 @@ BlazeComponent.extendComponent({ }]; }, }).register('swimlaneAddPopup'); + +BlazeComponent.extendComponent({ + onCreated() { + this.currentSwimlane = this.currentData(); + this.currentColor = new ReactiveVar(this.currentSwimlane.color); + }, + + colors() { + return swimlaneColors.map((color) => ({ color, name: '' })); + }, + + isSelected(color) { + return this.currentColor.get() === color; + }, + + events() { + return [{ + 'click .js-palette-color'() { + this.currentColor.set(this.currentData().color); + }, + 'click .js-submit' () { + this.currentSwimlane.setColor(this.currentColor.get()); + Popup.close(); + }, + 'click .js-remove-color'() { + this.currentSwimlane.setColor(null); + Popup.close(); + }, + }]; + }, +}).register('setSwimlaneColorPopup'); diff --git a/client/components/swimlanes/swimlanes.styl b/client/components/swimlanes/swimlanes.styl index 71089bb4..e4e2cd3b 100644 --- a/client/components/swimlanes/swimlanes.styl +++ b/client/components/swimlanes/swimlanes.styl @@ -53,3 +53,84 @@ .list-group flex-direction: row height: 100% + +swimlane-color(background, color...) + background: background !important + if color + color: color !important //overwrite text for better visibility + +.swimlane-white + swimlane-color(#ffffff, #4d4d4d) //Black text for better visibility + border: 1px solid #eee + +.swimlane-green + swimlane-color(#3cb500, #ffffff) //White text for better visibility + +.swimlane-yellow + swimlane-color(#fad900, #4d4d4d) //Black text for better visibility + +.swimlane-orange + swimlane-color(#ff9f19, #4d4d4d) //Black text for better visibility + +.swimlane-red + swimlane-color(#eb4646, #ffffff) //White text for better visibility + +.swimlane-purple + swimlane-color(#a632db, #ffffff) //White text for better visibility + +.swimlane-blue + swimlane-color(#0079bf, #ffffff) //White text for better visibility + +.swimlane-pink + swimlane-color(#ff78cb, #4d4d4d) //Black text for better visibility + +.swimlane-sky + swimlane-color(#00c2e0, #ffffff) //White text for better visibility + +.swimlane-black + swimlane-color(#4d4d4d, #ffffff) //White text for better visibility + +.swimlane-lime + swimlane-color(#51e898, #4d4d4d) //Black text for better visibility + +.swimlane-silver + swimlane-color(unset, #4d4d4d) //Black text for better visibility + +.swimlane-peachpuff + swimlane-color(#ffdab9, #4d4d4d) //Black text for better visibility + +.swimlane-crimson + swimlane-color(#dc143c, #ffffff) //White text for better visibility + +.swimlane-plum + swimlane-color(#dda0dd, #4d4d4d) //Black text for better visibility + +.swimlane-darkgreen + swimlane-color(#006400, #ffffff) //White text for better visibility + +.swimlane-slateblue + swimlane-color(#6a5acd, #ffffff) //White text for better visibility + +.swimlane-magenta + swimlane-color(#ff00ff, #ffffff) //White text for better visibility + +.swimlane-gold + swimlane-color(#ffd700, #4d4d4d) //Black text for better visibility + +.swimlane-navy + swimlane-color(#000080, #ffffff) //White text for better visibility + +.swimlane-gray + swimlane-color(#808080, #ffffff) //White text for better visibility + +.swimlane-saddlebrown + swimlane-color(#8b4513, #ffffff) //White text for better visibility + +.swimlane-paleturquoise + swimlane-color(#afeeee, #4d4d4d) //Black text for better visibility + +.swimlane-mistyrose + swimlane-color(#ffe4e1, #4d4d4d) //Black text for better visibility + +.swimlane-indigo + swimlane-color(#4b0082, #ffffff) //White text for better visibility diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 1890f488..409946bb 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -520,6 +520,7 @@ "editCardEndDatePopup-title": "Change end date", "setCardColorPopup-title": "Set color", "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/models/swimlanes.js b/models/swimlanes.js index fa5245da..93057362 100644 --- a/models/swimlanes.js +++ b/models/swimlanes.js @@ -49,6 +49,21 @@ Swimlanes.attachSchema(new SimpleSchema({ // XXX We should probably provide a default optional: true, }, + color: { + /** + * the color of the swimlane + */ + type: String, + optional: true, + // silver is the default, so it is left out + allowedValues: [ + 'white', 'green', 'yellow', 'orange', 'red', 'purple', + 'blue', 'sky', 'lime', 'pink', 'black', + 'peachpuff', 'crimson', 'plum', 'darkgreen', + 'slateblue', 'magenta', 'gold', 'navy', 'gray', + 'saddlebrown', 'paleturquoise', 'mistyrose', 'indigo', + ], + }, updatedAt: { /** * when was the swimlane last edited @@ -93,6 +108,12 @@ Swimlanes.helpers({ board() { return Boards.findOne(this.boardId); }, + + colorClass() { + if (this.color) + return this.color; + return ''; + }, }); Swimlanes.mutations({ @@ -107,6 +128,17 @@ Swimlanes.mutations({ restore() { return { $set: { archived: false } }; }, + + setColor(newColor) { + if (newColor === 'silver') { + newColor = null; + } + return { + $set: { + color: newColor, + }, + }; + }, }); Swimlanes.hookOptions.after.update = { fetchPrevious: false }; -- cgit v1.2.3-1-g7c22 From 5c6a725712a443b4d03b4f86262033ddfb66bc3d Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Fri, 25 Jan 2019 10:47:36 +0100 Subject: Make sure Swimlanes and Lists have a populated sort field When moving around the swimlanes or the lists, if one element has a sort with a null value, the computation of the new sort value is aborted, meaning that there are glitches in the UI. This happens on the first swimlane created with the new board, or when a swimlane or a list gets added through the API. --- client/components/boards/boardBody.js | 31 +++++++++++++++++++++++++++++++ models/boards.js | 16 ++++++++++++++++ 2 files changed, 47 insertions(+) diff --git a/client/components/boards/boardBody.js b/client/components/boards/boardBody.js index ccbd0f23..ae5b67fd 100644 --- a/client/components/boards/boardBody.js +++ b/client/components/boards/boardBody.js @@ -35,6 +35,37 @@ BlazeComponent.extendComponent({ this._isDragging = false; // Used to set the overlay this.mouseHasEnterCardDetails = false; + + // fix swimlanes sort field if there are null values + const currentBoardData = Boards.findOne(Session.get('currentBoard')); + const nullSortSwimlanes = currentBoardData.nullSortSwimlanes(); + if (nullSortSwimlanes.count() > 0) { + const swimlanes = currentBoardData.swimlanes(); + let count = 0; + swimlanes.forEach((s) => { + Swimlanes.update(s._id, { + $set: { + sort: count, + }, + }); + count += 1; + }); + } + + // fix lists sort field if there are null values + const nullSortLists = currentBoardData.nullSortLists(); + if (nullSortLists.count() > 0) { + const lists = currentBoardData.lists(); + let count = 0; + lists.forEach((l) => { + Lists.update(l._id, { + $set: { + sort: count, + }, + }); + count += 1; + }); + } }, onRendered() { const boardComponent = this; diff --git a/models/boards.js b/models/boards.js index d92bec47..b0f5cecb 100644 --- a/models/boards.js +++ b/models/boards.js @@ -347,6 +347,14 @@ Boards.helpers({ return Lists.find({ boardId: this._id, archived: false }, { sort: { sort: 1 } }); }, + nullSortLists() { + return Lists.find({ + boardId: this._id, + archived: false, + sort: { $eq: null }, + }); + }, + swimlanes() { return Swimlanes.find({ boardId: this._id, archived: false }, { sort: { sort: 1 } }); }, @@ -362,6 +370,14 @@ Boards.helpers({ }); }, + nullSortSwimlanes() { + return Swimlanes.find({ + boardId: this._id, + archived: false, + sort: { $eq: null }, + }); + }, + hasOvertimeCards(){ const card = Cards.findOne({isOvertime: true, boardId: this._id, archived: false} ); return card !== undefined; -- cgit v1.2.3-1-g7c22 From b5411841cf6aa33b2c0d29d85cbc795e3faa7f4f Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Fri, 25 Jan 2019 10:57:46 +0100 Subject: api: fix the sort field when inserting a swimlane or a list This has the side effect of always inserting the element at the end. --- models/lists.js | 2 ++ models/swimlanes.js | 2 ++ 2 files changed, 4 insertions(+) diff --git a/models/lists.js b/models/lists.js index 0e1ba801..39ff130a 100644 --- a/models/lists.js +++ b/models/lists.js @@ -314,9 +314,11 @@ if (Meteor.isServer) { try { Authentication.checkUserId( req.userId); const paramBoardId = req.params.boardId; + const board = Boards.findOne(paramBoardId); const id = Lists.insert({ title: req.body.title, boardId: paramBoardId, + sort: board.lists().count(), }); JsonRoutes.sendResult(res, { code: 200, diff --git a/models/swimlanes.js b/models/swimlanes.js index 93057362..e2c3925c 100644 --- a/models/swimlanes.js +++ b/models/swimlanes.js @@ -256,9 +256,11 @@ if (Meteor.isServer) { try { Authentication.checkUserId( req.userId); const paramBoardId = req.params.boardId; + const board = Boards.findOne(paramBoardId); const id = Swimlanes.insert({ title: req.body.title, boardId: paramBoardId, + sort: board.swimlanes().count(), }); JsonRoutes.sendResult(res, { code: 200, -- cgit v1.2.3-1-g7c22 From 6c3dbc3c6f52a42ddbeeaec9bbfcc82c1c839f7d Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Fri, 25 Jan 2019 12:44:27 +0100 Subject: api: new_card: add the card at the end of the list If we keep the `0` value, the card might be inserted in the middle of the list, making it hard to find it later on. Always append the card at the end of the list by setting a sort value based on the number of cards in the list. --- models/cards.js | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/models/cards.js b/models/cards.js index 9b32e89a..ff19a9a0 100644 --- a/models/cards.js +++ b/models/cards.js @@ -1526,6 +1526,10 @@ if (Meteor.isServer) { Authentication.checkUserId(req.userId); const paramBoardId = req.params.boardId; const paramListId = req.params.listId; + const currentCards = Cards.find({ + listId: paramListId, + archived: false, + }, { sort: ['sort'] }); const check = Users.findOne({ _id: req.body.authorId, }); @@ -1538,7 +1542,7 @@ if (Meteor.isServer) { description: req.body.description, userId: req.body.authorId, swimlaneId: req.body.swimlaneId, - sort: 0, + sort: currentCards.count(), members, }); JsonRoutes.sendResult(res, { -- cgit v1.2.3-1-g7c22 From 8d81aca4398c29eaa5236b92053c33a957b1bcf4 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Fri, 25 Jan 2019 14:10:10 +0100 Subject: api: fix set_board_member_permission If the data is passed as a boolean, through json, data.toLowerCase() raises an error. Also define query which we are returning in case of success. --- models/boards.js | 9 +++++++-- 1 file changed, 7 insertions(+), 2 deletions(-) diff --git a/models/boards.js b/models/boards.js index 99480ca7..1d6472cc 100644 --- a/models/boards.js +++ b/models/boards.js @@ -1113,9 +1113,14 @@ if (Meteor.isServer) { Authentication.checkBoardAccess(req.userId, boardId); const board = Boards.findOne({ _id: boardId }); function isTrue(data){ - return data.toLowerCase() === 'true'; + try { + return data.toLowerCase() === 'true'; + } + catch (error) { + return data; + } } - board.setMemberPermission(memberId, isTrue(isAdmin), isTrue(isNoComments), isTrue(isCommentOnly), req.userId); + const query = board.setMemberPermission(memberId, isTrue(isAdmin), isTrue(isNoComments), isTrue(isCommentOnly), req.userId); JsonRoutes.sendResult(res, { code: 200, -- cgit v1.2.3-1-g7c22 From 78c779faafad2010842bfccca9ef5c483530c892 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Thu, 24 Jan 2019 09:13:49 +0100 Subject: client: lists headers: use padding instead of margin No visual changes but allows to set a background color to the list header. --- client/components/lists/list.styl | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/client/components/lists/list.styl b/client/components/lists/list.styl index ec835961..c2bfa3db 100644 --- a/client/components/lists/list.styl +++ b/client/components/lists/list.styl @@ -45,7 +45,7 @@ .list-header flex: 0 0 auto - margin: 20px 12px 4px + padding: 20px 12px 4px position: relative min-height: 20px @@ -73,10 +73,10 @@ .list-header-menu position: absolute - padding: 7px + padding: 27px 19px margin-top: 1px - top: -@padding - right: -@padding + top: -7px + right: -7px .list-header-plus-icon color: #a6a6a6 -- cgit v1.2.3-1-g7c22 From d0a9d8c581f9356f5e72ccb698fc3963c59e96cd Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Fri, 25 Jan 2019 15:56:40 +0100 Subject: colors: add per list color Hamburger menu only. Note that I am definitively not responsible for the resulting Christmas tree. fixes #328 --- client/components/lists/list.styl | 81 +++++++++++++++++++++++++++++++++ client/components/lists/listHeader.jade | 15 +++++- client/components/lists/listHeader.js | 37 +++++++++++++++ i18n/en.i18n.json | 2 + models/lists.js | 32 +++++++++++++ 5 files changed, 166 insertions(+), 1 deletion(-) diff --git a/client/components/lists/list.styl b/client/components/lists/list.styl index c2bfa3db..91823bdb 100644 --- a/client/components/lists/list.styl +++ b/client/components/lists/list.styl @@ -197,3 +197,84 @@ .search-card-results max-height: 250px overflow: hidden + +list-header-color(background, color...) + background: background !important + if color + color: color !important //overwrite text for better visibility + +.list-header-white + list-header-color(#ffffff, #4d4d4d) //Black text for better visibility + border: 1px solid #eee + +.list-header-green + list-header-color(#3cb500, #ffffff) //White text for better visibility + +.list-header-yellow + list-header-color(#fad900, #4d4d4d) //Black text for better visibility + +.list-header-orange + list-header-color(#ff9f19, #4d4d4d) //Black text for better visibility + +.list-header-red + list-header-color(#eb4646, #ffffff) //White text for better visibility + +.list-header-purple + list-header-color(#a632db, #ffffff) //White text for better visibility + +.list-header-blue + list-header-color(#0079bf, #ffffff) //White text for better visibility + +.list-header-pink + list-header-color(#ff78cb, #4d4d4d) //Black text for better visibility + +.list-header-sky + list-header-color(#00c2e0, #ffffff) //White text for better visibility + +.list-header-black + list-header-color(#4d4d4d, #ffffff) //White text for better visibility + +.list-header-lime + list-header-color(#51e898, #4d4d4d) //Black text for better visibility + +.list-header-silver + list-header-color(unset, #4d4d4d) //Black text for better visibility + +.list-header-peachpuff + list-header-color(#ffdab9, #4d4d4d) //Black text for better visibility + +.list-header-crimson + list-header-color(#dc143c, #ffffff) //White text for better visibility + +.list-header-plum + list-header-color(#dda0dd, #4d4d4d) //Black text for better visibility + +.list-header-darkgreen + list-header-color(#006400, #ffffff) //White text for better visibility + +.list-header-slateblue + list-header-color(#6a5acd, #ffffff) //White text for better visibility + +.list-header-magenta + list-header-color(#ff00ff, #ffffff) //White text for better visibility + +.list-header-gold + list-header-color(#ffd700, #4d4d4d) //Black text for better visibility + +.list-header-navy + list-header-color(#000080, #ffffff) //White text for better visibility + +.list-header-gray + list-header-color(#808080, #ffffff) //White text for better visibility + +.list-header-saddlebrown + list-header-color(#8b4513, #ffffff) //White text for better visibility + +.list-header-paleturquoise + list-header-color(#afeeee, #4d4d4d) //Black text for better visibility + +.list-header-mistyrose + list-header-color(#ffe4e1, #4d4d4d) //Black text for better visibility + +.list-header-indigo + list-header-color(#4b0082, #ffffff) //White text for better visibility diff --git a/client/components/lists/listHeader.jade b/client/components/lists/listHeader.jade index 25ab8c20..48005eaf 100644 --- a/client/components/lists/listHeader.jade +++ b/client/components/lists/listHeader.jade @@ -1,5 +1,6 @@ template(name="listHeader") - .list-header.js-list-header + .list-header.js-list-header( + class="{{#if colorClass}}list-header-{{colorClass}}{{/if}}") +inlinedForm +editListTitleForm else @@ -49,6 +50,9 @@ template(name="listActionPopup") li: a.js-toggle-watch-list {{#if isWatching}}{{_ 'unwatch'}}{{else}}{{_ 'watch'}}{{/if}} unless currentUser.isCommentOnly hr + ul.pop-over-list + li: a.js-set-color-list {{_ 'set-color-list'}} + hr ul.pop-over-list if cards.count li: a.js-select-cards {{_ 'list-select-cards'}} @@ -111,3 +115,12 @@ template(name="wipLimitErrorPopup") p {{_ 'wipLimitErrorPopup-dialog-pt1'}} p {{_ 'wipLimitErrorPopup-dialog-pt2'}} button.full.js-back-view(type="submit") {{_ 'cancel'}} + +template(name="setListColorPopup") + form.edit-label + .palette-colors: each colors + span.card-label.palette-color.js-palette-color(class="list-header-{{color}}") + if(isSelected color) + i.fa.fa-check + button.primary.confirm.js-submit {{_ 'save'}} + button.js-remove-color.negate.wide.right {{_ 'unset-color'}} diff --git a/client/components/lists/listHeader.js b/client/components/lists/listHeader.js index abcc4639..25e6cb69 100644 --- a/client/components/lists/listHeader.js +++ b/client/components/lists/listHeader.js @@ -1,3 +1,8 @@ +let listsColors; +Meteor.startup(() => { + listsColors = Lists.simpleSchema()._schema.color.allowedValues; +}); + BlazeComponent.extendComponent({ canSeeAddCard() { const list = Template.currentData(); @@ -72,6 +77,7 @@ Template.listActionPopup.helpers({ Template.listActionPopup.events({ 'click .js-list-subscribe' () {}, + 'click .js-set-color-list': Popup.open('setListColor'), 'click .js-select-cards' () { const cardIds = this.allCards().map((card) => card._id); MultiSelection.add(cardIds); @@ -154,3 +160,34 @@ Template.listMorePopup.events({ Utils.goBoardId(this.boardId); }), }); + +BlazeComponent.extendComponent({ + onCreated() { + this.currentList = this.currentData(); + this.currentColor = new ReactiveVar(this.currentList.color); + }, + + colors() { + return listsColors.map((color) => ({ color, name: '' })); + }, + + isSelected(color) { + return this.currentColor.get() === color; + }, + + events() { + return [{ + 'click .js-palette-color'() { + this.currentColor.set(this.currentData().color); + }, + 'click .js-submit' () { + this.currentList.setColor(this.currentColor.get()); + Popup.close(); + }, + 'click .js-remove-color'() { + this.currentList.setColor(null); + Popup.close(); + }, + }]; + }, +}).register('setListColorPopup'); diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 409946bb..2c2d41da 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -335,6 +335,7 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", + "set-color-list": "Set Color", "listActionPopup-title": "List Actions", "swimlaneActionPopup-title": "Swimlane Actions", "swimlaneAddPopup-title": "Add a Swimlane below", @@ -521,6 +522,7 @@ "setCardColorPopup-title": "Set color", "setCardActionsColorPopup-title": "Choose a color", "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/models/lists.js b/models/lists.js index 39ff130a..54e7d037 100644 --- a/models/lists.js +++ b/models/lists.js @@ -92,6 +92,21 @@ Lists.attachSchema(new SimpleSchema({ type: Boolean, defaultValue: false, }, + color: { + /** + * the color of the list + */ + type: String, + optional: true, + // silver is the default, so it is left out + allowedValues: [ + 'white', 'green', 'yellow', 'orange', 'red', 'purple', + 'blue', 'sky', 'lime', 'pink', 'black', + 'peachpuff', 'crimson', 'plum', 'darkgreen', + 'slateblue', 'magenta', 'gold', 'navy', 'gray', + 'saddlebrown', 'paleturquoise', 'mistyrose', 'indigo', + ], + }, })); Lists.allow({ @@ -148,6 +163,12 @@ Lists.helpers({ return list.wipLimit[option] ? list.wipLimit[option] : 0; // Necessary check to avoid exceptions for the case where the doc doesn't have the wipLimit field yet set } }, + + colorClass() { + if (this.color) + return this.color; + return ''; + }, }); Lists.mutations({ @@ -174,6 +195,17 @@ Lists.mutations({ setWipLimit(limit) { return { $set: { 'wipLimit.value': limit } }; }, + + setColor(newColor) { + if (newColor === 'silver') { + newColor = null; + } + return { + $set: { + color: newColor, + }, + }; + }, }); Meteor.methods({ -- cgit v1.2.3-1-g7c22 From 97d95b4bcbcab86629e368ea41bb9f00450b21f6 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Fri, 25 Jan 2019 15:58:52 +0100 Subject: ui: lists: make sure all lists boxes are the same height When `Show card count` is enabled, the lists with the card counts have two lines of text while the lists without have only one. This results in the box around the list headers are not of the same size and this is visible when setting a color to the list. --- client/components/lists/list.styl | 5 +++++ client/components/lists/listHeader.jade | 1 + 2 files changed, 6 insertions(+) diff --git a/client/components/lists/list.styl b/client/components/lists/list.styl index 91823bdb..c12a2c73 100644 --- a/client/components/lists/list.styl +++ b/client/components/lists/list.styl @@ -43,12 +43,16 @@ background: white margin: -3px 0 8px +.list-header-card-count + height: 35px + .list-header flex: 0 0 auto padding: 20px 12px 4px position: relative min-height: 20px + &.ui-sortable-handle cursor: grab @@ -67,6 +71,7 @@ text-overflow: ellipsis word-wrap: break-word + .list-header-watch-icon padding-left: 10px color: #a6a6a6 diff --git a/client/components/lists/listHeader.jade b/client/components/lists/listHeader.jade index 48005eaf..eafcc510 100644 --- a/client/components/lists/listHeader.jade +++ b/client/components/lists/listHeader.jade @@ -1,5 +1,6 @@ template(name="listHeader") .list-header.js-list-header( + class="{{#if limitToShowCardsCount}}list-header-card-count{{/if}}" class="{{#if colorClass}}list-header-{{colorClass}}{{/if}}") +inlinedForm +editListTitleForm -- cgit v1.2.3-1-g7c22 From 33977b2282d8891bf507c4d9a1502c644afd6352 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Fri, 25 Jan 2019 18:11:40 +0100 Subject: lists-color: only colorize the bottom border And make the background clearer to visually separate the header from the list of cards --- client/components/lists/list.styl | 12 +++++++++--- client/components/lists/listHeader.jade | 3 ++- client/components/swimlanes/swimlanes.jade | 2 +- 3 files changed, 12 insertions(+), 5 deletions(-) diff --git a/client/components/lists/list.styl b/client/components/lists/list.styl index c12a2c73..51ade73c 100644 --- a/client/components/lists/list.styl +++ b/client/components/lists/list.styl @@ -46,11 +46,19 @@ .list-header-card-count height: 35px +.list-header-add + flex: 0 0 auto + padding: 20px 12px 4px + position: relative + min-height: 20px + .list-header flex: 0 0 auto padding: 20px 12px 4px position: relative min-height: 20px + background-color: #e4e4e4; + border-bottom: 6px solid #e4e4e4; &.ui-sortable-handle @@ -204,9 +212,7 @@ overflow: hidden list-header-color(background, color...) - background: background !important - if color - color: color !important //overwrite text for better visibility + border-bottom: 6px solid background .list-header-white list-header-color(#ffffff, #4d4d4d) //Black text for better visibility diff --git a/client/components/lists/listHeader.jade b/client/components/lists/listHeader.jade index eafcc510..aa6d3786 100644 --- a/client/components/lists/listHeader.jade +++ b/client/components/lists/listHeader.jade @@ -120,7 +120,8 @@ template(name="wipLimitErrorPopup") template(name="setListColorPopup") form.edit-label .palette-colors: each colors - span.card-label.palette-color.js-palette-color(class="list-header-{{color}}") + // note: we use the swimlane palette to have more than just the border + span.card-label.palette-color.js-palette-color(class="swimlane-{{color}}") if(isSelected color) i.fa.fa-check button.primary.confirm.js-submit {{_ 'save'}} diff --git a/client/components/swimlanes/swimlanes.jade b/client/components/swimlanes/swimlanes.jade index cd864a7c..ad61466e 100644 --- a/client/components/swimlanes/swimlanes.jade +++ b/client/components/swimlanes/swimlanes.jade @@ -38,7 +38,7 @@ template(name="listsGroup") template(name="addListForm") .list.list-composer.js-list-composer - .list-header + .list-header-add +inlinedForm(autoclose=false) input.list-name-input.full-line(type="text" placeholder="{{_ 'add-list'}}" autocomplete="off" autofocus) -- cgit v1.2.3-1-g7c22 From 6aaf0c812a14a3a3cde7ad237a6451c5f10c61ea Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 25 Jan 2019 19:25:46 +0200 Subject: Update translations. --- i18n/ar.i18n.json | 7 ++- i18n/bg.i18n.json | 159 ++++++++++++++++++++++++++------------------------- i18n/br.i18n.json | 7 ++- i18n/ca.i18n.json | 7 ++- i18n/cs.i18n.json | 7 ++- i18n/da.i18n.json | 7 ++- i18n/de.i18n.json | 43 ++++++++------ i18n/el.i18n.json | 7 ++- i18n/en-GB.i18n.json | 7 ++- i18n/eo.i18n.json | 7 ++- i18n/es-AR.i18n.json | 7 ++- i18n/es.i18n.json | 7 ++- i18n/eu.i18n.json | 7 ++- i18n/fa.i18n.json | 7 ++- i18n/fi.i18n.json | 7 ++- i18n/fr.i18n.json | 9 ++- i18n/gl.i18n.json | 7 ++- i18n/he.i18n.json | 11 +++- i18n/hi.i18n.json | 7 ++- i18n/hu.i18n.json | 7 ++- i18n/hy.i18n.json | 7 ++- i18n/id.i18n.json | 7 ++- i18n/ig.i18n.json | 7 ++- i18n/it.i18n.json | 7 ++- i18n/ja.i18n.json | 7 ++- i18n/ka.i18n.json | 7 ++- i18n/km.i18n.json | 7 ++- i18n/ko.i18n.json | 7 ++- i18n/lv.i18n.json | 7 ++- i18n/mn.i18n.json | 7 ++- i18n/nb.i18n.json | 7 ++- i18n/nl.i18n.json | 7 ++- i18n/pl.i18n.json | 7 ++- i18n/pt-BR.i18n.json | 7 ++- i18n/pt.i18n.json | 7 ++- i18n/ro.i18n.json | 7 ++- i18n/ru.i18n.json | 43 ++++++++------ i18n/sr.i18n.json | 7 ++- i18n/sv.i18n.json | 7 ++- i18n/sw.i18n.json | 7 ++- i18n/ta.i18n.json | 7 ++- i18n/th.i18n.json | 7 ++- i18n/tr.i18n.json | 7 ++- i18n/uk.i18n.json | 7 ++- i18n/vi.i18n.json | 7 ++- i18n/zh-CN.i18n.json | 43 ++++++++------ i18n/zh-TW.i18n.json | 7 ++- 47 files changed, 415 insertions(+), 180 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 53508e42..cf32ad1e 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "نقل بطاقات هذه القائمة", "list-select-cards": "تحديد بطاقات هذه القائمة", + "set-color-list": "Set Color", "listActionPopup-title": "قائمة الإجراءات", "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Import a Trello card", "listMorePopup-title": "المزيد", "link-list": "رابط إلى هذه القائمة", @@ -517,7 +519,10 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index c374a430..52a9a2c6 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -11,10 +11,10 @@ "act-createCustomField": "създаде собствено поле __customField__", "act-createList": "добави __list__ към __board__", "act-addBoardMember": "добави __member__ към __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", + "act-archivedBoard": "__board__ е преместен в Архива", + "act-archivedCard": "__card__ е преместена в Архива", + "act-archivedList": "__list__ е преместен в Архива", + "act-archivedSwimlane": "__swimlane__ е преместен в Архива", "act-importBoard": "импортира __board__", "act-importCard": "импортира __card__", "act-importList": "импортира __list__", @@ -23,13 +23,13 @@ "act-removeBoardMember": "премахна __member__ от __board__", "act-restoredCard": "възстанови __card__ в __board__", "act-unjoinMember": "премахна __member__ от __card__", - "act-withBoardTitle": "__board__", + "act-withBoardTitle": "__board__ ", "act-withCardTitle": "[__board__] __card__", "actions": "Действия", "activities": "Действия", "activity": "Дейности", "activity-added": "добави %s към %s", - "activity-archived": "%s moved to Archive", + "activity-archived": "%s е преместена в Архива", "activity-attached": "прикачи %s към %s", "activity-created": "създаде %s", "activity-customfield-created": "създаде собствено поле %s", @@ -48,14 +48,14 @@ "activity-checklist-added": "добави списък със задачи към %s", "activity-checklist-removed": "премахна списък със задачи от %s", "activity-checklist-completed": "завърши списък със задачи %s на %s", - "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", + "activity-checklist-uncompleted": "\"отзавърши\" чеклистта %s в %s", "activity-checklist-item-added": "добави точка към '%s' в/във %s", - "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", + "activity-checklist-item-removed": "премахна точка от '%s' в %s", "add": "Добави", - "activity-checked-item-card": "checked %s in checklist %s", - "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", - "activity-checklist-uncompleted-card": "uncompleted the checklist %s", + "activity-checked-item-card": "отбеляза %s в чеклист %s", + "activity-unchecked-item-card": "размаркира %s в чеклист %s", + "activity-checklist-completed-card": "завърши чеклиста %s", + "activity-checklist-uncompleted-card": "\"отзавърши\" чеклистта %s", "add-attachment": "Добави прикачен файл", "add-board": "Добави Табло", "add-card": "Добави карта", @@ -79,18 +79,18 @@ "and-n-other-card_plural": "И __count__ други карти", "apply": "Приложи", "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", - "archive": "Move to Archive", - "archive-all": "Move All to Archive", - "archive-board": "Move Board to Archive", - "archive-card": "Move Card to Archive", - "archive-list": "Move List to Archive", - "archive-swimlane": "Move Swimlane to Archive", - "archive-selection": "Move selection to Archive", - "archiveBoardPopup-title": "Move Board to Archive?", + "archive": "Премести в Архива", + "archive-all": "Премести всички в Архива", + "archive-board": "Премести Таблото в Архива", + "archive-card": "Премести Картата в Архива", + "archive-list": "Премести Списъка в Архива", + "archive-swimlane": "Премести Коридора в Архива", + "archive-selection": "Премести избраното в Архива", + "archiveBoardPopup-title": "Да преместя ли Таблото в Архива?", "archived-items": "Архив", - "archived-boards": "Boards in Archive", + "archived-boards": "Табла в Архива", "restore-board": "Възстанови Таблото", - "no-archived-boards": "No Boards in Archive.", + "no-archived-boards": "Няма Табла в Архива.", "archives": "Архив", "assign-member": "Възложи на член от екипа", "attached": "прикачен", @@ -118,12 +118,12 @@ "board-view-lists": "Списъци", "bucket-example": "Like “Bucket List” for example", "cancel": "Cancel", - "card-archived": "This card is moved to Archive.", - "board-archived": "This board is moved to Archive.", + "card-archived": "Тази карта е преместена в Архива.", + "board-archived": "Това табло е преместено в Архива.", "card-comments-title": "Тази карта има %s коментар.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "Можете да преместите картата в Архива, за да я премахнете от Таблото и така да запазите активността в него.", "card-due": "Готова за", "card-due-on": "Готова за", "card-spent": "Изработено време", @@ -166,7 +166,7 @@ "clipboard": "Клипборда или с драг & дроп", "close": "Затвори", "close-board": "Затвори Таблото", - "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", + "close-board-pop": "Ще можете да възстановите Таблото като натиснете на бутона \"Архив\" в началото на хедъра.", "color-black": "черно", "color-blue": "синьо", "color-crimson": "crimson", @@ -190,7 +190,7 @@ "color-silver": "silver", "color-sky": "светло синьо", "color-slateblue": "slateblue", - "color-white": "white", + "color-white": "бяло", "color-yellow": "жълто", "unset-color": "Unset", "comment": "Коментирай", @@ -331,17 +331,19 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", "link-card": "Връзка към тази карта", - "list-archive-cards": "Move all cards in this list to Archive", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", + "list-archive-cards": "Премести всички карти от този списък в Архива", + "list-archive-cards-pop": "Това ще премахне всички карти от този Списък от Таблото. За да видите картите в Архива и да ги върнете натиснете на \"Меню\" > \"Архив\".", "list-move-cards": "Премести всички карти в този списък", "list-select-cards": "Избери всички карти в този списък", + "set-color-list": "Set Color", "listActionPopup-title": "List Actions", "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Импорт на карта от Trello", "listMorePopup-title": "Още", "link-list": "Връзка към този списък", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "Можете да преместите списъка в Архива, за да го премахнете от Таблото и така да запазите активността в него.", "lists": "Списъци", "swimlanes": "Коридори", "log-out": "Изход", @@ -361,9 +363,9 @@ "muted-info": "You will never be notified of any changes in this board", "my-boards": "Моите табла", "name": "Име", - "no-archived-cards": "No cards in Archive.", - "no-archived-lists": "No lists in Archive.", - "no-archived-swimlanes": "No swimlanes in Archive.", + "no-archived-cards": "Няма карти в Архива.", + "no-archived-lists": "Няма списъци в Архива.", + "no-archived-swimlanes": "Няма коридори в Архива.", "no-results": "No results", "normal": "Normal", "normal-desc": "Can view and edit cards. Can't change settings.", @@ -443,7 +445,7 @@ "uploaded-avatar": "Качихте аватар", "username": "Потребителско име", "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Archive", + "warn-list-archived": "внимание: тази карта е в списък в Архива", "watch": "Наблюдавай", "watching": "Наблюдава", "watching-info": "You will be notified of any change in this board", @@ -462,7 +464,7 @@ "disable-self-registration": "Disable Self-Registration", "invite": "Покани", "invite-people": "Покани хора", - "to-boards": "To board(s)", + "to-boards": "в табло/а", "email-addresses": "Имейл адреси", "smtp-host-description": "Адресът на SMTP сървъра, който обслужва Вашите имейли.", "smtp-port-description": "Портът, който Вашият SMTP сървър използва за изходящи имейли.", @@ -496,7 +498,7 @@ "OS_Totalmem": "ОС Общо памет", "OS_Type": "Тип ОС", "OS_Uptime": "OS Ъптайм", - "days": "days", + "days": "дни", "hours": "часа", "minutes": "минути", "seconds": "секунди", @@ -517,16 +519,19 @@ "card-end-on": "Завършена на", "editCardReceivedDatePopup-title": "Промени датата на получаване", "editCardEndDatePopup-title": "Промени датата на завършване", - "setCardColor-title": "Set color", - "assigned-by": "Assigned By", - "requested-by": "Requested By", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", + "assigned-by": "Разпределена от", + "requested-by": "Поискан от", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board", + "boardDeletePopup-title": "Изтриване на Таблото?", + "delete-board": "Изтрий таблото", "default-subtasks-board": "Подзадачи за табло __board__", "default": "по подразбиране", - "queue": "Queue", + "queue": "Опашка", "subtask-settings": "Настройки на Подзадачите", "boardSubtaskSettingsPopup-title": "Настройки за Подзадачите за това Табло", "show-subtasks-field": "Картата може да има подзадачи", @@ -541,40 +546,40 @@ "parent-card": "Карта-източник", "source-board": "Source board", "no-parent": "Не показвай източника", - "activity-added-label": "added label '%s' to %s", - "activity-removed-label": "removed label '%s' from %s", - "activity-delete-attach": "deleted an attachment from %s", - "activity-added-label-card": "added label '%s'", - "activity-removed-label-card": "removed label '%s'", - "activity-delete-attach-card": "deleted an attachment", + "activity-added-label": "добави етикет '%s' към %s", + "activity-removed-label": "премахна етикет '%s' от %s", + "activity-delete-attach": "изтри прикачен файл от %s", + "activity-added-label-card": "добави етикет '%s'", + "activity-removed-label-card": "премахна етикет '%s'", + "activity-delete-attach-card": "изтри прикачения файл", "r-rule": "Правило", - "r-add-trigger": "Add trigger", - "r-add-action": "Add action", + "r-add-trigger": "Добави спусък", + "r-add-action": "Добави действие", "r-board-rules": "Правила за таблото", "r-add-rule": "Добави правилото", "r-view-rule": "Виж правилото", "r-delete-rule": "Изтрий правилото", "r-new-rule-name": "Заглавие за новото правило", "r-no-rules": "Няма правила", - "r-when-a-card": "When a card", - "r-is": "is", - "r-is-moved": "is moved", - "r-added-to": "added to", - "r-removed-from": "Removed from", - "r-the-board": "the board", - "r-list": "list", + "r-when-a-card": "Когато карта", + "r-is": "е", + "r-is-moved": "преместена", + "r-added-to": "добавена в", + "r-removed-from": "премахната от", + "r-the-board": "таблото", + "r-list": "списък", "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Archive", - "r-unarchived": "Restored from Archive", - "r-a-card": "a card", + "r-archived": "Преместено в Архива", + "r-unarchived": "Възстановено от Архива", + "r-a-card": "карта", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", - "r-name": "name", + "r-name": "име", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -584,13 +589,13 @@ "r-when-the-item": "When the checklist item", "r-checked": "Checked", "r-unchecked": "Unchecked", - "r-move-card-to": "Move card to", - "r-top-of": "Top of", - "r-bottom-of": "Bottom of", - "r-its-list": "its list", - "r-archive": "Move to Archive", - "r-unarchive": "Restore from Archive", - "r-card": "card", + "r-move-card-to": "Премести картата в", + "r-top-of": "началото на", + "r-bottom-of": "края на", + "r-its-list": "списъка й", + "r-archive": "Премести в Архива", + "r-unarchive": "Възстанови от Архива", + "r-card": "карта", "r-add": "Добави", "r-remove": "Remove", "r-label": "label", @@ -617,8 +622,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Archive", - "r-d-unarchive": "Restore card from Archive", + "r-d-archive": "Премести картата в Архива", + "r-d-unarchive": "Възстанови картата от Архива", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-create-card": "Create new card", @@ -632,14 +637,14 @@ "r-d-check-one": "Check item", "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", - "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist", + "r-d-add-checklist": "Добави чеклист", + "r-d-remove-checklist": "Премахни чеклист", "r-by": "by", - "r-add-checklist": "Add checklist", - "r-with-items": "with items", - "r-items-list": "item1,item2,item3", - "r-add-swimlane": "Add swimlane", - "r-swimlane-name": "swimlane name", + "r-add-checklist": "Добави чеклист", + "r-with-items": "с точки", + "r-items-list": "точка1,точка2,точка3", + "r-add-swimlane": "Добави коридор", + "r-swimlane-name": "име на коридора", "r-board-note": "Note: leave a field empty to match every possible value.", "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index 899e2c00..6f552ce9 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", + "set-color-list": "Set Color", "listActionPopup-title": "List Actions", "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Import a Trello card", "listMorePopup-title": "Muioc’h", "link-list": "Link to this list", @@ -517,7 +519,10 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 09f3aee1..cd53a89b 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Mou totes les fitxes d'aquesta llista", "list-select-cards": "Selecciona totes les fitxes d'aquesta llista", + "set-color-list": "Set Color", "listActionPopup-title": "Accions de la llista", "swimlaneActionPopup-title": "Accions de Carril de Natació", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "importa una fitxa de Trello", "listMorePopup-title": "Més", "link-list": "Enllaça a aquesta llista", @@ -517,7 +519,10 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assignat Per", "requested-by": "Demanat Per", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 7a6a7ba0..3348df26 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Přesunout všechny karty v tomto sloupci", "list-select-cards": "Vybrat všechny karty v tomto sloupci", + "set-color-list": "Set Color", "listActionPopup-title": "Vypsat akce", "swimlaneActionPopup-title": "Akce swimlane", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Importovat Trello kartu", "listMorePopup-title": "Více", "link-list": "Odkaz na tento sloupec", @@ -517,7 +519,10 @@ "card-end-on": "Končí v", "editCardReceivedDatePopup-title": "Změnit datum přijetí", "editCardEndDatePopup-title": "Změnit datum konce", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Přidělil(a)", "requested-by": "Vyžádal(a)", "board-delete-notice": "Smazání je trvalé. Přijdete o všechny sloupce, karty a akce spojené s tímto tablem.", diff --git a/i18n/da.i18n.json b/i18n/da.i18n.json index 7ba182e0..a2b6b0aa 100644 --- a/i18n/da.i18n.json +++ b/i18n/da.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", + "set-color-list": "Set Color", "listActionPopup-title": "List Actions", "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Import a Trello card", "listMorePopup-title": "More", "link-list": "Link to this list", @@ -517,7 +519,10 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 0c155e55..fd69ee2b 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -169,30 +169,30 @@ "close-board-pop": "Sie können das Board wiederherstellen, indem Sie die Schaltfläche \"Archiv\" in der Kopfzeile der Startseite anklicken.", "color-black": "schwarz", "color-blue": "blau", - "color-crimson": "crimson", - "color-darkgreen": "darkgreen", - "color-gold": "gold", - "color-gray": "gray", + "color-crimson": "Karminrot", + "color-darkgreen": "Dunkelgrün", + "color-gold": "Gold", + "color-gray": "Grau", "color-green": "grün", - "color-indigo": "indigo", + "color-indigo": "Indigo", "color-lime": "hellgrün", - "color-magenta": "magenta", - "color-mistyrose": "mistyrose", - "color-navy": "navy", + "color-magenta": "Magentarot", + "color-mistyrose": "Altrosa", + "color-navy": "Marineblau", "color-orange": "orange", - "color-paleturquoise": "paleturquoise", - "color-peachpuff": "peachpuff", + "color-paleturquoise": "Blasses Türkis", + "color-peachpuff": "Pfirsich", "color-pink": "pink", - "color-plum": "plum", + "color-plum": "Pflaume", "color-purple": "lila", "color-red": "rot", - "color-saddlebrown": "saddlebrown", - "color-silver": "silver", + "color-saddlebrown": "Sattelbraun", + "color-silver": "Silber", "color-sky": "himmelblau", - "color-slateblue": "slateblue", - "color-white": "white", + "color-slateblue": "Schieferblau", + "color-white": "Weiß", "color-yellow": "gelb", - "unset-color": "Unset", + "unset-color": "Nicht festgelegt", "comment": "Kommentar", "comment-placeholder": "Kommentar schreiben", "comment-only": "Nur Kommentare", @@ -335,8 +335,10 @@ "list-archive-cards-pop": "Alle Karten dieser Liste werden vom Board entfernt. Um Karten im Papierkorb anzuzeigen und wiederherzustellen, klicken Sie auf \"Menü\" > \"Archiv\".", "list-move-cards": "Alle Karten in dieser Liste verschieben", "list-select-cards": "Alle Karten in dieser Liste auswählen", + "set-color-list": "Set Color", "listActionPopup-title": "Listenaktionen", "swimlaneActionPopup-title": "Swimlaneaktionen", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Eine Trello-Karte importieren", "listMorePopup-title": "Mehr", "link-list": "Link zu dieser Liste", @@ -483,7 +485,7 @@ "error-notAuthorized": "Sie sind nicht berechtigt diese Seite zu sehen.", "outgoing-webhooks": "Ausgehende Webhooks", "outgoingWebhooksPopup-title": "Ausgehende Webhooks", - "boardCardTitlePopup-title": "Kartentitel-Filter", + "boardCardTitlePopup-title": "Kartentitelfilter", "new-outgoing-webhook": "Neuer ausgehender Webhook", "no-name": "(Unbekannt)", "Node_version": "Node-Version", @@ -517,7 +519,10 @@ "card-end-on": "Endet am", "editCardReceivedDatePopup-title": "Empfangsdatum ändern", "editCardEndDatePopup-title": "Enddatum ändern", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Farbe festlegen", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Zugewiesen von", "requested-by": "Angefordert von", "board-delete-notice": "Löschen kann nicht rückgängig gemacht werden. Sie werden alle Listen, Karten und Aktionen, die mit diesem Board verbunden sind, verlieren.", @@ -596,7 +601,7 @@ "r-label": "Label", "r-member": "Mitglied", "r-remove-all": "Entferne alle Mitglieder von der Karte", - "r-set-color": "Set color to", + "r-set-color": "Farbe festlegen auf", "r-checklist": "Checkliste", "r-check-all": "Alle markieren", "r-uncheck-all": "Alle abwählen", diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 84197b5d..d678c093 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", + "set-color-list": "Set Color", "listActionPopup-title": "List Actions", "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Import a Trello card", "listMorePopup-title": "Περισσότερα", "link-list": "Link to this list", @@ -517,7 +519,10 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 0f38a3da..8892e0da 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", + "set-color-list": "Set Color", "listActionPopup-title": "List Actions", "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Import a Trello card", "listMorePopup-title": "More", "link-list": "Link to this list", @@ -517,7 +519,10 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index 236aec5a..8775b4cf 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Movu ĉiujn kartojn en tiu listo.", "list-select-cards": "Elektu ĉiujn kartojn en tiu listo.", + "set-color-list": "Set Color", "listActionPopup-title": "List Actions", "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Import a Trello card", "listMorePopup-title": "Pli", "link-list": "Link to this list", @@ -517,7 +519,10 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index e7d7f132..4984a1c2 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Mueve todas las tarjetas en esta lista", "list-select-cards": "Selecciona todas las tarjetas en esta lista", + "set-color-list": "Set Color", "listActionPopup-title": "Listar Acciones", "swimlaneActionPopup-title": "Acciones de la Calle", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Importar una tarjeta Trello", "listMorePopup-title": "Mas", "link-list": "Enlace a esta lista", @@ -517,7 +519,10 @@ "card-end-on": "Termina en", "editCardReceivedDatePopup-title": "Cambiar fecha de recepción", "editCardEndDatePopup-title": "Cambiar fecha de término", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index ac393ae3..c40e418b 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "Esto eliminará del tablero todas las tarjetas en esta lista. Para ver las tarjetas en el Archivo y recuperarlas al tablero haga click en \"Menu\" > \"Archivo\"", "list-move-cards": "Mover todas las tarjetas de esta lista", "list-select-cards": "Seleccionar todas las tarjetas de esta lista", + "set-color-list": "Set Color", "listActionPopup-title": "Acciones de la lista", "swimlaneActionPopup-title": "Acciones del carril de flujo", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Importar una tarjeta de Trello", "listMorePopup-title": "Más", "link-list": "Enlazar a esta lista", @@ -517,7 +519,10 @@ "card-end-on": "Finalizado el", "editCardReceivedDatePopup-title": "Cambiar la fecha de recepción", "editCardEndDatePopup-title": "Cambiar la fecha de finalización", - "setCardColor-title": "Cambiar color", + "setCardColorPopup-title": "Cambiar color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Asignado por", "requested-by": "Solicitado por", "board-delete-notice": "Se eliminarán todas las listas, tarjetas y acciones asociadas a este tablero. Esta acción no puede deshacerse.", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index e16ee3a1..dffa609f 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Lekuz aldatu zerrendako txartel guztiak", "list-select-cards": "Aukeratu zerrenda honetako txartel guztiak", + "set-color-list": "Set Color", "listActionPopup-title": "Zerrendaren ekintzak", "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Inportatu Trello txartel bat", "listMorePopup-title": "Gehiago", "link-list": "Lotura zerrenda honetara", @@ -517,7 +519,10 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index fe43bf9a..cd50066f 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "این کارتباعث حذف تمامی کارت های این لیست از برد می شود . برای مشاهده کارت ها در آرشیو و برگرداندن آنها به برد بر بروی \"Menu\">\"Archive\" کلیک نمایید", "list-move-cards": "انتقال تمام کارت های این لیست", "list-select-cards": "انتخاب تمام کارت های این لیست", + "set-color-list": "Set Color", "listActionPopup-title": "لیست اقدامات", "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "وارد کردن کارت Trello", "listMorePopup-title": "بیشتر", "link-list": "پیوند به این فهرست", @@ -517,7 +519,10 @@ "card-end-on": "پایان در", "editCardReceivedDatePopup-title": "تغییر تاریخ رسید", "editCardEndDatePopup-title": "تغییر تاریخ پایان", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "محول شده توسط", "requested-by": "تقاضا شده توسط", "board-delete-notice": "حذف دائمی است شما تمام لیست ها، کارت ها و اقدامات مرتبط با این برد را از دست خواهید داد.", diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 5f3db02d..c8601093 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "Tämä poistaa kaikki tämän listan kortit taululta. Nähdäksesi Arkistossa olevat kortit ja tuodaksesi ne takaisin taululle, klikkaa “Valikko” > “Arkisto”.", "list-move-cards": "Siirrä kaikki kortit tässä listassa", "list-select-cards": "Valitse kaikki kortit tässä listassa", + "set-color-list": "Aseta väri", "listActionPopup-title": "Listaa toimet", "swimlaneActionPopup-title": "Swimlane toimet", + "swimlaneAddPopup-title": "Lisää Swimlane alle", "listImportCardPopup-title": "Tuo Trello kortti", "listMorePopup-title": "Lisää", "link-list": "Linkki tähän listaan", @@ -517,7 +519,10 @@ "card-end-on": "Loppuu", "editCardReceivedDatePopup-title": "Vaihda vastaanottamispäivää", "editCardEndDatePopup-title": "Vaihda loppumispäivää", - "setCardColor-title": "Aseta väri", + "setCardColorPopup-title": "Aseta väri", + "setCardActionsColorPopup-title": "Valitse väri", + "setSwimlaneColorPopup-title": "Valitse väri", + "setListColorPopup-title": "Valitse väri", "assigned-by": "Tehtävänantaja", "requested-by": "Pyytäjä", "board-delete-notice": "Poistaminen on lopullista. Menetät kaikki listat, kortit ja toimet tällä taululla.", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 040e34f8..7e9990e1 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -192,7 +192,7 @@ "color-slateblue": "bleu ardoise", "color-white": "blanc", "color-yellow": "jaune", - "unset-color": "Unset", + "unset-color": "Enlever", "comment": "Commenter", "comment-placeholder": "Écrire un commentaire", "comment-only": "Commentaire uniquement", @@ -335,8 +335,10 @@ "list-archive-cards-pop": "Cela supprimera du tableau toutes les cartes de cette liste. Pour voir les cartes archivées et les renvoyer vers le tableau, cliquez sur « Menu » puis « Archives ».", "list-move-cards": "Déplacer toutes les cartes de cette liste", "list-select-cards": "Sélectionner toutes les cartes de cette liste", + "set-color-list": "Set Color", "listActionPopup-title": "Actions sur la liste", "swimlaneActionPopup-title": "Actions du couloir", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Importer une carte Trello", "listMorePopup-title": "Plus", "link-list": "Lien vers cette liste", @@ -517,7 +519,10 @@ "card-end-on": "Se termine le", "editCardReceivedDatePopup-title": "Modifier la date de réception", "editCardEndDatePopup-title": "Modifier la date de fin", - "setCardColor-title": "Définir la couleur", + "setCardColorPopup-title": "Définir la couleur", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigné par", "requested-by": "Demandé par", "board-delete-notice": "La suppression est définitive. Vous perdrez toutes les listes, cartes et actions associées à ce tableau.", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index de4208ca..9ec32447 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", + "set-color-list": "Set Color", "listActionPopup-title": "List Actions", "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Import a Trello card", "listMorePopup-title": "Máis", "link-list": "Link to this list", @@ -517,7 +519,10 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 771d36ad..88e4bd98 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -186,10 +186,10 @@ "color-plum": "שזיף", "color-purple": "סגול", "color-red": "אדום", - "color-saddlebrown": "saddlebrown", + "color-saddlebrown": "חום אוכף", "color-silver": "כסף", "color-sky": "תכלת", - "color-slateblue": "slateblue", + "color-slateblue": "צפחה כחולה", "color-white": "לבן", "color-yellow": "צהוב", "unset-color": "בטל הגדרה", @@ -335,8 +335,10 @@ "list-archive-cards-pop": "כל הכרטיסים מרשימה זו יוסרו מהלוח. לצפייה בכרטיסים השמורים בארכיון ולהחזירם ללוח, ניתן ללחוץ על „תפריט” > „פריטים בארכיון”.", "list-move-cards": "העברת כל הכרטיסים שברשימה זו", "list-select-cards": "בחירת כל הכרטיסים שברשימה זו", + "set-color-list": "Set Color", "listActionPopup-title": "פעולות רשימה", "swimlaneActionPopup-title": "פעולות על מסלול", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "יבוא כרטיס מ־Trello", "listMorePopup-title": "עוד", "link-list": "קישור לרשימה זו", @@ -517,7 +519,10 @@ "card-end-on": "מועד הסיום", "editCardReceivedDatePopup-title": "החלפת מועד הקבלה", "editCardEndDatePopup-title": "החלפת מועד הסיום", - "setCardColor-title": "הגדרת צבע", + "setCardColorPopup-title": "הגדרת צבע", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "הוקצה על ידי", "requested-by": "התבקש על ידי", "board-delete-notice": "מחיקה היא לצמיתות. כל הרשימות, הכרטיבים והפעולות שקשורים בלוח הזה ילכו לאיבוד.", diff --git a/i18n/hi.i18n.json b/i18n/hi.i18n.json index d1d623d5..3f96e848 100644 --- a/i18n/hi.i18n.json +++ b/i18n/hi.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "स्थानांतरित संपूर्ण कार्ड अंदर में यह list", "list-select-cards": "Select संपूर्ण कार्ड अंदर में यह list", + "set-color-list": "Set Color", "listActionPopup-title": "सूची Actions", "swimlaneActionPopup-title": "तैरन Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Import एक Trello कार्ड", "listMorePopup-title": "More", "link-list": "Link तक यह list", @@ -517,7 +519,10 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose संपूर्ण lists, कार्ड और actions associated साथ में यह बोर्ड.", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index b960968c..f5268f34 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "A listán lévő összes kártya áthelyezése", "list-select-cards": "A listán lévő összes kártya kiválasztása", + "set-color-list": "Set Color", "listActionPopup-title": "Műveletek felsorolása", "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Trello kártya importálása", "listMorePopup-title": "Több", "link-list": "Összekapcsolás ezzel a listával", @@ -517,7 +519,10 @@ "card-end-on": "Befejeződik ekkor", "editCardReceivedDatePopup-title": "Érkezési dátum megváltoztatása", "editCardEndDatePopup-title": "Befejezési dátum megváltoztatása", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index 5c6639bf..d5f45f8b 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", + "set-color-list": "Set Color", "listActionPopup-title": "List Actions", "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Import a Trello card", "listMorePopup-title": "More", "link-list": "Link to this list", @@ -517,7 +519,10 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 06d05573..c03e9320 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Pindah semua kartu ke daftar ini", "list-select-cards": "Pilih semua kartu di daftar ini", + "set-color-list": "Set Color", "listActionPopup-title": "Daftar Tindakan", "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Impor dari Kartu Trello", "listMorePopup-title": "Lainnya", "link-list": "Link to this list", @@ -517,7 +519,10 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 122f99ba..72268d70 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", + "set-color-list": "Set Color", "listActionPopup-title": "List Actions", "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Import a Trello card", "listMorePopup-title": "More", "link-list": "Link to this list", @@ -517,7 +519,10 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index fabc94b1..cf41adfa 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Sposta tutte le schede in questa lista", "list-select-cards": "Selezione tutte le schede in questa lista", + "set-color-list": "Set Color", "listActionPopup-title": "Azioni disponibili", "swimlaneActionPopup-title": "Azioni corsia", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Importa una scheda di Trello", "listMorePopup-title": "Altro", "link-list": "Link a questa lista", @@ -517,7 +519,10 @@ "card-end-on": "Termina il", "editCardReceivedDatePopup-title": "Cambia data ricezione", "editCardEndDatePopup-title": "Cambia data finale", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assegnato da", "requested-by": "Richiesto da", "board-delete-notice": "L'eliminazione è permanente. Tutte le azioni, liste e schede associate a questa bacheca andranno perse.", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 8b6d6a3a..3e445a86 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "リストの全カードを移動する", "list-select-cards": "リストの全カードを選択", + "set-color-list": "Set Color", "listActionPopup-title": "操作一覧", "swimlaneActionPopup-title": "スイムレーン操作", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Trelloのカードをインポート", "listMorePopup-title": "さらに見る", "link-list": "このリストへのリンク", @@ -517,7 +519,10 @@ "card-end-on": "終了日", "editCardReceivedDatePopup-title": "受付日の変更", "editCardEndDatePopup-title": "終了日の変更", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index 44bc6959..11f78552 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "გადაიტანე ყველა ბარათი ამ სიაში", "list-select-cards": "მონიშნე ყველა ბარათი ამ სიაში", + "set-color-list": "Set Color", "listActionPopup-title": "მოქმედებების სია", "swimlaneActionPopup-title": "ბილიკის მოქმედებები", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Trello ბარათის იმპორტი", "listMorePopup-title": "მეტი", "link-list": "დააკავშირეთ ამ ჩამონათვალთან", @@ -517,7 +519,10 @@ "card-end-on": "დასრულდება : ", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "შეცვალეთ საბოლოო თარიღი", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "უფლებამოსილების გამცემი ", "requested-by": "მომთხოვნი", "board-delete-notice": "წაშლის შემთხვევაში თქვენ დაკარგავთ ამ დაფასთან ასოცირებულ ყველა მონაცემს მათ შორის : ჩამონათვალს, ბარათებს და მოქმედებებს. ", diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index 009d0ea4..24daa9b3 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", + "set-color-list": "Set Color", "listActionPopup-title": "List Actions", "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Import a Trello card", "listMorePopup-title": "More", "link-list": "Link to this list", @@ -517,7 +519,10 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index 30ffb980..6f07eb99 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "목록에 있는 모든 카드를 이동", "list-select-cards": "목록에 있는 모든 카드를 선택", + "set-color-list": "Set Color", "listActionPopup-title": "동작 목록", "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Trello 카드 가져 오기", "listMorePopup-title": "더보기", "link-list": "이 리스트에 링크", @@ -517,7 +519,10 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 778c84f5..a24397c6 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", + "set-color-list": "Set Color", "listActionPopup-title": "List Actions", "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Import a Trello card", "listMorePopup-title": "More", "link-list": "Link to this list", @@ -517,7 +519,10 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index 656124f0..47af0cca 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", + "set-color-list": "Set Color", "listActionPopup-title": "List Actions", "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Import a Trello card", "listMorePopup-title": "More", "link-list": "Link to this list", @@ -517,7 +519,10 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index edaf85f5..318ee700 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", + "set-color-list": "Set Color", "listActionPopup-title": "List Actions", "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Import a Trello card", "listMorePopup-title": "Mer", "link-list": "Link to this list", @@ -517,7 +519,10 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 3df4f62a..207ae71c 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Verplaats alle kaarten in deze lijst", "list-select-cards": "Selecteer alle kaarten in deze lijst", + "set-color-list": "Set Color", "listActionPopup-title": "Lijst acties", "swimlaneActionPopup-title": "Swimlane handelingen", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Importeer een Trello kaart", "listMorePopup-title": "Meer", "link-list": "Link naar deze lijst", @@ -517,7 +519,10 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 534c62ad..5b38ade5 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "To usunie wszystkie karty z tej listy z tej tablicy. Aby przejrzeć karty w Archiwum i przywrócić na tablicę, kliknij \"Menu\" > \"Archiwizuj\".", "list-move-cards": "Przenieś wszystkie karty z tej listy", "list-select-cards": "Zaznacz wszystkie karty z tej listy", + "set-color-list": "Set Color", "listActionPopup-title": "Lista akcji", "swimlaneActionPopup-title": "Opcje diagramu czynności", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Zaimportuj kartę z Trello", "listMorePopup-title": "Więcej", "link-list": "Podepnij do tej listy", @@ -517,7 +519,10 @@ "card-end-on": "Kończy się", "editCardReceivedDatePopup-title": "Zmień datę odebrania", "editCardEndDatePopup-title": "Zmień datę ukończenia", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Przypisane przez", "requested-by": "Zlecone przez", "board-delete-notice": "Usuwanie jest permanentne. Stracisz wszystkie listy, kart oraz czynności przypisane do tej tablicy.", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 4def5649..07ce1dfc 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "Isto removerá todos os cartões desta lista para o quadro. Para visualizar cartões arquivados e trazê-los de volta para o quadro, clique em “Menu” > “Arquivo-morto”.", "list-move-cards": "Mover todos os cartões desta lista", "list-select-cards": "Selecionar todos os cartões nesta lista", + "set-color-list": "Set Color", "listActionPopup-title": "Listar Ações", "swimlaneActionPopup-title": "Ações de Raia", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Importe um cartão do Trello", "listMorePopup-title": "Mais", "link-list": "Vincular a esta lista", @@ -517,7 +519,10 @@ "card-end-on": "Termina em", "editCardReceivedDatePopup-title": "Modificar data de recebimento", "editCardEndDatePopup-title": "Mudar data de fim", - "setCardColor-title": "Definir cor", + "setCardColorPopup-title": "Definir cor", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Atribuído por", "requested-by": "Solicitado por", "board-delete-notice": "Excluir é permanente. Você perderá todas as listas, cartões e ações associados nesse quadro.", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 4a960d00..290a649b 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", + "set-color-list": "Set Color", "listActionPopup-title": "List Actions", "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Import a Trello card", "listMorePopup-title": "Mais", "link-list": "Link to this list", @@ -517,7 +519,10 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index 25fdc937..ffcc4761 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", + "set-color-list": "Set Color", "listActionPopup-title": "List Actions", "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Import a Trello card", "listMorePopup-title": "More", "link-list": "Link to this list", @@ -517,7 +519,10 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index dd8114ba..fba09b2c 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -169,30 +169,30 @@ "close-board-pop": "Вы сможете восстановить доску, нажав \"Архив\" в заголовке домашней страницы.", "color-black": "черный", "color-blue": "синий", - "color-crimson": "crimson", - "color-darkgreen": "darkgreen", - "color-gold": "gold", - "color-gray": "gray", + "color-crimson": "малиновый", + "color-darkgreen": "темно-зеленый", + "color-gold": "золотой", + "color-gray": "серый", "color-green": "зеленый", - "color-indigo": "indigo", + "color-indigo": "индиго", "color-lime": "лимоновый", - "color-magenta": "magenta", - "color-mistyrose": "mistyrose", - "color-navy": "navy", + "color-magenta": "маджента", + "color-mistyrose": "тускло-розовый", + "color-navy": "темно-синий", "color-orange": "оранжевый", - "color-paleturquoise": "paleturquoise", - "color-peachpuff": "peachpuff", + "color-paleturquoise": "бледно-бирюзовый", + "color-peachpuff": "персиковый", "color-pink": "розовый", - "color-plum": "plum", + "color-plum": "сливовый", "color-purple": "фиолетовый", "color-red": "красный", - "color-saddlebrown": "saddlebrown", - "color-silver": "silver", + "color-saddlebrown": "кожано-коричневый", + "color-silver": "серебристый", "color-sky": "голубой", - "color-slateblue": "slateblue", - "color-white": "white", + "color-slateblue": "серо-голубой", + "color-white": "белый", "color-yellow": "желтый", - "unset-color": "Unset", + "unset-color": "Убрать", "comment": "Добавить комментарий", "comment-placeholder": "Написать комментарий", "comment-only": "Только комментирование", @@ -335,8 +335,10 @@ "list-archive-cards-pop": "Это действие удалит все карточки из этого списка с доски. Чтобы просмотреть карточки в Архиве и вернуть их на доску, нажмите “Меню” > “Архив”.", "list-move-cards": "Переместить все карточки в этом списке", "list-select-cards": "Выбрать все карточки в этом списке", + "set-color-list": "Set Color", "listActionPopup-title": "Список действий", "swimlaneActionPopup-title": "Действия с дорожкой", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Импортировать Trello карточку", "listMorePopup-title": "Поделиться", "link-list": "Ссылка на список", @@ -496,7 +498,7 @@ "OS_Totalmem": "Общая память", "OS_Type": "Тип ОС", "OS_Uptime": "Время работы", - "days": "days", + "days": "дней", "hours": "часы", "minutes": "минуты", "seconds": "секунды", @@ -517,7 +519,10 @@ "card-end-on": "Завершится до", "editCardReceivedDatePopup-title": "Изменить дату получения", "editCardEndDatePopup-title": "Изменить дату завершения", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Задать цвет", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Поручил", "requested-by": "Запросил", "board-delete-notice": "Удаление является постоянным. Вы потеряете все списки, карты и действия, связанные с этой доской.", @@ -596,7 +601,7 @@ "r-label": "метку", "r-member": "участника", "r-remove-all": "Удалить всех участников из карточки", - "r-set-color": "Set color to", + "r-set-color": "Сменить цвет на", "r-checklist": "контрольный список", "r-check-all": "Отметить все", "r-uncheck-all": "Снять все", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index fe8f43fc..c44e59a4 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", + "set-color-list": "Set Color", "listActionPopup-title": "List Actions", "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Import a Trello card", "listMorePopup-title": "More", "link-list": "Link to this list", @@ -517,7 +519,10 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index e134d9b1..0012072a 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Flytta alla kort i denna lista", "list-select-cards": "Välj alla kort i denna lista", + "set-color-list": "Set Color", "listActionPopup-title": "Liståtgärder", "swimlaneActionPopup-title": "Simbana-åtgärder", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Importera ett Trello kort", "listMorePopup-title": "Mera", "link-list": "Länk till den här listan", @@ -517,7 +519,10 @@ "card-end-on": "Slutar den", "editCardReceivedDatePopup-title": "Ändra mottagningsdatum", "editCardEndDatePopup-title": "Ändra slutdatum", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Tilldelad av", "requested-by": "Efterfrågad av", "board-delete-notice": "Borttagningen är permanent. Du kommer förlora alla listor, kort och händelser kopplade till den här anslagstavlan.", diff --git a/i18n/sw.i18n.json b/i18n/sw.i18n.json index 9bc667e8..4931db9b 100644 --- a/i18n/sw.i18n.json +++ b/i18n/sw.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", + "set-color-list": "Set Color", "listActionPopup-title": "List Actions", "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Import a Trello card", "listMorePopup-title": "More", "link-list": "Link to this list", @@ -517,7 +519,10 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index 159df52d..cdc21750 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", + "set-color-list": "Set Color", "listActionPopup-title": "List Actions", "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Import a Trello card", "listMorePopup-title": "More", "link-list": "Link to this list", @@ -517,7 +519,10 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index 6fe3d52f..e767a6cd 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "ย้ายการ์ดทั้งหมดในรายการนี้", "list-select-cards": "เลือกการ์ดทั้งหมดในรายการนี้", + "set-color-list": "Set Color", "listActionPopup-title": "รายการการดำเนิน", "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "นำเข้าการ์ด Trello", "listMorePopup-title": "เพิ่มเติม", "link-list": "Link to this list", @@ -517,7 +519,10 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index e973453d..a7bb0f3c 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Listedeki tüm kartları taşı", "list-select-cards": "Listedeki tüm kartları seç", + "set-color-list": "Set Color", "listActionPopup-title": "Liste İşlemleri", "swimlaneActionPopup-title": "Kulvar İşlemleri", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Bir Trello kartını içeri aktar", "listMorePopup-title": "Daha", "link-list": "Listeye doğrudan bağlantı", @@ -517,7 +519,10 @@ "card-end-on": "Bitiş zamanı", "editCardReceivedDatePopup-title": "Giriş tarihini değiştir", "editCardEndDatePopup-title": "Bitiş tarihini değiştir", - "setCardColor-title": "renk ayarla", + "setCardColorPopup-title": "renk ayarla", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Atamayı yapan", "requested-by": "Talep Eden", "board-delete-notice": "Silme kalıcıdır. Bu kartla ilişkili tüm listeleri, kartları ve işlemleri kaybedeceksiniz.", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 820524a3..e9381cd2 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", + "set-color-list": "Set Color", "listActionPopup-title": "List Actions", "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Import a Trello card", "listMorePopup-title": "More", "link-list": "Link to this list", @@ -517,7 +519,10 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index e9b454c1..2572b501 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", + "set-color-list": "Set Color", "listActionPopup-title": "List Actions", "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Import a Trello card", "listMorePopup-title": "More", "link-list": "Link to this list", @@ -517,7 +519,10 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 8e0b87f9..7ec3ca75 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -2,7 +2,7 @@ "accept": "接受", "act-activity-notify": "活动通知", "act-addAttachment": "添加附件 __attachment__ 至卡片 __card__", - "act-addSubtask": "添加清单 __checklist__ 到__card__", + "act-addSubtask": "添加子任务 __checklist__ 到__card__", "act-addChecklist": "添加清单 __checklist__ 到 __card__", "act-addChecklistItem": "向 __card__ 中的清单 __checklist__ 添加 __checklistItem__", "act-addComment": "在 __card__ 发布评论: __comment__", @@ -169,30 +169,30 @@ "close-board-pop": "您可以通过主页头部的“归档”按钮,来恢复看板。", "color-black": "黑色", "color-blue": "蓝色", - "color-crimson": "crimson", - "color-darkgreen": "darkgreen", - "color-gold": "gold", - "color-gray": "gray", + "color-crimson": "深红", + "color-darkgreen": "墨绿", + "color-gold": "金", + "color-gray": "灰", "color-green": "绿色", - "color-indigo": "indigo", + "color-indigo": "靛蓝", "color-lime": "绿黄", - "color-magenta": "magenta", - "color-mistyrose": "mistyrose", - "color-navy": "navy", + "color-magenta": "洋红", + "color-mistyrose": "玫瑰红", + "color-navy": "藏青", "color-orange": "橙色", - "color-paleturquoise": "paleturquoise", - "color-peachpuff": "peachpuff", + "color-paleturquoise": "宝石绿", + "color-peachpuff": "桃红", "color-pink": "粉红", - "color-plum": "plum", + "color-plum": "紫红", "color-purple": "紫色", "color-red": "红色", - "color-saddlebrown": "saddlebrown", - "color-silver": "silver", + "color-saddlebrown": "棕褐", + "color-silver": "银", "color-sky": "天蓝", - "color-slateblue": "slateblue", - "color-white": "white", + "color-slateblue": "石板蓝", + "color-white": "白", "color-yellow": "黄色", - "unset-color": "Unset", + "unset-color": "复原", "comment": "评论", "comment-placeholder": "添加评论", "comment-only": "仅能评论", @@ -335,8 +335,10 @@ "list-archive-cards-pop": "将移动看板中列表的所有卡片,查看或回复归档中的卡片,点击“菜单”->“归档”", "list-move-cards": "移动列表中的所有卡片", "list-select-cards": "选择列表中的所有卡片", + "set-color-list": "Set Color", "listActionPopup-title": "列表操作", "swimlaneActionPopup-title": "泳道图操作", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "导入 Trello 卡片", "listMorePopup-title": "更多", "link-list": "关联到这个列表", @@ -517,7 +519,10 @@ "card-end-on": "终止于", "editCardReceivedDatePopup-title": "修改接收日期", "editCardEndDatePopup-title": "修改终止日期", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "设置颜色", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "分配人", "requested-by": "需求人", "board-delete-notice": "删除时永久操作,将会丢失此看板上的所有列表、卡片和动作。", @@ -596,7 +601,7 @@ "r-label": "标签", "r-member": "成员", "r-remove-all": "从卡片移除所有成员", - "r-set-color": "Set color to", + "r-set-color": "设置颜色", "r-checklist": "清单", "r-check-all": "勾选所有", "r-uncheck-all": "取消勾选所有", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index e578993a..342b77d3 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -335,8 +335,10 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "移動清單中的所有卡片", "list-select-cards": "選擇清單中的所有卡片", + "set-color-list": "Set Color", "listActionPopup-title": "清單操作", "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "匯入 Trello 卡片", "listMorePopup-title": "更多", "link-list": "連結到這個清單", @@ -517,7 +519,10 @@ "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "setCardColor-title": "Set color", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", -- cgit v1.2.3-1-g7c22 From ba392362eee142879ff24c179391156397b18474 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 25 Jan 2019 22:09:40 +0200 Subject: Update ChangeLog for all that huge amount of contributions from bentiss. --- CHANGELOG.md | 33 +++++++++++++++++++++++++++++++++ 1 file changed, 33 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 12b328f6..56e12344 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,36 @@ +# Upcoming Wekan release: + +This release adds the following new features with Apache I-CLA, thanks to bentiss: + +- Change [Swimlane](https://github.com/wekan/wekan/issues/1688)/[List](https://github.com/wekan/wekan/issues/328)/[Card](https://github.com/wekan/wekan/issues/428) + color with color picker at webbrowser and [REST API](https://github.com/wekan/wekan/commit/5769d438a05d01bd5f35cd5830b7ad3c03a21ed2); +- Lists-Color: [Only colorize the bottom border](https://github.com/wekan/wekan/commit/33977b2282d8891bf507c4d9a1502c644afd6352), + and make the background clearer to visually separate the header from the list of cards; +- [Change Swimlane to Horizontal](https://github.com/wekan/wekan/commit/dd88eb4cc191a06f7eb84213b026dfb93546f245); +- [Change IFTTT wizard color names to color picker](https://github.com/wekan/wekan/commit/4a2576fbc200d397bcf7cede45316d9fb7e520dd); +- REST API: [Add new card to the end of the list](https://github.com/wekan/wekan/commit/6c3dbc3c6f52a42ddbeeaec9bbfcc82c1c839f7d). + If we keep the `0` value, the card might be inserted in the middle of the list, making it hard to find it later on. + Always append the card at the end of the list by setting a sort value based on the number of cards in the list. + +and fixes the following bugs with Apache I-CLA, thanks to bentiss: + +- [Fix set_board_member_permission](https://github.com/wekan/wekan/commit/082aabc7353d1fe75ccef1a7d942331be56f0838); +- [Fix the sort field when inserting a swimlane or a list](https://github.com/wekan/wekan/commit/b5411841cf6aa33b2c0d29d85cbc795e3faa7f4f). + This has the side effect of always inserting the element at the end; +- [Make sure Swimlanes and Lists have a populated sort field](https://github.com/wekan/wekan/commit/5c6a725712a443b4d03b4f86262033ddfb66bc3d). + When moving around the swimlanes or the lists, if one element has a sort + with a null value, the computation of the new sort value is aborted, + meaning that there are glitches in the UI. + This happens on the first swimlane created with the new board, or when + a swimlane or a list gets added through the API; +- UI: Lists: [Make sure all lists boxes are the same height](https://github.com/wekan/wekan/commit/97d95b4bcbcab86629e368ea41bb9f00450b21f6). + When `Show card count` is enabled, the lists with the card counts have + two lines of text while the lists without have only one. + This results in the box around the list headers are not of the same size + and this is visible when setting a color to the list. + +Thanks to above GitHub user for contributions, and translators for their translations. + # v2.02 2019-01-22 Wekan release This release adds the following new features with Apache I-CLA, thanks to bentiss: -- cgit v1.2.3-1-g7c22 From ddedb8a48b27bb0989c3b3e92b9f8c2351668f72 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 25 Jan 2019 22:14:09 +0200 Subject: Update translations (de). --- i18n/de.i18n.json | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index fd69ee2b..69eb0863 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -335,10 +335,10 @@ "list-archive-cards-pop": "Alle Karten dieser Liste werden vom Board entfernt. Um Karten im Papierkorb anzuzeigen und wiederherzustellen, klicken Sie auf \"Menü\" > \"Archiv\".", "list-move-cards": "Alle Karten in dieser Liste verschieben", "list-select-cards": "Alle Karten in dieser Liste auswählen", - "set-color-list": "Set Color", + "set-color-list": "Setze Farbe", "listActionPopup-title": "Listenaktionen", "swimlaneActionPopup-title": "Swimlaneaktionen", - "swimlaneAddPopup-title": "Add a Swimlane below", + "swimlaneAddPopup-title": "Füge eine Swimlane unterhalb hinzu", "listImportCardPopup-title": "Eine Trello-Karte importieren", "listMorePopup-title": "Mehr", "link-list": "Link zu dieser Liste", @@ -520,9 +520,9 @@ "editCardReceivedDatePopup-title": "Empfangsdatum ändern", "editCardEndDatePopup-title": "Enddatum ändern", "setCardColorPopup-title": "Farbe festlegen", - "setCardActionsColorPopup-title": "Choose a color", - "setSwimlaneColorPopup-title": "Choose a color", - "setListColorPopup-title": "Choose a color", + "setCardActionsColorPopup-title": "Wähle eine Farbe", + "setSwimlaneColorPopup-title": "Wähle eine Farbe", + "setListColorPopup-title": "Wähle eine Farbe", "assigned-by": "Zugewiesen von", "requested-by": "Angefordert von", "board-delete-notice": "Löschen kann nicht rückgängig gemacht werden. Sie werden alle Listen, Karten und Aktionen, die mit diesem Board verbunden sind, verlieren.", -- cgit v1.2.3-1-g7c22 From be8f00ab8af080790758362d43c9efea2ed1b2eb Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 25 Jan 2019 22:18:39 +0200 Subject: v2.03 --- CHANGELOG.md | 4 ++-- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 6 insertions(+), 6 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 56e12344..31e1301c 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release: +# v2.03 2019-01-25 Wekan release This release adds the following new features with Apache I-CLA, thanks to bentiss: @@ -29,7 +29,7 @@ and fixes the following bugs with Apache I-CLA, thanks to bentiss: This results in the box around the list headers are not of the same size and this is visible when setting a color to the list. -Thanks to above GitHub user for contributions, and translators for their translations. +Thanks to GitHub user bentiss for contributions, and translators for their translations. # v2.02 2019-01-22 Wekan release diff --git a/Stackerfile.yml b/Stackerfile.yml index 68a8265d..887e7649 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.02.0" +appVersion: "v2.03.0" files: userUploads: - README.md diff --git a/package.json b/package.json index cc3ebfe9..6f2691af 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.02.0", + "version": "v2.03.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 4b0c8ece..4acdaafd 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 204, + appVersion = 205, # Increment this for every release. - appMarketingVersion = (defaultText = "2.02.0~2019-01-22"), + appMarketingVersion = (defaultText = "2.03.0~2019-01-25"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 1a64a88d3d1750c58bcf6d0b6bc584a6483d0fc7 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 25 Jan 2019 23:06:34 +0200 Subject: Waiting for bugfix. --- CHANGELOG.md | 8 +++++++- 1 file changed, 7 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 31e1301c..f21f4465 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,10 @@ -# v2.03 2019-01-25 Wekan release +# Upcoming Wekan release + +WAITING FOR BUGFIX: + +- [Bugfix to swimlanes](https://github.com/wekan/wekan/pull/2126#issuecomment-457723923), IN PROGRESS, NOT READY YET. + +# ON HOLD, WAITING FOR BUGFIX IN v2.04. (was: v2.03 2019-01-25 Wekan release) This release adds the following new features with Apache I-CLA, thanks to bentiss: -- cgit v1.2.3-1-g7c22 From 850b34ce33e649440aa0786f739220a5a80baedc Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Sat, 26 Jan 2019 16:49:16 +0100 Subject: ifttt: card actions: simplify the logic for setting the color Jade allows a simpler approach than my initial manual update. Just declare the correct ReactiveVar and accessor, and done. --- client/components/rules/actions/cardActions.jade | 6 ++++-- client/components/rules/actions/cardActions.js | 24 +++++++++++++----------- 2 files changed, 17 insertions(+), 13 deletions(-) diff --git a/client/components/rules/actions/cardActions.jade b/client/components/rules/actions/cardActions.jade index 1fee5231..8c6defc6 100644 --- a/client/components/rules/actions/cardActions.jade +++ b/client/components/rules/actions/cardActions.jade @@ -39,8 +39,10 @@ template(name="cardActions") div.trigger-content div.trigger-text | {{{_'r-set-color'}}} - button.trigger-button.trigger-button-color.card-details-green.js-show-color-palette(id="color-action") - | {{{_'color-green'}}} + button.trigger-button.trigger-button-color.js-show-color-palette( + id="color-action" + class="card-details-{{cardColorButton}}") + | {{{_ cardColorButtonText }}} div.trigger-button.js-set-color-action.js-goto-rules i.fa.fa-plus diff --git a/client/components/rules/actions/cardActions.js b/client/components/rules/actions/cardActions.js index 6c858358..a1e43c38 100644 --- a/client/components/rules/actions/cardActions.js +++ b/client/components/rules/actions/cardActions.js @@ -6,6 +6,15 @@ Meteor.startup(() => { BlazeComponent.extendComponent({ onCreated() { this.subscribe('allRules'); + this.cardColorButtonValue = new ReactiveVar('green'); + }, + + cardColorButton() { + return this.cardColorButtonValue.get(); + }, + + cardColorButtonText() { + return `color-${ this.cardColorButtonValue.get() }`; }, labels() { @@ -128,11 +137,7 @@ BlazeComponent.extendComponent({ 'click .js-set-color-action' (event) { const ruleName = this.data().ruleName.get(); const trigger = this.data().triggerVar.get(); - const colorButton = this.find('#color-action'); - if (colorButton.value === '') { - colorButton.value = 'green'; - } - const selectedColor = colorButton.value; + const selectedColor = this.cardColorButtonValue.get(); const boardId = Session.get('currentBoard'); const desc = Utils.getTriggerActionDesc(event, this); const triggerId = Triggers.insert(trigger); @@ -157,8 +162,8 @@ BlazeComponent.extendComponent({ BlazeComponent.extendComponent({ onCreated() { this.currentAction = this.currentData(); - this.colorButton = Popup.getOpenerComponent().find('#color-action'); - this.currentColor = new ReactiveVar(this.colorButton.value); + this.colorButtonValue = Popup.getOpenerComponent().cardColorButtonValue; + this.currentColor = new ReactiveVar(this.colorButtonValue.get()); }, colors() { @@ -175,10 +180,7 @@ BlazeComponent.extendComponent({ this.currentColor.set(this.currentData().color); }, 'click .js-submit' () { - this.colorButton.classList.remove(`card-details-${ this.colorButton.value }`); - this.colorButton.value = this.currentColor.get(); - this.colorButton.innerText = `${TAPi18n.__(`color-${ this.currentColor.get() }`)}`; - this.colorButton.classList.add(`card-details-${ this.colorButton.value }`); + this.colorButtonValue.set(this.currentColor.get()); Popup.close(); }, }]; -- cgit v1.2.3-1-g7c22 From f7c6b7fce237a6dbdbbd6d728cfb11ad3f4378eb Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Sat, 26 Jan 2019 17:37:43 +0100 Subject: ui: fix rendering issue on firefox When a list have more cards that can fit in the screen, the members icons are drawn on top of the swimlane below and the scrollbar is not available. According to https://github.com/utatti/perfect-scrollbar the container must have an `overflow: hidden` css style. When changing the swimlane header from vertical to horizontal, dd88eb4cc19 broke this which led to this weird bug. --- client/components/swimlanes/swimlanes.styl | 1 + 1 file changed, 1 insertion(+) diff --git a/client/components/swimlanes/swimlanes.styl b/client/components/swimlanes/swimlanes.styl index e4e2cd3b..19613ad9 100644 --- a/client/components/swimlanes/swimlanes.styl +++ b/client/components/swimlanes/swimlanes.styl @@ -53,6 +53,7 @@ .list-group flex-direction: row height: 100% + overflow: hidden swimlane-color(background, color...) background: background !important -- cgit v1.2.3-1-g7c22 From db62a51d5a11e65ede62c24b3cb3f838449729a2 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 26 Jan 2019 19:48:28 +0200 Subject: Update translations. --- i18n/es.i18n.json | 22 +++++++++++----------- i18n/pt.i18n.json | 38 +++++++++++++++++++------------------- i18n/ru.i18n.json | 10 +++++----- 3 files changed, 35 insertions(+), 35 deletions(-) diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index c40e418b..700560ab 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -192,7 +192,7 @@ "color-slateblue": "azul", "color-white": "blanco", "color-yellow": "amarilla", - "unset-color": "Unset", + "unset-color": "Desmarcar", "comment": "Comentar", "comment-placeholder": "Escribir comentario", "comment-only": "Sólo comentarios", @@ -306,7 +306,7 @@ "from-wekan": "Desde exportación previa", "import-board-instruction-trello": "En tu tablero de Trello, ve a 'Menú', luego 'Más' > 'Imprimir y exportar' > 'Exportar JSON', y copia el texto resultante.", "import-board-instruction-wekan": "En tu tablero, vete a 'Menú', luego 'Exportar tablero', y copia el texto en el archivo descargado.", - "import-board-instruction-about-errors": "Si obtiene errores cuando importe el tablero, a veces la importación funciona igualmente, y el tablero se encuentra en la página de Todos los Tableros.", + "import-board-instruction-about-errors": "Aunque obtengas errores cuando importes el tablero, a veces la importación funciona igualmente, y el tablero se encontrará en la página de tableros.", "import-json-placeholder": "Pega tus datos JSON válidos aquí", "import-map-members": "Mapa de miembros", "import-members-map": "Tu tablero importado tiene algunos miembros. Por favor, mapea los miembros que quieres importar con tus usuarios.", @@ -335,10 +335,10 @@ "list-archive-cards-pop": "Esto eliminará del tablero todas las tarjetas en esta lista. Para ver las tarjetas en el Archivo y recuperarlas al tablero haga click en \"Menu\" > \"Archivo\"", "list-move-cards": "Mover todas las tarjetas de esta lista", "list-select-cards": "Seleccionar todas las tarjetas de esta lista", - "set-color-list": "Set Color", + "set-color-list": "Cambiar el color", "listActionPopup-title": "Acciones de la lista", "swimlaneActionPopup-title": "Acciones del carril de flujo", - "swimlaneAddPopup-title": "Add a Swimlane below", + "swimlaneAddPopup-title": "Añadir un carril de flujo debajo", "listImportCardPopup-title": "Importar una tarjeta de Trello", "listMorePopup-title": "Más", "link-list": "Enlazar a esta lista", @@ -404,9 +404,9 @@ "rules": "Reglas", "search-cards": "Buscar entre los títulos y las descripciones de las tarjetas en este tablero.", "search-example": "¿Texto a buscar?", - "select-color": "Selecciona un color", + "select-color": "Seleccionar el color", "set-wip-limit-value": "Fija un límite para el número máximo de tareas en esta lista.", - "setWipLimitPopup-title": "Fijar el límite del trabajo en proceso", + "setWipLimitPopup-title": "Fija el límite del trabajo en proceso", "shortcut-assign-self": "Asignarte a ti mismo a la tarjeta actual", "shortcut-autocomplete-emoji": "Autocompletar emoji", "shortcut-autocomplete-members": "Autocompletar miembros", @@ -519,10 +519,10 @@ "card-end-on": "Finalizado el", "editCardReceivedDatePopup-title": "Cambiar la fecha de recepción", "editCardEndDatePopup-title": "Cambiar la fecha de finalización", - "setCardColorPopup-title": "Cambiar color", - "setCardActionsColorPopup-title": "Choose a color", - "setSwimlaneColorPopup-title": "Choose a color", - "setListColorPopup-title": "Choose a color", + "setCardColorPopup-title": "Cambiar el color", + "setCardActionsColorPopup-title": "Elegir un color", + "setSwimlaneColorPopup-title": "Elegir un color", + "setListColorPopup-title": "Elegir un color", "assigned-by": "Asignado por", "requested-by": "Solicitado por", "board-delete-notice": "Se eliminarán todas las listas, tarjetas y acciones asociadas a este tablero. Esta acción no puede deshacerse.", @@ -601,7 +601,7 @@ "r-label": "etiqueta", "r-member": "miembro", "r-remove-all": "Eliminar todos los miembros de la tarjeta", - "r-set-color": "Cambiar color a", + "r-set-color": "Cambiar el color a", "r-checklist": "lista de verificación", "r-check-all": "Marcar todo", "r-uncheck-all": "Desmarcar todo", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 290a649b..4da76fd7 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -1,24 +1,24 @@ { "accept": "Aceitar", - "act-activity-notify": "Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", + "act-activity-notify": "Notificação de Actividade", + "act-addAttachment": "anexado __attachment__ ao __card__", + "act-addSubtask": "adicionou sub-tarefa __checklist__ ao __card__", + "act-addChecklist": "adicionou checklist __checklist__ ao __card__", + "act-addChecklistItem": "adicionou __checklistItem__ à checklist __checklist__ no __card__", + "act-addComment": "comentou em __card__: __comment__", + "act-createBoard": "criou __board__", + "act-createCard": "adicionou __card__ à __list__", + "act-createCustomField": "criou o campo customizado __customField__", + "act-createList": "adicionou __list__ a __board__", + "act-addBoardMember": "adicionou __member__ a __board__", + "act-archivedBoard": "__board__ arquivado", + "act-archivedCard": "__card__ arquivado", + "act-archivedList": "__list__ arquivada", + "act-archivedSwimlane": "__swimlane__ arquivada", + "act-importBoard": "__board__ importado", + "act-importCard": "__card__ importado", + "act-importList": "__list__ importada", + "act-joinMember": "__member__ adicionado ao __card__", "act-moveCard": "moved __card__ from __oldList__ to __list__", "act-removeBoardMember": "removed __member__ from __board__", "act-restoredCard": "restored __card__ to __board__", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index fba09b2c..a588ba2f 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -335,10 +335,10 @@ "list-archive-cards-pop": "Это действие удалит все карточки из этого списка с доски. Чтобы просмотреть карточки в Архиве и вернуть их на доску, нажмите “Меню” > “Архив”.", "list-move-cards": "Переместить все карточки в этом списке", "list-select-cards": "Выбрать все карточки в этом списке", - "set-color-list": "Set Color", + "set-color-list": "Задать цвет", "listActionPopup-title": "Список действий", "swimlaneActionPopup-title": "Действия с дорожкой", - "swimlaneAddPopup-title": "Add a Swimlane below", + "swimlaneAddPopup-title": "Добавить дорожку ниже", "listImportCardPopup-title": "Импортировать Trello карточку", "listMorePopup-title": "Поделиться", "link-list": "Ссылка на список", @@ -520,9 +520,9 @@ "editCardReceivedDatePopup-title": "Изменить дату получения", "editCardEndDatePopup-title": "Изменить дату завершения", "setCardColorPopup-title": "Задать цвет", - "setCardActionsColorPopup-title": "Choose a color", - "setSwimlaneColorPopup-title": "Choose a color", - "setListColorPopup-title": "Choose a color", + "setCardActionsColorPopup-title": "Выберите цвет", + "setSwimlaneColorPopup-title": "Выберите цвет", + "setListColorPopup-title": "Выберите цвет", "assigned-by": "Поручил", "requested-by": "Запросил", "board-delete-notice": "Удаление является постоянным. Вы потеряете все списки, карты и действия, связанные с этой доской.", -- cgit v1.2.3-1-g7c22 From 939d8a7078f535a92e48234b3f09c1c7a1d45537 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 26 Jan 2019 20:20:54 +0200 Subject: v2.04 --- CHANGELOG.md | 10 ++++++---- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 10 insertions(+), 8 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index f21f4465..268803e3 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,10 +1,12 @@ -# Upcoming Wekan release +# v2.04 2019-01-26 Wekan release -WAITING FOR BUGFIX: +This release fixes the following bugs with Apache I-CLA, thanks to bentiss: -- [Bugfix to swimlanes](https://github.com/wekan/wekan/pull/2126#issuecomment-457723923), IN PROGRESS, NOT READY YET. +- [Bugfix for swimlanes, simplify setting color, fix rendering on Firefox](https://github.com/wekan/wekan/pull/2132). -# ON HOLD, WAITING FOR BUGFIX IN v2.04. (was: v2.03 2019-01-25 Wekan release) +Thanks to GitHub user bentiss for contributions, and translators for their translations. + +# Not released because of [bug](https://github.com/wekan/wekan/pull/2126#issuecomment-457723923): v2.03 2019-01-25 Wekan This release adds the following new features with Apache I-CLA, thanks to bentiss: diff --git a/Stackerfile.yml b/Stackerfile.yml index 887e7649..6855581e 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.03.0" +appVersion: "v2.04.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 6f2691af..192a4894 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.03.0", + "version": "v2.04.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 4acdaafd..df483323 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 205, + appVersion = 206, # Increment this for every release. - appMarketingVersion = (defaultText = "2.03.0~2019-01-25"), + appMarketingVersion = (defaultText = "2.04.0~2019-01-26"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From cf7d3b5a7ea7043eb454f7c3330f2c316957b3dc Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 27 Jan 2019 18:09:53 +0200 Subject: - Add back scrollbars that [were hidden when trying to fix another bug](https://github.com/wekan/wekan/pull/2132/commits/f7c6b7fce237a6dbdbbd6d728cfb11ad3f4378eb). Thanks to xet7 ! Closes #2134 --- client/components/swimlanes/swimlanes.styl | 1 - 1 file changed, 1 deletion(-) diff --git a/client/components/swimlanes/swimlanes.styl b/client/components/swimlanes/swimlanes.styl index 19613ad9..e4e2cd3b 100644 --- a/client/components/swimlanes/swimlanes.styl +++ b/client/components/swimlanes/swimlanes.styl @@ -53,7 +53,6 @@ .list-group flex-direction: row height: 100% - overflow: hidden swimlane-color(background, color...) background: background !important -- cgit v1.2.3-1-g7c22 From be03a191c4321c2f80116c0ee1ae6c826d882535 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 27 Jan 2019 18:16:27 +0200 Subject: - Try to have some progress on Wekan Sandstorm API. I did not get it fully working yet. Thanks to xet7. --- sandstorm-pkgdef.capnp | 2 +- server/authentication.js | 21 +++++++++++++++++++++ 2 files changed, 22 insertions(+), 1 deletion(-) diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index df483323..0e269034 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -226,7 +226,7 @@ const pkgdef :Spk.PackageDefinition = ( verbPhrase = (defaultText = "removed from card"), ), ], ), - apiPath = "/", + apiPath = "/api", saveIdentityCaps = true, ), ); diff --git a/server/authentication.js b/server/authentication.js index 4d3cc53e..d0d71e4d 100644 --- a/server/authentication.js +++ b/server/authentication.js @@ -16,6 +16,27 @@ Meteor.startup(() => { Authentication = {}; Authentication.checkUserId = function (userId) { + if (userId === undefined) { + // Monkey patch to work around the problem described in + // https://github.com/sandstorm-io/meteor-accounts-sandstorm/pull/31 + const _httpMethods = HTTP.methods; + HTTP.methods = (newMethods) => { + Object.keys(newMethods).forEach((key) => { + if (newMethods[key].auth) { + newMethods[key].auth = function() { + const sandstormID = this.req.headers['x-sandstorm-user-id']; + const user = Meteor.users.findOne({'services.sandstorm.id': sandstormID}); + if (user) { + userId = user._id; + } + //return user && user._id; + }; + } + }); + _httpMethods(newMethods); + }; + } + if (userId === undefined) { const error = new Meteor.Error('Unauthorized', 'Unauthorized'); error.statusCode = 401; -- cgit v1.2.3-1-g7c22 From 62a0e57f38cd9b3e39fd16b27304134c841d2c4a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 27 Jan 2019 18:18:20 +0200 Subject: Update translations. --- i18n/zh-CN.i18n.json | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 7ec3ca75..b8729e83 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -335,10 +335,10 @@ "list-archive-cards-pop": "将移动看板中列表的所有卡片,查看或回复归档中的卡片,点击“菜单”->“归档”", "list-move-cards": "移动列表中的所有卡片", "list-select-cards": "选择列表中的所有卡片", - "set-color-list": "Set Color", + "set-color-list": "设置颜色", "listActionPopup-title": "列表操作", "swimlaneActionPopup-title": "泳道图操作", - "swimlaneAddPopup-title": "Add a Swimlane below", + "swimlaneAddPopup-title": "在下面添加一个泳道", "listImportCardPopup-title": "导入 Trello 卡片", "listMorePopup-title": "更多", "link-list": "关联到这个列表", @@ -520,9 +520,9 @@ "editCardReceivedDatePopup-title": "修改接收日期", "editCardEndDatePopup-title": "修改终止日期", "setCardColorPopup-title": "设置颜色", - "setCardActionsColorPopup-title": "Choose a color", - "setSwimlaneColorPopup-title": "Choose a color", - "setListColorPopup-title": "Choose a color", + "setCardActionsColorPopup-title": "选择一种颜色", + "setSwimlaneColorPopup-title": "选择一种颜色", + "setListColorPopup-title": "选择一种颜色", "assigned-by": "分配人", "requested-by": "需求人", "board-delete-notice": "删除时永久操作,将会丢失此看板上的所有列表、卡片和动作。", -- cgit v1.2.3-1-g7c22 From 905ddafe41b2558bf2da182a11218237321f8613 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 27 Jan 2019 18:27:21 +0200 Subject: v2.05 --- CHANGELOG.md | 13 +++++++++++++ Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 17 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 268803e3..92a8edf8 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,16 @@ +# v2.05 2019-01-27 Wekan release + +This release fixes the following bugs partially: + +- Add back scrollbars that [were hidden when trying to fix another + bug](https://github.com/wekan/wekan/pull/2132/commits/f7c6b7fce237a6dbdbbd6d728cfb11ad3f4378eb). + This makes scrollbars work in Chromium/Chrome, but adds back bug to Firefox + that cards are below of swimlane title. +- [Try to have some progress on Wekan Sandstorm API](https://github.com/wekan/wekan/commit/be03a191c4321c2f80116c0ee1ae6c826d882535). + I did not get it fully working yet. + +Thanks to GitHub user xet7 for contributions. + # v2.04 2019-01-26 Wekan release This release fixes the following bugs with Apache I-CLA, thanks to bentiss: diff --git a/Stackerfile.yml b/Stackerfile.yml index 6855581e..dd45e323 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.04.0" +appVersion: "v2.05.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 192a4894..1024b346 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.04.0", + "version": "v2.05.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 0e269034..eaf011fe 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 206, + appVersion = 207, # Increment this for every release. - appMarketingVersion = (defaultText = "2.04.0~2019-01-26"), + appMarketingVersion = (defaultText = "2.05.0~2019-01-27"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 9dd8216dfb80855999998ed76d8a3c06a954a002 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 27 Jan 2019 19:03:50 +0200 Subject: - Fix cards below swimlane title in Firefox by making [previous fix](https://github.com/wekan/wekan/pull/2132/commits/f7c6b7fce237a6dbdbbd6d728cfb11ad3f4378eb) Firefox-only. Thanks to xet7 ! --- client/components/swimlanes/swimlanes.styl | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/client/components/swimlanes/swimlanes.styl b/client/components/swimlanes/swimlanes.styl index e4e2cd3b..754d7210 100644 --- a/client/components/swimlanes/swimlanes.styl +++ b/client/components/swimlanes/swimlanes.styl @@ -54,6 +54,12 @@ flex-direction: row height: 100% +@-moz-document url-prefix() { + .list-group { + overflow: hidden; + } +} + swimlane-color(background, color...) background: background !important if color -- cgit v1.2.3-1-g7c22 From 3c2de2a38de1a5e640c36ddcce1681e3fcb5b7ab Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 27 Jan 2019 19:11:57 +0200 Subject: v2.06 --- CHANGELOG.md | 14 ++++++++++++-- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 16 insertions(+), 6 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 92a8edf8..5df9a9f4 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,13 @@ +# v2.06 2019-01-27 Wekan release + +This release fixes the following bugs: + +- [Fix cards below swimlane title in Firefox](https://github.com/wekan/wekan/commit/9dd8216dfb80855999998ed76d8a3c06a954a002) + by making [previous fix](https://github.com/wekan/wekan/pull/2132/commits/f7c6b7fce237a6dbdbbd6d728cfb11ad3f4378eb) + Firefox-only. + +Thanks to GitHub user xet7 for contributions. + # v2.05 2019-01-27 Wekan release This release fixes the following bugs partially: @@ -5,7 +15,7 @@ This release fixes the following bugs partially: - Add back scrollbars that [were hidden when trying to fix another bug](https://github.com/wekan/wekan/pull/2132/commits/f7c6b7fce237a6dbdbbd6d728cfb11ad3f4378eb). This makes scrollbars work in Chromium/Chrome, but adds back bug to Firefox - that cards are below of swimlane title. + that cards are below of swimlane title - this Firefox bug is fixed in Wekan v2.06. - [Try to have some progress on Wekan Sandstorm API](https://github.com/wekan/wekan/commit/be03a191c4321c2f80116c0ee1ae6c826d882535). I did not get it fully working yet. @@ -19,7 +29,7 @@ This release fixes the following bugs with Apache I-CLA, thanks to bentiss: Thanks to GitHub user bentiss for contributions, and translators for their translations. -# Not released because of [bug](https://github.com/wekan/wekan/pull/2126#issuecomment-457723923): v2.03 2019-01-25 Wekan +# v2.03 2019-01-25 Wekan NOT RELEASED because of [bug](https://github.com/wekan/wekan/pull/2126#issuecomment-457723923) that was fixed in v2.04 above This release adds the following new features with Apache I-CLA, thanks to bentiss: diff --git a/Stackerfile.yml b/Stackerfile.yml index dd45e323..b2b384df 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.05.0" +appVersion: "v2.06.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 1024b346..3bab8c05 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.05.0", + "version": "v2.06.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index eaf011fe..af97477c 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 207, + appVersion = 208, # Increment this for every release. - appMarketingVersion = (defaultText = "2.05.0~2019-01-27"), + appMarketingVersion = (defaultText = "2.06.0~2019-01-27"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 74cf9e2573ed3821adc3230aa419febfb5275e07 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 28 Jan 2019 02:50:25 +0200 Subject: - Fix Firefox left-rigth scrollbar. Thanks to xet7 ! Closes #2137 --- client/components/swimlanes/swimlanes.styl | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/client/components/swimlanes/swimlanes.styl b/client/components/swimlanes/swimlanes.styl index 754d7210..9abf2820 100644 --- a/client/components/swimlanes/swimlanes.styl +++ b/client/components/swimlanes/swimlanes.styl @@ -54,9 +54,13 @@ flex-direction: row height: 100% +// Firefox fix for cards behind swimlane to overflow-y +// https://github.com/wekan/wekan/pull/2132/commits/f7c6b7fce237a6dbdbbd6d728cfb11ad3f4378eb +// and enable Firefox left-right scroll https://github.com/wekan/wekan/issues/2137 @-moz-document url-prefix() { .list-group { - overflow: hidden; + overflow-y: hidden; + overflow: -moz-scrollbars-vertical; } } -- cgit v1.2.3-1-g7c22 From 4d37e1d6406491ec74594c0c7094ccdd554fc55e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 28 Jan 2019 02:58:02 +0200 Subject: v2.07 --- CHANGELOG.md | 8 ++++++++ Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 12 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 5df9a9f4..d34730a2 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# v2.07 2019-01-28 Wekan release + +This release fixes the following bugs: + +- [Fix Firefox left-rigth scrollbar](https://github.com/wekan/wekan/issues/2137). + +Thanks to GitHub user xet7 for contributions. + # v2.06 2019-01-27 Wekan release This release fixes the following bugs: diff --git a/Stackerfile.yml b/Stackerfile.yml index b2b384df..bdbff8c4 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.06.0" +appVersion: "v2.07.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 3bab8c05..a7426f5e 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.06.0", + "version": "v2.07.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index af97477c..e1fa9363 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 208, + appVersion = 209, # Increment this for every release. - appMarketingVersion = (defaultText = "2.06.0~2019-01-27"), + appMarketingVersion = (defaultText = "2.07.0~2019-01-28"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 7cc185ac57c77be85178f92b1d01d46e20218948 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Mon, 28 Jan 2019 12:00:55 +0100 Subject: Properly fix horizontal rendering on Chrome and Firefox This reverts commit 74cf9e2573 "- Fix Firefox left-rigth scrollbar." This reverts commit 9dd8216dfb. "- Fix cards below swimlane title in Firefox by making [previous fix](https://github.com/wekan/wekan/pull/2132/commits/f7c6b7fce237a6dbdbbd6d728cfb11ad3f4378eb)" And this partially reverts commit dd88eb4cc The root of the issue was that I was adding a new div and nesting the list of lists in this new list. This resulted in some weird behavior that Firefox could not handled properly Revert to a code colser to v2.02, by just having the swimlane header in a separate line, and keep only one flex element. fixes #2137 --- client/components/swimlanes/swimlanes.jade | 26 +++++++++++++------------- client/components/swimlanes/swimlanes.styl | 15 ++------------- 2 files changed, 15 insertions(+), 26 deletions(-) diff --git a/client/components/swimlanes/swimlanes.jade b/client/components/swimlanes/swimlanes.jade index ad61466e..34177a02 100644 --- a/client/components/swimlanes/swimlanes.jade +++ b/client/components/swimlanes/swimlanes.jade @@ -1,22 +1,22 @@ template(name="swimlane") - .swimlane.js-lists.js-swimlane + .swimlane +swimlaneHeader - .swimlane.list-group.js-lists - if isMiniScreen - if currentList - +list(currentList) - else - each currentBoard.lists - +miniList(this) - if currentUser.isBoardMember - +addListForm + .swimlane.js-lists.js-swimlane + if isMiniScreen + if currentList + +list(currentList) else each currentBoard.lists - +list(this) - if currentCardIsInThisList _id ../_id - +cardDetails(currentCard) + +miniList(this) if currentUser.isBoardMember +addListForm + else + each currentBoard.lists + +list(this) + if currentCardIsInThisList _id ../_id + +cardDetails(currentCard) + if currentUser.isBoardMember + +addListForm template(name="listsGroup") .swimlane.list-group.js-lists diff --git a/client/components/swimlanes/swimlanes.styl b/client/components/swimlanes/swimlanes.styl index 9abf2820..406fe1d3 100644 --- a/client/components/swimlanes/swimlanes.styl +++ b/client/components/swimlanes/swimlanes.styl @@ -5,7 +5,7 @@ // transparent, because that won't work during a swimlane drag. background: darken(white, 13%) display: flex - flex-direction: column + flex-direction: row overflow: 0; max-height: 100% @@ -27,7 +27,7 @@ .swimlane-header-wrap display: flex; flex-direction: row; - flex: 0 0 24px; + flex: 1 0 100%; background-color: #ccc; .swimlane-header @@ -51,19 +51,8 @@ margin-right: 10px .list-group - flex-direction: row height: 100% -// Firefox fix for cards behind swimlane to overflow-y -// https://github.com/wekan/wekan/pull/2132/commits/f7c6b7fce237a6dbdbbd6d728cfb11ad3f4378eb -// and enable Firefox left-right scroll https://github.com/wekan/wekan/issues/2137 -@-moz-document url-prefix() { - .list-group { - overflow-y: hidden; - overflow: -moz-scrollbars-vertical; - } -} - swimlane-color(background, color...) background: background !important if color -- cgit v1.2.3-1-g7c22 From ae82f43078546902e199d985a922ebf7041a4917 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Mon, 28 Jan 2019 15:31:34 +0100 Subject: make the max height of the swimlane not too big We should take a full screen minus the header height --- client/components/swimlanes/swimlanes.styl | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/components/swimlanes/swimlanes.styl b/client/components/swimlanes/swimlanes.styl index 406fe1d3..77a7a413 100644 --- a/client/components/swimlanes/swimlanes.styl +++ b/client/components/swimlanes/swimlanes.styl @@ -7,7 +7,7 @@ display: flex flex-direction: row overflow: 0; - max-height: 100% + max-height: calc(100% - 26px) &.placeholder background-color: rgba(0, 0, 0, .2) -- cgit v1.2.3-1-g7c22 From 4629cc1b19c8bdce56e8a58b69b5ec9ac5439a1d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 28 Jan 2019 17:08:47 +0200 Subject: Update translations. --- i18n/de.i18n.json | 10 +++++----- i18n/pt.i18n.json | 54 +++++++++++++++++++++++++++--------------------------- 2 files changed, 32 insertions(+), 32 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 69eb0863..22e61fbb 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -335,10 +335,10 @@ "list-archive-cards-pop": "Alle Karten dieser Liste werden vom Board entfernt. Um Karten im Papierkorb anzuzeigen und wiederherzustellen, klicken Sie auf \"Menü\" > \"Archiv\".", "list-move-cards": "Alle Karten in dieser Liste verschieben", "list-select-cards": "Alle Karten in dieser Liste auswählen", - "set-color-list": "Setze Farbe", + "set-color-list": "Lege Farbe fest", "listActionPopup-title": "Listenaktionen", "swimlaneActionPopup-title": "Swimlaneaktionen", - "swimlaneAddPopup-title": "Füge eine Swimlane unterhalb hinzu", + "swimlaneAddPopup-title": "Swimlane unterhalb einfügen", "listImportCardPopup-title": "Eine Trello-Karte importieren", "listMorePopup-title": "Mehr", "link-list": "Link zu dieser Liste", @@ -520,9 +520,9 @@ "editCardReceivedDatePopup-title": "Empfangsdatum ändern", "editCardEndDatePopup-title": "Enddatum ändern", "setCardColorPopup-title": "Farbe festlegen", - "setCardActionsColorPopup-title": "Wähle eine Farbe", - "setSwimlaneColorPopup-title": "Wähle eine Farbe", - "setListColorPopup-title": "Wähle eine Farbe", + "setCardActionsColorPopup-title": "Farbe wählen", + "setSwimlaneColorPopup-title": "Farbe wählen", + "setListColorPopup-title": "Farbe wählen", "assigned-by": "Zugewiesen von", "requested-by": "Angefordert von", "board-delete-notice": "Löschen kann nicht rückgängig gemacht werden. Sie werden alle Listen, Karten und Aktionen, die mit diesem Board verbunden sind, verlieren.", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 4da76fd7..ce895972 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -19,36 +19,36 @@ "act-importCard": "__card__ importado", "act-importList": "__list__ importada", "act-joinMember": "__member__ adicionado ao __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", + "act-moveCard": "__card__ movido de __oldList__ para __list__", + "act-removeBoardMember": "__member__ removido de __board__", + "act-restoredCard": "__card__ restaurado para __board__", + "act-unjoinMember": "__member__ removido de __card__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Archive", - "activity-attached": "attached %s to %s", + "actions": "Ações", + "activities": "Atividade", + "activity": "Atividade", + "activity-added": "adicionado %s a %s", + "activity-archived": "%s arquivado", + "activity-attached": "anexado %s a %s", "activity-created": "Criado %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-subtask-added": "added subtask to %s", - "activity-checked-item": "checked %s in checklist %s of %s", - "activity-unchecked-item": "unchecked %s in checklist %s of %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", - "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", + "activity-customfield-created": "criado campo customizado %s", + "activity-excluded": "excuído %s de %s", + "activity-imported": "importado %s para %s de %s", + "activity-imported-board": "importado %s de %s", + "activity-joined": "entrou em %s", + "activity-moved": "movido %s de %s para %s", + "activity-on": "em %s", + "activity-removed": "removido %s de %s", + "activity-sent": "enviado %s para %s", + "activity-unjoined": "saiu de %s", + "activity-subtask-added": "adicionada subtarefa a %s", + "activity-checked-item": "marcado %s na checklist %s de %s", + "activity-unchecked-item": "desmarcado %s na checklist %s de %s", + "activity-checklist-added": "checklist adicionada a %s", + "activity-checklist-removed": "checklist removida de %s", + "activity-checklist-completed": "checklist %s de %s foi completada", + "activity-checklist-uncompleted": "checklist %s de %s foi marcada como não completada", "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Adicionar", -- cgit v1.2.3-1-g7c22 From 1cfe084cc29631ef0ae50611880a3bc8464999da Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Mon, 28 Jan 2019 16:13:34 +0100 Subject: automatic scroll: fix vertical automatic scrolling when opening a card We actually want the vertical scrolling to be fixed when opening the card details. I am not sure where the `100` value comes from, but this makes the scrolling happy on the swimlane view and on the lists view. --- client/components/cards/cardDetails.js | 9 ++++----- 1 file changed, 4 insertions(+), 5 deletions(-) diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index 79a686a7..a571e21a 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -78,14 +78,13 @@ BlazeComponent.extendComponent({ //Scroll top const cardViewStartTop = $cardView.offset().top; const cardContainerScrollTop = $cardContainer.scrollTop(); + let topOffset = false; - if(cardViewStartTop < 0){ - topOffset = 0; - } else if(cardViewStartTop - cardContainerScrollTop > 100) { - topOffset = cardViewStartTop - cardContainerScrollTop - 100; + if(cardViewStartTop !== 100){ + topOffset = cardViewStartTop - 100; } if(topOffset !== false) { - bodyBoardComponent.scrollTop(topOffset); + bodyBoardComponent.scrollTop(cardContainerScrollTop + topOffset); } }, -- cgit v1.2.3-1-g7c22 From 04279342a4a57d9bc57eb6bca0d5a3719cd92c48 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 28 Jan 2019 17:26:18 +0200 Subject: v2.08 --- CHANGELOG.md | 22 ++++++++++++++++++++++ Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 26 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index d34730a2..e435bfbb 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,25 @@ +# v2.08 2019-01-28 Wekan release + +This release fixes the following bugs with Apache I-CLA, thanks to bentiss: + +- Make the max height of the swimlane not too big](https://github.com/wekan/wekan/commit/ae82f43078546902e199d985a922ebf7041a4917). + We take a full screen minus the header height; +- [Properly fix horizontal rendering on Chrome and Firefox](https://github.com/wekan/wekan/commit/7cc185ac57c77be85178f92b1d01d46e20218948). + This reverts [commit 74cf9e2573](https://github.com/wekan/wekan/commit/74cf9e2573) "- Fix Firefox left-rigth scrollbar." + This reverts [commit 9dd8216dfb](https://github.com/wekan/wekan/commit/9dd8216dfb) + "- Fix cards below swimlane title in Firefox" by making + [previous fix](https://github.com/wekan/wekan/pull/2132/commits/f7c6b7fce237a6dbdbbd6d728cfb11ad3f4378eb)" + And this partially reverts [commit dd88eb4cc](https://github.com/wekan/wekan/commit/dd88eb4cc). + The root of the issue was that I was adding a new div and nesting + the list of lists in this new list. This resulted in some + weird behavior that Firefox could not handled properly + Revert to a code colser to v2.02, by just having the + swimlane header in a separate line, and keep only one + flex element. + Fixes #2137 + +Thanks to GitHub user bentiss for contributions, and translators for their translations. + # v2.07 2019-01-28 Wekan release This release fixes the following bugs: diff --git a/Stackerfile.yml b/Stackerfile.yml index bdbff8c4..d3ae715e 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.07.0" +appVersion: "v2.08.0" files: userUploads: - README.md diff --git a/package.json b/package.json index a7426f5e..981e7961 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.07.0", + "version": "v2.08.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index e1fa9363..59d13fcd 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 209, + appVersion = 210, # Increment this for every release. - appMarketingVersion = (defaultText = "2.07.0~2019-01-28"), + appMarketingVersion = (defaultText = "2.08.0~2019-01-28"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 34f62cb3b3781cdde47e67688b3a068c521f1de4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 28 Jan 2019 18:23:28 +0200 Subject: - [Fix vertical automatic scrolling when opening a card](https://github.com/wekan/wekan/commit/820d3270935dc89f046144a7bbf2c8277e2484bc). Thanks to bentiss ! --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index e435bfbb..dceff875 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release fixes the following bugs with Apache I-CLA, thanks to bentiss: + +- [Fix vertical automatic scrolling when opening a card](https://github.com/wekan/wekan/commit/820d3270935dc89f046144a7bbf2c8277e2484bc). + +Thanks to GitHub user bentiss for contributions. + # v2.08 2019-01-28 Wekan release This release fixes the following bugs with Apache I-CLA, thanks to bentiss: -- cgit v1.2.3-1-g7c22 From 12cccc25cc07ef0706929873bf3409a82aa5ef13 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 28 Jan 2019 18:29:46 +0200 Subject: v2.09 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index dceff875..74d75357 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.09 2019-01-28 Wekan release This release fixes the following bugs with Apache I-CLA, thanks to bentiss: diff --git a/Stackerfile.yml b/Stackerfile.yml index d3ae715e..d62c1b81 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.08.0" +appVersion: "v2.09.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 981e7961..a53ab108 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.08.0", + "version": "v2.09.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 59d13fcd..78c35eb5 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 210, + appVersion = 211, # Increment this for every release. - appMarketingVersion = (defaultText = "2.08.0~2019-01-28"), + appMarketingVersion = (defaultText = "2.09.0~2019-01-28"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 7cefe9d3671eed5e8d2182da1fe3d12b369927b6 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 29 Jan 2019 18:56:11 +0200 Subject: Update translations. --- i18n/fr.i18n.json | 10 ++-- i18n/zh-TW.i18n.json | 154 +++++++++++++++++++++++++-------------------------- 2 files changed, 82 insertions(+), 82 deletions(-) diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 7e9990e1..b6b8f904 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -335,10 +335,10 @@ "list-archive-cards-pop": "Cela supprimera du tableau toutes les cartes de cette liste. Pour voir les cartes archivées et les renvoyer vers le tableau, cliquez sur « Menu » puis « Archives ».", "list-move-cards": "Déplacer toutes les cartes de cette liste", "list-select-cards": "Sélectionner toutes les cartes de cette liste", - "set-color-list": "Set Color", + "set-color-list": "Définir la couleur", "listActionPopup-title": "Actions sur la liste", "swimlaneActionPopup-title": "Actions du couloir", - "swimlaneAddPopup-title": "Add a Swimlane below", + "swimlaneAddPopup-title": "Ajouter un couloir en dessous", "listImportCardPopup-title": "Importer une carte Trello", "listMorePopup-title": "Plus", "link-list": "Lien vers cette liste", @@ -520,9 +520,9 @@ "editCardReceivedDatePopup-title": "Modifier la date de réception", "editCardEndDatePopup-title": "Modifier la date de fin", "setCardColorPopup-title": "Définir la couleur", - "setCardActionsColorPopup-title": "Choose a color", - "setSwimlaneColorPopup-title": "Choose a color", - "setListColorPopup-title": "Choose a color", + "setCardActionsColorPopup-title": "Choisissez une couleur", + "setSwimlaneColorPopup-title": "Choisissez une couleur", + "setListColorPopup-title": "Choisissez une couleur", "assigned-by": "Assigné par", "requested-by": "Demandé par", "board-delete-notice": "La suppression est définitive. Vous perdrez toutes les listes, cartes et actions associées à ce tableau.", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 342b77d3..4fcb603e 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -1,6 +1,6 @@ { "accept": "接受", - "act-activity-notify": "Activity Notification", + "act-activity-notify": "活動通知", "act-addAttachment": "已新增附件__attachment__至__card__", "act-addSubtask": "已新增子任務__checklist__至__card__", "act-addChecklist": "已新增待辦清單__checklist__至__card__", @@ -59,8 +59,8 @@ "add-attachment": "新增附件", "add-board": "新增看板", "add-card": "新增卡片", - "add-swimlane": "Add Swimlane", - "add-subtask": "Add Subtask", + "add-swimlane": "新增泳道圖", + "add-subtask": "新增子任務", "add-checklist": "新增待辦清單", "add-checklist-item": "新增項目", "add-cover": "新增封面", @@ -72,26 +72,26 @@ "admin": "管理員", "admin-desc": "可以瀏覽並編輯卡片,移除成員,並且更改該看板的設定", "admin-announcement": "公告", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", + "admin-announcement-active": "啟用全系統範圍公告", + "admin-announcement-title": "來自 Administrator 的公告", "all-boards": "全部看板", "and-n-other-card": "和其他 __count__ 個卡片", "and-n-other-card_plural": "和其他 __count__ 個卡片", "apply": "送出", - "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", - "archive": "Move to Archive", - "archive-all": "Move All to Archive", - "archive-board": "Move Board to Archive", - "archive-card": "Move Card to Archive", - "archive-list": "Move List to Archive", - "archive-swimlane": "Move Swimlane to Archive", - "archive-selection": "Move selection to Archive", - "archiveBoardPopup-title": "Move Board to Archive?", - "archived-items": "刪除", - "archived-boards": "Boards in Archive", + "app-is-offline": "請稍候,資料讀取中,重整頁面可能會導致資料遺失。如果讀取一直沒有進度, 請檢查伺服器是否還在運行。", + "archive": "移到封存", + "archive-all": "全部移到封存", + "archive-board": "將看板移到封存", + "archive-card": "將卡片移到封存", + "archive-list": "將清單移到封存", + "archive-swimlane": "將泳道圖移到封存", + "archive-selection": "將選取內容移到封存", + "archiveBoardPopup-title": "將看板移到封存?", + "archived-items": "封存", + "archived-boards": "封存中的看板", "restore-board": "還原看板", - "no-archived-boards": "No Boards in Archive.", - "archives": "刪除", + "no-archived-boards": "封存中沒有看板。", + "archives": "封存", "assign-member": "分配成員", "attached": "附加", "attachment": "附件", @@ -112,32 +112,32 @@ "boardChangeWatchPopup-title": "更改觀察", "boardMenuPopup-title": "看板選單", "boards": "看板", - "board-view": "Board View", - "board-view-cal": "Calendar", - "board-view-swimlanes": "Swimlanes", + "board-view": "看板視圖", + "board-view-cal": "行事曆", + "board-view-swimlanes": "泳道圖", "board-view-lists": "清單", "bucket-example": "例如 “目標清單”", "cancel": "取消", - "card-archived": "This card is moved to Archive.", - "board-archived": "This board is moved to Archive.", + "card-archived": "此卡片已移到封存。", + "board-archived": "此看板已移到封存。", "card-comments-title": "該卡片有 %s 則評論", "card-delete-notice": "徹底刪除的操作不可復原,你將會遺失該卡片相關的所有操作記錄。", "card-delete-pop": "所有的動作將從活動動態中被移除且您將無法重新打開該卡片。此操作無法復原。", "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", - "card-due": "到期", - "card-due-on": "到期", - "card-spent": "Spent Time", + "card-due": "期限", + "card-due-on": "期限日", + "card-spent": "耗費時間", "card-edit-attachments": "編輯附件", - "card-edit-custom-fields": "Edit custom fields", + "card-edit-custom-fields": "編輯自訂欄位", "card-edit-labels": "編輯標籤", "card-edit-members": "編輯成員", "card-labels-title": "更改該卡片上的標籤", "card-members-title": "在該卡片中新增或移除看板成員", "card-start": "開始", - "card-start-on": "開始", + "card-start-on": "開始日", "cardAttachmentsPopup-title": "附件來源", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", + "cardCustomField-datePopup-title": "更改日期", + "cardCustomFieldsPopup-title": "編輯自訂欄位", "cardDeletePopup-title": "徹底刪除卡片?", "cardDetailsActionsPopup-title": "卡片動作", "cardLabelsPopup-title": "標籤", @@ -146,27 +146,27 @@ "cards": "卡片", "cards-count": "卡片", "casSignIn": "Sign In with CAS", - "cardType-card": "Card", + "cardType-card": "卡片", "cardType-linkedCard": "Linked Card", "cardType-linkedBoard": "Linked Board", "change": "變更", - "change-avatar": "更改大頭貼", - "change-password": "更改密碼", + "change-avatar": "更換大頭貼", + "change-password": "變更密碼", "change-permissions": "更改許可權", "change-settings": "更改設定", - "changeAvatarPopup-title": "更改大頭貼", + "changeAvatarPopup-title": "更換大頭貼", "changeLanguagePopup-title": "更改語言", - "changePasswordPopup-title": "更改密碼", + "changePasswordPopup-title": "變更密碼", "changePermissionsPopup-title": "更改許可權", "changeSettingsPopup-title": "更改設定", - "subtasks": "Subtasks", + "subtasks": "子任務", "checklists": "待辦清單", "click-to-star": "點此來標記該看板", "click-to-unstar": "點此來去除該看板的標記", "clipboard": "剪貼簿貼上或者拖曳檔案", "close": "關閉", "close-board": "關閉看板", - "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", + "close-board-pop": "您可以通過點擊主頁眉中的「封存」按鈕來恢復看板。", "color-black": "黑色", "color-blue": "藍色", "color-crimson": "crimson", @@ -193,45 +193,45 @@ "color-white": "white", "color-yellow": "黃色", "unset-color": "Unset", - "comment": "留言", - "comment-placeholder": "新增評論", - "comment-only": "只可以發表評論", - "comment-only-desc": "只可以對卡片發表評論", - "no-comments": "No comments", + "comment": "評論", + "comment-placeholder": "撰寫評論", + "comment-only": "只能發表評論", + "comment-only-desc": "只能在卡片上發表評論", + "no-comments": "沒有評論", "no-comments-desc": "Can not see comments and activities.", "computer": "從本機上傳", - "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", - "copy-card-link-to-clipboard": "將卡片連結複製到剪貼板", + "confirm-subtask-delete-dialog": "你確定要刪除子任務嗎?", + "confirm-checklist-delete-dialog": "你確定要刪除待辦清單嗎?", + "copy-card-link-to-clipboard": "將卡片連結複製到剪貼簿", "linkCardPopup-title": "Link Card", "searchCardPopup-title": "Search Card", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "copyCardPopup-title": "複製卡片", + "copyChecklistToManyCardsPopup-title": "複製待辦清單的樣板到多個卡片", + "copyChecklistToManyCardsPopup-instructions": "使用此 JSON 格式來表示目標卡片的標題和描述", + "copyChecklistToManyCardsPopup-format": "[ {\\\"title\\\": \\\"第一個卡片標題\\\", \\\"description\\\":\\\"第一個卡片描述\\\"}, {\\\"title\\\":\\\"第二個卡片標題\\\",\\\"description\\\":\\\"第二個卡片描述\\\"},{\\\"title\\\":\\\"最後一個卡片標題\\\",\\\"description\\\":\\\"最後一個卡片描述\\\"} ]", "create": "建立", "createBoardPopup-title": "建立看板", "chooseBoardSourcePopup-title": "匯入看板", "createLabelPopup-title": "建立標籤", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", + "createCustomField": "建立欄位", + "createCustomFieldPopup-title": "建立欄位", "current": "目前", "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", "custom-field-checkbox": "Checkbox", "custom-field-date": "日期", "custom-field-dropdown": "Dropdown List", "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-options": "下拉式選單", + "custom-field-dropdown-options-placeholder": "按下 Enter 新增更多選項", "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", + "custom-field-number": "數字", + "custom-field-text": "文字", + "custom-fields": "自訂欄位", "date": "日期", "decline": "拒絕", "default-avatar": "預設大頭貼", "delete": "刪除", - "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteCustomFieldPopup-title": "刪除自訂欄位?", "deleteLabelPopup-title": "刪除標籤?", "description": "描述", "disambiguateMultiLabelPopup-title": "清除標籤動作歧義", @@ -240,17 +240,17 @@ "done": "完成", "download": "下載", "edit": "編輯", - "edit-avatar": "更改大頭貼", - "edit-profile": "編輯資料", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "更改開始日期", - "editCardDueDatePopup-title": "更改到期日期", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", + "edit-avatar": "更換大頭貼", + "edit-profile": "編輯個人資料", + "edit-wip-limit": "編輯 WIP 限制", + "soft-wip-limit": "軟性 WIP 限制", + "editCardStartDatePopup-title": "變更開始日期", + "editCardDueDatePopup-title": "變更到期日期", + "editCustomFieldPopup-title": "編輯欄位", + "editCardSpentTimePopup-title": "變更耗費時間", "editLabelPopup-title": "更改標籤", "editNotificationPopup-title": "更改通知", - "editProfilePopup-title": "編輯資料", + "editProfilePopup-title": "編輯個人資料", "email": "電子郵件", "email-enrollAccount-subject": "您在 __siteName__ 的帳號已經建立", "email-enrollAccount-text": "親愛的 __user__,\n\n點選下面的連結,即刻開始使用這項服務。\n\n__url__\n\n謝謝。", @@ -277,17 +277,17 @@ "error-user-notCreated": "該使用者未能成功建立", "error-username-taken": "這個使用者名稱已被使用", "error-email-taken": "電子信箱已被使用", - "export-board": "Export board", - "filter": "過濾", - "filter-cards": "過濾卡片", - "filter-clear": "清空過濾條件", + "export-board": "匯出看板", + "filter": "篩選", + "filter-cards": "篩選卡片", + "filter-clear": "清除篩選條件", "filter-no-label": "沒有標籤", "filter-no-member": "沒有成員", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "過濾條件啟用", - "filter-on-desc": "你正在過濾該看板上的卡片,點此編輯過濾條件。", - "filter-to-selection": "要選擇的過濾條件", - "advanced-filter-label": "Advanced Filter", + "filter-no-custom-fields": "沒有自訂欄位", + "filter-on": "篩選器已開啟", + "filter-on-desc": "你正在篩選該看板上的卡片,點此編輯篩選條件。", + "filter-to-selection": "選擇的篩選條件", + "advanced-filter-label": "進階篩選", "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "全稱", "header-logo-title": "返回您的看板頁面", @@ -345,7 +345,7 @@ "list-delete-pop": "所有的動作將從活動動態中被移除且您將無法再開啟該清單\b。此操作無法復原。", "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "清單", - "swimlanes": "Swimlanes", + "swimlanes": "泳道圖", "log-out": "登出", "log-in": "登入", "loginPopup-title": "登入", @@ -593,7 +593,7 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Archive", + "r-archive": "移到封存", "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "新增", -- cgit v1.2.3-1-g7c22 From bf304ffde588387ebff4b45a5799c2828ad2ffa6 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 30 Jan 2019 02:16:55 +0200 Subject: - Translations: Add Macedonian. --- i18n/mk.i18n.json | 663 +++++++++++++++++++++++++++++ releases/translations/pull-translations.sh | 3 + 2 files changed, 666 insertions(+) create mode 100644 i18n/mk.i18n.json diff --git a/i18n/mk.i18n.json b/i18n/mk.i18n.json new file mode 100644 index 00000000..cdc21750 --- /dev/null +++ b/i18n/mk.i18n.json @@ -0,0 +1,663 @@ +{ + "accept": "Accept", + "act-activity-notify": "Activity Notification", + "act-addAttachment": "attached __attachment__ to __card__", + "act-addSubtask": "added subtask __checklist__ to __card__", + "act-addChecklist": "added checklist __checklist__ to __card__", + "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", + "act-addComment": "commented on __card__: __comment__", + "act-createBoard": "created __board__", + "act-createCard": "added __card__ to __list__", + "act-createCustomField": "created custom field __customField__", + "act-createList": "added __list__ to __board__", + "act-addBoardMember": "added __member__ to __board__", + "act-archivedBoard": "__board__ moved to Archive", + "act-archivedCard": "__card__ moved to Archive", + "act-archivedList": "__list__ moved to Archive", + "act-archivedSwimlane": "__swimlane__ moved to Archive", + "act-importBoard": "imported __board__", + "act-importCard": "imported __card__", + "act-importList": "imported __list__", + "act-joinMember": "added __member__ to __card__", + "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-removeBoardMember": "removed __member__ from __board__", + "act-restoredCard": "restored __card__ to __board__", + "act-unjoinMember": "removed __member__ from __card__", + "act-withBoardTitle": "__board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Archive", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", + "add": "Add", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Members", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Archive", + "archived-boards": "Boards in Archive", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Archive.", + "archives": "Archive", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Menu", + "boards": "Boards", + "board-view": "Board View", + "board-view-cal": "Calendar", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Members", + "cardMorePopup-title": "More", + "cards": "Cards", + "cards-count": "Cards", + "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "subtasks": "Subtasks", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", + "color-green": "green", + "color-indigo": "indigo", + "color-lime": "lime", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", + "color-orange": "orange", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", + "color-pink": "pink", + "color-plum": "plum", + "color-purple": "purple", + "color-red": "red", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", + "color-sky": "sky", + "color-slateblue": "slateblue", + "color-white": "white", + "color-yellow": "yellow", + "unset-color": "Unset", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", + "computer": "Computer", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "linkCardPopup-title": "Link Card", + "searchCardPopup-title": "Search Card", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "link": "Link", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From previous export", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "set-color-list": "Set Color", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Members", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "rules": "Rules", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Archive", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "days": "days", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "New rule title", + "r-no-rules": "No rules", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "set-filter": "Set Filter", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "list name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member", + "r-name": "name", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", + "r-card": "card", + "r-add": "Add", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-items-check": "items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checklist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout", + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login" +} \ No newline at end of file diff --git a/releases/translations/pull-translations.sh b/releases/translations/pull-translations.sh index 0070214f..bea4d0cb 100755 --- a/releases/translations/pull-translations.sh +++ b/releases/translations/pull-translations.sh @@ -87,6 +87,9 @@ tx pull -f -l ko echo "Latvian (Latvia):" tx pull -f -l lv_LV +echo "Macedonian:" +tx pull -f -l mk + echo "Mongolian (Mongolia):" tx pull -f -l mn_MN -- cgit v1.2.3-1-g7c22 From 6e4a6515e00fe68b8615d850cfb3cb290418e176 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 30 Jan 2019 02:18:27 +0200 Subject: - Translations: Add Macedonian. --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 74d75357..318b9294 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release adds the following new features: + +- Translations: Add Macedonian. + +Thanks to translators. + # v2.09 2019-01-28 Wekan release This release fixes the following bugs with Apache I-CLA, thanks to bentiss: -- cgit v1.2.3-1-g7c22 From d53a7ce5f19b940c28bfaba09b887c73ba164211 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 30 Jan 2019 16:06:31 +0200 Subject: Update translations. --- i18n/zh-TW.i18n.json | 92 ++++++++++++++++++++++++++-------------------------- 1 file changed, 46 insertions(+), 46 deletions(-) diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 4fcb603e..59c2cb1d 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -1,51 +1,51 @@ { "accept": "接受", "act-activity-notify": "活動通知", - "act-addAttachment": "已新增附件__attachment__至__card__", - "act-addSubtask": "已新增子任務__checklist__至__card__", - "act-addChecklist": "已新增待辦清單__checklist__至__card__", - "act-addChecklistItem": "已新增__checklistItem__到__card__中的待辦清單__checklist__", - "act-addComment": "已評論__card__: __comment__", + "act-addAttachment": "已新增附件 __attachment__ 到 __card__", + "act-addSubtask": "已新增子任務 __checklist__ 到 __card__", + "act-addChecklist": "已新增待辦清單 __checklist__ 到 __card__", + "act-addChecklistItem": "已新增 __checklistItem__ 到 __card__ 中的待辦清單 __checklist__", + "act-addComment": "已評論 __card__: __comment__", "act-createBoard": "已新增 __board__", - "act-createCard": "已將__card__加入__list__", - "act-createCustomField": "已新增自訂欄位__customField__", - "act-createList": "已新增__list__至__board__", - "act-addBoardMember": "已在__board__中新增成員__member__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "已匯入__board__", - "act-importCard": "已匯入__card__", - "act-importList": "已匯入__list__", - "act-joinMember": "已在__card__中新增成員__member__", - "act-moveCard": "已將__card__從__oldList__移動至__list__", - "act-removeBoardMember": "已從__board__中移除成員__member__", - "act-restoredCard": "已將__card__回復至__board__", - "act-unjoinMember": "已從__card__中移除成員__member__", + "act-createCard": "已將 __card__ 加入 __list__", + "act-createCustomField": "已新增自訂欄位 __customField__", + "act-createList": "已新增 __list__ 到 __board__", + "act-addBoardMember": "已在 __board__ 中新增成員 __member__", + "act-archivedBoard": "__board__ 已被移到封存", + "act-archivedCard": "__card__ 已被移到封存", + "act-archivedList": "__list__ 已被移到封存", + "act-archivedSwimlane": "__swimlane__ 已被移到封存", + "act-importBoard": "已匯入 __board__", + "act-importCard": "已匯入 __card__", + "act-importList": "已匯入 __list__", + "act-joinMember": "已在 __card__ 中新增成員 __member__", + "act-moveCard": "已將 __card__ 從 __oldList__ 移到 __list__", + "act-removeBoardMember": "已從 __board__ 中移除成員 __member__", + "act-restoredCard": "已將 __card__ 回復到 __board__", + "act-unjoinMember": "已從 __card__ 中移除成員 __member__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "操作", "activities": "活動", "activity": "活動", - "activity-added": "新增 %s 至 %s", - "activity-archived": "%s moved to Archive", - "activity-attached": "已新增附件 %s 至 %s", + "activity-added": "新增 %s 到 %s", + "activity-archived": "%s 已被移到封存", + "activity-attached": "已新增附件 %s 到 %s", "activity-created": "建立 %s", - "activity-customfield-created": "created custom field %s", + "activity-customfield-created": "已建立的自訂欄位 %s", "activity-excluded": "排除 %s 從 %s", - "activity-imported": "匯入 %s 至 %s 從 %s 中", + "activity-imported": "匯入 %s 到 %s 從 %s 中", "activity-imported-board": "已匯入 %s 從 %s 中", - "activity-joined": "關聯 %s", - "activity-moved": "將 %s 從 %s 移動到 %s", + "activity-joined": "已關聯 %s", + "activity-moved": "將 %s 從 %s 移到 %s", "activity-on": "在 %s", - "activity-removed": "移除 %s 從 %s 中", - "activity-sent": "寄送 %s 至 %s", - "activity-unjoined": "解除關聯 %s", - "activity-subtask-added": "added subtask to %s", + "activity-removed": "已移除 %s 從 %s 中", + "activity-sent": "已寄送 %s 到 %s", + "activity-unjoined": "已解除關聯 %s", + "activity-subtask-added": "已新增子任務到 %s", "activity-checked-item": "checked %s in checklist %s of %s", "activity-unchecked-item": "unchecked %s in checklist %s of %s", - "activity-checklist-added": "新增待辦清單至 %s", + "activity-checklist-added": "已新增待辦清單到 %s", "activity-checklist-removed": "removed a checklist from %s", "activity-checklist-completed": "completed the checklist %s of %s", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", @@ -98,17 +98,17 @@ "attachment-delete-pop": "刪除附件的操作無法還原。", "attachmentDeletePopup-title": "刪除附件?", "attachments": "附件", - "auto-watch": "新增看板時自動加入觀察", - "avatar-too-big": "頭像檔案太大 (最大 70 KB)", + "auto-watch": "新增看板時自動加入觀看", + "avatar-too-big": "頭像檔案太大(最大 70 KB)", "back": "返回", - "board-change-color": "更改顏色", + "board-change-color": "更換顏色", "board-nb-stars": "%s 星號標記", "board-not-found": "看板不存在", - "board-private-info": "該看板將被設為 私有.", - "board-public-info": "該看板將被設為 公開.", - "boardChangeColorPopup-title": "修改看板背景", + "board-private-info": "此看板將被設為 私密.", + "board-public-info": "此看板將被設為 公開.", + "boardChangeColorPopup-title": "更換看板背景", "boardChangeTitlePopup-title": "重新命名看板", - "boardChangeVisibilityPopup-title": "更改可視級別", + "boardChangeVisibilityPopup-title": "改變觀看權限", "boardChangeWatchPopup-title": "更改觀察", "boardMenuPopup-title": "看板選單", "boards": "看板", @@ -116,14 +116,14 @@ "board-view-cal": "行事曆", "board-view-swimlanes": "泳道圖", "board-view-lists": "清單", - "bucket-example": "例如 “目標清單”", + "bucket-example": "例如「目標清單」", "cancel": "取消", "card-archived": "此卡片已移到封存。", "board-archived": "此看板已移到封存。", "card-comments-title": "該卡片有 %s 則評論", - "card-delete-notice": "徹底刪除的操作不可復原,你將會遺失該卡片相關的所有操作記錄。", - "card-delete-pop": "所有的動作將從活動動態中被移除且您將無法重新打開該卡片。此操作無法復原。", - "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", + "card-delete-notice": "刪除是永久性的,您將遺失該卡片的所有相關操作記錄。", + "card-delete-pop": "所有活動中的內容都將被刪除,此操作無法撤消,您將無法重新開啟此卡片。", + "card-delete-suggest-archive": "您可以將卡片移到封存來將卡片從看板上移除,並且保留其中的活動。", "card-due": "期限", "card-due-on": "期限日", "card-spent": "耗費時間", @@ -138,14 +138,14 @@ "cardAttachmentsPopup-title": "附件來源", "cardCustomField-datePopup-title": "更改日期", "cardCustomFieldsPopup-title": "編輯自訂欄位", - "cardDeletePopup-title": "徹底刪除卡片?", + "cardDeletePopup-title": "刪除卡片?", "cardDetailsActionsPopup-title": "卡片動作", "cardLabelsPopup-title": "標籤", "cardMembersPopup-title": "成員", "cardMorePopup-title": "更多", "cards": "卡片", "cards-count": "卡片", - "casSignIn": "Sign In with CAS", + "casSignIn": "以 CAS 登入", "cardType-card": "卡片", "cardType-linkedCard": "Linked Card", "cardType-linkedBoard": "Linked Board", -- cgit v1.2.3-1-g7c22 From 9703843602c710a3c8848e9b07e46126a3ae8146 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 30 Jan 2019 17:56:53 +0200 Subject: - Revert [Sandstorm API changes](https://github.com/wekan/wekan/commit/be03a191c4321c2f80116c0ee1ae6c826d882535 that were done at [Wekan v2.05](https://github.com/wekan/wekan/blob/devel/CHANGELOG.md#v205-2019-01-27-wekan-release) to fix #2143. Thanks to pantraining and xet7 ! Closes #2143 --- sandstorm-pkgdef.capnp | 2 +- server/authentication.js | 21 --------------------- 2 files changed, 1 insertion(+), 22 deletions(-) diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 78c35eb5..c25385ca 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -226,7 +226,7 @@ const pkgdef :Spk.PackageDefinition = ( verbPhrase = (defaultText = "removed from card"), ), ], ), - apiPath = "/api", + apiPath = "/", saveIdentityCaps = true, ), ); diff --git a/server/authentication.js b/server/authentication.js index d0d71e4d..4d3cc53e 100644 --- a/server/authentication.js +++ b/server/authentication.js @@ -16,27 +16,6 @@ Meteor.startup(() => { Authentication = {}; Authentication.checkUserId = function (userId) { - if (userId === undefined) { - // Monkey patch to work around the problem described in - // https://github.com/sandstorm-io/meteor-accounts-sandstorm/pull/31 - const _httpMethods = HTTP.methods; - HTTP.methods = (newMethods) => { - Object.keys(newMethods).forEach((key) => { - if (newMethods[key].auth) { - newMethods[key].auth = function() { - const sandstormID = this.req.headers['x-sandstorm-user-id']; - const user = Meteor.users.findOne({'services.sandstorm.id': sandstormID}); - if (user) { - userId = user._id; - } - //return user && user._id; - }; - } - }); - _httpMethods(newMethods); - }; - } - if (userId === undefined) { const error = new Meteor.Error('Unauthorized', 'Unauthorized'); error.statusCode = 401; -- cgit v1.2.3-1-g7c22 From e6af48fc4ad3c5726a886a1f50f2f5cb9cdb0d8c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 30 Jan 2019 18:04:44 +0200 Subject: Update changelog with latest changes. --- CHANGELOG.md | 11 +++++++++-- 1 file changed, 9 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 318b9294..0e5629ce 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,9 +2,16 @@ This release adds the following new features: -- Translations: Add Macedonian. +- Translations: Add Macedonian. [Copied Bulgarian to Macedonian](https://github.com/wekan/wekan/commit/6e4a6515e00fe68b8615d850cfb3cb290418e176) + so that required changes will be faster to add. Thanks to translators and therampagerado. -Thanks to translators. +and fixes the following bugs: + +- Revert [Sandstorm API changes](https://github.com/wekan/wekan/commit/be03a191c4321c2f80116c0ee1ae6c826d882535 + that were done at [Wekan v2.05](https://github.com/wekan/wekan/blob/devel/CHANGELOG.md#v205-2019-01-27-wekan-release) + to fix #2143. Thanks to pantraining and xet7. + +Thanks to above GitHub users and translators for contributions. # v2.09 2019-01-28 Wekan release -- cgit v1.2.3-1-g7c22 From 7e247c14b2a89849c37376d9ebd68d6d121b33cb Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 30 Jan 2019 18:07:23 +0200 Subject: Update translations (mk). --- i18n/mk.i18n.json | 872 +++++++++++++++++++++++++++--------------------------- 1 file changed, 436 insertions(+), 436 deletions(-) diff --git a/i18n/mk.i18n.json b/i18n/mk.i18n.json index cdc21750..432504e2 100644 --- a/i18n/mk.i18n.json +++ b/i18n/mk.i18n.json @@ -1,382 +1,382 @@ { - "accept": "Accept", + "accept": "Приемам", "act-activity-notify": "Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", + "act-addAttachment": "прикачи __attachment__ към __card__", + "act-addSubtask": "добави задача __checklist__ към __card__", + "act-addChecklist": "добави списък със задачи __checklist__ към __card__", + "act-addChecklistItem": "добави __checklistItem__ към списък със задачи __checklist__ в __card__", + "act-addComment": "Коментира в __card__: __comment__", + "act-createBoard": "създаде __board__", + "act-createCard": "добави __card__ към __list__", + "act-createCustomField": "създаде собствено поле __customField__", + "act-createList": "добави __list__ към __board__", + "act-addBoardMember": "добави __member__ към __board__", + "act-archivedBoard": "__board__ е преместен в Архива", + "act-archivedCard": "__card__ е преместена в Архива", + "act-archivedList": "__list__ е преместен в Архива", + "act-archivedSwimlane": "__swimlane__ е преместен в Архива", + "act-importBoard": "импортира __board__", + "act-importCard": "импортира __card__", + "act-importList": "импортира __list__", + "act-joinMember": "добави __member__ към __card__", + "act-moveCard": "премести __card__ от __oldList__ в __list__", + "act-removeBoardMember": "премахна __member__ от __board__", + "act-restoredCard": "възстанови __card__ в __board__", + "act-unjoinMember": "премахна __member__ от __card__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Archive", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-subtask-added": "added subtask to %s", - "activity-checked-item": "checked %s in checklist %s of %s", - "activity-unchecked-item": "unchecked %s in checklist %s of %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", - "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", - "add": "Add", - "activity-checked-item-card": "checked %s in checklist %s", - "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", - "activity-checklist-uncompleted-card": "uncompleted the checklist %s", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-subtask": "Add Subtask", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", - "addMemberPopup-title": "Members", - "admin": "Admin", + "actions": "Действия", + "activities": "Действия", + "activity": "Дейности", + "activity-added": "добави %s към %s", + "activity-archived": "%s е преместена в Архива", + "activity-attached": "прикачи %s към %s", + "activity-created": "създаде %s", + "activity-customfield-created": "създаде собствено поле %s", + "activity-excluded": "изключи %s от %s", + "activity-imported": "импортира %s в/във %s от %s", + "activity-imported-board": "импортира %s от %s", + "activity-joined": "се присъедини към %s", + "activity-moved": "премести %s от %s в/във %s", + "activity-on": "на %s", + "activity-removed": "премахна %s от %s", + "activity-sent": "изпрати %s до %s", + "activity-unjoined": "вече не е част от %s", + "activity-subtask-added": "добави задача към %s", + "activity-checked-item": "отбеляза%s в списък със задачи %s на %s", + "activity-unchecked-item": "размаркира %s от списък със задачи %s на %s", + "activity-checklist-added": "добави списък със задачи към %s", + "activity-checklist-removed": "премахна списък със задачи от %s", + "activity-checklist-completed": "завърши списък със задачи %s на %s", + "activity-checklist-uncompleted": "\"отзавърши\" чеклистта %s в %s", + "activity-checklist-item-added": "добави точка към '%s' в/във %s", + "activity-checklist-item-removed": "премахна точка от '%s' в %s", + "add": "Добави", + "activity-checked-item-card": "отбеляза %s в чеклист %s", + "activity-unchecked-item-card": "размаркира %s в чеклист %s", + "activity-checklist-completed-card": "завърши чеклиста %s", + "activity-checklist-uncompleted-card": "\"отзавърши\" чеклистта %s", + "add-attachment": "Добави прикачен файл", + "add-board": "Добави Табло", + "add-card": "Добави карта", + "add-swimlane": "Добави коридор", + "add-subtask": "Добави подзадача", + "add-checklist": "Добави списък със задачи", + "add-checklist-item": "Добави точка към списъка със задачи", + "add-cover": "Добави корица", + "add-label": "Добави етикет", + "add-list": "Добави списък", + "add-members": "Добави членове", + "added": "Добавено", + "addMemberPopup-title": "Членове", + "admin": "Администратор", "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", + "admin-announcement": "Съобщение", "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", + "admin-announcement-title": "Съобщение от администратора", + "all-boards": "Всички табла", + "and-n-other-card": "И __count__ друга карта", + "and-n-other-card_plural": "И __count__ други карти", + "apply": "Приложи", "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", - "archive": "Move to Archive", - "archive-all": "Move All to Archive", - "archive-board": "Move Board to Archive", - "archive-card": "Move Card to Archive", - "archive-list": "Move List to Archive", - "archive-swimlane": "Move Swimlane to Archive", - "archive-selection": "Move selection to Archive", - "archiveBoardPopup-title": "Move Board to Archive?", - "archived-items": "Archive", - "archived-boards": "Boards in Archive", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Archive.", - "archives": "Archive", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", + "archive": "Премести в Архива", + "archive-all": "Премести всички в Архива", + "archive-board": "Премести Таблото в Архива", + "archive-card": "Премести Картата в Архива", + "archive-list": "Премести Списъка в Архива", + "archive-swimlane": "Премести Коридора в Архива", + "archive-selection": "Премести избраното в Архива", + "archiveBoardPopup-title": "Да преместя ли Таблото в Архива?", + "archived-items": "Архив", + "archived-boards": "Табла в Архива", + "restore-board": "Възстанови Таблото", + "no-archived-boards": "Няма Табла в Архива.", + "archives": "Архив", + "assign-member": "Възложи на член от екипа", + "attached": "прикачен", + "attachment": "Прикаченн файл", + "attachment-delete-pop": "Изтриването на прикачен файл е завинаги. Няма как да бъде възстановен.", + "attachmentDeletePopup-title": "Желаете ли да изтриете прикачения файл?", + "attachments": "Прикачени файлове", + "auto-watch": "Автоматично наблюдаване на таблата, когато са създадени", + "avatar-too-big": "Аватарът е прекалено голям (максимум 70KB)", + "back": "Назад", + "board-change-color": "Промени цвета", + "board-nb-stars": "%s звезди", + "board-not-found": "Таблото не е намерено", "board-private-info": "This board will be private.", "board-public-info": "This board will be public.", "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", + "boardChangeTitlePopup-title": "Промени името на Таблото", "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", - "boards": "Boards", + "boardChangeWatchPopup-title": "Промени наблюдаването", + "boardMenuPopup-title": "Меню на Таблото", + "boards": "Табла", "board-view": "Board View", - "board-view-cal": "Calendar", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", + "board-view-cal": "Календар", + "board-view-swimlanes": "Коридори", + "board-view-lists": "Списъци", "bucket-example": "Like “Bucket List” for example", "cancel": "Cancel", - "card-archived": "This card is moved to Archive.", - "board-archived": "This board is moved to Archive.", - "card-comments-title": "This card has %s comment.", + "card-archived": "Тази карта е преместена в Архива.", + "board-archived": "Това табло е преместено в Архива.", + "card-comments-title": "Тази карта има %s коментар.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Members", - "cardMorePopup-title": "More", - "cards": "Cards", - "cards-count": "Cards", + "card-delete-suggest-archive": "Можете да преместите картата в Архива, за да я премахнете от Таблото и така да запазите активността в него.", + "card-due": "Готова за", + "card-due-on": "Готова за", + "card-spent": "Изработено време", + "card-edit-attachments": "Промени прикачените файлове", + "card-edit-custom-fields": "Промени собствените полета", + "card-edit-labels": "Промени етикетите", + "card-edit-members": "Промени членовете", + "card-labels-title": "Промени етикетите за картата.", + "card-members-title": "Добави или премахни членове на Таблото от тази карта.", + "card-start": "Начало", + "card-start-on": "Започва на", + "cardAttachmentsPopup-title": "Прикачи от", + "cardCustomField-datePopup-title": "Промени датата", + "cardCustomFieldsPopup-title": "Промени собствените полета", + "cardDeletePopup-title": "Желаете да изтриете картата?", + "cardDetailsActionsPopup-title": "Опции", + "cardLabelsPopup-title": "Етикети", + "cardMembersPopup-title": "Членове", + "cardMorePopup-title": "Още", + "cards": "Карти", + "cards-count": "Карти", "casSignIn": "Sign In with CAS", - "cardType-card": "Card", - "cardType-linkedCard": "Linked Card", - "cardType-linkedBoard": "Linked Board", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "subtasks": "Subtasks", - "checklists": "Checklists", + "cardType-card": "Карта", + "cardType-linkedCard": "Свързана карта", + "cardType-linkedBoard": "Свързано табло", + "change": "Промени", + "change-avatar": "Промени аватара", + "change-password": "Промени паролата", + "change-permissions": "Промени правата", + "change-settings": "Промени настройките", + "changeAvatarPopup-title": "Промени аватара", + "changeLanguagePopup-title": "Промени езика", + "changePasswordPopup-title": "Промени паролата", + "changePermissionsPopup-title": "Промени правата", + "changeSettingsPopup-title": "Промяна на настройките", + "subtasks": "Подзадачи", + "checklists": "Списъци със задачи", "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", - "color-black": "black", - "color-blue": "blue", + "click-to-unstar": "Натиснете, за да премахнете това табло от любими.", + "clipboard": "Клипборда или с драг & дроп", + "close": "Затвори", + "close-board": "Затвори Таблото", + "close-board-pop": "Ще можете да възстановите Таблото като натиснете на бутона \"Архив\" в началото на хедъра.", + "color-black": "черно", + "color-blue": "синьо", "color-crimson": "crimson", "color-darkgreen": "darkgreen", "color-gold": "gold", "color-gray": "gray", - "color-green": "green", + "color-green": "зелено", "color-indigo": "indigo", - "color-lime": "lime", + "color-lime": "лайм", "color-magenta": "magenta", "color-mistyrose": "mistyrose", "color-navy": "navy", - "color-orange": "orange", + "color-orange": "оранжево", "color-paleturquoise": "paleturquoise", "color-peachpuff": "peachpuff", - "color-pink": "pink", + "color-pink": "розово", "color-plum": "plum", - "color-purple": "purple", - "color-red": "red", + "color-purple": "пурпурно", + "color-red": "червено", "color-saddlebrown": "saddlebrown", "color-silver": "silver", - "color-sky": "sky", + "color-sky": "светло синьо", "color-slateblue": "slateblue", - "color-white": "white", - "color-yellow": "yellow", + "color-white": "бяло", + "color-yellow": "жълто", "unset-color": "Unset", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "no-comments": "No comments", + "comment": "Коментирай", + "comment-placeholder": "Напиши коментар", + "comment-only": "Само коментар", + "comment-only-desc": "Може да коментира само в карти.", + "no-comments": "Няма коментари", "no-comments-desc": "Can not see comments and activities.", - "computer": "Computer", - "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "computer": "Компютър", + "confirm-subtask-delete-dialog": "Сигурен ли сте, че искате да изтриете подзадачата?", + "confirm-checklist-delete-dialog": "Сигурни ли сте, че искате да изтриете този чеклист?", + "copy-card-link-to-clipboard": "Копирай връзката на картата в клипборда", + "linkCardPopup-title": "Свържи картата", + "searchCardPopup-title": "Търсене на карта", + "copyCardPopup-title": "Копирай картата", + "copyChecklistToManyCardsPopup-title": "Копирай чеклисти в други карти", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", + "create": "Създай", + "createBoardPopup-title": "Създай Табло", + "chooseBoardSourcePopup-title": "Импортирай Табло", + "createLabelPopup-title": "Създай Табло", + "createCustomField": "Създай Поле", + "createCustomFieldPopup-title": "Създай Поле", + "current": "сегашен", "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", + "custom-field-checkbox": "Чекбокс", + "custom-field-date": "Дата", + "custom-field-dropdown": "Падащо меню", + "custom-field-dropdown-none": "(няма)", "custom-field-dropdown-options": "List Options", "custom-field-dropdown-options-placeholder": "Press enter to add more options", "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", + "custom-field-number": "Номер", + "custom-field-text": "Текст", + "custom-fields": "Собствени полета", + "date": "Дата", + "decline": "Отказ", + "default-avatar": "Основен аватар", + "delete": "Изтрий", + "deleteCustomFieldPopup-title": "Изтриване на Собственото поле?", + "deleteLabelPopup-title": "Желаете да изтриете етикета?", + "description": "Описание", "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", + "discard": "Отказ", + "done": "Готово", + "download": "Сваляне", + "edit": "Промени", + "edit-avatar": "Промени аватара", + "edit-profile": "Промяна на профила", + "edit-wip-limit": "Промени WIP лимита", + "soft-wip-limit": "\"Мек\" WIP лимит", + "editCardStartDatePopup-title": "Промени началната дата", + "editCardDueDatePopup-title": "Промени датата за готовност", + "editCustomFieldPopup-title": "Промени Полето", + "editCardSpentTimePopup-title": "Промени изработеното време", + "editLabelPopup-title": "Промяна на Етикета", + "editNotificationPopup-title": "Промени известията", + "editProfilePopup-title": "Промяна на профила", + "email": "Имейл", + "email-enrollAccount-subject": "Ваш профил беше създаден на __siteName__", "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", + "email-fail": "Неуспешно изпращане на имейла", + "email-fail-text": "Възникна грешка при изпращането на имейла", + "email-invalid": "Невалиден имейл", + "email-invite": "Покани чрез имейл", "email-invite-subject": "__inviter__ sent you an invitation", "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", "email-resetPassword-subject": "Reset your password on __siteName__", "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", + "email-sent": "Имейлът е изпратен", "email-verifyEmail-subject": "Verify your email address on __siteName__", "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", + "enable-wip-limit": "Включи WIP лимита", + "error-board-doesNotExist": "Това табло не съществува", + "error-board-notAdmin": "За да направите това трябва да сте администратор на това табло", + "error-board-notAMember": "За да направите това трябва да сте член на това табло", + "error-json-malformed": "Текстът Ви не е валиден JSON", + "error-json-schema": "JSON информацията Ви не съдържа информация във валиден формат", + "error-list-doesNotExist": "Този списък не съществува", + "error-user-doesNotExist": "Този потребител не съществува", + "error-user-notAllowSelf": "Не можете да поканите себе си", + "error-user-notCreated": "Този потребител не е създаден", + "error-username-taken": "Това потребителско име е вече заето", + "error-email-taken": "Имейлът е вече зает", + "export-board": "Експортиране на Табло", + "filter": "Филтър", + "filter-cards": "Филтрирай картите", + "filter-clear": "Премахване на филтрите", + "filter-no-label": "без етикет", + "filter-no-member": "без член", + "filter-no-custom-fields": "Няма Собствени полета", + "filter-on": "Има приложени филтри", + "filter-on-desc": "В момента филтрирате картите в това табло. Моля, натиснете тук, за да промените филтъра.", + "filter-to-selection": "Филтрирай избраните", "advanced-filter-label": "Advanced Filter", "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "link": "Link", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", + "fullname": "Име", + "header-logo-title": "Назад към страницата с Вашите табла.", + "hide-system-messages": "Скриване на системните съобщения", + "headerBarCreateBoardPopup-title": "Създай Табло", + "home": "Начало", + "import": "Импорт", + "link": "Връзка", + "import-board": "Импортирай Табло", + "import-board-c": "Импортирай Табло", + "import-board-title-trello": "Импорт на табло от Trello", "import-board-title-wekan": "Import board from previous export", "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", + "import-sandstorm-warning": "Импортирането ще изтрие всичката налична информация в таблото и ще я замени с нова.", + "from-trello": "От Trello", "from-wekan": "From previous export", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", - "import-json-placeholder": "Paste your valid JSON data here", + "import-json-placeholder": "Копирайте валидната Ви JSON информация тук", "import-map-members": "Map members", "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Review members mapping", "import-user-select": "Pick your existing user you want to use as this member", "importMapMembersAddPopup-title": "Select member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", + "info": "Версия", + "initials": "Инициали", + "invalid-date": "Невалидна дата", + "invalid-time": "Невалиден час", + "invalid-user": "Невалиден потребител", + "joined": "присъедини", + "just-invited": "Бяхте поканени в това табло", + "keyboard-shortcuts": "Преки пътища с клавиатурата", + "label-create": "Създай етикет", + "label-default": "%s етикет (по подразбиране)", "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", + "labels": "Етикети", + "language": "Език", "last-admin-desc": "You can’t change roles because there must be at least one admin.", "leave-board": "Leave Board", "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Archive", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", + "link-card": "Връзка към тази карта", + "list-archive-cards": "Премести всички карти от този списък в Архива", + "list-archive-cards-pop": "Това ще премахне всички карти от този Списък от Таблото. За да видите картите в Архива и да ги върнете натиснете на \"Меню\" > \"Архив\".", + "list-move-cards": "Премести всички карти в този списък", + "list-select-cards": "Избери всички карти в този списък", "set-color-list": "Set Color", "listActionPopup-title": "List Actions", "swimlaneActionPopup-title": "Swimlane Actions", "swimlaneAddPopup-title": "Add a Swimlane below", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", + "listImportCardPopup-title": "Импорт на карта от Trello", + "listMorePopup-title": "Още", + "link-list": "Връзка към този списък", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", - "members": "Members", - "menu": "Menu", + "list-delete-suggest-archive": "Можете да преместите списъка в Архива, за да го премахнете от Таблото и така да запазите активността в него.", + "lists": "Списъци", + "swimlanes": "Коридори", + "log-out": "Изход", + "log-in": "Вход", + "loginPopup-title": "Вход", + "memberMenuPopup-title": "Настройки на профила", + "members": "Членове", + "menu": "Меню", "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", + "moveCardPopup-title": "Премести картата", + "moveCardToBottom-title": "Премести в края", + "moveCardToTop-title": "Премести в началото", "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", + "multi-selection": "Множествен избор", + "multi-selection-on": "Множественият избор е приложен", "muted": "Muted", "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Archive.", - "no-archived-lists": "No lists in Archive.", - "no-archived-swimlanes": "No swimlanes in Archive.", + "my-boards": "Моите табла", + "name": "Име", + "no-archived-cards": "Няма карти в Архива.", + "no-archived-lists": "Няма списъци в Архива.", + "no-archived-swimlanes": "Няма коридори в Архива.", "no-results": "No results", "normal": "Normal", "normal-desc": "Can view and edit cards. Can't change settings.", "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "notify-participate": "Получавате информация за всички карти, в които сте отбелязани или сте създали", + "notify-watch": "Получавате информация за всички табла, списъци и карти, които наблюдавате", "optional": "optional", - "or": "or", + "or": "или", "page-maybe-private": "This page may be private. You may be able to view it by logging in.", "page-not-found": "Page not found.", - "password": "Password", + "password": "Парола", "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", "participating": "Participating", "preview": "Preview", @@ -384,103 +384,103 @@ "previewClipboardImagePopup-title": "Preview", "private": "Private", "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", + "profile": "Профил", "public": "Public", "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", "quick-access-description": "Star a board to add a shortcut in this bar.", "remove-cover": "Remove Cover", "remove-from-board": "Remove from Board", "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", + "listDeletePopup-title": "Желаете да изтриете списъка?", + "remove-member": "Премахни член", + "remove-member-from-card": "Премахни от картата", "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", "removeMemberPopup-title": "Remove Member?", "rename": "Rename", - "rename-board": "Rename Board", - "restore": "Restore", - "save": "Save", - "search": "Search", - "rules": "Rules", + "rename-board": "Промени името на Таблото", + "restore": "Възстанови", + "save": "Запази", + "search": "Търсене", + "rules": "Правила", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", - "select-color": "Select Color", + "select-color": "Избери цвят", "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", + "setWipLimitPopup-title": "Въведи WIP лимит", + "shortcut-assign-self": "Добави себе си към тази карта", "shortcut-autocomplete-emoji": "Autocomplete emoji", "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", + "shortcut-clear-filters": "Изчистване на всички филтри", "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", + "shortcut-filter-my-cards": "Филтрирай моите карти", "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-filterbar": "Отвори/затвори сайдбара с филтри", "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", + "show-cards-minimum-count": "Покажи бройката на картите, ако списъка съдържа повече от", "sidebar-open": "Open Sidebar", "sidebar-close": "Close Sidebar", "signupPopup-title": "Create an Account", "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", + "starred-boards": "Любими табла", + "starred-boards-description": "Любимите табла се показват в началото на списъка Ви.", "subscribe": "Subscribe", "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", + "this-board": "това табло", + "this-card": "картата", + "spent-time-hours": "Изработено време (часа)", + "overtime-hours": "Оувъртайм (часа)", + "overtime": "Оувъртайм", + "has-overtime-cards": "Има карти с оувъртайм", + "has-spenttime-cards": "Има карти с изработено време", + "time": "Време", "title": "Title", - "tracking": "Tracking", + "tracking": "Следене", "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", "type": "Type", "unassign-member": "Unassign member", "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", + "unwatch": "Спри наблюдаването", "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", + "upload-avatar": "Качване на аватар", + "uploaded-avatar": "Качихте аватар", + "username": "Потребителско име", "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Archive", - "watch": "Watch", - "watching": "Watching", + "warn-list-archived": "внимание: тази карта е в списък в Архива", + "watch": "Наблюдавай", + "watching": "Наблюдава", "watching-info": "You will be notified of any change in this board", "welcome-board": "Welcome Board", "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-title": "Невалиден WIP лимит", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", + "wipLimitErrorPopup-dialog-pt2": "Моля, преместете някои от задачите от този списък или въведете по-висок WIP лимит.", + "admin-panel": "Администраторски панел", + "settings": "Настройки", + "people": "Хора", + "registration": "Регистрация", "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", + "invite": "Покани", + "invite-people": "Покани хора", + "to-boards": "в табло/а", + "email-addresses": "Имейл адреси", + "smtp-host-description": "Адресът на SMTP сървъра, който обслужва Вашите имейли.", + "smtp-port-description": "Портът, който Вашият SMTP сървър използва за изходящи имейли.", + "smtp-tls-description": "Разреши TLS поддръжка за SMTP сървъра", + "smtp-host": "SMTP хост", + "smtp-port": "SMTP порт", + "smtp-username": "Потребителско име", + "smtp-password": "Парола", + "smtp-tls": "TLS поддръжка", + "send-from": "От", + "send-smtp-test": "Изпрати тестов имейл на себе си", "invitation-code": "Invitation Code", "email-invite-register-subject": "__inviter__ sent you an invitation", "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", "email-smtp-test-subject": "SMTP Test Email", - "email-smtp-test-text": "You have successfully sent an email", + "email-smtp-test-text": "Успешно изпратихте имейл", "error-invitation-code-not-exist": "Invitation code doesn't exist", "error-notAuthorized": "You are not authorized to view this page.", "outgoing-webhooks": "Outgoing Webhooks", @@ -488,53 +488,53 @@ "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(Unknown)", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "days": "days", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", + "Node_version": "Версия на Node", + "OS_Arch": "Архитектура на ОС", + "OS_Cpus": "Брой CPU ядра", + "OS_Freemem": "Свободна памет", + "OS_Loadavg": "ОС средно натоварване", + "OS_Platform": "ОС платформа", + "OS_Release": "ОС Версия", + "OS_Totalmem": "ОС Общо памет", + "OS_Type": "Тип ОС", + "OS_Uptime": "OS Ъптайм", + "days": "дни", + "hours": "часа", + "minutes": "минути", + "seconds": "секунди", + "show-field-on-card": "Покажи това поле в картата", "automatically-field-on-card": "Auto create field to all cards", "showLabel-field-on-card": "Show field label on minicard", - "yes": "Yes", - "no": "No", - "accounts": "Accounts", - "accounts-allowEmailChange": "Allow Email Change", + "yes": "Да", + "no": "Не", + "accounts": "Профили", + "accounts-allowEmailChange": "Разреши промяна на имейла", "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", + "createdAt": "Създаден на", + "verified": "Потвърден", + "active": "Активен", + "card-received": "Получена", + "card-received-on": "Получена на", + "card-end": "Завършена", + "card-end-on": "Завършена на", + "editCardReceivedDatePopup-title": "Промени датата на получаване", + "editCardEndDatePopup-title": "Промени датата на завършване", "setCardColorPopup-title": "Set color", "setCardActionsColorPopup-title": "Choose a color", "setSwimlaneColorPopup-title": "Choose a color", "setListColorPopup-title": "Choose a color", - "assigned-by": "Assigned By", - "requested-by": "Requested By", + "assigned-by": "Разпределена от", + "requested-by": "Поискан от", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board", - "default-subtasks-board": "Subtasks for __board__ board", - "default": "Default", - "queue": "Queue", - "subtask-settings": "Subtasks Settings", - "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", - "show-subtasks-field": "Cards can have subtasks", + "boardDeletePopup-title": "Изтриване на Таблото?", + "delete-board": "Изтрий таблото", + "default-subtasks-board": "Подзадачи за табло __board__", + "default": "по подразбиране", + "queue": "Опашка", + "subtask-settings": "Настройки на Подзадачите", + "boardSubtaskSettingsPopup-title": "Настройки за Подзадачите за това Табло", + "show-subtasks-field": "Картата може да има подзадачи", "deposit-subtasks-board": "Deposit subtasks to this board:", "deposit-subtasks-list": "Landing list for subtasks deposited here:", "show-parent-in-minicard": "Show parent in minicard:", @@ -542,44 +542,44 @@ "prefix-with-parent": "Prefix with parent", "subtext-with-full-path": "Subtext with full path", "subtext-with-parent": "Subtext with parent", - "change-card-parent": "Change card's parent", - "parent-card": "Parent card", + "change-card-parent": "Промени източника на картата", + "parent-card": "Карта-източник", "source-board": "Source board", - "no-parent": "Don't show parent", - "activity-added-label": "added label '%s' to %s", - "activity-removed-label": "removed label '%s' from %s", - "activity-delete-attach": "deleted an attachment from %s", - "activity-added-label-card": "added label '%s'", - "activity-removed-label-card": "removed label '%s'", - "activity-delete-attach-card": "deleted an attachment", - "r-rule": "Rule", - "r-add-trigger": "Add trigger", - "r-add-action": "Add action", - "r-board-rules": "Board rules", - "r-add-rule": "Add rule", - "r-view-rule": "View rule", - "r-delete-rule": "Delete rule", - "r-new-rule-name": "New rule title", - "r-no-rules": "No rules", - "r-when-a-card": "When a card", - "r-is": "is", - "r-is-moved": "is moved", - "r-added-to": "added to", - "r-removed-from": "Removed from", - "r-the-board": "the board", - "r-list": "list", + "no-parent": "Не показвай източника", + "activity-added-label": "добави етикет '%s' към %s", + "activity-removed-label": "премахна етикет '%s' от %s", + "activity-delete-attach": "изтри прикачен файл от %s", + "activity-added-label-card": "добави етикет '%s'", + "activity-removed-label-card": "премахна етикет '%s'", + "activity-delete-attach-card": "изтри прикачения файл", + "r-rule": "Правило", + "r-add-trigger": "Добави спусък", + "r-add-action": "Добави действие", + "r-board-rules": "Правила за таблото", + "r-add-rule": "Добави правилото", + "r-view-rule": "Виж правилото", + "r-delete-rule": "Изтрий правилото", + "r-new-rule-name": "Заглавие за новото правило", + "r-no-rules": "Няма правила", + "r-when-a-card": "Когато карта", + "r-is": "е", + "r-is-moved": "преместена", + "r-added-to": "добавена в", + "r-removed-from": "премахната от", + "r-the-board": "таблото", + "r-list": "списък", "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Archive", - "r-unarchived": "Restored from Archive", - "r-a-card": "a card", + "r-archived": "Преместено в Архива", + "r-unarchived": "Възстановено от Архива", + "r-a-card": "карта", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", "r-list-name": "list name", "r-when-a-member": "When a member is", "r-when-the-member": "When the member", - "r-name": "name", + "r-name": "име", "r-when-a-attach": "When an attachment", "r-when-a-checklist": "When a checklist is", "r-when-the-checklist": "When the checklist", @@ -589,14 +589,14 @@ "r-when-the-item": "When the checklist item", "r-checked": "Checked", "r-unchecked": "Unchecked", - "r-move-card-to": "Move card to", - "r-top-of": "Top of", - "r-bottom-of": "Bottom of", - "r-its-list": "its list", - "r-archive": "Move to Archive", - "r-unarchive": "Restore from Archive", - "r-card": "card", - "r-add": "Add", + "r-move-card-to": "Премести картата в", + "r-top-of": "началото на", + "r-bottom-of": "края на", + "r-its-list": "списъка й", + "r-archive": "Премести в Архива", + "r-unarchive": "Възстанови от Архива", + "r-card": "карта", + "r-add": "Добави", "r-remove": "Remove", "r-label": "label", "r-member": "member", @@ -613,7 +613,7 @@ "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", - "r-rule-details": "Rule details", + "r-rule-details": "Детайли за правилото", "r-d-move-to-top-gen": "Move card to top of its list", "r-d-move-to-top-spec": "Move card to top of list", "r-d-move-to-bottom-gen": "Move card to bottom of its list", @@ -622,8 +622,8 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Move card to Archive", - "r-d-unarchive": "Restore card from Archive", + "r-d-archive": "Премести картата в Архива", + "r-d-unarchive": "Възстанови картата от Архива", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", "r-create-card": "Create new card", @@ -637,14 +637,14 @@ "r-d-check-one": "Check item", "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", - "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist", + "r-d-add-checklist": "Добави чеклист", + "r-d-remove-checklist": "Премахни чеклист", "r-by": "by", - "r-add-checklist": "Add checklist", - "r-with-items": "with items", - "r-items-list": "item1,item2,item3", - "r-add-swimlane": "Add swimlane", - "r-swimlane-name": "swimlane name", + "r-add-checklist": "Добави чеклист", + "r-with-items": "с точки", + "r-items-list": "точка1,точка2,точка3", + "r-add-swimlane": "Добави коридор", + "r-swimlane-name": "име на коридора", "r-board-note": "Note: leave a field empty to match every possible value.", "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", "r-when-a-card-is-moved": "When a card is moved to another list", -- cgit v1.2.3-1-g7c22 From d6b7c17402abe09c61181415cf778eca56842377 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 30 Jan 2019 18:17:15 +0200 Subject: v2.10 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 0e5629ce..f51c7362 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.10 2019-01-30 Wekan release This release adds the following new features: diff --git a/Stackerfile.yml b/Stackerfile.yml index d62c1b81..6e6abde4 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.09.0" +appVersion: "v2.10.0" files: userUploads: - README.md diff --git a/package.json b/package.json index a53ab108..028b3bcc 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.09.0", + "version": "v2.10.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index c25385ca..ddaea563 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 211, + appVersion = 212, # Increment this for every release. - appMarketingVersion = (defaultText = "2.09.0~2019-01-28"), + appMarketingVersion = (defaultText = "2.10.0~2019-01-30"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From cdb7dd917523a0ec0d22a71f14ce7b3dae5101ad Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 30 Jan 2019 18:49:38 +0200 Subject: Fix typo. --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index f51c7362..e27d8dcb 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -7,7 +7,7 @@ This release adds the following new features: and fixes the following bugs: -- Revert [Sandstorm API changes](https://github.com/wekan/wekan/commit/be03a191c4321c2f80116c0ee1ae6c826d882535 +- Revert [Sandstorm API changes](https://github.com/wekan/wekan/commit/be03a191c4321c2f80116c0ee1ae6c826d882535) that were done at [Wekan v2.05](https://github.com/wekan/wekan/blob/devel/CHANGELOG.md#v205-2019-01-27-wekan-release) to fix #2143. Thanks to pantraining and xet7. -- cgit v1.2.3-1-g7c22 From 8919d8fb7d291c09ecefe17f7ee0c14ab2da3802 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 30 Jan 2019 18:52:14 +0200 Subject: Fix typo. --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index e27d8dcb..67ee79f8 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,7 +3,7 @@ This release adds the following new features: - Translations: Add Macedonian. [Copied Bulgarian to Macedonian](https://github.com/wekan/wekan/commit/6e4a6515e00fe68b8615d850cfb3cb290418e176) - so that required changes will be faster to add. Thanks to translators and therampagerado. + so that required changes will be faster to add. Thanks to translators and therampagerado; and fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 978dafc62b8355dd8b59587a8d4529d885a1f2f7 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 31 Jan 2019 14:19:14 +0200 Subject: - Fix: Bug: Not logged in public board page has calendar. Thanks to xet7 ! Closes #2061 --- client/components/boards/boardBody.jade | 9 +++++---- client/components/boards/boardBody.js | 7 ++++++- 2 files changed, 11 insertions(+), 5 deletions(-) diff --git a/client/components/boards/boardBody.jade b/client/components/boards/boardBody.jade index 9e4b9c61..3a40921d 100644 --- a/client/components/boards/boardBody.jade +++ b/client/components/boards/boardBody.jade @@ -29,7 +29,8 @@ template(name="boardBody") +calendarView template(name="calendarView") - .calendar-view.swimlane - if currentCard - +cardDetails(currentCard) - +fullcalendar(calendarOptions) + if isViewCalendar + .calendar-view.swimlane + if currentCard + +cardDetails(currentCard) + +fullcalendar(calendarOptions) diff --git a/client/components/boards/boardBody.js b/client/components/boards/boardBody.js index ae5b67fd..2de8777a 100644 --- a/client/components/boards/boardBody.js +++ b/client/components/boards/boardBody.js @@ -134,7 +134,7 @@ BlazeComponent.extendComponent({ isViewCalendar() { const currentUser = Meteor.user(); - if (!currentUser) return true; + if (!currentUser) return false; return (currentUser.profile.boardView === 'board-view-cal'); }, @@ -264,4 +264,9 @@ BlazeComponent.extendComponent({ }, }; }, + isViewCalendar() { + const currentUser = Meteor.user(); + if (!currentUser) return false; + return (currentUser.profile.boardView === 'board-view-cal'); + }, }).register('calendarView'); -- cgit v1.2.3-1-g7c22 From 78c18d4ffe6b1b240507b28df94da8b99cbaccfa Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 31 Jan 2019 14:23:23 +0200 Subject: Update changelog. --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 67ee79f8..c1f188a3 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- [Fix: Bug: Not logged in public board page has calendar](https://github.com/wekan/wekan/issues/2061). Thanks to xet7. + +Thanks to above GitHub users and translators for contributions. + # v2.10 2019-01-30 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From 9c82e6ab68708ba074072bc76a82f6a45d0795a9 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 31 Jan 2019 14:23:57 +0200 Subject: Update translations. --- i18n/zh-TW.i18n.json | 60 ++++++++++++++++++++++++++-------------------------- 1 file changed, 30 insertions(+), 30 deletions(-) diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 59c2cb1d..4d7e18d0 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -147,8 +147,8 @@ "cards-count": "卡片", "casSignIn": "以 CAS 登入", "cardType-card": "卡片", - "cardType-linkedCard": "Linked Card", - "cardType-linkedBoard": "Linked Board", + "cardType-linkedCard": "已連結卡片", + "cardType-linkedBoard": "已連結看板", "change": "變更", "change-avatar": "更換大頭貼", "change-password": "變更密碼", @@ -161,50 +161,50 @@ "changeSettingsPopup-title": "更改設定", "subtasks": "子任務", "checklists": "待辦清單", - "click-to-star": "點此來標記該看板", - "click-to-unstar": "點此來去除該看板的標記", + "click-to-star": "點擊以添加標記於此看板。", + "click-to-unstar": "點擊以移除標記於此看板。", "clipboard": "剪貼簿貼上或者拖曳檔案", "close": "關閉", "close-board": "關閉看板", "close-board-pop": "您可以通過點擊主頁眉中的「封存」按鈕來恢復看板。", "color-black": "黑色", "color-blue": "藍色", - "color-crimson": "crimson", - "color-darkgreen": "darkgreen", - "color-gold": "gold", - "color-gray": "gray", + "color-crimson": "艷紅", + "color-darkgreen": "暗綠", + "color-gold": "金色", + "color-gray": "灰色", "color-green": "綠色", - "color-indigo": "indigo", + "color-indigo": "紫藍", "color-lime": "綠黃", - "color-magenta": "magenta", - "color-mistyrose": "mistyrose", - "color-navy": "navy", + "color-magenta": "洋紅", + "color-mistyrose": "玫瑰粉", + "color-navy": "藏青", "color-orange": "橙色", - "color-paleturquoise": "paleturquoise", - "color-peachpuff": "peachpuff", + "color-paleturquoise": "淡藍綠", + "color-peachpuff": "桃色", "color-pink": "粉紅", - "color-plum": "plum", + "color-plum": "梅色", "color-purple": "紫色", "color-red": "紅色", - "color-saddlebrown": "saddlebrown", - "color-silver": "silver", + "color-saddlebrown": "馬鞍棕", + "color-silver": "銀色", "color-sky": "天藍", - "color-slateblue": "slateblue", - "color-white": "white", + "color-slateblue": "青藍", + "color-white": "白色", "color-yellow": "黃色", - "unset-color": "Unset", + "unset-color": "未設置", "comment": "評論", "comment-placeholder": "撰寫評論", "comment-only": "只能發表評論", "comment-only-desc": "只能在卡片上發表評論", "no-comments": "沒有評論", - "no-comments-desc": "Can not see comments and activities.", + "no-comments-desc": "無法檢視評論和活動。", "computer": "從本機上傳", "confirm-subtask-delete-dialog": "你確定要刪除子任務嗎?", "confirm-checklist-delete-dialog": "你確定要刪除待辦清單嗎?", "copy-card-link-to-clipboard": "將卡片連結複製到剪貼簿", - "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "linkCardPopup-title": "連結卡片", + "searchCardPopup-title": "搜尋卡片", "copyCardPopup-title": "複製卡片", "copyChecklistToManyCardsPopup-title": "複製待辦清單的樣板到多個卡片", "copyChecklistToManyCardsPopup-instructions": "使用此 JSON 格式來表示目標卡片的標題和描述", @@ -216,14 +216,14 @@ "createCustomField": "建立欄位", "createCustomFieldPopup-title": "建立欄位", "current": "目前", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", + "custom-field-delete-pop": "此操作將會從所有卡片中移除自訂欄位以及銷毀歷史紀錄,並且無法撤消。", + "custom-field-checkbox": "複選框", "custom-field-date": "日期", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "下拉式選單", + "custom-field-dropdown": "下拉式選單", + "custom-field-dropdown-none": "(無)", + "custom-field-dropdown-options": "清單選項", "custom-field-dropdown-options-placeholder": "按下 Enter 新增更多選項", - "custom-field-dropdown-unknown": "(unknown)", + "custom-field-dropdown-unknown": "(未知)", "custom-field-number": "數字", "custom-field-text": "文字", "custom-fields": "自訂欄位", @@ -255,7 +255,7 @@ "email-enrollAccount-subject": "您在 __siteName__ 的帳號已經建立", "email-enrollAccount-text": "親愛的 __user__,\n\n點選下面的連結,即刻開始使用這項服務。\n\n__url__\n\n謝謝。", "email-fail": "郵件寄送失敗", - "email-fail-text": "Error trying to send email", + "email-fail-text": "嘗試發送郵件時出現錯誤", "email-invalid": "電子郵件地址錯誤", "email-invite": "寄送郵件邀請", "email-invite-subject": "__inviter__ 向您發出邀請", -- cgit v1.2.3-1-g7c22 From 7fc22ba0b73671cd4a0edcada710b6fb42199f7c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 31 Jan 2019 14:27:36 +0200 Subject: v2.11 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index c1f188a3..73a092b1 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.11 2019-01-31 Wekan release This release fixes the following bugs: diff --git a/Stackerfile.yml b/Stackerfile.yml index 6e6abde4..51a90b99 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.10.0" +appVersion: "v2.11.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 028b3bcc..47906606 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.10.0", + "version": "v2.11.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index ddaea563..0e9e4d75 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 212, + appVersion = 213, # Increment this for every release. - appMarketingVersion = (defaultText = "2.10.0~2019-01-30"), + appMarketingVersion = (defaultText = "2.11.0~2019-01-31"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 361faa6646556de68ad78dc90d9eb9f78956ce0f Mon Sep 17 00:00:00 2001 From: Daniel Davis Date: Thu, 31 Jan 2019 11:45:55 -0500 Subject: Bumped the salleman oidc packages versions to include an upstream bug fix --- .meteor/versions | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/.meteor/versions b/.meteor/versions index e09ff33f..b8b8e4fd 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -143,8 +143,8 @@ reload@1.1.11 retry@1.0.9 routepolicy@1.0.12 rzymek:fullcalendar@3.8.0 -salleman:accounts-oidc@1.0.9 -salleman:oidc@1.0.9 +salleman:accounts-oidc@1.0.10 +salleman:oidc@1.0.10 service-configuration@1.0.11 session@1.1.7 sha@1.0.9 -- cgit v1.2.3-1-g7c22 From 654c2add0d5e4b708330251afaf4d1d114bbe2a4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 31 Jan 2019 19:19:47 +0200 Subject: - [Bumped the salleman oidc packages versions to include an upstream bug fix](https://github.com/wekan/wekan/commit/361faa6646556de68ad78dc90d9eb9f78956ce0f). Thanks to danpatdav ! --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 73a092b1..7faab8ec 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- [Bumped the salleman oidc packages versions to include an upstream bug fix](https://github.com/wekan/wekan/commit/361faa6646556de68ad78dc90d9eb9f78956ce0f). + +Thanks to GitHub user danpatdav for contributions. + # v2.11 2019-01-31 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 1b11123797a8da92e478ea257cd24ebadf084a24 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 31 Jan 2019 19:32:27 +0200 Subject: v2.12 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 7faab8ec..de9ec68f 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.12 2019-01-31 Wekan release This release fixes the following bugs: diff --git a/Stackerfile.yml b/Stackerfile.yml index 51a90b99..f0f61101 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.11.0" +appVersion: "v2.12.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 47906606..ff33efc1 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.11.0", + "version": "v2.12.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 0e9e4d75..d8d80938 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 213, + appVersion = 214, # Increment this for every release. - appMarketingVersion = (defaultText = "2.11.0~2019-01-31"), + appMarketingVersion = (defaultText = "2.12.0~2019-01-31"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 30d082e709cbeded24156436b5bc66dfba53d754 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Wed, 30 Jan 2019 16:25:23 +0100 Subject: Use infinite-scrolling on lists This allows to reduce the loading time of a big board. Note that there is an infinite scroll implementation in the mixins, but this doesn't fit well as the cards in the list can have arbitrary height. The idea to rely on the visibility of a spinner is based on http://www.meteorpedia.com/read/Infinite_Scrolling --- client/components/lists/list.styl | 3 ++ client/components/lists/listBody.jade | 12 +++++- client/components/lists/listBody.js | 81 +++++++++++++++++++++++++++++++++++ 3 files changed, 95 insertions(+), 1 deletion(-) diff --git a/client/components/lists/list.styl b/client/components/lists/list.styl index 51ade73c..70502083 100644 --- a/client/components/lists/list.styl +++ b/client/components/lists/list.styl @@ -211,6 +211,9 @@ max-height: 250px overflow: hidden +.sk-spinner-list + margin-top: unset !important + list-header-color(background, color...) border-bottom: 6px solid background diff --git a/client/components/lists/listBody.jade b/client/components/lists/listBody.jade index c6c9b204..f030833b 100644 --- a/client/components/lists/listBody.jade +++ b/client/components/lists/listBody.jade @@ -4,7 +4,7 @@ template(name="listBody") if cards.count +inlinedForm(autoclose=false position="top") +addCardForm(listId=_id position="top") - each (cards (idOrNull ../../_id)) + each (cardsWithLimit (idOrNull ../../_id)) a.minicard-wrapper.js-minicard(href=absoluteUrl class="{{#if cardIsSelected}}is-selected{{/if}}" class="{{#if MultiSelection.isSelected _id}}is-checked{{/if}}") @@ -12,6 +12,16 @@ template(name="listBody") .materialCheckBox.multi-selection-checkbox.js-toggle-multi-selection( class="{{#if MultiSelection.isSelected _id}}is-checked{{/if}}") +minicard(this) + if (showSpinner (idOrNull ../../_id)) + .sk-spinner.sk-spinner-wave.sk-spinner-list( + class=currentBoard.colorClass + id="showMoreResults") + .sk-rect1 + .sk-rect2 + .sk-rect3 + .sk-rect4 + .sk-rect5 + if canSeeAddCard +inlinedForm(autoclose=false position="bottom") +addCardForm(listId=_id position="bottom") diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 1001f3bc..501459d9 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -1,6 +1,34 @@ const subManager = new SubsManager(); +const InfiniteScrollIter = 10; BlazeComponent.extendComponent({ + onCreated() { + // for infinite scrolling + this.cardlimit = new ReactiveVar(InfiniteScrollIter); + }, + + onRendered() { + const domElement = this.find('.js-perfect-scrollbar'); + + this.$(domElement).on('scroll', () => this.updateList(domElement)); + $(window).on(`resize.${this.data().listId}`, () => this.updateList(domElement)); + + // we add a Mutation Observer to allow propagations of cardlimit + // when the spinner stays in the current view (infinite scrolling) + this.mutationObserver = new MutationObserver(() => this.updateList(domElement)); + + this.mutationObserver.observe(domElement, { + childList: true, + }); + + this.updateList(domElement); + }, + + onDestroyed() { + $(window).off(`resize.${this.data().listId}`); + this.mutationObserver.disconnect(); + }, + mixins() { return [Mixins.PerfectScrollbar]; }, @@ -60,6 +88,13 @@ BlazeComponent.extendComponent({ type: 'cardType-card', }); + // if the displayed card count is less than the total cards in the list, + // we need to increment the displayed card count to prevent the spinner + // to appear + const cardCount = this.data().cards(this.idOrNull(swimlaneId)).count(); + if (pthis.cardlimit.get() < cardCount) { + this.cardlimit.set(this.cardlimit.get() + InfiniteScrollIter); + } // In case the filter is active we need to add the newly inserted card in // the list of exceptions -- cards that are not filtered. Otherwise the @@ -119,6 +154,52 @@ BlazeComponent.extendComponent({ return undefined; }, + cardsWithLimit(swimlaneId) { + const limit = this.cardlimit.get(); + const selector = { + listId: this.currentData()._id, + archived: false, + }; + if (swimlaneId) + selector.swimlaneId = swimlaneId; + return Cards.find(Filter.mongoSelector(selector), { + sort: ['sort'], + limit, + }); + }, + + spinnerInView(container) { + const parentViewHeight = container.clientHeight; + const bottomViewPosition = container.scrollTop + parentViewHeight; + + const spinner = this.find('.sk-spinner-list'); + + const threshold = spinner.offsetTop; + + return bottomViewPosition > threshold; + }, + + showSpinner(swimlaneId) { + const list = Template.currentData(); + return list.cards(swimlaneId).count() > this.cardlimit.get(); + }, + + updateList(container) { + // first, if the spinner is not rendered, we have reached the end of + // the list of cards, so skip and disable firing the events + const target = this.find('.sk-spinner-list'); + if (!target) { + this.$(container).off('scroll'); + $(window).off(`resize.${this.data().listId}`); + return; + } + + if (this.spinnerInView(container)) { + this.cardlimit.set(this.cardlimit.get() + InfiniteScrollIter); + Ps.update(container); + } + }, + canSeeAddCard() { return !this.reachedWipLimit() && Meteor.user() && Meteor.user().isBoardMember() && !Meteor.user().isCommentOnly(); }, -- cgit v1.2.3-1-g7c22 From 66bc1f28dd4395c1c2b4434520923edfa54d4eed Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Wed, 30 Jan 2019 16:25:23 +0100 Subject: Use infinite-scrolling on lists This allows to reduce the loading time of a big board. Note that there is an infinite scroll implementation in the mixins, but this doesn't fit well as the cards in the list can have arbitrary height. The idea to rely on the visibility of a spinner is based on http://www.meteorpedia.com/read/Infinite_Scrolling --- client/components/lists/list.styl | 3 ++ client/components/lists/listBody.jade | 12 +++++- client/components/lists/listBody.js | 81 +++++++++++++++++++++++++++++++++++ 3 files changed, 95 insertions(+), 1 deletion(-) diff --git a/client/components/lists/list.styl b/client/components/lists/list.styl index 51ade73c..70502083 100644 --- a/client/components/lists/list.styl +++ b/client/components/lists/list.styl @@ -211,6 +211,9 @@ max-height: 250px overflow: hidden +.sk-spinner-list + margin-top: unset !important + list-header-color(background, color...) border-bottom: 6px solid background diff --git a/client/components/lists/listBody.jade b/client/components/lists/listBody.jade index c6c9b204..f030833b 100644 --- a/client/components/lists/listBody.jade +++ b/client/components/lists/listBody.jade @@ -4,7 +4,7 @@ template(name="listBody") if cards.count +inlinedForm(autoclose=false position="top") +addCardForm(listId=_id position="top") - each (cards (idOrNull ../../_id)) + each (cardsWithLimit (idOrNull ../../_id)) a.minicard-wrapper.js-minicard(href=absoluteUrl class="{{#if cardIsSelected}}is-selected{{/if}}" class="{{#if MultiSelection.isSelected _id}}is-checked{{/if}}") @@ -12,6 +12,16 @@ template(name="listBody") .materialCheckBox.multi-selection-checkbox.js-toggle-multi-selection( class="{{#if MultiSelection.isSelected _id}}is-checked{{/if}}") +minicard(this) + if (showSpinner (idOrNull ../../_id)) + .sk-spinner.sk-spinner-wave.sk-spinner-list( + class=currentBoard.colorClass + id="showMoreResults") + .sk-rect1 + .sk-rect2 + .sk-rect3 + .sk-rect4 + .sk-rect5 + if canSeeAddCard +inlinedForm(autoclose=false position="bottom") +addCardForm(listId=_id position="bottom") diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 1001f3bc..fdea3bae 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -1,6 +1,34 @@ const subManager = new SubsManager(); +const InfiniteScrollIter = 10; BlazeComponent.extendComponent({ + onCreated() { + // for infinite scrolling + this.cardlimit = new ReactiveVar(InfiniteScrollIter); + }, + + onRendered() { + const domElement = this.find('.js-perfect-scrollbar'); + + this.$(domElement).on('scroll', () => this.updateList(domElement)); + $(window).on(`resize.${this.data().listId}`, () => this.updateList(domElement)); + + // we add a Mutation Observer to allow propagations of cardlimit + // when the spinner stays in the current view (infinite scrolling) + this.mutationObserver = new MutationObserver(() => this.updateList(domElement)); + + this.mutationObserver.observe(domElement, { + childList: true, + }); + + this.updateList(domElement); + }, + + onDestroyed() { + $(window).off(`resize.${this.data().listId}`); + this.mutationObserver.disconnect(); + }, + mixins() { return [Mixins.PerfectScrollbar]; }, @@ -60,6 +88,13 @@ BlazeComponent.extendComponent({ type: 'cardType-card', }); + // if the displayed card count is less than the total cards in the list, + // we need to increment the displayed card count to prevent the spinner + // to appear + const cardCount = this.data().cards(this.idOrNull(swimlaneId)).count(); + if (this.cardlimit.get() < cardCount) { + this.cardlimit.set(this.cardlimit.get() + InfiniteScrollIter); + } // In case the filter is active we need to add the newly inserted card in // the list of exceptions -- cards that are not filtered. Otherwise the @@ -119,6 +154,52 @@ BlazeComponent.extendComponent({ return undefined; }, + cardsWithLimit(swimlaneId) { + const limit = this.cardlimit.get(); + const selector = { + listId: this.currentData()._id, + archived: false, + }; + if (swimlaneId) + selector.swimlaneId = swimlaneId; + return Cards.find(Filter.mongoSelector(selector), { + sort: ['sort'], + limit, + }); + }, + + spinnerInView(container) { + const parentViewHeight = container.clientHeight; + const bottomViewPosition = container.scrollTop + parentViewHeight; + + const spinner = this.find('.sk-spinner-list'); + + const threshold = spinner.offsetTop; + + return bottomViewPosition > threshold; + }, + + showSpinner(swimlaneId) { + const list = Template.currentData(); + return list.cards(swimlaneId).count() > this.cardlimit.get(); + }, + + updateList(container) { + // first, if the spinner is not rendered, we have reached the end of + // the list of cards, so skip and disable firing the events + const target = this.find('.sk-spinner-list'); + if (!target) { + this.$(container).off('scroll'); + $(window).off(`resize.${this.data().listId}`); + return; + } + + if (this.spinnerInView(container)) { + this.cardlimit.set(this.cardlimit.get() + InfiniteScrollIter); + Ps.update(container); + } + }, + canSeeAddCard() { return !this.reachedWipLimit() && Meteor.user() && Meteor.user().isBoardMember() && !Meteor.user().isCommentOnly(); }, -- cgit v1.2.3-1-g7c22 From 7a35099fb9778d5f3656a57c74af426cfb20fba3 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 1 Feb 2019 17:03:59 +0200 Subject: - When writing to minicard, press Shift-Enter on minicard to go to next line below, to continue writing on same minicard 2nd line. Thanks to bentiss! --- client/components/lists/listBody.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index fdea3bae..0f5caac5 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -260,7 +260,7 @@ BlazeComponent.extendComponent({ pressKey(evt) { // Pressing Enter should submit the card - if (evt.keyCode === 13) { + if (evt.keyCode === 13 && !evt.shiftKey) { evt.preventDefault(); const $form = $(evt.currentTarget).closest('form'); // XXX For some reason $form.submit() does not work (it's probably a bug -- cgit v1.2.3-1-g7c22 From 8e5fc13ba45f1d8dad3c7d737ef4a13bd38b04ca Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 1 Feb 2019 17:09:05 +0200 Subject: Update changelog with latest changes from bentiss. --- CHANGELOG.md | 17 +++++++++++++++++ 1 file changed, 17 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index de9ec68f..4aa92d0a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,20 @@ +# Upcoming Wekan release + +This release adds the following new features with Apache I-CLA, thanks to bentiss: + +- [Use infinite-scrolling on lists](https://github.com/wekan/wekan/pull/2144). + This allows to reduce the loading time of a big board. + Note that there is an infinite scroll implementation in the mixins, + but this doesn't fit well as the cards in the list can have arbitrary + height. + The idea to rely on the visibility of a spinner is based on + http://www.meteorpedia.com/read/Infinite_Scrolling +- [When writing to minicard, press Shift-Enter on minicard to go to next line + below](https://github.com/wekan/wekan/commit/7a35099fb9778d5f3656a57c74af426cfb20fba3), + to continue writing on same minicard 2nd line. + +Thanks to above GitHub users and translators for contributions. + # v2.12 2019-01-31 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 6f0e0748e1eb6cac238edfcfcfcde1e41d613b96 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 1 Feb 2019 17:15:15 +0200 Subject: v2.13 --- CHANGELOG.md | 4 ++-- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 6 insertions(+), 6 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 4aa92d0a..1d101b66 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.13 2019-02-01 Wekan release This release adds the following new features with Apache I-CLA, thanks to bentiss: @@ -13,7 +13,7 @@ This release adds the following new features with Apache I-CLA, thanks to bentis below](https://github.com/wekan/wekan/commit/7a35099fb9778d5f3656a57c74af426cfb20fba3), to continue writing on same minicard 2nd line. -Thanks to above GitHub users and translators for contributions. +Thanks to GitHub user bentiss for contributions. # v2.12 2019-01-31 Wekan release diff --git a/Stackerfile.yml b/Stackerfile.yml index f0f61101..523ba2b4 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.12.0" +appVersion: "v2.13.0" files: userUploads: - README.md diff --git a/package.json b/package.json index ff33efc1..b9936b63 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.12.0", + "version": "v2.13.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index d8d80938..19e81a74 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 214, + appVersion = 215, # Increment this for every release. - appMarketingVersion = (defaultText = "2.12.0~2019-01-31"), + appMarketingVersion = (defaultText = "2.13.0~2019-02-01"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From c2118f4830020631ab228c59c8b9247a13655ae6 Mon Sep 17 00:00:00 2001 From: guillaume Date: Fri, 1 Feb 2019 19:00:44 +0100 Subject: Improve authentication --- client/components/main/layouts.jade | 6 +- client/components/main/layouts.js | 129 +++++++++++++++------------- client/components/settings/settingBody.jade | 19 ++++ client/components/settings/settingBody.js | 37 +++++++- models/settings.js | 11 ++- server/migrations.js | 24 ++++++ server/publications/settings.js | 12 ++- 7 files changed, 170 insertions(+), 68 deletions(-) diff --git a/client/components/main/layouts.jade b/client/components/main/layouts.jade index 55ee2686..a6115ec1 100644 --- a/client/components/main/layouts.jade +++ b/client/components/main/layouts.jade @@ -23,10 +23,8 @@ template(name="userFormsLayout") br section.auth-dialog +Template.dynamic(template=content) - +connectionMethod - if isCas - .at-form - button#cas(class='at-btn submit' type='submit') {{casSignInLabel}} + if currentSetting.displayAuthenticationMethod + +connectionMethod div.at-form-lang select.select-lang.js-userform-set-language each languages diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index a50d167e..2e057568 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -20,13 +20,19 @@ const validator = { }, }; -Template.userFormsLayout.onCreated(() => { - Meteor.subscribe('setting'); - +Template.userFormsLayout.onCreated(function() { + const instance = this; + instance.currentSetting = new ReactiveVar(); + + Meteor.subscribe('setting', { + onReady() { + instance.currentSetting.set(Settings.findOne()); + return this.stop(); + } + }); }); Template.userFormsLayout.onRendered(() => { - AccountsTemplates.state.form.keys = new Proxy(AccountsTemplates.state.form.keys, validator); const i18nTag = navigator.language; @@ -37,12 +43,10 @@ Template.userFormsLayout.onRendered(() => { }); Template.userFormsLayout.helpers({ - currentSetting() { - return Settings.findOne(); + return Template.instance().currentSetting.get(); }, - afterBodyStart() { return currentSetting.customHTMLafterBodyStart; }, @@ -75,17 +79,6 @@ Template.userFormsLayout.helpers({ const curLang = T9n.getLanguage() || 'en'; return t9nTag === curLang; }, -/* - isCas() { - return Meteor.settings.public && - Meteor.settings.public.cas && - Meteor.settings.public.cas.loginUrl; - }, - - casSignInLabel() { - return TAPi18n.__('casSignIn', {}, T9n.getLanguage() || 'en'); - }, -*/ }); Template.userFormsLayout.events({ @@ -94,49 +87,9 @@ Template.userFormsLayout.events({ T9n.setLanguage(i18nTagToT9n(i18nTag)); evt.preventDefault(); }, - 'click button#cas'() { - Meteor.loginWithCas(function() { - if (FlowRouter.getRouteName() === 'atSignIn') { - FlowRouter.go('/'); - } - }); - }, - 'click #at-btn'(event) { - /* All authentication method can be managed/called here. - !! DON'T FORGET to correctly fill the fields of the user during its creation if necessary authenticationMethod : String !! - */ - const authenticationMethodSelected = $('.select-authentication').val(); - // Local account - if (authenticationMethodSelected === 'password') { - return; - } - - // Stop submit #at-pwd-form - event.preventDefault(); - event.stopImmediatePropagation(); - - const email = $('#at-field-username_and_email').val(); - const password = $('#at-field-password').val(); - - // Ldap account - if (authenticationMethodSelected === 'ldap') { - // Check if the user can use the ldap connection - Meteor.subscribe('user-authenticationMethod', email, { - onReady() { - const user = Users.findOne(); - if (user === undefined || user.authenticationMethod === 'ldap') { - // Use the ldap connection package - Meteor.loginWithLDAP(email, password, function(error) { - if (!error) { - // Connection - return FlowRouter.go('/'); - } - return error; - }); - } - return this.stop(); - }, - }); + 'click #at-btn'(event, instance) { + if (FlowRouter.getRouteName() === 'atSignIn') { + authentication(event, instance); } }, }); @@ -146,3 +99,57 @@ Template.defaultLayout.events({ Modal.close(); }, }); + +async function authentication(event, instance) { + const match = $('#at-field-username_and_email').val(); + const password = $('#at-field-password').val(); + + if (!match || !password) return; + + const result = await getAuthenticationMethod(instance.currentSetting.get(), match); + + if (result === 'password') return; + + // Stop submit #at-pwd-form + event.preventDefault(); + event.stopImmediatePropagation(); + + if (result === 'ldap') { + return Meteor.loginWithLDAP(match, password, function() { + FlowRouter.go('/'); + }); + } + + if (result === 'cas') { + return Meteor.loginWithCas(function() { + FlowRouter.go('/'); + }); + } +} + +function getAuthenticationMethod({displayAuthenticationMethod, defaultAuthenticationMethod}, match) { + if (displayAuthenticationMethod) { + return $('.select-authentication').val(); + } + return getUserAuthenticationMethod(defaultAuthenticationMethod, match); +} + +function getUserAuthenticationMethod(defaultAuthenticationMethod, match) { + return new Promise((resolve, reject) => { + try { + Meteor.subscribe('user-authenticationMethod', match, { + onReady() { + const user = Users.findOne(); + + const authenticationMethod = user + ? user.authenticationMethod + : defaultAuthenticationMethod; + + resolve(authenticationMethod); + }, + }); + } catch(error) { + resolve(defaultAuthenticationMethod); + } + }) +} diff --git a/client/components/settings/settingBody.jade b/client/components/settings/settingBody.jade index 153649fc..220dbb50 100644 --- a/client/components/settings/settingBody.jade +++ b/client/components/settings/settingBody.jade @@ -141,6 +141,16 @@ template(name='layoutSettings') span {{_ 'yes'}} input.form-control#hide-logo(type="radio" name="hideLogo" value="false" checked="{{#unless currentSetting.hideLogo}}checked{{/unless}}") span {{_ 'no'}} + li.layout-form + .title {{_ 'display-authentication-method'}} + .form-group.flex + input.form-control#display-authentication-method(type="radio" name="displayAuthenticationMethod" value="true" checked="{{#if currentSetting.displayAuthenticationMethod}}checked{{/if}}") + span {{_ 'yes'}} + input.form-control#display-authentication-method(type="radio" name="displayAuthenticationMethod" value="false" checked="{{#unless currentSetting.displayAuthenticationMethod}}checked{{/unless}}") + span {{_ 'no'}} + li.layout-form + .title {{_ 'default-authentication-method'}} + +selectAuthenticationMethod(authenticationMethod=currentSetting.defaultAuthenticationMethod) li.layout-form .title {{_ 'custom-product-name'}} .form-group @@ -153,3 +163,12 @@ template(name='layoutSettings') textarea#customHTMLbeforeBodyEnd.form-control= currentSetting.customHTMLbeforeBodyEnd li button.js-save-layout.primary {{_ 'save'}} + + +template(name='selectAuthenticationMethod') + select#defaultAuthenticationMethod + each authentications + if isSelected value + option(value="{{value}}" selected) {{_ value}} + else + option(value="{{value}}") {{_ value}} \ No newline at end of file diff --git a/client/components/settings/settingBody.js b/client/components/settings/settingBody.js index 4f07c84c..1d05a8c7 100644 --- a/client/components/settings/settingBody.js +++ b/client/components/settings/settingBody.js @@ -62,6 +62,9 @@ BlazeComponent.extendComponent({ toggleHideLogo() { $('#hide-logo').toggleClass('is-checked'); }, + toggleDisplayAuthenticationMethod() { + $('#display-authentication-method').toggleClass('is-checked'); + }, switchMenu(event) { const target = $(event.target); if (!target.hasClass('active')) { @@ -140,17 +143,20 @@ BlazeComponent.extendComponent({ const productName = $('#product-name').val().trim(); const hideLogoChange = ($('input[name=hideLogo]:checked').val() === 'true'); + const displayAuthenticationMethod = ($('input[name=displayAuthenticationMethod]:checked').val() === 'true'); + const defaultAuthenticationMethod = $('#defaultAuthenticationMethod').val(); const customHTMLafterBodyStart = $('#customHTMLafterBodyStart').val().trim(); const customHTMLbeforeBodyEnd = $('#customHTMLbeforeBodyEnd').val().trim(); try { - Settings.update(Settings.findOne()._id, { $set: { productName, hideLogo: hideLogoChange, customHTMLafterBodyStart, customHTMLbeforeBodyEnd, + displayAuthenticationMethod, + defaultAuthenticationMethod }, }); } catch (e) { @@ -190,6 +196,7 @@ BlazeComponent.extendComponent({ 'click button.js-send-smtp-test-email': this.sendSMTPTestEmail, 'click a.js-toggle-hide-logo': this.toggleHideLogo, 'click button.js-save-layout': this.saveLayout, + 'click a.js-toggle-display-authentication-method': this.toggleDisplayAuthenticationMethod }]; }, }).register('setting'); @@ -262,3 +269,31 @@ BlazeComponent.extendComponent({ }]; }, }).register('announcementSettings'); + + +Template.selectAuthenticationMethod.onCreated(function() { + this.authenticationMethods = new ReactiveVar([]); + + Meteor.call('getAuthenticationsEnabled', (_, result) => { + if (result) { + // TODO : add a management of different languages + // (ex {value: ldap, text: TAPi18n.__('ldap', {}, T9n.getLanguage() || 'en')}) + this.authenticationMethods.set([ + {value: 'password'}, + // Gets only the authentication methods availables + ...Object.entries(result).filter((e) => e[1]).map((e) => ({value: e[0]})), + ]); + } + }); +}); + +Template.selectAuthenticationMethod.helpers({ + authentications() { + return Template.instance().authenticationMethods.get(); + }, + isSelected(match) { + console.log('this : ', this); + console.log('instance : ', Template.instance()); + return Template.instance().data.authenticationMethod === match; + } +}); \ No newline at end of file diff --git a/models/settings.js b/models/settings.js index 674c99a0..5dd28448 100644 --- a/models/settings.js +++ b/models/settings.js @@ -40,6 +40,14 @@ Settings.attachSchema(new SimpleSchema({ type: String, optional: true, }, + displayAuthenticationMethod: { + type: Boolean, + optional: true, + }, + defaultAuthenticationMethod: { + type: String, + optional: false, + }, hideLogo: { type: Boolean, optional: true, @@ -85,7 +93,8 @@ if (Meteor.isServer) { const from = `Boards Support `; const defaultSetting = {disableRegistration: false, mailServer: { username: '', password: '', host: '', port: '', enableTLS: false, from, - }, createdAt: now, modifiedAt: now}; + }, createdAt: now, modifiedAt: now, displayAuthenticationMethod: true, + defaultAuthenticationMethod: 'password'}; Settings.insert(defaultSetting); } const newSetting = Settings.findOne(); diff --git a/server/migrations.js b/server/migrations.js index 2512b40c..a18ebd71 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -398,3 +398,27 @@ Migrations.add('add-custom-html-before-body-end', () => { }, }, noValidateMulti); }); + +Migrations.add('add-displayAuthenticationMethod', () => { + Settings.update({ + displayAuthenticationMethod: { + $exists: false, + }, + }, { + $set: { + displayAuthenticationMethod: true, + }, + }, noValidateMulti) +}); + +Migrations.add('add-defaultAuthenticationMethod', () => { + Settings.update({ + defaultAuthenticationMethod: { + $exists: false, + }, + }, { + $set: { + defaultAuthenticationMethod: 'password', + }, + }, noValidateMulti) +}); \ No newline at end of file diff --git a/server/publications/settings.js b/server/publications/settings.js index 573a79b4..4e587f4c 100644 --- a/server/publications/settings.js +++ b/server/publications/settings.js @@ -1,5 +1,15 @@ Meteor.publish('setting', () => { - return Settings.find({}, {fields:{disableRegistration: 1, productName: 1, hideLogo: 1, customHTMLafterBodyStart: 1, customHTMLbeforeBodyEnd: 1}}); + return Settings.find({}, { + fields:{ + disableRegistration: 1, + productName: 1, + hideLogo: 1, + customHTMLafterBodyStart: 1, + customHTMLbeforeBodyEnd: 1, + displayAuthenticationMethod: 1, + defaultAuthenticationMethod: 1 + } + }); }); Meteor.publish('mailServer', function () { -- cgit v1.2.3-1-g7c22 From de9965213ae32f4c314dd1a791891e01d12da1dd Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 1 Feb 2019 21:26:04 +0200 Subject: - Fix lint errors. Thanks to xet7 ! --- client/components/main/layouts.js | 8 ++++---- client/components/settings/settingBody.js | 15 +++++---------- models/settings.js | 2 +- server/migrations.js | 6 +++--- server/publications/settings.js | 4 ++-- 5 files changed, 15 insertions(+), 20 deletions(-) diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index 2e057568..73da80e5 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -28,7 +28,7 @@ Template.userFormsLayout.onCreated(function() { onReady() { instance.currentSetting.set(Settings.findOne()); return this.stop(); - } + }, }); }); @@ -140,16 +140,16 @@ function getUserAuthenticationMethod(defaultAuthenticationMethod, match) { Meteor.subscribe('user-authenticationMethod', match, { onReady() { const user = Users.findOne(); - + const authenticationMethod = user ? user.authenticationMethod : defaultAuthenticationMethod; - + resolve(authenticationMethod); }, }); } catch(error) { resolve(defaultAuthenticationMethod); } - }) + }); } diff --git a/client/components/settings/settingBody.js b/client/components/settings/settingBody.js index 1d05a8c7..2f58d551 100644 --- a/client/components/settings/settingBody.js +++ b/client/components/settings/settingBody.js @@ -156,7 +156,7 @@ BlazeComponent.extendComponent({ customHTMLafterBodyStart, customHTMLbeforeBodyEnd, displayAuthenticationMethod, - defaultAuthenticationMethod + defaultAuthenticationMethod, }, }); } catch (e) { @@ -171,17 +171,14 @@ BlazeComponent.extendComponent({ sendSMTPTestEmail() { Meteor.call('sendSMTPTestEmail', (err, ret) => { - if (!err && ret) { /* eslint-disable no-console */ + if (!err && ret) { const message = `${TAPi18n.__(ret.message)}: ${ret.email}`; - console.log(message); alert(message); } else { const reason = err.reason || ''; const message = `${TAPi18n.__(err.error)}\n${reason}`; - console.log(message, err); alert(message); } - /* eslint-enable no-console */ }); }, @@ -196,7 +193,7 @@ BlazeComponent.extendComponent({ 'click button.js-send-smtp-test-email': this.sendSMTPTestEmail, 'click a.js-toggle-hide-logo': this.toggleHideLogo, 'click button.js-save-layout': this.saveLayout, - 'click a.js-toggle-display-authentication-method': this.toggleDisplayAuthenticationMethod + 'click a.js-toggle-display-authentication-method': this.toggleDisplayAuthenticationMethod, }]; }, }).register('setting'); @@ -292,8 +289,6 @@ Template.selectAuthenticationMethod.helpers({ return Template.instance().authenticationMethods.get(); }, isSelected(match) { - console.log('this : ', this); - console.log('instance : ', Template.instance()); return Template.instance().data.authenticationMethod === match; - } -}); \ No newline at end of file + }, +}); diff --git a/models/settings.js b/models/settings.js index 5dd28448..4fcc36ac 100644 --- a/models/settings.js +++ b/models/settings.js @@ -93,7 +93,7 @@ if (Meteor.isServer) { const from = `Boards Support `; const defaultSetting = {disableRegistration: false, mailServer: { username: '', password: '', host: '', port: '', enableTLS: false, from, - }, createdAt: now, modifiedAt: now, displayAuthenticationMethod: true, + }, createdAt: now, modifiedAt: now, displayAuthenticationMethod: true, defaultAuthenticationMethod: 'password'}; Settings.insert(defaultSetting); } diff --git a/server/migrations.js b/server/migrations.js index a18ebd71..8dcd892a 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -408,7 +408,7 @@ Migrations.add('add-displayAuthenticationMethod', () => { $set: { displayAuthenticationMethod: true, }, - }, noValidateMulti) + }, noValidateMulti); }); Migrations.add('add-defaultAuthenticationMethod', () => { @@ -420,5 +420,5 @@ Migrations.add('add-defaultAuthenticationMethod', () => { $set: { defaultAuthenticationMethod: 'password', }, - }, noValidateMulti) -}); \ No newline at end of file + }, noValidateMulti); +}); diff --git a/server/publications/settings.js b/server/publications/settings.js index 4e587f4c..a8f8a969 100644 --- a/server/publications/settings.js +++ b/server/publications/settings.js @@ -7,8 +7,8 @@ Meteor.publish('setting', () => { customHTMLafterBodyStart: 1, customHTMLbeforeBodyEnd: 1, displayAuthenticationMethod: 1, - defaultAuthenticationMethod: 1 - } + defaultAuthenticationMethod: 1, + }, }); }); -- cgit v1.2.3-1-g7c22 From 32f896f19d31f92b5c2e540d0960d00fbf1bf9c3 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 2 Feb 2019 20:52:09 +0200 Subject: - [Fix Sandstorm export board from web](https://github.com/wekan/wekan/issues/2157). - [Fix Error when logging in to Wekan REST API when using Sandstorm Wekan](https://github.com/wekan/wekan/issues/1279). Sandstorm API works this way: Make API key, and from that key copy API URL and API KEY to below. It saves Wekan board to file. `curl http://Bearer:APIKEY@api-12345.local.sandstorm.io:6080/api/boards/sandstorm/export?authToken=#APIKEY > wekanboard.json` If later API key does not work, you need to remove it and make a new one. Closes #2157, closes #1279 --- models/export.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/models/export.js b/models/export.js index 50971c88..76f2da06 100644 --- a/models/export.js +++ b/models/export.js @@ -31,7 +31,7 @@ if (Meteor.isServer) { user = Meteor.users.findOne({ 'services.resume.loginTokens.hashedToken': hashToken, }); - } else { + } else if (!Meteor.settings.public.sandstorm) { Authentication.checkUserId(req.userId); user = Users.findOne({ _id: req.userId, isAdmin: true }); } -- cgit v1.2.3-1-g7c22 From 0ab97266f6b131ca1b28a675c5ea3e621633f957 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 2 Feb 2019 20:57:47 +0200 Subject: - [Fix Sandstorm export board from web](https://github.com/wekan/wekan/issues/2157). - [Fix Error when logging in to Wekan REST API when using Sandstorm Wekan](https://github.com/wekan/wekan/issues/1279). Sandstorm API works this way: Make API key, and from that key copy API URL and API KEY to below. It saves Wekan board to file. `curl http://Bearer:APIKEY@api-12345.local.sandstorm.io:6080/api/boards/sandstorm/export?authToken=#APIKEY > wekanboard.json` If later API key does not work, you need to remove it and make a new one. Thanks to xet7 ! --- CHANGELOG.md | 10 ++++++++++ 1 file changed, 10 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 1d101b66..86362c34 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,13 @@ +# Upcoming Wekan release + +- [Fix Sandstorm export board from web](https://github.com/wekan/wekan/issues/2157). +- [Fix Error when logging in to Wekan REST API when using Sandstorm Wekan](https://github.com/wekan/wekan/issues/1279). + Sandstorm API works this way: Make API key, and from that key copy API URL and API KEY to below. It saves Wekan board to file. + `curl http://Bearer:APIKEY@api-12345.local.sandstorm.io:6080/api/boards/sandstorm/export?authToken=#APIKEY > wekanboard.json` + If later API key does not work, you need to remove it and make a new one. + +Thanks to GitHub user xet7 for contributions. + # v2.13 2019-02-01 Wekan release This release adds the following new features with Apache I-CLA, thanks to bentiss: -- cgit v1.2.3-1-g7c22 From 7f33fa53687a2f534c79e9b45dccd4ce319665b5 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 2 Feb 2019 21:00:16 +0200 Subject: v2.14 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 86362c34..338d41a0 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.14 2019-02-02 Wekan release - [Fix Sandstorm export board from web](https://github.com/wekan/wekan/issues/2157). - [Fix Error when logging in to Wekan REST API when using Sandstorm Wekan](https://github.com/wekan/wekan/issues/1279). diff --git a/Stackerfile.yml b/Stackerfile.yml index 523ba2b4..57f46d6e 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.13.0" +appVersion: "v2.14.0" files: userUploads: - README.md diff --git a/package.json b/package.json index b9936b63..df4c5527 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.13.0", + "version": "v2.14.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 19e81a74..eabff9ab 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 215, + appVersion = 216, # Increment this for every release. - appMarketingVersion = (defaultText = "2.13.0~2019-02-01"), + appMarketingVersion = (defaultText = "2.14.0~2019-02-02"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From d0f74d7a9908a20d7caaeb0323b2529384f0a7f5 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 2 Feb 2019 21:55:50 +0200 Subject: Add missing text. --- CHANGELOG.md | 2 ++ 1 file changed, 2 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 338d41a0..d6665580 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,5 +1,7 @@ # v2.14 2019-02-02 Wekan release +This release fixes the following bugs: + - [Fix Sandstorm export board from web](https://github.com/wekan/wekan/issues/2157). - [Fix Error when logging in to Wekan REST API when using Sandstorm Wekan](https://github.com/wekan/wekan/issues/1279). Sandstorm API works this way: Make API key, and from that key copy API URL and API KEY to below. It saves Wekan board to file. -- cgit v1.2.3-1-g7c22 From 7ba8f72d7bee175d30ecf79cbde34fdbdb9e9c30 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 3 Feb 2019 02:18:35 +0200 Subject: - [Fix: Not displaying card content of public board: Snap, Docker and Sandstorm Shared Wekan Board Link](https://github.com/wekan/wekan/issues/1623) with [code from ChronikEwok](https://github.com/ChronikEwok/wekan/commit/cad9b20451bb6149bfb527a99b5001873b06c3de). Thanks to ChronikEwok ! Closes #1623 --- client/components/swimlanes/swimlanes.js | 16 +++++++++++----- 1 file changed, 11 insertions(+), 5 deletions(-) diff --git a/client/components/swimlanes/swimlanes.js b/client/components/swimlanes/swimlanes.js index 71317714..bf53fd28 100644 --- a/client/components/swimlanes/swimlanes.js +++ b/client/components/swimlanes/swimlanes.js @@ -3,14 +3,20 @@ const { calculateIndex, enableClickOnTouch } = Utils; function currentCardIsInThisList(listId, swimlaneId) { const currentCard = Cards.findOne(Session.get('currentCard')); const currentUser = Meteor.user(); - if (currentUser.profile.boardView === 'board-view-lists') - return currentCard && currentCard.listId === listId; - else if (currentUser.profile.boardView === 'board-view-swimlanes') + if (currentUser && currentUser.profile.boardView === 'board-view-swimlanes') return currentCard && currentCard.listId === listId && currentCard.swimlaneId === swimlaneId; else if (currentUser.profile.boardView === 'board-view-cal') return currentCard; - else - return false; + else // Default view: board-view-lists + return currentCard && currentCard.listId === listId; + // https://github.com/wekan/wekan/issues/1623 + // https://github.com/ChronikEwok/wekan/commit/cad9b20451bb6149bfb527a99b5001873b06c3de + // TODO: In public board, if you would like to switch between List/Swimlane view, you could + // 1) If there is no view cookie, save to cookie board-view-lists + // board-view-lists / board-view-swimlanes / board-view-cal + // 2) If public user changes clicks board-view-lists then change view and + // then change view and save cookie with view value + // without using currentuser above, because currentuser is null. } function initSortable(boardComponent, $listsDom) { -- cgit v1.2.3-1-g7c22 From a7aeb491bae1a8492aafdd7f045785c78f2a6d63 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 3 Feb 2019 02:25:14 +0200 Subject: Update changelog. --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index d6665580..d8b12f42 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +- [Fix: Not displaying card content of public board: Snap, Docker and Sandstorm Shared Wekan Board + Link](https://github.com/wekan/wekan/issues/1623) with + [code from ChronikEwok](https://github.com/ChronikEwok/wekan/commit/cad9b20451bb6149bfb527a99b5001873b06c3de). + +Thanks to ChronikEwok for contributions. + # v2.14 2019-02-02 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 626e7c2c6164843070eb18af8e07307abbe14445 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 3 Feb 2019 02:31:51 +0200 Subject: v2.15 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index d8b12f42..419b0d92 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.15 2019-02-03 Wekan release - [Fix: Not displaying card content of public board: Snap, Docker and Sandstorm Shared Wekan Board Link](https://github.com/wekan/wekan/issues/1623) with diff --git a/Stackerfile.yml b/Stackerfile.yml index 57f46d6e..bbda526e 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.14.0" +appVersion: "v2.15.0" files: userUploads: - README.md diff --git a/package.json b/package.json index df4c5527..172c7c50 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.14.0", + "version": "v2.15.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index eabff9ab..5ecf7c71 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 216, + appVersion = 217, # Increment this for every release. - appMarketingVersion = (defaultText = "2.14.0~2019-02-02"), + appMarketingVersion = (defaultText = "2.15.0~2019-02-03"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 06a1e2665536508009efa4783eb75e4630ee3f22 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 3 Feb 2019 03:06:54 +0200 Subject: Add missing text. --- CHANGELOG.md | 2 ++ 1 file changed, 2 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 419b0d92..cf5f4a83 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,5 +1,7 @@ # v2.15 2019-02-03 Wekan release +This release fixes the following bugs: + - [Fix: Not displaying card content of public board: Snap, Docker and Sandstorm Shared Wekan Board Link](https://github.com/wekan/wekan/issues/1623) with [code from ChronikEwok](https://github.com/ChronikEwok/wekan/commit/cad9b20451bb6149bfb527a99b5001873b06c3de). -- cgit v1.2.3-1-g7c22 From 9a6ac544dd5618e58ce107352124fd9b495e5c30 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 3 Feb 2019 05:12:50 +0200 Subject: - Fix Sandstorm open card on public board, part 2. Thanks to ChronikEwok ! --- client/components/swimlanes/swimlanes.js | 2 -- 1 file changed, 2 deletions(-) diff --git a/client/components/swimlanes/swimlanes.js b/client/components/swimlanes/swimlanes.js index bf53fd28..ce327f54 100644 --- a/client/components/swimlanes/swimlanes.js +++ b/client/components/swimlanes/swimlanes.js @@ -5,8 +5,6 @@ function currentCardIsInThisList(listId, swimlaneId) { const currentUser = Meteor.user(); if (currentUser && currentUser.profile.boardView === 'board-view-swimlanes') return currentCard && currentCard.listId === listId && currentCard.swimlaneId === swimlaneId; - else if (currentUser.profile.boardView === 'board-view-cal') - return currentCard; else // Default view: board-view-lists return currentCard && currentCard.listId === listId; // https://github.com/wekan/wekan/issues/1623 -- cgit v1.2.3-1-g7c22 From 9a07649b8acaddf93dfd4b896a195aed159a2d55 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 3 Feb 2019 05:18:50 +0200 Subject: v2.16 --- CHANGELOG.md | 11 +++++++++++ Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 15 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index cf5f4a83..8e1a6502 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,14 @@ +# 2.16 2019-02-03 Wekan release + +This release fixes the following bugs: + +- [Part 2](https://github.com/ChronikEwok/wekan/commit/9a6ac544dd5618e58ce107352124fd9b495e5c30): + [Fix: Not displaying card content of public board: Snap, Docker and Sandstorm Shared Wekan Board + Link](https://github.com/wekan/wekan/issues/1623) with + [code from ChronikEwok](https://github.com/ChronikEwok/wekan/commit/cad9b20451bb6149bfb527a99b5001873b06c3de). + +Thanks to ChronikEwok for contributions. + # v2.15 2019-02-03 Wekan release This release fixes the following bugs: diff --git a/Stackerfile.yml b/Stackerfile.yml index bbda526e..b8ef52f1 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.15.0" +appVersion: "v2.16.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 172c7c50..0518e75f 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.15.0", + "version": "v2.16.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 5ecf7c71..b2653cda 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 217, + appVersion = 218, # Increment this for every release. - appMarketingVersion = (defaultText = "2.15.0~2019-02-03"), + appMarketingVersion = (defaultText = "2.16.0~2019-02-03"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 70ed552e1a7645347612958e492ac7bfc8cba8f0 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 3 Feb 2019 15:45:00 +0200 Subject: Update translations. --- i18n/ru.i18n.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index a588ba2f..5a14bc2e 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -494,7 +494,7 @@ "OS_Freemem": "Свободная память", "OS_Loadavg": "Средняя загрузка", "OS_Platform": "Платформа", - "OS_Release": "Релиз", + "OS_Release": "Версия ядра", "OS_Totalmem": "Общая память", "OS_Type": "Тип ОС", "OS_Uptime": "Время работы", -- cgit v1.2.3-1-g7c22 From c42f2a05d2be5a8ef2f1c6799b7e70ef5397195c Mon Sep 17 00:00:00 2001 From: Karim Gillani Date: Mon, 4 Feb 2019 08:24:10 -0800 Subject: OIDC BoardView Fix --- models/users.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/models/users.js b/models/users.js index 56643848..a054c1ce 100644 --- a/models/users.js +++ b/models/users.js @@ -569,7 +569,7 @@ if (Meteor.isServer) { user.username = user.services.oidc.username; user.emails = [{ address: email, verified: true }]; const initials = user.services.oidc.fullname.match(/\b[a-zA-Z]/g).join('').toUpperCase(); - user.profile = { initials, fullname: user.services.oidc.fullname }; + user.profile = { initials, fullname: user.services.oidc.fullname, boardView: 'board-view-lists' }; user.authenticationMethod = 'oauth2'; // see if any existing user has this email address or username, otherwise create new -- cgit v1.2.3-1-g7c22 From d689a7408b9cd383babea5b78b1b4689ac891c76 Mon Sep 17 00:00:00 2001 From: Karim Gillani Date: Mon, 4 Feb 2019 09:36:21 -0800 Subject: Fix trailing spaces --- models/users.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/models/users.js b/models/users.js index a054c1ce..0fdf21a8 100644 --- a/models/users.js +++ b/models/users.js @@ -569,7 +569,7 @@ if (Meteor.isServer) { user.username = user.services.oidc.username; user.emails = [{ address: email, verified: true }]; const initials = user.services.oidc.fullname.match(/\b[a-zA-Z]/g).join('').toUpperCase(); - user.profile = { initials, fullname: user.services.oidc.fullname, boardView: 'board-view-lists' }; + user.profile = { initials, fullname: user.services.oidc.fullname, boardView: 'board-view-lists' }; user.authenticationMethod = 'oauth2'; // see if any existing user has this email address or username, otherwise create new -- cgit v1.2.3-1-g7c22 From 698ce8f0e6832f3c8068a681c736736391b5aec8 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 4 Feb 2019 21:07:36 +0200 Subject: Update translations (sv). --- i18n/sv.i18n.json | 68 +++++++++++++++++++++++++++---------------------------- 1 file changed, 34 insertions(+), 34 deletions(-) diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 0012072a..773ea874 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -82,16 +82,16 @@ "archive": "Flytta till Arkiv", "archive-all": "Flytta alla till Arkiv", "archive-board": "Flytta Anslagstavla till Arkiv", - "archive-card": "Move Card to Archive", - "archive-list": "Move List to Archive", + "archive-card": "Flytta Kort till Arkiv", + "archive-list": "Flytta Lista till Arkiv", "archive-swimlane": "Move Swimlane to Archive", - "archive-selection": "Move selection to Archive", + "archive-selection": "Flytta markerade till Arkiv", "archiveBoardPopup-title": "Move Board to Archive?", - "archived-items": "Arkivera", + "archived-items": "Arkiv", "archived-boards": "Boards in Archive", "restore-board": "Återställ anslagstavla", "no-archived-boards": "No Boards in Archive.", - "archives": "Arkivera", + "archives": "Arkiv", "assign-member": "Tilldela medlem", "attached": "bifogad", "attachment": "Bilaga", @@ -118,7 +118,7 @@ "board-view-lists": "Listor", "bucket-example": "Gilla \"att-göra-innan-jag-dör-lista\" till exempel", "cancel": "Avbryt", - "card-archived": "This card is moved to Archive.", + "card-archived": "Detta kort är flyttat till Arkiv.", "board-archived": "Den här anslagstavlan är flyttad till Arkiv.", "card-comments-title": "Detta kort har %s kommentar.", "card-delete-notice": "Ta bort är permanent. Du kommer att förlora alla åtgärder i samband med detta kort.", @@ -170,9 +170,9 @@ "color-black": "svart", "color-blue": "blå", "color-crimson": "crimson", - "color-darkgreen": "darkgreen", - "color-gold": "gold", - "color-gray": "gray", + "color-darkgreen": "mörkgrön", + "color-gold": "guld", + "color-gray": "grå", "color-green": "grön", "color-indigo": "indigo", "color-lime": "lime", @@ -186,11 +186,11 @@ "color-plum": "plum", "color-purple": "lila", "color-red": "röd", - "color-saddlebrown": "saddlebrown", + "color-saddlebrown": "sadelbrun", "color-silver": "silver", "color-sky": "himmel", "color-slateblue": "slateblue", - "color-white": "white", + "color-white": "vit", "color-yellow": "gul", "unset-color": "Unset", "comment": "Kommentera", @@ -288,7 +288,7 @@ "filter-on-desc": "Du filtrerar kort på denna anslagstavla. Klicka här för att redigera filter.", "filter-to-selection": "Filter till val", "advanced-filter-label": "Avancerat filter", - "advanced-filter-description": "Avancerade Filter låter dig skriva en sträng innehållande följande operatorer: == != <= >= && || ( ). Ett mellanslag används som separator mellan operatorerna. Du kan filtrera alla specialfält genom att skriva dess namn och värde. Till exempel: Fält1 == Vårde1. Notera: om fälten eller värden innehåller mellanrum behöver du innesluta dem med enkla citatstecken. Till exempel: 'Fält 1' == 'Värde 1'. För att skippa enkla kontrolltecken (' \\/) kan du använda \\. Till exempel: Fält1 == I\\'m. Du kan även kombinera fler villkor. TIll exempel: F1 == V1 || F1 == V2. Vanligtvis läses operatorerna från vänster till höger. Du kan ändra ordning genom att använda paranteser. TIll exempel: F1 == V1 && ( F2 == V2 || F2 == V3 ). Du kan även söka efter textfält med hjälp av regex: F1 == /Tes.*/i", + "advanced-filter-description": "Avancerade filter låter dig skriva en sträng innehållande följande operatorer: == != <= >= && || ( ). Ett mellanslag används som separator mellan operatorerna. Du kan filtrera alla specialfält genom att skriva dess namn och värde. Till exempel: Fält1 == Vårde1. Notera: om fälten eller värden innehåller mellanrum behöver du innesluta dem med enkla citatstecken. Till exempel: 'Fält 1' == 'Värde 1'. För att skippa enkla kontrolltecken (' \\/) kan du använda \\. Till exempel: Fält1 == I\\'m. Du kan även kombinera fler villkor. TIll exempel: F1 == V1 || F1 == V2. Vanligtvis läses operatorerna från vänster till höger. Du kan ändra ordning genom att använda paranteser. TIll exempel: F1 == V1 && ( F2 == V2 || F2 == V3 ). Du kan även söka efter textfält med hjälp av regex: F1 == /Tes.*/i", "fullname": "Namn", "header-logo-title": "Gå tillbaka till din anslagstavlor-sida.", "hide-system-messages": "Göm systemmeddelanden", @@ -303,7 +303,7 @@ "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Importerad anslagstavla raderar all befintlig data på anslagstavla och ersätter den med importerat anslagstavla.", "from-trello": "Från Trello", - "from-wekan": "From previous export", + "from-wekan": "Från tidigare export", "import-board-instruction-trello": "I din Trello-anslagstavla, gå till 'Meny', sedan 'Mera', 'Skriv ut och exportera', 'Exportera JSON' och kopiera den resulterande text.", "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", "import-board-instruction-about-errors": "Om du får fel vid import av anslagstavla, ibland importerar fortfarande fungerar, och styrelsen är på alla sidor för anslagstavlor.", @@ -312,7 +312,7 @@ "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "Granska medlemskartläggning", "import-user-select": "Pick your existing user you want to use as this member", - "importMapMembersAddPopup-title": "Select member", + "importMapMembersAddPopup-title": "Välj medlem", "info": "Version", "initials": "Initialer ", "invalid-date": "Ogiltigt datum", @@ -331,7 +331,7 @@ "leave-board-pop": "Är du säker på att du vill lämna __boardTitle__? Du kommer att tas bort från alla kort på den här anslagstavlan.", "leaveBoardPopup-title": "Lämna anslagstavla ?", "link-card": "Länka till detta kort", - "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards": "Flytta alla kort i den här listan till Arkiv", "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Flytta alla kort i denna lista", "list-select-cards": "Välj alla kort i denna lista", @@ -363,8 +363,8 @@ "muted-info": "Du kommer aldrig att meddelas om eventuella ändringar i denna anslagstavla", "my-boards": "Mina anslagstavlor", "name": "Namn", - "no-archived-cards": "No cards in Archive.", - "no-archived-lists": "No lists in Archive.", + "no-archived-cards": "Inga kort i Arkiv.", + "no-archived-lists": "Inga listor i Arkiv.", "no-archived-swimlanes": "No swimlanes in Archive.", "no-results": "Inga reslutat", "normal": "Normal", @@ -445,7 +445,7 @@ "uploaded-avatar": "Laddade upp en avatar", "username": "Änvandarnamn", "view-it": "Visa det", - "warn-list-archived": "warning: this card is in an list at Archive", + "warn-list-archived": "varning: detta kort finns i en lista i Arkiv", "watch": "Bevaka", "watching": "Bevakar", "watching-info": "Du kommer att meddelas om alla ändringar på denna anslagstavla", @@ -498,7 +498,7 @@ "OS_Totalmem": "OS totalt minne", "OS_Type": "OS Typ", "OS_Uptime": "OS drifttid", - "days": "days", + "days": "dagar", "hours": "timmar", "minutes": "minuter", "seconds": "sekunder", @@ -519,10 +519,10 @@ "card-end-on": "Slutar den", "editCardReceivedDatePopup-title": "Ändra mottagningsdatum", "editCardEndDatePopup-title": "Ändra slutdatum", - "setCardColorPopup-title": "Set color", - "setCardActionsColorPopup-title": "Choose a color", - "setSwimlaneColorPopup-title": "Choose a color", - "setListColorPopup-title": "Choose a color", + "setCardColorPopup-title": "Ange färg", + "setCardActionsColorPopup-title": "Välj en färg", + "setSwimlaneColorPopup-title": "Välj en färg", + "setListColorPopup-title": "Välj en färg", "assigned-by": "Tilldelad av", "requested-by": "Efterfrågad av", "board-delete-notice": "Borttagningen är permanent. Du kommer förlora alla listor, kort och händelser kopplade till den här anslagstavlan.", @@ -559,20 +559,20 @@ "r-add-rule": "Lägg till regel", "r-view-rule": "Visa regel", "r-delete-rule": "Ta bort regel", - "r-new-rule-name": "New rule title", + "r-new-rule-name": "Ny titel på regel", "r-no-rules": "Inga regler", - "r-when-a-card": "When a card", + "r-when-a-card": "När ett kort", "r-is": "är", - "r-is-moved": "is moved", - "r-added-to": "added to", + "r-is-moved": "är flyttad", + "r-added-to": "tillagd till", "r-removed-from": "Borttagen från", "r-the-board": "anslagstavlan", "r-list": "lista", "set-filter": "Set Filter", "r-moved-to": "Flyttad till", "r-moved-from": "Flyttad från", - "r-archived": "Moved to Archive", - "r-unarchived": "Restored from Archive", + "r-archived": "Flyttad till Arkiv", + "r-unarchived": "Återställd från Arkiv", "r-a-card": "ett kort", "r-when-a-label-is": "När en etikett är", "r-when-the-label-is": "När etiketten är", @@ -622,8 +622,8 @@ "r-d-send-email-to": "till", "r-d-send-email-subject": "ämne", "r-d-send-email-message": "meddelande", - "r-d-archive": "Move card to Archive", - "r-d-unarchive": "Restore card from Archive", + "r-d-archive": "Flytta kortet till Arkiv", + "r-d-unarchive": "Återställ kortet från Arkiv", "r-d-add-label": "Lägg till etikett", "r-d-remove-label": "Ta bort etikett", "r-create-card": "Create new card", @@ -639,7 +639,7 @@ "r-d-check-of-list": "of checklist", "r-d-add-checklist": "Lägg till checklista", "r-d-remove-checklist": "Ta bort checklista", - "r-by": "by", + "r-by": "av", "r-add-checklist": "Lägg till checklista", "r-with-items": "with items", "r-items-list": "item1,item2,item3", @@ -658,6 +658,6 @@ "hide-logo": "Dölj logotypen", "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", - "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-undefined": "Något gick fel", + "error-ldap-login": "Ett fel uppstod när du försökte logga in" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 329c8d64a824f12b1352dc2f6277ee08e1c4df58 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 4 Feb 2019 21:47:50 +0200 Subject: v2.17 --- CHANGELOG.md | 14 +++++++++++--- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 15 insertions(+), 7 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 8e1a6502..7d45c080 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,12 @@ -# 2.16 2019-02-03 Wekan release +# v2.17 2019-02-04 Wekan release + +This release fixes the following bugs: + +- [OIDC/OAuth2 BoardView Fix](https://github.com/wekan/wekan/issues/1874). + +Thanks to GitHub gil0109 for contributions, and translator for their translations. + +# v2.16 2019-02-03 Wekan release This release fixes the following bugs: @@ -7,7 +15,7 @@ This release fixes the following bugs: Link](https://github.com/wekan/wekan/issues/1623) with [code from ChronikEwok](https://github.com/ChronikEwok/wekan/commit/cad9b20451bb6149bfb527a99b5001873b06c3de). -Thanks to ChronikEwok for contributions. +Thanks to GitHub user ChronikEwok for contributions. # v2.15 2019-02-03 Wekan release @@ -17,7 +25,7 @@ This release fixes the following bugs: Link](https://github.com/wekan/wekan/issues/1623) with [code from ChronikEwok](https://github.com/ChronikEwok/wekan/commit/cad9b20451bb6149bfb527a99b5001873b06c3de). -Thanks to ChronikEwok for contributions. +Thanks to GitHub user ChronikEwok for contributions. # v2.14 2019-02-02 Wekan release diff --git a/Stackerfile.yml b/Stackerfile.yml index b8ef52f1..0c3fe242 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.16.0" +appVersion: "v2.17.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 0518e75f..d67c362e 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.16.0", + "version": "v2.17.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index b2653cda..906ce447 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 218, + appVersion = 219, # Increment this for every release. - appMarketingVersion = (defaultText = "2.16.0~2019-02-03"), + appMarketingVersion = (defaultText = "2.17.0~2019-02-04"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From f11d42e72d3c71057ea9ea9e93948032aab04078 Mon Sep 17 00:00:00 2001 From: Daniel Davis Date: Wed, 6 Feb 2019 10:12:32 -0600 Subject: Add a debug argument Implementing this for OIDC debugging, but I think it will be broadly useful for runtime debugging. --- Dockerfile | 2 ++ 1 file changed, 2 insertions(+) diff --git a/Dockerfile b/Dockerfile index 240fb0b7..ff6243d5 100644 --- a/Dockerfile +++ b/Dockerfile @@ -2,6 +2,7 @@ FROM debian:buster-slim LABEL maintainer="wekan" # Declare Arguments +ARG DEBUG ARG NODE_VERSION ARG METEOR_RELEASE ARG METEOR_EDGE @@ -76,6 +77,7 @@ ARG DEFAULT_AUTHENTICATION_METHOD # DOES NOT WORK: paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303 # ENV BUILD_DEPS="paxctl" ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential python python3 python3-distutils git ca-certificates gcc-7" \ + DEBUG=false \ NODE_VERSION=v8.15.0 \ METEOR_RELEASE=1.6.0.1 \ USE_EDGE=false \ -- cgit v1.2.3-1-g7c22 From 303404acc61babac719f72ed0ef48b07498ecd96 Mon Sep 17 00:00:00 2001 From: Daniel Davis Date: Wed, 6 Feb 2019 10:18:05 -0600 Subject: Bumped salleman packages to 1.0.11 1.0.11 includes new debugging code --- .meteor/versions | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/.meteor/versions b/.meteor/versions index b8b8e4fd..bea6d0a1 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -143,8 +143,8 @@ reload@1.1.11 retry@1.0.9 routepolicy@1.0.12 rzymek:fullcalendar@3.8.0 -salleman:accounts-oidc@1.0.10 -salleman:oidc@1.0.10 +salleman:accounts-oidc@1.0.11 +salleman:oidc@1.0.11 service-configuration@1.0.11 session@1.1.7 sha@1.0.9 -- cgit v1.2.3-1-g7c22 From ec453b89b8238adcbb9334e1d006675aa8a7fe06 Mon Sep 17 00:00:00 2001 From: guillaume Date: Thu, 7 Feb 2019 11:38:04 +0100 Subject: Fix lints --- client/components/main/layouts.js | 17 +++++++++++------ 1 file changed, 11 insertions(+), 6 deletions(-) diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index 73da80e5..6f7c914a 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -114,16 +114,21 @@ async function authentication(event, instance) { event.preventDefault(); event.stopImmediatePropagation(); - if (result === 'ldap') { - return Meteor.loginWithLDAP(match, password, function() { + switch (result) { + case 'ldap': + Meteor.loginWithLDAP(match, password, function() { FlowRouter.go('/'); }); - } + break; - if (result === 'cas') { - return Meteor.loginWithCas(function() { + case 'cas': + Meteor.loginWithCas(function() { FlowRouter.go('/'); }); + break; + + default: + break; } } @@ -135,7 +140,7 @@ function getAuthenticationMethod({displayAuthenticationMethod, defaultAuthentica } function getUserAuthenticationMethod(defaultAuthenticationMethod, match) { - return new Promise((resolve, reject) => { + return new Promise((resolve) => { try { Meteor.subscribe('user-authenticationMethod', match, { onReady() { -- cgit v1.2.3-1-g7c22 From 3ce902123f9af5212c6a84e4ffe616b98d7381ea Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 8 Feb 2019 12:44:48 +0200 Subject: Lint also async. Thanks to Akuket ! --- .eslintrc.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.eslintrc.json b/.eslintrc.json index 6a1df879..364f82a9 100644 --- a/.eslintrc.json +++ b/.eslintrc.json @@ -6,7 +6,7 @@ "browser": true }, "parserOptions": { - "ecmaVersion": 6, + "ecmaVersion": 2017, "sourceType": "module", "ecmaFeatures": { "experimentalObjectRestSpread": true -- cgit v1.2.3-1-g7c22 From 4126a1a8085ecddb5ec307f237169171086bda46 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 8 Feb 2019 12:46:07 +0200 Subject: Translate also Admin Panel/Layout/Display Authentication Method and Default Authentication Method. Thanks to Akuket and xet7 ! --- i18n/en.i18n.json | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 2c2d41da..d4e817ea 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -662,5 +662,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } -- cgit v1.2.3-1-g7c22 From 96e97143f26bfcf1fa56394f386846f94aaacec1 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 8 Feb 2019 13:06:35 +0200 Subject: Update translations. --- i18n/ar.i18n.json | 4 +++- i18n/bg.i18n.json | 4 +++- i18n/br.i18n.json | 4 +++- i18n/ca.i18n.json | 4 +++- i18n/cs.i18n.json | 4 +++- i18n/da.i18n.json | 4 +++- i18n/de.i18n.json | 4 +++- i18n/el.i18n.json | 4 +++- i18n/en-GB.i18n.json | 4 +++- i18n/eo.i18n.json | 4 +++- i18n/es-AR.i18n.json | 4 +++- i18n/es.i18n.json | 4 +++- i18n/eu.i18n.json | 4 +++- i18n/fa.i18n.json | 4 +++- i18n/fi.i18n.json | 4 +++- i18n/fr.i18n.json | 4 +++- i18n/gl.i18n.json | 4 +++- i18n/he.i18n.json | 4 +++- i18n/hi.i18n.json | 4 +++- i18n/hu.i18n.json | 4 +++- i18n/hy.i18n.json | 4 +++- i18n/id.i18n.json | 4 +++- i18n/ig.i18n.json | 4 +++- i18n/it.i18n.json | 4 +++- i18n/ja.i18n.json | 4 +++- i18n/ka.i18n.json | 4 +++- i18n/km.i18n.json | 4 +++- i18n/ko.i18n.json | 4 +++- i18n/lv.i18n.json | 4 +++- i18n/mk.i18n.json | 4 +++- i18n/mn.i18n.json | 4 +++- i18n/nb.i18n.json | 4 +++- i18n/nl.i18n.json | 4 +++- i18n/pl.i18n.json | 4 +++- i18n/pt-BR.i18n.json | 4 +++- i18n/pt.i18n.json | 4 +++- i18n/ro.i18n.json | 4 +++- i18n/ru.i18n.json | 4 +++- i18n/sr.i18n.json | 4 +++- i18n/sv.i18n.json | 4 +++- i18n/sw.i18n.json | 4 +++- i18n/ta.i18n.json | 4 +++- i18n/th.i18n.json | 4 +++- i18n/tr.i18n.json | 4 +++- i18n/uk.i18n.json | 4 +++- i18n/vi.i18n.json | 4 +++- i18n/zh-CN.i18n.json | 4 +++- i18n/zh-TW.i18n.json | 4 +++- 48 files changed, 144 insertions(+), 48 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index cf32ad1e..3a1b171f 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 52a9a2c6..96e0195d 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index 6f552ce9..b6ffe2db 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index cd53a89b..3ec05181 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 3348df26..3e5f8b49 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Něco se pokazilo", - "error-ldap-login": "Během přihlašování nastala chyba" + "error-ldap-login": "Během přihlašování nastala chyba", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/da.i18n.json b/i18n/da.i18n.json index a2b6b0aa..656de729 100644 --- a/i18n/da.i18n.json +++ b/i18n/da.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 22e61fbb..0796f64b 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Füge benutzerdefiniertes HTML nach Anfang hinzu", "add-custom-html-before-body-end": "Füge benutzerdefiniertes HTML vor Ende hinzu", "error-undefined": "Etwas ist schief gelaufen", - "error-ldap-login": "Es ist ein Fehler beim Anmelden aufgetreten" + "error-ldap-login": "Es ist ein Fehler beim Anmelden aufgetreten", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index d678c093..adfd19f2 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 8892e0da..04bb2bac 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index 8775b4cf..da1e9697 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index 4984a1c2..95c2f086 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 700560ab..5bcd9272 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Añade HTML personalizado después de ", "add-custom-html-before-body-end": "Añade HTML personalizado después de ", "error-undefined": "Algo no está bien", - "error-ldap-login": "Ocurrió un error al intentar acceder" + "error-ldap-login": "Ocurrió un error al intentar acceder", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index dffa609f..4d34b6ca 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index cd50066f..c1ef3401 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "افزودن کد های HTML بعد از شروع", "add-custom-html-before-body-end": "افزودن کد های HTML قبل از پایان", "error-undefined": "یک اشتباه رخ داده شده است", - "error-ldap-login": "هنگام تلاش برای ورود به یک خطا رخ داد" + "error-ldap-login": "هنگام تلاش برای ورود به یک خطا رخ داد", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index c8601093..7e2c4d3b 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Lisää HTML alun jälkeen", "add-custom-html-before-body-end": "Lisä HTML ennen loppua", "error-undefined": "Jotain meni pieleen", - "error-ldap-login": "Virhe tapahtui yrittäessä kirjautua sisään" + "error-ldap-login": "Virhe tapahtui yrittäessä kirjautua sisään", + "display-authentication-method": "Näytä kirjautumistapa", + "default-authentication-method": "Oletus kirjautumistapa" } \ No newline at end of file diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index b6b8f904..bae4bcc3 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Ajouter le HTML personnalisé après le début du ", "add-custom-html-before-body-end": "Ajouter le HTML personnalisé avant la fin du ", "error-undefined": "Une erreur inconnue s'est produite", - "error-ldap-login": "Une erreur s'est produite lors de la tentative de connexion" + "error-ldap-login": "Une erreur s'est produite lors de la tentative de connexion", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 9ec32447..9c310c78 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 88e4bd98..c10ea38b 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "הוספת קוד HTML מותאם אישית לאחר ה־ הפותח.", "add-custom-html-before-body-end": "הוספת קוד HTML מותאם אישית לפני ה־ הסוגר.", "error-undefined": "מהו השתבש", - "error-ldap-login": "אירעה שגיאה בעת ניסיון הכניסה" + "error-ldap-login": "אירעה שגיאה בעת ניסיון הכניסה", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/hi.i18n.json b/i18n/hi.i18n.json index 3f96e848..8f5028d6 100644 --- a/i18n/hi.i18n.json +++ b/i18n/hi.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index f5268f34..18b5b0a1 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index d5f45f8b..fe53857b 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index c03e9320..2f363bb9 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 72268d70..27cee963 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index cf41adfa..82187722 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 3e445a86..59db5a82 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index 11f78552..76ee2ffe 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index 24daa9b3..5f3b2dd4 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index 6f07eb99..1f7066cb 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index a24397c6..b5c62aae 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/mk.i18n.json b/i18n/mk.i18n.json index 432504e2..5481cc70 100644 --- a/i18n/mk.i18n.json +++ b/i18n/mk.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index 47af0cca..012dea07 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index 318ee700..1427e263 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 207ae71c..24370c09 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 5b38ade5..9fb9fe11 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 07ce1dfc..e02c9b9a 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Adicionar HTML Customizado depois do início do ", "add-custom-html-before-body-end": "Adicionar HTML Customizado antes do fim do ", "error-undefined": "Algo deu errado", - "error-ldap-login": "Um erro ocorreu enquanto tentava entrar" + "error-ldap-login": "Um erro ocorreu enquanto tentava entrar", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index ce895972..b5870960 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index ffcc4761..dd3938d4 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 5a14bc2e..0c8af71d 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Добавить HTML после начала ", "add-custom-html-before-body-end": "Добавить HTML до завершения ", "error-undefined": "Что-то пошло не так", - "error-ldap-login": "Ошибка при попытке авторизации" + "error-ldap-login": "Ошибка при попытке авторизации", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index c44e59a4..83bdc3a6 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 773ea874..c93862bb 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Något gick fel", - "error-ldap-login": "Ett fel uppstod när du försökte logga in" + "error-ldap-login": "Ett fel uppstod när du försökte logga in", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/sw.i18n.json b/i18n/sw.i18n.json index 4931db9b..1ffffddb 100644 --- a/i18n/sw.i18n.json +++ b/i18n/sw.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index cdc21750..ab803752 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index e767a6cd..a748773e 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index a7bb0f3c..5bac9e4f 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Bir şeyler yanlış gitti", - "error-ldap-login": "Giriş yapmaya çalışırken bir hata oluştu" + "error-ldap-login": "Giriş yapmaya çalışırken bir hata oluştu", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index e9381cd2..a7a85d40 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index 2572b501..96223df8 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index b8729e83..adeaac67 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "添加定制的HTML在开始之前", "add-custom-html-before-body-end": "添加定制的HTML在结束之后", "error-undefined": "出了点问题", - "error-ldap-login": "尝试登陆时出错" + "error-ldap-login": "尝试登陆时出错", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 4d7e18d0..29f47c29 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -659,5 +659,7 @@ "add-custom-html-after-body-start": "Add Custom HTML after start", "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login" + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From a2e6f621a2f440344f581a3edf04df81241b6bc1 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Fri, 8 Feb 2019 17:16:27 +0100 Subject: Fix swimlanes sorting Since 7cc185ac "Properly fix horizontal rendering on Chrome and Firefox" The rendering of the new design of the swimlanes was correct, but this commit broke the reordering capability. Having the swimlane header at the same level than the lists of cards makes the whole sortable pattern fail. 2 solutions: - revert to only have 1 div per swimlane. But this introduces the firefox bug mentioned in 7cc185ac, so not ideal - force the sortable pattern to do what we want. To force the sortable pattern, we need: - add in the helper a clone of the list of cards (to not just move the header) - make sure the placeholder never get placed between the header and the list of cards in a swimlane - fix the finding of the next and previous list of cards. For all of this to be successful, we need to resize the swimlanes to a known value. This can lead to some visual jumps with scrolling when you drag or drop the swimlanea. I tried to remedy that by computing the new scroll value. Still not ideal however, as there are still some jumps when dropping. Fixes #2159 --- client/components/boards/boardBody.js | 76 ++++++++++++++++++++++++++++-- client/components/swimlanes/swimlanes.styl | 3 ++ 2 files changed, 75 insertions(+), 4 deletions(-) diff --git a/client/components/boards/boardBody.js b/client/components/boards/boardBody.js index 2de8777a..9105e624 100644 --- a/client/components/boards/boardBody.js +++ b/client/components/boards/boardBody.js @@ -1,5 +1,6 @@ const subManager = new SubsManager(); const { calculateIndex, enableClickOnTouch } = Utils; +const swimlaneWhileSortingHeight = 150; BlazeComponent.extendComponent({ onCreated() { @@ -74,21 +75,64 @@ BlazeComponent.extendComponent({ $swimlanesDom.sortable({ tolerance: 'pointer', appendTo: '.board-canvas', - helper: 'clone', + helper(evt, item) { + const helper = $(`
`); + helper.append(item.clone()); + // Also grab the list of lists of cards + const list = item.next(); + helper.append(list.clone()); + return helper; + }, handle: '.js-swimlane-header', - items: '.js-swimlane:not(.placeholder)', + items: '.swimlane:not(.placeholder)', placeholder: 'swimlane placeholder', distance: 7, start(evt, ui) { + const listDom = ui.placeholder.next('.js-swimlane'); + const parentOffset = ui.item.parent().offset(); + ui.placeholder.height(ui.helper.height()); EscapeActions.executeUpTo('popup-close'); + listDom.addClass('moving-swimlane'); boardComponent.setIsDragging(true); + + ui.placeholder.insertAfter(ui.placeholder.next()); + boardComponent.origPlaceholderIndex = ui.placeholder.index(); + + // resize all swimlanes + headers to be a total of 150 px per row + // this could be achieved by setIsDragging(true) but we want immediate + // result + ui.item.siblings('.js-swimlane').css('height', `${swimlaneWhileSortingHeight - 26}px`); + + // set the new scroll height after the resize and insertion of + // the placeholder. We want the element under the cursor to stay + // at the same place on the screen + ui.item.parent().get(0).scrollTop = ui.placeholder.get(0).offsetTop + parentOffset.top - evt.pageY; + }, + beforeStop(evt, ui) { + const parentOffset = ui.item.parent().offset(); + const siblings = ui.item.siblings('.js-swimlane'); + siblings.css('height', ''); + + // compute the new scroll height after the resize and removal of + // the placeholder + const scrollTop = ui.placeholder.get(0).offsetTop + parentOffset.top - evt.pageY; + + // then reset the original view of the swimlane + siblings.removeClass('moving-swimlane'); + + // and apply the computed scrollheight + ui.item.parent().get(0).scrollTop = scrollTop; }, stop(evt, ui) { // To attribute the new index number, we need to get the DOM element // of the previous and the following card -- if any. - const prevSwimlaneDom = ui.item.prev('.js-swimlane').get(0); - const nextSwimlaneDom = ui.item.next('.js-swimlane').get(0); + const prevSwimlaneDom = ui.item.prevAll('.js-swimlane').get(0); + const nextSwimlaneDom = ui.item.nextAll('.js-swimlane').get(0); const sortIndex = calculateIndex(prevSwimlaneDom, nextSwimlaneDom, 1); $swimlanesDom.sortable('cancel'); @@ -103,6 +147,30 @@ BlazeComponent.extendComponent({ boardComponent.setIsDragging(false); }, + sort(evt, ui) { + // get the mouse position in the sortable + const parentOffset = ui.item.parent().offset(); + const cursorY = evt.pageY - parentOffset.top + ui.item.parent().scrollTop(); + + // compute the intended index of the placeholder (we need to skip the + // slots between the headers and the list of cards) + const newplaceholderIndex = Math.floor(cursorY / swimlaneWhileSortingHeight); + let destPlaceholderIndex = (newplaceholderIndex + 1) * 2; + + // if we are scrolling far away from the bottom of the list + if (destPlaceholderIndex >= ui.item.parent().get(0).childElementCount) { + destPlaceholderIndex = ui.item.parent().get(0).childElementCount - 1; + } + + // update the placeholder position in the DOM tree + if (destPlaceholderIndex !== ui.placeholder.index()) { + if (destPlaceholderIndex < boardComponent.origPlaceholderIndex) { + ui.placeholder.insertBefore(ui.placeholder.siblings().slice(destPlaceholderIndex - 2, destPlaceholderIndex - 1)); + } else { + ui.placeholder.insertAfter(ui.placeholder.siblings().slice(destPlaceholderIndex - 1, destPlaceholderIndex)); + } + } + }, }); // ugly touch event hotfix diff --git a/client/components/swimlanes/swimlanes.styl b/client/components/swimlanes/swimlanes.styl index 77a7a413..1056e1e3 100644 --- a/client/components/swimlanes/swimlanes.styl +++ b/client/components/swimlanes/swimlanes.styl @@ -53,6 +53,9 @@ .list-group height: 100% +.moving-swimlane + display: none + swimlane-color(background, color...) background: background !important if color -- cgit v1.2.3-1-g7c22 From 79ffb7d50202471c7b7f297286f13e66ce30922e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 8 Feb 2019 19:43:21 +0200 Subject: - Add oplog to snap mongodb. Thanks to xet7 ! --- snap-src/bin/mongodb-control | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/snap-src/bin/mongodb-control b/snap-src/bin/mongodb-control index a7a98739..2154a602 100755 --- a/snap-src/bin/mongodb-control +++ b/snap-src/bin/mongodb-control @@ -29,4 +29,4 @@ if [ "x" != "x${MONGODB_PORT}" ]; then fi echo "mongodb bind options: $BIND_OPTIONS" -mongod --dbpath $SNAP_COMMON --logpath $SNAP_COMMON/mongodb.log --logappend --journal $BIND_OPTIONS +mongod --dbpath $SNAP_COMMON --logpath $SNAP_COMMON/mongodb.log --logappend --journal $BIND_OPTIONS --smallfiles --oplogSize 128 -- cgit v1.2.3-1-g7c22 From 35a539eee24fd2769db81c1782aa260f3ffe42b8 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 8 Feb 2019 19:48:12 +0200 Subject: Update translations. --- i18n/de.i18n.json | 4 ++-- i18n/es.i18n.json | 4 ++-- i18n/fr.i18n.json | 4 ++-- i18n/pt-BR.i18n.json | 16 ++++++++-------- 4 files changed, 14 insertions(+), 14 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 0796f64b..84141731 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -660,6 +660,6 @@ "add-custom-html-before-body-end": "Füge benutzerdefiniertes HTML vor Ende hinzu", "error-undefined": "Etwas ist schief gelaufen", "error-ldap-login": "Es ist ein Fehler beim Anmelden aufgetreten", - "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "display-authentication-method": "Anzeige Authentifizierungsverfahren", + "default-authentication-method": "Standardauthentifizierungsverfahren" } \ No newline at end of file diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 5bcd9272..d455b322 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -660,6 +660,6 @@ "add-custom-html-before-body-end": "Añade HTML personalizado después de ", "error-undefined": "Algo no está bien", "error-ldap-login": "Ocurrió un error al intentar acceder", - "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "display-authentication-method": "Visualizar método de autentificación", + "default-authentication-method": "Método de autentificación por defecto" } \ No newline at end of file diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index bae4bcc3..ff4b2146 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -660,6 +660,6 @@ "add-custom-html-before-body-end": "Ajouter le HTML personnalisé avant la fin du ", "error-undefined": "Une erreur inconnue s'est produite", "error-ldap-login": "Une erreur s'est produite lors de la tentative de connexion", - "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "display-authentication-method": "Afficher la méthode d'authentification", + "default-authentication-method": "Méthode d'authentification par défaut" } \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index e02c9b9a..49c2eea3 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -192,7 +192,7 @@ "color-slateblue": "azul ardósia", "color-white": "branco", "color-yellow": "amarelo", - "unset-color": "Unset", + "unset-color": "Remover", "comment": "Comentário", "comment-placeholder": "Escrever Comentário", "comment-only": "Somente comentários", @@ -335,10 +335,10 @@ "list-archive-cards-pop": "Isto removerá todos os cartões desta lista para o quadro. Para visualizar cartões arquivados e trazê-los de volta para o quadro, clique em “Menu” > “Arquivo-morto”.", "list-move-cards": "Mover todos os cartões desta lista", "list-select-cards": "Selecionar todos os cartões nesta lista", - "set-color-list": "Set Color", + "set-color-list": "Definir Cor", "listActionPopup-title": "Listar Ações", "swimlaneActionPopup-title": "Ações de Raia", - "swimlaneAddPopup-title": "Add a Swimlane below", + "swimlaneAddPopup-title": "Adicionar uma Raia abaixo ", "listImportCardPopup-title": "Importe um cartão do Trello", "listMorePopup-title": "Mais", "link-list": "Vincular a esta lista", @@ -520,9 +520,9 @@ "editCardReceivedDatePopup-title": "Modificar data de recebimento", "editCardEndDatePopup-title": "Mudar data de fim", "setCardColorPopup-title": "Definir cor", - "setCardActionsColorPopup-title": "Choose a color", - "setSwimlaneColorPopup-title": "Choose a color", - "setListColorPopup-title": "Choose a color", + "setCardActionsColorPopup-title": "Escolha uma cor", + "setSwimlaneColorPopup-title": "Escolha uma cor", + "setListColorPopup-title": "Escolha uma cor", "assigned-by": "Atribuído por", "requested-by": "Solicitado por", "board-delete-notice": "Excluir é permanente. Você perderá todas as listas, cartões e ações associados nesse quadro.", @@ -660,6 +660,6 @@ "add-custom-html-before-body-end": "Adicionar HTML Customizado antes do fim do ", "error-undefined": "Algo deu errado", "error-ldap-login": "Um erro ocorreu enquanto tentava entrar", - "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "display-authentication-method": "Mostrar Método de Autenticação", + "default-authentication-method": "Método de Autenticação Padrão" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From ed98b5c807bb9e21ef56b774974249b178f159fb Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 8 Feb 2019 20:09:42 +0200 Subject: Update changelog. --- CHANGELOG.md | 35 +++++++++++++++++++++++++++++++++++ 1 file changed, 35 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 7d45c080..c4ea3a77 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,38 @@ +# Upcoming Wekan release + +This release adds the folloging new features: + +- [Improve Authentication: Admin Panel / Layout / Set Default Authentication / Password/LDAP](https://github.com/wekan/wekan/pull/2172). Thanks to Akuket. +- [Add oplog to snap mongodb](https://github.com/wekan/wekan/commit/79ffb7d50202471c7b7f297286f13e66ce30922e). Thanks to xet7. + +and fixes the following bugs with Apache I-CLA, thanks to bentiss: + +- [Fix swimlanes sorting](https://github.com/wekan/wekan/pull/2174) + since 7cc185ac "Properly fix horizontal rendering on Chrome and Firefox". + The rendering of the new design of the swimlanes was correct, but this + commit broke the reordering capability. Having the swimlane header at + the same level than the lists of cards makes the whole sortable + pattern fail. + - 2 solutions: + - revert to only have 1 div per swimlane. But this introduces the firefox + bug mentioned in 7cc185ac, so not ideal + - force the sortable pattern to do what we want. + + - To force the sortable pattern, we need: + - add in the helper a clone of the list of cards (to not just move the + header) + - make sure the placeholder never get placed between the header and the + list of cards in a swimlane + - fix the finding of the next and previous list of cards. + For all of this to be successful, we need to resize the swimlanes to a + known value. This can lead to some visual jumps with scrolling when you + drag or drop the swimlanea. I tried to remedy that by computing the new + scroll value. Still not ideal however, as there are still some jumps when + dropping. + Fixes #2159 + +Thanks to above GitHub users and translators for contributions. + # v2.17 2019-02-04 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 796b276d02aa1304fdd090742adcde8f2574a6dd Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 8 Feb 2019 20:37:30 +0200 Subject: Update changelog. --- CHANGELOG.md | 1 - 1 file changed, 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index c4ea3a77..19dda9af 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -17,7 +17,6 @@ and fixes the following bugs with Apache I-CLA, thanks to bentiss: - revert to only have 1 div per swimlane. But this introduces the firefox bug mentioned in 7cc185ac, so not ideal - force the sortable pattern to do what we want. - - To force the sortable pattern, we need: - add in the helper a clone of the list of cards (to not just move the header) -- cgit v1.2.3-1-g7c22 From 2d3ce9c290551c624d27e6052feeebc59bbdf03e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 8 Feb 2019 20:48:05 +0200 Subject: Add commit link to changelog. --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 19dda9af..39c34a77 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -8,7 +8,7 @@ This release adds the folloging new features: and fixes the following bugs with Apache I-CLA, thanks to bentiss: - [Fix swimlanes sorting](https://github.com/wekan/wekan/pull/2174) - since 7cc185ac "Properly fix horizontal rendering on Chrome and Firefox". + since "[Properly fix horizontal rendering on Chrome and Firefox](https://github.com/wekan/wekan/commit/7cc185ac)". The rendering of the new design of the swimlanes was correct, but this commit broke the reordering capability. Having the swimlane header at the same level than the lists of cards makes the whole sortable -- cgit v1.2.3-1-g7c22 From 6d0055ecb5d9b74cf13f960fd0e02dd92965763a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 8 Feb 2019 20:49:39 +0200 Subject: Add issue link to changelog. --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 39c34a77..1f4b3732 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -28,7 +28,7 @@ and fixes the following bugs with Apache I-CLA, thanks to bentiss: drag or drop the swimlanea. I tried to remedy that by computing the new scroll value. Still not ideal however, as there are still some jumps when dropping. - Fixes #2159 + Fixes [#2159](https://github.com/wekan/wekan/issues/2159). Thanks to above GitHub users and translators for contributions. -- cgit v1.2.3-1-g7c22 From 0fa2e5d3a03155d016b0f7cad09fca1a9a434b1a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 8 Feb 2019 20:52:28 +0200 Subject: Add commit link to changelog. --- CHANGELOG.md | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 1f4b3732..4a2e8872 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -14,8 +14,8 @@ and fixes the following bugs with Apache I-CLA, thanks to bentiss: the same level than the lists of cards makes the whole sortable pattern fail. - 2 solutions: - - revert to only have 1 div per swimlane. But this introduces the firefox - bug mentioned in 7cc185ac, so not ideal + - revert to only have 1 div per swimlane. But this introduces [the firefox + bug mentioned](https://github.com/wekan/wekan/commit/7cc185ac), so not ideal - force the sortable pattern to do what we want. - To force the sortable pattern, we need: - add in the helper a clone of the list of cards (to not just move the -- cgit v1.2.3-1-g7c22 From f060e02fc053efda7dfe73ca88730143f5ec9533 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 8 Feb 2019 20:56:45 +0200 Subject: v2.18 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 4a2e8872..24d43051 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.18 2019-02-08 Wekan release This release adds the folloging new features: diff --git a/Stackerfile.yml b/Stackerfile.yml index 0c3fe242..a9191c64 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.17.0" +appVersion: "v2.18.0" files: userUploads: - README.md diff --git a/package.json b/package.json index d67c362e..aef5d47e 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.17.0", + "version": "v2.18.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 906ce447..f076b58e 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 219, + appVersion = 220, # Increment this for every release. - appMarketingVersion = (defaultText = "2.17.0~2019-02-04"), + appMarketingVersion = (defaultText = "2.18.0~2019-02-08"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From f1bd36a3b87f97927dfe60572646a457e1f7ef66 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 8 Feb 2019 23:58:13 +0200 Subject: - Remove oplog. Need to think how to do it properly. Thanks to xet7 ! --- snap-src/bin/mongodb-control | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/snap-src/bin/mongodb-control b/snap-src/bin/mongodb-control index 2154a602..d6d795bc 100755 --- a/snap-src/bin/mongodb-control +++ b/snap-src/bin/mongodb-control @@ -29,4 +29,4 @@ if [ "x" != "x${MONGODB_PORT}" ]; then fi echo "mongodb bind options: $BIND_OPTIONS" -mongod --dbpath $SNAP_COMMON --logpath $SNAP_COMMON/mongodb.log --logappend --journal $BIND_OPTIONS --smallfiles --oplogSize 128 +mongod --dbpath $SNAP_COMMON --logpath $SNAP_COMMON/mongodb.log --logappend --journal $BIND_OPTIONS --smallfiles -- cgit v1.2.3-1-g7c22 From 9458f4011dc8ebaa4b609ef93346349bafa45db4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 9 Feb 2019 00:02:49 +0200 Subject: v2.19 --- CHANGELOG.md | 8 ++++++++ Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 12 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 24d43051..36dbf020 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# v2.19 2019-02-09 Wekan release + +This release removes the following new features: + +- [Remove oplog from snap](https://github.com/wekan/wekan/commit/f1bd36a3b87f97927dfe60572646a457e1f7ef66). Need to think how to do it properly. + +Thanks to GitHub user xet7 for conrtibutions. + # v2.18 2019-02-08 Wekan release This release adds the folloging new features: diff --git a/Stackerfile.yml b/Stackerfile.yml index a9191c64..5e9c9829 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.18.0" +appVersion: "v2.19.0" files: userUploads: - README.md diff --git a/package.json b/package.json index aef5d47e..af7e3745 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.18.0", + "version": "v2.19.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index f076b58e..d0d0fb6e 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 220, + appVersion = 221, # Increment this for every release. - appMarketingVersion = (defaultText = "2.18.0~2019-02-08"), + appMarketingVersion = (defaultText = "2.19.0~2019-02-09"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From ed8bca5394d5ce295b96965da982bd2df1051379 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 9 Feb 2019 00:04:51 +0200 Subject: Update translations (es). --- i18n/es.i18n.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index d455b322..79f45124 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -660,6 +660,6 @@ "add-custom-html-before-body-end": "Añade HTML personalizado después de ", "error-undefined": "Algo no está bien", "error-ldap-login": "Ocurrió un error al intentar acceder", - "display-authentication-method": "Visualizar método de autentificación", - "default-authentication-method": "Método de autentificación por defecto" + "display-authentication-method": "Mostrar el método de autenticación", + "default-authentication-method": "Método de autenticación por defecto" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From fc0287a82910f8743d97a2d649dd610c0817641d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 9 Feb 2019 21:22:36 +0200 Subject: Update translations. --- i18n/es.i18n.json | 6 +++--- i18n/he.i18n.json | 14 +++++++------- 2 files changed, 10 insertions(+), 10 deletions(-) diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 79f45124..dad03bf6 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -363,9 +363,9 @@ "muted-info": "No serás notificado de ningún cambio en este tablero", "my-boards": "Mis tableros", "name": "Nombre", - "no-archived-cards": "No hay tarjetas en el Archivo", - "no-archived-lists": "No hay listas en el Archivo", - "no-archived-swimlanes": "No hay carriles en el Archivo", + "no-archived-cards": "No hay tarjetas archivadas.", + "no-archived-lists": "No hay listas archivadas.", + "no-archived-swimlanes": "No hay carriles archivados.", "no-results": "Sin resultados", "normal": "Normal", "normal-desc": "Puedes ver y editar tarjetas. No puedes cambiar la configuración.", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index c10ea38b..307cacf6 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -335,10 +335,10 @@ "list-archive-cards-pop": "כל הכרטיסים מרשימה זו יוסרו מהלוח. לצפייה בכרטיסים השמורים בארכיון ולהחזירם ללוח, ניתן ללחוץ על „תפריט” > „פריטים בארכיון”.", "list-move-cards": "העברת כל הכרטיסים שברשימה זו", "list-select-cards": "בחירת כל הכרטיסים שברשימה זו", - "set-color-list": "Set Color", + "set-color-list": "הגדר צבע", "listActionPopup-title": "פעולות רשימה", "swimlaneActionPopup-title": "פעולות על מסלול", - "swimlaneAddPopup-title": "Add a Swimlane below", + "swimlaneAddPopup-title": "הוספת נתיב זרימה מתחת", "listImportCardPopup-title": "יבוא כרטיס מ־Trello", "listMorePopup-title": "עוד", "link-list": "קישור לרשימה זו", @@ -520,9 +520,9 @@ "editCardReceivedDatePopup-title": "החלפת מועד הקבלה", "editCardEndDatePopup-title": "החלפת מועד הסיום", "setCardColorPopup-title": "הגדרת צבע", - "setCardActionsColorPopup-title": "Choose a color", - "setSwimlaneColorPopup-title": "Choose a color", - "setListColorPopup-title": "Choose a color", + "setCardActionsColorPopup-title": "בחירת צבע", + "setSwimlaneColorPopup-title": "בחירת צבע", + "setListColorPopup-title": "בחירת צבע", "assigned-by": "הוקצה על ידי", "requested-by": "התבקש על ידי", "board-delete-notice": "מחיקה היא לצמיתות. כל הרשימות, הכרטיבים והפעולות שקשורים בלוח הזה ילכו לאיבוד.", @@ -660,6 +660,6 @@ "add-custom-html-before-body-end": "הוספת קוד HTML מותאם אישית לפני ה־ הסוגר.", "error-undefined": "מהו השתבש", "error-ldap-login": "אירעה שגיאה בעת ניסיון הכניסה", - "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "display-authentication-method": "הצג שיטת אימות", + "default-authentication-method": "שיטת אימות ברירת מחדל" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 7b5f02b4c8fdaa66a01d528ea338a76fe1b9f974 Mon Sep 17 00:00:00 2001 From: Gavin Lilly Date: Sat, 9 Feb 2019 23:22:22 +0000 Subject: Added Kadira packages and env settings in Docker Compose --- .meteor/packages | 1 + docker-compose.yml | 73 ++++++++++++++++++++++++++++++++++++++++-------------- server/kadira.js | 5 ++++ 3 files changed, 61 insertions(+), 18 deletions(-) create mode 100644 server/kadira.js diff --git a/.meteor/packages b/.meteor/packages index 88a0cae6..228427e4 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -90,3 +90,4 @@ wekan:wekan-ldap wekan:accounts-cas wekan-scrollbar mquandalle:perfect-scrollbar +meteorhacks:kadira diff --git a/docker-compose.yml b/docker-compose.yml index abcaa48b..951c705e 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -98,7 +98,7 @@ services: #------------------------------------------------------------------------------------- container_name: wekan-db restart: always - command: mongod --smallfiles --oplogSize 128 + command: mongod --smallfiles --replSet kadira --oplogSize 128 networks: - wekan-tier expose: @@ -129,26 +129,26 @@ services: #------------------------------------------------------------------------------------- # ==== BUILD wekan-app DOCKER CONTAINER FROM SOURCE, if you uncomment these ==== # ==== and use commands: docker-compose up -d --build - #build: - # context: . - # dockerfile: Dockerfile - # args: - # - NODE_VERSION=${NODE_VERSION} - # - METEOR_RELEASE=${METEOR_RELEASE} - # - NPM_VERSION=${NPM_VERSION} - # - ARCHITECTURE=${ARCHITECTURE} - # - SRC_PATH=${SRC_PATH} - # - METEOR_EDGE=${METEOR_EDGE} - # - USE_EDGE=${USE_EDGE} + build: + context: . + dockerfile: Dockerfile + args: + - NODE_VERSION=${NODE_VERSION} + - METEOR_RELEASE=${METEOR_RELEASE} + - NPM_VERSION=${NPM_VERSION} + - ARCHITECTURE=${ARCHITECTURE} + - SRC_PATH=${SRC_PATH} + - METEOR_EDGE=${METEOR_EDGE} + - USE_EDGE=${USE_EDGE} #------------------------------------------------------------------------------------- ports: # Docker outsideport:insideport. Do not add anything extra here. # For example, if you want to have wekan on port 3001, # use 3001:8080 . Do not add any extra address etc here, that way it does not work. # remove port mapping if you use nginx reverse proxy, port 8080 is already exposed to wekan-tier network - - 80:8080 + - 3000:8080 environment: - - MONGO_URL=mongodb://wekandb:27017/wekan + - MONGO_URL=mongodb://wekandb:27017/wekan?replicaSet=kadira #--------------------------------------------------------------- # ==== ROOT_URL SETTING ==== # Change ROOT_URL to your real Wekan URL, for example: @@ -161,7 +161,7 @@ services: # - http://example.com # - http://boards.example.com # - http://192.168.1.100 <=== using at local LAN - - ROOT_URL=http://localhost # <=== using only at same laptop/desktop where Wekan is installed + - ROOT_URL=http://frigg:3000 # <=== using only at same laptop/desktop where Wekan is installed #--------------------------------------------------------------- # ==== EMAIL SETTINGS ==== # Email settings are required in both MAIL_URL and Admin Panel, @@ -169,8 +169,8 @@ services: # For SSL in email, change smtp:// to smtps:// # NOTE: Special characters need to be url-encoded in MAIL_URL. # You can encode those characters for example at: https://www.urlencoder.org - - MAIL_URL=smtp://user:pass@mailserver.example.com:25/ - - MAIL_FROM='Example Wekan Support ' + #- MAIL_URL=smtp://user:pass@mailserver.example.com:25/ + #- MAIL_FROM='Example Wekan Support ' #--------------------------------------------------------------- # ==== OPTIONAL: MONGO OPLOG SETTINGS ===== # https://github.com/wekan/wekan-mongodb/issues/2#issuecomment-378343587 @@ -193,7 +193,9 @@ services: # ==== OPTIONAL: KADIRA PERFORMANCE MONITORING FOR METEOR ==== # https://github.com/smeijer/kadira # https://blog.meteor.com/kadira-apm-is-now-open-source-490469ffc85f - # - export KADIRA_OPTIONS_ENDPOINT=http://127.0.0.1:11011 + - KADIRA_OPTIONS_ENDPOINT=http://kadira-engine:11011 + - KADIRA_APP_ID=iYpPgq6rXRrZJty4A + - KADIRA_APP_SECRET=9de2728b-320d-46c1-9352-0084435411f0 #--------------------------------------------------------------- # ==== OPTIONAL: LOGS AND STATS ==== # https://github.com/wekan/wekan/wiki/Logs @@ -510,6 +512,41 @@ services: # - ./nginx/nginx.conf:/etc/nginx/nginx.conf + kadira-engine: + ## This is the endpoint where Meteor app sends performance data + image: vladgolubev/kadira-engine + ports: + - "11011:11011" + environment: + - PORT=11011 + - MONGO_URL=mongodb://wekandb:27017/kadira?replicaSet=kadira + - MONGO_SHARD_URL_one=mongodb://wekandb:27017/kadira?replicaSet=kadira + networks: + - wekan-tier + restart: always + + kadira-rma: + ## This computes statistics databases every minute. + image: vladgolubev/kadira-rma + environment: + - MONGO_URL=mongodb://wekandb:27017/kadira + networks: + - wekan-tier + restart: always + + kadira-ui: + ## Meteor app that presents the Kadira user interface. + image: vladgolubev/kadira-ui + ports: + #- "80:4000" + - "4000:4000" + environment: + - MONGO_URL=mongodb://wekandb:27017/kadira + - MONGO_SHARD_URL_one=mongodb://wekandb:27017/kadira + networks: + - wekan-tier + restart: always + volumes: wekan-db: driver: local diff --git a/server/kadira.js b/server/kadira.js new file mode 100644 index 00000000..8b43102d --- /dev/null +++ b/server/kadira.js @@ -0,0 +1,5 @@ +Meteor.startup(() => { + const appId = process.env.KADIRA_APP_ID; + const appSecret = process.env.KADIRA_APP_SECRET; + Kadira.connect(appId, appSecret); +}); -- cgit v1.2.3-1-g7c22 From 8996df5c0909e2090e749f45ee88e7d5bc977e7e Mon Sep 17 00:00:00 2001 From: Gavin Lilly Date: Sat, 9 Feb 2019 23:37:01 +0000 Subject: Added Kadira using meteor add method --- .meteor/versions | 1 + 1 file changed, 1 insertion(+) diff --git a/.meteor/versions b/.meteor/versions index b8b8e4fd..320ba7a6 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -90,6 +90,7 @@ meteor-base@1.2.0 meteor-platform@1.2.6 meteorhacks:aggregate@1.3.0 meteorhacks:collection-utils@1.2.0 +meteorhacks:kadira@2.30.4 meteorhacks:meteorx@1.4.1 meteorhacks:picker@1.0.3 meteorhacks:subs-manager@1.6.4 -- cgit v1.2.3-1-g7c22 From b20309f7aa2162ed7f9b23167c5d8b409f2c6b02 Mon Sep 17 00:00:00 2001 From: Daniel Davis Date: Mon, 11 Feb 2019 07:46:24 -0600 Subject: Syntax --- .meteor/versions | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.meteor/versions b/.meteor/versions index bea6d0a1..5d4c8e1a 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -143,7 +143,7 @@ reload@1.1.11 retry@1.0.9 routepolicy@1.0.12 rzymek:fullcalendar@3.8.0 -salleman:accounts-oidc@1.0.11 +salleman:accounts-oidc@1.0.10 salleman:oidc@1.0.11 service-configuration@1.0.11 session@1.1.7 -- cgit v1.2.3-1-g7c22 From 2add875a389037dcb331022d0831b8ae96407e66 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 11 Feb 2019 16:09:39 +0200 Subject: Update translations. --- i18n/he.i18n.json | 14 +++---- i18n/pl.i18n.json | 112 +++++++++++++++++++++++++-------------------------- i18n/ru.i18n.json | 4 +- i18n/zh-CN.i18n.json | 4 +- 4 files changed, 67 insertions(+), 67 deletions(-) diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 307cacf6..939f2002 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -14,7 +14,7 @@ "act-archivedBoard": "__board__ הועבר לארכיון", "act-archivedCard": "__card__ הועבר לארכיון", "act-archivedList": "__list__ הועבר לארכיון", - "act-archivedSwimlane": "__swimlane__ נשמר בארכיון", + "act-archivedSwimlane": "__swimlane__ הועבר לארכיון", "act-importBoard": "הלוח __board__ יובא", "act-importCard": "הכרטיס __card__ יובא", "act-importList": "הרשימה __list__ יובאה", @@ -84,7 +84,7 @@ "archive-board": "העברת הלוח לארכיון", "archive-card": "העברת הכרטיס לארכיון", "archive-list": "העברת הרשימה לארכיון", - "archive-swimlane": "שמור נתיב זרימה לארכיון", + "archive-swimlane": "העברת מסלול לארכיון", "archive-selection": "העברת הבחירה לארכיון", "archiveBoardPopup-title": "להעביר לוח זה לארכיון?", "archived-items": "להעביר לארכיון", @@ -335,10 +335,10 @@ "list-archive-cards-pop": "כל הכרטיסים מרשימה זו יוסרו מהלוח. לצפייה בכרטיסים השמורים בארכיון ולהחזירם ללוח, ניתן ללחוץ על „תפריט” > „פריטים בארכיון”.", "list-move-cards": "העברת כל הכרטיסים שברשימה זו", "list-select-cards": "בחירת כל הכרטיסים שברשימה זו", - "set-color-list": "הגדר צבע", + "set-color-list": "הגדרת צבע", "listActionPopup-title": "פעולות רשימה", "swimlaneActionPopup-title": "פעולות על מסלול", - "swimlaneAddPopup-title": "הוספת נתיב זרימה מתחת", + "swimlaneAddPopup-title": "הוספת מסלול מתחת", "listImportCardPopup-title": "יבוא כרטיס מ־Trello", "listMorePopup-title": "עוד", "link-list": "קישור לרשימה זו", @@ -365,7 +365,7 @@ "name": "שם", "no-archived-cards": "אין כרטיסים בארכיון", "no-archived-lists": "אין רשימות בארכיון", - "no-archived-swimlanes": "לא שמורים מסלולים בארכיון", + "no-archived-swimlanes": "אין מסלולים בארכיון.", "no-results": "אין תוצאות", "normal": "רגיל", "normal-desc": "הרשאה לצפות ולערוך כרטיסים. לא ניתן לשנות הגדרות.", @@ -660,6 +660,6 @@ "add-custom-html-before-body-end": "הוספת קוד HTML מותאם אישית לפני ה־ הסוגר.", "error-undefined": "מהו השתבש", "error-ldap-login": "אירעה שגיאה בעת ניסיון הכניסה", - "display-authentication-method": "הצג שיטת אימות", - "default-authentication-method": "שיטת אימות ברירת מחדל" + "display-authentication-method": "הצגת שיטת אימות", + "default-authentication-method": "שיטת אימות כבררת מחדל" } \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 9fb9fe11..99a1af9f 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -1,6 +1,6 @@ { "accept": "Akceptuj", - "act-activity-notify": "Activity Notification", + "act-activity-notify": "Powiadomienia aktywności", "act-addAttachment": "dodano załącznik __attachement__ do __card__", "act-addSubtask": "dodał podzadanie __checklist__ do __card__", "act-addChecklist": "dodał listę zadań __checklist__ to __card__", @@ -78,7 +78,7 @@ "and-n-other-card": "I __count__ inna karta", "and-n-other-card_plural": "I __count__ inne karty", "apply": "Zastosuj", - "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", + "app-is-offline": "Trwa ładowanie, proszę czekać. Odświeżenie strony może spowodować utratę danych. Jeśli strona się nie przeładowuje, upewnij się, że serwer działa poprawnie.", "archive": "Przenieś do Archiwum", "archive-all": "Przenieś wszystko do Archiwum", "archive-board": "Przenieś tablicę do Archiwum", @@ -169,30 +169,30 @@ "close-board-pop": "Będziesz w stanie przywrócić tablicę poprzez kliknięcie przycisku \"Archiwizuj\" w nagłówku strony domowej.", "color-black": "czarny", "color-blue": "niebieski", - "color-crimson": "crimson", - "color-darkgreen": "darkgreen", - "color-gold": "gold", - "color-gray": "gray", + "color-crimson": "karmazynowy", + "color-darkgreen": "ciemnozielony", + "color-gold": "złoty", + "color-gray": "szary", "color-green": "zielony", - "color-indigo": "indigo", + "color-indigo": "indygo", "color-lime": "limonkowy", - "color-magenta": "magenta", - "color-mistyrose": "mistyrose", - "color-navy": "navy", + "color-magenta": "fuksjowy", + "color-mistyrose": "różowy", + "color-navy": "granatowy", "color-orange": "pomarańczowy", - "color-paleturquoise": "paleturquoise", - "color-peachpuff": "peachpuff", + "color-paleturquoise": "turkusowy", + "color-peachpuff": "brzoskwiniowy", "color-pink": "różowy", - "color-plum": "plum", + "color-plum": "śliwkowy", "color-purple": "fioletowy", "color-red": "czerwony", - "color-saddlebrown": "saddlebrown", - "color-silver": "silver", + "color-saddlebrown": "jasnobrązowy", + "color-silver": "srebrny", "color-sky": "błękitny", - "color-slateblue": "slateblue", - "color-white": "white", + "color-slateblue": "szaroniebieski", + "color-white": "miały", "color-yellow": "żółty", - "unset-color": "Unset", + "unset-color": "Nieustawiony", "comment": "Komentarz", "comment-placeholder": "Dodaj komentarz", "comment-only": "Tylko komentowanie", @@ -299,19 +299,19 @@ "import-board": "importuj tablice", "import-board-c": "Import tablicy", "import-board-title-trello": "Importuj tablicę z Trello", - "import-board-title-wekan": "Import board from previous export", - "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Importuj tablicę z poprzedniego eksportu", + "import-sandstorm-backup-warning": "Nie usuwaj danych, które importujesz ze źródłowej tablicy lub Trello zanim upewnisz się, że wszystko zostało prawidłowo przeniesione przy czym brane jest pod uwagę ponowne uruchomienie strony, ponieważ w przypadku błędu braku tablicy stracisz dane.", "import-sandstorm-warning": "Zaimportowana tablica usunie wszystkie istniejące dane na aktualnej tablicy oraz zastąpi ją danymi z tej importowanej.", "from-trello": "Z Trello", - "from-wekan": "From previous export", + "from-wekan": "Z poprzedniego eksportu", "import-board-instruction-trello": "W twojej tablicy na Trello przejdź do 'Menu', następnie 'Więcej', 'Drukuj i eksportuj', 'Eksportuj jako JSON' i skopiuj wynik", - "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "Na Twojej tablicy przejdź do 'Menu', a następnie wybierz 'Eksportuj tablicę' i skopiuj tekst w pobranym pliku.", "import-board-instruction-about-errors": "W przypadku, gdy otrzymujesz błędy importowania tablicy, czasami importowanie pomimo wszystko działa poprawnie i tablica znajduje się w oknie Wszystkie tablice.", "import-json-placeholder": "Wklej Twoje dane JSON tutaj", "import-map-members": "Przypisz członków", - "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", + "import-members-map": "Twoje zaimportowane tablice mają kilku członków. Proszę wybierz członków których chcesz zaimportować dla Twoich użytkowników", "import-show-user-mapping": "Przejrzyj wybranych członków", - "import-user-select": "Pick your existing user you want to use as this member", + "import-user-select": "Wybierz istniejącego użytkownika, który ma stać się członkiem", "importMapMembersAddPopup-title": "Wybierz użytkownika", "info": "Wersja", "initials": "Inicjały", @@ -335,10 +335,10 @@ "list-archive-cards-pop": "To usunie wszystkie karty z tej listy z tej tablicy. Aby przejrzeć karty w Archiwum i przywrócić na tablicę, kliknij \"Menu\" > \"Archiwizuj\".", "list-move-cards": "Przenieś wszystkie karty z tej listy", "list-select-cards": "Zaznacz wszystkie karty z tej listy", - "set-color-list": "Set Color", + "set-color-list": "Ustaw kolor", "listActionPopup-title": "Lista akcji", "swimlaneActionPopup-title": "Opcje diagramu czynności", - "swimlaneAddPopup-title": "Add a Swimlane below", + "swimlaneAddPopup-title": "Dodaj diagram czynności poniżej", "listImportCardPopup-title": "Zaimportuj kartę z Trello", "listMorePopup-title": "Więcej", "link-list": "Podepnij do tej listy", @@ -478,14 +478,14 @@ "send-smtp-test": "Wyślij wiadomość testową do siebie", "invitation-code": "Kod z zaproszenia", "email-invite-register-subject": "__inviter__ wysłał Ci zaproszenie", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email", + "email-invite-register-text": "Drogi __user__,\n\n__inviter__ zaprasza Cię do współpracy na naszej tablicy kanban.\n\nAby kontynuować, wejdź w poniższy link:\n__url__\n\nTwój kod zaproszenia to: __icode__\n\nDziękuję.", + "email-smtp-test-subject": "Wiadomość testowa SMTP", "email-smtp-test-text": "Wiadomość testowa została wysłana z powodzeniem.", "error-invitation-code-not-exist": "Kod zaproszenia nie istnieje", "error-notAuthorized": "Nie jesteś uprawniony do przeglądania tej strony.", "outgoing-webhooks": "Wychodzące webhooki", "outgoingWebhooksPopup-title": "Wychodzące webhooki", - "boardCardTitlePopup-title": "Card Title Filter", + "boardCardTitlePopup-title": "Filtruj poprzez nazwę karty", "new-outgoing-webhook": "Nowy wychodzący webhook", "no-name": "(nieznany)", "Node_version": "Wersja Node", @@ -498,7 +498,7 @@ "OS_Totalmem": "Dostępna pamięć RAM", "OS_Type": "Typ systemu", "OS_Uptime": "Czas działania systemu", - "days": "days", + "days": "dni", "hours": "godzin", "minutes": "minut", "seconds": "sekund", @@ -519,10 +519,10 @@ "card-end-on": "Kończy się", "editCardReceivedDatePopup-title": "Zmień datę odebrania", "editCardEndDatePopup-title": "Zmień datę ukończenia", - "setCardColorPopup-title": "Set color", - "setCardActionsColorPopup-title": "Choose a color", - "setSwimlaneColorPopup-title": "Choose a color", - "setListColorPopup-title": "Choose a color", + "setCardColorPopup-title": "Ustaw kolor", + "setCardActionsColorPopup-title": "Wybierz kolor", + "setSwimlaneColorPopup-title": "Wybierz kolor", + "setListColorPopup-title": "Wybierz kolor", "assigned-by": "Przypisane przez", "requested-by": "Zlecone przez", "board-delete-notice": "Usuwanie jest permanentne. Stracisz wszystkie listy, kart oraz czynności przypisane do tej tablicy.", @@ -561,14 +561,14 @@ "r-delete-rule": "Usuń regułę", "r-new-rule-name": "Nowa nazwa reguły", "r-no-rules": "Brak regułę", - "r-when-a-card": "When a card", + "r-when-a-card": "Gdy karta", "r-is": "jest", - "r-is-moved": "is moved", - "r-added-to": "added to", + "r-is-moved": "jest przenoszona", + "r-added-to": "dodana do", "r-removed-from": "Usunięto z", "r-the-board": "tablicy", "r-list": "lista", - "set-filter": "Set Filter", + "set-filter": "Ustaw filtr", "r-moved-to": "Przeniesiono do", "r-moved-from": "Przeniesiono z", "r-archived": "Przeniesione z Archiwum", @@ -576,7 +576,7 @@ "r-a-card": "karta", "r-when-a-label-is": "Gdy etykieta jest", "r-when-the-label-is": "Gdy etykieta jest", - "r-list-name": "list name", + "r-list-name": "nazwa listy", "r-when-a-member": "Gdy członek jest", "r-when-the-member": "Gdy członek jest", "r-name": "nazwa", @@ -601,7 +601,7 @@ "r-label": "etykieta", "r-member": "członek", "r-remove-all": "Usuń wszystkich członków tej karty", - "r-set-color": "Set color to", + "r-set-color": "Ustaw kolor na", "r-checklist": "lista zadań", "r-check-all": "Zaznacz wszystkie", "r-uncheck-all": "Odznacz wszystkie", @@ -626,9 +626,9 @@ "r-d-unarchive": "Przywróć kartę z Archiwum", "r-d-add-label": "Dodaj etykietę", "r-d-remove-label": "Usuń etykietę", - "r-create-card": "Create new card", - "r-in-list": "in list", - "r-in-swimlane": "in swimlane", + "r-create-card": "Utwórz nową kartę", + "r-in-list": "na liście", + "r-in-swimlane": "w diagramie zdarzeń", "r-d-add-member": "Dodaj członka", "r-d-remove-member": "Usuń członka", "r-d-remove-all-member": "Usuń wszystkich członków", @@ -639,14 +639,14 @@ "r-d-check-of-list": "z listy zadań", "r-d-add-checklist": "Dodaj listę zadań", "r-d-remove-checklist": "Usuń listę zadań", - "r-by": "by", + "r-by": "przez", "r-add-checklist": "Dodaj listę zadań", - "r-with-items": "with items", - "r-items-list": "item1,item2,item3", - "r-add-swimlane": "Add swimlane", - "r-swimlane-name": "swimlane name", - "r-board-note": "Note: leave a field empty to match every possible value.", - "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", + "r-with-items": "z elementami", + "r-items-list": "element1,element2,element3", + "r-add-swimlane": "Dodaj diagram zdarzeń", + "r-swimlane-name": "Nazwa diagramu", + "r-board-note": "Uwaga: pozostaw pole puste, aby każda wartość była brana pod uwagę.", + "r-checklist-note": "Uwaga: wartości elementów listy muszą być oddzielone przecinkami.", "r-when-a-card-is-moved": "Gdy karta jest przeniesiona do innej listy", "ldap": "LDAP", "oauth2": "OAuth2", @@ -656,10 +656,10 @@ "custom-product-name": "Niestandardowa nazwa produktu", "layout": "Układ strony", "hide-logo": "Ukryj logo", - "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end", - "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login", - "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "add-custom-html-after-body-start": "Dodaj niestandardowy kod HTML po starcie", + "add-custom-html-before-body-end": "Dodaj niestandardowy kod HTML przed końcem", + "error-undefined": "Coś poszło nie tak", + "error-ldap-login": "Wystąpił błąd w trakcie logowania", + "display-authentication-method": "Wyświetl metodę logowania", + "default-authentication-method": "Domyślna metoda logowania" } \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 0c8af71d..16bbb6e7 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -660,6 +660,6 @@ "add-custom-html-before-body-end": "Добавить HTML до завершения ", "error-undefined": "Что-то пошло не так", "error-ldap-login": "Ошибка при попытке авторизации", - "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "display-authentication-method": "Показывать способ авторизации", + "default-authentication-method": "Способ авторизации по умолчанию" } \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index adeaac67..71bb3ac3 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -660,6 +660,6 @@ "add-custom-html-before-body-end": "添加定制的HTML在结束之后", "error-undefined": "出了点问题", "error-ldap-login": "尝试登陆时出错", - "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "display-authentication-method": "显示认证方式", + "default-authentication-method": "缺省认证方式" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 8e02170dd1d5a638ba47dcca910e6eecbfd03baf Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 11 Feb 2019 16:32:24 +0200 Subject: - Add option DEBUG=true for docker-compose.yml/Snap/Source. Thanks to xet7 ! --- docker-compose.yml | 3 +++ releases/virtualbox/start-wekan.sh | 3 +++ snap-src/bin/config | 7 +++++-- snap-src/bin/wekan-help | 6 ++++++ start-wekan.bat | 7 ++++++- start-wekan.sh | 3 +++ 6 files changed, 26 insertions(+), 3 deletions(-) diff --git a/docker-compose.yml b/docker-compose.yml index abcaa48b..2d1757c8 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -276,6 +276,9 @@ services: # example: OAUTH2_TOKEN_ENDPOINT=/oauth/token #- OAUTH2_TOKEN_ENDPOINT= #----------------------------------------------------------------- + # Debug OIDC OAuth2 etc + #- DEBUG=true + #----------------------------------------------------------------- # ==== LDAP ==== # https://github.com/wekan/wekan/wiki/LDAP # For Snap settings see https://github.com/wekan/wekan-snap/wiki/Supported-settings-keys diff --git a/releases/virtualbox/start-wekan.sh b/releases/virtualbox/start-wekan.sh index 2aec8004..7df5f023 100755 --- a/releases/virtualbox/start-wekan.sh +++ b/releases/virtualbox/start-wekan.sh @@ -70,6 +70,9 @@ # example: export OAUTH2_TOKEN_ENDPOINT=/oauth/token #export OAUTH2_TOKEN_ENDPOINT='' #--------------------------------------------- + # Debug OIDC OAuth2 etc. + #export DEBUG=true + #--------------------------------------------- # LDAP_ENABLE : Enable or not the connection by the LDAP # example : export LDAP_ENABLE=true #export LDAP_ENABLE=false diff --git a/snap-src/bin/config b/snap-src/bin/config index 7eb9a990..e749d80e 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -3,7 +3,7 @@ # All supported keys are defined here together with descriptions and default values # list of supported keys -keys="MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API CORS MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_FULLNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN LOGOUT_WITH_TIMER LOGOUT_IN LOGOUT_ON_HOURS LOGOUT_ON_MINUTES DEFAULT_AUTHENTICATION_METHOD" +keys="MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API CORS MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_FULLNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN LOGOUT_WITH_TIMER LOGOUT_IN LOGOUT_ON_HOURS LOGOUT_ON_MINUTES DEFAULT_AUTHENTICATION_METHOD DEBUG" # default values DESCRIPTION_MONGODB_BIND_UNIX_SOCKET="mongodb binding unix socket:\n"\ @@ -290,7 +290,10 @@ DESCRIPTION_LOGOUT_ON_MINUTES="The number of minutes" DEFAULT_LOGOUT_ON_MINUTES="" KEY_LOGOUT_ON_MINUTES="logout-on-minutes" - DESCRIPTION_DEFAULT_AUTHENTICATION_METHOD="The default authentication method used if a user does not exist to create and authenticate. Method can be password or ldap." DEFAULT_DEFAULT_AUTHENTICATION_METHOD="" KEY_DEFAULT_AUTHENTICATION_METHOD="default-authentication-method" + +DESCRIPTION_DEBUG="Debug OIDC etc. Example: sudo snap set wekan debug='true'" +DEFAULT_DEBUG="false" +KEY_DEBUG="debug" diff --git a/snap-src/bin/wekan-help b/snap-src/bin/wekan-help index 9c7a67a2..eda05ff8 100755 --- a/snap-src/bin/wekan-help +++ b/snap-src/bin/wekan-help @@ -100,6 +100,12 @@ echo -e "\t$ snap set $SNAP_NAME OAUTH2_TOKEN_ENDPOINT='/oauth/token'" echo -e "\t-Disable the OAuth2 Token Endpoint of Wekan:" echo -e "\t$ snap set $SNAP_NAME OAUTH2_TOKEN_ENDPOINT=''" echo -e "\n" +echo -e "Debug OIDC OAuth2 etc." +echo -e "To enable the Debug of Wekan:" +echo -e "\t$ snap set $SNAP_NAME DEBUG='true'" +echo -e "\t-Disable the Debug of Wekan:" +echo -e "\t$ snap set $SNAP_NAME DEBUG='false'" +echo -e "\n" echo -e "Ldap Enable." echo -e "To enable the ldap of Wekan:" echo -e "\t$ snap set $SNAP_NAME LDAP_ENABLE='true'" diff --git a/start-wekan.bat b/start-wekan.bat index fee3e18a..c2acb3d6 100644 --- a/start-wekan.bat +++ b/start-wekan.bat @@ -69,6 +69,11 @@ REM SET OAUTH2_TOKEN_ENDPOINT= REM ------------------------------------------------------------ +REM # Debug OIDC OAuth2 etc. +REM SET DEBUG=true + +REM ------------------------------------------------------------ + REM # LDAP_ENABLE : Enable or not the connection by the LDAP REM # example : LDAP_ENABLE=true REM SET LDAP_ENABLE=false @@ -245,4 +250,4 @@ REM SET LOGOUT_ON_MINUTES= cd .build\bundle node main.js -cd ..\.. \ No newline at end of file +cd ..\.. diff --git a/start-wekan.sh b/start-wekan.sh index a7587e40..bd052588 100755 --- a/start-wekan.sh +++ b/start-wekan.sh @@ -88,6 +88,9 @@ function wekan_repo_check(){ # example: export OAUTH2_TOKEN_ENDPOINT=/oauth/token #export OAUTH2_TOKEN_ENDPOINT='' #--------------------------------------------- + # Debug OIDC OAuth2 etc. + #export DEBUG=true + #--------------------------------------------- # LDAP_ENABLE : Enable or not the connection by the LDAP # example : export LDAP_ENABLE=true #export LDAP_ENABLE=false -- cgit v1.2.3-1-g7c22 From 86630fa1e01d43daf3085c22ef6c50fd5b473115 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 11 Feb 2019 16:38:23 +0200 Subject: Update changelog. --- CHANGELOG.md | 11 +++++++++++ 1 file changed, 11 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 36dbf020..9e7b027a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,14 @@ +# Upcoming Wekan release + +This release adds the following new features: + +- [Add OIDC / OAuth2 optional setting DEBUG=true to salleman-oidc and Dockerfile](https://github.com/wekan/wekan/pull/2181). + Thanks to danpatdav. +- [Add OIDC / OAuth2 optional setting DEBUG=true to docker-compose.yml/Snap/Source](https://github.com/wekan/wekan/commits/8e02170dd1d5a638ba47dcca910e6eecbfd03baf). + Thanks to xet7. + +Thanks to above GitHub users for their contributions and translators for their translations. + # v2.19 2019-02-09 Wekan release This release removes the following new features: -- cgit v1.2.3-1-g7c22 From 2d291c8f5ea747c0097879cb0d9fc5e4c317a301 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 11 Feb 2019 16:45:11 +0200 Subject: v2.20 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 9e7b027a..cb2985b3 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.20 2019-02-11 Wekan release This release adds the following new features: diff --git a/Stackerfile.yml b/Stackerfile.yml index 5e9c9829..989913b5 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.19.0" +appVersion: "v2.20.0" files: userUploads: - README.md diff --git a/package.json b/package.json index af7e3745..41778899 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.19.0", + "version": "v2.20.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index d0d0fb6e..4de89a89 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 221, + appVersion = 222, # Increment this for every release. - appMarketingVersion = (defaultText = "2.19.0~2019-02-09"), + appMarketingVersion = (defaultText = "2.20.0~2019-02-11"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 352e5c6cb07b1a09ef692af6f6c49c3b1f3e91c1 Mon Sep 17 00:00:00 2001 From: Daniel Davis Date: Mon, 11 Feb 2019 10:41:24 -0600 Subject: Bump salleman-oidc to 1.0.12 --- .meteor/versions | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.meteor/versions b/.meteor/versions index 5d4c8e1a..15e2f8b9 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -144,7 +144,7 @@ retry@1.0.9 routepolicy@1.0.12 rzymek:fullcalendar@3.8.0 salleman:accounts-oidc@1.0.10 -salleman:oidc@1.0.11 +salleman:oidc@1.0.12 service-configuration@1.0.11 session@1.1.7 sha@1.0.9 -- cgit v1.2.3-1-g7c22 From 905c45f225809769268e1aaa64d30c1d44254f15 Mon Sep 17 00:00:00 2001 From: Gavin Lilly Date: Mon, 11 Feb 2019 16:43:52 +0000 Subject: Replaced Kadira by meteor-apm-agent --- .meteor/packages | 2 +- docker-compose.yml | 10 +++++----- server/kadira.js | 5 ----- 3 files changed, 6 insertions(+), 11 deletions(-) delete mode 100644 server/kadira.js diff --git a/.meteor/packages b/.meteor/packages index 228427e4..274a8d0d 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -90,4 +90,4 @@ wekan:wekan-ldap wekan:accounts-cas wekan-scrollbar mquandalle:perfect-scrollbar -meteorhacks:kadira +mdg:meteor-apm-agent diff --git a/docker-compose.yml b/docker-compose.yml index 951c705e..ddd293a4 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -123,7 +123,7 @@ services: # image: wekanteam/wekan:v1.95 #------------------------------------------------------------------------------------- container_name: wekan-app - restart: always + restart: "no" networks: - wekan-tier #------------------------------------------------------------------------------------- @@ -148,7 +148,7 @@ services: # remove port mapping if you use nginx reverse proxy, port 8080 is already exposed to wekan-tier network - 3000:8080 environment: - - MONGO_URL=mongodb://wekandb:27017/wekan?replicaSet=kadira + - MONGO_URL=mongodb://wekandb:27017/wekan #--------------------------------------------------------------- # ==== ROOT_URL SETTING ==== # Change ROOT_URL to your real Wekan URL, for example: @@ -193,9 +193,9 @@ services: # ==== OPTIONAL: KADIRA PERFORMANCE MONITORING FOR METEOR ==== # https://github.com/smeijer/kadira # https://blog.meteor.com/kadira-apm-is-now-open-source-490469ffc85f - - KADIRA_OPTIONS_ENDPOINT=http://kadira-engine:11011 - - KADIRA_APP_ID=iYpPgq6rXRrZJty4A - - KADIRA_APP_SECRET=9de2728b-320d-46c1-9352-0084435411f0 + - APM_OPTIONS_ENDPOINT=http://kadira-engine:11011 + - APM_APP_ID=iYpPgq6rXRrZJty4A + - APM_APP_SECRET=9de2728b-320d-46c1-9352-0084435411f0 #--------------------------------------------------------------- # ==== OPTIONAL: LOGS AND STATS ==== # https://github.com/wekan/wekan/wiki/Logs diff --git a/server/kadira.js b/server/kadira.js deleted file mode 100644 index 8b43102d..00000000 --- a/server/kadira.js +++ /dev/null @@ -1,5 +0,0 @@ -Meteor.startup(() => { - const appId = process.env.KADIRA_APP_ID; - const appSecret = process.env.KADIRA_APP_SECRET; - Kadira.connect(appId, appSecret); -}); -- cgit v1.2.3-1-g7c22 From bdbbb12f967f7e4f605e6c3310290180f6c8c6d1 Mon Sep 17 00:00:00 2001 From: Daniel Davis Date: Mon, 11 Feb 2019 10:48:20 -0600 Subject: Added parameters for OIDC claim mapping These mapping parameters take advantage of new code in salleman-oidc 1.0.12 to override the default claim names provided by the userinfo endpoint. --- Dockerfile | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/Dockerfile b/Dockerfile index ff6243d5..283cc853 100644 --- a/Dockerfile +++ b/Dockerfile @@ -26,6 +26,10 @@ ARG OAUTH2_SERVER_URL ARG OAUTH2_AUTH_ENDPOINT ARG OAUTH2_USERINFO_ENDPOINT ARG OAUTH2_TOKEN_ENDPOINT +ARG OAUTH2_ID_MAP +ARG OAUTH2_USERNAME_MAP +ARG OAUTH2_FULLNAME_MAP +ARG OAUTH2_EMAIL_MAP ARG LDAP_ENABLE ARG LDAP_PORT ARG LDAP_HOST @@ -101,6 +105,10 @@ ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential pyth OAUTH2_AUTH_ENDPOINT="" \ OAUTH2_USERINFO_ENDPOINT="" \ OAUTH2_TOKEN_ENDPOINT="" \ + OAUTH2_ID_MAP="" \ + OAUTH2_USERNAME_MAP="" \ + OAUTH2_FULLNAME_MAP="" \ + OAUTH2_EMAIL_MAP="" \ LDAP_ENABLE=false \ LDAP_PORT=389 \ LDAP_HOST="" \ -- cgit v1.2.3-1-g7c22 From d3abb0756ebe198f495d0fc6d4e1a737b8dc8f32 Mon Sep 17 00:00:00 2001 From: Gavin Lilly Date: Mon, 11 Feb 2019 20:12:53 +0000 Subject: Pulled Wekan-LDAP locally for debug --- Dockerfile | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/Dockerfile b/Dockerfile index ff6243d5..aed3ecdf 100644 --- a/Dockerfile +++ b/Dockerfile @@ -247,7 +247,7 @@ RUN \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/flow-router.git kadira-flow-router && \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/meteor-useraccounts/core.git meteor-useraccounts-core && \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/meteor-accounts-cas.git && \ - gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/wekan-ldap.git && \ + #gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/wekan-ldap.git && \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/wekan-scrollbar.git && \ sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' /home/wekan/app/packages/meteor-useraccounts-core/package.js && \ cd /home/wekan/.meteor && \ -- cgit v1.2.3-1-g7c22 From 5c083d99e2bd0041cc07a5ef86a0279900a3ce83 Mon Sep 17 00:00:00 2001 From: Gavin Lilly Date: Mon, 11 Feb 2019 23:16:37 +0000 Subject: Moved to meteor-apm-agent and removed Wekan LDAP to test if working --- .meteor/packages | 1 - .meteor/versions | 4 +--- 2 files changed, 1 insertion(+), 4 deletions(-) diff --git a/.meteor/packages b/.meteor/packages index 274a8d0d..2553cf94 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -86,7 +86,6 @@ momentjs:moment@2.22.2 browser-policy-framing mquandalle:moment msavin:usercache -wekan:wekan-ldap wekan:accounts-cas wekan-scrollbar mquandalle:perfect-scrollbar diff --git a/.meteor/versions b/.meteor/versions index 5477519e..2df52582 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -84,13 +84,13 @@ localstorage@1.2.0 logging@1.1.19 matb33:collection-hooks@0.8.4 matteodem:easy-search@1.6.4 +mdg:meteor-apm-agent@3.1.2 mdg:validation-error@0.5.1 meteor@1.8.2 meteor-base@1.2.0 meteor-platform@1.2.6 meteorhacks:aggregate@1.3.0 meteorhacks:collection-utils@1.2.0 -meteorhacks:kadira@2.30.4 meteorhacks:meteorx@1.4.1 meteorhacks:picker@1.0.3 meteorhacks:subs-manager@1.6.4 @@ -182,6 +182,4 @@ webapp@1.4.0 webapp-hashing@1.0.9 wekan-scrollbar@3.1.3 wekan:accounts-cas@0.1.0 -wekan:wekan-ldap@0.0.2 -yasaricli:slugify@0.0.7 zimme:active-route@2.3.2 -- cgit v1.2.3-1-g7c22 From 59314ab17d65e9579d2f29b32685b7777f2a06a1 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 12 Feb 2019 03:09:30 +0200 Subject: - Add OIDC claim mapping parameters to docker-compose.yml/Snap/Source. Thanks to xet7 ! --- docker-compose.yml | 102 ++++++++++++------- releases/virtualbox/start-wekan.sh | 138 +++++++++++++++++--------- snap-src/bin/config | 30 +++++- snap-src/bin/wekan-help | 195 ++++++++++++++++++++----------------- start-wekan.bat | 12 ++- start-wekan.sh | 94 +++++++++++++----- 6 files changed, 363 insertions(+), 208 deletions(-) diff --git a/docker-compose.yml b/docker-compose.yml index 2d1757c8..869415a8 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -219,23 +219,19 @@ services: - WITH_API=true #----------------------------------------------------------------- # ==== CORS ===== - # CORS: Set Access-Control-Allow-Origin header. Example: * + # CORS: Set Access-Control-Allow-Origin header. #- CORS=* #----------------------------------------------------------------- # ==== MATOMO INTEGRATION ==== # Optional: Integration with Matomo https://matomo.org that is installed to your server # The address of the server where Matomo is hosted. - # example: - MATOMO_ADDRESS=https://example.com/matomo - #- MATOMO_ADDRESS= + #- MATOMO_ADDRESS=https://example.com/matomo # The value of the site ID given in Matomo server for Wekan - # example: - MATOMO_SITE_ID=12345 - #- MATOMO_SITE_ID= + #- MATOMO_SITE_ID=1 # The option do not track which enables users to not be tracked by matomo - # example: - MATOMO_DO_NOT_TRACK=false - #- MATOMO_DO_NOT_TRACK= + #- MATOMO_DO_NOT_TRACK=true # The option that allows matomo to retrieve the username: - # example: MATOMO_WITH_USERNAME=true - #- MATOMO_WITH_USERNAME=false + #- MATOMO_WITH_USERNAME=true #----------------------------------------------------------------- # ==== BROWSER POLICY AND TRUSTED IFRAME URL ==== # Enable browser policy and allow one trusted URL that can have iframe that has Wekan embedded inside. @@ -243,41 +239,75 @@ services: # and allows all iframing etc. See wekan/server/policy.js - BROWSER_POLICY_ENABLED=true # When browser policy is enabled, HTML code at this Trusted URL can have iframe that embeds Wekan inside. - #- TRUSTED_URL= + #- TRUSTED_URL=https://intra.example.com #----------------------------------------------------------------- # ==== OUTGOING WEBHOOKS ==== # What to send to Outgoing Webhook, or leave out. Example, that includes all that are default: cardId,listId,oldListId,boardId,comment,user,card,commentId . - # example: WEBHOOKS_ATTRIBUTES=cardId,listId,oldListId,boardId,comment,user,card,commentId - #- WEBHOOKS_ATTRIBUTES= + #- WEBHOOKS_ATTRIBUTES=cardId,listId,oldListId,boardId,comment,user,card,commentId #----------------------------------------------------------------- - # ==== OAUTH2 ONLY WITH OIDC AND DOORKEEPER AS INDENTITY PROVIDER + # ==== Debug OIDC OAuth2 etc ==== + #- DEBUG=true + #----------------------------------------------------------------- + # ==== OAUTH2 AZURE ==== + # https://github.com/wekan/wekan/wiki/Azure + # 1) Register the application with Azure. Make sure you capture + # the application ID as well as generate a secret key. + # 2) Configure the environment variables. This differs slightly + # by installation type, but make sure you have the following: + #- OAUTH2_ENABLED=true + # Application GUID captured during app registration: + #- OAUTH2_CLIENT_ID=xxxxxx-xxxx-xxxx-xxxx-xxxxxxxxxxx + # Secret key generated during app registration: + #- OAUTH2_SECRET=xxxxxxxxxxxxxxxxxxxxxxxxxxxxxx + #- OAUTH2_SERVER_URL=https://login.microsoftonline.com/ + #- OAUTH2_AUTH_ENDPOINT=/oauth2/v2.0/authorize + #- OAUTH2_USERINFO_ENDPOINT=https://graph.microsoft.com/oidc/userinfo + #- OAUTH2_TOKEN_ENDPOINT=/oauth2/v2.0/token + # The claim name you want to map to the unique ID field: + #- OAUTH2_ID_MAP=email + # The claim name you want to map to the username field: + #- OAUTH2_USERNAME_MAP=email + # The claim name you want to map to the full name field: + #- OAUTH2_FULLNAME_MAP=name + # Tthe claim name you want to map to the email field: + #- OAUTH2_EMAIL_MAP=email + #----------------------------------------------------------------- + # ==== OAUTH2 KEYCLOAK ==== + # https://github.com/wekan/wekan/wiki/Keycloak <== MAPPING INFO, REQUIRED + #- OAUTH2_ENABLED=true + #- OAUTH2_CLIENT_ID= + #- OAUTH2_SERVER_URL=/auth + #- OAUTH2_AUTH_ENDPOINT=/realms//protocol/openid-connect/auth + #- OAUTH2_USERINFO_ENDPOINT=/realms//protocol/openid-connect/userinfo + #- OAUTH2_TOKEN_ENDPOINT=/realms//protocol/openid-connect/token + #- OAUTH2_SECRET= + #----------------------------------------------------------------- + # ==== OAUTH2 DOORKEEPER ==== # https://github.com/wekan/wekan/issues/1874 # https://github.com/wekan/wekan/wiki/OAuth2 # Enable the OAuth2 connection - # example: OAUTH2_ENABLED=true - #- OAUTH2_ENABLED=false + #- OAUTH2_ENABLED=true # OAuth2 docs: https://github.com/wekan/wekan/wiki/OAuth2 - # OAuth2 Client ID, for example from Rocket.Chat. Example: abcde12345 - # example: OAUTH2_CLIENT_ID=abcde12345 - #- OAUTH2_CLIENT_ID= - # OAuth2 Secret, for example from Rocket.Chat: Example: 54321abcde - # example: OAUTH2_SECRET=54321abcde - #- OAUTH2_SECRET= - # OAuth2 Server URL, for example Rocket.Chat. Example: https://chat.example.com - # example: OAUTH2_SERVER_URL=https://chat.example.com - #- OAUTH2_SERVER_URL= - # OAuth2 Authorization Endpoint. Example: /oauth/authorize - # example: OAUTH2_AUTH_ENDPOINT=/oauth/authorize - #- OAUTH2_AUTH_ENDPOINT= - # OAuth2 Userinfo Endpoint. Example: /oauth/userinfo - # example: OAUTH2_USERINFO_ENDPOINT=/oauth/userinfo - #- OAUTH2_USERINFO_ENDPOINT= - # OAuth2 Token Endpoint. Example: /oauth/token - # example: OAUTH2_TOKEN_ENDPOINT=/oauth/token - #- OAUTH2_TOKEN_ENDPOINT= - #----------------------------------------------------------------- - # Debug OIDC OAuth2 etc - #- DEBUG=true + # OAuth2 Client ID. + #- OAUTH2_CLIENT_ID=abcde12345 + # OAuth2 Secret. + #- OAUTH2_SECRET=54321abcde + # OAuth2 Server URL. + #- OAUTH2_SERVER_URL=https://chat.example.com + # OAuth2 Authorization Endpoint. + #- OAUTH2_AUTH_ENDPOINT=/oauth/authorize + # OAuth2 Userinfo Endpoint. + #- OAUTH2_USERINFO_ENDPOINT=/oauth/userinfo + # OAuth2 Token Endpoint. + #- OAUTH2_TOKEN_ENDPOINT=/oauth/token + # OAuth2 ID Mapping + #- OAUTH2_ID_MAP= + # OAuth2 Username Mapping + #- OAUTH2_USERNAME_MAP= + # OAuth2 Fullname Mapping + #- OAUTH2_FULLNAME_MAP= + # OAuth2 Email Mapping + #- OAUTH2_EMAIL_MAP= #----------------------------------------------------------------- # ==== LDAP ==== # https://github.com/wekan/wekan/wiki/LDAP diff --git a/releases/virtualbox/start-wekan.sh b/releases/virtualbox/start-wekan.sh index 7df5f023..31d4df58 100755 --- a/releases/virtualbox/start-wekan.sh +++ b/releases/virtualbox/start-wekan.sh @@ -1,29 +1,33 @@ # If you want to restart even on crash, uncomment while and done lines. #while true; do - cd ~/repos/wekan/.build/bundle - export MONGO_URL='mongodb://127.0.0.1:27017/admin' + cd ~/repos/wekan/.build/bundle + #--------------------------------------------- + # Debug OIDC OAuth2 etc. + #export export DEBUG=true + #--------------------------------------------- + export MONGO_URL='mongodb://127.0.0.1:27017/admin' # ROOT_URL EXAMPLES FOR WEBSERVERS: https://github.com/wekan/wekan/wiki/Settings - # Production: https://example.com/wekan - # Local: http://localhost:3000 - #export ipaddress=$(ifdata -pa eth0) - export ROOT_URL='http://localhost' + # Production: https://example.com/wekan + # Local: http://localhost:3000 + #export ipaddress=$(ifdata -pa eth0) + export ROOT_URL='http://localhost' #--------------------------------------------- # Working email IS NOT REQUIRED to use Wekan. # https://github.com/wekan/wekan/wiki/Adding-users - # https://github.com/wekan/wekan/wiki/Troubleshooting-Mail - # https://github.com/wekan/wekan-mongodb/blob/master/docker-compose.yml - export MAIL_URL='smtp://user:pass@mailserver.example.com:25/' - export MAIL_FROM='Wekan Support ' - # This is local port where Wekan Node.js runs, same as below on Caddyfile settings. - export PORT=80 + # https://github.com/wekan/wekan/wiki/Troubleshooting-Mail + # https://github.com/wekan/wekan-mongodb/blob/master/docker-compose.yml + export MAIL_URL='smtp://user:pass@mailserver.example.com:25/' + export MAIL_FROM='Wekan Support ' + # This is local port where Wekan Node.js runs, same as below on Caddyfile settings. + export PORT=80 #--------------------------------------------- - # Wekan Export Board works when WITH_API='true'. + # Wekan Export Board works when WITH_API='true'. # If you disable Wekan API, Export Board does not work. - export WITH_API='true' + export WITH_API='true' #--------------------------------------------- # CORS: Set Access-Control-Allow-Origin header. Example: * - #- CORS=* + #export CORS=* #--------------------------------------------- ## Optional: Integration with Matomo https://matomo.org that is installed to your server ## The address of the server where Matomo is hosted: @@ -39,39 +43,77 @@ # Example: export MATOMO_WITH_USERNAME=true #export MATOMO_WITH_USERNAME='false' # Enable browser policy and allow one trusted URL that can have iframe that has Wekan embedded inside. - # Setting this to false is not recommended, it also disables all other browser policy protections - # and allows all iframing etc. See wekan/server/policy.js - # Default value: true - export BROWSER_POLICY_ENABLED=true + # Setting this to false is not recommended, it also disables all other browser policy protections + # and allows all iframing etc. See wekan/server/policy.js + # Default value: true + export BROWSER_POLICY_ENABLED=true # When browser policy is enabled, HTML code at this Trusted URL can have iframe that embeds Wekan inside. - # Example: export TRUSTED_URL=http://example.com + # Example: export TRUSTED_URL=http://example.com export TRUSTED_URL='' # What to send to Outgoing Webhook, or leave out. Example, that includes all that are default: cardId,listId,oldListId,boardId,comment,user,card,commentId . # Example: export WEBHOOKS_ATTRIBUTES=cardId,listId,oldListId,boardId,comment,user,card,commentId - export WEBHOOKS_ATTRIBUTES='' + export WEBHOOKS_ATTRIBUTES='' #--------------------------------------------- + # ==== OAUTH2 AZURE ==== + # https://github.com/wekan/wekan/wiki/Azure + # 1) Register the application with Azure. Make sure you capture + # the application ID as well as generate a secret key. + # 2) Configure the environment variables. This differs slightly + # by installation type, but make sure you have the following: + #export OAUTH2_ENABLED=true + # Application GUID captured during app registration: + #export OAUTH2_CLIENT_ID=xxxxxx-xxxx-xxxx-xxxx-xxxxxxxxxxx + # Secret key generated during app registration: + #export OAUTH2_SECRET=xxxxxxxxxxxxxxxxxxxxxxxxxxxxxx + #export OAUTH2_SERVER_URL=https://login.microsoftonline.com/ + #export OAUTH2_AUTH_ENDPOINT=/oauth2/v2.0/authorize + #export OAUTH2_USERINFO_ENDPOINT=https://graph.microsoft.com/oidc/userinfo + #export OAUTH2_TOKEN_ENDPOINT=/oauth2/v2.0/token + # The claim name you want to map to the unique ID field: + #export OAUTH2_ID_MAP=email + # The claim name you want to map to the username field: + #export OAUTH2_USERNAME_MAP=email + # The claim name you want to map to the full name field: + #export OAUTH2_FULLNAME_MAP=name + # Tthe claim name you want to map to the email field: + #export OAUTH2_EMAIL_MAP=email + #----------------------------------------------------------------- + # ==== OAUTH2 KEYCLOAK ==== + # https://github.com/wekan/wekan/wiki/Keycloak <== MAPPING INFO, REQUIRED + #export OAUTH2_ENABLED=true + #export OAUTH2_CLIENT_ID= + #export OAUTH2_SERVER_URL=/auth + #export OAUTH2_AUTH_ENDPOINT=/realms//protocol/openid-connect/auth + #export OAUTH2_USERINFO_ENDPOINT=/realms//protocol/openid-connect/userinfo + #export OAUTH2_TOKEN_ENDPOINT=/realms//protocol/openid-connect/token + #export OAUTH2_SECRET= + #----------------------------------------------------------------- + # ==== OAUTH2 DOORKEEPER ==== + # https://github.com/wekan/wekan/issues/1874 + # https://github.com/wekan/wekan/wiki/OAuth2 + # Enable the OAuth2 connection + #export OAUTH2_ENABLED=true # OAuth2 docs: https://github.com/wekan/wekan/wiki/OAuth2 - # OAuth2 Client ID, for example from Rocket.Chat. Example: abcde12345 - # example: export OAUTH2_CLIENT_ID=abcde12345 - #export OAUTH2_CLIENT_ID='' - # OAuth2 Secret, for example from Rocket.Chat: Example: 54321abcde - # example: export OAUTH2_SECRET=54321abcde - #export OAUTH2_SECRET='' - # OAuth2 Server URL, for example Rocket.Chat. Example: https://chat.example.com - # example: export OAUTH2_SERVER_URL=https://chat.example.com - #export OAUTH2_SERVER_URL='' - # OAuth2 Authorization Endpoint. Example: /oauth/authorize - # example: export OAUTH2_AUTH_ENDPOINT=/oauth/authorize - #export OAUTH2_AUTH_ENDPOINT='' - # OAuth2 Userinfo Endpoint. Example: /oauth/userinfo - # example: export OAUTH2_USERINFO_ENDPOINT=/oauth/userinfo - #export OAUTH2_USERINFO_ENDPOINT='' - # OAuth2 Token Endpoint. Example: /oauth/token - # example: export OAUTH2_TOKEN_ENDPOINT=/oauth/token - #export OAUTH2_TOKEN_ENDPOINT='' - #--------------------------------------------- - # Debug OIDC OAuth2 etc. - #export DEBUG=true + # OAuth2 Client ID. + #export OAUTH2_CLIENT_ID=abcde12345 + # OAuth2 Secret. + #export OAUTH2_SECRET=54321abcde + # OAuth2 Server URL. + #export OAUTH2_SERVER_URL=https://chat.example.com + # OAuth2 Authorization Endpoint. + #export OAUTH2_AUTH_ENDPOINT=/oauth/authorize + # OAuth2 Userinfo Endpoint. + #export OAUTH2_USERINFO_ENDPOINT=/oauth/userinfo + # OAuth2 Token Endpoint. + #export OAUTH2_TOKEN_ENDPOINT=/oauth/token + # OAuth2 ID Mapping + #export OAUTH2_ID_MAP= + # OAuth2 Username Mapping + #export OAUTH2_USERNAME_MAP= + # OAuth2 Fullname Mapping + #export OAUTH2_FULLNAME_MAP= + # OAuth2 Email Mapping + #export OAUTH2_EMAIL_MAP= #--------------------------------------------- # LDAP_ENABLE : Enable or not the connection by the LDAP # example : export LDAP_ENABLE=true @@ -195,15 +237,15 @@ #export LDAP_DEFAULT_DOMAIN= # LOGOUT_WITH_TIMER : Enables or not the option logout with timer # example : LOGOUT_WITH_TIMER=true - #- LOGOUT_WITH_TIMER= + #export LOGOUT_WITH_TIMER= # LOGOUT_IN : The number of days # example : LOGOUT_IN=1 - #- LOGOUT_IN= - #- LOGOUT_ON_HOURS= + #export LOGOUT_IN= + #export LOGOUT_ON_HOURS= # LOGOUT_ON_MINUTES : The number of minutes # example : LOGOUT_ON_MINUTES=55 - #- LOGOUT_ON_MINUTES= + #export LOGOUT_ON_MINUTES= - node main.js & >> ~/repos/wekan.log - cd ~/repos + node main.js & >> ~/repos/wekan.log + cd ~/repos #done diff --git a/snap-src/bin/config b/snap-src/bin/config index e749d80e..31605b2f 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -3,9 +3,13 @@ # All supported keys are defined here together with descriptions and default values # list of supported keys -keys="MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API CORS MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_FULLNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN LOGOUT_WITH_TIMER LOGOUT_IN LOGOUT_ON_HOURS LOGOUT_ON_MINUTES DEFAULT_AUTHENTICATION_METHOD DEBUG" +keys="DEBUG MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API CORS MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT OAUTH2_ID_MAP OAUTH2_USERNAME_MAP OAUTH2_FULLNAME_MAP OAUTH2_EMAIL_MAP LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_FULLNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN LOGOUT_WITH_TIMER LOGOUT_IN LOGOUT_ON_HOURS LOGOUT_ON_MINUTES DEFAULT_AUTHENTICATION_METHOD" # default values +DESCRIPTION_DEBUG="Debug OIDC OAuth2 etc. Example: sudo snap set wekan debug='true'" +DEFAULT_DEBUG="false" +KEY_DEBUG="debug" + DESCRIPTION_MONGODB_BIND_UNIX_SOCKET="mongodb binding unix socket:\n"\ "\t\t\t Default behaviour will preffer binding over unix socket, to disable unix socket binding set value to 'nill' string\n"\ "\t\t\t To bind to instance of mongodb provided through content interface,set value to relative path to the socket inside '$SNAP_DATA/shared' directory" @@ -114,6 +118,26 @@ DESCRIPTION_OAUTH2_TOKEN_ENDPOINT="OAuth2 token endpoint. Example: /oauth/token" DEFAULT_OAUTH2_TOKEN_ENDPOINT="" KEY_OAUTH2_TOKEN_ENDPOINT="oauth2-token-endpoint" +DESCRIPTION_OAUTH2_ID_MAP="OAuth2 ID Mapping. Example: email" +DEFAULT_OAUTH2_ID_MAP="" +KEY_OAUTH2_ID_MAP="oauth2-id-map" + +DESCRIPTION_OAUTH2_USERNAME_MAP="OAuth2 Username Mapping. Example: email" +DEFAULT_OAUTH2_USERNAME_MAP="" +KEY_OAUTH2_USERNAME_MAP="oauth2-username-map" + +DESCRIPTION_OAUTH2_FULLNAME_MAP="OAuth2 Fullname Mapping. Example: name" +DEFAULT_OAUTH2_FULLNAME_MAP="" +KEY_OAUTH2_FULLNAME_MAP="oauth2-fullname-map" + +DESCRIPTION_OAUTH2_FULLNAME_MAP="OAuth2 Fullname Mapping. Example: name" +DEFAULT_OAUTH2_FULLNAME_MAP="" +KEY_OAUTH2_FULLNAME_MAP="oauth2-fullname-map" + +DESCRIPTION_OAUTH2_EMAIL_MAP="OAuth2 Email Mapping. Example: email" +DEFAULT_OAUTH2_EMAIL_MAP="" +KEY_OAUTH2_EMAIL_MAP="oauth2-email-map" + DESCRIPTION_LDAP_ENABLE="Enable or not the connection by the LDAP" DEFAULT_LDAP_ENABLE="false" KEY_LDAP_ENABLE="ldap-enable" @@ -293,7 +317,3 @@ KEY_LOGOUT_ON_MINUTES="logout-on-minutes" DESCRIPTION_DEFAULT_AUTHENTICATION_METHOD="The default authentication method used if a user does not exist to create and authenticate. Method can be password or ldap." DEFAULT_DEFAULT_AUTHENTICATION_METHOD="" KEY_DEFAULT_AUTHENTICATION_METHOD="default-authentication-method" - -DESCRIPTION_DEBUG="Debug OIDC etc. Example: sudo snap set wekan debug='true'" -DEFAULT_DEBUG="false" -KEY_DEBUG="debug" diff --git a/snap-src/bin/wekan-help b/snap-src/bin/wekan-help index eda05ff8..431be029 100755 --- a/snap-src/bin/wekan-help +++ b/snap-src/bin/wekan-help @@ -8,6 +8,13 @@ if [ "$CADDY_ENABLED" = "true" ]; then fi echo -e "Wekan: The open-source kanban.\n" +echo -e "\n" +echo -e "Debug OIDC OAuth2 etc." +echo -e "To enable the Debug of Wekan:" +echo -e "\t$ snap set $SNAP_NAME debug='true'" +echo -e "\t-Disable the Debug of Wekan:" +echo -e "\t$ snap set $SNAP_NAME debug='false'" +echo -e "\n" echo -e "Make sure you have connected all interfaces, check more by calling $ snap interfaces ${SNAP_NAME}" echo -e "\n" echo -e "${SNAP_NAME} has multiple services, to check status use systemctl" @@ -29,256 +36,268 @@ echo -e "\t\t-disable mongodb in $SNAP_NAME by calling: $ snap set $SNAP_NAME se echo -e "\t\t-set mongodb-bind-unix-socket to point to serving mongodb. Use relative path inside shared directory, e.g run/mongodb-27017.sock" echo -e "\n" echo -e "To enable the API of wekan:" -echo -e "\t$ snap set $SNAP_NAME WITH_API='true'" +echo -e "\t$ snap set $SNAP_NAME with-api='true'" echo -e "\t-Disable the API:" -echo -e "\t$ snap set $SNAP_NAME WITH_API='false'" +echo -e "\t$ snap set $SNAP_NAME with-api='false'" echo -e "\n" echo -e "To enable the CORS of wekan, to set Access-Control-Allow-Origin header:" -echo -e "\t$ snap set $SNAP_NAME CORS='*'" +echo -e "\t$ snap set $SNAP_NAME cors='*'" echo -e "\t-Disable the CORS:" -echo -e "\t$ snap set $SNAP_NAME CORS=''" +echo -e "\t$ snap set $SNAP_NAME cors=''" echo -e "\n" echo -e "Enable browser policy and allow one trusted URL that can have iframe that has Wekan embedded inside." echo -e "\t\t Setting this to false is not recommended, it also disables all other browser policy protections" echo -e "\t\t and allows all iframing etc. See wekan/server/policy.js" -echo -e "To enable the Content Policy of Wekan:" -echo -e "\t$ snap set $SNAP_NAME CONTENT_POLICY_ENABLED='true'" -echo -e "\t-Disable the Content Policy of Wekan:" -echo -e "\t$ snap set $SNAP_NAME CONTENT_POLICY_ENABLED='false'" +echo -e "To enable the Browser Policy of Wekan:" +echo -e "\t$ snap set $SNAP_NAME browser-policy-enabled='true'" +echo -e "\t-Disable the Browser Policy of Wekan:" +echo -e "\t$ snap set $SNAP_NAME browser-policy-enabled='false'" echo -e "\n" echo -e "When browser policy is enabled, HTML code at this URL can have iframe that embeds Wekan inside." echo -e "To enable the Trusted URL of Wekan:" -echo -e "\t$ snap set $SNAP_NAME TRUSTED_URL='https://example.com'" +echo -e "\t$ snap set $SNAP_NAME trusted-url='https://example.com'" echo -e "\t-Disable the Trusted URL of Wekan:" -echo -e "\t$ snap set $SNAP_NAME TRUSTED_URL=''" +echo -e "\t$ snap set $SNAP_NAME trusted-url=''" echo -e "\n" echo -e "What to send to Outgoing Webhook, or leave out. Example, that includes all that are default: cardId,listId,oldListId,boardId,comment,user,card,commentId ." echo -e "To enable the Webhooks Attributes of Wekan:" -echo -e "\t$ snap set $SNAP_NAME WEBHOOKS_ATTRIBUTES='cardId,listId,oldListId,boardId,comment,user,card,commentId'" +echo -e "\t$ snap set $SNAP_NAME webhooks-attributes='cardId,listId,oldListId,boardId,comment,user,card,commentId'" echo -e "\t-Disable the Webhooks Attributes of Wekan to send all default ones:" -echo -e "\t$ snap set $SNAP_NAME WEBHOOKS_ATTRIBUTES=''" +echo -e "\t$ snap set $SNAP_NAME webhooks-attributes=''" echo -e "\n" -echo -e "OAuth2 Client ID, for example from Rocket.Chat. Example: abcde12345" +echo -e "OAuth2 Client ID." echo -e "To enable the OAuth2 Client ID of Wekan:" -echo -e "\t$ snap set $SNAP_NAME OAUTH2_CLIENT_ID='54321abcde'" +echo -e "\t$ snap set $SNAP_NAME oauth2-client-id='54321abcde'" echo -e "\t-Disable the OAuth2 Client ID of Wekan:" -echo -e "\t$ snap set $SNAP_NAME OAUTH2_CLIENT_ID=''" +echo -e "\t$ snap set $SNAP_NAME oauth2-client-id=''" echo -e "\n" -echo -e "OAuth2 Secret, for example from Rocket.Chat. Example: 54321abcde" +echo -e "OAuth2 Secret." echo -e "To enable the OAuth2 Secret of Wekan:" -echo -e "\t$ snap set $SNAP_NAME OAUTH2_SECRET='54321abcde'" +echo -e "\t$ snap set $SNAP_NAME oauth2-secret='54321abcde'" echo -e "\t-Disable the OAuth2 Secret of Wekan:" -echo -e "\t$ snap set $SNAP_NAME OAUTH2_SECRET=''" -echo -e "\n" -echo -e "OAuth2 Server URL, for example Rocket.Chat. Example: https://chat.example.com" -echo -e "To enable the OAuth2 Server URL of Wekan:" -echo -e "\t$ snap set $SNAP_NAME OAUTH2_SERVER_URL='https://chat.example.com'" -echo -e "\t-Disable the OAuth2 Server URL of Wekan:" -echo -e "\t$ snap set $SNAP_NAME OAUTH2_SERVER_URL=''" +echo -e "\t$ snap set $SNAP_NAME oauth2-secret=''" echo -e "\n" -echo -e "OAuth2 Server URL, for example Rocket.Chat. Example: https://chat.example.com" +echo -e "OAuth2 Server URL." echo -e "To enable the OAuth2 Server URL of Wekan:" -echo -e "\t$ snap set $SNAP_NAME OAUTH2_SERVER_URL='https://chat.example.com'" +echo -e "\t$ snap set $SNAP_NAME oauth2-server-url='https://chat.example.com'" echo -e "\t-Disable the OAuth2 Server URL of Wekan:" -echo -e "\t$ snap set $SNAP_NAME OAUTH2_SERVER_URL=''" +echo -e "\t$ snap set $SNAP_NAME oauth2-server-url=''" echo -e "\n" -echo -e "OAuth2 Authorization Endpoint. Example: /oauth/authorize" +echo -e "OAuth2 Authorization Endpoint." echo -e "To enable the OAuth2 Authorization Endpoint of Wekan:" -echo -e "\t$ snap set $SNAP_NAME OAUTH2_AUTH_ENDPOINT='/oauth/authorize'" +echo -e "\t$ snap set $SNAP_NAME oauth2-auth-endpoint='/oauth/authorize'" echo -e "\t-Disable the OAuth2 Authorization Endpoint of Wekan:" -echo -e "\t$ snap set $SNAP_NAME OAUTH2_AUTH_ENDPOINT=''" +echo -e "\t$ snap set $SNAP_NAME oauth2-auth-endpoint=''" echo -e "\n" -echo -e "OAuth2 Userinfo Endpoint. Example: /oauth/userinfo" +echo -e "OAuth2 Userinfo Endpoint." echo -e "To enable the OAuth2 Userinfo Endpoint of Wekan:" -echo -e "\t$ snap set $SNAP_NAME OAUTH2_USERINFO_ENDPOINT='/oauth/authorize'" +echo -e "\t$ snap set $SNAP_NAME oauth2-userinfo-endpoint='/oauth/authorize'" echo -e "\t-Disable the OAuth2 Userinfo Endpoint of Wekan:" -echo -e "\t$ snap set $SNAP_NAME OAUTH2_USERINFO_ENDPOINT=''" +echo -e "\t$ snap set $SNAP_NAME oauth2-userinfo-endpoint=''" echo -e "\n" -echo -e "OAuth2 Token Endpoint. Example: /oauth/token" +echo -e "OAuth2 Token Endpoint." echo -e "To enable the OAuth2 Token Endpoint of Wekan:" -echo -e "\t$ snap set $SNAP_NAME OAUTH2_TOKEN_ENDPOINT='/oauth/token'" +echo -e "\t$ snap set $SNAP_NAME oauth2-token-endpoint='/oauth/token'" echo -e "\t-Disable the OAuth2 Token Endpoint of Wekan:" -echo -e "\t$ snap set $SNAP_NAME OAUTH2_TOKEN_ENDPOINT=''" -echo -e "\n" -echo -e "Debug OIDC OAuth2 etc." -echo -e "To enable the Debug of Wekan:" -echo -e "\t$ snap set $SNAP_NAME DEBUG='true'" -echo -e "\t-Disable the Debug of Wekan:" -echo -e "\t$ snap set $SNAP_NAME DEBUG='false'" +echo -e "\t$ snap set $SNAP_NAME oauth2-token-endpoint=''" +echo -e "\n" +echo -e "OAuth2 ID Mapping." +echo -e "To enable the ID Mapping of Wekan:" +echo -e "\t$ snap set $SNAP_NAME oauth2-id-map='username.uid'" +echo -e "\t-Disable the ID Mapping of Wekan:" +echo -e "\t$ snap set $SNAP_NAME oauth2-id-map=''" +echo -e "\n" +echo -e "OAuth2 Username Mapping." +echo -e "To enable the Username Mapping of Wekan:" +echo -e "\t$ snap set $SNAP_NAME oauth2-username-map='username'" +echo -e "\t-Disable the Username Mapping of Wekan:" +echo -e "\t$ snap set $SNAP_NAME oauth2-username-map=''" +echo -e "\n" +echo -e "OAuth2 Fullname Mapping." +echo -e "To enable the Fullname Mapping of Wekan:" +echo -e "\t$ snap set $SNAP_NAME oauth2-fullname-map='fullname'" +echo -e "\t-Disable the Fullname Mapping of Wekan:" +echo -e "\t$ snap set $SNAP_NAME oauth2-fullname-map=''" +echo -e "\n" +echo -e "OAuth2 Email Mapping." +echo -e "To enable the Email Mapping of Wekan:" +echo -e "\t$ snap set $SNAP_NAME oauth2-email-map='email'" +echo -e "\t-Disable the Email Mapping of Wekan:" +echo -e "\t$ snap set $SNAP_NAME oauth2-email-map=''" echo -e "\n" echo -e "Ldap Enable." echo -e "To enable the ldap of Wekan:" -echo -e "\t$ snap set $SNAP_NAME LDAP_ENABLE='true'" +echo -e "\t$ snap set $SNAP_NAME ldap-enable='true'" echo -e "\t-Disable the ldap of Wekan:" -echo -e "\t$ snap set $SNAP_NAME LDAP_ENABLE='false'" +echo -e "\t$ snap set $SNAP_NAME ldap-enable='false'" echo -e "\n" echo -e "Ldap Port." echo -e "The port of the ldap server:" -echo -e "\t$ snap set $SNAP_NAME LDAP_PORT='12345'" +echo -e "\t$ snap set $SNAP_NAME ldap-port='12345'" echo -e "\n" echo -e "Ldap Host." echo -e "The host server for the LDAP server:" -echo -e "\t$ snap set $SNAP_NAME LDAP_HOST='localhost'" +echo -e "\t$ snap set $SNAP_NAME ldap-host='localhost'" echo -e "\n" echo -e "Ldap Base Dn." echo -e "The base DN for the LDAP Tree:" -echo -e "\t$ snap set $SNAP_NAME LDAP_BASEDN='ou=user,dc=example,dc=org'" +echo -e "\t$ snap set $SNAP_NAME ldap-basedn='ou=user,dc=example,dc=org'" echo -e "\n" echo -e "Ldap Login Fallback." echo -e "Fallback on the default authentication method:" -echo -e "\t$ snap set $SNAP_NAME LDAP_LOGIN_FALLBACK='true'" +echo -e "\t$ snap set $SNAP_NAME ldap-login-fallback='true'" echo -e "\n" echo -e "Ldap Reconnect." echo -e "Reconnect to the server if the connection is lost:" -echo -e "\t$ snap set $SNAP_NAME LDAP_RECONNECT='false'" +echo -e "\t$ snap set $SNAP_NAME ldap-reconnect='false'" echo -e "\n" echo -e "Ldap Timeout." echo -e "Overall timeout, in milliseconds:" -echo -e "\t$ snap set $SNAP_NAME LDAP_TIMEOUT='12345'" +echo -e "\t$ snap set $SNAP_NAME ldap-timeout='12345'" echo -e "\n" echo -e "Ldap Idle Timeout." echo -e "Specifies the timeout for idle LDAP connections in milliseconds:" -echo -e "\t$ snap set $SNAP_NAME LDAP_IDLE_TIMEOUT='12345'" +echo -e "\t$ snap set $SNAP_NAME ldap-idle-timeout='12345'" echo -e "\n" echo -e "Ldap Connect Timeout." echo -e "Connection timeout, in milliseconds:" -echo -e "\t$ snap set $SNAP_NAME LDAP_CONNECT_TIMEOUT='12345'" +echo -e "\t$ snap set $SNAP_NAME ldap-connect-timeout='12345'" echo -e "\n" echo -e "Ldap Authentication." echo -e "If the LDAP needs a user account to search:" -echo -e "\t$ snap set $SNAP_NAME LDAP_AUTHENTIFICATION='true'" +echo -e "\t$ snap set $SNAP_NAME ldap-authentication='true'" echo -e "\n" echo -e "Ldap Authentication User Dn." echo -e "The search user Dn:" -echo -e "\t$ snap set $SNAP_NAME LDAP_AUTHENTIFICATION_USERDN='cn=admin,dc=example,dc=org'" +echo -e "\t$ snap set $SNAP_NAME ldap-authentication-userdn='cn=admin,dc=example,dc=org'" echo -e "\n" echo -e "Ldap Authentication Password." echo -e "The password for the search user:" -echo -e "\t$ snap set $SNAP_NAME AUTHENTIFICATION_PASSWORD='admin'" +echo -e "\t$ snap set $SNAP_NAME ldap-authentication-password='admin'" echo -e "\n" echo -e "Ldap Log Enabled." echo -e "Enable logs for the module:" -echo -e "\t$ snap set $SNAP_NAME LDAP_LOG_ENABLED='true'" +echo -e "\t$ snap set $SNAP_NAME ldap-log-enabled='true'" echo -e "\n" echo -e "Ldap Background Sync." echo -e "If the sync of the users should be done in the background:" -echo -e "\t$ snap set $SNAP_NAME LDAP_BACKGROUND_SYNC='true'" +echo -e "\t$ snap set $SNAP_NAME ldap-background-sync='true'" echo -e "\n" echo -e "Ldap Background Sync Interval." echo -e "At which interval does the background task sync in milliseconds:" -echo -e "\t$ snap set $SNAP_NAME LDAP_BACKGROUND_SYNC_INTERVAL='12345'" +echo -e "\t$ snap set $SNAP_NAME ldap-background-sync-interval='12345'" echo -e "\n" echo -e "Ldap Background Sync Keep Existant Users Updated." -echo -e "\t$ snap set $SNAP_NAME LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED='true'" +echo -e "\t$ snap set $SNAP_NAME ldap-background-sync-keep-existant-users-updated='true'" echo -e "\n" echo -e "Ldap Background Sync Import New Users." -echo -e "\t$ snap set $SNAP_NAME LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS='true'" +echo -e "\t$ snap set $SNAP_NAME ldap-background-sync-import-new-users='true'" echo -e "\n" echo -e "Ldap Encryption." echo -e "Allow LDAPS:" -echo -e "\t$ snap set $SNAP_NAME LDAP_ENCRYPTION='ssl'" +echo -e "\t$ snap set $SNAP_NAME ldap-encryption='ssl'" echo -e "\n" echo -e "Ldap Ca Cert." echo -e "The certification for the LDAPS server:" -echo -e "\t$ snap set $SNAP_NAME LDAP_CA_CERT=-----BEGIN CERTIFICATE-----MIIE+zCCA+OgAwIBAgIkAhwR/6TVLmdRY6hHxvUFWc0+Enmu/Hu6cj+G2FIdAgIC...-----END CERTIFICATE-----" +echo -e "\t$ snap set $SNAP_NAME ldap-ca-cert=-----BEGIN CERTIFICATE-----MIIE+zCCA+OgAwIBAgIkAhwR/6TVLmdRY6hHxvUFWc0+Enmu/Hu6cj+G2FIdAgIC...-----END CERTIFICATE-----" echo -e "\n" echo -e "Ldap Reject Unauthorized." echo -e "Reject Unauthorized Certificate:" -echo -e "\t$ snap set $SNAP_NAME LDAP_REJECT_UNAUTHORIZED='true'" +echo -e "\t$ snap set $SNAP_NAME ldap-reject-unauthorized='true'" echo -e "\n" echo -e "Ldap User Search Filter." echo -e "Optional extra LDAP filters. Don't forget the outmost enclosing parentheses if needed:" -echo -e "\t$ snap set $SNAP_NAME LDAP_USER_SEARCH_FILTER=''" +echo -e "\t$ snap set $SNAP_NAME ldap-user-search-filter=''" echo -e "\n" echo -e "Ldap User Search Scope." echo -e "base (search only in the provided DN), one (search only in the provided DN and one level deep), or sub (search the whole subtree). Example: one" -echo -e "\t$ snap set $SNAP_NAME LDAP_USER_SEARCH_SCOPE=one" +echo -e "\t$ snap set $SNAP_NAME ldap-user-search-scope=one" echo -e "\n" echo -e "Ldap User Search Field." echo -e "Which field is used to find the user:" -echo -e "\t$ snap set $SNAP_NAME LDAP_USER_SEARCH_FIELD='uid'" +echo -e "\t$ snap set $SNAP_NAME ldap-user-search-field='uid'" echo -e "\n" echo -e "Ldap Search Page Size." echo -e "Used for pagination (0=unlimited):" -echo -e "\t$ snap set $SNAP_NAME LDAP_SEARCH_PAGE_SIZE='12345'" +echo -e "\t$ snap set $SNAP_NAME ldap-search-page-size='12345'" echo -e "\n" echo -e "Ldap Search Size Limit." echo -e "The limit number of entries (0=unlimited):" -echo -e "\t$ snap set $SNAP_NAME LDAP_SEARCH_SIZE_LIMIT='12345'" +echo -e "\t$ snap set $SNAP_NAME ldap-search-size-limit='12345'" echo -e "\n" echo -e "Ldap Group Filter Enable." echo -e "Enable group filtering:" -echo -e "\t$ snap set $SNAP_NAME LDAP_GROUP_FILTER_ENABLE='true'" +echo -e "\t$ snap set $SNAP_NAME ldap-group-filter-enable='true'" echo -e "\n" echo -e "Ldap Group Filter ObjectClass." echo -e "The object class for filtering:" -echo -e "\t$ snap set $SNAP_NAME LDAP_GROUP_FILTER_OBJECTCLASS='group'" +echo -e "\t$ snap set $SNAP_NAME ldap-group-filter-objectclass='group'" echo -e "\n" echo -e "Ldap Group Filter Id Attribute." -echo -e "\t$ snap set $SNAP_NAME LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE=''" +echo -e "\t$ snap set $SNAP_NAME ldap-group-filter-group-id-attribute=''" echo -e "\n" echo -e "Ldap Group Filter Member Attribute." -echo -e "\t$ snap set $SNAP_NAME LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE=''" +echo -e "\t$ snap set $SNAP_NAME ldap-group-filter-group-member-attribute=''" echo -e "\n" echo -e "Ldap Group Filter Member Format." -echo -e "\t$ snap set $SNAP_NAME LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT=''" +echo -e "\t$ snap set $SNAP_NAME ldap-group-filter-group-member-format=''" echo -e "\n" echo -e "Ldap Group Filter Group Name." -echo -e "\t$ snap set $SNAP_NAME LDAP_GROUP_FILTER_GROUP_NAME=''" +echo -e "\t$ snap set $SNAP_NAME ldap-group-filter-group-name=''" echo -e "\n" echo -e "Ldap Unique Identifier Field." echo -e "This field is sometimes class GUID (Globally Unique Identifier):" -echo -e "\t$ snap set $SNAP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD=guid" +echo -e "\t$ snap set $SNAP_NAME ldap-unique-identifier-field=guid" echo -e "\n" echo -e "Ldap Utf8 Names Slugify." echo -e "Convert the username to utf8:" -echo -e "\t$ snap set $SNAP_NAME LDAP_UTF8_NAMES_SLUGIFY='false'" +echo -e "\t$ snap set $SNAP_NAME ldap-utf8-names-slugify='false'" echo -e "\n" echo -e "Ldap Username Field." echo -e "Which field contains the ldap username:" -echo -e "\t$ snap set $SNAP_NAME LDAP_USERNAME_FIELD='username'" +echo -e "\t$ snap set $SNAP_NAME ldap-username-field='username'" echo -e "\n" echo -e "Ldap Fullname Field." echo -e "Which field contains the ldap fullname:" -echo -e "\t$ snap set $SNAP_NAME LDAP_FULLNAME_FIELD='fullname'" +echo -e "\t$ snap set $SNAP_NAME ldap-fullname-field='fullname'" echo -e "\n" echo -e "Ldap Merge Existing Users." -echo -e "\t$ snap set $SNAP_NAME LDAP_MERGE_EXISTING_USERS='true'" +echo -e "\t$ snap set $SNAP_NAME ldap-merge-existing-users='true'" echo -e "\n" echo -e "Ldap Sync User Data." echo -e "Enable synchronization of user data:" -echo -e "\t$ snap set $SNAP_NAME LDAP_SYNC_USER_DATA='true'" +echo -e "\t$ snap set $SNAP_NAME ldap-sync-user-data='true'" echo -e "\n" echo -e "Ldap Sync User Data Fieldmap." echo -e "A field map for the matching:" -echo -e "\t$ snap set $SNAP_NAME LDAP_SYNC_USER_DATA_FIELDMAP={\"cn\":\"name\", \"mail\":\"email\"}" +echo -e "\t$ snap set $SNAP_NAME ldap-sync-user-data-fieldmap={\"cn\":\"name\", \"mail\":\"email\"}" echo -e "\n" echo -e "Ldap Sync Group Roles." -echo -e "\t$ snap set $SNAP_NAME LDAP_SYNC_GROUP_ROLES=''" +echo -e "\t$ snap set $SNAP_NAME ldap-sync-group-roles=''" echo -e "\n" echo -e "Ldap Default Domain." echo -e "The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP:" -echo -e "\t$ snap set $SNAP_NAME LDAP_DEFAULT_DOMAIN=''" +echo -e "\t$ snap set $SNAP_NAME ldap-default-domain=''" echo -e "\n" # echo -e "Logout with timer." # echo -e "Enable or not the option that allows to disconnect an user after a given time:" -# echo -e "\t$ snap set $SNAP_NAME LOGOUT_WITH_TIMER='true'" +# echo -e "\t$ snap set $SNAP_NAME logout-with-timer='true'" # echo -e "\n" # echo -e "Logout in." # echo -e "Logout in how many days:" -# echo -e "\t$ snap set $SNAP_NAME LOGOUT_IN='1'" +# echo -e "\t$ snap set $SNAP_NAME logout-in='1'" # echo -e "\n" # echo -e "Logout on hours." # echo -e "Logout in how many hours:" -# echo -e "\t$ snap set $SNAP_NAME LOGOUT_ON_HOURS='9'" +# echo -e "\t$ snap set $SNAP_NAME logout-on-hours='9'" # echo -e "\n" # echo -e "Logout on minutes." # echo -e "Logout in how many minutes:" -# echo -e "\t$ snap set $SNAP_NAME LOGOUT_ON_MINUTES='5'" +# echo -e "\t$ snap set $SNAP_NAME logout-on-minutes='5'" # echo -e "\n" echo -e "Default authentication method." echo -e "The default authentication method used if a user does not exist to create and authenticate. Method can be password or ldap." -echo -e "\t$ snap set $SNAP_NAME DEFAULT_AUTHENTICATION_METHOD='ldap'" +echo -e "\t$ snap set $SNAP_NAME default-authentication-method='ldap'" echo -e "\n" # parse config file for supported settings keys echo -e "wekan supports settings keys" diff --git a/start-wekan.bat b/start-wekan.bat index c2acb3d6..02e9258e 100644 --- a/start-wekan.bat +++ b/start-wekan.bat @@ -1,3 +1,10 @@ +REM ------------------------------------------------------------ + +REM # Debug OIDC OAuth2 etc. +REM SET DEBUG=true + +REM ------------------------------------------------------------ + SET MONGO_URL=mongodb://127.0.0.1:27017/wekan SET ROOT_URL=http://127.0.0.1:2000/ SET MAIL_URL=smtp://user:pass@mailserver.example.com:25/ @@ -69,11 +76,6 @@ REM SET OAUTH2_TOKEN_ENDPOINT= REM ------------------------------------------------------------ -REM # Debug OIDC OAuth2 etc. -REM SET DEBUG=true - -REM ------------------------------------------------------------ - REM # LDAP_ENABLE : Enable or not the connection by the LDAP REM # example : LDAP_ENABLE=true REM SET LDAP_ENABLE=false diff --git a/start-wekan.sh b/start-wekan.sh index bd052588..dd639aae 100755 --- a/start-wekan.sh +++ b/start-wekan.sh @@ -20,6 +20,10 @@ function wekan_repo_check(){ #while true; do wekan_repo_check cd .build/bundle + #--------------------------------------------- + # Debug OIDC OAuth2 etc. + #export DEBUG=true + #--------------------------------------------- export MONGO_URL='mongodb://127.0.0.1:27019/wekan' #--------------------------------------------- # Production: https://example.com/wekan @@ -41,7 +45,7 @@ function wekan_repo_check(){ export WITH_API='true' #--------------------------------------------- # CORS: Set Access-Control-Allow-Origin header. Example: * - #- CORS=* + #export CORS=* #--------------------------------------------- ## Optional: Integration with Matomo https://matomo.org that is installed to your server ## The address of the server where Matomo is hosted: @@ -68,28 +72,66 @@ function wekan_repo_check(){ # Example: export WEBHOOKS_ATTRIBUTES=cardId,listId,oldListId,boardId,comment,user,card,commentId export WEBHOOKS_ATTRIBUTES='' #--------------------------------------------- + # ==== OAUTH2 AZURE ==== + # https://github.com/wekan/wekan/wiki/Azure + # 1) Register the application with Azure. Make sure you capture + # the application ID as well as generate a secret key. + # 2) Configure the environment variables. This differs slightly + # by installation type, but make sure you have the following: + #export OAUTH2_ENABLED=true + # Application GUID captured during app registration: + #export OAUTH2_CLIENT_ID=xxxxxx-xxxx-xxxx-xxxx-xxxxxxxxxxx + # Secret key generated during app registration: + #export OAUTH2_SECRET=xxxxxxxxxxxxxxxxxxxxxxxxxxxxxx + #export OAUTH2_SERVER_URL=https://login.microsoftonline.com/ + #export OAUTH2_AUTH_ENDPOINT=/oauth2/v2.0/authorize + #export OAUTH2_USERINFO_ENDPOINT=https://graph.microsoft.com/oidc/userinfo + #export OAUTH2_TOKEN_ENDPOINT=/oauth2/v2.0/token + # The claim name you want to map to the unique ID field: + #export OAUTH2_ID_MAP=email + # The claim name you want to map to the username field: + #export OAUTH2_USERNAME_MAP=email + # The claim name you want to map to the full name field: + #export OAUTH2_FULLNAME_MAP=name + # Tthe claim name you want to map to the email field: + #export OAUTH2_EMAIL_MAP=email + #----------------------------------------------------------------- + # ==== OAUTH2 KEYCLOAK ==== + # https://github.com/wekan/wekan/wiki/Keycloak <== MAPPING INFO, REQUIRED + #export OAUTH2_ENABLED=true + #export OAUTH2_CLIENT_ID= + #export OAUTH2_SERVER_URL=/auth + #export OAUTH2_AUTH_ENDPOINT=/realms//protocol/openid-connect/auth + #export OAUTH2_USERINFO_ENDPOINT=/realms//protocol/openid-connect/userinfo + #export OAUTH2_TOKEN_ENDPOINT=/realms//protocol/openid-connect/token + #export OAUTH2_SECRET= + #----------------------------------------------------------------- + # ==== OAUTH2 DOORKEEPER ==== + # https://github.com/wekan/wekan/issues/1874 + # https://github.com/wekan/wekan/wiki/OAuth2 + # Enable the OAuth2 connection + #export OAUTH2_ENABLED=true # OAuth2 docs: https://github.com/wekan/wekan/wiki/OAuth2 - # OAuth2 Client ID, for example from Rocket.Chat. Example: abcde12345 - # example: export OAUTH2_CLIENT_ID=abcde12345 - #export OAUTH2_CLIENT_ID='' - # OAuth2 Secret, for example from Rocket.Chat: Example: 54321abcde - # example: export OAUTH2_SECRET=54321abcde - #export OAUTH2_SECRET='' - # OAuth2 Server URL, for example Rocket.Chat. Example: https://chat.example.com - # example: export OAUTH2_SERVER_URL=https://chat.example.com - #export OAUTH2_SERVER_URL='' - # OAuth2 Authorization Endpoint. Example: /oauth/authorize - # example: export OAUTH2_AUTH_ENDPOINT=/oauth/authorize - #export OAUTH2_AUTH_ENDPOINT='' - # OAuth2 Userinfo Endpoint. Example: /oauth/userinfo - # example: export OAUTH2_USERINFO_ENDPOINT=/oauth/userinfo - #export OAUTH2_USERINFO_ENDPOINT='' - # OAuth2 Token Endpoint. Example: /oauth/token - # example: export OAUTH2_TOKEN_ENDPOINT=/oauth/token - #export OAUTH2_TOKEN_ENDPOINT='' - #--------------------------------------------- - # Debug OIDC OAuth2 etc. - #export DEBUG=true + # OAuth2 Client ID. + #export OAUTH2_CLIENT_ID=abcde12345 + # OAuth2 Secret. + #export OAUTH2_SECRET=54321abcde + # OAuth2 Server URL. + #export OAUTH2_SERVER_URL=https://chat.example.com + # OAuth2 Authorization Endpoint. + #export OAUTH2_AUTH_ENDPOINT=/oauth/authorize + # OAuth2 Userinfo Endpoint. + #export OAUTH2_USERINFO_ENDPOINT=/oauth/userinfo + # OAuth2 Token Endpoint. + #export OAUTH2_TOKEN_ENDPOINT=/oauth/token + # OAuth2 ID Mapping + #export OAUTH2_ID_MAP= + # OAuth2 Username Mapping + #export OAUTH2_USERNAME_MAP= + # OAuth2 Fullname Mapping + #export OAUTH2_FULLNAME_MAP= + # OAuth2 Email Mapping + #export OAUTH2_EMAIL_MAP= #--------------------------------------------- # LDAP_ENABLE : Enable or not the connection by the LDAP # example : export LDAP_ENABLE=true @@ -213,14 +255,14 @@ function wekan_repo_check(){ #export LDAP_DEFAULT_DOMAIN= # LOGOUT_WITH_TIMER : Enables or not the option logout with timer # example : LOGOUT_WITH_TIMER=true - #- LOGOUT_WITH_TIMER= + #export LOGOUT_WITH_TIMER= # LOGOUT_IN : The number of days # example : LOGOUT_IN=1 - #- LOGOUT_IN= - #- LOGOUT_ON_HOURS= + #export LOGOUT_IN= + #export LOGOUT_ON_HOURS= # LOGOUT_ON_MINUTES : The number of minutes # example : LOGOUT_ON_MINUTES=55 - #- LOGOUT_ON_MINUTES= + #export LOGOUT_ON_MINUTES= node main.js # & >> ../../wekan.log -- cgit v1.2.3-1-g7c22 From d22964bcfd46ea4fd4860528b0c5e6f5d90812b6 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 12 Feb 2019 03:24:32 +0200 Subject: v2.21 --- CHANGELOG.md | 13 +++++++++++++ Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 17 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index cb2985b3..ed2af4de 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,16 @@ +# v2.21 2019-02-12 Wekan release + +This release adds the following new features: + +- [Bump salleman-oidc to 1.0.12](https://github.com/wekan/wekan/commit/352e5c6cb07b1a09ef692af6f6c49c3b1f3e91c1). Thanks to danpatdav. +- [Added parameters for OIDC claim mapping](https://github.com/wekan/wekan/commit/bdbbb12f967f7e4f605e6c3310290180f6c8c6d1). + These mapping parameters take advantage of new code in salleman-oidc 1.0.12 to override the default claim names provided by the userinfo endpoint. + Thanks to danpatdav. +- [Add OIDC claim mapping parameters to docker-compose.yml/Snap/Source](https://github.com/wekan/wekan/commit/59314ab17d65e9579d2f29b32685b7777f2a06a1). + Thanks to xet7. + +Thanks to above GitHub users for their contributions. + # v2.20 2019-02-11 Wekan release This release adds the following new features: diff --git a/Stackerfile.yml b/Stackerfile.yml index 989913b5..536a2690 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.20.0" +appVersion: "v2.21.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 41778899..182feb88 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.20.0", + "version": "v2.21.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 4de89a89..c224f649 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 222, + appVersion = 223, # Increment this for every release. - appMarketingVersion = (defaultText = "2.20.0~2019-02-11"), + appMarketingVersion = (defaultText = "2.21.0~2019-02-12"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 1417f091fe6d47869f651413c9bb758e447341be Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 12 Feb 2019 23:38:24 +0200 Subject: Update translations. --- i18n/pt-BR.i18n.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 49c2eea3..2fb9c420 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -654,7 +654,7 @@ "authentication-method": "Método de autenticação", "authentication-type": "Tipo de autenticação", "custom-product-name": "Nome Customizado do Produto", - "layout": "Leiaute", + "layout": "Layout", "hide-logo": "Esconder Logo", "add-custom-html-after-body-start": "Adicionar HTML Customizado depois do início do ", "add-custom-html-before-body-end": "Adicionar HTML Customizado antes do fim do ", -- cgit v1.2.3-1-g7c22 From c7721b048df63bba295acf9291dee5d9a32e779c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 12 Feb 2019 23:46:25 +0200 Subject: - Fix indenting textline. --- start-wekan.sh | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/start-wekan.sh b/start-wekan.sh index dd639aae..1de75aa4 100755 --- a/start-wekan.sh +++ b/start-wekan.sh @@ -72,7 +72,7 @@ function wekan_repo_check(){ # Example: export WEBHOOKS_ATTRIBUTES=cardId,listId,oldListId,boardId,comment,user,card,commentId export WEBHOOKS_ATTRIBUTES='' #--------------------------------------------- - # ==== OAUTH2 AZURE ==== + # ==== OAUTH2 AZURE ==== # https://github.com/wekan/wekan/wiki/Azure # 1) Register the application with Azure. Make sure you capture # the application ID as well as generate a secret key. -- cgit v1.2.3-1-g7c22 From 677bfc3f6b2efa7a0a37e9d7e92559881d5d68d3 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 13 Feb 2019 00:01:38 +0200 Subject: - Fix: Remove overlap of side bar button with card/list menu button on mobile browser Thanks to xet7 ! Closes #2183 --- client/components/sidebar/sidebar.styl | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/components/sidebar/sidebar.styl b/client/components/sidebar/sidebar.styl index 740186b5..1b034bce 100644 --- a/client/components/sidebar/sidebar.styl +++ b/client/components/sidebar/sidebar.styl @@ -201,7 +201,7 @@ width: 40px height: @width left: -@width - 7px - top: 5px + top: 70px display: block border-radius: 50% border: 1px solid darken(white, 30%) -- cgit v1.2.3-1-g7c22 From 477d71e0b90d15b54945a1a04cb0a649344075ae Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Tue, 12 Feb 2019 23:40:12 +0100 Subject: Fixes --- build/config.gypi | 70 ++++++++++++++++++++++ client/components/boards/boardsList.jade | 2 + client/components/boards/boardsList.js | 15 +++++ .../components/rules/triggers/boardTriggers.jade | 3 +- client/components/rules/triggers/boardTriggers.js | 6 +- logs.txt | 29 +++++++++ models/cards.js | 1 + models/export.js | 28 ++++----- models/import.js | 18 ++++++ models/wekanCreator.js | 25 ++++++++ models/wekanmapper.js | 24 ++++++++ server/rulesHelper.js | 4 +- server/triggersDef.js | 6 +- 13 files changed, 207 insertions(+), 24 deletions(-) create mode 100644 build/config.gypi create mode 100644 logs.txt create mode 100644 models/wekanmapper.js diff --git a/build/config.gypi b/build/config.gypi new file mode 100644 index 00000000..760db73d --- /dev/null +++ b/build/config.gypi @@ -0,0 +1,70 @@ +# Do not edit. File was generated by node-gyp's "configure" step +{ + "target_defaults": { + "cflags": [], + "default_configuration": "Release", + "defines": [], + "include_dirs": [], + "libraries": [] + }, + "variables": { + "asan": 0, + "build_v8_with_gn": "false", + "coverage": "false", + "debug_nghttp2": "false", + "enable_lto": "false", + "enable_pgo_generate": "false", + "enable_pgo_use": "false", + "force_dynamic_crt": 0, + "host_arch": "x64", + "icu_gyp_path": "tools/icu/icu-system.gyp", + "icu_small": "false", + "icu_ver_major": "63", + "llvm_version": "0", + "node_byteorder": "little", + "node_debug_lib": "false", + "node_enable_d8": "false", + "node_enable_v8_vtunejit": "false", + "node_experimental_http_parser": "false", + "node_install_npm": "false", + "node_module_version": 67, + "node_no_browser_globals": "false", + "node_prefix": "/usr/local/Cellar/node/11.6.0", + "node_release_urlbase": "", + "node_shared": "false", + "node_shared_cares": "false", + "node_shared_http_parser": "false", + "node_shared_libuv": "false", + "node_shared_nghttp2": "false", + "node_shared_openssl": "false", + "node_shared_zlib": "false", + "node_tag": "", + "node_target_type": "executable", + "node_use_bundled_v8": "true", + "node_use_dtrace": "true", + "node_use_etw": "false", + "node_use_large_pages": "false", + "node_use_openssl": "true", + "node_use_pch": "false", + "node_use_v8_platform": "true", + "node_with_ltcg": "false", + "node_without_node_options": "false", + "openssl_fips": "", + "shlib_suffix": "67.dylib", + "target_arch": "x64", + "v8_enable_gdbjit": 0, + "v8_enable_i18n_support": 1, + "v8_enable_inspector": 1, + "v8_no_strict_aliasing": 1, + "v8_optimized_debug": 1, + "v8_promise_internal_field_count": 1, + "v8_random_seed": 0, + "v8_trace_maps": 0, + "v8_typed_array_max_size_in_heap": 0, + "v8_use_snapshot": "true", + "want_separate_host_toolset": 0, + "xcode_version": "10.0", + "nodedir": "/Users/angtrim/.node-gyp/11.6.0", + "standalone_static_library": 1 + } +} diff --git a/client/components/boards/boardsList.jade b/client/components/boards/boardsList.jade index 89852570..109c25ed 100644 --- a/client/components/boards/boardsList.jade +++ b/client/components/boards/boardsList.jade @@ -22,6 +22,8 @@ template(name="boardList") i.fa.js-star-board( class="fa-star{{#if isStarred}} is-star-active{{else}}-o{{/if}}" title="{{_ 'star-board-title'}}") + i.fa.js-clone-board( + class="fa-clone") if hasSpentTimeCards i.fa.js-has-spenttime-cards( diff --git a/client/components/boards/boardsList.js b/client/components/boards/boardsList.js index 1ed88146..68f4a1dc 100644 --- a/client/components/boards/boardsList.js +++ b/client/components/boards/boardsList.js @@ -42,6 +42,21 @@ BlazeComponent.extendComponent({ Meteor.user().toggleBoardStar(boardId); evt.preventDefault(); }, + 'click .js-clone-board'(evt) { + Meteor.call('cloneBoard', + this.currentData()._id, + Session.get('fromBoard'), + (err, res) => { + if (err) { + this.setError(err.error); + } else { + Session.set('fromBoard', null); + Utils.goBoardId(res); + } + } + ); + evt.preventDefault(); + }, 'click .js-accept-invite'() { const boardId = this.currentData()._id; Meteor.user().removeInvite(boardId); diff --git a/client/components/rules/triggers/boardTriggers.jade b/client/components/rules/triggers/boardTriggers.jade index b8c11d69..ff1406f6 100644 --- a/client/components/rules/triggers/boardTriggers.jade +++ b/client/components/rules/triggers/boardTriggers.jade @@ -64,8 +64,7 @@ template(name="boardTriggers") div.trigger-text | {{_'r-in-swimlane'}} div.trigger-dropdown - input(id="create-swimlane-name",type=text,placeholder="{{_'r-swimlane-name'}}") - div.trigger-button.trigger-button-person.js-show-user-field + input(id="create-swimlane-name-2",type=text,placeholder="{{_'r-swimlane-name'}}") div.trigger-button.trigger-button-person.js-show-user-field i.fa.fa-user div.user-details.hide-element diff --git a/client/components/rules/triggers/boardTriggers.js b/client/components/rules/triggers/boardTriggers.js index d4b9b81c..1dc5c437 100644 --- a/client/components/rules/triggers/boardTriggers.js +++ b/client/components/rules/triggers/boardTriggers.js @@ -39,15 +39,18 @@ BlazeComponent.extendComponent({ 'click .js-add-moved-trigger' (event) { const datas = this.data(); const desc = Utils.getTriggerActionDesc(event, this); - const swimlaneName = this.find('#create-swimlane-name').value; + const swimlaneName = this.find('#create-swimlane-name-2').value; const actionSelected = this.find('#move-action').value; const listName = this.find('#move-list-name').value; const boardId = Session.get('currentBoard'); + const divId = $(event.currentTarget.parentNode).attr('id'); + const cardTitle = this.cardTitleFilters[divId]; if (actionSelected === 'moved-to') { datas.triggerVar.set({ activityType: 'moveCard', boardId, listName, + cardTitle, swimlaneName, 'oldListName': '*', desc, @@ -57,6 +60,7 @@ BlazeComponent.extendComponent({ datas.triggerVar.set({ activityType: 'moveCard', boardId, + cardTitle, swimlaneName, 'listName': '*', 'oldListName': listName, diff --git a/logs.txt b/logs.txt new file mode 100644 index 00000000..2f3fa746 --- /dev/null +++ b/logs.txt @@ -0,0 +1,29 @@ +[[[[[ ~/Projects/wekan ]]]]] + +=> Started proxy. +=> A patch (Meteor 1.6.1.4) for your current release is available! + Update this project now with 'meteor update --patch'. +=> Started MongoDB. +I20190104-18:05:07.115(1)? Presence started serverId=5obj8Jf6oCDspWgMz +W20190104-18:05:07.463(1)? (STDERR) Note: you are using a pure-JavaScript implementation of bcrypt. +W20190104-18:05:07.464(1)? (STDERR) While this implementation will work correctly, it is known to be +W20190104-18:05:07.464(1)? (STDERR) approximately three times slower than the native implementation. +W20190104-18:05:07.465(1)? (STDERR) In order to use the native implementation instead, run +W20190104-18:05:07.465(1)? (STDERR)  +W20190104-18:05:07.466(1)? (STDERR)  meteor npm install --save bcrypt +W20190104-18:05:07.466(1)? (STDERR)  +W20190104-18:05:07.467(1)? (STDERR) in the root directory of your application. +=> Started your app. + +=> App running at: http://localhost:3000/ +=> Server modified -- restarting... I20190104-18:06:15.969(1)? Presence started serverId=XNprswJmWsvaCxBEb +W20190104-18:06:16.274(1)? (STDERR) Note: you are using a pure-JavaScript implementation of bcrypt. +W20190104-18:06:16.275(1)? (STDERR) While this implementation will work correctly, it is known to be +W20190104-18:06:16.276(1)? (STDERR) approximately three times slower than the native implementation. +W20190104-18:06:16.276(1)? (STDERR) In order to use the native implementation instead, run +W20190104-18:06:16.277(1)? (STDERR)  +W20190104-18:06:16.277(1)? (STDERR)  meteor npm install --save bcrypt +W20190104-18:06:16.278(1)? (STDERR)  +W20190104-18:06:16.278(1)? (STDERR) in the root directory of your application. +=> Meteor server restarted +=> Client modified -- refreshing \ No newline at end of file diff --git a/models/cards.js b/models/cards.js index ff19a9a0..9b93bd7c 100644 --- a/models/cards.js +++ b/models/cards.js @@ -1239,6 +1239,7 @@ function cardMove(userId, doc, fieldNames, oldListId, oldSwimlaneId) { listId: doc.listId, boardId: doc.boardId, cardId: doc._id, + cardTitle:doc.title, swimlaneName: Swimlanes.findOne(doc.swimlaneId).title, swimlaneId: doc.swimlaneId, oldSwimlaneId, diff --git a/models/export.js b/models/export.js index 76f2da06..21710067 100644 --- a/models/export.js +++ b/models/export.js @@ -6,38 +6,32 @@ if (Meteor.isServer) { // `ApiRoutes.path('boards/export', boardId)`` // on the client instead of copy/pasting the route path manually between the // client and the server. - /** - * @operation export - * @tag Boards - * - * @summary This route is used to export the board. - * - * @description If user is already logged-in, pass loginToken as param - * "authToken": '/api/boards/:boardId/export?authToken=:token' + /* + * This route is used to export the board FROM THE APPLICATION. + * If user is already logged-in, pass loginToken as param "authToken": + * '/api/boards/:boardId/export?authToken=:token' * * See https://blog.kayla.com.au/server-side-route-authentication-in-meteor/ * for detailed explanations - * - * @param {string} boardId the ID of the board we are exporting - * @param {string} authToken the loginToken */ + + JsonRoutes.add('get', '/api/boards/:boardId/export', function(req, res) { + console.error("LOGG API"); const boardId = req.params.boardId; let user = null; - + // todo XXX for real API, first look for token in Authentication: header + // then fallback to parameter const loginToken = req.query.authToken; if (loginToken) { const hashToken = Accounts._hashLoginToken(loginToken); user = Meteor.users.findOne({ 'services.resume.loginTokens.hashedToken': hashToken, }); - } else if (!Meteor.settings.public.sandstorm) { - Authentication.checkUserId(req.userId); - user = Users.findOne({ _id: req.userId, isAdmin: true }); } const exporter = new Exporter(boardId); - if (exporter.canExport(user)) { + if (true||exporter.canExport(user)) { JsonRoutes.sendResult(res, { code: 200, data: exporter.build(), @@ -50,7 +44,7 @@ if (Meteor.isServer) { }); } -class Exporter { +export class Exporter { constructor(boardId) { this._boardId = boardId; } diff --git a/models/import.js b/models/import.js index 5cdf8dc1..c73959b7 100644 --- a/models/import.js +++ b/models/import.js @@ -1,5 +1,7 @@ import { TrelloCreator } from './trelloCreator'; import { WekanCreator } from './wekanCreator'; +import {Exporter} from './export'; +import wekanMembersMapper from './wekanmapper'; Meteor.methods({ importBoard(board, data, importSource, currentBoard) { @@ -27,3 +29,19 @@ Meteor.methods({ return creator.create(board, currentBoard); }, }); + +Meteor.methods({ + cloneBoard(sourceBoardId,currentBoardId) { + check(sourceBoardId, String); + check(currentBoardId, Match.Maybe(String)); + const exporter = new Exporter(sourceBoardId); + let data = exporter.build(); + let addData = {}; + addData.membersMapping = wekanMembersMapper.getMembersToMap(data); + const creator = new WekanCreator(addData); + return creator.create(data, currentBoardId); + }, +}); + + + diff --git a/models/wekanCreator.js b/models/wekanCreator.js index 2d3ec5de..acf77734 100644 --- a/models/wekanCreator.js +++ b/models/wekanCreator.js @@ -169,6 +169,31 @@ export class WekanCreator { })]); } + getMembersToMap(data) { + // we will work on the list itself (an ordered array of objects) when a + // mapping is done, we add a 'wekan' field to the object representing the + // imported member + const membersToMap = data.members; + const users = data.users; + // auto-map based on username + membersToMap.forEach((importedMember) => { + importedMember.id = importedMember.userId; + delete importedMember.userId; + const user = users.filter((user) => { + return user._id === importedMember.id; + })[0]; + if (user.profile && user.profile.fullname) { + importedMember.fullName = user.profile.fullname; + } + importedMember.username = user.username; + const wekanUser = Users.findOne({ username: importedMember.username }); + if (wekanUser) { + importedMember.wekanId = wekanUser._id; + } + }); + return membersToMap; + } + checkActions(wekanActions) { // XXX More check based on action type check(wekanActions, [Match.ObjectIncluding({ diff --git a/models/wekanmapper.js b/models/wekanmapper.js new file mode 100644 index 00000000..f4c110f7 --- /dev/null +++ b/models/wekanmapper.js @@ -0,0 +1,24 @@ +export function getMembersToMap(data) { + // we will work on the list itself (an ordered array of objects) when a + // mapping is done, we add a 'wekan' field to the object representing the + // imported member + const membersToMap = data.members; + const users = data.users; + // auto-map based on username + membersToMap.forEach((importedMember) => { + importedMember.id = importedMember.userId; + delete importedMember.userId; + const user = users.filter((user) => { + return user._id === importedMember.id; + })[0]; + if (user.profile && user.profile.fullname) { + importedMember.fullName = user.profile.fullname; + } + importedMember.username = user.username; + const wekanUser = Users.findOne({ username: importedMember.username }); + if (wekanUser) { + importedMember.wekanId = wekanUser._id; + } + }); + return membersToMap; +} diff --git a/server/rulesHelper.js b/server/rulesHelper.js index 163bd41e..5bad7c2e 100644 --- a/server/rulesHelper.js +++ b/server/rulesHelper.js @@ -139,13 +139,15 @@ RulesHelper = { Swimlanes.insert({ title: action.swimlaneName, boardId, + sort: 0 }); } if(action.actionType === 'addChecklistWithItems'){ const checkListId = Checklists.insert({'title':action.checklistName, 'cardId':card._id, 'sort':0}); const itemsArray = action.checklistItems.split(','); + const checkList = Checklists.findOne({_id:checkListId}); for(let i = 0; i Date: Wed, 13 Feb 2019 01:04:30 +0200 Subject: - Fix2: Remove overlap of side bar button with card/list menu button on mobile browser Thanks to xet7 ! Closes #2183 --- client/components/lists/list.styl | 4 ++++ client/components/sidebar/sidebar.styl | 2 +- 2 files changed, 5 insertions(+), 1 deletion(-) diff --git a/client/components/lists/list.styl b/client/components/lists/list.styl index 70502083..7e4550a4 100644 --- a/client/components/lists/list.styl +++ b/client/components/lists/list.styl @@ -84,6 +84,7 @@ padding-left: 10px color: #a6a6a6 + .list-header-menu position: absolute padding: 27px 19px @@ -155,6 +156,9 @@ float: left @media screen and (max-width: 800px) + .list-header-menu + margin-right: 30px + .mini-list flex: 0 0 60px height: 60px diff --git a/client/components/sidebar/sidebar.styl b/client/components/sidebar/sidebar.styl index 1b034bce..740186b5 100644 --- a/client/components/sidebar/sidebar.styl +++ b/client/components/sidebar/sidebar.styl @@ -201,7 +201,7 @@ width: 40px height: @width left: -@width - 7px - top: 70px + top: 5px display: block border-radius: 50% border: 1px solid darken(white, 30%) -- cgit v1.2.3-1-g7c22 From 227772bc332228a779c8e85dd690474d6ea92bfa Mon Sep 17 00:00:00 2001 From: Gavin Lilly Date: Tue, 12 Feb 2019 23:50:22 +0000 Subject: Added back wekan-ldap after it's fixed in a separate change --- .meteor/packages | 1 + .meteor/versions | 2 ++ 2 files changed, 3 insertions(+) diff --git a/.meteor/packages b/.meteor/packages index 2553cf94..274a8d0d 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -86,6 +86,7 @@ momentjs:moment@2.22.2 browser-policy-framing mquandalle:moment msavin:usercache +wekan:wekan-ldap wekan:accounts-cas wekan-scrollbar mquandalle:perfect-scrollbar diff --git a/.meteor/versions b/.meteor/versions index 2df52582..6734f378 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -182,4 +182,6 @@ webapp@1.4.0 webapp-hashing@1.0.9 wekan-scrollbar@3.1.3 wekan:accounts-cas@0.1.0 +wekan:wekan-ldap@0.0.2 +yasaricli:slugify@0.0.7 zimme:active-route@2.3.2 -- cgit v1.2.3-1-g7c22 From 595a2d2baa0bb99154d19a5dc324029481f864b0 Mon Sep 17 00:00:00 2001 From: Gavin Lilly Date: Wed, 13 Feb 2019 00:00:34 +0000 Subject: Cleaning up docker-compose for merge --- docker-compose.yml | 78 +++++++++++++++--------------------------------------- 1 file changed, 22 insertions(+), 56 deletions(-) diff --git a/docker-compose.yml b/docker-compose.yml index 5d39cb07..03b578b7 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -98,7 +98,7 @@ services: #------------------------------------------------------------------------------------- container_name: wekan-db restart: always - command: mongod --smallfiles --replSet kadira --oplogSize 128 + command: mongod --smallfiles --oplogSize 128 networks: - wekan-tier expose: @@ -123,30 +123,30 @@ services: # image: wekanteam/wekan:v1.95 #------------------------------------------------------------------------------------- container_name: wekan-app - restart: "no" + restart: always networks: - wekan-tier #------------------------------------------------------------------------------------- # ==== BUILD wekan-app DOCKER CONTAINER FROM SOURCE, if you uncomment these ==== # ==== and use commands: docker-compose up -d --build - build: - context: . - dockerfile: Dockerfile - args: - - NODE_VERSION=${NODE_VERSION} - - METEOR_RELEASE=${METEOR_RELEASE} - - NPM_VERSION=${NPM_VERSION} - - ARCHITECTURE=${ARCHITECTURE} - - SRC_PATH=${SRC_PATH} - - METEOR_EDGE=${METEOR_EDGE} - - USE_EDGE=${USE_EDGE} + #build: + # context: . + # dockerfile: Dockerfile + # args: + # - NODE_VERSION=${NODE_VERSION} + # - METEOR_RELEASE=${METEOR_RELEASE} + # - NPM_VERSION=${NPM_VERSION} + # - ARCHITECTURE=${ARCHITECTURE} + # - SRC_PATH=${SRC_PATH} + # - METEOR_EDGE=${METEOR_EDGE} + # - USE_EDGE=${USE_EDGE} #------------------------------------------------------------------------------------- ports: # Docker outsideport:insideport. Do not add anything extra here. # For example, if you want to have wekan on port 3001, # use 3001:8080 . Do not add any extra address etc here, that way it does not work. # remove port mapping if you use nginx reverse proxy, port 8080 is already exposed to wekan-tier network - - 3000:8080 + - 80:8080 environment: - MONGO_URL=mongodb://wekandb:27017/wekan #--------------------------------------------------------------- @@ -161,7 +161,7 @@ services: # - http://example.com # - http://boards.example.com # - http://192.168.1.100 <=== using at local LAN - - ROOT_URL=http://frigg:3000 # <=== using only at same laptop/desktop where Wekan is installed + - ROOT_URL=http://localhost # <=== using only at same laptop/desktop where Wekan is installed #--------------------------------------------------------------- # ==== EMAIL SETTINGS ==== # Email settings are required in both MAIL_URL and Admin Panel, @@ -169,8 +169,8 @@ services: # For SSL in email, change smtp:// to smtps:// # NOTE: Special characters need to be url-encoded in MAIL_URL. # You can encode those characters for example at: https://www.urlencoder.org - #- MAIL_URL=smtp://user:pass@mailserver.example.com:25/ - #- MAIL_FROM='Example Wekan Support ' + - MAIL_URL=smtp://user:pass@mailserver.example.com:25/ + - MAIL_FROM='Example Wekan Support ' #--------------------------------------------------------------- # ==== OPTIONAL: MONGO OPLOG SETTINGS ===== # https://github.com/wekan/wekan-mongodb/issues/2#issuecomment-378343587 @@ -191,11 +191,12 @@ services: # - MONGO_OPLOG_URL=mongodb://:@/local?authSource=admin&replicaSet=rsWekan #--------------------------------------------------------------- # ==== OPTIONAL: KADIRA PERFORMANCE MONITORING FOR METEOR ==== - # https://github.com/smeijer/kadira + # https://github.com/edemaine/kadira-compose + # https://github.com/meteor/meteor-apm-agent # https://blog.meteor.com/kadira-apm-is-now-open-source-490469ffc85f - - APM_OPTIONS_ENDPOINT=http://kadira-engine:11011 - - APM_APP_ID=iYpPgq6rXRrZJty4A - - APM_APP_SECRET=9de2728b-320d-46c1-9352-0084435411f0 + #- APM_OPTIONS_ENDPOINT=http://:11011 + #- APM_APP_ID= + #- APM_APP_SECRET= #--------------------------------------------------------------- # ==== OPTIONAL: LOGS AND STATS ==== # https://github.com/wekan/wekan/wiki/Logs @@ -515,41 +516,6 @@ services: # - ./nginx/nginx.conf:/etc/nginx/nginx.conf - kadira-engine: - ## This is the endpoint where Meteor app sends performance data - image: vladgolubev/kadira-engine - ports: - - "11011:11011" - environment: - - PORT=11011 - - MONGO_URL=mongodb://wekandb:27017/kadira?replicaSet=kadira - - MONGO_SHARD_URL_one=mongodb://wekandb:27017/kadira?replicaSet=kadira - networks: - - wekan-tier - restart: always - - kadira-rma: - ## This computes statistics databases every minute. - image: vladgolubev/kadira-rma - environment: - - MONGO_URL=mongodb://wekandb:27017/kadira - networks: - - wekan-tier - restart: always - - kadira-ui: - ## Meteor app that presents the Kadira user interface. - image: vladgolubev/kadira-ui - ports: - #- "80:4000" - - "4000:4000" - environment: - - MONGO_URL=mongodb://wekandb:27017/kadira - - MONGO_SHARD_URL_one=mongodb://wekandb:27017/kadira - networks: - - wekan-tier - restart: always - volumes: wekan-db: driver: local -- cgit v1.2.3-1-g7c22 From 8e95871534d654e006982938fabd98a7357392e3 Mon Sep 17 00:00:00 2001 From: Gavin Lilly Date: Wed, 13 Feb 2019 00:01:47 +0000 Subject: Adding wekan-ldap back in to build in the Dockerfile --- Dockerfile | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/Dockerfile b/Dockerfile index aed3ecdf..ff6243d5 100644 --- a/Dockerfile +++ b/Dockerfile @@ -247,7 +247,7 @@ RUN \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/flow-router.git kadira-flow-router && \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/meteor-useraccounts/core.git meteor-useraccounts-core && \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/meteor-accounts-cas.git && \ - #gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/wekan-ldap.git && \ + gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/wekan-ldap.git && \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/wekan-scrollbar.git && \ sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' /home/wekan/app/packages/meteor-useraccounts-core/package.js && \ cd /home/wekan/.meteor && \ -- cgit v1.2.3-1-g7c22 From 202b8a92af25946539d2009f3a54fbac4bcf2c7e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 13 Feb 2019 02:24:21 +0200 Subject: - Add Kadira integration. Thanks to GavinLilly. Closes #2152 --- CHANGELOG.md | 13 +++++++++++++ 1 file changed, 13 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index ed2af4de..031c8bff 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,16 @@ +# Upcoming Wekan release + +This release adds the following new features: + +- [Kadira integration](https://github.com/wekan/wekan/issues/2152). Thanks to GavinLilly. + +and fixes the following bugs: + +- [Fix: Remove overlap of side bar button with card/list menu button on + mobile browser](https://github.com/wekan/wekan/issues/2183). Thanks to xet7. + +Thanks to above GitHub users for their contributions, and translators for their translations. + # v2.21 2019-02-12 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From b66f471e530d41a3f12e4bfc29548313e9a73c35 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 13 Feb 2019 03:01:10 +0200 Subject: - Add configurable settings OAUTH2_ID_TOKEN_WHITELIST_FIELDS and OAUTH2_REQUEST_PERMISSIONS. Thanks to xet7. Related #1874 --- Dockerfile | 4 ++++ docker-compose.yml | 4 ++++ releases/virtualbox/start-wekan.sh | 4 ++++ server/authentication.js | 4 ++-- snap-src/bin/config | 10 +++++++++- snap-src/bin/wekan-help | 28 ++++++++++++++++++++-------- start-wekan.bat | 5 +++++ start-wekan.sh | 6 +++++- 8 files changed, 53 insertions(+), 12 deletions(-) diff --git a/Dockerfile b/Dockerfile index 283cc853..7957c72c 100644 --- a/Dockerfile +++ b/Dockerfile @@ -30,6 +30,8 @@ ARG OAUTH2_ID_MAP ARG OAUTH2_USERNAME_MAP ARG OAUTH2_FULLNAME_MAP ARG OAUTH2_EMAIL_MAP +ARG OAUTH2_ID_TOKEN_WHITELIST_FIELDS +ARG OAUTH2_REQUEST_PERMISSIONS ARG LDAP_ENABLE ARG LDAP_PORT ARG LDAP_HOST @@ -109,6 +111,8 @@ ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential pyth OAUTH2_USERNAME_MAP="" \ OAUTH2_FULLNAME_MAP="" \ OAUTH2_EMAIL_MAP="" \ + OAUTH2_ID_TOKEN_WHITELIST_FIELDS=[] \ + OAUTH2_REQUEST_PERMISSIONS=[openid] \ LDAP_ENABLE=false \ LDAP_PORT=389 \ LDAP_HOST="" \ diff --git a/docker-compose.yml b/docker-compose.yml index 7a1f7b87..a9f11569 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -311,6 +311,10 @@ services: #- OAUTH2_FULLNAME_MAP= # OAuth2 Email Mapping #- OAUTH2_EMAIL_MAP= + # OAUTH2 ID Token Whitelist Fields. + #- OAUTH2_ID_TOKEN_WHITELIST_FIELDS=[] + # OAUTH2 Request Permissions. + #- OAUTH2_REQUEST_PERMISSIONS=[openid email profile] #----------------------------------------------------------------- # ==== LDAP ==== # https://github.com/wekan/wekan/wiki/LDAP diff --git a/releases/virtualbox/start-wekan.sh b/releases/virtualbox/start-wekan.sh index 31d4df58..d8ac716e 100755 --- a/releases/virtualbox/start-wekan.sh +++ b/releases/virtualbox/start-wekan.sh @@ -114,6 +114,10 @@ #export OAUTH2_FULLNAME_MAP= # OAuth2 Email Mapping #export OAUTH2_EMAIL_MAP= + # OAUTH2 ID Token Whitelist Fields. + #export OAUTH2_ID_TOKEN_WHITELIST_FIELDS=[] + # OAUTH2 Request Permissions. + #export OAUTH2_REQUEST_PERMISSIONS=[openid profile email] #--------------------------------------------- # LDAP_ENABLE : Enable or not the connection by the LDAP # example : export LDAP_ENABLE=true diff --git a/server/authentication.js b/server/authentication.js index 4d3cc53e..76ab6cf1 100644 --- a/server/authentication.js +++ b/server/authentication.js @@ -76,8 +76,8 @@ Meteor.startup(() => { authorizationEndpoint: process.env.OAUTH2_AUTH_ENDPOINT, userinfoEndpoint: process.env.OAUTH2_USERINFO_ENDPOINT, tokenEndpoint: process.env.OAUTH2_TOKEN_ENDPOINT, - idTokenWhitelistFields: [], - requestPermissions: ['openid'], + idTokenWhitelistFields: process.env.OAUTH2_ID_TOKEN_WHITELIST_FIELDS || [], + requestPermissions: process.OAUTH2_REQUEST_PERMISSIONS || ['openid'], }, } ); diff --git a/snap-src/bin/config b/snap-src/bin/config index 31605b2f..e674afa0 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -3,7 +3,7 @@ # All supported keys are defined here together with descriptions and default values # list of supported keys -keys="DEBUG MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API CORS MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT OAUTH2_ID_MAP OAUTH2_USERNAME_MAP OAUTH2_FULLNAME_MAP OAUTH2_EMAIL_MAP LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_FULLNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN LOGOUT_WITH_TIMER LOGOUT_IN LOGOUT_ON_HOURS LOGOUT_ON_MINUTES DEFAULT_AUTHENTICATION_METHOD" +keys="DEBUG MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API CORS MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT OAUTH2_ID_MAP OAUTH2_USERNAME_MAP OAUTH2_FULLNAME_MAP OAUTH2_EMAIL_MAP OAUTH2_ID_TOKEN_WHITELIST_FIELDS OAUTH2_REQUEST_PERMISSIONS LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_FULLNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN LOGOUT_WITH_TIMER LOGOUT_IN LOGOUT_ON_HOURS LOGOUT_ON_MINUTES DEFAULT_AUTHENTICATION_METHOD" # default values DESCRIPTION_DEBUG="Debug OIDC OAuth2 etc. Example: sudo snap set wekan debug='true'" @@ -138,6 +138,14 @@ DESCRIPTION_OAUTH2_EMAIL_MAP="OAuth2 Email Mapping. Example: email" DEFAULT_OAUTH2_EMAIL_MAP="" KEY_OAUTH2_EMAIL_MAP="oauth2-email-map" +DESCRIPTION_OAUTH2_ID_TOKEN_WHITELIST_FIELDS="OAuth2 ID Token Whitelist Fields. Example: []" +DEFAULT_OAUTH2_ID_TOKEN_WHITELIST_FIELDS="" +KEY_OAUTH2_ID_TOKEN_WHITELIST_FIELDS="oauth2-id-token-whitelist-fields" + +DESCRIPTION_OAUTH2_REQUEST_PERMISSIONS="OAuth2 Request Permissions. Example: [openid profile email]" +DEFAULT_OAUTH2_REQUEST_PERMISSIONS="" +KEY_OAUTH2_REQUEST_PERMISSIONS="oauth2-request-permissions" + DESCRIPTION_LDAP_ENABLE="Enable or not the connection by the LDAP" DEFAULT_LDAP_ENABLE="false" KEY_LDAP_ENABLE="ldap-enable" diff --git a/snap-src/bin/wekan-help b/snap-src/bin/wekan-help index 431be029..80cbc7ad 100755 --- a/snap-src/bin/wekan-help +++ b/snap-src/bin/wekan-help @@ -102,29 +102,41 @@ echo -e "\t-Disable the OAuth2 Token Endpoint of Wekan:" echo -e "\t$ snap set $SNAP_NAME oauth2-token-endpoint=''" echo -e "\n" echo -e "OAuth2 ID Mapping." -echo -e "To enable the ID Mapping of Wekan:" +echo -e "To enable the OAuth2 ID Mapping of Wekan:" echo -e "\t$ snap set $SNAP_NAME oauth2-id-map='username.uid'" -echo -e "\t-Disable the ID Mapping of Wekan:" +echo -e "\t-Disable the OAuth2 ID Mapping of Wekan:" echo -e "\t$ snap set $SNAP_NAME oauth2-id-map=''" echo -e "\n" echo -e "OAuth2 Username Mapping." -echo -e "To enable the Username Mapping of Wekan:" +echo -e "To enable the OAuth2 Username Mapping of Wekan:" echo -e "\t$ snap set $SNAP_NAME oauth2-username-map='username'" -echo -e "\t-Disable the Username Mapping of Wekan:" +echo -e "\t-Disable the OAuth2 Username Mapping of Wekan:" echo -e "\t$ snap set $SNAP_NAME oauth2-username-map=''" echo -e "\n" echo -e "OAuth2 Fullname Mapping." -echo -e "To enable the Fullname Mapping of Wekan:" +echo -e "To enable the OAuth2 Fullname Mapping of Wekan:" echo -e "\t$ snap set $SNAP_NAME oauth2-fullname-map='fullname'" -echo -e "\t-Disable the Fullname Mapping of Wekan:" +echo -e "\t-Disable the OAuth2 Fullname Mapping of Wekan:" echo -e "\t$ snap set $SNAP_NAME oauth2-fullname-map=''" echo -e "\n" echo -e "OAuth2 Email Mapping." -echo -e "To enable the Email Mapping of Wekan:" +echo -e "To enable the OAuth2 Email Mapping of Wekan:" echo -e "\t$ snap set $SNAP_NAME oauth2-email-map='email'" -echo -e "\t-Disable the Email Mapping of Wekan:" +echo -e "\t-Disable the OAuth2 Email Mapping of Wekan:" echo -e "\t$ snap set $SNAP_NAME oauth2-email-map=''" echo -e "\n" +echo -e "OAuth2 ID Token Whitelist Fields." +echo -e "To enable the OAuth2 ID Token Whitelist Fields of Wekan:" +echo -e "\t$ snap set $SNAP_NAME oauth2-id-token-whitelist-fields='[]'" +echo -e "\t-Disable the OAuth2 ID Token Whitelist Fields of Wekan:" +echo -e "\t$ snap set $SNAP_NAME oauth2-id-token-whitelist-fields=''" +echo -e "\n" +echo -e "OAuth2 Request Permissions." +echo -e "To enable the OAuth2 Request Permissions of Wekan:" +echo -e "\t$ snap set $SNAP_NAME oauth2-request-permissions='[openid profile email]'" +echo -e "\t-Disable the OAuth2 Request Permissions of Wekan:" +echo -e "\t$ snap set $SNAP_NAME oauth2-request-permissions=''" +echo -e "\n" echo -e "Ldap Enable." echo -e "To enable the ldap of Wekan:" echo -e "\t$ snap set $SNAP_NAME ldap-enable='true'" diff --git a/start-wekan.bat b/start-wekan.bat index 02e9258e..9d6305b6 100644 --- a/start-wekan.bat +++ b/start-wekan.bat @@ -74,6 +74,11 @@ REM # OAuth2 Token Endpoint. Example: /oauth/token REM # example: OAUTH2_TOKEN_ENDPOINT=/oauth/token REM SET OAUTH2_TOKEN_ENDPOINT= +REM # OAUTH2 ID Token Whitelist Fields. +REM SET OAUTH2_ID_TOKEN_WHITELIST_FIELDS=[] +REM # OAUTH2 Request Permissions. +REM SET OAUTH2_REQUEST_PERMISSIONS=[openid email profile] + REM ------------------------------------------------------------ REM # LDAP_ENABLE : Enable or not the connection by the LDAP diff --git a/start-wekan.sh b/start-wekan.sh index 1de75aa4..bbfbff2b 100755 --- a/start-wekan.sh +++ b/start-wekan.sh @@ -93,8 +93,12 @@ function wekan_repo_check(){ #export OAUTH2_USERNAME_MAP=email # The claim name you want to map to the full name field: #export OAUTH2_FULLNAME_MAP=name - # Tthe claim name you want to map to the email field: + # The claim name you want to map to the email field: #export OAUTH2_EMAIL_MAP=email + # OAUTH2 ID Token Whitelist Fields. + #export OAUTH2_ID_TOKEN_WHITELIST_FIELDS=[] + # OAUTH2 Request Permissions. + #export OAUTH2_REQUEST_PERMISSIONS=[openid profile email] #----------------------------------------------------------------- # ==== OAUTH2 KEYCLOAK ==== # https://github.com/wekan/wekan/wiki/Keycloak <== MAPPING INFO, REQUIRED -- cgit v1.2.3-1-g7c22 From 81744e65234e9f1400c47a7e3871da587600af34 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 13 Feb 2019 03:07:31 +0200 Subject: - Add [configurable](https://github.com/wekan/wekan/issues/1874#issuecomment-462759627) settings [OAUTH2_ID_TOKEN_WHITELIST_FIELDS and OAUTH2_REQUEST_PERMISSIONS](https://github.com/wekan/wekan/commit/b66f471e530d41a3f12e4bfc29548313e9a73c35). Thanks to xet7. --- CHANGELOG.md | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 031c8bff..a2bc3e5a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,6 +3,10 @@ This release adds the following new features: - [Kadira integration](https://github.com/wekan/wekan/issues/2152). Thanks to GavinLilly. +- Add [configurable](https://github.com/wekan/wekan/issues/1874#issuecomment-462759627) + settings [OAUTH2_ID_TOKEN_WHITELIST_FIELDS and + OAUTH2_REQUEST_PERMISSIONS](https://github.com/wekan/wekan/commit/b66f471e530d41a3f12e4bfc29548313e9a73c35). + Thanks to xet7. and fixes the following bugs: -- cgit v1.2.3-1-g7c22 From dc7bbd848c9a194dac4d5511618265dec1012897 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 13 Feb 2019 03:14:18 +0200 Subject: v2.22 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index a2bc3e5a..d77f13ee 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.22 2019-02-13 Wekan release This release adds the following new features: diff --git a/Stackerfile.yml b/Stackerfile.yml index 536a2690..7a6c5396 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.21.0" +appVersion: "v2.22.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 182feb88..02e5ae01 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.21.0", + "version": "v2.22.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index c224f649..5b0d993d 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 223, + appVersion = 224, # Increment this for every release. - appMarketingVersion = (defaultText = "2.21.0~2019-02-12"), + appMarketingVersion = (defaultText = "2.22.0~2019-02-13"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 4ce766853c83396c5ae0a8a0c11828fedc27688c Mon Sep 17 00:00:00 2001 From: guillaume Date: Fri, 15 Feb 2019 17:06:05 +0100 Subject: Fix authentication dropdown --- client/components/main/layouts.jade | 2 +- client/components/settings/connectionMethod.jade | 7 +++++-- client/components/settings/connectionMethod.js | 3 +++ 3 files changed, 9 insertions(+), 3 deletions(-) diff --git a/client/components/main/layouts.jade b/client/components/main/layouts.jade index a6115ec1..f2c40b9f 100644 --- a/client/components/main/layouts.jade +++ b/client/components/main/layouts.jade @@ -24,7 +24,7 @@ template(name="userFormsLayout") section.auth-dialog +Template.dynamic(template=content) if currentSetting.displayAuthenticationMethod - +connectionMethod + +connectionMethod(authenticationMethod=currentSetting.defaultAuthenticationMethod) div.at-form-lang select.select-lang.js-userform-set-language each languages diff --git a/client/components/settings/connectionMethod.jade b/client/components/settings/connectionMethod.jade index ac4c8c64..d191929f 100644 --- a/client/components/settings/connectionMethod.jade +++ b/client/components/settings/connectionMethod.jade @@ -2,5 +2,8 @@ template(name='connectionMethod') div.at-form-authentication label {{_ 'authentication-method'}} select.select-authentication - each authentications - option(value="{{value}}") {{_ value}} + each authentications + if isSelected value + option(value="{{value}}" selected) {{_ value}} + else + option(value="{{value}}") {{_ value}} \ No newline at end of file diff --git a/client/components/settings/connectionMethod.js b/client/components/settings/connectionMethod.js index 9fe8f382..db9da25f 100644 --- a/client/components/settings/connectionMethod.js +++ b/client/components/settings/connectionMethod.js @@ -31,4 +31,7 @@ Template.connectionMethod.helpers({ authentications() { return Template.instance().authenticationMethods.get(); }, + isSelected(match) { + return Template.instance().data.authenticationMethod === match; + }, }); -- cgit v1.2.3-1-g7c22 From 03d06685b0310439815ec2e2cd2bc64a5765b93d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 15 Feb 2019 18:45:41 +0200 Subject: - [Fix authentication dropdown](https://github.com/wekan/wekan/pull/2191). Thanks to Akuket. --- CHANGELOG.md | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index d77f13ee..575e9422 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# Upcoming Wekan relase + +This release fixes the following bugs: + +- [Fix authentication dropdown](https://github.com/wekan/wekan/pull/2191). + Thanks to Akuket. + +Thanks to above GitHub users for their contributions, and translators for their translations. + # v2.22 2019-02-13 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From 96519296e12de55319f121694df919a4a013c19d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 15 Feb 2019 18:47:21 +0200 Subject: Update translations (sv). --- i18n/sv.i18n.json | 38 +++++++++++++++++++------------------- 1 file changed, 19 insertions(+), 19 deletions(-) diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index c93862bb..a2c0c23e 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -78,7 +78,7 @@ "and-n-other-card": "Och __count__ annat kort", "and-n-other-card_plural": "Och __count__ andra kort", "apply": "Tillämpa", - "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", + "app-is-offline": "Läser in, vänligen vänta. Uppdatering av sidan kommer att orsaka förlust av data. Om inläsningen inte fungerar, kontrollera att servern inte har stoppats.", "archive": "Flytta till Arkiv", "archive-all": "Flytta alla till Arkiv", "archive-board": "Flytta Anslagstavla till Arkiv", @@ -86,11 +86,11 @@ "archive-list": "Flytta Lista till Arkiv", "archive-swimlane": "Move Swimlane to Archive", "archive-selection": "Flytta markerade till Arkiv", - "archiveBoardPopup-title": "Move Board to Archive?", + "archiveBoardPopup-title": "Flytta Anslagstavla till Arkiv?", "archived-items": "Arkiv", - "archived-boards": "Boards in Archive", + "archived-boards": "Anslagstavlor i Arkiv", "restore-board": "Återställ anslagstavla", - "no-archived-boards": "No Boards in Archive.", + "no-archived-boards": "Inga anslagstavlor i Arkiv.", "archives": "Arkiv", "assign-member": "Tilldela medlem", "attached": "bifogad", @@ -123,7 +123,7 @@ "card-comments-title": "Detta kort har %s kommentar.", "card-delete-notice": "Ta bort är permanent. Du kommer att förlora alla åtgärder i samband med detta kort.", "card-delete-pop": "Alla åtgärder kommer att tas bort från aktivitetsflöde och du kommer inte att kunna öppna kortet igen. Det går inte att ångra.", - "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "Du kan flytta ett kort för att Arkiv för att ta bort det från anslagstavlan och bevara aktiviteten.", "card-due": "Förfaller", "card-due-on": "Förfaller på", "card-spent": "Spenderad tid", @@ -166,7 +166,7 @@ "clipboard": "Urklipp eller dra och släpp", "close": "Stäng", "close-board": "Stäng anslagstavla", - "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", + "close-board-pop": "Du kommer att kunna återställa anslagstavlan genom att klicka på knappen \"Arkiv\" från hemrubriken.", "color-black": "svart", "color-blue": "blå", "color-crimson": "crimson", @@ -299,17 +299,17 @@ "import-board": "importera anslagstavla", "import-board-c": "Importera anslagstavla", "import-board-title-trello": "Importera anslagstavla från Trello", - "import-board-title-wekan": "Import board from previous export", + "import-board-title-wekan": "Importera anslagstavla från tidigare export", "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Importerad anslagstavla raderar all befintlig data på anslagstavla och ersätter den med importerat anslagstavla.", "from-trello": "Från Trello", "from-wekan": "Från tidigare export", "import-board-instruction-trello": "I din Trello-anslagstavla, gå till 'Meny', sedan 'Mera', 'Skriv ut och exportera', 'Exportera JSON' och kopiera den resulterande text.", - "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-wekan": "På din anslagstavla, gå till \"Meny\", sedan \"Exportera anslagstavla\" och kopiera texten i den hämtade filen.", "import-board-instruction-about-errors": "Om du får fel vid import av anslagstavla, ibland importerar fortfarande fungerar, och styrelsen är på alla sidor för anslagstavlor.", "import-json-placeholder": "Klistra in giltigt JSON data här", "import-map-members": "Kartlägg medlemmar", - "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", + "import-members-map": "Din importerade anslagstavla har några medlemmar. Vänligen kartlägg medlemmarna du vill importera till dina användare", "import-show-user-mapping": "Granska medlemskartläggning", "import-user-select": "Pick your existing user you want to use as this member", "importMapMembersAddPopup-title": "Välj medlem", @@ -332,10 +332,10 @@ "leaveBoardPopup-title": "Lämna anslagstavla ?", "link-card": "Länka till detta kort", "list-archive-cards": "Flytta alla kort i den här listan till Arkiv", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", + "list-archive-cards-pop": "Detta kommer att ta bort alla kort i denna lista från anslagstavlan. För att visa kort i Arkiv och få dem tillbaka till anslagstavlan, klicka på \"Meny\" > \"Arkiv\".", "list-move-cards": "Flytta alla kort i denna lista", "list-select-cards": "Välj alla kort i denna lista", - "set-color-list": "Set Color", + "set-color-list": "Ange färg", "listActionPopup-title": "Liståtgärder", "swimlaneActionPopup-title": "Simbana-åtgärder", "swimlaneAddPopup-title": "Add a Swimlane below", @@ -343,7 +343,7 @@ "listMorePopup-title": "Mera", "link-list": "Länk till den här listan", "list-delete-pop": "Alla åtgärder kommer att tas bort från aktivitetsmatningen och du kommer inte att kunna återställa listan. Det går inte att ångra.", - "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "Du kan flytta en lista till Arkiv för att ta bort den från anslagstavlan och bevara aktiviteten.", "lists": "Listor", "swimlanes": "Simbanor ", "log-out": "Logga ut", @@ -568,7 +568,7 @@ "r-removed-from": "Borttagen från", "r-the-board": "anslagstavlan", "r-list": "lista", - "set-filter": "Set Filter", + "set-filter": "Ställ in filter", "r-moved-to": "Flyttad till", "r-moved-from": "Flyttad från", "r-archived": "Flyttad till Arkiv", @@ -576,13 +576,13 @@ "r-a-card": "ett kort", "r-when-a-label-is": "När en etikett är", "r-when-the-label-is": "När etiketten är", - "r-list-name": "list name", + "r-list-name": "listnamn", "r-when-a-member": "När en medlem är", "r-when-the-member": "När medlemmen", "r-name": "namn", - "r-when-a-attach": "When an attachment", - "r-when-a-checklist": "When a checklist is", - "r-when-the-checklist": "When the checklist", + "r-when-a-attach": "När en bilaga", + "r-when-a-checklist": "När en checklista är", + "r-when-the-checklist": "När checklistan", "r-completed": "Avslutad", "r-made-incomplete": "Made incomplete", "r-when-a-item": "When a checklist item is", @@ -660,6 +660,6 @@ "add-custom-html-before-body-end": "Add Custom HTML before end", "error-undefined": "Något gick fel", "error-ldap-login": "Ett fel uppstod när du försökte logga in", - "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "display-authentication-method": "Visa autentiseringsmetod", + "default-authentication-method": "Standard autentiseringsmetod" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 4bf0914f1e5943fd10c5318db34e755ce895c4bb Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 17 Feb 2019 18:13:54 +0200 Subject: v2.23 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 575e9422..fe11f8da 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan relase +# v2.23 2019-02-17 Wekan relase This release fixes the following bugs: diff --git a/Stackerfile.yml b/Stackerfile.yml index 7a6c5396..5b12c2d8 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.22.0" +appVersion: "v2.23.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 02e5ae01..e76015a3 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.22.0", + "version": "v2.23.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 5b0d993d..79efc536 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 224, + appVersion = 225, # Increment this for every release. - appMarketingVersion = (defaultText = "2.22.0~2019-02-13"), + appMarketingVersion = (defaultText = "2.23.0~2019-02-17"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 402d484182bd58e8fb56d847c01fb2ca071310d6 Mon Sep 17 00:00:00 2001 From: Steven Waters Date: Thu, 21 Feb 2019 09:02:47 +0000 Subject: Added LDAP email environment variables Support for LDAP matching existing accounts with e-mail address. --- Dockerfile | 8 ++++++++ docker-compose.yml | 16 ++++++++++++++++ releases/virtualbox/start-wekan.sh | 12 ++++++++++++ snap-src/bin/config | 18 +++++++++++++++++- snap-src/bin/wekan-help | 13 +++++++++++++ start-wekan.bat | 16 ++++++++++++++++ start-wekan.sh | 12 ++++++++++++ 7 files changed, 94 insertions(+), 1 deletion(-) mode change 100755 => 100644 releases/virtualbox/start-wekan.sh mode change 100755 => 100644 snap-src/bin/config mode change 100755 => 100644 snap-src/bin/wekan-help mode change 100755 => 100644 start-wekan.sh diff --git a/Dockerfile b/Dockerfile index 7957c72c..16ac6913 100644 --- a/Dockerfile +++ b/Dockerfile @@ -67,6 +67,10 @@ ARG LDAP_UNIQUE_IDENTIFIER_FIELD ARG LDAP_UTF8_NAMES_SLUGIFY ARG LDAP_USERNAME_FIELD ARG LDAP_FULLNAME_FIELD +ARG LDAP_EMAIL_FIELD +ARG LDAP_EMAIL_MATCH_ENABLE +ARG LDAP_EMAIL_MATCH_REQUIRE +ARG LDAP_EMAIL_MATCH_VERIFIED ARG LDAP_MERGE_EXISTING_USERS ARG LDAP_SYNC_USER_DATA ARG LDAP_SYNC_USER_DATA_FIELDMAP @@ -149,6 +153,10 @@ ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential pyth LDAP_USERNAME_FIELD="" \ LDAP_FULLNAME_FIELD="" \ LDAP_MERGE_EXISTING_USERS=false \ + LDAP_EMAIL_FIELD="" \ + LDAP_EMAIL_MATCH_ENABLE=false \ + LDAP_EMAIL_MATCH_REQUIRE=false \ + LDAP_EMAIL_MATCH_VERIFIED=false \ LDAP_SYNC_USER_DATA=false \ LDAP_SYNC_USER_DATA_FIELDMAP="" \ LDAP_SYNC_GROUP_ROLES="" \ diff --git a/docker-compose.yml b/docker-compose.yml index a9f11569..81cafb84 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -469,6 +469,22 @@ services: # LDAP_MERGE_EXISTING_USERS : # example : LDAP_MERGE_EXISTING_USERS=true #- LDAP_MERGE_EXISTING_USERS=false + # + # LDAP_EMAIL_MATCH_ENABLE : allow existing account matching by e-mail address when username does not match + # example: LDAP_EMAIL_MATCH_ENABLE=true + #- LDAP_EMAIL_MATCH_ENABLE=false + # + # LDAP_EMAIL_MATCH_REQUIRE : require existing account matching by e-mail address when username does match + # example: LDAP_EMAIL_MATCH_REQUIRE=true + #- LDAP_EMAIL_MATCH_REQUIRE=false + # + # LDAP_EMAIL_MATCH_VERIFIED : require existing account email address to be verified for matching + # example: LDAP_EMAIL_MATCH_VERIFIED=true + #- LDAP_EMAIL_MATCH_VERIFIED=false + # + # LDAP_EMAIL_FIELD : which field contains the LDAP e-mail address + # example: LDAP_EMAIL_FIELD=mail + #- LDAP_EMAIL_FIELD= #----------------------------------------------------------------- # LDAP_SYNC_USER_DATA : # example : LDAP_SYNC_USER_DATA=true diff --git a/releases/virtualbox/start-wekan.sh b/releases/virtualbox/start-wekan.sh old mode 100755 new mode 100644 index d8ac716e..2f2e9ea3 --- a/releases/virtualbox/start-wekan.sh +++ b/releases/virtualbox/start-wekan.sh @@ -227,6 +227,18 @@ # LDAP_MERGE_EXISTING_USERS : # example : export LDAP_MERGE_EXISTING_USERS=true #export LDAP_MERGE_EXISTING_USERS=false + # LDAP_EMAIL_MATCH_ENABLE : allow existing account matching by e-mail address when username does not match + # example: LDAP_EMAIL_MATCH_ENABLE=true + #export LDAP_EMAIL_MATCH_ENABLE=false + # LDAP_EMAIL_MATCH_REQUIRE : require existing account matching by e-mail address when username does match + # example: LDAP_EMAIL_MATCH_REQUIRE=true + #export LDAP_EMAIL_MATCH_REQUIRE=false + # LDAP_EMAIL_MATCH_VERIFIED : require existing account email address to be verified for matching + # example: LDAP_EMAIL_MATCH_VERIFIED=true + #export LDAP_EMAIL_MATCH_VERIFIED=false + # LDAP_EMAIL_FIELD : which field contains the LDAP e-mail address + # example: LDAP_EMAIL_FIELD=mail + #export LDAP_EMAIL_FIELD= # LDAP_SYNC_USER_DATA : # example : export LDAP_SYNC_USER_DATA=true #export LDAP_SYNC_USER_DATA=false diff --git a/snap-src/bin/config b/snap-src/bin/config old mode 100755 new mode 100644 index e674afa0..c961c3d4 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -3,7 +3,7 @@ # All supported keys are defined here together with descriptions and default values # list of supported keys -keys="DEBUG MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API CORS MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT OAUTH2_ID_MAP OAUTH2_USERNAME_MAP OAUTH2_FULLNAME_MAP OAUTH2_EMAIL_MAP OAUTH2_ID_TOKEN_WHITELIST_FIELDS OAUTH2_REQUEST_PERMISSIONS LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_FULLNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN LOGOUT_WITH_TIMER LOGOUT_IN LOGOUT_ON_HOURS LOGOUT_ON_MINUTES DEFAULT_AUTHENTICATION_METHOD" +keys="DEBUG MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API CORS MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT OAUTH2_ID_MAP OAUTH2_USERNAME_MAP OAUTH2_FULLNAME_MAP OAUTH2_EMAIL_MAP OAUTH2_ID_TOKEN_WHITELIST_FIELDS OAUTH2_REQUEST_PERMISSIONS LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_FULLNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN LDAP_EMAIL_MATCH_ENABLE LDAP_EMAIL_MATCH_REQUIRE LDAP_EMAIL_MATCH_VERIFIED LDAP_EMAIL_FIELD LOGOUT_WITH_TIMER LOGOUT_IN LOGOUT_ON_HOURS LOGOUT_ON_MINUTES DEFAULT_AUTHENTICATION_METHOD" # default values DESCRIPTION_DEBUG="Debug OIDC OAuth2 etc. Example: sudo snap set wekan debug='true'" @@ -290,6 +290,22 @@ DESCRIPTION_LDAP_MERGE_EXISTING_USERS="ldap-merge-existing-users . Default: fals DEFAULT_LDAP_MERGE_EXISTING_USERS="false" KEY_LDAP_MERGE_EXISTING_USERS="ldap-merge-existing-users" +DESCRIPTION_LDAP_EMAIL_MATCH_ENABLE="ldap-email-match-enable . Default: false" +DEFAULT_LDAP_EMAIL_MATCH_ENABLE="false" +KEY_LDAP_EMAIL_MATCH_ENABLE="ldap-email-match-enable" + +DESCRIPTION_LDAP_EMAIL_MATCH_REQUIRE="ldap-email-match-require . Default: false" +DEFAULT_LDAP_EMAIL_MATCH_REQUIRE="false" +KEY_LDAP_EMAIL_MATCH_REQUIRE="ldap-email-match-require" + +DESCRIPTION_LDAP_EMAIL_MATCH_VERIFIED="ldap-email-match-verified . Default: false" +DEFAULT_LDAP_EMAIL_MATCH_VERIFIED="false" +KEY_LDAP_EMAIL_MATCH_VERIFIED="ldap-email-match-verified" + +DESCRIPTION_LDAP_EMAIL_FIELD="Which field contains the ldap e-mail address" +DEFAULT_LDAP_EMAIL_FIELD="" +KEY_LDAP_EMAIL_FIELD="ldap-email-field" + DESCRIPTION_LDAP_SYNC_USER_DATA="ldap-sync-user-data . Default: false" DEFAULT_LDAP_SYNC_USER_DATA="false" KEY_LDAP_SYNC_USER_DATA="ldap-sync-user-data" diff --git a/snap-src/bin/wekan-help b/snap-src/bin/wekan-help old mode 100755 new mode 100644 index 80cbc7ad..48c24633 --- a/snap-src/bin/wekan-help +++ b/snap-src/bin/wekan-help @@ -276,6 +276,19 @@ echo -e "\n" echo -e "Ldap Merge Existing Users." echo -e "\t$ snap set $SNAP_NAME ldap-merge-existing-users='true'" echo -e "\n" +echo -e "Ldap Email Match Enable." +echo -e "\t$ snap set $SNAP_NAME ldap-email-match-enable='true'" +echo -e "\n" +echo -e "Ldap Email Match Require." +echo -e "\t$ snap set $SNAP_NAME ldap-email-match-require='true'" +echo -e "\n" +echo -e "Ldap Email Match Verified." +echo -e "\t$ snap set $SNAP_NAME ldap-email-match-verfied='false'" +echo -e "\n" +echo -e "Ldap Fullname Field." +echo -e "Which field contains the ldap email address:" +echo -e "\t$ snap set $SNAP_NAME ldap-fullname-field='fullname'" +echo -e "\n" echo -e "Ldap Sync User Data." echo -e "Enable synchronization of user data:" echo -e "\t$ snap set $SNAP_NAME ldap-sync-user-data='true'" diff --git a/start-wekan.bat b/start-wekan.bat index 9d6305b6..7ccf0c0e 100644 --- a/start-wekan.bat +++ b/start-wekan.bat @@ -221,6 +221,22 @@ REM # LDAP_MERGE_EXISTING_USERS : REM # example : LDAP_MERGE_EXISTING_USERS=true REM SET LDAP_MERGE_EXISTING_USERS=false +REM # LDAP_EMAIL_MATCH_ENABLE : allow existing account matching by e-mail address when username does not match +REM # example: LDAP_EMAIL_MATCH_ENABLE=true +REM SET LDAP_EMAIL_MATCH_ENABLE=false + +REM # LDAP_EMAIL_MATCH_REQUIRE : require existing account matching by e-mail address when username does match +REM # example: LDAP_EMAIL_MATCH_REQUIRE=true +REM SET LDAP_EMAIL_MATCH_REQUIRE=false + +REM # LDAP_EMAIL_MATCH_VERIFIED : require existing account email address to be verified for matching +REM # example: LDAP_EMAIL_MATCH_VERIFIED=true +REM SET LDAP_EMAIL_MATCH_VERIFIED=false + +REM # LDAP_EMAIL_FIELD : which field contains the LDAP e-mail address +REM # example: LDAP_EMAIL_FIELD=mail +REM SET LDAP_EMAIL_FIELD= + REM # LDAP_SYNC_USER_DATA : REM # example : LDAP_SYNC_USER_DATA=true REM SET LDAP_SYNC_USER_DATA=false diff --git a/start-wekan.sh b/start-wekan.sh old mode 100755 new mode 100644 index bbfbff2b..c9745af9 --- a/start-wekan.sh +++ b/start-wekan.sh @@ -245,6 +245,18 @@ function wekan_repo_check(){ # LDAP_MERGE_EXISTING_USERS : # example : export LDAP_MERGE_EXISTING_USERS=true #export LDAP_MERGE_EXISTING_USERS=false + # LDAP_EMAIL_MATCH_ENABLE : allow existing account matching by e-mail address when username does not match + # example: LDAP_EMAIL_MATCH_ENABLE=true + #export LDAP_EMAIL_MATCH_ENABLE=false + # LDAP_EMAIL_MATCH_REQUIRE : require existing account matching by e-mail address when username does match + # example: LDAP_EMAIL_MATCH_REQUIRE=true + #export LDAP_EMAIL_MATCH_REQUIRE=false + # LDAP_EMAIL_MATCH_VERIFIED : require existing account email address to be verified for matching + # example: LDAP_EMAIL_MATCH_VERIFIED=true + #export LDAP_EMAIL_MATCH_VERIFIED=false + # LDAP_EMAIL_FIELD : which field contains the LDAP e-mail address + # example: LDAP_EMAIL_FIELD=mail + #export LDAP_EMAIL_FIELD= # LDAP_SYNC_USER_DATA : # example : export LDAP_SYNC_USER_DATA=true #export LDAP_SYNC_USER_DATA=false -- cgit v1.2.3-1-g7c22 From fd5d6546b29c00572a2a2949fc3f2dc8d63a5015 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 23 Feb 2019 18:52:44 +0200 Subject: Update translations. --- i18n/cs.i18n.json | 50 ++++++++++++------------ i18n/fa.i18n.json | 84 ++++++++++++++++++++-------------------- i18n/ta.i18n.json | 114 +++++++++++++++++++++++++++--------------------------- 3 files changed, 124 insertions(+), 124 deletions(-) diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 3e5f8b49..5f809eaa 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -43,19 +43,19 @@ "activity-sent": "%s posláno na %s", "activity-unjoined": "odpojen %s", "activity-subtask-added": "podúkol přidán do %s", - "activity-checked-item": "checked %s in checklist %s of %s", - "activity-unchecked-item": "unchecked %s in checklist %s of %s", + "activity-checked-item": "dokončen %s v seznamu %s z %s", + "activity-unchecked-item": "nedokončen %s v seznamu %s z %s", "activity-checklist-added": "přidán checklist do %s", "activity-checklist-removed": "odstraněn checklist z %s", "activity-checklist-completed": "dokončen checklist %s z %s", - "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", + "activity-checklist-uncompleted": "nedokončen seznam %s z %s", "activity-checklist-item-added": "přidána položka checklist do '%s' v %s", - "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", + "activity-checklist-item-removed": "odstraněna položka seznamu do '%s' v %s", "add": "Přidat", - "activity-checked-item-card": "checked %s in checklist %s", - "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checked-item-card": "dokončen %s v seznamu %s", + "activity-unchecked-item-card": "nedokončen %s v seznamu %s", "activity-checklist-completed-card": "dokončen checklist %s", - "activity-checklist-uncompleted-card": "uncompleted the checklist %s", + "activity-checklist-uncompleted-card": "nedokončený seznam %s", "add-attachment": "Přidat přílohu", "add-board": "Přidat tablo", "add-card": "Přidat kartu", @@ -171,14 +171,14 @@ "color-blue": "modrá", "color-crimson": "crimson", "color-darkgreen": "darkgreen", - "color-gold": "gold", - "color-gray": "gray", + "color-gold": "zlatá", + "color-gray": "šedá", "color-green": "zelená", "color-indigo": "indigo", "color-lime": "světlezelená", "color-magenta": "magenta", "color-mistyrose": "mistyrose", - "color-navy": "navy", + "color-navy": "tmavě modrá", "color-orange": "oranžová", "color-paleturquoise": "paleturquoise", "color-peachpuff": "peachpuff", @@ -187,10 +187,10 @@ "color-purple": "fialová", "color-red": "červená", "color-saddlebrown": "saddlebrown", - "color-silver": "silver", + "color-silver": "stříbrná", "color-sky": "nebeská", "color-slateblue": "slateblue", - "color-white": "white", + "color-white": "bílá", "color-yellow": "žlutá", "unset-color": "Unset", "comment": "Komentář", @@ -335,7 +335,7 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Přesunout všechny karty v tomto sloupci", "list-select-cards": "Vybrat všechny karty v tomto sloupci", - "set-color-list": "Set Color", + "set-color-list": "Nastavit barvu", "listActionPopup-title": "Vypsat akce", "swimlaneActionPopup-title": "Akce swimlane", "swimlaneAddPopup-title": "Add a Swimlane below", @@ -498,7 +498,7 @@ "OS_Totalmem": "OS Celková paměť", "OS_Type": "Typ OS", "OS_Uptime": "OS Doba běhu systému", - "days": "days", + "days": "dní", "hours": "hodin", "minutes": "minut", "seconds": "sekund", @@ -519,10 +519,10 @@ "card-end-on": "Končí v", "editCardReceivedDatePopup-title": "Změnit datum přijetí", "editCardEndDatePopup-title": "Změnit datum konce", - "setCardColorPopup-title": "Set color", - "setCardActionsColorPopup-title": "Choose a color", - "setSwimlaneColorPopup-title": "Choose a color", - "setListColorPopup-title": "Choose a color", + "setCardColorPopup-title": "Nastav barvu", + "setCardActionsColorPopup-title": "Vyber barvu", + "setSwimlaneColorPopup-title": "Vyber barvu", + "setListColorPopup-title": "Vyber barvu", "assigned-by": "Přidělil(a)", "requested-by": "Vyžádal(a)", "board-delete-notice": "Smazání je trvalé. Přijdete o všechny sloupce, karty a akce spojené s tímto tablem.", @@ -590,8 +590,8 @@ "r-checked": "Zaškrtnuto", "r-unchecked": "Odškrtnuto", "r-move-card-to": "Přesunout kartu do", - "r-top-of": "Top of", - "r-bottom-of": "Bottom of", + "r-top-of": "Začátek", + "r-bottom-of": "Spodek", "r-its-list": "toho sloupce", "r-archive": "Přesunout do archivu", "r-unarchive": "Obnovit z archivu", @@ -601,7 +601,7 @@ "r-label": "štítek", "r-member": "člen", "r-remove-all": "Odstranit všechny členy z této karty", - "r-set-color": "Set color to", + "r-set-color": "Nastav barvu na", "r-checklist": "zaškrtávací seznam", "r-check-all": "Zaškrtnout vše", "r-uncheck-all": "Odškrtnout vše", @@ -656,10 +656,10 @@ "custom-product-name": "Vlastní název produktu", "layout": "uspořádání", "hide-logo": "Skrýt logo", - "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end", + "add-custom-html-after-body-start": "Přidej vlastní HTML za ", + "add-custom-html-before-body-end": "Přidej vlastní HTML před ", "error-undefined": "Něco se pokazilo", "error-ldap-login": "Během přihlašování nastala chyba", - "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "display-authentication-method": "Zobraz způsob ověřování", + "default-authentication-method": "Zobraz způsob ověřování" } \ No newline at end of file diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index c1ef3401..90c515b7 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -169,30 +169,30 @@ "close-board-pop": "شما می توانید با کلیک کردن بر روی دکمه «بایگانی» از صفحه هدر، صفحه را بازگردانید.", "color-black": "مشکی", "color-blue": "آبی", - "color-crimson": "crimson", - "color-darkgreen": "darkgreen", - "color-gold": "gold", - "color-gray": "gray", + "color-crimson": "قرمز", + "color-darkgreen": "سبز تیره", + "color-gold": "طلایی", + "color-gray": "خاکستری", "color-green": "سبز", - "color-indigo": "indigo", + "color-indigo": "نیلی", "color-lime": "لیمویی", - "color-magenta": "magenta", - "color-mistyrose": "mistyrose", - "color-navy": "navy", + "color-magenta": "ارغوانی", + "color-mistyrose": "صورتی روشن", + "color-navy": "لاجوردی", "color-orange": "نارنجی", - "color-paleturquoise": "paleturquoise", - "color-peachpuff": "peachpuff", + "color-paleturquoise": "فیروزه‌ای کدر", + "color-peachpuff": "هلویی", "color-pink": "صورتی", - "color-plum": "plum", + "color-plum": "بنفش کدر", "color-purple": "بنفش", "color-red": "قرمز", - "color-saddlebrown": "saddlebrown", - "color-silver": "silver", + "color-saddlebrown": "کاکائویی", + "color-silver": "نقره‌ای", "color-sky": "آبی آسمانی", - "color-slateblue": "slateblue", - "color-white": "white", + "color-slateblue": "آبی فولادی", + "color-white": "سفید", "color-yellow": "زرد", - "unset-color": "Unset", + "unset-color": "بازنشانی", "comment": "نظر", "comment-placeholder": "درج نظر", "comment-only": "فقط نظر", @@ -335,10 +335,10 @@ "list-archive-cards-pop": "این کارتباعث حذف تمامی کارت های این لیست از برد می شود . برای مشاهده کارت ها در آرشیو و برگرداندن آنها به برد بر بروی \"Menu\">\"Archive\" کلیک نمایید", "list-move-cards": "انتقال تمام کارت های این لیست", "list-select-cards": "انتخاب تمام کارت های این لیست", - "set-color-list": "Set Color", + "set-color-list": "انتخاب رنگ", "listActionPopup-title": "لیست اقدامات", "swimlaneActionPopup-title": "Swimlane Actions", - "swimlaneAddPopup-title": "Add a Swimlane below", + "swimlaneAddPopup-title": "اضافه کردن مسیر شناور", "listImportCardPopup-title": "وارد کردن کارت Trello", "listMorePopup-title": "بیشتر", "link-list": "پیوند به این فهرست", @@ -485,7 +485,7 @@ "error-notAuthorized": "شما مجاز به دیدن این صفحه نیستید.", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "boardCardTitlePopup-title": "Card Title Filter", + "boardCardTitlePopup-title": "فیلتر موضوع کارت", "new-outgoing-webhook": "New Outgoing Webhook", "no-name": "(ناشناخته)", "Node_version": "نسخه Node ", @@ -498,7 +498,7 @@ "OS_Totalmem": "OS Total Memory", "OS_Type": "OS Type", "OS_Uptime": "OS Uptime", - "days": "days", + "days": "روزه‌ها", "hours": "ساعت", "minutes": "دقیقه", "seconds": "ثانیه", @@ -519,10 +519,10 @@ "card-end-on": "پایان در", "editCardReceivedDatePopup-title": "تغییر تاریخ رسید", "editCardEndDatePopup-title": "تغییر تاریخ پایان", - "setCardColorPopup-title": "Set color", - "setCardActionsColorPopup-title": "Choose a color", - "setSwimlaneColorPopup-title": "Choose a color", - "setListColorPopup-title": "Choose a color", + "setCardColorPopup-title": "انتخاب رنگ", + "setCardActionsColorPopup-title": "انتخاب کردن رنگ", + "setSwimlaneColorPopup-title": "انتخاب کردن رنگ", + "setListColorPopup-title": "انتخاب کردن رنگ", "assigned-by": "محول شده توسط", "requested-by": "تقاضا شده توسط", "board-delete-notice": "حذف دائمی است شما تمام لیست ها، کارت ها و اقدامات مرتبط با این برد را از دست خواهید داد.", @@ -561,14 +561,14 @@ "r-delete-rule": "حذف قانون", "r-new-rule-name": "تیتر قانون جدید", "r-no-rules": "بدون قانون", - "r-when-a-card": "When a card", + "r-when-a-card": "زمانی که کارت", "r-is": "هست", - "r-is-moved": "is moved", - "r-added-to": "added to", + "r-is-moved": "جابه‌جا شده", + "r-added-to": "اضافه شد به", "r-removed-from": "حذف از", "r-the-board": "برد", "r-list": "لیست", - "set-filter": "Set Filter", + "set-filter": "اضافه کردن فیلتر", "r-moved-to": "انتقال به", "r-moved-from": "انتقال از", "r-archived": "انتقال به آرشیو", @@ -576,7 +576,7 @@ "r-a-card": "کارت", "r-when-a-label-is": "زمانی که لیبل هست", "r-when-the-label-is": "زمانی که لیبل هست", - "r-list-name": "list name", + "r-list-name": "نام لیست", "r-when-a-member": "زمانی که کاربر هست", "r-when-the-member": "زمانی که کاربر", "r-name": "نام", @@ -601,7 +601,7 @@ "r-label": "برچسب", "r-member": "عضو", "r-remove-all": "حذف همه کاربران از کارت", - "r-set-color": "Set color to", + "r-set-color": "انتخاب رنگ به", "r-checklist": "چک لیست", "r-check-all": "انتخاب همه", "r-uncheck-all": "لغو انتخاب همه", @@ -626,9 +626,9 @@ "r-d-unarchive": "بازگردانی کارت از آرشیو", "r-d-add-label": "افزودن برچسب", "r-d-remove-label": "حذف برچسب", - "r-create-card": "Create new card", - "r-in-list": "in list", - "r-in-swimlane": "in swimlane", + "r-create-card": "ساخت کارت جدید", + "r-in-list": "در لیست", + "r-in-swimlane": "در مسیرِ شناور", "r-d-add-member": "افزودن عضو", "r-d-remove-member": "حذف عضو", "r-d-remove-all-member": "حذف تمامی کاربران", @@ -639,14 +639,14 @@ "r-d-check-of-list": "از چک لیست", "r-d-add-checklist": "افزودن چک لیست", "r-d-remove-checklist": "حذف چک لیست", - "r-by": "by", + "r-by": "توسط", "r-add-checklist": "افزودن چک لیست", - "r-with-items": "with items", - "r-items-list": "item1,item2,item3", - "r-add-swimlane": "Add swimlane", - "r-swimlane-name": "swimlane name", - "r-board-note": "Note: leave a field empty to match every possible value.", - "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", + "r-with-items": "با موارد", + "r-items-list": "مورد۱،مورد۲،مورد۳", + "r-add-swimlane": "اضافه کردن مسیر شناور", + "r-swimlane-name": "نام مسیر شناور", + "r-board-note": "نکته: برای نمایش موارد ممکن کادر را خالی بگذارید.", + "r-checklist-note": "نکته: چک‌لیست‌ها باید توسط کاما از یک‌دیگر جدا شوند.", "r-when-a-card-is-moved": "دمانی که یک کارت به لیست دیگری منتقل شد", "ldap": "LDAP", "oauth2": "OAuth2", @@ -660,6 +660,6 @@ "add-custom-html-before-body-end": "افزودن کد های HTML قبل از پایان", "error-undefined": "یک اشتباه رخ داده شده است", "error-ldap-login": "هنگام تلاش برای ورود به یک خطا رخ داد", - "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "display-authentication-method": "نمایش نوع اعتبارسنجی", + "default-authentication-method": "نوع اعتبارسنجی پیشفرض" } \ No newline at end of file diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index ab803752..772fe092 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -1,5 +1,5 @@ { - "accept": "Accept", + "accept": "ஏற்றுக்கொள்", "act-activity-notify": "Activity Notification", "act-addAttachment": "attached __attachment__ to __card__", "act-addSubtask": "added subtask __checklist__ to __card__", @@ -31,17 +31,17 @@ "activity-added": "added %s to %s", "activity-archived": "%s moved to Archive", "activity-attached": "attached %s to %s", - "activity-created": "created %s", + "activity-created": "உருவாக்கப்பட்டது ", "activity-customfield-created": "created custom field %s", "activity-excluded": "excluded %s from %s", "activity-imported": "imported %s into %s from %s", "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", + "activity-joined": "சேர்ந்தது ", "activity-moved": "moved %s from %s to %s", "activity-on": "on %s", "activity-removed": "removed %s from %s", "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", + "activity-unjoined": "பிரிக்கப்பட்டது ", "activity-subtask-added": "added subtask to %s", "activity-checked-item": "checked %s in checklist %s of %s", "activity-unchecked-item": "unchecked %s in checklist %s of %s", @@ -51,7 +51,7 @@ "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", - "add": "Add", + "add": "சேர் ", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", "activity-checklist-completed-card": "completed the checklist %s", @@ -94,14 +94,14 @@ "archives": "Archive", "assign-member": "Assign member", "attached": "attached", - "attachment": "Attachment", + "attachment": "இணைப்பு ", "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", + "attachments": "இணைப்புகள் ", "auto-watch": "Automatically watch boards when they are created", "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", + "back": "பின்செல் ", + "board-change-color": "நிறம் மாற்று ", "board-nb-stars": "%s stars", "board-not-found": "Board not found", "board-private-info": "This board will be private.", @@ -113,7 +113,7 @@ "boardMenuPopup-title": "Board Menu", "boards": "Boards", "board-view": "Board View", - "board-view-cal": "Calendar", + "board-view-cal": "நாள்கட்டி ", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Lists", "bucket-example": "Like “Bucket List” for example", @@ -142,7 +142,7 @@ "cardDetailsActionsPopup-title": "Card Actions", "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Members", - "cardMorePopup-title": "More", + "cardMorePopup-title": "மேலும் ", "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", @@ -151,12 +151,12 @@ "cardType-linkedBoard": "Linked Board", "change": "Change", "change-avatar": "Change Avatar", - "change-password": "Change Password", + "change-password": "கடவுச்சொல்லை மாற்று ", "change-permissions": "Change permissions", "change-settings": "Change Settings", "changeAvatarPopup-title": "Change Avatar", "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", + "changePasswordPopup-title": "கடவுச்சொல்லை மாற்றுக ", "changePermissionsPopup-title": "Change Permissions", "changeSettingsPopup-title": "Change Settings", "subtasks": "Subtasks", @@ -170,36 +170,36 @@ "color-black": "black", "color-blue": "blue", "color-crimson": "crimson", - "color-darkgreen": "darkgreen", - "color-gold": "gold", + "color-darkgreen": "அடர் பச்சை ", + "color-gold": "தங்கம் ", "color-gray": "gray", - "color-green": "green", + "color-green": "பச்சை ", "color-indigo": "indigo", - "color-lime": "lime", + "color-lime": "வெளிர் பச்சை ", "color-magenta": "magenta", "color-mistyrose": "mistyrose", "color-navy": "navy", - "color-orange": "orange", + "color-orange": "ஆரஞ்சு ", "color-paleturquoise": "paleturquoise", "color-peachpuff": "peachpuff", "color-pink": "pink", "color-plum": "plum", "color-purple": "purple", - "color-red": "red", + "color-red": "சிகப்பு ", "color-saddlebrown": "saddlebrown", - "color-silver": "silver", - "color-sky": "sky", + "color-silver": "வெள்ளி ", + "color-sky": "வாணம் ", "color-slateblue": "slateblue", - "color-white": "white", - "color-yellow": "yellow", + "color-white": "வெள்ளை ", + "color-yellow": "மஞ்சள் ", "unset-color": "Unset", - "comment": "Comment", + "comment": "கருத்து ", "comment-placeholder": "Write Comment", - "comment-only": "Comment only", + "comment-only": "கருத்து மட்டும் ", "comment-only-desc": "Can comment on cards only.", - "no-comments": "No comments", + "no-comments": "கருத்து இல்லை ", "no-comments-desc": "Can not see comments and activities.", - "computer": "Computer", + "computer": "கணினி ", "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", @@ -209,7 +209,7 @@ "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", + "create": "உருவாக்கு ", "createBoardPopup-title": "Create Board", "chooseBoardSourcePopup-title": "Import board", "createLabelPopup-title": "Create Label", @@ -218,16 +218,16 @@ "current": "current", "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", + "custom-field-date": "நாள் ", "custom-field-dropdown": "Dropdown List", "custom-field-dropdown-none": "(none)", "custom-field-dropdown-options": "List Options", "custom-field-dropdown-options-placeholder": "Press enter to add more options", "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", + "custom-field-number": "எண் ", "custom-field-text": "Text", "custom-fields": "Custom Fields", - "date": "Date", + "date": "நாள் ", "decline": "Decline", "default-avatar": "Default avatar", "delete": "Delete", @@ -238,8 +238,8 @@ "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", "discard": "Discard", "done": "Done", - "download": "Download", - "edit": "Edit", + "download": "பதிவிறக்கம் ", + "edit": "திருத்து ", "edit-avatar": "Change Avatar", "edit-profile": "Edit Profile", "edit-wip-limit": "Edit WIP Limit", @@ -251,7 +251,7 @@ "editLabelPopup-title": "Change Label", "editNotificationPopup-title": "Edit Notification", "editProfilePopup-title": "Edit Profile", - "email": "Email", + "email": "மின் அஞ்சல் ", "email-enrollAccount-subject": "An account created for you on __siteName__", "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", "email-fail": "Sending email failed", @@ -289,20 +289,20 @@ "filter-to-selection": "Filter to selection", "advanced-filter-label": "Advanced Filter", "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", - "fullname": "Full Name", + "fullname": "முழு பெயர் ", "header-logo-title": "Go back to your boards page.", "hide-system-messages": "Hide system messages", "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "link": "Link", + "home": "தொடக்கம் ", + "import": "பதிவேற்றம் ", + "link": "இணை ", "import-board": "import board", "import-board-c": "Import board", "import-board-title-trello": "Import board from Trello", "import-board-title-wekan": "Import board from previous export", "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", + "from-trello": "Trello ல் இருந்து ", "from-wekan": "From previous export", "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", @@ -325,7 +325,7 @@ "label-default": "%s label (default)", "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", "labels": "Labels", - "language": "Language", + "language": "மொழி ", "last-admin-desc": "You can’t change roles because there must be at least one admin.", "leave-board": "Leave Board", "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", @@ -335,12 +335,12 @@ "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "Move all cards in this list", "list-select-cards": "Select all cards in this list", - "set-color-list": "Set Color", + "set-color-list": "நிறத்தை மாற்று ", "listActionPopup-title": "List Actions", "swimlaneActionPopup-title": "Swimlane Actions", "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", + "listMorePopup-title": "மேலும் ", "link-list": "Link to this list", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", @@ -362,7 +362,7 @@ "muted": "Muted", "muted-info": "You will never be notified of any changes in this board", "my-boards": "My Boards", - "name": "Name", + "name": "பெயர் ", "no-archived-cards": "No cards in Archive.", "no-archived-lists": "No lists in Archive.", "no-archived-swimlanes": "No swimlanes in Archive.", @@ -376,16 +376,16 @@ "or": "or", "page-maybe-private": "This page may be private. You may be able to view it by logging in.", "page-not-found": "Page not found.", - "password": "Password", + "password": "கடவுச்சொல் ", "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", "participating": "Participating", "preview": "Preview", "previewAttachedImagePopup-title": "Preview", "previewClipboardImagePopup-title": "Preview", - "private": "Private", + "private": "தனியார் ", "private-desc": "This board is private. Only people added to the board can view and edit it.", "profile": "Profile", - "public": "Public", + "public": "பொது ", "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", "quick-access-description": "Star a board to add a shortcut in this bar.", "remove-cover": "Remove Cover", @@ -396,11 +396,11 @@ "remove-member-from-card": "Remove from Card", "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", + "rename": "பெயர்மாற்றம் ", "rename-board": "Rename Board", "restore": "Restore", - "save": "Save", - "search": "Search", + "save": "சேமி ", + "search": "தேடு ", "rules": "Rules", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", @@ -423,8 +423,8 @@ "star-board-title": "Click to star this board. It will show up at top of your boards list.", "starred-boards": "Starred Boards", "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", + "subscribe": "சந்தா ", + "team": "குழு ", "this-board": "this board", "this-card": "this card", "spent-time-hours": "Spent time (hours)", @@ -462,7 +462,7 @@ "people": "People", "registration": "Registration", "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", + "invite": "அழைப்பு ", "invite-people": "Invite People", "to-boards": "To board(s)", "email-addresses": "Email Addresses", @@ -472,10 +472,10 @@ "smtp-host": "SMTP Host", "smtp-port": "SMTP Port", "smtp-username": "Username", - "smtp-password": "Password", + "smtp-password": "கடவுச்சொல் ", "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", + "send-from": "அனுப்புனர் ", + "send-smtp-test": "சோதனை மின்னஞ்சல் அணுப்புக ", "invitation-code": "Invitation Code", "email-invite-register-subject": "__inviter__ sent you an invitation", "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", @@ -515,7 +515,7 @@ "active": "Active", "card-received": "Received", "card-received-on": "Received on", - "card-end": "End", + "card-end": "முடிவு ", "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", @@ -596,7 +596,7 @@ "r-archive": "Move to Archive", "r-unarchive": "Restore from Archive", "r-card": "card", - "r-add": "Add", + "r-add": "சேர் ", "r-remove": "Remove", "r-label": "label", "r-member": "member", -- cgit v1.2.3-1-g7c22 From 4e6e78ccd216045e6ad41bcdab4e524f715a7eb5 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 23 Feb 2019 19:00:29 +0200 Subject: - Add missing text .env Thanks to Vanila Chat user .gitignore ! --- server/authentication.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/server/authentication.js b/server/authentication.js index 76ab6cf1..12be0571 100644 --- a/server/authentication.js +++ b/server/authentication.js @@ -77,7 +77,7 @@ Meteor.startup(() => { userinfoEndpoint: process.env.OAUTH2_USERINFO_ENDPOINT, tokenEndpoint: process.env.OAUTH2_TOKEN_ENDPOINT, idTokenWhitelistFields: process.env.OAUTH2_ID_TOKEN_WHITELIST_FIELDS || [], - requestPermissions: process.OAUTH2_REQUEST_PERMISSIONS || ['openid'], + requestPermissions: process.env.OAUTH2_REQUEST_PERMISSIONS || ['openid'], }, } ); -- cgit v1.2.3-1-g7c22 From 65b6a2193805adad62ac332907e135ea689227d5 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 23 Feb 2019 19:04:02 +0200 Subject: - Add missing text .env to wekan/server/authentication.js. Thanks to Vanila Chat user .gitignore. --- CHANGELOG.md | 7 +++++++ 1 file changed, 7 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index fe11f8da..0984a174 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,10 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- [Add missing text .env to wekan/server/authentication.js](https://github.com/wekan/wekan/commit/4e6e78ccd216045e6ad41bcdab4e524f715a7eb5). + Thanks to Vanila Chat user .gitignore. + # v2.23 2019-02-17 Wekan relase This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 6d750897a8a6afccdb099c20fe94e2d072185a50 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 23 Feb 2019 19:18:43 +0200 Subject: - [Add LDAP email] matching support](https://github.com/wekan/wekan-ldap/pull/39) and [related env variables](https://github.com/wekan/wekan/pull/2198). Thanks to GitHub user stevenpwaters. --- CHANGELOG.md | 8 +++++++- 1 file changed, 7 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 0984a174..eeb3124d 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,6 +1,12 @@ # Upcoming Wekan release -This release fixes the following bugs: +This release adds the following new features: + +- [Add LDAP email] matching support](https://github.com/wekan/wekan-ldap/pull/39) and + [related env variables](https://github.com/wekan/wekan/pull/2198). + Thanks to GitHub user stevenpwaters. + +and fixes the following bugs: - [Add missing text .env to wekan/server/authentication.js](https://github.com/wekan/wekan/commit/4e6e78ccd216045e6ad41bcdab4e524f715a7eb5). Thanks to Vanila Chat user .gitignore. -- cgit v1.2.3-1-g7c22 From 25ba6df007cd1ecdf9c24e67f18e3ecbba62913c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 23 Feb 2019 19:23:36 +0200 Subject: v2.24 --- CHANGELOG.md | 4 +++- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 7 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index eeb3124d..0c1311f1 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.24 2019-02-23 Wekan release This release adds the following new features: @@ -11,6 +11,8 @@ and fixes the following bugs: - [Add missing text .env to wekan/server/authentication.js](https://github.com/wekan/wekan/commit/4e6e78ccd216045e6ad41bcdab4e524f715a7eb5). Thanks to Vanila Chat user .gitignore. +Thanks to above contributors, and translators for their translation. + # v2.23 2019-02-17 Wekan relase This release fixes the following bugs: diff --git a/Stackerfile.yml b/Stackerfile.yml index 5b12c2d8..aec5d637 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.23.0" +appVersion: "v2.24.0" files: userUploads: - README.md diff --git a/package.json b/package.json index e76015a3..8fa56953 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.23.0", + "version": "v2.24.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 79efc536..61b218c9 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 225, + appVersion = 226, # Increment this for every release. - appMarketingVersion = (defaultText = "2.23.0~2019-02-17"), + appMarketingVersion = (defaultText = "2.24.0~2019-02-23"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From ac0133e8fabbc0fabcdd8a50121ab6bf882cd5e0 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 23 Feb 2019 19:51:33 +0200 Subject: - Revert file permission changes from v2.24 LDAP changes that caused snap version to not build. Thanks to xet7 ! --- releases/virtualbox/start-wekan.sh | 0 snap-src/bin/config | 0 snap-src/bin/wekan-help | 0 start-wekan.bat | 0 start-wekan.sh | 0 5 files changed, 0 insertions(+), 0 deletions(-) mode change 100644 => 100755 releases/virtualbox/start-wekan.sh mode change 100644 => 100755 snap-src/bin/config mode change 100644 => 100755 snap-src/bin/wekan-help mode change 100644 => 100755 start-wekan.bat mode change 100644 => 100755 start-wekan.sh diff --git a/releases/virtualbox/start-wekan.sh b/releases/virtualbox/start-wekan.sh old mode 100644 new mode 100755 diff --git a/snap-src/bin/config b/snap-src/bin/config old mode 100644 new mode 100755 diff --git a/snap-src/bin/wekan-help b/snap-src/bin/wekan-help old mode 100644 new mode 100755 diff --git a/start-wekan.bat b/start-wekan.bat old mode 100644 new mode 100755 diff --git a/start-wekan.sh b/start-wekan.sh old mode 100644 new mode 100755 -- cgit v1.2.3-1-g7c22 From ef85b71ee41e8a7a02e48363ff83bb05fd02a38e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 23 Feb 2019 19:54:37 +0200 Subject: v2.25 --- CHANGELOG.md | 9 +++++++++ Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 13 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 0c1311f1..4c133ac6 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# v2.25 2019-02-23 Wekan release + +This release fixes the following bugs: + +- Revert file permission changes from v2.24 LDAP changes that + caused snap version to not build. + +Thanks to GitHub user xet7 for contributions. + # v2.24 2019-02-23 Wekan release This release adds the following new features: diff --git a/Stackerfile.yml b/Stackerfile.yml index aec5d637..00016cba 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.24.0" +appVersion: "v2.25.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 8fa56953..95b27189 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.24.0", + "version": "v2.25.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 61b218c9..7a7a23b7 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 226, + appVersion = 227, # Increment this for every release. - appMarketingVersion = (defaultText = "2.24.0~2019-02-23"), + appMarketingVersion = (defaultText = "2.25.0~2019-02-23"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 0a53ee87b94232608b5131f47dd77d2fa4bbc5ba Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Fri, 22 Feb 2019 22:59:19 +0100 Subject: Add first draft of data model and user interface. No actions. --- client/components/boards/boardArchive.js | 6 ---- client/components/boards/boardsList.jade | 3 ++ client/components/boards/boardsList.js | 16 +++++++++++ client/components/cards/cardDetails.jade | 3 ++ client/components/cards/cardDetails.js | 3 ++ client/components/users/userHeader.jade | 3 ++ client/components/users/userHeader.js | 9 ++++++ i18n/en.i18n.json | 6 ++++ models/boards.js | 10 +++++++ models/cards.js | 6 +++- models/lists.js | 11 ++++++++ models/swimlanes.js | 11 ++++++++ models/users.js | 48 ++++++++++++++++++++++++++++++++ server/publications/boards.js | 1 + 14 files changed, 129 insertions(+), 7 deletions(-) diff --git a/client/components/boards/boardArchive.js b/client/components/boards/boardArchive.js index 8f4d5434..c8bbb341 100644 --- a/client/components/boards/boardArchive.js +++ b/client/components/boards/boardArchive.js @@ -1,9 +1,3 @@ -Template.boardListHeaderBar.events({ - 'click .js-open-archived-board'() { - Modal.open('archivedBoards'); - }, -}); - BlazeComponent.extendComponent({ onCreated() { this.subscribe('archivedBoards'); diff --git a/client/components/boards/boardsList.jade b/client/components/boards/boardsList.jade index 89852570..e36b8fc6 100644 --- a/client/components/boards/boardsList.jade +++ b/client/components/boards/boardsList.jade @@ -36,3 +36,6 @@ template(name="boardListHeaderBar") a.board-header-btn.js-open-archived-board i.fa.fa-archive span {{_ 'archives'}} + a.board-header-btn(href="{{pathFor 'board' id=templatesBoardId slug=templatesBoardSlug}}") + i.fa.fa-clone + span {{_ 'templates'}} diff --git a/client/components/boards/boardsList.js b/client/components/boards/boardsList.js index 1ed88146..70dd1143 100644 --- a/client/components/boards/boardsList.js +++ b/client/components/boards/boardsList.js @@ -1,5 +1,20 @@ const subManager = new SubsManager(); +Template.boardListHeaderBar.events({ + 'click .js-open-archived-board'() { + Modal.open('archivedBoards'); + }, +}); + +Template.boardListHeaderBar.helpers({ + templatesBoardId() { + return Meteor.user().getTemplatesBoard().id; + }, + templatesBoardSlug() { + return Meteor.user().getTemplatesBoard().slug; + }, +}); + BlazeComponent.extendComponent({ onCreated() { Meteor.subscribe('setting'); @@ -9,6 +24,7 @@ BlazeComponent.extendComponent({ return Boards.find({ archived: false, 'members.userId': Meteor.userId(), + type: 'board', }, { sort: ['title'], }); diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index 25316d04..4d9b2e08 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -247,6 +247,9 @@ template(name="cardDetailsActionsPopup") unless archived li: a.js-archive {{_ 'archive-card'}} li: a.js-more {{_ 'cardMorePopup-title'}} + hr + ul.pop-over-list + li: a.js-template-card {{_ 'cardTemplatePopup-title'}} template(name="moveCardPopup") +boardsAndLists diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index a571e21a..489f28ae 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -365,6 +365,9 @@ Template.cardDetailsActionsPopup.events({ if (!err && ret) Popup.close(); }); }, + 'click .js-template-card' () { + console.log('REMOVE Creating template card'); + }, }); Template.editCardTitleForm.onRendered(function () { diff --git a/client/components/users/userHeader.jade b/client/components/users/userHeader.jade index b6e10d8a..a4704933 100644 --- a/client/components/users/userHeader.jade +++ b/client/components/users/userHeader.jade @@ -20,6 +20,9 @@ template(name="memberMenuPopup") if currentUser.isAdmin li: a.js-go-setting(href="{{pathFor 'setting'}}") {{_ 'admin-panel'}} hr + ul.pop-over-list + li: a(href="{{pathFor 'board' id=templatesBoardId slug=templatesBoardSlug}}") {{_ 'templates'}} + hr ul.pop-over-list li: a.js-logout {{_ 'log-out'}} diff --git a/client/components/users/userHeader.js b/client/components/users/userHeader.js index 63cbb14f..0978ec75 100644 --- a/client/components/users/userHeader.js +++ b/client/components/users/userHeader.js @@ -3,6 +3,15 @@ Template.headerUserBar.events({ 'click .js-change-avatar': Popup.open('changeAvatar'), }); +Template.memberMenuPopup.helpers({ + templatesBoardId() { + return Meteor.user().getTemplatesBoard().id; + }, + templatesBoardSlug() { + return Meteor.user().getTemplatesBoard().slug; + }, +}); + Template.memberMenuPopup.events({ 'click .js-edit-profile': Popup.open('editProfile'), 'click .js-change-settings': Popup.open('changeSettings'), diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index d4e817ea..4c3f5943 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -92,6 +92,7 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Archive", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -143,6 +144,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Members", "cardMorePopup-title": "More", + "cardTemplatePopup-title": "Create template", "cards": "Cards", "cards-count": "Cards", "casSignIn" : "Sign In with CAS", @@ -453,6 +455,10 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "templates-board": "Templates Board", + "card-templates-swimlane": "Card Templates Swimlane", + "list-templates-swimlane": "List Templates Swimlane", + "board-templates-swimlane": "Board Templates Swimlane", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/models/boards.js b/models/boards.js index 71831a63..a2f4c0a8 100644 --- a/models/boards.js +++ b/models/boards.js @@ -304,6 +304,13 @@ Boards.attachSchema(new SimpleSchema({ defaultValue: false, optional: true, }, + type: { + /** + * The type of board + */ + type: String, + defaultValue: 'board', + }, })); @@ -559,6 +566,9 @@ Boards.helpers({ }); }, + isTemplateBoard() { + return this.type === 'template-board'; + }, }); diff --git a/models/cards.js b/models/cards.js index ff19a9a0..e9fc453e 100644 --- a/models/cards.js +++ b/models/cards.js @@ -246,7 +246,7 @@ Cards.attachSchema(new SimpleSchema({ * type of the card */ type: String, - defaultValue: '', + defaultValue: 'cardType-card', }, linkedId: { /** @@ -930,6 +930,10 @@ Cards.helpers({ return this.assignedBy; } }, + + isTemplateCard() { + return this.type === 'template-card'; + }, }); Cards.mutations({ diff --git a/models/lists.js b/models/lists.js index 54e7d037..e0040752 100644 --- a/models/lists.js +++ b/models/lists.js @@ -107,6 +107,13 @@ Lists.attachSchema(new SimpleSchema({ 'saddlebrown', 'paleturquoise', 'mistyrose', 'indigo', ], }, + type: { + /** + * The type of list + */ + type: String, + defaultValue: 'list', + }, })); Lists.allow({ @@ -169,6 +176,10 @@ Lists.helpers({ return this.color; return ''; }, + + isTemplateList() { + return this.type === 'template-list'; + }, }); Lists.mutations({ diff --git a/models/swimlanes.js b/models/swimlanes.js index e2c3925c..bdc9a691 100644 --- a/models/swimlanes.js +++ b/models/swimlanes.js @@ -78,6 +78,13 @@ Swimlanes.attachSchema(new SimpleSchema({ } }, }, + type: { + /** + * The type of swimlane + */ + type: String, + defaultValue: 'swimlane', + }, })); Swimlanes.allow({ @@ -114,6 +121,10 @@ Swimlanes.helpers({ return this.color; return ''; }, + + isTemplateSwimlane() { + return this.type === 'template-swimlane'; + }, }); Swimlanes.mutations({ diff --git a/models/users.js b/models/users.js index 0fdf21a8..7bc9e5bf 100644 --- a/models/users.js +++ b/models/users.js @@ -159,6 +159,13 @@ Users.attachSchema(new SimpleSchema({ 'board-view-cal', ], }, + 'profile.templatesBoardId': { + /** + * Reference to the templates board + */ + type: String, + defaultValue: '', + }, services: { /** * services field of the user @@ -328,6 +335,13 @@ Users.helpers({ const profile = this.profile || {}; return profile.language || 'en'; }, + + getTemplatesBoard() { + return { + id: this.profile.templatesBoardId, + slug: Boards.findOne(this.profile.templatesBoardId).slug, + }; + }, }); Users.mutations({ @@ -701,6 +715,40 @@ if (Meteor.isServer) { Lists.insert({title: TAPi18n.__(title), boardId, sort: titleIndex}, fakeUser); }); }); + + Boards.insert({ + title: TAPi18n.__('templates-board'), + permission: 'private', + type: 'template-container' + }, fakeUser, (err, boardId) => { + + // Insert the reference to our templates board + Users.update(fakeUserId.get(), {$set: {'profile.templatesBoardId': boardId}}); + + // Insert the card templates swimlane + Swimlanes.insert({ + title: TAPi18n.__('card-templates-swimlane'), + boardId, + sort: 1, + type: 'template-container', + }, fakeUser); + + // Insert the list templates swimlane + Swimlanes.insert({ + title: TAPi18n.__('list-templates-swimlane'), + boardId, + sort: 2, + type: 'template-container', + }, fakeUser); + + // Insert the board templates swimlane + Swimlanes.insert({ + title: TAPi18n.__('board-templates-swimlane'), + boardId, + sort: 3, + type: 'template-container', + }, fakeUser); + }); }); }); } diff --git a/server/publications/boards.js b/server/publications/boards.js index fb4c8c84..71c53612 100644 --- a/server/publications/boards.js +++ b/server/publications/boards.js @@ -32,6 +32,7 @@ Meteor.publish('boards', function() { color: 1, members: 1, permission: 1, + type: 1, }, }); }); -- cgit v1.2.3-1-g7c22 From 64bf455b296a10369e8318183c2c6cd61a122869 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Fri, 22 Feb 2019 23:48:23 +0100 Subject: Save template swimlanes in profile. Fix swimlane view for templates board. Avoid deleting template containers --- client/components/boards/boardBody.jade | 9 +++-- client/components/boards/boardHeader.jade | 12 +++--- client/components/boards/boardsList.js | 4 +- client/components/swimlanes/swimlaneHeader.jade | 7 ++-- client/components/users/userHeader.js | 4 +- i18n/en.i18n.json | 6 +-- models/boards.js | 4 ++ models/swimlanes.js | 4 ++ models/users.js | 50 +++++++++++++++++++++---- 9 files changed, 74 insertions(+), 26 deletions(-) diff --git a/client/components/boards/boardBody.jade b/client/components/boards/boardBody.jade index 3a40921d..e36058f6 100644 --- a/client/components/boards/boardBody.jade +++ b/client/components/boards/boardBody.jade @@ -20,12 +20,15 @@ template(name="boardBody") class="{{#if draggingActive.get}}is-dragging-active{{/if}}") if showOverlay.get .board-overlay - if isViewSwimlanes + if currentBoard.isTemplatesBoard each currentBoard.swimlanes +swimlane(this) - if isViewLists + else if isViewSwimlanes + each currentBoard.swimlanes + +swimlane(this) + else if isViewLists +listsGroup - if isViewCalendar + else if isViewCalendar +calendarView template(name="calendarView") diff --git a/client/components/boards/boardHeader.jade b/client/components/boards/boardHeader.jade index 75b2f02b..4c9d6e43 100644 --- a/client/components/boards/boardHeader.jade +++ b/client/components/boards/boardHeader.jade @@ -96,10 +96,11 @@ template(name="boardHeaderBar") i.fa.fa-search span {{_ 'search'}} - a.board-header-btn.js-toggle-board-view( - title="{{_ 'board-view'}}") - i.fa.fa-th-large - span {{_ currentUser.profile.boardView}} + unless currentBoard.isTemplatesBoard + a.board-header-btn.js-toggle-board-view( + title="{{_ 'board-view'}}") + i.fa.fa-th-large + span {{_ currentUser.profile.boardView}} if canModifyBoard a.board-header-btn.js-multiselection-activate( @@ -132,7 +133,8 @@ template(name="boardMenuPopup") hr ul.pop-over-list li: a(href="{{exportUrl}}", download="{{exportFilename}}") {{_ 'export-board'}} - li: a.js-archive-board {{_ 'archive-board'}} + unless currentBoard.isTemplatesBoard + li: a.js-archive-board {{_ 'archive-board'}} li: a.js-outgoing-webhooks {{_ 'outgoing-webhooks'}} hr ul.pop-over-list diff --git a/client/components/boards/boardsList.js b/client/components/boards/boardsList.js index 70dd1143..3fd2d889 100644 --- a/client/components/boards/boardsList.js +++ b/client/components/boards/boardsList.js @@ -8,10 +8,10 @@ Template.boardListHeaderBar.events({ Template.boardListHeaderBar.helpers({ templatesBoardId() { - return Meteor.user().getTemplatesBoard().id; + return Meteor.user().getTemplatesBoardId(); }, templatesBoardSlug() { - return Meteor.user().getTemplatesBoard().slug; + return Meteor.user().getTemplatesBoardSlug(); }, }); diff --git a/client/components/swimlanes/swimlaneHeader.jade b/client/components/swimlanes/swimlaneHeader.jade index 33eb5731..ac4a0327 100644 --- a/client/components/swimlanes/swimlaneHeader.jade +++ b/client/components/swimlanes/swimlaneHeader.jade @@ -22,9 +22,10 @@ template(name="swimlaneActionPopup") unless currentUser.isCommentOnly ul.pop-over-list li: a.js-set-swimlane-color {{_ 'select-color'}} - hr - ul.pop-over-list - li: a.js-close-swimlane {{_ 'archive-swimlane'}} + unless this.isTemplateContainer + hr + ul.pop-over-list + li: a.js-close-swimlane {{_ 'archive-swimlane'}} template(name="swimlaneAddPopup") unless currentUser.isCommentOnly diff --git a/client/components/users/userHeader.js b/client/components/users/userHeader.js index 0978ec75..29b29534 100644 --- a/client/components/users/userHeader.js +++ b/client/components/users/userHeader.js @@ -5,10 +5,10 @@ Template.headerUserBar.events({ Template.memberMenuPopup.helpers({ templatesBoardId() { - return Meteor.user().getTemplatesBoard().id; + return Meteor.user().getTemplatesBoardId(); }, templatesBoardSlug() { - return Meteor.user().getTemplatesBoard().slug; + return Meteor.user().getTemplatesBoardSlug(); }, }); diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 4c3f5943..5fbbebf5 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -456,9 +456,9 @@ "welcome-list1": "Basics", "welcome-list2": "Advanced", "templates-board": "Templates Board", - "card-templates-swimlane": "Card Templates Swimlane", - "list-templates-swimlane": "List Templates Swimlane", - "board-templates-swimlane": "Board Templates Swimlane", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/models/boards.js b/models/boards.js index a2f4c0a8..7328899e 100644 --- a/models/boards.js +++ b/models/boards.js @@ -569,6 +569,10 @@ Boards.helpers({ isTemplateBoard() { return this.type === 'template-board'; }, + + isTemplatesBoard() { + return this.type === 'template-container'; + }, }); diff --git a/models/swimlanes.js b/models/swimlanes.js index bdc9a691..185422ce 100644 --- a/models/swimlanes.js +++ b/models/swimlanes.js @@ -125,6 +125,10 @@ Swimlanes.helpers({ isTemplateSwimlane() { return this.type === 'template-swimlane'; }, + + isTemplateContainer() { + return this.type === 'template-container'; + }, }); Swimlanes.mutations({ diff --git a/models/users.js b/models/users.js index 7bc9e5bf..1493aa0d 100644 --- a/models/users.js +++ b/models/users.js @@ -166,6 +166,27 @@ Users.attachSchema(new SimpleSchema({ type: String, defaultValue: '', }, + 'profile.cardTemplatesSwimlaneId': { + /** + * Reference to the card templates swimlane Id + */ + type: String, + defaultValue: '', + }, + 'profile.listTemplatesSwimlaneId': { + /** + * Reference to the list templates swimlane Id + */ + type: String, + defaultValue: '', + }, + 'profile.boardTemplatesSwimlaneId': { + /** + * Reference to the board templates swimlane Id + */ + type: String, + defaultValue: '', + }, services: { /** * services field of the user @@ -336,11 +357,12 @@ Users.helpers({ return profile.language || 'en'; }, - getTemplatesBoard() { - return { - id: this.profile.templatesBoardId, - slug: Boards.findOne(this.profile.templatesBoardId).slug, - }; + getTemplatesBoardId() { + return this.profile.templatesBoardId; + }, + + getTemplatesBoardSlug() { + return Boards.findOne(this.profile.templatesBoardId).slug; }, }); @@ -731,7 +753,11 @@ if (Meteor.isServer) { boardId, sort: 1, type: 'template-container', - }, fakeUser); + }, fakeUser, (err, swimlaneId) => { + + // Insert the reference to out card templates swimlane + Users.update(fakeUserId.get(), {$set: {'profile.cardTemplatesSwimlaneId': swimlaneId}}); + }); // Insert the list templates swimlane Swimlanes.insert({ @@ -739,7 +765,11 @@ if (Meteor.isServer) { boardId, sort: 2, type: 'template-container', - }, fakeUser); + }, fakeUser, (err, swimlaneId) => { + + // Insert the reference to out list templates swimlane + Users.update(fakeUserId.get(), {$set: {'profile.listTemplatesSwimlaneId': swimlaneId}}); + }); // Insert the board templates swimlane Swimlanes.insert({ @@ -747,7 +777,11 @@ if (Meteor.isServer) { boardId, sort: 3, type: 'template-container', - }, fakeUser); + }, fakeUser, (err, swimlaneId) => { + + // Insert the reference to out board templates swimlane + Users.update(fakeUserId.get(), {$set: {'profile.boardTemplatesSwimlaneId': swimlaneId}}); + }); }); }); }); -- cgit v1.2.3-1-g7c22 From cdf070189e11205eecd11641226ae62964cc03e1 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Sat, 23 Feb 2019 01:40:11 +0100 Subject: Remove links from templates board for the moment Insert the correct template type in templates board Allow independant lists in templates board Add some helpers --- client/components/lists/listBody.jade | 15 ++++++++------- client/components/lists/listBody.js | 11 ++++++++--- client/components/swimlanes/swimlaneHeader.js | 2 ++ client/components/swimlanes/swimlanes.jade | 7 +++++++ client/components/swimlanes/swimlanes.js | 7 +++++++ models/lists.js | 7 +++++++ models/swimlanes.js | 22 ++++++++++++++++++++++ 7 files changed, 61 insertions(+), 10 deletions(-) diff --git a/client/components/lists/listBody.jade b/client/components/lists/listBody.jade index f030833b..10d39d15 100644 --- a/client/components/lists/listBody.jade +++ b/client/components/lists/listBody.jade @@ -45,13 +45,14 @@ template(name="addCardForm") .add-controls.clearfix button.primary.confirm(type="submit") {{_ 'add'}} unless isSandstorm - span.quiet - | {{_ 'or'}} - a.js-link {{_ 'link'}} - span.quiet - |   - | / - a.js-search {{_ 'search'}} + unless currentBoard.isTemplatesBoard + span.quiet + | {{_ 'or'}} + a.js-link {{_ 'link'}} + span.quiet + |   + | / + a.js-search {{_ 'search'}} template(name="autocompleteLabelLine") .minicard-label(class="card-label-{{colorName}}" title=labelName) diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 0f5caac5..576bcd9f 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -70,7 +70,11 @@ BlazeComponent.extendComponent({ const boardId = this.data().board(); let swimlaneId = ''; const boardView = Meteor.user().profile.boardView; - if (boardView === 'board-view-swimlanes') + let cardType = 'cardType-card'; + if (this.data().board().isTemplatesBoard()) { + swimlaneId = this.parentComponent().parentComponent().data()._id; // Always swimlanes view + cardType = (Swimlanes.findOne(swimlaneId).isCardTemplatesSwimlane())?'template-card':'cardType-card'; + } else if (boardView === 'board-view-swimlanes') swimlaneId = this.parentComponent().parentComponent().data()._id; else if ((boardView === 'board-view-lists') || (boardView === 'board-view-cal')) swimlaneId = boardId.getDefaultSwimline()._id; @@ -85,7 +89,7 @@ BlazeComponent.extendComponent({ boardId: boardId._id, sort: sortIndex, swimlaneId, - type: 'cardType-card', + type: cardType, }); // if the displayed card count is less than the total cards in the list, @@ -149,7 +153,8 @@ BlazeComponent.extendComponent({ idOrNull(swimlaneId) { const currentUser = Meteor.user(); - if (currentUser.profile.boardView === 'board-view-swimlanes') + if (currentUser.profile.boardView === 'board-view-swimlanes' + || this.data().board().isTemplatesBoard()) return swimlaneId; return undefined; }, diff --git a/client/components/swimlanes/swimlaneHeader.js b/client/components/swimlanes/swimlaneHeader.js index 1004cb25..b78bdc96 100644 --- a/client/components/swimlanes/swimlaneHeader.js +++ b/client/components/swimlanes/swimlaneHeader.js @@ -47,12 +47,14 @@ BlazeComponent.extendComponent({ const titleInput = this.find('.swimlane-name-input'); const title = titleInput.value.trim(); const sortValue = calculateIndexData(this.currentSwimlane, nextSwimlane, 1); + const swimlaneType = (currentBoard.isTemplatesBoard())?'template-swimlane':'swimlane'; if (title) { Swimlanes.insert({ title, boardId: Session.get('currentBoard'), sort: sortValue.base, + type: swimlaneType, }); titleInput.value = ''; diff --git a/client/components/swimlanes/swimlanes.jade b/client/components/swimlanes/swimlanes.jade index 34177a02..0e070a21 100644 --- a/client/components/swimlanes/swimlanes.jade +++ b/client/components/swimlanes/swimlanes.jade @@ -10,6 +10,13 @@ template(name="swimlane") +miniList(this) if currentUser.isBoardMember +addListForm + else if currentBoard.isTemplatesBoard + each lists + +list(this) + if currentCardIsInThisList _id ../_id + +cardDetails(currentCard) + if currentUser.isBoardMember + +addListForm else each currentBoard.lists +list(this) diff --git a/client/components/swimlanes/swimlanes.js b/client/components/swimlanes/swimlanes.js index ce327f54..4dd84604 100644 --- a/client/components/swimlanes/swimlanes.js +++ b/client/components/swimlanes/swimlanes.js @@ -153,6 +153,10 @@ BlazeComponent.extendComponent({ }).register('swimlane'); BlazeComponent.extendComponent({ + onCreated() { + this.currentSwimlane = this.currentData(); + }, + // Proxy open() { this.childComponents('inlinedForm')[0].open(); @@ -164,11 +168,14 @@ BlazeComponent.extendComponent({ evt.preventDefault(); const titleInput = this.find('.list-name-input'); const title = titleInput.value.trim(); + const listType = (this.currentSwimlane.isListTemplatesSwimlane())?'template-list':'list'; if (title) { Lists.insert({ title, boardId: Session.get('currentBoard'), sort: $('.list').length, + type: listType, + swimlaneId: this.currentSwimlane._id, }); titleInput.value = ''; diff --git a/models/lists.js b/models/lists.js index e0040752..a0b882bc 100644 --- a/models/lists.js +++ b/models/lists.js @@ -27,6 +27,13 @@ Lists.attachSchema(new SimpleSchema({ */ type: String, }, + swimlaneId: { + /** + * the swimalen associated to this list. Used for templates + */ + type: String, + defaultValue: '', + }, createdAt: { /** * creation date diff --git a/models/swimlanes.js b/models/swimlanes.js index 185422ce..9d4e16de 100644 --- a/models/swimlanes.js +++ b/models/swimlanes.js @@ -108,6 +108,13 @@ Swimlanes.helpers({ }), { sort: ['sort'] }); }, + lists() { + return Lists.find(Filter.mongoSelector({ + swimlaneId: this._id, + archived: false, + }), { sort: ['sort'] }); + }, + allCards() { return Cards.find({ swimlaneId: this._id }); }, @@ -129,6 +136,21 @@ Swimlanes.helpers({ isTemplateContainer() { return this.type === 'template-container'; }, + + isListTemplatesSwimlane() { + const user = Users.findOne(Meteor.userId()); + return user.profile.listTemplatesSwimlaneId === this._id; + }, + + isCardTemplatesSwimlane() { + const user = Users.findOne(Meteor.userId()); + return user.profile.cardTemplatesSwimlaneId === this._id; + }, + + isBoardTemplatesSwimlane() { + const user = Users.findOne(Meteor.userId()); + return user.profile.boardsTemplatesSwimlaneId === this._id; + }, }); Swimlanes.mutations({ -- cgit v1.2.3-1-g7c22 From 1e72177991e3fe11a1837e3e294e4de5d728aa30 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Sat, 23 Feb 2019 12:14:37 +0100 Subject: Avoid links on a template-board Allow creation of template boards with a linked card Avoid changing the name of the template-container swimlanes --- client/components/lists/listBody.jade | 15 +++++----- client/components/lists/listBody.js | 38 ++++++++++++++++++------- client/components/swimlanes/swimlaneHeader.jade | 24 ++++++++++------ client/components/swimlanes/swimlanes.js | 2 +- i18n/en.i18n.json | 1 - models/swimlanes.js | 2 +- models/users.js | 2 +- 7 files changed, 54 insertions(+), 30 deletions(-) diff --git a/client/components/lists/listBody.jade b/client/components/lists/listBody.jade index 10d39d15..bc1469a9 100644 --- a/client/components/lists/listBody.jade +++ b/client/components/lists/listBody.jade @@ -46,13 +46,14 @@ template(name="addCardForm") button.primary.confirm(type="submit") {{_ 'add'}} unless isSandstorm unless currentBoard.isTemplatesBoard - span.quiet - | {{_ 'or'}} - a.js-link {{_ 'link'}} - span.quiet - |   - | / - a.js-search {{_ 'search'}} + unless currentBoard.isTemplateBoard + span.quiet + | {{_ 'or'}} + a.js-link {{_ 'link'}} + span.quiet + |   + | / + a.js-search {{_ 'search'}} template(name="autocompleteLabelLine") .minicard-label(class="card-label-{{colorName}}" title=labelName) diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 576bcd9f..eccef552 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -67,29 +67,47 @@ BlazeComponent.extendComponent({ const labelIds = formComponent.labels.get(); const customFields = formComponent.customFields.get(); - const boardId = this.data().board(); + const board = this.data().board(); + let linkedId = ''; let swimlaneId = ''; const boardView = Meteor.user().profile.boardView; let cardType = 'cardType-card'; - if (this.data().board().isTemplatesBoard()) { - swimlaneId = this.parentComponent().parentComponent().data()._id; // Always swimlanes view - cardType = (Swimlanes.findOne(swimlaneId).isCardTemplatesSwimlane())?'template-card':'cardType-card'; - } else if (boardView === 'board-view-swimlanes') - swimlaneId = this.parentComponent().parentComponent().data()._id; - else if ((boardView === 'board-view-lists') || (boardView === 'board-view-cal')) - swimlaneId = boardId.getDefaultSwimline()._id; - if (title) { + if (board.isTemplatesBoard()) { + swimlaneId = this.parentComponent().parentComponent().data()._id; // Always swimlanes view + const swimlane = Swimlanes.findOne(swimlaneId); + // If this is the card templates swimlane, insert a card template + if (swimlane.isCardTemplatesSwimlane()) + cardType = 'template-card'; + // If this is the board templates swimlane, insert a board template and a linked card + else if (swimlane.isBoardTemplatesSwimlane()) { + linkedId = Boards.insert({ + title, + permission: 'private', + type: 'template-board', + }); + Swimlanes.insert({ + title: TAPi18n.__('default'), + boardId: linkedId, + }); + cardType = 'cardType-linkedBoard'; + } + } else if (boardView === 'board-view-swimlanes') + swimlaneId = this.parentComponent().parentComponent().data()._id; + else if ((boardView === 'board-view-lists') || (boardView === 'board-view-cal')) + swimlaneId = board.getDefaultSwimline()._id; + const _id = Cards.insert({ title, members, labelIds, customFields, listId: this.data()._id, - boardId: boardId._id, + boardId: board._id, sort: sortIndex, swimlaneId, type: cardType, + linkedId, }); // if the displayed card count is less than the total cards in the list, diff --git a/client/components/swimlanes/swimlaneHeader.jade b/client/components/swimlanes/swimlaneHeader.jade index ac4a0327..810dd57f 100644 --- a/client/components/swimlanes/swimlaneHeader.jade +++ b/client/components/swimlanes/swimlaneHeader.jade @@ -1,15 +1,21 @@ template(name="swimlaneHeader") .swimlane-header-wrap.js-swimlane-header(class='{{#if colorClass}}swimlane-{{colorClass}}{{/if}}') - +inlinedForm - +editSwimlaneTitleForm + if this.isTemplateContainer + +swimlaneFixedHeader(this) else - .swimlane-header( - class="{{#if currentUser.isBoardMember}}js-open-inlined-form is-editable{{/if}}") - = title - .swimlane-header-menu - unless currentUser.isCommentOnly - a.fa.fa-plus.js-open-add-swimlane-menu.swimlane-header-plus-icon - a.fa.fa-navicon.js-open-swimlane-menu + +inlinedForm + +editSwimlaneTitleForm + else + +swimlaneFixedHeader(this) + +template(name="swimlaneFixedHeader") + .swimlane-header( + class="{{#if currentUser.isBoardMember}}js-open-inlined-form is-editable{{/if}}") + = title + .swimlane-header-menu + unless currentUser.isCommentOnly + a.fa.fa-plus.js-open-add-swimlane-menu.swimlane-header-plus-icon + a.fa.fa-navicon.js-open-swimlane-menu template(name="editSwimlaneTitleForm") .list-composer diff --git a/client/components/swimlanes/swimlanes.js b/client/components/swimlanes/swimlanes.js index 4dd84604..63266e5f 100644 --- a/client/components/swimlanes/swimlanes.js +++ b/client/components/swimlanes/swimlanes.js @@ -168,8 +168,8 @@ BlazeComponent.extendComponent({ evt.preventDefault(); const titleInput = this.find('.list-name-input'); const title = titleInput.value.trim(); - const listType = (this.currentSwimlane.isListTemplatesSwimlane())?'template-list':'list'; if (title) { + const listType = (this.currentSwimlane.isListTemplatesSwimlane())?'template-list':'list'; Lists.insert({ title, boardId: Session.get('currentBoard'), diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 5fbbebf5..3c6effd6 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -455,7 +455,6 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", - "templates-board": "Templates Board", "card-templates-swimlane": "Card Templates", "list-templates-swimlane": "List Templates", "board-templates-swimlane": "Board Templates", diff --git a/models/swimlanes.js b/models/swimlanes.js index 9d4e16de..be3f617c 100644 --- a/models/swimlanes.js +++ b/models/swimlanes.js @@ -149,7 +149,7 @@ Swimlanes.helpers({ isBoardTemplatesSwimlane() { const user = Users.findOne(Meteor.userId()); - return user.profile.boardsTemplatesSwimlaneId === this._id; + return user.profile.boardTemplatesSwimlaneId === this._id; }, }); diff --git a/models/users.js b/models/users.js index 1493aa0d..87f2b860 100644 --- a/models/users.js +++ b/models/users.js @@ -739,7 +739,7 @@ if (Meteor.isServer) { }); Boards.insert({ - title: TAPi18n.__('templates-board'), + title: TAPi18n.__('templates'), permission: 'private', type: 'template-container' }, fakeUser, (err, boardId) => { -- cgit v1.2.3-1-g7c22 From 7a6afb8aea2c3398ec0fe34d664398bd94cac90a Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Sat, 23 Feb 2019 15:32:44 +0100 Subject: Add template search in Add Card menu Archive all cards in list when list is archived Remove default board in link popup Only list non-template boards in card link and search --- client/components/lists/listBody.jade | 27 ++++++++++++---------- client/components/lists/listBody.js | 43 +++++++++++++++++++---------------- i18n/en.i18n.json | 1 + models/boards.js | 4 ++++ models/lists.js | 13 +++++++++++ 5 files changed, 57 insertions(+), 31 deletions(-) diff --git a/client/components/lists/listBody.jade b/client/components/lists/listBody.jade index bc1469a9..4d7ec158 100644 --- a/client/components/lists/listBody.jade +++ b/client/components/lists/listBody.jade @@ -54,6 +54,10 @@ template(name="addCardForm") |   | / a.js-search {{_ 'search'}} + span.quiet + |   + | / + a.js-search-template {{_ 'template'}} template(name="autocompleteLabelLine") .minicard-label(class="card-label-{{colorName}}" title=labelName) @@ -63,11 +67,9 @@ template(name="linkCardPopup") label {{_ 'boards'}}: .link-board-wrapper select.js-select-boards + option(value="") each boards - if $eq _id currentBoard._id - option(value="{{_id}}" selected) {{_ 'current'}} - else - option(value="{{_id}}") {{title}} + option(value="{{_id}}") {{title}} input.primary.confirm.js-link-board(type="button" value="{{_ 'link'}}") label {{_ 'swimlanes'}}: @@ -90,14 +92,15 @@ template(name="linkCardPopup") input.primary.confirm.js-done(type="button" value="{{_ 'link'}}") template(name="searchCardPopup") - label {{_ 'boards'}}: - .link-board-wrapper - select.js-select-boards - each boards - if $eq _id currentBoard._id - option(value="{{_id}}" selected) {{_ 'current'}} - else - option(value="{{_id}}") {{title}} + unless isTemplateSearch + label {{_ 'boards'}}: + .link-board-wrapper + select.js-select-boards + each boards + if $eq _id currentBoard._id + option(value="{{_id}}" selected) {{_ 'current'}} + else + option(value="{{_id}}") {{title}} form.js-search-term-form input(type="text" name="searchTerm" placeholder="{{_ 'search-example'}}" autofocus) .list-body.js-perfect-scrollbar.search-card-results diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index eccef552..66d056c4 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -316,6 +316,7 @@ BlazeComponent.extendComponent({ keydown: this.pressKey, 'click .js-link': Popup.open('linkCard'), 'click .js-search': Popup.open('searchCard'), + 'click .js-search-template': Popup.open('searchCard'), }]; }, @@ -390,17 +391,7 @@ BlazeComponent.extendComponent({ BlazeComponent.extendComponent({ onCreated() { - // Prefetch first non-current board id - const boardId = Boards.findOne({ - archived: false, - 'members.userId': Meteor.userId(), - _id: {$ne: Session.get('currentBoard')}, - }, { - sort: ['title'], - })._id; - // Subscribe to this board - subManager.subscribe('board', boardId); - this.selectedBoardId = new ReactiveVar(boardId); + this.selectedBoardId = new ReactiveVar(''); this.selectedSwimlaneId = new ReactiveVar(''); this.selectedListId = new ReactiveVar(''); @@ -426,6 +417,7 @@ BlazeComponent.extendComponent({ archived: false, 'members.userId': Meteor.userId(), _id: {$ne: Session.get('currentBoard')}, + type: 'board', }, { sort: ['title'], }); @@ -433,7 +425,7 @@ BlazeComponent.extendComponent({ }, swimlanes() { - if (!this.selectedBoardId) { + if (!this.selectedBoardId.get()) { return []; } const swimlanes = Swimlanes.find({boardId: this.selectedBoardId.get()}); @@ -443,7 +435,7 @@ BlazeComponent.extendComponent({ }, lists() { - if (!this.selectedBoardId) { + if (!this.selectedBoardId.get()) { return []; } const lists = Lists.find({boardId: this.selectedBoardId.get()}); @@ -531,12 +523,18 @@ BlazeComponent.extendComponent({ }, onCreated() { - // Prefetch first non-current board id - let board = Boards.findOne({ - archived: false, - 'members.userId': Meteor.userId(), - _id: {$ne: Session.get('currentBoard')}, - }); + const isTemplateSearch = $(Popup._getTopStack().openerElement).hasClass('js-search-template'); + let board = {}; + if (isTemplateSearch) { + board = Boards.findOne(Meteor.user().profile.templatesBoardId); + } else { + // Prefetch first non-current board id + board = Boards.findOne({ + archived: false, + 'members.userId': Meteor.userId(), + _id: {$ne: Session.get('currentBoard')}, + }); + } if (!board) { Popup.close(); return; @@ -568,6 +566,7 @@ BlazeComponent.extendComponent({ archived: false, 'members.userId': Meteor.userId(), _id: {$ne: Session.get('currentBoard')}, + type: 'board', }, { sort: ['title'], }); @@ -610,3 +609,9 @@ BlazeComponent.extendComponent({ }]; }, }).register('searchCardPopup'); + +Template.searchCardPopup.helpers({ + isTemplateSearch() { + return $(Popup._getTopStack().openerElement).hasClass('js-search-template'); + }, +}); diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 3c6effd6..94666c16 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -92,6 +92,7 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Archive", + "template": "Template", "templates": "Templates", "assign-member": "Assign member", "attached": "attached", diff --git a/models/boards.js b/models/boards.js index 7328899e..c17c7351 100644 --- a/models/boards.js +++ b/models/boards.js @@ -470,6 +470,10 @@ Boards.helpers({ if (excludeLinked) { query.linkedId = null; } + if (this.isTemplatesBoard()) { + query.type = 'template-card'; + query.archived = false; + } const projection = { limit: 10, sort: { createdAt: -1 } }; if (term) { diff --git a/models/lists.js b/models/lists.js index a0b882bc..236432cc 100644 --- a/models/lists.js +++ b/models/lists.js @@ -195,10 +195,23 @@ Lists.mutations({ }, archive() { + Cards.find({ + listId: this._id, + archived: false, + }).forEach((card) => { + return card.archive(); + }); return { $set: { archived: true } }; }, restore() { + cardsToRestore = Cards.find({ + listId: this._id, + archived: true, + }); + cardsToRestore.forEach((card) => { + card.restore(); + }); return { $set: { archived: false } }; }, -- cgit v1.2.3-1-g7c22 From 0fec7115451ba3b49442965c8160df4911157601 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Sat, 23 Feb 2019 16:36:29 +0100 Subject: Prepare to create card from template --- client/components/cards/cardDetails.js | 58 +++------------------------------- client/components/lists/listBody.jade | 6 ++-- client/components/lists/listBody.js | 7 ++-- models/boards.js | 2 ++ models/cardComments.js | 6 ++++ models/cards.js | 25 +++++++++++++++ models/checklists.js | 13 ++++++++ 7 files changed, 57 insertions(+), 60 deletions(-) diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index 489f28ae..1281356d 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -459,26 +459,9 @@ BlazeComponent.extendComponent({ }, }).register('boardsAndLists'); - -function cloneCheckList(_id, checklist) { - 'use strict'; - const checklistId = checklist._id; - checklist.cardId = _id; - checklist._id = null; - const newChecklistId = Checklists.insert(checklist); - ChecklistItems.find({checklistId}).forEach(function(item) { - item._id = null; - item.checklistId = newChecklistId; - item.cardId = _id; - ChecklistItems.insert(item); - }); -} - Template.copyCardPopup.events({ 'click .js-done'() { const card = Cards.findOne(Session.get('currentCard')); - const oldId = card._id; - card._id = null; const lSelect = $('.js-select-lists')[0]; card.listId = lSelect.options[lSelect.selectedIndex].value; const slSelect = $('.js-select-swimlanes')[0]; @@ -493,38 +476,13 @@ Template.copyCardPopup.events({ if (title) { card.title = title; card.coverId = ''; - const _id = Cards.insert(card); + const _id = card.copy(); // In case the filter is active we need to add the newly inserted card in // the list of exceptions -- cards that are not filtered. Otherwise the // card will disappear instantly. // See https://github.com/wekan/wekan/issues/80 Filter.addException(_id); - // copy checklists - let cursor = Checklists.find({cardId: oldId}); - cursor.forEach(function() { - cloneCheckList(_id, arguments[0]); - }); - - // copy subtasks - cursor = Cards.find({parentId: oldId}); - cursor.forEach(function() { - 'use strict'; - const subtask = arguments[0]; - subtask.parentId = _id; - subtask._id = null; - /* const newSubtaskId = */ Cards.insert(subtask); - }); - - // copy card comments - cursor = CardComments.find({cardId: oldId}); - cursor.forEach(function () { - 'use strict'; - const comment = arguments[0]; - comment.cardId = _id; - comment._id = null; - CardComments.insert(comment); - }); Popup.close(); } }, @@ -561,9 +519,8 @@ Template.copyChecklistToManyCardsPopup.events({ Filter.addException(_id); // copy checklists - let cursor = Checklists.find({cardId: oldId}); - cursor.forEach(function() { - cloneCheckList(_id, arguments[0]); + Checklists.find({cardId: oldId}).forEach((ch) => { + ch.copy(_id); }); // copy subtasks @@ -577,13 +534,8 @@ Template.copyChecklistToManyCardsPopup.events({ }); // copy card comments - cursor = CardComments.find({cardId: oldId}); - cursor.forEach(function () { - 'use strict'; - const comment = arguments[0]; - comment.cardId = _id; - comment._id = null; - CardComments.insert(comment); + CardComments.find({cardId: oldId}).forEach((cmt) => { + cmt.copy(_id); }); } Popup.close(); diff --git a/client/components/lists/listBody.jade b/client/components/lists/listBody.jade index 4d7ec158..80ce70c0 100644 --- a/client/components/lists/listBody.jade +++ b/client/components/lists/listBody.jade @@ -96,11 +96,9 @@ template(name="searchCardPopup") label {{_ 'boards'}}: .link-board-wrapper select.js-select-boards + option(value="") each boards - if $eq _id currentBoard._id - option(value="{{_id}}" selected) {{_ 'current'}} - else - option(value="{{_id}}") {{title}} + option(value="{{_id}}") {{title}} form.js-search-term-form input(type="text" name="searchTerm" placeholder="{{_ 'search-example'}}" autofocus) .list-body.js-perfect-scrollbar.search-card-results diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 66d056c4..e6849eb2 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -456,6 +456,7 @@ BlazeComponent.extendComponent({ archived: false, linkedId: {$nin: ownCardsIds}, _id: {$nin: ownCardsIds}, + type: {$nin: ['template-card']}, }); }, @@ -523,16 +524,16 @@ BlazeComponent.extendComponent({ }, onCreated() { - const isTemplateSearch = $(Popup._getTopStack().openerElement).hasClass('js-search-template'); + this.isTemplateSearch = $(Popup._getTopStack().openerElement).hasClass('js-search-template'); let board = {}; - if (isTemplateSearch) { + if (this.isTemplateSearch) { board = Boards.findOne(Meteor.user().profile.templatesBoardId); } else { // Prefetch first non-current board id board = Boards.findOne({ archived: false, 'members.userId': Meteor.userId(), - _id: {$ne: Session.get('currentBoard')}, + _id: {$nin: [Session.get('currentBoard'), Meteor.user().profile.templatesBoardId]}, }); } if (!board) { diff --git a/models/boards.js b/models/boards.js index c17c7351..25cf5e37 100644 --- a/models/boards.js +++ b/models/boards.js @@ -473,6 +473,8 @@ Boards.helpers({ if (this.isTemplatesBoard()) { query.type = 'template-card'; query.archived = false; + } else { + query.type = {$nin: ['template-card']}; } const projection = { limit: 10, sort: { createdAt: -1 } }; diff --git a/models/cardComments.js b/models/cardComments.js index 974c5ec9..f29366a5 100644 --- a/models/cardComments.js +++ b/models/cardComments.js @@ -67,6 +67,12 @@ CardComments.allow({ }); CardComments.helpers({ + copy(newCardId) { + this.cardId = newCardId; + this._id = null; + CardComments.insert(this); + }, + user() { return Users.findOne(this.userId); }, diff --git a/models/cards.js b/models/cards.js index e9fc453e..c7b4a366 100644 --- a/models/cards.js +++ b/models/cards.js @@ -272,6 +272,31 @@ Cards.allow({ }); Cards.helpers({ + copy() { + const oldId = this._id; + this._id = null; + const _id = Cards.insert(this); + + // copy checklists + Checklists.find({cardId: oldId}).forEach((ch) => { + ch.copy(_id); + }); + + // copy subtasks + Cards.find({parentId: oldId}).forEach((subtask) => { + subtask.parentId = _id; + subtask._id = null; + Cards.insert(subtask); + }); + + // copy card comments + CardComments.find({cardId: oldId}).forEach((cmt) => { + cmt.copy(_id); + }); + + return _id; + }, + list() { return Lists.findOne(this.listId); }, diff --git a/models/checklists.js b/models/checklists.js index a372fafa..99e9f25e 100644 --- a/models/checklists.js +++ b/models/checklists.js @@ -48,6 +48,19 @@ Checklists.attachSchema(new SimpleSchema({ })); Checklists.helpers({ + copy(newCardId) { + const oldChecklistId = this._id; + this._id = null; + this.cardId = newCardId; + const newChecklistId = Checklists.insert(this); + ChecklistItems.find({checklistId: oldChecklistId}).forEach((item) => { + item._id = null; + item.checklistId = newChecklistId; + item.cardId = newCardId; + ChecklistItems.insert(item); + }); + }, + itemCount() { return ChecklistItems.find({ checklistId: this._id }).count(); }, -- cgit v1.2.3-1-g7c22 From 044126188d28a24b0df5d67cf69d081ce7790886 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Sat, 23 Feb 2019 19:00:52 +0100 Subject: Allow card creation from template --- client/components/lists/listBody.js | 35 ++++++++++++++++++----------------- 1 file changed, 18 insertions(+), 17 deletions(-) diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index e6849eb2..e84874bb 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -593,26 +593,27 @@ BlazeComponent.extendComponent({ this.term.set(evt.target.searchTerm.value); }, 'click .js-minicard'(evt) { - // LINK CARD - const card = Blaze.getData(evt.currentTarget); - const _id = Cards.insert({ - title: card.title, //dummy - listId: this.listId, - swimlaneId: this.swimlaneId, - boardId: this.boardId, - sort: Lists.findOne(this.listId).cards().count(), - type: 'cardType-linkedCard', - linkedId: card.linkedId || card._id, - }); + let card = Blaze.getData(evt.currentTarget); + let _id = ''; + // Common + card.listId = this.listId; + card.swimlaneId = this.swimlaneId; + card.boardId = this.boardId; + card.sort = Lists.findOne(this.listId).cards().count(); + // From template + if (this.isTemplateSearch) { + card.type = 'cardType-card'; + card.linkedId = ''; + _id = card.copy(); + } else { // Linked + card._id = null; + card.type = 'cardType-linkedCard'; + card.linkedId = card.linkedId || card._id; + _id = Cards.insert(card); + } Filter.addException(_id); Popup.close(); }, }]; }, }).register('searchCardPopup'); - -Template.searchCardPopup.helpers({ - isTemplateSearch() { - return $(Popup._getTopStack().openerElement).hasClass('js-search-template'); - }, -}); -- cgit v1.2.3-1-g7c22 From f888cfd565b197903c24a07221f6a6a44e1b6223 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Sat, 23 Feb 2019 20:41:36 +0100 Subject: Allow list creation from template --- client/components/lists/listBody.jade | 13 ++++-- client/components/lists/listBody.js | 62 +++++++++++++++++++-------- client/components/lists/minilist.jade | 8 ++++ client/components/swimlanes/miniswimlane.jade | 8 ++++ client/components/swimlanes/swimlanes.jade | 6 ++- client/components/swimlanes/swimlanes.js | 8 ++-- models/boards.js | 24 +++++++++++ models/lists.js | 18 ++++++++ 8 files changed, 121 insertions(+), 26 deletions(-) create mode 100644 client/components/lists/minilist.jade create mode 100644 client/components/swimlanes/miniswimlane.jade diff --git a/client/components/lists/listBody.jade b/client/components/lists/listBody.jade index 80ce70c0..46f90f99 100644 --- a/client/components/lists/listBody.jade +++ b/client/components/lists/listBody.jade @@ -57,7 +57,7 @@ template(name="addCardForm") span.quiet |   | / - a.js-search-template {{_ 'template'}} + a.js-card-template {{_ 'template'}} template(name="autocompleteLabelLine") .minicard-label(class="card-label-{{colorName}}" title=labelName) @@ -104,5 +104,12 @@ template(name="searchCardPopup") .list-body.js-perfect-scrollbar.search-card-results .minicards.clearfix.js-minicards each results - a.minicard-wrapper.js-minicard - +minicard(this) + if isListTemplateSearch + a.minicard-wrapper.js-minicard + +minilist(this) + if isSwimlaneTemplateSearch + a.minicard-wrapper.js-minicard + +miniswimlane(this) + unless isTemplateSearch + a.minicard-wrapper.js-minicard + +minicard(this) diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index e84874bb..ad34efef 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -524,7 +524,10 @@ BlazeComponent.extendComponent({ }, onCreated() { - this.isTemplateSearch = $(Popup._getTopStack().openerElement).hasClass('js-search-template'); + this.isCardTemplateSearch = $(Popup._getTopStack().openerElement).hasClass('js-card-template'); + this.isListTemplateSearch = $(Popup._getTopStack().openerElement).hasClass('js-list-template'); + this.isSwimlaneTemplateSearch = $(Popup._getTopStack().openerElement).hasClass('js-swimlane-template'); + this.isTemplateSearch = this.isCardTemplateSearch || this.isListTemplateSearch || this.isSwimlaneTemplateSearch; let board = {}; if (this.isTemplateSearch) { board = Boards.findOne(Meteor.user().profile.templatesBoardId); @@ -579,7 +582,15 @@ BlazeComponent.extendComponent({ return []; } const board = Boards.findOne(this.selectedBoardId.get()); - return board.searchCards(this.term.get(), false); + if (!this.isTemplateSearch || this.isCardTemplateSearch) { + return board.searchCards(this.term.get(), false); + } else if (this.isListTemplateSearch) { + return board.searchLists(this.term.get()); + } else if (this.isSwimlaneTemplateSearch) { + return board.searchSwimlanes(this.term.get()); + } else { + return []; + } }, events() { @@ -593,25 +604,38 @@ BlazeComponent.extendComponent({ this.term.set(evt.target.searchTerm.value); }, 'click .js-minicard'(evt) { - let card = Blaze.getData(evt.currentTarget); + // 0. Common + let element = Blaze.getData(evt.currentTarget); + console.log(element); + element.boardId = this.boardId; let _id = ''; - // Common - card.listId = this.listId; - card.swimlaneId = this.swimlaneId; - card.boardId = this.boardId; - card.sort = Lists.findOne(this.listId).cards().count(); - // From template - if (this.isTemplateSearch) { - card.type = 'cardType-card'; - card.linkedId = ''; - _id = card.copy(); - } else { // Linked - card._id = null; - card.type = 'cardType-linkedCard'; - card.linkedId = card.linkedId || card._id; - _id = Cards.insert(card); + if (!this.isTemplateSearch || this.isCardTemplateSearch) { + // Card insertion + // 1. Common + element.listId = this.listId; + element.swimlaneId = this.swimlaneId; + element.sort = Lists.findOne(this.listId).cards().count(); + // 1.A From template + if (this.isTemplateSearch) { + element.type = 'cardType-card'; + element.linkedId = ''; + _id = element.copy(); + // 1.B Linked card + } else { + element._id = null; + element.type = 'cardType-linkedCard'; + element.linkedId = element.linkedId || element._id; + _id = Cards.insert(element); + } + Filter.addException(_id); + // List insertion + } else if (this.isListTemplateSearch) { + element.swimlaneId = ''; + element.sort = Swimlanes.findOne(this.swimlaneId).lists().count(); + element.type = 'list'; + element.swimlaneId = this.swimlaneId; + _id = element.copy(); } - Filter.addException(_id); Popup.close(); }, }]; diff --git a/client/components/lists/minilist.jade b/client/components/lists/minilist.jade new file mode 100644 index 00000000..e34214c4 --- /dev/null +++ b/client/components/lists/minilist.jade @@ -0,0 +1,8 @@ +template(name="minilist") + .minicard( + class="minicard-{{colorClass}}") + .minicard-title + .handle + .fa.fa-arrows + +viewer + = title diff --git a/client/components/swimlanes/miniswimlane.jade b/client/components/swimlanes/miniswimlane.jade new file mode 100644 index 00000000..d4be8599 --- /dev/null +++ b/client/components/swimlanes/miniswimlane.jade @@ -0,0 +1,8 @@ +template(name="miniswimlane") + .minicard( + class="minicard-{{colorClass}}") + .minicard-title + .handle + .fa.fa-arrows + +viewer + = title diff --git a/client/components/swimlanes/swimlanes.jade b/client/components/swimlanes/swimlanes.jade index 0e070a21..ba174cb5 100644 --- a/client/components/swimlanes/swimlanes.jade +++ b/client/components/swimlanes/swimlanes.jade @@ -51,7 +51,11 @@ template(name="addListForm") autocomplete="off" autofocus) .edit-controls.clearfix button.primary.confirm(type="submit") {{_ 'save'}} - a.fa.fa-times-thin.js-close-inlined-form + unless currentBoard.isTemplatesBoard + unless currentBoard.isTemplateBoard + span.quiet + | {{_ 'or'}} + a.js-list-template {{_ 'template'}} else a.open-list-composer.js-open-inlined-form i.fa.fa-plus diff --git a/client/components/swimlanes/swimlanes.js b/client/components/swimlanes/swimlanes.js index 63266e5f..bdaed81d 100644 --- a/client/components/swimlanes/swimlanes.js +++ b/client/components/swimlanes/swimlanes.js @@ -154,6 +154,8 @@ BlazeComponent.extendComponent({ BlazeComponent.extendComponent({ onCreated() { + currentBoard = Boards.findOne(Session.get('currentBoard')); + this.isListTemplatesSwimlane = currentBoard.isTemplatesBoard() && this.currentData().isListTemplatesSwimlane(); this.currentSwimlane = this.currentData(); }, @@ -169,19 +171,19 @@ BlazeComponent.extendComponent({ const titleInput = this.find('.list-name-input'); const title = titleInput.value.trim(); if (title) { - const listType = (this.currentSwimlane.isListTemplatesSwimlane())?'template-list':'list'; Lists.insert({ title, boardId: Session.get('currentBoard'), sort: $('.list').length, - type: listType, - swimlaneId: this.currentSwimlane._id, + type: (this.isListTemplatesSwimlane)?'template-list':'list', + swimlaneId: (this.isListTemplatesSwimlane)?this.currentSwimlane._id:'', }); titleInput.value = ''; titleInput.focus(); } }, + 'click .js-list-template': Popup.open('searchCard'), }]; }, }).register('addListForm'); diff --git a/models/boards.js b/models/boards.js index 25cf5e37..530a6f71 100644 --- a/models/boards.js +++ b/models/boards.js @@ -463,6 +463,30 @@ Boards.helpers({ return _id; }, + searchLists(term) { + check(term, Match.OneOf(String, null, undefined)); + + const query = { boardId: this._id }; + if (this.isTemplatesBoard()) { + query.type = 'template-list'; + query.archived = false; + } else { + query.type = {$nin: ['template-list']}; + } + const projection = { limit: 10, sort: { createdAt: -1 } }; + + if (term) { + const regex = new RegExp(term, 'i'); + + query.$or = [ + { title: regex }, + { description: regex }, + ]; + } + + return Lists.find(query, projection); + }, + searchCards(term, excludeLinked) { check(term, Match.OneOf(String, null, undefined)); diff --git a/models/lists.js b/models/lists.js index 236432cc..e2ded36e 100644 --- a/models/lists.js +++ b/models/lists.js @@ -137,6 +137,24 @@ Lists.allow({ }); Lists.helpers({ + copy() { + const oldId = this._id; + this._id = null; + const _id = Lists.insert(this); + + // Copy all cards in list + Cards.find({ + listId: oldId, + archived: false, + }).forEach((card) => { + card.type = 'cardType-card'; + card.listId = _id; + card.boardId = this.boardId; + card.swimlaneId = this.swimlaneId; + card.copy(); + }); + }, + cards(swimlaneId) { const selector = { listId: this._id, -- cgit v1.2.3-1-g7c22 From 60be4df76e02afdf4dd62f8e03505d55c0ed119e Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Sat, 23 Feb 2019 23:07:54 +0100 Subject: Allow swimlane creation from template Mix lists with same name to avoid duplicates --- client/components/cards/cardDetails.jade | 3 --- client/components/cards/cardDetails.js | 3 --- client/components/lists/listBody.jade | 5 +++- client/components/lists/listBody.js | 19 ++++++------- client/components/swimlanes/swimlaneHeader.jade | 5 ++++ client/components/swimlanes/swimlaneHeader.js | 1 + client/components/swimlanes/swimlanes.js | 8 +++--- models/boards.js | 24 +++++++++++++++++ models/lists.js | 36 ++++++++++++++----------- models/swimlanes.js | 31 +++++++++++++++++++++ 10 files changed, 100 insertions(+), 35 deletions(-) diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index 4d9b2e08..25316d04 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -247,9 +247,6 @@ template(name="cardDetailsActionsPopup") unless archived li: a.js-archive {{_ 'archive-card'}} li: a.js-more {{_ 'cardMorePopup-title'}} - hr - ul.pop-over-list - li: a.js-template-card {{_ 'cardTemplatePopup-title'}} template(name="moveCardPopup") +boardsAndLists diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index 1281356d..73a7a67d 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -365,9 +365,6 @@ Template.cardDetailsActionsPopup.events({ if (!err && ret) Popup.close(); }); }, - 'click .js-template-card' () { - console.log('REMOVE Creating template card'); - }, }); Template.editCardTitleForm.onRendered(function () { diff --git a/client/components/lists/listBody.jade b/client/components/lists/listBody.jade index 46f90f99..fcc28777 100644 --- a/client/components/lists/listBody.jade +++ b/client/components/lists/listBody.jade @@ -91,7 +91,7 @@ template(name="linkCardPopup") unless isSandstorm input.primary.confirm.js-done(type="button" value="{{_ 'link'}}") -template(name="searchCardPopup") +template(name="searchElementPopup") unless isTemplateSearch label {{_ 'boards'}}: .link-board-wrapper @@ -110,6 +110,9 @@ template(name="searchCardPopup") if isSwimlaneTemplateSearch a.minicard-wrapper.js-minicard +miniswimlane(this) + if isCardTemplateSearch + a.minicard-wrapper.js-minicard + +minicard(this) unless isTemplateSearch a.minicard-wrapper.js-minicard +minicard(this) diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index ad34efef..f8634c0b 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -315,8 +315,8 @@ BlazeComponent.extendComponent({ return [{ keydown: this.pressKey, 'click .js-link': Popup.open('linkCard'), - 'click .js-search': Popup.open('searchCard'), - 'click .js-search-template': Popup.open('searchCard'), + 'click .js-search': Popup.open('searchElement'), + 'click .js-card-template': Popup.open('searchElement'), }]; }, @@ -526,7 +526,7 @@ BlazeComponent.extendComponent({ onCreated() { this.isCardTemplateSearch = $(Popup._getTopStack().openerElement).hasClass('js-card-template'); this.isListTemplateSearch = $(Popup._getTopStack().openerElement).hasClass('js-list-template'); - this.isSwimlaneTemplateSearch = $(Popup._getTopStack().openerElement).hasClass('js-swimlane-template'); + this.isSwimlaneTemplateSearch = $(Popup._getTopStack().openerElement).hasClass('js-open-add-swimlane-menu'); this.isTemplateSearch = this.isCardTemplateSearch || this.isListTemplateSearch || this.isSwimlaneTemplateSearch; let board = {}; if (this.isTemplateSearch) { @@ -551,14 +551,13 @@ BlazeComponent.extendComponent({ this.boardId = Session.get('currentBoard'); // In order to get current board info subManager.subscribe('board', this.boardId); - board = Boards.findOne(this.boardId); // List where to insert card const list = $(Popup._getTopStack().openerElement).closest('.js-list'); this.listId = Blaze.getData(list[0])._id; // Swimlane where to insert card - const swimlane = $(Popup._getTopStack().openerElement).closest('.js-swimlane'); + const swimlane = $(Popup._getTopStack().openerElement).parents('.js-swimlane'); this.swimlaneId = ''; - if (board.view === 'board-view-swimlanes') + if (Meteor.user().profile.boardView === 'board-view-swimlanes') this.swimlaneId = Blaze.getData(swimlane[0])._id; else this.swimlaneId = Swimlanes.findOne({boardId: this.boardId})._id; @@ -606,7 +605,6 @@ BlazeComponent.extendComponent({ 'click .js-minicard'(evt) { // 0. Common let element = Blaze.getData(evt.currentTarget); - console.log(element); element.boardId = this.boardId; let _id = ''; if (!this.isTemplateSearch || this.isCardTemplateSearch) { @@ -630,14 +628,17 @@ BlazeComponent.extendComponent({ Filter.addException(_id); // List insertion } else if (this.isListTemplateSearch) { - element.swimlaneId = ''; element.sort = Swimlanes.findOne(this.swimlaneId).lists().count(); element.type = 'list'; element.swimlaneId = this.swimlaneId; _id = element.copy(); + } else if (this.isSwimlaneTemplateSearch) { + element.sort = Boards.findOne(this.boardId).swimlanes().count(); + element.type = 'swimlalne'; + _id = element.copy(); } Popup.close(); }, }]; }, -}).register('searchCardPopup'); +}).register('searchElementPopup'); diff --git a/client/components/swimlanes/swimlaneHeader.jade b/client/components/swimlanes/swimlaneHeader.jade index 810dd57f..de9621d5 100644 --- a/client/components/swimlanes/swimlaneHeader.jade +++ b/client/components/swimlanes/swimlaneHeader.jade @@ -40,6 +40,11 @@ template(name="swimlaneAddPopup") autocomplete="off" autofocus) .edit-controls.clearfix button.primary.confirm(type="submit") {{_ 'add'}} + unless currentBoard.isTemplatesBoard + unless currentBoard.isTemplateBoard + span.quiet + | {{_ 'or'}} + a.js-swimlane-template {{_ 'template'}} template(name="setSwimlaneColorPopup") form.edit-label diff --git a/client/components/swimlanes/swimlaneHeader.js b/client/components/swimlanes/swimlaneHeader.js index b78bdc96..e7f3cc76 100644 --- a/client/components/swimlanes/swimlaneHeader.js +++ b/client/components/swimlanes/swimlaneHeader.js @@ -65,6 +65,7 @@ BlazeComponent.extendComponent({ // with a minimum of interactions Popup.close(); }, + 'click .js-swimlane-template': Popup.open('searchElement'), }]; }, }).register('swimlaneAddPopup'); diff --git a/client/components/swimlanes/swimlanes.js b/client/components/swimlanes/swimlanes.js index bdaed81d..b4277d4f 100644 --- a/client/components/swimlanes/swimlanes.js +++ b/client/components/swimlanes/swimlanes.js @@ -154,8 +154,8 @@ BlazeComponent.extendComponent({ BlazeComponent.extendComponent({ onCreated() { - currentBoard = Boards.findOne(Session.get('currentBoard')); - this.isListTemplatesSwimlane = currentBoard.isTemplatesBoard() && this.currentData().isListTemplatesSwimlane(); + this.currentBoard = Boards.findOne(Session.get('currentBoard')); + this.isListTemplatesSwimlane = this.currentBoard.isTemplatesBoard() && this.currentData().isListTemplatesSwimlane(); this.currentSwimlane = this.currentData(); }, @@ -176,14 +176,14 @@ BlazeComponent.extendComponent({ boardId: Session.get('currentBoard'), sort: $('.list').length, type: (this.isListTemplatesSwimlane)?'template-list':'list', - swimlaneId: (this.isListTemplatesSwimlane)?this.currentSwimlane._id:'', + swimlaneId: (this.currentBoard.isTemplatesBoard())?this.currentSwimlane._id:'', }); titleInput.value = ''; titleInput.focus(); } }, - 'click .js-list-template': Popup.open('searchCard'), + 'click .js-list-template': Popup.open('searchElement'), }]; }, }).register('addListForm'); diff --git a/models/boards.js b/models/boards.js index 530a6f71..d81ded15 100644 --- a/models/boards.js +++ b/models/boards.js @@ -463,6 +463,30 @@ Boards.helpers({ return _id; }, + searchSwimlanes(term) { + check(term, Match.OneOf(String, null, undefined)); + + const query = { boardId: this._id }; + if (this.isTemplatesBoard()) { + query.type = 'template-swimlane'; + query.archived = false; + } else { + query.type = {$nin: ['template-swimlane']}; + } + const projection = { limit: 10, sort: { createdAt: -1 } }; + + if (term) { + const regex = new RegExp(term, 'i'); + + query.$or = [ + { title: regex }, + { description: regex }, + ]; + } + + return Swimlanes.find(query, projection); + }, + searchLists(term) { check(term, Match.OneOf(String, null, undefined)); diff --git a/models/lists.js b/models/lists.js index e2ded36e..76708ffd 100644 --- a/models/lists.js +++ b/models/lists.js @@ -139,8 +139,17 @@ Lists.allow({ Lists.helpers({ copy() { const oldId = this._id; - this._id = null; - const _id = Lists.insert(this); + let _id = null; + existingListWithSameName = Lists.findOne({ + boardId: this.boardId, + title: this.title, + }); + if (existingListWithSameName) { + _id = existingListWithSameName._id; + } else { + this._id = null; + _id = Lists.insert(this); + } // Copy all cards in list Cards.find({ @@ -213,23 +222,20 @@ Lists.mutations({ }, archive() { - Cards.find({ - listId: this._id, - archived: false, - }).forEach((card) => { - return card.archive(); - }); + if (this.isTemplateList()) { + this.cards().forEach((card) => { + return card.archive(); + }); + } return { $set: { archived: true } }; }, restore() { - cardsToRestore = Cards.find({ - listId: this._id, - archived: true, - }); - cardsToRestore.forEach((card) => { - card.restore(); - }); + if (this.isTemplateList()) { + this.allCards().forEach((card) => { + return card.restore(); + }); + } return { $set: { archived: false } }; }, diff --git a/models/swimlanes.js b/models/swimlanes.js index be3f617c..205f1498 100644 --- a/models/swimlanes.js +++ b/models/swimlanes.js @@ -101,6 +101,23 @@ Swimlanes.allow({ }); Swimlanes.helpers({ + copy() { + const oldId = this._id; + this._id = null; + const _id = Swimlanes.insert(this); + + // Copy all lists in swimlane + Lists.find({ + swimlaneId: oldId, + archived: false, + }).forEach((list) => { + list.type = 'list'; + list.swimlaneId = _id; + list.boardId = this.boardId; + list.copy(); + }); + }, + cards() { return Cards.find(Filter.mongoSelector({ swimlaneId: this._id, @@ -115,6 +132,10 @@ Swimlanes.helpers({ }), { sort: ['sort'] }); }, + allLists() { + return Lists.find({ swimlaneId: this._id }); + }, + allCards() { return Cards.find({ swimlaneId: this._id }); }, @@ -159,10 +180,20 @@ Swimlanes.mutations({ }, archive() { + if (this.isTemplateSwimlane()) { + this.lists().forEach((list) => { + return list.archive(); + }); + } return { $set: { archived: true } }; }, restore() { + if (this.isTemplateSwimlane()) { + this.allLists().forEach((list) => { + return list.restore(); + }); + } return { $set: { archived: false } }; }, -- cgit v1.2.3-1-g7c22 From eb62c9ce6ad0fa0d5de7889ec087db8cdc579339 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Sun, 24 Feb 2019 00:13:35 +0100 Subject: Fix lint errors --- client/components/boards/boardsList.js | 4 +- client/components/lists/listBody.js | 80 ++++++++++++++++----------------- client/components/users/userHeader.js | 4 +- models/boards.js | 12 ++--- models/cards.js | 38 ++++++++-------- models/checklists.js | 20 ++++----- models/lists.js | 50 ++++++++++----------- models/swimlanes.js | 48 ++++++++++---------- models/users.js | 82 +++++++++++++++++----------------- 9 files changed, 169 insertions(+), 169 deletions(-) diff --git a/client/components/boards/boardsList.js b/client/components/boards/boardsList.js index 3fd2d889..df495bb1 100644 --- a/client/components/boards/boardsList.js +++ b/client/components/boards/boardsList.js @@ -8,10 +8,10 @@ Template.boardListHeaderBar.events({ Template.boardListHeaderBar.helpers({ templatesBoardId() { - return Meteor.user().getTemplatesBoardId(); + return Meteor.user().getTemplatesBoardId(); }, templatesBoardSlug() { - return Meteor.user().getTemplatesBoardSlug(); + return Meteor.user().getTemplatesBoardSlug(); }, }); diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index f8634c0b..befcf72f 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -81,16 +81,16 @@ BlazeComponent.extendComponent({ cardType = 'template-card'; // If this is the board templates swimlane, insert a board template and a linked card else if (swimlane.isBoardTemplatesSwimlane()) { - linkedId = Boards.insert({ - title, - permission: 'private', - type: 'template-board', - }); - Swimlanes.insert({ - title: TAPi18n.__('default'), - boardId: linkedId, - }); - cardType = 'cardType-linkedBoard'; + linkedId = Boards.insert({ + title, + permission: 'private', + type: 'template-board', + }); + Swimlanes.insert({ + title: TAPi18n.__('default'), + boardId: linkedId, + }); + cardType = 'cardType-linkedBoard'; } } else if (boardView === 'board-view-swimlanes') swimlaneId = this.parentComponent().parentComponent().data()._id; @@ -149,9 +149,9 @@ BlazeComponent.extendComponent({ const methodName = evt.shiftKey ? 'toggleRange' : 'toggle'; MultiSelection[methodName](this.currentData()._id); - // If the card is already selected, we want to de-select it. - // XXX We should probably modify the minicard href attribute instead of - // overwriting the event in case the card is already selected. + // If the card is already selected, we want to de-select it. + // XXX We should probably modify the minicard href attribute instead of + // overwriting the event in case the card is already selected. } else if (Session.equals('currentCard', this.currentData()._id)) { evt.stopImmediatePropagation(); evt.preventDefault(); @@ -171,8 +171,8 @@ BlazeComponent.extendComponent({ idOrNull(swimlaneId) { const currentUser = Meteor.user(); - if (currentUser.profile.boardView === 'board-view-swimlanes' - || this.data().board().isTemplatesBoard()) + if (currentUser.profile.boardView === 'board-view-swimlanes' || + this.data().board().isTemplatesBoard()) return swimlaneId; return undefined; }, @@ -292,8 +292,8 @@ BlazeComponent.extendComponent({ // work. $form.find('button[type=submit]').click(); - // Pressing Tab should open the form of the next column, and Maj+Tab go - // in the reverse order + // Pressing Tab should open the form of the next column, and Maj+Tab go + // in the reverse order } else if (evt.keyCode === 9) { evt.preventDefault(); const isReverse = evt.shiftKey; @@ -354,7 +354,7 @@ BlazeComponent.extendComponent({ const currentBoard = Boards.findOne(Session.get('currentBoard')); callback($.map(currentBoard.labels, (label) => { if (label.name.indexOf(term) > -1 || - label.color.indexOf(term) > -1) { + label.color.indexOf(term) > -1) { return label; } return null; @@ -530,7 +530,7 @@ BlazeComponent.extendComponent({ this.isTemplateSearch = this.isCardTemplateSearch || this.isListTemplateSearch || this.isSwimlaneTemplateSearch; let board = {}; if (this.isTemplateSearch) { - board = Boards.findOne(Meteor.user().profile.templatesBoardId); + board = Boards.findOne(Meteor.user().profile.templatesBoardId); } else { // Prefetch first non-current board id board = Boards.findOne({ @@ -582,13 +582,13 @@ BlazeComponent.extendComponent({ } const board = Boards.findOne(this.selectedBoardId.get()); if (!this.isTemplateSearch || this.isCardTemplateSearch) { - return board.searchCards(this.term.get(), false); + return board.searchCards(this.term.get(), false); } else if (this.isListTemplateSearch) { - return board.searchLists(this.term.get()); + return board.searchLists(this.term.get()); } else if (this.isSwimlaneTemplateSearch) { - return board.searchSwimlanes(this.term.get()); + return board.searchSwimlanes(this.term.get()); } else { - return []; + return []; } }, @@ -604,7 +604,7 @@ BlazeComponent.extendComponent({ }, 'click .js-minicard'(evt) { // 0. Common - let element = Blaze.getData(evt.currentTarget); + const element = Blaze.getData(evt.currentTarget); element.boardId = this.boardId; let _id = ''; if (!this.isTemplateSearch || this.isCardTemplateSearch) { @@ -615,27 +615,27 @@ BlazeComponent.extendComponent({ element.sort = Lists.findOne(this.listId).cards().count(); // 1.A From template if (this.isTemplateSearch) { - element.type = 'cardType-card'; - element.linkedId = ''; - _id = element.copy(); - // 1.B Linked card + element.type = 'cardType-card'; + element.linkedId = ''; + _id = element.copy(); + // 1.B Linked card } else { - element._id = null; - element.type = 'cardType-linkedCard'; - element.linkedId = element.linkedId || element._id; - _id = Cards.insert(element); + element._id = null; + element.type = 'cardType-linkedCard'; + element.linkedId = element.linkedId || element._id; + _id = Cards.insert(element); } Filter.addException(_id); - // List insertion + // List insertion } else if (this.isListTemplateSearch) { - element.sort = Swimlanes.findOne(this.swimlaneId).lists().count(); - element.type = 'list'; - element.swimlaneId = this.swimlaneId; - _id = element.copy(); + element.sort = Swimlanes.findOne(this.swimlaneId).lists().count(); + element.type = 'list'; + element.swimlaneId = this.swimlaneId; + _id = element.copy(); } else if (this.isSwimlaneTemplateSearch) { - element.sort = Boards.findOne(this.boardId).swimlanes().count(); - element.type = 'swimlalne'; - _id = element.copy(); + element.sort = Boards.findOne(this.boardId).swimlanes().count(); + element.type = 'swimlalne'; + _id = element.copy(); } Popup.close(); }, diff --git a/client/components/users/userHeader.js b/client/components/users/userHeader.js index 29b29534..6a2397a4 100644 --- a/client/components/users/userHeader.js +++ b/client/components/users/userHeader.js @@ -5,10 +5,10 @@ Template.headerUserBar.events({ Template.memberMenuPopup.helpers({ templatesBoardId() { - return Meteor.user().getTemplatesBoardId(); + return Meteor.user().getTemplatesBoardId(); }, templatesBoardSlug() { - return Meteor.user().getTemplatesBoardSlug(); + return Meteor.user().getTemplatesBoardSlug(); }, }); diff --git a/models/boards.js b/models/boards.js index d81ded15..0d3213bc 100644 --- a/models/boards.js +++ b/models/boards.js @@ -471,7 +471,7 @@ Boards.helpers({ query.type = 'template-swimlane'; query.archived = false; } else { - query.type = {$nin: ['template-swimlane']}; + query.type = {$nin: ['template-swimlane']}; } const projection = { limit: 10, sort: { createdAt: -1 } }; @@ -495,7 +495,7 @@ Boards.helpers({ query.type = 'template-list'; query.archived = false; } else { - query.type = {$nin: ['template-list']}; + query.type = {$nin: ['template-list']}; } const projection = { limit: 10, sort: { createdAt: -1 } }; @@ -522,7 +522,7 @@ Boards.helpers({ query.type = 'template-card'; query.archived = false; } else { - query.type = {$nin: ['template-card']}; + query.type = {$nin: ['template-card']}; } const projection = { limit: 10, sort: { createdAt: -1 } }; @@ -975,7 +975,7 @@ if (Meteor.isServer) { * @param {string} userId the ID of the user to retrieve the data * @return_type [{_id: string, title: string}] - */ + */ JsonRoutes.add('GET', '/api/users/:userId/boards', function (req, res) { try { Authentication.checkLoggedIn(req.userId); @@ -1012,7 +1012,7 @@ if (Meteor.isServer) { * * @return_type [{_id: string, title: string}] - */ + */ JsonRoutes.add('GET', '/api/boards', function (req, res) { try { Authentication.checkUserId(req.userId); @@ -1083,7 +1083,7 @@ if (Meteor.isServer) { * * @return_type {_id: string, defaultSwimlaneId: string} - */ + */ JsonRoutes.add('POST', '/api/boards', function (req, res) { try { Authentication.checkUserId(req.userId); diff --git a/models/cards.js b/models/cards.js index c7b4a366..e91f0af5 100644 --- a/models/cards.js +++ b/models/cards.js @@ -273,28 +273,28 @@ Cards.allow({ Cards.helpers({ copy() { - const oldId = this._id; - this._id = null; - const _id = Cards.insert(this); + const oldId = this._id; + this._id = null; + const _id = Cards.insert(this); - // copy checklists - Checklists.find({cardId: oldId}).forEach((ch) => { - ch.copy(_id); - }); + // copy checklists + Checklists.find({cardId: oldId}).forEach((ch) => { + ch.copy(_id); + }); - // copy subtasks - Cards.find({parentId: oldId}).forEach((subtask) => { - subtask.parentId = _id; - subtask._id = null; - Cards.insert(subtask); - }); + // copy subtasks + Cards.find({parentId: oldId}).forEach((subtask) => { + subtask.parentId = _id; + subtask._id = null; + Cards.insert(subtask); + }); - // copy card comments - CardComments.find({cardId: oldId}).forEach((cmt) => { - cmt.copy(_id); - }); + // copy card comments + CardComments.find({cardId: oldId}).forEach((cmt) => { + cmt.copy(_id); + }); - return _id; + return _id; }, list() { @@ -1259,7 +1259,7 @@ Cards.mutations({ function cardMove(userId, doc, fieldNames, oldListId, oldSwimlaneId) { if ((_.contains(fieldNames, 'listId') && doc.listId !== oldListId) || - (_.contains(fieldNames, 'swimlaneId') && doc.swimlaneId !== oldSwimlaneId)){ + (_.contains(fieldNames, 'swimlaneId') && doc.swimlaneId !== oldSwimlaneId)){ Activities.insert({ userId, oldListId, diff --git a/models/checklists.js b/models/checklists.js index 99e9f25e..9e763f1a 100644 --- a/models/checklists.js +++ b/models/checklists.js @@ -49,16 +49,16 @@ Checklists.attachSchema(new SimpleSchema({ Checklists.helpers({ copy(newCardId) { - const oldChecklistId = this._id; - this._id = null; - this.cardId = newCardId; - const newChecklistId = Checklists.insert(this); - ChecklistItems.find({checklistId: oldChecklistId}).forEach((item) => { - item._id = null; - item.checklistId = newChecklistId; - item.cardId = newCardId; - ChecklistItems.insert(item); - }); + const oldChecklistId = this._id; + this._id = null; + this.cardId = newCardId; + const newChecklistId = Checklists.insert(this); + ChecklistItems.find({checklistId: oldChecklistId}).forEach((item) => { + item._id = null; + item.checklistId = newChecklistId; + item.cardId = newCardId; + ChecklistItems.insert(item); + }); }, itemCount() { diff --git a/models/lists.js b/models/lists.js index 76708ffd..453e0be1 100644 --- a/models/lists.js +++ b/models/lists.js @@ -138,30 +138,30 @@ Lists.allow({ Lists.helpers({ copy() { - const oldId = this._id; - let _id = null; - existingListWithSameName = Lists.findOne({ - boardId: this.boardId, - title: this.title, - }); - if (existingListWithSameName) { - _id = existingListWithSameName._id; - } else { - this._id = null; - _id = Lists.insert(this); - } + const oldId = this._id; + let _id = null; + existingListWithSameName = Lists.findOne({ + boardId: this.boardId, + title: this.title, + }); + if (existingListWithSameName) { + _id = existingListWithSameName._id; + } else { + this._id = null; + _id = Lists.insert(this); + } - // Copy all cards in list - Cards.find({ - listId: oldId, - archived: false, - }).forEach((card) => { - card.type = 'cardType-card'; - card.listId = _id; - card.boardId = this.boardId; - card.swimlaneId = this.swimlaneId; - card.copy(); - }); + // Copy all cards in list + Cards.find({ + listId: oldId, + archived: false, + }).forEach((card) => { + card.type = 'cardType-card'; + card.listId = _id; + card.boardId = this.boardId; + card.swimlaneId = this.swimlaneId; + card.copy(); + }); }, cards(swimlaneId) { @@ -224,7 +224,7 @@ Lists.mutations({ archive() { if (this.isTemplateList()) { this.cards().forEach((card) => { - return card.archive(); + return card.archive(); }); } return { $set: { archived: true } }; @@ -233,7 +233,7 @@ Lists.mutations({ restore() { if (this.isTemplateList()) { this.allCards().forEach((card) => { - return card.restore(); + return card.restore(); }); } return { $set: { archived: false } }; diff --git a/models/swimlanes.js b/models/swimlanes.js index 205f1498..6f679a8d 100644 --- a/models/swimlanes.js +++ b/models/swimlanes.js @@ -102,20 +102,20 @@ Swimlanes.allow({ Swimlanes.helpers({ copy() { - const oldId = this._id; - this._id = null; - const _id = Swimlanes.insert(this); + const oldId = this._id; + this._id = null; + const _id = Swimlanes.insert(this); - // Copy all lists in swimlane - Lists.find({ - swimlaneId: oldId, - archived: false, - }).forEach((list) => { - list.type = 'list'; - list.swimlaneId = _id; - list.boardId = this.boardId; - list.copy(); - }); + // Copy all lists in swimlane + Lists.find({ + swimlaneId: oldId, + archived: false, + }).forEach((list) => { + list.type = 'list'; + list.swimlaneId = _id; + list.boardId = this.boardId; + list.copy(); + }); }, cards() { @@ -127,8 +127,8 @@ Swimlanes.helpers({ lists() { return Lists.find(Filter.mongoSelector({ - swimlaneId: this._id, - archived: false, + swimlaneId: this._id, + archived: false, }), { sort: ['sort'] }); }, @@ -155,22 +155,22 @@ Swimlanes.helpers({ }, isTemplateContainer() { - return this.type === 'template-container'; + return this.type === 'template-container'; }, isListTemplatesSwimlane() { - const user = Users.findOne(Meteor.userId()); - return user.profile.listTemplatesSwimlaneId === this._id; + const user = Users.findOne(Meteor.userId()); + return user.profile.listTemplatesSwimlaneId === this._id; }, isCardTemplatesSwimlane() { - const user = Users.findOne(Meteor.userId()); - return user.profile.cardTemplatesSwimlaneId === this._id; + const user = Users.findOne(Meteor.userId()); + return user.profile.cardTemplatesSwimlaneId === this._id; }, isBoardTemplatesSwimlane() { - const user = Users.findOne(Meteor.userId()); - return user.profile.boardTemplatesSwimlaneId === this._id; + const user = Users.findOne(Meteor.userId()); + return user.profile.boardTemplatesSwimlaneId === this._id; }, }); @@ -182,7 +182,7 @@ Swimlanes.mutations({ archive() { if (this.isTemplateSwimlane()) { this.lists().forEach((list) => { - return list.archive(); + return list.archive(); }); } return { $set: { archived: true } }; @@ -191,7 +191,7 @@ Swimlanes.mutations({ restore() { if (this.isTemplateSwimlane()) { this.allLists().forEach((list) => { - return list.restore(); + return list.restore(); }); } return { $set: { archived: false } }; diff --git a/models/users.js b/models/users.js index 87f2b860..9bc4f175 100644 --- a/models/users.js +++ b/models/users.js @@ -358,11 +358,11 @@ Users.helpers({ }, getTemplatesBoardId() { - return this.profile.templatesBoardId; + return this.profile.templatesBoardId; }, getTemplatesBoardSlug() { - return Boards.findOne(this.profile.templatesBoardId).slug; + return Boards.findOne(this.profile.templatesBoardId).slug; }, }); @@ -741,47 +741,47 @@ if (Meteor.isServer) { Boards.insert({ title: TAPi18n.__('templates'), permission: 'private', - type: 'template-container' + type: 'template-container', }, fakeUser, (err, boardId) => { - // Insert the reference to our templates board - Users.update(fakeUserId.get(), {$set: {'profile.templatesBoardId': boardId}}); - - // Insert the card templates swimlane - Swimlanes.insert({ - title: TAPi18n.__('card-templates-swimlane'), - boardId, - sort: 1, - type: 'template-container', - }, fakeUser, (err, swimlaneId) => { - - // Insert the reference to out card templates swimlane - Users.update(fakeUserId.get(), {$set: {'profile.cardTemplatesSwimlaneId': swimlaneId}}); - }); - - // Insert the list templates swimlane - Swimlanes.insert({ - title: TAPi18n.__('list-templates-swimlane'), - boardId, - sort: 2, - type: 'template-container', - }, fakeUser, (err, swimlaneId) => { - - // Insert the reference to out list templates swimlane - Users.update(fakeUserId.get(), {$set: {'profile.listTemplatesSwimlaneId': swimlaneId}}); - }); - - // Insert the board templates swimlane - Swimlanes.insert({ - title: TAPi18n.__('board-templates-swimlane'), - boardId, - sort: 3, - type: 'template-container', - }, fakeUser, (err, swimlaneId) => { - - // Insert the reference to out board templates swimlane - Users.update(fakeUserId.get(), {$set: {'profile.boardTemplatesSwimlaneId': swimlaneId}}); - }); + // Insert the reference to our templates board + Users.update(fakeUserId.get(), {$set: {'profile.templatesBoardId': boardId}}); + + // Insert the card templates swimlane + Swimlanes.insert({ + title: TAPi18n.__('card-templates-swimlane'), + boardId, + sort: 1, + type: 'template-container', + }, fakeUser, (err, swimlaneId) => { + + // Insert the reference to out card templates swimlane + Users.update(fakeUserId.get(), {$set: {'profile.cardTemplatesSwimlaneId': swimlaneId}}); + }); + + // Insert the list templates swimlane + Swimlanes.insert({ + title: TAPi18n.__('list-templates-swimlane'), + boardId, + sort: 2, + type: 'template-container', + }, fakeUser, (err, swimlaneId) => { + + // Insert the reference to out list templates swimlane + Users.update(fakeUserId.get(), {$set: {'profile.listTemplatesSwimlaneId': swimlaneId}}); + }); + + // Insert the board templates swimlane + Swimlanes.insert({ + title: TAPi18n.__('board-templates-swimlane'), + boardId, + sort: 3, + type: 'template-container', + }, fakeUser, (err, swimlaneId) => { + + // Insert the reference to out board templates swimlane + Users.update(fakeUserId.get(), {$set: {'profile.boardTemplatesSwimlaneId': swimlaneId}}); + }); }); }); }); -- cgit v1.2.3-1-g7c22 From 775476f97c1dda92e856ca4650e6003ea1487d2b Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Sun, 24 Feb 2019 11:54:52 +0100 Subject: Fix miniscreen render --- client/components/lists/listBody.js | 4 ++-- client/components/swimlanes/swimlanes.jade | 19 ++++++------------- client/components/swimlanes/swimlanes.js | 9 +++++++++ models/lists.js | 6 +++--- models/swimlanes.js | 7 ++++--- 5 files changed, 24 insertions(+), 21 deletions(-) diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index befcf72f..7b3dc6a6 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -630,8 +630,8 @@ BlazeComponent.extendComponent({ } else if (this.isListTemplateSearch) { element.sort = Swimlanes.findOne(this.swimlaneId).lists().count(); element.type = 'list'; - element.swimlaneId = this.swimlaneId; - _id = element.copy(); + element.swimlaneId = ''; + _id = element.copy(this.swimlaneId); } else if (this.isSwimlaneTemplateSearch) { element.sort = Boards.findOne(this.boardId).swimlanes().count(); element.type = 'swimlalne'; diff --git a/client/components/swimlanes/swimlanes.jade b/client/components/swimlanes/swimlanes.jade index ba174cb5..c56834df 100644 --- a/client/components/swimlanes/swimlanes.jade +++ b/client/components/swimlanes/swimlanes.jade @@ -3,22 +3,15 @@ template(name="swimlane") +swimlaneHeader .swimlane.js-lists.js-swimlane if isMiniScreen - if currentList + if currentListIsInThisSwimlane _id +list(currentList) - else - each currentBoard.lists + unless currentList + each lists +miniList(this) if currentUser.isBoardMember +addListForm - else if currentBoard.isTemplatesBoard - each lists - +list(this) - if currentCardIsInThisList _id ../_id - +cardDetails(currentCard) - if currentUser.isBoardMember - +addListForm else - each currentBoard.lists + each lists +list(this) if currentCardIsInThisList _id ../_id +cardDetails(currentCard) @@ -31,12 +24,12 @@ template(name="listsGroup") if currentList +list(currentList) else - each currentBoard.lists + each lists +miniList(this) if currentUser.isBoardMember +addListForm else - each currentBoard.lists + each lists +list(this) if currentCardIsInThisList _id null +cardDetails(currentCard) diff --git a/client/components/swimlanes/swimlanes.js b/client/components/swimlanes/swimlanes.js index b4277d4f..519b00d2 100644 --- a/client/components/swimlanes/swimlanes.js +++ b/client/components/swimlanes/swimlanes.js @@ -1,5 +1,10 @@ const { calculateIndex, enableClickOnTouch } = Utils; +function currentListIsInThisSwimlane(swimlaneId) { + const currentList = Lists.findOne(Session.get('currentList')); + return currentList && (currentList.swimlaneId === swimlaneId || currentList.swimlaneId === ''); +} + function currentCardIsInThisList(listId, swimlaneId) { const currentCard = Cards.findOne(Session.get('currentCard')); const currentUser = Meteor.user(); @@ -114,6 +119,10 @@ BlazeComponent.extendComponent({ return currentCardIsInThisList(listId, swimlaneId); }, + currentListIsInThisSwimlane(swimlaneId) { + return currentListIsInThisSwimlane(swimlaneId); + }, + events() { return [{ // Click-and-drag action diff --git a/models/lists.js b/models/lists.js index 453e0be1..bf2430ee 100644 --- a/models/lists.js +++ b/models/lists.js @@ -29,7 +29,7 @@ Lists.attachSchema(new SimpleSchema({ }, swimlaneId: { /** - * the swimalen associated to this list. Used for templates + * the swimlane associated to this list. Used for templates */ type: String, defaultValue: '', @@ -137,7 +137,7 @@ Lists.allow({ }); Lists.helpers({ - copy() { + copy(swimlaneId) { const oldId = this._id; let _id = null; existingListWithSameName = Lists.findOne({ @@ -159,7 +159,7 @@ Lists.helpers({ card.type = 'cardType-card'; card.listId = _id; card.boardId = this.boardId; - card.swimlaneId = this.swimlaneId; + card.swimlaneId = swimlaneId; card.copy(); }); }, diff --git a/models/swimlanes.js b/models/swimlanes.js index 6f679a8d..d3548329 100644 --- a/models/swimlanes.js +++ b/models/swimlanes.js @@ -112,9 +112,9 @@ Swimlanes.helpers({ archived: false, }).forEach((list) => { list.type = 'list'; - list.swimlaneId = _id; + list.swimlaneId = ''; list.boardId = this.boardId; - list.copy(); + list.copy(_id); }); }, @@ -127,7 +127,8 @@ Swimlanes.helpers({ lists() { return Lists.find(Filter.mongoSelector({ - swimlaneId: this._id, + boardId: this.boardId, + swimlaneId: {$in: [this._id, '']}, archived: false, }), { sort: ['sort'] }); }, -- cgit v1.2.3-1-g7c22 From 7033315cd36530330af6f785716cce9342ef4a72 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Sun, 24 Feb 2019 12:55:34 +0100 Subject: Add migrations --- server/migrations.js | 95 ++++++++++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 95 insertions(+) diff --git a/server/migrations.js b/server/migrations.js index 8dcd892a..cb64b7e8 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -422,3 +422,98 @@ Migrations.add('add-defaultAuthenticationMethod', () => { }, }, noValidateMulti); }); + +Migrations.add('add-templates', () => { + Boards.update({ + type: { + $exists: false, + }, + }, { + $set: { + type: 'board', + }, + }, noValidateMulti); + Swimlanes.update({ + type: { + $exists: false, + }, + }, { + $set: { + type: 'swimlane', + }, + }, noValidateMulti); + Lists.update({ + type: { + $exists: false, + }, + swimlaneId: { + $exists: false, + }, + }, { + $set: { + type: 'list', + swimlaneId: '', + }, + }, noValidateMulti); + Users.find({ + 'profile.templatesBoardId': { + $exists: false, + }, + }).forEach((user) => { + // Create board and swimlanes + Boards.insert({ + title: TAPi18n.__('templates'), + permission: 'private', + type: 'template-container', + members: [ + { + userId: user._id, + isAdmin: true, + isActive: true, + isNoComments: false, + isCommentOnly: false, + }, + ], + }, (err, boardId) => { + + // Insert the reference to our templates board + Users.update(user._id, {$set: {'profile.templatesBoardId': boardId}}); + + // Insert the card templates swimlane + Swimlanes.insert({ + title: TAPi18n.__('card-templates-swimlane'), + boardId, + sort: 1, + type: 'template-container', + }, (err, swimlaneId) => { + + // Insert the reference to out card templates swimlane + Users.update(user._id, {$set: {'profile.cardTemplatesSwimlaneId': swimlaneId}}); + }); + + // Insert the list templates swimlane + Swimlanes.insert({ + title: TAPi18n.__('list-templates-swimlane'), + boardId, + sort: 2, + type: 'template-container', + }, (err, swimlaneId) => { + + // Insert the reference to out list templates swimlane + Users.update(user._id, {$set: {'profile.listTemplatesSwimlaneId': swimlaneId}}); + }); + + // Insert the board templates swimlane + Swimlanes.insert({ + title: TAPi18n.__('board-templates-swimlane'), + boardId, + sort: 3, + type: 'template-container', + }, (err, swimlaneId) => { + + // Insert the reference to out board templates swimlane + Users.update(user._id, {$set: {'profile.boardTemplatesSwimlaneId': swimlaneId}}); + }); + }); + }); +}); -- cgit v1.2.3-1-g7c22 From 13c2157e36f65be4138a85fae0379e0fe31f02bd Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 25 Feb 2019 06:14:43 +0200 Subject: Update translations. --- i18n/ar.i18n.json | 6 ++++++ i18n/bg.i18n.json | 6 ++++++ i18n/br.i18n.json | 6 ++++++ i18n/ca.i18n.json | 6 ++++++ i18n/cs.i18n.json | 6 ++++++ i18n/da.i18n.json | 6 ++++++ i18n/de.i18n.json | 6 ++++++ i18n/el.i18n.json | 6 ++++++ i18n/en-GB.i18n.json | 6 ++++++ i18n/eo.i18n.json | 6 ++++++ i18n/es-AR.i18n.json | 6 ++++++ i18n/es.i18n.json | 6 ++++++ i18n/eu.i18n.json | 6 ++++++ i18n/fa.i18n.json | 6 ++++++ i18n/fi.i18n.json | 6 ++++++ i18n/fr.i18n.json | 6 ++++++ i18n/gl.i18n.json | 6 ++++++ i18n/he.i18n.json | 6 ++++++ i18n/hi.i18n.json | 6 ++++++ i18n/hu.i18n.json | 6 ++++++ i18n/hy.i18n.json | 6 ++++++ i18n/id.i18n.json | 6 ++++++ i18n/ig.i18n.json | 6 ++++++ i18n/it.i18n.json | 6 ++++++ i18n/ja.i18n.json | 6 ++++++ i18n/ka.i18n.json | 6 ++++++ i18n/km.i18n.json | 6 ++++++ i18n/ko.i18n.json | 6 ++++++ i18n/lv.i18n.json | 6 ++++++ i18n/mk.i18n.json | 6 ++++++ i18n/mn.i18n.json | 6 ++++++ i18n/nb.i18n.json | 6 ++++++ i18n/nl.i18n.json | 6 ++++++ i18n/pl.i18n.json | 6 ++++++ i18n/pt-BR.i18n.json | 6 ++++++ i18n/pt.i18n.json | 6 ++++++ i18n/ro.i18n.json | 6 ++++++ i18n/ru.i18n.json | 6 ++++++ i18n/sr.i18n.json | 6 ++++++ i18n/sv.i18n.json | 6 ++++++ i18n/sw.i18n.json | 6 ++++++ i18n/ta.i18n.json | 6 ++++++ i18n/th.i18n.json | 6 ++++++ i18n/tr.i18n.json | 18 ++++++++++++------ i18n/uk.i18n.json | 6 ++++++ i18n/vi.i18n.json | 6 ++++++ i18n/zh-CN.i18n.json | 6 ++++++ i18n/zh-TW.i18n.json | 6 ++++++ 48 files changed, 294 insertions(+), 6 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 3a1b171f..5f407569 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -92,6 +92,8 @@ "restore-board": "استعادة اللوحة", "no-archived-boards": "لا توجد لوحات في الأرشيف.", "archives": "أرشيف", + "template": "Template", + "templates": "Templates", "assign-member": "تعيين عضو", "attached": "أُرفق)", "attachment": "مرفق", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "علامات", "cardMembersPopup-title": "أعضاء", "cardMorePopup-title": "المزيد", + "cardTemplatePopup-title": "Create template", "cards": "بطاقات", "cards-count": "بطاقات", "casSignIn": "تسجيل الدخول مع CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "المبادئ", "welcome-list2": "متقدم", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "ماذا تريد أن تنجز?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 96e0195d..d776b9e3 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Възстанови Таблото", "no-archived-boards": "Няма Табла в Архива.", "archives": "Архив", + "template": "Template", + "templates": "Templates", "assign-member": "Възложи на член от екипа", "attached": "прикачен", "attachment": "Прикаченн файл", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Етикети", "cardMembersPopup-title": "Членове", "cardMorePopup-title": "Още", + "cardTemplatePopup-title": "Create template", "cards": "Карти", "cards-count": "Карти", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Невалиден WIP лимит", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index b6ffe2db..e54f57b0 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Archive", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Izili", "cardMorePopup-title": "Muioc’h", + "cardTemplatePopup-title": "Create template", "cards": "Kartennoù", "cards-count": "Kartennoù", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 3ec05181..9cc36323 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restaura Tauler", "no-archived-boards": "No hi han Taulers al Arxiu.", "archives": "Desa", + "template": "Template", + "templates": "Templates", "assign-member": "Assignar membre", "attached": "adjuntat", "attachment": "Adjunt", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Etiquetes", "cardMembersPopup-title": "Membres", "cardMorePopup-title": "Més", + "cardTemplatePopup-title": "Create template", "cards": "Fitxes", "cards-count": "Fitxes", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Objectiu 1", "welcome-list1": "Bàsics", "welcome-list2": "Avançades", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Què vols fer?", "wipLimitErrorPopup-title": "Límit de Treball en Progrès invàlid", "wipLimitErrorPopup-dialog-pt1": "El nombre de tasques en esta llista és superior al límit de Treball en Progrès que heu definit.", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 5f809eaa..dbdf4551 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Obnovit tablo", "no-archived-boards": "V archivu nejsou žádná tabla.", "archives": "Archiv", + "template": "Template", + "templates": "Templates", "assign-member": "Přiřadit člena", "attached": "přiloženo", "attachment": "Příloha", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Štítky", "cardMembersPopup-title": "Členové", "cardMorePopup-title": "Více", + "cardTemplatePopup-title": "Create template", "cards": "Karty", "cards-count": "Karty", "casSignIn": "Přihlásit pomocí CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milník 1", "welcome-list1": "Základní", "welcome-list2": "Pokročilé", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Co chcete dělat?", "wipLimitErrorPopup-title": "Neplatný WIP Limit", "wipLimitErrorPopup-dialog-pt1": "Počet úkolů v tomto sloupci je vyšší než definovaný WIP limit.", diff --git a/i18n/da.i18n.json b/i18n/da.i18n.json index 656de729..b54634c5 100644 --- a/i18n/da.i18n.json +++ b/i18n/da.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Archive", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Members", "cardMorePopup-title": "More", + "cardTemplatePopup-title": "Create template", "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 84141731..e6a3d97e 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Board wiederherstellen", "no-archived-boards": "Keine Boards im Archiv.", "archives": "Archiv", + "template": "Template", + "templates": "Templates", "assign-member": "Mitglied zuweisen", "attached": "angehängt", "attachment": "Anhang", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Mitglieder", "cardMorePopup-title": "Mehr", + "cardTemplatePopup-title": "Create template", "cards": "Karten", "cards-count": "Karten", "casSignIn": "Mit CAS anmelden", @@ -453,6 +456,9 @@ "welcome-swimlane": "Meilenstein 1", "welcome-list1": "Grundlagen", "welcome-list2": "Fortgeschritten", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Was wollen Sie tun?", "wipLimitErrorPopup-title": "Ungültiges WIP-Limit", "wipLimitErrorPopup-dialog-pt1": "Die Anzahl von Aufgaben in dieser Liste ist größer als das von Ihnen definierte WIP-Limit.", diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index adfd19f2..216b0c2d 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Archive", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Ετικέτες", "cardMembersPopup-title": "Μέλοι", "cardMorePopup-title": "Περισσότερα", + "cardTemplatePopup-title": "Create template", "cards": "Κάρτες", "cards-count": "Κάρτες", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 04bb2bac..c9b68793 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Archive", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Members", "cardMorePopup-title": "More", + "cardTemplatePopup-title": "Create template", "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index da1e9697..1c84bbd4 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Arkivi", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Etikedoj", "cardMembersPopup-title": "Membroj", "cardMorePopup-title": "Pli", + "cardTemplatePopup-title": "Create template", "cards": "Kartoj", "cards-count": "Kartoj", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Kion vi volas fari?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index 95c2f086..2d6d65fe 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restaurar Tablero", "no-archived-boards": "No Boards in Archive.", "archives": "Archivar", + "template": "Template", + "templates": "Templates", "assign-member": "Asignar miembro", "attached": "adjunto(s)", "attachment": "Adjunto", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Etiquetas", "cardMembersPopup-title": "Miembros", "cardMorePopup-title": "Mas", + "cardTemplatePopup-title": "Create template", "cards": "Tarjetas", "cards-count": "Tarjetas", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Hito 1", "welcome-list1": "Básicos", "welcome-list2": "Avanzado", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "¿Qué querés hacer?", "wipLimitErrorPopup-title": "Límite TEP Inválido", "wipLimitErrorPopup-dialog-pt1": " El número de tareas en esta lista es mayor que el límite TEP que definiste.", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index dad03bf6..f17edd86 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restaurar el tablero", "no-archived-boards": "No hay Tableros en el Archivo", "archives": "Archivar", + "template": "Template", + "templates": "Templates", "assign-member": "Asignar miembros", "attached": "adjuntado", "attachment": "Adjunto", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Etiquetas", "cardMembersPopup-title": "Miembros", "cardMorePopup-title": "Más", + "cardTemplatePopup-title": "Create template", "cards": "Tarjetas", "cards-count": "Tarjetas", "casSignIn": "Iniciar sesión con CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Hito 1", "welcome-list1": "Básicos", "welcome-list2": "Avanzados", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "¿Qué deseas hacer?", "wipLimitErrorPopup-title": "El límite del trabajo en proceso no es válido.", "wipLimitErrorPopup-dialog-pt1": "El número de tareas en esta lista es mayor que el límite del trabajo en proceso que has definido.", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index 4d34b6ca..ab54ba9e 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Berreskuratu arbela", "no-archived-boards": "No Boards in Archive.", "archives": "Artxibatu", + "template": "Template", + "templates": "Templates", "assign-member": "Esleitu kidea", "attached": "erantsita", "attachment": "Eranskina", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Etiketak", "cardMembersPopup-title": "Kideak", "cardMorePopup-title": "Gehiago", + "cardTemplatePopup-title": "Create template", "cards": "Txartelak", "cards-count": "Txartelak", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Oinarrizkoa", "welcome-list2": "Aurreratua", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Zer egin nahi duzu?", "wipLimitErrorPopup-title": "Baliogabeko WIP muga", "wipLimitErrorPopup-dialog-pt1": "Zerrenda honetako atazen muga, WIP-en ezarritakoa baina handiagoa da", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index 90c515b7..db8eefe4 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -92,6 +92,8 @@ "restore-board": "بازیابی تخته", "no-archived-boards": "هیچ بردی داخل آرشیو نیست", "archives": "بایگانی", + "template": "Template", + "templates": "Templates", "assign-member": "تعیین عضو", "attached": "ضمیمه شده", "attachment": "ضمیمه", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "برچسب ها", "cardMembersPopup-title": "اعضا", "cardMorePopup-title": "بیشتر", + "cardTemplatePopup-title": "Create template", "cards": "کارت‌ها", "cards-count": "کارت‌ها", "casSignIn": "ورود با استفاده از CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "پایه ای ها", "welcome-list2": "پیشرفته", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "چه کاری می خواهید انجام دهید؟", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 7e2c4d3b..a4a115ec 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Palauta taulu", "no-archived-boards": "Ei tauluja Arkistossa", "archives": "Arkisto", + "template": "Malli", + "templates": "Mallit", "assign-member": "Valitse jäsen", "attached": "liitetty", "attachment": "Liitetiedosto", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Tunnisteet", "cardMembersPopup-title": "Jäsenet", "cardMorePopup-title": "Lisää", + "cardTemplatePopup-title": "Luo malli", "cards": "Kortit", "cards-count": "korttia", "casSignIn": "CAS kirjautuminen", @@ -453,6 +456,9 @@ "welcome-swimlane": "Merkkipaalu 1", "welcome-list1": "Perusasiat", "welcome-list2": "Edistynyt", + "card-templates-swimlane": "Kortti mallit", + "list-templates-swimlane": "Lista mallit", + "board-templates-swimlane": "Taulu mallit", "what-to-do": "Mitä haluat tehdä?", "wipLimitErrorPopup-title": "Virheellinen WIP-raja", "wipLimitErrorPopup-dialog-pt1": "Tässä listassa olevien tehtävien määrä on korkeampi kuin asettamasi WIP-raja.", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index ff4b2146..aa20a1ed 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restaurer le tableau", "no-archived-boards": "Aucun tableau archivé.", "archives": "Archiver", + "template": "Template", + "templates": "Templates", "assign-member": "Affecter un membre", "attached": "joint", "attachment": "Pièce jointe", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Étiquettes", "cardMembersPopup-title": "Membres", "cardMorePopup-title": "Plus", + "cardTemplatePopup-title": "Create template", "cards": "Cartes", "cards-count": "Cartes", "casSignIn": "Se connecter avec CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Jalon 1", "welcome-list1": "Basiques", "welcome-list2": "Avancés", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Que voulez-vous faire ?", "wipLimitErrorPopup-title": "Limite WIP invalide", "wipLimitErrorPopup-dialog-pt1": "Le nombre de cartes de cette liste est supérieur à la limite WIP que vous avez définie.", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 9c310c78..617a213a 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restaurar taboleiro", "no-archived-boards": "No Boards in Archive.", "archives": "Arquivar", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "Anexo", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Etiquetas", "cardMembersPopup-title": "Membros", "cardMorePopup-title": "Máis", + "cardTemplatePopup-title": "Create template", "cards": "Tarxetas", "cards-count": "Tarxetas", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Fundamentos", "welcome-list2": "Avanzado", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Que desexa facer?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 939f2002..8d089d87 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -92,6 +92,8 @@ "restore-board": "שחזור לוח", "no-archived-boards": "לא נשמרו לוחות בארכיון.", "archives": "להעביר לארכיון", + "template": "Template", + "templates": "Templates", "assign-member": "הקצאת חבר", "attached": "מצורף", "attachment": "קובץ מצורף", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "תוויות", "cardMembersPopup-title": "חברים", "cardMorePopup-title": "עוד", + "cardTemplatePopup-title": "Create template", "cards": "כרטיסים", "cards-count": "כרטיסים", "casSignIn": "כניסה עם CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "ציון דרך 1", "welcome-list1": "יסודות", "welcome-list2": "מתקדם", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "מה ברצונך לעשות?", "wipLimitErrorPopup-title": "מגבלת „בעבודה” שגויה", "wipLimitErrorPopup-dialog-pt1": "מספר המשימות ברשימה זו גדולה ממגבלת הפריטים „בעבודה” שהגדרת.", diff --git a/i18n/hi.i18n.json b/i18n/hi.i18n.json index 8f5028d6..7586bf45 100644 --- a/i18n/hi.i18n.json +++ b/i18n/hi.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore बोर्ड", "no-archived-boards": "No Boards in Archive.", "archives": "पुरालेख", + "template": "Template", + "templates": "Templates", "assign-member": "आवंटित सदस्य", "attached": "संलग्न", "attachment": "संलग्नक", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "नामपत्र", "cardMembersPopup-title": "सदस्य", "cardMorePopup-title": "अतिरिक्त", + "cardTemplatePopup-title": "Create template", "cards": "कार्ड्स", "cards-count": "कार्ड्स", "casSignIn": "सीएएस के साथ साइन इन करें", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want तक do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks अंदर में यह सूची is higher than the WIP limit you've defined.", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index 18b5b0a1..8f8085c8 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Tábla visszaállítása", "no-archived-boards": "No Boards in Archive.", "archives": "Archiválás", + "template": "Template", + "templates": "Templates", "assign-member": "Tag hozzárendelése", "attached": "csatolva", "attachment": "Melléklet", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Címkék", "cardMembersPopup-title": "Tagok", "cardMorePopup-title": "Több", + "cardTemplatePopup-title": "Create template", "cards": "Kártyák", "cards-count": "Kártyák", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "1. mérföldkő", "welcome-list1": "Alapok", "welcome-list2": "Speciális", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Mit szeretne tenni?", "wipLimitErrorPopup-title": "Érvénytelen WIP korlát", "wipLimitErrorPopup-dialog-pt1": "A listán lévő feladatok száma magasabb a meghatározott WIP korlátnál.", diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index fe53857b..22f84286 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Archive", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Members", "cardMorePopup-title": "More", + "cardTemplatePopup-title": "Create template", "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 2f363bb9..8c308e09 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Arsip", + "template": "Template", + "templates": "Templates", "assign-member": "Tugaskan anggota", "attached": "terlampir", "attachment": "Lampiran", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Daftar Label", "cardMembersPopup-title": "Daftar Anggota", "cardMorePopup-title": "Lainnya", + "cardTemplatePopup-title": "Create template", "cards": "Daftar Kartu", "cards-count": "Daftar Kartu", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Tingkat dasar", "welcome-list2": "Tingkat lanjut", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Apa yang mau Anda lakukan?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 27cee963..37544497 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Archive", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Aha", "cardMembersPopup-title": "Ndị otu", "cardMorePopup-title": "More", + "cardTemplatePopup-title": "Create template", "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 82187722..6a5e9773 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Ripristina Bacheca", "no-archived-boards": "No Boards in Archive.", "archives": "Archivia", + "template": "Template", + "templates": "Templates", "assign-member": "Aggiungi membro", "attached": "allegato", "attachment": "Allegato", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Etichette", "cardMembersPopup-title": "Membri", "cardMorePopup-title": "Altro", + "cardTemplatePopup-title": "Create template", "cards": "Schede", "cards-count": "Schede", "casSignIn": "Entra con CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Pietra miliare 1", "welcome-list1": "Basi", "welcome-list2": "Avanzate", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Cosa vuoi fare?", "wipLimitErrorPopup-title": "Limite work in progress non valido. ", "wipLimitErrorPopup-dialog-pt1": "Il numero di compiti in questa lista è maggiore del limite di work in progress che hai definito in precedenza. ", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 59db5a82..0a432b70 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -92,6 +92,8 @@ "restore-board": "ボードをリストア", "no-archived-boards": "No Boards in Archive.", "archives": "アーカイブ", + "template": "Template", + "templates": "Templates", "assign-member": "メンバーの割当", "attached": "添付されました", "attachment": "添付ファイル", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "ラベル", "cardMembersPopup-title": "メンバー", "cardMorePopup-title": "さらに見る", + "cardTemplatePopup-title": "Create template", "cards": "カード", "cards-count": "カード", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "基本", "welcome-list2": "高度", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "何をしたいですか?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index 76ee2ffe..f99663d4 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -92,6 +92,8 @@ "restore-board": "ბარათის აღდგენა", "no-archived-boards": "No Boards in Archive.", "archives": "Archive", + "template": "Template", + "templates": "Templates", "assign-member": "უფლებამოსილი წევრი", "attached": "მიბმული", "attachment": "მიბმული ფიალი", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "ნიშნები", "cardMembersPopup-title": "წევრები", "cardMorePopup-title": "მეტი", + "cardTemplatePopup-title": "Create template", "cards": "ბარათები", "cards-count": "ბარათები", "casSignIn": "შესვლა CAS-ით", @@ -453,6 +456,9 @@ "welcome-swimlane": "ეტაპი 1 ", "welcome-list1": "ბაზისური ", "welcome-list2": "დაწინაურებული", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "რისი გაკეთება გსურთ? ", "wipLimitErrorPopup-title": "არასწორი WIP ლიმიტი", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index 5f3b2dd4..35197573 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Archive", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Members", "cardMorePopup-title": "More", + "cardTemplatePopup-title": "Create template", "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index 1f7066cb..473a699b 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -92,6 +92,8 @@ "restore-board": "보드 복구", "no-archived-boards": "No Boards in Archive.", "archives": "보관", + "template": "Template", + "templates": "Templates", "assign-member": "멤버 지정", "attached": "첨부됨", "attachment": "첨부 파일", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "라벨", "cardMembersPopup-title": "멤버", "cardMorePopup-title": "더보기", + "cardTemplatePopup-title": "Create template", "cards": "카드", "cards-count": "카드", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "신규", "welcome-list2": "진행", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "무엇을 하고 싶으신가요?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index b5c62aae..e0c5da5c 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Archive", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Members", "cardMorePopup-title": "More", + "cardTemplatePopup-title": "Create template", "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/mk.i18n.json b/i18n/mk.i18n.json index 5481cc70..2a6e6b03 100644 --- a/i18n/mk.i18n.json +++ b/i18n/mk.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Възстанови Таблото", "no-archived-boards": "Няма Табла в Архива.", "archives": "Архив", + "template": "Template", + "templates": "Templates", "assign-member": "Възложи на член от екипа", "attached": "прикачен", "attachment": "Прикаченн файл", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Етикети", "cardMembersPopup-title": "Членове", "cardMorePopup-title": "Още", + "cardTemplatePopup-title": "Create template", "cards": "Карти", "cards-count": "Карти", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Невалиден WIP лимит", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index 012dea07..6c8a3e41 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Archive", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Гишүүд", "cardMorePopup-title": "More", + "cardTemplatePopup-title": "Create template", "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index 1427e263..b6615006 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Arkiv", + "template": "Template", + "templates": "Templates", "assign-member": "Tildel medlem", "attached": "la ved", "attachment": "Vedlegg", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Etiketter", "cardMembersPopup-title": "Medlemmer", "cardMorePopup-title": "Mer", + "cardTemplatePopup-title": "Create template", "cards": "Kort", "cards-count": "Kort", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 24370c09..dcb354bb 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Herstel Bord", "no-archived-boards": "No Boards in Archive.", "archives": "Archiveren", + "template": "Template", + "templates": "Templates", "assign-member": "Wijs lid aan", "attached": "bijgevoegd", "attachment": "Bijlage", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Leden", "cardMorePopup-title": "Meer", + "cardTemplatePopup-title": "Create template", "cards": "Kaarten", "cards-count": "Kaarten", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Mijlpaal 1", "welcome-list1": "Basis", "welcome-list2": "Geadvanceerd", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Wat wil je doen?", "wipLimitErrorPopup-title": "Ongeldige WIP limiet", "wipLimitErrorPopup-dialog-pt1": "Het aantal taken in deze lijst is groter dan de gedefinieerde WIP limiet ", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 99a1af9f..3ec021e5 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Przywróć tablicę", "no-archived-boards": "Brak tablic w Archiwum.", "archives": "Zarchiwizuj", + "template": "Template", + "templates": "Templates", "assign-member": "Dodaj członka", "attached": "załączono", "attachment": "Załącznik", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Etykiety", "cardMembersPopup-title": "Członkowie", "cardMorePopup-title": "Więcej", + "cardTemplatePopup-title": "Create template", "cards": "Karty", "cards-count": "Karty", "casSignIn": "Zaloguj się poprzez CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Kamień milowy 1", "welcome-list1": "Podstawy", "welcome-list2": "Zaawansowane", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Co chcesz zrobić?", "wipLimitErrorPopup-title": "Nieprawidłowy limit kart na liście", "wipLimitErrorPopup-dialog-pt1": "Aktualna ilość kart na tej liście jest większa niż aktualny zdefiniowany limit kart.", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 2fb9c420..d15353e9 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restaurar Quadro", "no-archived-boards": "Sem Quadros no Arquivo-morto.", "archives": "Arquivos-morto", + "template": "Template", + "templates": "Templates", "assign-member": "Atribuir Membro", "attached": "anexado", "attachment": "Anexo", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Etiquetas", "cardMembersPopup-title": "Membros", "cardMorePopup-title": "Mais", + "cardTemplatePopup-title": "Create template", "cards": "Cartões", "cards-count": "Cartões", "casSignIn": "Entrar com CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Marco 1", "welcome-list1": "Básico", "welcome-list2": "Avançado", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "O que você gostaria de fazer?", "wipLimitErrorPopup-title": "Limite WIP Inválido", "wipLimitErrorPopup-dialog-pt1": "O número de tarefas nesta lista excede o limite WIP definido.", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index b5870960..bd773954 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Archive", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Etiquetas", "cardMembersPopup-title": "Membros", "cardMorePopup-title": "Mais", + "cardTemplatePopup-title": "Create template", "cards": "Cartões", "cards-count": "Cartões", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index dd3938d4..25b794b9 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Archive", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "Ataşament", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Members", "cardMorePopup-title": "More", + "cardTemplatePopup-title": "Create template", "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Ce ai vrea sa faci?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 16bbb6e7..6fde47f9 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Востановить доску", "no-archived-boards": "Нет досок в архиве.", "archives": "Архив", + "template": "Template", + "templates": "Templates", "assign-member": "Назначить участника", "attached": "прикреплено", "attachment": "Вложение", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Метки", "cardMembersPopup-title": "Участники", "cardMorePopup-title": "Поделиться", + "cardTemplatePopup-title": "Create template", "cards": "Карточки", "cards-count": "Карточки", "casSignIn": "Войти через CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Этап 1", "welcome-list1": "Основы", "welcome-list2": "Расширенно", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Что вы хотите сделать?", "wipLimitErrorPopup-title": "Некорректный лимит на кол-во задач", "wipLimitErrorPopup-dialog-pt1": "Количество задач в этом списке превышает установленный вами лимит", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index 83bdc3a6..77a1c55a 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Arhiviraj", + "template": "Template", + "templates": "Templates", "assign-member": "Dodeli člana", "attached": "Prikačeno", "attachment": "Prikačeni dokument", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Članovi", "cardMorePopup-title": "More", + "cardTemplatePopup-title": "Create template", "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Osnove", "welcome-list2": "Napredno", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Šta želiš da uradiš ?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index a2c0c23e..7cf6670c 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Återställ anslagstavla", "no-archived-boards": "Inga anslagstavlor i Arkiv.", "archives": "Arkiv", + "template": "Template", + "templates": "Templates", "assign-member": "Tilldela medlem", "attached": "bifogad", "attachment": "Bilaga", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Etiketter", "cardMembersPopup-title": "Medlemmar", "cardMorePopup-title": "Mera", + "cardTemplatePopup-title": "Create template", "cards": "Kort", "cards-count": "Kort", "casSignIn": "Logga in med CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milstolpe 1", "welcome-list1": "Grunderna", "welcome-list2": "Avancerad", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Vad vill du göra?", "wipLimitErrorPopup-title": "Ogiltig WIP-gräns", "wipLimitErrorPopup-dialog-pt1": "Antalet uppgifter i den här listan är högre än WIP-gränsen du har definierat.", diff --git a/i18n/sw.i18n.json b/i18n/sw.i18n.json index 1ffffddb..f68b08e8 100644 --- a/i18n/sw.i18n.json +++ b/i18n/sw.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Archive", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Members", "cardMorePopup-title": "More", + "cardTemplatePopup-title": "Create template", "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index 772fe092..ef63da13 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Archive", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "இணைப்பு ", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Members", "cardMorePopup-title": "மேலும் ", + "cardTemplatePopup-title": "Create template", "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index a748773e..ceb4e761 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "เอกสารที่เก็บไว้", + "template": "Template", + "templates": "Templates", "assign-member": "กำหนดสมาชิก", "attached": "แนบมาด้วย", "attachment": "สิ่งที่แนบมา", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "ป้ายกำกับ", "cardMembersPopup-title": "สมาชิก", "cardMorePopup-title": "เพิ่มเติม", + "cardTemplatePopup-title": "Create template", "cards": "การ์ด", "cards-count": "การ์ด", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "พื้นฐาน", "welcome-list2": "ก้าวหน้า", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "ต้องการทำอะไร", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index 5bac9e4f..987a728a 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -42,7 +42,7 @@ "activity-removed": "%s i %s ten kaldırdı", "activity-sent": "%s i %s e gönderdi", "activity-unjoined": "%s içinden ayrıldı", - "activity-subtask-added": "Alt-görev 1%s'e eklendi", + "activity-subtask-added": "Alt-görev %s'e eklendi", "activity-checked-item": "checked %s in checklist %s of %s", "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "%s içine yapılacak listesi ekledi", @@ -92,6 +92,8 @@ "restore-board": "Panoyu Geri Getir", "no-archived-boards": "Arşivde Pano Yok.", "archives": "Arşivle", + "template": "Template", + "templates": "Templates", "assign-member": "Üye ata", "attached": "dosya(sı) eklendi", "attachment": "Ek Dosya", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Etiketler", "cardMembersPopup-title": "Üyeler", "cardMorePopup-title": "Daha", + "cardTemplatePopup-title": "Create template", "cards": "Kartlar", "cards-count": "Kartlar", "casSignIn": "CAS ile giriş yapın", @@ -402,7 +405,7 @@ "save": "Kaydet", "search": "Arama", "rules": "Kurallar", - "search-cards": "Bu tahta da ki kart başlıkları ve açıklamalarında arama yap", + "search-cards": "Bu panoda kart başlıkları ve açıklamalarında arama yap", "search-example": "Aranılacak metin?", "select-color": "Renk Seç", "set-wip-limit-value": "Bu listedeki en fazla öğe sayısı için bir sınır belirleyin", @@ -453,6 +456,9 @@ "welcome-swimlane": "Kilometre taşı", "welcome-list1": "Temel", "welcome-list2": "Gelişmiş", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Ne yapmak istiyorsunuz?", "wipLimitErrorPopup-title": "Geçersiz Devam Eden İş Sınırı", "wipLimitErrorPopup-dialog-pt1": "Bu listedeki iş sayısı belirlediğiniz sınırdan daha fazla.", @@ -519,10 +525,10 @@ "card-end-on": "Bitiş zamanı", "editCardReceivedDatePopup-title": "Giriş tarihini değiştir", "editCardEndDatePopup-title": "Bitiş tarihini değiştir", - "setCardColorPopup-title": "renk ayarla", - "setCardActionsColorPopup-title": "Choose a color", - "setSwimlaneColorPopup-title": "Choose a color", - "setListColorPopup-title": "Choose a color", + "setCardColorPopup-title": "Renk ayarla", + "setCardActionsColorPopup-title": "Renk seçimi yap", + "setSwimlaneColorPopup-title": "Renk seçimi yap", + "setListColorPopup-title": "Renk seçimi yap", "assigned-by": "Atamayı yapan", "requested-by": "Talep Eden", "board-delete-notice": "Silme kalıcıdır. Bu kartla ilişkili tüm listeleri, kartları ve işlemleri kaybedeceksiniz.", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index a7a85d40..232acffe 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Відновити дошку", "no-archived-boards": "Немає дошок в архіві", "archives": "Архів", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "доданно", "attachment": "Додаток", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Користувачі", "cardMorePopup-title": "More", + "cardTemplatePopup-title": "Create template", "cards": "Картки", "cards-count": "Картки", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "Кількість завдань у цьому списку перевищує встановлений вами ліміт", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index 96223df8..f52bd3ce 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Khôi Phục Bảng", "no-archived-boards": "No Boards in Archive.", "archives": "Lưu Trữ", + "template": "Template", + "templates": "Templates", "assign-member": "Chỉ định thành viên", "attached": "đã đính kèm", "attachment": "Phần đính kèm", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Thành Viên", "cardMorePopup-title": "More", + "cardTemplatePopup-title": "Create template", "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 71bb3ac3..7fd127df 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -92,6 +92,8 @@ "restore-board": "还原看板", "no-archived-boards": "没有归档的看板。", "archives": "归档", + "template": "Template", + "templates": "Templates", "assign-member": "分配成员", "attached": "附加", "attachment": "附件", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "标签", "cardMembersPopup-title": "成员", "cardMorePopup-title": "更多", + "cardTemplatePopup-title": "Create template", "cards": "卡片", "cards-count": "卡片", "casSignIn": "用CAS登录", @@ -453,6 +456,9 @@ "welcome-swimlane": "里程碑 1", "welcome-list1": "基本", "welcome-list2": "高阶", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "要做什么?", "wipLimitErrorPopup-title": "无效的最大任务数", "wipLimitErrorPopup-dialog-pt1": "此列表中的任务数量已经超过了设置的最大任务数。", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 29f47c29..19c1374a 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -92,6 +92,8 @@ "restore-board": "還原看板", "no-archived-boards": "封存中沒有看板。", "archives": "封存", + "template": "Template", + "templates": "Templates", "assign-member": "分配成員", "attached": "附加", "attachment": "附件", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "標籤", "cardMembersPopup-title": "成員", "cardMorePopup-title": "更多", + "cardTemplatePopup-title": "Create template", "cards": "卡片", "cards-count": "卡片", "casSignIn": "以 CAS 登入", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "基本", "welcome-list2": "進階", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "要做什麼?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", -- cgit v1.2.3-1-g7c22 From 7c1d6e4d2e6421432e456da7a9e7a833dc79e87d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 25 Feb 2019 18:10:36 +0200 Subject: - Add setting EMAIL_NOTIFICATION_TIMEOUT. Defaut 30000 ms (30s). Thanks to xet7 ! Closes #2203 --- Dockerfile | 2 ++ docker-compose.yml | 4 ++++ server/notifications/email.js | 2 +- snap-src/bin/config | 6 +++++- snap-src/bin/wekan-help | 5 +++++ 5 files changed, 17 insertions(+), 2 deletions(-) diff --git a/Dockerfile b/Dockerfile index 16ac6913..f4297bb8 100644 --- a/Dockerfile +++ b/Dockerfile @@ -12,6 +12,7 @@ ARG FIBERS_VERSION ARG ARCHITECTURE ARG SRC_PATH ARG WITH_API +ARG EMAIL_NOTIFICATION_TIMEOUT ARG MATOMO_ADDRESS ARG MATOMO_SITE_ID ARG MATOMO_DO_NOT_TRACK @@ -97,6 +98,7 @@ ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential pyth ARCHITECTURE=linux-x64 \ SRC_PATH=./ \ WITH_API=true \ + EMAIL_NOTIFICATION_TIMEOUT=30000 \ MATOMO_ADDRESS="" \ MATOMO_SITE_ID="" \ MATOMO_DO_NOT_TRACK=true \ diff --git a/docker-compose.yml b/docker-compose.yml index 81cafb84..deccd265 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -220,6 +220,10 @@ services: # https://github.com/wekan/wekan-gogs # If you disable Wekan API with false, Export Board does not work. - WITH_API=true + #--------------------------------------------------------------- + # ==== EMAIL NOTIFICATION TIMEOUT, ms ===== + # Defaut: 30000 ms = 30s + #- EMAIL_NOTIFICATION_TIMEOUT=30000 #----------------------------------------------------------------- # ==== CORS ===== # CORS: Set Access-Control-Allow-Origin header. diff --git a/server/notifications/email.js b/server/notifications/email.js index b2b7fab8..857c5d70 100644 --- a/server/notifications/email.js +++ b/server/notifications/email.js @@ -36,7 +36,7 @@ Meteor.startup(() => { } catch (e) { return; } - }, 30000); + }, process.env.EMAIL_NOTIFICATION_TIMEOUT || 30000); }); }); diff --git a/snap-src/bin/config b/snap-src/bin/config index c961c3d4..e510838c 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -3,7 +3,7 @@ # All supported keys are defined here together with descriptions and default values # list of supported keys -keys="DEBUG MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API CORS MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT OAUTH2_ID_MAP OAUTH2_USERNAME_MAP OAUTH2_FULLNAME_MAP OAUTH2_EMAIL_MAP OAUTH2_ID_TOKEN_WHITELIST_FIELDS OAUTH2_REQUEST_PERMISSIONS LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_FULLNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN LDAP_EMAIL_MATCH_ENABLE LDAP_EMAIL_MATCH_REQUIRE LDAP_EMAIL_MATCH_VERIFIED LDAP_EMAIL_FIELD LOGOUT_WITH_TIMER LOGOUT_IN LOGOUT_ON_HOURS LOGOUT_ON_MINUTES DEFAULT_AUTHENTICATION_METHOD" +keys="DEBUG MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API EMAIL_NOTIFICATION_TIMEOUT CORS MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT OAUTH2_ID_MAP OAUTH2_USERNAME_MAP OAUTH2_FULLNAME_MAP OAUTH2_EMAIL_MAP OAUTH2_ID_TOKEN_WHITELIST_FIELDS OAUTH2_REQUEST_PERMISSIONS LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_FULLNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN LDAP_EMAIL_MATCH_ENABLE LDAP_EMAIL_MATCH_REQUIRE LDAP_EMAIL_MATCH_VERIFIED LDAP_EMAIL_FIELD LOGOUT_WITH_TIMER LOGOUT_IN LOGOUT_ON_HOURS LOGOUT_ON_MINUTES DEFAULT_AUTHENTICATION_METHOD" # default values DESCRIPTION_DEBUG="Debug OIDC OAuth2 etc. Example: sudo snap set wekan debug='true'" @@ -56,6 +56,10 @@ DESCRIPTION_WITH_API="Enable/disable the api of wekan" DEFAULT_WITH_API="true" KEY_WITH_API="with-api" +DESCRIPTION_EMAIL_NOTIFICATION_TIMEOUT="Email notification timeout, ms. Default: 30000 (=30s)." +DEFAULT_EMAIL_NOTIFICATION_TIMEOUT="30000" +KEY_EMAIL_NOTIFICATION_TIMEOUT="email-notification-timeout" + DESCRIPTION_CORS="Enable/disable CORS: Set Access-Control-Allow-Origin header. Example: *" DEFAULT_CORS="" KEY_CORS="cors" diff --git a/snap-src/bin/wekan-help b/snap-src/bin/wekan-help index 48c24633..f9847063 100755 --- a/snap-src/bin/wekan-help +++ b/snap-src/bin/wekan-help @@ -40,6 +40,11 @@ echo -e "\t$ snap set $SNAP_NAME with-api='true'" echo -e "\t-Disable the API:" echo -e "\t$ snap set $SNAP_NAME with-api='false'" echo -e "\n" +echo -e "To enable the Email Notification Timeout of wekan in ms, default 30000 (=30s):" +echo -e "\t$ snap set $SNAP_NAME email-notification-timeout='10000'" +echo -e "\t-Disable the Email Notification Timeout of Wekan:" +echo -e "\t$ snap set $SNAP_NAME email-notification-timeout='30000'" +echo -e "\n" echo -e "To enable the CORS of wekan, to set Access-Control-Allow-Origin header:" echo -e "\t$ snap set $SNAP_NAME cors='*'" echo -e "\t-Disable the CORS:" -- cgit v1.2.3-1-g7c22 From 7e20a3cac6b2998f528e7217bde370db1fbd9540 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 25 Feb 2019 18:13:43 +0200 Subject: - Add setting [EMAIL_NOTIFICATION_TIMEOUT](https://github.com/wekan/wekan/issues/2203). Defaut 30000 ms (30s). Thanks to GitHub users ngru and xet7. --- CHANGELOG.md | 7 +++++++ 1 file changed, 7 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 4c133ac6..90bcfdd7 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,10 @@ +# Upcoming Wekan release + +This release adds the following new features: + +- Add setting [EMAIL_NOTIFICATION_TIMEOUT](https://github.com/wekan/wekan/issues/2203). + Defaut 30000 ms (30s). Thanks to GitHub users ngru and xet7. + # v2.25 2019-02-23 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 5e238bfbfea16940ae29647ae347bbdc0d78efb0 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 25 Feb 2019 19:45:41 +0200 Subject: - Fix OAuth2 requestPermissions. Thanks to xet7 ! Closes #1722 --- server/authentication.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/server/authentication.js b/server/authentication.js index 12be0571..bbe655a2 100644 --- a/server/authentication.js +++ b/server/authentication.js @@ -77,7 +77,7 @@ Meteor.startup(() => { userinfoEndpoint: process.env.OAUTH2_USERINFO_ENDPOINT, tokenEndpoint: process.env.OAUTH2_TOKEN_ENDPOINT, idTokenWhitelistFields: process.env.OAUTH2_ID_TOKEN_WHITELIST_FIELDS || [], - requestPermissions: process.env.OAUTH2_REQUEST_PERMISSIONS || ['openid'], + requestPermissions: process.env.OAUTH2_REQUEST_PERMISSIONS || ['openid', 'profile', 'email'], }, } ); -- cgit v1.2.3-1-g7c22 From b751fd11e46be7c54965e65014f3b2a487849dea Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 25 Feb 2019 19:51:17 +0200 Subject: - [Fix OAuth2 requestPermissions](https://github.com/wekan/wekan/commit/5e238bfbfea16940ae29647ae347bbdc0d78efb0). This maybe makes [Auth0 login possible](https://github.com/wekan/wekan/issues/1722) with OIDC. Thanks to GitHub user xet7. --- CHANGELOG.md | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 90bcfdd7..7a1992f3 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -5,6 +5,12 @@ This release adds the following new features: - Add setting [EMAIL_NOTIFICATION_TIMEOUT](https://github.com/wekan/wekan/issues/2203). Defaut 30000 ms (30s). Thanks to GitHub users ngru and xet7. +and fixes the following bugs: + +- [Fix OAuth2 requestPermissions](https://github.com/wekan/wekan/commit/5e238bfbfea16940ae29647ae347bbdc0d78efb0). + This maybe makes [Auth0 login possible](https://github.com/wekan/wekan/issues/1722) with OIDC. + Thanks to GitHub user xet7. + # v2.25 2019-02-23 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 5e66119bf0c29bd34707058461ad8df4e0730179 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 25 Feb 2019 20:03:36 +0200 Subject: v2.26 --- CHANGELOG.md | 5 +++-- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 7 insertions(+), 6 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 7a1992f3..9b2fd416 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.26 2019-02-25 Wekan release This release adds the following new features: @@ -8,7 +8,8 @@ This release adds the following new features: and fixes the following bugs: - [Fix OAuth2 requestPermissions](https://github.com/wekan/wekan/commit/5e238bfbfea16940ae29647ae347bbdc0d78efb0). - This maybe makes [Auth0 login possible](https://github.com/wekan/wekan/issues/1722) with OIDC. + This makes [Auth0 login possible](https://github.com/wekan/wekan/issues/1722) + with [OIDC](https://github.com/wekan/wekan/wiki/OAuth2#auth0). Needs testing. Thanks to GitHub user xet7. # v2.25 2019-02-23 Wekan release diff --git a/Stackerfile.yml b/Stackerfile.yml index 00016cba..562d5cd4 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.25.0" +appVersion: "v2.26.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 95b27189..b80b9db8 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.25.0", + "version": "v2.26.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 7a7a23b7..ae4e5666 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 227, + appVersion = 228, # Increment this for every release. - appMarketingVersion = (defaultText = "2.25.0~2019-02-23"), + appMarketingVersion = (defaultText = "2.26.0~2019-02-25"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From dc7286a0ef8111c0855129911492588ba8a384df Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Mon, 25 Feb 2019 22:48:25 +0100 Subject: Fix list view issues. Allow creation of boards from templates --- client/components/boards/boardBody.jade | 2 +- client/components/boards/boardHeader.jade | 5 ++- client/components/boards/boardHeader.js | 1 + client/components/boards/miniboard.jade | 8 +++++ client/components/lists/listBody.jade | 17 +++++++--- client/components/lists/listBody.js | 55 +++++++++++++++++++++---------- client/components/main/editor.js | 4 ++- models/boards.js | 36 ++++++++++++++++++++ models/cardComments.js | 2 +- models/cards.js | 2 +- models/lists.js | 6 +++- models/swimlanes.js | 19 +++++++---- 12 files changed, 122 insertions(+), 35 deletions(-) create mode 100644 client/components/boards/miniboard.jade diff --git a/client/components/boards/boardBody.jade b/client/components/boards/boardBody.jade index e36058f6..32f8629f 100644 --- a/client/components/boards/boardBody.jade +++ b/client/components/boards/boardBody.jade @@ -27,7 +27,7 @@ template(name="boardBody") each currentBoard.swimlanes +swimlane(this) else if isViewLists - +listsGroup + +listsGroup(currentBoard) else if isViewCalendar +calendarView diff --git a/client/components/boards/boardHeader.jade b/client/components/boards/boardHeader.jade index 4c9d6e43..1f6462bd 100644 --- a/client/components/boards/boardHeader.jade +++ b/client/components/boards/boardHeader.jade @@ -277,7 +277,10 @@ template(name="createBoard") input.primary.wide(type="submit" value="{{_ 'create'}}") span.quiet | {{_ 'or'}} - a.js-import-board {{_ 'import-board'}} + a.js-import-board {{_ 'import'}} + span.quiet + | / + a.js-board-template {{_ 'template'}} template(name="chooseBoardSource") ul.pop-over-list diff --git a/client/components/boards/boardHeader.js b/client/components/boards/boardHeader.js index 89f686ab..492fda40 100644 --- a/client/components/boards/boardHeader.js +++ b/client/components/boards/boardHeader.js @@ -304,6 +304,7 @@ const CreateBoard = BlazeComponent.extendComponent({ 'click .js-import': Popup.open('boardImportBoard'), submit: this.onSubmit, 'click .js-import-board': Popup.open('chooseBoardSource'), + 'click .js-board-template': Popup.open('searchElement'), }]; }, }).register('createBoardPopup'); diff --git a/client/components/boards/miniboard.jade b/client/components/boards/miniboard.jade new file mode 100644 index 00000000..d1fb0b07 --- /dev/null +++ b/client/components/boards/miniboard.jade @@ -0,0 +1,8 @@ +template(name="miniboard") + .minicard( + class="minicard-{{colorClass}}") + .minicard-title + .handle + .fa.fa-arrows + +viewer + = title diff --git a/client/components/lists/listBody.jade b/client/components/lists/listBody.jade index fcc28777..b8e2adc7 100644 --- a/client/components/lists/listBody.jade +++ b/client/components/lists/listBody.jade @@ -103,16 +103,23 @@ template(name="searchElementPopup") input(type="text" name="searchTerm" placeholder="{{_ 'search-example'}}" autofocus) .list-body.js-perfect-scrollbar.search-card-results .minicards.clearfix.js-minicards - each results - if isListTemplateSearch + if isBoardTemplateSearch + each results + a.minicard-wrapper.js-minicard + +miniboard(this) + if isListTemplateSearch + each results a.minicard-wrapper.js-minicard +minilist(this) - if isSwimlaneTemplateSearch + if isSwimlaneTemplateSearch + each results a.minicard-wrapper.js-minicard +miniswimlane(this) - if isCardTemplateSearch + if isCardTemplateSearch + each results a.minicard-wrapper.js-minicard +minicard(this) - unless isTemplateSearch + unless isTemplateSearch + each results a.minicard-wrapper.js-minicard +minicard(this) diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 7b3dc6a6..5a3862f3 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -527,7 +527,11 @@ BlazeComponent.extendComponent({ this.isCardTemplateSearch = $(Popup._getTopStack().openerElement).hasClass('js-card-template'); this.isListTemplateSearch = $(Popup._getTopStack().openerElement).hasClass('js-list-template'); this.isSwimlaneTemplateSearch = $(Popup._getTopStack().openerElement).hasClass('js-open-add-swimlane-menu'); - this.isTemplateSearch = this.isCardTemplateSearch || this.isListTemplateSearch || this.isSwimlaneTemplateSearch; + this.isBoardTemplateSearch = $(Popup._getTopStack().openerElement).hasClass('js-add-board'); + this.isTemplateSearch = this.isCardTemplateSearch || + this.isListTemplateSearch || + this.isSwimlaneTemplateSearch || + this.isBoardTemplateSearch; let board = {}; if (this.isTemplateSearch) { board = Boards.findOne(Meteor.user().profile.templatesBoardId); @@ -548,23 +552,26 @@ BlazeComponent.extendComponent({ subManager.subscribe('board', boardId); this.selectedBoardId = new ReactiveVar(boardId); - this.boardId = Session.get('currentBoard'); - // In order to get current board info - subManager.subscribe('board', this.boardId); - // List where to insert card - const list = $(Popup._getTopStack().openerElement).closest('.js-list'); - this.listId = Blaze.getData(list[0])._id; - // Swimlane where to insert card - const swimlane = $(Popup._getTopStack().openerElement).parents('.js-swimlane'); - this.swimlaneId = ''; - if (Meteor.user().profile.boardView === 'board-view-swimlanes') - this.swimlaneId = Blaze.getData(swimlane[0])._id; - else - this.swimlaneId = Swimlanes.findOne({boardId: this.boardId})._id; + if (!this.isBoardTemplateSearch) { + this.boardId = Session.get('currentBoard'); + // In order to get current board info + subManager.subscribe('board', this.boardId); + this.swimlaneId = ''; + // Swimlane where to insert card + const swimlane = $(Popup._getTopStack().openerElement).parents('.js-swimlane'); + if (Meteor.user().profile.boardView === 'board-view-swimlanes') + this.swimlaneId = Blaze.getData(swimlane[0])._id; + else + this.swimlaneId = Swimlanes.findOne({boardId: this.boardId})._id; + // List where to insert card + const list = $(Popup._getTopStack().openerElement).closest('.js-list'); + this.listId = Blaze.getData(list[0])._id; + } this.term = new ReactiveVar(''); }, boards() { + console.log('booom'); const boards = Boards.find({ archived: false, 'members.userId': Meteor.userId(), @@ -587,6 +594,12 @@ BlazeComponent.extendComponent({ return board.searchLists(this.term.get()); } else if (this.isSwimlaneTemplateSearch) { return board.searchSwimlanes(this.term.get()); + } else if (this.isBoardTemplateSearch) { + const boards = board.searchBoards(this.term.get()); + boards.forEach((board) => { + subManager.subscribe('board', board.linkedId); + }); + return boards; } else { return []; } @@ -605,11 +618,11 @@ BlazeComponent.extendComponent({ 'click .js-minicard'(evt) { // 0. Common const element = Blaze.getData(evt.currentTarget); - element.boardId = this.boardId; let _id = ''; if (!this.isTemplateSearch || this.isCardTemplateSearch) { // Card insertion // 1. Common + element.boardId = this.boardId; element.listId = this.listId; element.swimlaneId = this.swimlaneId; element.sort = Lists.findOne(this.listId).cards().count(); @@ -620,7 +633,7 @@ BlazeComponent.extendComponent({ _id = element.copy(); // 1.B Linked card } else { - element._id = null; + delete element._id; element.type = 'cardType-linkedCard'; element.linkedId = element.linkedId || element._id; _id = Cards.insert(element); @@ -628,14 +641,22 @@ BlazeComponent.extendComponent({ Filter.addException(_id); // List insertion } else if (this.isListTemplateSearch) { + element.boardId = this.boardId; element.sort = Swimlanes.findOne(this.swimlaneId).lists().count(); element.type = 'list'; - element.swimlaneId = ''; _id = element.copy(this.swimlaneId); } else if (this.isSwimlaneTemplateSearch) { + element.boardId = this.boardId; element.sort = Boards.findOne(this.boardId).swimlanes().count(); element.type = 'swimlalne'; _id = element.copy(); + } else if (this.isBoardTemplateSearch) { + board = Boards.findOne(element.linkedId); + board.sort = Boards.find({archived: false}).count(); + board.type = 'board'; + delete board.slug; + delete board.members; + _id = board.copy(); } Popup.close(); }, diff --git a/client/components/main/editor.js b/client/components/main/editor.js index 20ece562..88d8abf0 100755 --- a/client/components/main/editor.js +++ b/client/components/main/editor.js @@ -36,7 +36,10 @@ import sanitizeXss from 'xss'; const at = HTML.CharRef({html: '@', str: '@'}); Blaze.Template.registerHelper('mentions', new Template('mentions', function() { const view = this; + let content = Blaze.toHTML(view.templateContentBlock); const currentBoard = Boards.findOne(Session.get('currentBoard')); + if (!currentBoard) + return HTML.Raw(sanitizeXss(content)); const knowedUsers = currentBoard.members.map((member) => { const u = Users.findOne(member.userId); if(u){ @@ -45,7 +48,6 @@ Blaze.Template.registerHelper('mentions', new Template('mentions', function() { return member; }); const mentionRegex = /\B@([\w.]*)/gi; - let content = Blaze.toHTML(view.templateContentBlock); let currentMention; while ((currentMention = mentionRegex.exec(content)) !== null) { diff --git a/models/boards.js b/models/boards.js index 0d3213bc..0db2e48e 100644 --- a/models/boards.js +++ b/models/boards.js @@ -315,6 +315,21 @@ Boards.attachSchema(new SimpleSchema({ Boards.helpers({ + copy() { + const oldId = this._id; + delete this._id; + const _id = Boards.insert(this); + + // Copy all swimlanes in board + Swimlanes.find({ + boardId: oldId, + archived: false, + }).forEach((swimlane) => { + swimlane.type = 'swimlane'; + swimlane.boardId = _id; + swimlane.copy(oldId); + }); + }, /** * Is supplied user authorized to view this board? */ @@ -463,6 +478,27 @@ Boards.helpers({ return _id; }, + searchBoards(term) { + check(term, Match.OneOf(String, null, undefined)); + + const query = { boardId: this._id }; + query.type = 'cardType-linkedBoard'; + query.archived = false; + + const projection = { limit: 10, sort: { createdAt: -1 } }; + + if (term) { + const regex = new RegExp(term, 'i'); + + query.$or = [ + { title: regex }, + { description: regex }, + ]; + } + + return Cards.find(query, projection); + }, + searchSwimlanes(term) { check(term, Match.OneOf(String, null, undefined)); diff --git a/models/cardComments.js b/models/cardComments.js index f29366a5..fcb97104 100644 --- a/models/cardComments.js +++ b/models/cardComments.js @@ -69,7 +69,7 @@ CardComments.allow({ CardComments.helpers({ copy(newCardId) { this.cardId = newCardId; - this._id = null; + delete this._id; CardComments.insert(this); }, diff --git a/models/cards.js b/models/cards.js index e91f0af5..c733c7f8 100644 --- a/models/cards.js +++ b/models/cards.js @@ -274,7 +274,7 @@ Cards.allow({ Cards.helpers({ copy() { const oldId = this._id; - this._id = null; + delete this._id; const _id = Cards.insert(this); // copy checklists diff --git a/models/lists.js b/models/lists.js index bf2430ee..d76c961c 100644 --- a/models/lists.js +++ b/models/lists.js @@ -139,20 +139,24 @@ Lists.allow({ Lists.helpers({ copy(swimlaneId) { const oldId = this._id; + const oldSwimlaneId = this.swimlaneId || null; let _id = null; existingListWithSameName = Lists.findOne({ boardId: this.boardId, title: this.title, + archived: false, }); if (existingListWithSameName) { _id = existingListWithSameName._id; } else { - this._id = null; + delete this._id; + delete this.swimlaneId; _id = Lists.insert(this); } // Copy all cards in list Cards.find({ + swimlaneId: oldSwimlaneId, listId: oldId, archived: false, }).forEach((card) => { diff --git a/models/swimlanes.js b/models/swimlanes.js index d3548329..a3427fc6 100644 --- a/models/swimlanes.js +++ b/models/swimlanes.js @@ -101,18 +101,23 @@ Swimlanes.allow({ }); Swimlanes.helpers({ - copy() { + copy(oldBoardId) { const oldId = this._id; - this._id = null; + delete this._id; const _id = Swimlanes.insert(this); - // Copy all lists in swimlane - Lists.find({ - swimlaneId: oldId, + const query = { + swimlaneId: {$in: [oldId, '']}, archived: false, - }).forEach((list) => { + }; + if (oldBoardId) { + query.boardId = oldBoardId; + } + + // Copy all lists in swimlane + Lists.find(query).forEach((list) => { list.type = 'list'; - list.swimlaneId = ''; + list.swimlaneId = oldId; list.boardId = this.boardId; list.copy(_id); }); -- cgit v1.2.3-1-g7c22 From 2f3138207cc3093acbcc6f04b0f2e1ee10d57307 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 26 Feb 2019 00:28:01 +0200 Subject: Update translations. --- i18n/cs.i18n.json | 14 +-- i18n/de.i18n.json | 12 +- i18n/es.i18n.json | 12 +- i18n/fr.i18n.json | 12 +- i18n/he.i18n.json | 12 +- i18n/it.i18n.json | 304 +++++++++++++++++++++++++-------------------------- i18n/pt-BR.i18n.json | 12 +- i18n/zh-CN.i18n.json | 12 +- 8 files changed, 195 insertions(+), 195 deletions(-) diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index dbdf4551..cad46ea9 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -92,8 +92,8 @@ "restore-board": "Obnovit tablo", "no-archived-boards": "V archivu nejsou žádná tabla.", "archives": "Archiv", - "template": "Template", - "templates": "Templates", + "template": "Šablona", + "templates": "Šablony", "assign-member": "Přiřadit člena", "attached": "přiloženo", "attachment": "Příloha", @@ -145,7 +145,7 @@ "cardLabelsPopup-title": "Štítky", "cardMembersPopup-title": "Členové", "cardMorePopup-title": "Více", - "cardTemplatePopup-title": "Create template", + "cardTemplatePopup-title": "Vytvořit šablonu", "cards": "Karty", "cards-count": "Karty", "casSignIn": "Přihlásit pomocí CAS", @@ -169,7 +169,7 @@ "clipboard": "Schránka nebo potáhnout a pustit", "close": "Zavřít", "close-board": "Zavřít tablo", - "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", + "close-board-pop": "Budete moci obnovit tablo kliknutím na tlačítko \"Archiv\" v hlavním menu.", "color-black": "černá", "color-blue": "modrá", "color-crimson": "crimson", @@ -195,7 +195,7 @@ "color-slateblue": "slateblue", "color-white": "bílá", "color-yellow": "žlutá", - "unset-color": "Unset", + "unset-color": "Nenastaveno", "comment": "Komentář", "comment-placeholder": "Text komentáře", "comment-only": "Pouze komentáře", @@ -335,7 +335,7 @@ "leaveBoardPopup-title": "Opustit tablo?", "link-card": "Odkázat na tuto kartu", "list-archive-cards": "Přesunout všechny karty v tomto seznamu do archivu.", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", + "list-archive-cards-pop": "Toto odstraní z tabla všechny karty z tohoto seznamu. Pro zobrazení karet v Archivu a jejich opětovné obnovení, klikni v \"Menu\" > \"Archiv\".", "list-move-cards": "Přesunout všechny karty v tomto sloupci", "list-select-cards": "Vybrat všechny karty v tomto sloupci", "set-color-list": "Nastavit barvu", @@ -660,7 +660,7 @@ "authentication-method": "Metoda autentizace", "authentication-type": "Typ autentizace", "custom-product-name": "Vlastní název produktu", - "layout": "uspořádání", + "layout": "Uspořádání", "hide-logo": "Skrýt logo", "add-custom-html-after-body-start": "Přidej vlastní HTML za ", "add-custom-html-before-body-end": "Přidej vlastní HTML před ", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index e6a3d97e..39188c0a 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -92,8 +92,8 @@ "restore-board": "Board wiederherstellen", "no-archived-boards": "Keine Boards im Archiv.", "archives": "Archiv", - "template": "Template", - "templates": "Templates", + "template": "Vorlage", + "templates": "Vorlagen", "assign-member": "Mitglied zuweisen", "attached": "angehängt", "attachment": "Anhang", @@ -145,7 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Mitglieder", "cardMorePopup-title": "Mehr", - "cardTemplatePopup-title": "Create template", + "cardTemplatePopup-title": "Vorlage erstellen", "cards": "Karten", "cards-count": "Karten", "casSignIn": "Mit CAS anmelden", @@ -456,9 +456,9 @@ "welcome-swimlane": "Meilenstein 1", "welcome-list1": "Grundlagen", "welcome-list2": "Fortgeschritten", - "card-templates-swimlane": "Card Templates", - "list-templates-swimlane": "List Templates", - "board-templates-swimlane": "Board Templates", + "card-templates-swimlane": "Kartenvorlagen", + "list-templates-swimlane": "Listenvorlagen", + "board-templates-swimlane": "Boardvorlagen", "what-to-do": "Was wollen Sie tun?", "wipLimitErrorPopup-title": "Ungültiges WIP-Limit", "wipLimitErrorPopup-dialog-pt1": "Die Anzahl von Aufgaben in dieser Liste ist größer als das von Ihnen definierte WIP-Limit.", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index f17edd86..ac3fd36e 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -92,8 +92,8 @@ "restore-board": "Restaurar el tablero", "no-archived-boards": "No hay Tableros en el Archivo", "archives": "Archivar", - "template": "Template", - "templates": "Templates", + "template": "Plantilla", + "templates": "Plantillas", "assign-member": "Asignar miembros", "attached": "adjuntado", "attachment": "Adjunto", @@ -145,7 +145,7 @@ "cardLabelsPopup-title": "Etiquetas", "cardMembersPopup-title": "Miembros", "cardMorePopup-title": "Más", - "cardTemplatePopup-title": "Create template", + "cardTemplatePopup-title": "Crear plantilla", "cards": "Tarjetas", "cards-count": "Tarjetas", "casSignIn": "Iniciar sesión con CAS", @@ -456,9 +456,9 @@ "welcome-swimlane": "Hito 1", "welcome-list1": "Básicos", "welcome-list2": "Avanzados", - "card-templates-swimlane": "Card Templates", - "list-templates-swimlane": "List Templates", - "board-templates-swimlane": "Board Templates", + "card-templates-swimlane": "Plantilla de tarjeta", + "list-templates-swimlane": "Listar plantillas", + "board-templates-swimlane": "Plantilla de tablero", "what-to-do": "¿Qué deseas hacer?", "wipLimitErrorPopup-title": "El límite del trabajo en proceso no es válido.", "wipLimitErrorPopup-dialog-pt1": "El número de tareas en esta lista es mayor que el límite del trabajo en proceso que has definido.", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index aa20a1ed..5c38a222 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -92,8 +92,8 @@ "restore-board": "Restaurer le tableau", "no-archived-boards": "Aucun tableau archivé.", "archives": "Archiver", - "template": "Template", - "templates": "Templates", + "template": "Modèle", + "templates": "Modèles", "assign-member": "Affecter un membre", "attached": "joint", "attachment": "Pièce jointe", @@ -145,7 +145,7 @@ "cardLabelsPopup-title": "Étiquettes", "cardMembersPopup-title": "Membres", "cardMorePopup-title": "Plus", - "cardTemplatePopup-title": "Create template", + "cardTemplatePopup-title": "Créer un modèle", "cards": "Cartes", "cards-count": "Cartes", "casSignIn": "Se connecter avec CAS", @@ -456,9 +456,9 @@ "welcome-swimlane": "Jalon 1", "welcome-list1": "Basiques", "welcome-list2": "Avancés", - "card-templates-swimlane": "Card Templates", - "list-templates-swimlane": "List Templates", - "board-templates-swimlane": "Board Templates", + "card-templates-swimlane": "Modèles de cartes", + "list-templates-swimlane": "Modèles de listes", + "board-templates-swimlane": "Modèles de tableaux", "what-to-do": "Que voulez-vous faire ?", "wipLimitErrorPopup-title": "Limite WIP invalide", "wipLimitErrorPopup-dialog-pt1": "Le nombre de cartes de cette liste est supérieur à la limite WIP que vous avez définie.", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 8d089d87..81cc6210 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -92,8 +92,8 @@ "restore-board": "שחזור לוח", "no-archived-boards": "לא נשמרו לוחות בארכיון.", "archives": "להעביר לארכיון", - "template": "Template", - "templates": "Templates", + "template": "תבנית", + "templates": "תבניות", "assign-member": "הקצאת חבר", "attached": "מצורף", "attachment": "קובץ מצורף", @@ -145,7 +145,7 @@ "cardLabelsPopup-title": "תוויות", "cardMembersPopup-title": "חברים", "cardMorePopup-title": "עוד", - "cardTemplatePopup-title": "Create template", + "cardTemplatePopup-title": "יצירת תבנית", "cards": "כרטיסים", "cards-count": "כרטיסים", "casSignIn": "כניסה עם CAS", @@ -456,9 +456,9 @@ "welcome-swimlane": "ציון דרך 1", "welcome-list1": "יסודות", "welcome-list2": "מתקדם", - "card-templates-swimlane": "Card Templates", - "list-templates-swimlane": "List Templates", - "board-templates-swimlane": "Board Templates", + "card-templates-swimlane": "תבניות כרטיסים", + "list-templates-swimlane": "תבניות רשימות", + "board-templates-swimlane": "תבניות לוחות", "what-to-do": "מה ברצונך לעשות?", "wipLimitErrorPopup-title": "מגבלת „בעבודה” שגויה", "wipLimitErrorPopup-dialog-pt1": "מספר המשימות ברשימה זו גדולה ממגבלת הפריטים „בעבודה” שהגדרת.", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 6a5e9773..1133a436 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -32,7 +32,7 @@ "activity-archived": "%s spostato nell'archivio", "activity-attached": "allegato %s a %s", "activity-created": "creato %s", - "activity-customfield-created": "Campo personalizzato creato", + "activity-customfield-created": "%s creato come campo personalizzato", "activity-excluded": "escluso %s da %s", "activity-imported": "importato %s in %s da %s", "activity-imported-board": "importato %s da %s", @@ -47,19 +47,19 @@ "activity-unchecked-item": "disattivato %s nella checklist %s di %s", "activity-checklist-added": "aggiunta checklist a %s", "activity-checklist-removed": "È stata rimossa una checklist da%s", - "activity-checklist-completed": "completed the checklist %s of %s", - "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", + "activity-checklist-completed": "Completata la checklist %s di %s", + "activity-checklist-uncompleted": "La checklist non è stata completata", "activity-checklist-item-added": "Aggiunto l'elemento checklist a '%s' in %s", - "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", + "activity-checklist-item-removed": "è stato rimosso un elemento della checklist da '%s' in %s", "add": "Aggiungere", - "activity-checked-item-card": "checked %s in checklist %s", - "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", - "activity-checklist-uncompleted-card": "uncompleted the checklist %s", + "activity-checked-item-card": "%s è stato selezionato nella checklist %s", + "activity-unchecked-item-card": "%s è stato deselezionato nella checklist %s", + "activity-checklist-completed-card": "completata la checklist %s", + "activity-checklist-uncompleted-card": "La checklist %s non è completa", "add-attachment": "Aggiungi Allegato", "add-board": "Aggiungi Bacheca", "add-card": "Aggiungi Scheda", - "add-swimlane": "Aggiungi Corsia", + "add-swimlane": "Aggiungi Diagramma Swimlane", "add-subtask": "Aggiungi sotto-compito", "add-checklist": "Aggiungi Checklist", "add-checklist-item": "Aggiungi un elemento alla checklist", @@ -78,19 +78,19 @@ "and-n-other-card": "E __count__ altra scheda", "and-n-other-card_plural": "E __count__ altre schede", "apply": "Applica", - "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", - "archive": "Move to Archive", - "archive-all": "Move All to Archive", - "archive-board": "Move Board to Archive", - "archive-card": "Move Card to Archive", - "archive-list": "Move List to Archive", - "archive-swimlane": "Move Swimlane to Archive", - "archive-selection": "Move selection to Archive", - "archiveBoardPopup-title": "Move Board to Archive?", + "app-is-offline": "Caricamento, attendere prego. Aggiornare la pagina porterà ad una perdita dei dati. Se il caricamento non dovesse funzionare, per favore controlla che il server non sia stato fermato.", + "archive": "Sposta nell'Archivio", + "archive-all": "Sposta tutto nell'Archivio", + "archive-board": "Sposta la bacheca nell'Archivio", + "archive-card": "Sposta la scheda nell'Archivio", + "archive-list": "Sposta elenco nell'Archivio", + "archive-swimlane": "Sposta diagramma nell'Archivio", + "archive-selection": "Sposta la selezione nell'archivio", + "archiveBoardPopup-title": "Spostare al bacheca nell'archivio?", "archived-items": "Archivia", - "archived-boards": "Boards in Archive", + "archived-boards": "Bacheche nell'archivio", "restore-board": "Ripristina Bacheca", - "no-archived-boards": "No Boards in Archive.", + "no-archived-boards": "Nessuna bacheca presente nell'archivio", "archives": "Archivia", "template": "Template", "templates": "Templates", @@ -116,16 +116,16 @@ "boards": "Bacheche", "board-view": "Visualizza bacheca", "board-view-cal": "Calendario", - "board-view-swimlanes": "Corsie", + "board-view-swimlanes": "Diagramma Swimlane", "board-view-lists": "Liste", "bucket-example": "Per esempio come \"una lista di cose da fare\"", "cancel": "Cancella", - "card-archived": "This card is moved to Archive.", - "board-archived": "This board is moved to Archive.", + "card-archived": "Questa scheda è stata spostata nell'archivio", + "board-archived": "Questa bacheca è stata spostata nell'archivio", "card-comments-title": "Questa scheda ha %s commenti.", "card-delete-notice": "L'eliminazione è permanente. Tutte le azioni associate a questa scheda andranno perse.", "card-delete-pop": "Tutte le azioni saranno rimosse dal flusso attività e non sarai in grado di riaprire la scheda. Non potrai tornare indietro.", - "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "Puoi spostare una scheda nell'archivio per rimuoverla dalla bacheca e mantenere la sua attività", "card-due": "Scadenza", "card-due-on": "Scade", "card-spent": "Tempo trascorso", @@ -145,7 +145,7 @@ "cardLabelsPopup-title": "Etichette", "cardMembersPopup-title": "Membri", "cardMorePopup-title": "Altro", - "cardTemplatePopup-title": "Create template", + "cardTemplatePopup-title": "Crea un template", "cards": "Schede", "cards-count": "Schede", "casSignIn": "Entra con CAS", @@ -169,33 +169,33 @@ "clipboard": "Clipboard o drag & drop", "close": "Chiudi", "close-board": "Chiudi bacheca", - "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", + "close-board-pop": "Potrai ripristinare la bacheca cliccando sul tasto \"Archivio\" presente nell'intestazione della home.", "color-black": "nero", "color-blue": "blu", - "color-crimson": "crimson", - "color-darkgreen": "darkgreen", - "color-gold": "gold", - "color-gray": "gray", + "color-crimson": "Rosso cremisi", + "color-darkgreen": "Verde scuro", + "color-gold": "Dorato", + "color-gray": "Grigio", "color-green": "verde", - "color-indigo": "indigo", + "color-indigo": "Indaco", "color-lime": "lime", - "color-magenta": "magenta", - "color-mistyrose": "mistyrose", - "color-navy": "navy", + "color-magenta": "Magenta", + "color-mistyrose": "Mistyrose", + "color-navy": "Navy", "color-orange": "arancione", - "color-paleturquoise": "paleturquoise", - "color-peachpuff": "peachpuff", + "color-paleturquoise": "Turchese chiaro", + "color-peachpuff": "Pesca", "color-pink": "rosa", - "color-plum": "plum", + "color-plum": "Prugna", "color-purple": "viola", "color-red": "rosso", - "color-saddlebrown": "saddlebrown", - "color-silver": "silver", + "color-saddlebrown": "Saddlebrown", + "color-silver": "Argento", "color-sky": "azzurro", - "color-slateblue": "slateblue", - "color-white": "white", + "color-slateblue": "Ardesia", + "color-white": "Bianco", "color-yellow": "giallo", - "unset-color": "Unset", + "unset-color": "Non impostato", "comment": "Commento", "comment-placeholder": "Scrivi Commento", "comment-only": "Solo commenti", @@ -223,7 +223,7 @@ "custom-field-checkbox": "Casella di scelta", "custom-field-date": "Data", "custom-field-dropdown": "Lista a discesa", - "custom-field-dropdown-none": "(nessun)", + "custom-field-dropdown-none": "(niente)", "custom-field-dropdown-options": "Lista opzioni", "custom-field-dropdown-options-placeholder": "Premi invio per aggiungere altre opzioni", "custom-field-dropdown-unknown": "(sconosciuto)", @@ -302,20 +302,20 @@ "import-board": "Importa bacheca", "import-board-c": "Importa bacheca", "import-board-title-trello": "Importa una bacheca da Trello", - "import-board-title-wekan": "Import board from previous export", - "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Importa bacheca dall'esportazione precedente", + "import-sandstorm-backup-warning": "Non cancellare i dati che importi dalla bacheca esportata in origine o da Trello prima che il controllo finisca e si riapra ancora, altrimenti otterrai un messaggio di errore Bacheca non trovata, che significa che i dati sono perduti.", "import-sandstorm-warning": "La bacheca importata cancellerà tutti i dati esistenti su questa bacheca e li rimpiazzerà con quelli della bacheca importata.", "from-trello": "Da Trello", - "from-wekan": "From previous export", + "from-wekan": "Dall'esportazione precedente", "import-board-instruction-trello": "Nella tua bacheca Trello vai a 'Menu', poi 'Altro', 'Stampa ed esporta', 'Esporta JSON', e copia il testo che compare.", - "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", + "import-board-instruction-wekan": "Nella tua bacheca vai su \"Menu\", poi \"Esporta la bacheca\", e copia il testo nel file scaricato", + "import-board-instruction-about-errors": "Se hai degli errori quando importi una bacheca, qualche volta l'importazione funziona comunque, e la bacheca si trova nella pagina \"Tutte le bacheche\"", "import-json-placeholder": "Incolla un JSON valido qui", "import-map-members": "Mappatura dei membri", - "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", + "import-members-map": "La bacheca che hai importato contiene alcuni membri. Per favore scegli i membri che vuoi importare tra i tuoi utenti", "import-show-user-mapping": "Rivedi la mappatura dei membri", - "import-user-select": "Pick your existing user you want to use as this member", - "importMapMembersAddPopup-title": "Select member", + "import-user-select": "Scegli l'utente che vuoi venga utilizzato come questo membro", + "importMapMembersAddPopup-title": "Scegli membro", "info": "Versione", "initials": "Iniziali", "invalid-date": "Data non valida", @@ -334,21 +334,21 @@ "leave-board-pop": "Sei sicuro di voler abbandonare __boardTitle__? Sarai rimosso da tutte le schede in questa bacheca.", "leaveBoardPopup-title": "Abbandona Bacheca?", "link-card": "Link a questa scheda", - "list-archive-cards": "Move all cards in this list to Archive", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", + "list-archive-cards": "Sposta tutte le schede in questo elenco nell'Archivio", + "list-archive-cards-pop": "Questo rimuoverà tutte le schede nell'elenco dalla bacheca. Per vedere le schede nell'archivio e portarle dov'erano nella bacheca, clicca su \"Menu\" > \"Archivio\". ", "list-move-cards": "Sposta tutte le schede in questa lista", "list-select-cards": "Selezione tutte le schede in questa lista", - "set-color-list": "Set Color", + "set-color-list": "Imposta un colore", "listActionPopup-title": "Azioni disponibili", - "swimlaneActionPopup-title": "Azioni corsia", - "swimlaneAddPopup-title": "Add a Swimlane below", + "swimlaneActionPopup-title": "Azioni diagramma Swimlane", + "swimlaneAddPopup-title": "Aggiungi un diagramma Swimlane di seguito", "listImportCardPopup-title": "Importa una scheda di Trello", "listMorePopup-title": "Altro", "link-list": "Link a questa lista", "list-delete-pop": "Tutte le azioni saranno rimosse dal flusso attività e non sarai in grado di recuperare la lista. Non potrai tornare indietro.", - "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "Puoi spostare un elenco nell'archivio per rimuoverlo dalla bacheca e mantentere la sua attività.", "lists": "Liste", - "swimlanes": "Corsie", + "swimlanes": "Diagramma Swimlane", "log-out": "Log Out", "log-in": "Log In", "loginPopup-title": "Log In", @@ -366,9 +366,9 @@ "muted-info": "Non sarai mai notificato delle modifiche in questa bacheca", "my-boards": "Le mie bacheche", "name": "Nome", - "no-archived-cards": "No cards in Archive.", - "no-archived-lists": "No lists in Archive.", - "no-archived-swimlanes": "No swimlanes in Archive.", + "no-archived-cards": "Non ci sono schede nell'archivio.", + "no-archived-lists": "Non ci sono elenchi nell'archivio.", + "no-archived-swimlanes": "Non ci sono diagrammi Swimlane nell'archivio.", "no-results": "Nessun risultato", "normal": "Normale", "normal-desc": "Può visionare e modificare le schede. Non può cambiare le impostazioni.", @@ -404,7 +404,7 @@ "restore": "Ripristina", "save": "Salva", "search": "Cerca", - "rules": "Rules", + "rules": "Regole", "search-cards": "Ricerca per titolo e descrizione scheda su questa bacheca", "search-example": "Testo da ricercare?", "select-color": "Seleziona Colore", @@ -448,7 +448,7 @@ "uploaded-avatar": "Avatar caricato", "username": "Username", "view-it": "Vedi", - "warn-list-archived": "warning: this card is in an list at Archive", + "warn-list-archived": "Attenzione:questa scheda si trova in un elenco dell'archivio", "watch": "Segui", "watching": "Stai seguendo", "watching-info": "Sarai notificato per tutte le modifiche in questa bacheca", @@ -456,9 +456,9 @@ "welcome-swimlane": "Pietra miliare 1", "welcome-list1": "Basi", "welcome-list2": "Avanzate", - "card-templates-swimlane": "Card Templates", - "list-templates-swimlane": "List Templates", - "board-templates-swimlane": "Board Templates", + "card-templates-swimlane": "Template scheda", + "list-templates-swimlane": "Elenca i template", + "board-templates-swimlane": "Bacheca dei template", "what-to-do": "Cosa vuoi fare?", "wipLimitErrorPopup-title": "Limite work in progress non valido. ", "wipLimitErrorPopup-dialog-pt1": "Il numero di compiti in questa lista è maggiore del limite di work in progress che hai definito in precedenza. ", @@ -470,7 +470,7 @@ "disable-self-registration": "Disabilita Auto-registrazione", "invite": "Invita", "invite-people": "Invita persone", - "to-boards": "Alla(e) bacheche(a)", + "to-boards": "Alla(e) bacheca", "email-addresses": "Indirizzi email", "smtp-host-description": "L'indirizzo del server SMTP che gestisce le tue email.", "smtp-port-description": "La porta che il tuo server SMTP utilizza per le email in uscita.", @@ -484,14 +484,14 @@ "send-smtp-test": "Invia un'email di test a te stesso", "invitation-code": "Codice d'invito", "email-invite-register-subject": "__inviter__ ti ha inviato un invito", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email", + "email-invite-register-text": "Gentile __user__,\n\n__inviter__ ti ha invitato a partecipare a questa bacheca kanban per collaborare.\n\nPer favore segui il collegamento qui sotto:\n__url__\n\nIl tuo codice di invito è: __icode__\n\nGrazie.", + "email-smtp-test-subject": "E-Mail di prova SMTP", "email-smtp-test-text": "Hai inviato un'email con successo", "error-invitation-code-not-exist": "Il codice d'invito non esiste", "error-notAuthorized": "Non sei autorizzato ad accedere a questa pagina.", "outgoing-webhooks": "Server esterni", "outgoingWebhooksPopup-title": "Server esterni", - "boardCardTitlePopup-title": "Card Title Filter", + "boardCardTitlePopup-title": "Filtro per Titolo Scheda", "new-outgoing-webhook": "Nuovo webhook in uscita", "no-name": "(Sconosciuto)", "Node_version": "Versione di Node", @@ -504,13 +504,13 @@ "OS_Totalmem": "Memoria totale del sistema operativo ", "OS_Type": "Tipo di sistema operativo ", "OS_Uptime": "Tempo di attività del sistema operativo. ", - "days": "days", + "days": "giorni", "hours": "ore", "minutes": "minuti", "seconds": "secondi", "show-field-on-card": "Visualizza questo campo sulla scheda", - "automatically-field-on-card": "Auto create field to all cards", - "showLabel-field-on-card": "Show field label on minicard", + "automatically-field-on-card": "Crea automaticamente i campi per tutte le schede", + "showLabel-field-on-card": "Mostra l'etichetta di campo su minischeda", "yes": "Sì", "no": "No", "accounts": "Profili", @@ -525,10 +525,10 @@ "card-end-on": "Termina il", "editCardReceivedDatePopup-title": "Cambia data ricezione", "editCardEndDatePopup-title": "Cambia data finale", - "setCardColorPopup-title": "Set color", - "setCardActionsColorPopup-title": "Choose a color", - "setSwimlaneColorPopup-title": "Choose a color", - "setListColorPopup-title": "Choose a color", + "setCardColorPopup-title": "Imposta il colore", + "setCardActionsColorPopup-title": "Scegli un colore", + "setSwimlaneColorPopup-title": "Scegli un colore", + "setListColorPopup-title": "Scegli un colore", "assigned-by": "Assegnato da", "requested-by": "Richiesto da", "board-delete-notice": "L'eliminazione è permanente. Tutte le azioni, liste e schede associate a questa bacheca andranno perse.", @@ -552,89 +552,89 @@ "parent-card": "Scheda genitore", "source-board": "Bacheca d'origine", "no-parent": "Non mostrare i genitori", - "activity-added-label": "added label '%s' to %s", - "activity-removed-label": "removed label '%s' from %s", - "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label": "L' etichetta '%s' è stata aggiunta a %s", + "activity-removed-label": "L'etichetta '%s' è stata rimossa da %s", + "activity-delete-attach": "Rimosso un allegato da %s", "activity-added-label-card": "aggiunta etichetta '%s'", - "activity-removed-label-card": "removed label '%s'", + "activity-removed-label-card": "L' etichetta '%s' è stata rimossa.", "activity-delete-attach-card": "Cancella un allegato", "r-rule": "Ruolo", "r-add-trigger": "Aggiungi trigger", "r-add-action": "Aggiungi azione", - "r-board-rules": "Regole del cruscotto", + "r-board-rules": "Regole della bacheca", "r-add-rule": "Aggiungi regola", "r-view-rule": "Visualizza regola", "r-delete-rule": "Cancella regola", "r-new-rule-name": "Titolo nuova regola", "r-no-rules": "Nessuna regola", - "r-when-a-card": "When a card", - "r-is": "is", - "r-is-moved": "is moved", - "r-added-to": "added to", + "r-when-a-card": "Quando una scheda", + "r-is": "è", + "r-is-moved": "viene spostata", + "r-added-to": "Aggiunto/a a ", "r-removed-from": "Rimosso da", - "r-the-board": "Il cruscotto", + "r-the-board": "La bacheca", "r-list": "lista", - "set-filter": "Set Filter", - "r-moved-to": "Moved to", - "r-moved-from": "Moved from", - "r-archived": "Moved to Archive", - "r-unarchived": "Restored from Archive", - "r-a-card": "a card", - "r-when-a-label-is": "When a label is", - "r-when-the-label-is": "When the label is", - "r-list-name": "list name", - "r-when-a-member": "When a member is", - "r-when-the-member": "When the member", - "r-name": "name", - "r-when-a-attach": "When an attachment", - "r-when-a-checklist": "When a checklist is", - "r-when-the-checklist": "When the checklist", - "r-completed": "Completed", - "r-made-incomplete": "Made incomplete", - "r-when-a-item": "When a checklist item is", - "r-when-the-item": "When the checklist item", - "r-checked": "Checked", - "r-unchecked": "Unchecked", - "r-move-card-to": "Move card to", - "r-top-of": "Top of", - "r-bottom-of": "Bottom of", - "r-its-list": "its list", - "r-archive": "Move to Archive", - "r-unarchive": "Restore from Archive", - "r-card": "card", + "set-filter": "Imposta un filtro", + "r-moved-to": "Spostato/a a ", + "r-moved-from": "Spostato/a da", + "r-archived": "Spostato/a nell'archivio", + "r-unarchived": "Ripristinato/a dall'archivio", + "r-a-card": "una scheda", + "r-when-a-label-is": "Quando un'etichetta viene", + "r-when-the-label-is": "Quando l'etichetta viene", + "r-list-name": "Nome dell'elenco", + "r-when-a-member": "Quando un membro viene", + "r-when-the-member": "Quando un membro viene", + "r-name": "nome", + "r-when-a-attach": "Quando un allegato", + "r-when-a-checklist": "Quando una checklist è", + "r-when-the-checklist": "Quando la checklist", + "r-completed": "Completato/a", + "r-made-incomplete": "Rendi incompleto", + "r-when-a-item": "Quando un elemento della checklist è", + "r-when-the-item": "Quando un elemento della checklist", + "r-checked": "Selezionato", + "r-unchecked": "Deselezionato", + "r-move-card-to": "Sposta scheda a", + "r-top-of": "Al di sopra di", + "r-bottom-of": "Al di sotto di", + "r-its-list": "il suo elenco", + "r-archive": "Sposta nell'Archivio", + "r-unarchive": "Ripristina dall'archivio", + "r-card": "scheda", "r-add": "Aggiungere", - "r-remove": "Remove", - "r-label": "label", - "r-member": "member", - "r-remove-all": "Remove all members from the card", - "r-set-color": "Set color to", + "r-remove": "Rimuovi", + "r-label": "etichetta", + "r-member": "membro", + "r-remove-all": "Rimuovi tutti i membri dalla scheda", + "r-set-color": "Imposta il colore a", "r-checklist": "checklist", - "r-check-all": "Check all", - "r-uncheck-all": "Uncheck all", - "r-items-check": "items of checklist", - "r-check": "Check", - "r-uncheck": "Uncheck", - "r-item": "item", + "r-check-all": "Spunta tutti", + "r-uncheck-all": "Togli la spunta a tutti", + "r-items-check": "Elementi della checklist", + "r-check": "Spunta", + "r-uncheck": "Togli la spunta", + "r-item": "elemento", "r-of-checklist": "della lista di cose da fare", - "r-send-email": "Send an email", - "r-to": "to", + "r-send-email": "Invia un e-mail", + "r-to": "a", "r-subject": "soggetto", - "r-rule-details": "Rule details", - "r-d-move-to-top-gen": "Move card to top of its list", - "r-d-move-to-top-spec": "Move card to top of list", + "r-rule-details": "Dettagli della regola", + "r-d-move-to-top-gen": "Sposta la scheda al di sopra del suo elenco", + "r-d-move-to-top-spec": "Sposta la scheda la di sopra dell'elenco", "r-d-move-to-bottom-gen": "Sposta la scheda in fondo alla sua lista", "r-d-move-to-bottom-spec": "Muovi la scheda in fondo alla lista", "r-d-send-email": "Spedisci email", - "r-d-send-email-to": "to", + "r-d-send-email-to": "a", "r-d-send-email-subject": "soggetto", "r-d-send-email-message": "Messaggio", - "r-d-archive": "Move card to Archive", - "r-d-unarchive": "Restore card from Archive", + "r-d-archive": "Sposta la scheda nell'archivio", + "r-d-unarchive": "Ripristina la scheda dall'archivio", "r-d-add-label": "Aggiungi etichetta", "r-d-remove-label": "Rimuovi Etichetta", - "r-create-card": "Create new card", - "r-in-list": "in list", - "r-in-swimlane": "in swimlane", + "r-create-card": "Crea una nuova scheda", + "r-in-list": "in elenco", + "r-in-swimlane": "nel diagramma swimlane", "r-d-add-member": "Aggiungi membro", "r-d-remove-member": "Rimuovi membro", "r-d-remove-all-member": "Rimouvi tutti i membri", @@ -645,27 +645,27 @@ "r-d-check-of-list": "della lista di cose da fare", "r-d-add-checklist": "Aggiungi lista di cose da fare", "r-d-remove-checklist": "Rimuovi check list", - "r-by": "by", + "r-by": "da", "r-add-checklist": "Aggiungi lista di cose da fare", - "r-with-items": "with items", - "r-items-list": "item1,item2,item3", - "r-add-swimlane": "Add swimlane", - "r-swimlane-name": "swimlane name", - "r-board-note": "Note: leave a field empty to match every possible value.", - "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", + "r-with-items": "con elementi", + "r-items-list": "elemento1,elemento2,elemento3", + "r-add-swimlane": "Aggiungi un diagramma swimlane", + "r-swimlane-name": "Nome diagramma swimlane", + "r-board-note": "Nota: Lascia un campo vuoto per abbinare ogni possibile valore", + "r-checklist-note": "Nota: Gli elementi della checklist devono essere scritti come valori separati dalla virgola", "r-when-a-card-is-moved": "Quando una scheda viene spostata su un'altra lista", "ldap": "LDAP", "oauth2": "Oauth2", "cas": "CAS", "authentication-method": "Metodo di Autenticazione", "authentication-type": "Tipo Autenticazione", - "custom-product-name": "Custom Product Name", + "custom-product-name": "Personalizza il nome del prodotto", "layout": "Layout", - "hide-logo": "Hide Logo", - "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end", - "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login", - "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "hide-logo": "Nascondi il logo", + "add-custom-html-after-body-start": "Aggiungi codice HTML personalizzato dopo inzio", + "add-custom-html-before-body-end": "Aggiunti il codice HTML prima di fine", + "error-undefined": "Qualcosa è andato storto", + "error-ldap-login": "C'è stato un errore mentre provavi ad effettuare il login", + "display-authentication-method": "Mostra il metodo di autenticazione", + "default-authentication-method": "Metodo di autenticazione predefinito" } \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index d15353e9..5f677275 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -92,8 +92,8 @@ "restore-board": "Restaurar Quadro", "no-archived-boards": "Sem Quadros no Arquivo-morto.", "archives": "Arquivos-morto", - "template": "Template", - "templates": "Templates", + "template": "Modelo", + "templates": "Modelos", "assign-member": "Atribuir Membro", "attached": "anexado", "attachment": "Anexo", @@ -145,7 +145,7 @@ "cardLabelsPopup-title": "Etiquetas", "cardMembersPopup-title": "Membros", "cardMorePopup-title": "Mais", - "cardTemplatePopup-title": "Create template", + "cardTemplatePopup-title": "Criar Modelo", "cards": "Cartões", "cards-count": "Cartões", "casSignIn": "Entrar com CAS", @@ -456,9 +456,9 @@ "welcome-swimlane": "Marco 1", "welcome-list1": "Básico", "welcome-list2": "Avançado", - "card-templates-swimlane": "Card Templates", - "list-templates-swimlane": "List Templates", - "board-templates-swimlane": "Board Templates", + "card-templates-swimlane": "Modelos de cartão", + "list-templates-swimlane": "Modelos de lista", + "board-templates-swimlane": "Modelos de quadro", "what-to-do": "O que você gostaria de fazer?", "wipLimitErrorPopup-title": "Limite WIP Inválido", "wipLimitErrorPopup-dialog-pt1": "O número de tarefas nesta lista excede o limite WIP definido.", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 7fd127df..7c68f2cc 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -92,8 +92,8 @@ "restore-board": "还原看板", "no-archived-boards": "没有归档的看板。", "archives": "归档", - "template": "Template", - "templates": "Templates", + "template": "模板", + "templates": "模板", "assign-member": "分配成员", "attached": "附加", "attachment": "附件", @@ -145,7 +145,7 @@ "cardLabelsPopup-title": "标签", "cardMembersPopup-title": "成员", "cardMorePopup-title": "更多", - "cardTemplatePopup-title": "Create template", + "cardTemplatePopup-title": "新建模板", "cards": "卡片", "cards-count": "卡片", "casSignIn": "用CAS登录", @@ -456,9 +456,9 @@ "welcome-swimlane": "里程碑 1", "welcome-list1": "基本", "welcome-list2": "高阶", - "card-templates-swimlane": "Card Templates", - "list-templates-swimlane": "List Templates", - "board-templates-swimlane": "Board Templates", + "card-templates-swimlane": "卡片模板", + "list-templates-swimlane": "列表模板", + "board-templates-swimlane": "看板模板", "what-to-do": "要做什么?", "wipLimitErrorPopup-title": "无效的最大任务数", "wipLimitErrorPopup-dialog-pt1": "此列表中的任务数量已经超过了设置的最大任务数。", -- cgit v1.2.3-1-g7c22 From a7071291468f1b3b99d13691b6c088f00069896f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 26 Feb 2019 16:51:24 +0200 Subject: Removed console.log. --- client/components/lists/listBody.js | 1 - 1 file changed, 1 deletion(-) diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 5a3862f3..04c7eede 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -571,7 +571,6 @@ BlazeComponent.extendComponent({ }, boards() { - console.log('booom'); const boards = Boards.find({ archived: false, 'members.userId': Meteor.userId(), -- cgit v1.2.3-1-g7c22 From 05351c0ac100dc481f8eb6430a871f6e6d015cf0 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 27 Feb 2019 06:02:00 +0200 Subject: - Fix OIDC error "a.join is not a function" b reverting configurable OAUTH2_ID_TOKEN_WHITELIST_FIELDS and OAUTH2_REQUEST_PERMISSIONS from Wekan v2.22-2.26. Thanks to xet7 ! Closes #2206, Related #1874, Related #1722 --- Dockerfile | 4 ---- docker-compose.yml | 4 ---- releases/virtualbox/start-wekan.sh | 4 ---- server/authentication.js | 4 ++-- snap-src/bin/config | 10 +--------- snap-src/bin/wekan-help | 12 ------------ start-wekan.bat | 5 ----- start-wekan.sh | 4 ---- 8 files changed, 3 insertions(+), 44 deletions(-) diff --git a/Dockerfile b/Dockerfile index f4297bb8..10995252 100644 --- a/Dockerfile +++ b/Dockerfile @@ -31,8 +31,6 @@ ARG OAUTH2_ID_MAP ARG OAUTH2_USERNAME_MAP ARG OAUTH2_FULLNAME_MAP ARG OAUTH2_EMAIL_MAP -ARG OAUTH2_ID_TOKEN_WHITELIST_FIELDS -ARG OAUTH2_REQUEST_PERMISSIONS ARG LDAP_ENABLE ARG LDAP_PORT ARG LDAP_HOST @@ -117,8 +115,6 @@ ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential pyth OAUTH2_USERNAME_MAP="" \ OAUTH2_FULLNAME_MAP="" \ OAUTH2_EMAIL_MAP="" \ - OAUTH2_ID_TOKEN_WHITELIST_FIELDS=[] \ - OAUTH2_REQUEST_PERMISSIONS=[openid] \ LDAP_ENABLE=false \ LDAP_PORT=389 \ LDAP_HOST="" \ diff --git a/docker-compose.yml b/docker-compose.yml index deccd265..c5eb74b0 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -315,10 +315,6 @@ services: #- OAUTH2_FULLNAME_MAP= # OAuth2 Email Mapping #- OAUTH2_EMAIL_MAP= - # OAUTH2 ID Token Whitelist Fields. - #- OAUTH2_ID_TOKEN_WHITELIST_FIELDS=[] - # OAUTH2 Request Permissions. - #- OAUTH2_REQUEST_PERMISSIONS=[openid email profile] #----------------------------------------------------------------- # ==== LDAP ==== # https://github.com/wekan/wekan/wiki/LDAP diff --git a/releases/virtualbox/start-wekan.sh b/releases/virtualbox/start-wekan.sh index 2f2e9ea3..e04209d0 100755 --- a/releases/virtualbox/start-wekan.sh +++ b/releases/virtualbox/start-wekan.sh @@ -114,10 +114,6 @@ #export OAUTH2_FULLNAME_MAP= # OAuth2 Email Mapping #export OAUTH2_EMAIL_MAP= - # OAUTH2 ID Token Whitelist Fields. - #export OAUTH2_ID_TOKEN_WHITELIST_FIELDS=[] - # OAUTH2 Request Permissions. - #export OAUTH2_REQUEST_PERMISSIONS=[openid profile email] #--------------------------------------------- # LDAP_ENABLE : Enable or not the connection by the LDAP # example : export LDAP_ENABLE=true diff --git a/server/authentication.js b/server/authentication.js index bbe655a2..4d3cc53e 100644 --- a/server/authentication.js +++ b/server/authentication.js @@ -76,8 +76,8 @@ Meteor.startup(() => { authorizationEndpoint: process.env.OAUTH2_AUTH_ENDPOINT, userinfoEndpoint: process.env.OAUTH2_USERINFO_ENDPOINT, tokenEndpoint: process.env.OAUTH2_TOKEN_ENDPOINT, - idTokenWhitelistFields: process.env.OAUTH2_ID_TOKEN_WHITELIST_FIELDS || [], - requestPermissions: process.env.OAUTH2_REQUEST_PERMISSIONS || ['openid', 'profile', 'email'], + idTokenWhitelistFields: [], + requestPermissions: ['openid'], }, } ); diff --git a/snap-src/bin/config b/snap-src/bin/config index e510838c..9945cd5a 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -3,7 +3,7 @@ # All supported keys are defined here together with descriptions and default values # list of supported keys -keys="DEBUG MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API EMAIL_NOTIFICATION_TIMEOUT CORS MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT OAUTH2_ID_MAP OAUTH2_USERNAME_MAP OAUTH2_FULLNAME_MAP OAUTH2_EMAIL_MAP OAUTH2_ID_TOKEN_WHITELIST_FIELDS OAUTH2_REQUEST_PERMISSIONS LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_FULLNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN LDAP_EMAIL_MATCH_ENABLE LDAP_EMAIL_MATCH_REQUIRE LDAP_EMAIL_MATCH_VERIFIED LDAP_EMAIL_FIELD LOGOUT_WITH_TIMER LOGOUT_IN LOGOUT_ON_HOURS LOGOUT_ON_MINUTES DEFAULT_AUTHENTICATION_METHOD" +keys="DEBUG MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API EMAIL_NOTIFICATION_TIMEOUT CORS MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT OAUTH2_ID_MAP OAUTH2_USERNAME_MAP OAUTH2_FULLNAME_MAP OAUTH2_EMAIL_MAP LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_FULLNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN LDAP_EMAIL_MATCH_ENABLE LDAP_EMAIL_MATCH_REQUIRE LDAP_EMAIL_MATCH_VERIFIED LDAP_EMAIL_FIELD LOGOUT_WITH_TIMER LOGOUT_IN LOGOUT_ON_HOURS LOGOUT_ON_MINUTES DEFAULT_AUTHENTICATION_METHOD" # default values DESCRIPTION_DEBUG="Debug OIDC OAuth2 etc. Example: sudo snap set wekan debug='true'" @@ -142,14 +142,6 @@ DESCRIPTION_OAUTH2_EMAIL_MAP="OAuth2 Email Mapping. Example: email" DEFAULT_OAUTH2_EMAIL_MAP="" KEY_OAUTH2_EMAIL_MAP="oauth2-email-map" -DESCRIPTION_OAUTH2_ID_TOKEN_WHITELIST_FIELDS="OAuth2 ID Token Whitelist Fields. Example: []" -DEFAULT_OAUTH2_ID_TOKEN_WHITELIST_FIELDS="" -KEY_OAUTH2_ID_TOKEN_WHITELIST_FIELDS="oauth2-id-token-whitelist-fields" - -DESCRIPTION_OAUTH2_REQUEST_PERMISSIONS="OAuth2 Request Permissions. Example: [openid profile email]" -DEFAULT_OAUTH2_REQUEST_PERMISSIONS="" -KEY_OAUTH2_REQUEST_PERMISSIONS="oauth2-request-permissions" - DESCRIPTION_LDAP_ENABLE="Enable or not the connection by the LDAP" DEFAULT_LDAP_ENABLE="false" KEY_LDAP_ENABLE="ldap-enable" diff --git a/snap-src/bin/wekan-help b/snap-src/bin/wekan-help index f9847063..8d88527f 100755 --- a/snap-src/bin/wekan-help +++ b/snap-src/bin/wekan-help @@ -130,18 +130,6 @@ echo -e "\t$ snap set $SNAP_NAME oauth2-email-map='email'" echo -e "\t-Disable the OAuth2 Email Mapping of Wekan:" echo -e "\t$ snap set $SNAP_NAME oauth2-email-map=''" echo -e "\n" -echo -e "OAuth2 ID Token Whitelist Fields." -echo -e "To enable the OAuth2 ID Token Whitelist Fields of Wekan:" -echo -e "\t$ snap set $SNAP_NAME oauth2-id-token-whitelist-fields='[]'" -echo -e "\t-Disable the OAuth2 ID Token Whitelist Fields of Wekan:" -echo -e "\t$ snap set $SNAP_NAME oauth2-id-token-whitelist-fields=''" -echo -e "\n" -echo -e "OAuth2 Request Permissions." -echo -e "To enable the OAuth2 Request Permissions of Wekan:" -echo -e "\t$ snap set $SNAP_NAME oauth2-request-permissions='[openid profile email]'" -echo -e "\t-Disable the OAuth2 Request Permissions of Wekan:" -echo -e "\t$ snap set $SNAP_NAME oauth2-request-permissions=''" -echo -e "\n" echo -e "Ldap Enable." echo -e "To enable the ldap of Wekan:" echo -e "\t$ snap set $SNAP_NAME ldap-enable='true'" diff --git a/start-wekan.bat b/start-wekan.bat index 7ccf0c0e..eebfa607 100755 --- a/start-wekan.bat +++ b/start-wekan.bat @@ -74,11 +74,6 @@ REM # OAuth2 Token Endpoint. Example: /oauth/token REM # example: OAUTH2_TOKEN_ENDPOINT=/oauth/token REM SET OAUTH2_TOKEN_ENDPOINT= -REM # OAUTH2 ID Token Whitelist Fields. -REM SET OAUTH2_ID_TOKEN_WHITELIST_FIELDS=[] -REM # OAUTH2 Request Permissions. -REM SET OAUTH2_REQUEST_PERMISSIONS=[openid email profile] - REM ------------------------------------------------------------ REM # LDAP_ENABLE : Enable or not the connection by the LDAP diff --git a/start-wekan.sh b/start-wekan.sh index c9745af9..7b7cd6a9 100755 --- a/start-wekan.sh +++ b/start-wekan.sh @@ -95,10 +95,6 @@ function wekan_repo_check(){ #export OAUTH2_FULLNAME_MAP=name # The claim name you want to map to the email field: #export OAUTH2_EMAIL_MAP=email - # OAUTH2 ID Token Whitelist Fields. - #export OAUTH2_ID_TOKEN_WHITELIST_FIELDS=[] - # OAUTH2 Request Permissions. - #export OAUTH2_REQUEST_PERMISSIONS=[openid profile email] #----------------------------------------------------------------- # ==== OAUTH2 KEYCLOAK ==== # https://github.com/wekan/wekan/wiki/Keycloak <== MAPPING INFO, REQUIRED -- cgit v1.2.3-1-g7c22 From 868fba55cd65ae4cee8a49cb4ecbbe260b43ca6a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 27 Feb 2019 06:14:15 +0200 Subject: Update changelog. --- CHANGELOG.md | 21 +++++++++++++++------ 1 file changed, 15 insertions(+), 6 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 9b2fd416..000680f7 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- [Fix OIDC error "a.join is not a function"](https://github.com/wekan/wekan/issues/2206) + by reverting configurable OAUTH2_ID_TOKEN_WHITELIST_FIELDS and + OAUTH2_REQUEST_PERMISSIONS from Wekan v2.22-2.26. + Thanks to GitHub user xet7. + # v2.26 2019-02-25 Wekan release This release adds the following new features: @@ -7,10 +16,10 @@ This release adds the following new features: and fixes the following bugs: -- [Fix OAuth2 requestPermissions](https://github.com/wekan/wekan/commit/5e238bfbfea16940ae29647ae347bbdc0d78efb0). +- REVERTED in v2.27 ([Fix OAuth2 requestPermissions](https://github.com/wekan/wekan/commit/5e238bfbfea16940ae29647ae347bbdc0d78efb0). This makes [Auth0 login possible](https://github.com/wekan/wekan/issues/1722) with [OIDC](https://github.com/wekan/wekan/wiki/OAuth2#auth0). Needs testing. - Thanks to GitHub user xet7. + Thanks to GitHub user xet7.) # v2.25 2019-02-23 Wekan release @@ -31,8 +40,8 @@ This release adds the following new features: and fixes the following bugs: -- [Add missing text .env to wekan/server/authentication.js](https://github.com/wekan/wekan/commit/4e6e78ccd216045e6ad41bcdab4e524f715a7eb5). - Thanks to Vanila Chat user .gitignore. +- REVERTED in v2.27 ([Add missing text .env to wekan/server/authentication.js](https://github.com/wekan/wekan/commit/4e6e78ccd216045e6ad41bcdab4e524f715a7eb5). + Thanks to Vanila Chat user .gitignore.) Thanks to above contributors, and translators for their translation. @@ -50,10 +59,10 @@ Thanks to above GitHub users for their contributions, and translators for their This release adds the following new features: - [Kadira integration](https://github.com/wekan/wekan/issues/2152). Thanks to GavinLilly. -- Add [configurable](https://github.com/wekan/wekan/issues/1874#issuecomment-462759627) +- REVERTED in v2.27 (Add [configurable](https://github.com/wekan/wekan/issues/1874#issuecomment-462759627) settings [OAUTH2_ID_TOKEN_WHITELIST_FIELDS and OAUTH2_REQUEST_PERMISSIONS](https://github.com/wekan/wekan/commit/b66f471e530d41a3f12e4bfc29548313e9a73c35). - Thanks to xet7. + Thanks to xet7.) and fixes the following bugs: -- cgit v1.2.3-1-g7c22 From ed04181bb92aa60205d4e07fd08620f6de681361 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 27 Feb 2019 06:16:37 +0200 Subject: Update translations. --- i18n/ar.i18n.json | 6 + i18n/bg.i18n.json | 6 + i18n/br.i18n.json | 6 + i18n/ca.i18n.json | 6 + i18n/cs.i18n.json | 14 ++- i18n/da.i18n.json | 6 + i18n/de.i18n.json | 6 + i18n/el.i18n.json | 6 + i18n/en-GB.i18n.json | 6 + i18n/eo.i18n.json | 6 + i18n/es-AR.i18n.json | 6 + i18n/es.i18n.json | 6 + i18n/eu.i18n.json | 6 + i18n/fa.i18n.json | 6 + i18n/fi.i18n.json | 6 + i18n/fr.i18n.json | 6 + i18n/gl.i18n.json | 6 + i18n/he.i18n.json | 6 + i18n/hi.i18n.json | 6 + i18n/hu.i18n.json | 6 + i18n/hy.i18n.json | 6 + i18n/id.i18n.json | 6 + i18n/ig.i18n.json | 6 + i18n/it.i18n.json | 302 ++++++++++++++++++++++++++------------------------- i18n/ja.i18n.json | 6 + i18n/ka.i18n.json | 6 + i18n/km.i18n.json | 6 + i18n/ko.i18n.json | 6 + i18n/lv.i18n.json | 6 + i18n/mk.i18n.json | 6 + i18n/mn.i18n.json | 6 + i18n/nb.i18n.json | 6 + i18n/nl.i18n.json | 6 + i18n/pl.i18n.json | 6 + i18n/pt-BR.i18n.json | 6 + i18n/pt.i18n.json | 6 + i18n/ro.i18n.json | 6 + i18n/ru.i18n.json | 6 + i18n/sr.i18n.json | 6 + i18n/sv.i18n.json | 6 + i18n/sw.i18n.json | 6 + i18n/ta.i18n.json | 6 + i18n/th.i18n.json | 6 + i18n/tr.i18n.json | 18 ++- i18n/uk.i18n.json | 6 + i18n/vi.i18n.json | 6 + i18n/zh-CN.i18n.json | 6 + i18n/zh-TW.i18n.json | 6 + 48 files changed, 446 insertions(+), 158 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 3a1b171f..5f407569 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -92,6 +92,8 @@ "restore-board": "استعادة اللوحة", "no-archived-boards": "لا توجد لوحات في الأرشيف.", "archives": "أرشيف", + "template": "Template", + "templates": "Templates", "assign-member": "تعيين عضو", "attached": "أُرفق)", "attachment": "مرفق", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "علامات", "cardMembersPopup-title": "أعضاء", "cardMorePopup-title": "المزيد", + "cardTemplatePopup-title": "Create template", "cards": "بطاقات", "cards-count": "بطاقات", "casSignIn": "تسجيل الدخول مع CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "المبادئ", "welcome-list2": "متقدم", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "ماذا تريد أن تنجز?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 96e0195d..d776b9e3 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Възстанови Таблото", "no-archived-boards": "Няма Табла в Архива.", "archives": "Архив", + "template": "Template", + "templates": "Templates", "assign-member": "Възложи на член от екипа", "attached": "прикачен", "attachment": "Прикаченн файл", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Етикети", "cardMembersPopup-title": "Членове", "cardMorePopup-title": "Още", + "cardTemplatePopup-title": "Create template", "cards": "Карти", "cards-count": "Карти", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Невалиден WIP лимит", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index b6ffe2db..e54f57b0 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Archive", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Izili", "cardMorePopup-title": "Muioc’h", + "cardTemplatePopup-title": "Create template", "cards": "Kartennoù", "cards-count": "Kartennoù", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 3ec05181..9cc36323 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restaura Tauler", "no-archived-boards": "No hi han Taulers al Arxiu.", "archives": "Desa", + "template": "Template", + "templates": "Templates", "assign-member": "Assignar membre", "attached": "adjuntat", "attachment": "Adjunt", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Etiquetes", "cardMembersPopup-title": "Membres", "cardMorePopup-title": "Més", + "cardTemplatePopup-title": "Create template", "cards": "Fitxes", "cards-count": "Fitxes", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Objectiu 1", "welcome-list1": "Bàsics", "welcome-list2": "Avançades", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Què vols fer?", "wipLimitErrorPopup-title": "Límit de Treball en Progrès invàlid", "wipLimitErrorPopup-dialog-pt1": "El nombre de tasques en esta llista és superior al límit de Treball en Progrès que heu definit.", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 5f809eaa..cad46ea9 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Obnovit tablo", "no-archived-boards": "V archivu nejsou žádná tabla.", "archives": "Archiv", + "template": "Šablona", + "templates": "Šablony", "assign-member": "Přiřadit člena", "attached": "přiloženo", "attachment": "Příloha", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Štítky", "cardMembersPopup-title": "Členové", "cardMorePopup-title": "Více", + "cardTemplatePopup-title": "Vytvořit šablonu", "cards": "Karty", "cards-count": "Karty", "casSignIn": "Přihlásit pomocí CAS", @@ -166,7 +169,7 @@ "clipboard": "Schránka nebo potáhnout a pustit", "close": "Zavřít", "close-board": "Zavřít tablo", - "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", + "close-board-pop": "Budete moci obnovit tablo kliknutím na tlačítko \"Archiv\" v hlavním menu.", "color-black": "černá", "color-blue": "modrá", "color-crimson": "crimson", @@ -192,7 +195,7 @@ "color-slateblue": "slateblue", "color-white": "bílá", "color-yellow": "žlutá", - "unset-color": "Unset", + "unset-color": "Nenastaveno", "comment": "Komentář", "comment-placeholder": "Text komentáře", "comment-only": "Pouze komentáře", @@ -332,7 +335,7 @@ "leaveBoardPopup-title": "Opustit tablo?", "link-card": "Odkázat na tuto kartu", "list-archive-cards": "Přesunout všechny karty v tomto seznamu do archivu.", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", + "list-archive-cards-pop": "Toto odstraní z tabla všechny karty z tohoto seznamu. Pro zobrazení karet v Archivu a jejich opětovné obnovení, klikni v \"Menu\" > \"Archiv\".", "list-move-cards": "Přesunout všechny karty v tomto sloupci", "list-select-cards": "Vybrat všechny karty v tomto sloupci", "set-color-list": "Nastavit barvu", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milník 1", "welcome-list1": "Základní", "welcome-list2": "Pokročilé", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Co chcete dělat?", "wipLimitErrorPopup-title": "Neplatný WIP Limit", "wipLimitErrorPopup-dialog-pt1": "Počet úkolů v tomto sloupci je vyšší než definovaný WIP limit.", @@ -654,7 +660,7 @@ "authentication-method": "Metoda autentizace", "authentication-type": "Typ autentizace", "custom-product-name": "Vlastní název produktu", - "layout": "uspořádání", + "layout": "Uspořádání", "hide-logo": "Skrýt logo", "add-custom-html-after-body-start": "Přidej vlastní HTML za ", "add-custom-html-before-body-end": "Přidej vlastní HTML před ", diff --git a/i18n/da.i18n.json b/i18n/da.i18n.json index 656de729..b54634c5 100644 --- a/i18n/da.i18n.json +++ b/i18n/da.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Archive", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Members", "cardMorePopup-title": "More", + "cardTemplatePopup-title": "Create template", "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 84141731..39188c0a 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Board wiederherstellen", "no-archived-boards": "Keine Boards im Archiv.", "archives": "Archiv", + "template": "Vorlage", + "templates": "Vorlagen", "assign-member": "Mitglied zuweisen", "attached": "angehängt", "attachment": "Anhang", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Mitglieder", "cardMorePopup-title": "Mehr", + "cardTemplatePopup-title": "Vorlage erstellen", "cards": "Karten", "cards-count": "Karten", "casSignIn": "Mit CAS anmelden", @@ -453,6 +456,9 @@ "welcome-swimlane": "Meilenstein 1", "welcome-list1": "Grundlagen", "welcome-list2": "Fortgeschritten", + "card-templates-swimlane": "Kartenvorlagen", + "list-templates-swimlane": "Listenvorlagen", + "board-templates-swimlane": "Boardvorlagen", "what-to-do": "Was wollen Sie tun?", "wipLimitErrorPopup-title": "Ungültiges WIP-Limit", "wipLimitErrorPopup-dialog-pt1": "Die Anzahl von Aufgaben in dieser Liste ist größer als das von Ihnen definierte WIP-Limit.", diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index adfd19f2..216b0c2d 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Archive", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Ετικέτες", "cardMembersPopup-title": "Μέλοι", "cardMorePopup-title": "Περισσότερα", + "cardTemplatePopup-title": "Create template", "cards": "Κάρτες", "cards-count": "Κάρτες", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 04bb2bac..c9b68793 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Archive", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Members", "cardMorePopup-title": "More", + "cardTemplatePopup-title": "Create template", "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index da1e9697..1c84bbd4 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Arkivi", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Etikedoj", "cardMembersPopup-title": "Membroj", "cardMorePopup-title": "Pli", + "cardTemplatePopup-title": "Create template", "cards": "Kartoj", "cards-count": "Kartoj", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Kion vi volas fari?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index 95c2f086..2d6d65fe 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restaurar Tablero", "no-archived-boards": "No Boards in Archive.", "archives": "Archivar", + "template": "Template", + "templates": "Templates", "assign-member": "Asignar miembro", "attached": "adjunto(s)", "attachment": "Adjunto", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Etiquetas", "cardMembersPopup-title": "Miembros", "cardMorePopup-title": "Mas", + "cardTemplatePopup-title": "Create template", "cards": "Tarjetas", "cards-count": "Tarjetas", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Hito 1", "welcome-list1": "Básicos", "welcome-list2": "Avanzado", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "¿Qué querés hacer?", "wipLimitErrorPopup-title": "Límite TEP Inválido", "wipLimitErrorPopup-dialog-pt1": " El número de tareas en esta lista es mayor que el límite TEP que definiste.", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index dad03bf6..ac3fd36e 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restaurar el tablero", "no-archived-boards": "No hay Tableros en el Archivo", "archives": "Archivar", + "template": "Plantilla", + "templates": "Plantillas", "assign-member": "Asignar miembros", "attached": "adjuntado", "attachment": "Adjunto", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Etiquetas", "cardMembersPopup-title": "Miembros", "cardMorePopup-title": "Más", + "cardTemplatePopup-title": "Crear plantilla", "cards": "Tarjetas", "cards-count": "Tarjetas", "casSignIn": "Iniciar sesión con CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Hito 1", "welcome-list1": "Básicos", "welcome-list2": "Avanzados", + "card-templates-swimlane": "Plantilla de tarjeta", + "list-templates-swimlane": "Listar plantillas", + "board-templates-swimlane": "Plantilla de tablero", "what-to-do": "¿Qué deseas hacer?", "wipLimitErrorPopup-title": "El límite del trabajo en proceso no es válido.", "wipLimitErrorPopup-dialog-pt1": "El número de tareas en esta lista es mayor que el límite del trabajo en proceso que has definido.", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index 4d34b6ca..ab54ba9e 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Berreskuratu arbela", "no-archived-boards": "No Boards in Archive.", "archives": "Artxibatu", + "template": "Template", + "templates": "Templates", "assign-member": "Esleitu kidea", "attached": "erantsita", "attachment": "Eranskina", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Etiketak", "cardMembersPopup-title": "Kideak", "cardMorePopup-title": "Gehiago", + "cardTemplatePopup-title": "Create template", "cards": "Txartelak", "cards-count": "Txartelak", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Oinarrizkoa", "welcome-list2": "Aurreratua", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Zer egin nahi duzu?", "wipLimitErrorPopup-title": "Baliogabeko WIP muga", "wipLimitErrorPopup-dialog-pt1": "Zerrenda honetako atazen muga, WIP-en ezarritakoa baina handiagoa da", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index 90c515b7..db8eefe4 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -92,6 +92,8 @@ "restore-board": "بازیابی تخته", "no-archived-boards": "هیچ بردی داخل آرشیو نیست", "archives": "بایگانی", + "template": "Template", + "templates": "Templates", "assign-member": "تعیین عضو", "attached": "ضمیمه شده", "attachment": "ضمیمه", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "برچسب ها", "cardMembersPopup-title": "اعضا", "cardMorePopup-title": "بیشتر", + "cardTemplatePopup-title": "Create template", "cards": "کارت‌ها", "cards-count": "کارت‌ها", "casSignIn": "ورود با استفاده از CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "پایه ای ها", "welcome-list2": "پیشرفته", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "چه کاری می خواهید انجام دهید؟", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 7e2c4d3b..a4a115ec 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Palauta taulu", "no-archived-boards": "Ei tauluja Arkistossa", "archives": "Arkisto", + "template": "Malli", + "templates": "Mallit", "assign-member": "Valitse jäsen", "attached": "liitetty", "attachment": "Liitetiedosto", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Tunnisteet", "cardMembersPopup-title": "Jäsenet", "cardMorePopup-title": "Lisää", + "cardTemplatePopup-title": "Luo malli", "cards": "Kortit", "cards-count": "korttia", "casSignIn": "CAS kirjautuminen", @@ -453,6 +456,9 @@ "welcome-swimlane": "Merkkipaalu 1", "welcome-list1": "Perusasiat", "welcome-list2": "Edistynyt", + "card-templates-swimlane": "Kortti mallit", + "list-templates-swimlane": "Lista mallit", + "board-templates-swimlane": "Taulu mallit", "what-to-do": "Mitä haluat tehdä?", "wipLimitErrorPopup-title": "Virheellinen WIP-raja", "wipLimitErrorPopup-dialog-pt1": "Tässä listassa olevien tehtävien määrä on korkeampi kuin asettamasi WIP-raja.", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index ff4b2146..5c38a222 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restaurer le tableau", "no-archived-boards": "Aucun tableau archivé.", "archives": "Archiver", + "template": "Modèle", + "templates": "Modèles", "assign-member": "Affecter un membre", "attached": "joint", "attachment": "Pièce jointe", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Étiquettes", "cardMembersPopup-title": "Membres", "cardMorePopup-title": "Plus", + "cardTemplatePopup-title": "Créer un modèle", "cards": "Cartes", "cards-count": "Cartes", "casSignIn": "Se connecter avec CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Jalon 1", "welcome-list1": "Basiques", "welcome-list2": "Avancés", + "card-templates-swimlane": "Modèles de cartes", + "list-templates-swimlane": "Modèles de listes", + "board-templates-swimlane": "Modèles de tableaux", "what-to-do": "Que voulez-vous faire ?", "wipLimitErrorPopup-title": "Limite WIP invalide", "wipLimitErrorPopup-dialog-pt1": "Le nombre de cartes de cette liste est supérieur à la limite WIP que vous avez définie.", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 9c310c78..617a213a 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restaurar taboleiro", "no-archived-boards": "No Boards in Archive.", "archives": "Arquivar", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "Anexo", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Etiquetas", "cardMembersPopup-title": "Membros", "cardMorePopup-title": "Máis", + "cardTemplatePopup-title": "Create template", "cards": "Tarxetas", "cards-count": "Tarxetas", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Fundamentos", "welcome-list2": "Avanzado", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Que desexa facer?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 939f2002..81cc6210 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -92,6 +92,8 @@ "restore-board": "שחזור לוח", "no-archived-boards": "לא נשמרו לוחות בארכיון.", "archives": "להעביר לארכיון", + "template": "תבנית", + "templates": "תבניות", "assign-member": "הקצאת חבר", "attached": "מצורף", "attachment": "קובץ מצורף", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "תוויות", "cardMembersPopup-title": "חברים", "cardMorePopup-title": "עוד", + "cardTemplatePopup-title": "יצירת תבנית", "cards": "כרטיסים", "cards-count": "כרטיסים", "casSignIn": "כניסה עם CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "ציון דרך 1", "welcome-list1": "יסודות", "welcome-list2": "מתקדם", + "card-templates-swimlane": "תבניות כרטיסים", + "list-templates-swimlane": "תבניות רשימות", + "board-templates-swimlane": "תבניות לוחות", "what-to-do": "מה ברצונך לעשות?", "wipLimitErrorPopup-title": "מגבלת „בעבודה” שגויה", "wipLimitErrorPopup-dialog-pt1": "מספר המשימות ברשימה זו גדולה ממגבלת הפריטים „בעבודה” שהגדרת.", diff --git a/i18n/hi.i18n.json b/i18n/hi.i18n.json index 8f5028d6..7586bf45 100644 --- a/i18n/hi.i18n.json +++ b/i18n/hi.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore बोर्ड", "no-archived-boards": "No Boards in Archive.", "archives": "पुरालेख", + "template": "Template", + "templates": "Templates", "assign-member": "आवंटित सदस्य", "attached": "संलग्न", "attachment": "संलग्नक", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "नामपत्र", "cardMembersPopup-title": "सदस्य", "cardMorePopup-title": "अतिरिक्त", + "cardTemplatePopup-title": "Create template", "cards": "कार्ड्स", "cards-count": "कार्ड्स", "casSignIn": "सीएएस के साथ साइन इन करें", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want तक do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks अंदर में यह सूची is higher than the WIP limit you've defined.", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index 18b5b0a1..8f8085c8 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Tábla visszaállítása", "no-archived-boards": "No Boards in Archive.", "archives": "Archiválás", + "template": "Template", + "templates": "Templates", "assign-member": "Tag hozzárendelése", "attached": "csatolva", "attachment": "Melléklet", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Címkék", "cardMembersPopup-title": "Tagok", "cardMorePopup-title": "Több", + "cardTemplatePopup-title": "Create template", "cards": "Kártyák", "cards-count": "Kártyák", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "1. mérföldkő", "welcome-list1": "Alapok", "welcome-list2": "Speciális", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Mit szeretne tenni?", "wipLimitErrorPopup-title": "Érvénytelen WIP korlát", "wipLimitErrorPopup-dialog-pt1": "A listán lévő feladatok száma magasabb a meghatározott WIP korlátnál.", diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index fe53857b..22f84286 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Archive", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Members", "cardMorePopup-title": "More", + "cardTemplatePopup-title": "Create template", "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 2f363bb9..8c308e09 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Arsip", + "template": "Template", + "templates": "Templates", "assign-member": "Tugaskan anggota", "attached": "terlampir", "attachment": "Lampiran", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Daftar Label", "cardMembersPopup-title": "Daftar Anggota", "cardMorePopup-title": "Lainnya", + "cardTemplatePopup-title": "Create template", "cards": "Daftar Kartu", "cards-count": "Daftar Kartu", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Tingkat dasar", "welcome-list2": "Tingkat lanjut", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Apa yang mau Anda lakukan?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 27cee963..37544497 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Archive", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Aha", "cardMembersPopup-title": "Ndị otu", "cardMorePopup-title": "More", + "cardTemplatePopup-title": "Create template", "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 82187722..1133a436 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -32,7 +32,7 @@ "activity-archived": "%s spostato nell'archivio", "activity-attached": "allegato %s a %s", "activity-created": "creato %s", - "activity-customfield-created": "Campo personalizzato creato", + "activity-customfield-created": "%s creato come campo personalizzato", "activity-excluded": "escluso %s da %s", "activity-imported": "importato %s in %s da %s", "activity-imported-board": "importato %s da %s", @@ -47,19 +47,19 @@ "activity-unchecked-item": "disattivato %s nella checklist %s di %s", "activity-checklist-added": "aggiunta checklist a %s", "activity-checklist-removed": "È stata rimossa una checklist da%s", - "activity-checklist-completed": "completed the checklist %s of %s", - "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", + "activity-checklist-completed": "Completata la checklist %s di %s", + "activity-checklist-uncompleted": "La checklist non è stata completata", "activity-checklist-item-added": "Aggiunto l'elemento checklist a '%s' in %s", - "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", + "activity-checklist-item-removed": "è stato rimosso un elemento della checklist da '%s' in %s", "add": "Aggiungere", - "activity-checked-item-card": "checked %s in checklist %s", - "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", - "activity-checklist-uncompleted-card": "uncompleted the checklist %s", + "activity-checked-item-card": "%s è stato selezionato nella checklist %s", + "activity-unchecked-item-card": "%s è stato deselezionato nella checklist %s", + "activity-checklist-completed-card": "completata la checklist %s", + "activity-checklist-uncompleted-card": "La checklist %s non è completa", "add-attachment": "Aggiungi Allegato", "add-board": "Aggiungi Bacheca", "add-card": "Aggiungi Scheda", - "add-swimlane": "Aggiungi Corsia", + "add-swimlane": "Aggiungi Diagramma Swimlane", "add-subtask": "Aggiungi sotto-compito", "add-checklist": "Aggiungi Checklist", "add-checklist-item": "Aggiungi un elemento alla checklist", @@ -78,20 +78,22 @@ "and-n-other-card": "E __count__ altra scheda", "and-n-other-card_plural": "E __count__ altre schede", "apply": "Applica", - "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", - "archive": "Move to Archive", - "archive-all": "Move All to Archive", - "archive-board": "Move Board to Archive", - "archive-card": "Move Card to Archive", - "archive-list": "Move List to Archive", - "archive-swimlane": "Move Swimlane to Archive", - "archive-selection": "Move selection to Archive", - "archiveBoardPopup-title": "Move Board to Archive?", + "app-is-offline": "Caricamento, attendere prego. Aggiornare la pagina porterà ad una perdita dei dati. Se il caricamento non dovesse funzionare, per favore controlla che il server non sia stato fermato.", + "archive": "Sposta nell'Archivio", + "archive-all": "Sposta tutto nell'Archivio", + "archive-board": "Sposta la bacheca nell'Archivio", + "archive-card": "Sposta la scheda nell'Archivio", + "archive-list": "Sposta elenco nell'Archivio", + "archive-swimlane": "Sposta diagramma nell'Archivio", + "archive-selection": "Sposta la selezione nell'archivio", + "archiveBoardPopup-title": "Spostare al bacheca nell'archivio?", "archived-items": "Archivia", - "archived-boards": "Boards in Archive", + "archived-boards": "Bacheche nell'archivio", "restore-board": "Ripristina Bacheca", - "no-archived-boards": "No Boards in Archive.", + "no-archived-boards": "Nessuna bacheca presente nell'archivio", "archives": "Archivia", + "template": "Template", + "templates": "Templates", "assign-member": "Aggiungi membro", "attached": "allegato", "attachment": "Allegato", @@ -114,16 +116,16 @@ "boards": "Bacheche", "board-view": "Visualizza bacheca", "board-view-cal": "Calendario", - "board-view-swimlanes": "Corsie", + "board-view-swimlanes": "Diagramma Swimlane", "board-view-lists": "Liste", "bucket-example": "Per esempio come \"una lista di cose da fare\"", "cancel": "Cancella", - "card-archived": "This card is moved to Archive.", - "board-archived": "This board is moved to Archive.", + "card-archived": "Questa scheda è stata spostata nell'archivio", + "board-archived": "Questa bacheca è stata spostata nell'archivio", "card-comments-title": "Questa scheda ha %s commenti.", "card-delete-notice": "L'eliminazione è permanente. Tutte le azioni associate a questa scheda andranno perse.", "card-delete-pop": "Tutte le azioni saranno rimosse dal flusso attività e non sarai in grado di riaprire la scheda. Non potrai tornare indietro.", - "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "Puoi spostare una scheda nell'archivio per rimuoverla dalla bacheca e mantenere la sua attività", "card-due": "Scadenza", "card-due-on": "Scade", "card-spent": "Tempo trascorso", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Etichette", "cardMembersPopup-title": "Membri", "cardMorePopup-title": "Altro", + "cardTemplatePopup-title": "Crea un template", "cards": "Schede", "cards-count": "Schede", "casSignIn": "Entra con CAS", @@ -166,33 +169,33 @@ "clipboard": "Clipboard o drag & drop", "close": "Chiudi", "close-board": "Chiudi bacheca", - "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", + "close-board-pop": "Potrai ripristinare la bacheca cliccando sul tasto \"Archivio\" presente nell'intestazione della home.", "color-black": "nero", "color-blue": "blu", - "color-crimson": "crimson", - "color-darkgreen": "darkgreen", - "color-gold": "gold", - "color-gray": "gray", + "color-crimson": "Rosso cremisi", + "color-darkgreen": "Verde scuro", + "color-gold": "Dorato", + "color-gray": "Grigio", "color-green": "verde", - "color-indigo": "indigo", + "color-indigo": "Indaco", "color-lime": "lime", - "color-magenta": "magenta", - "color-mistyrose": "mistyrose", - "color-navy": "navy", + "color-magenta": "Magenta", + "color-mistyrose": "Mistyrose", + "color-navy": "Navy", "color-orange": "arancione", - "color-paleturquoise": "paleturquoise", - "color-peachpuff": "peachpuff", + "color-paleturquoise": "Turchese chiaro", + "color-peachpuff": "Pesca", "color-pink": "rosa", - "color-plum": "plum", + "color-plum": "Prugna", "color-purple": "viola", "color-red": "rosso", - "color-saddlebrown": "saddlebrown", - "color-silver": "silver", + "color-saddlebrown": "Saddlebrown", + "color-silver": "Argento", "color-sky": "azzurro", - "color-slateblue": "slateblue", - "color-white": "white", + "color-slateblue": "Ardesia", + "color-white": "Bianco", "color-yellow": "giallo", - "unset-color": "Unset", + "unset-color": "Non impostato", "comment": "Commento", "comment-placeholder": "Scrivi Commento", "comment-only": "Solo commenti", @@ -220,7 +223,7 @@ "custom-field-checkbox": "Casella di scelta", "custom-field-date": "Data", "custom-field-dropdown": "Lista a discesa", - "custom-field-dropdown-none": "(nessun)", + "custom-field-dropdown-none": "(niente)", "custom-field-dropdown-options": "Lista opzioni", "custom-field-dropdown-options-placeholder": "Premi invio per aggiungere altre opzioni", "custom-field-dropdown-unknown": "(sconosciuto)", @@ -299,20 +302,20 @@ "import-board": "Importa bacheca", "import-board-c": "Importa bacheca", "import-board-title-trello": "Importa una bacheca da Trello", - "import-board-title-wekan": "Import board from previous export", - "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-board-title-wekan": "Importa bacheca dall'esportazione precedente", + "import-sandstorm-backup-warning": "Non cancellare i dati che importi dalla bacheca esportata in origine o da Trello prima che il controllo finisca e si riapra ancora, altrimenti otterrai un messaggio di errore Bacheca non trovata, che significa che i dati sono perduti.", "import-sandstorm-warning": "La bacheca importata cancellerà tutti i dati esistenti su questa bacheca e li rimpiazzerà con quelli della bacheca importata.", "from-trello": "Da Trello", - "from-wekan": "From previous export", + "from-wekan": "Dall'esportazione precedente", "import-board-instruction-trello": "Nella tua bacheca Trello vai a 'Menu', poi 'Altro', 'Stampa ed esporta', 'Esporta JSON', e copia il testo che compare.", - "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", + "import-board-instruction-wekan": "Nella tua bacheca vai su \"Menu\", poi \"Esporta la bacheca\", e copia il testo nel file scaricato", + "import-board-instruction-about-errors": "Se hai degli errori quando importi una bacheca, qualche volta l'importazione funziona comunque, e la bacheca si trova nella pagina \"Tutte le bacheche\"", "import-json-placeholder": "Incolla un JSON valido qui", "import-map-members": "Mappatura dei membri", - "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", + "import-members-map": "La bacheca che hai importato contiene alcuni membri. Per favore scegli i membri che vuoi importare tra i tuoi utenti", "import-show-user-mapping": "Rivedi la mappatura dei membri", - "import-user-select": "Pick your existing user you want to use as this member", - "importMapMembersAddPopup-title": "Select member", + "import-user-select": "Scegli l'utente che vuoi venga utilizzato come questo membro", + "importMapMembersAddPopup-title": "Scegli membro", "info": "Versione", "initials": "Iniziali", "invalid-date": "Data non valida", @@ -331,21 +334,21 @@ "leave-board-pop": "Sei sicuro di voler abbandonare __boardTitle__? Sarai rimosso da tutte le schede in questa bacheca.", "leaveBoardPopup-title": "Abbandona Bacheca?", "link-card": "Link a questa scheda", - "list-archive-cards": "Move all cards in this list to Archive", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", + "list-archive-cards": "Sposta tutte le schede in questo elenco nell'Archivio", + "list-archive-cards-pop": "Questo rimuoverà tutte le schede nell'elenco dalla bacheca. Per vedere le schede nell'archivio e portarle dov'erano nella bacheca, clicca su \"Menu\" > \"Archivio\". ", "list-move-cards": "Sposta tutte le schede in questa lista", "list-select-cards": "Selezione tutte le schede in questa lista", - "set-color-list": "Set Color", + "set-color-list": "Imposta un colore", "listActionPopup-title": "Azioni disponibili", - "swimlaneActionPopup-title": "Azioni corsia", - "swimlaneAddPopup-title": "Add a Swimlane below", + "swimlaneActionPopup-title": "Azioni diagramma Swimlane", + "swimlaneAddPopup-title": "Aggiungi un diagramma Swimlane di seguito", "listImportCardPopup-title": "Importa una scheda di Trello", "listMorePopup-title": "Altro", "link-list": "Link a questa lista", "list-delete-pop": "Tutte le azioni saranno rimosse dal flusso attività e non sarai in grado di recuperare la lista. Non potrai tornare indietro.", - "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", + "list-delete-suggest-archive": "Puoi spostare un elenco nell'archivio per rimuoverlo dalla bacheca e mantentere la sua attività.", "lists": "Liste", - "swimlanes": "Corsie", + "swimlanes": "Diagramma Swimlane", "log-out": "Log Out", "log-in": "Log In", "loginPopup-title": "Log In", @@ -363,9 +366,9 @@ "muted-info": "Non sarai mai notificato delle modifiche in questa bacheca", "my-boards": "Le mie bacheche", "name": "Nome", - "no-archived-cards": "No cards in Archive.", - "no-archived-lists": "No lists in Archive.", - "no-archived-swimlanes": "No swimlanes in Archive.", + "no-archived-cards": "Non ci sono schede nell'archivio.", + "no-archived-lists": "Non ci sono elenchi nell'archivio.", + "no-archived-swimlanes": "Non ci sono diagrammi Swimlane nell'archivio.", "no-results": "Nessun risultato", "normal": "Normale", "normal-desc": "Può visionare e modificare le schede. Non può cambiare le impostazioni.", @@ -401,7 +404,7 @@ "restore": "Ripristina", "save": "Salva", "search": "Cerca", - "rules": "Rules", + "rules": "Regole", "search-cards": "Ricerca per titolo e descrizione scheda su questa bacheca", "search-example": "Testo da ricercare?", "select-color": "Seleziona Colore", @@ -445,7 +448,7 @@ "uploaded-avatar": "Avatar caricato", "username": "Username", "view-it": "Vedi", - "warn-list-archived": "warning: this card is in an list at Archive", + "warn-list-archived": "Attenzione:questa scheda si trova in un elenco dell'archivio", "watch": "Segui", "watching": "Stai seguendo", "watching-info": "Sarai notificato per tutte le modifiche in questa bacheca", @@ -453,6 +456,9 @@ "welcome-swimlane": "Pietra miliare 1", "welcome-list1": "Basi", "welcome-list2": "Avanzate", + "card-templates-swimlane": "Template scheda", + "list-templates-swimlane": "Elenca i template", + "board-templates-swimlane": "Bacheca dei template", "what-to-do": "Cosa vuoi fare?", "wipLimitErrorPopup-title": "Limite work in progress non valido. ", "wipLimitErrorPopup-dialog-pt1": "Il numero di compiti in questa lista è maggiore del limite di work in progress che hai definito in precedenza. ", @@ -464,7 +470,7 @@ "disable-self-registration": "Disabilita Auto-registrazione", "invite": "Invita", "invite-people": "Invita persone", - "to-boards": "Alla(e) bacheche(a)", + "to-boards": "Alla(e) bacheca", "email-addresses": "Indirizzi email", "smtp-host-description": "L'indirizzo del server SMTP che gestisce le tue email.", "smtp-port-description": "La porta che il tuo server SMTP utilizza per le email in uscita.", @@ -478,14 +484,14 @@ "send-smtp-test": "Invia un'email di test a te stesso", "invitation-code": "Codice d'invito", "email-invite-register-subject": "__inviter__ ti ha inviato un invito", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email", + "email-invite-register-text": "Gentile __user__,\n\n__inviter__ ti ha invitato a partecipare a questa bacheca kanban per collaborare.\n\nPer favore segui il collegamento qui sotto:\n__url__\n\nIl tuo codice di invito è: __icode__\n\nGrazie.", + "email-smtp-test-subject": "E-Mail di prova SMTP", "email-smtp-test-text": "Hai inviato un'email con successo", "error-invitation-code-not-exist": "Il codice d'invito non esiste", "error-notAuthorized": "Non sei autorizzato ad accedere a questa pagina.", "outgoing-webhooks": "Server esterni", "outgoingWebhooksPopup-title": "Server esterni", - "boardCardTitlePopup-title": "Card Title Filter", + "boardCardTitlePopup-title": "Filtro per Titolo Scheda", "new-outgoing-webhook": "Nuovo webhook in uscita", "no-name": "(Sconosciuto)", "Node_version": "Versione di Node", @@ -498,13 +504,13 @@ "OS_Totalmem": "Memoria totale del sistema operativo ", "OS_Type": "Tipo di sistema operativo ", "OS_Uptime": "Tempo di attività del sistema operativo. ", - "days": "days", + "days": "giorni", "hours": "ore", "minutes": "minuti", "seconds": "secondi", "show-field-on-card": "Visualizza questo campo sulla scheda", - "automatically-field-on-card": "Auto create field to all cards", - "showLabel-field-on-card": "Show field label on minicard", + "automatically-field-on-card": "Crea automaticamente i campi per tutte le schede", + "showLabel-field-on-card": "Mostra l'etichetta di campo su minischeda", "yes": "Sì", "no": "No", "accounts": "Profili", @@ -519,10 +525,10 @@ "card-end-on": "Termina il", "editCardReceivedDatePopup-title": "Cambia data ricezione", "editCardEndDatePopup-title": "Cambia data finale", - "setCardColorPopup-title": "Set color", - "setCardActionsColorPopup-title": "Choose a color", - "setSwimlaneColorPopup-title": "Choose a color", - "setListColorPopup-title": "Choose a color", + "setCardColorPopup-title": "Imposta il colore", + "setCardActionsColorPopup-title": "Scegli un colore", + "setSwimlaneColorPopup-title": "Scegli un colore", + "setListColorPopup-title": "Scegli un colore", "assigned-by": "Assegnato da", "requested-by": "Richiesto da", "board-delete-notice": "L'eliminazione è permanente. Tutte le azioni, liste e schede associate a questa bacheca andranno perse.", @@ -546,89 +552,89 @@ "parent-card": "Scheda genitore", "source-board": "Bacheca d'origine", "no-parent": "Non mostrare i genitori", - "activity-added-label": "added label '%s' to %s", - "activity-removed-label": "removed label '%s' from %s", - "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label": "L' etichetta '%s' è stata aggiunta a %s", + "activity-removed-label": "L'etichetta '%s' è stata rimossa da %s", + "activity-delete-attach": "Rimosso un allegato da %s", "activity-added-label-card": "aggiunta etichetta '%s'", - "activity-removed-label-card": "removed label '%s'", + "activity-removed-label-card": "L' etichetta '%s' è stata rimossa.", "activity-delete-attach-card": "Cancella un allegato", "r-rule": "Ruolo", "r-add-trigger": "Aggiungi trigger", "r-add-action": "Aggiungi azione", - "r-board-rules": "Regole del cruscotto", + "r-board-rules": "Regole della bacheca", "r-add-rule": "Aggiungi regola", "r-view-rule": "Visualizza regola", "r-delete-rule": "Cancella regola", "r-new-rule-name": "Titolo nuova regola", "r-no-rules": "Nessuna regola", - "r-when-a-card": "When a card", - "r-is": "is", - "r-is-moved": "is moved", - "r-added-to": "added to", + "r-when-a-card": "Quando una scheda", + "r-is": "è", + "r-is-moved": "viene spostata", + "r-added-to": "Aggiunto/a a ", "r-removed-from": "Rimosso da", - "r-the-board": "Il cruscotto", + "r-the-board": "La bacheca", "r-list": "lista", - "set-filter": "Set Filter", - "r-moved-to": "Moved to", - "r-moved-from": "Moved from", - "r-archived": "Moved to Archive", - "r-unarchived": "Restored from Archive", - "r-a-card": "a card", - "r-when-a-label-is": "When a label is", - "r-when-the-label-is": "When the label is", - "r-list-name": "list name", - "r-when-a-member": "When a member is", - "r-when-the-member": "When the member", - "r-name": "name", - "r-when-a-attach": "When an attachment", - "r-when-a-checklist": "When a checklist is", - "r-when-the-checklist": "When the checklist", - "r-completed": "Completed", - "r-made-incomplete": "Made incomplete", - "r-when-a-item": "When a checklist item is", - "r-when-the-item": "When the checklist item", - "r-checked": "Checked", - "r-unchecked": "Unchecked", - "r-move-card-to": "Move card to", - "r-top-of": "Top of", - "r-bottom-of": "Bottom of", - "r-its-list": "its list", - "r-archive": "Move to Archive", - "r-unarchive": "Restore from Archive", - "r-card": "card", + "set-filter": "Imposta un filtro", + "r-moved-to": "Spostato/a a ", + "r-moved-from": "Spostato/a da", + "r-archived": "Spostato/a nell'archivio", + "r-unarchived": "Ripristinato/a dall'archivio", + "r-a-card": "una scheda", + "r-when-a-label-is": "Quando un'etichetta viene", + "r-when-the-label-is": "Quando l'etichetta viene", + "r-list-name": "Nome dell'elenco", + "r-when-a-member": "Quando un membro viene", + "r-when-the-member": "Quando un membro viene", + "r-name": "nome", + "r-when-a-attach": "Quando un allegato", + "r-when-a-checklist": "Quando una checklist è", + "r-when-the-checklist": "Quando la checklist", + "r-completed": "Completato/a", + "r-made-incomplete": "Rendi incompleto", + "r-when-a-item": "Quando un elemento della checklist è", + "r-when-the-item": "Quando un elemento della checklist", + "r-checked": "Selezionato", + "r-unchecked": "Deselezionato", + "r-move-card-to": "Sposta scheda a", + "r-top-of": "Al di sopra di", + "r-bottom-of": "Al di sotto di", + "r-its-list": "il suo elenco", + "r-archive": "Sposta nell'Archivio", + "r-unarchive": "Ripristina dall'archivio", + "r-card": "scheda", "r-add": "Aggiungere", - "r-remove": "Remove", - "r-label": "label", - "r-member": "member", - "r-remove-all": "Remove all members from the card", - "r-set-color": "Set color to", + "r-remove": "Rimuovi", + "r-label": "etichetta", + "r-member": "membro", + "r-remove-all": "Rimuovi tutti i membri dalla scheda", + "r-set-color": "Imposta il colore a", "r-checklist": "checklist", - "r-check-all": "Check all", - "r-uncheck-all": "Uncheck all", - "r-items-check": "items of checklist", - "r-check": "Check", - "r-uncheck": "Uncheck", - "r-item": "item", + "r-check-all": "Spunta tutti", + "r-uncheck-all": "Togli la spunta a tutti", + "r-items-check": "Elementi della checklist", + "r-check": "Spunta", + "r-uncheck": "Togli la spunta", + "r-item": "elemento", "r-of-checklist": "della lista di cose da fare", - "r-send-email": "Send an email", - "r-to": "to", + "r-send-email": "Invia un e-mail", + "r-to": "a", "r-subject": "soggetto", - "r-rule-details": "Rule details", - "r-d-move-to-top-gen": "Move card to top of its list", - "r-d-move-to-top-spec": "Move card to top of list", + "r-rule-details": "Dettagli della regola", + "r-d-move-to-top-gen": "Sposta la scheda al di sopra del suo elenco", + "r-d-move-to-top-spec": "Sposta la scheda la di sopra dell'elenco", "r-d-move-to-bottom-gen": "Sposta la scheda in fondo alla sua lista", "r-d-move-to-bottom-spec": "Muovi la scheda in fondo alla lista", "r-d-send-email": "Spedisci email", - "r-d-send-email-to": "to", + "r-d-send-email-to": "a", "r-d-send-email-subject": "soggetto", "r-d-send-email-message": "Messaggio", - "r-d-archive": "Move card to Archive", - "r-d-unarchive": "Restore card from Archive", + "r-d-archive": "Sposta la scheda nell'archivio", + "r-d-unarchive": "Ripristina la scheda dall'archivio", "r-d-add-label": "Aggiungi etichetta", "r-d-remove-label": "Rimuovi Etichetta", - "r-create-card": "Create new card", - "r-in-list": "in list", - "r-in-swimlane": "in swimlane", + "r-create-card": "Crea una nuova scheda", + "r-in-list": "in elenco", + "r-in-swimlane": "nel diagramma swimlane", "r-d-add-member": "Aggiungi membro", "r-d-remove-member": "Rimuovi membro", "r-d-remove-all-member": "Rimouvi tutti i membri", @@ -639,27 +645,27 @@ "r-d-check-of-list": "della lista di cose da fare", "r-d-add-checklist": "Aggiungi lista di cose da fare", "r-d-remove-checklist": "Rimuovi check list", - "r-by": "by", + "r-by": "da", "r-add-checklist": "Aggiungi lista di cose da fare", - "r-with-items": "with items", - "r-items-list": "item1,item2,item3", - "r-add-swimlane": "Add swimlane", - "r-swimlane-name": "swimlane name", - "r-board-note": "Note: leave a field empty to match every possible value.", - "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", + "r-with-items": "con elementi", + "r-items-list": "elemento1,elemento2,elemento3", + "r-add-swimlane": "Aggiungi un diagramma swimlane", + "r-swimlane-name": "Nome diagramma swimlane", + "r-board-note": "Nota: Lascia un campo vuoto per abbinare ogni possibile valore", + "r-checklist-note": "Nota: Gli elementi della checklist devono essere scritti come valori separati dalla virgola", "r-when-a-card-is-moved": "Quando una scheda viene spostata su un'altra lista", "ldap": "LDAP", "oauth2": "Oauth2", "cas": "CAS", "authentication-method": "Metodo di Autenticazione", "authentication-type": "Tipo Autenticazione", - "custom-product-name": "Custom Product Name", + "custom-product-name": "Personalizza il nome del prodotto", "layout": "Layout", - "hide-logo": "Hide Logo", - "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end", - "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login", - "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "hide-logo": "Nascondi il logo", + "add-custom-html-after-body-start": "Aggiungi codice HTML personalizzato dopo inzio", + "add-custom-html-before-body-end": "Aggiunti il codice HTML prima di fine", + "error-undefined": "Qualcosa è andato storto", + "error-ldap-login": "C'è stato un errore mentre provavi ad effettuare il login", + "display-authentication-method": "Mostra il metodo di autenticazione", + "default-authentication-method": "Metodo di autenticazione predefinito" } \ No newline at end of file diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 59db5a82..0a432b70 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -92,6 +92,8 @@ "restore-board": "ボードをリストア", "no-archived-boards": "No Boards in Archive.", "archives": "アーカイブ", + "template": "Template", + "templates": "Templates", "assign-member": "メンバーの割当", "attached": "添付されました", "attachment": "添付ファイル", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "ラベル", "cardMembersPopup-title": "メンバー", "cardMorePopup-title": "さらに見る", + "cardTemplatePopup-title": "Create template", "cards": "カード", "cards-count": "カード", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "基本", "welcome-list2": "高度", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "何をしたいですか?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index 76ee2ffe..f99663d4 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -92,6 +92,8 @@ "restore-board": "ბარათის აღდგენა", "no-archived-boards": "No Boards in Archive.", "archives": "Archive", + "template": "Template", + "templates": "Templates", "assign-member": "უფლებამოსილი წევრი", "attached": "მიბმული", "attachment": "მიბმული ფიალი", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "ნიშნები", "cardMembersPopup-title": "წევრები", "cardMorePopup-title": "მეტი", + "cardTemplatePopup-title": "Create template", "cards": "ბარათები", "cards-count": "ბარათები", "casSignIn": "შესვლა CAS-ით", @@ -453,6 +456,9 @@ "welcome-swimlane": "ეტაპი 1 ", "welcome-list1": "ბაზისური ", "welcome-list2": "დაწინაურებული", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "რისი გაკეთება გსურთ? ", "wipLimitErrorPopup-title": "არასწორი WIP ლიმიტი", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index 5f3b2dd4..35197573 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Archive", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Members", "cardMorePopup-title": "More", + "cardTemplatePopup-title": "Create template", "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index 1f7066cb..473a699b 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -92,6 +92,8 @@ "restore-board": "보드 복구", "no-archived-boards": "No Boards in Archive.", "archives": "보관", + "template": "Template", + "templates": "Templates", "assign-member": "멤버 지정", "attached": "첨부됨", "attachment": "첨부 파일", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "라벨", "cardMembersPopup-title": "멤버", "cardMorePopup-title": "더보기", + "cardTemplatePopup-title": "Create template", "cards": "카드", "cards-count": "카드", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "신규", "welcome-list2": "진행", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "무엇을 하고 싶으신가요?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index b5c62aae..e0c5da5c 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Archive", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Members", "cardMorePopup-title": "More", + "cardTemplatePopup-title": "Create template", "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/mk.i18n.json b/i18n/mk.i18n.json index 5481cc70..2a6e6b03 100644 --- a/i18n/mk.i18n.json +++ b/i18n/mk.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Възстанови Таблото", "no-archived-boards": "Няма Табла в Архива.", "archives": "Архив", + "template": "Template", + "templates": "Templates", "assign-member": "Възложи на член от екипа", "attached": "прикачен", "attachment": "Прикаченн файл", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Етикети", "cardMembersPopup-title": "Членове", "cardMorePopup-title": "Още", + "cardTemplatePopup-title": "Create template", "cards": "Карти", "cards-count": "Карти", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Невалиден WIP лимит", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index 012dea07..6c8a3e41 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Archive", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Гишүүд", "cardMorePopup-title": "More", + "cardTemplatePopup-title": "Create template", "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index 1427e263..b6615006 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Arkiv", + "template": "Template", + "templates": "Templates", "assign-member": "Tildel medlem", "attached": "la ved", "attachment": "Vedlegg", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Etiketter", "cardMembersPopup-title": "Medlemmer", "cardMorePopup-title": "Mer", + "cardTemplatePopup-title": "Create template", "cards": "Kort", "cards-count": "Kort", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 24370c09..dcb354bb 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Herstel Bord", "no-archived-boards": "No Boards in Archive.", "archives": "Archiveren", + "template": "Template", + "templates": "Templates", "assign-member": "Wijs lid aan", "attached": "bijgevoegd", "attachment": "Bijlage", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Leden", "cardMorePopup-title": "Meer", + "cardTemplatePopup-title": "Create template", "cards": "Kaarten", "cards-count": "Kaarten", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Mijlpaal 1", "welcome-list1": "Basis", "welcome-list2": "Geadvanceerd", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Wat wil je doen?", "wipLimitErrorPopup-title": "Ongeldige WIP limiet", "wipLimitErrorPopup-dialog-pt1": "Het aantal taken in deze lijst is groter dan de gedefinieerde WIP limiet ", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 99a1af9f..3ec021e5 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Przywróć tablicę", "no-archived-boards": "Brak tablic w Archiwum.", "archives": "Zarchiwizuj", + "template": "Template", + "templates": "Templates", "assign-member": "Dodaj członka", "attached": "załączono", "attachment": "Załącznik", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Etykiety", "cardMembersPopup-title": "Członkowie", "cardMorePopup-title": "Więcej", + "cardTemplatePopup-title": "Create template", "cards": "Karty", "cards-count": "Karty", "casSignIn": "Zaloguj się poprzez CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Kamień milowy 1", "welcome-list1": "Podstawy", "welcome-list2": "Zaawansowane", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Co chcesz zrobić?", "wipLimitErrorPopup-title": "Nieprawidłowy limit kart na liście", "wipLimitErrorPopup-dialog-pt1": "Aktualna ilość kart na tej liście jest większa niż aktualny zdefiniowany limit kart.", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 2fb9c420..5f677275 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restaurar Quadro", "no-archived-boards": "Sem Quadros no Arquivo-morto.", "archives": "Arquivos-morto", + "template": "Modelo", + "templates": "Modelos", "assign-member": "Atribuir Membro", "attached": "anexado", "attachment": "Anexo", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Etiquetas", "cardMembersPopup-title": "Membros", "cardMorePopup-title": "Mais", + "cardTemplatePopup-title": "Criar Modelo", "cards": "Cartões", "cards-count": "Cartões", "casSignIn": "Entrar com CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Marco 1", "welcome-list1": "Básico", "welcome-list2": "Avançado", + "card-templates-swimlane": "Modelos de cartão", + "list-templates-swimlane": "Modelos de lista", + "board-templates-swimlane": "Modelos de quadro", "what-to-do": "O que você gostaria de fazer?", "wipLimitErrorPopup-title": "Limite WIP Inválido", "wipLimitErrorPopup-dialog-pt1": "O número de tarefas nesta lista excede o limite WIP definido.", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index b5870960..bd773954 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Archive", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Etiquetas", "cardMembersPopup-title": "Membros", "cardMorePopup-title": "Mais", + "cardTemplatePopup-title": "Create template", "cards": "Cartões", "cards-count": "Cartões", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index dd3938d4..25b794b9 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Archive", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "Ataşament", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Members", "cardMorePopup-title": "More", + "cardTemplatePopup-title": "Create template", "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Ce ai vrea sa faci?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 16bbb6e7..6fde47f9 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Востановить доску", "no-archived-boards": "Нет досок в архиве.", "archives": "Архив", + "template": "Template", + "templates": "Templates", "assign-member": "Назначить участника", "attached": "прикреплено", "attachment": "Вложение", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Метки", "cardMembersPopup-title": "Участники", "cardMorePopup-title": "Поделиться", + "cardTemplatePopup-title": "Create template", "cards": "Карточки", "cards-count": "Карточки", "casSignIn": "Войти через CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Этап 1", "welcome-list1": "Основы", "welcome-list2": "Расширенно", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Что вы хотите сделать?", "wipLimitErrorPopup-title": "Некорректный лимит на кол-во задач", "wipLimitErrorPopup-dialog-pt1": "Количество задач в этом списке превышает установленный вами лимит", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index 83bdc3a6..77a1c55a 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Arhiviraj", + "template": "Template", + "templates": "Templates", "assign-member": "Dodeli člana", "attached": "Prikačeno", "attachment": "Prikačeni dokument", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Članovi", "cardMorePopup-title": "More", + "cardTemplatePopup-title": "Create template", "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Osnove", "welcome-list2": "Napredno", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Šta želiš da uradiš ?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index a2c0c23e..7cf6670c 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Återställ anslagstavla", "no-archived-boards": "Inga anslagstavlor i Arkiv.", "archives": "Arkiv", + "template": "Template", + "templates": "Templates", "assign-member": "Tilldela medlem", "attached": "bifogad", "attachment": "Bilaga", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Etiketter", "cardMembersPopup-title": "Medlemmar", "cardMorePopup-title": "Mera", + "cardTemplatePopup-title": "Create template", "cards": "Kort", "cards-count": "Kort", "casSignIn": "Logga in med CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milstolpe 1", "welcome-list1": "Grunderna", "welcome-list2": "Avancerad", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Vad vill du göra?", "wipLimitErrorPopup-title": "Ogiltig WIP-gräns", "wipLimitErrorPopup-dialog-pt1": "Antalet uppgifter i den här listan är högre än WIP-gränsen du har definierat.", diff --git a/i18n/sw.i18n.json b/i18n/sw.i18n.json index 1ffffddb..f68b08e8 100644 --- a/i18n/sw.i18n.json +++ b/i18n/sw.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Archive", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "Attachment", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Members", "cardMorePopup-title": "More", + "cardTemplatePopup-title": "Create template", "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index 772fe092..ef63da13 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "Archive", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "attached", "attachment": "இணைப்பு ", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Members", "cardMorePopup-title": "மேலும் ", + "cardTemplatePopup-title": "Create template", "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index a748773e..ceb4e761 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Restore Board", "no-archived-boards": "No Boards in Archive.", "archives": "เอกสารที่เก็บไว้", + "template": "Template", + "templates": "Templates", "assign-member": "กำหนดสมาชิก", "attached": "แนบมาด้วย", "attachment": "สิ่งที่แนบมา", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "ป้ายกำกับ", "cardMembersPopup-title": "สมาชิก", "cardMorePopup-title": "เพิ่มเติม", + "cardTemplatePopup-title": "Create template", "cards": "การ์ด", "cards-count": "การ์ด", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "พื้นฐาน", "welcome-list2": "ก้าวหน้า", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "ต้องการทำอะไร", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index 5bac9e4f..987a728a 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -42,7 +42,7 @@ "activity-removed": "%s i %s ten kaldırdı", "activity-sent": "%s i %s e gönderdi", "activity-unjoined": "%s içinden ayrıldı", - "activity-subtask-added": "Alt-görev 1%s'e eklendi", + "activity-subtask-added": "Alt-görev %s'e eklendi", "activity-checked-item": "checked %s in checklist %s of %s", "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "%s içine yapılacak listesi ekledi", @@ -92,6 +92,8 @@ "restore-board": "Panoyu Geri Getir", "no-archived-boards": "Arşivde Pano Yok.", "archives": "Arşivle", + "template": "Template", + "templates": "Templates", "assign-member": "Üye ata", "attached": "dosya(sı) eklendi", "attachment": "Ek Dosya", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Etiketler", "cardMembersPopup-title": "Üyeler", "cardMorePopup-title": "Daha", + "cardTemplatePopup-title": "Create template", "cards": "Kartlar", "cards-count": "Kartlar", "casSignIn": "CAS ile giriş yapın", @@ -402,7 +405,7 @@ "save": "Kaydet", "search": "Arama", "rules": "Kurallar", - "search-cards": "Bu tahta da ki kart başlıkları ve açıklamalarında arama yap", + "search-cards": "Bu panoda kart başlıkları ve açıklamalarında arama yap", "search-example": "Aranılacak metin?", "select-color": "Renk Seç", "set-wip-limit-value": "Bu listedeki en fazla öğe sayısı için bir sınır belirleyin", @@ -453,6 +456,9 @@ "welcome-swimlane": "Kilometre taşı", "welcome-list1": "Temel", "welcome-list2": "Gelişmiş", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "Ne yapmak istiyorsunuz?", "wipLimitErrorPopup-title": "Geçersiz Devam Eden İş Sınırı", "wipLimitErrorPopup-dialog-pt1": "Bu listedeki iş sayısı belirlediğiniz sınırdan daha fazla.", @@ -519,10 +525,10 @@ "card-end-on": "Bitiş zamanı", "editCardReceivedDatePopup-title": "Giriş tarihini değiştir", "editCardEndDatePopup-title": "Bitiş tarihini değiştir", - "setCardColorPopup-title": "renk ayarla", - "setCardActionsColorPopup-title": "Choose a color", - "setSwimlaneColorPopup-title": "Choose a color", - "setListColorPopup-title": "Choose a color", + "setCardColorPopup-title": "Renk ayarla", + "setCardActionsColorPopup-title": "Renk seçimi yap", + "setSwimlaneColorPopup-title": "Renk seçimi yap", + "setListColorPopup-title": "Renk seçimi yap", "assigned-by": "Atamayı yapan", "requested-by": "Talep Eden", "board-delete-notice": "Silme kalıcıdır. Bu kartla ilişkili tüm listeleri, kartları ve işlemleri kaybedeceksiniz.", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index a7a85d40..232acffe 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Відновити дошку", "no-archived-boards": "Немає дошок в архіві", "archives": "Архів", + "template": "Template", + "templates": "Templates", "assign-member": "Assign member", "attached": "доданно", "attachment": "Додаток", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Користувачі", "cardMorePopup-title": "More", + "cardTemplatePopup-title": "Create template", "cards": "Картки", "cards-count": "Картки", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "Кількість завдань у цьому списку перевищує встановлений вами ліміт", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index 96223df8..f52bd3ce 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -92,6 +92,8 @@ "restore-board": "Khôi Phục Bảng", "no-archived-boards": "No Boards in Archive.", "archives": "Lưu Trữ", + "template": "Template", + "templates": "Templates", "assign-member": "Chỉ định thành viên", "attached": "đã đính kèm", "attachment": "Phần đính kèm", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "Labels", "cardMembersPopup-title": "Thành Viên", "cardMorePopup-title": "More", + "cardTemplatePopup-title": "Create template", "cards": "Cards", "cards-count": "Cards", "casSignIn": "Sign In with CAS", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "What do you want to do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 71bb3ac3..7c68f2cc 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -92,6 +92,8 @@ "restore-board": "还原看板", "no-archived-boards": "没有归档的看板。", "archives": "归档", + "template": "模板", + "templates": "模板", "assign-member": "分配成员", "attached": "附加", "attachment": "附件", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "标签", "cardMembersPopup-title": "成员", "cardMorePopup-title": "更多", + "cardTemplatePopup-title": "新建模板", "cards": "卡片", "cards-count": "卡片", "casSignIn": "用CAS登录", @@ -453,6 +456,9 @@ "welcome-swimlane": "里程碑 1", "welcome-list1": "基本", "welcome-list2": "高阶", + "card-templates-swimlane": "卡片模板", + "list-templates-swimlane": "列表模板", + "board-templates-swimlane": "看板模板", "what-to-do": "要做什么?", "wipLimitErrorPopup-title": "无效的最大任务数", "wipLimitErrorPopup-dialog-pt1": "此列表中的任务数量已经超过了设置的最大任务数。", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 29f47c29..19c1374a 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -92,6 +92,8 @@ "restore-board": "還原看板", "no-archived-boards": "封存中沒有看板。", "archives": "封存", + "template": "Template", + "templates": "Templates", "assign-member": "分配成員", "attached": "附加", "attachment": "附件", @@ -143,6 +145,7 @@ "cardLabelsPopup-title": "標籤", "cardMembersPopup-title": "成員", "cardMorePopup-title": "更多", + "cardTemplatePopup-title": "Create template", "cards": "卡片", "cards-count": "卡片", "casSignIn": "以 CAS 登入", @@ -453,6 +456,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "基本", "welcome-list2": "進階", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", "what-to-do": "要做什麼?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", -- cgit v1.2.3-1-g7c22 From 55ad98ecc4e834a0bbdcb55453596a813e9bcc43 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 27 Feb 2019 06:18:51 +0200 Subject: v2.27 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 000680f7..c0eeb550 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.27 2019-02-27 Wekan release This release fixes the following bugs: diff --git a/Stackerfile.yml b/Stackerfile.yml index 562d5cd4..195f2eff 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.26.0" +appVersion: "v2.27.0" files: userUploads: - README.md diff --git a/package.json b/package.json index b80b9db8..2a66ab1a 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.26.0", + "version": "v2.27.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index ae4e5666..fe488dd8 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 228, + appVersion = 229, # Increment this for every release. - appMarketingVersion = (defaultText = "2.26.0~2019-02-25"), + appMarketingVersion = (defaultText = "2.27.0~2019-02-27"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 34d8235551cdef37f42d378c348031fc6848797c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 27 Feb 2019 16:14:14 +0200 Subject: Add the following new Sandstorm features and fixes: - All Boards page [so it's possible to go back from subtask board](https://github.com/wekan/wekan/issues/2082) - Board favorites - New Sandstorm board first user is Admin and [has IFTTT Rules](https://github.com/wekan/wekan/issues/2125) and Standalone Wekan Admin Panel. Probably some Admin Panel features do not work yet. Please keep backup of your grains before testig Admin Panel. - Linked Cards and Linked Boards. - Some not needed options like Logout etc have been hidden from top bar right menu. - [Import board now works. "Board not found" is not problem anymore](https://github.com/wekan/wekan/issues/1430), because you can go to All Boards page to change to imported board. and removes the following features: - Remove Welcome Board from Standalone Wekan, [to fix Welcome board not translated](https://github.com/wekan/wekan/issues/1601). Sandstorm Wekan does not have Welcome Board. Thanks to xet7 ! Closes #2125, closes #2082, closes #1430, closes #1601, related #2205, related #2070, related #1695, related #1192. --- client/components/boards/boardHeader.jade | 110 +++++++++++++------------- client/components/cards/cardDetails.jade | 18 ++--- client/components/lists/listBody.jade | 18 ++--- client/components/main/header.jade | 65 +++++++-------- client/components/main/layouts.jade | 6 +- client/components/settings/settingHeader.jade | 31 ++++---- client/components/sidebar/sidebar.jade | 19 +++-- client/components/users/userHeader.jade | 21 ++--- models/users.js | 5 +- sandstorm.js | 18 ++--- 10 files changed, 151 insertions(+), 160 deletions(-) diff --git a/client/components/boards/boardHeader.jade b/client/components/boards/boardHeader.jade index 75b2f02b..746dae09 100644 --- a/client/components/boards/boardHeader.jade +++ b/client/components/boards/boardHeader.jade @@ -7,71 +7,69 @@ template(name="boardHeaderBar") .board-header-btns.left unless isMiniScreen - unless isSandstorm - if currentBoard - if currentUser - a.board-header-btn.js-star-board(class="{{#if isStarred}}is-active{{/if}}" - title="{{#if isStarred}}{{_ 'click-to-unstar'}}{{else}}{{_ 'click-to-star'}}{{/if}} {{_ 'starred-boards-description'}}") - i.fa(class="fa-star{{#unless isStarred}}-o{{/unless}}") - if showStarCounter - span - = currentBoard.stars + if currentBoard + if currentUser + a.board-header-btn.js-star-board(class="{{#if isStarred}}is-active{{/if}}" + title="{{#if isStarred}}{{_ 'click-to-unstar'}}{{else}}{{_ 'click-to-star'}}{{/if}} {{_ 'starred-boards-description'}}") + i.fa(class="fa-star{{#unless isStarred}}-o{{/unless}}") + if showStarCounter + span + = currentBoard.stars - a.board-header-btn( - class="{{#if currentUser.isBoardAdmin}}js-change-visibility{{else}}is-disabled{{/if}}" - title="{{_ currentBoard.permission}}") - i.fa(class="{{#if currentBoard.isPublic}}fa-globe{{else}}fa-lock{{/if}}") - span {{_ currentBoard.permission}} + a.board-header-btn( + class="{{#if currentUser.isBoardAdmin}}js-change-visibility{{else}}is-disabled{{/if}}" + title="{{_ currentBoard.permission}}") + i.fa(class="{{#if currentBoard.isPublic}}fa-globe{{else}}fa-lock{{/if}}") + span {{_ currentBoard.permission}} - a.board-header-btn.js-watch-board( - title="{{_ watchLevel }}") - if $eq watchLevel "watching" - i.fa.fa-eye - if $eq watchLevel "tracking" - i.fa.fa-bell - if $eq watchLevel "muted" - i.fa.fa-bell-slash - span {{_ watchLevel}} + a.board-header-btn.js-watch-board( + title="{{_ watchLevel }}") + if $eq watchLevel "watching" + i.fa.fa-eye + if $eq watchLevel "tracking" + i.fa.fa-bell + if $eq watchLevel "muted" + i.fa.fa-bell-slash + span {{_ watchLevel}} - else - a.board-header-btn.js-log-in( - title="{{_ 'log-in'}}") - i.fa.fa-sign-in - span {{_ 'log-in'}} + else + a.board-header-btn.js-log-in( + title="{{_ 'log-in'}}") + i.fa.fa-sign-in + span {{_ 'log-in'}} .board-header-btns.right if currentBoard if isMiniScreen - unless isSandstorm - if currentUser - a.board-header-btn.js-star-board(class="{{#if isStarred}}is-active{{/if}}" - title="{{#if isStarred}}{{_ 'click-to-unstar'}}{{else}}{{_ 'click-to-star'}}{{/if}} {{_ 'starred-boards-description'}}") - i.fa(class="fa-star{{#unless isStarred}}-o{{/unless}}") - if showStarCounter - span - = currentBoard.stars + if currentUser + a.board-header-btn.js-star-board(class="{{#if isStarred}}is-active{{/if}}" + title="{{#if isStarred}}{{_ 'click-to-unstar'}}{{else}}{{_ 'click-to-star'}}{{/if}} {{_ 'starred-boards-description'}}") + i.fa(class="fa-star{{#unless isStarred}}-o{{/unless}}") + if showStarCounter + span + = currentBoard.stars - a.board-header-btn( - class="{{#if currentUser.isBoardAdmin}}js-change-visibility{{else}}is-disabled{{/if}}" - title="{{_ currentBoard.permission}}") - i.fa(class="{{#if currentBoard.isPublic}}fa-globe{{else}}fa-lock{{/if}}") - span {{_ currentBoard.permission}} + a.board-header-btn( + class="{{#if currentUser.isBoardAdmin}}js-change-visibility{{else}}is-disabled{{/if}}" + title="{{_ currentBoard.permission}}") + i.fa(class="{{#if currentBoard.isPublic}}fa-globe{{else}}fa-lock{{/if}}") + span {{_ currentBoard.permission}} - a.board-header-btn.js-watch-board( - title="{{_ watchLevel }}") - if $eq watchLevel "watching" - i.fa.fa-eye - if $eq watchLevel "tracking" - i.fa.fa-bell - if $eq watchLevel "muted" - i.fa.fa-bell-slash - span {{_ watchLevel}} + a.board-header-btn.js-watch-board( + title="{{_ watchLevel }}") + if $eq watchLevel "watching" + i.fa.fa-eye + if $eq watchLevel "tracking" + i.fa.fa-bell + if $eq watchLevel "muted" + i.fa.fa-bell-slash + span {{_ watchLevel}} - else - a.board-header-btn.js-log-in( - title="{{_ 'log-in'}}") - i.fa.fa-sign-in - span {{_ 'log-in'}} + else + a.board-header-btn.js-log-in( + title="{{_ 'log-in'}}") + i.fa.fa-sign-in + span {{_ 'log-in'}} if isSandstorm if currentUser @@ -143,6 +141,8 @@ template(name="boardMenuPopup") ul.pop-over-list li: a(href="{{exportUrl}}", download="{{exportFilename}}") {{_ 'export-board'}} li: a.js-import-board {{_ 'import-board-c'}} + li: a.js-archive-board {{_ 'archive-board'}} + li: a.js-outgoing-webhooks {{_ 'outgoing-webhooks'}} hr ul.pop-over-list li: a.js-subtask-settings {{_ 'subtask-settings'}} diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index 25316d04..df76edce 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -19,16 +19,14 @@ template(name="cardDetails") a.js-parent-card(href=linkForCard) {{title}} // else {{_ 'top-level-card'}} - unless isSandstorm - if isLinkedCard - h3.linked-card-location - +viewer - | {{getBoardTitle}} > {{getTitle}} + if isLinkedCard + h3.linked-card-location + +viewer + | {{getBoardTitle}} > {{getTitle}} if getArchived if isLinkedBoard - unless isSandstorm - p.warning {{_ 'board-archived'}} + p.warning {{_ 'board-archived'}} else p.warning {{_ 'card-archived'}} @@ -192,11 +190,9 @@ template(name="cardDetails") unless currentUser.isNoComments if isLoaded.get if isLinkedCard - unless isSandstorm - +activities(card=this mode="linkedcard") + +activities(card=this mode="linkedcard") else if isLinkedBoard - unless isSandstorm - +activities(card=this mode="linkedboard") + +activities(card=this mode="linkedboard") else +activities(card=this mode="card") diff --git a/client/components/lists/listBody.jade b/client/components/lists/listBody.jade index f030833b..d31070bd 100644 --- a/client/components/lists/listBody.jade +++ b/client/components/lists/listBody.jade @@ -44,14 +44,13 @@ template(name="addCardForm") .add-controls.clearfix button.primary.confirm(type="submit") {{_ 'add'}} - unless isSandstorm - span.quiet - | {{_ 'or'}} - a.js-link {{_ 'link'}} - span.quiet - |   - | / - a.js-search {{_ 'search'}} + span.quiet + | {{_ 'or'}} + a.js-link {{_ 'link'}} + span.quiet + |   + | / + a.js-search {{_ 'search'}} template(name="autocompleteLabelLine") .minicard-label(class="card-label-{{colorName}}" title=labelName) @@ -84,8 +83,7 @@ template(name="linkCardPopup") option(value="{{getId}}") {{getTitle}} .edit-controls.clearfix - unless isSandstorm - input.primary.confirm.js-done(type="button" value="{{_ 'link'}}") + input.primary.confirm.js-done(type="button" value="{{_ 'link'}}") template(name="searchCardPopup") label {{_ 'boards'}}: diff --git a/client/components/main/header.jade b/client/components/main/header.jade index e21ce096..c0781303 100644 --- a/client/components/main/header.jade +++ b/client/components/main/header.jade @@ -4,39 +4,38 @@ template(name="header") list all starred boards with a link to go there. This is inspired by the Reddit "subreddit" bar. The first link goes to the boards page. - unless isSandstorm - if currentUser - #header-quick-access(class=currentBoard.colorClass) - if isMiniScreen - ul - li - a(href="{{pathFor 'home'}}") - span.fa.fa-home + if currentUser + #header-quick-access(class=currentBoard.colorClass) + if isMiniScreen + ul + li + a(href="{{pathFor 'home'}}") + span.fa.fa-home - if currentList - each currentBoard.lists - li(class="{{#if $.Session.equals 'currentList' _id}}current{{/if}}") - a.js-select-list - = title - #header-new-board-icon - else - ul - li - a(href="{{pathFor 'home'}}") - span.fa.fa-home - | {{_ 'all-boards'}} - each currentUser.starredBoards - li.separator - - li(class="{{#if $.Session.equals 'currentBoard' _id}}current{{/if}}") - a(href="{{pathFor 'board' id=_id slug=slug}}") + if currentList + each currentBoard.lists + li(class="{{#if $.Session.equals 'currentList' _id}}current{{/if}}") + a.js-select-list = title - else - li.current {{_ 'quick-access-description'}} + #header-new-board-icon + else + ul + li + a(href="{{pathFor 'home'}}") + span.fa.fa-home + | {{_ 'all-boards'}} + each currentUser.starredBoards + li.separator - + li(class="{{#if $.Session.equals 'currentBoard' _id}}current{{/if}}") + a(href="{{pathFor 'board' id=_id slug=slug}}") + = title + else + li.current {{_ 'quick-access-description'}} - a#header-new-board-icon.js-create-board - i.fa.fa-plus(title="Create a new board") + a#header-new-board-icon.js-create-board + i.fa.fa-plus(title="Create a new board") - +headerUserBar + +headerUserBar #header(class=currentBoard.colorClass) //- @@ -52,13 +51,9 @@ template(name="header") On sandstorm, the logo shouldn't be clickable, because we only have one page/document on it, and we don't want to see the home page containing the list of all boards. - if isSandstorm - .wekan-logo + unless currentSetting.hideLogo + a.wekan-logo(href="{{pathFor 'home'}}" title="{{_ 'header-logo-title'}}") img(src="{{pathFor '/wekan-logo-header.png'}}" alt="Wekan") - else - unless currentSetting.hideLogo - a.wekan-logo(href="{{pathFor 'home'}}" title="{{_ 'header-logo-title'}}") - img(src="{{pathFor '/wekan-logo-header.png'}}" alt="Wekan") if appIsOffline +offlineWarning diff --git a/client/components/main/layouts.jade b/client/components/main/layouts.jade index f2c40b9f..50585aa4 100644 --- a/client/components/main/layouts.jade +++ b/client/components/main/layouts.jade @@ -14,13 +14,13 @@ head template(name="userFormsLayout") section.auth-layout - unless currentSetting.hideLogo - h1.at-form-landing-logo - img(src="{{pathFor '/wekan-logo.png'}}" alt="Wekan") if currentSetting.hideLogo h1 br br + else + h1.at-form-landing-logo + img(src="{{pathFor '/wekan-logo.png'}}" alt="Wekan") section.auth-dialog +Template.dynamic(template=content) if currentSetting.displayAuthenticationMethod diff --git a/client/components/settings/settingHeader.jade b/client/components/settings/settingHeader.jade index c2d4db3a..221c1b79 100644 --- a/client/components/settings/settingHeader.jade +++ b/client/components/settings/settingHeader.jade @@ -4,22 +4,21 @@ template(name="settingHeaderBar") .setting-header-btns.left unless isMiniScreen - unless isSandstorm - if currentUser - a.setting-header-btn.settings(href="{{pathFor 'setting'}}") - i.fa(class="fa-cog") - span {{_ 'settings'}} + if currentUser + a.setting-header-btn.settings(href="{{pathFor 'setting'}}") + i.fa(class="fa-cog") + span {{_ 'settings'}} - a.setting-header-btn.people(href="{{pathFor 'people'}}") - i.fa(class="fa-users") - span {{_ 'people'}} + a.setting-header-btn.people(href="{{pathFor 'people'}}") + i.fa(class="fa-users") + span {{_ 'people'}} - a.setting-header-btn.informations(href="{{pathFor 'information'}}") - i.fa(class="fa-info-circle") - span {{_ 'info'}} + a.setting-header-btn.informations(href="{{pathFor 'information'}}") + i.fa(class="fa-info-circle") + span {{_ 'info'}} - else - a.setting-header-btn.js-log-in( - title="{{_ 'log-in'}}") - i.fa.fa-sign-in - span {{_ 'log-in'}} + else + a.setting-header-btn.js-log-in( + title="{{_ 'log-in'}}") + i.fa.fa-sign-in + span {{_ 'log-in'}} diff --git a/client/components/sidebar/sidebar.jade b/client/components/sidebar/sidebar.jade index ec88ce7e..f7ca9bf3 100644 --- a/client/components/sidebar/sidebar.jade +++ b/client/components/sidebar/sidebar.jade @@ -83,17 +83,16 @@ template(name="memberPopup") ul.pop-over-list li a.js-filter-member {{_ 'filter-cards'}} - unless isSandstorm - if currentUser.isBoardAdmin - li - a.js-change-role - | {{_ 'change-permissions'}} - span.quiet (#{memberType}) + if currentUser.isBoardAdmin li - if $eq currentUser._id userId - a.js-leave-member {{_ 'leave-board'}} - else if currentUser.isBoardAdmin - a.js-remove-member {{_ 'remove-from-board'}} + a.js-change-role + | {{_ 'change-permissions'}} + span.quiet (#{memberType}) + li + if $eq currentUser._id userId + a.js-leave-member {{_ 'leave-board'}} + else if currentUser.isBoardAdmin + a.js-remove-member {{_ 'remove-from-board'}} template(name="removeMemberPopup") diff --git a/client/components/users/userHeader.jade b/client/components/users/userHeader.jade index b6e10d8a..af120045 100644 --- a/client/components/users/userHeader.jade +++ b/client/components/users/userHeader.jade @@ -4,10 +4,11 @@ template(name="headerUserBar") .header-user-bar-avatar +userAvatar(userId=currentUser._id) unless isMiniScreen - if currentUser.profile.fullname - = currentUser.profile.fullname - else - = currentUser.username + unless isSandstorm + if currentUser.profile.fullname + = currentUser.profile.fullname + else + = currentUser.username template(name="memberMenuPopup") ul.pop-over-list @@ -15,13 +16,15 @@ template(name="memberMenuPopup") li: a.js-edit-profile {{_ 'edit-profile'}} li: a.js-change-settings {{_ 'change-settings'}} li: a.js-change-avatar {{_ 'edit-avatar'}} - li: a.js-change-password {{_ 'changePasswordPopup-title'}} - li: a.js-change-language {{_ 'changeLanguagePopup-title'}} + unless isSandstorm + li: a.js-change-password {{_ 'changePasswordPopup-title'}} + li: a.js-change-language {{_ 'changeLanguagePopup-title'}} if currentUser.isAdmin li: a.js-go-setting(href="{{pathFor 'setting'}}") {{_ 'admin-panel'}} - hr - ul.pop-over-list - li: a.js-logout {{_ 'log-out'}} + unless isSandstorm + hr + ul.pop-over-list + li: a.js-logout {{_ 'log-out'}} template(name="editProfilePopup") form diff --git a/models/users.js b/models/users.js index 0fdf21a8..c6c0f857 100644 --- a/models/users.js +++ b/models/users.js @@ -559,7 +559,7 @@ if (Meteor.isServer) { }); Accounts.onCreateUser((options, user) => { const userCount = Users.find().count(); - if (!isSandstorm && userCount === 0) { + if (userCount === 0) { user.isAdmin = true; return user; } @@ -675,7 +675,7 @@ if (Meteor.isServer) { CollectionHooks.getUserId = () => { return fakeUserId.get() || getUserId(); }; - + /* if (!isSandstorm) { Users.after.insert((userId, doc) => { const fakeUser = { @@ -704,6 +704,7 @@ if (Meteor.isServer) { }); }); } + */ Users.after.insert((userId, doc) => { diff --git a/sandstorm.js b/sandstorm.js index 37dced92..de003a6f 100644 --- a/sandstorm.js +++ b/sandstorm.js @@ -435,12 +435,12 @@ if (isSandstorm && Meteor.isClient) { // // XXX Hack. The home route is already defined at this point so we need to // add the redirection trigger to the internal route object. - FlowRouter._routesMap.home._triggersEnter.push((context, redirect) => { - redirect(FlowRouter.path('board', { - id: sandstormBoard._id, - slug: sandstormBoard.slug, - })); - }); + //FlowRouter._routesMap.home._triggersEnter.push((context, redirect) => { + // redirect(FlowRouter.path('board', { + // id: sandstormBoard._id, + // slug: sandstormBoard.slug, + // })); + //}); // XXX Hack. `Meteor.absoluteUrl` doesn't work in Sandstorm, since every // session has a different URL whereas Meteor computes absoluteUrl based on @@ -457,9 +457,9 @@ if (isSandstorm && Meteor.isClient) { // XXX Hack to fix https://github.com/wefork/wekan/issues/27 // Sandstorm Wekan instances only ever have a single board, so there is no need // to cache per-board subscriptions. - SubsManager.prototype.subscribe = function(...params) { - return Meteor.subscribe(...params); - }; + //SubsManager.prototype.subscribe = function(...params) { + // return Meteor.subscribe(...params); + //}; } // We use this blaze helper in the UI to hide some templates that does not make -- cgit v1.2.3-1-g7c22 From 57516177a0cfdb94893c40fbe8e5d515f216ea2c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 27 Feb 2019 16:17:21 +0200 Subject: Update ChangeLog. --- CHANGELOG.md | 19 +++++++++++++++++++ 1 file changed, 19 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index c0eeb550..2b3b246c 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,22 @@ +# Upcoming Wekan release + +This release adds the following new Sandstorm features and fixes: + +- All Boards page [so it's possible to go back from subtask board](https://github.com/wekan/wekan/issues/2082). +- Board favorites. +- New Sandstorm board first user is Admin and [has IFTTT Rules](https://github.com/wekan/wekan/issues/2125) and Standalone Wekan Admin Panel. + Probably some Admin Panel features do not work yet. Please keep backup of your grains before testig Admin Panel. +- Linked Cards and Linked Boards. +- Some not needed options like Logout etc have been hidden from top bar right menu. +- [Import board now works. "Board not found" is not problem anymore](https://github.com/wekan/wekan/issues/1430), because you can go to All Boards page to change to imported board. + +and removes the following features: + +- Remove Welcome Board from Standalone Wekan, [to fix Welcome board not translated](https://github.com/wekan/wekan/issues/1601). + Sandstorm Wekan does not have Welcome Board. + +Thanks to GitHub user xet7 for contributions. + # v2.27 2019-02-27 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 29c3080eb6b925e0fe8308b721dca25cbeb34e73 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 27 Feb 2019 16:21:31 +0200 Subject: v2.28 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 2b3b246c..79317001 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.28 2019-02-27 Wekan release This release adds the following new Sandstorm features and fixes: diff --git a/Stackerfile.yml b/Stackerfile.yml index 195f2eff..294bdb9a 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.27.0" +appVersion: "v2.28.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 2a66ab1a..22b394a2 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.27.0", + "version": "v2.28.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index fe488dd8..11cf0c31 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 229, + appVersion = 230, # Increment this for every release. - appMarketingVersion = (defaultText = "2.27.0~2019-02-27"), + appMarketingVersion = (defaultText = "2.28.0~2019-02-27"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 0ac42c145e41f6e7125b7d5e7786c6d8a2a85a37 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 27 Feb 2019 17:28:44 +0200 Subject: Fix typo. --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 79317001..f105915f 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -5,7 +5,7 @@ This release adds the following new Sandstorm features and fixes: - All Boards page [so it's possible to go back from subtask board](https://github.com/wekan/wekan/issues/2082). - Board favorites. - New Sandstorm board first user is Admin and [has IFTTT Rules](https://github.com/wekan/wekan/issues/2125) and Standalone Wekan Admin Panel. - Probably some Admin Panel features do not work yet. Please keep backup of your grains before testig Admin Panel. + Probably some Admin Panel features do not work yet. Please keep backup of your grains before testing Admin Panel. - Linked Cards and Linked Boards. - Some not needed options like Logout etc have been hidden from top bar right menu. - [Import board now works. "Board not found" is not problem anymore](https://github.com/wekan/wekan/issues/1430), because you can go to All Boards page to change to imported board. -- cgit v1.2.3-1-g7c22 From 6ee75fbdbaef7b3d465639060e34c48f7c275c13 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Wed, 27 Feb 2019 19:33:54 +0100 Subject: Fix templates board not found --- models/users.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/models/users.js b/models/users.js index 7152d133..0dd9c1d6 100644 --- a/models/users.js +++ b/models/users.js @@ -711,7 +711,6 @@ if (Meteor.isServer) { CollectionHooks.getUserId = () => { return fakeUserId.get() || getUserId(); }; - /* if (!isSandstorm) { Users.after.insert((userId, doc) => { const fakeUser = { @@ -721,6 +720,7 @@ if (Meteor.isServer) { }; fakeUserId.withValue(doc._id, () => { + /* // Insert the Welcome Board Boards.insert({ title: TAPi18n.__('welcome-board'), @@ -737,6 +737,7 @@ if (Meteor.isServer) { Lists.insert({title: TAPi18n.__(title), boardId, sort: titleIndex}, fakeUser); }); }); + */ Boards.insert({ title: TAPi18n.__('templates'), @@ -786,7 +787,6 @@ if (Meteor.isServer) { }); }); } - */ Users.after.insert((userId, doc) => { -- cgit v1.2.3-1-g7c22 From d21aa97219d00dae22cc3ffb23b13f0807c589b0 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 27 Feb 2019 20:39:56 +0200 Subject: Update translations. --- i18n/ru.i18n.json | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 6fde47f9..082cc006 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -92,8 +92,8 @@ "restore-board": "Востановить доску", "no-archived-boards": "Нет досок в архиве.", "archives": "Архив", - "template": "Template", - "templates": "Templates", + "template": "Шаблон", + "templates": "Шаблоны", "assign-member": "Назначить участника", "attached": "прикреплено", "attachment": "Вложение", @@ -145,7 +145,7 @@ "cardLabelsPopup-title": "Метки", "cardMembersPopup-title": "Участники", "cardMorePopup-title": "Поделиться", - "cardTemplatePopup-title": "Create template", + "cardTemplatePopup-title": "Создать шаблон", "cards": "Карточки", "cards-count": "Карточки", "casSignIn": "Войти через CAS", @@ -456,9 +456,9 @@ "welcome-swimlane": "Этап 1", "welcome-list1": "Основы", "welcome-list2": "Расширенно", - "card-templates-swimlane": "Card Templates", - "list-templates-swimlane": "List Templates", - "board-templates-swimlane": "Board Templates", + "card-templates-swimlane": "Шаблоны карточек", + "list-templates-swimlane": "Шаблоны списков", + "board-templates-swimlane": "Шаблоны досок", "what-to-do": "Что вы хотите сделать?", "wipLimitErrorPopup-title": "Некорректный лимит на кол-во задач", "wipLimitErrorPopup-dialog-pt1": "Количество задач в этом списке превышает установленный вами лимит", -- cgit v1.2.3-1-g7c22 From 904b5bf0f5f6e36131bf2d081a5d08fef408ac81 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 27 Feb 2019 21:01:32 +0200 Subject: v2.29 --- CHANGELOG.md | 7 +++++++ Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 11 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index f105915f..f87199c1 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,10 @@ +# v2.29 2019-02-27 Wekan release + +This release adds the following new features: + +- Swimlane/List/Board/Card templates. In Progress, please test and [add comment if you find not listed bugs](https://github.com/wekan/wekan/issues/2165). + Thanks to GitHub user andresmanelli. + # v2.28 2019-02-27 Wekan release This release adds the following new Sandstorm features and fixes: diff --git a/Stackerfile.yml b/Stackerfile.yml index 294bdb9a..031953fe 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.28.0" +appVersion: "v2.29.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 22b394a2..300a52a0 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.28.0", + "version": "v2.29.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 11cf0c31..0d7064c5 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 230, + appVersion = 231, # Increment this for every release. - appMarketingVersion = (defaultText = "2.28.0~2019-02-27"), + appMarketingVersion = (defaultText = "2.29.0~2019-02-27"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From da21a2a410c9b905de89d66236748e0c8f5357ea Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Wed, 27 Feb 2019 20:45:58 +0100 Subject: Standarize copy functions. Match labels by name --- client/components/lists/listBody.js | 12 +++--------- models/cards.js | 23 ++++++++++++++++++++++- models/lists.js | 13 ++++++------- models/swimlanes.js | 8 +++++--- 4 files changed, 36 insertions(+), 20 deletions(-) diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 04c7eede..598f2130 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -621,15 +621,12 @@ BlazeComponent.extendComponent({ if (!this.isTemplateSearch || this.isCardTemplateSearch) { // Card insertion // 1. Common - element.boardId = this.boardId; - element.listId = this.listId; - element.swimlaneId = this.swimlaneId; element.sort = Lists.findOne(this.listId).cards().count(); // 1.A From template if (this.isTemplateSearch) { element.type = 'cardType-card'; element.linkedId = ''; - _id = element.copy(); + _id = element.copy(this.boardId, this.swimlaneId, this.listId); // 1.B Linked card } else { delete element._id; @@ -640,21 +637,18 @@ BlazeComponent.extendComponent({ Filter.addException(_id); // List insertion } else if (this.isListTemplateSearch) { - element.boardId = this.boardId; element.sort = Swimlanes.findOne(this.swimlaneId).lists().count(); element.type = 'list'; - _id = element.copy(this.swimlaneId); + _id = element.copy(this.boardId, this.swimlaneId); } else if (this.isSwimlaneTemplateSearch) { - element.boardId = this.boardId; element.sort = Boards.findOne(this.boardId).swimlanes().count(); element.type = 'swimlalne'; - _id = element.copy(); + _id = element.copy(this.boardId); } else if (this.isBoardTemplateSearch) { board = Boards.findOne(element.linkedId); board.sort = Boards.find({archived: false}).count(); board.type = 'board'; delete board.slug; - delete board.members; _id = board.copy(); } Popup.close(); diff --git a/models/cards.js b/models/cards.js index c733c7f8..9dda6dae 100644 --- a/models/cards.js +++ b/models/cards.js @@ -272,13 +272,32 @@ Cards.allow({ }); Cards.helpers({ - copy() { + copy(boardId, swimlaneId, listId) { + const oldBoard = Boards.findOne(this.boardId); + const oldBoardLabels = oldBoard.labels; + // Get old label names + const oldCardLabels = _.pluck(_.filter(oldBoardLabels, (label) => { + return _.contains(this.labelIds, label._id); + }), 'name'); + + const newBoard = Boards.findOne(boardId); + const newBoardLabels = newBoard.labels; + const newCardLabels = _.pluck(_.filter(newBoardLabels, (label) => { + return _.contains(oldCardLabels, label.name); + }), '_id'); + const oldId = this._id; delete this._id; + delete this.labelIds; + this.labelIds= newCardLabels; + this.boardId = boardId; + this.swimlaneId = swimlaneId; + this.listId = listId; const _id = Cards.insert(this); // copy checklists Checklists.find({cardId: oldId}).forEach((ch) => { + // REMOVE verify copy with arguments ch.copy(_id); }); @@ -286,11 +305,13 @@ Cards.helpers({ Cards.find({parentId: oldId}).forEach((subtask) => { subtask.parentId = _id; subtask._id = null; + // REMOVE verify copy with arguments instead of insert? Cards.insert(subtask); }); // copy card comments CardComments.find({cardId: oldId}).forEach((cmt) => { + // REMOVE verify copy with arguments cmt.copy(_id); }); diff --git a/models/lists.js b/models/lists.js index d76c961c..a8e597ee 100644 --- a/models/lists.js +++ b/models/lists.js @@ -137,12 +137,15 @@ Lists.allow({ }); Lists.helpers({ - copy(swimlaneId) { + copy(boardId, swimlaneId) { const oldId = this._id; const oldSwimlaneId = this.swimlaneId || null; + this.boardId = boardId; + this.swimlaneId = swimlaneId; + let _id = null; existingListWithSameName = Lists.findOne({ - boardId: this.boardId, + boardId, title: this.title, archived: false, }); @@ -160,11 +163,7 @@ Lists.helpers({ listId: oldId, archived: false, }).forEach((card) => { - card.type = 'cardType-card'; - card.listId = _id; - card.boardId = this.boardId; - card.swimlaneId = swimlaneId; - card.copy(); + card.copy(boardId, swimlaneId, _id); }); }, diff --git a/models/swimlanes.js b/models/swimlanes.js index a3427fc6..1b18ba5d 100644 --- a/models/swimlanes.js +++ b/models/swimlanes.js @@ -101,8 +101,10 @@ Swimlanes.allow({ }); Swimlanes.helpers({ - copy(oldBoardId) { + copy(boardId) { const oldId = this._id; + const oldBoardId = this.boardId; + this.boardId = boardId; delete this._id; const _id = Swimlanes.insert(this); @@ -118,8 +120,8 @@ Swimlanes.helpers({ Lists.find(query).forEach((list) => { list.type = 'list'; list.swimlaneId = oldId; - list.boardId = this.boardId; - list.copy(_id); + list.boardId = boardId; + list.copy(boardId, _id); }); }, -- cgit v1.2.3-1-g7c22 From abb71083215462d91b084c4de13af0b130638e4d Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Wed, 27 Feb 2019 21:07:13 +0100 Subject: Copy template attachments --- models/cards.js | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/models/cards.js b/models/cards.js index 9dda6dae..cf64cd9b 100644 --- a/models/cards.js +++ b/models/cards.js @@ -287,6 +287,8 @@ Cards.helpers({ }), '_id'); const oldId = this._id; + const oldCard = Cards.findOne(oldId); + delete this._id; delete this.labelIds; this.labelIds= newCardLabels; @@ -295,6 +297,13 @@ Cards.helpers({ this.listId = listId; const _id = Cards.insert(this); + // Copy attachments + oldCard.attachments().forEach((att) => { + att.cardId = _id; + delete att._id; + return Attachments.insert(att); + }); + // copy checklists Checklists.find({cardId: oldId}).forEach((ch) => { // REMOVE verify copy with arguments -- cgit v1.2.3-1-g7c22 From 888e1ad5d3e32be53283aa32198057f669f3d706 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Wed, 27 Feb 2019 21:32:28 +0100 Subject: Fix popup title Add element title modification --- client/components/lists/listBody.jade | 4 ++++ client/components/lists/listBody.js | 5 +++++ i18n/en.i18n.json | 2 +- models/boards.js | 3 +-- 4 files changed, 11 insertions(+), 3 deletions(-) diff --git a/client/components/lists/listBody.jade b/client/components/lists/listBody.jade index 9a9c322a..876b43d6 100644 --- a/client/components/lists/listBody.jade +++ b/client/components/lists/listBody.jade @@ -90,6 +90,10 @@ template(name="linkCardPopup") input.primary.confirm.js-done(type="button" value="{{_ 'link'}}") template(name="searchElementPopup") + form + label + | {{_ 'title'}} + input.js-element-title(type="text" placeholder="{{_ 'title'}}" autofocus required) unless isTemplateSearch label {{_ 'boards'}}: .link-board-wrapper diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 598f2130..7d767011 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -616,7 +616,11 @@ BlazeComponent.extendComponent({ }, 'click .js-minicard'(evt) { // 0. Common + const title = $('.js-element-title').val().trim(); + if (!title) + return; const element = Blaze.getData(evt.currentTarget); + element.title = title; let _id = ''; if (!this.isTemplateSearch || this.isCardTemplateSearch) { // Card insertion @@ -648,6 +652,7 @@ BlazeComponent.extendComponent({ board = Boards.findOne(element.linkedId); board.sort = Boards.find({archived: false}).count(); board.type = 'board'; + board.title = element.title; delete board.slug; _id = board.copy(); } diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 94666c16..97973f6e 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchElementPopup-title": "Search", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", diff --git a/models/boards.js b/models/boards.js index 0db2e48e..9a71ede8 100644 --- a/models/boards.js +++ b/models/boards.js @@ -326,8 +326,7 @@ Boards.helpers({ archived: false, }).forEach((swimlane) => { swimlane.type = 'swimlane'; - swimlane.boardId = _id; - swimlane.copy(oldId); + swimlane.copy(_id); }); }, /** -- cgit v1.2.3-1-g7c22 From cd46cbeb8fb4a6a90ccba2fda534e203fb54ccaf Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 28 Feb 2019 00:44:13 +0200 Subject: Add new [Template features](https://github.com/wekan/wekan/issues/2209): - [Fix popup title. Add element title modification](https://github.com/wekan/wekan/commit/888e1ad5d3e32be53283aa32198057f669f3d706); - [Copy template attachments](https://github.com/wekan/wekan/commit/abb71083215462d91b084c4de13af0b130638e4d); - [Standarize copy functions. Match labels by name](https://github.com/wekan/wekan/commit/da21a2a410c9b905de89d66236748e0c8f5357ea). Thanks to andresmanelli ! Related #2209 --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index f87199c1..0cc0a5c8 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release adds the following new [Template features](https://github.com/wekan/wekan/issues/2209), thanks to GitHub user andresmanelli: + +- [Fix popup title. Add element title modification](https://github.com/wekan/wekan/commit/888e1ad5d3e32be53283aa32198057f669f3d706); +- [Copy template attachments](https://github.com/wekan/wekan/commit/abb71083215462d91b084c4de13af0b130638e4d); +- [Standarize copy functions. Match labels by name](https://github.com/wekan/wekan/commit/da21a2a410c9b905de89d66236748e0c8f5357ea). + # v2.29 2019-02-27 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From ad75c541cff2c27c441a0fb67d52c57180020594 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 28 Feb 2019 00:52:36 +0200 Subject: v2.30 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 0cc0a5c8..933dbf73 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.30 2019-02-28 Wekan release This release adds the following new [Template features](https://github.com/wekan/wekan/issues/2209), thanks to GitHub user andresmanelli: diff --git a/Stackerfile.yml b/Stackerfile.yml index 031953fe..372faebd 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.29.0" +appVersion: "v2.30.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 300a52a0..ebed09af 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.29.0", + "version": "v2.30.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 0d7064c5..cd84a21d 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 231, + appVersion = 232, # Increment this for every release. - appMarketingVersion = (defaultText = "2.29.0~2019-02-27"), + appMarketingVersion = (defaultText = "2.30.0~2019-02-28"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From a5c39342bab0fa78c7645b3445c828221870a097 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Thu, 28 Feb 2019 08:10:33 +0100 Subject: Fix card copy --- client/components/cards/cardDetails.js | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index 73a7a67d..4df42586 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -460,11 +460,11 @@ Template.copyCardPopup.events({ 'click .js-done'() { const card = Cards.findOne(Session.get('currentCard')); const lSelect = $('.js-select-lists')[0]; - card.listId = lSelect.options[lSelect.selectedIndex].value; + listId = lSelect.options[lSelect.selectedIndex].value; const slSelect = $('.js-select-swimlanes')[0]; - card.swimlaneId = slSelect.options[slSelect.selectedIndex].value; + const swimlaneId = slSelect.options[slSelect.selectedIndex].value; const bSelect = $('.js-select-boards')[0]; - card.boardId = bSelect.options[bSelect.selectedIndex].value; + const boardId = bSelect.options[bSelect.selectedIndex].value; const textarea = $('#copy-card-title'); const title = textarea.val().trim(); // insert new card to the bottom of new list @@ -473,7 +473,7 @@ Template.copyCardPopup.events({ if (title) { card.title = title; card.coverId = ''; - const _id = card.copy(); + const _id = card.copy(boardId, swimlaneId, listId); // In case the filter is active we need to add the newly inserted card in // the list of exceptions -- cards that are not filtered. Otherwise the // card will disappear instantly. -- cgit v1.2.3-1-g7c22 From 17826c28e5f9b21cf3bc758ac4e5f16f2671c663 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 28 Feb 2019 12:34:48 +0200 Subject: - [Fix copy card](https://github.com/wekan/wekan/issues/2210). Thanks to andresmanelli ! Closes #2210, Related #2209 --- CHANGELOG.md | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 933dbf73..c4aca8af 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,9 @@ +# Upcoming Wekan release + +This release fixes the following bugs related to [Template features](https://github.com/wekan/wekan/issues/2209), thanks to GitHub user andresmanelli: + +- [Fix copy card](https://github.com/wekan/wekan/issues/2210). + # v2.30 2019-02-28 Wekan release This release adds the following new [Template features](https://github.com/wekan/wekan/issues/2209), thanks to GitHub user andresmanelli: -- cgit v1.2.3-1-g7c22 From 4f6977668b6d19a1ea7244efcfee4ba0c75db2c8 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 28 Feb 2019 12:37:36 +0200 Subject: Update translations. --- i18n/ar.i18n.json | 2 +- i18n/bg.i18n.json | 2 +- i18n/br.i18n.json | 2 +- i18n/ca.i18n.json | 2 +- i18n/cs.i18n.json | 2 +- i18n/da.i18n.json | 2 +- i18n/de.i18n.json | 2 +- i18n/el.i18n.json | 2 +- i18n/en-GB.i18n.json | 2 +- i18n/eo.i18n.json | 2 +- i18n/es-AR.i18n.json | 2 +- i18n/es.i18n.json | 2 +- i18n/eu.i18n.json | 2 +- i18n/fa.i18n.json | 2 +- i18n/fi.i18n.json | 2 +- i18n/fr.i18n.json | 2 +- i18n/gl.i18n.json | 2 +- i18n/he.i18n.json | 2 +- i18n/hi.i18n.json | 2 +- i18n/hu.i18n.json | 2 +- i18n/hy.i18n.json | 2 +- i18n/id.i18n.json | 2 +- i18n/ig.i18n.json | 2 +- i18n/it.i18n.json | 2 +- i18n/ja.i18n.json | 2 +- i18n/ka.i18n.json | 2 +- i18n/km.i18n.json | 2 +- i18n/ko.i18n.json | 2 +- i18n/lv.i18n.json | 2 +- i18n/mk.i18n.json | 2 +- i18n/mn.i18n.json | 2 +- i18n/nb.i18n.json | 2 +- i18n/nl.i18n.json | 2 +- i18n/pl.i18n.json | 2 +- i18n/pt-BR.i18n.json | 2 +- i18n/pt.i18n.json | 2 +- i18n/ro.i18n.json | 2 +- i18n/ru.i18n.json | 2 +- i18n/sr.i18n.json | 2 +- i18n/sv.i18n.json | 2 +- i18n/sw.i18n.json | 2 +- i18n/ta.i18n.json | 2 +- i18n/th.i18n.json | 2 +- i18n/tr.i18n.json | 2 +- i18n/uk.i18n.json | 2 +- i18n/vi.i18n.json | 2 +- i18n/zh-CN.i18n.json | 2 +- i18n/zh-TW.i18n.json | 2 +- 48 files changed, 48 insertions(+), 48 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 5f407569..d576e0e4 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "نسخ رابط البطاقة إلى الحافظة", "linkCardPopup-title": "ربط البطاقة", - "searchCardPopup-title": "Search Card", + "searchElementPopup-title": "بحث", "copyCardPopup-title": "نسخ البطاقة", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index d776b9e3..46c4848d 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Сигурни ли сте, че искате да изтриете този чеклист?", "copy-card-link-to-clipboard": "Копирай връзката на картата в клипборда", "linkCardPopup-title": "Свържи картата", - "searchCardPopup-title": "Търсене на карта", + "searchElementPopup-title": "Търсене", "copyCardPopup-title": "Копирай картата", "copyChecklistToManyCardsPopup-title": "Копирай чеклисти в други карти", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index e54f57b0..cf52a343 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchElementPopup-title": "Search", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 9cc36323..cb2e0822 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copia l'enllaç de la ftixa al porta-retalls", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Buscar Fitxa", + "searchElementPopup-title": "Cerca", "copyCardPopup-title": "Copia la fitxa", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Títols de fitxa i Descripcions de destí en aquest format JSON", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index cad46ea9..8ccedb95 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Opravdu chcete smazat tento checklist?", "copy-card-link-to-clipboard": "Kopírovat adresu karty do mezipaměti", "linkCardPopup-title": "Propojit kartu", - "searchCardPopup-title": "Hledat Kartu", + "searchElementPopup-title": "Hledat", "copyCardPopup-title": "Kopírovat kartu", "copyChecklistToManyCardsPopup-title": "Kopírovat checklist do více karet", "copyChecklistToManyCardsPopup-instructions": "Názvy a popisy cílové karty v tomto formátu JSON", diff --git a/i18n/da.i18n.json b/i18n/da.i18n.json index b54634c5..8278d389 100644 --- a/i18n/da.i18n.json +++ b/i18n/da.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchElementPopup-title": "Search", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 39188c0a..a07b9ad0 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Wollen Sie die Checkliste wirklich löschen?", "copy-card-link-to-clipboard": "Kopiere Link zur Karte in die Zwischenablage", "linkCardPopup-title": "Karte verknüpfen", - "searchCardPopup-title": "Karte suchen", + "searchElementPopup-title": "Suche", "copyCardPopup-title": "Karte kopieren", "copyChecklistToManyCardsPopup-title": "Checklistenvorlage in mehrere Karten kopieren", "copyChecklistToManyCardsPopup-instructions": "Titel und Beschreibungen der Zielkarten im folgenden JSON-Format", diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 216b0c2d..69df2b0c 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchElementPopup-title": "Αναζήτηση", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index c9b68793..de012b33 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchElementPopup-title": "Search", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index 1c84bbd4..2ff3075f 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchElementPopup-title": "Serĉi", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index 2d6d65fe..e4a76c74 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copiar enlace a tarjeta en el portapapeles", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchElementPopup-title": "Buscar", "copyCardPopup-title": "Copiar Tarjeta", "copyChecklistToManyCardsPopup-title": "Copiar Plantilla Checklist a Muchas Tarjetas", "copyChecklistToManyCardsPopup-instructions": "Títulos y Descripciones de la Tarjeta Destino en este formato JSON", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index ac3fd36e..87a86c26 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "¿Seguro que quieres eliminar la lista de verificación?", "copy-card-link-to-clipboard": "Copiar el enlace de la tarjeta al portapapeles", "linkCardPopup-title": "Enlazar tarjeta", - "searchCardPopup-title": "Buscar tarjeta", + "searchElementPopup-title": "Buscar", "copyCardPopup-title": "Copiar la tarjeta", "copyChecklistToManyCardsPopup-title": "Copiar la plantilla de la lista de verificación en varias tarjetas", "copyChecklistToManyCardsPopup-instructions": "Títulos y descripciones de las tarjetas de destino en formato JSON", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index ab54ba9e..978ffbdb 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Kopiatu txartela arbelera", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchElementPopup-title": "Bilatu", "copyCardPopup-title": "Kopiatu txartela", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index db8eefe4..b5201842 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "مطمئنا چک لیست پاک شود؟", "copy-card-link-to-clipboard": "درج پیوند کارت در حافظه", "linkCardPopup-title": "ارتباط دادن کارت", - "searchCardPopup-title": "جستجوی کارت", + "searchElementPopup-title": "جستجو", "copyCardPopup-title": "کپی کارت", "copyChecklistToManyCardsPopup-title": "کپی قالب کارت به کارت‌های متعدد", "copyChecklistToManyCardsPopup-instructions": "عنوان و توضیحات کارت مقصد در این قالب JSON", diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index a4a115ec..3fa46659 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Oletko varma että haluat poistaa tarkistuslistan?", "copy-card-link-to-clipboard": "Kopioi kortin linkki leikepöydälle", "linkCardPopup-title": "Linkitä kortti", - "searchCardPopup-title": "Etsi kortti", + "searchElementPopup-title": "Etsi", "copyCardPopup-title": "Kopioi kortti", "copyChecklistToManyCardsPopup-title": "Kopioi tarkistuslistan malli monille korteille", "copyChecklistToManyCardsPopup-instructions": "Kohde korttien otsikot ja kuvaukset JSON muodossa", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 5c38a222..551ecddb 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Êtes-vous sûr de vouloir supprimer la checklist ?", "copy-card-link-to-clipboard": "Copier le lien vers la carte dans le presse-papier", "linkCardPopup-title": "Lier une Carte", - "searchCardPopup-title": "Chercher une Carte", + "searchElementPopup-title": "Chercher", "copyCardPopup-title": "Copier la carte", "copyChecklistToManyCardsPopup-title": "Copier le modèle de checklist vers plusieurs cartes", "copyChecklistToManyCardsPopup-instructions": "Titres et descriptions des cartes de destination dans ce format JSON", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 617a213a..2642aa27 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchElementPopup-title": "Search", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 81cc6210..1afedaf3 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "למחוק את רשימת המשימות?", "copy-card-link-to-clipboard": "העתקת קישור הכרטיס ללוח הגזירים", "linkCardPopup-title": "קישור כרטיס", - "searchCardPopup-title": "חיפוש כרטיס", + "searchElementPopup-title": "חיפוש", "copyCardPopup-title": "העתק כרטיס", "copyChecklistToManyCardsPopup-title": "העתקת תבנית רשימת מטלות למגוון כרטיסים", "copyChecklistToManyCardsPopup-instructions": "כותרות ותיאורים של כרטיסי יעד בתצורת JSON זו", diff --git a/i18n/hi.i18n.json b/i18n/hi.i18n.json index 7586bf45..14ea66f6 100644 --- a/i18n/hi.i18n.json +++ b/i18n/hi.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "क्या आप वाकई जांचसूची हटाना चाहते हैं?", "copy-card-link-to-clipboard": "कॉपी कार्ड क्लिपबोर्ड करने के लिए लिंक", "linkCardPopup-title": "कार्ड कड़ी", - "searchCardPopup-title": "कार्ड खोज", + "searchElementPopup-title": "Search", "copyCardPopup-title": "कार्ड प्रतिलिपि", "copyChecklistToManyCardsPopup-title": "कई कार्ड के लिए जांचसूची खाके की प्रतिलिपि बनाएँ", "copyChecklistToManyCardsPopup-instructions": "इस JSON प्रारूप में गंतव्य कार्ड शीर्षक और विवरण", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index 8f8085c8..d62c5c61 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Kártya hivatkozásának másolása a vágólapra", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchElementPopup-title": "Keresés", "copyCardPopup-title": "Kártya másolása", "copyChecklistToManyCardsPopup-title": "Ellenőrzőlista sablon másolása több kártyára", "copyChecklistToManyCardsPopup-instructions": "A célkártyák címe és a leírások ebben a JSON formátumban", diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index 22f84286..42491ba0 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchElementPopup-title": "Search", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 8c308e09..7874f0a6 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchElementPopup-title": "Cari", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 37544497..d5b9d446 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchElementPopup-title": "Search", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 1133a436..4555cbfe 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Sei sicuro di voler eliminare la checklist?", "copy-card-link-to-clipboard": "Copia link della scheda sulla clipboard", "linkCardPopup-title": "Collega scheda", - "searchCardPopup-title": "Cerca scheda", + "searchElementPopup-title": "Cerca", "copyCardPopup-title": "Copia Scheda", "copyChecklistToManyCardsPopup-title": "Copia template checklist su più schede", "copyChecklistToManyCardsPopup-instructions": "Titolo e la descrizione della scheda di destinazione in questo formato JSON", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 0a432b70..9e2427f3 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "カードへのリンクをクリップボードにコピー", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchElementPopup-title": "検索", "copyCardPopup-title": "カードをコピー", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index f99663d4..06432e60 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "დარწმუნებული ხართ, რომ გსურთ კატალოგის წაშლა ? ", "copy-card-link-to-clipboard": "დააკოპირეთ ბარათის ბმული clipboard-ზე", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchElementPopup-title": "ძებნა", "copyCardPopup-title": "ბარათის ასლი", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index 35197573..86fcd7d6 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchElementPopup-title": "Search", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index 473a699b..fea95077 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "클립보드에 카드의 링크가 복사되었습니다.", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchElementPopup-title": "검색", "copyCardPopup-title": "카드 복사", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index e0c5da5c..bdff593f 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchElementPopup-title": "Search", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", diff --git a/i18n/mk.i18n.json b/i18n/mk.i18n.json index 2a6e6b03..dd18bcae 100644 --- a/i18n/mk.i18n.json +++ b/i18n/mk.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Сигурни ли сте, че искате да изтриете този чеклист?", "copy-card-link-to-clipboard": "Копирай връзката на картата в клипборда", "linkCardPopup-title": "Свържи картата", - "searchCardPopup-title": "Търсене на карта", + "searchElementPopup-title": "Търсене", "copyCardPopup-title": "Копирай картата", "copyChecklistToManyCardsPopup-title": "Копирай чеклисти в други карти", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index 6c8a3e41..d4b71c6c 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchElementPopup-title": "Search", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index b6615006..b0d60016 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchElementPopup-title": "Search", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index dcb354bb..1ef90372 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Kopieer kaart link naar klembord", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchElementPopup-title": "Zoek", "copyCardPopup-title": "Kopieer kaart", "copyChecklistToManyCardsPopup-title": "Checklist sjabloon kopiëren naar meerdere kaarten", "copyChecklistToManyCardsPopup-instructions": "Doel kaart titels en omschrijvingen in dit JSON formaat", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 3ec021e5..152c66bf 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Czy jesteś pewien, że chcesz usunąć listę zadań?", "copy-card-link-to-clipboard": "Skopiuj łącze karty do schowka", "linkCardPopup-title": "Podepnij kartę", - "searchCardPopup-title": "Znajdź kartę", + "searchElementPopup-title": "Wyszukaj", "copyCardPopup-title": "Skopiuj kartę", "copyChecklistToManyCardsPopup-title": "Kopiuj szablon listy zadań do wielu kart", "copyChecklistToManyCardsPopup-instructions": "Docelowe tytuły i opisy kart są w formacie JSON", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 5f677275..f8102a74 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Tem certeza que quer excluir a lista de verificação?", "copy-card-link-to-clipboard": "Copiar link do cartão para a área de transferência", "linkCardPopup-title": "Ligar Cartão", - "searchCardPopup-title": "Procurar Cartão", + "searchElementPopup-title": "Buscar", "copyCardPopup-title": "Copiar o cartão", "copyChecklistToManyCardsPopup-title": "Copiar modelo de lista de verificação para vários cartões", "copyChecklistToManyCardsPopup-instructions": "Títulos e descrições do cartão de destino neste formato JSON", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index bd773954..893a0fef 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchElementPopup-title": "Search", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index 25b794b9..571faa40 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchElementPopup-title": "Caută", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 082cc006..24a35b45 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Вы уверены, что хотите удалить контрольный список?", "copy-card-link-to-clipboard": "Копировать ссылку на карточку в буфер обмена", "linkCardPopup-title": "Карточка-ссылка", - "searchCardPopup-title": "Найти карточку", + "searchElementPopup-title": "Поиск", "copyCardPopup-title": "Копировать карточку", "copyChecklistToManyCardsPopup-title": "Копировать шаблон контрольного списка в несколько карточек", "copyChecklistToManyCardsPopup-instructions": "Названия и описания целевых карт в формате JSON", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index 77a1c55a..c2a42bb2 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchElementPopup-title": "Pretraga", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 7cf6670c..ffd9ee9f 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Är du säker på att du vill radera checklista?", "copy-card-link-to-clipboard": "Kopiera kortlänk till urklipp", "linkCardPopup-title": "Länka kort", - "searchCardPopup-title": "Sök kort", + "searchElementPopup-title": "Sök", "copyCardPopup-title": "Kopiera kort", "copyChecklistToManyCardsPopup-title": "Kopiera checklist-mallen till flera kort", "copyChecklistToManyCardsPopup-instructions": "Destinationskorttitlar och beskrivningar i detta JSON-format", diff --git a/i18n/sw.i18n.json b/i18n/sw.i18n.json index f68b08e8..e014412d 100644 --- a/i18n/sw.i18n.json +++ b/i18n/sw.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchElementPopup-title": "Search", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index ef63da13..a2d312ed 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchElementPopup-title": "தேடு ", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index ceb4e761..10a5624d 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchElementPopup-title": "ค้นหา", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index 987a728a..ddf1c73a 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Kontrol listesini silmek istediğinden emin misin?", "copy-card-link-to-clipboard": "Kartın linkini kopyala", "linkCardPopup-title": "Bağlantı kartı", - "searchCardPopup-title": "Kart Ara", + "searchElementPopup-title": "Arama", "copyCardPopup-title": "Kartı Kopyala", "copyChecklistToManyCardsPopup-title": "Yapılacaklar Listesi şemasını birden çok karta kopyala", "copyChecklistToManyCardsPopup-instructions": "Hedef Kart Başlıkları ve Açıklamaları bu JSON formatında", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 232acffe..34175c4c 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Скопіювати посилання на картку в буфер обміну", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchElementPopup-title": "Search", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index f52bd3ce..973dcb82 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "linkCardPopup-title": "Link Card", - "searchCardPopup-title": "Search Card", + "searchElementPopup-title": "Search", "copyCardPopup-title": "Copy Card", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 7c68f2cc..d086d518 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "确定要删除清单吗?", "copy-card-link-to-clipboard": "复制卡片链接到剪贴板", "linkCardPopup-title": "链接卡片", - "searchCardPopup-title": "搜索卡片", + "searchElementPopup-title": "搜索", "copyCardPopup-title": "复制卡片", "copyChecklistToManyCardsPopup-title": "复制清单模板至多个卡片", "copyChecklistToManyCardsPopup-instructions": "以JSON格式表示目标卡片的标题和描述", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 19c1374a..4872aa04 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -207,7 +207,7 @@ "confirm-checklist-delete-dialog": "你確定要刪除待辦清單嗎?", "copy-card-link-to-clipboard": "將卡片連結複製到剪貼簿", "linkCardPopup-title": "連結卡片", - "searchCardPopup-title": "搜尋卡片", + "searchElementPopup-title": "搜尋", "copyCardPopup-title": "複製卡片", "copyChecklistToManyCardsPopup-title": "複製待辦清單的樣板到多個卡片", "copyChecklistToManyCardsPopup-instructions": "使用此 JSON 格式來表示目標卡片的標題和描述", -- cgit v1.2.3-1-g7c22 From d5bc66c9a49a16aa1c0361e3ff46453b1bcb348b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 28 Feb 2019 12:41:07 +0200 Subject: v2.31 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index c4aca8af..6d50c383 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.31 2019-02-28 Wekan release This release fixes the following bugs related to [Template features](https://github.com/wekan/wekan/issues/2209), thanks to GitHub user andresmanelli: diff --git a/Stackerfile.yml b/Stackerfile.yml index 372faebd..8ee99ee8 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.30.0" +appVersion: "v2.31.0" files: userUploads: - README.md diff --git a/package.json b/package.json index ebed09af..81916a54 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.30.0", + "version": "v2.31.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index cd84a21d..e1ea4b81 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 232, + appVersion = 233, # Increment this for every release. - appMarketingVersion = (defaultText = "2.30.0~2019-02-28"), + appMarketingVersion = (defaultText = "2.31.0~2019-02-28"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 3c49e2d0edec19eff4f87b0fcc127f924af193fc Mon Sep 17 00:00:00 2001 From: Justin Reynolds Date: Thu, 28 Feb 2019 11:44:29 -0600 Subject: Performance Enhancements --- .meteor/packages | 1 + .meteor/versions | 1 + models/attachments.js | 4 ++++ models/checklistItems.js | 1 + models/customFields.js | 6 +++--- models/integrations.js | 4 ++++ server/publications/boards.js | 49 ++++++++++++++++++++++++++++++++----------- 7 files changed, 51 insertions(+), 15 deletions(-) diff --git a/.meteor/packages b/.meteor/packages index 274a8d0d..964c070f 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -91,3 +91,4 @@ wekan:accounts-cas wekan-scrollbar mquandalle:perfect-scrollbar mdg:meteor-apm-agent +meteorhacks:unblock diff --git a/.meteor/versions b/.meteor/versions index e91115a2..71e2efac 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -94,6 +94,7 @@ meteorhacks:collection-utils@1.2.0 meteorhacks:meteorx@1.4.1 meteorhacks:picker@1.0.3 meteorhacks:subs-manager@1.6.4 +meteorhacks:unblock@1.1.0 meteorspark:util@0.2.0 minifier-css@1.2.16 minifier-js@2.2.2 diff --git a/models/attachments.js b/models/attachments.js index 3da067de..f870861b 100644 --- a/models/attachments.js +++ b/models/attachments.js @@ -27,6 +27,10 @@ Attachments = new FS.Collection('attachments', { if (Meteor.isServer) { + Meteor.startup(() => { + Attachments.files._ensureIndex({ cardId: 1 }); + }); + Attachments.allow({ insert(userId, doc) { return allowIsBoardMember(userId, Boards.findOne(doc.boardId)); diff --git a/models/checklistItems.js b/models/checklistItems.js index 35b18ed7..30e57aec 100644 --- a/models/checklistItems.js +++ b/models/checklistItems.js @@ -189,6 +189,7 @@ function publishChekListUncompleted(userId, doc){ if (Meteor.isServer) { Meteor.startup(() => { ChecklistItems._collection._ensureIndex({ checklistId: 1 }); + ChecklistItems._collection._ensureIndex({ cardId: 1 }); }); ChecklistItems.after.update((userId, doc, fieldNames) => { diff --git a/models/customFields.js b/models/customFields.js index 3e8aa250..b7ad5467 100644 --- a/models/customFields.js +++ b/models/customFields.js @@ -98,9 +98,9 @@ function customFieldCreation(userId, doc){ } if (Meteor.isServer) { - /*Meteor.startup(() => { - CustomFields._collection._ensureIndex({ boardId: 1}); - });*/ + Meteor.startup(() => { + CustomFields._collection._ensureIndex({ boardId: 1 }); + }); CustomFields.after.insert((userId, doc) => { customFieldCreation(userId, doc); diff --git a/models/integrations.js b/models/integrations.js index 1c473b57..65a7af63 100644 --- a/models/integrations.js +++ b/models/integrations.js @@ -88,6 +88,10 @@ Integrations.allow({ //INTEGRATIONS REST API if (Meteor.isServer) { + Meteor.startup(() => { + Integrations._collection._ensureIndex({ boardId: 1 }); + }); + /** * @operation get_all_integrations * @summary Get all integrations in board diff --git a/server/publications/boards.js b/server/publications/boards.js index 71c53612..18c44d2b 100644 --- a/server/publications/boards.js +++ b/server/publications/boards.js @@ -60,6 +60,7 @@ Meteor.publish('archivedBoards', function() { }); Meteor.publishRelations('board', function(boardId) { + this.unblock(); check(boardId, String); const thisUserId = this.userId; @@ -72,7 +73,8 @@ Meteor.publishRelations('board', function(boardId) { { permission: 'public' }, { members: { $elemMatch: { userId: this.userId, isActive: true }}}, ], - }, { limit: 1 }), function(boardId, board) { + // Sort required to ensure oplog usage + }, { limit: 1, sort: { _id: 1 } }), function(boardId, board) { this.cursor(Lists.find({ boardId })); this.cursor(Swimlanes.find({ boardId })); this.cursor(Integrations.find({ boardId })); @@ -99,24 +101,47 @@ Meteor.publishRelations('board', function(boardId) { // // And in the meantime our code below works pretty well -- it's not even a // hack! + + // Gather queries and send in bulk + const cardComments = this.join(CardComments); + cardComments.selector = (_ids) => ({ cardId: _ids }); + const attachments = this.join(Attachments); + attachments.selector = (_ids) => ({ cardId: _ids }); + const checklists = this.join(Checklists); + checklists.selector = (_ids) => ({ cardId: _ids }); + const checklistItems = this.join(ChecklistItems); + checklistItems.selector = (_ids) => ({ cardId: _ids }); + const parentCards = this.join(Cards); + parentCards.selector = (_ids) => ({ parentId: _ids }); + const boards = this.join(Boards); + const subCards = this.join(Cards); + this.cursor(Cards.find({ boardId }), function(cardId, card) { if (card.type === 'cardType-linkedCard') { const impCardId = card.linkedId; - this.cursor(Cards.find({ _id: impCardId })); - this.cursor(CardComments.find({ cardId: impCardId })); - this.cursor(Attachments.find({ cardId: impCardId })); - this.cursor(Checklists.find({ cardId: impCardId })); - this.cursor(ChecklistItems.find({ cardId: impCardId })); + subCards.push(impCardId); + cardComments.push(impCardId); + attachments.push(impCardId); + checklists.push(impCardId); + checklistItems.push(impCardId); } else if (card.type === 'cardType-linkedBoard') { - this.cursor(Boards.find({ _id: card.linkedId})); + boards.push(card.linkedId); } - this.cursor(CardComments.find({ cardId })); - this.cursor(Attachments.find({ cardId })); - this.cursor(Checklists.find({ cardId })); - this.cursor(ChecklistItems.find({ cardId })); - this.cursor(Cards.find({ parentId: cardId })); + cardComments.push(cardId); + attachments.push(cardId); + checklists.push(cardId); + checklistItems.push(cardId); + parentCards.push(cardId); }); + // Send bulk queries for all found ids + subCards.send(); + cardComments.send(); + attachments.send(); + checklists.send(); + checklistItems.send(); + boards.send(); + if (board.members) { // Board members. This publication also includes former board members that // aren't members anymore but may have some activities attached to them in -- cgit v1.2.3-1-g7c22 From 49229e1723de14cdc66dc6480624bba426d35e36 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Thu, 28 Feb 2019 20:43:45 +0100 Subject: Fix filter in swimlanes view --- models/swimlanes.js | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/models/swimlanes.js b/models/swimlanes.js index 1b18ba5d..9da4afb5 100644 --- a/models/swimlanes.js +++ b/models/swimlanes.js @@ -133,14 +133,14 @@ Swimlanes.helpers({ }, lists() { - return Lists.find(Filter.mongoSelector({ + return Lists.find({ boardId: this.boardId, swimlaneId: {$in: [this._id, '']}, archived: false, - }), { sort: ['sort'] }); + }, { sort: ['sort'] }); }, - allLists() { + myLists() { return Lists.find({ swimlaneId: this._id }); }, @@ -189,7 +189,7 @@ Swimlanes.mutations({ archive() { if (this.isTemplateSwimlane()) { - this.lists().forEach((list) => { + this.myLists().forEach((list) => { return list.archive(); }); } @@ -198,7 +198,7 @@ Swimlanes.mutations({ restore() { if (this.isTemplateSwimlane()) { - this.allLists().forEach((list) => { + this.myLists().forEach((list) => { return list.restore(); }); } -- cgit v1.2.3-1-g7c22 From 3edff32bde9eda3c0ea8bf3960aa8eef1a3c5524 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 28 Feb 2019 22:37:28 +0200 Subject: [Performance improvements](https://github.com/wekan/wekan/pull/2214), thanks to justinr1234: - New indexes for queries that were missing an index; - Bulk querying documents to reduce the number of mongo queries when loading a board; - Ensure oplog is being used to query the database by providing a `sort` key when `limit` is used querying the `boards` collection. --- CHANGELOG.md | 10 ++++++++++ 1 file changed, 10 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 6d50c383..96ae292b 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,13 @@ +# Upcoming Wekan release + +This release adds the following [performance improvements](https://github.com/wekan/wekan/pull/2214), thanks to justinr1234: + +- New indexes for queries that were missing an index; +- Bulk querying documents to reduce the number of mongo queries when loading a board; +- Ensure oplog is being used to query the database by providing a `sort` key when `limit` is used querying the `boards` collection. + +Thanks to above GitHub users for their contributions. + # v2.31 2019-02-28 Wekan release This release fixes the following bugs related to [Template features](https://github.com/wekan/wekan/issues/2209), thanks to GitHub user andresmanelli: -- cgit v1.2.3-1-g7c22 From 24e47195e556b6f36b36f8e1a8f09737eaebb784 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 28 Feb 2019 22:45:37 +0200 Subject: - [Fix](https://github.com/wekan/wekan/commit/49229e1723de14cdc66dc6480624bba426d35e36) [Filtering in swimlane view is broken since v2.29](https://github.com/wekan/wekan/issues/2213). Thanks to andresmanelli ! Related #2209 --- CHANGELOG.md | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 96ae292b..fdcabc16 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -6,6 +6,11 @@ This release adds the following [performance improvements](https://github.com/we - Bulk querying documents to reduce the number of mongo queries when loading a board; - Ensure oplog is being used to query the database by providing a `sort` key when `limit` is used querying the `boards` collection. +and [fixes](https://github.com/wekan/wekan/commit/49229e1723de14cdc66dc6480624bba426d35e36) the following bugs +related to [Template features](https://github.com/wekan/wekan/issues/2209), thanks to andresmanelli: + +- [Filtering in swimlane view is broken since v2.29](https://github.com/wekan/wekan/issues/2213). + Thanks to above GitHub users for their contributions. # v2.31 2019-02-28 Wekan release -- cgit v1.2.3-1-g7c22 From 8e36a2bc838fb15f88bbbadcfad9528f2a41a3c6 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 28 Feb 2019 22:57:40 +0200 Subject: [Fix filtering in swimlane view](https://github.com/wekan/wekan/commit/49229e1723de14cdc66dc6480624bba426d35e36) that was [broken since v2.29](https://github.com/wekan/wekan/issues/2213). Thanks to andresmanelli ! Closes #2213, Related #2209 --- CHANGELOG.md | 7 +++---- 1 file changed, 3 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index fdcabc16..b23321f2 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.32 2019-02-28 Wekan release This release adds the following [performance improvements](https://github.com/wekan/wekan/pull/2214), thanks to justinr1234: @@ -6,10 +6,9 @@ This release adds the following [performance improvements](https://github.com/we - Bulk querying documents to reduce the number of mongo queries when loading a board; - Ensure oplog is being used to query the database by providing a `sort` key when `limit` is used querying the `boards` collection. -and [fixes](https://github.com/wekan/wekan/commit/49229e1723de14cdc66dc6480624bba426d35e36) the following bugs -related to [Template features](https://github.com/wekan/wekan/issues/2209), thanks to andresmanelli: +and fixes the following bugs related to [Template features](https://github.com/wekan/wekan/issues/2209), thanks to andresmanelli: -- [Filtering in swimlane view is broken since v2.29](https://github.com/wekan/wekan/issues/2213). +- [Fix filtering in swimlane view](https://github.com/wekan/wekan/commit/49229e1723de14cdc66dc6480624bba426d35e36) that was [broken since v2.29](https://github.com/wekan/wekan/issues/2213). Thanks to above GitHub users for their contributions. -- cgit v1.2.3-1-g7c22 From 49882a05d1d1e5cacc950daa282bd6f6ea0d402f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 28 Feb 2019 23:01:56 +0200 Subject: v2.32 --- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/Stackerfile.yml b/Stackerfile.yml index 8ee99ee8..beb27125 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.31.0" +appVersion: "v2.32.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 81916a54..c463e40c 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.31.0", + "version": "v2.32.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index e1ea4b81..93b08ec8 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 233, + appVersion = 234, # Increment this for every release. - appMarketingVersion = (defaultText = "2.31.0~2019-02-28"), + appMarketingVersion = (defaultText = "2.32.0~2019-02-28"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 5cafdd9878ab4b6123024ec33279ccdae75f554f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 28 Feb 2019 23:25:03 +0200 Subject: Upgrade node to v8.15.1 Thanks to xet7 ! --- Dockerfile | 2 +- snapcraft.yaml | 2 +- stacksmith/user-scripts/build.sh | 2 +- 3 files changed, 3 insertions(+), 3 deletions(-) diff --git a/Dockerfile b/Dockerfile index 10995252..c31a0610 100644 --- a/Dockerfile +++ b/Dockerfile @@ -87,7 +87,7 @@ ARG DEFAULT_AUTHENTICATION_METHOD # ENV BUILD_DEPS="paxctl" ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential python python3 python3-distutils git ca-certificates gcc-7" \ DEBUG=false \ - NODE_VERSION=v8.15.0 \ + NODE_VERSION=v8.15.1 \ METEOR_RELEASE=1.6.0.1 \ USE_EDGE=false \ METEOR_EDGE=1.5-beta.17 \ diff --git a/snapcraft.yaml b/snapcraft.yaml index b2b3dfd2..afa9eaf4 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -81,7 +81,7 @@ parts: wekan: source: . plugin: nodejs - node-engine: 8.15.0 + node-engine: 8.15.1 node-packages: - node-gyp - node-pre-gyp diff --git a/stacksmith/user-scripts/build.sh b/stacksmith/user-scripts/build.sh index 10823ab1..7e59c531 100755 --- a/stacksmith/user-scripts/build.sh +++ b/stacksmith/user-scripts/build.sh @@ -2,7 +2,7 @@ set -euxo pipefail BUILD_DEPS="bsdtar gnupg wget curl bzip2 python git ca-certificates perl-Digest-SHA" -NODE_VERSION=v8.15.0 +NODE_VERSION=v8.15.1 #METEOR_RELEASE=1.6.0.1 - for Stacksmith, meteor-1.8 branch that could have METEOR@1.8.1-beta.8 or newer USE_EDGE=false METEOR_EDGE=1.5-beta.17 -- cgit v1.2.3-1-g7c22 From e65776f9f0294c32e911d2f8a79d2bf5744d2e4e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 28 Feb 2019 23:29:13 +0200 Subject: [Upgrade Node.js to v8.15.1](https://github.com/wekan/wekan/commit/5cafdd9878ab4b6123024ec33279ccdae75f554f). Thanks to Node.js developers and xet7 ! --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index b23321f2..79857468 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release adds the following upgrades: + +- [Upgrade Node.js to v8.15.1](https://github.com/wekan/wekan/commit/5cafdd9878ab4b6123024ec33279ccdae75f554f). + +Thanks to Node.js developers and GitHub user xet7 for contributions. + # v2.32 2019-02-28 Wekan release This release adds the following [performance improvements](https://github.com/wekan/wekan/pull/2214), thanks to justinr1234: -- cgit v1.2.3-1-g7c22 From bd2c54398b993b1104ec503efafb0bb24a0ba2a2 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 28 Feb 2019 23:31:39 +0200 Subject: v2.33 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 79857468..b455df51 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.33 2019-02-28 Wekan release This release adds the following upgrades: diff --git a/Stackerfile.yml b/Stackerfile.yml index beb27125..9c011fe3 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.32.0" +appVersion: "v2.33.0" files: userUploads: - README.md diff --git a/package.json b/package.json index c463e40c..082fa402 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.32.0", + "version": "v2.33.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 93b08ec8..4fb585cd 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 234, + appVersion = 235, # Increment this for every release. - appMarketingVersion = (defaultText = "2.32.0~2019-02-28"), + appMarketingVersion = (defaultText = "2.33.0~2019-02-28"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 90dd0ddb944065bedb271da495b3d3c3fb6db744 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 1 Mar 2019 07:05:49 +0200 Subject: Revert [Filter fix](https://github.com/wekan/wekan/issues/2213) because of [mongodb data tampered](https://github.com/wekan/wekan-snap/issues/83). Thanks to xet7 ! --- models/swimlanes.js | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/models/swimlanes.js b/models/swimlanes.js index 9da4afb5..1b18ba5d 100644 --- a/models/swimlanes.js +++ b/models/swimlanes.js @@ -133,14 +133,14 @@ Swimlanes.helpers({ }, lists() { - return Lists.find({ + return Lists.find(Filter.mongoSelector({ boardId: this.boardId, swimlaneId: {$in: [this._id, '']}, archived: false, - }, { sort: ['sort'] }); + }), { sort: ['sort'] }); }, - myLists() { + allLists() { return Lists.find({ swimlaneId: this._id }); }, @@ -189,7 +189,7 @@ Swimlanes.mutations({ archive() { if (this.isTemplateSwimlane()) { - this.myLists().forEach((list) => { + this.lists().forEach((list) => { return list.archive(); }); } @@ -198,7 +198,7 @@ Swimlanes.mutations({ restore() { if (this.isTemplateSwimlane()) { - this.myLists().forEach((list) => { + this.allLists().forEach((list) => { return list.restore(); }); } -- cgit v1.2.3-1-g7c22 From ef246cfef3706872075f07f9dc531a929e64566f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 1 Mar 2019 07:10:50 +0200 Subject: v2.34 --- CHANGELOG.md | 9 +++++++++ Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 13 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index b455df51..f2ecc9d9 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# v2.34 2019-03-01 Wekan release + +This release tries to fix following bugs: + +- Revert [Filter fix](https://github.com/wekan/wekan/issues/2213) because of + [mongodb data tampered](https://github.com/wekan/wekan-snap/issues/83). + +Thanks to GitHub user xet7 for contributions. + # v2.33 2019-02-28 Wekan release This release adds the following upgrades: diff --git a/Stackerfile.yml b/Stackerfile.yml index 9c011fe3..369e1aaf 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.33.0" +appVersion: "v2.34.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 082fa402..572ca90d 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.33.0", + "version": "v2.34.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 4fb585cd..7c72f1a1 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 235, + appVersion = 236, # Increment this for every release. - appMarketingVersion = (defaultText = "2.33.0~2019-02-28"), + appMarketingVersion = (defaultText = "2.34.0~2019-03-01"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From d6259836e06b00f6e1e0e3c11802565b90ffddb7 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 1 Mar 2019 14:41:09 +0200 Subject: - [Add Filter fix back](https://github.com/wekan/wekan/issues/2213), because there was no bug in filter fix. Thanks to xet7 ! Closes #2213, related #2209 --- models/swimlanes.js | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/models/swimlanes.js b/models/swimlanes.js index 1b18ba5d..9da4afb5 100644 --- a/models/swimlanes.js +++ b/models/swimlanes.js @@ -133,14 +133,14 @@ Swimlanes.helpers({ }, lists() { - return Lists.find(Filter.mongoSelector({ + return Lists.find({ boardId: this.boardId, swimlaneId: {$in: [this._id, '']}, archived: false, - }), { sort: ['sort'] }); + }, { sort: ['sort'] }); }, - allLists() { + myLists() { return Lists.find({ swimlaneId: this._id }); }, @@ -189,7 +189,7 @@ Swimlanes.mutations({ archive() { if (this.isTemplateSwimlane()) { - this.lists().forEach((list) => { + this.myLists().forEach((list) => { return list.archive(); }); } @@ -198,7 +198,7 @@ Swimlanes.mutations({ restore() { if (this.isTemplateSwimlane()) { - this.allLists().forEach((list) => { + this.myLists().forEach((list) => { return list.restore(); }); } -- cgit v1.2.3-1-g7c22 From 4ef3e587cb406fa66ff2300fc7746a43cff5d2af Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 1 Mar 2019 14:48:25 +0200 Subject: [Add Filter fix back](https://github.com/wekan/wekan/issues/2213), because there was no bug in filter fix. --- CHANGELOG.md | 12 +++++++++++- 1 file changed, 11 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index f2ecc9d9..841c72a0 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,9 +1,19 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- [Add Filter fix back](https://github.com/wekan/wekan/issues/2213), + because there was no bug in filter fix. + +Thanks to GitHub user xet7 for contributions. + # v2.34 2019-03-01 Wekan release -This release tries to fix following bugs: +This release tried to fix following bugs, but did not fix anything: - Revert [Filter fix](https://github.com/wekan/wekan/issues/2213) because of [mongodb data tampered](https://github.com/wekan/wekan-snap/issues/83). + This was added back at Wekan v2.35. Thanks to GitHub user xet7 for contributions. -- cgit v1.2.3-1-g7c22 From a4564bed3ada234fcaaa7d7dd469d58e05a652e1 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 1 Mar 2019 15:42:23 +0200 Subject: v2.35 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 841c72a0..4e2346b2 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.35 2019-03-01 Wekan release This release fixes the following bugs: diff --git a/Stackerfile.yml b/Stackerfile.yml index 369e1aaf..03332154 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.34.0" +appVersion: "v2.35.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 572ca90d..1ef680de 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.34.0", + "version": "v2.35.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 7c72f1a1..c8923eed 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 236, + appVersion = 237, # Increment this for every release. - appMarketingVersion = (defaultText = "2.34.0~2019-03-01"), + appMarketingVersion = (defaultText = "2.35.0~2019-03-01"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 065cd05c965acedf4e9564b76bc8a60a35f09799 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 2 Mar 2019 17:13:50 +0200 Subject: Update readme. --- README.md | 48 ++++++++++++++++++++++++++++++++++-------------- 1 file changed, 34 insertions(+), 14 deletions(-) diff --git a/README.md b/README.md index 02caa7ea..5404677a 100644 --- a/README.md +++ b/README.md @@ -39,33 +39,53 @@ address https://chat.vanila.io and same username and password. Wekan is an completely [Open Source][open_source] and [Free software][free_software] collaborative kanban board application with MIT license. -Whether you’re maintaining a personal todo list, planning your holidays with some friends, or working in a team on your next revolutionary idea, Kanban boards are an unbeatable tool to keep your things organized. They give you a visual overview of the current state of your project, and make you productive by allowing you to focus on the few items that matter the most. +Whether you’re maintaining a personal todo list, planning your holidays with some friends, +or working in a team on your next revolutionary idea, Kanban boards are an unbeatable tool +to keep your things organized. They give you a visual overview of the current state of your project, +and make you productive by allowing you to focus on the few items that matter the most. Since Wekan is a free software, you don’t have to trust us with your data and can install Wekan on your own computer or server. In fact we encourage you to do that by providing one-click installation on various platforms. -- [Features][features]: Wekan has real-time user interface. Not all features are implemented, yet. -- [Platforms][platforms]: Wekan supports many platforms and plan is to add more. This will be the first place to look if you want to **install** it, test out and learn more in depth. +- Wekan is used in [most countries of the world](https://snapcraft.io/wekan). +- Wekan largest user has 13k users using Wekan in their company. +- Wekan has been [translated](https://transifex.com/wekan/wekan) to about 50 languages. +- [Features][features]: Wekan has real-time user interface. +- [Platforms][platforms]: Wekan supports many platforms. + Wekan is critical part of new platforms Wekan is currently being integrated to. - [Integrations][integrations]: Current possible integrations and future plans. - [Team](https://github.com/wekan/wekan/wiki/Team): The people who spends their time and make Wekan into what it is right now. -## Roadmap - -[Roadmap](https://github.com/wekan/wekan/wiki/Roadmap) +## Requirements + +- 64bit: Linux / Mac / Windows. +- 1 GB RAM minimum free for Wekan. Production server should have miminum total 4 GB RAM. + For thousands of users, for example with Docker: 3 frontend servers, each having 2 CPU and 2 wekan-app containers. One backend wekan-db server with many CPUs. +- Enough disk space and alerts about low disk space. If you run out disk space, MongoDB database gets corrupted. +- SECURITY: Updating to newest Wekan version very often. Please check you do not have automatic updates of Sandstorm or Snap turned off. + Old versions have security issues because of old versions Node.js etc. Only newest Wekan is supported. + Wekan on Sandstorm is not usually affected by any Standalone Wekan (Snap/Docker/Source) security issues. +- [Reporting all new bugs immediately](https://github.com/wekan/wekan/issues). + New features and fixes are added to Wekan [many times a day](https://github.com/wekan/wekan/blob/devel/CHANGELOG.md). +- [Backups](https://github.com/wekan/wekan/wiki/Backup) of Wekan database once a day miminum. + Bugs, updates, users deleting list or card, harddrive full, harddrive crash etc can eat your data. There is no undo yet. + Some bug can cause Wekan board to not load at all, requiring manual fixing of database content. -Upcoming Wekan App Development Platform will make possible many use cases. If you don't find your feature or integration in -GitHub issues and [Features][features] or [Integrations][integrations] page at wiki, please add them. - -We are very welcoming to new developers and teams to submit new pull requests to devel branch to make this Wekan App Development Platform possible faster. Please see [Developer Documentation][dev_docs] to get started. +## Roadmap -We also welcome sponsors for features and bugfixes. By working directly with Wekan you get the benefit of active maintenance and new features added by growing Wekan developer community. +[Roadmap Milestones](https://github.com/wekan/wekan/milestones) -Actual work happens at [Wekan GitHub issues][wekan_issues]. +[Developer Documentation][dev_docs] -See [Development links on Wekan wiki](https://github.com/wekan/wekan/wiki#Development) bottom of the page for more info. +- There is many companies and individuals contributing code to Wekan, to add features and bugfixes + [many times a day](https://github.com/wekan/wekan/blob/devel/CHANGELOG.md). +- [Please add Add new Feature Requests and Bug Reports immediately](https://github.com/wekan/wekan/issues). +- [Commercial Support](https://wekan.team). +- [Bounties](https://wekan.team/bounties/index.html). -If you want to know what is going on exactly this moment, you can check out the [project page](https://github.com/wekan/wekan/projects/2). +We also welcome sponsors for features and bugfixes. +By working directly with Wekan you get the benefit of active maintenance and new features added by growing Wekan developer community. ## Demo -- cgit v1.2.3-1-g7c22 From 46d8a11c51a45a954f2b275fb944e8fb04fc3d6f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 2 Mar 2019 17:15:18 +0200 Subject: Remove outdated team page. --- README.md | 1 - 1 file changed, 1 deletion(-) diff --git a/README.md b/README.md index 5404677a..1a66c5a0 100644 --- a/README.md +++ b/README.md @@ -55,7 +55,6 @@ that by providing one-click installation on various platforms. - [Platforms][platforms]: Wekan supports many platforms. Wekan is critical part of new platforms Wekan is currently being integrated to. - [Integrations][integrations]: Current possible integrations and future plans. -- [Team](https://github.com/wekan/wekan/wiki/Team): The people who spends their time and make Wekan into what it is right now. ## Requirements -- cgit v1.2.3-1-g7c22 From 724912ec483cf9582ec0d1326f7d0d76398f6f53 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 2 Mar 2019 17:24:26 +0200 Subject: Update readme. --- README.md | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/README.md b/README.md index 1a66c5a0..707eb5ff 100644 --- a/README.md +++ b/README.md @@ -58,9 +58,11 @@ that by providing one-click installation on various platforms. ## Requirements -- 64bit: Linux / Mac / Windows. +- 64bit: Linux [Snap](https://github.com/wekan/wekan-snap/wiki/Install) or [Sandstorm](https://sandstorm.io) / + [Mac](https://github.com/wekan/wekan/wiki/Mac) / [Windows](https://github.com/wekan/wekan/wiki/Install-Wekan-from-source-on-Windows). - 1 GB RAM minimum free for Wekan. Production server should have miminum total 4 GB RAM. - For thousands of users, for example with Docker: 3 frontend servers, each having 2 CPU and 2 wekan-app containers. One backend wekan-db server with many CPUs. + For thousands of users, for example with [Docker](https://github.com/wekan/wekan/blob/devel/docker-compose.yml): 3 frontend servers, + each having 2 CPU and 2 wekan-app containers. One backend wekan-db server with many CPUs. - Enough disk space and alerts about low disk space. If you run out disk space, MongoDB database gets corrupted. - SECURITY: Updating to newest Wekan version very often. Please check you do not have automatic updates of Sandstorm or Snap turned off. Old versions have security issues because of old versions Node.js etc. Only newest Wekan is supported. -- cgit v1.2.3-1-g7c22 From 95014e634838c772501a835ddc78c80978f41550 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 2 Mar 2019 17:26:00 +0200 Subject: Update readme. --- README.md | 1 + 1 file changed, 1 insertion(+) diff --git a/README.md b/README.md index 707eb5ff..c2b5cf57 100644 --- a/README.md +++ b/README.md @@ -60,6 +60,7 @@ that by providing one-click installation on various platforms. - 64bit: Linux [Snap](https://github.com/wekan/wekan-snap/wiki/Install) or [Sandstorm](https://sandstorm.io) / [Mac](https://github.com/wekan/wekan/wiki/Mac) / [Windows](https://github.com/wekan/wekan/wiki/Install-Wekan-from-source-on-Windows). + [More Platforms](https://github.com/wekan/wekan/wiki/Platforms). - 1 GB RAM minimum free for Wekan. Production server should have miminum total 4 GB RAM. For thousands of users, for example with [Docker](https://github.com/wekan/wekan/blob/devel/docker-compose.yml): 3 frontend servers, each having 2 CPU and 2 wekan-app containers. One backend wekan-db server with many CPUs. -- cgit v1.2.3-1-g7c22 From 010a201d0cb4dd879f388c8625b0a3a0a0ff4ffb Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 2 Mar 2019 17:27:34 +0200 Subject: Update readme. --- README.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/README.md b/README.md index c2b5cf57..cee7f49d 100644 --- a/README.md +++ b/README.md @@ -60,7 +60,7 @@ that by providing one-click installation on various platforms. - 64bit: Linux [Snap](https://github.com/wekan/wekan-snap/wiki/Install) or [Sandstorm](https://sandstorm.io) / [Mac](https://github.com/wekan/wekan/wiki/Mac) / [Windows](https://github.com/wekan/wekan/wiki/Install-Wekan-from-source-on-Windows). - [More Platforms](https://github.com/wekan/wekan/wiki/Platforms). + [More Platforms](https://github.com/wekan/wekan/wiki/Platforms). [ARM progress](https://github.com/wekan/wekan/issues/1053#issuecomment-410919264). - 1 GB RAM minimum free for Wekan. Production server should have miminum total 4 GB RAM. For thousands of users, for example with [Docker](https://github.com/wekan/wekan/blob/devel/docker-compose.yml): 3 frontend servers, each having 2 CPU and 2 wekan-app containers. One backend wekan-db server with many CPUs. -- cgit v1.2.3-1-g7c22 From 16963859e11ad0bf5ff96e24214d4f8d5df568e7 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 2 Mar 2019 17:32:06 +0200 Subject: Update translations. --- i18n/de.i18n.json | 2 +- i18n/sv.i18n.json | 38 +++++++++++++++++++------------------- 2 files changed, 20 insertions(+), 20 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index a07b9ad0..4398af3f 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -43,7 +43,7 @@ "activity-sent": "hat %s an %s gesendet", "activity-unjoined": "hat %s verlassen", "activity-subtask-added": "Teilaufgabe zu %s hinzugefügt", - "activity-checked-item": "markierte %s in Checkliste %svon %s", + "activity-checked-item": "markierte %s in Checkliste %s von %s", "activity-unchecked-item": "hat %s in Checkliste %s von %s abgewählt", "activity-checklist-added": "hat eine Checkliste zu %s hinzugefügt", "activity-checklist-removed": "entfernte eine Checkliste von %s", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index ffd9ee9f..42ba80c4 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -92,8 +92,8 @@ "restore-board": "Återställ anslagstavla", "no-archived-boards": "Inga anslagstavlor i Arkiv.", "archives": "Arkiv", - "template": "Template", - "templates": "Templates", + "template": "Mall", + "templates": "Mallar", "assign-member": "Tilldela medlem", "attached": "bifogad", "attachment": "Bilaga", @@ -145,7 +145,7 @@ "cardLabelsPopup-title": "Etiketter", "cardMembersPopup-title": "Medlemmar", "cardMorePopup-title": "Mera", - "cardTemplatePopup-title": "Create template", + "cardTemplatePopup-title": "Skapa mall", "cards": "Kort", "cards-count": "Kort", "casSignIn": "Logga in med CAS", @@ -596,8 +596,8 @@ "r-checked": "Kryssad", "r-unchecked": "Okryssad", "r-move-card-to": "Flytta kort till", - "r-top-of": "Top of", - "r-bottom-of": "Bottom of", + "r-top-of": "Överst på", + "r-bottom-of": "Nederst av", "r-its-list": "its list", "r-archive": "Flytta till Arkiv", "r-unarchive": "Återställ från Arkiv", @@ -606,16 +606,16 @@ "r-remove": "Ta bort", "r-label": "etikett", "r-member": "medlem", - "r-remove-all": "Remove all members from the card", - "r-set-color": "Set color to", + "r-remove-all": "Ta bort alla medlemmar från kortet", + "r-set-color": "Ställ in färg till", "r-checklist": "checklista", - "r-check-all": "Check all", - "r-uncheck-all": "Uncheck all", + "r-check-all": "Kryssa alla", + "r-uncheck-all": "Avkryssa alla", "r-items-check": "objekt på checklistan", - "r-check": "Check", - "r-uncheck": "Uncheck", + "r-check": "Kryssa", + "r-uncheck": "Avkryssa", "r-item": "objekt", - "r-of-checklist": "of checklist", + "r-of-checklist": "av checklistan", "r-send-email": "Skicka ett e-postmeddelande", "r-to": "till", "r-subject": "änme", @@ -632,17 +632,17 @@ "r-d-unarchive": "Återställ kortet från Arkiv", "r-d-add-label": "Lägg till etikett", "r-d-remove-label": "Ta bort etikett", - "r-create-card": "Create new card", - "r-in-list": "in list", + "r-create-card": "Skapa nytt kort", + "r-in-list": "i listan", "r-in-swimlane": "in swimlane", "r-d-add-member": "Lägg till medlem", "r-d-remove-member": "Ta bort medlem", "r-d-remove-all-member": "Ta bort alla medlemmar", - "r-d-check-all": "Check all items of a list", - "r-d-uncheck-all": "Uncheck all items of a list", - "r-d-check-one": "Check item", - "r-d-uncheck-one": "Uncheck item", - "r-d-check-of-list": "of checklist", + "r-d-check-all": "Kryssa alla objekt i en lista", + "r-d-uncheck-all": "Avkryssa alla objekt i en lista", + "r-d-check-one": "Kryssa objekt", + "r-d-uncheck-one": "Avkryssa objekt", + "r-d-check-of-list": "av checklistan", "r-d-add-checklist": "Lägg till checklista", "r-d-remove-checklist": "Ta bort checklista", "r-by": "av", -- cgit v1.2.3-1-g7c22 From 260d0641df24e55927a92ad94394db8765a171cc Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 3 Mar 2019 10:26:18 +0200 Subject: Rename Board Menu to Board Settings. Thanks to xet7 ! --- i18n/en.i18n.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 97973f6e..eb7a3150 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Rename Board", "boardChangeVisibilityPopup-title": "Change Visibility", "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", + "boardMenuPopup-title": "Board Settings", "boards": "Boards", "board-view": "Board View", "board-view-cal": "Calendar", -- cgit v1.2.3-1-g7c22 From 99a856be970349b52ab5b7590655fbf2b8905c91 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 3 Mar 2019 10:31:30 +0200 Subject: Change board menu: - Board menu (hamburger icon) to Board Settings (Cog icon) - Sidebar arrows icons to hamburger icon Thanks to xet7 ! Related #2219 --- client/components/boards/boardHeader.jade | 2 +- client/components/sidebar/sidebar.jade | 4 ++-- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/client/components/boards/boardHeader.jade b/client/components/boards/boardHeader.jade index c4c9eeef..b673daf8 100644 --- a/client/components/boards/boardHeader.jade +++ b/client/components/boards/boardHeader.jade @@ -112,7 +112,7 @@ template(name="boardHeaderBar") .separator a.board-header-btn.js-open-board-menu(title="{{_ 'boardMenuPopup-title'}}") - i.board-header-btn-icon.fa.fa-navicon + i.board-header-btn-icon.fa.fa-cog template(name="boardMenuPopup") ul.pop-over-list diff --git a/client/components/sidebar/sidebar.jade b/client/components/sidebar/sidebar.jade index f7ca9bf3..22fd4288 100644 --- a/client/components/sidebar/sidebar.jade +++ b/client/components/sidebar/sidebar.jade @@ -3,7 +3,7 @@ template(name="sidebar") a.sidebar-tongue.js-toggle-sidebar( class="{{#if isTongueHidden}}is-hidden{{/if}}", title="{{showTongueTitle}}") - i.fa.fa-angle-left + i.fa.fa-navicon .sidebar-shadow .sidebar-content.sidebar-shortcuts a.board-header-btn.js-shortcuts @@ -11,7 +11,7 @@ template(name="sidebar") span {{_ 'keyboard-shortcuts' }} .sidebar-content.js-board-sidebar-content.js-perfect-scrollbar a.hide-btn.js-hide-sidebar - i.fa.fa-angle-right + i.fa.fa-navicon unless isDefaultView h2 a.fa.fa-chevron-left.js-back-home -- cgit v1.2.3-1-g7c22 From 990ebbdbcbca14043f401b3217f242dfc0fe4ada Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 3 Mar 2019 10:36:58 +0200 Subject: Update translations. --- i18n/ar.i18n.json | 2 +- i18n/bg.i18n.json | 2 +- i18n/br.i18n.json | 2 +- i18n/ca.i18n.json | 2 +- i18n/cs.i18n.json | 2 +- i18n/da.i18n.json | 2 +- i18n/de.i18n.json | 2 +- i18n/el.i18n.json | 2 +- i18n/en-GB.i18n.json | 2 +- i18n/eo.i18n.json | 2 +- i18n/es-AR.i18n.json | 2 +- i18n/es.i18n.json | 2 +- i18n/eu.i18n.json | 2 +- i18n/fa.i18n.json | 2 +- i18n/fi.i18n.json | 2 +- i18n/fr.i18n.json | 2 +- i18n/gl.i18n.json | 2 +- i18n/he.i18n.json | 2 +- i18n/hi.i18n.json | 2 +- i18n/hu.i18n.json | 2 +- i18n/hy.i18n.json | 2 +- i18n/id.i18n.json | 2 +- i18n/ig.i18n.json | 2 +- i18n/it.i18n.json | 2 +- i18n/ja.i18n.json | 2 +- i18n/ka.i18n.json | 2 +- i18n/km.i18n.json | 2 +- i18n/ko.i18n.json | 2 +- i18n/lv.i18n.json | 2 +- i18n/mk.i18n.json | 2 +- i18n/mn.i18n.json | 2 +- i18n/nb.i18n.json | 2 +- i18n/nl.i18n.json | 2 +- i18n/pl.i18n.json | 2 +- i18n/pt-BR.i18n.json | 2 +- i18n/pt.i18n.json | 2 +- i18n/ro.i18n.json | 2 +- i18n/ru.i18n.json | 2 +- i18n/sr.i18n.json | 2 +- i18n/sv.i18n.json | 2 +- i18n/sw.i18n.json | 2 +- i18n/ta.i18n.json | 2 +- i18n/th.i18n.json | 2 +- i18n/tr.i18n.json | 2 +- i18n/uk.i18n.json | 2 +- i18n/vi.i18n.json | 2 +- i18n/zh-CN.i18n.json | 2 +- i18n/zh-TW.i18n.json | 2 +- 48 files changed, 48 insertions(+), 48 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index d576e0e4..27ba0ae2 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "إعادة تسمية اللوحة", "boardChangeVisibilityPopup-title": "تعديل وضوح الرؤية", "boardChangeWatchPopup-title": "تغيير المتابعة", - "boardMenuPopup-title": "قائمة اللوحة", + "boardMenuPopup-title": "Board Settings", "boards": "لوحات", "board-view": "عرض اللوحات", "board-view-cal": "التقويم", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 46c4848d..ed37bed1 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Промени името на Таблото", "boardChangeVisibilityPopup-title": "Change Visibility", "boardChangeWatchPopup-title": "Промени наблюдаването", - "boardMenuPopup-title": "Меню на Таблото", + "boardMenuPopup-title": "Board Settings", "boards": "Табла", "board-view": "Board View", "board-view-cal": "Календар", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index cf52a343..2a5ee2ed 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Rename Board", "boardChangeVisibilityPopup-title": "Change Visibility", "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", + "boardMenuPopup-title": "Board Settings", "boards": "Boards", "board-view": "Board View", "board-view-cal": "Calendar", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index cb2e0822..c81505a0 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Canvia el nom tauler", "boardChangeVisibilityPopup-title": "Canvia visibilitat", "boardChangeWatchPopup-title": "Canvia seguiment", - "boardMenuPopup-title": "Menú del tauler", + "boardMenuPopup-title": "Board Settings", "boards": "Taulers", "board-view": "Visió del tauler", "board-view-cal": "Calendari", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 8ccedb95..49aea2f3 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Přejmenovat tablo", "boardChangeVisibilityPopup-title": "Upravit viditelnost", "boardChangeWatchPopup-title": "Změnit sledování", - "boardMenuPopup-title": "Menu tabla", + "boardMenuPopup-title": "Board Settings", "boards": "Tabla", "board-view": "Náhled tabla", "board-view-cal": "Kalendář", diff --git a/i18n/da.i18n.json b/i18n/da.i18n.json index 8278d389..1b8935cd 100644 --- a/i18n/da.i18n.json +++ b/i18n/da.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Rename Board", "boardChangeVisibilityPopup-title": "Change Visibility", "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", + "boardMenuPopup-title": "Board Settings", "boards": "Boards", "board-view": "Board View", "board-view-cal": "Calendar", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 4398af3f..2750ac59 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Board umbenennen", "boardChangeVisibilityPopup-title": "Sichtbarkeit ändern", "boardChangeWatchPopup-title": "Beobachtung ändern", - "boardMenuPopup-title": "Boardmenü", + "boardMenuPopup-title": "Board Settings", "boards": "Boards", "board-view": "Boardansicht", "board-view-cal": "Kalender", diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 69df2b0c..1e8dc45c 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Rename Board", "boardChangeVisibilityPopup-title": "Change Visibility", "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", + "boardMenuPopup-title": "Board Settings", "boards": "Boards", "board-view": "Board View", "board-view-cal": "Calendar", diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index de012b33..a9201589 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Rename Board", "boardChangeVisibilityPopup-title": "Change Visibility", "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", + "boardMenuPopup-title": "Board Settings", "boards": "Boards", "board-view": "Board View", "board-view-cal": "Calendar", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index 2ff3075f..245a3e85 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Rename Board", "boardChangeVisibilityPopup-title": "Change Visibility", "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", + "boardMenuPopup-title": "Board Settings", "boards": "Boards", "board-view": "Board View", "board-view-cal": "Calendar", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index e4a76c74..36e4b568 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Renombrar Tablero", "boardChangeVisibilityPopup-title": "Cambiar Visibilidad", "boardChangeWatchPopup-title": "Alternar Seguimiento", - "boardMenuPopup-title": "Menú del Tablero", + "boardMenuPopup-title": "Board Settings", "boards": "Tableros", "board-view": "Vista de Tablero", "board-view-cal": "Calendar", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 87a86c26..cc639224 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Renombrar el tablero", "boardChangeVisibilityPopup-title": "Cambiar visibilidad", "boardChangeWatchPopup-title": "Cambiar vigilancia", - "boardMenuPopup-title": "Menú del tablero", + "boardMenuPopup-title": "Board Settings", "boards": "Tableros", "board-view": "Vista del tablero", "board-view-cal": "Calendario", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index 978ffbdb..d87c029a 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Aldatu izena arbelari", "boardChangeVisibilityPopup-title": "Aldatu ikusgaitasuna", "boardChangeWatchPopup-title": "Aldatu ikuskatzea", - "boardMenuPopup-title": "Arbelaren menua", + "boardMenuPopup-title": "Board Settings", "boards": "Arbelak", "board-view": "Board View", "board-view-cal": "Calendar", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index b5201842..ee5900d6 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "تغییر نام تخته", "boardChangeVisibilityPopup-title": "تغییر وضعیت نمایش", "boardChangeWatchPopup-title": "تغییر دیده بانی", - "boardMenuPopup-title": "منوی تخته", + "boardMenuPopup-title": "Board Settings", "boards": "تخته‌ها", "board-view": "نمایش تخته", "board-view-cal": "تقویم", diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 3fa46659..2eaf508d 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Nimeä taulu uudelleen", "boardChangeVisibilityPopup-title": "Muokkaa näkyvyyttä", "boardChangeWatchPopup-title": "Muokkaa seuraamista", - "boardMenuPopup-title": "Taulu valikko", + "boardMenuPopup-title": "Taulu asetukset", "boards": "Taulut", "board-view": "Taulu näkymä", "board-view-cal": "Kalenteri", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 551ecddb..afba4080 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Renommer le tableau", "boardChangeVisibilityPopup-title": "Changer la visibilité", "boardChangeWatchPopup-title": "Modifier le suivi", - "boardMenuPopup-title": "Menu du tableau", + "boardMenuPopup-title": "Paramètres du tableau", "boards": "Tableaux", "board-view": "Vue du tableau", "board-view-cal": "Calendrier", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 2642aa27..46bff764 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Rename Board", "boardChangeVisibilityPopup-title": "Change Visibility", "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", + "boardMenuPopup-title": "Board Settings", "boards": "Taboleiros", "board-view": "Board View", "board-view-cal": "Calendar", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 1afedaf3..4eb06e91 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "שינוי שם הלוח", "boardChangeVisibilityPopup-title": "שינוי מצב הצגה", "boardChangeWatchPopup-title": "שינוי הגדרת המעקב", - "boardMenuPopup-title": "תפריט לוח", + "boardMenuPopup-title": "Board Settings", "boards": "לוחות", "board-view": "תצוגת לוח", "board-view-cal": "לוח שנה", diff --git a/i18n/hi.i18n.json b/i18n/hi.i18n.json index 14ea66f6..b33ec76c 100644 --- a/i18n/hi.i18n.json +++ b/i18n/hi.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "बोर्ड का नाम बदलें", "boardChangeVisibilityPopup-title": "दृश्यता बदलें", "boardChangeWatchPopup-title": "बदलें वॉच", - "boardMenuPopup-title": "बोर्ड मेनू", + "boardMenuPopup-title": "Board Settings", "boards": "बोर्डों", "board-view": "बोर्ड दृष्टिकोण", "board-view-cal": "तिथि-पत्र", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index d62c5c61..d21b4791 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Tábla átnevezése", "boardChangeVisibilityPopup-title": "Láthatóság megváltoztatása", "boardChangeWatchPopup-title": "Megfigyelés megváltoztatása", - "boardMenuPopup-title": "Tábla menü", + "boardMenuPopup-title": "Board Settings", "boards": "Táblák", "board-view": "Tábla nézet", "board-view-cal": "Calendar", diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index 42491ba0..356164cd 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Rename Board", "boardChangeVisibilityPopup-title": "Change Visibility", "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", + "boardMenuPopup-title": "Board Settings", "boards": "Boards", "board-view": "Board View", "board-view-cal": "Calendar", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 7874f0a6..50019ff6 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Ganti Nama Panel", "boardChangeVisibilityPopup-title": "Ubah Penampakan", "boardChangeWatchPopup-title": "Ubah Pengamatan", - "boardMenuPopup-title": "Menu Panel", + "boardMenuPopup-title": "Board Settings", "boards": "Panel", "board-view": "Board View", "board-view-cal": "Calendar", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index d5b9d446..c633989a 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Rename Board", "boardChangeVisibilityPopup-title": "Change Visibility", "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", + "boardMenuPopup-title": "Board Settings", "boards": "Boards", "board-view": "Board View", "board-view-cal": "Calendar", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 4555cbfe..9f5ce16f 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Rinomina bacheca", "boardChangeVisibilityPopup-title": "Cambia visibilità", "boardChangeWatchPopup-title": "Cambia faccia", - "boardMenuPopup-title": "Menu bacheca", + "boardMenuPopup-title": "Board Settings", "boards": "Bacheche", "board-view": "Visualizza bacheca", "board-view-cal": "Calendario", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 9e2427f3..29b1442a 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "ボード名の変更", "boardChangeVisibilityPopup-title": "公開範囲の変更", "boardChangeWatchPopup-title": "ウォッチの変更", - "boardMenuPopup-title": "ボードメニュー", + "boardMenuPopup-title": "Board Settings", "boards": "ボード", "board-view": "Board View", "board-view-cal": "Calendar", diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index 06432e60..dff7e1b9 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "დაფის სახელის ცვლილება", "boardChangeVisibilityPopup-title": "ხილვადობის შეცვლა", "boardChangeWatchPopup-title": "საათის შეცვლა", - "boardMenuPopup-title": "დაფის მენიუ", + "boardMenuPopup-title": "Board Settings", "boards": "დაფები", "board-view": "დაფის ნახვა", "board-view-cal": "კალენდარი", diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index 86fcd7d6..5469012d 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Rename Board", "boardChangeVisibilityPopup-title": "Change Visibility", "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", + "boardMenuPopup-title": "Board Settings", "boards": "Boards", "board-view": "Board View", "board-view-cal": "Calendar", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index fea95077..c37360fa 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "보드 이름 바꾸기", "boardChangeVisibilityPopup-title": "표시 여부 변경", "boardChangeWatchPopup-title": "감시상태 변경", - "boardMenuPopup-title": "보드 메뉴", + "boardMenuPopup-title": "Board Settings", "boards": "보드", "board-view": "Board View", "board-view-cal": "Calendar", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index bdff593f..03606d0a 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Rename Board", "boardChangeVisibilityPopup-title": "Change Visibility", "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", + "boardMenuPopup-title": "Board Settings", "boards": "Boards", "board-view": "Board View", "board-view-cal": "Calendar", diff --git a/i18n/mk.i18n.json b/i18n/mk.i18n.json index dd18bcae..54b3a2da 100644 --- a/i18n/mk.i18n.json +++ b/i18n/mk.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Промени името на Таблото", "boardChangeVisibilityPopup-title": "Change Visibility", "boardChangeWatchPopup-title": "Промени наблюдаването", - "boardMenuPopup-title": "Меню на Таблото", + "boardMenuPopup-title": "Board Settings", "boards": "Табла", "board-view": "Board View", "board-view-cal": "Календар", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index d4b71c6c..ae0d1d85 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Rename Board", "boardChangeVisibilityPopup-title": "Change Visibility", "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", + "boardMenuPopup-title": "Board Settings", "boards": "Boards", "board-view": "Board View", "board-view-cal": "Calendar", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index b0d60016..4b3bbb3f 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Endre navn på tavlen", "boardChangeVisibilityPopup-title": "Endre synlighet", "boardChangeWatchPopup-title": "Endre overvåkning", - "boardMenuPopup-title": "Tavlemeny", + "boardMenuPopup-title": "Board Settings", "boards": "Tavler", "board-view": "Board View", "board-view-cal": "Calendar", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 1ef90372..eae57f1c 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Hernoem bord", "boardChangeVisibilityPopup-title": "Verander zichtbaarheid", "boardChangeWatchPopup-title": "Verander naar 'Watch'", - "boardMenuPopup-title": "Bord menu", + "boardMenuPopup-title": "Board Settings", "boards": "Borden", "board-view": "Bord overzicht", "board-view-cal": "Calendar", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 152c66bf..5ad2a114 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Zmień nazwę tablicy", "boardChangeVisibilityPopup-title": "Zmień widoczność tablicy", "boardChangeWatchPopup-title": "Zmień sposób powiadamiania", - "boardMenuPopup-title": "Menu tablicy", + "boardMenuPopup-title": "Board Settings", "boards": "Tablice", "board-view": "Widok tablicy", "board-view-cal": "Kalendarz", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index f8102a74..2981b997 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Renomear Quadro", "boardChangeVisibilityPopup-title": "Alterar Visibilidade", "boardChangeWatchPopup-title": "Alterar observação", - "boardMenuPopup-title": "Menu do Quadro", + "boardMenuPopup-title": "Board Settings", "boards": "Quadros", "board-view": "Visão de quadro", "board-view-cal": "Calendário", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 893a0fef..2698d9a8 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Renomear Quadro", "boardChangeVisibilityPopup-title": "Change Visibility", "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", + "boardMenuPopup-title": "Board Settings", "boards": "Boards", "board-view": "Board View", "board-view-cal": "Calendar", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index 571faa40..66a29d38 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Rename Board", "boardChangeVisibilityPopup-title": "Change Visibility", "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", + "boardMenuPopup-title": "Board Settings", "boards": "Boards", "board-view": "Board View", "board-view-cal": "Calendar", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 24a35b45..24a9e37d 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Переименовать доску", "boardChangeVisibilityPopup-title": "Изменить настройки видимости", "boardChangeWatchPopup-title": "Режимы оповещения", - "boardMenuPopup-title": "Меню доски", + "boardMenuPopup-title": "Board Settings", "boards": "Доски", "board-view": "Вид доски", "board-view-cal": "Календарь", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index c2a42bb2..f21c8b44 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Preimenuj tablu", "boardChangeVisibilityPopup-title": "Promeni Vidljivost", "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Meni table", + "boardMenuPopup-title": "Board Settings", "boards": "Table", "board-view": "Board View", "board-view-cal": "Calendar", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 42ba80c4..a9788577 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Byt namn på anslagstavla", "boardChangeVisibilityPopup-title": "Ändra synlighet", "boardChangeWatchPopup-title": "Ändra bevaka", - "boardMenuPopup-title": "Anslagstavla meny", + "boardMenuPopup-title": "Board Settings", "boards": "Anslagstavlor", "board-view": "Anslagstavelsvy", "board-view-cal": "Kalender", diff --git a/i18n/sw.i18n.json b/i18n/sw.i18n.json index e014412d..5b961e6f 100644 --- a/i18n/sw.i18n.json +++ b/i18n/sw.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Rename Board", "boardChangeVisibilityPopup-title": "Change Visibility", "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", + "boardMenuPopup-title": "Board Settings", "boards": "Boards", "board-view": "Board View", "board-view-cal": "Calendar", diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index a2d312ed..f5da1e53 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Rename Board", "boardChangeVisibilityPopup-title": "Change Visibility", "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", + "boardMenuPopup-title": "Board Settings", "boards": "Boards", "board-view": "Board View", "board-view-cal": "நாள்கட்டி ", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index 10a5624d..8a70f9ee 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "เปลี่ยนชื่อบอร์ด", "boardChangeVisibilityPopup-title": "เปลี่ยนการเข้าถึง", "boardChangeWatchPopup-title": "เปลี่ยนการเฝ้าดู", - "boardMenuPopup-title": "เมนูบอร์ด", + "boardMenuPopup-title": "Board Settings", "boards": "บอร์ด", "board-view": "Board View", "board-view-cal": "Calendar", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index ddf1c73a..2972519b 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Panonun Adını Değiştir", "boardChangeVisibilityPopup-title": "Görünebilirliği Değiştir", "boardChangeWatchPopup-title": "İzleme Durumunu Değiştir", - "boardMenuPopup-title": "Pano menüsü", + "boardMenuPopup-title": "Board Settings", "boards": "Panolar", "board-view": "Pano Görünümü", "board-view-cal": "Takvim", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 34175c4c..85739494 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Перейменувати дошку", "boardChangeVisibilityPopup-title": "Change Visibility", "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Menu", + "boardMenuPopup-title": "Board Settings", "boards": "Дошки", "board-view": "Board View", "board-view-cal": "Календар", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index 973dcb82..275c1bc7 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "Đổi tên bảng", "boardChangeVisibilityPopup-title": "Đổi cách hiển thị", "boardChangeWatchPopup-title": "Đổi cách xem", - "boardMenuPopup-title": "Board Menu", + "boardMenuPopup-title": "Board Settings", "boards": "Bảng", "board-view": "Board View", "board-view-cal": "Calendar", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index d086d518..1b2ae176 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "重命名看板", "boardChangeVisibilityPopup-title": "更改可视级别", "boardChangeWatchPopup-title": "更改关注状态", - "boardMenuPopup-title": "看板菜单", + "boardMenuPopup-title": "Board Settings", "boards": "看板", "board-view": "看板视图", "board-view-cal": "日历", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 4872aa04..d7187f25 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -112,7 +112,7 @@ "boardChangeTitlePopup-title": "重新命名看板", "boardChangeVisibilityPopup-title": "改變觀看權限", "boardChangeWatchPopup-title": "更改觀察", - "boardMenuPopup-title": "看板選單", + "boardMenuPopup-title": "Board Settings", "boards": "看板", "board-view": "看板視圖", "board-view-cal": "行事曆", -- cgit v1.2.3-1-g7c22 From ec30dd4788ab3ad84ef6b6b9fc2ce78f8e726624 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 3 Mar 2019 10:45:50 +0200 Subject: Update changelog. --- CHANGELOG.md | 10 ++++++++++ 1 file changed, 10 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 4e2346b2..ee162f32 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,13 @@ +# Upcoming Wekan release + +This release adds the following UI changes: + +- [Change board menu icons and text](https://github.com/wekan/wekan/issues/2219): + - Board menu (hamburger icon) to Board Settings (Cog icon) + - Sidebar arrows icons to hamburger icon + +Thanks to GitHub user xet7 for contributions. + # v2.35 2019-03-01 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 3bfc6ea8d7ee72d3507f64c369e1478fffeaf337 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 3 Mar 2019 16:33:43 +0200 Subject: [Add more Webhook translations](https://github.com/wekan/wekan/issues/1969). In progress. Thanks to xet7 ! Related #1969 --- i18n/en.i18n.json | 49 ++++++++++++++++++++++++---------------- models/activities.js | 29 ++++++++++++++++++++++++ server/notifications/outgoing.js | 2 +- 3 files changed, 59 insertions(+), 21 deletions(-) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index eb7a3150..51249ca3 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -1,28 +1,37 @@ { "accept": "Accept", "act-activity-notify": "Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __checklist__ to __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ on __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ in checklist __checklist__ of card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ in checklist __checklist__ of card __card__ at list __list__ at at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ of card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ of card __card__ at list __list__ swimlane __swimlane__ at board __board__", + "act-addComment": "commented on __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added __list__ to __board__", "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", + "act-importCard": "imported __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added __member__ to __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", + "act-restoredCard": "restored __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed __member__ from __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed the checklist __checklist__ of card __card__ at swimlane __swimlane__ of board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Add", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed the checklist __checklist__ of card __card__ at swimlane __swimlane__ of board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", diff --git a/models/activities.js b/models/activities.js index 47e3ff1e..b26278b1 100644 --- a/models/activities.js +++ b/models/activities.js @@ -14,6 +14,9 @@ Activities.helpers({ board() { return Boards.findOne(this.boardId); }, + oldBoard() { + return Boards.findOne(this.oldBoardId); + }, user() { return Users.findOne(this.userId); }, @@ -26,6 +29,9 @@ Activities.helpers({ swimlane() { return Swimlanes.findOne(this.swimlaneId); }, + oldSwimlane() { + return Swimlanes.findOne(this.oldSwimlaneId); + }, oldList() { return Lists.findOne(this.oldListId); }, @@ -50,6 +56,9 @@ Activities.helpers({ customField() { return CustomFields.findOne(this.customFieldId); }, + label() { + return Labels.findOne(this.labelId); + }, }); Activities.before.insert((userId, doc) => { @@ -75,6 +84,7 @@ if (Meteor.isServer) { Activities._collection._ensureIndex({ commentId: 1 }, { partialFilterExpression: { commentId: { $exists: true } } }); Activities._collection._ensureIndex({ attachmentId: 1 }, { partialFilterExpression: { attachmentId: { $exists: true } } }); Activities._collection._ensureIndex({ customFieldId: 1 }, { partialFilterExpression: { customFieldId: { $exists: true } } }); + Activities._collection._ensureIndex({ labelId: 1 }, { partialFilterExpression: { labelId: { $exists: true } } }); }); Activities.after.insert((userId, doc) => { @@ -100,6 +110,12 @@ if (Meteor.isServer) { params.url = board.absoluteUrl(); params.boardId = activity.boardId; } + if (activity.oldBoardId) { + const oldBoard = activity.oldBoard(); + watchers = _.union(watchers, oldBoard.watchers || []); + params.oldBoard = oldBoard.title; + params.oldBoardId = activity.oldBoardId; + } if (activity.memberId) { participants = _.union(participants, [activity.memberId]); params.member = activity.member().getName(); @@ -116,6 +132,12 @@ if (Meteor.isServer) { params.oldList = oldList.title; params.oldListId = activity.oldListId; } + if (activity.oldSwimlaneId) { + const oldSwimlane = activity.oldSwimlane(); + watchers = _.union(watchers, oldSwimlane.watchers || []); + params.oldSwimlane = oldSwimlane.title; + params.oldSwimlaneId = activity.oldSwimlaneId; + } if (activity.cardId) { const card = activity.card(); participants = _.union(participants, [card.userId], card.members || []); @@ -126,6 +148,8 @@ if (Meteor.isServer) { params.cardId = activity.cardId; } if (activity.swimlaneId) { + const swimlane = activity.swimlane(); + params.swimlane = swimlane.title; params.swimlaneId = activity.swimlaneId; } if (activity.commentId) { @@ -149,6 +173,11 @@ if (Meteor.isServer) { const customField = activity.customField(); params.customField = customField.name; } + if (activity.labelId) { + const label = activity.label(); + params.label = label.name; + params.labelId = activity.labelId; + } if (board) { const watchingUsers = _.pluck(_.where(board.watchers, {level: 'watching'}), 'userId'); const trackingUsers = _.pluck(_.where(board.watchers, {level: 'tracking'}), 'userId'); diff --git a/server/notifications/outgoing.js b/server/notifications/outgoing.js index aac8749e..ada3679e 100644 --- a/server/notifications/outgoing.js +++ b/server/notifications/outgoing.js @@ -17,7 +17,7 @@ Meteor.methods({ check(params, Object); const quoteParams = _.clone(params); - ['card', 'list', 'oldList', 'board', 'comment'].forEach((key) => { + ['card', 'list', 'oldList', 'board', 'oldBoard', 'comment', 'checklist', 'label', 'swimlane', 'oldSwimlane'].forEach((key) => { if (quoteParams[key]) quoteParams[key] = `"${params[key]}"`; }); -- cgit v1.2.3-1-g7c22 From b6db1e12b77de7ed17759e7e8eab4e66c8004d19 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 3 Mar 2019 16:40:35 +0200 Subject: - [Add more Webhook translations](https://github.com/wekan/wekan/issues/1969). In progress. Thanks to xet7 ! --- CHANGELOG.md | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index ee162f32..bfc9ccd9 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -6,6 +6,11 @@ This release adds the following UI changes: - Board menu (hamburger icon) to Board Settings (Cog icon) - Sidebar arrows icons to hamburger icon +and fixes the following bugs: + +- [Add more Webhook translations](https://github.com/wekan/wekan/issues/1969). + In progress. + Thanks to GitHub user xet7 for contributions. # v2.35 2019-03-01 Wekan release -- cgit v1.2.3-1-g7c22 From 1f942301ad167e1e54470041cd3f546fbae0345f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 3 Mar 2019 16:45:33 +0200 Subject: Fix translation. --- i18n/en.i18n.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 51249ca3..715c1982 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -3,7 +3,7 @@ "act-activity-notify": "Activity Notification", "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addSubtask": "added subtask __checklist__ to __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to __card__ at list __list__ at swimlane __swimlane__ at board __board__", -- cgit v1.2.3-1-g7c22 From c101e262d68eebcf93daf88f81332f77f7b1a513 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 3 Mar 2019 16:52:55 +0200 Subject: Fix translation. --- i18n/en.i18n.json | 36 ++++++++++++++++++------------------ 1 file changed, 18 insertions(+), 18 deletions(-) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 715c1982..02469769 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -3,35 +3,35 @@ "act-activity-notify": "Activity Notification", "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addSubtask": "added subtask __subtask__ to __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addLabel": "Added label __label__ to __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeLabel": "Removed label __label__ from __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addChecklist": "added checklist __checklist__ to __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ on __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeChecklist": "removed checklist __checklist__ from __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-checkedItem": "checked __checklistItem__ in checklist __checklist__ of card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-uncheckedItem": "unchecked __checklistItem__ in checklist __checklist__ of card __card__ at list __list__ at at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ in checklist __checklist__ of card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-completeChecklist": "completed checklist __checklist__ of card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-uncompleteChecklist": "uncompleted checklist __checklist__ of card __card__ at list __list__ swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ of card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", "act-createCard": "created card __card__ to __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", + "act-createList": "added list __list__ to __board__", + "act-addBoardMember": "added member __member__ to __board__", "act-archivedBoard": "Board __board__ moved to Archive", "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-importList": "imported __list__ to swimlane __swimlane__ at board __board__", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added __member__ to __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-unjoinMember": "removed __member__ from __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", @@ -56,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist __checklist__ of card __card__ at swimlane __swimlane__ of board __board__", + "activity-checklist-completed": "completed the checklist __checklist__ of card __card__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Add", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist __checklist__ of card __card__ at swimlane __swimlane__ of board __board__", + "activity-checklist-completed-card": "completed the checklist __checklist__ of card __card__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", -- cgit v1.2.3-1-g7c22 From ca052566de0bb688e153fb8ba1b690c27d1fcef4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 3 Mar 2019 17:19:01 +0200 Subject: Fix translation. --- i18n/en.i18n.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 02469769..e788310b 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -7,7 +7,7 @@ "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ on __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-checkedItem": "checked __checklistItem__ in checklist __checklist__ of card __card__ at list __list__ at swimlane __swimlane__ at board __board__", -- cgit v1.2.3-1-g7c22 From d3f368efd7c2ea086330451e4f2b88c59cd22ce1 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 3 Mar 2019 17:30:57 +0200 Subject: Fix typos in translation. --- i18n/en.i18n.json | 18 +++++++++--------- 1 file changed, 9 insertions(+), 9 deletions(-) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index e788310b..49d1dd1c 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -10,10 +10,10 @@ "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-checkedItem": "checked __checklistItem__ in checklist __checklist__ of card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-uncheckedItem": "unchecked __checklistItem__ in checklist __checklist__ of card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-completeChecklist": "completed checklist __checklist__ of card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-uncompleteChecklist": "uncompleted checklist __checklist__ of card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", "act-createCard": "created card __card__ to __list__ at swimlane __swimlane__ at board __board__", @@ -27,11 +27,11 @@ "act-importBoard": "imported board __board__", "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", - "act-joinMember": "added __member__ to __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-removeBoardMember": "removed member __member__ from __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-unjoinMember": "removed member __member__ from __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", @@ -56,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist __checklist__ of card __card__ at swimlane __swimlane__ at board __board__", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Add", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist __checklist__ of card __card__ at swimlane __swimlane__ at board __board__", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", -- cgit v1.2.3-1-g7c22 From 4a5473b4e725f851b4ea0049581e9550332ac0e8 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 3 Mar 2019 17:38:23 +0200 Subject: Update translation. --- i18n/en.i18n.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 49d1dd1c..c90ee778 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -14,7 +14,7 @@ "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addComment": "commented on __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", "act-createCard": "created card __card__ to __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", -- cgit v1.2.3-1-g7c22 From d99056ced5815e080bb4f6004559ef3ec42ed52f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 3 Mar 2019 17:41:11 +0200 Subject: Fix translation. --- i18n/en.i18n.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index c90ee778..6cda18e6 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -16,7 +16,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", - "act-createCard": "created card __card__ to __list__ at swimlane __swimlane__ at board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to __board__", "act-addBoardMember": "added member __member__ to __board__", -- cgit v1.2.3-1-g7c22 From 0854a658d8f24ba47a2138f9600d759a152f67fb Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 3 Mar 2019 17:55:34 +0200 Subject: Fix typos in translation. --- i18n/en.i18n.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 6cda18e6..ee8da88d 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -18,8 +18,8 @@ "act-createBoard": "created board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-createList": "added list __list__ to __board__", - "act-addBoardMember": "added member __member__ to __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", "act-archivedBoard": "Board __board__ moved to Archive", "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", -- cgit v1.2.3-1-g7c22 From 51a70f21645409d9a78889f237e7fc05fadffa72 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 3 Mar 2019 18:07:14 +0200 Subject: Fix translation. --- i18n/en.i18n.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index ee8da88d..98d20c55 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -56,7 +56,7 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at swimlane __swimlane__ at board __board__", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", -- cgit v1.2.3-1-g7c22 From 262da853997050439e00ddd87fb70cc870f44d9f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 3 Mar 2019 18:10:52 +0200 Subject: Update translations. --- i18n/ar.i18n.json | 57 +++++++++++++---------- i18n/bg.i18n.json | 57 +++++++++++++---------- i18n/br.i18n.json | 57 +++++++++++++---------- i18n/ca.i18n.json | 57 +++++++++++++---------- i18n/cs.i18n.json | 57 +++++++++++++---------- i18n/da.i18n.json | 57 +++++++++++++---------- i18n/de.i18n.json | 59 +++++++++++++----------- i18n/el.i18n.json | 57 +++++++++++++---------- i18n/en-GB.i18n.json | 57 +++++++++++++---------- i18n/en.i18n.json | 2 +- i18n/eo.i18n.json | 57 +++++++++++++---------- i18n/es-AR.i18n.json | 57 +++++++++++++---------- i18n/es.i18n.json | 57 +++++++++++++---------- i18n/eu.i18n.json | 57 +++++++++++++---------- i18n/fa.i18n.json | 57 +++++++++++++---------- i18n/fi.i18n.json | 57 +++++++++++++---------- i18n/fr.i18n.json | 57 +++++++++++++---------- i18n/gl.i18n.json | 57 +++++++++++++---------- i18n/he.i18n.json | 57 +++++++++++++---------- i18n/hi.i18n.json | 125 +++++++++++++++++++++++++++------------------------ i18n/hu.i18n.json | 57 +++++++++++++---------- i18n/hy.i18n.json | 57 +++++++++++++---------- i18n/id.i18n.json | 57 +++++++++++++---------- i18n/ig.i18n.json | 57 +++++++++++++---------- i18n/it.i18n.json | 59 +++++++++++++----------- i18n/ja.i18n.json | 57 +++++++++++++---------- i18n/ka.i18n.json | 57 +++++++++++++---------- i18n/km.i18n.json | 57 +++++++++++++---------- i18n/ko.i18n.json | 57 +++++++++++++---------- i18n/lv.i18n.json | 57 +++++++++++++---------- i18n/mk.i18n.json | 57 +++++++++++++---------- i18n/mn.i18n.json | 57 +++++++++++++---------- i18n/nb.i18n.json | 57 +++++++++++++---------- i18n/nl.i18n.json | 57 +++++++++++++---------- i18n/pl.i18n.json | 71 ++++++++++++++++------------- i18n/pt-BR.i18n.json | 59 +++++++++++++----------- i18n/pt.i18n.json | 73 +++++++++++++++++------------- i18n/ro.i18n.json | 57 +++++++++++++---------- i18n/ru.i18n.json | 57 +++++++++++++---------- i18n/sr.i18n.json | 57 +++++++++++++---------- i18n/sv.i18n.json | 57 +++++++++++++---------- i18n/sw.i18n.json | 57 +++++++++++++---------- i18n/ta.i18n.json | 57 +++++++++++++---------- i18n/th.i18n.json | 57 +++++++++++++---------- i18n/tr.i18n.json | 57 +++++++++++++---------- i18n/uk.i18n.json | 57 +++++++++++++---------- i18n/vi.i18n.json | 57 +++++++++++++---------- i18n/zh-CN.i18n.json | 57 +++++++++++++---------- i18n/zh-TW.i18n.json | 57 +++++++++++++---------- 49 files changed, 1637 insertions(+), 1205 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 27ba0ae2..6576c293 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -1,28 +1,37 @@ { "accept": "قبول", "act-activity-notify": "اشعارات النشاط", - "act-addAttachment": "ربط __المرفق__ الى __بطاقة__", - "act-addSubtask": "تمة اضافة فرع المهمة __ قائمة التدقيق __ الى __ بطاقة", - "act-addChecklist": "تمة اضافة قائمة التدقيق __ قائمة التدقيق __ الى __ بطاقة", - "act-addChecklistItem": "تمة اضافة عنصر قائمة التدقيق __الى قائمة التدقيق __ قائمة التدقيق __ في __ بطاقة", - "act-addComment": "علق على __بطاقة__ : __تعليق__", - "act-createBoard": "احدث __لوحة__", - "act-createCard": "تمة اضافة __بطاقة__ الى __قائمة__", - "act-createCustomField": "احدث حقل مخصص __ حقل مخصص__", - "act-createList": "اضاف __قائمة__ الى __لوحة__", - "act-addBoardMember": "اضاف __member__ الى __board__", - "act-archivedBoard": "__ لوح __ انتقل إلى الأرشيف", - "act-archivedCard": "__ بطاقة __ انتقلت إلى الأرشيف", - "act-archivedList": "__ القائمة __ انتقلت إلى الأرشيف", - "act-archivedSwimlane": "__خط السباحة__انتقل إلى الأرشيف", - "act-importBoard": "إستورد __board__", - "act-importCard": "إستورد __card__", - "act-importList": "إستورد __list__", - "act-joinMember": "اضاف __member__ الى __card__", - "act-moveCard": "حوّل __card__ من __oldList__ إلى __list__", - "act-removeBoardMember": "أزال __member__ من __board__", - "act-restoredCard": "أعاد __card__ إلى __board__", - "act-unjoinMember": "أزال __member__ من __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__لوح__", "act-withCardTitle": "[__board__] __card__", "actions": "الإجراءات", @@ -47,14 +56,14 @@ "activity-unchecked-item": "ازالة تحقق %s من قائمة التحقق %s من %s", "activity-checklist-added": "أضاف قائمة تحقق إلى %s", "activity-checklist-removed": "ازالة قائمة التحقق من %s", - "activity-checklist-completed": "تم انجاز قائمة التحقق %s من %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "لم يتم انجاز قائمة التحقق %s من %s", "activity-checklist-item-added": "تم اضافة عنصر قائمة التحقق الى '%s' في %s", "activity-checklist-item-removed": "تم ازالة عنصر قائمة التحقق الى '%s' في %s", "add": "أضف", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "إضافة مرفق", "add-board": "إضافة لوحة", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index ed37bed1..2889110d 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -1,28 +1,37 @@ { "accept": "Приемам", "act-activity-notify": "Activity Notification", - "act-addAttachment": "прикачи __attachment__ към __card__", - "act-addSubtask": "добави задача __checklist__ към __card__", - "act-addChecklist": "добави списък със задачи __checklist__ към __card__", - "act-addChecklistItem": "добави __checklistItem__ към списък със задачи __checklist__ в __card__", - "act-addComment": "Коментира в __card__: __comment__", - "act-createBoard": "създаде __board__", - "act-createCard": "добави __card__ към __list__", - "act-createCustomField": "създаде собствено поле __customField__", - "act-createList": "добави __list__ към __board__", - "act-addBoardMember": "добави __member__ към __board__", - "act-archivedBoard": "__board__ е преместен в Архива", - "act-archivedCard": "__card__ е преместена в Архива", - "act-archivedList": "__list__ е преместен в Архива", - "act-archivedSwimlane": "__swimlane__ е преместен в Архива", - "act-importBoard": "импортира __board__", - "act-importCard": "импортира __card__", - "act-importList": "импортира __list__", - "act-joinMember": "добави __member__ към __card__", - "act-moveCard": "премести __card__ от __oldList__ в __list__", - "act-removeBoardMember": "премахна __member__ от __board__", - "act-restoredCard": "възстанови __card__ в __board__", - "act-unjoinMember": "премахна __member__ от __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__ ", "act-withCardTitle": "[__board__] __card__", "actions": "Действия", @@ -47,14 +56,14 @@ "activity-unchecked-item": "размаркира %s от списък със задачи %s на %s", "activity-checklist-added": "добави списък със задачи към %s", "activity-checklist-removed": "премахна списък със задачи от %s", - "activity-checklist-completed": "завърши списък със задачи %s на %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "\"отзавърши\" чеклистта %s в %s", "activity-checklist-item-added": "добави точка към '%s' в/във %s", "activity-checklist-item-removed": "премахна точка от '%s' в %s", "add": "Добави", "activity-checked-item-card": "отбеляза %s в чеклист %s", "activity-unchecked-item-card": "размаркира %s в чеклист %s", - "activity-checklist-completed-card": "завърши чеклиста %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "\"отзавърши\" чеклистта %s", "add-attachment": "Добави прикачен файл", "add-board": "Добави Табло", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index 2a5ee2ed..1148909e 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -1,28 +1,37 @@ { "accept": "Asantiñ", "act-activity-notify": "Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Oberoù", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Ouzhpenn", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index c81505a0..809e4298 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -1,28 +1,37 @@ { "accept": "Accepta", "act-activity-notify": "Notificació d'activitat", - "act-addAttachment": "afegit__adjunt__ a la __fitxa__", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "afegida la checklist _checklist__ a __card__", - "act-addChecklistItem": "afegit __checklistItem__ a la checklist __checklist__ on __card__", - "act-addComment": "comentat a __card__: __comment__", - "act-createBoard": "nou __tauler__", - "act-createCard": "afegit/da __card__ a __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "llista __afegida__ al __tauler__", - "act-addBoardMember": "usuari __afegit__ al __tauler__", - "act-archivedBoard": "__tauler__ mogut al Arxiu", - "act-archivedCard": "__fitxa__ moguda al Arxiu", - "act-archivedList": "__llista__ mogud al Arxiu", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "tauler __importat__", - "act-importCard": "__card__ importat", - "act-importList": "__list__ importat", - "act-joinMember": "afegit/da __member__ a __card__", - "act-moveCard": "mou __card__ de __oldList__ a __list__", - "act-removeBoardMember": "elimina __usuari__ del __tauler__", - "act-restoredCard": "fitxa __restaurada__ al __tauler__", - "act-unjoinMember": "elimina __member__ de __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__tauler__", "act-withCardTitle": "[__tauler__] __fitxa__", "actions": "Accions", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "Checklist afegida a %s", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "afegida entrada de checklist de '%s' a %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Afegeix", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Afegeix adjunt", "add-board": "Afegeix Tauler", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 49aea2f3..7c35138e 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -1,28 +1,37 @@ { "accept": "Přijmout", "act-activity-notify": "Notifikace aktivit", - "act-addAttachment": "přiložen __attachment__ do __card__", - "act-addSubtask": "přidán podúkol __checklist__ do __card__", - "act-addChecklist": "přidán checklist __checklist__ do __card__", - "act-addChecklistItem": "přidán __checklistItem__ do checklistu __checklist__ v __card__", - "act-addComment": "komentář k __card__: __comment__", - "act-createBoard": "přidání __board__", - "act-createCard": "přidání __card__ do __list__", - "act-createCustomField": "vytvořeno vlastní pole __customField__", - "act-createList": "přidání __list__ do __board__", - "act-addBoardMember": "přidání __member__ do __board__", - "act-archivedBoard": "__board__ byl přesunut do archivu", - "act-archivedCard": "__card__ byla přesunuta do archivu", - "act-archivedList": "__list__ byl přesunut do archivu", - "act-archivedSwimlane": "__swimlane__ bylo přesunuto do archivu", - "act-importBoard": "import __board__", - "act-importCard": "import __card__", - "act-importList": "import __list__", - "act-joinMember": "přidání __member__ do __card__", - "act-moveCard": "přesun __card__ z __oldList__ do __list__", - "act-removeBoardMember": "odstranění __member__ z __board__", - "act-restoredCard": "obnovení __card__ do __board__", - "act-unjoinMember": "odstranění __member__ z __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Akce", @@ -47,14 +56,14 @@ "activity-unchecked-item": "nedokončen %s v seznamu %s z %s", "activity-checklist-added": "přidán checklist do %s", "activity-checklist-removed": "odstraněn checklist z %s", - "activity-checklist-completed": "dokončen checklist %s z %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "nedokončen seznam %s z %s", "activity-checklist-item-added": "přidána položka checklist do '%s' v %s", "activity-checklist-item-removed": "odstraněna položka seznamu do '%s' v %s", "add": "Přidat", "activity-checked-item-card": "dokončen %s v seznamu %s", "activity-unchecked-item-card": "nedokončen %s v seznamu %s", - "activity-checklist-completed-card": "dokončen checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "nedokončený seznam %s", "add-attachment": "Přidat přílohu", "add-board": "Přidat tablo", diff --git a/i18n/da.i18n.json b/i18n/da.i18n.json index 1b8935cd..71e610ad 100644 --- a/i18n/da.i18n.json +++ b/i18n/da.i18n.json @@ -1,28 +1,37 @@ { "accept": "Accepter", "act-activity-notify": "Activity Notification", - "act-addAttachment": "tilføjede__vedhæftet fil__ til __kort__", - "act-addSubtask": "tilføjede delopgave __tjekliste__ til __kort__", - "act-addChecklist": "tilføjede tjekliste__tjekliste__ til __kort__", - "act-addChecklistItem": "tilføjede__tjeklistePunkt__ til tjekliste__tjekliste__ til__kort__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Add", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 2750ac59..bfb8f5f8 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -1,28 +1,37 @@ { "accept": "Akzeptieren", "act-activity-notify": "Aktivitätsbenachrichtigung", - "act-addAttachment": "hat __attachment__ an __card__ angehängt", - "act-addSubtask": "hat die Teilaufgabe __checklist__ zu __card__ hinzugefügt", - "act-addChecklist": "hat die Checkliste __checklist__ zu __card__ hinzugefügt", - "act-addChecklistItem": "hat __checklistItem__ zur Checkliste __checklist__ in __card__ hinzugefügt", - "act-addComment": "hat __card__ kommentiert: __comment__", - "act-createBoard": "hat __board__ erstellt", - "act-createCard": "hat __card__ zu __list__ hinzugefügt", - "act-createCustomField": "benutzerdefiniertes Feld __customField__ angelegt", - "act-createList": "hat __list__ zu __board__ hinzugefügt", - "act-addBoardMember": "hat __member__ zu __board__ hinzugefügt", - "act-archivedBoard": "__board__ ins Archiv verschoben", - "act-archivedCard": "__card__ ins Archiv verschoben", - "act-archivedList": "__list__ ins Archiv verschoben", - "act-archivedSwimlane": "__swimlane__ ins Archiv verschoben", - "act-importBoard": "hat __board__ importiert", - "act-importCard": "hat __card__ importiert", - "act-importList": "hat __list__ importiert", - "act-joinMember": "hat __member__ zu __card__ hinzugefügt", - "act-moveCard": "hat __card__ von __oldList__ nach __list__ verschoben", - "act-removeBoardMember": "hat __member__ von __board__ entfernt", - "act-restoredCard": "hat __card__ in __board__ wiederhergestellt", - "act-unjoinMember": "hat __member__ von __card__ entfernt", + "act-addAttachment": "hat Anhang __attachment__ zur Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__ angehängt", + "act-deleteAttachment": "löschte Anhang __attachment__ zur Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", + "act-addSubtask": "hat Teilaufgabe __subtask__ zur Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board angehängt", + "act-addLabel": "hat Label __label__ zur Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__ angehängt", + "act-removeLabel": "entfernte Label __label__ zur Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", + "act-addChecklist": "hat Checkliste __checklist__ zur Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__ angehängt", + "act-addChecklistItem": "hat Checklistenposition __checklistItem__ zu Checkliste __checkList__ zur Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__ angehängt", + "act-removeChecklist": "entfernt Checkliste __checklist__ zur Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", + "act-removeChecklistItem": "entfernt Checklistenposition __checklistItem__ von Checkliste __checkList__ zur Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", + "act-checkedItem": "hakte __checklistItem__ von der Checkliste __checklist__ der Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__ ab", + "act-uncheckedItem": "unabgehakt __checklistItem__ von der Checkliste __checklist__ der Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", + "act-completeChecklist": "vervollständigte Checkliste __checklist__ der Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", + "act-uncompleteChecklist": "unvollendete Checkliste __checklist__ der Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "hat Board __board__ erstellt", + "act-createCard": "erstellte Karte __card__ auf Liste __list__ bei Swimlane __swimlane__ an Board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "hat Liste __list__ zu Board __board__ hinzugefügt", + "act-addBoardMember": "hat Mitglied __member__ zu Board __board__ hinzugefügt", + "act-archivedBoard": "Board __board__ ins Archiv verschoben", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "importierte Board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "entfernte Mitglied __member__ vom Board __board__", + "act-restoredCard": "wiederherstellte Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", + "act-unjoinMember": "entfernte Mitglied __member__ von Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Aktionen", @@ -47,14 +56,14 @@ "activity-unchecked-item": "hat %s in Checkliste %s von %s abgewählt", "activity-checklist-added": "hat eine Checkliste zu %s hinzugefügt", "activity-checklist-removed": "entfernte eine Checkliste von %s", - "activity-checklist-completed": "vervollständigte die Checkliste %s von %s", + "activity-checklist-completed": "vervollständigte Checkliste __checklist__ der Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", "activity-checklist-uncompleted": "unvervollständigte die Checkliste %s von %s", "activity-checklist-item-added": "hat ein Checklistenelement zu '%s' in %s hinzugefügt", "activity-checklist-item-removed": "hat ein Checklistenelement von '%s' in %s entfernt", "add": "Hinzufügen", "activity-checked-item-card": "markiere %s in Checkliste %s", "activity-unchecked-item-card": "hat %s in Checkliste %s abgewählt", - "activity-checklist-completed-card": "vervollständigte die Checkliste %s", + "activity-checklist-completed-card": "vervollständigte Checkliste __checklist__ der Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", "activity-checklist-uncompleted-card": "unvervollständigte die Checkliste %s", "add-attachment": "Datei anhängen", "add-board": "neues Board", @@ -112,7 +121,7 @@ "boardChangeTitlePopup-title": "Board umbenennen", "boardChangeVisibilityPopup-title": "Sichtbarkeit ändern", "boardChangeWatchPopup-title": "Beobachtung ändern", - "boardMenuPopup-title": "Board Settings", + "boardMenuPopup-title": "Boardeinstellungen", "boards": "Boards", "board-view": "Boardansicht", "board-view-cal": "Kalender", diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 1e8dc45c..ffeb7447 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -1,28 +1,37 @@ { "accept": "Accept", "act-activity-notify": "Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Προσθήκη", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index a9201589..62a2a2b1 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -1,28 +1,37 @@ { "accept": "Accept", "act-activity-notify": "Activity Notification", - "act-addAttachment": "attached _ attachment _ to _ card _", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Add", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 98d20c55..c4b4b824 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -63,7 +63,7 @@ "add": "Add", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at swimlane __swimlane__ at board __board__", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index 245a3e85..8d2ab591 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -1,28 +1,37 @@ { "accept": "Akcepti", "act-activity-notify": "Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "Kreiis __board__", - "act-createCard": "Aldonis __card__ al __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "Aldonis __card__ al __board__", - "act-addBoardMember": "Aldonis __member__ al __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "Aldonis __member__ al __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Akcioj", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Aldoni", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index 36e4b568..b33303fe 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -1,28 +1,37 @@ { "accept": "Aceptar", "act-activity-notify": "Notificación de Actividad", - "act-addAttachment": "adjunto __attachment__ a __card__", - "act-addSubtask": "lista de ítems __checklist__ agregada a __card__", - "act-addChecklist": "lista de ítems __checklist__ agregada a __card__", - "act-addChecklistItem": " __checklistItem__ agregada a lista de ítems __checklist__ en __card__", - "act-addComment": "comentado en __card__: __comment__", - "act-createBoard": "__board__ creado", - "act-createCard": "agregada __card__ a __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "agregada __list__ a __board__", - "act-addBoardMember": "agregado __member__ a __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "__board__ importado", - "act-importCard": "__card__ importada", - "act-importList": "__list__ importada", - "act-joinMember": "__member__ agregado a __card__", - "act-moveCard": "__card__ movida de __oldList__ a __list__", - "act-removeBoardMember": "__member__ removido de __board__", - "act-restoredCard": "__card__ restaurada a __board__", - "act-unjoinMember": "__member__ removido de __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "__card__ [__board__] ", "actions": "Acciones", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "agregada lista de tareas a %s", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "agregado item de lista de tareas a '%s' en %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Agregar", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Agregar Adjunto", "add-board": "Agregar Tablero", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index cc639224..78539336 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -1,28 +1,37 @@ { "accept": "Aceptar", "act-activity-notify": "Notificación de actividad", - "act-addAttachment": "ha adjuntado __attachment__ a __card__", - "act-addSubtask": "ha añadido la subtarea __checklist__ a __card__", - "act-addChecklist": "ha añadido la lista de verificación __checklist__ a __card__", - "act-addChecklistItem": "ha añadido __checklistItem__ a la lista de verificación __checklist__ en __card__", - "act-addComment": "ha comentado en __card__: __comment__", - "act-createBoard": "ha creado __board__", - "act-createCard": "ha añadido __card__ a __list__", - "act-createCustomField": "creado el campo personalizado __customField__", - "act-createList": "ha añadido __list__ a __board__", - "act-addBoardMember": "ha añadido a __member__ a __board__", - "act-archivedBoard": "__board__ movido al Archivo", - "act-archivedCard": "__card__ movida al Archivo", - "act-archivedList": "__list__ movida a Archivo", - "act-archivedSwimlane": "__swimlane__ movido a Archivo", - "act-importBoard": "ha importado __board__", - "act-importCard": "ha importado __card__", - "act-importList": "ha importado __list__", - "act-joinMember": "ha añadido a __member__ a __card__", - "act-moveCard": "ha movido __card__ desde __oldList__ a __list__", - "act-removeBoardMember": "ha eliminado a __member__ de __board__", - "act-restoredCard": "ha restaurado __card__ en __board__", - "act-unjoinMember": "ha eliminado a __member__ de __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Acciones", @@ -47,14 +56,14 @@ "activity-unchecked-item": "desmarcado %s en lista %s de %s", "activity-checklist-added": "ha añadido una lista de verificación a %s", "activity-checklist-removed": "eliminada una lista de verificación desde %s ", - "activity-checklist-completed": "completada la lista %s de %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "no completado la lista %s de %s", "activity-checklist-item-added": "ha añadido el elemento de la lista de verificación a '%s' en %s", "activity-checklist-item-removed": "eliminado un elemento de la lista de verificación desde '%s' en %s", "add": "Añadir", "activity-checked-item-card": "marcado %s en la lista de verificación %s", "activity-unchecked-item-card": "desmarcado %s en la lista de verificación %s", - "activity-checklist-completed-card": "completó la lista de verificación %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "no completó la lista de verificación %s", "add-attachment": "Añadir adjunto", "add-board": "Añadir tablero", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index d87c029a..fbb10452 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -1,28 +1,37 @@ { "accept": "Onartu", "act-activity-notify": "Activity Notification", - "act-addAttachment": "__attachment__ __card__ txartelera erantsita", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "gehituta checklist __checklist__ __card__ -ri", - "act-addChecklistItem": "gehituta __checklistItem__ checklist __checklist__ on __card__ -ri", - "act-addComment": "__card__ txartelean iruzkina: __comment__", - "act-createBoard": "__board__ sortuta", - "act-createCard": "__card__ __list__ zerrrendara gehituta", - "act-createCustomField": "created custom field __customField__", - "act-createList": "__list__ __board__ arbelera gehituta", - "act-addBoardMember": "__member__ __board__ arbelera gehituta", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "__board__ inportatuta", - "act-importCard": "__card__ inportatuta", - "act-importList": "__list__ inportatuta", - "act-joinMember": "__member__ __card__ txartelera gehituta", - "act-moveCard": "__card__ __oldList__ zerrendartik __list__ zerrendara eraman da", - "act-removeBoardMember": "__member__ __board__ arbeletik kendu da", - "act-restoredCard": "__card__ __board__ arbelean berrezarri da", - "act-unjoinMember": "__member__ __card__ txarteletik kendu da", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Ekintzak", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "egiaztaketa zerrenda %s(e)ra gehituta", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "egiaztaketa zerrendako elementuak '%s'(e)ra gehituta %s(e)n", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Gehitu", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Gehitu eranskina", "add-board": "Gehitu arbela", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index ee5900d6..7b1724b6 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -1,28 +1,37 @@ { "accept": "پذیرش", "act-activity-notify": "اعلان فعالیت", - "act-addAttachment": "پیوست __attachment__ به __card__", - "act-addSubtask": "زیر وظیفه __checklist__ به __card__ اضافه شد", - "act-addChecklist": "سیاهه __checklist__ به __card__ افزوده شد", - "act-addChecklistItem": "__checklistItem__ به سیاهه __checklist__ در __card__ افزوده شد", - "act-addComment": "درج نظر برای __card__: __comment__", - "act-createBoard": "__board__ ایجاد شد", - "act-createCard": "__card__ به __list__ اضافه شد", - "act-createCustomField": "فیلد __customField__ ایجاد شد", - "act-createList": "__list__ به __board__ اضافه شد", - "act-addBoardMember": "__member__ به __board__ اضافه شد", - "act-archivedBoard": "__board__ به آرشیو انتقال یافت", - "act-archivedCard": "__card__ به آرشیو انتقال یافت", - "act-archivedList": "__list__ به آرشیو انتقال یافت", - "act-archivedSwimlane": "__swimlane__ به آرشیو انتقال یافت", - "act-importBoard": "__board__ وارد شده", - "act-importCard": "__card__ وارد شده", - "act-importList": "__list__ وارد شده", - "act-joinMember": "__member__ به __card__اضافه شد", - "act-moveCard": "انتقال __card__ از __oldList__ به __list__", - "act-removeBoardMember": "__member__ از __board__ پاک شد", - "act-restoredCard": "__card__ به __board__ بازآوری شد", - "act-unjoinMember": "__member__ از __card__ پاک شد", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "اعمال", @@ -47,14 +56,14 @@ "activity-unchecked-item": "چک نشده %s در چک لیست %s از %s", "activity-checklist-added": "سیاهه به %s اضافه شد", "activity-checklist-removed": "از چک لیست حذف گردید", - "activity-checklist-completed": "تمام شده ها در چک لیست %s از %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "تمام نشده ها در چک لیست %s از %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "حذف شده از چک لیست '%s' در %s", "add": "افزودن", "activity-checked-item-card": "چک شده %s در چک لیست %s", "activity-unchecked-item-card": "چک نشده %s در چک لیست %s", - "activity-checklist-completed-card": "چک لیست تمام شده %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "چک لیست تمام نشده %s", "add-attachment": "افزودن ضمیمه", "add-board": "افزودن برد", diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 2eaf508d..7954d31c 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -1,28 +1,37 @@ { "accept": "Hyväksy", "act-activity-notify": "Toimintailmoitus", - "act-addAttachment": "liitetty __attachment__ kortille __card__", - "act-addSubtask": "lisätty alitehtävä __checklist__ kortille __card__", - "act-addChecklist": "lisätty tarkistuslista __checklist__ kortille __card__", - "act-addChecklistItem": "lisätty kohta __checklistItem__ tarkistuslistaan __checklist__ kortilla __card__", - "act-addComment": "kommentoitu __card__: __comment__", - "act-createBoard": "luotu __board__", - "act-createCard": "lisätty __card__ listalle __list__", - "act-createCustomField": "luotu mukautettu kenttä __customField__", - "act-createList": "lisätty __list__ taululle __board__", - "act-addBoardMember": "lisätty __member__ taululle __board__", - "act-archivedBoard": "__board__ siirretty Arkistoon", - "act-archivedCard": "__card__ siirretty Arkistoon", - "act-archivedList": "__list__ siirretty Arkistoon", - "act-archivedSwimlane": "__swimlane__ siirretty Arkistoon", - "act-importBoard": "tuotu __board__", - "act-importCard": "tuotu __card__", - "act-importList": "tuotu __list__", - "act-joinMember": "lisätty __member__ kortille __card__", - "act-moveCard": "siirretty __card__ listalta __oldList__ listalle __list__", - "act-removeBoardMember": "poistettu __member__ taululta __board__", - "act-restoredCard": "palautettu __card__ taululle __board__", - "act-unjoinMember": "poistettu __member__ kortilta __card__", + "act-addAttachment": "lisätty liite __attachment__ kortille __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", + "act-deleteAttachment": "poistettu liite __attachment__ kortilla __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", + "act-addSubtask": "lisätty alitehtävä __subtask__ kortille __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", + "act-addLabel": "Lisätty tunniste __label__ kortille __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", + "act-removeLabel": "Poistettu tunniste __label__ kortilta __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", + "act-addChecklist": "lisätty tarkistuslista __checklist__ kortille __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", + "act-addChecklistItem": "lisätty tarkistuslistan kohta __checklistItem__ tarkistuslistalle __checklist__ kortilla __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", + "act-removeChecklist": "poistettu tarkistuslista __checklist__ kortilta __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", + "act-removeChecklistItem": "poistettu tarkistuslistan kohta __checklistItem__ tarkistuslistalta __checklist__ kortilla __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", + "act-checkedItem": "ruksattu __checklistItem__ tarkistuslistalla __checklist__ kortilla __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", + "act-uncheckedItem": "poistettu ruksi __checklistItem__ tarkistuslistalta __checklist__ kortilla __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", + "act-completeChecklist": "valmistui tarkistuslista __checklist__ kortilla __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", + "act-uncompleteChecklist": "tehty ei valmistuneeksi tarkistuslista __checklist__ kortilla __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", + "act-addComment": "kommentoitu kortilla __card__: __comment__ listalla __list__ swimlanella __swimlane__ taululla __board__", + "act-createBoard": "luotu taulu __board__", + "act-createCard": "luotu kortti __card__ listalle __list__ swimlanella __swimlane__ taululla __board__", + "act-createCustomField": "luotu mukautettu kenttä __customField__ kortille __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", + "act-createList": "lisätty lista __list__ taululle __board__", + "act-addBoardMember": "lisätty jäsen __member__ taululle __board__", + "act-archivedBoard": "Taulu __board__ siirretty Arkistoon", + "act-archivedCard": "Kortti __card__ listalla __list__ swimlanella __swimlane__ taululla __board__ siirretty Arkistoon", + "act-archivedList": "Lista __list__ swimlanella __swimlane__ taululla __board__ siirretty Arkistoon", + "act-archivedSwimlane": "Swimlane __swimlane__ taululla __board__ siirretty Arkistoon", + "act-importBoard": "tuotu taulu __board__", + "act-importCard": "tuotu kortti __card__ listalle __list__ swimlanella __swimlane__ taululla __board__", + "act-importList": "tuotu lista __list__ swimlanelle __swimlane__ taululla __board__", + "act-joinMember": "lisätty jäsen __member__ kortille __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", + "act-moveCard": "siirretty kortti __card__ listasta __oldList__ swimlanella __oldSwimlane__ taululla __oldBoard__ listalle __list__ swimlanella __swimlane__ taululla __board__", + "act-removeBoardMember": "poistettu jäsen __member__ taululta __board__", + "act-restoredCard": "palautettu kortti __card__ listalle __list__ swimlanella __swimlane__ taululla __board__", + "act-unjoinMember": "poistettu jäsen __member__ kortilta __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Toimet", @@ -47,14 +56,14 @@ "activity-unchecked-item": "poistettu ruksi %s tarkistuslistassa %s / %s", "activity-checklist-added": "lisätty tarkistuslista kortille %s", "activity-checklist-removed": "poistettu tarkistuslista kohteesta %s", - "activity-checklist-completed": "saatu valmiíksi tarkistuslista %s / %s", + "activity-checklist-completed": "valmistui tarkistuslista __checklist__ kortilla __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", "activity-checklist-uncompleted": "ei saatu valmiiksi tarkistuslista %s / %s", "activity-checklist-item-added": "lisäsi kohdan tarkistuslistaan '%s' kortilla %s", "activity-checklist-item-removed": "poistettu tarkistuslistan kohta '%s' / %s", "add": "Lisää", "activity-checked-item-card": "ruksattu %s tarkistuslistassa %s", "activity-unchecked-item-card": "poistettu ruksi %s tarkistuslistassa %s", - "activity-checklist-completed-card": "valmistui tarkistuslista %s", + "activity-checklist-completed-card": "valmistui tarkistuslista __checklist__ kortilla __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", "activity-checklist-uncompleted-card": "ei valmistunut tarkistuslista %s", "add-attachment": "Lisää liite", "add-board": "Lisää taulu", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index afba4080..944b11ea 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -1,28 +1,37 @@ { "accept": "Accepter", "act-activity-notify": "Notification d'activité", - "act-addAttachment": "a joint __attachment__ à __card__", - "act-addSubtask": "a ajouté une sous-tâche __checklist__ à __card__", - "act-addChecklist": "a ajouté la checklist __checklist__ à __card__", - "act-addChecklistItem": "a ajouté l'élément __checklistItem__ à la checklist __checklist__ de __card__", - "act-addComment": "a commenté __card__ : __comment__", - "act-createBoard": "a créé __board__", - "act-createCard": "a ajouté __card__ à __list__", - "act-createCustomField": "a créé le champ personnalisé __customField__", - "act-createList": "a ajouté __list__ à __board__", - "act-addBoardMember": "a ajouté __member__ à __board__", - "act-archivedBoard": "__board__ a été archivé", - "act-archivedCard": "__card__ a été archivé", - "act-archivedList": "__list__ a été archivé", - "act-archivedSwimlane": "__ swimlane__ a été archivé", - "act-importBoard": "a importé __board__", - "act-importCard": "a importé __card__", - "act-importList": "a importé __list__", - "act-joinMember": "a ajouté __member__ à __card__", - "act-moveCard": "a déplacé __card__ de __oldList__ à __list__", - "act-removeBoardMember": "a retiré __member__ de __board__", - "act-restoredCard": "a restauré __card__ dans __board__", - "act-unjoinMember": "a retiré __member__ de __card__", + "act-addAttachment": "a ajouté la pièce jointe __attachment__ à la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", + "act-deleteAttachment": "a supprimé la pièce jointe __attachment__ de la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "a créé le tableau __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Le tableau __board__ a été déplacé vers les archives", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", @@ -47,14 +56,14 @@ "activity-unchecked-item": "a décoché %s dans la checklist %s de %s", "activity-checklist-added": "a ajouté une checklist à %s", "activity-checklist-removed": "a supprimé une checklist de %s", - "activity-checklist-completed": "a complété la checklist %s de %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "a rendu incomplète la checklist %s de %s", "activity-checklist-item-added": "a ajouté un élément à la checklist '%s' dans %s", "activity-checklist-item-removed": "a supprimé une checklist de '%s' dans %s", "add": "Ajouter", "activity-checked-item-card": "a coché %s dans la checklist %s", "activity-unchecked-item-card": "a décoché %s dans la checklist %s", - "activity-checklist-completed-card": "a complété la checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "a rendu incomplète la checklist %s", "add-attachment": "Ajouter une pièce jointe", "add-board": "Ajouter un tableau", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 46bff764..0a32480f 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -1,28 +1,37 @@ { "accept": "Aceptar", "act-activity-notify": "Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Accións", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Engadir", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Engadir anexo", "add-board": "Engadir taboleiro", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 4eb06e91..636f0638 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -1,28 +1,37 @@ { "accept": "אישור", "act-activity-notify": "הודעת פעילות", - "act-addAttachment": " __attachment__ צורף לכרטיס __card__", - "act-addSubtask": "נוספה תת־משימה __checklist__ אל __card__", - "act-addChecklist": "רשימת משימות __checklist__ נוספה ל __card__", - "act-addChecklistItem": " __checklistItem__ נוסף לרשימת משימות __checklist__ בכרטיס __card__", - "act-addComment": "התקבלה תגובה על הכרטיס __card__:‏ __comment__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "נוסף פריט סימון __checklistItem__ לרשימת המטלות __checklist__ לכרטיס __card__ ברשימה __list__ במסלול __swimlane__ בלוח __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "הלוח __board__ נוצר", - "act-createCard": "הכרטיס __card__ התווסף לרשימה __list__", - "act-createCustomField": "נוצר שדה בהתאמה אישית __customField__", - "act-createList": "הרשימה __list__ התווספה ללוח __board__", - "act-addBoardMember": "המשתמש __member__ נוסף ללוח __board__", - "act-archivedBoard": "__board__ הועבר לארכיון", - "act-archivedCard": "__card__ הועבר לארכיון", - "act-archivedList": "__list__ הועבר לארכיון", - "act-archivedSwimlane": "__swimlane__ הועבר לארכיון", - "act-importBoard": "הלוח __board__ יובא", - "act-importCard": "הכרטיס __card__ יובא", - "act-importList": "הרשימה __list__ יובאה", - "act-joinMember": "המשתמש __member__ נוסף לכרטיס __card__", - "act-moveCard": "הכרטיס __card__ הועבר מהרשימה __oldList__ לרשימה __list__", - "act-removeBoardMember": "המשתמש __member__ הוסר מהלוח __board__", - "act-restoredCard": "הכרטיס __card__ שוחזר ללוח __board__", - "act-unjoinMember": "המשתמש __member__ הוסר מהכרטיס __card__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "הלוח __board__ הועבר לארכיון", + "act-archivedCard": "הכרטיס __card__ ברשימה __list__ במסלול __swimlane__ בלוח __board__ הועבר לארכיון", + "act-archivedList": "הרשימה __list__ במסלול __swimlane__ בלוח __board__ הועברה לארכיון", + "act-archivedSwimlane": "המסלול __swimlane__ בלוח __board__ הועבר לארכיון", + "act-importBoard": "הייבוא של הלוח __board__ הושלם", + "act-importCard": "הייבוא של הכרטיס __card__ לרשימה __list__ למסלול __swimlane__ ללוח __board__ הושלם", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "החבר __member__ נוסף לכרטיס __card__ לרשימה __list__ במסלול __swimlane__ בלוח __board__", + "act-moveCard": "הכרטיס __card__ הועבר מהרשימה __oldList__ במסלול __oldSwimlane__ בלוח __oldBoard__ לרשימה __list__ במסלול __swimlane__ בלוח __board__", + "act-removeBoardMember": "החבר __member__ הוסר מהלוח __board__", + "act-restoredCard": "הכרטיס __card__ שוחזר לרשימה __list__ למסלול __swimlane__ ללוח __board__", + "act-unjoinMember": "החבר __member__ הוסר מהכרטיס __card__ ברשימה __list__ במסלול __swimlane__ בלוח __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "פעולות", @@ -47,14 +56,14 @@ "activity-unchecked-item": "בוטל הסימון של %s ברשימת המשימות %s מתוך %s", "activity-checklist-added": "נוספה רשימת משימות אל %s", "activity-checklist-removed": "הוסרה רשימת משימות מ־%s", - "activity-checklist-completed": "רשימת המשימות %s מתוך %s הושלמה", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "רשימת המשימות %s מתוך %s סומנה כבלתי מושלמת", "activity-checklist-item-added": "נוסף פריט רשימת משימות אל ‚%s‘ תחת %s", "activity-checklist-item-removed": "הוסר פריט מרשימת המשימות ‚%s’ תחת %s", "add": "הוספה", "activity-checked-item-card": "סומן %s ברשימת המשימות %s", "activity-unchecked-item-card": "הסימון של %s בוטל ברשימת המשימות %s", - "activity-checklist-completed-card": "רשימת המשימות %s הושלמה", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "רשימת המשימות %s סומנה כבלתי מושלמת", "add-attachment": "הוספת קובץ מצורף", "add-board": "הוספת לוח", @@ -112,7 +121,7 @@ "boardChangeTitlePopup-title": "שינוי שם הלוח", "boardChangeVisibilityPopup-title": "שינוי מצב הצגה", "boardChangeWatchPopup-title": "שינוי הגדרת המעקב", - "boardMenuPopup-title": "Board Settings", + "boardMenuPopup-title": "הגדרות לוח", "boards": "לוחות", "board-view": "תצוגת לוח", "board-view-cal": "לוח שנה", diff --git a/i18n/hi.i18n.json b/i18n/hi.i18n.json index b33ec76c..599d24bd 100644 --- a/i18n/hi.i18n.json +++ b/i18n/hi.i18n.json @@ -1,35 +1,44 @@ { "accept": "स्वीकार", - "act-activity-notify": "Activity Notification", - "act-addAttachment": "जुड़ा __attachment__ से __card__", - "act-addSubtask": "जोड़ा उप कार्य __checklist__ से __card__", - "act-addChecklist": "जोड़ा चेक सूची __checklist__ से __card__", - "act-addChecklistItem": "जोड़ा __checklistItem__ से चिह्नांकन-सूची __checklist__ पर __card__", - "act-addComment": "समीक्षा की है __card__: __comment__", - "act-createBoard": "बनाया __board__", - "act-createCard": "जोड़ा __card__ से __list__", - "act-createCustomField": "बनाया रिवाज क्षेत्र __customField__", - "act-createList": "जोड़ा __list__ से __board__", - "act-addBoardMember": "जोड़ा __member__ से __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "महत्त्व का __board__", - "act-importCard": "महत्त्व का __card__", - "act-importList": "महत्त्व का __list__", - "act-joinMember": "जोड़ा __member__ से __card__", - "act-moveCard": "प्रस्तावित __card__ से __oldList__ तक __list__", - "act-removeBoardMember": "हटा कर __member__ से __board__", - "act-restoredCard": "पुनर्स्थापित __card__ को __board__", - "act-unjoinMember": "हटा दिया __member__ तक __card__", + "act-activity-notify": "गतिविधि अधिसूचना", + "act-addAttachment": "अनुलग्नक जोड़ा __attachment__ कार्ड के लिए __card__ सूचि मेें __list__ तैराक में __swimlane__ बोर्ड पर __board__", + "act-deleteAttachment": "हटाए गए अनुलग्नक __attachment__ कार्ड पर __card__ सूचि मेें __list__ तैराक में __swimlane__ बोर्ड पर __board__", + "act-addSubtask": "जोड़ा उपकार्य __checklist__ को __card__ सूचि मेें __list__ तैराक में __swimlane__ बोर्ड पर __board__", + "act-addLabel": "जोड़ा गया लेबल __label__ कार्ड के लिए __card__ सूचि मेें __list__ तैराक में __swimlane__ बोर्ड पर __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "कार्रवाई", "activities": "गतिविधि", "activity": "क्रियाएँ", "activity-added": "जोड़ा गया %s से %s", - "activity-archived": "%s moved to Archive", + "activity-archived": "%sसंग्रह में ले जाया गया", "activity-attached": "संलग्न %s से %s", "activity-created": "बनाया %s", "activity-customfield-created": "बनाया रिवाज क्षेत्र %s", @@ -47,14 +56,14 @@ "activity-unchecked-item": "अचिह्नित %s अंदर में चिह्नांकन-सूची %s of %s", "activity-checklist-added": "संकलित चिह्नांकन-सूची तक %s", "activity-checklist-removed": "हटा दिया एक चिह्नांकन-सूची से %s", - "activity-checklist-completed": "पूर्ण चिह्नांकन-सूची %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "अपूर्ण चिह्नांकन-सूची %s of %s", "activity-checklist-item-added": "संकलित चिह्नांकन-सूची विषय तक '%s' अंदर में %s", "activity-checklist-item-removed": "हटा दिया एक चिह्नांकन-सूची विषय से '%s' अंदर में %s", "add": "जोड़ें", "activity-checked-item-card": "चिह्नित %s अंदर में चिह्नांकन-सूची %s", "activity-unchecked-item-card": "अचिह्नित %s अंदर में चिह्नांकन-सूची %s", - "activity-checklist-completed-card": "पूर्ण चिह्नांकन-सूची %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "अपूर्ण चिह्नांकन-सूची %s", "add-attachment": "संलग्न करें", "add-board": "बोर्ड जोड़ें", @@ -78,22 +87,22 @@ "and-n-other-card": "और __count__ other कार्ड", "and-n-other-card_plural": "और __count__ other कार्ड", "apply": "Apply", - "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", - "archive": "Move to Archive", - "archive-all": "Move All to Archive", - "archive-board": "Move Board to Archive", - "archive-card": "Move Card to Archive", - "archive-list": "Move List to Archive", - "archive-swimlane": "Move Swimlane to Archive", - "archive-selection": "Move selection to Archive", - "archiveBoardPopup-title": "Move Board to Archive?", - "archived-items": "पुरालेख", - "archived-boards": "Boards in Archive", - "restore-board": "Restore बोर्ड", - "no-archived-boards": "No Boards in Archive.", + "app-is-offline": "लोड हो रहा है, कृपया प्रतीक्षा करें । पृष्ठ को ताज़ा करना डेटा की हानि का कारण होगा । यदि लोड करना कार्य नहीं करता है, तो कृपया जांचें कि सर्वर बंद नहीं हुआ है ।", + "archive": "संग्रह में ले जाएं", + "archive-all": "सभी को संग्रह में ले जाएं", + "archive-board": "संग्रह करने के लिए बोर्ड ले जाएँ", + "archive-card": "कार्ड को संग्रह में ले जाएं", + "archive-list": "सूची को संग्रह में ले जाएं", + "archive-swimlane": "संग्रह करने के लिए स्विमलेन ले जाएँ", + "archive-selection": "चयन को संग्रह में ले जाएं", + "archiveBoardPopup-title": "बोर्ड को संग्रह में स्थानांतरित करें?", + "archived-items": "संग्रह", + "archived-boards": "संग्रह में बोर्ड", + "restore-board": "पुनर्स्थापना बोर्ड", + "no-archived-boards": "संग्रह में कोई बोर्ड नहीं ।", "archives": "पुरालेख", - "template": "Template", - "templates": "Templates", + "template": "खाका", + "templates": "खाका", "assign-member": "आवंटित सदस्य", "attached": "संलग्न", "attachment": "संलग्नक", @@ -112,7 +121,7 @@ "boardChangeTitlePopup-title": "बोर्ड का नाम बदलें", "boardChangeVisibilityPopup-title": "दृश्यता बदलें", "boardChangeWatchPopup-title": "बदलें वॉच", - "boardMenuPopup-title": "Board Settings", + "boardMenuPopup-title": "बोर्ड सेटिंग्स", "boards": "बोर्डों", "board-view": "बोर्ड दृष्टिकोण", "board-view-cal": "तिथि-पत्र", @@ -120,12 +129,12 @@ "board-view-lists": "सूचियाँ", "bucket-example": "उदाहरण के लिए “बाल्टी सूची” की तरह", "cancel": "रद्द करें", - "card-archived": "This card is moved to Archive.", - "board-archived": "This board is moved to Archive.", + "card-archived": "यह कार्ड संग्रह करने के लिए ले जाया गया है ।", + "board-archived": "यह बोर्ड संग्रह करने के लिए ले जाया जाता है ।", "card-comments-title": "इस कार्ड में %s टिप्पणी है।", "card-delete-notice": "हटाना स्थायी है। आप इस कार्ड से जुड़े सभी कार्यों को खो देंगे।", "card-delete-pop": "सभी कार्रवाइयां गतिविधि फ़ीड से निकाल दी जाएंगी और आप कार्ड को फिर से खोलने में सक्षम नहीं होंगे । कोई पूर्ववत् नहीं है ।", - "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", + "card-delete-suggest-archive": "आप एक कार्ड को बोर्ड से हटाने और गतिविधि को संरक्षित करने के लिए संग्रह में ले जा सकते हैं ।", "card-due": "नियत", "card-due-on": "पर नियत", "card-spent": "समय बिताया", @@ -145,7 +154,7 @@ "cardLabelsPopup-title": "नामपत्र", "cardMembersPopup-title": "सदस्य", "cardMorePopup-title": "अतिरिक्त", - "cardTemplatePopup-title": "Create template", + "cardTemplatePopup-title": "खाका बनाएं", "cards": "कार्ड्स", "cards-count": "कार्ड्स", "casSignIn": "सीएएस के साथ साइन इन करें", @@ -169,18 +178,18 @@ "clipboard": "क्लिपबोर्ड या खींचें और छोड़ें", "close": "बंद करे", "close-board": "बोर्ड बंद करे", - "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", + "close-board-pop": "आप होम हेडर से \"संग्रह\" बटन पर क्लिक करके बोर्ड को पुनर्स्थापित करने में सक्षम होंगे।", "color-black": "काला", "color-blue": "नीला", - "color-crimson": "crimson", - "color-darkgreen": "darkgreen", - "color-gold": "gold", - "color-gray": "gray", + "color-crimson": "गहरा लाल", + "color-darkgreen": "गहरा हरा", + "color-gold": "स्वर्ण", + "color-gray": "भूरे", "color-green": "हरा", - "color-indigo": "indigo", + "color-indigo": "नील", "color-lime": "हल्का हरा", - "color-magenta": "magenta", - "color-mistyrose": "mistyrose", + "color-magenta": "मैजंटा", + "color-mistyrose": "हल्का गुलाबी", "color-navy": "navy", "color-orange": "नारंगी", "color-paleturquoise": "paleturquoise", @@ -456,9 +465,9 @@ "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", - "card-templates-swimlane": "Card Templates", - "list-templates-swimlane": "List Templates", - "board-templates-swimlane": "Board Templates", + "card-templates-swimlane": "कार्ड का खाका", + "list-templates-swimlane": "सूची का खाका", + "board-templates-swimlane": "बोर्ड का खाका", "what-to-do": "What do you want तक do?", "wipLimitErrorPopup-title": "Invalid WIP Limit", "wipLimitErrorPopup-dialog-pt1": "The number of tasks अंदर में यह सूची is higher than the WIP limit you've defined.", @@ -599,7 +608,7 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Archive", + "r-archive": "संग्रह में ले जाएं", "r-unarchive": "Restore from Archive", "r-card": "कार्ड", "r-add": "जोड़ें", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index d21b4791..8011115d 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -1,28 +1,37 @@ { "accept": "Elfogadás", "act-activity-notify": "Activity Notification", - "act-addAttachment": "__attachment__ mellékletet csatolt a kártyához: __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "__checklist__ ellenőrzőlistát adott hozzá a kártyához: __card__", - "act-addChecklistItem": "__checklistItem__ elemet adott hozzá a(z) __checklist__ ellenőrzőlistához ezen a kártyán: __card__", - "act-addComment": "hozzászólt a(z) __card__ kártyán: __comment__", - "act-createBoard": "létrehozta a táblát: __board__", - "act-createCard": "__card__ kártyát adott hozzá a listához: __list__", - "act-createCustomField": "létrehozta a(z) __customField__ egyéni listát", - "act-createList": "__list__ listát adott hozzá a táblához: __board__", - "act-addBoardMember": "__member__ tagot hozzáadta a táblához: __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "importálta a táblát: __board__", - "act-importCard": "importálta a kártyát: __card__", - "act-importList": "importálta a listát: __list__", - "act-joinMember": "__member__ tagot hozzáadta a kártyához: __card__", - "act-moveCard": "áthelyezte a(z) __card__ kártyát: __oldList__ → __list__", - "act-removeBoardMember": "eltávolította __member__ tagot a tábláról: __board__", - "act-restoredCard": "visszaállította a(z) __card__ kártyát ide: __board__", - "act-unjoinMember": "eltávolította __member__ tagot a kártyáról: __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Műveletek", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "ellenőrzőlista hozzáadva ehhez: %s", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "ellenőrzőlista elem hozzáadva ehhez: „%s”, ebben: %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Hozzáadás", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Melléklet hozzáadása", "add-board": "Tábla hozzáadása", diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index 356164cd..d961fd68 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -1,28 +1,37 @@ { "accept": "Ընդունել", "act-activity-notify": "Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "ավելացրել է __checklistItem__ __checklist__ on __card__-ին", - "act-addComment": "մեկնաբանել է __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Add", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 50019ff6..1f28a05e 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -1,28 +1,37 @@ { "accept": "Terima", "act-activity-notify": "Activity Notification", - "act-addAttachment": "Lampirkan__attachment__ke__kartu__", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "Dikomentari di__kartu__:__comment__", - "act-createBoard": "Panel__dibuat__", - "act-createCard": "Kartu__dilampirkan__ke__Daftar", - "act-createCustomField": "created custom field __customField__", - "act-createList": "Daftar__ditambahkan__ke__Panel", - "act-addBoardMember": "Partisipan__ditambahkan__ke__Kartu", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "Panel__diimpor", - "act-importCard": "Kartu__diimpor__", - "act-importList": "Daftar__diimpor__", - "act-joinMember": "Partisipan__ditambahkan__ke__kartu", - "act-moveCard": "Pindahkan__kartu__dari__daftarlama__ke__daftar", - "act-removeBoardMember": "Hapus__partisipan__dari__panel", - "act-restoredCard": "Kembalikan__kartu__ke__panel", - "act-unjoinMember": "hapus__partisipan__dari__kartu__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "__kartu__[__Panel__]", "actions": "Daftar Tindakan", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "daftar periksa ditambahkan ke %s", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Tambah", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index c633989a..69458c99 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -1,28 +1,37 @@ { "accept": "Kwere", "act-activity-notify": "Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Tinye", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 9f5ce16f..b64ee2b9 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -1,28 +1,37 @@ { "accept": "Accetta", "act-activity-notify": "Notifica attività ", - "act-addAttachment": "ha allegato __attachment__ a __card__", - "act-addSubtask": "ha aggiunto il sotto compito__checklist__in_card__", - "act-addChecklist": "aggiunta checklist __checklist__ a __card__", - "act-addChecklistItem": "aggiunto __checklistItem__ alla checklist __checklist__ di __card__", - "act-addComment": "ha commentato su __card__: __comment__", - "act-createBoard": "ha creato __board__", - "act-createCard": "ha aggiunto __card__ a __list__", - "act-createCustomField": "campo personalizzato __customField__ creato", - "act-createList": "ha aggiunto __list__ a __board__", - "act-addBoardMember": "ha aggiunto __member__ a __board__", - "act-archivedBoard": "__board__ spostata nell'archivio ", - "act-archivedCard": "__card__ spostata nell'archivio", - "act-archivedList": "__list__ spostato nell'archivio", - "act-archivedSwimlane": "__swimlane__ spostato nell'archivio", - "act-importBoard": "ha importato __board__", - "act-importCard": "ha importato __card__", - "act-importList": "ha importato __list__", - "act-joinMember": "ha aggiunto __member__ a __card__", - "act-moveCard": "ha spostato __card__ da __oldList__ a __list__", - "act-removeBoardMember": "ha rimosso __member__ a __board__", - "act-restoredCard": "ha ripristinato __card__ su __board__", - "act-unjoinMember": "ha rimosso __member__ da __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Azioni", @@ -47,14 +56,14 @@ "activity-unchecked-item": "disattivato %s nella checklist %s di %s", "activity-checklist-added": "aggiunta checklist a %s", "activity-checklist-removed": "È stata rimossa una checklist da%s", - "activity-checklist-completed": "Completata la checklist %s di %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "La checklist non è stata completata", "activity-checklist-item-added": "Aggiunto l'elemento checklist a '%s' in %s", "activity-checklist-item-removed": "è stato rimosso un elemento della checklist da '%s' in %s", "add": "Aggiungere", "activity-checked-item-card": "%s è stato selezionato nella checklist %s", "activity-unchecked-item-card": "%s è stato deselezionato nella checklist %s", - "activity-checklist-completed-card": "completata la checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "La checklist %s non è completa", "add-attachment": "Aggiungi Allegato", "add-board": "Aggiungi Bacheca", @@ -112,7 +121,7 @@ "boardChangeTitlePopup-title": "Rinomina bacheca", "boardChangeVisibilityPopup-title": "Cambia visibilità", "boardChangeWatchPopup-title": "Cambia faccia", - "boardMenuPopup-title": "Board Settings", + "boardMenuPopup-title": "Impostazioni bacheca", "boards": "Bacheche", "board-view": "Visualizza bacheca", "board-view-cal": "Calendario", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 29b1442a..c34cba01 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -1,28 +1,37 @@ { "accept": "受け入れ", "act-activity-notify": "Activity Notification", - "act-addAttachment": "__card__ に __attachment__ を添付しました", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "__card__ に __checklist__ を追加しました", - "act-addChecklistItem": "__checklist__ on __card__ に __checklistItem__ を追加しました", - "act-addComment": "__card__: __comment__ をコメントしました", - "act-createBoard": "__board__ を作成しました", - "act-createCard": "__list__ に __card__ を追加しました", - "act-createCustomField": "__customField__ を作成しました", - "act-createList": "__board__ に __list__ を追加しました", - "act-addBoardMember": "__board__ に __member__ を追加しました", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "__board__ をインポートしました", - "act-importCard": "__card__ をインポートしました", - "act-importList": "__list__ をインポートしました", - "act-joinMember": "__card__ に __member__ を追加しました", - "act-moveCard": "__card__ を __oldList__ から __list__ に 移動しました", - "act-removeBoardMember": "__board__ から __member__ を削除しました", - "act-restoredCard": "__card__ を __board__ にリストアしました", - "act-unjoinMember": "__card__ から __member__ を削除しました", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "操作", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "%s にチェックリストを追加しました", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "追加", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "添付ファイルを追加", "add-board": "ボードを追加", diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index dff7e1b9..f0aa40ce 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -1,28 +1,37 @@ { "accept": "დათანხმება", "act-activity-notify": "Activity Notification", - "act-addAttachment": "მიბმულია__მიბმა __ბარათზე__", - "act-addSubtask": "დამატებულია ქვესაქმიანობა__ჩამონათვალი__ ბარათზე__", - "act-addChecklist": "დაამატა ჩამონათვალი__ჩამონათვალი__ ბარათზე__", - "act-addChecklistItem": "დაამატა __ჩამონათვალის ელემენტი__ ჩამონათვალში __ჩამონათვალი __ბარათზე__", - "act-addComment": "დააკომენტარა__ბარათზე__: __კომენტარი__", - "act-createBoard": "შექმნილია __დაფა__", - "act-createCard": "დაამატა __ბარათი__ ჩამონათვალში__", - "act-createCustomField": "შექმნა სტანდარტული ველი __სტანდარტული ველი__", - "act-createList": "დაამატა __ჩამონათვალი__ დაფაზე__", - "act-addBoardMember": "დაამატა __წევრი__ დაფაზე__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "იმპორტირებულია__დაფა__", - "act-importCard": "იმპორტირებულია __ბარათი__", - "act-importList": "იმპორტირებულია __სია__", - "act-joinMember": "დაამატა __წევრი__ ბარათზე__", - "act-moveCard": "გადაიტანა __ბარათი __oldList__ დან__ ჩამონათვალ__ში__", - "act-removeBoardMember": "წაშალა__წევრი__ დაფიდან__", - "act-restoredCard": "აღადგინა __ბარათი __დაფა__ზე__", - "act-unjoinMember": "წაშალა__წევრი__ ბარათი __დან__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__დაფა__] __ბარათი__", "actions": "მოქმედებები", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "დაემატა ჩამონათვალი %s-ს", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "დამატებულია ჩამონათვალის ელემენტები '%s' %s-ში", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "დამატება", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "მიბმული ფაილის დამატება", "add-board": "დაფის დამატება", diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index 5469012d..de3fb43f 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -1,28 +1,37 @@ { "accept": "យល់ព្រម", "act-activity-notify": "Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Add", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index c37360fa..cea93883 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -1,28 +1,37 @@ { "accept": "확인", "act-activity-notify": "Activity Notification", - "act-addAttachment": "__attachment__를 __card__에 첨부", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "__card__에 내용 추가 : __comment__", - "act-createBoard": "__board__ 생성", - "act-createCard": "__list__에 __card__ 추가", - "act-createCustomField": "created custom field __customField__", - "act-createList": "__board__에 __list__ 추가", - "act-addBoardMember": "__board__에 __member__ 추가", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "가져온 __board__", - "act-importCard": "가져온 __card__", - "act-importList": "가져온 __list__", - "act-joinMember": "__card__에 __member__ 추가", - "act-moveCard": "__card__을 __oldList__에서 __list__로 이동", - "act-removeBoardMember": "__board__에서 __member__를 삭제", - "act-restoredCard": "__card__를 __board__에 복원했습니다.", - "act-unjoinMember": "__card__에서 __member__를 삭제", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "동작", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "%s에 체크리스트를 추가함", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "추가", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "첨부파일 추가", "add-board": "보드 추가", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 03606d0a..bfaf55f8 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -1,28 +1,37 @@ { "accept": "Piekrist", "act-activity-notify": "Activity Notification", - "act-addAttachment": "pievienots __attachment__ to __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "pievienots checklist __checklist__ to __card__", - "act-addChecklistItem": "pievienots __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "komentēja __card__: __comment__", - "act-createBoard": "izveidoja __board__", - "act-createCard": "pievienoja __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "pievienoja __list__ to __board__", - "act-addBoardMember": "pievienoja __member__ to __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "importēja __board__", - "act-importCard": "importēja __card__", - "act-importList": "importēja __list__", - "act-joinMember": "pievienoja __member__ to __card__", - "act-moveCard": "pārvietoja __card__ from __oldList__ to __list__", - "act-removeBoardMember": "noņēma __member__ from __board__", - "act-restoredCard": "atjaunoja __card__ to __board__", - "act-unjoinMember": "noņēma __member__ from __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Darbības", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Add", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", diff --git a/i18n/mk.i18n.json b/i18n/mk.i18n.json index 54b3a2da..ecdf8ad6 100644 --- a/i18n/mk.i18n.json +++ b/i18n/mk.i18n.json @@ -1,28 +1,37 @@ { "accept": "Приемам", "act-activity-notify": "Activity Notification", - "act-addAttachment": "прикачи __attachment__ към __card__", - "act-addSubtask": "добави задача __checklist__ към __card__", - "act-addChecklist": "добави списък със задачи __checklist__ към __card__", - "act-addChecklistItem": "добави __checklistItem__ към списък със задачи __checklist__ в __card__", - "act-addComment": "Коментира в __card__: __comment__", - "act-createBoard": "създаде __board__", - "act-createCard": "добави __card__ към __list__", - "act-createCustomField": "създаде собствено поле __customField__", - "act-createList": "добави __list__ към __board__", - "act-addBoardMember": "добави __member__ към __board__", - "act-archivedBoard": "__board__ е преместен в Архива", - "act-archivedCard": "__card__ е преместена в Архива", - "act-archivedList": "__list__ е преместен в Архива", - "act-archivedSwimlane": "__swimlane__ е преместен в Архива", - "act-importBoard": "импортира __board__", - "act-importCard": "импортира __card__", - "act-importList": "импортира __list__", - "act-joinMember": "добави __member__ към __card__", - "act-moveCard": "премести __card__ от __oldList__ в __list__", - "act-removeBoardMember": "премахна __member__ от __board__", - "act-restoredCard": "възстанови __card__ в __board__", - "act-unjoinMember": "премахна __member__ от __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Действия", @@ -47,14 +56,14 @@ "activity-unchecked-item": "размаркира %s от списък със задачи %s на %s", "activity-checklist-added": "добави списък със задачи към %s", "activity-checklist-removed": "премахна списък със задачи от %s", - "activity-checklist-completed": "завърши списък със задачи %s на %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "\"отзавърши\" чеклистта %s в %s", "activity-checklist-item-added": "добави точка към '%s' в/във %s", "activity-checklist-item-removed": "премахна точка от '%s' в %s", "add": "Добави", "activity-checked-item-card": "отбеляза %s в чеклист %s", "activity-unchecked-item-card": "размаркира %s в чеклист %s", - "activity-checklist-completed-card": "завърши чеклиста %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "\"отзавърши\" чеклистта %s", "add-attachment": "Добави прикачен файл", "add-board": "Добави Табло", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index ae0d1d85..b7dcb121 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -1,28 +1,37 @@ { "accept": "Зөвшөөрөх", "act-activity-notify": "Activity Notification", - "act-addAttachment": "_attachment__ хавсралтыг __card__-д хавсаргав", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Нэмэх", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Хавсралт нэмэх", "add-board": "Самбар нэмэх", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index 4b3bbb3f..e60378a7 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -1,28 +1,37 @@ { "accept": "Godta", "act-activity-notify": "Activity Notification", - "act-addAttachment": "la ved __attachment__ til __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "kommenterte til __card__: __comment__", - "act-createBoard": "opprettet __board__", - "act-createCard": "la __card__ til __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "la __list__ til __board__", - "act-addBoardMember": "la __member__ til __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "importerte __board__", - "act-importCard": "importerte __card__", - "act-importList": "importerte __list__", - "act-joinMember": "la __member__ til __card__", - "act-moveCard": "flyttet __card__ fra __oldList__ til __list__", - "act-removeBoardMember": "fjernet __member__ fra __board__", - "act-restoredCard": "gjenopprettet __card__ til __board__", - "act-unjoinMember": "fjernet __member__ fra __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "la til sjekkliste til %s", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Legg til", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index eae57f1c..09e6cbe1 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -1,28 +1,37 @@ { "accept": "Accepteren", "act-activity-notify": "Activity Notification", - "act-addAttachment": "__attachment__ als bijlage toegevoegd aan __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "__checklist__ toegevoegd aan __card__", - "act-addChecklistItem": "__checklistItem__ aan checklist toegevoegd aan __checklist__ op __card__", - "act-addComment": "gereageerd op __card__:__comment__", - "act-createBoard": "aangemaakte __bord__", - "act-createCard": "toegevoegd __kaart__ aan __lijst__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "toegevoegd __lijst__ aan __bord__", - "act-addBoardMember": "__member__ aan __board__ toegevoegd", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": " __board__ geïmporteerd", - "act-importCard": "__card__ geïmporteerd", - "act-importList": "__list__ geïmporteerd", - "act-joinMember": "__member__ aan __card__ toegevoegd", - "act-moveCard": "verplaatst __card__ van __oldList__ naar __list__", - "act-removeBoardMember": "verwijderd __member__ van __board__", - "act-restoredCard": "hersteld __card__ naar __board__", - "act-unjoinMember": "verwijderd __member__ van __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Acties", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "checklist toegevoegd aan %s", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "checklist punt toegevoegd aan '%s' in '%s'", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Toevoegen", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Voeg Bijlage Toe", "add-board": "Voeg Bord Toe", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 5ad2a114..292c966c 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -1,28 +1,37 @@ { "accept": "Akceptuj", "act-activity-notify": "Powiadomienia aktywności", - "act-addAttachment": "dodano załącznik __attachement__ do __card__", - "act-addSubtask": "dodał podzadanie __checklist__ do __card__", - "act-addChecklist": "dodał listę zadań __checklist__ to __card__", - "act-addChecklistItem": "dodał __checklistItem__ do listy zadań __checklist__ na karcie __card__", - "act-addComment": "skomentowano __card__: __comment__", - "act-createBoard": "utworzono __board__", - "act-createCard": "dodał(a) __card__ do __list__", - "act-createCustomField": "dodano niestandardowe pole __customField__", - "act-createList": "dodał(a) __list__ do __board__", - "act-addBoardMember": "dodał(a) __member__ do __board__", - "act-archivedBoard": "Tablica __board__ została przeniesiona do Archiwum", - "act-archivedCard": "Karta __card__ została przeniesiona do Archiwum", - "act-archivedList": "Lista __list__ została przeniesiona do Archiwum", - "act-archivedSwimlane": "Diagram czynności __swimlane__ został przeniesiony do Archiwum", - "act-importBoard": "zaimportowano __board__", - "act-importCard": "zaimportowano __card__", - "act-importList": "zaimportowano __list__", - "act-joinMember": "dodał(a) __member__ do __card__", - "act-moveCard": "przeniósł/przeniosła __card__ z __oldList__ do __list__", - "act-removeBoardMember": "usunął/usunęła __member__ z __board__", - "act-restoredCard": "przywrócono __card__ do __board__", - "act-unjoinMember": "usunął/usunęła __member__ z __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Akcje", @@ -47,14 +56,14 @@ "activity-unchecked-item": "odznaczono %s w liście zadań %s z %s", "activity-checklist-added": "dodał(a) listę zadań do %s", "activity-checklist-removed": "usunięto listę zadań z %s", - "activity-checklist-completed": "ukończono listę zadań %s z %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "nieukończono listy zadań %s z %s", "activity-checklist-item-added": "dodał(a) zadanie '%s' do %s", "activity-checklist-item-removed": "usunięto element z listy zadań '%s' w %s", "add": "Dodaj", "activity-checked-item-card": "zaznaczono %s w liście zadań %s", "activity-unchecked-item-card": "odznaczono %s w liście zadań %s", - "activity-checklist-completed-card": "ukończono listę zadań %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "nieukończono listy zadań %s", "add-attachment": "Dodaj załącznik", "add-board": "Dodaj tablicę", @@ -92,8 +101,8 @@ "restore-board": "Przywróć tablicę", "no-archived-boards": "Brak tablic w Archiwum.", "archives": "Zarchiwizuj", - "template": "Template", - "templates": "Templates", + "template": "Szablon", + "templates": "Szablony", "assign-member": "Dodaj członka", "attached": "załączono", "attachment": "Załącznik", @@ -112,7 +121,7 @@ "boardChangeTitlePopup-title": "Zmień nazwę tablicy", "boardChangeVisibilityPopup-title": "Zmień widoczność tablicy", "boardChangeWatchPopup-title": "Zmień sposób powiadamiania", - "boardMenuPopup-title": "Board Settings", + "boardMenuPopup-title": "Ustawienia tablicy", "boards": "Tablice", "board-view": "Widok tablicy", "board-view-cal": "Kalendarz", @@ -145,7 +154,7 @@ "cardLabelsPopup-title": "Etykiety", "cardMembersPopup-title": "Członkowie", "cardMorePopup-title": "Więcej", - "cardTemplatePopup-title": "Create template", + "cardTemplatePopup-title": "Utwórz szablon", "cards": "Karty", "cards-count": "Karty", "casSignIn": "Zaloguj się poprzez CAS", @@ -456,9 +465,9 @@ "welcome-swimlane": "Kamień milowy 1", "welcome-list1": "Podstawy", "welcome-list2": "Zaawansowane", - "card-templates-swimlane": "Card Templates", - "list-templates-swimlane": "List Templates", - "board-templates-swimlane": "Board Templates", + "card-templates-swimlane": "Utwórz szablony", + "list-templates-swimlane": "Wyświetl szablony", + "board-templates-swimlane": "Szablony tablic", "what-to-do": "Co chcesz zrobić?", "wipLimitErrorPopup-title": "Nieprawidłowy limit kart na liście", "wipLimitErrorPopup-dialog-pt1": "Aktualna ilość kart na tej liście jest większa niż aktualny zdefiniowany limit kart.", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 2981b997..61565ce1 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -1,28 +1,37 @@ { "accept": "Aceitar", "act-activity-notify": "Notificação de atividade", - "act-addAttachment": "anexo __attachment__ de __card__", - "act-addSubtask": "Subtarefa adicionada __checklist__ ao __cartão", - "act-addChecklist": "adicionada lista de verificação __checklist__ no __card__", - "act-addChecklistItem": "adicionado __checklistitem__ para a lista de verificação __checklist__ em __card__", - "act-addComment": "comentou em __card__: __comment__", - "act-createBoard": "criou __board__", - "act-createCard": "__card__ adicionado à __list__", - "act-createCustomField": "criado campo customizado __customField__", - "act-createList": "__list__ adicionada à __board__", - "act-addBoardMember": "__member__ adicionado à __board__", - "act-archivedBoard": "__board__ foi arquivada", - "act-archivedCard": "__card__ foi Arquivado", - "act-archivedList": "__list__ foi Arquivado", - "act-archivedSwimlane": "__swimlane__ foi Arquivado", - "act-importBoard": "__board__ importado", - "act-importCard": "__card__ importado", - "act-importList": "__list__ importada", - "act-joinMember": "__member__ adicionado à __card__", - "act-moveCard": "__card__ movido de __oldList__ para __list__", - "act-removeBoardMember": "__member__ removido de __board__", - "act-restoredCard": "__card__ restaurado para __board__", - "act-unjoinMember": "__member__ removido de __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Ações", @@ -47,14 +56,14 @@ "activity-unchecked-item": "desmarcado %s na lista de verificação %s de %s", "activity-checklist-added": "Adicionada lista de verificação a %s", "activity-checklist-removed": "removida a lista de verificação de %s", - "activity-checklist-completed": "completada a lista de verificação %s de %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "não-completada a lista de verificação %s de %s", "activity-checklist-item-added": "adicionado o item de lista de verificação para '%s' em %s", "activity-checklist-item-removed": "removida o item de lista de verificação de '%s' na %s", "add": "Novo", "activity-checked-item-card": "marcaddo %s na lista de verificação %s", "activity-unchecked-item-card": "desmarcado %s na lista de verificação %s", - "activity-checklist-completed-card": "completada a lista de verificação %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "não-completada a lista de verificação %s", "add-attachment": "Adicionar Anexos", "add-board": "Adicionar Quadro", @@ -112,7 +121,7 @@ "boardChangeTitlePopup-title": "Renomear Quadro", "boardChangeVisibilityPopup-title": "Alterar Visibilidade", "boardChangeWatchPopup-title": "Alterar observação", - "boardMenuPopup-title": "Board Settings", + "boardMenuPopup-title": "Configurações do quadro", "boards": "Quadros", "board-view": "Visão de quadro", "board-view-cal": "Calendário", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 2698d9a8..4a3ff888 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -1,28 +1,37 @@ { "accept": "Aceitar", "act-activity-notify": "Notificação de Actividade", - "act-addAttachment": "anexado __attachment__ ao __card__", - "act-addSubtask": "adicionou sub-tarefa __checklist__ ao __card__", - "act-addChecklist": "adicionou checklist __checklist__ ao __card__", - "act-addChecklistItem": "adicionou __checklistItem__ à checklist __checklist__ no __card__", - "act-addComment": "comentou em __card__: __comment__", - "act-createBoard": "criou __board__", - "act-createCard": "adicionou __card__ à __list__", - "act-createCustomField": "criou o campo customizado __customField__", - "act-createList": "adicionou __list__ a __board__", - "act-addBoardMember": "adicionou __member__ a __board__", - "act-archivedBoard": "__board__ arquivado", - "act-archivedCard": "__card__ arquivado", - "act-archivedList": "__list__ arquivada", - "act-archivedSwimlane": "__swimlane__ arquivada", - "act-importBoard": "__board__ importado", - "act-importCard": "__card__ importado", - "act-importList": "__list__ importada", - "act-joinMember": "__member__ adicionado ao __card__", - "act-moveCard": "__card__ movido de __oldList__ para __list__", - "act-removeBoardMember": "__member__ removido de __board__", - "act-restoredCard": "__card__ restaurado para __board__", - "act-unjoinMember": "__member__ removido de __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Ações", @@ -47,29 +56,29 @@ "activity-unchecked-item": "desmarcado %s na checklist %s de %s", "activity-checklist-added": "checklist adicionada a %s", "activity-checklist-removed": "checklist removida de %s", - "activity-checklist-completed": "checklist %s de %s foi completada", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "checklist %s de %s foi marcada como não completada", "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Adicionar", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", - "add-attachment": "Add Attachment", + "add-attachment": "Adicionar Anexo", "add-board": "Add Board", - "add-card": "Add Card", + "add-card": "Adicionar Cartão", "add-swimlane": "Add Swimlane", - "add-subtask": "Add Subtask", + "add-subtask": "Adicionar Sub-tarefa", "add-checklist": "Add Checklist", "add-checklist-item": "Add an item to checklist", "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", + "add-label": "Adicionar Etiqueta", + "add-list": "Adicionar Lista", + "add-members": "Adicionar Membro", + "added": "Adicionado", "addMemberPopup-title": "Membros", - "admin": "Admin", + "admin": "Administrador", "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", "admin-announcement": "Announcement", "admin-announcement-active": "Active System-Wide Announcement", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index 66a29d38..e319bb00 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -1,28 +1,37 @@ { "accept": "Accept", "act-activity-notify": "Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Add", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 24a9e37d..3d8c18a3 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -1,28 +1,37 @@ { "accept": "Принять", "act-activity-notify": "Уведомление о действиях участников", - "act-addAttachment": "прикрепил __attachment__ в __card__", - "act-addSubtask": "добавил подзадачу __checklist__ в __card__", - "act-addChecklist": "добавил контрольный список __checklist__ в __card__", - "act-addChecklistItem": "добавил __checklistItem__ в контрольный список __checklist__ в __card__", - "act-addComment": "прокомментировал __card__: __comment__", - "act-createBoard": "создал __board__", - "act-createCard": "добавил __card__ в __list__", - "act-createCustomField": "создано настраиваемое поле __customField__", - "act-createList": "добавил __list__ на __board__", - "act-addBoardMember": "добавил __member__ на __board__", - "act-archivedBoard": "Доска __board__ перемещена в архив", - "act-archivedCard": "Карточка __card__ перемещена в Архив", - "act-archivedList": "Список __list__ перемещён в архив", - "act-archivedSwimlane": "Дорожка __swimlane__ перемещена в архив", - "act-importBoard": "__board__ импортирована", - "act-importCard": "__card__ импортирована", - "act-importList": "__list__ импортирован", - "act-joinMember": "добавил __member__ в __card__", - "act-moveCard": "__card__ перемещена из __oldList__ в __list__", - "act-removeBoardMember": "__member__ удален из __board__", - "act-restoredCard": "__card__ востановлена в __board__", - "act-unjoinMember": "__member__ удален из __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Действия", @@ -47,14 +56,14 @@ "activity-unchecked-item": "снял %s в контрольном списке %s в %s", "activity-checklist-added": "добавил контрольный список в %s", "activity-checklist-removed": "удалил контрольный список из %s", - "activity-checklist-completed": "завершил контрольный список %s в %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "вновь открыл контрольный список %s в %s", "activity-checklist-item-added": "добавил пункт в контрольный список '%s' в карточке %s", "activity-checklist-item-removed": "удалил пункт из контрольного списка '%s' в карточке %s", "add": "Создать", "activity-checked-item-card": "отметил %s в контрольном списке %s", "activity-unchecked-item-card": "снял %s в контрольном списке %s", - "activity-checklist-completed-card": "завершил контрольный список %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "вновь открыл контрольный список %s", "add-attachment": "Добавить вложение", "add-board": "Добавить доску", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index f21c8b44..ea37953f 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -1,28 +1,37 @@ { "accept": "Prihvati", "act-activity-notify": "Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Akcije", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "lista je dodata u %s", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Dodaj", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index a9788577..aac2cf5a 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -1,28 +1,37 @@ { "accept": "Acceptera", "act-activity-notify": "Aktivitetsnotifikation", - "act-addAttachment": "bifogade __attachment__ till __card__", - "act-addSubtask": "lade till deluppgift __checklist__ till __card__", - "act-addChecklist": "lade till checklist __checklist__ till __card__", - "act-addChecklistItem": "lade till __checklistItem__ till checklistan __checklist__ on __card__", - "act-addComment": "kommenterade __card__: __comment__", - "act-createBoard": "skapade __board__", - "act-createCard": "lade till __card__ to __list__", - "act-createCustomField": "skapa anpassat fält __customField__", - "act-createList": "lade till __list__ to __board__", - "act-addBoardMember": "lade till __member__ till __board__", - "act-archivedBoard": "__board__ flyttades till Arkiv", - "act-archivedCard": "__card__ flyttades till Arkiv", - "act-archivedList": "__list__ flyttades till Arkiv", - "act-archivedSwimlane": "__swimlane__ flyttades till Arkiv", - "act-importBoard": "importerade __board__", - "act-importCard": "importerade __card__", - "act-importList": "importerade __list__", - "act-joinMember": "lade __member__ till __card__", - "act-moveCard": "flyttade __card__ från __oldList__ till __list__", - "act-removeBoardMember": "tog bort __member__ från __board__", - "act-restoredCard": "återställde __card__ to __board__", - "act-unjoinMember": "tog bort __member__ from __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "_tavla_", "act-withCardTitle": "[__board__] __card__", "actions": "Åtgärder", @@ -47,14 +56,14 @@ "activity-unchecked-item": "okryssad %s i checklistan %s av %s", "activity-checklist-added": "lade kontrollista till %s", "activity-checklist-removed": "tog bort en checklista från %s", - "activity-checklist-completed": "slutfört checklistan %s av %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "inte slutfört checklistan %s av %s", "activity-checklist-item-added": "lade checklista objekt till '%s' i %s", "activity-checklist-item-removed": "tog bort en checklista objekt från \"%s\" i %s", "add": "Lägg till", "activity-checked-item-card": "kryssad %s i checklistan %s", "activity-unchecked-item-card": "okryssad %s i checklistan %s", - "activity-checklist-completed-card": "slutfört checklistan %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "icke slutfört checklistan %s", "add-attachment": "Lägg till bilaga", "add-board": "Lägg till anslagstavla", diff --git a/i18n/sw.i18n.json b/i18n/sw.i18n.json index 5b961e6f..c46e4a7e 100644 --- a/i18n/sw.i18n.json +++ b/i18n/sw.i18n.json @@ -1,28 +1,37 @@ { "accept": "Kubali", "act-activity-notify": "Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Add", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index f5da1e53..ae57ad18 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -1,28 +1,37 @@ { "accept": "ஏற்றுக்கொள்", "act-activity-notify": "Activity Notification", - "act-addAttachment": "attached __attachment__ to __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "commented on __card__: __comment__", - "act-createBoard": "created __board__", - "act-createCard": "added __card__ to __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "added __list__ to __board__", - "act-addBoardMember": "added __member__ to __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "imported __board__", - "act-importCard": "imported __card__", - "act-importList": "imported __list__", - "act-joinMember": "added __member__ to __card__", - "act-moveCard": "moved __card__ from __oldList__ to __list__", - "act-removeBoardMember": "removed __member__ from __board__", - "act-restoredCard": "restored __card__ to __board__", - "act-unjoinMember": "removed __member__ from __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "added checklist to %s", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "சேர் ", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index 8a70f9ee..5def7a03 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -1,28 +1,37 @@ { "accept": "ยอมรับ", "act-activity-notify": "Activity Notification", - "act-addAttachment": "แนบไฟล์ __attachment__ ไปยัง __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "ออกความเห็นที่ __card__: __comment__", - "act-createBoard": "สร้าง __board__", - "act-createCard": "เพิ่ม __card__ ไปยัง __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "เพิ่ม __list__ ไปยัง __board__", - "act-addBoardMember": "เพิ่ม __member__ ไปยัง __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "นำเข้า __board__", - "act-importCard": "นำเข้า __card__", - "act-importList": "นำเข้า __list__", - "act-joinMember": "เพิ่ม __member__ ไปยัง __card__", - "act-moveCard": "ย้าย __card__ จาก __oldList__ ไป __list__", - "act-removeBoardMember": "ลบ __member__ จาก __board__", - "act-restoredCard": "กู้คืน __card__ ไปยัง __board__", - "act-unjoinMember": "ลบ __member__ จาก __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "ปฎิบัติการ", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "รายการถูกเพิ่มไป %s", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "เพิ่ม", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Add Board", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index 2972519b..6579a1d7 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -1,28 +1,37 @@ { "accept": "Kabul Et", "act-activity-notify": "Etkinlik Bildirimi", - "act-addAttachment": "__card__ kartına __attachment__ dosyasını ekledi", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "__card__ kartında __checklist__ yapılacak listesini ekledi", - "act-addChecklistItem": "__checklistItem__ öğesini __card__ kartındaki __checklist__ yapılacak listesine ekledi", - "act-addComment": "__card__ kartına bir yorum bıraktı: __comment__", - "act-createBoard": "__board__ panosunu oluşturdu", - "act-createCard": "__card__ kartını ___list__ listesine ekledi", - "act-createCustomField": "__customField__ adlı özel alan yaratıldı", - "act-createList": "__list__ listesini __board__ panosuna ekledi", - "act-addBoardMember": "__member__ kullanıcısını __board__ panosuna ekledi", - "act-archivedBoard": "__board__ arşive taşındı", - "act-archivedCard": "__card__ Arşive taşındı", - "act-archivedList": "__list__ Arşive taşındı", - "act-archivedSwimlane": "__swimlane__ Arşive taşındı", - "act-importBoard": "__board__ panosunu içe aktardı", - "act-importCard": "__card__ kartını içe aktardı", - "act-importList": "__list__ listesini içe aktardı", - "act-joinMember": "__member__ kullanıcısnı __card__ kartına ekledi", - "act-moveCard": "__card__ kartını __oldList__ listesinden __list__ listesine taşıdı", - "act-removeBoardMember": "__board__ panosundan __member__ kullanıcısını çıkarttı", - "act-restoredCard": "__card__ kartını __board__ panosuna geri getirdi", - "act-unjoinMember": "__member__ kullanıcısnı __card__ kartından çıkarttı", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "İşlemler", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "%s içine yapılacak listesi ekledi", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "%s içinde %s yapılacak listesine öğe ekledi", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Ekle", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Ek Ekle", "add-board": "Pano Ekle", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 85739494..cf89528c 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -1,28 +1,37 @@ { "accept": "Прийняти", "act-activity-notify": "Сповіщення діяльності", - "act-addAttachment": "__attachment__ додане до __card__", - "act-addSubtask": "додав підзадачу __checklist__ до __card__", - "act-addChecklist": "додав список __checklist__ до __card__", - "act-addChecklistItem": "додав __checklistItem__ до списку __checklist__ в __card__", - "act-addComment": "прокоментував __card__: __comment__", - "act-createBoard": "створив __board__", - "act-createCard": "додав __card__ до __list__", - "act-createCustomField": "створено налаштовуване поле __customField__", - "act-createList": "додав __list__ до __board__", - "act-addBoardMember": "додав __member__ до __board__", - "act-archivedBoard": "__board__ перенесена до архіву", - "act-archivedCard": "__card__ перенесена до архіву", - "act-archivedList": "__list__ перенесений до архіву", - "act-archivedSwimlane": "__swimlane__ перенесений до архіву", - "act-importBoard": "__board__ імпортована", - "act-importCard": "__card__ заімпортована", - "act-importList": "__list__ імпортовано", - "act-joinMember": "__member__ був доданий до __card__", - "act-moveCard": " __card__ була перенесена з __oldList__ до __list__", - "act-removeBoardMember": "__member__ видалений з __board__", - "act-restoredCard": " __card__ відновлена у __board__", - "act-unjoinMember": " __member__ був виделений з __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Дії", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "додав список до %s", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Додати", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Add Attachment", "add-board": "Додати дошку", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index 275c1bc7..0edf66e9 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -1,28 +1,37 @@ { "accept": "Chấp nhận", "act-activity-notify": "Activity Notification", - "act-addAttachment": "đã đính kèm __attachment__ vào __card__", - "act-addSubtask": "added subtask __checklist__ to __card__", - "act-addChecklist": "added checklist __checklist__ to __card__", - "act-addChecklistItem": "added __checklistItem__ to checklist __checklist__ on __card__", - "act-addComment": "đã bình luận trong __card__: __comment__", - "act-createBoard": "đã tạo __board__", - "act-createCard": "đã thêm __card__ vào __list__", - "act-createCustomField": "created custom field __customField__", - "act-createList": "đã thêm __list__ vào __board__", - "act-addBoardMember": "đã thêm __member__ vào __board__", - "act-archivedBoard": "__board__ moved to Archive", - "act-archivedCard": "__card__ moved to Archive", - "act-archivedList": "__list__ moved to Archive", - "act-archivedSwimlane": "__swimlane__ moved to Archive", - "act-importBoard": "đã nạp bảng __board__", - "act-importCard": "đã nạp thẻ __card__", - "act-importList": "đã nạp danh sách __list__", - "act-joinMember": "đã thêm thành viên __member__ vào __card__", - "act-moveCard": "đã chuyển thẻ __card__ từ __oldList__ sang __list__", - "act-removeBoardMember": "đã xóa thành viên __member__ khỏi __board__", - "act-restoredCard": "đã khôi phục thẻ __card__ vào bảng __board__", - "act-unjoinMember": "đã xóa thành viên __member__ khỏi thẻ __card__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Hành Động", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "đã thêm checklist vào %s", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "added checklist item to '%s' in %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "Thêm", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "Thêm Bản Đính Kèm", "add-board": "Thêm Bảng", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 1b2ae176..803c2836 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -1,28 +1,37 @@ { "accept": "接受", "act-activity-notify": "活动通知", - "act-addAttachment": "添加附件 __attachment__ 至卡片 __card__", - "act-addSubtask": "添加子任务 __checklist__ 到__card__", - "act-addChecklist": "添加清单 __checklist__ 到 __card__", - "act-addChecklistItem": "向 __card__ 中的清单 __checklist__ 添加 __checklistItem__", - "act-addComment": "在 __card__ 发布评论: __comment__", - "act-createBoard": "创建看板 __board__", - "act-createCard": "添加卡片 __card__ 至列表 __list__", - "act-createCustomField": "创建了自定义字段 __customField__", - "act-createList": "添加列表 __list__ 至看板 __board__", - "act-addBoardMember": "添加成员 __member__ 至看板 __board__", - "act-archivedBoard": "__board__ 已被移入归档", - "act-archivedCard": "__card__ 已被移入归档", - "act-archivedList": "__list__ 已被移入归档", - "act-archivedSwimlane": "__swimlane__ 已被移入归档", - "act-importBoard": "导入看板 __board__", - "act-importCard": "导入卡片 __card__", - "act-importList": "导入列表 __list__", - "act-joinMember": "添加成员 __member__ 至卡片 __card__", - "act-moveCard": "从列表 __oldList__ 移动卡片 __card__ 至列表 __list__", - "act-removeBoardMember": "从看板 __board__ 移除成员 __member__", - "act-restoredCard": "恢复卡片 __card__ 至看板 __board__", - "act-unjoinMember": "从卡片 __card__ 移除成员 __member__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "看板__board__", "act-withCardTitle": "[看板 __board__] 卡片 __card__", "actions": "操作", @@ -47,14 +56,14 @@ "activity-unchecked-item": "未勾选 %s 于清单 %s 共 %s", "activity-checklist-added": "已经将清单添加到 %s", "activity-checklist-removed": "已从%s移除待办清单", - "activity-checklist-completed": "已完成清单 %s 共 %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "未完成清单 %s 共 %s", "activity-checklist-item-added": "添加清单项至'%s' 于 %s", "activity-checklist-item-removed": "已从 '%s' 于 %s中 移除一个清单项", "add": "添加", "activity-checked-item-card": "勾选 %s 与清单 %s 中", "activity-unchecked-item-card": "取消勾选 %s 于清单 %s中", - "activity-checklist-completed-card": "已完成清单 %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "未完成清单 %s", "add-attachment": "添加附件", "add-board": "添加看板", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index d7187f25..7cb068a1 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -1,28 +1,37 @@ { "accept": "接受", "act-activity-notify": "活動通知", - "act-addAttachment": "已新增附件 __attachment__ 到 __card__", - "act-addSubtask": "已新增子任務 __checklist__ 到 __card__", - "act-addChecklist": "已新增待辦清單 __checklist__ 到 __card__", - "act-addChecklistItem": "已新增 __checklistItem__ 到 __card__ 中的待辦清單 __checklist__", - "act-addComment": "已評論 __card__: __comment__", - "act-createBoard": "已新增 __board__", - "act-createCard": "已將 __card__ 加入 __list__", - "act-createCustomField": "已新增自訂欄位 __customField__", - "act-createList": "已新增 __list__ 到 __board__", - "act-addBoardMember": "已在 __board__ 中新增成員 __member__", - "act-archivedBoard": "__board__ 已被移到封存", - "act-archivedCard": "__card__ 已被移到封存", - "act-archivedList": "__list__ 已被移到封存", - "act-archivedSwimlane": "__swimlane__ 已被移到封存", - "act-importBoard": "已匯入 __board__", - "act-importCard": "已匯入 __card__", - "act-importList": "已匯入 __list__", - "act-joinMember": "已在 __card__ 中新增成員 __member__", - "act-moveCard": "已將 __card__ 從 __oldList__ 移到 __list__", - "act-removeBoardMember": "已從 __board__ 中移除成員 __member__", - "act-restoredCard": "已將 __card__ 回復到 __board__", - "act-unjoinMember": "已從 __card__ 中移除成員 __member__", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "操作", @@ -47,14 +56,14 @@ "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "已新增待辦清單到 %s", "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed the checklist %s of %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "新增待辦清單項目從 %s 到 %s", "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", "add": "新增", "activity-checked-item-card": "checked %s in checklist %s", "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed the checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "uncompleted the checklist %s", "add-attachment": "新增附件", "add-board": "新增看板", -- cgit v1.2.3-1-g7c22 From 8867bec8e65f1ef6be0c731918e8eefcacb7acb0 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 3 Mar 2019 20:36:44 +0200 Subject: Forked salleman-oidc to https://github.com/wekan/meteor-accounts-oidc where salleman also has write access, xet7 can make changes directly and GitHub issues are enabled. Thanks to xet7 ! --- .meteor/packages | 6 +++--- .meteor/versions | 4 ++-- Dockerfile | 4 ++++ rebuild-wekan.bat | 4 ++++ rebuild-wekan.sh | 4 ++++ releases/virtualbox/rebuild-wekan.sh | 5 ++++- snapcraft.yaml | 8 ++++++++ stacksmith/user-scripts/build.sh | 6 ++++++ 8 files changed, 35 insertions(+), 6 deletions(-) diff --git a/.meteor/packages b/.meteor/packages index 964c070f..0b43cbef 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -31,7 +31,9 @@ kenton:accounts-sandstorm service-configuration@1.0.11 useraccounts:unstyled useraccounts:flow-routing -salleman:accounts-oidc +wekan:wekan-ldap +wekan:accounts-cas +wekan-accounts-oidc # Utilities check@1.2.5 @@ -86,8 +88,6 @@ momentjs:moment@2.22.2 browser-policy-framing mquandalle:moment msavin:usercache -wekan:wekan-ldap -wekan:accounts-cas wekan-scrollbar mquandalle:perfect-scrollbar mdg:meteor-apm-agent diff --git a/.meteor/versions b/.meteor/versions index 71e2efac..239ddb37 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -145,8 +145,8 @@ reload@1.1.11 retry@1.0.9 routepolicy@1.0.12 rzymek:fullcalendar@3.8.0 -salleman:accounts-oidc@1.0.10 -salleman:oidc@1.0.12 +wekan-accounts-oidc@1.0.10 +wekan-oidc@1.0.12 service-configuration@1.0.11 session@1.1.7 sha@1.0.9 diff --git a/Dockerfile b/Dockerfile index c31a0610..ba31d20f 100644 --- a/Dockerfile +++ b/Dockerfile @@ -267,6 +267,10 @@ RUN \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/meteor-accounts-cas.git && \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/wekan-ldap.git && \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/wekan-scrollbar.git && \ + gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/meteor-accounts-oidc.git && \ + gosu wekan:wekan mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan_accounts-oidc && \ + gosu wekan:wekan mv meteor-accounts-oidc/packages/switch_oidc wekan_oidc && \ + gosu wekan:wekan rm -rf meteor-accounts-oidc && \ sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' /home/wekan/app/packages/meteor-useraccounts-core/package.js && \ cd /home/wekan/.meteor && \ gosu wekan:wekan /home/wekan/.meteor/meteor -- help; \ diff --git a/rebuild-wekan.bat b/rebuild-wekan.bat index 48ef393b..5d0fa37d 100644 --- a/rebuild-wekan.bat +++ b/rebuild-wekan.bat @@ -34,6 +34,10 @@ git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git me git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git +git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-oidc.git +move meteor-accounts-oidc/packages/switch_accounts-oidc wekan_accounts-oidc +move meteor-accounts-oidc/packages/switch_oidc wekan_oidc +del /S /F /Q meteor-accounts-oidc REM sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' ~/repos/wekan/packages/meteor-useraccounts-core/package.js cd .. REM del /S /F /Q node_modules diff --git a/rebuild-wekan.sh b/rebuild-wekan.sh index 1b2016d0..f712d31c 100755 --- a/rebuild-wekan.sh +++ b/rebuild-wekan.sh @@ -118,6 +118,10 @@ do git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git + git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-oidc.git + mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan_accounts-oidc + mv meteor-accounts-oidc/packages/switch_oidc wekan_oidc + rm -rf meteor-accounts-oidc if [[ "$OSTYPE" == "darwin"* ]]; then echo "sed at macOS"; sed -i '' 's/api\.versionsFrom/\/\/api.versionsFrom/' ~/repos/wekan/packages/meteor-useraccounts-core/package.js diff --git a/releases/virtualbox/rebuild-wekan.sh b/releases/virtualbox/rebuild-wekan.sh index 7501cee1..546e9d1e 100755 --- a/releases/virtualbox/rebuild-wekan.sh +++ b/releases/virtualbox/rebuild-wekan.sh @@ -71,7 +71,10 @@ do git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git - + git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-oidc.git + mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan_accounts-oidc + mv meteor-accounts-oidc/packages/switch_oidc wekan_oidc + rm -rf meteor-accounts-oidc if [[ "$OSTYPE" == "darwin"* ]]; then echo "sed at macOS"; sed -i '' 's/api\.versionsFrom/\/\/api.versionsFrom/' ~/repos/wekan/packages/meteor-useraccounts-core/package.js diff --git a/snapcraft.yaml b/snapcraft.yaml index afa9eaf4..be6d0586 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -176,6 +176,14 @@ parts: git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git cd .. fi + if [ ! -d "packages/wekan_accounts-oidc" ]; then + cd packages + git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-oidc.git + mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan_accounts-oidc + mv meteor-accounts-oidc/packages/switch_oidc wekan_oidc + rm -rf meteor-accounts-oidc + cd .. + fi rm -rf package-lock.json .build meteor add standard-minifier-js --allow-superuser meteor npm install --allow-superuser diff --git a/stacksmith/user-scripts/build.sh b/stacksmith/user-scripts/build.sh index 7e59c531..2c55d4f0 100755 --- a/stacksmith/user-scripts/build.sh +++ b/stacksmith/user-scripts/build.sh @@ -75,6 +75,12 @@ sudo -u wekan git clone --depth 1 -b master git://github.com/wekan/flow-router.g sudo -u wekan git clone --depth 1 -b master git://github.com/meteor-useraccounts/core.git meteor-useraccounts-core sudo -u wekan git clone --depth 1 -b master git://github.com/wekan/meteor-accounts-cas.git sudo -u wekan git clone --depth 1 -b master git://github.com/wekan/wekan-ldap.git +sudo -u wekan git clone --depth 1 -b master git://github.com/wekan/wekan-scrollbar.git +sudo -u wekan git clone --depth 1 -b master git://github.com/wekan/meteor-accounts-oidc.git +sudo -u wekan mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan_accounts-oidc +sudo -u wekan mv meteor-accounts-oidc/packages/switch_oidc wekan_oidc +sudo -u wekan rm -rf meteor-accounts-oidc + sudo sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' /home/wekan/app/packages/meteor-useraccounts-core/package.js sudo -u wekan /home/wekan/.meteor/meteor -- help -- cgit v1.2.3-1-g7c22 From 2a5c2ed192fbb8a04386a699a099423c303055b9 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 3 Mar 2019 20:40:37 +0200 Subject: [Forked salleman-oidc](https://github.com/wekan/wekan/commit/8867bec8e65f1ef6be0c731918e8eefcacb7acb0) to https://github.com/wekan/meteor-accounts-oidc where salleman also has write access, xet7 can make changes directly and GitHub issues are enabled. Thanks to xet7 ! --- CHANGELOG.md | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index bfc9ccd9..3a1699f8 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -11,6 +11,12 @@ and fixes the following bugs: - [Add more Webhook translations](https://github.com/wekan/wekan/issues/1969). In progress. +and moved the following code around: + +- [Forked salleman-oidc](https://github.com/wekan/wekan/commit/8867bec8e65f1ef6be0c731918e8eefcacb7acb0) + to https://github.com/wekan/meteor-accounts-oidc where salleman also has write access, + xet7 can make changes directly and GitHub issues are enabled. + Thanks to GitHub user xet7 for contributions. # v2.35 2019-03-01 Wekan release -- cgit v1.2.3-1-g7c22 From 3a9ab817a9aace1d6872de750ddb02dd435e5481 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 3 Mar 2019 20:43:12 +0200 Subject: Update translations. --- i18n/de.i18n.json | 20 +++++++++---------- i18n/fr.i18n.json | 58 +++++++++++++++++++++++++++---------------------------- 2 files changed, 39 insertions(+), 39 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index bfb8f5f8..96a57814 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -14,21 +14,21 @@ "act-uncheckedItem": "unabgehakt __checklistItem__ von der Checkliste __checklist__ der Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", "act-completeChecklist": "vervollständigte Checkliste __checklist__ der Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", "act-uncompleteChecklist": "unvollendete Checkliste __checklist__ der Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", - "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "kommentierte eine Karte __card__: __comment__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", "act-createBoard": "hat Board __board__ erstellt", "act-createCard": "erstellte Karte __card__ auf Liste __list__ bei Swimlane __swimlane__ an Board __board__", - "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "erstellte ein benutzerdefiniertes Feld __customField__ für Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", "act-createList": "hat Liste __list__ zu Board __board__ hinzugefügt", "act-addBoardMember": "hat Mitglied __member__ zu Board __board__ hinzugefügt", "act-archivedBoard": "Board __board__ ins Archiv verschoben", - "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", - "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", - "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", - "act-importBoard": "importierte Board __board__", - "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", - "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-archivedCard": "Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ von Board __board__ ins Archiv verschoben", + "act-archivedList": "Liste __list__ bei Swimlane __swimlane__ von Board __board__ ins Archiv verschoben", + "act-archivedSwimlane": "Swimlane __swimlane__ von Board __board__ ins Archiv verschoben", + "act-importBoard": "importiert Board __board__", + "act-importCard": "importiert Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ in Board __board__ ", + "act-importList": "importiert Liste __list__ bei Swimlane __swimlane__ in Board __board__ ", + "act-joinMember": "fügt Mitglied __member__ der Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__ hinzu", + "act-moveCard": "verschiebe Karte __card__ von Liste __oldList__ von Swimlane __oldSwimlane__ von Board __oldBoard__ nach Liste __list__ in Swimlane __swimlane__ zu Board __board__", "act-removeBoardMember": "entfernte Mitglied __member__ vom Board __board__", "act-restoredCard": "wiederherstellte Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", "act-unjoinMember": "entfernte Mitglied __member__ von Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 944b11ea..d7e204c4 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -3,35 +3,35 @@ "act-activity-notify": "Notification d'activité", "act-addAttachment": "a ajouté la pièce jointe __attachment__ à la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", "act-deleteAttachment": "a supprimé la pièce jointe __attachment__ de la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", - "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "a ajouté la sous-tâche __checklist__ à la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", + "act-addLabel": "a ajouté l'étiquette __label__ à la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", + "act-removeLabel": "a enlevé l'étiquette __label__ de la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", + "act-addChecklist": "a ajouté la checklist __checklist__ à la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", + "act-addChecklistItem": "a ajouté l'élément __checklistItem__ à la checklist __checklist__ de la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", + "act-removeChecklist": "a supprimé la checklist __checklist__ de la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", + "act-removeChecklistItem": "a supprimé l'élément __checklistItem__ de la checklist __checklist__ de la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", + "act-checkedItem": "a coché __checklistItem__ de la checklist __checklist__ de la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", + "act-uncheckedItem": "a décoché __checklistItem__ de la checklist __checklist__ de la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", + "act-completeChecklist": "a complété la checklist __checklist__ de la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", + "act-uncompleteChecklist": "a rendu incomplet la checklist __checklist__ de la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", + "act-addComment": "a commenté la carte __card__ : __comment__ dans la liste __list__ du couloir __swimlane__ du tableau __board__", "act-createBoard": "a créé le tableau __board__", - "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-createList": "added list __list__ to board __board__", - "act-addBoardMember": "added member __member__ to board __board__", + "act-createCard": "a créé la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", + "act-createCustomField": "a créé le champ personnalisé __customField__ pour la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", + "act-createList": "a ajouté la liste __list__ au tableau __board__", + "act-addBoardMember": "a ajouté le participant __member__ au tableau __board__", "act-archivedBoard": "Le tableau __board__ a été déplacé vers les archives", - "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", - "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", - "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", - "act-importBoard": "imported board __board__", - "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", - "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-removeBoardMember": "removed member __member__ from board __board__", - "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-archivedCard": "Carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__ archivée", + "act-archivedList": "Liste __list__ du couloir __swimlane__ du tableau __board__ archivée", + "act-archivedSwimlane": "Couloir __swimlane__ du tableau __board__ archivé", + "act-importBoard": "a importé le tableau __board__", + "act-importCard": "a importé la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", + "act-importList": "a importé la liste __list__ du couloir __swimlane__ du tableau __board__", + "act-joinMember": "a ajouté le participant __member__ à la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", + "act-moveCard": "a déplacé la carte __card__ de la liste __oldList__ du couloir __oldSwimlane__ du tableau __oldBoard__ vers la liste __list__ du couloir __swimlane__ du tableau __board__", + "act-removeBoardMember": "a supprimé le participant __member__ du tableau __board__", + "act-restoredCard": "a restauré la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", + "act-unjoinMember": "a supprimé le participant __member__ de la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Actions", @@ -56,14 +56,14 @@ "activity-unchecked-item": "a décoché %s dans la checklist %s de %s", "activity-checklist-added": "a ajouté une checklist à %s", "activity-checklist-removed": "a supprimé une checklist de %s", - "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "activity-checklist-completed": "a complété la checklist __checklist__ de la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", "activity-checklist-uncompleted": "a rendu incomplète la checklist %s de %s", "activity-checklist-item-added": "a ajouté un élément à la checklist '%s' dans %s", "activity-checklist-item-removed": "a supprimé une checklist de '%s' dans %s", "add": "Ajouter", "activity-checked-item-card": "a coché %s dans la checklist %s", "activity-unchecked-item-card": "a décoché %s dans la checklist %s", - "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "activity-checklist-completed-card": "a complété la checklist __checklist__ de la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", "activity-checklist-uncompleted-card": "a rendu incomplète la checklist %s", "add-attachment": "Ajouter une pièce jointe", "add-board": "Ajouter un tableau", -- cgit v1.2.3-1-g7c22 From 847ed8570b01a93499256858267ebff03691e151 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 3 Mar 2019 22:27:05 +0200 Subject: [Combine hamburger menus at right](https://github.com/wekan/wekan/issues/2219). Thanks to xet7 ! Related #2219 --- client/components/boards/boardHeader.jade | 159 +-------------------- client/components/boards/boardHeader.js | 227 +----------------------------- client/components/sidebar/sidebar.jade | 165 +++++++++++++++++++++- client/components/sidebar/sidebar.js | 224 +++++++++++++++++++++++++++++ 4 files changed, 390 insertions(+), 385 deletions(-) diff --git a/client/components/boards/boardHeader.jade b/client/components/boards/boardHeader.jade index b673daf8..78b05c84 100644 --- a/client/components/boards/boardHeader.jade +++ b/client/components/boards/boardHeader.jade @@ -111,43 +111,8 @@ template(name="boardHeaderBar") i.fa.fa-times-thin .separator - a.board-header-btn.js-open-board-menu(title="{{_ 'boardMenuPopup-title'}}") - i.board-header-btn-icon.fa.fa-cog - -template(name="boardMenuPopup") - ul.pop-over-list - li: a.js-custom-fields {{_ 'custom-fields'}} - li: a.js-open-archives {{_ 'archived-items'}} - if currentUser.isBoardAdmin - li: a.js-change-board-color {{_ 'board-change-color'}} - //- - XXX Language should be handled by sandstorm, but for now display a - language selection link in the board menu. This link is normally present - in the header bar that is not displayed on sandstorm. - if isSandstorm - li: a.js-change-language {{_ 'language'}} - unless isSandstorm - if currentUser.isBoardAdmin - hr - ul.pop-over-list - li: a(href="{{exportUrl}}", download="{{exportFilename}}") {{_ 'export-board'}} - unless currentBoard.isTemplatesBoard - li: a.js-archive-board {{_ 'archive-board'}} - li: a.js-outgoing-webhooks {{_ 'outgoing-webhooks'}} - hr - ul.pop-over-list - li: a.js-subtask-settings {{_ 'subtask-settings'}} - - if isSandstorm - hr - ul.pop-over-list - li: a(href="{{exportUrl}}", download="{{exportFilename}}") {{_ 'export-board'}} - li: a.js-import-board {{_ 'import-board-c'}} - li: a.js-archive-board {{_ 'archive-board'}} - li: a.js-outgoing-webhooks {{_ 'outgoing-webhooks'}} - hr - ul.pop-over-list - li: a.js-subtask-settings {{_ 'subtask-settings'}} + a.board-header-btn.js-toggle-sidebar + i.fa.fa-navicon template(name="boardVisibilityList") ul.pop-over-list @@ -168,94 +133,6 @@ template(name="boardVisibilityList") i.fa.fa-check span.sub-name {{_ 'public-desc'}} -template(name="boardChangeVisibilityPopup") - +boardVisibilityList - -template(name="boardChangeWatchPopup") - ul.pop-over-list - li - with "watching" - a.js-select-watch - i.fa.fa-eye.colorful - | {{_ 'watching'}} - if watchCheck - i.fa.fa-check - span.sub-name {{_ 'watching-info'}} - li - with "tracking" - a.js-select-watch - i.fa.fa-bell.colorful - | {{_ 'tracking'}} - if watchCheck - i.fa.fa-check - span.sub-name {{_ 'tracking-info'}} - li - with "muted" - a.js-select-watch - i.fa.fa-bell-slash.colorful - | {{_ 'muted'}} - if watchCheck - i.fa.fa-check - span.sub-name {{_ 'muted-info'}} - -template(name="boardChangeColorPopup") - .board-backgrounds-list.clearfix - each backgroundColors - .board-background-select.js-select-background - span.background-box(class="board-color-{{this}}") - if isSelected - i.fa.fa-check - -template(name="boardSubtaskSettingsPopup") - form.board-subtask-settings - h3 {{_ 'show-parent-in-minicard'}} - a#prefix-with-full-path.flex.js-field-show-parent-in-minicard(class="{{#if $eq presentParentTask 'prefix-with-full-path'}}is-checked{{/if}}") - .materialCheckBox(class="{{#if $eq presentParentTask 'prefix-with-full-path'}}is-checked{{/if}}") - span {{_ 'prefix-with-full-path'}} - a#prefix-with-parent.flex.js-field-show-parent-in-minicard(class="{{#if $eq presentParentTask 'prefix-with-parent'}}is-checked{{/if}}") - .materialCheckBox(class="{{#if $eq presentParentTask 'prefix-with-parent'}}is-checked{{/if}}") - span {{_ 'prefix-with-parent'}} - a#subtext-with-full-path.flex.js-field-show-parent-in-minicard(class="{{#if $eq presentParentTask 'subtext-with-full-path'}}is-checked{{/if}}") - .materialCheckBox(class="{{#if $eq presentParentTask 'subtext-with-full-path'}}is-checked{{/if}}") - span {{_ 'subtext-with-full-path'}} - a#subtext-with-parent.flex.js-field-show-parent-in-minicard(class="{{#if $eq presentParentTask 'subtext-with-parent'}}is-checked{{/if}}") - .materialCheckBox(class="{{#if $eq presentParentTask 'subtext-with-parent'}}is-checked{{/if}}") - span {{_ 'subtext-with-parent'}} - a#no-parent.flex.js-field-show-parent-in-minicard(class="{{#if $eq presentParentTask 'no-parent'}}is-checked{{/if}}") - .materialCheckBox(class="{{#if $eq presentParentTask 'no-parent'}}is-checked{{/if}}") - span {{_ 'no-parent'}} - div - hr - - div.check-div - a.flex.js-field-has-subtasks(class="{{#if allowsSubtasks}}is-checked{{/if}}") - .materialCheckBox(class="{{#if allowsSubtasks}}is-checked{{/if}}") - span {{_ 'show-subtasks-field'}} - - label - | {{_ 'deposit-subtasks-board'}} - select.js-field-deposit-board(disabled="{{#unless allowsSubtasks}}disabled{{/unless}}") - each boards - if isBoardSelected - option(value=_id selected="selected") {{title}} - else - option(value=_id) {{title}} - if isNullBoardSelected - option(value='null' selected="selected") {{_ 'custom-field-dropdown-none'}} - else - option(value='null') {{_ 'custom-field-dropdown-none'}} - div - hr - - label - | {{_ 'deposit-subtasks-list'}} - select.js-field-deposit-list(disabled="{{#unless hasLists}}disabled{{/unless}}") - each lists - if isListSelected - option(value=_id selected="selected") {{title}} - else - option(value=_id) {{title}} - template(name="createBoard") form label @@ -282,13 +159,6 @@ template(name="createBoard") | / a.js-board-template {{_ 'template'}} -template(name="chooseBoardSource") - ul.pop-over-list - li - a(href="{{pathFor '/import/trello'}}") {{_ 'from-trello'}} - li - a(href="{{pathFor '/import/wekan'}}") {{_ 'from-wekan'}} - template(name="boardChangeTitlePopup") form label @@ -302,28 +172,3 @@ template(name="boardChangeTitlePopup") template(name="boardCreateRulePopup") p {{_ 'close-board-pop'}} button.js-confirm.negate.full(type="submit") {{_ 'archive'}} - - -template(name="archiveBoardPopup") - p {{_ 'close-board-pop'}} - button.js-confirm.negate.full(type="submit") {{_ 'archive'}} - -template(name="outgoingWebhooksPopup") - each integrations - form.integration-form - if title - h4 {{title}} - else - h4 {{_ 'no-name'}} - label - | URL - input.js-outgoing-webhooks-url(type="text" name="url" value=url) - input(type="hidden" value=_id name="id") - input.primary.wide(type="submit" value="{{_ 'save'}}") - form.integration-form - h4 - | {{_ 'new-outgoing-webhook'}} - label - | URL - input.js-outgoing-webhooks-url(type="text" name="url" autofocus) - input.primary.wide(type="submit" value="{{_ 'save'}}") diff --git a/client/components/boards/boardHeader.js b/client/components/boards/boardHeader.js index 492fda40..08fcd473 100644 --- a/client/components/boards/boardHeader.js +++ b/client/components/boards/boardHeader.js @@ -1,49 +1,3 @@ -Template.boardMenuPopup.events({ - 'click .js-rename-board': Popup.open('boardChangeTitle'), - 'click .js-custom-fields'() { - Sidebar.setView('customFields'); - Popup.close(); - }, - 'click .js-open-archives'() { - Sidebar.setView('archives'); - Popup.close(); - }, - 'click .js-change-board-color': Popup.open('boardChangeColor'), - 'click .js-change-language': Popup.open('changeLanguage'), - 'click .js-archive-board ': Popup.afterConfirm('archiveBoard', function() { - const currentBoard = Boards.findOne(Session.get('currentBoard')); - currentBoard.archive(); - // XXX We should have some kind of notification on top of the page to - // confirm that the board was successfully archived. - FlowRouter.go('home'); - }), - 'click .js-delete-board': Popup.afterConfirm('deleteBoard', function() { - const currentBoard = Boards.findOne(Session.get('currentBoard')); - Popup.close(); - Boards.remove(currentBoard._id); - FlowRouter.go('home'); - }), - 'click .js-outgoing-webhooks': Popup.open('outgoingWebhooks'), - 'click .js-import-board': Popup.open('chooseBoardSource'), - 'click .js-subtask-settings': Popup.open('boardSubtaskSettings'), -}); - -Template.boardMenuPopup.helpers({ - exportUrl() { - const params = { - boardId: Session.get('currentBoard'), - }; - const queryParams = { - authToken: Accounts._storedLoginToken(), - }; - return FlowRouter.path('/api/boards/:boardId/export', params, queryParams); - }, - exportFilename() { - const boardId = Session.get('currentBoard'); - return `wekan-export-board-${boardId}.json`; - }, -}); - Template.boardChangeTitlePopup.events({ submit(evt, tpl) { const newTitle = tpl.$('.js-board-name').val().trim(); @@ -81,12 +35,8 @@ BlazeComponent.extendComponent({ 'click .js-star-board'() { Meteor.user().toggleBoardStar(Session.get('currentBoard')); }, - 'click .js-open-board-menu': Popup.open('boardMenu'), 'click .js-change-visibility': Popup.open('boardChangeVisibility'), 'click .js-watch-board': Popup.open('boardChangeWatch'), - 'click .js-open-archived-board'() { - Modal.open('archivedBoards'); - }, 'click .js-toggle-board-view'() { const currentUser = Meteor.user(); if (currentUser.profile.boardView === 'board-view-swimlanes') { @@ -97,6 +47,9 @@ BlazeComponent.extendComponent({ currentUser.setBoardView('board-view-lists'); } }, + 'click .js-toggle-sidebar'() { + Sidebar.toggle(); + }, 'click .js-open-filter-view'() { Sidebar.setView('filter'); }, @@ -135,124 +88,6 @@ Template.boardHeaderBar.helpers({ }, }); -BlazeComponent.extendComponent({ - backgroundColors() { - return Boards.simpleSchema()._schema.color.allowedValues; - }, - - isSelected() { - const currentBoard = Boards.findOne(Session.get('currentBoard')); - return currentBoard.color === this.currentData().toString(); - }, - - events() { - return [{ - 'click .js-select-background'(evt) { - const currentBoard = Boards.findOne(Session.get('currentBoard')); - const newColor = this.currentData().toString(); - currentBoard.setColor(newColor); - evt.preventDefault(); - }, - }]; - }, -}).register('boardChangeColorPopup'); - -BlazeComponent.extendComponent({ - onCreated() { - this.currentBoard = Boards.findOne(Session.get('currentBoard')); - }, - - allowsSubtasks() { - return this.currentBoard.allowsSubtasks; - }, - - isBoardSelected() { - return this.currentBoard.subtasksDefaultBoardId === this.currentData()._id; - }, - - isNullBoardSelected() { - return (this.currentBoard.subtasksDefaultBoardId === null) || (this.currentBoard.subtasksDefaultBoardId === undefined); - }, - - boards() { - return Boards.find({ - archived: false, - 'members.userId': Meteor.userId(), - }, { - sort: ['title'], - }); - }, - - lists() { - return Lists.find({ - boardId: this.currentBoard._id, - archived: false, - }, { - sort: ['title'], - }); - }, - - hasLists() { - return this.lists().count() > 0; - }, - - isListSelected() { - return this.currentBoard.subtasksDefaultBoardId === this.currentData()._id; - }, - - presentParentTask() { - let result = this.currentBoard.presentParentTask; - if ((result === null) || (result === undefined)) { - result = 'no-parent'; - } - return result; - }, - - events() { - return [{ - 'click .js-field-has-subtasks'(evt) { - evt.preventDefault(); - this.currentBoard.allowsSubtasks = !this.currentBoard.allowsSubtasks; - this.currentBoard.setAllowsSubtasks(this.currentBoard.allowsSubtasks); - $('.js-field-has-subtasks .materialCheckBox').toggleClass('is-checked', this.currentBoard.allowsSubtasks); - $('.js-field-has-subtasks').toggleClass('is-checked', this.currentBoard.allowsSubtasks); - $('.js-field-deposit-board').prop('disabled', !this.currentBoard.allowsSubtasks); - }, - 'change .js-field-deposit-board'(evt) { - let value = evt.target.value; - if (value === 'null') { - value = null; - } - this.currentBoard.setSubtasksDefaultBoardId(value); - evt.preventDefault(); - }, - 'change .js-field-deposit-list'(evt) { - this.currentBoard.setSubtasksDefaultListId(evt.target.value); - evt.preventDefault(); - }, - 'click .js-field-show-parent-in-minicard'(evt) { - const value = evt.target.id || $(evt.target).parent()[0].id || $(evt.target).parent()[0].parent()[0].id; - const options = [ - 'prefix-with-full-path', - 'prefix-with-parent', - 'subtext-with-full-path', - 'subtext-with-parent', - 'no-parent']; - options.forEach(function(element) { - if (element !== value) { - $(`#${element} .materialCheckBox`).toggleClass('is-checked', false); - $(`#${element}`).toggleClass('is-checked', false); - } - }); - $(`#${value} .materialCheckBox`).toggleClass('is-checked', true); - $(`#${value}`).toggleClass('is-checked', true); - this.currentBoard.setPresentParentTask(value); - evt.preventDefault(); - }, - }]; - }, -}).register('boardSubtaskSettingsPopup'); - const CreateBoard = BlazeComponent.extendComponent({ template() { return 'createBoard'; @@ -301,20 +136,11 @@ const CreateBoard = BlazeComponent.extendComponent({ this.setVisibility(this.currentData()); }, 'click .js-change-visibility': this.toggleVisibilityMenu, - 'click .js-import': Popup.open('boardImportBoard'), - submit: this.onSubmit, - 'click .js-import-board': Popup.open('chooseBoardSource'), 'click .js-board-template': Popup.open('searchElement'), }]; }, }).register('createBoardPopup'); -BlazeComponent.extendComponent({ - template() { - return 'chooseBoardSource'; - }, -}).register('chooseBoardSourcePopup'); - (class HeaderBarCreateBoard extends CreateBoard { onSubmit(evt) { super.onSubmit(evt); @@ -364,50 +190,3 @@ BlazeComponent.extendComponent({ }]; }, }).register('boardChangeWatchPopup'); - -BlazeComponent.extendComponent({ - integrations() { - const boardId = Session.get('currentBoard'); - return Integrations.find({ boardId: `${boardId}` }).fetch(); - }, - - integration(id) { - const boardId = Session.get('currentBoard'); - return Integrations.findOne({ _id: id, boardId: `${boardId}` }); - }, - - events() { - return [{ - 'submit'(evt) { - evt.preventDefault(); - const url = evt.target.url.value; - const boardId = Session.get('currentBoard'); - let id = null; - let integration = null; - if (evt.target.id) { - id = evt.target.id.value; - integration = this.integration(id); - if (url) { - Integrations.update(integration._id, { - $set: { - url: `${url}`, - }, - }); - } else { - Integrations.remove(integration._id); - } - } else if (url) { - Integrations.insert({ - userId: Meteor.userId(), - enabled: true, - type: 'outgoing-webhooks', - url: `${url}`, - boardId: `${boardId}`, - activities: ['all'], - }); - } - Popup.close(); - }, - }]; - }, -}).register('outgoingWebhooksPopup'); diff --git a/client/components/sidebar/sidebar.jade b/client/components/sidebar/sidebar.jade index 22fd4288..a7881656 100644 --- a/client/components/sidebar/sidebar.jade +++ b/client/components/sidebar/sidebar.jade @@ -1,9 +1,9 @@ template(name="sidebar") .board-sidebar.sidebar(class="{{#if isOpen}}is-open{{/if}}") - a.sidebar-tongue.js-toggle-sidebar( - class="{{#if isTongueHidden}}is-hidden{{/if}}", - title="{{showTongueTitle}}") - i.fa.fa-navicon + //a.sidebar-tongue.js-toggle-sidebar( + // class="{{#if isTongueHidden}}is-hidden{{/if}}", + // title="{{showTongueTitle}}") + // i.fa.fa-navicon .sidebar-shadow .sidebar-content.sidebar-shortcuts a.board-header-btn.js-shortcuts @@ -34,6 +34,9 @@ template(name="membersWidget") h3 i.fa.fa-user | {{_ 'members'}} + a.board-header-btn.js-open-board-menu(title="{{_ 'boardMenuPopup-title'}}").right + i.board-header-btn-icon.fa.fa-cog + .board-widget-content each currentBoard.activeMembers +userAvatar(userId=this.userId showStatus=true) @@ -53,6 +56,160 @@ template(name="membersWidget") button.js-member-invite-accept.primary {{_ 'accept'}} button.js-member-invite-decline {{_ 'decline'}} +template(name="boardChangeVisibilityPopup") + +boardVisibilityList + +template(name="boardChangeWatchPopup") + ul.pop-over-list + li + with "watching" + a.js-select-watch + i.fa.fa-eye.colorful + | {{_ 'watching'}} + if watchCheck + i.fa.fa-check + span.sub-name {{_ 'watching-info'}} + li + with "tracking" + a.js-select-watch + i.fa.fa-bell.colorful + | {{_ 'tracking'}} + if watchCheck + i.fa.fa-check + span.sub-name {{_ 'tracking-info'}} + li + with "muted" + a.js-select-watch + i.fa.fa-bell-slash.colorful + | {{_ 'muted'}} + if watchCheck + i.fa.fa-check + span.sub-name {{_ 'muted-info'}} + +template(name="boardChangeColorPopup") + .board-backgrounds-list.clearfix + each backgroundColors + .board-background-select.js-select-background + span.background-box(class="board-color-{{this}}") + if isSelected + i.fa.fa-check + +template(name="boardSubtaskSettingsPopup") + form.board-subtask-settings + h3 {{_ 'show-parent-in-minicard'}} + a#prefix-with-full-path.flex.js-field-show-parent-in-minicard(class="{{#if $eq presentParentTask 'prefix-with-full-path'}}is-checked{{/if}}") + .materialCheckBox(class="{{#if $eq presentParentTask 'prefix-with-full-path'}}is-checked{{/if}}") + span {{_ 'prefix-with-full-path'}} + a#prefix-with-parent.flex.js-field-show-parent-in-minicard(class="{{#if $eq presentParentTask 'prefix-with-parent'}}is-checked{{/if}}") + .materialCheckBox(class="{{#if $eq presentParentTask 'prefix-with-parent'}}is-checked{{/if}}") + span {{_ 'prefix-with-parent'}} + a#subtext-with-full-path.flex.js-field-show-parent-in-minicard(class="{{#if $eq presentParentTask 'subtext-with-full-path'}}is-checked{{/if}}") + .materialCheckBox(class="{{#if $eq presentParentTask 'subtext-with-full-path'}}is-checked{{/if}}") + span {{_ 'subtext-with-full-path'}} + a#subtext-with-parent.flex.js-field-show-parent-in-minicard(class="{{#if $eq presentParentTask 'subtext-with-parent'}}is-checked{{/if}}") + .materialCheckBox(class="{{#if $eq presentParentTask 'subtext-with-parent'}}is-checked{{/if}}") + span {{_ 'subtext-with-parent'}} + a#no-parent.flex.js-field-show-parent-in-minicard(class="{{#if $eq presentParentTask 'no-parent'}}is-checked{{/if}}") + .materialCheckBox(class="{{#if $eq presentParentTask 'no-parent'}}is-checked{{/if}}") + span {{_ 'no-parent'}} + div + hr + + div.check-div + a.flex.js-field-has-subtasks(class="{{#if allowsSubtasks}}is-checked{{/if}}") + .materialCheckBox(class="{{#if allowsSubtasks}}is-checked{{/if}}") + span {{_ 'show-subtasks-field'}} + + label + | {{_ 'deposit-subtasks-board'}} + select.js-field-deposit-board(disabled="{{#unless allowsSubtasks}}disabled{{/unless}}") + each boards + if isBoardSelected + option(value=_id selected="selected") {{title}} + else + option(value=_id) {{title}} + if isNullBoardSelected + option(value='null' selected="selected") {{_ 'custom-field-dropdown-none'}} + else + option(value='null') {{_ 'custom-field-dropdown-none'}} + div + hr + + label + | {{_ 'deposit-subtasks-list'}} + select.js-field-deposit-list(disabled="{{#unless hasLists}}disabled{{/unless}}") + each lists + if isListSelected + option(value=_id selected="selected") {{title}} + else + option(value=_id) {{title}} + +template(name="chooseBoardSource") + ul.pop-over-list + li + a(href="{{pathFor '/import/trello'}}") {{_ 'from-trello'}} + li + a(href="{{pathFor '/import/wekan'}}") {{_ 'from-wekan'}} + +template(name="archiveBoardPopup") + p {{_ 'close-board-pop'}} + button.js-confirm.negate.full(type="submit") {{_ 'archive'}} + +template(name="outgoingWebhooksPopup") + each integrations + form.integration-form + if title + h4 {{title}} + else + h4 {{_ 'no-name'}} + label + | URL + input.js-outgoing-webhooks-url(type="text" name="url" value=url) + input(type="hidden" value=_id name="id") + input.primary.wide(type="submit" value="{{_ 'save'}}") + form.integration-form + h4 + | {{_ 'new-outgoing-webhook'}} + label + | URL + input.js-outgoing-webhooks-url(type="text" name="url" autofocus) + input.primary.wide(type="submit" value="{{_ 'save'}}") + +template(name="boardMenuPopup") + ul.pop-over-list + li: a.js-custom-fields {{_ 'custom-fields'}} + li: a.js-open-archives {{_ 'archived-items'}} + if currentUser.isBoardAdmin + li: a.js-change-board-color {{_ 'board-change-color'}} + //- + XXX Language should be handled by sandstorm, but for now display a + language selection link in the board menu. This link is normally present + in the header bar that is not displayed on sandstorm. + if isSandstorm + li: a.js-change-language {{_ 'language'}} + unless isSandstorm + if currentUser.isBoardAdmin + hr + ul.pop-over-list + li: a(href="{{exportUrl}}", download="{{exportFilename}}") {{_ 'export-board'}} + unless currentBoard.isTemplatesBoard + li: a.js-archive-board {{_ 'archive-board'}} + li: a.js-outgoing-webhooks {{_ 'outgoing-webhooks'}} + hr + ul.pop-over-list + li: a.js-subtask-settings {{_ 'subtask-settings'}} + + if isSandstorm + hr + ul.pop-over-list + li: a(href="{{exportUrl}}", download="{{exportFilename}}") {{_ 'export-board'}} + li: a.js-import-board {{_ 'import-board-c'}} + li: a.js-archive-board {{_ 'archive-board'}} + li: a.js-outgoing-webhooks {{_ 'outgoing-webhooks'}} + hr + ul.pop-over-list + li: a.js-subtask-settings {{_ 'subtask-settings'}} + template(name="labelsWidget") .board-widget.board-widget-labels h3 diff --git a/client/components/sidebar/sidebar.js b/client/components/sidebar/sidebar.js index 83b12666..e8de3c96 100644 --- a/client/components/sidebar/sidebar.js +++ b/client/components/sidebar/sidebar.js @@ -142,6 +142,52 @@ Template.memberPopup.helpers({ }, }); +Template.boardMenuPopup.events({ + 'click .js-rename-board': Popup.open('boardChangeTitle'), + 'click .js-custom-fields'() { + Sidebar.setView('customFields'); + Popup.close(); + }, + 'click .js-open-archives'() { + Sidebar.setView('archives'); + Popup.close(); + }, + 'click .js-change-board-color': Popup.open('boardChangeColor'), + 'click .js-change-language': Popup.open('changeLanguage'), + 'click .js-archive-board ': Popup.afterConfirm('archiveBoard', function() { + const currentBoard = Boards.findOne(Session.get('currentBoard')); + currentBoard.archive(); + // XXX We should have some kind of notification on top of the page to + // confirm that the board was successfully archived. + FlowRouter.go('home'); + }), + 'click .js-delete-board': Popup.afterConfirm('deleteBoard', function() { + const currentBoard = Boards.findOne(Session.get('currentBoard')); + Popup.close(); + Boards.remove(currentBoard._id); + FlowRouter.go('home'); + }), + 'click .js-outgoing-webhooks': Popup.open('outgoingWebhooks'), + 'click .js-import-board': Popup.open('chooseBoardSource'), + 'click .js-subtask-settings': Popup.open('boardSubtaskSettings'), +}); + +Template.boardMenuPopup.helpers({ + exportUrl() { + const params = { + boardId: Session.get('currentBoard'), + }; + const queryParams = { + authToken: Accounts._storedLoginToken(), + }; + return FlowRouter.path('/api/boards/:boardId/export', params, queryParams); + }, + exportFilename() { + const boardId = Session.get('currentBoard'); + return `wekan-export-board-${boardId}.json`; + }, +}); + Template.memberPopup.events({ 'click .js-filter-member'() { Filter.members.toggle(this.userId); @@ -190,7 +236,14 @@ Template.membersWidget.helpers({ Template.membersWidget.events({ 'click .js-member': Popup.open('member'), + 'click .js-open-board-menu': Popup.open('boardMenu'), 'click .js-manage-board-members': Popup.open('addMember'), + 'click .js-import': Popup.open('boardImportBoard'), + submit: this.onSubmit, + 'click .js-import-board': Popup.open('chooseBoardSource'), + 'click .js-open-archived-board'() { + Modal.open('archivedBoards'); + }, 'click .sandstorm-powerbox-request-identity'() { window.sandstormRequestIdentity(); }, @@ -209,6 +262,59 @@ Template.membersWidget.events({ }, }); +BlazeComponent.extendComponent({ + integrations() { + const boardId = Session.get('currentBoard'); + return Integrations.find({ boardId: `${boardId}` }).fetch(); + }, + + integration(id) { + const boardId = Session.get('currentBoard'); + return Integrations.findOne({ _id: id, boardId: `${boardId}` }); + }, + + events() { + return [{ + 'submit'(evt) { + evt.preventDefault(); + const url = evt.target.url.value; + const boardId = Session.get('currentBoard'); + let id = null; + let integration = null; + if (evt.target.id) { + id = evt.target.id.value; + integration = this.integration(id); + if (url) { + Integrations.update(integration._id, { + $set: { + url: `${url}`, + }, + }); + } else { + Integrations.remove(integration._id); + } + } else if (url) { + Integrations.insert({ + userId: Meteor.userId(), + enabled: true, + type: 'outgoing-webhooks', + url: `${url}`, + boardId: `${boardId}`, + activities: ['all'], + }); + } + Popup.close(); + }, + }]; + }, +}).register('outgoingWebhooksPopup'); + +BlazeComponent.extendComponent({ + template() { + return 'chooseBoardSource'; + }, +}).register('chooseBoardSourcePopup'); + Template.labelsWidget.events({ 'click .js-label': Popup.open('editLabel'), 'click .js-add-label': Popup.open('createLabel'), @@ -258,6 +364,124 @@ function draggableMembersLabelsWidgets() { Template.membersWidget.onRendered(draggableMembersLabelsWidgets); Template.labelsWidget.onRendered(draggableMembersLabelsWidgets); +BlazeComponent.extendComponent({ + backgroundColors() { + return Boards.simpleSchema()._schema.color.allowedValues; + }, + + isSelected() { + const currentBoard = Boards.findOne(Session.get('currentBoard')); + return currentBoard.color === this.currentData().toString(); + }, + + events() { + return [{ + 'click .js-select-background'(evt) { + const currentBoard = Boards.findOne(Session.get('currentBoard')); + const newColor = this.currentData().toString(); + currentBoard.setColor(newColor); + evt.preventDefault(); + }, + }]; + }, +}).register('boardChangeColorPopup'); + +BlazeComponent.extendComponent({ + onCreated() { + this.currentBoard = Boards.findOne(Session.get('currentBoard')); + }, + + allowsSubtasks() { + return this.currentBoard.allowsSubtasks; + }, + + isBoardSelected() { + return this.currentBoard.subtasksDefaultBoardId === this.currentData()._id; + }, + + isNullBoardSelected() { + return (this.currentBoard.subtasksDefaultBoardId === null) || (this.currentBoard.subtasksDefaultBoardId === undefined); + }, + + boards() { + return Boards.find({ + archived: false, + 'members.userId': Meteor.userId(), + }, { + sort: ['title'], + }); + }, + + lists() { + return Lists.find({ + boardId: this.currentBoard._id, + archived: false, + }, { + sort: ['title'], + }); + }, + + hasLists() { + return this.lists().count() > 0; + }, + + isListSelected() { + return this.currentBoard.subtasksDefaultBoardId === this.currentData()._id; + }, + + presentParentTask() { + let result = this.currentBoard.presentParentTask; + if ((result === null) || (result === undefined)) { + result = 'no-parent'; + } + return result; + }, + + events() { + return [{ + 'click .js-field-has-subtasks'(evt) { + evt.preventDefault(); + this.currentBoard.allowsSubtasks = !this.currentBoard.allowsSubtasks; + this.currentBoard.setAllowsSubtasks(this.currentBoard.allowsSubtasks); + $('.js-field-has-subtasks .materialCheckBox').toggleClass('is-checked', this.currentBoard.allowsSubtasks); + $('.js-field-has-subtasks').toggleClass('is-checked', this.currentBoard.allowsSubtasks); + $('.js-field-deposit-board').prop('disabled', !this.currentBoard.allowsSubtasks); + }, + 'change .js-field-deposit-board'(evt) { + let value = evt.target.value; + if (value === 'null') { + value = null; + } + this.currentBoard.setSubtasksDefaultBoardId(value); + evt.preventDefault(); + }, + 'change .js-field-deposit-list'(evt) { + this.currentBoard.setSubtasksDefaultListId(evt.target.value); + evt.preventDefault(); + }, + 'click .js-field-show-parent-in-minicard'(evt) { + const value = evt.target.id || $(evt.target).parent()[0].id || $(evt.target).parent()[0].parent()[0].id; + const options = [ + 'prefix-with-full-path', + 'prefix-with-parent', + 'subtext-with-full-path', + 'subtext-with-parent', + 'no-parent']; + options.forEach(function(element) { + if (element !== value) { + $(`#${element} .materialCheckBox`).toggleClass('is-checked', false); + $(`#${element}`).toggleClass('is-checked', false); + } + }); + $(`#${value} .materialCheckBox`).toggleClass('is-checked', true); + $(`#${value}`).toggleClass('is-checked', true); + this.currentBoard.setPresentParentTask(value); + evt.preventDefault(); + }, + }]; + }, +}).register('boardSubtaskSettingsPopup'); + BlazeComponent.extendComponent({ onCreated() { this.error = new ReactiveVar(''); -- cgit v1.2.3-1-g7c22 From a6ea622f78097001f21206808dfeb3cf6a891312 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 3 Mar 2019 22:32:00 +0200 Subject: Update changelog. --- CHANGELOG.md | 7 ++++--- 1 file changed, 4 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 3a1699f8..1a2c62a7 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -2,9 +2,10 @@ This release adds the following UI changes: -- [Change board menu icons and text](https://github.com/wekan/wekan/issues/2219): - - Board menu (hamburger icon) to Board Settings (Cog icon) - - Sidebar arrows icons to hamburger icon +- [Combine hamburger menus at right](https://github.com/wekan/wekan/issues/2219): + - Hamburger button open sidebar; + - Sidebar has at top right Cog icon that opens Board Settings; + - Hide sidebar arrows. and fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 46088bfbb5e89ffb0349a88526d45b44411dbaaa Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 3 Mar 2019 22:33:17 +0200 Subject: Update translations. --- i18n/es.i18n.json | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 78539336..c63af8ab 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -79,7 +79,7 @@ "added": "Añadida el", "addMemberPopup-title": "Miembros", "admin": "Administrador", - "admin-desc": "Puedes ver y editar tarjetas, eliminar miembros, y cambiar los ajustes del tablero", + "admin-desc": "Puedes ver y editar tarjetas, eliminar miembros, y cambiar las preferencias del tablero", "admin-announcement": "Aviso", "admin-announcement-active": "Activar el aviso para todo el sistema", "admin-announcement-title": "Aviso del administrador", @@ -121,7 +121,7 @@ "boardChangeTitlePopup-title": "Renombrar el tablero", "boardChangeVisibilityPopup-title": "Cambiar visibilidad", "boardChangeWatchPopup-title": "Cambiar vigilancia", - "boardMenuPopup-title": "Board Settings", + "boardMenuPopup-title": "Preferencias del tablero", "boards": "Tableros", "board-view": "Vista del tablero", "board-view-cal": "Calendario", @@ -473,7 +473,7 @@ "wipLimitErrorPopup-dialog-pt1": "El número de tareas en esta lista es mayor que el límite del trabajo en proceso que has definido.", "wipLimitErrorPopup-dialog-pt2": "Por favor, mueve algunas tareas fuera de esta lista, o fija un límite del trabajo en proceso más alto.", "admin-panel": "Panel del administrador", - "settings": "Ajustes", + "settings": "Preferencias", "people": "Personas", "registration": "Registro", "disable-self-registration": "Deshabilitar autoregistro", @@ -547,8 +547,8 @@ "default-subtasks-board": "Subtareas para el tablero __board__", "default": "Por defecto", "queue": "Cola", - "subtask-settings": "Subtareas del tablero", - "boardSubtaskSettingsPopup-title": "Configuración de las subtareas del tablero", + "subtask-settings": "Preferencias de las subtareas", + "boardSubtaskSettingsPopup-title": "Preferencias de las subtareas del tablero", "show-subtasks-field": "Las tarjetas pueden tener subtareas", "deposit-subtasks-board": "Depositar subtareas en este tablero:", "deposit-subtasks-list": "Lista de destino para subtareas depositadas aquí:", -- cgit v1.2.3-1-g7c22 From d417bf058d36538e9ccbdd0748469a48d738b6f5 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 3 Mar 2019 22:39:09 +0200 Subject: v2.36 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 1a2c62a7..9ef87aae 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.36 2019-03-03 Wekan release This release adds the following UI changes: diff --git a/Stackerfile.yml b/Stackerfile.yml index 03332154..33c0d388 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.35.0" +appVersion: "v2.36.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 1ef680de..909fc4ff 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.35.0", + "version": "v2.36.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index c8923eed..8d555c33 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 237, + appVersion = 238, # Increment this for every release. - appMarketingVersion = (defaultText = "2.35.0~2019-03-01"), + appMarketingVersion = (defaultText = "2.36.0~2019-03-03"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 0b64a46bdca257ed8fb8f320d8dd2f8fec994c89 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 4 Mar 2019 08:55:42 +0200 Subject: Update translations. --- i18n/zh-CN.i18n.json | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 803c2836..52354c18 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -121,7 +121,7 @@ "boardChangeTitlePopup-title": "重命名看板", "boardChangeVisibilityPopup-title": "更改可视级别", "boardChangeWatchPopup-title": "更改关注状态", - "boardMenuPopup-title": "Board Settings", + "boardMenuPopup-title": "看板设置", "boards": "看板", "board-view": "看板视图", "board-view-cal": "日历", -- cgit v1.2.3-1-g7c22 From 763cf81c973d6e110a3a2102b7da454b7038facc Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 4 Mar 2019 12:04:12 +0200 Subject: [Fix Adding Labels to cards is not possible anymore](https://github.com/wekan/wekan/issues/2223). Thanks to xet7 ! Closes #2223 --- client/components/boards/boardHeader.jade | 30 +++++++++++++++++ client/components/boards/boardHeader.js | 53 +++++++++++++++++++++++++++++++ client/components/sidebar/sidebar.jade | 30 ----------------- models/activities.js | 24 +++++++------- server/notifications/outgoing.js | 3 +- 5 files changed, 98 insertions(+), 42 deletions(-) diff --git a/client/components/boards/boardHeader.jade b/client/components/boards/boardHeader.jade index 78b05c84..823bd806 100644 --- a/client/components/boards/boardHeader.jade +++ b/client/components/boards/boardHeader.jade @@ -133,6 +133,36 @@ template(name="boardVisibilityList") i.fa.fa-check span.sub-name {{_ 'public-desc'}} +template(name="boardChangeVisibilityPopup") + +boardVisibilityList + +template(name="boardChangeWatchPopup") + ul.pop-over-list + li + with "watching" + a.js-select-watch + i.fa.fa-eye.colorful + | {{_ 'watching'}} + if watchCheck + i.fa.fa-check + span.sub-name {{_ 'watching-info'}} + li + with "tracking" + a.js-select-watch + i.fa.fa-bell.colorful + | {{_ 'tracking'}} + if watchCheck + i.fa.fa-check + span.sub-name {{_ 'tracking-info'}} + li + with "muted" + a.js-select-watch + i.fa.fa-bell-slash.colorful + | {{_ 'muted'}} + if watchCheck + i.fa.fa-check + span.sub-name {{_ 'muted-info'}} + template(name="createBoard") form label diff --git a/client/components/boards/boardHeader.js b/client/components/boards/boardHeader.js index 08fcd473..86fbebb3 100644 --- a/client/components/boards/boardHeader.js +++ b/client/components/boards/boardHeader.js @@ -1,3 +1,49 @@ +Template.boardMenuPopup.events({ + 'click .js-rename-board': Popup.open('boardChangeTitle'), + 'click .js-custom-fields'() { + Sidebar.setView('customFields'); + Popup.close(); + }, + 'click .js-open-archives'() { + Sidebar.setView('archives'); + Popup.close(); + }, + 'click .js-change-board-color': Popup.open('boardChangeColor'), + 'click .js-change-language': Popup.open('changeLanguage'), + 'click .js-archive-board ': Popup.afterConfirm('archiveBoard', function() { + const currentBoard = Boards.findOne(Session.get('currentBoard')); + currentBoard.archive(); + // XXX We should have some kind of notification on top of the page to + // confirm that the board was successfully archived. + FlowRouter.go('home'); + }), + 'click .js-delete-board': Popup.afterConfirm('deleteBoard', function() { + const currentBoard = Boards.findOne(Session.get('currentBoard')); + Popup.close(); + Boards.remove(currentBoard._id); + FlowRouter.go('home'); + }), + 'click .js-outgoing-webhooks': Popup.open('outgoingWebhooks'), + 'click .js-import-board': Popup.open('chooseBoardSource'), + 'click .js-subtask-settings': Popup.open('boardSubtaskSettings'), +}); + +Template.boardMenuPopup.helpers({ + exportUrl() { + const params = { + boardId: Session.get('currentBoard'), + }; + const queryParams = { + authToken: Accounts._storedLoginToken(), + }; + return FlowRouter.path('/api/boards/:boardId/export', params, queryParams); + }, + exportFilename() { + const boardId = Session.get('currentBoard'); + return `wekan-export-board-${boardId}.json`; + }, +}); + Template.boardChangeTitlePopup.events({ submit(evt, tpl) { const newTitle = tpl.$('.js-board-name').val().trim(); @@ -35,8 +81,12 @@ BlazeComponent.extendComponent({ 'click .js-star-board'() { Meteor.user().toggleBoardStar(Session.get('currentBoard')); }, + 'click .js-open-board-menu': Popup.open('boardMenu'), 'click .js-change-visibility': Popup.open('boardChangeVisibility'), 'click .js-watch-board': Popup.open('boardChangeWatch'), + 'click .js-open-archived-board'() { + Modal.open('archivedBoards'); + }, 'click .js-toggle-board-view'() { const currentUser = Meteor.user(); if (currentUser.profile.boardView === 'board-view-swimlanes') { @@ -136,6 +186,9 @@ const CreateBoard = BlazeComponent.extendComponent({ this.setVisibility(this.currentData()); }, 'click .js-change-visibility': this.toggleVisibilityMenu, + 'click .js-import': Popup.open('boardImportBoard'), + submit: this.onSubmit, + 'click .js-import-board': Popup.open('chooseBoardSource'), 'click .js-board-template': Popup.open('searchElement'), }]; }, diff --git a/client/components/sidebar/sidebar.jade b/client/components/sidebar/sidebar.jade index a7881656..4e4d355c 100644 --- a/client/components/sidebar/sidebar.jade +++ b/client/components/sidebar/sidebar.jade @@ -56,36 +56,6 @@ template(name="membersWidget") button.js-member-invite-accept.primary {{_ 'accept'}} button.js-member-invite-decline {{_ 'decline'}} -template(name="boardChangeVisibilityPopup") - +boardVisibilityList - -template(name="boardChangeWatchPopup") - ul.pop-over-list - li - with "watching" - a.js-select-watch - i.fa.fa-eye.colorful - | {{_ 'watching'}} - if watchCheck - i.fa.fa-check - span.sub-name {{_ 'watching-info'}} - li - with "tracking" - a.js-select-watch - i.fa.fa-bell.colorful - | {{_ 'tracking'}} - if watchCheck - i.fa.fa-check - span.sub-name {{_ 'tracking-info'}} - li - with "muted" - a.js-select-watch - i.fa.fa-bell-slash.colorful - | {{_ 'muted'}} - if watchCheck - i.fa.fa-check - span.sub-name {{_ 'muted-info'}} - template(name="boardChangeColorPopup") .board-backgrounds-list.clearfix each backgroundColors diff --git a/models/activities.js b/models/activities.js index b26278b1..84c45856 100644 --- a/models/activities.js +++ b/models/activities.js @@ -56,23 +56,22 @@ Activities.helpers({ customField() { return CustomFields.findOne(this.customFieldId); }, - label() { - return Labels.findOne(this.labelId); - }, + // Label activity did not work yet, unable to edit labels when tried this. + //label() { + // return Cards.findOne(this.labelId); + //}, }); Activities.before.insert((userId, doc) => { doc.createdAt = new Date(); }); - Activities.after.insert((userId, doc) => { const activity = Activities._transform(doc); RulesHelper.executeRules(activity); }); - if (Meteor.isServer) { // For efficiency create indexes on the date of creation, and on the date of // creation in conjunction with the card or board id, as corresponding views @@ -84,7 +83,9 @@ if (Meteor.isServer) { Activities._collection._ensureIndex({ commentId: 1 }, { partialFilterExpression: { commentId: { $exists: true } } }); Activities._collection._ensureIndex({ attachmentId: 1 }, { partialFilterExpression: { attachmentId: { $exists: true } } }); Activities._collection._ensureIndex({ customFieldId: 1 }, { partialFilterExpression: { customFieldId: { $exists: true } } }); - Activities._collection._ensureIndex({ labelId: 1 }, { partialFilterExpression: { labelId: { $exists: true } } }); + // Label activity did not work yet, unable to edit labels when tried this. + //Activities._collection._dropIndex({ labelId: 1 }, { "indexKey": -1 }); + //Activities._collection._dropIndex({ labelId: 1 }, { partialFilterExpression: { labelId: { $exists: true } } }); }); Activities.after.insert((userId, doc) => { @@ -173,11 +174,12 @@ if (Meteor.isServer) { const customField = activity.customField(); params.customField = customField.name; } - if (activity.labelId) { - const label = activity.label(); - params.label = label.name; - params.labelId = activity.labelId; - } + // Label activity did not work yet, unable to edit labels when tried this. + //if (activity.labelId) { + // const label = activity.label(); + // params.label = label.name; + // params.labelId = activity.labelId; + //} if (board) { const watchingUsers = _.pluck(_.where(board.watchers, {level: 'watching'}), 'userId'); const trackingUsers = _.pluck(_.where(board.watchers, {level: 'tracking'}), 'userId'); diff --git a/server/notifications/outgoing.js b/server/notifications/outgoing.js index ada3679e..257fbda1 100644 --- a/server/notifications/outgoing.js +++ b/server/notifications/outgoing.js @@ -16,8 +16,9 @@ Meteor.methods({ check(description, String); check(params, Object); + // label activity did not work yet, see wekan/models/activities.js const quoteParams = _.clone(params); - ['card', 'list', 'oldList', 'board', 'oldBoard', 'comment', 'checklist', 'label', 'swimlane', 'oldSwimlane'].forEach((key) => { + ['card', 'list', 'oldList', 'board', 'oldBoard', 'comment', 'checklist', 'swimlane', 'oldSwimlane'].forEach((key) => { if (quoteParams[key]) quoteParams[key] = `"${params[key]}"`; }); -- cgit v1.2.3-1-g7c22 From 9d6d5e1a14c2a3ef22d90eaccffd352d06253117 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 4 Mar 2019 12:08:55 +0200 Subject: v2.37 --- CHANGELOG.md | 8 ++++++++ Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 12 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 9ef87aae..e9eac1dd 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# v2.37 2019-03-04 Wekan release + +This release fixes the following bugs: + +- [Fix Adding Labels to cards is not possible anymore](https://github.com/wekan/wekan/issues/2223). + +Thanks to GitHub user xet7 for contributions. + # v2.36 2019-03-03 Wekan release This release adds the following UI changes: diff --git a/Stackerfile.yml b/Stackerfile.yml index 33c0d388..f4f1f655 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.36.0" +appVersion: "v2.37.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 909fc4ff..cd5260a5 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.36.0", + "version": "v2.37.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 8d555c33..4933796e 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 238, + appVersion = 239, # Increment this for every release. - appMarketingVersion = (defaultText = "2.36.0~2019-03-03"), + appMarketingVersion = (defaultText = "2.37.0~2019-03-04"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From e7a90d9a7ce15d9405f5d750593715306a542c83 Mon Sep 17 00:00:00 2001 From: Stephen Randall Date: Mon, 4 Mar 2019 15:55:20 +0000 Subject: Added helm chart v1 --- helm/wekan/.helmignore | 22 +++++ helm/wekan/Chart.yaml | 13 +++ helm/wekan/OWNERS | 4 + helm/wekan/README.md | 1 + helm/wekan/charts/mongodb-replicaset-3.6.4.tgz | Bin 0 -> 14728 bytes helm/wekan/requirements.lock | 6 ++ helm/wekan/requirements.yaml | 5 + helm/wekan/templates/NOTES.txt | 19 ++++ helm/wekan/templates/_helpers.tpl | 82 ++++++++++++++++ helm/wekan/templates/deployment.yaml | 58 ++++++++++++ helm/wekan/templates/hpa.yaml | 18 ++++ helm/wekan/templates/ingress.yaml | 40 ++++++++ helm/wekan/templates/secrets.yaml | 14 +++ helm/wekan/templates/service.yaml | 25 +++++ helm/wekan/templates/serviceaccount.yaml | 12 +++ helm/wekan/templates/tests/test-cloudserver.yaml | 27 ++++++ helm/wekan/values.yaml | 114 +++++++++++++++++++++++ 17 files changed, 460 insertions(+) create mode 100644 helm/wekan/.helmignore create mode 100644 helm/wekan/Chart.yaml create mode 100644 helm/wekan/OWNERS create mode 100644 helm/wekan/README.md create mode 100644 helm/wekan/charts/mongodb-replicaset-3.6.4.tgz create mode 100644 helm/wekan/requirements.lock create mode 100644 helm/wekan/requirements.yaml create mode 100644 helm/wekan/templates/NOTES.txt create mode 100644 helm/wekan/templates/_helpers.tpl create mode 100644 helm/wekan/templates/deployment.yaml create mode 100644 helm/wekan/templates/hpa.yaml create mode 100644 helm/wekan/templates/ingress.yaml create mode 100644 helm/wekan/templates/secrets.yaml create mode 100644 helm/wekan/templates/service.yaml create mode 100644 helm/wekan/templates/serviceaccount.yaml create mode 100644 helm/wekan/templates/tests/test-cloudserver.yaml create mode 100644 helm/wekan/values.yaml diff --git a/helm/wekan/.helmignore b/helm/wekan/.helmignore new file mode 100644 index 00000000..7c04072e --- /dev/null +++ b/helm/wekan/.helmignore @@ -0,0 +1,22 @@ +# Patterns to ignore when building packages. +# This supports shell glob matching, relative path matching, and +# negation (prefixed with !). Only one pattern per line. +.DS_Store +# Common VCS dirs +.git/ +.gitignore +.bzr/ +.bzrignore +.hg/ +.hgignore +.svn/ +# Common backup files +*.swp +*.bak +*.tmp +*~ +# Various IDEs +.project +.idea/ +*.tmproj +OWNERS diff --git a/helm/wekan/Chart.yaml b/helm/wekan/Chart.yaml new file mode 100644 index 00000000..ffd164bf --- /dev/null +++ b/helm/wekan/Chart.yaml @@ -0,0 +1,13 @@ +name: wekan +version: 1.0.0 +appVersion: 2.x.x +kubeVersion: "^1.8.0-0" +description: Open Source kanban +home: https://wekan.github.io/ +icon: https://wekan.github.io/wekan-logo.svg +sources: + - https://github.com/wekan/wekan +maintainers: + - name: technotaff + email: github@randall.cc +engine: gotpl diff --git a/helm/wekan/OWNERS b/helm/wekan/OWNERS new file mode 100644 index 00000000..08f7d5dd --- /dev/null +++ b/helm/wekan/OWNERS @@ -0,0 +1,4 @@ +approvers: +- technotaff +reviewers: +- technotaff diff --git a/helm/wekan/README.md b/helm/wekan/README.md new file mode 100644 index 00000000..52da2380 --- /dev/null +++ b/helm/wekan/README.md @@ -0,0 +1 @@ +# README \ No newline at end of file diff --git a/helm/wekan/charts/mongodb-replicaset-3.6.4.tgz b/helm/wekan/charts/mongodb-replicaset-3.6.4.tgz new file mode 100644 index 00000000..3055b15d Binary files /dev/null and b/helm/wekan/charts/mongodb-replicaset-3.6.4.tgz differ diff --git a/helm/wekan/requirements.lock b/helm/wekan/requirements.lock new file mode 100644 index 00000000..38dd70f4 --- /dev/null +++ b/helm/wekan/requirements.lock @@ -0,0 +1,6 @@ +dependencies: +- name: mongodb-replicaset + repository: https://kubernetes-charts.storage.googleapis.com/ + version: 3.6.4 +digest: sha256:915036b66ee65022e4c4f5a088ee52eb1edcf9651adb8013105380eaf754abf5 +generated: 2019-03-04T10:59:06.655216577Z diff --git a/helm/wekan/requirements.yaml b/helm/wekan/requirements.yaml new file mode 100644 index 00000000..e2492a91 --- /dev/null +++ b/helm/wekan/requirements.yaml @@ -0,0 +1,5 @@ +dependencies: +- name: mongodb-replicaset + version: 3.6.x + repository: "https://kubernetes-charts.storage.googleapis.com/" + condition: mongodb-replicaset.enabled diff --git a/helm/wekan/templates/NOTES.txt b/helm/wekan/templates/NOTES.txt new file mode 100644 index 00000000..f2a92d61 --- /dev/null +++ b/helm/wekan/templates/NOTES.txt @@ -0,0 +1,19 @@ +1. Get the application URL by running these commands: +{{- if .Values.ingress.enabled }} +{{- range .Values.ingress.hosts }} + http{{ if $.Values.ingress.tls }}s{{ end }}://{{ . }}{{ $.Values.ingress.path }} +{{- end }} +{{- else if contains "NodePort" .Values.service.type }} + export NODE_PORT=$(kubectl get --namespace {{ .Release.Namespace }} -o jsonpath="{.spec.ports[0].nodePort}" services {{ template "wekan.fullname" . }}) + export NODE_IP=$(kubectl get nodes --namespace {{ .Release.Namespace }} -o jsonpath="{.items[0].status.addresses[0].address}") + echo http://$NODE_IP:$NODE_PORT +{{- else if contains "LoadBalancer" .Values.service.type }} + NOTE: It may take a few minutes for the LoadBalancer IP to be available. + You can watch the status of by running 'kubectl get svc -w {{ template "wekan.fullname" . }}' + export SERVICE_IP=$(kubectl get svc --namespace {{ .Release.Namespace }} {{ template "wekan.fullname" . }} -o jsonpath='{.status.loadBalancer.ingress[0].ip}') + echo http://$SERVICE_IP:{{ .Values.service.port }} +{{- else if contains "ClusterIP" .Values.service.type }} + export POD_NAME=$(kubectl get pods --namespace {{ .Release.Namespace }} -l "app={{ template "wekan.name" . }},release={{ .Release.Name }}" -o jsonpath="{.items[0].metadata.name}") + echo "Visit http://127.0.0.1:8000 to use your application" + kubectl port-forward $POD_NAME 8000:8000 +{{- end }} diff --git a/helm/wekan/templates/_helpers.tpl b/helm/wekan/templates/_helpers.tpl new file mode 100644 index 00000000..68f71ef7 --- /dev/null +++ b/helm/wekan/templates/_helpers.tpl @@ -0,0 +1,82 @@ +{{/* vim: set filetype=mustache: */}} +{{/* +Expand the name of the chart. +*/}} +{{- define "wekan.name" -}} +{{- default .Chart.Name .Values.nameOverride | trunc 63 | trimSuffix "-" -}} +{{- end -}} + +{{/* +Create a default fully qualified app name. +We truncate at 63 chars because some Kubernetes name fields are limited to this (by the DNS naming spec). +If release name contains chart name it will be used as a full name. +*/}} +{{- define "wekan.fullname" -}} +{{- if .Values.fullnameOverride -}} +{{- .Values.fullnameOverride | trunc 63 | trimSuffix "-" -}} +{{- else -}} +{{- $name := default .Chart.Name .Values.nameOverride -}} +{{- if contains $name .Release.Name -}} +{{- .Release.Name | trunc 63 | trimSuffix "-" -}} +{{- else -}} +{{- printf "%s-%s" .Release.Name $name | trunc 63 | trimSuffix "-" -}} +{{- end -}} +{{- end -}} +{{- end -}} + +{{/* +Create a default fully qualified name for the wekan data app. +We truncate at 63 chars because some Kubernetes name fields are limited to this (by the DNS naming spec). +*/}} +{{- define "wekan.localdata.fullname" -}} +{{- if .Values.localdata.fullnameOverride -}} +{{- .Values.localdata.fullnameOverride | trunc 63 | trimSuffix "-" -}} +{{- else -}} +{{- $name := default .Chart.Name .Values.nameOverride -}} +{{- if contains $name .Release.Name -}} +{{- printf "%s-localdata" .Release.Name | trunc 63 | trimSuffix "-" -}} +{{- else -}} +{{- printf "%s-%s-localdata" .Release.Name $name | trunc 63 | trimSuffix "-" -}} +{{- end -}} +{{- end -}} +{{- end -}} +{{/* +Create chart name and version as used by the chart label. +*/}} +{{- define "wekan.chart" -}} +{{- printf "%s-%s" .Chart.Name .Chart.Version | replace "+" "_" | trunc 63 | trimSuffix "-" -}} +{{- end -}} + +{{/* +Create the name of the service account to use for the api component +*/}} +{{- define "wekan.serviceAccountName" -}} +{{- if .Values.serviceAccounts.create -}} + {{ default (include "wekan.fullname" .) .Values.serviceAccounts.name }} +{{- else -}} + {{ default "default" .Values.serviceAccounts.name }} +{{- end -}} +{{- end -}} + +{{/* +Create a default fully qualified mongodb-replicaset name. +We truncate at 63 chars because some Kubernetes name fields are limited to this (by the DNS naming spec). +*/}} +{{- define "wekan.mongodb-replicaset.fullname" -}} +{{- $name := default "mongodb-replicaset" (index .Values "mongodb-replicaset" "nameOverride") -}} +{{- printf "%s-%s" .Release.Name $name | trunc 63 | trimSuffix "-" -}} +{{- end -}} + +{{/* +Create the MongoDB URL. If MongoDB is installed as part of this chart, use k8s service discovery, +else use user-provided URL. +*/}} +{{- define "mongodb-replicaset.url" -}} +{{- if (index .Values "mongodb-replicaset" "enabled") -}} +{{- $count := (int (index .Values "mongodb-replicaset" "replicas")) -}} +{{- $release := .Release.Name -}} +mongodb://{{- range $v := until $count }}{{ $release }}-mongodb-replicaset-{{ $v }}.{{ $release }}-mongodb-replicaset:27017{{ if ne $v (sub $count 1) }},{{- end -}}{{- end -}}?replicaSet={{ index .Values "mongodb-replicaset" "replicaSetName" }} +{{- else -}} +{{- index .Values "mongodb-replicaset" "url" -}} +{{- end -}} +{{- end -}} diff --git a/helm/wekan/templates/deployment.yaml b/helm/wekan/templates/deployment.yaml new file mode 100644 index 00000000..e5bf2018 --- /dev/null +++ b/helm/wekan/templates/deployment.yaml @@ -0,0 +1,58 @@ +apiVersion: apps/v1 +kind: Deployment +metadata: + name: {{ template "wekan.fullname" . }} + labels: + app: {{ template "wekan.name" . }} + chart: {{ template "wekan.chart" . }} + component: wekan + release: {{ .Release.Name }} + heritage: {{ .Release.Service }} +spec: + replicas: {{ .Values.replicaCount }} + selector: + matchLabels: + app: {{ template "wekan.name" . }} + component: wekan + release: {{ .Release.Name }} + template: + metadata: + annotations: + labels: + app: {{ template "wekan.name" . }} + component: wekan + release: {{ .Release.Name }} + spec: + serviceAccountName: {{ template "wekan.serviceAccountName" . }} + containers: + - name: {{ .Chart.Name }} + image: "{{ .Values.image.repository }}:{{ .Values.image.tag }}" + imagePullPolicy: {{ .Values.image.pullPolicy }} + terminationMessagePolicy: FallbackToLogsOnError + ports: + - name: http + containerPort: 8080 + env: + - name: ROOT_URL + value: {{ .Values.root_url | default "https://wekan.local" | quote }} + - name: MONGO_URL + value: "{{ template "mongodb-replicaset.url" . }}" + livenessProbe: + httpGet: + path: / + port: 8080 + initialDelaySeconds: 60 + resources: +{{ toYaml .Values.resources | indent 12 }} + {{- with .Values.nodeSelector }} + nodeSelector: +{{ toYaml . | indent 8 }} + {{- end }} +{{- if .Values.affinity }} + affinity: +{{ toYaml .Values.affinity | indent 8 }} + {{- end }} + {{- with .Values.tolerations }} + tolerations: +{{ toYaml . | indent 8 }} + {{- end }} diff --git a/helm/wekan/templates/hpa.yaml b/helm/wekan/templates/hpa.yaml new file mode 100644 index 00000000..5c8017c3 --- /dev/null +++ b/helm/wekan/templates/hpa.yaml @@ -0,0 +1,18 @@ +{{- if .Values.autoscaling.enabled -}} +apiVersion: autoscaling/v1 +kind: HorizontalPodAutoscaler +metadata: + name: {{ template "wekan.fullname" . }} + labels: + app: {{ template "wekan.name" . }} + chart: {{ template "wekan.chart" . }} + component: wekan + heritage: {{ .Release.Service }} + release: {{ .Release.Name }} +spec: + scaleTargetRef: + apiVersion: apps/v1 + kind: Deployment + name: {{ template "wekan.fullname" . }} +{{ toYaml .Values.autoscaling.config | indent 2 }} +{{- end -}} diff --git a/helm/wekan/templates/ingress.yaml b/helm/wekan/templates/ingress.yaml new file mode 100644 index 00000000..d63c21c3 --- /dev/null +++ b/helm/wekan/templates/ingress.yaml @@ -0,0 +1,40 @@ +{{- if .Values.ingress.enabled -}} +{{- $fullName := include "wekan.fullname" . -}} +{{- $servicePort := .Values.service.port -}} +{{- $ingressPath := .Values.ingress.path -}} +apiVersion: extensions/v1beta1 +kind: Ingress +metadata: + name: {{ $fullName }} + labels: + app: {{ template "wekan.name" . }} + chart: {{ template "wekan.chart" . }} + component: wekan + heritage: {{ .Release.Service }} + release: {{ .Release.Name }} +{{- with .Values.ingress.annotations }} + annotations: +{{ toYaml . | indent 4 }} +{{- end }} +spec: +{{- if .Values.ingress.tls }} + tls: + {{- range .Values.ingress.tls }} + - hosts: + {{- range .hosts }} + - {{ . }} + {{- end }} + secretName: {{ .secretName }} + {{- end }} +{{- end }} + rules: + {{- range .Values.ingress.hosts }} + - host: {{ . }} + http: + paths: + - path: {{ $ingressPath }} + backend: + serviceName: {{ $fullName }} + servicePort: http + {{- end }} +{{- end }} diff --git a/helm/wekan/templates/secrets.yaml b/helm/wekan/templates/secrets.yaml new file mode 100644 index 00000000..79ae3d48 --- /dev/null +++ b/helm/wekan/templates/secrets.yaml @@ -0,0 +1,14 @@ +apiVersion: v1 +kind: Secret +metadata: + name: {{ template "wekan.fullname" . }} + labels: + app: {{ template "wekan.name" . }} + chart: {{ template "wekan.chart" . }} + component: wekan + heritage: {{ .Release.Service }} + release: {{ .Release.Name }} +type: Opaque +data: + accessKey: {{ .Values.credentials.accessKey | b64enc }} + secretKey: {{ .Values.credentials.secretKey | b64enc }} diff --git a/helm/wekan/templates/service.yaml b/helm/wekan/templates/service.yaml new file mode 100644 index 00000000..6099faec --- /dev/null +++ b/helm/wekan/templates/service.yaml @@ -0,0 +1,25 @@ +apiVersion: v1 +kind: Service +metadata: + {{- if .Values.service.annotations }} + annotations: +{{ toYaml .Values.service.annotations | indent 4 }} + {{- end }} + name: {{ template "wekan.fullname" . }} + labels: + app: {{ template "wekan.name" . }} + chart: {{ template "wekan.chart" . }} + component: wekan + heritage: {{ .Release.Service }} + release: {{ .Release.Name }} +spec: + type: {{ .Values.service.type }} + ports: + - port: {{ .Values.service.port }} + targetPort: http + protocol: TCP + name: http + selector: + app: {{ template "wekan.name" . }} + component: wekan + release: {{ .Release.Name }} diff --git a/helm/wekan/templates/serviceaccount.yaml b/helm/wekan/templates/serviceaccount.yaml new file mode 100644 index 00000000..58696cb6 --- /dev/null +++ b/helm/wekan/templates/serviceaccount.yaml @@ -0,0 +1,12 @@ +{{- if .Values.serviceAccounts.create }} +apiVersion: v1 +kind: ServiceAccount +metadata: + labels: + app: {{ template "wekan.name" . }} + chart: {{ template "wekan.chart" . }} + component: wekan + heritage: {{ .Release.Service }} + release: {{ .Release.Name }} + name: {{ template "wekan.serviceAccountName" . }} +{{- end }} diff --git a/helm/wekan/templates/tests/test-cloudserver.yaml b/helm/wekan/templates/tests/test-cloudserver.yaml new file mode 100644 index 00000000..a1db7289 --- /dev/null +++ b/helm/wekan/templates/tests/test-cloudserver.yaml @@ -0,0 +1,27 @@ +apiVersion: v1 +kind: Pod +metadata: + name: {{ template "wekan.fullname" . }}-test + annotations: + "helm.sh/hook": test-success +spec: + containers: + - name: {{ template "wekan.fullname" . }}-test + imagePullPolicy: IfNotPresent + image: "docker.io/mesosphere/aws-cli:1.14.5" + command: + - sh + - -c + - aws s3 --endpoint-url=http://{{ include "wekan.fullname" . }} --region=us-east-1 ls + env: + - name: AWS_ACCESS_KEY_ID + valueFrom: + secretKeyRef: + name: {{ template "wekan.fullname" . }} + key: accessKey + - name: AWS_SECRET_ACCESS_KEY + valueFrom: + secretKeyRef: + name: {{ template "wekan.fullname" . }} + key: secretKey + restartPolicy: Never diff --git a/helm/wekan/values.yaml b/helm/wekan/values.yaml new file mode 100644 index 00000000..b97b0a5f --- /dev/null +++ b/helm/wekan/values.yaml @@ -0,0 +1,114 @@ +# ------------------------------------------------------------------------------ +# Wekan: +# ------------------------------------------------------------------------------ + +## Define serviceAccount names to create or use. Defaults to component's fully +## qualified name. +## +serviceAccounts: + create: true + name: "" + +## Wekan image configuration +## +image: + repository: quay.io/wekan/wekan + tag: latest + pullPolicy: IfNotPresent + +## Configuration for wekan component +## + +replicaCount: 1 + +## Specify wekan credentials +## +credentials: + accessKey: access-key + secretKey: secret-key + +## Specify log level (info, debug or trace) +## +logLevel: info + +## Specify additional environmental variables for the Deployment +## +env: {} + +service: + type: NodePort + port: 80 + annotations: {} + # prometheus.io/scrape: "true" + # prometheus.io/port: "8000" + # prometheus.io/path: "/_/monitoring/metrics" + +## Comma-separated string of allowed virtual hosts for external access. +## This should match the ingress hosts +## +endpoint: wekan.local + +ingress: + enabled: true + annotations: {} + # kubernetes.io/ingress.class: nginx + # kubernetes.io/tls-acme: "true" + path: /* + # This must match 'endpoint', unless your client supports different + # hostnames. + hosts: [ wekan.local ] + # - wekan.local + tls: [] + # - secretName: wekan-example-tls + # hosts: + # - wekan-example.local + +resources: + requests: + memory: 128Mi + cpu: 300m + limits: + memory: 1Gi + cpu: 500m + +## Node labels for pod assignment +## ref: https://kubernetes.io/docs/user-guide/node-selection/ +## +nodeSelector: {} + +## Tolerations for pod assignment +## ref: https://kubernetes.io/docs/concepts/configuration/taint-and-toleration/ +## +tolerations: [] + +## Affinity for pod assignment +## ref: https://kubernetes.io/docs/concepts/configuration/assign-pod-node/#affinity-and-anti-affinity +## +affinity: {} + +## Configure an horizontal pod autoscaler +## +autoscaling: + enabled: true + config: + minReplicas: 1 + maxReplicas: 16 + ## Note: when setting this, a `resources.request.cpu` is required. You + ## likely want to set it to `1` or some lower value. + ## + targetCPUUtilizationPercentage: 80 + +# ------------------------------------------------------------------------------ +# MongoDB: +# ------------------------------------------------------------------------------ + +mongodb-replicaset: + enabled: true + replicas: 3 + replicaSetName: rs0 + securityContext: + runAsUser: 1000 + fsGroup: 1000 + runAsNonRoot: true + #image: + # tag: 3.2.21 -- cgit v1.2.3-1-g7c22 From 34fcce60af91e9d69e671011309470ca1e00f6c1 Mon Sep 17 00:00:00 2001 From: Steve Randall Date: Mon, 4 Mar 2019 16:13:11 +0000 Subject: Delete mongodb-replicaset-3.6.4.tgz --- helm/wekan/charts/mongodb-replicaset-3.6.4.tgz | Bin 14728 -> 0 bytes 1 file changed, 0 insertions(+), 0 deletions(-) delete mode 100644 helm/wekan/charts/mongodb-replicaset-3.6.4.tgz diff --git a/helm/wekan/charts/mongodb-replicaset-3.6.4.tgz b/helm/wekan/charts/mongodb-replicaset-3.6.4.tgz deleted file mode 100644 index 3055b15d..00000000 Binary files a/helm/wekan/charts/mongodb-replicaset-3.6.4.tgz and /dev/null differ -- cgit v1.2.3-1-g7c22 From 1f1d75379132052876ffc8438172a25eb06c8f06 Mon Sep 17 00:00:00 2001 From: Steve Randall Date: Mon, 4 Mar 2019 16:13:34 +0000 Subject: Delete requirements.lock --- helm/wekan/requirements.lock | 6 ------ 1 file changed, 6 deletions(-) delete mode 100644 helm/wekan/requirements.lock diff --git a/helm/wekan/requirements.lock b/helm/wekan/requirements.lock deleted file mode 100644 index 38dd70f4..00000000 --- a/helm/wekan/requirements.lock +++ /dev/null @@ -1,6 +0,0 @@ -dependencies: -- name: mongodb-replicaset - repository: https://kubernetes-charts.storage.googleapis.com/ - version: 3.6.4 -digest: sha256:915036b66ee65022e4c4f5a088ee52eb1edcf9651adb8013105380eaf754abf5 -generated: 2019-03-04T10:59:06.655216577Z -- cgit v1.2.3-1-g7c22 From e67ed023cd20970f6c01fe93dc10b82f8356050d Mon Sep 17 00:00:00 2001 From: Steve Randall Date: Mon, 4 Mar 2019 16:26:34 +0000 Subject: Create .gitkeep --- helm/wekan/charts/.gitkeep | 1 + 1 file changed, 1 insertion(+) create mode 100644 helm/wekan/charts/.gitkeep diff --git a/helm/wekan/charts/.gitkeep b/helm/wekan/charts/.gitkeep new file mode 100644 index 00000000..8b137891 --- /dev/null +++ b/helm/wekan/charts/.gitkeep @@ -0,0 +1 @@ + -- cgit v1.2.3-1-g7c22 From 115d07da5af3ac56d49399bb1537fc7593abf6dd Mon Sep 17 00:00:00 2001 From: Stephen Randall Date: Mon, 4 Mar 2019 16:28:44 +0000 Subject: Added some notes --- helm/wekan/README.md | 9 ++++++++- helm/wekan/templates/NOTES.txt | 4 ++-- helm/wekan/values.yaml | 4 ---- 3 files changed, 10 insertions(+), 7 deletions(-) diff --git a/helm/wekan/README.md b/helm/wekan/README.md index 52da2380..072c0548 100644 --- a/helm/wekan/README.md +++ b/helm/wekan/README.md @@ -1 +1,8 @@ -# README \ No newline at end of file +# Helm Chart for Wekan + +## Features + + o Uses a MongoDB replica set by default - this allows fault-tolerant and scalable MongoDB deployment (or just set the replicas to 1 for a single server install) + + o Optional Horizontal Pod Autoscaler (HPA), so that your Wekan pods will scale automatically with increased CPU load. + diff --git a/helm/wekan/templates/NOTES.txt b/helm/wekan/templates/NOTES.txt index f2a92d61..8aa2e27b 100644 --- a/helm/wekan/templates/NOTES.txt +++ b/helm/wekan/templates/NOTES.txt @@ -14,6 +14,6 @@ echo http://$SERVICE_IP:{{ .Values.service.port }} {{- else if contains "ClusterIP" .Values.service.type }} export POD_NAME=$(kubectl get pods --namespace {{ .Release.Namespace }} -l "app={{ template "wekan.name" . }},release={{ .Release.Name }}" -o jsonpath="{.items[0].metadata.name}") - echo "Visit http://127.0.0.1:8000 to use your application" - kubectl port-forward $POD_NAME 8000:8000 + echo "Visit http://127.0.0.1:8080 to use your application" + kubectl port-forward $POD_NAME 8080:8080 {{- end }} diff --git a/helm/wekan/values.yaml b/helm/wekan/values.yaml index b97b0a5f..adc2c855 100644 --- a/helm/wekan/values.yaml +++ b/helm/wekan/values.yaml @@ -27,10 +27,6 @@ credentials: accessKey: access-key secretKey: secret-key -## Specify log level (info, debug or trace) -## -logLevel: info - ## Specify additional environmental variables for the Deployment ## env: {} -- cgit v1.2.3-1-g7c22 From 8984172ff6dd2b039e42ca0cd832cb80e37cef50 Mon Sep 17 00:00:00 2001 From: Stephen Randall Date: Mon, 4 Mar 2019 16:44:12 +0000 Subject: Readme updates --- helm/wekan/README.md | 54 ++++++++++++++++++++++++++++++++++++++++++++++++++-- 1 file changed, 52 insertions(+), 2 deletions(-) diff --git a/helm/wekan/README.md b/helm/wekan/README.md index 072c0548..d3af930c 100644 --- a/helm/wekan/README.md +++ b/helm/wekan/README.md @@ -2,7 +2,57 @@ ## Features - o Uses a MongoDB replica set by default - this allows fault-tolerant and scalable MongoDB deployment (or just set the replicas to 1 for a single server install) +o Uses a MongoDB replica set by default - this allows fault-tolerant + and scalable MongoDB deployment (or just set the replicas to 1 for + a single server install) - o Optional Horizontal Pod Autoscaler (HPA), so that your Wekan pods will scale automatically with increased CPU load. +o Optional Horizontal Pod Autoscaler (HPA), so that your Wekan pods + will scale automatically with increased CPU load. +## The configurable values (values.yaml) + +Scaling Wekan: + +```yaml +## Configuration for wekan component +## + +replicaCount: 1 +``` +**replicaCount** Will set the initial number of replicas for the Wekan pod (and container) + +```yaml +## Configure an horizontal pod autoscaler +## +autoscaling: + enabled: true + config: + minReplicas: 1 + maxReplicas: 16 + ## Note: when setting this, a `resources.request.cpu` is required. You + ## likely want to set it to `1` or some lower value. + ## + targetCPUUtilizationPercentage: 80 +``` +This section (if *enabled* is set to **true**) will enable the Kubernetes Horizontal Pod Autoscaler (HPA). + +**minReplicas:** this is the minimum number of pods to scale down to (We recommend setting this to the same value as **replicaCount**). + +**maxReplicas:** this is the maximum number of pods to scale up to. + +**targetCPUUtilizationPercentage:** This is the CPU at which the HPA will scale-out the number of Wekan pods. + +```yaml +mongodb-replicaset: + enabled: true + replicas: 3 + replicaSetName: rs0 + securityContext: + runAsUser: 1000 + fsGroup: 1000 + runAsNonRoot: true +``` + +This section controls the scale of the MongoDB redundant Replica Set. + +**replicas:** This is the number of MongoDB instances to include in the set. You can set this to 1 for a single server - this will still allow you to scale-up later with a helm upgrade. -- cgit v1.2.3-1-g7c22 From f1cde3e873ed2eb0a4fce9a073adb329b1cd9024 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 4 Mar 2019 21:27:35 +0200 Subject: - [Added a Helm Chart to the project](https://github.com/wekan/wekan/pull/2227). Thanks to TechnoTaff ! --- CHANGELOG.md | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index e9eac1dd..5693aca2 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# Upcoming Wekan release + +This release adds the following new features: + +- [Added a Helm Chart to the project](https://github.com/wekan/wekan/pull/2227). + Thanks to TechnoTaff. + +Thanks to above GitHub users for their contributions. + # v2.37 2019-03-04 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From b6b6be34f62decd6eccb8810d1596dc33f35aebe Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 4 Mar 2019 21:29:04 +0200 Subject: Update translations. --- i18n/cs.i18n.json | 86 +++++++++++++++++++++++++++---------------------------- i18n/ru.i18n.json | 12 ++++---- 2 files changed, 49 insertions(+), 49 deletions(-) diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 7c35138e..54a39350 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -1,37 +1,37 @@ { "accept": "Přijmout", "act-activity-notify": "Notifikace aktivit", - "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-createBoard": "created board __board__", - "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-createList": "added list __list__ to board __board__", - "act-addBoardMember": "added member __member__ to board __board__", - "act-archivedBoard": "Board __board__ moved to Archive", - "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", - "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", - "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", - "act-importBoard": "imported board __board__", - "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", - "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-removeBoardMember": "removed member __member__ from board __board__", - "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addAttachment": "přidal(a) přílohu __attachment__ na kartu __card__ ve sloupci __list__ ve swimlane __swimlane__ na tablu __board__", + "act-deleteAttachment": "smazal(a) přílohu __attachment__ na kartě __card__ ve sloupci __list__ ve swimlane __swimlane__ na tablu __board__", + "act-addSubtask": "přidal(a) podúkol __subtask__ na kartu __card__ ve sloupci __list__ ve swimlane __swimlane__ na tablu __board__", + "act-addLabel": "Přídán štítek __label__ na kartu __card__ ve sloupci __list__ ve swimlane __swimlane__ na tablu __board__", + "act-removeLabel": "Odstraněn štítek __label__ na kartě __card__ ve sloupci __list__ ve swimlane __swimlane__ na tablu __board__", + "act-addChecklist": "přidal(a) zaškrtávací seznam __checklist__ na kartu __card__ ve sloupci __list__ ve swimlane __swimlane__ na tablu __board__", + "act-addChecklistItem": "přidal(a) položku zaškrtávacího seznamu __checklistItem__ do zaškrtávacího seznamu __checklist__ na kartě __card__ ve sloupci __list__ ve swimlane __swimlane__ na tablu __board__", + "act-removeChecklist": "smazal(a) zaškrtávací seznam __checklist__ na kartě __card__ ve sloupci __list__ ve swimlane __swimlane__ na tablu __board__", + "act-removeChecklistItem": "smazal(a) položku zaškrtávacího seznamu __checklistItem__ ze zaškrtávacího seznamu __checklist__ na kartě __card__ ve sloupci __list__ ve swimlane __swimlane__ na tablu __board__", + "act-checkedItem": "zaškrtl(a) __checklistItem__ na zaškrtávacím seznamu __checklist__ na kartě __card__ ve sloupci __list__ ve swimlane __swimlane__ na tablu __board__", + "act-uncheckedItem": "zrušil(a) zaškrtnutí __checklistItem__ na zaškrtávacím seznamu __checklist__ na kartě __card__ ve sloupci __list__ ve swimlane __swimlane__ na tablu __board__", + "act-completeChecklist": "dokončil(a) zaškrtávací seznam __checklist__ na kartě __card__ ve sloupci __list__ ve swimlane __swimlane__ na tablu __board__", + "act-uncompleteChecklist": "zrušil(a) dokončení zaškrtávacího seznamu __checklist__ na kartě __card__ ve sloupci __list__ ve swimlane __swimlane__ na tablu __board__", + "act-addComment": "přidal(a) komentář na kartě __card__: __comment__ ve sloupci __list__ ve swimlane __swimlane__ na tablu __board__", + "act-createBoard": "přidal(a) tablo __board__", + "act-createCard": "přidal(a) kartu __card__ do sloupce __list__ ve swimlane __swimlane__ na tablu __board__", + "act-createCustomField": "vytvořil(a) vlastní pole __customField__ na kartu __card__ do sloupce __list__ ve swimlane __swimlane__ na tablu __board__", + "act-createList": "přidal(a) sloupec __list__ do tabla __board__", + "act-addBoardMember": "přidal(a) člena __member__ do tabla __board__", + "act-archivedBoard": "Tablo __board__ přesunuto do Archivu", + "act-archivedCard": "Karta __card__ ve sloupci __list__ ve swimlane __swimlane__ na tablu __board__ přesunuta do Archivu", + "act-archivedList": "Sloupec __list__ ve swimlane __swimlane__ na tablu __board__ přesunut do Archivu", + "act-archivedSwimlane": "Swimlane __swimlane__ na tablu __board__ přesunut do Archivu", + "act-importBoard": "importoval(a) tablo __board__", + "act-importCard": "importoval(a) karta __card__ do sloupce __list__ ve swimlane __swimlane__ na tablu __board__", + "act-importList": "importoval(a) sloupec __list__ do swimlane __swimlane__ na tablu __board__", + "act-joinMember": "přidal(a) člena __member__ na kartu __card__ v seznamu __list__ ve swimlane __swimlane__ na tablu __board__", + "act-moveCard": "přesunul(a) kartu __card__ ze sloupce __oldList__ ve swimlane __oldSwimlane__ na tablu __oldBoard__ do sloupce __list__ ve swimlane __swimlane__ na tablu __board__", + "act-removeBoardMember": "odstranil(a) člena __member__ z tabla __board__", + "act-restoredCard": "obnovil(a) kartu __card__ do sloupce __list__ ve swimlane __swimlane__ na tablu __board__", + "act-unjoinMember": "odstranil(a) člena __member__ z karty __card__ ve sloupci __list__ ve swimlane __swimlane__ na tablu __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Akce", @@ -56,14 +56,14 @@ "activity-unchecked-item": "nedokončen %s v seznamu %s z %s", "activity-checklist-added": "přidán checklist do %s", "activity-checklist-removed": "odstraněn checklist z %s", - "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "activity-checklist-completed": "dokončil(a) zaškrtávací seznam __checklist__ na kartě __card__ ve sloupci __list__ ve swimlane __swimlane__ na tablu __board__", "activity-checklist-uncompleted": "nedokončen seznam %s z %s", "activity-checklist-item-added": "přidána položka checklist do '%s' v %s", "activity-checklist-item-removed": "odstraněna položka seznamu do '%s' v %s", "add": "Přidat", "activity-checked-item-card": "dokončen %s v seznamu %s", "activity-unchecked-item-card": "nedokončen %s v seznamu %s", - "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "activity-checklist-completed-card": "dokončil(a) zaškrtávací seznam __checklist__ na kartě __card__ ve sloupci __list__ ve swimlane __swimlane__ na tablu __board__", "activity-checklist-uncompleted-card": "nedokončený seznam %s", "add-attachment": "Přidat přílohu", "add-board": "Přidat tablo", @@ -121,7 +121,7 @@ "boardChangeTitlePopup-title": "Přejmenovat tablo", "boardChangeVisibilityPopup-title": "Upravit viditelnost", "boardChangeWatchPopup-title": "Změnit sledování", - "boardMenuPopup-title": "Board Settings", + "boardMenuPopup-title": "Nastavení Tabla", "boards": "Tabla", "board-view": "Náhled tabla", "board-view-cal": "Kalendář", @@ -181,21 +181,21 @@ "close-board-pop": "Budete moci obnovit tablo kliknutím na tlačítko \"Archiv\" v hlavním menu.", "color-black": "černá", "color-blue": "modrá", - "color-crimson": "crimson", - "color-darkgreen": "darkgreen", + "color-crimson": "karmínová", + "color-darkgreen": "tmavě zelená", "color-gold": "zlatá", "color-gray": "šedá", "color-green": "zelená", "color-indigo": "indigo", "color-lime": "světlezelená", - "color-magenta": "magenta", + "color-magenta": "purpurová", "color-mistyrose": "mistyrose", "color-navy": "tmavě modrá", "color-orange": "oranžová", "color-paleturquoise": "paleturquoise", "color-peachpuff": "peachpuff", "color-pink": "růžová", - "color-plum": "plum", + "color-plum": "švestková", "color-purple": "fialová", "color-red": "červená", "color-saddlebrown": "saddlebrown", @@ -350,7 +350,7 @@ "set-color-list": "Nastavit barvu", "listActionPopup-title": "Vypsat akce", "swimlaneActionPopup-title": "Akce swimlane", - "swimlaneAddPopup-title": "Add a Swimlane below", + "swimlaneAddPopup-title": "Přidat swimlane dolů", "listImportCardPopup-title": "Importovat Trello kartu", "listMorePopup-title": "Více", "link-list": "Odkaz na tento sloupec", @@ -465,9 +465,9 @@ "welcome-swimlane": "Milník 1", "welcome-list1": "Základní", "welcome-list2": "Pokročilé", - "card-templates-swimlane": "Card Templates", - "list-templates-swimlane": "List Templates", - "board-templates-swimlane": "Board Templates", + "card-templates-swimlane": "Šablony Karty", + "list-templates-swimlane": "Šablony Sloupce", + "board-templates-swimlane": "Šablony Tabla", "what-to-do": "Co chcete dělat?", "wipLimitErrorPopup-title": "Neplatný WIP Limit", "wipLimitErrorPopup-dialog-pt1": "Počet úkolů v tomto sloupci je vyšší než definovaný WIP limit.", @@ -550,7 +550,7 @@ "subtask-settings": "Nastavení podúkolů", "boardSubtaskSettingsPopup-title": "Nastavení podúkolů tabla", "show-subtasks-field": "Karty mohou mít podúkoly", - "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-board": "Vložit podúkoly do tohoto tabla", "deposit-subtasks-list": "Landing list for subtasks deposited here:", "show-parent-in-minicard": "Ukázat předka na minikartě", "prefix-with-full-path": "Prefix s celou cestou", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 3d8c18a3..2819408d 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -20,16 +20,16 @@ "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", "act-addBoardMember": "added member __member__ to board __board__", - "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedBoard": "Доска __board__ перемещена в Архив", "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", - "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", - "act-importBoard": "imported board __board__", + "act-archivedSwimlane": "Дорожка __swimlane__ на доске __board__ перемещена в Архив", + "act-importBoard": "импортировал доску __board__", "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-removeBoardMember": "removed member __member__ from board __board__", + "act-moveCard": "переместил карточку __card__ из списка __oldList__ с дорожки __oldSwimlane__ доски __oldBoard__ в список __list__ на дорожку __swimlane__ доски __board__", + "act-removeBoardMember": "удалил участника __member__ с доски __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", @@ -121,7 +121,7 @@ "boardChangeTitlePopup-title": "Переименовать доску", "boardChangeVisibilityPopup-title": "Изменить настройки видимости", "boardChangeWatchPopup-title": "Режимы оповещения", - "boardMenuPopup-title": "Board Settings", + "boardMenuPopup-title": "Настройки доски", "boards": "Доски", "board-view": "Вид доски", "board-view-cal": "Календарь", -- cgit v1.2.3-1-g7c22 From 1bef3a3f8ff4eac43bf97cc8b86d85e618b0e2ef Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Tue, 5 Mar 2019 22:35:45 +0100 Subject: Fix card move with wrong swimlaneId --- client/components/lists/list.js | 8 +++++++- 1 file changed, 7 insertions(+), 1 deletion(-) diff --git a/client/components/lists/list.js b/client/components/lists/list.js index 043cb77c..868be2ce 100644 --- a/client/components/lists/list.js +++ b/client/components/lists/list.js @@ -67,7 +67,13 @@ BlazeComponent.extendComponent({ const nCards = MultiSelection.isActive() ? MultiSelection.count() : 1; const sortIndex = calculateIndex(prevCardDom, nextCardDom, nCards); const listId = Blaze.getData(ui.item.parents('.list').get(0))._id; - const swimlaneId = Blaze.getData(ui.item.parents('.swimlane').get(0))._id; + const currentBoard = Boards.findOne(Session.get('currentBoard')); + let swimlaneId = ''; + const boardView = Meteor.user().profile.boardView; + if (boardView === 'board-view-swimlanes') + swimlaneId = Blaze.getData(ui.item.parents('.swimlane').get(0))._id; + else if ((boardView === 'board-view-lists') || (boardView === 'board-view-cal')) + swimlaneId = currentBoard.getDefaultSwimline()._id; // Normally the jquery-ui sortable library moves the dragged DOM element // to its new position, which disrupts Blaze reactive updates mechanism -- cgit v1.2.3-1-g7c22 From 77754cf32f28498e550a46325d90eb41f08f8552 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Tue, 5 Mar 2019 22:48:29 +0100 Subject: Fix card deletion from archive --- models/cards.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/models/cards.js b/models/cards.js index cf64cd9b..43d2bbfe 100644 --- a/models/cards.js +++ b/models/cards.js @@ -1421,8 +1421,8 @@ function cardRemover(userId, doc) { Checklists.remove({ cardId: doc._id, }); - Subtasks.remove({ - cardId: doc._id, + Cards.remove({ + parentId: doc._id, }); CardComments.remove({ cardId: doc._id, -- cgit v1.2.3-1-g7c22 From d71543beb639df3e0bf0d75cd75447f59d9da938 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 6 Mar 2019 01:05:15 +0200 Subject: - [Fix card deletion from archive](https://github.com/wekan/wekan/commit/77754cf32f28498e550a46325d90eb41f08f8552). - [Fix card move with wrong swimlaneId](https://github.com/wekan/wekan/commit/1bef3a3f8ff4eac43bf97cc8b86d85e618b0e2ef). NOTE: This does not yet fix card move with Custom Field, it will be fixed later. Thanks to andresmanelli ! Closes wekan/wekan-snap#83, closes #2224, closes #2230, related #2233 --- CHANGELOG.md | 9 +++++++-- 1 file changed, 7 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 5693aca2..8cb3a105 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,9 +1,14 @@ # Upcoming Wekan release -This release adds the following new features: +This release adds the following new features, thanks to TechnoTaff: - [Added a Helm Chart to the project](https://github.com/wekan/wekan/pull/2227). - Thanks to TechnoTaff. + +and fixes the following bugs, thanks to andresmanelli: + +- [Fix card deletion from archive](https://github.com/wekan/wekan/commit/77754cf32f28498e550a46325d90eb41f08f8552). +- [Fix card move with wrong swimlaneId](https://github.com/wekan/wekan/commit/1bef3a3f8ff4eac43bf97cc8b86d85e618b0e2ef). + NOTE: This does not yet fix card move with Custom Field, it will be fixed later. Thanks to above GitHub users for their contributions. -- cgit v1.2.3-1-g7c22 From 6311cf0c5ab1b899dd4a60c4aaadcdb019c91ccf Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 6 Mar 2019 01:23:40 +0200 Subject: Update translations. --- i18n/de.i18n.json | 2 +- i18n/fr.i18n.json | 84 +++++++++++++++++++++++++++---------------------------- i18n/pl.i18n.json | 66 +++++++++++++++++++++---------------------- i18n/ru.i18n.json | 12 ++++---- 4 files changed, 82 insertions(+), 82 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 96a57814..2d89faaa 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "importiert Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ in Board __board__ ", "act-importList": "importiert Liste __list__ bei Swimlane __swimlane__ in Board __board__ ", "act-joinMember": "fügt Mitglied __member__ der Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__ hinzu", - "act-moveCard": "verschiebe Karte __card__ von Liste __oldList__ von Swimlane __oldSwimlane__ von Board __oldBoard__ nach Liste __list__ in Swimlane __swimlane__ zu Board __board__", + "act-moveCard": "verschiebt Karte __card__ von Liste __oldList__ von Swimlane __oldSwimlane__ von Board __oldBoard__ nach Liste __list__ in Swimlane __swimlane__ zu Board __board__", "act-removeBoardMember": "entfernte Mitglied __member__ vom Board __board__", "act-restoredCard": "wiederherstellte Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", "act-unjoinMember": "entfernte Mitglied __member__ von Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index d7e204c4..2c942ed1 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -75,11 +75,11 @@ "add-cover": "Ajouter la couverture", "add-label": "Ajouter une étiquette", "add-list": "Ajouter une liste", - "add-members": "Assigner des membres", + "add-members": "Assigner des participants", "added": "Ajouté le", - "addMemberPopup-title": "Membres", + "addMemberPopup-title": "Participants", "admin": "Admin", - "admin-desc": "Peut voir et éditer les cartes, supprimer des membres et changer les paramètres du tableau.", + "admin-desc": "Peut voir et éditer les cartes, supprimer des participants et changer les paramètres du tableau.", "admin-announcement": "Annonce", "admin-announcement-active": "Annonce destinée à tous", "admin-announcement-title": "Annonce de l'administrateur", @@ -103,7 +103,7 @@ "archives": "Archiver", "template": "Modèle", "templates": "Modèles", - "assign-member": "Affecter un membre", + "assign-member": "Affecter un participant", "attached": "joint", "attachment": "Pièce jointe", "attachment-delete-pop": "La suppression d'une pièce jointe est définitive. Elle ne peut être annulée.", @@ -141,9 +141,9 @@ "card-edit-attachments": "Modifier les pièces jointes", "card-edit-custom-fields": "Éditer les champs personnalisés", "card-edit-labels": "Gérer les étiquettes", - "card-edit-members": "Gérer les membres", + "card-edit-members": "Gérer les participants", "card-labels-title": "Modifier les étiquettes de la carte.", - "card-members-title": "Ajouter ou supprimer des membres à la carte.", + "card-members-title": "Assigner ou supprimer des participants à la carte.", "card-start": "Début", "card-start-on": "Commence le", "cardAttachmentsPopup-title": "Ajouter depuis", @@ -152,7 +152,7 @@ "cardDeletePopup-title": "Supprimer la carte ?", "cardDetailsActionsPopup-title": "Actions sur la carte", "cardLabelsPopup-title": "Étiquettes", - "cardMembersPopup-title": "Membres", + "cardMembersPopup-title": "Participants", "cardMorePopup-title": "Plus", "cardTemplatePopup-title": "Créer un modèle", "cards": "Cartes", @@ -247,7 +247,7 @@ "deleteLabelPopup-title": "Supprimer l'étiquette ?", "description": "Description", "disambiguateMultiLabelPopup-title": "Préciser l'action sur l'étiquette", - "disambiguateMultiMemberPopup-title": "Préciser l'action sur le membre", + "disambiguateMultiMemberPopup-title": "Préciser l'action sur le participant", "discard": "Mettre à la corbeille", "done": "Fait", "download": "Télécharger", @@ -263,13 +263,13 @@ "editLabelPopup-title": "Modifier l'étiquette", "editNotificationPopup-title": "Modifier la notification", "editProfilePopup-title": "Modifier le profil", - "email": "Email", + "email": "E-mail", "email-enrollAccount-subject": "Un compte a été créé pour vous sur __siteName__", "email-enrollAccount-text": "Bonjour __user__,\n\nPour commencer à utiliser ce service, il suffit de cliquer sur le lien ci-dessous.\n\n__url__\n\nMerci.", "email-fail": "Échec de l'envoi du courriel.", "email-fail-text": "Une erreur est survenue en tentant d'envoyer l'email", - "email-invalid": "Adresse email incorrecte.", - "email-invite": "Inviter par email", + "email-invalid": "Adresse e-mail incorrecte.", + "email-invite": "Inviter par e-mail", "email-invite-subject": "__inviter__ vous a envoyé une invitation", "email-invite-text": "Cher __user__,\n\n__inviter__ vous invite à rejoindre le tableau \"__board__\" pour collaborer.\n\nVeuillez suivre le lien ci-dessous :\n\n__url__\n\nMerci.", "email-resetPassword-subject": "Réinitialiser votre mot de passe sur __siteName__", @@ -280,7 +280,7 @@ "enable-wip-limit": "Activer la limite WIP", "error-board-doesNotExist": "Ce tableau n'existe pas", "error-board-notAdmin": "Vous devez être administrateur de ce tableau pour faire cela", - "error-board-notAMember": "Vous devez être membre de ce tableau pour faire cela", + "error-board-notAMember": "Vous devez être participant de ce tableau pour faire cela", "error-json-malformed": "Votre texte JSON n'est pas valide", "error-json-schema": "Vos données JSON ne contiennent pas l'information appropriée dans un format correct", "error-list-doesNotExist": "Cette liste n'existe pas", @@ -294,7 +294,7 @@ "filter-cards": "Filtrer les cartes", "filter-clear": "Supprimer les filtres", "filter-no-label": "Aucune étiquette", - "filter-no-member": "Aucun membre", + "filter-no-member": "Aucun participant", "filter-no-custom-fields": "Pas de champs personnalisés", "filter-on": "Le filtre est actif", "filter-on-desc": "Vous êtes en train de filtrer les cartes sur ce tableau. Cliquez ici pour modifier les filtres.", @@ -310,9 +310,9 @@ "link": "Lien", "import-board": "importer un tableau", "import-board-c": "Importer un tableau", - "import-board-title-trello": "Importer le tableau depuis Trello", - "import-board-title-wekan": "Importer le tableau depuis l'export précédent", - "import-sandstorm-backup-warning": "Ne supprimez pas les données que vous importez du tableau exporté d'origine ou de Trello avant de vérifier que la graine peut se fermer et s'ouvrir à nouveau, ou qu'une erreur \"Tableau introuvable\" survient, sinon vous perdrez vos données.", + "import-board-title-trello": "Importer un tableau depuis Trello", + "import-board-title-wekan": "Importer un tableau depuis un export précédent", + "import-sandstorm-backup-warning": "Ne supprimez pas les données que vous importez d'un tableau exporté d'origine ou de Trello avant de vérifier que la graine peut se fermer et s'ouvrir à nouveau ou qu'une erreur \"Tableau introuvable\" survient, sinon vous perdrez vos données.", "import-sandstorm-warning": "Le tableau importé supprimera toutes les données du tableau et les remplacera avec celles du tableau importé.", "from-trello": "Depuis Trello", "from-wekan": "Depuis un export précédent", @@ -320,15 +320,15 @@ "import-board-instruction-wekan": "Dans votre tableau, allez dans 'Menu', puis 'Exporter un tableau', et copier le texte du fichier téléchargé.", "import-board-instruction-about-errors": "Si une erreur survient en important le tableau, il se peut que l'import ait fonctionné, et que le tableau se trouve sur la page \"Tous les tableaux\".", "import-json-placeholder": "Collez ici les données JSON valides", - "import-map-members": "Faire correspondre aux membres", - "import-members-map": "Le tableau que vous venez d'importer contient des membres. Veuillez associer les membres que vous souhaitez importer à vos utilisateurs.", - "import-show-user-mapping": "Contrôler l'association des membres", - "import-user-select": "Sélectionnez l'utilisateur existant que vous voulez associer à ce membre", - "importMapMembersAddPopup-title": "Sélectionner le membre", + "import-map-members": "Assigner des participants", + "import-members-map": "Le tableau que vous venez d'importer contient des participants. Veuillez assigner les participants que vous souhaitez importer à vos utilisateurs.", + "import-show-user-mapping": "Contrôler l'assignation des participants", + "import-user-select": "Sélectionnez l'utilisateur existant que vous voulez associer à ce participant", + "importMapMembersAddPopup-title": "Sélectionner le participant", "info": "Version", "initials": "Initiales", "invalid-date": "Date invalide", - "invalid-time": "Temps invalide", + "invalid-time": "Heure invalide", "invalid-user": "Utilisateur invalide", "joined": "a rejoint", "just-invited": "Vous venez d'être invité à ce tableau", @@ -354,15 +354,15 @@ "listImportCardPopup-title": "Importer une carte Trello", "listMorePopup-title": "Plus", "link-list": "Lien vers cette liste", - "list-delete-pop": "Toutes les actions seront supprimées du fil d'activité et il ne sera plus possible de les récupérer. Cette action ne peut pas être annulée.", + "list-delete-pop": "Toutes les actions seront supprimées du fil d'activité et il ne sera plus possible de les récupérer. Cette action est irréversible.", "list-delete-suggest-archive": "Vous pouvez archiver une liste pour l'enlever du tableau tout en conservant son activité.", "lists": "Listes", "swimlanes": "Couloirs", "log-out": "Déconnexion", "log-in": "Connexion", "loginPopup-title": "Connexion", - "memberMenuPopup-title": "Préférence de membre", - "members": "Membres", + "memberMenuPopup-title": "Préférence du participant", + "members": "Participants", "menu": "Menu", "move-selection": "Déplacer la sélection", "moveCardPopup-title": "Déplacer la carte", @@ -382,7 +382,7 @@ "normal": "Normal", "normal-desc": "Peut voir et modifier les cartes. Ne peut pas changer les paramètres.", "not-accepted-yet": "L'invitation n'a pas encore été acceptée", - "notify-participate": "Recevoir les mises à jour de toutes les cartes auxquelles vous participez en tant que créateur ou que membre ", + "notify-participate": "Recevoir les mises à jour de toutes les cartes auxquelles vous participez en tant que créateur ou que participant ", "notify-watch": "Recevoir les mises à jour de tous les tableaux, listes ou cartes que vous suivez", "optional": "optionnel", "or": "ou", @@ -404,10 +404,10 @@ "remove-from-board": "Retirer du tableau", "remove-label": "Retirer l'étiquette", "listDeletePopup-title": "Supprimer la liste ?", - "remove-member": "Supprimer le membre", + "remove-member": "Supprimer le participant", "remove-member-from-card": "Supprimer de la carte", - "remove-member-pop": "Supprimer __name__ (__username__) de __boardTitle__ ? Ce membre sera supprimé de toutes les cartes du tableau et recevra une notification.", - "removeMemberPopup-title": "Supprimer le membre ?", + "remove-member-pop": "Supprimer __name__ (__username__) de __boardTitle__ ? Ce participant sera supprimé de toutes les cartes du tableau et recevra une notification.", + "removeMemberPopup-title": "Supprimer le participant ?", "rename": "Renommer", "rename-board": "Renommer le tableau", "restore": "Restaurer", @@ -421,13 +421,13 @@ "setWipLimitPopup-title": "Définir la limite WIP", "shortcut-assign-self": "Affecter cette carte à vous-même", "shortcut-autocomplete-emoji": "Auto-complétion des emoji", - "shortcut-autocomplete-members": "Auto-complétion des membres", + "shortcut-autocomplete-members": "Auto-complétion des participants", "shortcut-clear-filters": "Retirer tous les filtres", "shortcut-close-dialog": "Fermer la boîte de dialogue", "shortcut-filter-my-cards": "Filtrer mes cartes", "shortcut-show-shortcuts": "Afficher cette liste de raccourcis", - "shortcut-toggle-filterbar": "Afficher/Cacher la barre latérale des filtres", - "shortcut-toggle-sidebar": "Afficher/Cacher la barre latérale du tableau", + "shortcut-toggle-filterbar": "Afficher/Masquer la barre latérale des filtres", + "shortcut-toggle-sidebar": "Afficher/Masquer la barre latérale du tableau", "show-cards-minimum-count": "Afficher le nombre de cartes si la liste en contient plus de ", "sidebar-open": "Ouvrir le panneau", "sidebar-close": "Fermer le panneau", @@ -447,9 +447,9 @@ "time": "Temps", "title": "Titre", "tracking": "Suivi", - "tracking-info": "Vous serez notifié de toute modification concernant les cartes pour lesquelles vous êtes impliqué en tant que créateur ou membre.", + "tracking-info": "Vous serez notifié de toute modification concernant les cartes pour lesquelles vous êtes impliqué en tant que créateur ou participant.", "type": "Type", - "unassign-member": "Retirer le membre", + "unassign-member": "Retirer le participant", "unsaved-description": "Vous avez une description non sauvegardée", "unwatch": "Arrêter de suivre", "upload": "Télécharger", @@ -480,7 +480,7 @@ "invite": "Inviter", "invite-people": "Inviter une personne", "to-boards": "Au(x) tableau(x)", - "email-addresses": "Adresses email", + "email-addresses": "Adresses mail", "smtp-host-description": "L'adresse du serveur SMTP qui gère vos mails.", "smtp-port-description": "Le port des mails sortants du serveur SMTP.", "smtp-tls-description": "Activer la gestion de TLS sur le serveur SMTP", @@ -494,7 +494,7 @@ "invitation-code": "Code d'invitation", "email-invite-register-subject": "__inviter__ vous a envoyé une invitation", "email-invite-register-text": "Cher __user__,\n\n__inviter__ vous invite à le rejoindre sur le tableau kanban pour collaborer.\n\nVeuillez suivre le lien ci-dessous :\n__url__\n\nVotre code d'invitation est : __icode__\n\nMerci.", - "email-smtp-test-subject": "Email de test SMTP", + "email-smtp-test-subject": "E-mail de test SMTP", "email-smtp-test-text": "Vous avez envoyé un mail avec succès", "error-invitation-code-not-exist": "Ce code d'invitation n'existe pas.", "error-notAuthorized": "Vous n'êtes pas autorisé à accéder à cette page.", @@ -592,8 +592,8 @@ "r-when-a-label-is": "Quand une étiquette est", "r-when-the-label-is": "Quand l'étiquette est", "r-list-name": "Nom de la liste", - "r-when-a-member": "Quand un membre est", - "r-when-the-member": "Quand le membre", + "r-when-a-member": "Quand un participant est", + "r-when-the-member": "Quand le participant", "r-name": "nom", "r-when-a-attach": "Quand une pièce jointe", "r-when-a-checklist": "Quand une checklist est", @@ -614,7 +614,7 @@ "r-add": "Ajouter", "r-remove": "Supprimer", "r-label": "étiquette", - "r-member": "membre", + "r-member": "participant", "r-remove-all": "Supprimer tous les membres de la carte", "r-set-color": "Définir la couleur à", "r-checklist": "checklist", @@ -644,9 +644,9 @@ "r-create-card": "Créer une nouvelle carte", "r-in-list": "dans la liste", "r-in-swimlane": "Dans le couloir", - "r-d-add-member": "Ajouter un membre", - "r-d-remove-member": "Supprimer un membre", - "r-d-remove-all-member": "Supprimer tous les membres", + "r-d-add-member": "Ajouter un participant", + "r-d-remove-member": "Supprimer un participant", + "r-d-remove-all-member": "Supprimer tous les participants", "r-d-check-all": "Cocher tous les éléments d'une liste", "r-d-uncheck-all": "Décocher tous les éléments d'une liste", "r-d-check-one": "Cocher l'élément", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 292c966c..74da5b1c 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -1,37 +1,37 @@ { "accept": "Akceptuj", "act-activity-notify": "Powiadomienia aktywności", - "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-createBoard": "created board __board__", - "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-createList": "added list __list__ to board __board__", - "act-addBoardMember": "added member __member__ to board __board__", - "act-archivedBoard": "Board __board__ moved to Archive", - "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", - "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", - "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", - "act-importBoard": "imported board __board__", - "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", - "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-removeBoardMember": "removed member __member__ from board __board__", - "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addAttachment": "Dodano załącznik __attachment__ do karty __card__ na liście __list__ w diagramie czynności __swimlane__ na tablicy __board__", + "act-deleteAttachment": "Usunięto załącznik __attachment__ na karcie __card__ na liście __list__ w diagramie czynności __swimlane__ na tablicy __board__", + "act-addSubtask": "Dodane podzadanie __subtask__ na karcie __card__ na liście __list__ w diagramie czynności __swimlane__ na tablicy __board__", + "act-addLabel": "Dodano etykietę __label__ do karty __card__ na liście __list__ w diagramie czynności __swimlane__ na tablicy __board__", + "act-removeLabel": "Usunięto etykietę __label__ z karty __card__ na liście __list__ w diagramie czynności __swimlane__ na tablicy __board__", + "act-addChecklist": "Dodano listę zadań __checklist__ do karty __card__ na liście __list__ w diagramie czynności __swimlane__ na tablicy __board__", + "act-addChecklistItem": "Dodano element listy zadań __checklistItem__ do listy zadań __checklist__ na karcie __card__ na liście __list__ na diagramie czynności __swimlane__ na tablicy __board__", + "act-removeChecklist": "Usunięto listę zadań __checklist__ z karty __card__ na liście __list__ na diagramie czynności __swimlane__ na tablicy __board__", + "act-removeChecklistItem": "Usunięto element listy zadań __checklistItem__ z listy zadań __checkList__ na karcie __card__ na liście __list__ na diagramie czynności __swimlane__ na tablicy __board__", + "act-checkedItem": "Zaznaczono __checklistItem__ na liście zadań __checklist__ na karcie __card__ na liście __list__ na diagramie czynności __swimlane__ na tablicy __board__", + "act-uncheckedItem": "Odznaczono __checklistItem__ na liście __checklist__ na karcie __card__ na liście __list__ na diagramie czynności __swimlane__ na tablicy __board__", + "act-completeChecklist": "Wykonano wszystkie zadania z listy __checklist__ na karcie __card__ na liście __list__ na diagramie czynności__ na tablicy __board__", + "act-uncompleteChecklist": "Wycofano ukończenie wykonania listy __checklist__ na karcie __card__ na liście __list__ na diagramie czynności__ na tablicy __board__", + "act-addComment": "Dodano komentarz na karcie __card__: __comment__ na liście __list__ na diagramie czynności __swimlane__ na tablicy __board__", + "act-createBoard": "Utworzono tablicę __board__", + "act-createCard": "Utworzono kartę __card__ na liście __list__ na diagramie czynności __swimlane__ na tablicy __board__", + "act-createCustomField": "Utworzono niestandardowe pole __customField__ na karcie __card__ na liście __list__ na diagramie czynności__ na tablicy __board__", + "act-createList": "Dodano listę __list__ do tablicy __board__", + "act-addBoardMember": "Dodano użytykownika __member__ do tablicy __board__", + "act-archivedBoard": "Tablica __board__ została przeniesiona do Archiwum", + "act-archivedCard": "Karta __card__ na liście __list__ na diagramie czynności __swimlane__ na tablicy __board__ została przeniesiona do Archiwum", + "act-archivedList": "Lista __list__ na diagramie czynności __swimlane__ na tablicy __board__ została przeniesiona do Archiwum", + "act-archivedSwimlane": "Diagram czynności __swimlane__ na tablicy __board__ został przeniesiony do Archiwum", + "act-importBoard": "Zaimportowano tablicę __board__", + "act-importCard": "Zaimportowano kartę __card__ do listy __list__ na diagramie czynności __swimlane__ na tablicy __board__", + "act-importList": "Zaimportowano listę __list__ na diagram czynności __swimlane__ do tablicy __board__", + "act-joinMember": "Dodano użytkownika __member__ do karty __card__ na liście __list__ na diagramie czynności __swimlane__ na tablicy __board__", + "act-moveCard": "Przeniesiono kartę __card__ z listy __oldList__ na diagramie czynności __oldSwimlane__ na tablicy __oldBoard__ do listy __listy__ na diagramie czynności __swimlane__ na tablicy __board__", + "act-removeBoardMember": "Usunięto użytkownika __member__ z tablicy __board__", + "act-restoredCard": "Przywrócono kartę __card__ na listę __list__ na diagram czynności__ na tablicy __board__", + "act-unjoinMember": "Usunięto użytkownika __member__ z karty __card__ na liście __list__ na diagramie czynności __swimlane__ na tablicy __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Akcje", @@ -56,14 +56,14 @@ "activity-unchecked-item": "odznaczono %s w liście zadań %s z %s", "activity-checklist-added": "dodał(a) listę zadań do %s", "activity-checklist-removed": "usunięto listę zadań z %s", - "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "activity-checklist-completed": "Wykonano wszystkie zadania z listy __checklist__ na karcie __card__ na liście __list__ na diagramie czynności__ na tablicy __board__", "activity-checklist-uncompleted": "nieukończono listy zadań %s z %s", "activity-checklist-item-added": "dodał(a) zadanie '%s' do %s", "activity-checklist-item-removed": "usunięto element z listy zadań '%s' w %s", "add": "Dodaj", "activity-checked-item-card": "zaznaczono %s w liście zadań %s", "activity-unchecked-item-card": "odznaczono %s w liście zadań %s", - "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "activity-checklist-completed-card": "Wykonano wszystkie zadania z listy __checklist__ na karcie __card__ na liście __list__ na diagramie czynności__ na tablicy __board__", "activity-checklist-uncompleted-card": "nieukończono listy zadań %s", "add-attachment": "Dodaj załącznik", "add-board": "Dodaj tablicę", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 2819408d..0db71a82 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -15,22 +15,22 @@ "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-createBoard": "created board __board__", + "act-createBoard": "создал доску __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-createList": "added list __list__ to board __board__", - "act-addBoardMember": "added member __member__ to board __board__", + "act-createList": "добавил список __list__ на доску __board__", + "act-addBoardMember": "добавил участника __member__ на доску __board__", "act-archivedBoard": "Доска __board__ перемещена в Архив", - "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedCard": "Карточка __card__ из списка __list__ с дорожки __swimlane__ доски __board__ перемещена в Архив", "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", "act-archivedSwimlane": "Дорожка __swimlane__ на доске __board__ перемещена в Архив", "act-importBoard": "импортировал доску __board__", "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-importList": "импортировал список __list__ на дорожку __swimlane__ доски __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-moveCard": "переместил карточку __card__ из списка __oldList__ с дорожки __oldSwimlane__ доски __oldBoard__ в список __list__ на дорожку __swimlane__ доски __board__", "act-removeBoardMember": "удалил участника __member__ с доски __board__", - "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-restoredCard": "восстановил карточку __card__ в список __list__ на дорожку __swimlane__ доски __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", -- cgit v1.2.3-1-g7c22 From 002fd411eab4e27c2485ed9ea4d2733b01d11896 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 6 Mar 2019 01:27:40 +0200 Subject: [Fix: LDAP Authentication with Recursive Group Filtering Does Not Work on Snap](https://github.com/wekan/wekan/issues/2228). Thanks to apages2 ! Closes #2228, closes wekan/wekan-ldap#23 --- snap-src/bin/config | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/snap-src/bin/config b/snap-src/bin/config index 9945cd5a..17f7fec0 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -264,7 +264,7 @@ KEY_LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT="ldap-group-filter-member-format" DESCRIPTION_LDAP_GROUP_FILTER_GROUP_NAME="ldap-group-filter-group-name. Default: ''" DEFAULT_LDAP_GROUP_FILTER_GROUP_NAME="" -KEY_LDAP_GROUP_FILTER_GROUP_NAME="ldap-group-filter-member-format" +KEY_LDAP_GROUP_FILTER_GROUP_NAME="ldap-group-filter-member-name" DESCRIPTION_LDAP_UNIQUE_IDENTIFIER_FIELD="This field is sometimes class GUID (Globally Unique Identifier)" DEFAULT_LDAP_UNIQUE_IDENTIFIER_FIELD="" -- cgit v1.2.3-1-g7c22 From 1dc0d0c12ea6f3647488504768d8011ae5771080 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 6 Mar 2019 01:34:58 +0200 Subject: Update changelog. --- CHANGELOG.md | 9 +++++---- 1 file changed, 5 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 8cb3a105..b97d7995 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,11 +4,12 @@ This release adds the following new features, thanks to TechnoTaff: - [Added a Helm Chart to the project](https://github.com/wekan/wekan/pull/2227). -and fixes the following bugs, thanks to andresmanelli: +and fixes the following bugs: -- [Fix card deletion from archive](https://github.com/wekan/wekan/commit/77754cf32f28498e550a46325d90eb41f08f8552). -- [Fix card move with wrong swimlaneId](https://github.com/wekan/wekan/commit/1bef3a3f8ff4eac43bf97cc8b86d85e618b0e2ef). - NOTE: This does not yet fix card move with Custom Field, it will be fixed later. +- [Fix card deletion from archive](https://github.com/wekan/wekan/commit/77754cf32f28498e550a46325d90eb41f08f8552). Thanks to andresmanelli. +- [Fix card move with wrong swimlaneId](https://github.com/wekan/wekan/commit/1bef3a3f8ff4eac43bf97cc8b86d85e618b0e2ef). Thanks to andresmanelli. + NOTE: This does not yet fix card move [with Custom Field](https://github.com/wekan/wekan/issues/2233), it will be fixed later. +- [Fix: LDAP Authentication with Recursive Group Filtering Does Not Work on Snap](https://github.com/wekan/wekan/issues/2228). Thanks to apages2. Thanks to above GitHub users for their contributions. -- cgit v1.2.3-1-g7c22 From df00776e6ca47080435eca9a31a16fd24c0770ed Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 6 Mar 2019 01:42:30 +0200 Subject: Use ubuntu:cosmic base in Dockerfile. Thanks to xet7 ! --- Dockerfile | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/Dockerfile b/Dockerfile index ba31d20f..f4ed9757 100644 --- a/Dockerfile +++ b/Dockerfile @@ -1,4 +1,4 @@ -FROM debian:buster-slim +FROM ubuntu:cosmic LABEL maintainer="wekan" # Declare Arguments -- cgit v1.2.3-1-g7c22 From 30bf430a913b55a15d8292429371e9416af69290 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 6 Mar 2019 01:44:47 +0200 Subject: - [Use ubuntu:cosmic base in Dockerfile](https://github.com/wekan/wekan/commit/df00776e6ca47080435eca9a31a16fd24c0770ed). Thanks to xet7. --- CHANGELOG.md | 1 + 1 file changed, 1 insertion(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index b97d7995..92919f29 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -10,6 +10,7 @@ and fixes the following bugs: - [Fix card move with wrong swimlaneId](https://github.com/wekan/wekan/commit/1bef3a3f8ff4eac43bf97cc8b86d85e618b0e2ef). Thanks to andresmanelli. NOTE: This does not yet fix card move [with Custom Field](https://github.com/wekan/wekan/issues/2233), it will be fixed later. - [Fix: LDAP Authentication with Recursive Group Filtering Does Not Work on Snap](https://github.com/wekan/wekan/issues/2228). Thanks to apages2. +- [Use ubuntu:cosmic base in Dockerfile](https://github.com/wekan/wekan/commit/df00776e6ca47080435eca9a31a16fd24c0770ed). Thanks to xet7. Thanks to above GitHub users for their contributions. -- cgit v1.2.3-1-g7c22 From a45ccf1db7bc07b059b30ac378830e23c09eae40 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 6 Mar 2019 01:56:32 +0200 Subject: [Remove phantomjs binary from Docker/Snap/Stackerfile to reduce size](https://github.com/wekan/wekan/issues/2229). Thanks to soohwa ! Closes #2229 --- Dockerfile | 1 + snapcraft.yaml | 2 +- stacksmith/user-scripts/build.sh | 1 + 3 files changed, 3 insertions(+), 1 deletion(-) diff --git a/Dockerfile b/Dockerfile index f4ed9757..7461797c 100644 --- a/Dockerfile +++ b/Dockerfile @@ -293,6 +293,7 @@ RUN \ gosu wekan:wekan /home/wekan/.meteor/meteor npm install && \ gosu wekan:wekan /home/wekan/.meteor/meteor build --directory /home/wekan/app_build && \ cp /home/wekan/app/fix-download-unicode/cfs_access-point.txt /home/wekan/app_build/bundle/programs/server/packages/cfs_access-point.js && \ + rm /home/wekan/app_build/bundle/programs/server/npm/node_modules/meteor/rajit_bootstrap3-datepicker/lib/bootstrap-datepicker/node_modules/phantomjs-prebuilt/lib/phantom/bin/phantomjs && \ chown wekan:wekan /home/wekan/app_build/bundle/programs/server/packages/cfs_access-point.js && \ #Removed binary version of bcrypt because of security vulnerability that is not fixed yet. #https://github.com/wekan/wekan/commit/4b2010213907c61b0e0482ab55abb06f6a668eac diff --git a/snapcraft.yaml b/snapcraft.yaml index be6d0586..07c65e5a 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -206,7 +206,7 @@ parts: cp -r .build/bundle/* $SNAPCRAFT_PART_INSTALL/ cp .build/bundle/.node_version.txt $SNAPCRAFT_PART_INSTALL/ rm $SNAPCRAFT_PART_INSTALL/lib/node_modules/wekan - execstack --clear-execstack $SNAPCRAFT_PART_INSTALL/programs/server/npm/node_modules/meteor/rajit_bootstrap3-datepicker/lib/bootstrap-datepicker/node_modules/phantomjs-prebuilt/lib/phantom/bin/phantomjs + rm $SNAPCRAFT_PART_INSTALL/programs/server/npm/node_modules/meteor/rajit_bootstrap3-datepicker/lib/bootstrap-datepicker/node_modules/phantomjs-prebuilt/lib/phantom/bin/phantomjs organize: README: README.wekan prime: diff --git a/stacksmith/user-scripts/build.sh b/stacksmith/user-scripts/build.sh index 2c55d4f0..86283202 100755 --- a/stacksmith/user-scripts/build.sh +++ b/stacksmith/user-scripts/build.sh @@ -92,6 +92,7 @@ sudo -u wekan ${meteor} npm install sudo -u wekan ${meteor} build --directory /home/wekan/app_build sudo cp /home/wekan/app/fix-download-unicode/cfs_access-point.txt /home/wekan/app_build/bundle/programs/server/packages/cfs_access-point.js sudo chown wekan:wekan /home/wekan/app_build/bundle/programs/server/packages/cfs_access-point.js +sudo rm /home/wekan/app_build/bundle/programs/server/npm/node_modules/meteor/rajit_bootstrap3-datepicker/lib/bootstrap-datepicker/node_modules/phantomjs-prebuilt/lib/phantom/bin/phantomjs cd /home/wekan/app_build/bundle/programs/server/ sudo npm install sudo chown -R wekan:wekan ./node_modules -- cgit v1.2.3-1-g7c22 From a024b6d6929e77abd4f114a135af21134a0318e4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 6 Mar 2019 02:00:31 +0200 Subject: Update changelog. --- CHANGELOG.md | 1 + 1 file changed, 1 insertion(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 92919f29..09949006 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -11,6 +11,7 @@ and fixes the following bugs: NOTE: This does not yet fix card move [with Custom Field](https://github.com/wekan/wekan/issues/2233), it will be fixed later. - [Fix: LDAP Authentication with Recursive Group Filtering Does Not Work on Snap](https://github.com/wekan/wekan/issues/2228). Thanks to apages2. - [Use ubuntu:cosmic base in Dockerfile](https://github.com/wekan/wekan/commit/df00776e6ca47080435eca9a31a16fd24c0770ed). Thanks to xet7. +- [Remove phantomjs binary from Docker/Snap/Stackerfile to reduce size](https://github.com/wekan/wekan/issues/2229). Thanks to soohwa. Thanks to above GitHub users for their contributions. -- cgit v1.2.3-1-g7c22 From 7e451d9033eb6162cd37de3e5ffabdc22e272948 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 6 Mar 2019 02:47:27 +0200 Subject: [Add support for admin status sync](https://github.com/wekan/wekan-ldap/pull/40). Examples: LDAP_SYNC_ADMIN_STATUS=true, LDAP_SYNC_ADMIN_GROUP=group1,group2 Thanks to JulianJacobi and xet7 ! --- Dockerfile | 4 ++++ docker-compose.yml | 6 ++++++ releases/virtualbox/start-wekan.sh | 4 ++++ snap-src/bin/config | 10 +++++++++- snap-src/bin/wekan-help | 38 ++++++++++++++++++++++---------------- start-wekan.bat | 6 ++++++ start-wekan.sh | 4 ++++ 7 files changed, 55 insertions(+), 17 deletions(-) diff --git a/Dockerfile b/Dockerfile index 7461797c..58a1b629 100644 --- a/Dockerfile +++ b/Dockerfile @@ -75,6 +75,8 @@ ARG LDAP_SYNC_USER_DATA ARG LDAP_SYNC_USER_DATA_FIELDMAP ARG LDAP_SYNC_GROUP_ROLES ARG LDAP_DEFAULT_DOMAIN +ARG LDAP_SYNC_ADMIN_STATUS +ARG LDAP_SYNC_ADMIN_GROUPS ARG LOGOUT_WITH_TIMER ARG LOGOUT_IN ARG LOGOUT_ON_HOURS @@ -159,6 +161,8 @@ ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential pyth LDAP_SYNC_USER_DATA_FIELDMAP="" \ LDAP_SYNC_GROUP_ROLES="" \ LDAP_DEFAULT_DOMAIN="" \ + LDAP_SYNC_ADMIN_STATUS="" \ + LDAP_SYNC_ADMIN_GROUPS="" \ LOGOUT_WITH_TIMER=false \ LOGOUT_IN="" \ LOGOUT_ON_HOURS="" \ diff --git a/docker-compose.yml b/docker-compose.yml index c5eb74b0..9646a012 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -501,6 +501,12 @@ services: # LDAP_DEFAULT_DOMAIN : The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP # example : #- LDAP_DEFAULT_DOMAIN= + # + # Enable/Disable syncing of admin status based on ldap groups: + #- LDAP_SYNC_ADMIN_STATUS=true + # + # Comma separated list of admin group names to sync. + #- LDAP_SYNC_ADMIN_GROUPS=group1,group2 #--------------------------------------------------------------------- # ==== LOGOUT TIMER, probably does not work yet ==== # LOGOUT_WITH_TIMER : Enables or not the option logout with timer diff --git a/releases/virtualbox/start-wekan.sh b/releases/virtualbox/start-wekan.sh index e04209d0..08c79778 100755 --- a/releases/virtualbox/start-wekan.sh +++ b/releases/virtualbox/start-wekan.sh @@ -247,6 +247,10 @@ # LDAP_DEFAULT_DOMAIN : The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP # example : #export LDAP_DEFAULT_DOMAIN= + # Enable/Disable syncing of admin status based on ldap groups: + #export LDAP_SYNC_ADMIN_STATUS=true + # Comma separated list of admin group names. + #export LDAP_SYNC_ADMIN_GROUPS=group1,group2 # LOGOUT_WITH_TIMER : Enables or not the option logout with timer # example : LOGOUT_WITH_TIMER=true #export LOGOUT_WITH_TIMER= diff --git a/snap-src/bin/config b/snap-src/bin/config index 17f7fec0..3e32c221 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -3,7 +3,7 @@ # All supported keys are defined here together with descriptions and default values # list of supported keys -keys="DEBUG MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API EMAIL_NOTIFICATION_TIMEOUT CORS MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT OAUTH2_ID_MAP OAUTH2_USERNAME_MAP OAUTH2_FULLNAME_MAP OAUTH2_EMAIL_MAP LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_FULLNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN LDAP_EMAIL_MATCH_ENABLE LDAP_EMAIL_MATCH_REQUIRE LDAP_EMAIL_MATCH_VERIFIED LDAP_EMAIL_FIELD LOGOUT_WITH_TIMER LOGOUT_IN LOGOUT_ON_HOURS LOGOUT_ON_MINUTES DEFAULT_AUTHENTICATION_METHOD" +keys="DEBUG MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API EMAIL_NOTIFICATION_TIMEOUT CORS MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT OAUTH2_ID_MAP OAUTH2_USERNAME_MAP OAUTH2_FULLNAME_MAP OAUTH2_EMAIL_MAP LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_FULLNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN LDAP_EMAIL_MATCH_ENABLE LDAP_EMAIL_MATCH_REQUIRE LDAP_EMAIL_MATCH_VERIFIED LDAP_EMAIL_FIELD LDAP_SYNC_ADMIN_STATUS LDAP_SYNC_ADMIN_GROUPS LOGOUT_WITH_TIMER LOGOUT_IN LOGOUT_ON_HOURS LOGOUT_ON_MINUTES DEFAULT_AUTHENTICATION_METHOD" # default values DESCRIPTION_DEBUG="Debug OIDC OAuth2 etc. Example: sudo snap set wekan debug='true'" @@ -314,6 +314,14 @@ DESCRIPTION_LDAP_SYNC_GROUP_ROLES="ldap-sync-group-roles . Default: '' (empty)." DEFAULT_LDAP_SYNC_GROUP_ROLES="" KEY_LDAP_SYNC_GROUP_ROLES="ldap-sync-group-roles" +DESCRIPTION_LDAP_SYNC_ADMIN_STATUS="Enable/Disable syncing of admin status based on LDAP groups. Example: true" +DEFAULT_LDAP_SYNC_ADMIN_STATUS="" +KEY_LDAP_SYNC_ADMIN_STATUS="ldap-sync-admin-status" + +DESCRIPTION_LDAP_SYNC_ADMIN_GROUPS="Comma separated list of admin group names to sync. Example: group1, group2" +DEFAULT_LDAP_SYNC_ADMIN_GROUPS="" +KEY_LDAP_SYNC_ADMIN_GROUPS="ldap-sync-admin-groups" + DESCRIPTION_LDAP_DEFAULT_DOMAIN="The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP" DEFAULT_LDAP_DEFAULT_DOMAIN="" KEY_LDAP_DEFAULT_DOMAIN="ldap-default-domain" diff --git a/snap-src/bin/wekan-help b/snap-src/bin/wekan-help index 8d88527f..e1945357 100755 --- a/snap-src/bin/wekan-help +++ b/snap-src/bin/wekan-help @@ -297,22 +297,28 @@ echo -e "Ldap Default Domain." echo -e "The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP:" echo -e "\t$ snap set $SNAP_NAME ldap-default-domain=''" echo -e "\n" -# echo -e "Logout with timer." -# echo -e "Enable or not the option that allows to disconnect an user after a given time:" -# echo -e "\t$ snap set $SNAP_NAME logout-with-timer='true'" -# echo -e "\n" -# echo -e "Logout in." -# echo -e "Logout in how many days:" -# echo -e "\t$ snap set $SNAP_NAME logout-in='1'" -# echo -e "\n" -# echo -e "Logout on hours." -# echo -e "Logout in how many hours:" -# echo -e "\t$ snap set $SNAP_NAME logout-on-hours='9'" -# echo -e "\n" -# echo -e "Logout on minutes." -# echo -e "Logout in how many minutes:" -# echo -e "\t$ snap set $SNAP_NAME logout-on-minutes='5'" -# echo -e "\n" +echo -e "Enable/Disable syncing of admin status based on LDAP groups." +echo -e "\t$ snap set $SNAP_NAME ldap-sync-admin-status='true'" +echo -e "\n" +echo -e "Comma separated list of admin group names to sync." +echo -e "\t$ snap set $SNAP_NAME ldap-sync-admin-groups='group1,group2'" +echo -e "\n" +echo -e "Logout with timer." +echo -e "Enable or not the option that allows to disconnect an user after a given time:" +echo -e "\t$ snap set $SNAP_NAME logout-with-timer='true'" +echo -e "\n" +echo -e "Logout in." +echo -e "Logout in how many days:" +echo -e "\t$ snap set $SNAP_NAME logout-in='1'" +echo -e "\n" +echo -e "Logout on hours." +echo -e "Logout in how many hours:" +echo -e "\t$ snap set $SNAP_NAME logout-on-hours='9'" +echo -e "\n" +echo -e "Logout on minutes." +echo -e "Logout in how many minutes:" +echo -e "\t$ snap set $SNAP_NAME logout-on-minutes='5'" +echo -e "\n" echo -e "Default authentication method." echo -e "The default authentication method used if a user does not exist to create and authenticate. Method can be password or ldap." echo -e "\t$ snap set $SNAP_NAME default-authentication-method='ldap'" diff --git a/start-wekan.bat b/start-wekan.bat index eebfa607..229bf2db 100755 --- a/start-wekan.bat +++ b/start-wekan.bat @@ -248,6 +248,12 @@ REM # LDAP_DEFAULT_DOMAIN : The default domain of the ldap it is used to create REM # example : REM SET LDAP_DEFAULT_DOMAIN= +REM # Enable/Disable syncing of admin status based on ldap groups: +REM SET LDAP_SYNC_ADMIN_STATUS=true + +REM # Comma separated list of admin group names to sync. +REM SET LDAP_SYNC_ADMIN_GROUPS=group1,group2 + REM ------------------------------------------------ REM # LOGOUT_WITH_TIMER : Enables or not the option logout with timer diff --git a/start-wekan.sh b/start-wekan.sh index 7b7cd6a9..78084c1c 100755 --- a/start-wekan.sh +++ b/start-wekan.sh @@ -265,6 +265,10 @@ function wekan_repo_check(){ # LDAP_DEFAULT_DOMAIN : The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP # example : #export LDAP_DEFAULT_DOMAIN= + # Enable/Disable syncing of admin status based on ldap groups: + #export LDAP_SYNC_ADMIN_STATUS=true + # Comma separated list of admin group names to sync. + #export LDAP_SYNC_ADMIN_GROUPS=group1,group2 # LOGOUT_WITH_TIMER : Enables or not the option logout with timer # example : LOGOUT_WITH_TIMER=true #export LOGOUT_WITH_TIMER= -- cgit v1.2.3-1-g7c22 From cb986912c4dcff8030e275f0d2da800cc1f88ac0 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 6 Mar 2019 02:55:13 +0200 Subject: [Added support for LDAP admin status sync](https://github.com/wekan/wekan-ldap/pull/40). Examples: LDAP_SYNC_ADMIN_STATUS=true, LDAP_SYNC_ADMIN_GROUP=group1,group2 (https://github.com/wekan/wekan/commit/7e451d9033eb6162cd37de3e5ffabdc22e272948). Thanks to JulianJacobi and xet7. --- CHANGELOG.md | 9 ++++++--- 1 file changed, 6 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 09949006..75194edb 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,8 +1,11 @@ # Upcoming Wekan release -This release adds the following new features, thanks to TechnoTaff: +This release adds the following new features: -- [Added a Helm Chart to the project](https://github.com/wekan/wekan/pull/2227). +- [Added a Helm Chart to the project](https://github.com/wekan/wekan/pull/2227), thanks to TechnoTaff. +- [Added support for LDAP admin status sync](https://github.com/wekan/wekan-ldap/pull/40). + Examples: LDAP_SYNC_ADMIN_STATUS=true, LDAP_SYNC_ADMIN_GROUP=group1,group2 (https://github.com/wekan/wekan/commit/7e451d9033eb6162cd37de3e5ffabdc22e272948). + Thanks to JulianJacobi and xet7. and fixes the following bugs: @@ -13,7 +16,7 @@ and fixes the following bugs: - [Use ubuntu:cosmic base in Dockerfile](https://github.com/wekan/wekan/commit/df00776e6ca47080435eca9a31a16fd24c0770ed). Thanks to xet7. - [Remove phantomjs binary from Docker/Snap/Stackerfile to reduce size](https://github.com/wekan/wekan/issues/2229). Thanks to soohwa. -Thanks to above GitHub users for their contributions. +Thanks to above GitHub users for their contributions, and translators for their translations. # v2.37 2019-03-04 Wekan release -- cgit v1.2.3-1-g7c22 From aadb1f3109ac5812f48462eb64ef592092471de3 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 6 Mar 2019 03:07:50 +0200 Subject: v2.38 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 75194edb..62279e0e 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.38 2019-03-06 Wekan release This release adds the following new features: diff --git a/Stackerfile.yml b/Stackerfile.yml index f4f1f655..02bebae3 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.37.0" +appVersion: "v2.38.0" files: userUploads: - README.md diff --git a/package.json b/package.json index cd5260a5..57b6b75d 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.37.0", + "version": "v2.38.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 4933796e..8ba296e4 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 239, + appVersion = 240, # Increment this for every release. - appMarketingVersion = (defaultText = "2.37.0~2019-03-04"), + appMarketingVersion = (defaultText = "2.38.0~2019-03-06"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 5f76695298bca4b48466b1b2c73529c64c24c35b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 6 Mar 2019 03:12:27 +0200 Subject: Update release scripts. --- releases/rebuild-release.sh | 13 +++-- releases/rebuild-wekan.sh | 130 ++++++++++++++++++++++++++++++++++++++++++ releases/release-sandstorm.sh | 3 +- releases/release-snap.sh | 3 +- releases/release.sh | 6 +- 5 files changed, 144 insertions(+), 11 deletions(-) create mode 100755 releases/rebuild-wekan.sh diff --git a/releases/rebuild-release.sh b/releases/rebuild-release.sh index 9000334b..ce3d445d 100755 --- a/releases/rebuild-release.sh +++ b/releases/rebuild-release.sh @@ -5,11 +5,14 @@ rm -rf packages mkdir -p ~/repos/wekan/packages cd ~/repos/wekan/packages - git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-flow-router - git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core - git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git - git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git - git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git + git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-flow-router + git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core + git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git + git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git + git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git + git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-oidc.git + mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan_accounts-oidc + mv meteor-accounts-oidc/packages/switch_oidc wekan_oidc if [[ "$OSTYPE" == "darwin"* ]]; then echo "sed at macOS"; diff --git a/releases/rebuild-wekan.sh b/releases/rebuild-wekan.sh new file mode 100755 index 00000000..ed439696 --- /dev/null +++ b/releases/rebuild-wekan.sh @@ -0,0 +1,130 @@ +#!/bin/bash + +echo "Note: If you use other locale than en_US.UTF-8 , you need to additionally install en_US.UTF-8" +echo " with 'sudo dpkg-reconfigure locales' , so that MongoDB works correctly." +echo " You can still use any other locale as your main locale." + +X64NODE="https://releases.wekan.team/node-v8.11.3-linux-x64.tar.gz" + +function pause(){ + read -p "$*" +} + +echo +PS3='Please enter your choice: ' +options=("Install Wekan dependencies" "Build Wekan" "Quit") +select opt in "${options[@]}" +do + case $opt in + "Install Wekan dependencies") + + if [[ "$OSTYPE" == "linux-gnu" ]]; then + echo "Linux"; + + if [ "$(grep -Ei 'buntu|mint' /etc/*release)" ]; then + sudo apt install -y build-essential git curl wget +# sudo apt -y install nodejs npm +# sudo npm -g install n +# sudo n 8.11.3 + fi + +# if [ "$(grep -Ei 'debian' /etc/*release)" ]; then +# sudo apt install -y build-essential git curl wget +# echo "Debian, or Debian on Windows Subsystem for Linux" +# curl -sL https://deb.nodesource.com/setup_8.x | sudo -E bash - +# sudo apt install -y nodejs +# fi + + # TODO: Add Sandstorm for version of Node.js install + #MACHINE_TYPE=`uname -m` + #if [ ${MACHINE_TYPE} == 'x86_64' ]; then + # # 64-bit stuff here + # wget ${X64NODE} + # sudo tar -C /usr/local --strip-components 1 -xzf ${X64NODE} + #elif [ ${MACHINE_TYPE} == '32bit' ]; then + # echo "TODO: 32-bit Linux install here" + # exit + #fi + elif [[ "$OSTYPE" == "darwin"* ]]; then + echo "macOS"; + pause '1) Install XCode 2) Install Node 8.x from https://nodejs.org/en/ 3) Press [Enter] key to continue.' + elif [[ "$OSTYPE" == "cygwin" ]]; then + # POSIX compatibility layer and Linux environment emulation for Windows + echo "TODO: Add Cygwin"; + exit; + elif [[ "$OSTYPE" == "msys" ]]; then + # Lightweight shell and GNU utilities compiled for Windows (part of MinGW) + echo "TODO: Add msys on Windows"; + exit; + elif [[ "$OSTYPE" == "win32" ]]; then + # I'm not sure this can happen. + echo "TODO: Add Windows"; + exit; + elif [[ "$OSTYPE" == "freebsd"* ]]; then + echo "TODO: Add FreeBSD"; + exit; + else + echo "Unknown" + echo ${OSTYPE} + exit; + fi + + ## Latest npm with Meteor 1.6 + sudo npm -g install npm + sudo npm -g install node-gyp + # Latest fibers for Meteor 1.6 + sudo npm -g install fibers@2.0.0 + # Install Meteor, if it's not yet installed + curl https://install.meteor.com | bash +# mkdir ~/repos +# cd ~/repos +# git clone https://github.com/wekan/wekan.git +# cd wekan +# git checkout devel + break + ;; + "Build Wekan") + echo "Building Wekan." + cd ~/repos/wekan + rm -rf packages + mkdir -p ~/repos/wekan/packages + cd ~/repos/wekan/packages + git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-flow-router + git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core + git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git + git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git + git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git + if [[ "$OSTYPE" == "darwin"* ]]; then + echo "sed at macOS"; + sed -i '' 's/api\.versionsFrom/\/\/api.versionsFrom/' ~/repos/wekan/packages/meteor-useraccounts-core/package.js + else + echo "sed at ${OSTYPE}" + sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' ~/repos/wekan/packages/meteor-useraccounts-core/package.js + fi + + cd ~/repos/wekan + rm -rf node_modules + meteor npm install + rm -rf .build + meteor build .build --directory + cp -f fix-download-unicode/cfs_access-point.txt .build/bundle/programs/server/packages/cfs_access-point.js + #Removed binary version of bcrypt because of security vulnerability that is not fixed yet. + #https://github.com/wekan/wekan/commit/4b2010213907c61b0e0482ab55abb06f6a668eac + #https://github.com/wekan/wekan/commit/7eeabf14be3c63fae2226e561ef8a0c1390c8d3c + #cd ~/repos/wekan/.build/bundle/programs/server/npm/node_modules/meteor/npm-bcrypt + #rm -rf node_modules/bcrypt + #meteor npm install bcrypt + cd ~/repos/wekan/.build/bundle/programs/server + rm -rf node_modules + meteor npm install + #meteor npm install bcrypt + cd ~/repos + echo Done. + break + ;; + "Quit") + break + ;; + *) echo invalid option;; + esac +done diff --git a/releases/release-sandstorm.sh b/releases/release-sandstorm.sh index e696eab4..89dfc4fc 100755 --- a/releases/release-sandstorm.sh +++ b/releases/release-sandstorm.sh @@ -12,7 +12,8 @@ cd ~/repos cd ~/repos/wekan meteor-spk pack wekan-$1.spk spk publish wekan-$1.spk -scp wekan-$1.spk x2:/var/snap/wekan/common/releases.wekan.team/ +#scp wekan-$1.spk x2:/var/snap/wekan/common/releases.wekan.team/ +scp wekan-$1.spk x2:/var/www/releases.wekan.team/ mv wekan-$1.spk .. # Delete old stuff diff --git a/releases/release-snap.sh b/releases/release-snap.sh index 127334c3..6ef37bff 100755 --- a/releases/release-snap.sh +++ b/releases/release-snap.sh @@ -22,5 +22,6 @@ cd ~/repos/wekan sudo snap install --dangerous wekan_$1_amd64.snap echo "Now you can test local installed snap." snapcraft push wekan_$1_amd64.snap -scp wekan_$1_amd64.snap x2:/var/snap/wekan/common/releases.wekan.team/ +#scp wekan_$1_amd64.snap x2:/var/snap/wekan/common/releases.wekan.team/ +scp wekan_$1_amd64.snap x2:/var/www/releases.wekan.team/ mv wekan_$1_amd64.snap .. diff --git a/releases/release.sh b/releases/release.sh index 85c60b17..3206b7f1 100755 --- a/releases/release.sh +++ b/releases/release.sh @@ -1,9 +1,7 @@ # Usage: ./release.sh 1.36 # Build Sandstorm -cd ~/repos/wekan -./releases/release-sandstorm.sh $1 +./release-sandstorm.sh $1 # Build Snap -cd ~/repos/wekan -./releases/release-snap.sh $1 +./release-snap.sh $1 -- cgit v1.2.3-1-g7c22 From d807efd4f802f3e561654f5f9e31881275bdfb24 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 6 Mar 2019 03:14:13 +0200 Subject: Update translations. --- i18n/pt-BR.i18n.json | 66 ++++++++++++++++++++++++++-------------------------- 1 file changed, 33 insertions(+), 33 deletions(-) diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 61565ce1..e04e71db 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -1,37 +1,37 @@ { "accept": "Aceitar", "act-activity-notify": "Notificação de atividade", - "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-createBoard": "created board __board__", - "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-createList": "added list __list__ to board __board__", - "act-addBoardMember": "added member __member__ to board __board__", - "act-archivedBoard": "Board __board__ moved to Archive", - "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", - "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", - "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", - "act-importBoard": "imported board __board__", - "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", - "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-removeBoardMember": "removed member __member__ from board __board__", - "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addAttachment": "adicionado anexo __attachment__ ao cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", + "act-deleteAttachment": "excluido anexo __attachment__ do cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", + "act-addSubtask": "adicionada subtarefa __subtask__ ao cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", + "act-addLabel": "Adicionada etiqueta __label__ ao cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", + "act-removeLabel": "Removida etiqueta __label__ do cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", + "act-addChecklist": "adicionada lista de verificação __checklist__ ao cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", + "act-addChecklistItem": "adicionado o item __checklistItem__ a lista de verificação__checklist__ no cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", + "act-removeChecklist": "emovida a lista de verificação __checklist__ do cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", + "act-removeChecklistItem": "removido item __checklistItem__ da lista de verificação __checkList__ no cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", + "act-checkedItem": "marcado __checklistItem__ na lista de verificação __checklist__ no cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", + "act-uncheckedItem": "desmarcado __checklistItem__ na lista __checklist__ no cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", + "act-completeChecklist": "completada a lista de verificação __checklist__ no cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", + "act-uncompleteChecklist": "lista de verificação incompleta __checklist__ no cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", + "act-addComment": "comentou no cartão __card__: __comment__ na lista __list__ em raia __swimlane__ no quadro __board__", + "act-createBoard": "criado quadro__board__", + "act-createCard": "criado cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", + "act-createCustomField": "criado campo customizado __customField__ no cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", + "act-createList": "adicionada lista __list__ ao quadro __board__", + "act-addBoardMember": "adicionado membro __member__ ao quadro __board__", + "act-archivedBoard": "Quadro __board__ foi Arquivado", + "act-archivedCard": "Cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__ foi Arquivado", + "act-archivedList": "Lista __list__ em raia __swimlane__ no quadro __board__ foi Arquivada", + "act-archivedSwimlane": "Raia __swimlane__ no quadro __board__ foi Arquivada", + "act-importBoard": "importado quadro __board__", + "act-importCard": "importado cartão __card__ para lista __list__ em raia __swimlane__ no quadro __board__", + "act-importList": "importada lista __list__ para raia __swimlane__ no quadro __board__", + "act-joinMember": "adicionado membro __member__ ao cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", + "act-moveCard": "movido cartão __card__ da lista __oldList__ em raia __oldSwimlane__ no quadro __oldBoard__ para lista __list__ em raia __swimlane__ no quadro __board__", + "act-removeBoardMember": "removido membro __member__ do quadro __board__", + "act-restoredCard": "restaurado cartão __card__ a lista __list__ em raia __swimlane__ no quadro __board__", + "act-unjoinMember": "removido membro __member__ do cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Ações", @@ -56,14 +56,14 @@ "activity-unchecked-item": "desmarcado %s na lista de verificação %s de %s", "activity-checklist-added": "Adicionada lista de verificação a %s", "activity-checklist-removed": "removida a lista de verificação de %s", - "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "activity-checklist-completed": "completada a lista de verificação __checklist__ no cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", "activity-checklist-uncompleted": "não-completada a lista de verificação %s de %s", "activity-checklist-item-added": "adicionado o item de lista de verificação para '%s' em %s", "activity-checklist-item-removed": "removida o item de lista de verificação de '%s' na %s", "add": "Novo", "activity-checked-item-card": "marcaddo %s na lista de verificação %s", "activity-unchecked-item-card": "desmarcado %s na lista de verificação %s", - "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "activity-checklist-completed-card": "completada a lista de verificação __checklist__ no cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", "activity-checklist-uncompleted-card": "não-completada a lista de verificação %s", "add-attachment": "Adicionar Anexos", "add-board": "Adicionar Quadro", -- cgit v1.2.3-1-g7c22 From e845fe3e7130d111be4c3a73e2551738c980ff7b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 6 Mar 2019 17:15:36 +0200 Subject: Fix manifest and icon paths. Thanks to xet7 ! Closes #2168, closes #1692 --- client/components/main/layouts.jade | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/client/components/main/layouts.jade b/client/components/main/layouts.jade index 50585aa4..c0b66e94 100644 --- a/client/components/main/layouts.jade +++ b/client/components/main/layouts.jade @@ -7,10 +7,10 @@ head where the application is deployed with a path prefix, but it seems to be difficult to do that cleanly with Blaze -- at least without adding extra packages. - link(rel="shortcut icon" href="/public/wekan-favicon.png") - link(rel="apple-touch-icon" href="/public/wekan-favicon.png") - link(rel="mask-icon" href="/public/wekan-150.svg") - link(rel="manifest" href="/public/wekan-manifest.json") + link(rel="shortcut icon" href="wekan-favicon.png") + link(rel="apple-touch-icon" href="wekan-favicon.png") + link(rel="mask-icon" href="wekan-150.svg") + link(rel="manifest" href="wekan-manifest.json") template(name="userFormsLayout") section.auth-layout -- cgit v1.2.3-1-g7c22 From 4927609af0c128c83d7ee201f55755e63e56a783 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 6 Mar 2019 17:20:47 +0200 Subject: Update changelog. --- CHANGELOG.md | 10 ++++++++++ 1 file changed, 10 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 62279e0e..748e0b35 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,13 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- [Fix](https://github.com/wekan/wekan/commit/e845fe3e7130d111be4c3a73e2551738c980ff7b) + [manifest](https://github.com/wekan/wekan/issues/2168) and + [icon](https://github.com/wekan/wekan/issues/1692) paths. Thanks to xet7. + +Thanks to above GitHub users for their contributions, and translators for their translations. + # v2.38 2019-03-06 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From acdc5dc1f4d583967c51f3b2390173b13f443a0d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 6 Mar 2019 17:23:33 +0200 Subject: Update translations. --- i18n/es.i18n.json | 76 +++++++++++++++++++++++++++---------------------------- 1 file changed, 38 insertions(+), 38 deletions(-) diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index c63af8ab..2e741473 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -1,37 +1,37 @@ { "accept": "Aceptar", "act-activity-notify": "Notificación de actividad", - "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-createBoard": "created board __board__", - "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-createList": "added list __list__ to board __board__", - "act-addBoardMember": "added member __member__ to board __board__", - "act-archivedBoard": "Board __board__ moved to Archive", - "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", - "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", - "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", - "act-importBoard": "imported board __board__", - "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", - "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-removeBoardMember": "removed member __member__ from board __board__", - "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addAttachment": "añadido el adjunto __attachment__ a la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", + "act-deleteAttachment": "eliminado el adjunto __attachment__ de la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", + "act-addSubtask": "añadida la subtarea __subtask__ a la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", + "act-addLabel": "añadida la etiqueta __label__ a la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", + "act-removeLabel": "eliminada la etiqueta __label__ de la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", + "act-addChecklist": "añadida la lista de verificación __checklist__ a la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", + "act-addChecklistItem": "añadido el elemento __checklistItem__ a la lista de verificación __checklist__ de la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", + "act-removeChecklist": "eliminada la lista de verificación __checklist__ de la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", + "act-removeChecklistItem": "eliminado el elemento __checklistItem__ de la lista de verificación __checkList__ de la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", + "act-checkedItem": "marcado el elemento __checklistItem__ de la lista de verificación __checklist__ de la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", + "act-uncheckedItem": "desmarcado el elemento __checklistItem__ de la lista de verificación __checklist__ de la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", + "act-completeChecklist": "completada la lista de verificación __checklist__ de la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", + "act-uncompleteChecklist": "no completada la lista de verificación __checklist__ de la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", + "act-addComment": "comentario en la tarjeta__card__: __comment__ de la lista __list__ del carril __swimlane__ del tablero __board__", + "act-createBoard": "creado el tablero __board__", + "act-createCard": "creada la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", + "act-createCustomField": "creado el campo personalizado __customField__ en la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", + "act-createList": "añadida la lista __list__ al tablero __board__", + "act-addBoardMember": "añadido el mimbro __member__ al tablero __board__", + "act-archivedBoard": "El tablero __board__ se ha movido a Archivo", + "act-archivedCard": "La tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__ se ha movido a Archivo", + "act-archivedList": "La lista __list__ del carril __swimlane__ del tablero __board__ se ha movido a Archivo", + "act-archivedSwimlane": "El carril __swimlane__ del tablero __board__ se ha movido a Archivo", + "act-importBoard": "importado el tablero __board__", + "act-importCard": "importada la tarjeta __card__ a la lista __list__ del carrril __swimlane__ del tablero __board__", + "act-importList": "importada la lista __list__ al carril __swimlane__ del tablero __board__", + "act-joinMember": "añadido el miembro __member__ a la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", + "act-moveCard": "movida la tarjeta __card__ de la lista __oldList__ del carril __oldSwimlane__ del tablero __oldBoard__ a la lista __list__ del carril __swimlane__ del tablero __board__", + "act-removeBoardMember": "eliminado el miembro __member__ del tablero __board__", + "act-restoredCard": "restaurada la tarjeta __card__ a la lista __list__ del carril __swimlane__ del tablero __board__", + "act-unjoinMember": "eliminado el miembro __member__ de la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Acciones", @@ -56,14 +56,14 @@ "activity-unchecked-item": "desmarcado %s en lista %s de %s", "activity-checklist-added": "ha añadido una lista de verificación a %s", "activity-checklist-removed": "eliminada una lista de verificación desde %s ", - "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "activity-checklist-completed": "completada la lista de verificación __checklist__ de la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", "activity-checklist-uncompleted": "no completado la lista %s de %s", "activity-checklist-item-added": "ha añadido el elemento de la lista de verificación a '%s' en %s", "activity-checklist-item-removed": "eliminado un elemento de la lista de verificación desde '%s' en %s", "add": "Añadir", "activity-checked-item-card": "marcado %s en la lista de verificación %s", "activity-unchecked-item-card": "desmarcado %s en la lista de verificación %s", - "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "activity-checklist-completed-card": "completada la lista de verificación __checklist__ de la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", "activity-checklist-uncompleted-card": "no completó la lista de verificación %s", "add-attachment": "Añadir adjunto", "add-board": "Añadir tablero", @@ -243,7 +243,7 @@ "decline": "Declinar", "default-avatar": "Avatar por defecto", "delete": "Eliminar", - "deleteCustomFieldPopup-title": "¿Borrar el campo personalizado?", + "deleteCustomFieldPopup-title": "¿Eliminar el campo personalizado?", "deleteLabelPopup-title": "¿Eliminar la etiqueta?", "description": "Descripción", "disambiguateMultiLabelPopup-title": "Desambiguar la acción de etiqueta", @@ -542,8 +542,8 @@ "requested-by": "Solicitado por", "board-delete-notice": "Se eliminarán todas las listas, tarjetas y acciones asociadas a este tablero. Esta acción no puede deshacerse.", "delete-board-confirm-popup": "Se eliminarán todas las listas, tarjetas, etiquetas y actividades, y no podrás recuperar los contenidos del tablero. Esta acción no puede deshacerse.", - "boardDeletePopup-title": "¿Borrar el tablero?", - "delete-board": "Borrar el tablero", + "boardDeletePopup-title": "¿Eliminar el tablero?", + "delete-board": "Eliminar el tablero", "default-subtasks-board": "Subtareas para el tablero __board__", "default": "Por defecto", "queue": "Cola", @@ -563,10 +563,10 @@ "no-parent": "No mostrar la tarjeta padre", "activity-added-label": "añadida etiqueta %s a %s", "activity-removed-label": "eliminada etiqueta '%s' desde %s", - "activity-delete-attach": "borrado un adjunto desde %s", + "activity-delete-attach": "eliminado un adjunto desde %s", "activity-added-label-card": "añadida etiqueta '%s'", "activity-removed-label-card": "eliminada etiqueta '%s'", - "activity-delete-attach-card": "borrado un adjunto", + "activity-delete-attach-card": "eliminado un adjunto", "r-rule": "Regla", "r-add-trigger": "Añadir disparador", "r-add-action": "Añadir acción", -- cgit v1.2.3-1-g7c22 From c4754d9f85e5daec39ae162de3a666f0fe249bb2 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 6 Mar 2019 17:31:15 +0200 Subject: v2.39 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 748e0b35..b9f1e536 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.39 2019-03-06 Wekan release This release fixes the following bugs: diff --git a/Stackerfile.yml b/Stackerfile.yml index 02bebae3..c09b6bf7 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.38.0" +appVersion: "v2.39.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 57b6b75d..15ef7dfc 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.38.0", + "version": "v2.39.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 8ba296e4..36091f6e 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 240, + appVersion = 241, # Increment this for every release. - appMarketingVersion = (defaultText = "2.38.0~2019-03-06"), + appMarketingVersion = (defaultText = "2.39.0~2019-03-06"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From f19625d835ab802d8fe52d63815f09ec6ee73bdb Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 6 Mar 2019 18:18:34 +0200 Subject: Fix manifest and icon urls, part 2. Thanks to xet7 ! --- client/components/main/layouts.jade | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/client/components/main/layouts.jade b/client/components/main/layouts.jade index c0b66e94..3be676a3 100644 --- a/client/components/main/layouts.jade +++ b/client/components/main/layouts.jade @@ -7,10 +7,10 @@ head where the application is deployed with a path prefix, but it seems to be difficult to do that cleanly with Blaze -- at least without adding extra packages. - link(rel="shortcut icon" href="wekan-favicon.png") - link(rel="apple-touch-icon" href="wekan-favicon.png") - link(rel="mask-icon" href="wekan-150.svg") - link(rel="manifest" href="wekan-manifest.json") + link(rel="shortcut icon" href="/wekan-favicon.png") + link(rel="apple-touch-icon" href="/wekan-favicon.png") + link(rel="mask-icon" href="/wekan-150.svg") + link(rel="manifest" href="/wekan-manifest.json") template(name="userFormsLayout") section.auth-layout -- cgit v1.2.3-1-g7c22 From 9c0eba4f00ee59f678e6f98919dc16c5e70e7a59 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 6 Mar 2019 18:21:26 +0200 Subject: v2.40 --- CHANGELOG.md | 8 ++++++++ Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 12 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index b9f1e536..194ad8c8 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# v2.40 2019-03-06 Wekan erlease + +- Part 2: [Fix](https://github.com/wekan/wekan/commit/e845fe3e7130d111be4c3a73e2551738c980ff7b) + [manifest](https://github.com/wekan/wekan/issues/2168) and + [icon](https://github.com/wekan/wekan/issues/1692) paths. Thanks to xet7. + +Thanks to above GitHub users for their contributions, and translators for their translations. + # v2.39 2019-03-06 Wekan release This release fixes the following bugs: diff --git a/Stackerfile.yml b/Stackerfile.yml index c09b6bf7..eb492c54 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.39.0" +appVersion: "v2.40.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 15ef7dfc..85684113 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.39.0", + "version": "v2.40.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 36091f6e..302039ba 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 241, + appVersion = 242, # Increment this for every release. - appMarketingVersion = (defaultText = "2.39.0~2019-03-06"), + appMarketingVersion = (defaultText = "2.40.0~2019-03-06"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 18cccd514f90b7055bba4527cf81ecc8c20345ed Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 6 Mar 2019 20:56:58 +0200 Subject: Fix typos. --- CHANGELOG.md | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 194ad8c8..25691b9e 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# v2.40 2019-03-06 Wekan erlease +# v2.40 2019-03-06 Wekan release - Part 2: [Fix](https://github.com/wekan/wekan/commit/e845fe3e7130d111be4c3a73e2551738c980ff7b) [manifest](https://github.com/wekan/wekan/issues/2168) and @@ -22,7 +22,7 @@ This release adds the following new features: - [Added a Helm Chart to the project](https://github.com/wekan/wekan/pull/2227), thanks to TechnoTaff. - [Added support for LDAP admin status sync](https://github.com/wekan/wekan-ldap/pull/40). - Examples: LDAP_SYNC_ADMIN_STATUS=true, LDAP_SYNC_ADMIN_GROUP=group1,group2 (https://github.com/wekan/wekan/commit/7e451d9033eb6162cd37de3e5ffabdc22e272948). + Examples: [LDAP_SYNC_ADMIN_STATUS=true, LDAP_SYNC_ADMIN_GROUP=group1,group2](https://github.com/wekan/wekan/commit/7e451d9033eb6162cd37de3e5ffabdc22e272948). Thanks to JulianJacobi and xet7. and fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 745f39ed20169f56b99c0339f2043f8c4ed43873 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Wed, 6 Mar 2019 20:54:35 +0100 Subject: Avoid setting same card as parentCard. Avoid listing templates board in copy/move/more menus --- client/components/cards/cardDetails.js | 10 +++++++++- 1 file changed, 9 insertions(+), 1 deletion(-) diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index 4df42586..9b47531f 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -430,6 +430,7 @@ BlazeComponent.extendComponent({ const boards = Boards.find({ archived: false, 'members.userId': Meteor.userId(), + _id: {$ne: Meteor.user().getTemplatesBoardId()}, }, { sort: ['title'], }); @@ -589,6 +590,9 @@ BlazeComponent.extendComponent({ const boards = Boards.find({ archived: false, 'members.userId': Meteor.userId(), + _id: { + $ne: Meteor.user().getTemplatesBoardId(), + }, }, { sort: ['title'], }); @@ -596,8 +600,12 @@ BlazeComponent.extendComponent({ }, cards() { + const currentId = Session.get('currentCard'); if (this.parentBoard) { - return this.parentBoard.cards(); + return Cards.find({ + boardId: this.parentBoard, + _id: {$ne: currentId}, + }); } else { return []; } -- cgit v1.2.3-1-g7c22 From ddb24601876acd1d48fea27c5447aa7cbafd9ff5 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 6 Mar 2019 23:48:36 +0200 Subject: [Fix: Card was selected as parent card (circular reference) and now board can be not opened anymore](https://github.com/wekan/wekan/issues/2202) with [Avoid setting same card as parentCard. Avoid listing templates board in copy/move/more menus](https://github.com/wekan/wekan/commit/745f39ed20169f56b99c0339f2043f8c4ed43873). Thanks to andresmanelli. Closes #2202 --- CHANGELOG.md | 12 ++++++++++++ 1 file changed, 12 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 25691b9e..dfd803c2 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,5 +1,17 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- [Fix: Card was selected as parent card (circular reference) and now board can be not opened anymore](https://github.com/wekan/wekan/issues/2202) + with [Avoid setting same card as parentCard. Avoid listing templates board in copy/move/more menus](https://github.com/wekan/wekan/commit/745f39ed20169f56b99c0339f2043f8c4ed43873). + Thanks to andresmanelli. + +Thanks to above GitHub users for their contributions, and translators for their translations. + # v2.40 2019-03-06 Wekan release +This release fixes the following bugs: + - Part 2: [Fix](https://github.com/wekan/wekan/commit/e845fe3e7130d111be4c3a73e2551738c980ff7b) [manifest](https://github.com/wekan/wekan/issues/2168) and [icon](https://github.com/wekan/wekan/issues/1692) paths. Thanks to xet7. -- cgit v1.2.3-1-g7c22 From 1089572d664757da70ed3db981b6c752646b3c90 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 7 Mar 2019 00:04:50 +0200 Subject: v2.41 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index dfd803c2..99f90dcd 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.41 2019-03-07 Wekan release This release fixes the following bugs: diff --git a/Stackerfile.yml b/Stackerfile.yml index eb492c54..82172dc1 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.40.0" +appVersion: "v2.41.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 85684113..4cc319a1 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.40.0", + "version": "v2.41.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 302039ba..2ccffb09 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 242, + appVersion = 243, # Increment this for every release. - appMarketingVersion = (defaultText = "2.40.0~2019-03-06"), + appMarketingVersion = (defaultText = "2.41.0~2019-03-07"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From a338e937e508568d1f6a15c5464126d30ef69a7d Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Thu, 7 Mar 2019 00:13:21 +0100 Subject: Add migration to fix circular references --- server/migrations.js | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/server/migrations.js b/server/migrations.js index cb64b7e8..eeb2d5ea 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -517,3 +517,11 @@ Migrations.add('add-templates', () => { }); }); }); + +Migrations.add('fix-circular-reference', () => { + Cards.find().forEach((card) => { + if (card.parentId === card._id) { + Cards.update(card._id, {$set: {parentId: ''}}, noValidateMulti); + } + }); +}); -- cgit v1.2.3-1-g7c22 From 2c5628b5fbcc25427021d0b22e74577a71149c21 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 7 Mar 2019 01:48:42 +0200 Subject: Fix mongodb-control. Thanks to xet7 and qurqar[m]. --- snap-src/bin/mongodb-control | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/snap-src/bin/mongodb-control b/snap-src/bin/mongodb-control index d6d795bc..a7a98739 100755 --- a/snap-src/bin/mongodb-control +++ b/snap-src/bin/mongodb-control @@ -29,4 +29,4 @@ if [ "x" != "x${MONGODB_PORT}" ]; then fi echo "mongodb bind options: $BIND_OPTIONS" -mongod --dbpath $SNAP_COMMON --logpath $SNAP_COMMON/mongodb.log --logappend --journal $BIND_OPTIONS --smallfiles +mongod --dbpath $SNAP_COMMON --logpath $SNAP_COMMON/mongodb.log --logappend --journal $BIND_OPTIONS -- cgit v1.2.3-1-g7c22 From c5ca414e8fc9497a9321f3cb55f23477a1093da6 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 7 Mar 2019 01:52:53 +0200 Subject: v2.42 --- CHANGELOG.md | 7 +++++++ Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 11 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 99f90dcd..5ed2f0a5 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,10 @@ +# v2.42 2019-03-07 Wekan release + +This release fixes the following bugs: + +- [Fix snap mongodb-control not starting database](https://github.com/wekan/wekan/commit/2c5628b5fbcc25427021d0b22e74577a71149c21). + Thanks to xet7 and qurqar[m] at IRC #wekan. + # v2.41 2019-03-07 Wekan release This release fixes the following bugs: diff --git a/Stackerfile.yml b/Stackerfile.yml index 82172dc1..1445dc40 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.41.0" +appVersion: "v2.42.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 4cc319a1..f044c984 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.41.0", + "version": "v2.42.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 2ccffb09..181cceb2 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 243, + appVersion = 244, # Increment this for every release. - appMarketingVersion = (defaultText = "2.41.0~2019-03-07"), + appMarketingVersion = (defaultText = "2.42.0~2019-03-07"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 31777ce804641b39912398b438fa29cdc066f18d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 7 Mar 2019 11:27:06 +0200 Subject: Update changelog. --- CHANGELOG.md | 28 +++++++++++++++++++++++----- 1 file changed, 23 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 5ed2f0a5..a7bd6b95 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,16 +1,34 @@ +# Upcoming Wekan release + +This release adds the following partial fix: + +- [Add migration to fix circular references](https://github.com/wekan/wekan/commit/a338e937e508568d1f6a15c5464126d30ef69a7d). + Thanks to andresmanelli. This [runs only once](https://github.com/wekan/wekan/issues/2209#issuecomment-470445989), + so later there will be another fix to make it run every time. + +and reverts the following change of v2.42, because they did not fix anything: + +- [Tried to fix snap mongodb-control not starting database](https://github.com/wekan/wekan/commit/2c5628b5fbcc25427021d0b22e74577a71149c21). + Thanks to xet7. + +Thanks to above GitHub users for their contributions, and translators for their translations. + # v2.42 2019-03-07 Wekan release -This release fixes the following bugs: +This release tried to fix the following bugs: -- [Fix snap mongodb-control not starting database](https://github.com/wekan/wekan/commit/2c5628b5fbcc25427021d0b22e74577a71149c21). - Thanks to xet7 and qurqar[m] at IRC #wekan. +- [Tried to fix snap mongodb-control not starting database](https://github.com/wekan/wekan/commit/2c5628b5fbcc25427021d0b22e74577a71149c21). + Reverted in v2.43, because it did not fix anything. + +Thanks to xet7 and qurqar[m] at IRC #wekan. # v2.41 2019-03-07 Wekan release -This release fixes the following bugs: +This release tried to fix the following bugs: -- [Fix: Card was selected as parent card (circular reference) and now board can be not opened anymore](https://github.com/wekan/wekan/issues/2202) +- [Partial Fix: Card was selected as parent card (circular reference) and now board can be not opened anymore](https://github.com/wekan/wekan/issues/2202) with [Avoid setting same card as parentCard. Avoid listing templates board in copy/move/more menus](https://github.com/wekan/wekan/commit/745f39ed20169f56b99c0339f2043f8c4ed43873). + This does not fully work yet, it will be fixed later. Thanks to andresmanelli. Thanks to above GitHub users for their contributions, and translators for their translations. -- cgit v1.2.3-1-g7c22 From 4055f451fdadfbfdef9a10be29a0eb6aed91182c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 7 Mar 2019 17:17:21 +0200 Subject: Reverts the following change of v2.42, because it did not fix anything: - [Tried to fix snap mongodb-control not starting database](https://github.com/wekan/wekan/commit/2c5628b5fbcc25427021d0b22e74577a71149c21). Thanks to xet7. --- snap-src/bin/mongodb-control | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/snap-src/bin/mongodb-control b/snap-src/bin/mongodb-control index a7a98739..d6d795bc 100755 --- a/snap-src/bin/mongodb-control +++ b/snap-src/bin/mongodb-control @@ -29,4 +29,4 @@ if [ "x" != "x${MONGODB_PORT}" ]; then fi echo "mongodb bind options: $BIND_OPTIONS" -mongod --dbpath $SNAP_COMMON --logpath $SNAP_COMMON/mongodb.log --logappend --journal $BIND_OPTIONS +mongod --dbpath $SNAP_COMMON --logpath $SNAP_COMMON/mongodb.log --logappend --journal $BIND_OPTIONS --smallfiles -- cgit v1.2.3-1-g7c22 From 8783983945e95e79ff64f3cdad72a8faf4ab60fa Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 7 Mar 2019 17:20:25 +0200 Subject: Update changelog. --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index a7bd6b95..dfaaa872 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -8,7 +8,7 @@ This release adds the following partial fix: and reverts the following change of v2.42, because they did not fix anything: -- [Tried to fix snap mongodb-control not starting database](https://github.com/wekan/wekan/commit/2c5628b5fbcc25427021d0b22e74577a71149c21). +- [Revert: Tried to fix snap mongodb-control not starting database](https://github.com/wekan/wekan/commit/4055f451fdadfbfdef9a10be29a0eb6aed91182c). Thanks to xet7. Thanks to above GitHub users for their contributions, and translators for their translations. -- cgit v1.2.3-1-g7c22 From 856872815292590e0c4eff2848ea1b857a318dc4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 8 Mar 2019 09:41:36 +0200 Subject: - [Hide Subtask boards from All Boards](https://github.com/wekan/wekan/issues/1990). - Order All Boards by Starred, Color and Title. Thanks to xet7 ! Closes #1990, Related #641 --- client/components/boards/boardsList.js | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/client/components/boards/boardsList.js b/client/components/boards/boardsList.js index df495bb1..8dd05913 100644 --- a/client/components/boards/boardsList.js +++ b/client/components/boards/boardsList.js @@ -25,8 +25,9 @@ BlazeComponent.extendComponent({ archived: false, 'members.userId': Meteor.userId(), type: 'board', + subtasksDefaultListId: null, }, { - sort: ['title'], + sort: { stars: -1, color: 1, title: 1 }, }); }, -- cgit v1.2.3-1-g7c22 From 7836ab83d02adc40bc59bc4393191abec0a4f636 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 8 Mar 2019 10:44:20 +0200 Subject: - Order All Boards by Starred, Color and Title and Description. Thanks to xet7 ! Closes #1990, Related #252 --- CHANGELOG.md | 12 ++++++++---- client/components/boards/boardsList.js | 2 +- 2 files changed, 9 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index dfaaa872..cfc766af 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,15 +1,19 @@ # Upcoming Wekan release -This release adds the following partial fix: +This release [adds](https://github.com/wekan/wekan/commit/856872815292590e0c4eff2848ea1b857a318dc4) the following new features, thanks to xet7: + +- [Hide Subtask boards from All Boards](https://github.com/wekan/wekan/issues/1990). +- Order All Boards by Starred, Color, Title and Description. + +and adds the following partial fix, thanks to andresmanelli: - [Add migration to fix circular references](https://github.com/wekan/wekan/commit/a338e937e508568d1f6a15c5464126d30ef69a7d). - Thanks to andresmanelli. This [runs only once](https://github.com/wekan/wekan/issues/2209#issuecomment-470445989), + This [runs only once](https://github.com/wekan/wekan/issues/2209#issuecomment-470445989), so later there will be another fix to make it run every time. -and reverts the following change of v2.42, because they did not fix anything: +and reverts the following change of v2.42, because they did not fix anything, thanks to xet7: - [Revert: Tried to fix snap mongodb-control not starting database](https://github.com/wekan/wekan/commit/4055f451fdadfbfdef9a10be29a0eb6aed91182c). - Thanks to xet7. Thanks to above GitHub users for their contributions, and translators for their translations. diff --git a/client/components/boards/boardsList.js b/client/components/boards/boardsList.js index 8dd05913..74a8e4d4 100644 --- a/client/components/boards/boardsList.js +++ b/client/components/boards/boardsList.js @@ -27,7 +27,7 @@ BlazeComponent.extendComponent({ type: 'board', subtasksDefaultListId: null, }, { - sort: { stars: -1, color: 1, title: 1 }, + sort: { stars: -1, color: 1, title: 1, description: 1 }, }); }, -- cgit v1.2.3-1-g7c22 From 6d6bb8fc5745300dedef85d4500e0a5ee3f9017f Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Fri, 8 Mar 2019 11:28:21 +0100 Subject: Activities: register customFields changed in the activities This stores the updates to the custom fields in the activities side bar. Only manual updates to the custom fields are currently registered. --- client/components/activities/activities.jade | 6 +++ client/components/activities/activities.js | 18 +++++++++ i18n/en.i18n.json | 2 + models/cards.js | 55 ++++++++++++++++++++++++++++ 4 files changed, 81 insertions(+) diff --git a/client/components/activities/activities.jade b/client/components/activities/activities.jade index bddc4dad..949400f6 100644 --- a/client/components/activities/activities.jade +++ b/client/components/activities/activities.jade @@ -114,6 +114,12 @@ template(name="boardActivities") if($eq activityType 'removedLabel') | {{{_ 'activity-removed-label' lastLabel cardLink}}}. + if($eq activityType 'setCustomField') + | {{{_ 'activity-set-customfield' lastCustomField lastCustomFieldValue cardLink}}}. + + if($eq activityType 'unsetCustomField') + | {{{_ 'activity-unset-customfield' lastCustomField cardLink}}}. + if($eq activityType 'unjoinMember') if($eq user._id member._id) | {{{_ 'activity-unjoined' cardLink}}}. diff --git a/client/components/activities/activities.js b/client/components/activities/activities.js index b3fe8f50..81995221 100644 --- a/client/components/activities/activities.js +++ b/client/components/activities/activities.js @@ -82,6 +82,24 @@ BlazeComponent.extendComponent({ } }, + lastCustomField(){ + const lastCustomField = CustomFields.findOne(this.currentData().customFieldId); + return lastCustomField.name; + }, + + lastCustomFieldValue(){ + const lastCustomField = CustomFields.findOne(this.currentData().customFieldId); + const value = this.currentData().value; + if (lastCustomField.settings.dropdownItems && lastCustomField.settings.dropdownItems.length > 0) { + const dropDownValue = _.find(lastCustomField.settings.dropdownItems, (item) => { + return item._id === value; + }); + if (dropDownValue) + return dropDownValue.name; + } + return value; + }, + listLabel() { return this.currentData().list().title; }, diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index c4b4b824..580a9456 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/models/cards.js b/models/cards.js index 43d2bbfe..eef62be1 100644 --- a/models/cards.js +++ b/models/cards.js @@ -1400,6 +1400,56 @@ function cardLabels(userId, doc, fieldNames, modifier) { } } +function cardCustomFields(userId, doc, fieldNames, modifier) { + if (!_.contains(fieldNames, 'customFields')) + return; + + // Say hello to the new customField value + if (modifier.$set) { + _.each(modifier.$set, (value, key) => { + if (key.startsWith('customFields')) { + const dotNotation = key.split('.'); + + // only individual changes are registered + if (dotNotation.length > 1) { + const customFieldId = doc.customFields[dot_notation[1]]._id; + const act = { + userId, + customFieldId, + value, + activityType: 'setCustomField', + boardId: doc.boardId, + cardId: doc._id, + }; + Activities.insert(act); + } + } + }); + } + + // Say goodbye to the former customField value + if (modifier.$unset) { + _.each(modifier.$unset, (value, key) => { + if (key.startsWith('customFields')) { + const dotNotation = key.split('.'); + + // only individual changes are registered + if (dotNotation.length > 1) { + const customFieldId = doc.customFields[dot_notation[1]]._id; + const act = { + userId, + customFieldId, + activityType: 'unsetCustomField', + boardId: doc.boardId, + cardId: doc._id, + }; + Activities.insert(act); + } + } + }); + } +} + function cardCreation(userId, doc) { Activities.insert({ userId, @@ -1471,6 +1521,11 @@ if (Meteor.isServer) { cardLabels(userId, doc, fieldNames, modifier); }); + // Add a new activity if we edit a custom field + Cards.before.update((userId, doc, fieldNames, modifier) => { + cardCustomFields(userId, doc, fieldNames, modifier); + }); + // Remove all activities associated with a card if we remove the card // Remove also card_comments / checklists / attachments Cards.after.remove((userId, doc) => { -- cgit v1.2.3-1-g7c22 From ff825d6123ecfd033ccb08ce97c11cefee676104 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 8 Mar 2019 18:40:43 +0200 Subject: [HTTP header automatic login. Not tested yet.](https://github.com/wekan/wekan/issues/2019). Thanks to xet7 ! Related #2019 --- Dockerfile | 8 ++++++++ client/components/main/layouts.js | 24 +++++++++++++++++++----- docker-compose.yml | 7 +++++++ releases/virtualbox/start-wekan.sh | 8 ++++++++ snap-src/bin/config | 18 +++++++++++++++++- snap-src/bin/wekan-help | 7 +++++++ start-wekan.bat | 7 +++++++ start-wekan.sh | 8 ++++++++ 8 files changed, 81 insertions(+), 6 deletions(-) diff --git a/Dockerfile b/Dockerfile index 58a1b629..c833bc17 100644 --- a/Dockerfile +++ b/Dockerfile @@ -77,6 +77,10 @@ ARG LDAP_SYNC_GROUP_ROLES ARG LDAP_DEFAULT_DOMAIN ARG LDAP_SYNC_ADMIN_STATUS ARG LDAP_SYNC_ADMIN_GROUPS +ARG HEADER_LOGIN_ID +ARG HEADER_LOGIN_FIRSTNAME +ARG HEADER_LOGIN_LASTNAME +ARG HEADER_LOGIN_EMAIL ARG LOGOUT_WITH_TIMER ARG LOGOUT_IN ARG LOGOUT_ON_HOURS @@ -163,6 +167,10 @@ ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential pyth LDAP_DEFAULT_DOMAIN="" \ LDAP_SYNC_ADMIN_STATUS="" \ LDAP_SYNC_ADMIN_GROUPS="" \ + HEADER_LOGIN_ID="" \ + HEADER_LOGIN_FIRSTNAME="" \ + HEADER_LOGIN_LASTNAME="" \ + HEADER_LOGIN_EMAIL="" \ LOGOUT_WITH_TIMER=false \ LOGOUT_IN="" \ LOGOUT_ON_HOURS="" \ diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index 6f7c914a..b3b95d32 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -101,8 +101,19 @@ Template.defaultLayout.events({ }); async function authentication(event, instance) { - const match = $('#at-field-username_and_email').val(); - const password = $('#at-field-password').val(); + + // If header login id is set, use it for login + if (process.env.HEADER_LOGIN_ID) { + // Header username = Email address + const match = req.headers[process.env.HEADER_LOGIN_EMAIL]; + // Header password = Login ID + const password = req.headers[process.env.HEADER_LOGIN_ID]; + //const headerLoginFirstname = req.headers[process.env.HEADER_LOGIN_FIRSTNAME]; + //const headerLoginLastname = req.headers[process.env.HEADER_LOGIN_LASTNAME]; + } else { + const match = $('#at-field-username_and_email').val(); + const password = $('#at-field-password').val(); + } if (!match || !password) return; @@ -110,9 +121,12 @@ async function authentication(event, instance) { if (result === 'password') return; - // Stop submit #at-pwd-form - event.preventDefault(); - event.stopImmediatePropagation(); + // If header login id is not set, don't try to login automatically. + if (!process.env.HEADER_LOGIN_ID) { + // Stop submit #at-pwd-form + event.preventDefault(); + event.stopImmediatePropagation(); + } switch (result) { case 'ldap': diff --git a/docker-compose.yml b/docker-compose.yml index 9646a012..454964e8 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -508,6 +508,13 @@ services: # Comma separated list of admin group names to sync. #- LDAP_SYNC_ADMIN_GROUPS=group1,group2 #--------------------------------------------------------------------- + # Login to LDAP automatically with HTTP header. + # In below example for siteminder, at right side of = is header name. + #- HEADER_LOGIN_ID=BNPPUID + #- HEADER_LOGIN_FIRSTNAME=BNPPFIRSTNAME + #- HEADER_LOGIN_LASTNAME=BNPPLASTNAME + #- HEADER_LOGIN_EMAIL=BNPPEMAILADDRESS + #--------------------------------------------------------------------- # ==== LOGOUT TIMER, probably does not work yet ==== # LOGOUT_WITH_TIMER : Enables or not the option logout with timer # example : LOGOUT_WITH_TIMER=true diff --git a/releases/virtualbox/start-wekan.sh b/releases/virtualbox/start-wekan.sh index 08c79778..31a95728 100755 --- a/releases/virtualbox/start-wekan.sh +++ b/releases/virtualbox/start-wekan.sh @@ -251,6 +251,14 @@ #export LDAP_SYNC_ADMIN_STATUS=true # Comma separated list of admin group names. #export LDAP_SYNC_ADMIN_GROUPS=group1,group2 + #--------------------------------------------------------------------- + # Login to LDAP automatically with HTTP header. + # In below example for siteminder, at right side of = is header name. + #export HEADER_LOGIN_ID=BNPPUID + #export HEADER_LOGIN_FIRSTNAME=BNPPFIRSTNAME + #export HEADER_LOGIN_LASTNAME=BNPPLASTNAME + #export HEADER_LOGIN_EMAIL=BNPPEMAILADDRESS + #--------------------------------------------------------------------- # LOGOUT_WITH_TIMER : Enables or not the option logout with timer # example : LOGOUT_WITH_TIMER=true #export LOGOUT_WITH_TIMER= diff --git a/snap-src/bin/config b/snap-src/bin/config index 3e32c221..eecb7ba1 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -3,7 +3,7 @@ # All supported keys are defined here together with descriptions and default values # list of supported keys -keys="DEBUG MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API EMAIL_NOTIFICATION_TIMEOUT CORS MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT OAUTH2_ID_MAP OAUTH2_USERNAME_MAP OAUTH2_FULLNAME_MAP OAUTH2_EMAIL_MAP LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_FULLNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN LDAP_EMAIL_MATCH_ENABLE LDAP_EMAIL_MATCH_REQUIRE LDAP_EMAIL_MATCH_VERIFIED LDAP_EMAIL_FIELD LDAP_SYNC_ADMIN_STATUS LDAP_SYNC_ADMIN_GROUPS LOGOUT_WITH_TIMER LOGOUT_IN LOGOUT_ON_HOURS LOGOUT_ON_MINUTES DEFAULT_AUTHENTICATION_METHOD" +keys="DEBUG MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API EMAIL_NOTIFICATION_TIMEOUT CORS MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT OAUTH2_ID_MAP OAUTH2_USERNAME_MAP OAUTH2_FULLNAME_MAP OAUTH2_EMAIL_MAP LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_FULLNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN LDAP_EMAIL_MATCH_ENABLE LDAP_EMAIL_MATCH_REQUIRE LDAP_EMAIL_MATCH_VERIFIED LDAP_EMAIL_FIELD LDAP_SYNC_ADMIN_STATUS LDAP_SYNC_ADMIN_GROUPS HEADER_LOGIN_ID HEADER_LOGIN_FIRSTNAME HEADER_LOGIN_LASTNAME HEADER_LOGIN_EMAIL LOGOUT_WITH_TIMER LOGOUT_IN LOGOUT_ON_HOURS LOGOUT_ON_MINUTES DEFAULT_AUTHENTICATION_METHOD" # default values DESCRIPTION_DEBUG="Debug OIDC OAuth2 etc. Example: sudo snap set wekan debug='true'" @@ -326,6 +326,22 @@ DESCRIPTION_LDAP_DEFAULT_DOMAIN="The default domain of the ldap it is used to cr DEFAULT_LDAP_DEFAULT_DOMAIN="" KEY_LDAP_DEFAULT_DOMAIN="ldap-default-domain" +DESCRIPTION_HEADER_LOGIN_ID="Header login ID. Example for siteminder: BNPPUID" +DEFAULT_HEADER_LOGIN_ID="" +KEY_HEADER_LOGIN_ID="header-login-id" + +DESCRIPTION_HEADER_LOGIN_FIRSTNAME="Header login firstname. Example for siteminder: BNPPFIRSTNAME" +DEFAULT_HEADER_LOGIN_FIRSTNAME="Header login firstname. Example for siteminder: BNPPFIRSTNAME" +KEY_HEADER_LOGIN_FIRSTNAME="header-login-firstname" + +DESCRIPTION_HEADER_LOGIN_LASTNAME="Header login lastname. Example for siteminder: BNPPLASTNAME" +DEFAULT_HEADER_LOGIN_LASTNAME="Header login firstname. Example for siteminder: BNPPLASTNAME" +KEY_HEADER_LOGIN_LASTNAME="header-login-lastname" + +DESCRIPTION_HEADER_LOGIN_EMAIL="Header login email. Example for siteminder: BNPPEMAILADDRESS" +DEFAULT_HEADER_LOGIN_EMAIL="Header login email. Example for siteminder: BNPPEMAILADDRESS" +KEY_HEADER_LOGIN_EMAIL="header-login-email" + DESCRIPTION_LOGOUT_WITH_TIMER="Enables or not the option logout with timer" DEFAULT_LOGOUT_WITH_TIMER="false" KEY_LOGOUT_WITH_TIMER="logout-with-timer" diff --git a/snap-src/bin/wekan-help b/snap-src/bin/wekan-help index e1945357..766a7df7 100755 --- a/snap-src/bin/wekan-help +++ b/snap-src/bin/wekan-help @@ -307,6 +307,13 @@ echo -e "Logout with timer." echo -e "Enable or not the option that allows to disconnect an user after a given time:" echo -e "\t$ snap set $SNAP_NAME logout-with-timer='true'" echo -e "\n" +echo -e "Login to LDAP automatically with HTTP header." +echo -e "In below example for siteminder, at right side of = is header name." +echo -e "\t$ snap set $SNAP_NAME header-login-id='BNPPUID'" +echo -e "\t$ snap set $SNAP_NAME header-login-firstname='BNPPFIRSTNAME'" +echo -e "\t$ snap set $SNAP_NAME header-login-lastname='BNPPLASTNAME'" +echo -e "\t$ snap set $SNAP_NAME header-login-email='BNPPEMAILADDRESS'" +echo -e "\n" echo -e "Logout in." echo -e "Logout in how many days:" echo -e "\t$ snap set $SNAP_NAME logout-in='1'" diff --git a/start-wekan.bat b/start-wekan.bat index 229bf2db..001700f3 100755 --- a/start-wekan.bat +++ b/start-wekan.bat @@ -254,6 +254,13 @@ REM SET LDAP_SYNC_ADMIN_STATUS=true REM # Comma separated list of admin group names to sync. REM SET LDAP_SYNC_ADMIN_GROUPS=group1,group2 +REM # Login to LDAP automatically with HTTP header. +REM # In below example for siteminder, at right side of = is header name. +REM SET HEADER_LOGIN_ID=BNPPUID +REM SET HEADER_LOGIN_FIRSTNAME=BNPPFIRSTNAME +REM SET HEADER_LOGIN_LASTNAME=BNPPLASTNAME +REM SET HEADER_LOGIN_EMAIL=BNPPEMAILADDRESS + REM ------------------------------------------------ REM # LOGOUT_WITH_TIMER : Enables or not the option logout with timer diff --git a/start-wekan.sh b/start-wekan.sh index 78084c1c..184be575 100755 --- a/start-wekan.sh +++ b/start-wekan.sh @@ -269,6 +269,14 @@ function wekan_repo_check(){ #export LDAP_SYNC_ADMIN_STATUS=true # Comma separated list of admin group names to sync. #export LDAP_SYNC_ADMIN_GROUPS=group1,group2 + #--------------------------------------------------------------------- + # Login to LDAP automatically with HTTP header. + # In below example for siteminder, at right side of = is header name. + #export HEADER_LOGIN_ID=BNPPUID + #export HEADER_LOGIN_FIRSTNAME=BNPPFIRSTNAME + #export HEADER_LOGIN_LASTNAME=BNPPLASTNAME + #export HEADER_LOGIN_EMAIL=BNPPEMAILADDRESS + #--------------------------------------------------------------------- # LOGOUT_WITH_TIMER : Enables or not the option logout with timer # example : LOGOUT_WITH_TIMER=true #export LOGOUT_WITH_TIMER= -- cgit v1.2.3-1-g7c22 From da267e14880479e05e6d0a013ecb43dc97ce077c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 8 Mar 2019 18:55:36 +0200 Subject: [HTTP header automatic login](https://github.com/wekan/wekan/commit/ff825d6123ecfd033ccb08ce97c11cefee676104) for [3rd party authentication server method](https://github.com/wekan/wekan/issues/2019) like siteminder, and any webserver that handles authentication and based on it adds HTTP headers to be used for login. Please test. Thanks to xet7 ! Related #2019 --- CHANGELOG.md | 3 +++ 1 file changed, 3 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index cfc766af..6a7ba9b3 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,6 +4,9 @@ This release [adds](https://github.com/wekan/wekan/commit/856872815292590e0c4eff - [Hide Subtask boards from All Boards](https://github.com/wekan/wekan/issues/1990). - Order All Boards by Starred, Color, Title and Description. +- [HTTP header automatic login](https://github.com/wekan/wekan/commit/ff825d6123ecfd033ccb08ce97c11cefee676104) + for [3rd party authentication server method](https://github.com/wekan/wekan/issues/2019) like siteminder, and any webserver that + handles authentication and based on it adds HTTP headers to be used for login. Please test. and adds the following partial fix, thanks to andresmanelli: -- cgit v1.2.3-1-g7c22 From 08db39d76a2454cdc42c225597863e982ca77e82 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 8 Mar 2019 19:00:56 +0200 Subject: Fix lint errors. Thanks to xet7 ! Related #2019 --- client/components/main/layouts.js | 19 +++++++------------ 1 file changed, 7 insertions(+), 12 deletions(-) diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index b3b95d32..4305de7c 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -102,18 +102,13 @@ Template.defaultLayout.events({ async function authentication(event, instance) { - // If header login id is set, use it for login - if (process.env.HEADER_LOGIN_ID) { - // Header username = Email address - const match = req.headers[process.env.HEADER_LOGIN_EMAIL]; - // Header password = Login ID - const password = req.headers[process.env.HEADER_LOGIN_ID]; - //const headerLoginFirstname = req.headers[process.env.HEADER_LOGIN_FIRSTNAME]; - //const headerLoginLastname = req.headers[process.env.HEADER_LOGIN_LASTNAME]; - } else { - const match = $('#at-field-username_and_email').val(); - const password = $('#at-field-password').val(); - } + // If header login id is set, use it for login. + // Header username = Email address + // Header password = Login ID + // Not user currently: req.headers[process.env.HEADER_LOGIN_FIRSTNAME] + // and req.headers[process.env.HEADER_LOGIN_LASTNAME] + const match = req.headers[process.env.HEADER_LOGIN_EMAIL] || $('#at-field-username_and_email').val(); + const password = req.headers[process.env.HEADER_LOGIN_ID] || $('#at-field-password').val(); if (!match || !password) return; -- cgit v1.2.3-1-g7c22 From 2781ce6fa0371eadbc108a1d8a1ac2a691186321 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 8 Mar 2019 19:02:31 +0200 Subject: Update translations. --- i18n/ru.i18n.json | 44 ++++++++++++++++++++++---------------------- 1 file changed, 22 insertions(+), 22 deletions(-) diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 0db71a82..c305411d 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -1,37 +1,37 @@ { "accept": "Принять", "act-activity-notify": "Уведомление о действиях участников", - "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addAttachment": "прикрепил вложение __attachment__ в карточку __card__ в списке __list__ на дорожке __swimlane__ доски __board__", + "act-deleteAttachment": "удалил вложение __attachment__ из карточки __card__ в списке __list__ на дорожке __swimlane__ доски __board__", + "act-addSubtask": "добавил подзадачу __subtask__ для карточки __card__ в списке __list__ на дорожке __swimlane__ доски __board__", + "act-addLabel": "Добавлена метка __label__ в карточку __card__ в списке __list__ на дорожке __swimlane__ доски __board__", + "act-removeLabel": "Снята метка __label__ с карточки __card__ в списке __list__ на дорожке __swimlane__ доски __board__", + "act-addChecklist": "добавил контрольный список __checklist__ в карточку __card__ в списке __list__ на дорожке __swimlane__ доски __board__", + "act-addChecklistItem": "добавил пункт __checklistItem__ в контрольный список __checklist__ в карточке __card__ в списке __list__ на дорожке __swimlane__ доски __board__", + "act-removeChecklist": "удалил контрольный список __checklist__ из карточки __card__ в списке __list__ на дорожке __swimlane__ доски __board__", + "act-removeChecklistItem": "удалил пункт __checklistItem__ из контрольного списка __checkList__ в карточке __card__ в списке __list__ на дорожке __swimlane__ доски __board__", + "act-checkedItem": "отметил __checklistItem__ в контрольном списке __checklist__ в карточке __card__ в списке __list__ на дорожке __swimlane__ доски __board__", + "act-uncheckedItem": "снял __checklistItem__ в контрольном списке __checklist__ в карточке __card__ в списке __list__ на дорожке __swimlane__ доски __board__", + "act-completeChecklist": "завершил контрольный список __checklist__ в карточке __card__ в списке __list__ на дорожке __swimlane__ доски __board__", + "act-uncompleteChecklist": "вновь открыл контрольный список __checklist__ в карточке __card__ в списке __list__ на дорожке __swimlane__ доски __board__", + "act-addComment": "написал в карточке __card__: __comment__ в списке __list__ на дорожке __swimlane__ доски __board__", "act-createBoard": "создал доску __board__", - "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createCard": "создал карточку __card__ в списке __list__ на дорожке __swimlane__ доски __board__", + "act-createCustomField": "создал поле __customField__ в карточке __card__ в списке __list__ на дорожке __swimlane__ доски __board__\n", "act-createList": "добавил список __list__ на доску __board__", "act-addBoardMember": "добавил участника __member__ на доску __board__", "act-archivedBoard": "Доска __board__ перемещена в Архив", "act-archivedCard": "Карточка __card__ из списка __list__ с дорожки __swimlane__ доски __board__ перемещена в Архив", - "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "Список __list__ на дорожке __swimlane__ доски __board__ перемещен в Архив", "act-archivedSwimlane": "Дорожка __swimlane__ на доске __board__ перемещена в Архив", "act-importBoard": "импортировал доску __board__", - "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importCard": "импортировал карточку __card__ в список __list__ на дорожку __swimlane__ доски __board__", "act-importList": "импортировал список __list__ на дорожку __swimlane__ доски __board__", - "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-joinMember": "добавил участника __member__ в карточку __card__ в списке __list__ на дорожке __swimlane__ доски __board__", "act-moveCard": "переместил карточку __card__ из списка __oldList__ с дорожки __oldSwimlane__ доски __oldBoard__ в список __list__ на дорожку __swimlane__ доски __board__", "act-removeBoardMember": "удалил участника __member__ с доски __board__", "act-restoredCard": "восстановил карточку __card__ в список __list__ на дорожку __swimlane__ доски __board__", - "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "удалил участника __member__ из карточки __card__ в списке __list__ на дорожке __swimlane__ доски __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Действия", @@ -56,14 +56,14 @@ "activity-unchecked-item": "снял %s в контрольном списке %s в %s", "activity-checklist-added": "добавил контрольный список в %s", "activity-checklist-removed": "удалил контрольный список из %s", - "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "activity-checklist-completed": "завершил контрольный список __checklist__ в карточке __card__ в списке __list__ на дорожке __swimlane__ доски __board__", "activity-checklist-uncompleted": "вновь открыл контрольный список %s в %s", "activity-checklist-item-added": "добавил пункт в контрольный список '%s' в карточке %s", "activity-checklist-item-removed": "удалил пункт из контрольного списка '%s' в карточке %s", "add": "Создать", "activity-checked-item-card": "отметил %s в контрольном списке %s", "activity-unchecked-item-card": "снял %s в контрольном списке %s", - "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "activity-checklist-completed-card": "завершил контрольный список __checklist__ в карточку __card__ в списке __list__ на дорожке __swimlane__ доски __board__", "activity-checklist-uncompleted-card": "вновь открыл контрольный список %s", "add-attachment": "Добавить вложение", "add-board": "Добавить доску", -- cgit v1.2.3-1-g7c22 From 98031aacce0d85234377e0f01a43d211c079c614 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 8 Mar 2019 19:12:11 +0200 Subject: v2.43 --- CHANGELOG.md | 6 +++--- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 7 insertions(+), 7 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 6a7ba9b3..b54181f3 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,9 +1,9 @@ -# Upcoming Wekan release +# v2.43 2019-03-08 Wekan release -This release [adds](https://github.com/wekan/wekan/commit/856872815292590e0c4eff2848ea1b857a318dc4) the following new features, thanks to xet7: +This release adds the following new features, thanks to xet7: - [Hide Subtask boards from All Boards](https://github.com/wekan/wekan/issues/1990). -- Order All Boards by Starred, Color, Title and Description. +- [Order All Boards by Starred, Color, Title and Description](https://github.com/wekan/wekan/commit/856872815292590e0c4eff2848ea1b857a318dc4). - [HTTP header automatic login](https://github.com/wekan/wekan/commit/ff825d6123ecfd033ccb08ce97c11cefee676104) for [3rd party authentication server method](https://github.com/wekan/wekan/issues/2019) like siteminder, and any webserver that handles authentication and based on it adds HTTP headers to be used for login. Please test. diff --git a/Stackerfile.yml b/Stackerfile.yml index 1445dc40..ec766564 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.42.0" +appVersion: "v2.43.0" files: userUploads: - README.md diff --git a/package.json b/package.json index f044c984..27536dc8 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.42.0", + "version": "v2.43.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 181cceb2..27155571 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 244, + appVersion = 245, # Increment this for every release. - appMarketingVersion = (defaultText = "2.42.0~2019-03-07"), + appMarketingVersion = (defaultText = "2.43.0~2019-03-08"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 8050117adf05f02b58792a7f14fbe0c21867ebe3 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 8 Mar 2019 20:45:39 +0200 Subject: Add language: Occintan. Thanks to translators ! --- i18n/oc.i18n.json | 680 +++++++++++++++++++++++++++++ releases/translations/pull-translations.sh | 3 + 2 files changed, 683 insertions(+) create mode 100644 i18n/oc.i18n.json diff --git a/i18n/oc.i18n.json b/i18n/oc.i18n.json new file mode 100644 index 00000000..da28d1a0 --- /dev/null +++ b/i18n/oc.i18n.json @@ -0,0 +1,680 @@ +{ + "accept": "Accept", + "act-activity-notify": "Activity Notification", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-withBoardTitle": "__board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Archive", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", + "add": "Add", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Members", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Archive", + "archived-boards": "Boards in Archive", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Archive.", + "archives": "Archive", + "template": "Template", + "templates": "Templates", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be private.", + "board-public-info": "This board will be public.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Settings", + "boards": "Boards", + "board-view": "Board View", + "board-view-cal": "Calendar", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Members", + "cardMorePopup-title": "More", + "cardTemplatePopup-title": "Create template", + "cards": "Cards", + "cards-count": "Cards", + "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "subtasks": "Subtasks", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", + "color-green": "green", + "color-indigo": "indigo", + "color-lime": "lime", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", + "color-orange": "orange", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", + "color-pink": "pink", + "color-plum": "plum", + "color-purple": "purple", + "color-red": "red", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", + "color-sky": "sky", + "color-slateblue": "slateblue", + "color-white": "white", + "color-yellow": "yellow", + "unset-color": "Unset", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", + "computer": "Computer", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "linkCardPopup-title": "Link Card", + "searchElementPopup-title": "Search", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "link": "Link", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From previous export", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "set-color-list": "Set Color", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Members", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by logging in.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "rules": "Rules", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Archive", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "days": "days", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "New rule title", + "r-no-rules": "No rules", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "set-filter": "Set Filter", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "list name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member", + "r-name": "name", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", + "r-card": "card", + "r-add": "Add", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-items-check": "items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checklist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout", + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after start", + "add-custom-html-before-body-end": "Add Custom HTML before end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method" +} \ No newline at end of file diff --git a/releases/translations/pull-translations.sh b/releases/translations/pull-translations.sh index bea4d0cb..4639149f 100755 --- a/releases/translations/pull-translations.sh +++ b/releases/translations/pull-translations.sh @@ -99,6 +99,9 @@ tx pull -f -l nl echo "Norwegian:" tx pull -f -l no +echo "Occitan:" +tx pull -f -l oc + echo "Polish:" tx pull -f -l pl -- cgit v1.2.3-1-g7c22 From 6f30c33f1119d68ded83f891146b86906e969c7b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 8 Mar 2019 20:47:05 +0200 Subject: Add language: Occitan. --- CHANGELOG.md | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index b54181f3..f85d3dcf 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# Upcoming Wekan release + +This release adds the following new features: + +- Add language: Occitan. + +Thanks to translators for their translations. + # v2.43 2019-03-08 Wekan release This release adds the following new features, thanks to xet7: -- cgit v1.2.3-1-g7c22 From 117c9e069ecc5e5fcf52838062b53781bdb59f27 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 8 Mar 2019 20:51:43 +0200 Subject: Update changelog. --- CHANGELOG.md | 10 +++++++--- 1 file changed, 7 insertions(+), 3 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index f85d3dcf..8057e0d8 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,10 +1,14 @@ # Upcoming Wekan release -This release adds the following new features: +This release adds the following new features with Apache I-CLA, thanks to bentiss: -- Add language: Occitan. +- [Activities: register customFields changes in the activities](https://github.com/wekan/wekan/pull/2239). -Thanks to translators for their translations. +and adds the following new features: + +- Add language: Occitan. Thanks to translators. + +Thanks to above Wekan contributors for their contributions. # v2.43 2019-03-08 Wekan release -- cgit v1.2.3-1-g7c22 From 97822f35fd6365e5631c5488e8ee595f76ab4e34 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Fri, 8 Mar 2019 20:41:20 +0100 Subject: Avoid set self as parent card, for real --- client/components/cards/cardDetails.jade | 10 ++++---- client/components/cards/cardDetails.js | 39 +++++++++++++------------------- 2 files changed, 21 insertions(+), 28 deletions(-) diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index df76edce..5fd7b748 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -306,27 +306,27 @@ template(name="cardMorePopup") h2 {{_ 'change-card-parent'}} label {{_ 'source-board'}}: select.js-field-parent-board + if isTopLevel + option(value="none" selected) {{_ 'custom-field-dropdown-none'}} + else + option(value="none") {{_ 'custom-field-dropdown-none'}} each boards if isParentBoard option(value="{{_id}}" selected) {{title}} else option(value="{{_id}}") {{title}} - if isTopLevel - option(value="none" selected) {{_ 'custom-field-dropdown-none'}} - else - option(value="none") {{_ 'custom-field-dropdown-none'}} label {{_ 'parent-card'}}: select.js-field-parent-card if isTopLevel option(value="none" selected) {{_ 'custom-field-dropdown-none'}} else + option(value="none") {{_ 'custom-field-dropdown-none'}} each cards if isParentCard option(value="{{_id}}" selected) {{title}} else option(value="{{_id}}") {{title}} - option(value="none") {{_ 'custom-field-dropdown-none'}} br | {{_ 'added'}} span.date(title=card.createdAt) {{ moment createdAt 'LLL' }} diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index 9b47531f..d27fe732 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -578,11 +578,14 @@ BlazeComponent.extendComponent({ BlazeComponent.extendComponent({ onCreated() { this.currentCard = this.currentData(); + this.parentBoard = new ReactiveVar(null); this.parentCard = this.currentCard.parentCard(); if (this.parentCard) { - this.parentBoard = this.parentCard.board(); + const list = $('.js-field-parent-card'); + list.val(this.parentCard._id); + this.parentBoard.set(this.parentCard.board()._id); } else { - this.parentBoard = null; + this.parentBoard.set(null); } }, @@ -601,9 +604,9 @@ BlazeComponent.extendComponent({ cards() { const currentId = Session.get('currentCard'); - if (this.parentBoard) { + if (this.parentBoard.get()) { return Cards.find({ - boardId: this.parentBoard, + boardId: this.parentBoard.get(), _id: {$ne: currentId}, }); } else { @@ -613,8 +616,8 @@ BlazeComponent.extendComponent({ isParentBoard() { const board = this.currentData(); - if (this.parentBoard) { - return board._id === this.parentBoard; + if (this.parentBoard.get()) { + return board._id === this.parentBoard.get(); } return false; }, @@ -628,11 +631,10 @@ BlazeComponent.extendComponent({ }, setParentCardId(cardId) { - if (cardId === 'null') { - cardId = null; - this.parentCard = null; - } else { + if (cardId) { this.parentCard = Cards.findOne(cardId); + } else { + this.parentCard = null; } this.currentCard.setParentId(cardId); }, @@ -669,23 +671,14 @@ BlazeComponent.extendComponent({ 'change .js-field-parent-board'(evt) { const selection = $(evt.currentTarget).val(); const list = $('.js-field-parent-card'); - list.empty(); if (selection === 'none') { - this.parentBoard = null; - list.prop('disabled', true); + this.parentBoard.set(null); } else { - this.parentBoard = Boards.findOne(selection); - this.parentBoard.cards().forEach(function(card) { - list.append( - $('').val(card._id).html(card.title) - ); - }); + subManager.subscribe('board', $(evt.currentTarget).val()); + this.parentBoard.set(selection); list.prop('disabled', false); } - list.append( - `` - ); - this.setParentCardId('null'); + this.setParentCardId(null); }, 'change .js-field-parent-card'(evt) { const selection = $(evt.currentTarget).val(); -- cgit v1.2.3-1-g7c22 From 2ec1664408d9515b5ca77fbb46ef99208eb8cff0 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Fri, 8 Mar 2019 21:13:41 +0100 Subject: Fix removed checklistItem activity => dangling activities created --- models/checklistItems.js | 24 ++++++++++++------------ 1 file changed, 12 insertions(+), 12 deletions(-) diff --git a/models/checklistItems.js b/models/checklistItems.js index 30e57aec..c46fe9bd 100644 --- a/models/checklistItems.js +++ b/models/checklistItems.js @@ -99,17 +99,6 @@ function itemCreation(userId, doc) { } function itemRemover(userId, doc) { - const card = Cards.findOne(doc.cardId); - const boardId = card.boardId; - Activities.insert({ - userId, - activityType: 'removedChecklistItem', - cardId: doc.cardId, - boardId, - checklistId: doc.checklistId, - checklistItemId: doc._id, - checklistItemName:doc.title, - }); Activities.remove({ checklistItemId: doc._id, }); @@ -206,8 +195,19 @@ if (Meteor.isServer) { itemCreation(userId, doc); }); - ChecklistItems.after.remove((userId, doc) => { + ChecklistItems.before.remove((userId, doc) => { itemRemover(userId, doc); + const card = Cards.findOne(doc.cardId); + const boardId = card.boardId; + Activities.insert({ + userId, + activityType: 'removedChecklistItem', + cardId: doc.cardId, + boardId, + checklistId: doc.checklistId, + checklistItemId: doc._id, + checklistItemName:doc.title, + }); }); } -- cgit v1.2.3-1-g7c22 From 97206aa8f63dec904d4757a88671dd63abb139a0 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 10 Mar 2019 21:31:40 +0200 Subject: Update changelog. --- CHANGELOG.md | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 8057e0d8..c3adb2df 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -8,6 +8,12 @@ and adds the following new features: - Add language: Occitan. Thanks to translators. +and fixes the following bugs, thanks to andresmanelli: + +- [Fix removed checklistItem activity => dangling activities created](https://github.com/wekan/wekan/commit/2ec1664408d9515b5ca77fbb46ef99208eb8cff0). + Closes #2240. +- [Avoid set self as parent card to cause circular reference, for real](https://github.com/wekan/commit/97822f35fd6365e5631c5488e8ee595f76ab4e34). + Thanks to above Wekan contributors for their contributions. # v2.43 2019-03-08 Wekan release -- cgit v1.2.3-1-g7c22 From 907c761f71e8764574ac9c4f8ab1b892082a03b4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 10 Mar 2019 21:35:55 +0200 Subject: Update translations. --- i18n/ar.i18n.json | 2 ++ i18n/bg.i18n.json | 2 ++ i18n/br.i18n.json | 2 ++ i18n/ca.i18n.json | 2 ++ i18n/cs.i18n.json | 2 ++ i18n/da.i18n.json | 2 ++ i18n/de.i18n.json | 2 ++ i18n/el.i18n.json | 2 ++ i18n/en-GB.i18n.json | 2 ++ i18n/eo.i18n.json | 2 ++ i18n/es-AR.i18n.json | 2 ++ i18n/es.i18n.json | 2 ++ i18n/eu.i18n.json | 2 ++ i18n/fa.i18n.json | 2 ++ i18n/fi.i18n.json | 2 ++ i18n/fr.i18n.json | 2 ++ i18n/gl.i18n.json | 2 ++ i18n/he.i18n.json | 2 ++ i18n/hi.i18n.json | 2 ++ i18n/hu.i18n.json | 2 ++ i18n/hy.i18n.json | 2 ++ i18n/id.i18n.json | 2 ++ i18n/ig.i18n.json | 2 ++ i18n/it.i18n.json | 2 ++ i18n/ja.i18n.json | 2 ++ i18n/ka.i18n.json | 2 ++ i18n/km.i18n.json | 2 ++ i18n/ko.i18n.json | 2 ++ i18n/lv.i18n.json | 2 ++ i18n/mk.i18n.json | 2 ++ i18n/mn.i18n.json | 2 ++ i18n/nb.i18n.json | 2 ++ i18n/nl.i18n.json | 2 ++ i18n/oc.i18n.json | 2 ++ i18n/pl.i18n.json | 2 ++ i18n/pt-BR.i18n.json | 2 ++ i18n/pt.i18n.json | 2 ++ i18n/ro.i18n.json | 2 ++ i18n/ru.i18n.json | 2 ++ i18n/sr.i18n.json | 2 ++ i18n/sv.i18n.json | 2 ++ i18n/sw.i18n.json | 2 ++ i18n/ta.i18n.json | 2 ++ i18n/th.i18n.json | 2 ++ i18n/tr.i18n.json | 2 ++ i18n/uk.i18n.json | 2 ++ i18n/vi.i18n.json | 2 ++ i18n/zh-CN.i18n.json | 2 ++ i18n/zh-TW.i18n.json | 2 ++ 49 files changed, 98 insertions(+) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 6576c293..f5c44f8d 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 2889110d..6bad3ab2 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "добави етикет '%s'", "activity-removed-label-card": "премахна етикет '%s'", "activity-delete-attach-card": "изтри прикачения файл", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Правило", "r-add-trigger": "Добави спусък", "r-add-action": "Добави действие", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index 1148909e..c5e01719 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 809e4298..8a095ba8 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 54a39350..7ab1e05e 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "přidán štítek '%s'", "activity-removed-label-card": "odstraněn štítek '%s'", "activity-delete-attach-card": "odstraněna příloha", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Pravidlo", "r-add-trigger": "Přidat spoštěč", "r-add-action": "Přidat akci", diff --git a/i18n/da.i18n.json b/i18n/da.i18n.json index 71e610ad..61b6c4ac 100644 --- a/i18n/da.i18n.json +++ b/i18n/da.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 2d89faaa..8701c9d4 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "Label hinzugefügt '%s'", "activity-removed-label-card": "Label entfernt '%s'", "activity-delete-attach-card": "hat einen Anhang gelöscht", + "activity-set-customfield": "setze benutzerdefiniertes Feld '%s' zu '%s' in %s", + "activity-unset-customfield": "entferne benutzerdefiniertes Feld '%s' in %s", "r-rule": "Regel", "r-add-trigger": "Auslöser hinzufügen", "r-add-action": "Aktion hinzufügen", diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index ffeb7447..44173f52 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 62a2a2b1..5e24cfd3 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index 8d2ab591..d8f8c1cc 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index b33303fe..08af58ae 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 2e741473..24d5f379 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "añadida etiqueta '%s'", "activity-removed-label-card": "eliminada etiqueta '%s'", "activity-delete-attach-card": "eliminado un adjunto", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Regla", "r-add-trigger": "Añadir disparador", "r-add-action": "Añadir acción", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index fbb10452..6ef06e29 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index 7b1724b6..f440fc48 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "افزودن لیبل '%s'", "activity-removed-label-card": "حذف لیبل '%s'", "activity-delete-attach-card": "حذف ضمیمه", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "نقش", "r-add-trigger": "افزودن گیره", "r-add-action": "افزودن عملیات", diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 7954d31c..594c55c6 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "lisätty tunniste '%s'", "activity-removed-label-card": "poistettu tunniste '%s'", "activity-delete-attach-card": "poistettu liitetiedosto", + "activity-set-customfield": "asetettu mukautettu kentän '%s' sisällöksi '%s' kortilla %s", + "activity-unset-customfield": "poistettu mukautettu kenttä '%s' kortilla %s", "r-rule": "Sääntö", "r-add-trigger": "Lisää liipaisin", "r-add-action": "Lisää toimi", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 2c942ed1..73a89c01 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "a ajouté l'étiquette '%s'", "activity-removed-label-card": "a supprimé l'étiquette '%s'", "activity-delete-attach-card": "a supprimé une pièce jointe", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Règle", "r-add-trigger": "Ajouter un déclencheur", "r-add-action": "Ajouter une action", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 0a32480f..b896e400 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 636f0638..0389299b 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "התווית ‚%s’ נוספה", "activity-removed-label-card": "התווית ‚%s’ הוסרה", "activity-delete-attach-card": "קובץ מצורף נמחק", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "כלל", "r-add-trigger": "הוספת הקפצה", "r-add-action": "הוספת פעולה", diff --git a/i18n/hi.i18n.json b/i18n/hi.i18n.json index 599d24bd..b121e3b5 100644 --- a/i18n/hi.i18n.json +++ b/i18n/hi.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "संकलित label '%s'", "activity-removed-label-card": "हटा दिया label '%s'", "activity-delete-attach-card": "deleted an संलग्नक", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "जोड़ें trigger", "r-add-action": "जोड़ें action", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index 8011115d..0f10daf1 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index d961fd68..4068520c 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 1f28a05e..926623e1 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 69458c99..789e6e14 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index b64ee2b9..ec354c94 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "aggiunta etichetta '%s'", "activity-removed-label-card": "L' etichetta '%s' è stata rimossa.", "activity-delete-attach-card": "Cancella un allegato", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Ruolo", "r-add-trigger": "Aggiungi trigger", "r-add-action": "Aggiungi azione", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index c34cba01..6b1fcf1c 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index f0aa40ce..4fe0f734 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index de3fb43f..e234ee75 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index cea93883..4e6835e0 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index bfaf55f8..d4ded323 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/mk.i18n.json b/i18n/mk.i18n.json index ecdf8ad6..3170c6d2 100644 --- a/i18n/mk.i18n.json +++ b/i18n/mk.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "добави етикет '%s'", "activity-removed-label-card": "премахна етикет '%s'", "activity-delete-attach-card": "изтри прикачения файл", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Правило", "r-add-trigger": "Добави спусък", "r-add-action": "Добави действие", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index b7dcb121..a255469c 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index e60378a7..4ebb4c5f 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 09e6cbe1..2f02d194 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/oc.i18n.json b/i18n/oc.i18n.json index da28d1a0..739eaf37 100644 --- a/i18n/oc.i18n.json +++ b/i18n/oc.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 74da5b1c..526492cb 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "dodał(a) etykietę '%s'", "activity-removed-label-card": "usunięto etykietę '%s'", "activity-delete-attach-card": "usunięto załącznik", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Reguła", "r-add-trigger": "Dodaj przełącznik", "r-add-action": "Dodaj czynność", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index e04e71db..20028ab2 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "adicionada etiqueta '%s'", "activity-removed-label-card": "removida etiqueta '%s'", "activity-delete-attach-card": "excluido um anexo", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Regra", "r-add-trigger": "Adicionar gatilho", "r-add-action": "Adicionar ação", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 4a3ff888..d29c3ae8 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index e319bb00..92d604ca 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index c305411d..91aa5c7c 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "добавил метку '%s'", "activity-removed-label-card": "удалил метку '%s'", "activity-delete-attach-card": "удалил вложение", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Правило", "r-add-trigger": "Задать условие", "r-add-action": "Задать действие", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index ea37953f..c496971c 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index aac2cf5a..34c35927 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "lade till etiketten \"%s\"", "activity-removed-label-card": "tog bort etiketten \"%s\"", "activity-delete-attach-card": "tog bort en bilaga", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Regel", "r-add-trigger": "Add trigger", "r-add-action": "Lägg till åtgärd", diff --git a/i18n/sw.i18n.json b/i18n/sw.i18n.json index c46e4a7e..ab693571 100644 --- a/i18n/sw.i18n.json +++ b/i18n/sw.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index ae57ad18..a82c6944 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index 5def7a03..82526686 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index 6579a1d7..f9b8158c 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "etiket eklendi '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "Ek silindi", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Kural", "r-add-trigger": "Tetikleyici ekle", "r-add-action": "Eylem ekle", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index cf89528c..98a8978f 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index 0edf66e9..a3a65ff3 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 52354c18..36a603cc 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "已添加标签 '%s'", "activity-removed-label-card": "已移除标签 '%s'", "activity-delete-attach-card": "已删除附件", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "规则", "r-add-trigger": "添加触发器", "r-add-action": "添加行动", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 7cb068a1..c917609e 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -567,6 +567,8 @@ "activity-added-label-card": "added label '%s'", "activity-removed-label-card": "removed label '%s'", "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Rule", "r-add-trigger": "Add trigger", "r-add-action": "Add action", -- cgit v1.2.3-1-g7c22 From 4c72479d1206850d436261dc5c6a4127f246f6da Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Mon, 11 Mar 2019 10:12:19 +0100 Subject: customFields: fix leftover from lint Looks like I forgot to use the camelCase notation here, and this leads to an exception while updating a custom field. --- models/cards.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/models/cards.js b/models/cards.js index eef62be1..c3bae400 100644 --- a/models/cards.js +++ b/models/cards.js @@ -1412,7 +1412,7 @@ function cardCustomFields(userId, doc, fieldNames, modifier) { // only individual changes are registered if (dotNotation.length > 1) { - const customFieldId = doc.customFields[dot_notation[1]]._id; + const customFieldId = doc.customFields[dotNotation[1]]._id; const act = { userId, customFieldId, -- cgit v1.2.3-1-g7c22 From 35ffd0281413aa4071ddef2072ec75c8f2d96025 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Mon, 11 Mar 2019 11:42:05 +0100 Subject: Fix import error 500 while running an import from a previously exported board, we encounter the following error: Exception while invoking method 'importBoard' Error: Did not check() all arguments during call to 'importBoard' at ArgumentChecker.throwUnlessAllArgumentsHaveBeenChecked (packages/check.js:483:13) at Object._failIfArgumentsAreNotAllChecked (packages/check.js:131:16) at maybeAuditArgumentChecks (packages/ddp-server/livedata_server.js:1765:18) at DDP._CurrentMethodInvocation.withValue (packages/ddp-server/livedata_server.js:719:19) at Meteor.EnvironmentVariable.EVp.withValue (packages/meteor.js:1186:15) at DDPServer._CurrentWriteFence.withValue (packages/ddp-server/livedata_server.js:717:46) at Meteor.EnvironmentVariable.EVp.withValue (packages/meteor.js:1186:15) at Promise (packages/ddp-server/livedata_server.js:715:46) at new Promise () at Session.method (packages/ddp-server/livedata_server.js:689:23) at packages/mdg_meteor-apm-agent.js:2617:38 at Meteor.EnvironmentVariable.EVp.withValue (packages/meteor.js:1186:15) at Session.sessionProto.protocol_handlers.method (packages/mdg_meteor-apm-agent.js:2616:44) at packages/ddp-server/livedata_server.js:559:43 Commit 4cf98134491b587 removed the checks as the original board might not have all the required fields, but we actually still need to run a general check on all parameters --- models/import.js | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/models/import.js b/models/import.js index 5cdf8dc1..343e1c24 100644 --- a/models/import.js +++ b/models/import.js @@ -3,10 +3,10 @@ import { WekanCreator } from './wekanCreator'; Meteor.methods({ importBoard(board, data, importSource, currentBoard) { - //check(board, Object); - //check(data, Object); - //check(importSource, String); - //check(currentBoard, Match.Maybe(String)); + check(board, Object); + check(data, Object); + check(importSource, String); + check(currentBoard, Match.Maybe(String)); let creator; switch (importSource) { case 'trello': -- cgit v1.2.3-1-g7c22 From ebc4d6fdbd56efa5b726f10a6d7c02f0c7864040 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Mon, 11 Mar 2019 11:42:22 +0100 Subject: wekan-import: also import each card color --- models/wekanCreator.js | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/models/wekanCreator.js b/models/wekanCreator.js index 2d3ec5de..7b265911 100644 --- a/models/wekanCreator.js +++ b/models/wekanCreator.js @@ -298,6 +298,10 @@ export class WekanCreator { cardToCreate.members = wekanMembers; } } + // set color + if (card.color) { + cardToCreate.color = card.color; + } // insert card const cardId = Cards.direct.insert(cardToCreate); // keep track of Wekan id => Wekan id -- cgit v1.2.3-1-g7c22 From d03a7e7a98e38cf051bcb699aff6d5b9ceb56c36 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Mon, 11 Mar 2019 11:47:01 +0100 Subject: wekan-import: also import each swimlane color --- models/wekanCreator.js | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/models/wekanCreator.js b/models/wekanCreator.js index 7b265911..3a627424 100644 --- a/models/wekanCreator.js +++ b/models/wekanCreator.js @@ -488,6 +488,10 @@ export class WekanCreator { title: swimlane.title, sort: swimlane.sort ? swimlane.sort : swimlaneIndex, }; + // set color + if (swimlane.color) { + swimlaneToCreate.color = swimlane.color; + } const swimlaneId = Swimlanes.direct.insert(swimlaneToCreate); Swimlanes.direct.update(swimlaneId, { $set: { -- cgit v1.2.3-1-g7c22 From 52a744b4436bc1050d95e2f47272649dbbd0a988 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 11 Mar 2019 19:16:53 +0200 Subject: Update changelog. --- CHANGELOG.md | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index c3adb2df..53f0eea8 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,8 +1,10 @@ # Upcoming Wekan release -This release adds the following new features with Apache I-CLA, thanks to bentiss: +This release adds the following new features and fixes with Apache I-CLA, thanks to bentiss: - [Activities: register customFields changes in the activities](https://github.com/wekan/wekan/pull/2239). +- [customFields: fix leftover from lint](https://github.com/wekan/wekan/commit/4c72479d1206850d436261dc5c6a4127f246f6da). + Looks like I forgot to use the camelCase notation here, and this leads to an exception while updating a custom field. and adds the following new features: -- cgit v1.2.3-1-g7c22 From 8f337f17e45f8af8d96b6043d54466e5878b7e0b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 11 Mar 2019 19:32:58 +0200 Subject: - Order All Boards by starred, color, board name and board description. Part 2. Thanks to xet7 ! --- client/components/boards/boardsList.js | 5 +---- 1 file changed, 1 insertion(+), 4 deletions(-) diff --git a/client/components/boards/boardsList.js b/client/components/boards/boardsList.js index 74a8e4d4..fcd1a6ce 100644 --- a/client/components/boards/boardsList.js +++ b/client/components/boards/boardsList.js @@ -26,11 +26,8 @@ BlazeComponent.extendComponent({ 'members.userId': Meteor.userId(), type: 'board', subtasksDefaultListId: null, - }, { - sort: { stars: -1, color: 1, title: 1, description: 1 }, - }); + }, { sort: [['stars', 'desc'], ['color', 'asc'], ['title', 'asc'], ['description', 'asc']] }); }, - isStarred() { const user = Meteor.user(); return user && user.hasStarred(this.currentData()._id); -- cgit v1.2.3-1-g7c22 From c0221dafde6f42a86d835dc5e2a11c91cbd15946 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 11 Mar 2019 19:37:40 +0200 Subject: Update changelog. --- CHANGELOG.md | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 53f0eea8..4e2f055a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -16,6 +16,11 @@ and fixes the following bugs, thanks to andresmanelli: Closes #2240. - [Avoid set self as parent card to cause circular reference, for real](https://github.com/wekan/commit/97822f35fd6365e5631c5488e8ee595f76ab4e34). +and tries to fix the following bugs, thanks to xet7: + +- [Order All Boards by starred, color, board name and board description. Part 2](https://github.com/wekan/wekan/commit/8f337f17e45f8af8d96b6043d54466e5878b7e0b). + Works on new Wekan install. Could still have boards keeping reording happening all the time on old Wekan installs. + Thanks to above Wekan contributors for their contributions. # v2.43 2019-03-08 Wekan release -- cgit v1.2.3-1-g7c22 From 4ac8247db06bbd029467226e86393046b160b1ed Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 11 Mar 2019 19:40:03 +0200 Subject: [Fix imports](https://github.com/wekan/wekan/pull/2245). Thanks to bentiss with Apache I-CLA. --- CHANGELOG.md | 1 + 1 file changed, 1 insertion(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 4e2f055a..e152ce05 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -5,6 +5,7 @@ This release adds the following new features and fixes with Apache I-CLA, thanks - [Activities: register customFields changes in the activities](https://github.com/wekan/wekan/pull/2239). - [customFields: fix leftover from lint](https://github.com/wekan/wekan/commit/4c72479d1206850d436261dc5c6a4127f246f6da). Looks like I forgot to use the camelCase notation here, and this leads to an exception while updating a custom field. +- [Fix imports](https://github.com/wekan/wekan/pull/2245). and adds the following new features: -- cgit v1.2.3-1-g7c22 From b7c000b78b9af253fb115bbfa5ef0d4c0681abbb Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 11 Mar 2019 19:47:23 +0200 Subject: Changed brute force protection package from eluck:accounts-lockout to lucasantoniassi:accounts-lockout that is maintained and works. Added Snap/Docker/Source settings. Thanks to xet7 ! Closes #1572, closes #1821 --- .meteor/packages | 2 +- .meteor/versions | 6 +++--- Dockerfile | 12 ++++++++++++ docker-compose.yml | 10 ++++++++++ releases/virtualbox/start-wekan.sh | 10 ++++++++++ server/accounts-lockout.js | 16 ++++++++++++++++ snap-src/bin/config | 26 +++++++++++++++++++++++++- snap-src/bin/wekan-help | 18 ++++++++++++++++++ start-wekan.bat | 10 ++++++++++ start-wekan.sh | 10 ++++++++++ 10 files changed, 115 insertions(+), 5 deletions(-) create mode 100644 server/accounts-lockout.js diff --git a/.meteor/packages b/.meteor/packages index 0b43cbef..9a3f9bca 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -82,7 +82,6 @@ staringatlights:fast-render mixmax:smart-disconnect accounts-password@1.5.0 cfs:gridfs -eluck:accounts-lockout rzymek:fullcalendar momentjs:moment@2.22.2 browser-policy-framing @@ -92,3 +91,4 @@ wekan-scrollbar mquandalle:perfect-scrollbar mdg:meteor-apm-agent meteorhacks:unblock +lucasantoniassi:accounts-lockout diff --git a/.meteor/versions b/.meteor/versions index 239ddb37..390cda63 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -60,7 +60,6 @@ ecmascript-runtime@0.5.0 ecmascript-runtime-client@0.5.0 ecmascript-runtime-server@0.5.0 ejson@1.1.0 -eluck:accounts-lockout@0.9.0 email@1.2.3 es5-shim@4.6.15 fastclick@1.0.13 @@ -82,6 +81,7 @@ launch-screen@1.1.1 livedata@1.0.18 localstorage@1.2.0 logging@1.1.19 +lucasantoniassi:accounts-lockout@1.0.0 matb33:collection-hooks@0.8.4 matteodem:easy-search@1.6.4 mdg:meteor-apm-agent@3.1.2 @@ -145,8 +145,6 @@ reload@1.1.11 retry@1.0.9 routepolicy@1.0.12 rzymek:fullcalendar@3.8.0 -wekan-accounts-oidc@1.0.10 -wekan-oidc@1.0.12 service-configuration@1.0.11 session@1.1.7 sha@1.0.9 @@ -181,6 +179,8 @@ useraccounts:unstyled@1.14.2 verron:autosize@3.0.8 webapp@1.4.0 webapp-hashing@1.0.9 +wekan-accounts-oidc@1.0.10 +wekan-oidc@1.0.12 wekan-scrollbar@3.1.3 wekan:accounts-cas@0.1.0 wekan:wekan-ldap@0.0.2 diff --git a/Dockerfile b/Dockerfile index c833bc17..326b8101 100644 --- a/Dockerfile +++ b/Dockerfile @@ -12,6 +12,12 @@ ARG FIBERS_VERSION ARG ARCHITECTURE ARG SRC_PATH ARG WITH_API +ARG ACCOUNTS_LOCKOUT_KNOWN_USERS_FAILURES_BEFORE +ARG ACCOUNTS_LOCKOUT_KNOWN_USERS_PERIOD +ARG ACCOUNTS_LOCKOUT_KNOWN_USERS_FAILURE_WINDOW +ARG ACCOUNTS_LOCKOUT_UNKNOWN_USERS_FAILURES_BERORE +ARG ACCOUNTS_LOCKOUT_UNKNOWN_USERS_LOCKOUT_PERIOD +ARG ACCOUNTS_LOCKOUT_UNKNOWN_USERS_FAILURE_WINDOW ARG EMAIL_NOTIFICATION_TIMEOUT ARG MATOMO_ADDRESS ARG MATOMO_SITE_ID @@ -102,6 +108,12 @@ ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential pyth ARCHITECTURE=linux-x64 \ SRC_PATH=./ \ WITH_API=true \ + ACCOUNTS_LOCKOUT_KNOWN_USERS_FAILURES_BEFORE=3 \ + ACCOUNTS_LOCKOUT_KNOWN_USERS_PERIOD=60 \ + ACCOUNTS_LOCKOUT_KNOWN_USERS_FAILURE_WINDOW=15 \ + ACCOUNTS_LOCKOUT_UNKNOWN_USERS_FAILURES_BERORE=3 \ + ACCOUNTS_LOCKOUT_UNKNOWN_USERS_LOCKOUT_PERIOD=60 \ + ACCOUNTS_LOCKOUT_UNKNOWN_USERS_FAILURE_WINDOW=15 \ EMAIL_NOTIFICATION_TIMEOUT=30000 \ MATOMO_ADDRESS="" \ MATOMO_SITE_ID="" \ diff --git a/docker-compose.yml b/docker-compose.yml index 454964e8..ef1580aa 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -221,6 +221,16 @@ services: # If you disable Wekan API with false, Export Board does not work. - WITH_API=true #--------------------------------------------------------------- + # ==== PASSWORD BRUTE FORCE PROTECTION ==== + #https://atmospherejs.com/lucasantoniassi/accounts-lockout + #Defaults below. Uncomment to change. wekan/server/accounts-lockout.js + #- ACCOUNTS_LOCKOUT_KNOWN_USERS_FAILURES_BEFORE=3 + #- ACCOUNTS_LOCKOUT_KNOWN_USERS_PERIOD=60 + #- ACCOUNTS_LOCKOUT_KNOWN_USERS_FAILURE_WINDOW=15 + #- ACCOUNTS_LOCKOUT_UNKNOWN_USERS_FAILURES_BERORE=3 + #- ACCOUNTS_LOCKOUT_UNKNOWN_USERS_LOCKOUT_PERIOD=60 + #- ACCOUNTS_LOCKOUT_UNKNOWN_USERS_FAILURE_WINDOW=15 + #--------------------------------------------------------------- # ==== EMAIL NOTIFICATION TIMEOUT, ms ===== # Defaut: 30000 ms = 30s #- EMAIL_NOTIFICATION_TIMEOUT=30000 diff --git a/releases/virtualbox/start-wekan.sh b/releases/virtualbox/start-wekan.sh index 31a95728..9a948bac 100755 --- a/releases/virtualbox/start-wekan.sh +++ b/releases/virtualbox/start-wekan.sh @@ -25,6 +25,16 @@ # Wekan Export Board works when WITH_API='true'. # If you disable Wekan API, Export Board does not work. export WITH_API='true' + #--------------------------------------------------------------- + # ==== PASSWORD BRUTE FORCE PROTECTION ==== + #https://atmospherejs.com/lucasantoniassi/accounts-lockout + #Defaults below. Uncomment to change. wekan/server/accounts-lockout.js + #export ACCOUNTS_LOCKOUT_KNOWN_USERS_FAILURES_BEFORE=3 + #export ACCOUNTS_LOCKOUT_KNOWN_USERS_PERIOD=60 + #export ACCOUNTS_LOCKOUT_KNOWN_USERS_FAILURE_WINDOW=15 + #export ACCOUNTS_LOCKOUT_UNKNOWN_USERS_FAILURES_BERORE=3 + #export ACCOUNTS_LOCKOUT_UNKNOWN_USERS_LOCKOUT_PERIOD=60 + #export ACCOUNTS_LOCKOUT_UNKNOWN_USERS_FAILURE_WINDOW=15 #--------------------------------------------- # CORS: Set Access-Control-Allow-Origin header. Example: * #export CORS=* diff --git a/server/accounts-lockout.js b/server/accounts-lockout.js new file mode 100644 index 00000000..a9b9e311 --- /dev/null +++ b/server/accounts-lockout.js @@ -0,0 +1,16 @@ +// https://atmospherejs.com/lucasantoniassi/accounts-lockout +// server +import { AccountsLockout } from 'meteor/lucasantoniassi:accounts-lockout'; + +(new AccountsLockout({ + knownUsers: { + failuresBeforeLockout: process.env.ACCOUNTS_LOCKOUT_KNOWN_USERS_FAILURES_BEFORE || 3, + lockoutPeriod: process.env.ACCOUNTS_LOCKOUT_KNOWN_USERS_PERIOD || 60, + failureWindow: process.env.ACCOUNTS_LOCKOUT_KNOWN_USERS_FAILURE_WINDOW || 15, + }, + unknownUsers: { + failuresBeforeLockout: process.env.ACCOUNTS_LOCKOUT_UNKNOWN_USERS_FAILURES_BERORE || 3, + lockoutPeriod: process.env.ACCOUNTS_LOCKOUT_UNKNOWN_USERS_LOCKOUT_PERIOD || 60, + failureWindow: process.env.ACCOUNTS_LOCKOUT_UNKNOWN_USERS_FAILURE_WINDOW || 15, + }, +})).startup(); diff --git a/snap-src/bin/config b/snap-src/bin/config index eecb7ba1..30e389c1 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -3,7 +3,7 @@ # All supported keys are defined here together with descriptions and default values # list of supported keys -keys="DEBUG MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API EMAIL_NOTIFICATION_TIMEOUT CORS MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT OAUTH2_ID_MAP OAUTH2_USERNAME_MAP OAUTH2_FULLNAME_MAP OAUTH2_EMAIL_MAP LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_FULLNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN LDAP_EMAIL_MATCH_ENABLE LDAP_EMAIL_MATCH_REQUIRE LDAP_EMAIL_MATCH_VERIFIED LDAP_EMAIL_FIELD LDAP_SYNC_ADMIN_STATUS LDAP_SYNC_ADMIN_GROUPS HEADER_LOGIN_ID HEADER_LOGIN_FIRSTNAME HEADER_LOGIN_LASTNAME HEADER_LOGIN_EMAIL LOGOUT_WITH_TIMER LOGOUT_IN LOGOUT_ON_HOURS LOGOUT_ON_MINUTES DEFAULT_AUTHENTICATION_METHOD" +keys="DEBUG MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API ACCOUNTS_LOCKOUT_KNOWN_USERS_FAILURES_BEFORE ACCOUNTS_LOCKOUT_KNOWN_USERS_PERIOD ACCOUNTS_LOCKOUT_KNOWN_USERS_FAILURE_WINDOW ACCOUNTS_LOCKOUT_UNKNOWN_USERS_FAILURES_BERORE ACCOUNTS_LOCKOUT_UNKNOWN_USERS_LOCKOUT_PERIOD ACCOUNTS_LOCKOUT_UNKNOWN_USERS_FAILURE_WINDOW EMAIL_NOTIFICATION_TIMEOUT CORS MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT OAUTH2_ID_MAP OAUTH2_USERNAME_MAP OAUTH2_FULLNAME_MAP OAUTH2_EMAIL_MAP LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_FULLNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN LDAP_EMAIL_MATCH_ENABLE LDAP_EMAIL_MATCH_REQUIRE LDAP_EMAIL_MATCH_VERIFIED LDAP_EMAIL_FIELD LDAP_SYNC_ADMIN_STATUS LDAP_SYNC_ADMIN_GROUPS HEADER_LOGIN_ID HEADER_LOGIN_FIRSTNAME HEADER_LOGIN_LASTNAME HEADER_LOGIN_EMAIL LOGOUT_WITH_TIMER LOGOUT_IN LOGOUT_ON_HOURS LOGOUT_ON_MINUTES DEFAULT_AUTHENTICATION_METHOD" # default values DESCRIPTION_DEBUG="Debug OIDC OAuth2 etc. Example: sudo snap set wekan debug='true'" @@ -56,6 +56,30 @@ DESCRIPTION_WITH_API="Enable/disable the api of wekan" DEFAULT_WITH_API="true" KEY_WITH_API="with-api" +DESCRIPTION_ACCOUNTS_LOCKOUT_KNOWN_USERS_FAILURES_BEFORE="Accounts lockout known users failures before, greater than 0. Default: 3" +DEFAULT_ACCOUNTS_LOCKOUT_KNOWN_USERS_FAILURES_BEFORE="3" +KEY_ACCOUNTS_LOCKOUT_KNOWN_USERS_FAILURES_BEFORE="accounts-lockout-known-users-failures-before" + +DESCRIPTION_ACCOUNTS_LOCKOUT_KNOWN_USERS_PERIOD="Accounts lockout know users period, in seconds. Default: 60" +DEFAULT_ACCOUNTS_LOCKOUT_KNOWN_USERS_PERIOD="60" +KEY_ACCOUNTS_LOCKOUT_KNOWN_USERS_PERIOD="accounts-lockout-known-users-period" + +DESCRIPTION_ACCOUNTS_LOCKOUT_KNOWN_USERS_FAILURE_WINDOW="Accounts lockout unknown failure window, in seconds. Default: 15" +DEFAULT_ACCOUNTS_LOCKOUT_KNOWN_USERS_FAILURE_WINDOW="15" +KEY_ACCOUNTS_LOCKOUT_KNOWN_USERS_FAILURE_WINDOW="accounts-lockout-known-users-failure-window" + +DESCRIPTION_ACCOUNTS_LOCKOUT_UNKNOWN_USERS_FAILURES_BERORE="Accounts lockout unknown users failures before, greater than 0. Default: 3" +DEFAULT_ACCOUNTS_LOCKOUT_UNKNOWN_USERS_FAILURES_BERORE="3" +KEY_ACCOUNTS_LOCKOUT_UNKNOWN_USERS_FAILURES_BERORE="accounts-lockout-unknown-users-failures-before" + +DESCRIPTION_ACCOUNTS_LOCKOUT_UNKNOWN_USERS_LOCKOUT_PERIOD="Accounts lockout unknown users lockout period, in seconds. Default: 60" +DEFAULT_ACCOUNTS_LOCKOUT_UNKNOWN_USERS_LOCKOUT_PERIOD="60" +KEY_ACCOUNTS_LOCKOUT_UNKNOWN_USERS_LOCKOUT_PERIOD="accounts-lockout-unknown-users-lockout-period" + +DESCRIPTION_ACCOUNTS_LOCKOUT_UNKNOWN_USERS_FAILURE_WINDOW="Accounts lockout unknown users failure window, in seconds. Default: 15" +DEFAULT_ACCOUNTS_LOCKOUT_UNKNOWN_USERS_FAILURE_WINDOW="15" +KEY_ACCOUNTS_LOCKOUT_UNKNOWN_USERS_FAILURE_WINDOW="accounts-lockout-unknown-users-failure-window" + DESCRIPTION_EMAIL_NOTIFICATION_TIMEOUT="Email notification timeout, ms. Default: 30000 (=30s)." DEFAULT_EMAIL_NOTIFICATION_TIMEOUT="30000" KEY_EMAIL_NOTIFICATION_TIMEOUT="email-notification-timeout" diff --git a/snap-src/bin/wekan-help b/snap-src/bin/wekan-help index 766a7df7..55e4037b 100755 --- a/snap-src/bin/wekan-help +++ b/snap-src/bin/wekan-help @@ -40,6 +40,24 @@ echo -e "\t$ snap set $SNAP_NAME with-api='true'" echo -e "\t-Disable the API:" echo -e "\t$ snap set $SNAP_NAME with-api='false'" echo -e "\n" +echo -e "Accounts lockout known users failures before, greater than 0. Default: 3" +echo -e "\t$ snap set $SNAP_NAME accounts-lockout-known-users-failures-before='3'" +echo -e "\n" +echo -e "Accounts lockout know users period, in seconds. Default: 60" +echo -e "\t$ snap set $SNAP_NAME accounts-lockout-known-users-period='60'" +echo -e "\n" +echo -e "Accounts lockout unknown failure window, in seconds. Default: 15" +echo -e "\t$ snap set $SNAP_NAME accounts-lockout-known-users-failure-window='15'" +echo -e "\n" +echo -e "Accounts lockout unknown users failures before, greater than 0. Default: 3" +echo -e "\t$ snap set $SNAP_NAME accounts-lockout-unknown-users-failures-before='3'" +echo -e "\n" +echo -e "Accounts lockout unknown users lockout period, in seconds. Default: 60" +echo -e "\t$ snap set $SNAP_NAME accounts-lockout-unknown-users-lockout-period='60'" +echo -e "\n" +echo -e "Accounts lockout unknown users failure window, in seconds. Default: 15" +echo -e "\t$ snap set $SNAP_NAME accounts-lockout-unknown-users-failure-window='15'" +echo -e "\n" echo -e "To enable the Email Notification Timeout of wekan in ms, default 30000 (=30s):" echo -e "\t$ snap set $SNAP_NAME email-notification-timeout='10000'" echo -e "\t-Disable the Email Notification Timeout of Wekan:" diff --git a/start-wekan.bat b/start-wekan.bat index 001700f3..6cf481c3 100755 --- a/start-wekan.bat +++ b/start-wekan.bat @@ -14,6 +14,16 @@ SET PORT=2000 REM # If you disable Wekan API with false, Export Board does not work. SET WITH_API=true +REM # ==== PASSWORD BRUTE FORCE PROTECTION ==== +REM #https://atmospherejs.com/lucasantoniassi/accounts-lockout +REM #Defaults below. Uncomment to change. wekan/server/accounts-lockout.js +REM SET ACCOUNTS_LOCKOUT_KNOWN_USERS_FAILURES_BEFORE=3 +REM SET ACCOUNTS_LOCKOUT_KNOWN_USERS_PERIOD=60 +REM SET ACCOUNTS_LOCKOUT_KNOWN_USERS_FAILURE_WINDOW=15 +REM SET ACCOUNTS_LOCKOUT_UNKNOWN_USERS_FAILURES_BERORE=3 +REM SET ACCOUNTS_LOCKOUT_UNKNOWN_USERS_LOCKOUT_PERIOD=60 +REM SET ACCOUNTS_LOCKOUT_UNKNOWN_USERS_FAILURE_WINDOW=15 + REM # Optional: Integration with Matomo https://matomo.org that is installed to your server REM # The address of the server where Matomo is hosted. REM # example: - MATOMO_ADDRESS=https://example.com/matomo diff --git a/start-wekan.sh b/start-wekan.sh index 184be575..a791944e 100755 --- a/start-wekan.sh +++ b/start-wekan.sh @@ -43,6 +43,16 @@ function wekan_repo_check(){ # Wekan Export Board works when WITH_API=true. # If you disable Wekan API with false, Export Board does not work. export WITH_API='true' + #--------------------------------------------------------------- + # ==== PASSWORD BRUTE FORCE PROTECTION ==== + #https://atmospherejs.com/lucasantoniassi/accounts-lockout + #Defaults below. Uncomment to change. wekan/server/accounts-lockout.js + #export ACCOUNTS_LOCKOUT_KNOWN_USERS_FAILURES_BEFORE=3 + #export ACCOUNTS_LOCKOUT_KNOWN_USERS_PERIOD=60 + #export ACCOUNTS_LOCKOUT_KNOWN_USERS_FAILURE_WINDOW=15 + #export ACCOUNTS_LOCKOUT_UNKNOWN_USERS_FAILURES_BERORE=3 + #export ACCOUNTS_LOCKOUT_UNKNOWN_USERS_LOCKOUT_PERIOD=60 + #export ACCOUNTS_LOCKOUT_UNKNOWN_USERS_FAILURE_WINDOW=15 #--------------------------------------------- # CORS: Set Access-Control-Allow-Origin header. Example: * #export CORS=* -- cgit v1.2.3-1-g7c22 From 473f389bbe76c5c1142f49343c4b399147cabd56 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 11 Mar 2019 19:53:13 +0200 Subject: [Changed brute force protection package from eluck:accounts-lockout to lucasantoniassi:accounts-lockout that is maintained and works. Added Snap/Docker/Source settings](https://github.com/wekan/wekan/commit/b7c000b78b9af253fb115bbfa5ef0d4c0681abbb). Thanks to xet7. --- CHANGELOG.md | 14 ++++++++------ 1 file changed, 8 insertions(+), 6 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index e152ce05..9c66e660 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -11,16 +11,18 @@ and adds the following new features: - Add language: Occitan. Thanks to translators. -and fixes the following bugs, thanks to andresmanelli: +and fixes the following bugs: - [Fix removed checklistItem activity => dangling activities created](https://github.com/wekan/wekan/commit/2ec1664408d9515b5ca77fbb46ef99208eb8cff0). - Closes #2240. + Closes #2240. Thanks to andresmanelli. - [Avoid set self as parent card to cause circular reference, for real](https://github.com/wekan/commit/97822f35fd6365e5631c5488e8ee595f76ab4e34). - -and tries to fix the following bugs, thanks to xet7: - -- [Order All Boards by starred, color, board name and board description. Part 2](https://github.com/wekan/wekan/commit/8f337f17e45f8af8d96b6043d54466e5878b7e0b). + Thanks to andresmanelli. +- Try to fix [Order All Boards by starred, color, board name and board description. Part 2](https://github.com/wekan/wekan/commit/8f337f17e45f8af8d96b6043d54466e5878b7e0b). Works on new Wekan install. Could still have boards keeping reording happening all the time on old Wekan installs. + Thanks to xet7. +- [Changed brute force protection package from eluck:accounts-lockout to lucasantoniassi:accounts-lockout that is maintained and works. + Added Snap/Docker/Source settings](https://github.com/wekan/wekan/commit/b7c000b78b9af253fb115bbfa5ef0d4c0681abbb). + Thanks to xet7. Thanks to above Wekan contributors for their contributions. -- cgit v1.2.3-1-g7c22 From afda0ed4da3e0ee37b4f0227a108b96f5d8f624d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 11 Mar 2019 19:56:17 +0200 Subject: Try to get ordering of All Boards working so that it does not keep reordering. Thanks to bentiss, with Apache I-CLA. Related #2241 --- client/components/boards/boardsList.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/components/boards/boardsList.js b/client/components/boards/boardsList.js index fcd1a6ce..3a49a8bf 100644 --- a/client/components/boards/boardsList.js +++ b/client/components/boards/boardsList.js @@ -26,7 +26,7 @@ BlazeComponent.extendComponent({ 'members.userId': Meteor.userId(), type: 'board', subtasksDefaultListId: null, - }, { sort: [['stars', 'desc'], ['color', 'asc'], ['title', 'asc'], ['description', 'asc']] }); + }, { sort: [['stars', 'desc'], ['color', 'asc'], ['title', 'asc'], ['description', 'asc'], ['_id', 'asc']] }); }, isStarred() { const user = Meteor.user(); -- cgit v1.2.3-1-g7c22 From 0002559d6ec2046c748b3b69d1ed0804e44468f8 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 11 Mar 2019 20:20:45 +0200 Subject: Update translations. --- i18n/oc.i18n.json | 218 +++++++++++++++++++++++++++--------------------------- 1 file changed, 109 insertions(+), 109 deletions(-) diff --git a/i18n/oc.i18n.json b/i18n/oc.i18n.json index 739eaf37..97332502 100644 --- a/i18n/oc.i18n.json +++ b/i18n/oc.i18n.json @@ -1,109 +1,109 @@ { - "accept": "Accept", - "act-activity-notify": "Activity Notification", - "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-createBoard": "created board __board__", - "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-createList": "added list __list__ to board __board__", - "act-addBoardMember": "added member __member__ to board __board__", - "act-archivedBoard": "Board __board__ moved to Archive", - "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", - "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", - "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", - "act-importBoard": "imported board __board__", - "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", - "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-removeBoardMember": "removed member __member__ from board __board__", - "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "accept": "Acceptar", + "act-activity-notify": "Notificacion d'activitat", + "act-addAttachment": "as apondut una pèça jonch __attachment__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", + "act-deleteAttachment": "as tirat una pèça jonch __attachment__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", + "act-addSubtask": "as apondut una jos-tasca __subtask__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", + "act-addLabel": "as apondut un labèl __label__ de la carta __card__ a la tièra __list__ del corredor __swimlane__ del tablèu __board__", + "act-removeLabel": "as tirat lo labèl __label__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", + "act-addChecklist": "as apondut la checklist __checklist__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", + "act-addChecklistItem": " as apondut l'element __checklistItem__ de la checklist __checklist__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", + "act-removeChecklist": "as tirat la checklist __checklist__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", + "act-removeChecklistItem": " as tirat l'element __checklistItem__ de la checklist __checklist__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", + "act-checkedItem": "as croiar __checklistItem__ de la checklist __checklist__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", + "act-uncheckedItem": "as descroiar __checklistItem__ de la checklist __checklist__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", + "act-completeChecklist": "as completat la checklist __checklist__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", + "act-uncompleteChecklist": "as rendut incomplet la checklist __checklist__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", + "act-addComment": "as comentat la carta __card__: __comment__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", + "act-createBoard": "as creat lo tablèu __board__", + "act-createCard": "as creat la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", + "act-createCustomField": "as creat lo camp personalizat __customField__ a la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", + "act-createList": "as apondut la tièra __list__ al tablèu __board__", + "act-addBoardMember": "as apondut un participant __member__ al tablèu __board__", + "act-archivedBoard": "Lo tablèu __board__ es estat desplaçar cap als Archius", + "act-archivedCard": "La carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__ es estat desplaçar cap als Archius", + "act-archivedList": "La tièra __list__ del corredor __swimlane__ del tablèu __board__ es estat desplaçar cap a Archius", + "act-archivedSwimlane": "Lo corredor __swimlane__ del tablèu __board__ es estat desplaçar cap a Archius", + "act-importBoard": "as importat lo tablèu __board__", + "act-importCard": "as importat la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", + "act-importList": "as importat la tièra __list__ del corredor __swimlane__ del tablèu __board__", + "act-joinMember": "as apondut un participant __member__ a la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", + "act-moveCard": "as desplaçat la carta __card__ de la tièra __oldList__ del corredor __oldSwimlane__ del tablèu __oldBoard__ cap a la tièra __list__ del corredor __swimlane__ del tablèu __board__", + "act-removeBoardMember": "as tirat lo participant __member__ del tablèu __board__", + "act-restoredCard": "restorat la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", + "act-unjoinMember": "as tirat lo participant __member__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", - "actions": "Actions", - "activities": "Activities", - "activity": "Activity", - "activity-added": "added %s to %s", - "activity-archived": "%s moved to Archive", - "activity-attached": "attached %s to %s", - "activity-created": "created %s", - "activity-customfield-created": "created custom field %s", - "activity-excluded": "excluded %s from %s", - "activity-imported": "imported %s into %s from %s", - "activity-imported-board": "imported %s from %s", - "activity-joined": "joined %s", - "activity-moved": "moved %s from %s to %s", - "activity-on": "on %s", - "activity-removed": "removed %s from %s", - "activity-sent": "sent %s to %s", - "activity-unjoined": "unjoined %s", - "activity-subtask-added": "added subtask to %s", - "activity-checked-item": "checked %s in checklist %s of %s", - "activity-unchecked-item": "unchecked %s in checklist %s of %s", - "activity-checklist-added": "added checklist to %s", - "activity-checklist-removed": "removed a checklist from %s", - "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", - "add": "Add", - "activity-checked-item-card": "checked %s in checklist %s", - "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "activity-checklist-uncompleted-card": "uncompleted the checklist %s", - "add-attachment": "Add Attachment", - "add-board": "Add Board", - "add-card": "Add Card", - "add-swimlane": "Add Swimlane", - "add-subtask": "Add Subtask", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", - "add-label": "Add Label", - "add-list": "Add List", - "add-members": "Add Members", - "added": "Added", - "addMemberPopup-title": "Members", - "admin": "Admin", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", - "archive": "Move to Archive", - "archive-all": "Move All to Archive", - "archive-board": "Move Board to Archive", - "archive-card": "Move Card to Archive", - "archive-list": "Move List to Archive", - "archive-swimlane": "Move Swimlane to Archive", - "archive-selection": "Move selection to Archive", - "archiveBoardPopup-title": "Move Board to Archive?", - "archived-items": "Archive", - "archived-boards": "Boards in Archive", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Archive.", - "archives": "Archive", - "template": "Template", - "templates": "Templates", - "assign-member": "Assign member", + "actions": "Accions", + "activities": "Activitats", + "activity": "Activitat", + "activity-added": "as apondut %s a %s", + "activity-archived": "%s desplaçat cap a Archius", + "activity-attached": "as ligat %s a %s", + "activity-created": "as creat %s", + "activity-customfield-created": "as creat lo camp personalizat %s", + "activity-excluded": "as exclu %s de %s", + "activity-imported": "as importat %s cap a %s dempuèi %s", + "activity-imported-board": "as importat %s dempuèi %s", + "activity-joined": "as rejonch %s", + "activity-moved": "as desplaçat %s dempuèi %s cap a %s", + "activity-on": "sus %s", + "activity-removed": "as tirat %s de %s", + "activity-sent": "as mandat %s cap a %s", + "activity-unjoined": "as quitat %s", + "activity-subtask-added": "as apondut una jos-tasca a %s", + "activity-checked-item": "as croiar %s dins la checklist %s de %s", + "activity-unchecked-item": "descroiar %s dins la checklist %s de %s", + "activity-checklist-added": "as apondut a checklist a %s", + "activity-checklist-removed": "as tirat la checklist de %s", + "activity-checklist-completed": "as acabat la checklista __checklist__ de la carta __card__ de la lista __list__ del corredor __swimlane__ del tablèu __board__", + "activity-checklist-uncompleted": "as rendut incomplet la checklist %s de %s", + "activity-checklist-item-added": "as apondut un element a la checklist '%s' dins %s", + "activity-checklist-item-removed": "as tirat un element a la checklist '%s' dins %s", + "add": "Apondre", + "activity-checked-item-card": "as croiar %s dins la checklist %s", + "activity-unchecked-item-card": "as descroiar %s dins la checklist %s", + "activity-checklist-completed-card": "as acabat la checklista __checklist__ de la carta __card__ de la lista __list__ del corredor __swimlane__ del tablèu __board__", + "activity-checklist-uncompleted-card": "as rendut incomplet la checklist %s", + "add-attachment": "Apondre una pèça jonch", + "add-board": "Apondre un tablèu", + "add-card": "Apondre una carta", + "add-swimlane": "Apondre un corredor", + "add-subtask": "Apondre una jos-tasca", + "add-checklist": "Apondre una checklist", + "add-checklist-item": "Apondre un element a la checklist", + "add-cover": "Apondre una cobèrta", + "add-label": "Apondre un labèl", + "add-list": "Apondre una tièra", + "add-members": "Apondre un participant", + "added": "Apondut", + "addMemberPopup-title": "Participants", + "admin": "Administartor", + "admin-desc": "As lo drech de legir e modificar las cartas, tirar dels participants, e modificat las opcions del tablèu.", + "admin-announcement": "Anóncia", + "admin-announcement-active": "Activar l'anóncia globala", + "admin-announcement-title": "Anóncia de l'administrator", + "all-boards": "Totes los tablèus", + "and-n-other-card": "E __count__ carta de mai", + "and-n-other-card_plural": "E __count__ cartas de mai", + "apply": "Aplicar", + "app-is-offline": "Cargament, vos cal esperar. Refrescar la pagina va vos far perdre vòstra trabalh. Se lo cargament es trop long, vos cal agachar se lo servidor es pas blocat/arrestat.", + "archive": "Archivar", + "archive-all": "Archivar tot", + "archive-board": "Archivar lo tablèu", + "archive-card": "Archivar la carta", + "archive-list": "Archivar la tièra", + "archive-swimlane": "Archivar lo corredor", + "archive-selection": "Archivar la seleccion", + "archiveBoardPopup-title": "Archivar lo tablèu?", + "archived-items": "Archivar", + "archived-boards": "Tablèu archivat", + "restore-board": "Restaurar lo tablèu", + "no-archived-boards": "Pas de tablèu archivat.", + "archives": "Archivar", + "template": "Modèl", + "templates": "Modèlas", + "assign-member": "Affectar un participant", "attached": "attached", "attachment": "Attachment", "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", @@ -152,7 +152,7 @@ "cardDeletePopup-title": "Delete Card?", "cardDetailsActionsPopup-title": "Card Actions", "cardLabelsPopup-title": "Labels", - "cardMembersPopup-title": "Members", + "cardMembersPopup-title": "Participants", "cardMorePopup-title": "More", "cardTemplatePopup-title": "Create template", "cards": "Cards", @@ -171,7 +171,7 @@ "changePasswordPopup-title": "Change Password", "changePermissionsPopup-title": "Change Permissions", "changeSettingsPopup-title": "Change Settings", - "subtasks": "Subtasks", + "subtasks": "Jos-tasca", "checklists": "Checklists", "click-to-star": "Click to star this board.", "click-to-unstar": "Click to unstar this board.", @@ -212,7 +212,7 @@ "no-comments": "No comments", "no-comments-desc": "Can not see comments and activities.", "computer": "Computer", - "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-subtask-delete-dialog": "Sètz segur que volètz tirar aqueste jos-tasca?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Copy card link to clipboard", "linkCardPopup-title": "Link Card", @@ -362,7 +362,7 @@ "log-in": "Log In", "loginPopup-title": "Log In", "memberMenuPopup-title": "Member Settings", - "members": "Members", + "members": "Participants", "menu": "Menu", "move-selection": "Move selection", "moveCardPopup-title": "Move Card", @@ -610,10 +610,10 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Archive", + "r-archive": "Desplaçar cap a Archiu", "r-unarchive": "Restore from Archive", "r-card": "card", - "r-add": "Add", + "r-add": "Apondre", "r-remove": "Remove", "r-label": "label", "r-member": "member", -- cgit v1.2.3-1-g7c22 From 7da2a8a15e2e33a321b21aa926fdcf493e2e0423 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 11 Mar 2019 20:23:27 +0200 Subject: v2.44 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 9c66e660..e54ac9bc 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.44 2019-03-11 Wekan release This release adds the following new features and fixes with Apache I-CLA, thanks to bentiss: diff --git a/Stackerfile.yml b/Stackerfile.yml index ec766564..e7d6b3c2 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.43.0" +appVersion: "v2.44.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 27536dc8..77e8eba5 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.43.0", + "version": "v2.44.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 27155571..23171379 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 245, + appVersion = 246, # Increment this for every release. - appMarketingVersion = (defaultText = "2.43.0~2019-03-08"), + appMarketingVersion = (defaultText = "2.44.0~2019-03-11"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From a347ae367654258b7768e7571831ed8f75fb5b84 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Mon, 11 Mar 2019 22:30:16 +0100 Subject: Rename migration to re run --- server/migrations.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/server/migrations.js b/server/migrations.js index eeb2d5ea..b8915fe9 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -518,7 +518,7 @@ Migrations.add('add-templates', () => { }); }); -Migrations.add('fix-circular-reference', () => { +Migrations.add('fix-circular-reference_', () => { Cards.find().forEach((card) => { if (card.parentId === card._id) { Cards.update(card._id, {$set: {parentId: ''}}, noValidateMulti); -- cgit v1.2.3-1-g7c22 From cf7d740004d5b7511a7c0fc434437cba4390f824 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 11 Mar 2019 23:39:05 +0200 Subject: v2.45 --- CHANGELOG.md | 6 ++++++ Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 10 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index e54ac9bc..d95edd59 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,9 @@ +# v2.45 2019-03-11 Wekan release + +This release fixes the following bugs, thanks to andresmanelli: + +- [Rename circular card migration to re run the fix](https://github.com/wekan/wekan/commit/a347ae367654258b7768e7571831ed8f75fb5b84). + # v2.44 2019-03-11 Wekan release This release adds the following new features and fixes with Apache I-CLA, thanks to bentiss: diff --git a/Stackerfile.yml b/Stackerfile.yml index e7d6b3c2..39885d8d 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.44.0" +appVersion: "v2.45.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 77e8eba5..fab14904 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.44.0", + "version": "v2.45.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 23171379..ef66ffd4 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 246, + appVersion = 247, # Increment this for every release. - appMarketingVersion = (defaultText = "2.44.0~2019-03-11"), + appMarketingVersion = (defaultText = "2.45.0~2019-03-11"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 0e2b7458d7ac98e312c1a231b9dfe7d0965ea986 Mon Sep 17 00:00:00 2001 From: Justin Reynolds Date: Tue, 12 Mar 2019 12:04:59 -0500 Subject: Fix watchers undefined #2252 --- models/activities.js | 24 +++++++++++++++--------- 1 file changed, 15 insertions(+), 9 deletions(-) diff --git a/models/activities.js b/models/activities.js index 84c45856..1e97895d 100644 --- a/models/activities.js +++ b/models/activities.js @@ -113,9 +113,11 @@ if (Meteor.isServer) { } if (activity.oldBoardId) { const oldBoard = activity.oldBoard(); - watchers = _.union(watchers, oldBoard.watchers || []); - params.oldBoard = oldBoard.title; - params.oldBoardId = activity.oldBoardId; + if (oldBoard) { + watchers = _.union(watchers, oldBoard.watchers || []); + params.oldBoard = oldBoard.title; + params.oldBoardId = activity.oldBoardId; + } } if (activity.memberId) { participants = _.union(participants, [activity.memberId]); @@ -129,15 +131,19 @@ if (Meteor.isServer) { } if (activity.oldListId) { const oldList = activity.oldList(); - watchers = _.union(watchers, oldList.watchers || []); - params.oldList = oldList.title; - params.oldListId = activity.oldListId; + if (oldList) { + watchers = _.union(watchers, oldList.watchers || []); + params.oldList = oldList.title; + params.oldListId = activity.oldListId; + } } if (activity.oldSwimlaneId) { const oldSwimlane = activity.oldSwimlane(); - watchers = _.union(watchers, oldSwimlane.watchers || []); - params.oldSwimlane = oldSwimlane.title; - params.oldSwimlaneId = activity.oldSwimlaneId; + if (oldSwimlane) { + watchers = _.union(watchers, oldSwimlane.watchers || []); + params.oldSwimlane = oldSwimlane.title; + params.oldSwimlaneId = activity.oldSwimlaneId; + } } if (activity.cardId) { const card = activity.card(); -- cgit v1.2.3-1-g7c22 From aca304803628ddf88df802edefd7f996edcb4d40 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 12 Mar 2019 23:01:18 +0200 Subject: Update changelog. --- CHANGELOG.md | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index d95edd59..b3bd446d 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- [Fix watchers undefined](https://github.com/wekan/wekan/pull/2253). + Thanks to justinr1234. + +Thanks to above GitHub users and translators for their translations. + # v2.45 2019-03-11 Wekan release This release fixes the following bugs, thanks to andresmanelli: -- cgit v1.2.3-1-g7c22 From 95a40a45e5370e88f848a7090b83ad149b95fa00 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 13 Mar 2019 00:30:07 +0200 Subject: Update translations. --- i18n/fr.i18n.json | 4 ++-- i18n/ru.i18n.json | 4 ++-- 2 files changed, 4 insertions(+), 4 deletions(-) diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 73a89c01..848941d3 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -567,8 +567,8 @@ "activity-added-label-card": "a ajouté l'étiquette '%s'", "activity-removed-label-card": "a supprimé l'étiquette '%s'", "activity-delete-attach-card": "a supprimé une pièce jointe", - "activity-set-customfield": "set custom field '%s' to '%s' in %s", - "activity-unset-customfield": "unset custom field '%s' in %s", + "activity-set-customfield": "a défini le champ personnalisé '%s' à '%s' dans %s", + "activity-unset-customfield": "a effacé le champ personnalisé '%s' dans %s", "r-rule": "Règle", "r-add-trigger": "Ajouter un déclencheur", "r-add-action": "Ajouter une action", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 91aa5c7c..d5169aef 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -567,8 +567,8 @@ "activity-added-label-card": "добавил метку '%s'", "activity-removed-label-card": "удалил метку '%s'", "activity-delete-attach-card": "удалил вложение", - "activity-set-customfield": "set custom field '%s' to '%s' in %s", - "activity-unset-customfield": "unset custom field '%s' in %s", + "activity-set-customfield": "сменил значение поля '%s' на '%s' в карточке %s", + "activity-unset-customfield": "очистил поле '%s' в карточке %s", "r-rule": "Правило", "r-add-trigger": "Задать условие", "r-add-action": "Задать действие", -- cgit v1.2.3-1-g7c22 From 1968b7da31d75757fd6383417d729ff6af6bbc5b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 13 Mar 2019 15:35:34 +0200 Subject: Revert hiding of Subtask boards, because of feedback from Wekan users, that need Subtask boards to be visible. Thanks to xet7 ! --- client/components/boards/boardsList.js | 1 - 1 file changed, 1 deletion(-) diff --git a/client/components/boards/boardsList.js b/client/components/boards/boardsList.js index 3a49a8bf..ad5ee551 100644 --- a/client/components/boards/boardsList.js +++ b/client/components/boards/boardsList.js @@ -25,7 +25,6 @@ BlazeComponent.extendComponent({ archived: false, 'members.userId': Meteor.userId(), type: 'board', - subtasksDefaultListId: null, }, { sort: [['stars', 'desc'], ['color', 'asc'], ['title', 'asc'], ['description', 'asc'], ['_id', 'asc']] }); }, isStarred() { -- cgit v1.2.3-1-g7c22 From d16086fcdb9768989dc0a8b84163ef259c03bac3 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 13 Mar 2019 15:40:20 +0200 Subject: Update changelog. --- CHANGELOG.md | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index b3bd446d..57571ea2 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,6 +4,9 @@ This release fixes the following bugs: - [Fix watchers undefined](https://github.com/wekan/wekan/pull/2253). Thanks to justinr1234. +- [Revert hiding of Subtask boards](https://github.com/wekan/wekan/commit/1968b7da31d75757fd6383417d729ff6af6bbc5b) + because of feedback from Wekan users, that need Subtask boards to be visible. + Thanks to xet7. Thanks to above GitHub users and translators for their translations. @@ -45,7 +48,7 @@ Thanks to above Wekan contributors for their contributions. This release adds the following new features, thanks to xet7: -- [Hide Subtask boards from All Boards](https://github.com/wekan/wekan/issues/1990). +- [Hide Subtask boards from All Boards](https://github.com/wekan/wekan/issues/1990). This was reverted in Wekan v2.46 to make Subtask boards visible again. - [Order All Boards by Starred, Color, Title and Description](https://github.com/wekan/wekan/commit/856872815292590e0c4eff2848ea1b857a318dc4). - [HTTP header automatic login](https://github.com/wekan/wekan/commit/ff825d6123ecfd033ccb08ce97c11cefee676104) for [3rd party authentication server method](https://github.com/wekan/wekan/issues/2019) like siteminder, and any webserver that -- cgit v1.2.3-1-g7c22 From 299484f7b28b7bca134618a8c95102626c935b6d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 13 Mar 2019 15:55:52 +0200 Subject: v2.46 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 57571ea2..a17c8d1d 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.46 2019-03-13 Wekan release This release fixes the following bugs: diff --git a/Stackerfile.yml b/Stackerfile.yml index 39885d8d..3b0fdd60 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.45.0" +appVersion: "v2.46.0" files: userUploads: - README.md diff --git a/package.json b/package.json index fab14904..e5bbd1ac 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.45.0", + "version": "v2.46.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index ef66ffd4..d0f43f91 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 247, + appVersion = 248, # Increment this for every release. - appMarketingVersion = (defaultText = "2.45.0~2019-03-11"), + appMarketingVersion = (defaultText = "2.46.0~2019-03-13"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 8671f08a0ea6ca24b72dcfd851d9587063ccdcbe Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 14 Mar 2019 00:16:39 +0200 Subject: Remove ordering of cards by stars/color/description, so that cards would not reorder all the time. Thanks to xet7 ! Closes #2241 --- client/components/boards/boardsList.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/components/boards/boardsList.js b/client/components/boards/boardsList.js index ad5ee551..3aacdedb 100644 --- a/client/components/boards/boardsList.js +++ b/client/components/boards/boardsList.js @@ -25,7 +25,7 @@ BlazeComponent.extendComponent({ archived: false, 'members.userId': Meteor.userId(), type: 'board', - }, { sort: [['stars', 'desc'], ['color', 'asc'], ['title', 'asc'], ['description', 'asc'], ['_id', 'asc']] }); + }, { sort: ['title'] }); }, isStarred() { const user = Meteor.user(); -- cgit v1.2.3-1-g7c22 From 32f6de1eecfc6d93e7997da383d12db6c0ab2cd4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 14 Mar 2019 00:25:40 +0200 Subject: Try to fix [LDAP Login: "Login forbidden", ReferenceError: req is not defined](https://github.com/wekan/wekan-ldap/issues/44). Please test. Thanks to xet7 ! Closes wekan/wekan-ldap#44 --- client/components/main/layouts.js | 10 +++++----- server/header-login.js | 10 ++++++++++ 2 files changed, 15 insertions(+), 5 deletions(-) create mode 100644 server/header-login.js diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index 4305de7c..d5b59b5f 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -105,10 +105,10 @@ async function authentication(event, instance) { // If header login id is set, use it for login. // Header username = Email address // Header password = Login ID - // Not user currently: req.headers[process.env.HEADER_LOGIN_FIRSTNAME] - // and req.headers[process.env.HEADER_LOGIN_LASTNAME] - const match = req.headers[process.env.HEADER_LOGIN_EMAIL] || $('#at-field-username_and_email').val(); - const password = req.headers[process.env.HEADER_LOGIN_ID] || $('#at-field-password').val(); + // Not user currently: request.headers[Meteor.settings.public.headerLoginFirstname] + // and request.headers[Meteor.settings.public.headerLoginLastname] + const match = request.headers[Meteor.settings.public.headerLoginEmail] || $('#at-field-username_and_email').val(); + const password = request.headers[Meteor.settings.public.headerLoginId] || $('#at-field-password').val(); if (!match || !password) return; @@ -117,7 +117,7 @@ async function authentication(event, instance) { if (result === 'password') return; // If header login id is not set, don't try to login automatically. - if (!process.env.HEADER_LOGIN_ID) { + if (!Meteor.settings.public.headerLoginId) { // Stop submit #at-pwd-form event.preventDefault(); event.stopImmediatePropagation(); diff --git a/server/header-login.js b/server/header-login.js new file mode 100644 index 00000000..51144c2d --- /dev/null +++ b/server/header-login.js @@ -0,0 +1,10 @@ +Meteor.startup(() => { + + if ( process.env.HEADER_LOGIN_ID ) { + Meteor.settings.public.headerLoginId = process.env.HEADER_LOGIN_ID; + Meteor.settings.public.headerLoginEmail = process.env.HEADER_LOGIN_EMAIL; + Meteor.settings.public.headerLoginFirstname = process.env.HEADER_LOGIN_FIRSTNAME; + Meteor.settings.public.headerLoginLastname = process.env.HEADER_LOGIN_LASTNAME; + } + +}); -- cgit v1.2.3-1-g7c22 From 0fee20cc12d1430bf42ed98bc5b6cca6526b2f6f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 14 Mar 2019 00:27:46 +0200 Subject: Update changelog. --- CHANGELOG.md | 12 +++++++++++- 1 file changed, 11 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index a17c8d1d..ed91d17d 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# Upcoming Wekan release + +This release fixes the following bugs, thanks to xet7: + +- [Remove ordering of cards by starred/color/description, so that cards would not reorder all the time](https://github.com/wekan/wekan/issues/2241). +- Try to fix [LDAP Login: "Login forbidden", ReferenceError: req is not defined](https://github.com/wekan/wekan-ldap/44). + +Thanks to above GitHub users and translators for their translations. + # v2.46 2019-03-13 Wekan release This release fixes the following bugs: @@ -37,7 +46,7 @@ and fixes the following bugs: Thanks to andresmanelli. - Try to fix [Order All Boards by starred, color, board name and board description. Part 2](https://github.com/wekan/wekan/commit/8f337f17e45f8af8d96b6043d54466e5878b7e0b). Works on new Wekan install. Could still have boards keeping reording happening all the time on old Wekan installs. - Thanks to xet7. + Thanks to xet7. Note: Ordering by starred/color/description was removed at Wekan v2.47. - [Changed brute force protection package from eluck:accounts-lockout to lucasantoniassi:accounts-lockout that is maintained and works. Added Snap/Docker/Source settings](https://github.com/wekan/wekan/commit/b7c000b78b9af253fb115bbfa5ef0d4c0681abbb). Thanks to xet7. @@ -50,6 +59,7 @@ This release adds the following new features, thanks to xet7: - [Hide Subtask boards from All Boards](https://github.com/wekan/wekan/issues/1990). This was reverted in Wekan v2.46 to make Subtask boards visible again. - [Order All Boards by Starred, Color, Title and Description](https://github.com/wekan/wekan/commit/856872815292590e0c4eff2848ea1b857a318dc4). + This was removed at Wekan v2.47. - [HTTP header automatic login](https://github.com/wekan/wekan/commit/ff825d6123ecfd033ccb08ce97c11cefee676104) for [3rd party authentication server method](https://github.com/wekan/wekan/issues/2019) like siteminder, and any webserver that handles authentication and based on it adds HTTP headers to be used for login. Please test. -- cgit v1.2.3-1-g7c22 From fd70556c82455df12db4d18ead6474da71928faf Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 14 Mar 2019 00:39:24 +0200 Subject: v2.47 --- CHANGELOG.md | 8 +++----- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 7 insertions(+), 9 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index ed91d17d..95bff021 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,12 +1,10 @@ -# Upcoming Wekan release +# v2.47 2019-03-14 Wekan release -This release fixes the following bugs, thanks to xet7: +This release fixes the following bugs, thanks to GitHub user xet7: - [Remove ordering of cards by starred/color/description, so that cards would not reorder all the time](https://github.com/wekan/wekan/issues/2241). - Try to fix [LDAP Login: "Login forbidden", ReferenceError: req is not defined](https://github.com/wekan/wekan-ldap/44). -Thanks to above GitHub users and translators for their translations. - # v2.46 2019-03-13 Wekan release This release fixes the following bugs: @@ -17,7 +15,7 @@ This release fixes the following bugs: because of feedback from Wekan users, that need Subtask boards to be visible. Thanks to xet7. -Thanks to above GitHub users and translators for their translations. +Thanks to above GitHub users for their contributions and translators for their translations. # v2.45 2019-03-11 Wekan release diff --git a/Stackerfile.yml b/Stackerfile.yml index 3b0fdd60..2557ac42 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.46.0" +appVersion: "v2.47.0" files: userUploads: - README.md diff --git a/package.json b/package.json index e5bbd1ac..44da2439 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.46.0", + "version": "v2.47.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index d0f43f91..fe17cca2 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 248, + appVersion = 249, # Increment this for every release. - appMarketingVersion = (defaultText = "2.46.0~2019-03-13"), + appMarketingVersion = (defaultText = "2.47.0~2019-03-14"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 216b3cfe0121aa026139536c383aa27db0353411 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 15 Mar 2019 10:59:54 +0200 Subject: Fix LDAP login. Thanks to xet7 ! Closes wekan/wekan-ldap#43, closes wekan/wekan-snap#85 --- client/components/main/layouts.js | 19 +++++-------------- 1 file changed, 5 insertions(+), 14 deletions(-) diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index d5b59b5f..6f7c914a 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -101,14 +101,8 @@ Template.defaultLayout.events({ }); async function authentication(event, instance) { - - // If header login id is set, use it for login. - // Header username = Email address - // Header password = Login ID - // Not user currently: request.headers[Meteor.settings.public.headerLoginFirstname] - // and request.headers[Meteor.settings.public.headerLoginLastname] - const match = request.headers[Meteor.settings.public.headerLoginEmail] || $('#at-field-username_and_email').val(); - const password = request.headers[Meteor.settings.public.headerLoginId] || $('#at-field-password').val(); + const match = $('#at-field-username_and_email').val(); + const password = $('#at-field-password').val(); if (!match || !password) return; @@ -116,12 +110,9 @@ async function authentication(event, instance) { if (result === 'password') return; - // If header login id is not set, don't try to login automatically. - if (!Meteor.settings.public.headerLoginId) { - // Stop submit #at-pwd-form - event.preventDefault(); - event.stopImmediatePropagation(); - } + // Stop submit #at-pwd-form + event.preventDefault(); + event.stopImmediatePropagation(); switch (result) { case 'ldap': -- cgit v1.2.3-1-g7c22 From c26af1668822e2a1cfd2967c0865aa27974ef18b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 15 Mar 2019 11:03:52 +0200 Subject: Update translations. --- i18n/oc.i18n.json | 678 +++++++++++++++++++++++++++--------------------------- 1 file changed, 339 insertions(+), 339 deletions(-) diff --git a/i18n/oc.i18n.json b/i18n/oc.i18n.json index 97332502..89f68375 100644 --- a/i18n/oc.i18n.json +++ b/i18n/oc.i18n.json @@ -1,16 +1,16 @@ { "accept": "Acceptar", "act-activity-notify": "Notificacion d'activitat", - "act-addAttachment": "as apondut una pèça jonch __attachment__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", - "act-deleteAttachment": "as tirat una pèça jonch __attachment__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", + "act-addAttachment": "as apondut una pèça joncha __astacament__ de la carta __card__ a la tièra __list__ del corredor __swimlane__ del tablèu __board__", + "act-deleteAttachment": "as tirat una pèça joncha __astacament__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", "act-addSubtask": "as apondut una jos-tasca __subtask__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", - "act-addLabel": "as apondut un labèl __label__ de la carta __card__ a la tièra __list__ del corredor __swimlane__ del tablèu __board__", - "act-removeLabel": "as tirat lo labèl __label__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", + "act-addLabel": "as apondut una etiqueta__label__ de la carta __card__ a la tièra __list__ del corredor __swimlane__ del tablèu __board__", + "act-removeLabel": "as tirat l'etiqueta__label__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", "act-addChecklist": "as apondut la checklist __checklist__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", "act-addChecklistItem": " as apondut l'element __checklistItem__ de la checklist __checklist__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", "act-removeChecklist": "as tirat la checklist __checklist__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", "act-removeChecklistItem": " as tirat l'element __checklistItem__ de la checklist __checklist__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", - "act-checkedItem": "as croiar __checklistItem__ de la checklist __checklist__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", + "act-checkedItem": "as croiat __checklistItem__ de la checklist __checklist__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", "act-uncheckedItem": "as descroiar __checklistItem__ de la checklist __checklist__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", "act-completeChecklist": "as completat la checklist __checklist__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", "act-uncompleteChecklist": "as rendut incomplet la checklist __checklist__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", @@ -20,8 +20,8 @@ "act-createCustomField": "as creat lo camp personalizat __customField__ a la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", "act-createList": "as apondut la tièra __list__ al tablèu __board__", "act-addBoardMember": "as apondut un participant __member__ al tablèu __board__", - "act-archivedBoard": "Lo tablèu __board__ es estat desplaçar cap als Archius", - "act-archivedCard": "La carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__ es estat desplaçar cap als Archius", + "act-archivedBoard": "Lo tablèu __board__ es estat desplaçar cap a Archius", + "act-archivedCard": "La carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__ es estat desplaçar cap a Archiu", "act-archivedList": "La tièra __list__ del corredor __swimlane__ del tablèu __board__ es estat desplaçar cap a Archius", "act-archivedSwimlane": "Lo corredor __swimlane__ del tablèu __board__ es estat desplaçar cap a Archius", "act-importBoard": "as importat lo tablèu __board__", @@ -30,9 +30,9 @@ "act-joinMember": "as apondut un participant __member__ a la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", "act-moveCard": "as desplaçat la carta __card__ de la tièra __oldList__ del corredor __oldSwimlane__ del tablèu __oldBoard__ cap a la tièra __list__ del corredor __swimlane__ del tablèu __board__", "act-removeBoardMember": "as tirat lo participant __member__ del tablèu __board__", - "act-restoredCard": "restorat la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", + "act-restoredCard": "as restorat la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", "act-unjoinMember": "as tirat lo participant __member__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", - "act-withBoardTitle": "__board__", + "act-withBoardTitle": "__tablèu__", "act-withCardTitle": "[__board__] __card__", "actions": "Accions", "activities": "Activitats", @@ -42,7 +42,7 @@ "activity-attached": "as ligat %s a %s", "activity-created": "as creat %s", "activity-customfield-created": "as creat lo camp personalizat %s", - "activity-excluded": "as exclu %s de %s", + "activity-excluded": "as exclús %s de %s", "activity-imported": "as importat %s cap a %s dempuèi %s", "activity-imported-board": "as importat %s dempuèi %s", "activity-joined": "as rejonch %s", @@ -52,20 +52,20 @@ "activity-sent": "as mandat %s cap a %s", "activity-unjoined": "as quitat %s", "activity-subtask-added": "as apondut una jos-tasca a %s", - "activity-checked-item": "as croiar %s dins la checklist %s de %s", - "activity-unchecked-item": "descroiar %s dins la checklist %s de %s", + "activity-checked-item": "as croiat %s dins la checklist %s de %s", + "activity-unchecked-item": "as descroiat %s dins la checklist %s de %s", "activity-checklist-added": "as apondut a checklist a %s", "activity-checklist-removed": "as tirat la checklist de %s", - "activity-checklist-completed": "as acabat la checklista __checklist__ de la carta __card__ de la lista __list__ del corredor __swimlane__ del tablèu __board__", + "activity-checklist-completed": "as acabat la checklist __checklist__ de la carta __card__ de la lista __list__ del corredor __swimlane__ del tablèu __board__", "activity-checklist-uncompleted": "as rendut incomplet la checklist %s de %s", "activity-checklist-item-added": "as apondut un element a la checklist '%s' dins %s", "activity-checklist-item-removed": "as tirat un element a la checklist '%s' dins %s", "add": "Apondre", - "activity-checked-item-card": "as croiar %s dins la checklist %s", - "activity-unchecked-item-card": "as descroiar %s dins la checklist %s", - "activity-checklist-completed-card": "as acabat la checklista __checklist__ de la carta __card__ de la lista __list__ del corredor __swimlane__ del tablèu __board__", + "activity-checked-item-card": "as croiat %s dins la checklist %s", + "activity-unchecked-item-card": "as descroiat %s dins la checklist %s", + "activity-checklist-completed-card": "as acabat la checklist__checklist__ de la carta __card__ de la lista __list__ del corredor __swimlane__ del tablèu __board__", "activity-checklist-uncompleted-card": "as rendut incomplet la checklist %s", - "add-attachment": "Apondre una pèça jonch", + "add-attachment": "Apondre una pèça joncha", "add-board": "Apondre un tablèu", "add-card": "Apondre una carta", "add-swimlane": "Apondre un corredor", @@ -73,21 +73,21 @@ "add-checklist": "Apondre una checklist", "add-checklist-item": "Apondre un element a la checklist", "add-cover": "Apondre una cobèrta", - "add-label": "Apondre un labèl", + "add-label": "Apondre una etiqueta", "add-list": "Apondre una tièra", "add-members": "Apondre un participant", "added": "Apondut", "addMemberPopup-title": "Participants", "admin": "Administartor", - "admin-desc": "As lo drech de legir e modificar las cartas, tirar dels participants, e modificat las opcions del tablèu.", + "admin-desc": "As lo drech de legir e modificar las cartas, tirar de participants, e modificar las opcions del tablèu.", "admin-announcement": "Anóncia", "admin-announcement-active": "Activar l'anóncia globala", "admin-announcement-title": "Anóncia de l'administrator", "all-boards": "Totes los tablèus", - "and-n-other-card": "E __count__ carta de mai", - "and-n-other-card_plural": "E __count__ cartas de mai", + "and-n-other-card": "E __comptar__ carta de mai", + "and-n-other-card_plural": "E __comptar__ cartas de mai", "apply": "Aplicar", - "app-is-offline": "Cargament, vos cal esperar. Refrescar la pagina va vos far perdre vòstra trabalh. Se lo cargament es trop long, vos cal agachar se lo servidor es pas blocat/arrestat.", + "app-is-offline": "Cargament, vos cal esperar. Refrescar la pagina vos va far perdre vòstre trabalh. Se lo cargament es tròp long, vos cal agachar se lo servidor es pas blocat/arrestat.", "archive": "Archivar", "archive-all": "Archivar tot", "archive-board": "Archivar lo tablèu", @@ -96,334 +96,334 @@ "archive-swimlane": "Archivar lo corredor", "archive-selection": "Archivar la seleccion", "archiveBoardPopup-title": "Archivar lo tablèu?", - "archived-items": "Archivar", + "archived-items": "Archius", "archived-boards": "Tablèu archivat", "restore-board": "Restaurar lo tablèu", "no-archived-boards": "Pas de tablèu archivat.", "archives": "Archivar", "template": "Modèl", - "templates": "Modèlas", + "templates": "Modèls", "assign-member": "Affectar un participant", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be private.", - "board-public-info": "This board will be public.", - "boardChangeColorPopup-title": "Change Board Background", - "boardChangeTitlePopup-title": "Rename Board", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Settings", - "boards": "Boards", - "board-view": "Board View", - "board-view-cal": "Calendar", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Archive.", - "board-archived": "This board is moved to Archive.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", - "cardLabelsPopup-title": "Labels", + "attached": "jónher", + "attachment": "pèça joncha", + "attachment-delete-pop": "Tirar una pèça joncha es defenitiu.", + "attachmentDeletePopup-title": "Tirar la pèça joncha ?", + "attachments": "Pèças jonchas", + "auto-watch": "Survelhar automaticament lo tablèu un còp creat", + "avatar-too-big": "L'imatge es tròp pesuc (70KB max)", + "back": "Tornar", + "board-change-color": "Cambiar de color", + "board-nb-stars": "%s estèla", + "board-not-found": "Tablèu pas trapat", + "board-private-info": "Aqueste tablèu serà privat.", + "board-public-info": "Aqueste tablèu serà public.", + "boardChangeColorPopup-title": "Cambiar lo fons del tablèu", + "boardChangeTitlePopup-title": "Tornar nomenar lo tablèu", + "boardChangeVisibilityPopup-title": "Cambiar la visibilitat", + "boardChangeWatchPopup-title": "Cambiar lo seguit", + "boardMenuPopup-title": "Opcions del tablèu", + "boards": "Tablèus", + "board-view": "Presentacion del tablèu", + "board-view-cal": "Calendièr", + "board-view-swimlanes": "Corredor", + "board-view-lists": "Tièras", + "bucket-example": "Coma \"Tota la tièra\" per exemple", + "cancel": "Tornar", + "card-archived": "Aquesta carta es desplaçada dins Archius", + "board-archived": "Aqueste tablèu esdesplaçat dins Archius", + "card-comments-title": "Aquesta carta a %s de comentaris.", + "card-delete-notice": "Un còp tirat, pas de posibilitat de tornar enrè", + "card-delete-pop": "Totes las accions van èsser quitadas del seguit d'activitat e poiretz pas mai utilizar aquesta carta.", + "card-delete-suggest-archive": "Podètz desplaçar una carta dins Archius per la quitar del tablèu e gardar las activitats.", + "card-due": "esperat", + "card-due-on": "esperat per", + "card-spent": "Temps passat", + "card-edit-attachments": "Cambiar las pèças jonchas", + "card-edit-custom-fields": "Cambiar los camps personalizats", + "card-edit-labels": "Cambiar los labèls", + "card-edit-members": "Cambiar los participants", + "card-labels-title": "Cambiar l'etiqueta de la carta.", + "card-members-title": "Apondre o quitar de participants a la carta. ", + "card-start": "Debuta", + "card-start-on": "Debuta lo", + "cardAttachmentsPopup-title": "Apondut dempuèi", + "cardCustomField-datePopup-title": "Cambiar la data", + "cardCustomFieldsPopup-title": "Cambiar los camps personalizats", + "cardDeletePopup-title": "Suprimir la carta?", + "cardDetailsActionsPopup-title": "Accions sus la carta", + "cardLabelsPopup-title": "Etiquetas", "cardMembersPopup-title": "Participants", - "cardMorePopup-title": "More", - "cardTemplatePopup-title": "Create template", - "cards": "Cards", - "cards-count": "Cards", - "casSignIn": "Sign In with CAS", - "cardType-card": "Card", - "cardType-linkedCard": "Linked Card", - "cardType-linkedBoard": "Linked Board", - "change": "Change", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", + "cardMorePopup-title": "Mai", + "cardTemplatePopup-title": "Crear un modèl", + "cards": "Cartas", + "cards-count": "Cartas", + "casSignIn": "Vos connectar amb CAS", + "cardType-card": "Carta", + "cardType-linkedCard": "Carta ligada", + "cardType-linkedBoard": "Tablèu ligat", + "change": "Cambiar", + "change-avatar": "Cambiar la fòto", + "change-password": "Cambiar lo mot de Santa-Clara", + "change-permissions": "Cambiar las permissions", + "change-settings": "Cambiar los paramètres", + "changeAvatarPopup-title": "Cambiar la fòto", + "changeLanguagePopup-title": "Cambiar la lenga", + "changePasswordPopup-title": "Cambiar lo mot de Santa-Clara", + "changePermissionsPopup-title": "Cambiar las permissions", + "changeSettingsPopup-title": "Cambiar los paramètres", "subtasks": "Jos-tasca", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-crimson": "crimson", - "color-darkgreen": "darkgreen", - "color-gold": "gold", - "color-gray": "gray", - "color-green": "green", - "color-indigo": "indigo", - "color-lime": "lime", + "checklists": "Checklistas", + "click-to-star": "Apondre lo tablèu als favorits", + "click-to-unstar": "Quitar lo tablèu dels favorits", + "clipboard": "Copiar o far limpar", + "close": "Tampar", + "close-board": "Tampar lo tablèu", + "close-board-pop": "Podètz tornar activar lo tablèu dempuèi la pagina d'acuèlh.", + "color-black": "negre", + "color-blue": "blau", + "color-crimson": "purple clar", + "color-darkgreen": "verd fonçat", + "color-gold": "aur", + "color-gray": "gris", + "color-green": "verd", + "color-indigo": "indi", + "color-lime": "jaune clar", "color-magenta": "magenta", - "color-mistyrose": "mistyrose", - "color-navy": "navy", - "color-orange": "orange", - "color-paleturquoise": "paleturquoise", - "color-peachpuff": "peachpuff", - "color-pink": "pink", - "color-plum": "plum", - "color-purple": "purple", - "color-red": "red", - "color-saddlebrown": "saddlebrown", - "color-silver": "silver", - "color-sky": "sky", - "color-slateblue": "slateblue", - "color-white": "white", - "color-yellow": "yellow", - "unset-color": "Unset", - "comment": "Comment", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "no-comments": "No comments", - "no-comments-desc": "Can not see comments and activities.", - "computer": "Computer", - "confirm-subtask-delete-dialog": "Sètz segur que volètz tirar aqueste jos-tasca?", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "linkCardPopup-title": "Link Card", - "searchElementPopup-title": "Search", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", + "color-mistyrose": "ròse clar", + "color-navy": "blau marin", + "color-orange": "irange", + "color-paleturquoise": "turqués", + "color-peachpuff": "persèc", + "color-pink": "ròsa", + "color-plum": "pruna", + "color-purple": "violet", + "color-red": "roge", + "color-saddlebrown": "castanh", + "color-silver": "argent", + "color-sky": "blau clar", + "color-slateblue": "blau lausa", + "color-white": "blanc", + "color-yellow": "jaune", + "unset-color": "pas reglat", + "comment": "Comentari", + "comment-placeholder": "Escrire un comentari", + "comment-only": "Comentari solament", + "comment-only-desc": "Comentari sus las cartas solament.", + "no-comments": "Pas cap de comentari", + "no-comments-desc": "Podèts pas veire ni los comentaris ni las activitats", + "computer": "Ordenator", + "confirm-subtask-delete-dialog": "Sètz segur de voler quitar aquesta jos-tasca?", + "confirm-checklist-delete-dialog": "Sètz segur de voler quitar aquesta checklist?", + "copy-card-link-to-clipboard": "Còpia del ligam de la carta", + "linkCardPopup-title": "Ligam de la carta", + "searchElementPopup-title": "Cèrca", + "copyCardPopup-title": "Còpia de la carta", + "copyChecklistToManyCardsPopup-title": "Còpia del modèl de checklist cap a mai d'una carta", + "copyChecklistToManyCardsPopup-instructions": "Un compte es estat creat per vos sus ", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Títol de la primièra carta\", \"description\":\"Descripcion de la primièra carta\"}, {\"title\":\"Títol de la segonda carta\",\"description\":\"Descripcion de la segonda carta\"},{\"title\":\"Títol de la darrièra carta\",\"description\":\"Descripcion de la darrièra carta\"} ]", + "create": "Crear", + "createBoardPopup-title": "Crear un tablèu", + "chooseBoardSourcePopup-title": "Importar un tablèu", + "createLabelPopup-title": "Crear una etiqueta", + "createCustomField": "Crear un camp", + "createCustomFieldPopup-title": "Crear un camp", + "current": "actual", "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", + "custom-field-checkbox": "Casa de croiar", + "custom-field-date": "Data", + "custom-field-dropdown": "Tièra de causidas", + "custom-field-dropdown-none": "(pas res)", + "custom-field-dropdown-options": "Opcions de la tièra", + "custom-field-dropdown-options-placeholder": "Apiejar sus \"Enter\" per apondre d'opcions", + "custom-field-dropdown-unknown": "(desconegut)", + "custom-field-number": "Nombre", + "custom-field-text": "Tèxte", + "custom-fields": "Camps personalizats", + "date": "Data", + "decline": "Refusar", + "default-avatar": "Fòto per defaut", + "delete": "Suprimir", + "deleteCustomFieldPopup-title": "Tirar lo camp personalizat?", + "deleteLabelPopup-title": "Tirar l'etiqueta?", + "description": "Descripcion", + "disambiguateMultiLabelPopup-title": "Precisar l'accion de l'etiqueta", + "disambiguateMultiMemberPopup-title": "Precisar l'accion del participant", + "discard": "Botar dins l'escobilha", + "done": "Acabat", + "download": "Telecargar", + "edit": "Modificar", + "edit-avatar": "Cambiar la fòto", + "edit-profile": "Modificar lo perfil", + "edit-wip-limit": "Modificar la WIP limit", + "soft-wip-limit": "Leugièr WIP limit", + "editCardStartDatePopup-title": "Cambiar la data de debuta", + "editCardDueDatePopup-title": "Cambiar la data de fin", + "editCustomFieldPopup-title": "Modificar los camps", + "editCardSpentTimePopup-title": "Cambiar lo temp passat", + "editLabelPopup-title": "Cambiar l'etiqueta", + "editNotificationPopup-title": "Modificar la notificacion", + "editProfilePopup-title": "Modificar lo perfil", + "email": "Corrièl", + "email-enrollAccount-subject": "Vòstre compte es ara activat pel sit __siteName__", + "email-enrollAccount-text": "Adieu __user__,\n\nPer comença d'utilizar lo servici, vos cal clicar sul ligam.\n\n__url__\n\nMercé.", + "email-fail": "Pas possible de mandar lo corrièl", + "email-fail-text": "Error per mandar lo corrièl", + "email-invalid": "L'adreça corrièl es pas valida", + "email-invite": "Convidar per corrièl", + "email-invite-subject": "__inviter__ vos as mandat un convit", + "email-invite-text": "Car __user__,\n\n__inviter__ vos a convidat per jónher lo tablèu \"__board__\".\n\nVos cal clicar sul ligam:\n\n__url__\n\nMercé.", + "email-resetPassword-subject": "Tornar inicializar vòstre mot de Santa-Clara de sit __siteName__", + "email-resetPassword-text": "Adieu __user__,\n\nPer tornar inicializar vòstre mot de Santa-Clara vos cal clicar sul ligam :\n\n__url__\n\nMercé.", + "email-sent": "Mail mandat", + "email-verifyEmail-subject": "Vos cal verificar vòstra adreça corrièl del sit __siteName__", + "email-verifyEmail-text": "Adieu __user__,\n\nPer verificar vòstra adreça corrièl, vos cal clicar sul ligam :\n\n__url__\n\nMercé.", + "enable-wip-limit": "Activar la WIP limit", + "error-board-doesNotExist": "Aqueste tablèu existís pas", + "error-board-notAdmin": "Devètz èsser un administrator del tablèu per far aquò ", + "error-board-notAMember": "Devètz èsser un participant del tablèu per far aquò", + "error-json-malformed": "Vòstre tèxte es pas valid JSON", + "error-json-schema": "Vòstre JSON es pas al format correct ", + "error-list-doesNotExist": "Aqueste tièra existís pas", + "error-user-doesNotExist": "Aqueste utilizator existís pas", + "error-user-notAllowSelf": "Vos podètz pas convidar vautres meteisses", + "error-user-notCreated": "Aqueste utilizator es pas encara creat", + "error-username-taken": "Lo nom es ja pres", + "error-email-taken": "Lo corrièl es ja pres ", + "export-board": "Exportar lo tablèu", + "filter": "Filtre", + "filter-cards": "Filtre cartas", + "filter-clear": "Escafar lo filtre", + "filter-no-label": "Pas cap d'etiqueta", + "filter-no-member": "Pas cap de participant", + "filter-no-custom-fields": "Pas de camp personalizat", + "filter-on": "Lo filtre es activat", + "filter-on-desc": "Filtratz las cartas dins aqueste tablèu. Picar aquí per editar los filtres", + "filter-to-selection": "Filtrar la seleccion", + "advanced-filter-label": "Filtre avançat", "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "link": "Link", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from previous export", + "fullname": "Nom complet", + "header-logo-title": "Retorn a vòstra pagina de tablèus", + "hide-system-messages": "Amagar los messatges sistèm", + "headerBarCreateBoardPopup-title": "Crear un tablèu", + "home": "Acuèlh", + "import": "Importar", + "link": "Ligar", + "import-board": "Importar un tablèu", + "import-board-c": "Importar un tablèu", + "import-board-title-trello": "Importar un tablèu dempuèi Trello", + "import-board-title-wekan": "Importar un tablèu dempuèi un export passat", "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From previous export", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", + "import-sandstorm-warning": "Importar lo tablèu va quitar totes las donadas del tablèu e lo va remplaçar amb las donadas del tablèu importat.", + "from-trello": "Dempuèi Trello", + "from-wekan": "Dempuèi un export passat", + "import-board-instruction-trello": "Dins vòstre tablèu Trello, vos cal anar dins \"Menut\", puèi \"Mai\", \"Export\", \"Export JSON\", e copiar lo tèxte balhat.", + "import-board-instruction-wekan": "Dins vòstre tablèu, vos cal anar dins \"Menut\", puèi \"Exportar lo tablèu\", e de copiar lo tèxte del fichièr telecargat.", + "import-board-instruction-about-errors": "Se avètz de errors al moment d'importar un tablèu, es possible que l'importacion as fonccionat, lo tablèu es belèu a la pagina \"Totes los tablèus\".", + "import-json-placeholder": "Pegar las donadas del fichièr JSON aicí", + "import-map-members": "Mapa dels participants", + "import-members-map": "Lo tablèu qu'avètz importat as ja de participants, vos cal far la migracion amb los utilizators actual", "import-show-user-mapping": "Review members mapping", "import-user-select": "Pick your existing user you want to use as this member", - "importMapMembersAddPopup-title": "Select member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", + "importMapMembersAddPopup-title": "Seleccionar un participant", + "info": "Vesion", + "initials": "Data inicala", + "invalid-date": "Data invalida", + "invalid-time": "Temps invalid", + "invalid-user": "Participant invalid", + "joined": "Jónher", + "just-invited": "Sètz just convidat dins aqueste tablèu", "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", + "label-create": "Crear una etiqueta", "label-default": "%s label (default)", "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", - "labels": "Labels", - "language": "Language", + "labels": "Etiquetas", + "language": "Lenga", "last-admin-desc": "You can’t change roles because there must be at least one admin.", "leave-board": "Leave Board", "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Archive", + "link-card": "Ligam per aquesta carta", + "list-archive-cards": "Mandar totas las cartas d'aquesta lista dins Archius", "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", + "list-move-cards": "Mandar totas las cartas dins aquesta lista", + "list-select-cards": "Seleccionar totas las cartas dins aquesta lista", "set-color-list": "Set Color", - "listActionPopup-title": "List Actions", + "listActionPopup-title": "Tièra de las accions", "swimlaneActionPopup-title": "Swimlane Actions", "swimlaneAddPopup-title": "Add a Swimlane below", - "listImportCardPopup-title": "Import a Trello card", - "listMorePopup-title": "More", - "link-list": "Link to this list", + "listImportCardPopup-title": "Importar una carta de Trello", + "listMorePopup-title": "Mai", + "link-list": "Ligam d'aquesta lista", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", + "lists": "Tièras", + "swimlanes": "Corredor", + "log-out": "Desconnexion", + "log-in": "Connexion", + "loginPopup-title": "Connexion", + "memberMenuPopup-title": "Paramètres dels participants", "members": "Participants", - "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", + "menu": "Menut", + "move-selection": "Bolegar la seleccion", + "moveCardPopup-title": "Bolegar la carta", + "moveCardToBottom-title": "Bolegar cap al bas", + "moveCardToTop-title": "Bolegar cap al naut", + "moveSelectionPopup-title": "Bolegar la seleccion", + "multi-selection": "Multi-seleccion", "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", + "muted": "Silenciós", "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", - "name": "Name", - "no-archived-cards": "No cards in Archive.", - "no-archived-lists": "No lists in Archive.", - "no-archived-swimlanes": "No swimlanes in Archive.", - "no-results": "No results", + "my-boards": "Mon tablèu", + "name": "Nom", + "no-archived-cards": "Pas cap de carta dins Archius", + "no-archived-lists": "Pas cap de lista dins Archius", + "no-archived-swimlanes": "Pas cap de corredor dins Archius", + "no-results": "Pas brica de resultat", "normal": "Normal", "normal-desc": "Can view and edit cards. Can't change settings.", "not-accepted-yet": "Invitation not accepted yet", "notify-participate": "Receive updates to any cards you participate as creater or member", "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", + "optional": "opcional", + "or": "o", "page-maybe-private": "This page may be private. You may be able to view it by logging in.", - "page-not-found": "Page not found.", - "password": "Password", + "page-not-found": "Pagina pas trapada", + "password": "Mot de Santa-Clara", "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", + "preview": "Apercebut", + "previewAttachedImagePopup-title": "Apercebut", + "previewClipboardImagePopup-title": "Apercebut", + "private": "Privat", + "private-desc": "Aqueste tablèu es privat. Solament las personas apondudas a aquete tablèu lo pòdon veire e editar.", + "profile": "Perfil", "public": "Public", "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", "quick-access-description": "Star a board to add a shortcut in this bar.", "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", + "remove-from-board": "Quitar lo tablèu", + "remove-label": "Quitar l'etiqueta", + "listDeletePopup-title": "Suprimir la lista ?", + "remove-member": "Quitar lo participant", + "remove-member-from-card": "Quitar aquesta carta", "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", "removeMemberPopup-title": "Remove Member?", - "rename": "Rename", - "rename-board": "Rename Board", + "rename": "Tornar nomenar", + "rename-board": "Tornar nomenar lo tablèu", "restore": "Restore", - "save": "Save", - "search": "Search", - "rules": "Rules", + "save": "Salvar", + "search": "Cèrca", + "rules": "Règlas", "search-cards": "Search from card titles and descriptions on this board", "search-example": "Text to search for?", - "select-color": "Select Color", + "select-color": "Color causida", "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", "setWipLimitPopup-title": "Set WIP Limit", "shortcut-assign-self": "Assign yourself to current card", "shortcut-autocomplete-emoji": "Autocomplete emoji", "shortcut-autocomplete-members": "Autocomplete members", "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", + "shortcut-close-dialog": "Tampar lo dialòg", "shortcut-filter-my-cards": "Filter my cards", "shortcut-show-shortcuts": "Bring up this shortcuts list", "shortcut-toggle-filterbar": "Toggle Filter Sidebar", @@ -436,32 +436,32 @@ "starred-boards": "Starred Boards", "starred-boards-description": "Starred boards show up at the top of your boards list.", "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", + "team": "Còla", + "this-board": "Aqueste tablèu", + "this-card": "aquesta carta", "spent-time-hours": "Spent time (hours)", "overtime-hours": "Overtime (hours)", "overtime": "Overtime", "has-overtime-cards": "Has overtime cards", "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", + "time": "Temps", + "title": "Títol", "tracking": "Tracking", "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", + "type": "Mena", "unassign-member": "Unassign member", "unsaved-description": "You have an unsaved description.", "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", + "upload": "Telecargar", + "upload-avatar": "Telecargar un avatar", + "uploaded-avatar": "Avatar telecargat", "username": "Username", "view-it": "View it", "warn-list-archived": "warning: this card is in an list at Archive", - "watch": "Watch", - "watching": "Watching", + "watch": "Agachar", + "watching": "Agachat", "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", + "welcome-board": "Tablèu de benvenguda", "welcome-swimlane": "Milestone 1", "welcome-list1": "Basics", "welcome-list2": "Advanced", @@ -473,36 +473,36 @@ "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", + "settings": "Paramètres", + "people": "Personas", "registration": "Registration", "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", + "invite": "Convidar", + "invite-people": "Convidat", "to-boards": "To board(s)", - "email-addresses": "Email Addresses", + "email-addresses": "Adreça corrièl", "smtp-host-description": "The address of the SMTP server that handles your emails.", "smtp-port-description": "The port your SMTP server uses for outgoing emails.", "smtp-tls-description": "Enable TLS support for SMTP server", "smtp-host": "SMTP Host", "smtp-port": "SMTP Port", "smtp-username": "Username", - "smtp-password": "Password", + "smtp-password": "Mot de Santa-Clara", "smtp-tls": "TLS support", "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", + "send-smtp-test": "Se mandar un corrièl d'ensag", + "invitation-code": "Còde de convit", + "email-invite-register-subject": "__inviter__ vos a mandat un convit", "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", "email-smtp-test-subject": "SMTP Test Email", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", + "email-smtp-test-text": "As capitat de mandar un corrièl", + "error-invitation-code-not-exist": "Lo còde de convit existís pas", + "error-notAuthorized": "Sès pas autorizat a agachar aquesta pagina", "outgoing-webhooks": "Outgoing Webhooks", "outgoingWebhooksPopup-title": "Outgoing Webhooks", "boardCardTitlePopup-title": "Card Title Filter", "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", + "no-name": "(Desconegut)", "Node_version": "Node version", "OS_Arch": "OS Arch", "OS_Cpus": "OS CPU Count", @@ -513,37 +513,37 @@ "OS_Totalmem": "OS Total Memory", "OS_Type": "OS Type", "OS_Uptime": "OS Uptime", - "days": "days", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", + "days": "jorns", + "hours": "oras", + "minutes": "minutas", + "seconds": "segondas", "show-field-on-card": "Show this field on card", "automatically-field-on-card": "Auto create field to all cards", "showLabel-field-on-card": "Show field label on minicard", - "yes": "Yes", - "no": "No", + "yes": "Òc", + "no": "Non", "accounts": "Accounts", "accounts-allowEmailChange": "Allow Email Change", "accounts-allowUserNameChange": "Allow Username Change", "createdAt": "Created at", - "verified": "Verified", - "active": "Active", - "card-received": "Received", + "verified": "Verificat", + "active": "Avtivat", + "card-received": "Recebut", "card-received-on": "Received on", - "card-end": "End", + "card-end": "Fin", "card-end-on": "Ends on", "editCardReceivedDatePopup-title": "Change received date", "editCardEndDatePopup-title": "Change end date", - "setCardColorPopup-title": "Set color", - "setCardActionsColorPopup-title": "Choose a color", - "setSwimlaneColorPopup-title": "Choose a color", - "setListColorPopup-title": "Choose a color", + "setCardColorPopup-title": "Color seleccionada", + "setCardActionsColorPopup-title": "Causir una color", + "setSwimlaneColorPopup-title": "Causir una color", + "setListColorPopup-title": "Causir una color", "assigned-by": "Assigned By", "requested-by": "Requested By", "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board", + "boardDeletePopup-title": "Suprimir lo tablèu ?", + "delete-board": "Tablèu suprimit", "default-subtasks-board": "Subtasks for __board__ board", "default": "Default", "queue": "Queue", @@ -610,7 +610,7 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Desplaçar cap a Archiu", + "r-archive": "Desplaçar cap a Archius", "r-unarchive": "Restore from Archive", "r-card": "card", "r-add": "Apondre", -- cgit v1.2.3-1-g7c22 From ff19d6744e3f4a944944185d41b944310f35fc36 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 15 Mar 2019 11:08:07 +0200 Subject: v2.48 --- CHANGELOG.md | 8 ++++++++ Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 12 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 95bff021..dca4f793 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,11 @@ +# v2.48 2019-03-15 Wekan release + +This release fixes the following bugs, thanks to GitHub user xet7: + +- [Fix LDAP login](https://github.com/wekan/wekan/commit/216b3cfe0121aa026139536c383aa27db0353411). + +Thanks to above GitHub users for their contributions and translators for their translations. + # v2.47 2019-03-14 Wekan release This release fixes the following bugs, thanks to GitHub user xet7: diff --git a/Stackerfile.yml b/Stackerfile.yml index 2557ac42..46037269 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.47.0" +appVersion: "v2.48.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 44da2439..fc18b575 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.47.0", + "version": "v2.48.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index fe17cca2..f9551eff 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 249, + appVersion = 250, # Increment this for every release. - appMarketingVersion = (defaultText = "2.47.0~2019-03-14"), + appMarketingVersion = (defaultText = "2.48.0~2019-03-15"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 40a3267615d34b011acbf19d6706a85d98e2e8fb Mon Sep 17 00:00:00 2001 From: Ole Langbehn Date: Sat, 16 Mar 2019 14:25:04 +0100 Subject: make emails for invitations all lowercase for compatibility with AccountsTemplates Email addresses for invitations are stored case sensitive in mongo, together with the invitation codes. When someone tries to sign up due to an invitation, in the sign up form, due to AccountsTemplates defaults, the email address is lowercased on blur of the textbox. When they then try to sign in, they get an error about the invitation code not existing. This makes it impossible to successfully invite people using non-lowercased email addresses. This patch lowercases the emails on the client side when inviting them. Other possibilities would be to lowercase them on the server side before storing them to mongodb, making a case insensitive search on mongodb, or making the email input field in the sign up form not lowercase the email string. This patch was chosen in favor of the other possibilities because of its simplicity. --- client/components/settings/settingBody.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/components/settings/settingBody.js b/client/components/settings/settingBody.js index 2f58d551..8279a092 100644 --- a/client/components/settings/settingBody.js +++ b/client/components/settings/settingBody.js @@ -90,7 +90,7 @@ BlazeComponent.extendComponent({ }, inviteThroughEmail() { - const emails = $('#email-to-invite').val().trim().split('\n').join(',').split(','); + const emails = $('#email-to-invite').val().toLowerCase().trim().split('\n').join(',').split(','); const boardsToInvite = []; $('.js-toggle-board-choose .materialCheckBox.is-checked').each(function () { boardsToInvite.push($(this).data('id')); -- cgit v1.2.3-1-g7c22 From 4cd0d1c3971f001eccf023bb84f1bee113fed215 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Fri, 8 Mar 2019 23:39:33 +0100 Subject: Migrate customFields --- client/components/sidebar/sidebarCustomFields.js | 5 +++-- models/cards.js | 2 +- models/customFields.js | 10 +++++----- models/export.js | 2 +- server/migrations.js | 13 +++++++++++++ server/publications/boards.js | 2 +- 6 files changed, 24 insertions(+), 10 deletions(-) diff --git a/client/components/sidebar/sidebarCustomFields.js b/client/components/sidebar/sidebarCustomFields.js index ccc8ffb9..bdd8e7a0 100644 --- a/client/components/sidebar/sidebarCustomFields.js +++ b/client/components/sidebar/sidebarCustomFields.js @@ -2,7 +2,7 @@ BlazeComponent.extendComponent({ customFields() { return CustomFields.find({ - boardId: Session.get('currentBoard'), + boardIds: {$in: [Session.get('currentBoard')]}, }); }, @@ -103,7 +103,6 @@ const CreateCustomFieldPopup = BlazeComponent.extendComponent({ evt.preventDefault(); const data = { - boardId: Session.get('currentBoard'), name: this.find('.js-field-name').value.trim(), type: this.type.get(), settings: this.getSettings(), @@ -114,8 +113,10 @@ const CreateCustomFieldPopup = BlazeComponent.extendComponent({ // insert or update if (!this.data()._id) { + data.boardIds = [Session.get('currentBoard')]; CustomFields.insert(data); } else { + data.boardIds = {$in: [Session.get('currentBoard')]}; CustomFields.update(this.data()._id, {$set: data}); } diff --git a/models/cards.js b/models/cards.js index c3bae400..2caecb46 100644 --- a/models/cards.js +++ b/models/cards.js @@ -476,7 +476,7 @@ Cards.helpers({ // get all definitions const definitions = CustomFields.find({ - boardId: this.boardId, + boardIds: {$in: [this.boardId]}, }).fetch(); // match right definition to each field diff --git a/models/customFields.js b/models/customFields.js index b7ad5467..79f96708 100644 --- a/models/customFields.js +++ b/models/customFields.js @@ -4,11 +4,11 @@ CustomFields = new Mongo.Collection('customFields'); * A custom field on a card in the board */ CustomFields.attachSchema(new SimpleSchema({ - boardId: { + boardIds: { /** * the ID of the board */ - type: String, + type: [String], }, name: { /** @@ -135,7 +135,7 @@ if (Meteor.isServer) { const paramBoardId = req.params.boardId; JsonRoutes.sendResult(res, { code: 200, - data: CustomFields.find({ boardId: paramBoardId }).map(function (cf) { + data: CustomFields.find({ boardIds: {$in: [paramBoardId]} }).map(function (cf) { return { _id: cf._id, name: cf.name, @@ -159,7 +159,7 @@ if (Meteor.isServer) { const paramCustomFieldId = req.params.customFieldId; JsonRoutes.sendResult(res, { code: 200, - data: CustomFields.findOne({ _id: paramCustomFieldId, boardId: paramBoardId }), + data: CustomFields.findOne({ _id: paramCustomFieldId, boardIds: {$in: [paramBoardId]} }), }); }); @@ -189,7 +189,7 @@ if (Meteor.isServer) { boardId: paramBoardId, }); - const customField = CustomFields.findOne({_id: id, boardId: paramBoardId }); + const customField = CustomFields.findOne({_id: id, boardIds: {$in: [paramBoardId]} }); customFieldCreation(req.body.authorId, customField); JsonRoutes.sendResult(res, { diff --git a/models/export.js b/models/export.js index 76f2da06..f281b34a 100644 --- a/models/export.js +++ b/models/export.js @@ -75,7 +75,7 @@ class Exporter { result.lists = Lists.find(byBoard, noBoardId).fetch(); result.cards = Cards.find(byBoardNoLinked, noBoardId).fetch(); result.swimlanes = Swimlanes.find(byBoard, noBoardId).fetch(); - result.customFields = CustomFields.find(byBoard, noBoardId).fetch(); + result.customFields = CustomFields.find({boardIds: {$in: [this.boardId]}}, {fields: {boardId: 0}}).fetch(); result.comments = CardComments.find(byBoard, noBoardId).fetch(); result.activities = Activities.find(byBoard, noBoardId).fetch(); result.rules = Rules.find(byBoard, noBoardId).fetch(); diff --git a/server/migrations.js b/server/migrations.js index b8915fe9..ced67218 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -525,3 +525,16 @@ Migrations.add('fix-circular-reference_', () => { } }); }); + +Migrations.add('mutate-boardIds-in-customfields', () => { + CustomFields.find().forEach((cf) => { + CustomFields.update(cf, { + $set: { + boardIds: [cf.boardId], + }, + $unset: { + boardId: "", + }, + }, noValidateMulti); + }); +}); diff --git a/server/publications/boards.js b/server/publications/boards.js index 18c44d2b..6d9d2b9e 100644 --- a/server/publications/boards.js +++ b/server/publications/boards.js @@ -78,7 +78,7 @@ Meteor.publishRelations('board', function(boardId) { this.cursor(Lists.find({ boardId })); this.cursor(Swimlanes.find({ boardId })); this.cursor(Integrations.find({ boardId })); - this.cursor(CustomFields.find({ boardId }, { sort: { name: 1 } })); + this.cursor(CustomFields.find({ boardIds: {$in: [boardId]} }, { sort: { name: 1 } })); // Cards and cards comments // XXX Originally we were publishing the card documents as a child of the -- cgit v1.2.3-1-g7c22 From d01fccd9497120613bf2c0b986963e67e7f3d6fa Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Sat, 16 Mar 2019 22:43:47 +0100 Subject: - Fix card copy & move between boards with customFields - Fix card copy & move between boards with labels with same name - Fix activities for labels when copying and moving card - Fix activities for customFields when copying and moving card --- client/components/activities/activities.jade | 9 +- client/components/activities/activities.js | 8 ++ client/components/cards/cardDetails.js | 8 +- client/components/lists/list.js | 4 +- client/components/sidebar/sidebarCustomFields.js | 13 ++- models/boards.js | 2 +- models/cards.js | 102 +++++++++++++++++++---- models/customFields.js | 61 +++++++++++--- server/lib/utils.js | 6 ++ 9 files changed, 179 insertions(+), 34 deletions(-) diff --git a/client/components/activities/activities.jade b/client/components/activities/activities.jade index 949400f6..54066da8 100644 --- a/client/components/activities/activities.jade +++ b/client/components/activities/activities.jade @@ -99,6 +99,9 @@ template(name="boardActivities") else | {{{_ 'activity-added' memberLink cardLink}}}. + if($eq activityType 'moveCardBoard') + | {{{_ 'activity-moved' cardLink oldBoardName boardName}}}. + if($eq activityType 'moveCard') | {{{_ 'activity-moved' cardLink oldList.title list.title}}}. @@ -135,7 +138,7 @@ template(name="cardActivities") p.activity-desc +memberName(user=user) if($eq activityType 'createCard') - | {{_ 'activity-added' cardLabel list.title}}. + | {{_ 'activity-added' cardLabel listName}}. if($eq activityType 'importCard') | {{{_ 'activity-imported' cardLabel list.title sourceLink}}}. if($eq activityType 'joinMember') @@ -176,6 +179,10 @@ template(name="cardActivities") | {{_ 'activity-sent' cardLabel boardLabel}}. if($eq activityType 'moveCard') | {{_ 'activity-moved' cardLabel oldList.title list.title}}. + + if($eq activityType 'moveCardBoard') + | {{{_ 'activity-moved' cardLink oldBoardName boardName}}}. + if($eq activityType 'addAttachment') | {{{_ 'activity-attached' attachmentLink cardLabel}}}. if attachment.isImage diff --git a/client/components/activities/activities.js b/client/components/activities/activities.js index 81995221..cbdd776e 100644 --- a/client/components/activities/activities.js +++ b/client/components/activities/activities.js @@ -74,6 +74,8 @@ BlazeComponent.extendComponent({ lastLabel(){ const lastLabelId = this.currentData().labelId; + if (!lastLabelId) + return; const lastLabel = Boards.findOne(Session.get('currentBoard')).getLabelById(lastLabelId); if(lastLabel.name === undefined || lastLabel.name === ''){ return lastLabel.color; @@ -84,11 +86,15 @@ BlazeComponent.extendComponent({ lastCustomField(){ const lastCustomField = CustomFields.findOne(this.currentData().customFieldId); + if (!lastCustomField) + return null; return lastCustomField.name; }, lastCustomFieldValue(){ const lastCustomField = CustomFields.findOne(this.currentData().customFieldId); + if (!lastCustomField) + return null; const value = this.currentData().value; if (lastCustomField.settings.dropdownItems && lastCustomField.settings.dropdownItems.length > 0) { const dropDownValue = _.find(lastCustomField.settings.dropdownItems, (item) => { @@ -135,6 +141,8 @@ BlazeComponent.extendComponent({ customField() { const customField = this.currentData().customField(); + if (!customField) + return null; return customField.name; }, diff --git a/client/components/cards/cardDetails.js b/client/components/cards/cardDetails.js index d27fe732..79e9e311 100644 --- a/client/components/cards/cardDetails.js +++ b/client/components/cards/cardDetails.js @@ -412,11 +412,13 @@ Template.moveCardPopup.events({ // XXX We should *not* get the currentCard from the global state, but // instead from a “component” state. const card = Cards.findOne(Session.get('currentCard')); + const bSelect = $('.js-select-boards')[0]; + const boardId = bSelect.options[bSelect.selectedIndex].value; const lSelect = $('.js-select-lists')[0]; - const newListId = lSelect.options[lSelect.selectedIndex].value; + const listId = lSelect.options[lSelect.selectedIndex].value; const slSelect = $('.js-select-swimlanes')[0]; - card.swimlaneId = slSelect.options[slSelect.selectedIndex].value; - card.move(card.swimlaneId, newListId, 0); + const swimlaneId = slSelect.options[slSelect.selectedIndex].value; + card.move(boardId, swimlaneId, listId, 0); Popup.close(); }, }); diff --git a/client/components/lists/list.js b/client/components/lists/list.js index 868be2ce..cceae7b4 100644 --- a/client/components/lists/list.js +++ b/client/components/lists/list.js @@ -86,12 +86,12 @@ BlazeComponent.extendComponent({ if (MultiSelection.isActive()) { Cards.find(MultiSelection.getMongoSelector()).forEach((card, i) => { - card.move(swimlaneId, listId, sortIndex.base + i * sortIndex.increment); + card.move(currentBoard._id, swimlaneId, listId, sortIndex.base + i * sortIndex.increment); }); } else { const cardDomElement = ui.item.get(0); const card = Blaze.getData(cardDomElement); - card.move(swimlaneId, listId, sortIndex.base); + card.move(currentBoard._id, swimlaneId, listId, sortIndex.base); } boardComponent.setIsDragging(false); }, diff --git a/client/components/sidebar/sidebarCustomFields.js b/client/components/sidebar/sidebarCustomFields.js index bdd8e7a0..81147ce5 100644 --- a/client/components/sidebar/sidebarCustomFields.js +++ b/client/components/sidebar/sidebarCustomFields.js @@ -116,15 +116,22 @@ const CreateCustomFieldPopup = BlazeComponent.extendComponent({ data.boardIds = [Session.get('currentBoard')]; CustomFields.insert(data); } else { - data.boardIds = {$in: [Session.get('currentBoard')]}; CustomFields.update(this.data()._id, {$set: data}); } Popup.back(); }, 'click .js-delete-custom-field': Popup.afterConfirm('deleteCustomField', function() { - const customFieldId = this._id; - CustomFields.remove(customFieldId); + const customField = CustomFields.findOne(this._id); + if (customField.boardIds.length > 1) { + CustomFields.update(customField._id, { + $pull: { + boardIds: Session.get('currentBoard') + } + }); + } else { + CustomFields.remove(customField._id); + } Popup.close(); }), }]; diff --git a/models/boards.js b/models/boards.js index 9a71ede8..99ac8e6e 100644 --- a/models/boards.js +++ b/models/boards.js @@ -466,7 +466,7 @@ Boards.helpers({ }, customFields() { - return CustomFields.find({ boardId: this._id }, { sort: { name: 1 } }); + return CustomFields.find({ boardIds: {$in: [this._id]} }, { sort: { name: 1 } }); }, // XXX currently mutations return no value so we have an issue when using addLabel in import diff --git a/models/cards.js b/models/cards.js index 2caecb46..c234ab37 100644 --- a/models/cards.js +++ b/models/cards.js @@ -289,9 +289,19 @@ Cards.helpers({ const oldId = this._id; const oldCard = Cards.findOne(oldId); + // Copy Custom Fields + if (oldBoard._id !== boardId) { + CustomFields.find({ + _id: {$in: oldCard.customFields.map((cf) => { return cf._id; })}, + }).forEach((cf) => { + if (!_.contains(cf.boardIds, boardId)) + cf.addBoard(boardId); + }); + } + delete this._id; delete this.labelIds; - this.labelIds= newCardLabels; + this.labelIds = newCardLabels; this.boardId = boardId; this.swimlaneId = swimlaneId; this.listId = listId; @@ -306,7 +316,6 @@ Cards.helpers({ // copy checklists Checklists.find({cardId: oldId}).forEach((ch) => { - // REMOVE verify copy with arguments ch.copy(_id); }); @@ -314,13 +323,11 @@ Cards.helpers({ Cards.find({parentId: oldId}).forEach((subtask) => { subtask.parentId = _id; subtask._id = null; - // REMOVE verify copy with arguments instead of insert? Cards.insert(subtask); }); // copy card comments CardComments.find({cardId: oldId}).forEach((cmt) => { - // REMOVE verify copy with arguments cmt.copy(_id); }); @@ -485,6 +492,9 @@ Cards.helpers({ const definition = definitions.find((definition) => { return definition._id === customField._id; }); + if (!definition) { + return {}; + } //search for "True Value" which is for DropDowns other then the Value (which is the id) let trueValue = customField.value; if (definition.settings.dropdownItems && definition.settings.dropdownItems.length > 0) { @@ -1054,18 +1064,41 @@ Cards.mutations({ }; }, - move(swimlaneId, listId, sortIndex) { - const list = Lists.findOne(listId); + move(boardId, swimlaneId, listId, sort) { + // Copy Custom Fields + if (this.boardId !== boardId) { + CustomFields.find({ + _id: {$in: this.customFields.map((cf) => { return cf._id; })}, + }).forEach((cf) => { + if (!_.contains(cf.boardIds, boardId)) + cf.addBoard(boardId); + }); + } + + // Get label names + const oldBoard = Boards.findOne(this.boardId); + const oldBoardLabels = oldBoard.labels; + const oldCardLabels = _.pluck(_.filter(oldBoardLabels, (label) => { + return _.contains(this.labelIds, label._id); + }), 'name'); + + const newBoard = Boards.findOne(boardId); + const newBoardLabels = newBoard.labels; + const newCardLabelIds = _.pluck(_.filter(newBoardLabels, (label) => { + return label.name && _.contains(oldCardLabels, label.name); + }), '_id'); + const mutatedFields = { + boardId, swimlaneId, listId, - boardId: list.boardId, - sort: sortIndex, + sort, + labelIds: newCardLabelIds, }; - return { + Cards.update(this._id, { $set: mutatedFields, - }; + }); }, addLabel(labelId) { @@ -1287,8 +1320,47 @@ Cards.mutations({ //FUNCTIONS FOR creation of Activities -function cardMove(userId, doc, fieldNames, oldListId, oldSwimlaneId) { - if ((_.contains(fieldNames, 'listId') && doc.listId !== oldListId) || +function updateActivities(doc, fieldNames, modifier) { + if (_.contains(fieldNames, 'labelIds') && _.contains(fieldNames, 'boardId')) { + Activities.find({ + activityType: 'addedLabel', + cardId: doc._id, + }).forEach((a) => { + const lidx = doc.labelIds.indexOf(a.labelId); + if (lidx !== -1 && modifier.$set.labelIds.length > lidx) { + Activities.update(a._id, { + $set: { + labelId: modifier.$set.labelIds[doc.labelIds.indexOf(a.labelId)], + boardId: modifier.$set.boardId, + } + }); + } else { + Activities.remove(a._id); + } + }); + } else if (_.contains(fieldNames, 'boardId')) { + Activities.remove({ + activityType: 'addedLabel', + cardId: doc._id, + }); + } +} + +function cardMove(userId, doc, fieldNames, oldListId, oldSwimlaneId, oldBoardId) { + if (_.contains(fieldNames, 'boardId') && (doc.boardId !== oldBoardId)) { + Activities.insert({ + userId, + activityType: 'moveCardBoard', + boardName: Boards.findOne(doc.boardId).title, + boardId: doc.boardId, + oldBoardId, + oldBoardName: Boards.findOne(oldBoardId).title, + cardId: doc._id, + swimlaneName: Swimlanes.findOne(doc.swimlaneId).title, + swimlaneId: doc.swimlaneId, + oldSwimlaneId, + }); + } else if ((_.contains(fieldNames, 'listId') && doc.listId !== oldListId) || (_.contains(fieldNames, 'swimlaneId') && doc.swimlaneId !== oldSwimlaneId)){ Activities.insert({ userId, @@ -1435,7 +1507,7 @@ function cardCustomFields(userId, doc, fieldNames, modifier) { // only individual changes are registered if (dotNotation.length > 1) { - const customFieldId = doc.customFields[dot_notation[1]]._id; + const customFieldId = doc.customFields[dotNotation[1]]._id; const act = { userId, customFieldId, @@ -1508,12 +1580,14 @@ if (Meteor.isServer) { Cards.after.update(function(userId, doc, fieldNames) { const oldListId = this.previous.listId; const oldSwimlaneId = this.previous.swimlaneId; - cardMove(userId, doc, fieldNames, oldListId, oldSwimlaneId); + const oldBoardId = this.previous.boardId; + cardMove(userId, doc, fieldNames, oldListId, oldSwimlaneId, oldBoardId); }); // Add a new activity if we add or remove a member to the card Cards.before.update((userId, doc, fieldNames, modifier) => { cardMembers(userId, doc, fieldNames, modifier); + updateActivities(doc, fieldNames, modifier); }); // Add a new activity if we add or remove a label to the card diff --git a/models/customFields.js b/models/customFields.js index 79f96708..a67ddb7d 100644 --- a/models/customFields.js +++ b/models/customFields.js @@ -72,17 +72,37 @@ CustomFields.attachSchema(new SimpleSchema({ }, })); +CustomFields.mutations({ + addBoard(boardId) { + if (boardId) { + return { + $push: { + boardIds: boardId, + }, + }; + } else { + return null; + } + }, +}); + CustomFields.allow({ insert(userId, doc) { - return allowIsBoardMember(userId, Boards.findOne(doc.boardId)); + return allowIsAnyBoardMember(userId, Boards.find({ + _id: {$in: doc.boardIds}, + }).fetch()); }, update(userId, doc) { - return allowIsBoardMember(userId, Boards.findOne(doc.boardId)); + return allowIsAnyBoardMember(userId, Boards.find({ + _id: {$in: doc.boardIds}, + }).fetch()); }, remove(userId, doc) { - return allowIsBoardMember(userId, Boards.findOne(doc.boardId)); + return allowIsAnyBoardMember(userId, Boards.find({ + _id: {$in: doc.boardIds}, + }).fetch()); }, - fetch: ['userId', 'boardId'], + fetch: ['userId', 'boardIds'], }); // not sure if we need this? @@ -92,27 +112,48 @@ function customFieldCreation(userId, doc){ Activities.insert({ userId, activityType: 'createCustomField', - boardId: doc.boardId, + boardId: doc.boardIds[0], // We are creating a customField, it has only one boardId customFieldId: doc._id, }); } if (Meteor.isServer) { Meteor.startup(() => { - CustomFields._collection._ensureIndex({ boardId: 1 }); + CustomFields._collection._ensureIndex({ boardIds: 1 }); }); CustomFields.after.insert((userId, doc) => { customFieldCreation(userId, doc); }); - CustomFields.after.remove((userId, doc) => { + CustomFields.before.update((userId, doc, fieldNames, modifier) => { + if (_.contains(fieldNames, 'boardIds') && modifier.$pull) { + Cards.update( + {boardId: modifier.$pull.boardIds, 'customFields._id': doc._id}, + {$pull: {'customFields': {'_id': doc._id}}}, + {multi: true} + ); + Activities.remove({ + customFieldId: doc._id, + boardId: modifier.$pull.boardIds, + }); + } else if (_.contains(fieldNames, 'boardIds') && modifier.$push) { + Activities.insert({ + userId, + activityType: 'createCustomField', + boardId: modifier.$push.boardIds, + customFieldId: doc._id, + }); + } + }); + + CustomFields.before.remove((userId, doc) => { Activities.remove({ customFieldId: doc._id, }); Cards.update( - {'boardId': doc.boardId, 'customFields._id': doc._id}, + {boardId: {$in: doc.boardIds}, 'customFields._id': doc._id}, {$pull: {'customFields': {'_id': doc._id}}}, {multi: true} ); @@ -186,7 +227,7 @@ if (Meteor.isServer) { showOnCard: req.body.showOnCard, automaticallyOnCard: req.body.automaticallyOnCard, showLabelOnMiniCard: req.body.showLabelOnMiniCard, - boardId: paramBoardId, + boardIds: {$in: [paramBoardId]}, }); const customField = CustomFields.findOne({_id: id, boardIds: {$in: [paramBoardId]} }); @@ -214,7 +255,7 @@ if (Meteor.isServer) { Authentication.checkUserId( req.userId); const paramBoardId = req.params.boardId; const id = req.params.customFieldId; - CustomFields.remove({ _id: id, boardId: paramBoardId }); + CustomFields.remove({ _id: id, boardIds: {$in: [paramBoardId]} }); JsonRoutes.sendResult(res, { code: 200, data: { diff --git a/server/lib/utils.js b/server/lib/utils.js index ee925847..3b4412fe 100644 --- a/server/lib/utils.js +++ b/server/lib/utils.js @@ -6,6 +6,12 @@ allowIsBoardMember = function(userId, board) { return board && board.hasMember(userId); }; +allowIsAnyBoardMember = function(userId, boards) { + return _.some(boards, (board) => { + return board && board.hasMember(userId); + }); +}; + allowIsBoardMemberCommentOnly = function(userId, board) { return board && board.hasMember(userId) && !board.hasCommentOnly(userId); }; -- cgit v1.2.3-1-g7c22 From 777d9ac35320cbfdd8d90136b176d4a3e69e74be Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Sat, 16 Mar 2019 23:15:30 +0100 Subject: Lint fix --- client/components/activities/activities.js | 2 +- client/components/sidebar/sidebarCustomFields.js | 4 ++-- models/cards.js | 2 +- server/migrations.js | 2 +- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/client/components/activities/activities.js b/client/components/activities/activities.js index cbdd776e..0476897f 100644 --- a/client/components/activities/activities.js +++ b/client/components/activities/activities.js @@ -75,7 +75,7 @@ BlazeComponent.extendComponent({ lastLabel(){ const lastLabelId = this.currentData().labelId; if (!lastLabelId) - return; + return null; const lastLabel = Boards.findOne(Session.get('currentBoard')).getLabelById(lastLabelId); if(lastLabel.name === undefined || lastLabel.name === ''){ return lastLabel.color; diff --git a/client/components/sidebar/sidebarCustomFields.js b/client/components/sidebar/sidebarCustomFields.js index 81147ce5..28af973b 100644 --- a/client/components/sidebar/sidebarCustomFields.js +++ b/client/components/sidebar/sidebarCustomFields.js @@ -126,8 +126,8 @@ const CreateCustomFieldPopup = BlazeComponent.extendComponent({ if (customField.boardIds.length > 1) { CustomFields.update(customField._id, { $pull: { - boardIds: Session.get('currentBoard') - } + boardIds: Session.get('currentBoard'), + }, }); } else { CustomFields.remove(customField._id); diff --git a/models/cards.js b/models/cards.js index c234ab37..2bf83825 100644 --- a/models/cards.js +++ b/models/cards.js @@ -1332,7 +1332,7 @@ function updateActivities(doc, fieldNames, modifier) { $set: { labelId: modifier.$set.labelIds[doc.labelIds.indexOf(a.labelId)], boardId: modifier.$set.boardId, - } + }, }); } else { Activities.remove(a._id); diff --git a/server/migrations.js b/server/migrations.js index ced67218..09852495 100644 --- a/server/migrations.js +++ b/server/migrations.js @@ -533,7 +533,7 @@ Migrations.add('mutate-boardIds-in-customfields', () => { boardIds: [cf.boardId], }, $unset: { - boardId: "", + boardId: '', }, }, noValidateMulti); }); -- cgit v1.2.3-1-g7c22 From a6e3c8984d76d56d0803c67c6e857d052e892aa6 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Sun, 17 Mar 2019 16:23:59 +0100 Subject: Fix dissapearing subtasks --- models/boards.js | 4 +--- server/publications/boards.js | 3 ++- 2 files changed, 3 insertions(+), 4 deletions(-) diff --git a/models/boards.js b/models/boards.js index 9a71ede8..3c9d6da0 100644 --- a/models/boards.js +++ b/models/boards.js @@ -605,9 +605,7 @@ Boards.helpers({ title: TAPi18n.__('queue'), boardId: this._id, }); - Boards.update(this._id, {$set: { - subtasksDefaultListId: this.subtasksDefaultListId, - }}); + this.setSubtasksDefaultListId(this.subtasksDefaultListId); } return this.subtasksDefaultListId; }, diff --git a/server/publications/boards.js b/server/publications/boards.js index 18c44d2b..b6fc0b97 100644 --- a/server/publications/boards.js +++ b/server/publications/boards.js @@ -116,7 +116,7 @@ Meteor.publishRelations('board', function(boardId) { const boards = this.join(Boards); const subCards = this.join(Cards); - this.cursor(Cards.find({ boardId }), function(cardId, card) { + this.cursor(Cards.find({ boardId: {$in: [boardId, board.subtasksDefaultBoardId]}}), function(cardId, card) { if (card.type === 'cardType-linkedCard') { const impCardId = card.linkedId; subCards.push(impCardId); @@ -141,6 +141,7 @@ Meteor.publishRelations('board', function(boardId) { checklists.send(); checklistItems.send(); boards.send(); + parentCards.send(); if (board.members) { // Board members. This publication also includes former board members that -- cgit v1.2.3-1-g7c22 From 9651d62b967358f3eac6ae1c92ce5e03a0ddb7ce Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Mon, 18 Mar 2019 22:55:56 +0100 Subject: Fix #2266 --- client/components/lists/list.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/components/lists/list.js b/client/components/lists/list.js index 868be2ce..fb1c0128 100644 --- a/client/components/lists/list.js +++ b/client/components/lists/list.js @@ -70,7 +70,7 @@ BlazeComponent.extendComponent({ const currentBoard = Boards.findOne(Session.get('currentBoard')); let swimlaneId = ''; const boardView = Meteor.user().profile.boardView; - if (boardView === 'board-view-swimlanes') + if (boardView === 'board-view-swimlanes' || currentBoard.isTemplatesBoard()) swimlaneId = Blaze.getData(ui.item.parents('.swimlane').get(0))._id; else if ((boardView === 'board-view-lists') || (boardView === 'board-view-cal')) swimlaneId = currentBoard.getDefaultSwimline()._id; -- cgit v1.2.3-1-g7c22 From ec30665bc4c87b5d1aa36cf25cd7cdaa4ffc2634 Mon Sep 17 00:00:00 2001 From: justinr1234 Date: Mon, 18 Mar 2019 23:06:18 -0500 Subject: Don't swallow email errors Fixes #2246 --- server/rulesHelper.js | 1 + 1 file changed, 1 insertion(+) diff --git a/server/rulesHelper.js b/server/rulesHelper.js index 163bd41e..34e1abc1 100644 --- a/server/rulesHelper.js +++ b/server/rulesHelper.js @@ -78,6 +78,7 @@ RulesHelper = { emailMsg, }); } catch (e) { + console.error(e); return; } } -- cgit v1.2.3-1-g7c22 From 7a6b4adcc11d05b2cb4f798643b82e4aae0c0b26 Mon Sep 17 00:00:00 2001 From: justinr1234 Date: Mon, 18 Mar 2019 23:50:15 -0500 Subject: Disable eslint for console error --- server/rulesHelper.js | 1 + 1 file changed, 1 insertion(+) diff --git a/server/rulesHelper.js b/server/rulesHelper.js index 34e1abc1..453c586d 100644 --- a/server/rulesHelper.js +++ b/server/rulesHelper.js @@ -78,6 +78,7 @@ RulesHelper = { emailMsg, }); } catch (e) { + // eslint-disable-next-line no-console console.error(e); return; } -- cgit v1.2.3-1-g7c22 From e97656555029cb58be775e4be65843b634725d6f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 20 Mar 2019 19:25:28 +0200 Subject: Update changelog. --- CHANGELOG.md | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index dca4f793..6540c0e7 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,9 @@ +# Upcoming Wekan release + +This release fixes the following bugs, thanks to GitHub user neurolabs: + +- [The invitation code doesn't exist - case-sensitive eMail](https://github.com/wekan/wekan/issues/1384). + # v2.48 2019-03-15 Wekan release This release fixes the following bugs, thanks to GitHub user xet7: -- cgit v1.2.3-1-g7c22 From 6f35d73fe817127f027bf9f3f918e5a76d904d22 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 20 Mar 2019 19:28:56 +0200 Subject: Update changelog. --- CHANGELOG.md | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 6540c0e7..ed4befe8 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,8 +1,9 @@ # Upcoming Wekan release -This release fixes the following bugs, thanks to GitHub user neurolabs: +This release fixes the following bugs: -- [The invitation code doesn't exist - case-sensitive eMail](https://github.com/wekan/wekan/issues/1384). +- [The invitation code doesn't exist - case-sensitive eMail](https://github.com/wekan/wekan/issues/1384). Thanks to neurolabs. +- [Don't swallow email errors](https://github.com/wekan/wekan/pull/2272). Thanks to justinr1234. # v2.48 2019-03-15 Wekan release -- cgit v1.2.3-1-g7c22 From 5ca083105c6938130b5d0fdb696a49c0da5d3d1f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 20 Mar 2019 21:36:19 +0200 Subject: Update changelog. --- CHANGELOG.md | 7 +++++++ 1 file changed, 7 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index ed4befe8..29e531a0 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,6 +4,13 @@ This release fixes the following bugs: - [The invitation code doesn't exist - case-sensitive eMail](https://github.com/wekan/wekan/issues/1384). Thanks to neurolabs. - [Don't swallow email errors](https://github.com/wekan/wekan/pull/2272). Thanks to justinr1234. +- [Migrate customFields model](https://github.com/wekan/wekan/pull/2264]. + Modifies the customFields model to keep an array of boardIds where the customField can be used. + Adds name matching for labels when copying/moving cards between boards. + This way, customFields are not lost when copying/moving a card. Particularly useful when templates have customFields or labels with specific names (not tested for templates yet). + Thanks to andresmanelli. + +Thanks to above GitHub users for their contributions and translators for their translations. # v2.48 2019-03-15 Wekan release -- cgit v1.2.3-1-g7c22 From 9f95a1059191be699e2581807704bd987f3843f9 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 20 Mar 2019 21:45:56 +0200 Subject: Update translations. --- i18n/hu.i18n.json | 42 +++++++------- i18n/oc.i18n.json | 10 ++-- i18n/sv.i18n.json | 160 +++++++++++++++++++++++++++--------------------------- 3 files changed, 106 insertions(+), 106 deletions(-) diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index 0f10daf1..cb500412 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -1,6 +1,6 @@ { "accept": "Elfogadás", - "act-activity-notify": "Activity Notification", + "act-activity-notify": "Tevékenység értesítés", "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -626,7 +626,7 @@ "r-check": "Check", "r-uncheck": "Uncheck", "r-item": "item", - "r-of-checklist": "of checklist", + "r-of-checklist": "ellenőrzőlistából", "r-send-email": "Send an email", "r-to": "to", "r-subject": "subject", @@ -651,32 +651,32 @@ "r-d-remove-all-member": "Remove all member", "r-d-check-all": "Check all items of a list", "r-d-uncheck-all": "Uncheck all items of a list", - "r-d-check-one": "Check item", + "r-d-check-one": "Elem ellenőrzése", "r-d-uncheck-one": "Uncheck item", - "r-d-check-of-list": "of checklist", - "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist", - "r-by": "by", - "r-add-checklist": "Add checklist", - "r-with-items": "with items", + "r-d-check-of-list": "ellenőrzőlistából", + "r-d-add-checklist": "Ellenőrzőlista hozzáadása", + "r-d-remove-checklist": "Ellenőrzőlista eltávolítása", + "r-by": "által", + "r-add-checklist": "Ellenőrzőlista hozzáadása", + "r-with-items": "elemekkel", "r-items-list": "item1,item2,item3", "r-add-swimlane": "Add swimlane", "r-swimlane-name": "swimlane name", "r-board-note": "Note: leave a field empty to match every possible value.", "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", - "r-when-a-card-is-moved": "When a card is moved to another list", + "r-when-a-card-is-moved": "Amikor egy kártya másik listába kerül", "ldap": "LDAP", "oauth2": "OAuth2", "cas": "CAS", - "authentication-method": "Authentication method", - "authentication-type": "Authentication type", - "custom-product-name": "Custom Product Name", - "layout": "Layout", - "hide-logo": "Hide Logo", - "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end", - "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login", - "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "authentication-method": "Hitelesítési mód", + "authentication-type": "Hitelesítés típusa", + "custom-product-name": "Saját terméknév", + "layout": "Elrendezés", + "hide-logo": "Logo elrejtése", + "add-custom-html-after-body-start": "Egyedi HTML hozzáadása után", + "add-custom-html-before-body-end": "1", + "error-undefined": "Valami hiba történt", + "error-ldap-login": "Hiba történt bejelentkezés közben", + "display-authentication-method": "Hitelelesítési mód mutatása", + "default-authentication-method": "Alapértelmezett hitelesítési mód" } \ No newline at end of file diff --git a/i18n/oc.i18n.json b/i18n/oc.i18n.json index 89f68375..57389d44 100644 --- a/i18n/oc.i18n.json +++ b/i18n/oc.i18n.json @@ -76,7 +76,7 @@ "add-label": "Apondre una etiqueta", "add-list": "Apondre una tièra", "add-members": "Apondre un participant", - "added": "Apondut", + "added": "Apondut lo", "addMemberPopup-title": "Participants", "admin": "Administartor", "admin-desc": "As lo drech de legir e modificar las cartas, tirar de participants, e modificar las opcions del tablèu.", @@ -135,8 +135,8 @@ "card-delete-notice": "Un còp tirat, pas de posibilitat de tornar enrè", "card-delete-pop": "Totes las accions van èsser quitadas del seguit d'activitat e poiretz pas mai utilizar aquesta carta.", "card-delete-suggest-archive": "Podètz desplaçar una carta dins Archius per la quitar del tablèu e gardar las activitats.", - "card-due": "esperat", - "card-due-on": "esperat per", + "card-due": "Esperat", + "card-due-on": "Esperat lo", "card-spent": "Temps passat", "card-edit-attachments": "Cambiar las pèças jonchas", "card-edit-custom-fields": "Cambiar los camps personalizats", @@ -326,7 +326,7 @@ "import-user-select": "Pick your existing user you want to use as this member", "importMapMembersAddPopup-title": "Seleccionar un participant", "info": "Vesion", - "initials": "Data inicala", + "initials": "Iniciala", "invalid-date": "Data invalida", "invalid-time": "Temps invalid", "invalid-user": "Participant invalid", @@ -458,7 +458,7 @@ "username": "Username", "view-it": "View it", "warn-list-archived": "warning: this card is in an list at Archive", - "watch": "Agachar", + "watch": "Seguit", "watching": "Agachat", "watching-info": "You will be notified of any change in this board", "welcome-board": "Tablèu de benvenguda", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 34c35927..647c3c10 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -1,37 +1,37 @@ { "accept": "Acceptera", "act-activity-notify": "Aktivitetsnotifikation", - "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-createBoard": "created board __board__", - "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-createList": "added list __list__ to board __board__", - "act-addBoardMember": "added member __member__ to board __board__", - "act-archivedBoard": "Board __board__ moved to Archive", - "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", - "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", - "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", - "act-importBoard": "imported board __board__", - "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", - "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-removeBoardMember": "removed member __member__ from board __board__", - "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addAttachment": "la till bifogad fil __attachment__ på kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", + "act-deleteAttachment": "raderade bifogad fil __attachment__ från kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", + "act-addSubtask": "la till underaktivitet __subtask__ på kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", + "act-addLabel": "la till etikett __label__ på kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", + "act-removeLabel": "Tog bort etikett __label__ från kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", + "act-addChecklist": "la till checklista __checklist__ på kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", + "act-addChecklistItem": "la till checklistobjekt __checklistItem__ till checklista __checklist__ på kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", + "act-removeChecklist": "tag bort checklista __checklist__ från kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", + "act-removeChecklistItem": "tog bort checklistobjekt __checklistItem__ från __checklist__ på kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", + "act-checkedItem": "bockade av __checklistItem__ från checklista __checklist__ på kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", + "act-uncheckedItem": "avmarkerade __checklistItem__ från checklista __checklist__ på kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", + "act-completeChecklist": "slutförde checklista __checklist__ i kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", + "act-uncompleteChecklist": "ofullbordade checklista __checklist__ på kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", + "act-addComment": "kommenterade på kort __card__: __comment__ i lista __list__ i simbana __swimlane__ på tavla __board__", + "act-createBoard": "skapade tavla __board__", + "act-createCard": "skapade kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", + "act-createCustomField": "skapade anpassat fält __customField__ på kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", + "act-createList": "la till lista __list__ på tavla __board__", + "act-addBoardMember": "la till medlem __member__ på tavla __board__", + "act-archivedBoard": "Tavla__board__ flyttad till arkivet", + "act-archivedCard": "Kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__ flyttad till arkivet", + "act-archivedList": "Lista __list__ i simbana __swimlane__ på tavla __board__ flyttad till arkivet", + "act-archivedSwimlane": "Simbana __swimlane__ på tavla __board__ flyttad till arkivet", + "act-importBoard": "importerade board __board__", + "act-importCard": "importerade kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", + "act-importList": "importerade lista __list__ i simbana __swimlane__ på tavla __board__", + "act-joinMember": "la till medlem __member__ på kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", + "act-moveCard": "flyttade kort __card__ från lista __oldList__ i simbana __oldSwimlane__ på tavla __oldBoard__ till lista __list__ i simbana __swimlane__ på tavla __board__", + "act-removeBoardMember": "borttagen medlem __member__  från tavla __board__", + "act-restoredCard": "återställde kort __card__ till lista __lis__ i simbana __swimlane__ på tavla __board__", + "act-unjoinMember": "tog bort medlem __member__ från kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", "act-withBoardTitle": "_tavla_", "act-withCardTitle": "[__board__] __card__", "actions": "Åtgärder", @@ -56,14 +56,14 @@ "activity-unchecked-item": "okryssad %s i checklistan %s av %s", "activity-checklist-added": "lade kontrollista till %s", "activity-checklist-removed": "tog bort en checklista från %s", - "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "activity-checklist-completed": "slutförde checklista __checklist__ i kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", "activity-checklist-uncompleted": "inte slutfört checklistan %s av %s", "activity-checklist-item-added": "lade checklista objekt till '%s' i %s", "activity-checklist-item-removed": "tog bort en checklista objekt från \"%s\" i %s", "add": "Lägg till", "activity-checked-item-card": "kryssad %s i checklistan %s", "activity-unchecked-item-card": "okryssad %s i checklistan %s", - "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "activity-checklist-completed-card": "slutförde checklista __checklist__ i kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", "activity-checklist-uncompleted-card": "icke slutfört checklistan %s", "add-attachment": "Lägg till bilaga", "add-board": "Lägg till anslagstavla", @@ -93,7 +93,7 @@ "archive-board": "Flytta Anslagstavla till Arkiv", "archive-card": "Flytta Kort till Arkiv", "archive-list": "Flytta Lista till Arkiv", - "archive-swimlane": "Move Swimlane to Archive", + "archive-swimlane": "Flytta simbanan till arkivet", "archive-selection": "Flytta markerade till Arkiv", "archiveBoardPopup-title": "Flytta Anslagstavla till Arkiv?", "archived-items": "Arkiv", @@ -121,7 +121,7 @@ "boardChangeTitlePopup-title": "Byt namn på anslagstavla", "boardChangeVisibilityPopup-title": "Ändra synlighet", "boardChangeWatchPopup-title": "Ändra bevaka", - "boardMenuPopup-title": "Board Settings", + "boardMenuPopup-title": "Tavlans inställningar", "boards": "Anslagstavlor", "board-view": "Anslagstavelsvy", "board-view-cal": "Kalender", @@ -181,7 +181,7 @@ "close-board-pop": "Du kommer att kunna återställa anslagstavlan genom att klicka på knappen \"Arkiv\" från hemrubriken.", "color-black": "svart", "color-blue": "blå", - "color-crimson": "crimson", + "color-crimson": "mörkröd", "color-darkgreen": "mörkgrön", "color-gold": "guld", "color-gray": "grå", @@ -189,22 +189,22 @@ "color-indigo": "indigo", "color-lime": "lime", "color-magenta": "magenta", - "color-mistyrose": "mistyrose", - "color-navy": "navy", + "color-mistyrose": "ljusrosa", + "color-navy": "marinblå", "color-orange": "orange", - "color-paleturquoise": "paleturquoise", - "color-peachpuff": "peachpuff", + "color-paleturquoise": "turkos", + "color-peachpuff": "ersika", "color-pink": "rosa", - "color-plum": "plum", + "color-plum": "lila", "color-purple": "lila", "color-red": "röd", "color-saddlebrown": "sadelbrun", "color-silver": "silver", "color-sky": "himmel", - "color-slateblue": "slateblue", + "color-slateblue": "skifferblå", "color-white": "vit", "color-yellow": "gul", - "unset-color": "Unset", + "unset-color": "Urkoppla", "comment": "Kommentera", "comment-placeholder": "Skriv kommentar", "comment-only": "Kommentera endast", @@ -312,7 +312,7 @@ "import-board-c": "Importera anslagstavla", "import-board-title-trello": "Importera anslagstavla från Trello", "import-board-title-wekan": "Importera anslagstavla från tidigare export", - "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-sandstorm-backup-warning": "Ta inte bort data som du importerar från exporterad original-tavla eller Trello innan du kontrollerar att det här spannet stänger och öppnas igen, eller får du felmeddelandet Tavla hittades inte, det vill säga dataförlust.", "import-sandstorm-warning": "Importerad anslagstavla raderar all befintlig data på anslagstavla och ersätter den med importerat anslagstavla.", "from-trello": "Från Trello", "from-wekan": "Från tidigare export", @@ -323,7 +323,7 @@ "import-map-members": "Kartlägg medlemmar", "import-members-map": "Din importerade anslagstavla har några medlemmar. Vänligen kartlägg medlemmarna du vill importera till dina användare", "import-show-user-mapping": "Granska medlemskartläggning", - "import-user-select": "Pick your existing user you want to use as this member", + "import-user-select": "Välj din befintliga användare du vill använda som den här medlemmen", "importMapMembersAddPopup-title": "Välj medlem", "info": "Version", "initials": "Initialer ", @@ -350,7 +350,7 @@ "set-color-list": "Ange färg", "listActionPopup-title": "Liståtgärder", "swimlaneActionPopup-title": "Simbana-åtgärder", - "swimlaneAddPopup-title": "Add a Swimlane below", + "swimlaneAddPopup-title": "Lägg till en simbana nedan", "listImportCardPopup-title": "Importera ett Trello kort", "listMorePopup-title": "Mera", "link-list": "Länk till den här listan", @@ -377,7 +377,7 @@ "name": "Namn", "no-archived-cards": "Inga kort i Arkiv.", "no-archived-lists": "Inga listor i Arkiv.", - "no-archived-swimlanes": "No swimlanes in Archive.", + "no-archived-swimlanes": "Inga simbanor i arkivet.", "no-results": "Inga reslutat", "normal": "Normal", "normal-desc": "Kan se och redigera kort. Kan inte ändra inställningar.", @@ -465,9 +465,9 @@ "welcome-swimlane": "Milstolpe 1", "welcome-list1": "Grunderna", "welcome-list2": "Avancerad", - "card-templates-swimlane": "Card Templates", - "list-templates-swimlane": "List Templates", - "board-templates-swimlane": "Board Templates", + "card-templates-swimlane": "Kortmallar", + "list-templates-swimlane": "Listmalla", + "board-templates-swimlane": "Tavelmallar", "what-to-do": "Vad vill du göra?", "wipLimitErrorPopup-title": "Ogiltig WIP-gräns", "wipLimitErrorPopup-dialog-pt1": "Antalet uppgifter i den här listan är högre än WIP-gränsen du har definierat.", @@ -493,14 +493,14 @@ "send-smtp-test": "Skicka ett prov e-postmeddelande till dig själv", "invitation-code": "Inbjudningskod", "email-invite-register-subject": "__inviter__ skickade dig en inbjudan", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email", + "email-invite-register-text": "Kära__user__,\n\n__inviter__ bjuder in dig att samarbeta på kanban-tavlan.\n\nFölj länken nedan:\n__url__\n\nDin inbjudningskod är: __icode__\n\nTack!", + "email-smtp-test-subject": "SMTP test-email", "email-smtp-test-text": "Du har skickat ett e-postmeddelande", "error-invitation-code-not-exist": "Inbjudningskod finns inte", "error-notAuthorized": "Du är inte behörig att se den här sidan.", "outgoing-webhooks": "Utgående Webhookar", "outgoingWebhooksPopup-title": "Utgående Webhookar", - "boardCardTitlePopup-title": "Card Title Filter", + "boardCardTitlePopup-title": "Korttitelfiler", "new-outgoing-webhook": "Ny utgående webhook", "no-name": "(Okänd)", "Node_version": "Nodversion", @@ -552,25 +552,25 @@ "show-subtasks-field": "Kort kan ha deluppgifter", "deposit-subtasks-board": "Insättnings deluppgifter på denna anslagstavla:", "deposit-subtasks-list": "Landningslista för deluppgifter deponerade här:", - "show-parent-in-minicard": "Show parent in minicard:", + "show-parent-in-minicard": "Visa förälder i minikort:", "prefix-with-full-path": "Prefix med fullständig sökväg", - "prefix-with-parent": "Prefix with parent", + "prefix-with-parent": "Prefix med förälder", "subtext-with-full-path": "Undertext med fullständig sökväg", - "subtext-with-parent": "Subtext with parent", - "change-card-parent": "Change card's parent", - "parent-card": "Parent card", + "subtext-with-parent": "Undertext med förälder", + "change-card-parent": "Ändra kortets förälder", + "parent-card": "Föräldrakort", "source-board": "Källa för anslagstavla", - "no-parent": "Don't show parent", + "no-parent": "Visa inte förälder", "activity-added-label": "lade till etiketten '%s' till %s", "activity-removed-label": "tog bort etiketten '%s' från %s", "activity-delete-attach": "raderade en bilaga från %s", "activity-added-label-card": "lade till etiketten \"%s\"", "activity-removed-label-card": "tog bort etiketten \"%s\"", "activity-delete-attach-card": "tog bort en bilaga", - "activity-set-customfield": "set custom field '%s' to '%s' in %s", - "activity-unset-customfield": "unset custom field '%s' in %s", + "activity-set-customfield": "ställ in anpassat fält '%s' till '%s' i %s", + "activity-unset-customfield": "Koppla bort anpassat fält '%s' i %s", "r-rule": "Regel", - "r-add-trigger": "Add trigger", + "r-add-trigger": "Lägg till utlösare", "r-add-action": "Lägg till åtgärd", "r-board-rules": "Regler för anslagstavla", "r-add-rule": "Lägg till regel", @@ -601,15 +601,15 @@ "r-when-a-checklist": "När en checklista är", "r-when-the-checklist": "När checklistan", "r-completed": "Avslutad", - "r-made-incomplete": "Made incomplete", - "r-when-a-item": "When a checklist item is", - "r-when-the-item": "When the checklist item", + "r-made-incomplete": "Gjord ofullständig", + "r-when-a-item": "När ett checklistobjekt ä", + "r-when-the-item": "När checklistans objekt", "r-checked": "Kryssad", "r-unchecked": "Okryssad", "r-move-card-to": "Flytta kort till", "r-top-of": "Överst på", "r-bottom-of": "Nederst av", - "r-its-list": "its list", + "r-its-list": "sin lista", "r-archive": "Flytta till Arkiv", "r-unarchive": "Återställ från Arkiv", "r-card": "kort", @@ -631,10 +631,10 @@ "r-to": "till", "r-subject": "änme", "r-rule-details": "Regeldetaljer", - "r-d-move-to-top-gen": "Move card to top of its list", - "r-d-move-to-top-spec": "Move card to top of list", - "r-d-move-to-bottom-gen": "Move card to bottom of its list", - "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-move-to-top-gen": "Flytta kort till toppen av sin lista", + "r-d-move-to-top-spec": "Flytta kort till toppen av listan", + "r-d-move-to-bottom-gen": "Flytta kort till botten av sin lista", + "r-d-move-to-bottom-spec": "Flytta kort till botten av listan", "r-d-send-email": "Skicka e-post", "r-d-send-email-to": "till", "r-d-send-email-subject": "ämne", @@ -645,7 +645,7 @@ "r-d-remove-label": "Ta bort etikett", "r-create-card": "Skapa nytt kort", "r-in-list": "i listan", - "r-in-swimlane": "in swimlane", + "r-in-swimlane": "i simbana", "r-d-add-member": "Lägg till medlem", "r-d-remove-member": "Ta bort medlem", "r-d-remove-all-member": "Ta bort alla medlemmar", @@ -658,13 +658,13 @@ "r-d-remove-checklist": "Ta bort checklista", "r-by": "av", "r-add-checklist": "Lägg till checklista", - "r-with-items": "with items", - "r-items-list": "item1,item2,item3", - "r-add-swimlane": "Add swimlane", - "r-swimlane-name": "swimlane name", - "r-board-note": "Note: leave a field empty to match every possible value.", - "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", - "r-when-a-card-is-moved": "When a card is moved to another list", + "r-with-items": "med objekt", + "r-items-list": "objekt1,objekt2,objekt3", + "r-add-swimlane": "Lägg till simbana", + "r-swimlane-name": "Simbanans namn", + "r-board-note": "Notera: lämna ett fält tomt för att matcha alla möjliga värden.", + "r-checklist-note": "Notera: Objekt i en checklista måste skrivas som kommaseparerade objekt", + "r-when-a-card-is-moved": "När ett kort flyttas till en annan lista", "ldap": "LDAP", "oauth2": "OAuth2", "cas": "CAS", @@ -673,8 +673,8 @@ "custom-product-name": "Anpassat produktnamn", "layout": "Layout", "hide-logo": "Dölj logotypen", - "add-custom-html-after-body-start": "Add Custom HTML after start", - "add-custom-html-before-body-end": "Add Custom HTML before end", + "add-custom-html-after-body-start": "Lägg till anpassad HTML efter start", + "add-custom-html-before-body-end": "Lägg till anpassad HTML före slut", "error-undefined": "Något gick fel", "error-ldap-login": "Ett fel uppstod när du försökte logga in", "display-authentication-method": "Visa autentiseringsmetod", -- cgit v1.2.3-1-g7c22 From f083fc0d7b4998e87afa5ad2b3eeaa99690079e4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 21 Mar 2019 00:13:31 +0200 Subject: Update changelog. --- CHANGELOG.md | 1 + 1 file changed, 1 insertion(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 29e531a0..af7f69cf 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -9,6 +9,7 @@ This release fixes the following bugs: Adds name matching for labels when copying/moving cards between boards. This way, customFields are not lost when copying/moving a card. Particularly useful when templates have customFields or labels with specific names (not tested for templates yet). Thanks to andresmanelli. +- [Fix dissapearing subtasks](https://github.com/wekan/wekan/pull/2265). Thanks to andresmanelli. Thanks to above GitHub users for their contributions and translators for their translations. -- cgit v1.2.3-1-g7c22 From 1046976c08f54100aad600f9071f8b747c8e55f9 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 21 Mar 2019 00:23:35 +0200 Subject: [Fix Cards disappear when rearranged on template board](https://github.com/wekan/wekan/issues/2266). Thanks to andresmanelli ! Closes #2266 --- CHANGELOG.md | 1 + 1 file changed, 1 insertion(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index af7f69cf..baa4c709 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -10,6 +10,7 @@ This release fixes the following bugs: This way, customFields are not lost when copying/moving a card. Particularly useful when templates have customFields or labels with specific names (not tested for templates yet). Thanks to andresmanelli. - [Fix dissapearing subtasks](https://github.com/wekan/wekan/pull/2265). Thanks to andresmanelli. +- [Cards disappear when rearranged on template board](https://github.com/wekan/wekan/issues/2266). Thanks to andresmanelli. Thanks to above GitHub users for their contributions and translators for their translations. -- cgit v1.2.3-1-g7c22 From ef6054b8597cf52984865ccbe9f05c1838ceccf0 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Andr=C3=A9s=20Manelli?= Date: Mon, 18 Mar 2019 22:49:09 +0100 Subject: Fix #2268 --- models/cards.js | 32 -------------------------------- 1 file changed, 32 deletions(-) diff --git a/models/cards.js b/models/cards.js index 2bf83825..be7e2b77 100644 --- a/models/cards.js +++ b/models/cards.js @@ -1032,38 +1032,6 @@ Cards.mutations({ }; }, - setTitle(title) { - return { - $set: { - title, - }, - }; - }, - - setDescription(description) { - return { - $set: { - description, - }, - }; - }, - - setRequestedBy(requestedBy) { - return { - $set: { - requestedBy, - }, - }; - }, - - setAssignedBy(assignedBy) { - return { - $set: { - assignedBy, - }, - }; - }, - move(boardId, swimlaneId, listId, sort) { // Copy Custom Fields if (this.boardId !== boardId) { -- cgit v1.2.3-1-g7c22 From da3edb35ccf8a29bd6568b8b0445fdc1d6113b19 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 21 Mar 2019 00:39:35 +0200 Subject: v2.49 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index baa4c709..ac1624d3 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.49 2019-03-21 Wekan release This release fixes the following bugs: diff --git a/Stackerfile.yml b/Stackerfile.yml index 46037269..49ac8a7c 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.48.0" +appVersion: "v2.49.0" files: userUploads: - README.md diff --git a/package.json b/package.json index fc18b575..3195486e 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.48.0", + "version": "v2.49.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index f9551eff..6d9798e0 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 250, + appVersion = 251, # Increment this for every release. - appMarketingVersion = (defaultText = "2.48.0~2019-03-15"), + appMarketingVersion = (defaultText = "2.49.0~2019-03-21"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From ca0236fdfd7143023f992ff9f723959bfba3e776 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 21 Mar 2019 00:56:18 +0200 Subject: [Fix](https://github.com/wekan/wekan/pull/2269) [Unable to change card title in Template](https://github.com/wekan/wekan/issues/2268) and [Fix Unable to create a new board from a template](https://github.com/wekan/wekan/issues/2267). Thanks to andresmanelli ! Closes 2268, closes #2267 --- CHANGELOG.md | 10 ++++++++++ 1 file changed, 10 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index ac1624d3..df90b37c 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,13 @@ +# v2.50 2019-03-21 Wekan release + +This release fixes the following bugs: + +- [Fix](https://github.com/wekan/wekan/pull/2269) [Unable to change card title in Template](https://github.com/wekan/wekan/issues/2268) + and [Fix Unable to create a new board from a template](https://github.com/wekan/wekan/issues/2267). + Thanks to andresmanelli. + +Thanks to above GitHub users for their contributions. + # v2.49 2019-03-21 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From e9f5aaa397bc8c19de7a4e1effdf672c5a3abca3 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 21 Mar 2019 01:11:48 +0200 Subject: v2.50 --- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 3 files changed, 4 insertions(+), 4 deletions(-) diff --git a/Stackerfile.yml b/Stackerfile.yml index 49ac8a7c..cdf1bbd4 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.49.0" +appVersion: "v2.50.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 3195486e..a6be805e 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.49.0", + "version": "v2.50.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 6d9798e0..6d46fe0f 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 251, + appVersion = 252, # Increment this for every release. - appMarketingVersion = (defaultText = "2.49.0~2019-03-21"), + appMarketingVersion = (defaultText = "2.50.0~2019-03-21"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 402a974a703afb1b12cbae210ac0c9c51c7fe620 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 21 Mar 2019 01:22:09 +0200 Subject: v2.51 --- CHANGELOG.md | 10 ++++++++++ Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 14 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index df90b37c..1ae341aa 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,13 @@ +# v2.51 2019-03-21 Wekan release + +This release fixes the following bugs: + +- [Fix Unable to change board card title (=Board name) at Templates page](https://github.com/wekan/wekan/issues/2275). + and [Unable to change card title in Template](https://github.com/wekan/wekan/issues/2268) part 2. + Thanks to andresmanelli. + +Thanks to above GitHub users for their contributions. + # v2.50 2019-03-21 Wekan release This release fixes the following bugs: diff --git a/Stackerfile.yml b/Stackerfile.yml index cdf1bbd4..ac51f599 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.50.0" +appVersion: "v2.51.0" files: userUploads: - README.md diff --git a/package.json b/package.json index a6be805e..bfc69a89 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.50.0", + "version": "v2.51.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 6d46fe0f..bddd161e 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 252, + appVersion = 253, # Increment this for every release. - appMarketingVersion = (defaultText = "2.50.0~2019-03-21"), + appMarketingVersion = (defaultText = "2.51.0~2019-03-21"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 35a66c3550063c092158c8299eb07ce2e84931de Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 21 Mar 2019 02:41:21 +0200 Subject: Fix typo. --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 1ae341aa..d8ef7a9d 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -24,7 +24,7 @@ This release fixes the following bugs: - [The invitation code doesn't exist - case-sensitive eMail](https://github.com/wekan/wekan/issues/1384). Thanks to neurolabs. - [Don't swallow email errors](https://github.com/wekan/wekan/pull/2272). Thanks to justinr1234. -- [Migrate customFields model](https://github.com/wekan/wekan/pull/2264]. +- [Migrate customFields model](https://github.com/wekan/wekan/pull/2264). Modifies the customFields model to keep an array of boardIds where the customField can be used. Adds name matching for labels when copying/moving cards between boards. This way, customFields are not lost when copying/moving a card. Particularly useful when templates have customFields or labels with specific names (not tested for templates yet). -- cgit v1.2.3-1-g7c22 From 12268bd0651f499a34275364eb84275914f582ff Mon Sep 17 00:00:00 2001 From: justinr1234 Date: Thu, 21 Mar 2019 10:22:57 -0500 Subject: Fix IFTTT email sending --- server/rulesHelper.js | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/server/rulesHelper.js b/server/rulesHelper.js index 453c586d..83710057 100644 --- a/server/rulesHelper.js +++ b/server/rulesHelper.js @@ -67,15 +67,15 @@ RulesHelper = { card.move(card.swimlaneId, listId, maxOrder + 1); } if(action.actionType === 'sendEmail'){ - const emailTo = action.emailTo; - const emailMsg = action.emailMsg; - const emailSubject = action.emailSubject; + const to = action.emailTo; + const text = action.emailMsg || ''; + const subject = action.emailSubject || ''; try { Email.send({ - emailTo, + to, from: Accounts.emailTemplates.from, - emailSubject, - emailMsg, + subject, + text, }); } catch (e) { // eslint-disable-next-line no-console -- cgit v1.2.3-1-g7c22 From a6213d4a6f06d91ac63678ead73a6e3d7028adef Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 21 Mar 2019 20:21:21 +0200 Subject: Update translations. --- i18n/ar.i18n.json | 3 ++- i18n/bg.i18n.json | 3 ++- i18n/br.i18n.json | 3 ++- i18n/ca.i18n.json | 3 ++- i18n/cs.i18n.json | 3 ++- i18n/da.i18n.json | 3 ++- i18n/de.i18n.json | 3 ++- i18n/el.i18n.json | 3 ++- i18n/en-GB.i18n.json | 3 ++- i18n/en.i18n.json | 3 ++- i18n/eo.i18n.json | 3 ++- i18n/es-AR.i18n.json | 3 ++- i18n/es.i18n.json | 3 ++- i18n/eu.i18n.json | 3 ++- i18n/fa.i18n.json | 3 ++- i18n/fi.i18n.json | 3 ++- i18n/fr.i18n.json | 3 ++- i18n/gl.i18n.json | 3 ++- i18n/he.i18n.json | 3 ++- i18n/hi.i18n.json | 3 ++- i18n/hu.i18n.json | 3 ++- i18n/hy.i18n.json | 3 ++- i18n/id.i18n.json | 3 ++- i18n/ig.i18n.json | 3 ++- i18n/it.i18n.json | 3 ++- i18n/ja.i18n.json | 3 ++- i18n/ka.i18n.json | 3 ++- i18n/km.i18n.json | 3 ++- i18n/ko.i18n.json | 3 ++- i18n/lv.i18n.json | 3 ++- i18n/mk.i18n.json | 3 ++- i18n/mn.i18n.json | 3 ++- i18n/nb.i18n.json | 3 ++- i18n/nl.i18n.json | 3 ++- i18n/oc.i18n.json | 21 +++++++++++---------- i18n/pl.i18n.json | 3 ++- i18n/pt-BR.i18n.json | 3 ++- i18n/pt.i18n.json | 3 ++- i18n/ro.i18n.json | 3 ++- i18n/ru.i18n.json | 3 ++- i18n/sr.i18n.json | 3 ++- i18n/sv.i18n.json | 3 ++- i18n/sw.i18n.json | 3 ++- i18n/ta.i18n.json | 3 ++- i18n/th.i18n.json | 3 ++- i18n/tr.i18n.json | 3 ++- i18n/uk.i18n.json | 3 ++- i18n/vi.i18n.json | 3 ++- i18n/zh-CN.i18n.json | 3 ++- i18n/zh-TW.i18n.json | 3 ++- 50 files changed, 109 insertions(+), 59 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index f5c44f8d..d7b59046 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 6bad3ab2..f2ba6ffa 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index c5e01719..b5597591 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 8a095ba8..31ed76c3 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 7ab1e05e..f1b6575e 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "importoval(a) karta __card__ do sloupce __list__ ve swimlane __swimlane__ na tablu __board__", "act-importList": "importoval(a) sloupec __list__ do swimlane __swimlane__ na tablu __board__", "act-joinMember": "přidal(a) člena __member__ na kartu __card__ v seznamu __list__ ve swimlane __swimlane__ na tablu __board__", - "act-moveCard": "přesunul(a) kartu __card__ ze sloupce __oldList__ ve swimlane __oldSwimlane__ na tablu __oldBoard__ do sloupce __list__ ve swimlane __swimlane__ na tablu __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "přesunul(a) kartu __card__ ze sloupce __oldList__ ve swimlane __oldSwimlane__ na tablu __oldBoard__ do sloupce __list__ ve swimlane __swimlane__ na tablu __board__", "act-removeBoardMember": "odstranil(a) člena __member__ z tabla __board__", "act-restoredCard": "obnovil(a) kartu __card__ do sloupce __list__ ve swimlane __swimlane__ na tablu __board__", "act-unjoinMember": "odstranil(a) člena __member__ z karty __card__ ve sloupci __list__ ve swimlane __swimlane__ na tablu __board__", diff --git a/i18n/da.i18n.json b/i18n/da.i18n.json index 61b6c4ac..a5bbe2eb 100644 --- a/i18n/da.i18n.json +++ b/i18n/da.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 8701c9d4..7cd03223 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "importiert Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ in Board __board__ ", "act-importList": "importiert Liste __list__ bei Swimlane __swimlane__ in Board __board__ ", "act-joinMember": "fügt Mitglied __member__ der Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__ hinzu", - "act-moveCard": "verschiebt Karte __card__ von Liste __oldList__ von Swimlane __oldSwimlane__ von Board __oldBoard__ nach Liste __list__ in Swimlane __swimlane__ zu Board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "verschiebt Karte __card__ von Liste __oldList__ von Swimlane __oldSwimlane__ von Board __oldBoard__ nach Liste __list__ in Swimlane __swimlane__ zu Board __board__", "act-removeBoardMember": "entfernte Mitglied __member__ vom Board __board__", "act-restoredCard": "wiederherstellte Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", "act-unjoinMember": "entfernte Mitglied __member__ von Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 44173f52..0b4da259 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 5e24cfd3..16a81fcc 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 580a9456..41d7cb48 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index d8f8c1cc..16f62524 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index 08af58ae..68bb9339 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 24d5f379..c34e5c98 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "importada la tarjeta __card__ a la lista __list__ del carrril __swimlane__ del tablero __board__", "act-importList": "importada la lista __list__ al carril __swimlane__ del tablero __board__", "act-joinMember": "añadido el miembro __member__ a la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", - "act-moveCard": "movida la tarjeta __card__ de la lista __oldList__ del carril __oldSwimlane__ del tablero __oldBoard__ a la lista __list__ del carril __swimlane__ del tablero __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "movida la tarjeta __card__ de la lista __oldList__ del carril __oldSwimlane__ del tablero __oldBoard__ a la lista __list__ del carril __swimlane__ del tablero __board__", "act-removeBoardMember": "eliminado el miembro __member__ del tablero __board__", "act-restoredCard": "restaurada la tarjeta __card__ a la lista __list__ del carril __swimlane__ del tablero __board__", "act-unjoinMember": "eliminado el miembro __member__ de la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index 6ef06e29..26a55dc0 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index f440fc48..f9a911c1 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 594c55c6..977952dc 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "tuotu kortti __card__ listalle __list__ swimlanella __swimlane__ taululla __board__", "act-importList": "tuotu lista __list__ swimlanelle __swimlane__ taululla __board__", "act-joinMember": "lisätty jäsen __member__ kortille __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", - "act-moveCard": "siirretty kortti __card__ listasta __oldList__ swimlanella __oldSwimlane__ taululla __oldBoard__ listalle __list__ swimlanella __swimlane__ taululla __board__", + "act-moveCard": "Taululla __board__ jäsen __member__ siirsi kortin __card__ listasta __oldList__ swimlanella __oldSwimlane__ taululla listalle __list__ swimlanella __swimlane__", + "act-moveCardToOtherBoard": "siirretty kortti __card__ listasta __oldList__ swimlanella __oldSwimlane__ taululla __oldBoard__ listalle __list__ swimlanella __swimlane__ taululla __board__", "act-removeBoardMember": "poistettu jäsen __member__ taululta __board__", "act-restoredCard": "palautettu kortti __card__ listalle __list__ swimlanella __swimlane__ taululla __board__", "act-unjoinMember": "poistettu jäsen __member__ kortilta __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 848941d3..2229fb61 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "a importé la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", "act-importList": "a importé la liste __list__ du couloir __swimlane__ du tableau __board__", "act-joinMember": "a ajouté le participant __member__ à la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", - "act-moveCard": "a déplacé la carte __card__ de la liste __oldList__ du couloir __oldSwimlane__ du tableau __oldBoard__ vers la liste __list__ du couloir __swimlane__ du tableau __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "a déplacé la carte __card__ de la liste __oldList__ du couloir __oldSwimlane__ du tableau __oldBoard__ vers la liste __list__ du couloir __swimlane__ du tableau __board__", "act-removeBoardMember": "a supprimé le participant __member__ du tableau __board__", "act-restoredCard": "a restauré la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", "act-unjoinMember": "a supprimé le participant __member__ de la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index b896e400..2f992653 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 0389299b..5ebb41e8 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "הייבוא של הכרטיס __card__ לרשימה __list__ למסלול __swimlane__ ללוח __board__ הושלם", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "החבר __member__ נוסף לכרטיס __card__ לרשימה __list__ במסלול __swimlane__ בלוח __board__", - "act-moveCard": "הכרטיס __card__ הועבר מהרשימה __oldList__ במסלול __oldSwimlane__ בלוח __oldBoard__ לרשימה __list__ במסלול __swimlane__ בלוח __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "הכרטיס __card__ הועבר מהרשימה __oldList__ במסלול __oldSwimlane__ בלוח __oldBoard__ לרשימה __list__ במסלול __swimlane__ בלוח __board__", "act-removeBoardMember": "החבר __member__ הוסר מהלוח __board__", "act-restoredCard": "הכרטיס __card__ שוחזר לרשימה __list__ למסלול __swimlane__ ללוח __board__", "act-unjoinMember": "החבר __member__ הוסר מהכרטיס __card__ ברשימה __list__ במסלול __swimlane__ בלוח __board__", diff --git a/i18n/hi.i18n.json b/i18n/hi.i18n.json index b121e3b5..797c31b0 100644 --- a/i18n/hi.i18n.json +++ b/i18n/hi.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index cb500412..e1084f3c 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index 4068520c..611e2873 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 926623e1..a786a61e 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 789e6e14..e1ea6421 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index ec354c94..581da75c 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 6b1fcf1c..2fda96b2 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index 4fe0f734..d8f8ddf4 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index e234ee75..0ae08bab 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index 4e6835e0..1355031d 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index d4ded323..c83fd41d 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/mk.i18n.json b/i18n/mk.i18n.json index 3170c6d2..1a2f7db4 100644 --- a/i18n/mk.i18n.json +++ b/i18n/mk.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index a255469c..4df8f45e 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index 4ebb4c5f..e0be6e0c 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 2f02d194..4206b589 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/oc.i18n.json b/i18n/oc.i18n.json index 57389d44..942f4355 100644 --- a/i18n/oc.i18n.json +++ b/i18n/oc.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "as importat la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", "act-importList": "as importat la tièra __list__ del corredor __swimlane__ del tablèu __board__", "act-joinMember": "as apondut un participant __member__ a la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", - "act-moveCard": "as desplaçat la carta __card__ de la tièra __oldList__ del corredor __oldSwimlane__ del tablèu __oldBoard__ cap a la tièra __list__ del corredor __swimlane__ del tablèu __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "as desplaçat la carta __card__ de la tièra __oldList__ del corredor __oldSwimlane__ del tablèu __oldBoard__ cap a la tièra __list__ del corredor __swimlane__ del tablèu __board__", "act-removeBoardMember": "as tirat lo participant __member__ del tablèu __board__", "act-restoredCard": "as restorat la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", "act-unjoinMember": "as tirat lo participant __member__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", @@ -56,14 +57,14 @@ "activity-unchecked-item": "as descroiat %s dins la checklist %s de %s", "activity-checklist-added": "as apondut a checklist a %s", "activity-checklist-removed": "as tirat la checklist de %s", - "activity-checklist-completed": "as acabat la checklist __checklist__ de la carta __card__ de la lista __list__ del corredor __swimlane__ del tablèu __board__", + "activity-checklist-completed": "as acabat la checklist __checklist__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", "activity-checklist-uncompleted": "as rendut incomplet la checklist %s de %s", "activity-checklist-item-added": "as apondut un element a la checklist '%s' dins %s", "activity-checklist-item-removed": "as tirat un element a la checklist '%s' dins %s", "add": "Apondre", "activity-checked-item-card": "as croiat %s dins la checklist %s", "activity-unchecked-item-card": "as descroiat %s dins la checklist %s", - "activity-checklist-completed-card": "as acabat la checklist__checklist__ de la carta __card__ de la lista __list__ del corredor __swimlane__ del tablèu __board__", + "activity-checklist-completed-card": "as acabat la checklist__checklist__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", "activity-checklist-uncompleted-card": "as rendut incomplet la checklist %s", "add-attachment": "Apondre una pèça joncha", "add-board": "Apondre un tablèu", @@ -172,7 +173,7 @@ "changePermissionsPopup-title": "Cambiar las permissions", "changeSettingsPopup-title": "Cambiar los paramètres", "subtasks": "Jos-tasca", - "checklists": "Checklistas", + "checklists": "Checklists", "click-to-star": "Apondre lo tablèu als favorits", "click-to-unstar": "Quitar lo tablèu dels favorits", "clipboard": "Copiar o far limpar", @@ -343,17 +344,17 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", "link-card": "Ligam per aquesta carta", - "list-archive-cards": "Mandar totas las cartas d'aquesta lista dins Archius", + "list-archive-cards": "Mandar totas las cartas d'aquesta tièra dins Archius", "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", - "list-move-cards": "Mandar totas las cartas dins aquesta lista", - "list-select-cards": "Seleccionar totas las cartas dins aquesta lista", + "list-move-cards": "Mandar totas las cartas dins aquesta tièra", + "list-select-cards": "Seleccionar totas las cartas dins aquesta tièra", "set-color-list": "Set Color", "listActionPopup-title": "Tièra de las accions", "swimlaneActionPopup-title": "Swimlane Actions", "swimlaneAddPopup-title": "Add a Swimlane below", "listImportCardPopup-title": "Importar una carta de Trello", "listMorePopup-title": "Mai", - "link-list": "Ligam d'aquesta lista", + "link-list": "Ligam d'aquesta tièra", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", "lists": "Tièras", @@ -376,7 +377,7 @@ "my-boards": "Mon tablèu", "name": "Nom", "no-archived-cards": "Pas cap de carta dins Archius", - "no-archived-lists": "Pas cap de lista dins Archius", + "no-archived-lists": "Pas cap de tièra dins Archius", "no-archived-swimlanes": "Pas cap de corredor dins Archius", "no-results": "Pas brica de resultat", "normal": "Normal", @@ -403,7 +404,7 @@ "remove-cover": "Remove Cover", "remove-from-board": "Quitar lo tablèu", "remove-label": "Quitar l'etiqueta", - "listDeletePopup-title": "Suprimir la lista ?", + "listDeletePopup-title": "Quitar la tièra ?", "remove-member": "Quitar lo participant", "remove-member-from-card": "Quitar aquesta carta", "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 526492cb..be600dc6 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "Zaimportowano kartę __card__ do listy __list__ na diagramie czynności __swimlane__ na tablicy __board__", "act-importList": "Zaimportowano listę __list__ na diagram czynności __swimlane__ do tablicy __board__", "act-joinMember": "Dodano użytkownika __member__ do karty __card__ na liście __list__ na diagramie czynności __swimlane__ na tablicy __board__", - "act-moveCard": "Przeniesiono kartę __card__ z listy __oldList__ na diagramie czynności __oldSwimlane__ na tablicy __oldBoard__ do listy __listy__ na diagramie czynności __swimlane__ na tablicy __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "Przeniesiono kartę __card__ z listy __oldList__ na diagramie czynności __oldSwimlane__ na tablicy __oldBoard__ do listy __listy__ na diagramie czynności __swimlane__ na tablicy __board__", "act-removeBoardMember": "Usunięto użytkownika __member__ z tablicy __board__", "act-restoredCard": "Przywrócono kartę __card__ na listę __list__ na diagram czynności__ na tablicy __board__", "act-unjoinMember": "Usunięto użytkownika __member__ z karty __card__ na liście __list__ na diagramie czynności __swimlane__ na tablicy __board__", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 20028ab2..ce557741 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "importado cartão __card__ para lista __list__ em raia __swimlane__ no quadro __board__", "act-importList": "importada lista __list__ para raia __swimlane__ no quadro __board__", "act-joinMember": "adicionado membro __member__ ao cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", - "act-moveCard": "movido cartão __card__ da lista __oldList__ em raia __oldSwimlane__ no quadro __oldBoard__ para lista __list__ em raia __swimlane__ no quadro __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "movido cartão __card__ da lista __oldList__ em raia __oldSwimlane__ no quadro __oldBoard__ para lista __list__ em raia __swimlane__ no quadro __board__", "act-removeBoardMember": "removido membro __member__ do quadro __board__", "act-restoredCard": "restaurado cartão __card__ a lista __list__ em raia __swimlane__ no quadro __board__", "act-unjoinMember": "removido membro __member__ do cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index d29c3ae8..c201cd72 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index 92d604ca..b6cb23cd 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index d5169aef..95997312 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "импортировал карточку __card__ в список __list__ на дорожку __swimlane__ доски __board__", "act-importList": "импортировал список __list__ на дорожку __swimlane__ доски __board__", "act-joinMember": "добавил участника __member__ в карточку __card__ в списке __list__ на дорожке __swimlane__ доски __board__", - "act-moveCard": "переместил карточку __card__ из списка __oldList__ с дорожки __oldSwimlane__ доски __oldBoard__ в список __list__ на дорожку __swimlane__ доски __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "переместил карточку __card__ из списка __oldList__ с дорожки __oldSwimlane__ доски __oldBoard__ в список __list__ на дорожку __swimlane__ доски __board__", "act-removeBoardMember": "удалил участника __member__ с доски __board__", "act-restoredCard": "восстановил карточку __card__ в список __list__ на дорожку __swimlane__ доски __board__", "act-unjoinMember": "удалил участника __member__ из карточки __card__ в списке __list__ на дорожке __swimlane__ доски __board__", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index c496971c..58ed8f94 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 647c3c10..0eca0afd 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "importerade kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", "act-importList": "importerade lista __list__ i simbana __swimlane__ på tavla __board__", "act-joinMember": "la till medlem __member__ på kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", - "act-moveCard": "flyttade kort __card__ från lista __oldList__ i simbana __oldSwimlane__ på tavla __oldBoard__ till lista __list__ i simbana __swimlane__ på tavla __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "flyttade kort __card__ från lista __oldList__ i simbana __oldSwimlane__ på tavla __oldBoard__ till lista __list__ i simbana __swimlane__ på tavla __board__", "act-removeBoardMember": "borttagen medlem __member__  från tavla __board__", "act-restoredCard": "återställde kort __card__ till lista __lis__ i simbana __swimlane__ på tavla __board__", "act-unjoinMember": "tog bort medlem __member__ från kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", diff --git a/i18n/sw.i18n.json b/i18n/sw.i18n.json index ab693571..7ffc8d74 100644 --- a/i18n/sw.i18n.json +++ b/i18n/sw.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index a82c6944..e6954dc9 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index 82526686..af2b3037 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index f9b8158c..c3d9b960 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 98a8978f..637920c7 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index a3a65ff3..f1d11d21 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 36a603cc..e842378b 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index c917609e..fbc006e4 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -28,7 +28,8 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", -- cgit v1.2.3-1-g7c22 From 2969161afbe60a1aa2e7da6cedc3ab48941faf3e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 21 Mar 2019 20:27:21 +0200 Subject: - More whitelabeling. Thanks to xet7 ! --- Dockerfile | 2 +- client/components/main/header.jade | 9 ++-- client/components/main/layouts.jade | 24 +++++----- client/components/settings/settingBody.jade | 6 +-- client/components/settings/settingBody.styl | 4 ++ client/lib/popup.js | 2 +- models/settings.js | 2 +- openapi/README.md | 2 +- public/favicon.png | Bin 0 -> 756 bytes public/logo-150.png | Bin 0 -> 3634 bytes public/logo-150.svg | 68 ++++++++++++++++++++++++++++ public/logo-header.png | Bin 0 -> 1827 bytes public/logo.png | Bin 0 -> 10342 bytes public/manifest.json | 22 +++++++++ public/old-logo.png | Bin 0 -> 8433 bytes public/old-wekan-logo.png | Bin 8433 -> 0 bytes public/wekan-150.png | Bin 3634 -> 0 bytes public/wekan-150.svg | 68 ---------------------------- public/wekan-favicon.png | Bin 756 -> 0 bytes public/wekan-logo-header.png | Bin 1827 -> 0 bytes public/wekan-logo.png | Bin 10342 -> 0 bytes public/wekan-manifest.json | 22 --------- snapcraft.yaml | 2 +- 23 files changed, 119 insertions(+), 114 deletions(-) create mode 100644 public/favicon.png create mode 100644 public/logo-150.png create mode 100644 public/logo-150.svg create mode 100644 public/logo-header.png create mode 100644 public/logo.png create mode 100644 public/manifest.json create mode 100644 public/old-logo.png delete mode 100644 public/old-wekan-logo.png delete mode 100644 public/wekan-150.png delete mode 100644 public/wekan-150.svg delete mode 100644 public/wekan-favicon.png delete mode 100644 public/wekan-logo-header.png delete mode 100644 public/wekan-logo.png delete mode 100644 public/wekan-manifest.json diff --git a/Dockerfile b/Dockerfile index 326b8101..fa0eebe7 100644 --- a/Dockerfile +++ b/Dockerfile @@ -310,7 +310,7 @@ RUN \ cd /home/wekan/app &&\ mkdir -p ./public/api && \ python3 ./openapi/generate_openapi.py --release $(git describe --tags --abbrev=0) > ./public/api/wekan.yml && \ - /opt/nodejs/bin/api2html -c ./public/wekan-logo-header.png -o ./public/api/wekan.html ./public/api/wekan.yml; \ + /opt/nodejs/bin/api2html -c ./public/logo-header.png -o ./public/api/wekan.html ./public/api/wekan.yml; \ # Build app cd /home/wekan/app && \ gosu wekan:wekan /home/wekan/.meteor/meteor add standard-minifier-js && \ diff --git a/client/components/main/header.jade b/client/components/main/header.jade index c0781303..75e84c0c 100644 --- a/client/components/main/header.jade +++ b/client/components/main/header.jade @@ -45,15 +45,16 @@ template(name="header") #header-main-bar(class="{{#if wrappedHeader}}wrapper{{/if}}") +Template.dynamic(template=headerBar) - unless hideLogo + //unless hideLogo //- On sandstorm, the logo shouldn't be clickable, because we only have one page/document on it, and we don't want to see the home page containing the list of all boards. - unless currentSetting.hideLogo - a.wekan-logo(href="{{pathFor 'home'}}" title="{{_ 'header-logo-title'}}") - img(src="{{pathFor '/wekan-logo-header.png'}}" alt="Wekan") + + // unless currentSetting.hideLogo + // a.wekan-logo(href="{{pathFor 'home'}}" title="{{_ 'header-logo-title'}}") + // img(src="{{pathFor '/logo-header.png'}}" alt="") if appIsOffline +offlineWarning diff --git a/client/components/main/layouts.jade b/client/components/main/layouts.jade index 3be676a3..0d39ed37 100644 --- a/client/components/main/layouts.jade +++ b/client/components/main/layouts.jade @@ -1,5 +1,5 @@ head - title Wekan + title "" meta(name="viewport" content="maximum-scale=1.0,width=device-width,initial-scale=1.0,user-scalable=0") meta(http-equiv="X-UA-Compatible" content="IE=edge") @@ -7,20 +7,20 @@ head where the application is deployed with a path prefix, but it seems to be difficult to do that cleanly with Blaze -- at least without adding extra packages. - link(rel="shortcut icon" href="/wekan-favicon.png") - link(rel="apple-touch-icon" href="/wekan-favicon.png") - link(rel="mask-icon" href="/wekan-150.svg") - link(rel="manifest" href="/wekan-manifest.json") + link(rel="shortcut icon" href="/favicon.png") + link(rel="apple-touch-icon" href="/favicon.png") + link(rel="mask-icon" href="/logo-150.svg") + link(rel="manifest" href="/manifest.json") template(name="userFormsLayout") section.auth-layout - if currentSetting.hideLogo - h1 - br - br - else - h1.at-form-landing-logo - img(src="{{pathFor '/wekan-logo.png'}}" alt="Wekan") + //if currentSetting.hideLogo + h1 + br + br + //else + // h1.at-form-landing-logo + // img(src="{{pathFor '/logo.png'}}" alt="") section.auth-dialog +Template.dynamic(template=content) if currentSetting.displayAuthenticationMethod diff --git a/client/components/settings/settingBody.jade b/client/components/settings/settingBody.jade index 220dbb50..89911e09 100644 --- a/client/components/settings/settingBody.jade +++ b/client/components/settings/settingBody.jade @@ -134,7 +134,7 @@ template(name='announcementSettings') template(name='layoutSettings') ul#layout-setting.setting-detail - li.layout-form + //li.layout-form .title {{_ 'hide-logo'}} .form-group.flex input.form-control#hide-logo(type="radio" name="hideLogo" value="true" checked="{{#if currentSetting.hideLogo}}checked{{/if}}") @@ -154,7 +154,7 @@ template(name='layoutSettings') li.layout-form .title {{_ 'custom-product-name'}} .form-group - input.form-control#product-name(type="text", placeholder="Wekan" value="{{currentSetting.productName}}") + input.form-control#product-name(type="text", placeholder="" value="{{currentSetting.productName}}") li.layout-form .title {{_ 'add-custom-html-after-body-start'}} textarea#customHTMLafterBodyStart.form-control= currentSetting.customHTMLafterBodyStart @@ -171,4 +171,4 @@ template(name='selectAuthenticationMethod') if isSelected value option(value="{{value}}" selected) {{_ value}} else - option(value="{{value}}") {{_ value}} \ No newline at end of file + option(value="{{value}}") {{_ value}} diff --git a/client/components/settings/settingBody.styl b/client/components/settings/settingBody.styl index 7f8bd4c0..dbf91a6c 100644 --- a/client/components/settings/settingBody.styl +++ b/client/components/settings/settingBody.styl @@ -52,6 +52,10 @@ .main-body padding: 0.1em 1em + -webkit-user-select: auto // Safari 3.1+ + -moz-user-select: auto // Firefox 2+ + -ms-user-select: auto // IE 10+ + user-select: auto // Standard syntax ul li diff --git a/client/lib/popup.js b/client/lib/popup.js index 5b640f50..9abe48aa 100644 --- a/client/lib/popup.js +++ b/client/lib/popup.js @@ -184,7 +184,7 @@ window.Popup = new class { // positives. const title = TAPi18n.__(translationKey); // when popup showed as full of small screen, we need a default header to clearly see [X] button - const defaultTitle = Utils.isMiniScreen() ? 'Wekan' : false; + const defaultTitle = Utils.isMiniScreen() ? '' : false; return title !== translationKey ? title : defaultTitle; }; } diff --git a/models/settings.js b/models/settings.js index 4fcc36ac..e0f94fca 100644 --- a/models/settings.js +++ b/models/settings.js @@ -231,7 +231,7 @@ if (Meteor.isServer) { const setting = Settings.findOne({}); if (!setting.productName) { return { - productName: 'Wekan', + productName: '', }; } else { return { diff --git a/openapi/README.md b/openapi/README.md index c353ffd4..e3fb7fd9 100644 --- a/openapi/README.md +++ b/openapi/README.md @@ -20,7 +20,7 @@ Now that we have the OpenAPI, it's easy enough to convert the YAML file into som [shins](https://github.com/Mermade/shins) and [api2html](https://github.com/tobilg/api2html), or even [ReDoc](https://github.com/Rebilly/ReDoc): - api2html -c ../public/wekan-logo-header.png -o api.html ../public/wekan_api.yml + api2html -c ../public/logo-header.png -o api.html ../public/wekan_api.yml or diff --git a/public/favicon.png b/public/favicon.png new file mode 100644 index 00000000..8beb85f4 Binary files /dev/null and b/public/favicon.png differ diff --git a/public/logo-150.png b/public/logo-150.png new file mode 100644 index 00000000..e8e89c62 Binary files /dev/null and b/public/logo-150.png differ diff --git a/public/logo-150.svg b/public/logo-150.svg new file mode 100644 index 00000000..51d4eede --- /dev/null +++ b/public/logo-150.svg @@ -0,0 +1,68 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/public/logo-header.png b/public/logo-header.png new file mode 100644 index 00000000..16ffa102 Binary files /dev/null and b/public/logo-header.png differ diff --git a/public/logo.png b/public/logo.png new file mode 100644 index 00000000..b553239e Binary files /dev/null and b/public/logo.png differ diff --git a/public/manifest.json b/public/manifest.json new file mode 100644 index 00000000..e35583c0 --- /dev/null +++ b/public/manifest.json @@ -0,0 +1,22 @@ +{ + "name": "Kanban", + "short_name": "Kanban", + "description": "The open-source kanban", + "lang": "en-US", + "icons": [ + { + "src": "/logo-150.png", + "type": "image/png", + "sizes": "150x150" + }, + { + "src": "/logo-150.svg", + "type": "image/svg+xml", + "sizes": "150x150" + } + ], + "display": "standalone", + "background_color": "#dedede", + "theme_color": "#dedede", + "start_url": "/" +} diff --git a/public/old-logo.png b/public/old-logo.png new file mode 100644 index 00000000..6a2740f2 Binary files /dev/null and b/public/old-logo.png differ diff --git a/public/old-wekan-logo.png b/public/old-wekan-logo.png deleted file mode 100644 index 6a2740f2..00000000 Binary files a/public/old-wekan-logo.png and /dev/null differ diff --git a/public/wekan-150.png b/public/wekan-150.png deleted file mode 100644 index e8e89c62..00000000 Binary files a/public/wekan-150.png and /dev/null differ diff --git a/public/wekan-150.svg b/public/wekan-150.svg deleted file mode 100644 index 51d4eede..00000000 --- a/public/wekan-150.svg +++ /dev/null @@ -1,68 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/public/wekan-favicon.png b/public/wekan-favicon.png deleted file mode 100644 index 8beb85f4..00000000 Binary files a/public/wekan-favicon.png and /dev/null differ diff --git a/public/wekan-logo-header.png b/public/wekan-logo-header.png deleted file mode 100644 index 16ffa102..00000000 Binary files a/public/wekan-logo-header.png and /dev/null differ diff --git a/public/wekan-logo.png b/public/wekan-logo.png deleted file mode 100644 index b553239e..00000000 Binary files a/public/wekan-logo.png and /dev/null differ diff --git a/public/wekan-manifest.json b/public/wekan-manifest.json deleted file mode 100644 index a1c18518..00000000 --- a/public/wekan-manifest.json +++ /dev/null @@ -1,22 +0,0 @@ -{ - "name": "Wekan", - "short_name": "Wekan", - "description": "The open-source Trello-like kanban", - "lang": "en-US", - "icons": [ - { - "src": "/wekan-150.png", - "type": "image/png", - "sizes": "150x150" - }, - { - "src": "/wekan-150.svg", - "type": "image/svg+xml", - "sizes": "150x150" - } - ], - "display": "standalone", - "background_color": "#dedede", - "theme_color": "#dedede", - "start_url": "/" -} diff --git a/snapcraft.yaml b/snapcraft.yaml index 07c65e5a..2b4ab48b 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -115,7 +115,7 @@ parts: # we temporary need api2html and mkdirp npm install -g api2html npm install -g mkdirp - api2html -c ./public/wekan-logo-header.png -o ./public/api/wekan.html ./public/api/wekan.yml + api2html -c ./public/logo-header.png -o ./public/api/wekan.html ./public/api/wekan.yml npm uninstall -g mkdirp npm uninstall -g api2html # Node Fibers 100% CPU usage issue: -- cgit v1.2.3-1-g7c22 From 0310560938092c474184aad24987b11c4447006e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 21 Mar 2019 20:32:07 +0200 Subject: More whitelabeling. --- CHANGELOG.md | 10 ++++++++++ 1 file changed, 10 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index d8ef7a9d..bbe1f65b 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,13 @@ +# Upcoming Wekan release + +This release adds the following new features: + +- [More whitelabeling: Hide Wekan logo and title by default, and don't show separate option to hide logo at + Admin Panel/Layout](https://github.com/wekan/wekan/commit/2969161afbe60a1aa2e7da6cedc3ab48941faf3e). + Thanks to xet7. + +Thanks to above GitHub users for their contributions. + # v2.51 2019-03-21 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 7735394373965c0417903d13cc66d7a276bc0389 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 21 Mar 2019 20:38:06 +0200 Subject: - [Fix IFTTT email sending](https://github.com/wekan/wekan/pull/2279). Thanks to justinr1234. Related #1972 --- CHANGELOG.md | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index bbe1f65b..db84560b 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -5,6 +5,11 @@ This release adds the following new features: - [More whitelabeling: Hide Wekan logo and title by default, and don't show separate option to hide logo at Admin Panel/Layout](https://github.com/wekan/wekan/commit/2969161afbe60a1aa2e7da6cedc3ab48941faf3e). Thanks to xet7. + +and fixes the following bugs: + +- [Fix IFTTT email sending](https://github.com/wekan/wekan/pull/2279). + Thanks to justinr1234. Thanks to above GitHub users for their contributions. -- cgit v1.2.3-1-g7c22 From 188d42dcd678025e7de537463ee2a1c774b4e062 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 21 Mar 2019 20:59:45 +0200 Subject: [Add option to redirect OIDC OAuth2 login](https://github.com/wekan/wekan-ldap/commit/82a894ac20ba9e7c6fdf053cff1721cab709bf8a). Thanks to xet7 ! --- CHANGELOG.md | 2 ++ 1 file changed, 2 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index db84560b..036d0c37 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -5,6 +5,8 @@ This release adds the following new features: - [More whitelabeling: Hide Wekan logo and title by default, and don't show separate option to hide logo at Admin Panel/Layout](https://github.com/wekan/wekan/commit/2969161afbe60a1aa2e7da6cedc3ab48941faf3e). Thanks to xet7. +- [Add option to redirect OIDC OAuth2 login](https://github.com/wekan/wekan-ldap/commit/82a894ac20ba9e7c6fdf053cff1721cab709bf8a). + Thanks to xet7. and fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 7919ae362866c0cacf2a486bf91b12e4d25807d7 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 21 Mar 2019 21:37:38 +0200 Subject: - OAUTH2_LOGIN_STYLE popup or redirect, part 2. Thanks to xet7 ! --- Dockerfile | 2 ++ docker-compose.yml | 6 ++++++ rebuild-wekan.bat | 3 ++- releases/virtualbox/start-wekan.sh | 8 +++++++- server/authentication.js | 2 +- snap-src/bin/config | 6 +++++- snap-src/bin/wekan-help | 6 ++++++ start-wekan.bat | 7 +++++++ start-wekan.sh | 9 ++++++++- 9 files changed, 44 insertions(+), 5 deletions(-) diff --git a/Dockerfile b/Dockerfile index fa0eebe7..5f89a998 100644 --- a/Dockerfile +++ b/Dockerfile @@ -27,6 +27,7 @@ ARG BROWSER_POLICY_ENABLED ARG TRUSTED_URL ARG WEBHOOKS_ATTRIBUTES ARG OAUTH2_ENABLED +ARG OAUTH2_LOGIN_STYLE ARG OAUTH2_CLIENT_ID ARG OAUTH2_SECRET ARG OAUTH2_SERVER_URL @@ -123,6 +124,7 @@ ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential pyth TRUSTED_URL="" \ WEBHOOKS_ATTRIBUTES="" \ OAUTH2_ENABLED=false \ + OAUTH2_LOGIN_STYLE=redirect \ OAUTH2_CLIENT_ID="" \ OAUTH2_SECRET="" \ OAUTH2_SERVER_URL="" \ diff --git a/docker-compose.yml b/docker-compose.yml index ef1580aa..83fc0ac2 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -272,6 +272,8 @@ services: # 2) Configure the environment variables. This differs slightly # by installation type, but make sure you have the following: #- OAUTH2_ENABLED=true + # OAuth2 login style: popup or redirect. + #- OAUTH2_LOGIN_STYLE=redirect # Application GUID captured during app registration: #- OAUTH2_CLIENT_ID=xxxxxx-xxxx-xxxx-xxxx-xxxxxxxxxxx # Secret key generated during app registration: @@ -292,6 +294,8 @@ services: # ==== OAUTH2 KEYCLOAK ==== # https://github.com/wekan/wekan/wiki/Keycloak <== MAPPING INFO, REQUIRED #- OAUTH2_ENABLED=true + # OAuth2 login style: popup or redirect. + #- OAUTH2_LOGIN_STYLE=redirect #- OAUTH2_CLIENT_ID= #- OAUTH2_SERVER_URL=/auth #- OAUTH2_AUTH_ENDPOINT=/realms//protocol/openid-connect/auth @@ -305,6 +309,8 @@ services: # Enable the OAuth2 connection #- OAUTH2_ENABLED=true # OAuth2 docs: https://github.com/wekan/wekan/wiki/OAuth2 + # OAuth2 login style: popup or redirect. + #- OAUTH2_LOGIN_STYLE=redirect # OAuth2 Client ID. #- OAUTH2_CLIENT_ID=abcde12345 # OAuth2 Secret. diff --git a/rebuild-wekan.bat b/rebuild-wekan.bat index 5d0fa37d..ca4d7f61 100644 --- a/rebuild-wekan.bat +++ b/rebuild-wekan.bat @@ -1,6 +1,7 @@ @ECHO OFF -REM IN PROGRESS: Build on Windows. +REM NOTE: THIS .BAT DOES NOT WORK !! +REM Use instead this webpage instructions to build on Windows: REM https://github.com/wekan/wekan/wiki/Install-Wekan-from-source-on-Windows REM Please add fix PRs, like config of MongoDB etc. diff --git a/releases/virtualbox/start-wekan.sh b/releases/virtualbox/start-wekan.sh index 9a948bac..77fbdd54 100755 --- a/releases/virtualbox/start-wekan.sh +++ b/releases/virtualbox/start-wekan.sh @@ -71,6 +71,8 @@ # 2) Configure the environment variables. This differs slightly # by installation type, but make sure you have the following: #export OAUTH2_ENABLED=true + # OAuth2 login style: popup or redirect. + #export OAUTH2_LOGIN_STYLE=redirect # Application GUID captured during app registration: #export OAUTH2_CLIENT_ID=xxxxxx-xxxx-xxxx-xxxx-xxxxxxxxxxx # Secret key generated during app registration: @@ -91,6 +93,8 @@ # ==== OAUTH2 KEYCLOAK ==== # https://github.com/wekan/wekan/wiki/Keycloak <== MAPPING INFO, REQUIRED #export OAUTH2_ENABLED=true + # OAuth2 login style: popup or redirect. + #export OAUTH2_LOGIN_STYLE=redirect #export OAUTH2_CLIENT_ID= #export OAUTH2_SERVER_URL=/auth #export OAUTH2_AUTH_ENDPOINT=/realms//protocol/openid-connect/auth @@ -99,11 +103,13 @@ #export OAUTH2_SECRET= #----------------------------------------------------------------- # ==== OAUTH2 DOORKEEPER ==== + # OAuth2 docs: https://github.com/wekan/wekan/wiki/OAuth2 # https://github.com/wekan/wekan/issues/1874 # https://github.com/wekan/wekan/wiki/OAuth2 # Enable the OAuth2 connection #export OAUTH2_ENABLED=true - # OAuth2 docs: https://github.com/wekan/wekan/wiki/OAuth2 + # OAuth2 login style: popup or redirect. + #export OAUTH2_LOGIN_STYLE=redirect # OAuth2 Client ID. #export OAUTH2_CLIENT_ID=abcde12345 # OAuth2 Secret. diff --git a/server/authentication.js b/server/authentication.js index 4d3cc53e..5ca45b68 100644 --- a/server/authentication.js +++ b/server/authentication.js @@ -69,7 +69,7 @@ Meteor.startup(() => { { service: 'oidc' }, { $set: { - loginStyle: 'redirect', + loginStyle: process.env.OAUTH2_LOGIN_STYLE, clientId: process.env.OAUTH2_CLIENT_ID, secret: process.env.OAUTH2_SECRET, serverUrl: process.env.OAUTH2_SERVER_URL, diff --git a/snap-src/bin/config b/snap-src/bin/config index 30e389c1..7d68e26d 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -3,7 +3,7 @@ # All supported keys are defined here together with descriptions and default values # list of supported keys -keys="DEBUG MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API ACCOUNTS_LOCKOUT_KNOWN_USERS_FAILURES_BEFORE ACCOUNTS_LOCKOUT_KNOWN_USERS_PERIOD ACCOUNTS_LOCKOUT_KNOWN_USERS_FAILURE_WINDOW ACCOUNTS_LOCKOUT_UNKNOWN_USERS_FAILURES_BERORE ACCOUNTS_LOCKOUT_UNKNOWN_USERS_LOCKOUT_PERIOD ACCOUNTS_LOCKOUT_UNKNOWN_USERS_FAILURE_WINDOW EMAIL_NOTIFICATION_TIMEOUT CORS MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT OAUTH2_ID_MAP OAUTH2_USERNAME_MAP OAUTH2_FULLNAME_MAP OAUTH2_EMAIL_MAP LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_FULLNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN LDAP_EMAIL_MATCH_ENABLE LDAP_EMAIL_MATCH_REQUIRE LDAP_EMAIL_MATCH_VERIFIED LDAP_EMAIL_FIELD LDAP_SYNC_ADMIN_STATUS LDAP_SYNC_ADMIN_GROUPS HEADER_LOGIN_ID HEADER_LOGIN_FIRSTNAME HEADER_LOGIN_LASTNAME HEADER_LOGIN_EMAIL LOGOUT_WITH_TIMER LOGOUT_IN LOGOUT_ON_HOURS LOGOUT_ON_MINUTES DEFAULT_AUTHENTICATION_METHOD" +keys="DEBUG MONGODB_BIND_UNIX_SOCKET MONGODB_BIND_IP MONGODB_PORT MAIL_URL MAIL_FROM ROOT_URL PORT DISABLE_MONGODB CADDY_ENABLED CADDY_BIND_PORT WITH_API ACCOUNTS_LOCKOUT_KNOWN_USERS_FAILURES_BEFORE ACCOUNTS_LOCKOUT_KNOWN_USERS_PERIOD ACCOUNTS_LOCKOUT_KNOWN_USERS_FAILURE_WINDOW ACCOUNTS_LOCKOUT_UNKNOWN_USERS_FAILURES_BERORE ACCOUNTS_LOCKOUT_UNKNOWN_USERS_LOCKOUT_PERIOD ACCOUNTS_LOCKOUT_UNKNOWN_USERS_FAILURE_WINDOW EMAIL_NOTIFICATION_TIMEOUT CORS MATOMO_ADDRESS MATOMO_SITE_ID MATOMO_DO_NOT_TRACK MATOMO_WITH_USERNAME BROWSER_POLICY_ENABLED TRUSTED_URL WEBHOOKS_ATTRIBUTES OAUTH2_ENABLED OAUTH2_LOGIN_STYLE OAUTH2_CLIENT_ID OAUTH2_SECRET OAUTH2_SERVER_URL OAUTH2_AUTH_ENDPOINT OAUTH2_USERINFO_ENDPOINT OAUTH2_TOKEN_ENDPOINT OAUTH2_ID_MAP OAUTH2_USERNAME_MAP OAUTH2_FULLNAME_MAP OAUTH2_EMAIL_MAP LDAP_ENABLE LDAP_PORT LDAP_HOST LDAP_BASEDN LDAP_LOGIN_FALLBACK LDAP_RECONNECT LDAP_TIMEOUT LDAP_IDLE_TIMEOUT LDAP_CONNECT_TIMEOUT LDAP_AUTHENTIFICATION LDAP_AUTHENTIFICATION_USERDN LDAP_AUTHENTIFICATION_PASSWORD LDAP_LOG_ENABLED LDAP_BACKGROUND_SYNC LDAP_BACKGROUND_SYNC_INTERVAL LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS LDAP_ENCRYPTION LDAP_CA_CERT LDAP_REJECT_UNAUTHORIZED LDAP_USER_SEARCH_FILTER LDAP_USER_SEARCH_SCOPE LDAP_USER_SEARCH_FIELD LDAP_SEARCH_PAGE_SIZE LDAP_SEARCH_SIZE_LIMIT LDAP_GROUP_FILTER_ENABLE LDAP_GROUP_FILTER_OBJECTCLASS LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT LDAP_GROUP_FILTER_GROUP_NAME LDAP_UNIQUE_IDENTIFIER_FIELD LDAP_UTF8_NAMES_SLUGIFY LDAP_USERNAME_FIELD LDAP_FULLNAME_FIELD LDAP_MERGE_EXISTING_USERS LDAP_SYNC_USER_DATA LDAP_SYNC_USER_DATA_FIELDMAP LDAP_SYNC_GROUP_ROLES LDAP_DEFAULT_DOMAIN LDAP_EMAIL_MATCH_ENABLE LDAP_EMAIL_MATCH_REQUIRE LDAP_EMAIL_MATCH_VERIFIED LDAP_EMAIL_FIELD LDAP_SYNC_ADMIN_STATUS LDAP_SYNC_ADMIN_GROUPS HEADER_LOGIN_ID HEADER_LOGIN_FIRSTNAME HEADER_LOGIN_LASTNAME HEADER_LOGIN_EMAIL LOGOUT_WITH_TIMER LOGOUT_IN LOGOUT_ON_HOURS LOGOUT_ON_MINUTES DEFAULT_AUTHENTICATION_METHOD" # default values DESCRIPTION_DEBUG="Debug OIDC OAuth2 etc. Example: sudo snap set wekan debug='true'" @@ -122,6 +122,10 @@ DESCRIPTION_OAUTH2_ENABLED="Enable the OAuth2 connection" DEFAULT_OAUTH2_ENABLED="false" KEY_OAUTH2_ENABLED="oauth2-enabled" +DESCRIPTION_OAUTH2_LOGIN_STYLE="OAuth2 login style: popup or redirect. Default: redirect" +DEFAULT_OAUTH2_LOGIN_STYLE="redirect" +KEY_OAUTH2_LOGIN_STYLE="oauth2-login-style" + DESCRIPTION_OAUTH2_CLIENT_ID="OAuth2 Client ID, for example from Rocket.Chat. Example: abcde12345" DEFAULT_OAUTH2_CLIENT_ID="" KEY_OAUTH2_CLIENT_ID="oauth2-client-id" diff --git a/snap-src/bin/wekan-help b/snap-src/bin/wekan-help index 55e4037b..d1eeaccd 100755 --- a/snap-src/bin/wekan-help +++ b/snap-src/bin/wekan-help @@ -94,6 +94,12 @@ echo -e "\t$ snap set $SNAP_NAME oauth2-client-id='54321abcde'" echo -e "\t-Disable the OAuth2 Client ID of Wekan:" echo -e "\t$ snap set $SNAP_NAME oauth2-client-id=''" echo -e "\n" +echo -e "OAuth2 login style: popup or redirect. Default: redirect" +echo -e "To enable the OAuth2 login style popup of Wekan:" +echo -e "\t$ snap set $SNAP_NAME oauth2-login-style='popup'" +echo -e "\t-Disable the OAuth2 login style popup of Wekan:" +echo -e "\t$ snap set $SNAP_NAME oauth2-login-style='redirect'" +echo -e "\n" echo -e "OAuth2 Secret." echo -e "To enable the OAuth2 Secret of Wekan:" echo -e "\t$ snap set $SNAP_NAME oauth2-secret='54321abcde'" diff --git a/start-wekan.bat b/start-wekan.bat index 6cf481c3..cd56af28 100755 --- a/start-wekan.bat +++ b/start-wekan.bat @@ -1,5 +1,12 @@ REM ------------------------------------------------------------ +REM NOTE: THIS .BAT DOES NOT WORK !! +REM Use instead this webpage instructions to build on Windows: +REM https://github.com/wekan/wekan/wiki/Install-Wekan-from-source-on-Windows +REM Please add fix PRs, like config of MongoDB etc. + +REM ------------------------------------------------------------ + REM # Debug OIDC OAuth2 etc. REM SET DEBUG=true diff --git a/start-wekan.sh b/start-wekan.sh index a791944e..4e7f930c 100755 --- a/start-wekan.sh +++ b/start-wekan.sh @@ -89,6 +89,9 @@ function wekan_repo_check(){ # 2) Configure the environment variables. This differs slightly # by installation type, but make sure you have the following: #export OAUTH2_ENABLED=true + # OAuth2 docs: https://github.com/wekan/wekan/wiki/OAuth2 + # OAuth2 login style: popup or redirect. + #export OAUTH2_LOGIN_STYLE=redirect # Application GUID captured during app registration: #export OAUTH2_CLIENT_ID=xxxxxx-xxxx-xxxx-xxxx-xxxxxxxxxxx # Secret key generated during app registration: @@ -109,6 +112,8 @@ function wekan_repo_check(){ # ==== OAUTH2 KEYCLOAK ==== # https://github.com/wekan/wekan/wiki/Keycloak <== MAPPING INFO, REQUIRED #export OAUTH2_ENABLED=true + # OAuth2 login style: popup or redirect. + #export OAUTH2_LOGIN_STYLE=redirect #export OAUTH2_CLIENT_ID= #export OAUTH2_SERVER_URL=/auth #export OAUTH2_AUTH_ENDPOINT=/realms//protocol/openid-connect/auth @@ -117,11 +122,13 @@ function wekan_repo_check(){ #export OAUTH2_SECRET= #----------------------------------------------------------------- # ==== OAUTH2 DOORKEEPER ==== + # OAuth2 docs: https://github.com/wekan/wekan/wiki/OAuth2 # https://github.com/wekan/wekan/issues/1874 # https://github.com/wekan/wekan/wiki/OAuth2 # Enable the OAuth2 connection #export OAUTH2_ENABLED=true - # OAuth2 docs: https://github.com/wekan/wekan/wiki/OAuth2 + # OAuth2 login style: popup or redirect. + #export OAUTH2_LOGIN_STYLE=redirect # OAuth2 Client ID. #export OAUTH2_CLIENT_ID=abcde12345 # OAuth2 Secret. -- cgit v1.2.3-1-g7c22 From d173844f98be245d596af5c9caa1aca89667940f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 21 Mar 2019 21:41:18 +0200 Subject: OAUTH2_LOGIN_STYLE popup or redirect, part 2 and 3. --- CHANGELOG.md | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 036d0c37..6ace7368 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -5,7 +5,9 @@ This release adds the following new features: - [More whitelabeling: Hide Wekan logo and title by default, and don't show separate option to hide logo at Admin Panel/Layout](https://github.com/wekan/wekan/commit/2969161afbe60a1aa2e7da6cedc3ab48941faf3e). Thanks to xet7. -- [Add option to redirect OIDC OAuth2 login](https://github.com/wekan/wekan-ldap/commit/82a894ac20ba9e7c6fdf053cff1721cab709bf8a). +- Add option to redirect OIDC OAuth2 login [part1](https://github.com/wekan/wekan-ldap/commit/82a894ac20ba9e7c6fdf053cff1721cab709bf8a), + [part 2](https://github.com/wekan/wekan-ldap/commit/36900cc360d0d406f8fba5e43378f85c92747870) and + [part3](https://github.com/wekan/wekan/commit/7919ae362866c0cacf2a486bf91b12e4d25807d7). Thanks to xet7. and fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 506acda70b5e78737c52455e5eee9c8758243196 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 21 Mar 2019 22:22:46 +0200 Subject: - Add LDAP config example, remove extra text. Thanks to xet7 ! --- docker-compose.yml | 187 ++++++++++++++++++++--------------------------------- 1 file changed, 70 insertions(+), 117 deletions(-) diff --git a/docker-compose.yml b/docker-compose.yml index 83fc0ac2..b8089e20 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -90,11 +90,11 @@ services: wekandb: #------------------------------------------------------------------------------------- # ==== MONGODB AND METEOR VERSION ==== - # a) CURRENTLY BROKEN: For Wekan Meteor 1.8.x version at meteor-1.8 branch, use mongo 4.x - # image: mongo:4.0.4 + # a) For Wekan Meteor 1.8.x version at meteor-1.8 branch, use mongo 4.x + image: mongo:4.0.4 # b) For Wekan Meteor 1.6.x version at master/devel/edge branches. # Only for Snap and Sandstorm while they are not upgraded yet to Meteor 1.8.x - image: mongo:3.2.21 + #image: mongo:3.2.21 #------------------------------------------------------------------------------------- container_name: wekan-db restart: always @@ -110,12 +110,12 @@ services: wekan: #------------------------------------------------------------------------------------- # ==== MONGODB AND METEOR VERSION ==== - # a) CURRENTLY BROKEN: For Wekan Meteor 1.8.x version at meteor-1.8 branch, + # a) For Wekan Meteor 1.8.x version at meteor-1.8 branch, # using https://quay.io/wekan/wekan automatic builds - # image: quay.io/wekan/wekan:meteor-1.8 + image: quay.io/wekan/wekan:meteor-1.8 # b) For Wekan Meteor 1.6.x version at master/devel/edge branches. # Only for Snap and Sandstorm while they are not upgraded yet to Meteor 1.8.x - image: quay.io/wekan/wekan + #image: quay.io/wekan/wekan # c) Using specific Meteor 1.6.x version tag: # image: quay.io/wekan/wekan:v1.95 # c) Using Docker Hub automatic builds https://hub.docker.com/r/wekanteam/wekan @@ -169,8 +169,9 @@ services: # For SSL in email, change smtp:// to smtps:// # NOTE: Special characters need to be url-encoded in MAIL_URL. # You can encode those characters for example at: https://www.urlencoder.org - - MAIL_URL=smtp://user:pass@mailserver.example.com:25/ - - MAIL_FROM='Example Wekan Support ' + #- MAIL_URL=smtp://user:pass@mailserver.example.com:25/ + - MAIL_URL='smtp://:25/?ignoreTLS=true&tls={rejectUnauthorized:false}' + - MAIL_FROM='Wekan Notifications ' #--------------------------------------------------------------- # ==== OPTIONAL: MONGO OPLOG SETTINGS ===== # https://github.com/wekan/wekan-mongodb/issues/2#issuecomment-378343587 @@ -332,191 +333,137 @@ services: # OAuth2 Email Mapping #- OAUTH2_EMAIL_MAP= #----------------------------------------------------------------- - # ==== LDAP ==== + # ==== LDAP: UNCOMMENT ALL TO ENABLE LDAP ==== # https://github.com/wekan/wekan/wiki/LDAP # For Snap settings see https://github.com/wekan/wekan-snap/wiki/Supported-settings-keys # Most settings work both on Snap and Docker below. # Note: Do not add single quotes '' to variables. Having spaces still works without quotes where required. # - # DEFAULT_AUTHENTICATION_METHOD : The default authentication method used if a user does not exist to create and authenticate. Can be set as ldap. - # example : DEFAULT_AUTHENTICATION_METHOD=ldap - #- DEFAULT_AUTHENTICATION_METHOD= + # The default authentication method used if a user does not exist to create and authenticate. Can be set as ldap. + #- DEFAULT_AUTHENTICATION_METHOD=ldap # - # LDAP_ENABLE : Enable or not the connection by the LDAP - # example : LDAP_ENABLE=true - #- LDAP_ENABLE=false + # Enable or not the connection by the LDAP + #- LDAP_ENABLE=true # - # LDAP_PORT : The port of the LDAP server - # example : LDAP_PORT=389 + # The port of the LDAP server #- LDAP_PORT=389 # - # LDAP_HOST : The host server for the LDAP server - # example : LDAP_HOST=localhost - #- LDAP_HOST= + # The host server for the LDAP server + #- LDAP_HOST=localhost # - # LDAP_BASEDN : The base DN for the LDAP Tree - # example : LDAP_BASEDN=ou=user,dc=example,dc=org - #- LDAP_BASEDN= + # The base DN for the LDAP Tree + #- LDAP_BASEDN=ou=user,dc=example,dc=org # - # LDAP_LOGIN_FALLBACK : Fallback on the default authentication method - # example : LDAP_LOGIN_FALLBACK=true + # Fallback on the default authentication method #- LDAP_LOGIN_FALLBACK=false # - # LDAP_RECONNECT : Reconnect to the server if the connection is lost - # example : LDAP_RECONNECT=false + # Reconnect to the server if the connection is lost #- LDAP_RECONNECT=true # - # LDAP_TIMEOUT : Overall timeout, in milliseconds - # example : LDAP_TIMEOUT=12345 + # Overall timeout, in milliseconds #- LDAP_TIMEOUT=10000 # - # LDAP_IDLE_TIMEOUT : Specifies the timeout for idle LDAP connections in milliseconds - # example : LDAP_IDLE_TIMEOUT=12345 + # Specifies the timeout for idle LDAP connections in milliseconds #- LDAP_IDLE_TIMEOUT=10000 # - # LDAP_CONNECT_TIMEOUT : Connection timeout, in milliseconds - # example : LDAP_CONNECT_TIMEOUT=12345 + # Connection timeout, in milliseconds #- LDAP_CONNECT_TIMEOUT=10000 # - # LDAP_AUTHENTIFICATION : If the LDAP needs a user account to search - # example : LDAP_AUTHENTIFICATION=true - #- LDAP_AUTHENTIFICATION=false + # If the LDAP needs a user account to search + #- LDAP_AUTHENTIFICATION=true # - # LDAP_AUTHENTIFICATION_USERDN : The search user DN - # example : LDAP_AUTHENTIFICATION_USERDN=cn=admin,dc=example,dc=org - #- LDAP_AUTHENTIFICATION_USERDN= + # The search user DN + #- LDAP_AUTHENTIFICATION_USERDN=cn=wekan_adm,ou=serviceaccounts,ou=admin,ou=prod,dc=mydomain,dc=com # - # LDAP_AUTHENTIFICATION_PASSWORD : The password for the search user - # example : AUTHENTIFICATION_PASSWORD=admin - #- LDAP_AUTHENTIFICATION_PASSWORD= + # The password for the search user + #- LDAP_AUTHENTIFICATION_PASSWORD=pwd # - # LDAP_LOG_ENABLED : Enable logs for the module - # example : LDAP_LOG_ENABLED=true - #- LDAP_LOG_ENABLED=false + # Enable logs for the module + #- LDAP_LOG_ENABLED=true # - # LDAP_BACKGROUND_SYNC : If the sync of the users should be done in the background - # example : LDAP_BACKGROUND_SYNC=true + # If the sync of the users should be done in the background #- LDAP_BACKGROUND_SYNC=false # - # LDAP_BACKGROUND_SYNC_INTERVAL : At which interval does the background task sync in milliseconds - # example : LDAP_BACKGROUND_SYNC_INTERVAL=12345 + # At which interval does the background task sync in milliseconds #- LDAP_BACKGROUND_SYNC_INTERVAL=100 # - # LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED : - # example : LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=true #- LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=false # - # LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS : - # example : LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=true #- LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=false # - # LDAP_ENCRYPTION : If using LDAPS - # example : LDAP_ENCRYPTION=ssl + # If using LDAPS: LDAP_ENCRYPTION=ssl #- LDAP_ENCRYPTION=false # - # LDAP_CA_CERT : The certification for the LDAPS server. Certificate needs to be included in this docker-compose.yml file. - # example : LDAP_CA_CERT=-----BEGIN CERTIFICATE-----MIIE+zCCA+OgAwIBAgIkAhwR/6TVLmdRY6hHxvUFWc0+Enmu/Hu6cj+G2FIdAgIC...-----END CERTIFICATE----- - #- LDAP_CA_CERT= + # The certification for the LDAPS server. Certificate needs to be included in this docker-compose.yml file. + #- LDAP_CA_CERT=-----BEGIN CERTIFICATE-----MIIE+G2FIdAgIC...-----END CERTIFICATE----- # - # LDAP_REJECT_UNAUTHORIZED : Reject Unauthorized Certificate - # example : LDAP_REJECT_UNAUTHORIZED=true + # Reject Unauthorized Certificate #- LDAP_REJECT_UNAUTHORIZED=false # - # LDAP_USER_SEARCH_FILTER : Optional extra LDAP filters. Don't forget the outmost enclosing parentheses if needed - # example : LDAP_USER_SEARCH_FILTER= + # Optional extra LDAP filters. Don't forget the outmost enclosing parentheses if needed #- LDAP_USER_SEARCH_FILTER= # - # LDAP_USER_SEARCH_SCOPE : base (search only in the provided DN), one (search only in the provided DN and one level deep), or sub (search the whole subtree) - # example : LDAP_USER_SEARCH_SCOPE=one - #- LDAP_USER_SEARCH_SCOPE= + # base (search only in the provided DN), one (search only in the provided DN and one level deep), or sub (search the whole subtree) + #- LDAP_USER_SEARCH_SCOPE=one # - # LDAP_USER_SEARCH_FIELD : Which field is used to find the user - # example : LDAP_USER_SEARCH_FIELD=uid - #- LDAP_USER_SEARCH_FIELD= + # Which field is used to find the user, like uid / sAMAccountName + #- LDAP_USER_SEARCH_FIELD=sAMAccountName # - # LDAP_SEARCH_PAGE_SIZE : Used for pagination (0=unlimited) - # example : LDAP_SEARCH_PAGE_SIZE=12345 + # Used for pagination (0=unlimited) #- LDAP_SEARCH_PAGE_SIZE=0 # - # LDAP_SEARCH_SIZE_LIMIT : The limit number of entries (0=unlimited) - # example : LDAP_SEARCH_SIZE_LIMIT=12345 + # The limit number of entries (0=unlimited) #- LDAP_SEARCH_SIZE_LIMIT=0 # - # LDAP_GROUP_FILTER_ENABLE : Enable group filtering - # example : LDAP_GROUP_FILTER_ENABLE=true + # Enable group filtering #- LDAP_GROUP_FILTER_ENABLE=false # - # LDAP_GROUP_FILTER_OBJECTCLASS : The object class for filtering - # example : LDAP_GROUP_FILTER_OBJECTCLASS=group + # The object class for filtering. Example: group #- LDAP_GROUP_FILTER_OBJECTCLASS= # - # LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE : - # example : #- LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE= # - # LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE : - # example : #- LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE= # - # LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT : - # example : #- LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT= # - # LDAP_GROUP_FILTER_GROUP_NAME : - # example : #- LDAP_GROUP_FILTER_GROUP_NAME= # - # LDAP_UNIQUE_IDENTIFIER_FIELD : This field is sometimes class GUID (Globally Unique Identifier) - # example : LDAP_UNIQUE_IDENTIFIER_FIELD=guid + # LDAP_UNIQUE_IDENTIFIER_FIELD : This field is sometimes class GUID (Globally Unique Identifier). Example: guid #- LDAP_UNIQUE_IDENTIFIER_FIELD= # # LDAP_UTF8_NAMES_SLUGIFY : Convert the username to utf8 - # example : LDAP_UTF8_NAMES_SLUGIFY=false #- LDAP_UTF8_NAMES_SLUGIFY=true # - # LDAP_USERNAME_FIELD : Which field contains the ldap username - # example : LDAP_USERNAME_FIELD=username - #- LDAP_USERNAME_FIELD= + # LDAP_USERNAME_FIELD : Which field contains the ldap username. username / sAMAccountName + #- LDAP_USERNAME_FIELD=sAMAccountName # - # LDAP_FULLNAME_FIELD : Which field contains the ldap fullname - # example : LDAP_FULLNAME_FIELD=fullname - #- LDAP_FULLNAME_FIELD= + # LDAP_FULLNAME_FIELD : Which field contains the ldap fullname. fullname / sAMAccountName + #- LDAP_FULLNAME_FIELD=fullname # - # LDAP_MERGE_EXISTING_USERS : - # example : LDAP_MERGE_EXISTING_USERS=true #- LDAP_MERGE_EXISTING_USERS=false # - # LDAP_EMAIL_MATCH_ENABLE : allow existing account matching by e-mail address when username does not match - # example: LDAP_EMAIL_MATCH_ENABLE=true - #- LDAP_EMAIL_MATCH_ENABLE=false + # Allow existing account matching by e-mail address when username does not match + #- LDAP_EMAIL_MATCH_ENABLE=true # # LDAP_EMAIL_MATCH_REQUIRE : require existing account matching by e-mail address when username does match - # example: LDAP_EMAIL_MATCH_REQUIRE=true - #- LDAP_EMAIL_MATCH_REQUIRE=false + #- LDAP_EMAIL_MATCH_REQUIRE=true # # LDAP_EMAIL_MATCH_VERIFIED : require existing account email address to be verified for matching - # example: LDAP_EMAIL_MATCH_VERIFIED=true - #- LDAP_EMAIL_MATCH_VERIFIED=false + #- LDAP_EMAIL_MATCH_VERIFIED=true # # LDAP_EMAIL_FIELD : which field contains the LDAP e-mail address - # example: LDAP_EMAIL_FIELD=mail - #- LDAP_EMAIL_FIELD= + #- LDAP_EMAIL_FIELD=mail #----------------------------------------------------------------- - # LDAP_SYNC_USER_DATA : - # example : LDAP_SYNC_USER_DATA=true #- LDAP_SYNC_USER_DATA=false # - # LDAP_SYNC_USER_DATA_FIELDMAP : - # example : LDAP_SYNC_USER_DATA_FIELDMAP={"cn":"name", "mail":"email"} - #- LDAP_SYNC_USER_DATA_FIELDMAP= + #- LDAP_SYNC_USER_DATA_FIELDMAP={"cn":"name", "mail":"email"} # - # LDAP_SYNC_GROUP_ROLES : - # example : - #- LDAP_SYNC_GROUP_ROLES= + #- LDAP_SYNC_GROUP_ROLES='' # - # LDAP_DEFAULT_DOMAIN : The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP + # The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP # example : - #- LDAP_DEFAULT_DOMAIN= + #- LDAP_DEFAULT_DOMAIN=mydomain.com # # Enable/Disable syncing of admin status based on ldap groups: #- LDAP_SYNC_ADMIN_STATUS=true @@ -591,9 +538,15 @@ services: # - 80:80 # - 443:443 # volumes: -# - ./nginx/ssl:/etc/nginx/ssl/ -# - ./nginx/nginx.conf:/etc/nginx/nginx.conf - +# - ./nginx/ssl:/etc/nginx/ssl/:ro +# - ./nginx/nginx.conf:/etc/nginx/nginx.conf:ro +## Alternative volume config: +## volumes: +## - ./nginx/nginx.conf:/etc/nginx/conf.d/default.conf:ro +## - ./nginx/ssl/ssl.conf:/etc/nginx/conf.d/ssl/ssl.conf:ro +## - ./nginx/ssl/testvm-ehu.crt:/etc/nginx/conf.d/ssl/certs/mycert.crt:ro +## - ./nginx/ssl/testvm-ehu.key:/etc/nginx/conf.d/ssl/certs/mykey.key:ro +## - ./nginx/ssl/pphrase:/etc/nginx/conf.d/ssl/pphrase:ro volumes: wekan-db: -- cgit v1.2.3-1-g7c22 From ded430c15567624164264f27ea49488bf5072c41 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 21 Mar 2019 22:24:35 +0200 Subject: - [Add LDAP config example, remove extra text](https://github.com/wekan/wekan/commit/506acda70b5e78737c52455e5eee9c8758243196). Thanks to xet7 ! --- CHANGELOG.md | 2 ++ 1 file changed, 2 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 6ace7368..0742476a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -9,6 +9,8 @@ This release adds the following new features: [part 2](https://github.com/wekan/wekan-ldap/commit/36900cc360d0d406f8fba5e43378f85c92747870) and [part3](https://github.com/wekan/wekan/commit/7919ae362866c0cacf2a486bf91b12e4d25807d7). Thanks to xet7. +- [Add LDAP config example, remove extra text](https://github.com/wekan/wekan/commit/506acda70b5e78737c52455e5eee9c8758243196). + Thanks to xet7. and fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 19ab7db23994234578ff0b8c5724c34cd58bf3a3 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 21 Mar 2019 22:34:41 +0200 Subject: Add vanila community link. --- README.md | 7 +++---- 1 file changed, 3 insertions(+), 4 deletions(-) diff --git a/README.md b/README.md index cee7f49d..075cda82 100644 --- a/README.md +++ b/README.md @@ -22,9 +22,8 @@ It's better than at chat where details get lost when chat scrolls up. ## Chat -[![Wekan Vanila Chat][vanila_badge]][vanila_chat] - Most Wekan community and developers are here at #wekan chat channel. -Use webbrowser to register, and after that you can also alternatively use mobile app Rocket.Chat by Rocket.Chat with -address https://chat.vanila.io and same username and password. +[![Wekan Chat][vanila_badge]][wekan_chat] - Most Wekan community and developers are here. Works on webbrowser +and PWA app that can be added as icon on Android and bookmark on iOS, used like native app. [Wekan IRC FAQ](https://github.com/wekan/wekan/wiki/IRC-FAQ) @@ -133,4 +132,4 @@ with [Meteor](https://www.meteor.com). [open_source]: https://en.wikipedia.org/wiki/Open-source_software [free_software]: https://en.wikipedia.org/wiki/Free_software [vanila_badge]: https://vanila.io/img/join-chat-button2.png -[vanila_chat]: https://chat.vanila.io/channel/wekan +[wekan_chat]: https://community.vanila.io/wekan -- cgit v1.2.3-1-g7c22 From 1a26f9fb82360147ff1a8b6d625c32405536c27c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 21 Mar 2019 22:35:13 +0200 Subject: Update translations. --- i18n/de.i18n.json | 2 +- i18n/es.i18n.json | 10 +++++----- i18n/pt-BR.i18n.json | 6 +++--- 3 files changed, 9 insertions(+), 9 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 7cd03223..7da9535d 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "importiert Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ in Board __board__ ", "act-importList": "importiert Liste __list__ bei Swimlane __swimlane__ in Board __board__ ", "act-joinMember": "fügt Mitglied __member__ der Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__ hinzu", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "Auf Board __board__ Mitglied __member__ verschiebt Karte __card__ von Liste __oldList__ auf Swimlane __oldSwimlane__ zu Liste __list__ in Swimlane __swimlane__ zu Board __board__", "act-moveCardToOtherBoard": "verschiebt Karte __card__ von Liste __oldList__ von Swimlane __oldSwimlane__ von Board __oldBoard__ nach Liste __list__ in Swimlane __swimlane__ zu Board __board__", "act-removeBoardMember": "entfernte Mitglied __member__ vom Board __board__", "act-restoredCard": "wiederherstellte Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index c34e5c98..663e01ce 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "importada la tarjeta __card__ a la lista __list__ del carrril __swimlane__ del tablero __board__", "act-importList": "importada la lista __list__ al carril __swimlane__ del tablero __board__", "act-joinMember": "añadido el miembro __member__ a la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "En el tablero __board__, el miembro __member__ ha movido la tarjeta __card__ de la lista __oldList__ del carril __oldSwimlane__ a la lista __list__ del carril __swimlane__", "act-moveCardToOtherBoard": "movida la tarjeta __card__ de la lista __oldList__ del carril __oldSwimlane__ del tablero __oldBoard__ a la lista __list__ del carril __swimlane__ del tablero __board__", "act-removeBoardMember": "eliminado el miembro __member__ del tablero __board__", "act-restoredCard": "restaurada la tarjeta __card__ a la lista __list__ del carril __swimlane__ del tablero __board__", @@ -418,8 +418,8 @@ "search-cards": "Buscar entre los títulos y las descripciones de las tarjetas en este tablero.", "search-example": "¿Texto a buscar?", "select-color": "Seleccionar el color", - "set-wip-limit-value": "Fija un límite para el número máximo de tareas en esta lista.", - "setWipLimitPopup-title": "Fija el límite del trabajo en proceso", + "set-wip-limit-value": "Cambiar el límite para el número máximo de tareas en esta lista.", + "setWipLimitPopup-title": "Cambiar el límite del trabajo en proceso", "shortcut-assign-self": "Asignarte a ti mismo a la tarjeta actual", "shortcut-autocomplete-emoji": "Autocompletar emoji", "shortcut-autocomplete-members": "Autocompletar miembros", @@ -568,8 +568,8 @@ "activity-added-label-card": "añadida etiqueta '%s'", "activity-removed-label-card": "eliminada etiqueta '%s'", "activity-delete-attach-card": "eliminado un adjunto", - "activity-set-customfield": "set custom field '%s' to '%s' in %s", - "activity-unset-customfield": "unset custom field '%s' in %s", + "activity-set-customfield": "Cambiar el campo personalizado '%s' a '%s' en %s", + "activity-unset-customfield": "Desmarcar el campo personalizado '%s' en %s", "r-rule": "Regla", "r-add-trigger": "Añadir disparador", "r-add-action": "Añadir acción", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index ce557741..d0df9223 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "importado cartão __card__ para lista __list__ em raia __swimlane__ no quadro __board__", "act-importList": "importada lista __list__ para raia __swimlane__ no quadro __board__", "act-joinMember": "adicionado membro __member__ ao cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "O membro __member__ moveu o cartão __card__ na raia __oldSwimlane__ da lista __oldList__ para a raia __swimlane__ na lista __list__ do quadro __board__", "act-moveCardToOtherBoard": "movido cartão __card__ da lista __oldList__ em raia __oldSwimlane__ no quadro __oldBoard__ para lista __list__ em raia __swimlane__ no quadro __board__", "act-removeBoardMember": "removido membro __member__ do quadro __board__", "act-restoredCard": "restaurado cartão __card__ a lista __list__ em raia __swimlane__ no quadro __board__", @@ -568,8 +568,8 @@ "activity-added-label-card": "adicionada etiqueta '%s'", "activity-removed-label-card": "removida etiqueta '%s'", "activity-delete-attach-card": "excluido um anexo", - "activity-set-customfield": "set custom field '%s' to '%s' in %s", - "activity-unset-customfield": "unset custom field '%s' in %s", + "activity-set-customfield": "definir campo personalizado '%s' para '%s' em %s", + "activity-unset-customfield": "redefinir campo personalizado '%s' em %s", "r-rule": "Regra", "r-add-trigger": "Adicionar gatilho", "r-add-action": "Adicionar ação", -- cgit v1.2.3-1-g7c22 From 57767d990636ac577e9f70ec61133d59c2876988 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 21 Mar 2019 23:48:36 +0200 Subject: Update translations. --- i18n/ar.i18n.json | 2 +- i18n/bg.i18n.json | 2 +- i18n/br.i18n.json | 2 +- i18n/ca.i18n.json | 2 +- i18n/cs.i18n.json | 2 +- i18n/da.i18n.json | 2 +- i18n/de.i18n.json | 2 +- i18n/el.i18n.json | 2 +- i18n/en-GB.i18n.json | 2 +- i18n/en.i18n.json | 2 +- i18n/eo.i18n.json | 2 +- i18n/es-AR.i18n.json | 2 +- i18n/es.i18n.json | 2 +- i18n/eu.i18n.json | 2 +- i18n/fa.i18n.json | 2 +- i18n/fi.i18n.json | 2 +- i18n/fr.i18n.json | 2 +- i18n/gl.i18n.json | 2 +- i18n/he.i18n.json | 2 +- i18n/hi.i18n.json | 2 +- i18n/hu.i18n.json | 2 +- i18n/hy.i18n.json | 2 +- i18n/id.i18n.json | 2 +- i18n/ig.i18n.json | 2 +- i18n/it.i18n.json | 2 +- i18n/ja.i18n.json | 2 +- i18n/ka.i18n.json | 2 +- i18n/km.i18n.json | 2 +- i18n/ko.i18n.json | 2 +- i18n/lv.i18n.json | 2 +- i18n/mk.i18n.json | 2 +- i18n/mn.i18n.json | 2 +- i18n/nb.i18n.json | 2 +- i18n/nl.i18n.json | 2 +- i18n/oc.i18n.json | 2 +- i18n/pl.i18n.json | 2 +- i18n/pt-BR.i18n.json | 2 +- i18n/pt.i18n.json | 2 +- i18n/ro.i18n.json | 2 +- i18n/ru.i18n.json | 2 +- i18n/sr.i18n.json | 2 +- i18n/sv.i18n.json | 2 +- i18n/sw.i18n.json | 2 +- i18n/ta.i18n.json | 2 +- i18n/th.i18n.json | 2 +- i18n/tr.i18n.json | 2 +- i18n/uk.i18n.json | 2 +- i18n/vi.i18n.json | 2 +- i18n/zh-CN.i18n.json | 2 +- i18n/zh-TW.i18n.json | 2 +- 50 files changed, 50 insertions(+), 50 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index d7b59046..12f6d9ba 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index f2ba6ffa..5831c521 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index b5597591..bcddb300 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 31ed76c3..5c7626e8 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index f1b6575e..8bcd0c1a 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "importoval(a) karta __card__ do sloupce __list__ ve swimlane __swimlane__ na tablu __board__", "act-importList": "importoval(a) sloupec __list__ do swimlane __swimlane__ na tablu __board__", "act-joinMember": "přidal(a) člena __member__ na kartu __card__ v seznamu __list__ ve swimlane __swimlane__ na tablu __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "přesunul(a) kartu __card__ ze sloupce __oldList__ ve swimlane __oldSwimlane__ na tablu __oldBoard__ do sloupce __list__ ve swimlane __swimlane__ na tablu __board__", "act-removeBoardMember": "odstranil(a) člena __member__ z tabla __board__", "act-restoredCard": "obnovil(a) kartu __card__ do sloupce __list__ ve swimlane __swimlane__ na tablu __board__", diff --git a/i18n/da.i18n.json b/i18n/da.i18n.json index a5bbe2eb..f11a24ec 100644 --- a/i18n/da.i18n.json +++ b/i18n/da.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 7da9535d..6b4af631 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "importiert Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ in Board __board__ ", "act-importList": "importiert Liste __list__ bei Swimlane __swimlane__ in Board __board__ ", "act-joinMember": "fügt Mitglied __member__ der Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__ hinzu", - "act-moveCard": "Auf Board __board__ Mitglied __member__ verschiebt Karte __card__ von Liste __oldList__ auf Swimlane __oldSwimlane__ zu Liste __list__ in Swimlane __swimlane__ zu Board __board__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "verschiebt Karte __card__ von Liste __oldList__ von Swimlane __oldSwimlane__ von Board __oldBoard__ nach Liste __list__ in Swimlane __swimlane__ zu Board __board__", "act-removeBoardMember": "entfernte Mitglied __member__ vom Board __board__", "act-restoredCard": "wiederherstellte Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 0b4da259..bb5f778f 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 16a81fcc..1f1fb67f 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 41d7cb48..009eed3b 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index 16f62524..9a1961cf 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index 68bb9339..86cb5cf8 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 663e01ce..df346cea 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "importada la tarjeta __card__ a la lista __list__ del carrril __swimlane__ del tablero __board__", "act-importList": "importada la lista __list__ al carril __swimlane__ del tablero __board__", "act-joinMember": "añadido el miembro __member__ a la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", - "act-moveCard": "En el tablero __board__, el miembro __member__ ha movido la tarjeta __card__ de la lista __oldList__ del carril __oldSwimlane__ a la lista __list__ del carril __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "movida la tarjeta __card__ de la lista __oldList__ del carril __oldSwimlane__ del tablero __oldBoard__ a la lista __list__ del carril __swimlane__ del tablero __board__", "act-removeBoardMember": "eliminado el miembro __member__ del tablero __board__", "act-restoredCard": "restaurada la tarjeta __card__ a la lista __list__ del carril __swimlane__ del tablero __board__", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index 26a55dc0..b5f0e0d0 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index f9a911c1..da466f7f 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 977952dc..a0cc3de0 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "tuotu kortti __card__ listalle __list__ swimlanella __swimlane__ taululla __board__", "act-importList": "tuotu lista __list__ swimlanelle __swimlane__ taululla __board__", "act-joinMember": "lisätty jäsen __member__ kortille __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", - "act-moveCard": "Taululla __board__ jäsen __member__ siirsi kortin __card__ listasta __oldList__ swimlanella __oldSwimlane__ taululla listalle __list__ swimlanella __swimlane__", + "act-moveCard": "siirsi kortin __card__ taululla __board__ listasta __oldList__ swimlanelta __oldSwimlane__ listalle __list__ swimlanelle __swimlane__", "act-moveCardToOtherBoard": "siirretty kortti __card__ listasta __oldList__ swimlanella __oldSwimlane__ taululla __oldBoard__ listalle __list__ swimlanella __swimlane__ taululla __board__", "act-removeBoardMember": "poistettu jäsen __member__ taululta __board__", "act-restoredCard": "palautettu kortti __card__ listalle __list__ swimlanella __swimlane__ taululla __board__", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 2229fb61..ce685738 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "a importé la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", "act-importList": "a importé la liste __list__ du couloir __swimlane__ du tableau __board__", "act-joinMember": "a ajouté le participant __member__ à la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "a déplacé la carte __card__ de la liste __oldList__ du couloir __oldSwimlane__ du tableau __oldBoard__ vers la liste __list__ du couloir __swimlane__ du tableau __board__", "act-removeBoardMember": "a supprimé le participant __member__ du tableau __board__", "act-restoredCard": "a restauré la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 2f992653..e719e317 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 5ebb41e8..ca06cb45 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "הייבוא של הכרטיס __card__ לרשימה __list__ למסלול __swimlane__ ללוח __board__ הושלם", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "החבר __member__ נוסף לכרטיס __card__ לרשימה __list__ במסלול __swimlane__ בלוח __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "הכרטיס __card__ הועבר מהרשימה __oldList__ במסלול __oldSwimlane__ בלוח __oldBoard__ לרשימה __list__ במסלול __swimlane__ בלוח __board__", "act-removeBoardMember": "החבר __member__ הוסר מהלוח __board__", "act-restoredCard": "הכרטיס __card__ שוחזר לרשימה __list__ למסלול __swimlane__ ללוח __board__", diff --git a/i18n/hi.i18n.json b/i18n/hi.i18n.json index 797c31b0..79c13b34 100644 --- a/i18n/hi.i18n.json +++ b/i18n/hi.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index e1084f3c..30de63ab 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index 611e2873..24879447 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index a786a61e..be3898f8 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index e1ea6421..44fba953 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 581da75c..73538dbc 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 2fda96b2..55d3f265 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index d8f8ddf4..8ea2fc93 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index 0ae08bab..453ae4f3 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index 1355031d..9751266d 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index c83fd41d..0dc05cd2 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/mk.i18n.json b/i18n/mk.i18n.json index 1a2f7db4..73322d5a 100644 --- a/i18n/mk.i18n.json +++ b/i18n/mk.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index 4df8f45e..11cfe4ed 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index e0be6e0c..2d8f4af2 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 4206b589..790b094b 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/oc.i18n.json b/i18n/oc.i18n.json index 942f4355..f5f2ae84 100644 --- a/i18n/oc.i18n.json +++ b/i18n/oc.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "as importat la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", "act-importList": "as importat la tièra __list__ del corredor __swimlane__ del tablèu __board__", "act-joinMember": "as apondut un participant __member__ a la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "as desplaçat la carta __card__ de la tièra __oldList__ del corredor __oldSwimlane__ del tablèu __oldBoard__ cap a la tièra __list__ del corredor __swimlane__ del tablèu __board__", "act-removeBoardMember": "as tirat lo participant __member__ del tablèu __board__", "act-restoredCard": "as restorat la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index be600dc6..ac7d0f4d 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "Zaimportowano kartę __card__ do listy __list__ na diagramie czynności __swimlane__ na tablicy __board__", "act-importList": "Zaimportowano listę __list__ na diagram czynności __swimlane__ do tablicy __board__", "act-joinMember": "Dodano użytkownika __member__ do karty __card__ na liście __list__ na diagramie czynności __swimlane__ na tablicy __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "Przeniesiono kartę __card__ z listy __oldList__ na diagramie czynności __oldSwimlane__ na tablicy __oldBoard__ do listy __listy__ na diagramie czynności __swimlane__ na tablicy __board__", "act-removeBoardMember": "Usunięto użytkownika __member__ z tablicy __board__", "act-restoredCard": "Przywrócono kartę __card__ na listę __list__ na diagram czynności__ na tablicy __board__", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index d0df9223..7a7264b5 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "importado cartão __card__ para lista __list__ em raia __swimlane__ no quadro __board__", "act-importList": "importada lista __list__ para raia __swimlane__ no quadro __board__", "act-joinMember": "adicionado membro __member__ ao cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", - "act-moveCard": "O membro __member__ moveu o cartão __card__ na raia __oldSwimlane__ da lista __oldList__ para a raia __swimlane__ na lista __list__ do quadro __board__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "movido cartão __card__ da lista __oldList__ em raia __oldSwimlane__ no quadro __oldBoard__ para lista __list__ em raia __swimlane__ no quadro __board__", "act-removeBoardMember": "removido membro __member__ do quadro __board__", "act-restoredCard": "restaurado cartão __card__ a lista __list__ em raia __swimlane__ no quadro __board__", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index c201cd72..70478aeb 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index b6cb23cd..4d2a3fe4 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 95997312..497e042f 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "импортировал карточку __card__ в список __list__ на дорожку __swimlane__ доски __board__", "act-importList": "импортировал список __list__ на дорожку __swimlane__ доски __board__", "act-joinMember": "добавил участника __member__ в карточку __card__ в списке __list__ на дорожке __swimlane__ доски __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "переместил карточку __card__ из списка __oldList__ с дорожки __oldSwimlane__ доски __oldBoard__ в список __list__ на дорожку __swimlane__ доски __board__", "act-removeBoardMember": "удалил участника __member__ с доски __board__", "act-restoredCard": "восстановил карточку __card__ в список __list__ на дорожку __swimlane__ доски __board__", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index 58ed8f94..dfebbcfa 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 0eca0afd..a3be3e94 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "importerade kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", "act-importList": "importerade lista __list__ i simbana __swimlane__ på tavla __board__", "act-joinMember": "la till medlem __member__ på kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "flyttade kort __card__ från lista __oldList__ i simbana __oldSwimlane__ på tavla __oldBoard__ till lista __list__ i simbana __swimlane__ på tavla __board__", "act-removeBoardMember": "borttagen medlem __member__  från tavla __board__", "act-restoredCard": "återställde kort __card__ till lista __lis__ i simbana __swimlane__ på tavla __board__", diff --git a/i18n/sw.i18n.json b/i18n/sw.i18n.json index 7ffc8d74..72322032 100644 --- a/i18n/sw.i18n.json +++ b/i18n/sw.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index e6954dc9..61402cab 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index af2b3037..2b7816b1 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index c3d9b960..a9967203 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 637920c7..57a3703f 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index f1d11d21..8bdf6deb 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index e842378b..e2bb66c1 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index fbc006e4..6c5f194c 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "At board __board__ member __member__ moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", "act-removeBoardMember": "removed member __member__ from board __board__", "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", -- cgit v1.2.3-1-g7c22 From c2593241854018d578fa2ff81a55c5fb78f4562f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 21 Mar 2019 23:58:58 +0200 Subject: Fix cloning repos. --- releases/rebuild-wekan.sh | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/releases/rebuild-wekan.sh b/releases/rebuild-wekan.sh index ed439696..bee5a228 100755 --- a/releases/rebuild-wekan.sh +++ b/releases/rebuild-wekan.sh @@ -94,6 +94,11 @@ do git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git + git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-oidc.git + mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan_accounts-oidc + mv meteor-accounts-oidc/packages/switch_oidc wekan_oidc + rm -rf meteor-accounts-oidc + if [[ "$OSTYPE" == "darwin"* ]]; then echo "sed at macOS"; sed -i '' 's/api\.versionsFrom/\/\/api.versionsFrom/' ~/repos/wekan/packages/meteor-useraccounts-core/package.js -- cgit v1.2.3-1-g7c22 From 0363e6f122f400430c616962ef129354e34ae0b6 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 22 Mar 2019 01:35:53 +0200 Subject: Remove extra title quotes, so that Custom Product Name comes visible. Thanks to xet7 ! --- client/components/main/layouts.jade | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/components/main/layouts.jade b/client/components/main/layouts.jade index 0d39ed37..9908f12e 100644 --- a/client/components/main/layouts.jade +++ b/client/components/main/layouts.jade @@ -1,5 +1,5 @@ head - title "" + title meta(name="viewport" content="maximum-scale=1.0,width=device-width,initial-scale=1.0,user-scalable=0") meta(http-equiv="X-UA-Compatible" content="IE=edge") -- cgit v1.2.3-1-g7c22 From 169301fa18d2b8c1291938605b098e743e0ab311 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 22 Mar 2019 09:25:18 +0200 Subject: Update translations. --- i18n/de.i18n.json | 2 +- i18n/he.i18n.json | 18 ++++++++--------- i18n/zh-CN.i18n.json | 56 ++++++++++++++++++++++++++-------------------------- 3 files changed, 38 insertions(+), 38 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 6b4af631..df768ad4 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "importiert Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ in Board __board__ ", "act-importList": "importiert Liste __list__ bei Swimlane __swimlane__ in Board __board__ ", "act-joinMember": "fügt Mitglied __member__ der Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__ hinzu", - "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "verschiebt Karte __card__ auf Board __board__ von Liste __oldList__ in Swimlane __oldSwimlane__ zu Liste __list__ in Swimlane __swimlane__", "act-moveCardToOtherBoard": "verschiebt Karte __card__ von Liste __oldList__ von Swimlane __oldSwimlane__ von Board __oldBoard__ nach Liste __list__ in Swimlane __swimlane__ zu Board __board__", "act-removeBoardMember": "entfernte Mitglied __member__ vom Board __board__", "act-restoredCard": "wiederherstellte Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index ca06cb45..4822507a 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -1,11 +1,11 @@ { "accept": "אישור", "act-activity-notify": "הודעת פעילות", - "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addAttachment": "הקובץ __attachment__ צורף אל הכרטיס __card__ ברשימה __list__ למסלול __swimlane__ שבלוח __board__", + "act-deleteAttachment": "הקובץ __attachment__ נמחק מהכרטיס __card__ ברשימה __list__ מהמסלול __swimlane__ שבלוח __board__", + "act-addSubtask": "תת־משימה __attachment__ נוספה אל הכרטיס __card__ ברשימה __list__ למסלול __swimlane__ שבלוח __board__", + "act-addLabel": "התווית __label__ נוספה לכרטיס __card__ ברשימה __list__ למסלול __swimlane__ שבלוח __board__", + "act-removeLabel": "התווית __label__ הוסרה מהכרטיס __card__ ברשימה __list__ מהמסלול __swimlane__ שבלוח __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "נוסף פריט סימון __checklistItem__ לרשימת המטלות __checklist__ לכרטיס __card__ ברשימה __list__ במסלול __swimlane__ בלוח __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,17 +16,17 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "הלוח __board__ נוצר", - "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCard": "הכרטיס __card__ נוצר ברשימה __list__ במסלול __swimlane__ שבלוח __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-createList": "added list __list__ to board __board__", - "act-addBoardMember": "added member __member__ to board __board__", + "act-createList": "הרשימה __list__ נוספה ללוח __board__", + "act-addBoardMember": "החבר __member__ נוסף אל __board__", "act-archivedBoard": "הלוח __board__ הועבר לארכיון", "act-archivedCard": "הכרטיס __card__ ברשימה __list__ במסלול __swimlane__ בלוח __board__ הועבר לארכיון", "act-archivedList": "הרשימה __list__ במסלול __swimlane__ בלוח __board__ הועברה לארכיון", "act-archivedSwimlane": "המסלול __swimlane__ בלוח __board__ הועבר לארכיון", "act-importBoard": "הייבוא של הלוח __board__ הושלם", "act-importCard": "הייבוא של הכרטיס __card__ לרשימה __list__ למסלול __swimlane__ ללוח __board__ הושלם", - "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-importList": "הרשימה __list__ ייובאה למסלול __swimlane__ שבלוח __board__", "act-joinMember": "החבר __member__ נוסף לכרטיס __card__ לרשימה __list__ במסלול __swimlane__ בלוח __board__", "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", "act-moveCardToOtherBoard": "הכרטיס __card__ הועבר מהרשימה __oldList__ במסלול __oldSwimlane__ בלוח __oldBoard__ לרשימה __list__ במסלול __swimlane__ בלוח __board__", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index e2bb66c1..612b5ae8 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -1,38 +1,38 @@ { "accept": "接受", "act-activity-notify": "活动通知", - "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-createBoard": "created board __board__", + "act-addAttachment": "添加附件 __attachment__ 到看板 __board__ 中的泳道 __swimlane__ 中的列表 __list__ 中的卡片 __card__ 中", + "act-deleteAttachment": "删除看板 __board__ 中的泳道 __swimlane__ 中的列表 __list__ 中的卡片 __card__ 中的附件 __attachment__", + "act-addSubtask": "添加子任务 __subtask__ 到看板 __board__ 中的泳道 __swimlane__ 中的列表 __list__ 中的卡片 __card__ 中", + "act-addLabel": "添加标签 __label__ 到看板 __board__ 中的泳道 __swimlane__ 中的列表 __list__ 中的卡片 __card__ 中", + "act-removeLabel": "移除看板 __board__ 中的泳道 __swimlane__ 中的列表 __list__ 中的卡片 __card__ 中的标签 __label__ ", + "act-addChecklist": "添加清单 __checklist__ 到看板 __board__ 中的泳道 __swimlane__ 中的列表 __list__ 中的卡片 __card__ 中", + "act-addChecklistItem": "添加清单项 __checklistItem__ 到看板 __board__ 中的泳道 __swimlane__ 中的列表 __list__ 中的卡片 __card__ 中的清单 __checklist__", + "act-removeChecklist": "移除看板 __board__ 中的泳道 __swimlane__ 中的列表 __list__ 中的卡片 __card__ 中的清单 __checklist__", + "act-removeChecklistItem": "移除看板 __board__ 中的泳道 __swimlane__ 中的列表 __list__ 中的卡片 __card__ 中的清单 __checklist__ 清单项 __checklistItem__", + "act-checkedItem": "选中看板 __board__ 中的泳道 __swimlane__ 中的列表 __list__ 中的卡片 __card__ 中的清单 __checklist__ 的清单项 __checklistItem__", + "act-uncheckedItem": "反选看板 __board__ 中的泳道 __swimlane__ 中的列表 __list__ 中的卡片 __card__ 中的清单 __checklist__ 的清单项 __checklistItem__", + "act-completeChecklist": "完成检查列表__checklist__ 卡片 __card__ 列表 __list__ 泳道 __swimlane__ 看板 __board__", + "act-uncompleteChecklist": "看板 __board__ 中的泳道 __swimlane__ 中的列表 __list__ 中的卡片 __card__ 中的清单 __checklist__ 未完成", + "act-addComment": "对看板 __board__ 中的泳道 __swimlane__ 中的列表 __list__ 中的卡片 __card__ 发表了评论: __comment__ ", + "act-createBoard": "创建看板 __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-createList": "added list __list__ to board __board__", + "act-createList": "添加列表 __list__ 至看板 __board__", "act-addBoardMember": "added member __member__ to board __board__", - "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedBoard": "看板 __board__ 已被移入归档", "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", - "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", - "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", - "act-importBoard": "imported board __board__", + "act-archivedList": "看板 __board__ 中的泳道 __swimlane__ 中的列表 __list__ 已被移入归档", + "act-archivedSwimlane": "看板 __board__ 中的泳道 __swimlane__ 已被移入归档", + "act-importBoard": "导入看板 __board__", "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", - "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-removeBoardMember": "removed member __member__ from board __board__", - "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCardToOtherBoard": "移动卡片 __card__ 从列表 __oldList__ 泳道 __oldSwimlane__ 看板 __oldBoard__ 至列表 __list__ 泳道 __swimlane__ 看板 __board__", + "act-removeBoardMember": "从看板 __board__ 移除成员 __member__ ", + "act-restoredCard": "恢复卡片 __card__ 至列表 __list__ 泳道 __swimlane__ 看板 __board__", + "act-unjoinMember": "移除成员 __member__ 从卡片 __card__ 列表 __list__ a泳道 __swimlane__ 看板 __board__", "act-withBoardTitle": "看板__board__", "act-withCardTitle": "[看板 __board__] 卡片 __card__", "actions": "操作", @@ -57,14 +57,14 @@ "activity-unchecked-item": "未勾选 %s 于清单 %s 共 %s", "activity-checklist-added": "已经将清单添加到 %s", "activity-checklist-removed": "已从%s移除待办清单", - "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "activity-checklist-completed": "完成检查列表__checklist__ 卡片 __card__ 列表 __list__ 泳道 __swimlane__ 看板 __board__", "activity-checklist-uncompleted": "未完成清单 %s 共 %s", "activity-checklist-item-added": "添加清单项至'%s' 于 %s", "activity-checklist-item-removed": "已从 '%s' 于 %s中 移除一个清单项", "add": "添加", "activity-checked-item-card": "勾选 %s 与清单 %s 中", "activity-unchecked-item-card": "取消勾选 %s 于清单 %s中", - "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "activity-checklist-completed-card": "完成检查列表 __checklist__ 卡片 __card__ 列表 __list__ 泳道 __swimlane__ 看板 __board__", "activity-checklist-uncompleted-card": "未完成清单 %s", "add-attachment": "添加附件", "add-board": "添加看板", @@ -568,8 +568,8 @@ "activity-added-label-card": "已添加标签 '%s'", "activity-removed-label-card": "已移除标签 '%s'", "activity-delete-attach-card": "已删除附件", - "activity-set-customfield": "set custom field '%s' to '%s' in %s", - "activity-unset-customfield": "unset custom field '%s' in %s", + "activity-set-customfield": "设置自定义字段 '%s' 至 '%s' 于 %s", + "activity-unset-customfield": "未设置自定义字段 '%s' 于 %s", "r-rule": "规则", "r-add-trigger": "添加触发器", "r-add-action": "添加行动", -- cgit v1.2.3-1-g7c22 From 563458e0b59d02926e6ba7aded930bc97c71e2a8 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 22 Mar 2019 12:03:25 +0200 Subject: Update translations. --- i18n/it.i18n.json | 74 +++++++++++++++++++++++++++---------------------------- 1 file changed, 37 insertions(+), 37 deletions(-) diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 73538dbc..e0d1d982 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -1,38 +1,38 @@ { "accept": "Accetta", "act-activity-notify": "Notifica attività ", - "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-createBoard": "created board __board__", - "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-createList": "added list __list__ to board __board__", - "act-addBoardMember": "added member __member__ to board __board__", - "act-archivedBoard": "Board __board__ moved to Archive", - "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", - "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", - "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", - "act-importBoard": "imported board __board__", - "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", - "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", - "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-removeBoardMember": "removed member __member__ from board __board__", - "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addAttachment": "aggiunto allegato __attachment__ alla scheda __card__ della lista __list__ della corsia __swimlane__  nella bacheca __board__", + "act-deleteAttachment": "eliminato allegato __attachment__ dalla scheda __card__ della lista __list__ della corsia __swimlane__  nella bacheca __board__", + "act-addSubtask": "aggiunto sottotask __subtask__ alla scheda __card__ della lista __list__ della corsia __swimlane__  nella bacheca __board__", + "act-addLabel": "aggiunta etichetta __label__ alla scheda __card__ della lista __list__ della corsia __swimlane__  nella bacheca __board__", + "act-removeLabel": "rimossa etichetta __label__ dalla scheda __card__ della lista __list__ della corsia __swimlane__  nella bacheca __board__", + "act-addChecklist": "aggiunta lista di controllo __label__ alla scheda __card__ della lista __list__ della corsia __swimlane__  nella bacheca __board__", + "act-addChecklistItem": "aggiunto elemento __checklistItem__ alla lista di controllo __checklist__ della scheda __card__ della lista __list__ della corsia __swimlane__  nella bacheca __board__", + "act-removeChecklist": "rimossa lista di controllo __checklist__ dalla scheda __card__ della lista __list__ della corsia __swimlane__  nella bacheca __board__", + "act-removeChecklistItem": "rimosso elemento __checklistitem__ dalla lista di controllo __checkList__ della scheda __card__ della lista __list__ della corsia __swimlane__  nella bacheca __board__", + "act-checkedItem": "attivato __checklistitem__ nella lista di controllo __checklist__ della scheda __card__ della lista __list__ della corsia __swimlane__ nella bacheca __board__", + "act-uncheckedItem": "disattivato __checklistItem__ della lista di controllo __checklist__ dalla scheda __card__ della lista __list__ della corsia __swimlane__ nella bacheca __board__", + "act-completeChecklist": "completata lista di controllo __checklist__ nella scheda __card__ della lista __list__ della corsia __swimlane__ nella bacheca __board__", + "act-uncompleteChecklist": "lista di controllo __checklist__ incompleta nella scheda __card__ della lista __list__ in corsia __swimlane__ della bacheca __board__", + "act-addComment": "commento sulla scheda __card__: __comment__ nella lista __list__ della corsia __swimlane__ della bacheca __board__", + "act-createBoard": "bacheca __board__ creata", + "act-createCard": "scheda __card__ creata nella lista __list__ della corsia __swimlane__ della bacheca __board__", + "act-createCustomField": "campo personalizzato __customField__ creato nella scheda __card__ della lista __list__ in corsia __swimlane__ della bacheca __board__", + "act-createList": "aggiunta lista __list__ alla bacheca __board__", + "act-addBoardMember": "aggiunto membro __member__ alla bacheca __board__", + "act-archivedBoard": "Bacheca __board__ archiviata", + "act-archivedCard": "Scheda __card__ della lista __list__ della corsia __swimlane__ della bacheca __board__ archiviata", + "act-archivedList": "Lista __list__ della corsia __swimlane__ della bacheca __board__ archiviata", + "act-archivedSwimlane": "Corsia __swimlane__ della bacheca __board__ archiviata", + "act-importBoard": "Bacheca __board__ importata", + "act-importCard": "scheda importata __card__ nella lista __list__ della corsia __swimlane__ della bacheca __board__", + "act-importList": "lista __list__ importata nella corsia __swimlane__ della bacheca __board__", + "act-joinMember": "aggiunto membro __member__ alla scheda __card__ della list __list__ nella corsia __swimlane__ della bacheca __board__", + "act-moveCard": "spostata scheda __card__ della bacheca __board__ dalla lista __oldList__ della corsia __oldSwimlane__ alla lista __list__ della corsia __swimlane__", + "act-moveCardToOtherBoard": "postata scheda __card__ dalla lista __oldList__ della corsia __oldSwimlane__ della bacheca __oldBoard__ alla lista __list__ nella corsia __swimlane__ della bacheca __board__", + "act-removeBoardMember": "rimosso membro __member__ dalla bacheca __board__", + "act-restoredCard": "scheda ripristinata __card__ della lista __list__ nella corsia __swimlane__ della bacheca __board__", + "act-unjoinMember": "rimosso membro __member__ dalla scheda __card__ della lista __list__ della corsia __swimlane__ nella bacheca __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Azioni", @@ -57,14 +57,14 @@ "activity-unchecked-item": "disattivato %s nella checklist %s di %s", "activity-checklist-added": "aggiunta checklist a %s", "activity-checklist-removed": "È stata rimossa una checklist da%s", - "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "activity-checklist-completed": "checklist __checklist__ completata nella scheda __card__ della lista __list__ della corsia __swimlane__  nella bacheca __board__", "activity-checklist-uncompleted": "La checklist non è stata completata", "activity-checklist-item-added": "Aggiunto l'elemento checklist a '%s' in %s", "activity-checklist-item-removed": "è stato rimosso un elemento della checklist da '%s' in %s", "add": "Aggiungere", "activity-checked-item-card": "%s è stato selezionato nella checklist %s", "activity-unchecked-item-card": "%s è stato deselezionato nella checklist %s", - "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "activity-checklist-completed-card": "checklist __label__ completata nella scheda __card__ della lista __list__ della corsia __swimlane__  nella bacheca __board__", "activity-checklist-uncompleted-card": "La checklist %s non è completa", "add-attachment": "Aggiungi Allegato", "add-board": "Aggiungi Bacheca", @@ -568,8 +568,8 @@ "activity-added-label-card": "aggiunta etichetta '%s'", "activity-removed-label-card": "L' etichetta '%s' è stata rimossa.", "activity-delete-attach-card": "Cancella un allegato", - "activity-set-customfield": "set custom field '%s' to '%s' in %s", - "activity-unset-customfield": "unset custom field '%s' in %s", + "activity-set-customfield": "imposta campo personalizzato '%s' a '%s' in %s", + "activity-unset-customfield": "campo personalizzato non impostato '%s' in %s", "r-rule": "Ruolo", "r-add-trigger": "Aggiungi trigger", "r-add-action": "Aggiungi azione", @@ -671,7 +671,7 @@ "cas": "CAS", "authentication-method": "Metodo di Autenticazione", "authentication-type": "Tipo Autenticazione", - "custom-product-name": "Personalizza il nome del prodotto", + "custom-product-name": "Nome prodotto personalizzato", "layout": "Layout", "hide-logo": "Nascondi il logo", "add-custom-html-after-body-start": "Aggiungi codice HTML personalizzato dopo inzio", -- cgit v1.2.3-1-g7c22 From 296349a83b5b36060db33b2a7b5692008c30ef82 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 22 Mar 2019 13:08:36 +0200 Subject: v2.52 --- CHANGELOG.md | 5 +++-- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 7 insertions(+), 6 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 0742476a..cc1307b0 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,13 +1,14 @@ -# Upcoming Wekan release +# v2.52 2019-03-22 Wekan release This release adds the following new features: - [More whitelabeling: Hide Wekan logo and title by default, and don't show separate option to hide logo at Admin Panel/Layout](https://github.com/wekan/wekan/commit/2969161afbe60a1aa2e7da6cedc3ab48941faf3e). Thanks to xet7. -- Add option to redirect OIDC OAuth2 login [part1](https://github.com/wekan/wekan-ldap/commit/82a894ac20ba9e7c6fdf053cff1721cab709bf8a), +- Added and then reverted option to redirect OIDC OAuth2 login [part1](https://github.com/wekan/wekan-ldap/commit/82a894ac20ba9e7c6fdf053cff1721cab709bf8a), [part 2](https://github.com/wekan/wekan-ldap/commit/36900cc360d0d406f8fba5e43378f85c92747870) and [part3](https://github.com/wekan/wekan/commit/7919ae362866c0cacf2a486bf91b12e4d25807d7). + This does not work yet. In Progress. Thanks to xet7. - [Add LDAP config example, remove extra text](https://github.com/wekan/wekan/commit/506acda70b5e78737c52455e5eee9c8758243196). Thanks to xet7. diff --git a/Stackerfile.yml b/Stackerfile.yml index ac51f599..96654cca 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.51.0" +appVersion: "v2.52.0" files: userUploads: - README.md diff --git a/package.json b/package.json index bfc69a89..e378fb70 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.51.0", + "version": "v2.52.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index bddd161e..e42893f0 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 253, + appVersion = 254, # Increment this for every release. - appMarketingVersion = (defaultText = "2.51.0~2019-03-21"), + appMarketingVersion = (defaultText = "2.52.0~2019-03-22"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From fa7ef361e24f76f968ac241a1de3aaa40d7792b1 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 23 Mar 2019 13:17:36 +0200 Subject: Update translations. --- i18n/es.i18n.json | 2 +- i18n/fr.i18n.json | 2 +- i18n/ru.i18n.json | 2 +- i18n/uk.i18n.json | 2 +- 4 files changed, 4 insertions(+), 4 deletions(-) diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index df346cea..cba84b61 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "importada la tarjeta __card__ a la lista __list__ del carrril __swimlane__ del tablero __board__", "act-importList": "importada la lista __list__ al carril __swimlane__ del tablero __board__", "act-joinMember": "añadido el miembro __member__ a la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", - "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "movida la tarjeta __card__ del tablero __board__ de la lista __oldList__ del carril __oldSwimlane__ a la lista __list__ del carril __swimlane__", "act-moveCardToOtherBoard": "movida la tarjeta __card__ de la lista __oldList__ del carril __oldSwimlane__ del tablero __oldBoard__ a la lista __list__ del carril __swimlane__ del tablero __board__", "act-removeBoardMember": "eliminado el miembro __member__ del tablero __board__", "act-restoredCard": "restaurada la tarjeta __card__ a la lista __list__ del carril __swimlane__ del tablero __board__", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index ce685738..d5611203 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "a importé la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", "act-importList": "a importé la liste __list__ du couloir __swimlane__ du tableau __board__", "act-joinMember": "a ajouté le participant __member__ à la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", - "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "a déplacé la carte __card__ du tableau __board__ de la liste __oldList__ du couloir __oldSwimlane__ vers la liste __list__ du couloir __swimlane__", "act-moveCardToOtherBoard": "a déplacé la carte __card__ de la liste __oldList__ du couloir __oldSwimlane__ du tableau __oldBoard__ vers la liste __list__ du couloir __swimlane__ du tableau __board__", "act-removeBoardMember": "a supprimé le participant __member__ du tableau __board__", "act-restoredCard": "a restauré la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 497e042f..3789be9f 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -28,7 +28,7 @@ "act-importCard": "импортировал карточку __card__ в список __list__ на дорожку __swimlane__ доски __board__", "act-importList": "импортировал список __list__ на дорожку __swimlane__ доски __board__", "act-joinMember": "добавил участника __member__ в карточку __card__ в списке __list__ на дорожке __swimlane__ доски __board__", - "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "переместил карточку __card__ на доске __board__ из списка __oldList__ с дорожки __oldSwimlane__ в список __list__ на дорожку __swimlane__", "act-moveCardToOtherBoard": "переместил карточку __card__ из списка __oldList__ с дорожки __oldSwimlane__ доски __oldBoard__ в список __list__ на дорожку __swimlane__ доски __board__", "act-removeBoardMember": "удалил участника __member__ с доски __board__", "act-restoredCard": "восстановил карточку __card__ в список __list__ на дорожку __swimlane__ доски __board__", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 57a3703f..b4584f0c 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -15,7 +15,7 @@ "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-createBoard": "created board __board__", + "act-createBoard": "Створити Коробко", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", -- cgit v1.2.3-1-g7c22 From db6dbe34c33b6444a8977c657d55f0e69c7069ca Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 23 Mar 2019 21:13:03 +0200 Subject: Fix docker-compose.yml --- docker-compose.yml | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/docker-compose.yml b/docker-compose.yml index b8089e20..720d5c70 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -91,10 +91,10 @@ services: #------------------------------------------------------------------------------------- # ==== MONGODB AND METEOR VERSION ==== # a) For Wekan Meteor 1.8.x version at meteor-1.8 branch, use mongo 4.x - image: mongo:4.0.4 + #image: mongo:4.0.4 # b) For Wekan Meteor 1.6.x version at master/devel/edge branches. # Only for Snap and Sandstorm while they are not upgraded yet to Meteor 1.8.x - #image: mongo:3.2.21 + image: mongo:3.2.21 #------------------------------------------------------------------------------------- container_name: wekan-db restart: always @@ -112,10 +112,10 @@ services: # ==== MONGODB AND METEOR VERSION ==== # a) For Wekan Meteor 1.8.x version at meteor-1.8 branch, # using https://quay.io/wekan/wekan automatic builds - image: quay.io/wekan/wekan:meteor-1.8 + #image: quay.io/wekan/wekan:meteor-1.8 # b) For Wekan Meteor 1.6.x version at master/devel/edge branches. # Only for Snap and Sandstorm while they are not upgraded yet to Meteor 1.8.x - #image: quay.io/wekan/wekan + image: quay.io/wekan/wekan:master # c) Using specific Meteor 1.6.x version tag: # image: quay.io/wekan/wekan:v1.95 # c) Using Docker Hub automatic builds https://hub.docker.com/r/wekanteam/wekan -- cgit v1.2.3-1-g7c22 From 994314cfa339e52a2ad124194af4e89f57ddd213 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 23 Mar 2019 21:30:41 +0200 Subject: Fix filenames and urls. --- client/components/main/layouts.jade | 10 +++--- public/favicon.png | Bin 756 -> 0 bytes public/logo-150.png | Bin 3634 -> 0 bytes public/logo-150.svg | 68 ------------------------------------ public/logo.png | Bin 10342 -> 0 bytes public/manifest.json | 22 ------------ public/old-logo.png | Bin 8433 -> 0 bytes public/wekan-favicon.png | Bin 0 -> 756 bytes public/wekan-logo-150.png | Bin 0 -> 3634 bytes public/wekan-logo-150.svg | 68 ++++++++++++++++++++++++++++++++++++ public/wekan-logo.png | Bin 0 -> 8433 bytes public/wekan-manifest.json | 22 ++++++++++++ 12 files changed, 95 insertions(+), 95 deletions(-) delete mode 100644 public/favicon.png delete mode 100644 public/logo-150.png delete mode 100644 public/logo-150.svg delete mode 100644 public/logo.png delete mode 100644 public/manifest.json delete mode 100644 public/old-logo.png create mode 100644 public/wekan-favicon.png create mode 100644 public/wekan-logo-150.png create mode 100644 public/wekan-logo-150.svg create mode 100644 public/wekan-logo.png create mode 100644 public/wekan-manifest.json diff --git a/client/components/main/layouts.jade b/client/components/main/layouts.jade index 9908f12e..c762b321 100644 --- a/client/components/main/layouts.jade +++ b/client/components/main/layouts.jade @@ -7,10 +7,10 @@ head where the application is deployed with a path prefix, but it seems to be difficult to do that cleanly with Blaze -- at least without adding extra packages. - link(rel="shortcut icon" href="/favicon.png") - link(rel="apple-touch-icon" href="/favicon.png") - link(rel="mask-icon" href="/logo-150.svg") - link(rel="manifest" href="/manifest.json") + link(rel="shortcut icon" href="/wekan-favicon.png") + link(rel="apple-touch-icon" href="/wekan-favicon.png") + link(rel="mask-icon" href="/wekan-logo-150.svg") + link(rel="manifest" href="/wekan-manifest.json") template(name="userFormsLayout") section.auth-layout @@ -20,7 +20,7 @@ template(name="userFormsLayout") br //else // h1.at-form-landing-logo - // img(src="{{pathFor '/logo.png'}}" alt="") + // img(src="{{pathFor '/wekan-logo.png'}}" alt="") section.auth-dialog +Template.dynamic(template=content) if currentSetting.displayAuthenticationMethod diff --git a/public/favicon.png b/public/favicon.png deleted file mode 100644 index 8beb85f4..00000000 Binary files a/public/favicon.png and /dev/null differ diff --git a/public/logo-150.png b/public/logo-150.png deleted file mode 100644 index e8e89c62..00000000 Binary files a/public/logo-150.png and /dev/null differ diff --git a/public/logo-150.svg b/public/logo-150.svg deleted file mode 100644 index 51d4eede..00000000 --- a/public/logo-150.svg +++ /dev/null @@ -1,68 +0,0 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - diff --git a/public/logo.png b/public/logo.png deleted file mode 100644 index b553239e..00000000 Binary files a/public/logo.png and /dev/null differ diff --git a/public/manifest.json b/public/manifest.json deleted file mode 100644 index e35583c0..00000000 --- a/public/manifest.json +++ /dev/null @@ -1,22 +0,0 @@ -{ - "name": "Kanban", - "short_name": "Kanban", - "description": "The open-source kanban", - "lang": "en-US", - "icons": [ - { - "src": "/logo-150.png", - "type": "image/png", - "sizes": "150x150" - }, - { - "src": "/logo-150.svg", - "type": "image/svg+xml", - "sizes": "150x150" - } - ], - "display": "standalone", - "background_color": "#dedede", - "theme_color": "#dedede", - "start_url": "/" -} diff --git a/public/old-logo.png b/public/old-logo.png deleted file mode 100644 index 6a2740f2..00000000 Binary files a/public/old-logo.png and /dev/null differ diff --git a/public/wekan-favicon.png b/public/wekan-favicon.png new file mode 100644 index 00000000..8beb85f4 Binary files /dev/null and b/public/wekan-favicon.png differ diff --git a/public/wekan-logo-150.png b/public/wekan-logo-150.png new file mode 100644 index 00000000..e8e89c62 Binary files /dev/null and b/public/wekan-logo-150.png differ diff --git a/public/wekan-logo-150.svg b/public/wekan-logo-150.svg new file mode 100644 index 00000000..51d4eede --- /dev/null +++ b/public/wekan-logo-150.svg @@ -0,0 +1,68 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/public/wekan-logo.png b/public/wekan-logo.png new file mode 100644 index 00000000..6a2740f2 Binary files /dev/null and b/public/wekan-logo.png differ diff --git a/public/wekan-manifest.json b/public/wekan-manifest.json new file mode 100644 index 00000000..e35583c0 --- /dev/null +++ b/public/wekan-manifest.json @@ -0,0 +1,22 @@ +{ + "name": "Kanban", + "short_name": "Kanban", + "description": "The open-source kanban", + "lang": "en-US", + "icons": [ + { + "src": "/logo-150.png", + "type": "image/png", + "sizes": "150x150" + }, + { + "src": "/logo-150.svg", + "type": "image/svg+xml", + "sizes": "150x150" + } + ], + "display": "standalone", + "background_color": "#dedede", + "theme_color": "#dedede", + "start_url": "/" +} -- cgit v1.2.3-1-g7c22 From 97beed6fd11b875faf4d6ca28868fa724f456772 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 23 Mar 2019 21:34:43 +0200 Subject: v2.53 --- CHANGELOG.md | 9 +++++++++ Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 13 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index cc1307b0..9241e17e 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# v2.53 2019-03-23 Wekan release + +This release fixes the following bugs: + +- [Fix filename and URLs](https://github.com/wekan/wekan/ccommit/994314cfa339e52a2ad124194af4e89f57ddd213). + Thanks to xet7. + +Thanks to above GitHub users for their contributions and translators for their translations. + # v2.52 2019-03-22 Wekan release This release adds the following new features: diff --git a/Stackerfile.yml b/Stackerfile.yml index 96654cca..48f2b26a 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.52.0" +appVersion: "v2.53.0" files: userUploads: - README.md diff --git a/package.json b/package.json index e378fb70..d93acbb6 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.52.0", + "version": "v2.53.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index e42893f0..46b1beec 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 254, + appVersion = 255, # Increment this for every release. - appMarketingVersion = (defaultText = "2.52.0~2019-03-22"), + appMarketingVersion = (defaultText = "2.53.0~2019-03-23"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 0039fe09bed435c76365b3c21bba181c8bfa8d40 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 24 Mar 2019 17:44:03 +0200 Subject: Removed commented out text. --- client/components/main/layouts.jade | 4 ---- 1 file changed, 4 deletions(-) diff --git a/client/components/main/layouts.jade b/client/components/main/layouts.jade index c762b321..ac2e4bf3 100644 --- a/client/components/main/layouts.jade +++ b/client/components/main/layouts.jade @@ -14,13 +14,9 @@ head template(name="userFormsLayout") section.auth-layout - //if currentSetting.hideLogo h1 br br - //else - // h1.at-form-landing-logo - // img(src="{{pathFor '/wekan-logo.png'}}" alt="") section.auth-dialog +Template.dynamic(template=content) if currentSetting.displayAuthenticationMethod -- cgit v1.2.3-1-g7c22 From 08c8ebc1001768208391a3834296ff47db782639 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 25 Mar 2019 16:59:12 +0200 Subject: - Fix typos. - Fix Outgoing Webhook message about created new swimlane. Related #1969 --- i18n/ar.i18n.json | 3 +++ i18n/bg.i18n.json | 3 +++ i18n/br.i18n.json | 3 +++ i18n/ca.i18n.json | 3 +++ i18n/cs.i18n.json | 3 +++ i18n/da.i18n.json | 3 +++ i18n/de.i18n.json | 3 +++ i18n/el.i18n.json | 3 +++ i18n/en-GB.i18n.json | 3 +++ i18n/en.i18n.json | 3 +++ i18n/eo.i18n.json | 3 +++ i18n/es-AR.i18n.json | 3 +++ i18n/es.i18n.json | 3 +++ i18n/eu.i18n.json | 3 +++ i18n/fa.i18n.json | 3 +++ i18n/fi.i18n.json | 3 +++ i18n/fr.i18n.json | 3 +++ i18n/gl.i18n.json | 3 +++ i18n/he.i18n.json | 3 +++ i18n/hi.i18n.json | 3 +++ i18n/hu.i18n.json | 3 +++ i18n/hy.i18n.json | 3 +++ i18n/id.i18n.json | 3 +++ i18n/ig.i18n.json | 3 +++ i18n/it.i18n.json | 3 +++ i18n/ja.i18n.json | 3 +++ i18n/ka.i18n.json | 3 +++ i18n/km.i18n.json | 3 +++ i18n/ko.i18n.json | 3 +++ i18n/lv.i18n.json | 3 +++ i18n/mk.i18n.json | 3 +++ i18n/mn.i18n.json | 3 +++ i18n/nb.i18n.json | 3 +++ i18n/nl.i18n.json | 3 +++ i18n/oc.i18n.json | 3 +++ i18n/pl.i18n.json | 3 +++ i18n/pt-BR.i18n.json | 3 +++ i18n/pt.i18n.json | 3 +++ i18n/ro.i18n.json | 3 +++ i18n/ru.i18n.json | 3 +++ i18n/sr.i18n.json | 3 +++ i18n/sv.i18n.json | 3 +++ i18n/sw.i18n.json | 3 +++ i18n/ta.i18n.json | 3 +++ i18n/th.i18n.json | 3 +++ i18n/tr.i18n.json | 3 +++ i18n/uk.i18n.json | 45 +++++++++++++++++++++------------------- i18n/vi.i18n.json | 3 +++ i18n/zh-CN.i18n.json | 3 +++ i18n/zh-TW.i18n.json | 3 +++ public/wekan-manifest.json | 8 +++---- server/notifications/outgoing.js | 2 +- 52 files changed, 176 insertions(+), 26 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 12f6d9ba..926e04ff 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 5831c521..1592bc08 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index bcddb300..065c1fa5 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 5c7626e8..f93a60c9 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 8bcd0c1a..c3a3eb05 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "smazal(a) přílohu __attachment__ na kartě __card__ ve sloupci __list__ ve swimlane __swimlane__ na tablu __board__", "act-addSubtask": "přidal(a) podúkol __subtask__ na kartu __card__ ve sloupci __list__ ve swimlane __swimlane__ na tablu __board__", "act-addLabel": "Přídán štítek __label__ na kartu __card__ ve sloupci __list__ ve swimlane __swimlane__ na tablu __board__", + "act-addedLabel": "Přídán štítek __label__ na kartu __card__ ve sloupci __list__ ve swimlane __swimlane__ na tablu __board__", "act-removeLabel": "Odstraněn štítek __label__ na kartě __card__ ve sloupci __list__ ve swimlane __swimlane__ na tablu __board__", + "act-removedLabel": "Odstraněn štítek __label__ na kartě __card__ ve sloupci __list__ ve swimlane __swimlane__ na tablu __board__", "act-addChecklist": "přidal(a) zaškrtávací seznam __checklist__ na kartu __card__ ve sloupci __list__ ve swimlane __swimlane__ na tablu __board__", "act-addChecklistItem": "přidal(a) položku zaškrtávacího seznamu __checklistItem__ do zaškrtávacího seznamu __checklist__ na kartě __card__ ve sloupci __list__ ve swimlane __swimlane__ na tablu __board__", "act-removeChecklist": "smazal(a) zaškrtávací seznam __checklist__ na kartě __card__ ve sloupci __list__ ve swimlane __swimlane__ na tablu __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "zrušil(a) dokončení zaškrtávacího seznamu __checklist__ na kartě __card__ ve sloupci __list__ ve swimlane __swimlane__ na tablu __board__", "act-addComment": "přidal(a) komentář na kartě __card__: __comment__ ve sloupci __list__ ve swimlane __swimlane__ na tablu __board__", "act-createBoard": "přidal(a) tablo __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "přidal(a) kartu __card__ do sloupce __list__ ve swimlane __swimlane__ na tablu __board__", "act-createCustomField": "vytvořil(a) vlastní pole __customField__ na kartu __card__ do sloupce __list__ ve swimlane __swimlane__ na tablu __board__", "act-createList": "přidal(a) sloupec __list__ do tabla __board__", diff --git a/i18n/da.i18n.json b/i18n/da.i18n.json index f11a24ec..00df0fdb 100644 --- a/i18n/da.i18n.json +++ b/i18n/da.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index df768ad4..58229e1e 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "löschte Anhang __attachment__ zur Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", "act-addSubtask": "hat Teilaufgabe __subtask__ zur Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board angehängt", "act-addLabel": "hat Label __label__ zur Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__ angehängt", + "act-addedLabel": "hat Label __label__ zur Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__ angehängt", "act-removeLabel": "entfernte Label __label__ zur Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", + "act-removedLabel": "entfernte Label __label__ zur Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", "act-addChecklist": "hat Checkliste __checklist__ zur Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__ angehängt", "act-addChecklistItem": "hat Checklistenposition __checklistItem__ zu Checkliste __checkList__ zur Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__ angehängt", "act-removeChecklist": "entfernt Checkliste __checklist__ zur Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "unvollendete Checkliste __checklist__ der Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", "act-addComment": "kommentierte eine Karte __card__: __comment__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", "act-createBoard": "hat Board __board__ erstellt", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "erstellte Karte __card__ auf Liste __list__ bei Swimlane __swimlane__ an Board __board__", "act-createCustomField": "erstellte ein benutzerdefiniertes Feld __customField__ für Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", "act-createList": "hat Liste __list__ zu Board __board__ hinzugefügt", diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index bb5f778f..2f619693 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 1f1fb67f..00b76869 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 009eed3b..47ad61ec 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index 9a1961cf..933f2a58 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index 86cb5cf8..a5c1fa96 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index cba84b61..18d5747e 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "eliminado el adjunto __attachment__ de la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", "act-addSubtask": "añadida la subtarea __subtask__ a la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", "act-addLabel": "añadida la etiqueta __label__ a la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", + "act-addedLabel": "añadida la etiqueta __label__ a la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", "act-removeLabel": "eliminada la etiqueta __label__ de la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", + "act-removedLabel": "eliminada la etiqueta __label__ de la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", "act-addChecklist": "añadida la lista de verificación __checklist__ a la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", "act-addChecklistItem": "añadido el elemento __checklistItem__ a la lista de verificación __checklist__ de la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", "act-removeChecklist": "eliminada la lista de verificación __checklist__ de la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "no completada la lista de verificación __checklist__ de la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", "act-addComment": "comentario en la tarjeta__card__: __comment__ de la lista __list__ del carril __swimlane__ del tablero __board__", "act-createBoard": "creado el tablero __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "creada la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", "act-createCustomField": "creado el campo personalizado __customField__ en la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", "act-createList": "añadida la lista __list__ al tablero __board__", diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index b5f0e0d0..7a3c5319 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index da466f7f..5f794527 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index a0cc3de0..72ff4ef6 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "poistettu liite __attachment__ kortilla __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", "act-addSubtask": "lisätty alitehtävä __subtask__ kortille __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", "act-addLabel": "Lisätty tunniste __label__ kortille __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", + "act-addedLabel": "Lisätty tunniste __label__ kortille __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", "act-removeLabel": "Poistettu tunniste __label__ kortilta __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", + "act-removedLabel": "Poistettu tunniste __label__ kortilta __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", "act-addChecklist": "lisätty tarkistuslista __checklist__ kortille __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", "act-addChecklistItem": "lisätty tarkistuslistan kohta __checklistItem__ tarkistuslistalle __checklist__ kortilla __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", "act-removeChecklist": "poistettu tarkistuslista __checklist__ kortilta __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "tehty ei valmistuneeksi tarkistuslista __checklist__ kortilla __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", "act-addComment": "kommentoitu kortilla __card__: __comment__ listalla __list__ swimlanella __swimlane__ taululla __board__", "act-createBoard": "luotu taulu __board__", + "act-createSwimlane": "loi swimlanen __swimlane__ taululle __board__", "act-createCard": "luotu kortti __card__ listalle __list__ swimlanella __swimlane__ taululla __board__", "act-createCustomField": "luotu mukautettu kenttä __customField__ kortille __card__ listalla __list__ swimlanella __swimlane__ taululla __board__", "act-createList": "lisätty lista __list__ taululle __board__", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index d5611203..22868b52 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "a supprimé la pièce jointe __attachment__ de la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", "act-addSubtask": "a ajouté la sous-tâche __checklist__ à la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", "act-addLabel": "a ajouté l'étiquette __label__ à la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", + "act-addedLabel": "a ajouté l'étiquette __label__ à la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", "act-removeLabel": "a enlevé l'étiquette __label__ de la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", + "act-removedLabel": "a enlevé l'étiquette __label__ de la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", "act-addChecklist": "a ajouté la checklist __checklist__ à la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", "act-addChecklistItem": "a ajouté l'élément __checklistItem__ à la checklist __checklist__ de la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", "act-removeChecklist": "a supprimé la checklist __checklist__ de la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "a rendu incomplet la checklist __checklist__ de la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", "act-addComment": "a commenté la carte __card__ : __comment__ dans la liste __list__ du couloir __swimlane__ du tableau __board__", "act-createBoard": "a créé le tableau __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "a créé la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", "act-createCustomField": "a créé le champ personnalisé __customField__ pour la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", "act-createList": "a ajouté la liste __list__ au tableau __board__", diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index e719e317..47fbe947 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 4822507a..5c1d5ecd 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "הקובץ __attachment__ נמחק מהכרטיס __card__ ברשימה __list__ מהמסלול __swimlane__ שבלוח __board__", "act-addSubtask": "תת־משימה __attachment__ נוספה אל הכרטיס __card__ ברשימה __list__ למסלול __swimlane__ שבלוח __board__", "act-addLabel": "התווית __label__ נוספה לכרטיס __card__ ברשימה __list__ למסלול __swimlane__ שבלוח __board__", + "act-addedLabel": "התווית __label__ נוספה לכרטיס __card__ ברשימה __list__ למסלול __swimlane__ שבלוח __board__", "act-removeLabel": "התווית __label__ הוסרה מהכרטיס __card__ ברשימה __list__ מהמסלול __swimlane__ שבלוח __board__", + "act-removedLabel": "התווית __label__ הוסרה מהכרטיס __card__ ברשימה __list__ מהמסלול __swimlane__ שבלוח __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "נוסף פריט סימון __checklistItem__ לרשימת המטלות __checklist__ לכרטיס __card__ ברשימה __list__ במסלול __swimlane__ בלוח __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "הלוח __board__ נוצר", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "הכרטיס __card__ נוצר ברשימה __list__ במסלול __swimlane__ שבלוח __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "הרשימה __list__ נוספה ללוח __board__", diff --git a/i18n/hi.i18n.json b/i18n/hi.i18n.json index 79c13b34..514dfa2f 100644 --- a/i18n/hi.i18n.json +++ b/i18n/hi.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "हटाए गए अनुलग्नक __attachment__ कार्ड पर __card__ सूचि मेें __list__ तैराक में __swimlane__ बोर्ड पर __board__", "act-addSubtask": "जोड़ा उपकार्य __checklist__ को __card__ सूचि मेें __list__ तैराक में __swimlane__ बोर्ड पर __board__", "act-addLabel": "जोड़ा गया लेबल __label__ कार्ड के लिए __card__ सूचि मेें __list__ तैराक में __swimlane__ बोर्ड पर __board__", + "act-addedLabel": "जोड़ा गया लेबल __label__ कार्ड के लिए __card__ सूचि मेें __list__ तैराक में __swimlane__ बोर्ड पर __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index 30de63ab..229c9fb4 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index 24879447..e15b7c37 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index be3898f8..4d64b735 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 44fba953..8603ec13 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index e0d1d982..38176677 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "eliminato allegato __attachment__ dalla scheda __card__ della lista __list__ della corsia __swimlane__  nella bacheca __board__", "act-addSubtask": "aggiunto sottotask __subtask__ alla scheda __card__ della lista __list__ della corsia __swimlane__  nella bacheca __board__", "act-addLabel": "aggiunta etichetta __label__ alla scheda __card__ della lista __list__ della corsia __swimlane__  nella bacheca __board__", + "act-addedLabel": "aggiunta etichetta __label__ alla scheda __card__ della lista __list__ della corsia __swimlane__  nella bacheca __board__", "act-removeLabel": "rimossa etichetta __label__ dalla scheda __card__ della lista __list__ della corsia __swimlane__  nella bacheca __board__", + "act-removedLabel": "rimossa etichetta __label__ dalla scheda __card__ della lista __list__ della corsia __swimlane__  nella bacheca __board__", "act-addChecklist": "aggiunta lista di controllo __label__ alla scheda __card__ della lista __list__ della corsia __swimlane__  nella bacheca __board__", "act-addChecklistItem": "aggiunto elemento __checklistItem__ alla lista di controllo __checklist__ della scheda __card__ della lista __list__ della corsia __swimlane__  nella bacheca __board__", "act-removeChecklist": "rimossa lista di controllo __checklist__ dalla scheda __card__ della lista __list__ della corsia __swimlane__  nella bacheca __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "lista di controllo __checklist__ incompleta nella scheda __card__ della lista __list__ in corsia __swimlane__ della bacheca __board__", "act-addComment": "commento sulla scheda __card__: __comment__ nella lista __list__ della corsia __swimlane__ della bacheca __board__", "act-createBoard": "bacheca __board__ creata", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "scheda __card__ creata nella lista __list__ della corsia __swimlane__ della bacheca __board__", "act-createCustomField": "campo personalizzato __customField__ creato nella scheda __card__ della lista __list__ in corsia __swimlane__ della bacheca __board__", "act-createList": "aggiunta lista __list__ alla bacheca __board__", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 55d3f265..945d48eb 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index 8ea2fc93..be5819dd 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index 453ae4f3..ba8bcb3e 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index 9751266d..d1cf878f 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 0dc05cd2..158f1f1c 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/mk.i18n.json b/i18n/mk.i18n.json index 73322d5a..5fd29479 100644 --- a/i18n/mk.i18n.json +++ b/i18n/mk.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index 11cfe4ed..9c4932b5 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index 2d8f4af2..f61dd08a 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 790b094b..598aed99 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/oc.i18n.json b/i18n/oc.i18n.json index f5f2ae84..6b62bbd1 100644 --- a/i18n/oc.i18n.json +++ b/i18n/oc.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "as tirat una pèça joncha __astacament__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", "act-addSubtask": "as apondut una jos-tasca __subtask__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", "act-addLabel": "as apondut una etiqueta__label__ de la carta __card__ a la tièra __list__ del corredor __swimlane__ del tablèu __board__", + "act-addedLabel": "as apondut una etiqueta__label__ de la carta __card__ a la tièra __list__ del corredor __swimlane__ del tablèu __board__", "act-removeLabel": "as tirat l'etiqueta__label__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", + "act-removedLabel": "as tirat l'etiqueta__label__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", "act-addChecklist": "as apondut la checklist __checklist__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", "act-addChecklistItem": " as apondut l'element __checklistItem__ de la checklist __checklist__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", "act-removeChecklist": "as tirat la checklist __checklist__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "as rendut incomplet la checklist __checklist__ de la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", "act-addComment": "as comentat la carta __card__: __comment__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", "act-createBoard": "as creat lo tablèu __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "as creat la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", "act-createCustomField": "as creat lo camp personalizat __customField__ a la carta __card__ de la tièra __list__ del corredor __swimlane__ del tablèu __board__", "act-createList": "as apondut la tièra __list__ al tablèu __board__", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index ac7d0f4d..d25d5aee 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "Usunięto załącznik __attachment__ na karcie __card__ na liście __list__ w diagramie czynności __swimlane__ na tablicy __board__", "act-addSubtask": "Dodane podzadanie __subtask__ na karcie __card__ na liście __list__ w diagramie czynności __swimlane__ na tablicy __board__", "act-addLabel": "Dodano etykietę __label__ do karty __card__ na liście __list__ w diagramie czynności __swimlane__ na tablicy __board__", + "act-addedLabel": "Dodano etykietę __label__ do karty __card__ na liście __list__ w diagramie czynności __swimlane__ na tablicy __board__", "act-removeLabel": "Usunięto etykietę __label__ z karty __card__ na liście __list__ w diagramie czynności __swimlane__ na tablicy __board__", + "act-removedLabel": "Usunięto etykietę __label__ z karty __card__ na liście __list__ w diagramie czynności __swimlane__ na tablicy __board__", "act-addChecklist": "Dodano listę zadań __checklist__ do karty __card__ na liście __list__ w diagramie czynności __swimlane__ na tablicy __board__", "act-addChecklistItem": "Dodano element listy zadań __checklistItem__ do listy zadań __checklist__ na karcie __card__ na liście __list__ na diagramie czynności __swimlane__ na tablicy __board__", "act-removeChecklist": "Usunięto listę zadań __checklist__ z karty __card__ na liście __list__ na diagramie czynności __swimlane__ na tablicy __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "Wycofano ukończenie wykonania listy __checklist__ na karcie __card__ na liście __list__ na diagramie czynności__ na tablicy __board__", "act-addComment": "Dodano komentarz na karcie __card__: __comment__ na liście __list__ na diagramie czynności __swimlane__ na tablicy __board__", "act-createBoard": "Utworzono tablicę __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "Utworzono kartę __card__ na liście __list__ na diagramie czynności __swimlane__ na tablicy __board__", "act-createCustomField": "Utworzono niestandardowe pole __customField__ na karcie __card__ na liście __list__ na diagramie czynności__ na tablicy __board__", "act-createList": "Dodano listę __list__ do tablicy __board__", diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 7a7264b5..8230146f 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "excluido anexo __attachment__ do cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", "act-addSubtask": "adicionada subtarefa __subtask__ ao cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", "act-addLabel": "Adicionada etiqueta __label__ ao cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", + "act-addedLabel": "Adicionada etiqueta __label__ ao cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", "act-removeLabel": "Removida etiqueta __label__ do cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", + "act-removedLabel": "Removida etiqueta __label__ do cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", "act-addChecklist": "adicionada lista de verificação __checklist__ ao cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", "act-addChecklistItem": "adicionado o item __checklistItem__ a lista de verificação__checklist__ no cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", "act-removeChecklist": "emovida a lista de verificação __checklist__ do cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "lista de verificação incompleta __checklist__ no cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", "act-addComment": "comentou no cartão __card__: __comment__ na lista __list__ em raia __swimlane__ no quadro __board__", "act-createBoard": "criado quadro__board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "criado cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", "act-createCustomField": "criado campo customizado __customField__ no cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", "act-createList": "adicionada lista __list__ ao quadro __board__", diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 70478aeb..225b5adb 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index 4d2a3fe4..33564db8 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 3789be9f..4d163ddf 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "удалил вложение __attachment__ из карточки __card__ в списке __list__ на дорожке __swimlane__ доски __board__", "act-addSubtask": "добавил подзадачу __subtask__ для карточки __card__ в списке __list__ на дорожке __swimlane__ доски __board__", "act-addLabel": "Добавлена метка __label__ в карточку __card__ в списке __list__ на дорожке __swimlane__ доски __board__", + "act-addedLabel": "Добавлена метка __label__ в карточку __card__ в списке __list__ на дорожке __swimlane__ доски __board__", "act-removeLabel": "Снята метка __label__ с карточки __card__ в списке __list__ на дорожке __swimlane__ доски __board__", + "act-removedLabel": "Снята метка __label__ с карточки __card__ в списке __list__ на дорожке __swimlane__ доски __board__", "act-addChecklist": "добавил контрольный список __checklist__ в карточку __card__ в списке __list__ на дорожке __swimlane__ доски __board__", "act-addChecklistItem": "добавил пункт __checklistItem__ в контрольный список __checklist__ в карточке __card__ в списке __list__ на дорожке __swimlane__ доски __board__", "act-removeChecklist": "удалил контрольный список __checklist__ из карточки __card__ в списке __list__ на дорожке __swimlane__ доски __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "вновь открыл контрольный список __checklist__ в карточке __card__ в списке __list__ на дорожке __swimlane__ доски __board__", "act-addComment": "написал в карточке __card__: __comment__ в списке __list__ на дорожке __swimlane__ доски __board__", "act-createBoard": "создал доску __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "создал карточку __card__ в списке __list__ на дорожке __swimlane__ доски __board__", "act-createCustomField": "создал поле __customField__ в карточке __card__ в списке __list__ на дорожке __swimlane__ доски __board__\n", "act-createList": "добавил список __list__ на доску __board__", diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index dfebbcfa..0244a0e4 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index a3be3e94..bd9c3a50 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "raderade bifogad fil __attachment__ från kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", "act-addSubtask": "la till underaktivitet __subtask__ på kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", "act-addLabel": "la till etikett __label__ på kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", + "act-addedLabel": "la till etikett __label__ på kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", "act-removeLabel": "Tog bort etikett __label__ från kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", + "act-removedLabel": "Tog bort etikett __label__ från kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", "act-addChecklist": "la till checklista __checklist__ på kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", "act-addChecklistItem": "la till checklistobjekt __checklistItem__ till checklista __checklist__ på kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", "act-removeChecklist": "tag bort checklista __checklist__ från kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "ofullbordade checklista __checklist__ på kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", "act-addComment": "kommenterade på kort __card__: __comment__ i lista __list__ i simbana __swimlane__ på tavla __board__", "act-createBoard": "skapade tavla __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "skapade kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", "act-createCustomField": "skapade anpassat fält __customField__ på kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", "act-createList": "la till lista __list__ på tavla __board__", diff --git a/i18n/sw.i18n.json b/i18n/sw.i18n.json index 72322032..b82240fa 100644 --- a/i18n/sw.i18n.json +++ b/i18n/sw.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index 61402cab..9473d194 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index 2b7816b1..17a54304 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index a9967203..ca1761b3 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index b4584f0c..79eec847 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "Створити Коробко", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", @@ -570,27 +573,27 @@ "activity-delete-attach-card": "deleted an attachment", "activity-set-customfield": "set custom field '%s' to '%s' in %s", "activity-unset-customfield": "unset custom field '%s' in %s", - "r-rule": "Rule", + "r-rule": "Правило", "r-add-trigger": "Add trigger", "r-add-action": "Add action", - "r-board-rules": "Board rules", + "r-board-rules": "Дошка правил", "r-add-rule": "Add rule", - "r-view-rule": "View rule", - "r-delete-rule": "Delete rule", - "r-new-rule-name": "New rule title", + "r-view-rule": "Переглянути правило", + "r-delete-rule": "Видалити правило", + "r-new-rule-name": "Заголовок нового правила\n", "r-no-rules": "No rules", "r-when-a-card": "When a card", "r-is": "is", "r-is-moved": "is moved", "r-added-to": "added to", - "r-removed-from": "Removed from", - "r-the-board": "the board", + "r-removed-from": "Видалити з", + "r-the-board": "Дошка", "r-list": "list", "set-filter": "Set Filter", - "r-moved-to": "Moved to", - "r-moved-from": "Moved from", - "r-archived": "Moved to Archive", - "r-unarchived": "Restored from Archive", + "r-moved-to": "переміщено до", + "r-moved-from": "переміщено з", + "r-archived": "переміщено до Архіву", + "r-unarchived": "Відновлено з Архіву", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -613,12 +616,12 @@ "r-its-list": "its list", "r-archive": "Move to Archive", "r-unarchive": "Restore from Archive", - "r-card": "card", + "r-card": "Картка", "r-add": "Додати", - "r-remove": "Remove", + "r-remove": "Видалити\n", "r-label": "label", - "r-member": "member", - "r-remove-all": "Remove all members from the card", + "r-member": "Користувач", + "r-remove-all": "Видалити усіх учасників картки", "r-set-color": "Set color to", "r-checklist": "checklist", "r-check-all": "Check all", @@ -630,16 +633,16 @@ "r-of-checklist": "of checklist", "r-send-email": "Send an email", "r-to": "to", - "r-subject": "subject", + "r-subject": "Об'єкт", "r-rule-details": "Rule details", "r-d-move-to-top-gen": "Move card to top of its list", "r-d-move-to-top-spec": "Move card to top of list", "r-d-move-to-bottom-gen": "Move card to bottom of its list", "r-d-move-to-bottom-spec": "Move card to bottom of list", - "r-d-send-email": "Send email", + "r-d-send-email": "Відправити email", "r-d-send-email-to": "to", - "r-d-send-email-subject": "subject", - "r-d-send-email-message": "message", + "r-d-send-email-subject": "Об'єкт", + "r-d-send-email-message": "повідомлення", "r-d-archive": "Move card to Archive", "r-d-unarchive": "Restore card from Archive", "r-d-add-label": "Add label", @@ -647,8 +650,8 @@ "r-create-card": "Create new card", "r-in-list": "in list", "r-in-swimlane": "in swimlane", - "r-d-add-member": "Add member", - "r-d-remove-member": "Remove member", + "r-d-add-member": "Додати користувача", + "r-d-remove-member": "Видалити користувача", "r-d-remove-all-member": "Remove all member", "r-d-check-all": "Check all items of a list", "r-d-uncheck-all": "Uncheck all items of a list", diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index 8bdf6deb..9d180021 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 612b5ae8..1fde84fb 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "删除看板 __board__ 中的泳道 __swimlane__ 中的列表 __list__ 中的卡片 __card__ 中的附件 __attachment__", "act-addSubtask": "添加子任务 __subtask__ 到看板 __board__ 中的泳道 __swimlane__ 中的列表 __list__ 中的卡片 __card__ 中", "act-addLabel": "添加标签 __label__ 到看板 __board__ 中的泳道 __swimlane__ 中的列表 __list__ 中的卡片 __card__ 中", + "act-addedLabel": "添加标签 __label__ 到看板 __board__ 中的泳道 __swimlane__ 中的列表 __list__ 中的卡片 __card__ 中", "act-removeLabel": "移除看板 __board__ 中的泳道 __swimlane__ 中的列表 __list__ 中的卡片 __card__ 中的标签 __label__ ", + "act-removedLabel": "移除看板 __board__ 中的泳道 __swimlane__ 中的列表 __list__ 中的卡片 __card__ 中的标签 __label__ ", "act-addChecklist": "添加清单 __checklist__ 到看板 __board__ 中的泳道 __swimlane__ 中的列表 __list__ 中的卡片 __card__ 中", "act-addChecklistItem": "添加清单项 __checklistItem__ 到看板 __board__ 中的泳道 __swimlane__ 中的列表 __list__ 中的卡片 __card__ 中的清单 __checklist__", "act-removeChecklist": "移除看板 __board__ 中的泳道 __swimlane__ 中的列表 __list__ 中的卡片 __card__ 中的清单 __checklist__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "看板 __board__ 中的泳道 __swimlane__ 中的列表 __list__ 中的卡片 __card__ 中的清单 __checklist__ 未完成", "act-addComment": "对看板 __board__ 中的泳道 __swimlane__ 中的列表 __list__ 中的卡片 __card__ 发表了评论: __comment__ ", "act-createBoard": "创建看板 __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "添加列表 __list__ 至看板 __board__", diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 6c5f194c..0f14c4a9 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -5,7 +5,9 @@ "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -16,6 +18,7 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", diff --git a/public/wekan-manifest.json b/public/wekan-manifest.json index e35583c0..ee223e8c 100644 --- a/public/wekan-manifest.json +++ b/public/wekan-manifest.json @@ -1,16 +1,16 @@ { - "name": "Kanban", - "short_name": "Kanban", + "name": "Wekan", + "short_name": "Wekan", "description": "The open-source kanban", "lang": "en-US", "icons": [ { - "src": "/logo-150.png", + "src": "/wekan-logo-150.png", "type": "image/png", "sizes": "150x150" }, { - "src": "/logo-150.svg", + "src": "/wekan-logo-150.svg", "type": "image/svg+xml", "sizes": "150x150" } diff --git a/server/notifications/outgoing.js b/server/notifications/outgoing.js index 257fbda1..30744555 100644 --- a/server/notifications/outgoing.js +++ b/server/notifications/outgoing.js @@ -18,7 +18,7 @@ Meteor.methods({ // label activity did not work yet, see wekan/models/activities.js const quoteParams = _.clone(params); - ['card', 'list', 'oldList', 'board', 'oldBoard', 'comment', 'checklist', 'swimlane', 'oldSwimlane'].forEach((key) => { + ['card', 'list', 'oldList', 'board', 'oldBoard', 'comment', 'checklist', 'swimlane', 'oldSwimlane', 'label'].forEach((key) => { if (quoteParams[key]) quoteParams[key] = `"${params[key]}"`; }); -- cgit v1.2.3-1-g7c22 From fab3ce46b8680b2de0237bb8298a05f688cdf121 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 25 Mar 2019 17:02:36 +0200 Subject: - Fix typos. - Fix Outgoing Webhook message about created new swimlane. Related #1969 --- CHANGELOG.md | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 9241e17e..2c5e4e26 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- Fix typos. +- [Fix Outgoing Webhook message about created new swimlane](https://github.com/wekan/wekan/issues/1969). + +Thanks to above GitHub users for their contributions and translators for their translations. + # v2.53 2019-03-23 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 0855e3e32f49a26c0a4326c9c71f7d40afece989 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 25 Mar 2019 17:04:29 +0200 Subject: Update translations. --- i18n/pt-BR.i18n.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 8230146f..5d82d841 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -18,7 +18,7 @@ "act-uncompleteChecklist": "lista de verificação incompleta __checklist__ no cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", "act-addComment": "comentou no cartão __card__: __comment__ na lista __list__ em raia __swimlane__ no quadro __board__", "act-createBoard": "criado quadro__board__", - "act-createSwimlane": "created swimlane __swimlane__ to board __board__", + "act-createSwimlane": "criada a raia __swimlane__ no quadro __board__", "act-createCard": "criado cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", "act-createCustomField": "criado campo customizado __customField__ no cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", "act-createList": "adicionada lista __list__ ao quadro __board__", @@ -31,7 +31,7 @@ "act-importCard": "importado cartão __card__ para lista __list__ em raia __swimlane__ no quadro __board__", "act-importList": "importada lista __list__ para raia __swimlane__ no quadro __board__", "act-joinMember": "adicionado membro __member__ ao cartão __card__ na lista __list__ em raia __swimlane__ no quadro __board__", - "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "movido cartão __card__ do quadro __board__ da raia __oldSwimlane__ da lista __oldList__ para a raia __swimlane__ na lista __list__ ", "act-moveCardToOtherBoard": "movido cartão __card__ da lista __oldList__ em raia __oldSwimlane__ no quadro __oldBoard__ para lista __list__ em raia __swimlane__ no quadro __board__", "act-removeBoardMember": "removido membro __member__ do quadro __board__", "act-restoredCard": "restaurado cartão __card__ a lista __list__ em raia __swimlane__ no quadro __board__", -- cgit v1.2.3-1-g7c22 From eec8f45de510cf92dfc37615420d3302630f5a20 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 25 Mar 2019 17:11:29 +0200 Subject: v2.54 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 2c5e4e26..d2e01068 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.54 2019-03-25 Wekan release This release fixes the following bugs: diff --git a/Stackerfile.yml b/Stackerfile.yml index 48f2b26a..42307f5e 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.53.0" +appVersion: "v2.54.0" files: userUploads: - README.md diff --git a/package.json b/package.json index d93acbb6..7a4dbac2 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.53.0", + "version": "v2.54.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 46b1beec..df54bd8f 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 255, + appVersion = 256, # Increment this for every release. - appMarketingVersion = (defaultText = "2.53.0~2019-03-23"), + appMarketingVersion = (defaultText = "2.54.0~2019-03-25"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 625682a4dab43c525494af10121edbfd547786d7 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 25 Mar 2019 18:57:35 +0200 Subject: - Use older api2html@0.3.0 to fix broken snap and docker build, because newer api2html caused [breaking change](https://github.com/tobilg/api2html/commit/a9a41bca18db3f9ec61395d7262eff071a995783) at api2html/bin/api2html.js:23 has error about "php: "PHP". Thanks to bentiss with Apache I-CLA ! Closes #2286 --- Dockerfile | 2 +- snapcraft.yaml | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/Dockerfile b/Dockerfile index 5f89a998..3a81a472 100644 --- a/Dockerfile +++ b/Dockerfile @@ -302,7 +302,7 @@ RUN \ gosu wekan:wekan /home/wekan/.meteor/meteor -- help; \ \ # extract the OpenAPI specification - npm install -g api2html && \ + npm install -g api2html@0.3.0 && \ mkdir -p /home/wekan/python && \ chown wekan:wekan --recursive /home/wekan/python && \ cd /home/wekan/python && \ diff --git a/snapcraft.yaml b/snapcraft.yaml index 2b4ab48b..e4b765a5 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -113,7 +113,7 @@ parts: mkdir -p ./public/api python3 ./openapi/generate_openapi.py --release $(git describe --tags --abbrev=0) > ./public/api/wekan.yml # we temporary need api2html and mkdirp - npm install -g api2html + npm install -g api2html@0.3.0 npm install -g mkdirp api2html -c ./public/logo-header.png -o ./public/api/wekan.html ./public/api/wekan.yml npm uninstall -g mkdirp -- cgit v1.2.3-1-g7c22 From 14c493fc630c1eade00db236799ec6cf58767d85 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 25 Mar 2019 19:11:35 +0200 Subject: v2.55 --- CHANGELOG.md | 12 ++++++++++++ Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 16 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index d2e01068..f457bdb6 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,15 @@ +# v2.55 2019-03-25 Wekan release + +This release fixes the following bugs, thanks to bentiss with Apache I-CLA: + +- [Use older api2html@0.3.0](https://github.com/wekan/wekan/commit/625682a4dab43c525494af10121edbfd547786d7) + to fix [broken snap and docker build](https://github.com/wekan/wekan/issues/2286), + because newer api2html caused + [breaking change](https://github.com/tobilg/api2html/commit/a9a41bca18db3f9ec61395d7262eff071a995783) + at api2html/bin/api2html.js:23 has error about "php": "PHP". + +Thanks to above GitHub users for their contributions and translators for their translations. + # v2.54 2019-03-25 Wekan release This release fixes the following bugs: diff --git a/Stackerfile.yml b/Stackerfile.yml index 42307f5e..dcf74149 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.54.0" +appVersion: "v2.55.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 7a4dbac2..afb4854b 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.54.0", + "version": "v2.55.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index df54bd8f..ac6d9f42 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 256, + appVersion = 257, # Increment this for every release. - appMarketingVersion = (defaultText = "2.54.0~2019-03-25"), + appMarketingVersion = (defaultText = "2.55.0~2019-03-25"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From fb163a24939e97756ac91361893c55ec760355fa Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Tue, 26 Mar 2019 15:13:35 +0100 Subject: list: simplify infinite scrolling Use IntersectionObserver instead of custom made one. This adds the benefit of not loading any extra cards if the list is not shown on screen --- client/components/lists/listBody.js | 61 +++++++++++-------------------------- 1 file changed, 17 insertions(+), 44 deletions(-) diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 7d767011..006f8f0d 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -8,25 +8,25 @@ BlazeComponent.extendComponent({ }, onRendered() { - const domElement = this.find('.js-perfect-scrollbar'); - - this.$(domElement).on('scroll', () => this.updateList(domElement)); - $(window).on(`resize.${this.data().listId}`, () => this.updateList(domElement)); - - // we add a Mutation Observer to allow propagations of cardlimit - // when the spinner stays in the current view (infinite scrolling) - this.mutationObserver = new MutationObserver(() => this.updateList(domElement)); - - this.mutationObserver.observe(domElement, { - childList: true, - }); + const spinner = this.find('.sk-spinner-list'); - this.updateList(domElement); - }, + if (spinner) { + const options = { + root: null, // we check if the spinner is on the current viewport + rootMargin: '0px', + threshold: 0.25, + }; + + const observer = new IntersectionObserver((entries) => { + entries.forEach((entry) => { + if (entry.isIntersecting) { + this.cardlimit.set(this.cardlimit.get() + InfiniteScrollIter); + } + }); + }, options); - onDestroyed() { - $(window).off(`resize.${this.data().listId}`); - this.mutationObserver.disconnect(); + observer.observe(spinner); + } }, mixins() { @@ -191,38 +191,11 @@ BlazeComponent.extendComponent({ }); }, - spinnerInView(container) { - const parentViewHeight = container.clientHeight; - const bottomViewPosition = container.scrollTop + parentViewHeight; - - const spinner = this.find('.sk-spinner-list'); - - const threshold = spinner.offsetTop; - - return bottomViewPosition > threshold; - }, - showSpinner(swimlaneId) { const list = Template.currentData(); return list.cards(swimlaneId).count() > this.cardlimit.get(); }, - updateList(container) { - // first, if the spinner is not rendered, we have reached the end of - // the list of cards, so skip and disable firing the events - const target = this.find('.sk-spinner-list'); - if (!target) { - this.$(container).off('scroll'); - $(window).off(`resize.${this.data().listId}`); - return; - } - - if (this.spinnerInView(container)) { - this.cardlimit.set(this.cardlimit.get() + InfiniteScrollIter); - Ps.update(container); - } - }, - canSeeAddCard() { return !this.reachedWipLimit() && Meteor.user() && Meteor.user().isBoardMember() && !Meteor.user().isCommentOnly(); }, -- cgit v1.2.3-1-g7c22 From 00376b43f82b1b751974e827931373595c40c0f7 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Tue, 26 Mar 2019 15:54:53 +0100 Subject: list: make sure the spinner of infinite scrolling doesn't show on load When loading a board on a high resolution screen, there is a chance there is not enough cards displayed and the spinner is still there, spinning forever. Add an idle callback that checks if the spinner is still there, and while it is there, extend the number of cards to show. Fixes #2250 --- client/components/lists/listBody.js | 13 ++++++++++--- 1 file changed, 10 insertions(+), 3 deletions(-) diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 006f8f0d..d6a62cc9 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -5,6 +5,7 @@ BlazeComponent.extendComponent({ onCreated() { // for infinite scrolling this.cardlimit = new ReactiveVar(InfiniteScrollIter); + this.spinnerShown = false; }, onRendered() { @@ -19,9 +20,8 @@ BlazeComponent.extendComponent({ const observer = new IntersectionObserver((entries) => { entries.forEach((entry) => { - if (entry.isIntersecting) { - this.cardlimit.set(this.cardlimit.get() + InfiniteScrollIter); - } + this.spinnerShown = entry.isIntersecting; + this.updateList(); }); }, options); @@ -29,6 +29,13 @@ BlazeComponent.extendComponent({ } }, + updateList() { + if (this.spinnerShown) { + this.cardlimit.set(this.cardlimit.get() + InfiniteScrollIter); + window.requestIdleCallback(() => this.updateList()); + } + }, + mixins() { return [Mixins.PerfectScrollbar]; }, -- cgit v1.2.3-1-g7c22 From cbb6c82113782c1ef235668ffb3c708431f6b400 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Tue, 26 Mar 2019 16:20:59 +0100 Subject: list: move the spinner into its own blaze component This way, when a list is at the maximum number of cards shown and adding a new card would make the spinner appear, the list would load the next N items. This can happen if user A and B are both looking at the same board, B adds a new cards, and A will see the spinner and will not be able to remove it. --- client/components/lists/listBody.jade | 19 +++++----- client/components/lists/listBody.js | 65 +++++++++++++++++++---------------- 2 files changed, 47 insertions(+), 37 deletions(-) diff --git a/client/components/lists/listBody.jade b/client/components/lists/listBody.jade index 876b43d6..61fec93a 100644 --- a/client/components/lists/listBody.jade +++ b/client/components/lists/listBody.jade @@ -13,14 +13,7 @@ template(name="listBody") class="{{#if MultiSelection.isSelected _id}}is-checked{{/if}}") +minicard(this) if (showSpinner (idOrNull ../../_id)) - .sk-spinner.sk-spinner-wave.sk-spinner-list( - class=currentBoard.colorClass - id="showMoreResults") - .sk-rect1 - .sk-rect2 - .sk-rect3 - .sk-rect4 - .sk-rect5 + +spinnerList if canSeeAddCard +inlinedForm(autoclose=false position="bottom") @@ -30,6 +23,16 @@ template(name="listBody") i.fa.fa-plus | {{_ 'add-card'}} +template(name="spinnerList") + .sk-spinner.sk-spinner-wave.sk-spinner-list( + class=currentBoard.colorClass + id="showMoreResults") + .sk-rect1 + .sk-rect2 + .sk-rect3 + .sk-rect4 + .sk-rect5 + template(name="addCardForm") .minicard.minicard-composer.js-composer if getLabels diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index d6a62cc9..2e6591e2 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -5,35 +5,6 @@ BlazeComponent.extendComponent({ onCreated() { // for infinite scrolling this.cardlimit = new ReactiveVar(InfiniteScrollIter); - this.spinnerShown = false; - }, - - onRendered() { - const spinner = this.find('.sk-spinner-list'); - - if (spinner) { - const options = { - root: null, // we check if the spinner is on the current viewport - rootMargin: '0px', - threshold: 0.25, - }; - - const observer = new IntersectionObserver((entries) => { - entries.forEach((entry) => { - this.spinnerShown = entry.isIntersecting; - this.updateList(); - }); - }, options); - - observer.observe(spinner); - } - }, - - updateList() { - if (this.spinnerShown) { - this.cardlimit.set(this.cardlimit.get() + InfiniteScrollIter); - window.requestIdleCallback(() => this.updateList()); - } }, mixins() { @@ -641,3 +612,39 @@ BlazeComponent.extendComponent({ }]; }, }).register('searchElementPopup'); + +BlazeComponent.extendComponent({ + onCreated() { + this.spinnerShown = false; + this.cardlimit = this.parentComponent().cardlimit; + }, + + onRendered() { + const spinner = this.find('.sk-spinner-list'); + + if (spinner) { + const options = { + root: null, // we check if the spinner is on the current viewport + rootMargin: '0px', + threshold: 0.25, + }; + + const observer = new IntersectionObserver((entries) => { + entries.forEach((entry) => { + this.spinnerShown = entry.isIntersecting; + this.updateList(); + }); + }, options); + + observer.observe(spinner); + } + }, + + updateList() { + if (this.spinnerShown) { + this.cardlimit.set(this.cardlimit.get() + InfiniteScrollIter); + window.requestIdleCallback(() => this.updateList()); + } + }, + +}).register('spinnerList'); -- cgit v1.2.3-1-g7c22 From e2d0faa539e287247ccd1208fe74705169749210 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Tue, 26 Mar 2019 16:22:55 +0100 Subject: list: disconnect infinite-scroll observer to prevent memory leak --- client/components/lists/listBody.js | 8 ++++++-- 1 file changed, 6 insertions(+), 2 deletions(-) diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 2e6591e2..112b6379 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -629,17 +629,21 @@ BlazeComponent.extendComponent({ threshold: 0.25, }; - const observer = new IntersectionObserver((entries) => { + this.observer = new IntersectionObserver((entries) => { entries.forEach((entry) => { this.spinnerShown = entry.isIntersecting; this.updateList(); }); }, options); - observer.observe(spinner); + this.observer.observe(spinner); } }, + onDestroyed() { + this.observer.disconnect(); + }, + updateList() { if (this.spinnerShown) { this.cardlimit.set(this.cardlimit.get() + InfiniteScrollIter); -- cgit v1.2.3-1-g7c22 From b0d507c2dda4f6630937db09cf235c8a478f2a3e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 27 Mar 2019 17:38:54 +0200 Subject: [Fixes the following bugs](https://github.com/wekan/wekan/pull/2287): - [#2250 -> the spinner could be shown on startup and never goes away](https://github.com/wekan/wekan/issues/2250). - The code will now only load extra cards that will be in the current viewport. - When 2 users were interacting on the same board, there was a situation where the spinner could show up on the other user, without being able to load the extra cards. - The code is now much simpler, thanks to the IntersectionObserver, and all of this for fewer lines of code :) Thanks to bentiss with Apache I-CLA ! Closes #2250 --- CHANGELOG.md | 11 +++++++++++ 1 file changed, 11 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index f457bdb6..9042add4 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,14 @@ +# Upcoming Wekan release + +This release [fixes the following bugs](https://github.com/wekan/wekan/pull/2287), thanks to bentiss with Apache I-CLA: + +- [#2250 -> the spinner could be shown on startup and never goes away](https://github.com/wekan/wekan/issues/2250). +- The code will now only load extra cards that will be in the current viewport. +- When 2 users were interacting on the same board, there was a situation where the spinner could show up on the other user, without being able to load the extra cards. +- The code is now much simpler, thanks to the IntersectionObserver, and all of this for fewer lines of code :) + +Thanks to above GitHub users for their contributions and translators for their translations. + # v2.55 2019-03-25 Wekan release This release fixes the following bugs, thanks to bentiss with Apache I-CLA: -- cgit v1.2.3-1-g7c22 From ad1a81e8a01408b542a508cf3968152d8b753680 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 27 Mar 2019 17:46:09 +0200 Subject: Update translations. --- i18n/de.i18n.json | 2 +- i18n/es.i18n.json | 8 ++++---- i18n/fr.i18n.json | 2 +- i18n/he.i18n.json | 12 ++++++------ i18n/pl.i18n.json | 8 ++++---- i18n/tr.i18n.json | 14 +++++++------- 6 files changed, 23 insertions(+), 23 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 58229e1e..c94ac1d2 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -18,7 +18,7 @@ "act-uncompleteChecklist": "unvollendete Checkliste __checklist__ der Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", "act-addComment": "kommentierte eine Karte __card__: __comment__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", "act-createBoard": "hat Board __board__ erstellt", - "act-createSwimlane": "created swimlane __swimlane__ to board __board__", + "act-createSwimlane": "erstellte Swimlane __swimlane__ auf Board __board__", "act-createCard": "erstellte Karte __card__ auf Liste __list__ bei Swimlane __swimlane__ an Board __board__", "act-createCustomField": "erstellte ein benutzerdefiniertes Feld __customField__ für Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", "act-createList": "hat Liste __list__ zu Board __board__ hinzugefügt", diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 18d5747e..e09c68bb 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -17,10 +17,10 @@ "act-completeChecklist": "completada la lista de verificación __checklist__ de la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", "act-uncompleteChecklist": "no completada la lista de verificación __checklist__ de la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", "act-addComment": "comentario en la tarjeta__card__: __comment__ de la lista __list__ del carril __swimlane__ del tablero __board__", - "act-createBoard": "creado el tablero __board__", - "act-createSwimlane": "created swimlane __swimlane__ to board __board__", + "act-createBoard": "creó el tablero __board__", + "act-createSwimlane": "creó el carril de flujo __swimlane__ en el tablero __board__", "act-createCard": "creada la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", - "act-createCustomField": "creado el campo personalizado __customField__ en la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", + "act-createCustomField": "creó el campo personalizado __customField__ en la tarjeta __card__ de la lista __list__ del carril __swimlane__ del tablero __board__", "act-createList": "añadida la lista __list__ al tablero __board__", "act-addBoardMember": "añadido el mimbro __member__ al tablero __board__", "act-archivedBoard": "El tablero __board__ se ha movido a Archivo", @@ -45,7 +45,7 @@ "activity-archived": "%s movido a Archivo", "activity-attached": "ha adjuntado %s a %s", "activity-created": "ha creado %s", - "activity-customfield-created": "creado el campo personalizado %s", + "activity-customfield-created": "creó el campo personalizado %s", "activity-excluded": "ha excluido %s de %s", "activity-imported": "ha importado %s a %s desde %s", "activity-imported-board": "ha importado %s desde %s", diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 22868b52..f5b3faab 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -18,7 +18,7 @@ "act-uncompleteChecklist": "a rendu incomplet la checklist __checklist__ de la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", "act-addComment": "a commenté la carte __card__ : __comment__ dans la liste __list__ du couloir __swimlane__ du tableau __board__", "act-createBoard": "a créé le tableau __board__", - "act-createSwimlane": "created swimlane __swimlane__ to board __board__", + "act-createSwimlane": "a créé le couloir __swimlane__ dans le tableau __board__", "act-createCard": "a créé la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", "act-createCustomField": "a créé le champ personnalisé __customField__ pour la carte __card__ de la liste __list__ du couloir __swimlane__ du tableau __board__", "act-createList": "a ajouté la liste __list__ au tableau __board__", diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 5c1d5ecd..489b4f61 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -8,9 +8,9 @@ "act-addedLabel": "התווית __label__ נוספה לכרטיס __card__ ברשימה __list__ למסלול __swimlane__ שבלוח __board__", "act-removeLabel": "התווית __label__ הוסרה מהכרטיס __card__ ברשימה __list__ מהמסלול __swimlane__ שבלוח __board__", "act-removedLabel": "התווית __label__ הוסרה מהכרטיס __card__ ברשימה __list__ מהמסלול __swimlane__ שבלוח __board__", - "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "נוספה רשימת מטלות __checklist__ לכרטיס __card__ ברשימה __list__ שבמסלול __swimlane__ בלוח __board__", "act-addChecklistItem": "נוסף פריט סימון __checklistItem__ לרשימת המטלות __checklist__ לכרטיס __card__ ברשימה __list__ במסלול __swimlane__ בלוח __board__", - "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "הוסרה רשימת מטלות __checklist__ מהכרטיס __card__ ברשימה __list__ שבמסלול __swimlane__ בלוח __board__", "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -18,9 +18,9 @@ "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createBoard": "הלוח __board__ נוצר", - "act-createSwimlane": "created swimlane __swimlane__ to board __board__", + "act-createSwimlane": "נוצר מסלול __swimlane__ בלוח __board__", "act-createCard": "הכרטיס __card__ נוצר ברשימה __list__ במסלול __swimlane__ שבלוח __board__", - "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "נוצר שדה בהתאמה אישית __customField__ בכרטיס __card__ שברשימה __list__ במסלול __swimlane__ שבלוח __board__", "act-createList": "הרשימה __list__ נוספה ללוח __board__", "act-addBoardMember": "החבר __member__ נוסף אל __board__", "act-archivedBoard": "הלוח __board__ הועבר לארכיון", @@ -571,8 +571,8 @@ "activity-added-label-card": "התווית ‚%s’ נוספה", "activity-removed-label-card": "התווית ‚%s’ הוסרה", "activity-delete-attach-card": "קובץ מצורף נמחק", - "activity-set-customfield": "set custom field '%s' to '%s' in %s", - "activity-unset-customfield": "unset custom field '%s' in %s", + "activity-set-customfield": "הגדרת שדה בהתאמה אישית ‚%s’ לערך ‚%s’ תחת %s", + "activity-unset-customfield": "ביטול הגדרת שדה בהתאמה אישית ‚%s’ תחת %s", "r-rule": "כלל", "r-add-trigger": "הוספת הקפצה", "r-add-action": "הוספת פעולה", diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index d25d5aee..b8235f13 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -18,7 +18,7 @@ "act-uncompleteChecklist": "Wycofano ukończenie wykonania listy __checklist__ na karcie __card__ na liście __list__ na diagramie czynności__ na tablicy __board__", "act-addComment": "Dodano komentarz na karcie __card__: __comment__ na liście __list__ na diagramie czynności __swimlane__ na tablicy __board__", "act-createBoard": "Utworzono tablicę __board__", - "act-createSwimlane": "created swimlane __swimlane__ to board __board__", + "act-createSwimlane": "utworzono diagram czynności __swimlane__ na tablicy __board__", "act-createCard": "Utworzono kartę __card__ na liście __list__ na diagramie czynności __swimlane__ na tablicy __board__", "act-createCustomField": "Utworzono niestandardowe pole __customField__ na karcie __card__ na liście __list__ na diagramie czynności__ na tablicy __board__", "act-createList": "Dodano listę __list__ do tablicy __board__", @@ -31,7 +31,7 @@ "act-importCard": "Zaimportowano kartę __card__ do listy __list__ na diagramie czynności __swimlane__ na tablicy __board__", "act-importList": "Zaimportowano listę __list__ na diagram czynności __swimlane__ do tablicy __board__", "act-joinMember": "Dodano użytkownika __member__ do karty __card__ na liście __list__ na diagramie czynności __swimlane__ na tablicy __board__", - "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "przeniesiono kartę __card__ na tablicy __board__ z listy __oldList__ na diagramie czynności __oldSwimlane__ na listę __list__ na diagramie czynności __swimlane__", "act-moveCardToOtherBoard": "Przeniesiono kartę __card__ z listy __oldList__ na diagramie czynności __oldSwimlane__ na tablicy __oldBoard__ do listy __listy__ na diagramie czynności __swimlane__ na tablicy __board__", "act-removeBoardMember": "Usunięto użytkownika __member__ z tablicy __board__", "act-restoredCard": "Przywrócono kartę __card__ na listę __list__ na diagram czynności__ na tablicy __board__", @@ -571,8 +571,8 @@ "activity-added-label-card": "dodał(a) etykietę '%s'", "activity-removed-label-card": "usunięto etykietę '%s'", "activity-delete-attach-card": "usunięto załącznik", - "activity-set-customfield": "set custom field '%s' to '%s' in %s", - "activity-unset-customfield": "unset custom field '%s' in %s", + "activity-set-customfield": "ustawiono niestandardowe pole '%s' do '%s' na '%s'", + "activity-unset-customfield": "wyczyszczono niestandardowe pole '%s' na '%s'", "r-rule": "Reguła", "r-add-trigger": "Dodaj przełącznik", "r-add-action": "Dodaj czynność", diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index ca1761b3..6f626453 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -17,17 +17,17 @@ "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-createBoard": "created board __board__", - "act-createSwimlane": "created swimlane __swimlane__ to board __board__", - "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "__board__ panosu oluşturuldu", + "act-createSwimlane": "__board__ panosuna __swimlane__ kulvarı oluşturuldu", + "act-createCard": "__board__ panosunun __swimlane__ kulvarının __list__ listesinin __card__ kartı oluşturuldu", "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-createList": "added list __list__ to board __board__", - "act-addBoardMember": "added member __member__ to board __board__", - "act-archivedBoard": "Board __board__ moved to Archive", + "act-addBoardMember": "__board__ panosuna __member__ kullanıcısı eklendi", + "act-archivedBoard": "__board__ panosu Arşiv'e taşındı", "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", - "act-importBoard": "imported board __board__", + "act-importBoard": "__board__ panosu içeriye aktarıldı", "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -125,7 +125,7 @@ "boardChangeTitlePopup-title": "Panonun Adını Değiştir", "boardChangeVisibilityPopup-title": "Görünebilirliği Değiştir", "boardChangeWatchPopup-title": "İzleme Durumunu Değiştir", - "boardMenuPopup-title": "Board Settings", + "boardMenuPopup-title": "Pano Ayarları", "boards": "Panolar", "board-view": "Pano Görünümü", "board-view-cal": "Takvim", -- cgit v1.2.3-1-g7c22 From 494d44f8bb6c575161449c42c100999cf0aa648f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Wed, 27 Mar 2019 17:51:54 +0200 Subject: v2.56 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 9042add4..a141dd4f 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.56 2019-03-27 Wekan release This release [fixes the following bugs](https://github.com/wekan/wekan/pull/2287), thanks to bentiss with Apache I-CLA: diff --git a/Stackerfile.yml b/Stackerfile.yml index dcf74149..c4160e28 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.55.0" +appVersion: "v2.56.0" files: userUploads: - README.md diff --git a/package.json b/package.json index afb4854b..b9ae427a 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.55.0", + "version": "v2.56.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index ac6d9f42..61b19d34 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 257, + appVersion = 258, # Increment this for every release. - appMarketingVersion = (defaultText = "2.55.0~2019-03-25"), + appMarketingVersion = (defaultText = "2.56.0~2019-03-27"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From bab340a8491a1a938fb31ac3f1dedfbf3a3381e3 Mon Sep 17 00:00:00 2001 From: justinr1234 Date: Thu, 28 Mar 2019 19:38:02 -0500 Subject: Add proper variables for join card Fixes #2285 --- models/cards.js | 3 +++ 1 file changed, 3 insertions(+) diff --git a/models/cards.js b/models/cards.js index be7e2b77..12488354 100644 --- a/models/cards.js +++ b/models/cards.js @@ -1384,6 +1384,9 @@ function cardMembers(userId, doc, fieldNames, modifier) { activityType: 'joinMember', boardId: doc.boardId, cardId: doc._id, + memberId, + listId: doc.listId, + swimlaneId: doc.swimlaneId, }); } } -- cgit v1.2.3-1-g7c22 From df32545b07658626359405eeb97be2c86964dfc4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 29 Mar 2019 14:27:37 +0200 Subject: Revert spinner etc fixes of Wekan v2.56, because of some new bugs. Thanks to gerroon ! Related #2250 --- client/components/lists/listBody.jade | 19 ++++---- client/components/lists/listBody.js | 89 +++++++++++++++++++---------------- 2 files changed, 57 insertions(+), 51 deletions(-) diff --git a/client/components/lists/listBody.jade b/client/components/lists/listBody.jade index 61fec93a..876b43d6 100644 --- a/client/components/lists/listBody.jade +++ b/client/components/lists/listBody.jade @@ -13,7 +13,14 @@ template(name="listBody") class="{{#if MultiSelection.isSelected _id}}is-checked{{/if}}") +minicard(this) if (showSpinner (idOrNull ../../_id)) - +spinnerList + .sk-spinner.sk-spinner-wave.sk-spinner-list( + class=currentBoard.colorClass + id="showMoreResults") + .sk-rect1 + .sk-rect2 + .sk-rect3 + .sk-rect4 + .sk-rect5 if canSeeAddCard +inlinedForm(autoclose=false position="bottom") @@ -23,16 +30,6 @@ template(name="listBody") i.fa.fa-plus | {{_ 'add-card'}} -template(name="spinnerList") - .sk-spinner.sk-spinner-wave.sk-spinner-list( - class=currentBoard.colorClass - id="showMoreResults") - .sk-rect1 - .sk-rect2 - .sk-rect3 - .sk-rect4 - .sk-rect5 - template(name="addCardForm") .minicard.minicard-composer.js-composer if getLabels diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 112b6379..7d767011 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -7,6 +7,28 @@ BlazeComponent.extendComponent({ this.cardlimit = new ReactiveVar(InfiniteScrollIter); }, + onRendered() { + const domElement = this.find('.js-perfect-scrollbar'); + + this.$(domElement).on('scroll', () => this.updateList(domElement)); + $(window).on(`resize.${this.data().listId}`, () => this.updateList(domElement)); + + // we add a Mutation Observer to allow propagations of cardlimit + // when the spinner stays in the current view (infinite scrolling) + this.mutationObserver = new MutationObserver(() => this.updateList(domElement)); + + this.mutationObserver.observe(domElement, { + childList: true, + }); + + this.updateList(domElement); + }, + + onDestroyed() { + $(window).off(`resize.${this.data().listId}`); + this.mutationObserver.disconnect(); + }, + mixins() { return [Mixins.PerfectScrollbar]; }, @@ -169,11 +191,38 @@ BlazeComponent.extendComponent({ }); }, + spinnerInView(container) { + const parentViewHeight = container.clientHeight; + const bottomViewPosition = container.scrollTop + parentViewHeight; + + const spinner = this.find('.sk-spinner-list'); + + const threshold = spinner.offsetTop; + + return bottomViewPosition > threshold; + }, + showSpinner(swimlaneId) { const list = Template.currentData(); return list.cards(swimlaneId).count() > this.cardlimit.get(); }, + updateList(container) { + // first, if the spinner is not rendered, we have reached the end of + // the list of cards, so skip and disable firing the events + const target = this.find('.sk-spinner-list'); + if (!target) { + this.$(container).off('scroll'); + $(window).off(`resize.${this.data().listId}`); + return; + } + + if (this.spinnerInView(container)) { + this.cardlimit.set(this.cardlimit.get() + InfiniteScrollIter); + Ps.update(container); + } + }, + canSeeAddCard() { return !this.reachedWipLimit() && Meteor.user() && Meteor.user().isBoardMember() && !Meteor.user().isCommentOnly(); }, @@ -612,43 +661,3 @@ BlazeComponent.extendComponent({ }]; }, }).register('searchElementPopup'); - -BlazeComponent.extendComponent({ - onCreated() { - this.spinnerShown = false; - this.cardlimit = this.parentComponent().cardlimit; - }, - - onRendered() { - const spinner = this.find('.sk-spinner-list'); - - if (spinner) { - const options = { - root: null, // we check if the spinner is on the current viewport - rootMargin: '0px', - threshold: 0.25, - }; - - this.observer = new IntersectionObserver((entries) => { - entries.forEach((entry) => { - this.spinnerShown = entry.isIntersecting; - this.updateList(); - }); - }, options); - - this.observer.observe(spinner); - } - }, - - onDestroyed() { - this.observer.disconnect(); - }, - - updateList() { - if (this.spinnerShown) { - this.cardlimit.set(this.cardlimit.get() + InfiniteScrollIter); - window.requestIdleCallback(() => this.updateList()); - } - }, - -}).register('spinnerList'); -- cgit v1.2.3-1-g7c22 From 0e422eb70dabe42347a0ccc01b23cba490b67f1c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 29 Mar 2019 14:31:26 +0200 Subject: [Revert spinner etc fixes of Wekan v2.56, because of some new bugs](https://github.com/wekan/wekan/issues/2250). Thanks to gerroon ! Related #2250 --- CHANGELOG.md | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index a141dd4f..c6878ab9 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# Upcoming Wekan release + +This release reverts the following fixes: + +- [Revert spinner etc fixes of Wekan v2.56, because of some new bugs](https://github.com/wekan/wekan/issues/2250). + Thanks to gerroon. + +Thanks to above GitHub users for their contributions and translators for their translations. + # v2.56 2019-03-27 Wekan release This release [fixes the following bugs](https://github.com/wekan/wekan/pull/2287), thanks to bentiss with Apache I-CLA: -- cgit v1.2.3-1-g7c22 From 6b9ac52af64fecb82ad7f43f9b27a9344f23fbb9 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 29 Mar 2019 14:34:24 +0200 Subject: Update translations. --- i18n/de.i18n.json | 68 ++++++++--------- i18n/mk.i18n.json | 216 +++++++++++++++++++++++++++--------------------------- i18n/ru.i18n.json | 2 +- 3 files changed, 143 insertions(+), 143 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index c94ac1d2..86a091eb 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -1,41 +1,41 @@ { "accept": "Akzeptieren", "act-activity-notify": "Aktivitätsbenachrichtigung", - "act-addAttachment": "hat Anhang __attachment__ zur Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__ angehängt", - "act-deleteAttachment": "löschte Anhang __attachment__ zur Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", - "act-addSubtask": "hat Teilaufgabe __subtask__ zur Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board angehängt", - "act-addLabel": "hat Label __label__ zur Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__ angehängt", - "act-addedLabel": "hat Label __label__ zur Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__ angehängt", - "act-removeLabel": "entfernte Label __label__ zur Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", - "act-removedLabel": "entfernte Label __label__ zur Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", - "act-addChecklist": "hat Checkliste __checklist__ zur Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__ angehängt", - "act-addChecklistItem": "hat Checklistenposition __checklistItem__ zu Checkliste __checkList__ zur Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__ angehängt", - "act-removeChecklist": "entfernt Checkliste __checklist__ zur Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", - "act-removeChecklistItem": "entfernt Checklistenposition __checklistItem__ von Checkliste __checkList__ zur Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", - "act-checkedItem": "hakte __checklistItem__ von der Checkliste __checklist__ der Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__ ab", - "act-uncheckedItem": "unabgehakt __checklistItem__ von der Checkliste __checklist__ der Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", - "act-completeChecklist": "vervollständigte Checkliste __checklist__ der Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", - "act-uncompleteChecklist": "unvollendete Checkliste __checklist__ der Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", - "act-addComment": "kommentierte eine Karte __card__: __comment__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", + "act-addAttachment": "hat Anhang __attachment__ zur Karte __card__ auf der Liste __list__ in Swimlane __swimlane__ in Board __board__ hinzugefügt", + "act-deleteAttachment": "hat Anhang __attachment__ von Karte __card__ auf der Liste __list__ in Swimlane __swimlane__ in Board __board__ gelöscht", + "act-addSubtask": "hat Teilaufgabe __subtask__ zur Karte __card__ auf der Liste __list__ in Swimlane __swimlane__ in Board __board__ hinzugefügt", + "act-addLabel": "hat Label __label__ zur Karte __card__ auf der Liste __list__ in Swimlane __swimlane__ in Board __board__ hinzugefügt", + "act-addedLabel": "hat Label __label__ zur Karte __card__ auf der Liste __list__ in Swimlane __swimlane__ in Board __board__ hinzugefügt", + "act-removeLabel": "hat Label __label__ von Karte __card__ auf der Liste __list__ in Swimlane __swimlane__ in Board __board__ entfernt", + "act-removedLabel": "hat Label __label__ von Karte __card__ auf der Liste __list__ in Swimlane __swimlane__ in Board __board__ entfernt", + "act-addChecklist": "hat Checkliste __checklist__ zur Karte __card__ auf der Liste __list__ in Swimlane __swimlane__ in Board __board__ hinzugefügt", + "act-addChecklistItem": "hat Checklistenposition __checklistItem__ zu Checkliste __checkList__ auf der Karte __card__ auf der Liste __list__ in Swimlane __swimlane__ in Board __board__ hinzugefügt", + "act-removeChecklist": "hat Checkliste __checklist__ von Karte __card__ auf der Liste __list__ in Swimlane __swimlane__ in Board __board__ entfernt", + "act-removeChecklistItem": "hat Checklistenposition __checklistItem__ von Checkliste __checkList__ auf der Karte __card__ auf der Liste __list__ in Swimlane __swimlane__ in Board __board__ entfernt", + "act-checkedItem": "hat __checklistItem__ der Checkliste __checklist__ der Karte __card__ auf der Liste __list__ in Swimlane __swimlane__ in Board __board__ abgehakt", + "act-uncheckedItem": "hat Haken von __checklistItem__ der Checkliste __checklist__ der Karte __card__ auf der Liste __list__ in Swimlane __swimlane__ in Board __board__ entfernt", + "act-completeChecklist": "hat Checkliste __checklist__ der Karte __card__ auf der Liste __list__ in Swimlane __swimlane__ in Board __board__ vervollständigt", + "act-uncompleteChecklist": "hat Checkliste __checklist__ der Karte __card__ auf der Liste __list__ in Swimlane __swimlane__ in Board __board__ unvervollständigt", + "act-addComment": "hat Karte __card__ auf der Liste __list__ in Swimlane __swimlane__ in Board __board__ kommentiert: __comment__", "act-createBoard": "hat Board __board__ erstellt", - "act-createSwimlane": "erstellte Swimlane __swimlane__ auf Board __board__", - "act-createCard": "erstellte Karte __card__ auf Liste __list__ bei Swimlane __swimlane__ an Board __board__", - "act-createCustomField": "erstellte ein benutzerdefiniertes Feld __customField__ für Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", + "act-createSwimlane": "hat Swimlane __swimlane__ in Board __board__ erstellt", + "act-createCard": "hat Karte __card__ auf der Liste __list__ in Swimlane __swimlane__ in Board __board__ erstellt", + "act-createCustomField": "hat das benutzerdefinierte Feld __customField__ auf Karte __card__ auf der Liste __list__ in Swimlane __swimlane__ in Board __board__ erstellt", "act-createList": "hat Liste __list__ zu Board __board__ hinzugefügt", "act-addBoardMember": "hat Mitglied __member__ zu Board __board__ hinzugefügt", - "act-archivedBoard": "Board __board__ ins Archiv verschoben", - "act-archivedCard": "Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ von Board __board__ ins Archiv verschoben", - "act-archivedList": "Liste __list__ bei Swimlane __swimlane__ von Board __board__ ins Archiv verschoben", - "act-archivedSwimlane": "Swimlane __swimlane__ von Board __board__ ins Archiv verschoben", - "act-importBoard": "importiert Board __board__", - "act-importCard": "importiert Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ in Board __board__ ", - "act-importList": "importiert Liste __list__ bei Swimlane __swimlane__ in Board __board__ ", - "act-joinMember": "fügt Mitglied __member__ der Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__ hinzu", - "act-moveCard": "verschiebt Karte __card__ auf Board __board__ von Liste __oldList__ in Swimlane __oldSwimlane__ zu Liste __list__ in Swimlane __swimlane__", - "act-moveCardToOtherBoard": "verschiebt Karte __card__ von Liste __oldList__ von Swimlane __oldSwimlane__ von Board __oldBoard__ nach Liste __list__ in Swimlane __swimlane__ zu Board __board__", - "act-removeBoardMember": "entfernte Mitglied __member__ vom Board __board__", - "act-restoredCard": "wiederherstellte Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", - "act-unjoinMember": "entfernte Mitglied __member__ von Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", + "act-archivedBoard": "hat Board __board__ ins Archiv verschoben", + "act-archivedCard": "hat Karte __card__ von der Liste __list__ in Swimlane __swimlane__ in Board __board__ ins Archiv verschoben", + "act-archivedList": "hat Liste __list__ in Swimlane __swimlane__ in Board __board__ ins Archiv verschoben", + "act-archivedSwimlane": "hat Swimlane __swimlane__ von Board __board__ ins Archiv verschoben", + "act-importBoard": "hat Board __board__ importiert", + "act-importCard": "hat Karte __card__ in Liste __list__ in Swimlane __swimlane__ in Board __board__ importiert", + "act-importList": "hat Liste __list__ in Swimlane __swimlane__ in Board __board__ importiert", + "act-joinMember": "hat Mitglied __member__ zur Karte __card__ auf der Liste __list__ in Swimlane __swimlane__ in Board __board__ hinzugefügt", + "act-moveCard": "hat Karte __card__ in Board __board__ von Liste __oldList__ in Swimlane __oldSwimlane__ zu Liste __list__ in Swimlane __swimlane__ verschoben", + "act-moveCardToOtherBoard": "hat Karte __card__ von Liste __oldList__ in Swimlane __oldSwimlane__ in Board __oldBoard__ zu Liste __list__ in Swimlane __swimlane__ in Board __board__ verschoben", + "act-removeBoardMember": "hat Mitglied __member__ von Board __board__ entfernt", + "act-restoredCard": "hat Karte __card__ auf der Liste __list__ in Swimlane __swimlane__ in Board __board__ wiederhergestellt", + "act-unjoinMember": "hat Mitglied __member__ von Karte __card__ auf der Liste __list__ in Swimlane __swimlane__ in Board __board__ entfernt", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Aktionen", @@ -60,14 +60,14 @@ "activity-unchecked-item": "hat %s in Checkliste %s von %s abgewählt", "activity-checklist-added": "hat eine Checkliste zu %s hinzugefügt", "activity-checklist-removed": "entfernte eine Checkliste von %s", - "activity-checklist-completed": "vervollständigte Checkliste __checklist__ der Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", + "activity-checklist-completed": "hat Checkliste __checklist__ der Karte __card__ auf der Liste __list__ in Swimlane __swimlane__ in Board __board__ vervollständigt", "activity-checklist-uncompleted": "unvervollständigte die Checkliste %s von %s", "activity-checklist-item-added": "hat ein Checklistenelement zu '%s' in %s hinzugefügt", "activity-checklist-item-removed": "hat ein Checklistenelement von '%s' in %s entfernt", "add": "Hinzufügen", "activity-checked-item-card": "markiere %s in Checkliste %s", "activity-unchecked-item-card": "hat %s in Checkliste %s abgewählt", - "activity-checklist-completed-card": "vervollständigte Checkliste __checklist__ der Karte __card__ auf der Liste __list__ bei Swimlane __swimlane__ an Board __board__", + "activity-checklist-completed-card": "hat Checkliste __checklist__ der Karte __card__ auf der Liste __list__ in Swimlane __swimlane__ in Board __board__ vervollständigt", "activity-checklist-uncompleted-card": "unvervollständigte die Checkliste %s", "add-attachment": "Datei anhängen", "add-board": "neues Board", diff --git a/i18n/mk.i18n.json b/i18n/mk.i18n.json index 5fd29479..10489c66 100644 --- a/i18n/mk.i18n.json +++ b/i18n/mk.i18n.json @@ -1,5 +1,5 @@ { - "accept": "Приемам", + "accept": "Прифати", "act-activity-notify": "Activity Notification", "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -38,11 +38,11 @@ "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", - "actions": "Действия", - "activities": "Действия", - "activity": "Дейности", + "actions": "Акции", + "activities": "Активности", + "activity": "Активност", "activity-added": "добави %s към %s", - "activity-archived": "%s е преместена в Архива", + "activity-archived": "%s е преместена во Архива", "activity-attached": "прикачи %s към %s", "activity-created": "създаде %s", "activity-customfield-created": "създаде собствено поле %s", @@ -69,56 +69,56 @@ "activity-unchecked-item-card": "размаркира %s в чеклист %s", "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted-card": "\"отзавърши\" чеклистта %s", - "add-attachment": "Добави прикачен файл", - "add-board": "Добави Табло", - "add-card": "Добави карта", - "add-swimlane": "Добави коридор", - "add-subtask": "Добави подзадача", - "add-checklist": "Добави списък със задачи", - "add-checklist-item": "Добави точка към списъка със задачи", - "add-cover": "Добави корица", - "add-label": "Добави етикет", - "add-list": "Добави списък", - "add-members": "Добави членове", - "added": "Добавено", - "addMemberPopup-title": "Членове", + "add-attachment": "Додај прилог", + "add-board": "Додади Табла", + "add-card": "Додади Картичка", + "add-swimlane": "Додади Коридор", + "add-subtask": "Додади подзадача", + "add-checklist": "Додади список на задачи", + "add-checklist-item": "Додади точка во списокот со задачи", + "add-cover": "Додади корица", + "add-label": "Додади етикета", + "add-list": "Додади листа", + "add-members": "Додави членови", + "added": "Додадено", + "addMemberPopup-title": "Членови", "admin": "Администратор", "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", "admin-announcement": "Съобщение", "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Съобщение от администратора", - "all-boards": "Всички табла", - "and-n-other-card": "И __count__ друга карта", - "and-n-other-card_plural": "И __count__ други карти", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "Сите табли", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", "apply": "Приложи", "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", - "archive": "Премести в Архива", - "archive-all": "Премести всички в Архива", - "archive-board": "Премести Таблото в Архива", - "archive-card": "Премести Картата в Архива", - "archive-list": "Премести Списъка в Архива", - "archive-swimlane": "Премести Коридора в Архива", - "archive-selection": "Премести избраното в Архива", - "archiveBoardPopup-title": "Да преместя ли Таблото в Архива?", - "archived-items": "Архив", - "archived-boards": "Табла в Архива", + "archive": "Премести во Архива", + "archive-all": "Премести всички во Архива", + "archive-board": "Премести Таблото во Архива", + "archive-card": "Премести Картата во Архива", + "archive-list": "Премести Списъка во Архива", + "archive-swimlane": "Премести Коридора во Архива", + "archive-selection": "Премести избраното во Архива", + "archiveBoardPopup-title": "Да преместя ли Таблото во Архива?", + "archived-items": "Архива", + "archived-boards": "Табла во Архива", "restore-board": "Възстанови Таблото", - "no-archived-boards": "Няма Табла в Архива.", - "archives": "Архив", + "no-archived-boards": "Няма Табла во Архива.", + "archives": "Архива", "template": "Template", "templates": "Templates", "assign-member": "Възложи на член от екипа", "attached": "прикачен", - "attachment": "Прикаченн файл", - "attachment-delete-pop": "Изтриването на прикачен файл е завинаги. Няма как да бъде възстановен.", - "attachmentDeletePopup-title": "Желаете ли да изтриете прикачения файл?", - "attachments": "Прикачени файлове", + "attachment": "Прикаченн датотека", + "attachment-delete-pop": "Изтриването на прикачен датотека е завинаги. Няма как да бъде възстановен.", + "attachmentDeletePopup-title": "Желаете ли да изтриете прикачения датотека?", + "attachments": "Прикачени датотеки", "auto-watch": "Автоматично наблюдаване на таблата, когато са създадени", "avatar-too-big": "Аватарът е прекалено голям (максимум 70KB)", "back": "Назад", - "board-change-color": "Промени цвета", + "board-change-color": "Промени боја", "board-nb-stars": "%s звезди", - "board-not-found": "Таблото не е намерено", + "board-not-found": "Таблото не е најдено", "board-private-info": "This board will be private.", "board-public-info": "This board will be public.", "boardChangeColorPopup-title": "Change Board Background", @@ -126,69 +126,69 @@ "boardChangeVisibilityPopup-title": "Change Visibility", "boardChangeWatchPopup-title": "Промени наблюдаването", "boardMenuPopup-title": "Board Settings", - "boards": "Табла", + "boards": "Табли", "board-view": "Board View", "board-view-cal": "Календар", "board-view-swimlanes": "Коридори", - "board-view-lists": "Списъци", + "board-view-lists": "Листи", "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "Тази карта е преместена в Архива.", - "board-archived": "Това табло е преместено в Архива.", + "cancel": "Откажи", + "card-archived": "Тази карта е преместена во Архива.", + "board-archived": "Това табло е преместено во Архива.", "card-comments-title": "Тази карта има %s коментар.", "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "Можете да преместите картата в Архива, за да я премахнете от Таблото и така да запазите активността в него.", + "card-delete-suggest-archive": "Можете да преместите картата во Архива, за да я премахнете от Таблото и така да запазите активността в него.", "card-due": "Готова за", "card-due-on": "Готова за", "card-spent": "Изработено време", - "card-edit-attachments": "Промени прикачените файлове", + "card-edit-attachments": "Промени прикачените датотеки", "card-edit-custom-fields": "Промени собствените полета", "card-edit-labels": "Промени етикетите", "card-edit-members": "Промени членовете", "card-labels-title": "Промени етикетите за картата.", "card-members-title": "Добави или премахни членове на Таблото от тази карта.", - "card-start": "Начало", - "card-start-on": "Започва на", + "card-start": "Започнува", + "card-start-on": "Започнува на", "cardAttachmentsPopup-title": "Прикачи от", "cardCustomField-datePopup-title": "Промени датата", "cardCustomFieldsPopup-title": "Промени собствените полета", "cardDeletePopup-title": "Желаете да изтриете картата?", "cardDetailsActionsPopup-title": "Опции", "cardLabelsPopup-title": "Етикети", - "cardMembersPopup-title": "Членове", - "cardMorePopup-title": "Още", + "cardMembersPopup-title": "Членови", + "cardMorePopup-title": "Повеќе", "cardTemplatePopup-title": "Create template", - "cards": "Карти", - "cards-count": "Карти", + "cards": "Картички", + "cards-count": "Картички", "casSignIn": "Sign In with CAS", "cardType-card": "Карта", - "cardType-linkedCard": "Свързана карта", + "cardType-linkedCard": "Поврзана карта", "cardType-linkedBoard": "Свързано табло", "change": "Промени", "change-avatar": "Промени аватара", - "change-password": "Промени паролата", - "change-permissions": "Промени правата", - "change-settings": "Промени настройките", - "changeAvatarPopup-title": "Промени аватара", - "changeLanguagePopup-title": "Промени езика", - "changePasswordPopup-title": "Промени паролата", - "changePermissionsPopup-title": "Промени правата", - "changeSettingsPopup-title": "Промяна на настройките", + "change-password": "Промени лозинка", + "change-permissions": "Промени права", + "change-settings": "Промени параметри", + "changeAvatarPopup-title": "Промени аватар", + "changeLanguagePopup-title": "Промени јазик", + "changePasswordPopup-title": "Промени лозинка", + "changePermissionsPopup-title": "Промени права", + "changeSettingsPopup-title": "Промени параметри", "subtasks": "Подзадачи", "checklists": "Списъци със задачи", "click-to-star": "Click to star this board.", "click-to-unstar": "Натиснете, за да премахнете това табло от любими.", "clipboard": "Клипборда или с драг & дроп", "close": "Затвори", - "close-board": "Затвори Таблото", - "close-board-pop": "Ще можете да възстановите Таблото като натиснете на бутона \"Архив\" в началото на хедъра.", - "color-black": "черно", - "color-blue": "синьо", + "close-board": "Затвори Табла", + "close-board-pop": "Ще можете да възстановите Таблото като натиснете на бутона \"Архива\" в началото на хедъра.", + "color-black": "црно", + "color-blue": "сино", "color-crimson": "crimson", "color-darkgreen": "darkgreen", - "color-gold": "gold", - "color-gray": "gray", + "color-gold": "златно", + "color-gray": "сиво", "color-green": "зелено", "color-indigo": "indigo", "color-lime": "лайм", @@ -209,28 +209,28 @@ "color-white": "бяло", "color-yellow": "жълто", "unset-color": "Unset", - "comment": "Коментирай", + "comment": "Коментирај", "comment-placeholder": "Напиши коментар", - "comment-only": "Само коментар", + "comment-only": "Само коментари", "comment-only-desc": "Може да коментира само в карти.", - "no-comments": "Няма коментари", + "no-comments": "Нема коментари", "no-comments-desc": "Can not see comments and activities.", - "computer": "Компютър", - "confirm-subtask-delete-dialog": "Сигурен ли сте, че искате да изтриете подзадачата?", - "confirm-checklist-delete-dialog": "Сигурни ли сте, че искате да изтриете този чеклист?", + "computer": "Компјутер", + "confirm-subtask-delete-dialog": "Сигурен ли сте, дека сакате да изтриете подзадачата?", + "confirm-checklist-delete-dialog": "Сигурни ли сте, дека сакате да изтриете този чеклист?", "copy-card-link-to-clipboard": "Копирай връзката на картата в клипборда", - "linkCardPopup-title": "Свържи картата", - "searchElementPopup-title": "Търсене", - "copyCardPopup-title": "Копирай картата", + "linkCardPopup-title": "Поврзи картичка", + "searchElementPopup-title": "Барај", + "copyCardPopup-title": "Копирај картичка", "copyChecklistToManyCardsPopup-title": "Копирай чеклисти в други карти", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Създай", - "createBoardPopup-title": "Създай Табло", + "create": "Креирај", + "createBoardPopup-title": "Креирај Табло", "chooseBoardSourcePopup-title": "Импортирай Табло", - "createLabelPopup-title": "Създай Табло", - "createCustomField": "Създай Поле", - "createCustomFieldPopup-title": "Създай Поле", + "createLabelPopup-title": "Креирај Табло", + "createCustomField": "Креирај Поле", + "createCustomFieldPopup-title": "Креирај Поле", "current": "сегашен", "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", "custom-field-checkbox": "Чекбокс", @@ -240,13 +240,13 @@ "custom-field-dropdown-options": "List Options", "custom-field-dropdown-options-placeholder": "Press enter to add more options", "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Номер", + "custom-field-number": "Број", "custom-field-text": "Текст", "custom-fields": "Собствени полета", "date": "Дата", - "decline": "Отказ", + "decline": "Откажи", "default-avatar": "Основен аватар", - "delete": "Изтрий", + "delete": "Избриши", "deleteCustomFieldPopup-title": "Изтриване на Собственото поле?", "deleteLabelPopup-title": "Желаете да изтриете етикета?", "description": "Описание", @@ -272,8 +272,8 @@ "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", "email-fail": "Неуспешно изпращане на имейла", "email-fail-text": "Възникна грешка при изпращането на имейла", - "email-invalid": "Невалиден имейл", - "email-invite": "Покани чрез имейл", + "email-invalid": "Невалиден е-маил", + "email-invite": "Покани чрез е-маил", "email-invite-subject": "__inviter__ sent you an invitation", "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", "email-resetPassword-subject": "Reset your password on __siteName__", @@ -294,7 +294,7 @@ "error-username-taken": "Това потребителско име е вече заето", "error-email-taken": "Имейлът е вече зает", "export-board": "Експортиране на Табло", - "filter": "Филтър", + "filter": "Филтер", "filter-cards": "Филтрирай картите", "filter-clear": "Премахване на филтрите", "filter-no-label": "без етикет", @@ -303,15 +303,15 @@ "filter-on": "Има приложени филтри", "filter-on-desc": "В момента филтрирате картите в това табло. Моля, натиснете тук, за да промените филтъра.", "filter-to-selection": "Филтрирай избраните", - "advanced-filter-label": "Advanced Filter", + "advanced-filter-label": "Напреден филтер", "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", "fullname": "Име", "header-logo-title": "Назад към страницата с Вашите табла.", "hide-system-messages": "Скриване на системните съобщения", - "headerBarCreateBoardPopup-title": "Създай Табло", - "home": "Начало", + "headerBarCreateBoardPopup-title": "Креирај Табло", + "home": "Почетна", "import": "Импорт", - "link": "Връзка", + "link": "Врска", "import-board": "Импортирай Табло", "import-board-c": "Импортирай Табло", "import-board-title-trello": "Импорт на табло от Trello", @@ -337,7 +337,7 @@ "joined": "присъедини", "just-invited": "Бяхте поканени в това табло", "keyboard-shortcuts": "Преки пътища с клавиатурата", - "label-create": "Създай етикет", + "label-create": "Креирај етикет", "label-default": "%s етикет (по подразбиране)", "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", "labels": "Етикети", @@ -347,8 +347,8 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "Leave Board ?", "link-card": "Връзка към тази карта", - "list-archive-cards": "Премести всички карти от този списък в Архива", - "list-archive-cards-pop": "Това ще премахне всички карти от този Списък от Таблото. За да видите картите в Архива и да ги върнете натиснете на \"Меню\" > \"Архив\".", + "list-archive-cards": "Премести всички карти от този списък во Архива", + "list-archive-cards-pop": "Това ще премахне всички карти от този Списък от Таблото. За да видите картите во Архива и да ги върнете натиснете на \"Меню\" > \"Архива\".", "list-move-cards": "Премести всички карти в този списък", "list-select-cards": "Избери всички карти в този списък", "set-color-list": "Set Color", @@ -359,7 +359,7 @@ "listMorePopup-title": "Още", "link-list": "Връзка към този списък", "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "Можете да преместите списъка в Архива, за да го премахнете от Таблото и така да запазите активността в него.", + "list-delete-suggest-archive": "Можете да преместите списъка во Архива, за да го премахнете от Таблото и така да запазите активността в него.", "lists": "Списъци", "swimlanes": "Коридори", "log-out": "Изход", @@ -379,9 +379,9 @@ "muted-info": "You will never be notified of any changes in this board", "my-boards": "Моите табла", "name": "Име", - "no-archived-cards": "Няма карти в Архива.", - "no-archived-lists": "Няма списъци в Архива.", - "no-archived-swimlanes": "Няма коридори в Архива.", + "no-archived-cards": "Няма карти во Архива.", + "no-archived-lists": "Няма списъци во Архива.", + "no-archived-swimlanes": "Няма коридори во Архива.", "no-results": "No results", "normal": "Normal", "normal-desc": "Can view and edit cards. Can't change settings.", @@ -401,7 +401,7 @@ "private": "Private", "private-desc": "This board is private. Only people added to the board can view and edit it.", "profile": "Профил", - "public": "Public", + "public": "Јавна", "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", "quick-access-description": "Star a board to add a shortcut in this bar.", "remove-cover": "Remove Cover", @@ -461,7 +461,7 @@ "uploaded-avatar": "Качихте аватар", "username": "Потребителско име", "view-it": "View it", - "warn-list-archived": "внимание: тази карта е в списък в Архива", + "warn-list-archived": "внимание: тази карта е в списък во Архива", "watch": "Наблюдавай", "watching": "Наблюдава", "watching-info": "You will be notified of any change in this board", @@ -494,12 +494,12 @@ "smtp-password": "Парола", "smtp-tls": "TLS поддръжка", "send-from": "От", - "send-smtp-test": "Изпрати тестов имейл на себе си", + "send-smtp-test": "Изпрати тестов е-маил на себе си", "invitation-code": "Invitation Code", "email-invite-register-subject": "__inviter__ sent you an invitation", "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", "email-smtp-test-subject": "SMTP Test Email", - "email-smtp-test-text": "Успешно изпратихте имейл", + "email-smtp-test-text": "Успешно изпратихте е-маил", "error-invitation-code-not-exist": "Invitation code doesn't exist", "error-notAuthorized": "You are not authorized to view this page.", "outgoing-webhooks": "Outgoing Webhooks", @@ -567,10 +567,10 @@ "no-parent": "Не показвай източника", "activity-added-label": "добави етикет '%s' към %s", "activity-removed-label": "премахна етикет '%s' от %s", - "activity-delete-attach": "изтри прикачен файл от %s", + "activity-delete-attach": "изтри прикачен датотека от %s", "activity-added-label-card": "добави етикет '%s'", "activity-removed-label-card": "премахна етикет '%s'", - "activity-delete-attach-card": "изтри прикачения файл", + "activity-delete-attach-card": "изтри прикачения датотека", "activity-set-customfield": "set custom field '%s' to '%s' in %s", "activity-unset-customfield": "unset custom field '%s' in %s", "r-rule": "Правило", @@ -592,7 +592,7 @@ "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Преместено в Архива", + "r-archived": "Преместено во Архива", "r-unarchived": "Възстановено от Архива", "r-a-card": "карта", "r-when-a-label-is": "When a label is", @@ -614,7 +614,7 @@ "r-top-of": "началото на", "r-bottom-of": "края на", "r-its-list": "списъка й", - "r-archive": "Премести в Архива", + "r-archive": "Премести во Архива", "r-unarchive": "Възстанови от Архива", "r-card": "карта", "r-add": "Добави", @@ -643,7 +643,7 @@ "r-d-send-email-to": "to", "r-d-send-email-subject": "subject", "r-d-send-email-message": "message", - "r-d-archive": "Премести картата в Архива", + "r-d-archive": "Премести картата во Архива", "r-d-unarchive": "Възстанови картата от Архива", "r-d-add-label": "Add label", "r-d-remove-label": "Remove label", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 4d163ddf..c677bd87 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -18,7 +18,7 @@ "act-uncompleteChecklist": "вновь открыл контрольный список __checklist__ в карточке __card__ в списке __list__ на дорожке __swimlane__ доски __board__", "act-addComment": "написал в карточке __card__: __comment__ в списке __list__ на дорожке __swimlane__ доски __board__", "act-createBoard": "создал доску __board__", - "act-createSwimlane": "created swimlane __swimlane__ to board __board__", + "act-createSwimlane": "создал дорожку __swimlane__ на доске __board__", "act-createCard": "создал карточку __card__ в списке __list__ на дорожке __swimlane__ доски __board__", "act-createCustomField": "создал поле __customField__ в карточке __card__ в списке __list__ на дорожке __swimlane__ доски __board__\n", "act-createList": "добавил список __list__ на доску __board__", -- cgit v1.2.3-1-g7c22 From 088ec7fd949db38dcf0cacce5e2aa05f4e9fd345 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Fri, 29 Mar 2019 14:39:35 +0200 Subject: [Add proper variables for join card](https://github.com/wekan/wekan/commit/289f1fe1340c85eb2af19825f4972e9057a86b7a), fixes [Incorrect variable replacement on email notifications](https://github.com/wekan/wekan/issues/2295). Thanks to justinr1234 ! Closes #2295 --- CHANGELOG.md | 8 +++++++- 1 file changed, 7 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index c6878ab9..2776ea2a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,6 +1,12 @@ # Upcoming Wekan release -This release reverts the following fixes: +This release fixes the following bugs: + +- [Add proper variables for join card](https://github.com/wekan/wekan/commit/289f1fe1340c85eb2af19825f4972e9057a86b7a), + fixes [Incorrect variable replacement on email notifications](https://github.com/wekan/wekan/issues/2295). + Thanks to justinr1234. + +and reverts the following fixes: - [Revert spinner etc fixes of Wekan v2.56, because of some new bugs](https://github.com/wekan/wekan/issues/2250). Thanks to gerroon. -- cgit v1.2.3-1-g7c22 From 4b181620d8f73fa1c91f0c0c73f267b39ae9168d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 30 Mar 2019 14:30:04 +0200 Subject: Added nodejs to install dependencies. Thanks to xet7 ! --- rebuild-wekan.sh | 1 + 1 file changed, 1 insertion(+) diff --git a/rebuild-wekan.sh b/rebuild-wekan.sh index f712d31c..380f930c 100755 --- a/rebuild-wekan.sh +++ b/rebuild-wekan.sh @@ -74,6 +74,7 @@ do # Debian, Ubuntu, Mint sudo apt-get install -y build-essential git curl wget curl -sL https://deb.nodesource.com/setup_8.x | sudo -E bash - + sudo apt-get install -y nodejs elif [[ "$OSTYPE" == "darwin"* ]]; then echo "macOS"; pause '1) Install XCode 2) Install Node 8.x from https://nodejs.org/en/ 3) Press [Enter] key to continue.' -- cgit v1.2.3-1-g7c22 From 289e3d6286b5cfa22e7fd6fd58f47d902bd0fbe3 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 30 Mar 2019 14:34:32 +0200 Subject: More deps. --- rebuild-wekan.sh | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/rebuild-wekan.sh b/rebuild-wekan.sh index 380f930c..21254918 100755 --- a/rebuild-wekan.sh +++ b/rebuild-wekan.sh @@ -72,7 +72,7 @@ do if [[ "$OSTYPE" == "linux-gnu" ]]; then echo "Linux"; # Debian, Ubuntu, Mint - sudo apt-get install -y build-essential git curl wget + sudo apt-get install -y build-essential gcc g++ make git curl wget curl -sL https://deb.nodesource.com/setup_8.x | sudo -E bash - sudo apt-get install -y nodejs elif [[ "$OSTYPE" == "darwin"* ]]; then -- cgit v1.2.3-1-g7c22 From a80cd455defd71f2ac67fd5e008415e3785b761a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 30 Mar 2019 19:06:09 +0200 Subject: - [Add back zoom fixes of #2250](https://github.com/wekan/wekan/issues/2250). Thanks to xet7 ! --- CHANGELOG.md | 5 -- client/components/lists/listBody.jade | 19 ++++---- client/components/lists/listBody.js | 89 ++++++++++++++++------------------- 3 files changed, 51 insertions(+), 62 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 2776ea2a..8dda97be 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -6,11 +6,6 @@ This release fixes the following bugs: fixes [Incorrect variable replacement on email notifications](https://github.com/wekan/wekan/issues/2295). Thanks to justinr1234. -and reverts the following fixes: - -- [Revert spinner etc fixes of Wekan v2.56, because of some new bugs](https://github.com/wekan/wekan/issues/2250). - Thanks to gerroon. - Thanks to above GitHub users for their contributions and translators for their translations. # v2.56 2019-03-27 Wekan release diff --git a/client/components/lists/listBody.jade b/client/components/lists/listBody.jade index 876b43d6..61fec93a 100644 --- a/client/components/lists/listBody.jade +++ b/client/components/lists/listBody.jade @@ -13,14 +13,7 @@ template(name="listBody") class="{{#if MultiSelection.isSelected _id}}is-checked{{/if}}") +minicard(this) if (showSpinner (idOrNull ../../_id)) - .sk-spinner.sk-spinner-wave.sk-spinner-list( - class=currentBoard.colorClass - id="showMoreResults") - .sk-rect1 - .sk-rect2 - .sk-rect3 - .sk-rect4 - .sk-rect5 + +spinnerList if canSeeAddCard +inlinedForm(autoclose=false position="bottom") @@ -30,6 +23,16 @@ template(name="listBody") i.fa.fa-plus | {{_ 'add-card'}} +template(name="spinnerList") + .sk-spinner.sk-spinner-wave.sk-spinner-list( + class=currentBoard.colorClass + id="showMoreResults") + .sk-rect1 + .sk-rect2 + .sk-rect3 + .sk-rect4 + .sk-rect5 + template(name="addCardForm") .minicard.minicard-composer.js-composer if getLabels diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 7d767011..112b6379 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -7,28 +7,6 @@ BlazeComponent.extendComponent({ this.cardlimit = new ReactiveVar(InfiniteScrollIter); }, - onRendered() { - const domElement = this.find('.js-perfect-scrollbar'); - - this.$(domElement).on('scroll', () => this.updateList(domElement)); - $(window).on(`resize.${this.data().listId}`, () => this.updateList(domElement)); - - // we add a Mutation Observer to allow propagations of cardlimit - // when the spinner stays in the current view (infinite scrolling) - this.mutationObserver = new MutationObserver(() => this.updateList(domElement)); - - this.mutationObserver.observe(domElement, { - childList: true, - }); - - this.updateList(domElement); - }, - - onDestroyed() { - $(window).off(`resize.${this.data().listId}`); - this.mutationObserver.disconnect(); - }, - mixins() { return [Mixins.PerfectScrollbar]; }, @@ -191,38 +169,11 @@ BlazeComponent.extendComponent({ }); }, - spinnerInView(container) { - const parentViewHeight = container.clientHeight; - const bottomViewPosition = container.scrollTop + parentViewHeight; - - const spinner = this.find('.sk-spinner-list'); - - const threshold = spinner.offsetTop; - - return bottomViewPosition > threshold; - }, - showSpinner(swimlaneId) { const list = Template.currentData(); return list.cards(swimlaneId).count() > this.cardlimit.get(); }, - updateList(container) { - // first, if the spinner is not rendered, we have reached the end of - // the list of cards, so skip and disable firing the events - const target = this.find('.sk-spinner-list'); - if (!target) { - this.$(container).off('scroll'); - $(window).off(`resize.${this.data().listId}`); - return; - } - - if (this.spinnerInView(container)) { - this.cardlimit.set(this.cardlimit.get() + InfiniteScrollIter); - Ps.update(container); - } - }, - canSeeAddCard() { return !this.reachedWipLimit() && Meteor.user() && Meteor.user().isBoardMember() && !Meteor.user().isCommentOnly(); }, @@ -661,3 +612,43 @@ BlazeComponent.extendComponent({ }]; }, }).register('searchElementPopup'); + +BlazeComponent.extendComponent({ + onCreated() { + this.spinnerShown = false; + this.cardlimit = this.parentComponent().cardlimit; + }, + + onRendered() { + const spinner = this.find('.sk-spinner-list'); + + if (spinner) { + const options = { + root: null, // we check if the spinner is on the current viewport + rootMargin: '0px', + threshold: 0.25, + }; + + this.observer = new IntersectionObserver((entries) => { + entries.forEach((entry) => { + this.spinnerShown = entry.isIntersecting; + this.updateList(); + }); + }, options); + + this.observer.observe(spinner); + } + }, + + onDestroyed() { + this.observer.disconnect(); + }, + + updateList() { + if (this.spinnerShown) { + this.cardlimit.set(this.cardlimit.get() + InfiniteScrollIter); + window.requestIdleCallback(() => this.updateList()); + } + }, + +}).register('spinnerList'); -- cgit v1.2.3-1-g7c22 From 261754f18b8a5e6e6eedf39d6f6b143a752b0588 Mon Sep 17 00:00:00 2001 From: Benjamin Tissoires Date: Mon, 1 Apr 2019 23:35:12 +0200 Subject: list: do not use IntersectionObserver to reduce CPU usage Switch back to a custom spinner detection, as the IntersectionObserver is eating a lot of CPU resources on idle. This should also take care of #2250 properly: the previous `onDestroyed()` was removing the resize and scroll callbacks, but they were not unique enough, and they were shared across swimlanes. So if a list had 2 swimlanes with spinners, when one was removed, the other was not triggering its callbacks anymore. Related: #2294 --- client/components/lists/listBody.js | 50 ++++++++++++++++++++++--------------- 1 file changed, 30 insertions(+), 20 deletions(-) diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 112b6379..43619890 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -615,40 +615,50 @@ BlazeComponent.extendComponent({ BlazeComponent.extendComponent({ onCreated() { - this.spinnerShown = false; this.cardlimit = this.parentComponent().cardlimit; + + this.listId = this.parentComponent().data()._id; + this.swimlaneId = ''; + + const boardView = Meteor.user().profile.boardView; + if (boardView === 'board-view-swimlanes') + this.swimlaneId = this.parentComponent().parentComponent().parentComponent().data()._id; }, onRendered() { - const spinner = this.find('.sk-spinner-list'); - - if (spinner) { - const options = { - root: null, // we check if the spinner is on the current viewport - rootMargin: '0px', - threshold: 0.25, - }; - - this.observer = new IntersectionObserver((entries) => { - entries.forEach((entry) => { - this.spinnerShown = entry.isIntersecting; - this.updateList(); - }); - }, options); + this.spinner = this.find('.sk-spinner-list'); + this.container = this.$(this.spinner).parents('.js-perfect-scrollbar')[0]; - this.observer.observe(spinner); - } + $(this.container).on(`scroll.spinner_${this.swimlaneId}_${this.listId}`, () => this.updateList()); + $(window).on(`resize.spinner_${this.swimlaneId}_${this.listId}`, () => this.updateList()); + + this.updateList(); }, onDestroyed() { - this.observer.disconnect(); + $(this.container).off(`scroll.spinner_${this.swimlaneId}_${this.listId}`); + $(window).off(`resize.spinner_${this.swimlaneId}_${this.listId}`); }, updateList() { - if (this.spinnerShown) { + if (this.spinnerInView()) { this.cardlimit.set(this.cardlimit.get() + InfiniteScrollIter); window.requestIdleCallback(() => this.updateList()); } }, + spinnerInView() { + const parentViewHeight = this.container.clientHeight; + const bottomViewPosition = this.container.scrollTop + parentViewHeight; + + const threshold = this.spinner.offsetTop; + + // spinner deleted + if (!this.spinner.offsetTop) { + return false; + } + + return bottomViewPosition > threshold; + }, + }).register('spinnerList'); -- cgit v1.2.3-1-g7c22 From 678bef23600ab8cc13e4fa6929a9cdb7806dc927 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 2 Apr 2019 15:19:21 +0300 Subject: Update changelog. --- CHANGELOG.md | 7 +++++-- 1 file changed, 5 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 8dda97be..d2c1cc92 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,10 +1,13 @@ # Upcoming Wekan release -This release fixes the following bugs: +This release fixes the following bugs, thanks to justinr1234: - [Add proper variables for join card](https://github.com/wekan/wekan/commit/289f1fe1340c85eb2af19825f4972e9057a86b7a), fixes [Incorrect variable replacement on email notifications](https://github.com/wekan/wekan/issues/2295). - Thanks to justinr1234. + +and fixes the following bugs with Apache I-CLA, thanks to bentiss: + +- [List: Do not use IntersectionObserver to reduce CPU usage](https://github.com/wekan/wekan/pull/2302). Thanks to above GitHub users for their contributions and translators for their translations. -- cgit v1.2.3-1-g7c22 From 9f5ffde2dd8d1fe6b5ebd1d7d2f3294d7f206bd8 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Tue, 2 Apr 2019 15:26:40 +0300 Subject: v2.57 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index d2c1cc92..bdfbba1c 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.57 2019-04-02 Wekan release This release fixes the following bugs, thanks to justinr1234: diff --git a/Stackerfile.yml b/Stackerfile.yml index c4160e28..0b53ab88 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.56.0" +appVersion: "v2.57.0" files: userUploads: - README.md diff --git a/package.json b/package.json index b9ae427a..690b5cc3 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.56.0", + "version": "v2.57.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 61b19d34..7a3b55d8 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 258, + appVersion = 259, # Increment this for every release. - appMarketingVersion = (defaultText = "2.56.0~2019-03-27"), + appMarketingVersion = (defaultText = "2.57.0~2019-04-02"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From dfc4ab6dd87cd9af40da163657482f377c9c4f48 Mon Sep 17 00:00:00 2001 From: fossabot Date: Tue, 2 Apr 2019 06:32:34 -0700 Subject: Add license scan report and status Signed-off-by: fossabot --- README.md | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/README.md b/README.md index 075cda82..324d310b 100644 --- a/README.md +++ b/README.md @@ -9,6 +9,7 @@ [![Code Climate](https://codeclimate.com/github/wekan/wekan/badges/gpa.svg "Code Climate")](https://codeclimate.com/github/wekan/wekan) [![Project Dependencies](https://david-dm.org/wekan/wekan.svg "Project Dependencies")](https://david-dm.org/wekan/wekan) [![Code analysis at Open Hub](https://img.shields.io/badge/code%20analysis-at%20Open%20Hub-brightgreen.svg "Code analysis at Open Hub")](https://www.openhub.net/p/wekan) +[![FOSSA Status](https://app.fossa.io/api/projects/git%2Bgithub.com%2Fwekan%2Fwekan.svg?type=shield)](https://app.fossa.io/projects/git%2Bgithub.com%2Fwekan%2Fwekan?ref=badge_shield) ## [Translate Wekan at Transifex](https://transifex.com/wekan/wekan) @@ -133,3 +134,6 @@ with [Meteor](https://www.meteor.com). [free_software]: https://en.wikipedia.org/wiki/Free_software [vanila_badge]: https://vanila.io/img/join-chat-button2.png [wekan_chat]: https://community.vanila.io/wekan + + +[![FOSSA Status](https://app.fossa.io/api/projects/git%2Bgithub.com%2Fwekan%2Fwekan.svg?type=large)](https://app.fossa.io/projects/git%2Bgithub.com%2Fwekan%2Fwekan?ref=badge_large) \ No newline at end of file -- cgit v1.2.3-1-g7c22 From a974ec9dee6fa376467d7db0f92fd9d3e4cc4e6d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 4 Apr 2019 20:22:25 +0300 Subject: Update translations. --- i18n/de.i18n.json | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 86a091eb..babd12c9 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -576,16 +576,16 @@ "r-rule": "Regel", "r-add-trigger": "Auslöser hinzufügen", "r-add-action": "Aktion hinzufügen", - "r-board-rules": "Board Regeln", + "r-board-rules": "Boardregeln", "r-add-rule": "Regel hinzufügen", "r-view-rule": "Regel anzeigen", "r-delete-rule": "Regel löschen", "r-new-rule-name": "Neuer Regeltitel", "r-no-rules": "Keine Regeln", - "r-when-a-card": "Wenn eine Karte", - "r-is": "ist", + "r-when-a-card": "Wenn Karte", + "r-is": "wird", "r-is-moved": "verschoben wird", - "r-added-to": "hinzugefügt wird zu", + "r-added-to": "hinzugefügt zu", "r-removed-from": "Entfernt von", "r-the-board": "das Board", "r-list": "Liste", -- cgit v1.2.3-1-g7c22 From 4bc3acb14d9c226c30da9b72ca5988d75f083ddf Mon Sep 17 00:00:00 2001 From: chotaire Date: Fri, 5 Apr 2019 02:59:35 +0200 Subject: Add proper variables for unjoin card --- models/cards.js | 3 +++ 1 file changed, 3 insertions(+) diff --git a/models/cards.js b/models/cards.js index 12488354..047a760e 100644 --- a/models/cards.js +++ b/models/cards.js @@ -1403,6 +1403,9 @@ function cardMembers(userId, doc, fieldNames, modifier) { activityType: 'unjoinMember', boardId: doc.boardId, cardId: doc._id, + memberId, + listId: doc.listId, + swimlaneId: doc.swimlaneId, }); } } -- cgit v1.2.3-1-g7c22 From 8aca82a5939273fd7d4fce4aa4855dea7b4fde6f Mon Sep 17 00:00:00 2001 From: hupptechnologies Date: Fri, 5 Apr 2019 13:27:41 +0530 Subject: Issue: Center (or reduce left margin) in card view on mobile browser #2188 Resolved #2188 --- .meteor/packages | 8 ++++---- .meteor/versions | 9 --------- client/components/cards/cardDetails.styl | 3 ++- 3 files changed, 6 insertions(+), 14 deletions(-) diff --git a/.meteor/packages b/.meteor/packages index 9a3f9bca..b9b7ba81 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -31,9 +31,9 @@ kenton:accounts-sandstorm service-configuration@1.0.11 useraccounts:unstyled useraccounts:flow-routing -wekan:wekan-ldap -wekan:accounts-cas -wekan-accounts-oidc +#wekan:wekan-ldap +#wekan:accounts-cas +#wekan-accounts-oidc # Utilities check@1.2.5 @@ -87,7 +87,7 @@ momentjs:moment@2.22.2 browser-policy-framing mquandalle:moment msavin:usercache -wekan-scrollbar +#wekan-scrollbar mquandalle:perfect-scrollbar mdg:meteor-apm-agent meteorhacks:unblock diff --git a/.meteor/versions b/.meteor/versions index 390cda63..72c1fd55 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -1,6 +1,5 @@ 3stack:presence@1.1.2 accounts-base@1.4.0 -accounts-oauth@1.1.15 accounts-password@1.5.0 aldeed:collection2@2.10.0 aldeed:collection2-core@1.2.0 @@ -122,8 +121,6 @@ mquandalle:perfect-scrollbar@0.6.5_2 msavin:usercache@1.0.0 npm-bcrypt@0.9.3 npm-mongo@2.2.33 -oauth@1.2.1 -oauth2@1.2.0 observe-sequence@1.0.16 ongoworks:speakingurl@1.1.0 ordered-dict@1.0.9 @@ -179,10 +176,4 @@ useraccounts:unstyled@1.14.2 verron:autosize@3.0.8 webapp@1.4.0 webapp-hashing@1.0.9 -wekan-accounts-oidc@1.0.10 -wekan-oidc@1.0.12 -wekan-scrollbar@3.1.3 -wekan:accounts-cas@0.1.0 -wekan:wekan-ldap@0.0.2 -yasaricli:slugify@0.0.7 zimme:active-route@2.3.2 diff --git a/client/components/cards/cardDetails.styl b/client/components/cards/cardDetails.styl index bf50c071..c1d6b7e1 100644 --- a/client/components/cards/cardDetails.styl +++ b/client/components/cards/cardDetails.styl @@ -133,7 +133,8 @@ input[type="submit"].attachment-add-link-submit .card-details-canvas width: 100% - + padding-left: 0px; + .card-details-header .close-card-details margin-right: 0px -- cgit v1.2.3-1-g7c22 From 48216e16537d50a27579c545c93624c0302a5a78 Mon Sep 17 00:00:00 2001 From: Angelo Gallarello Date: Fri, 5 Apr 2019 10:38:39 +0200 Subject: Minor fixes --- client/components/boards/boardsList.jade | 4 +--- client/components/boards/boardsList.styl | 13 +++++++++++++ i18n/en.i18n.json | 3 ++- models/export.js | 1 - models/import.js | 1 + 5 files changed, 17 insertions(+), 5 deletions(-) diff --git a/client/components/boards/boardsList.jade b/client/components/boards/boardsList.jade index 109c25ed..753724fc 100644 --- a/client/components/boards/boardsList.jade +++ b/client/components/boards/boardsList.jade @@ -22,9 +22,7 @@ template(name="boardList") i.fa.js-star-board( class="fa-star{{#if isStarred}} is-star-active{{else}}-o{{/if}}" title="{{_ 'star-board-title'}}") - i.fa.js-clone-board( - class="fa-clone") - + i.fa.js-clone-board(class="fa-clone") if hasSpentTimeCards i.fa.js-has-spenttime-cards( class="fa-circle{{#if hasOvertimeCards}} has-overtime-card-active{{else}} no-overtime-card-active{{/if}}" diff --git a/client/components/boards/boardsList.styl b/client/components/boards/boardsList.styl index 80e47685..9f0b204e 100644 --- a/client/components/boards/boardsList.styl +++ b/client/components/boards/boardsList.styl @@ -93,14 +93,27 @@ $spaceBetweenTiles = 16px .is-star-active color: white + .fa-clone + position: absolute; + bottom: 0 + font-size: 14px + height: 18px + line-height: 18px + opacity: 0 + right: 0 + padding: 9px 9px + transition-duration: .15s + transition-property: color, font-size, background li:hover a &:hover .fa-star, + .fa-clone, .fa-star-o color: white .fa-star, + .fa-clone, .fa-star-o color: white opacity: .75 diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index d4e817ea..84975fde 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -664,5 +664,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "copy-tag": "Copy" } diff --git a/models/export.js b/models/export.js index 21710067..f7f2b713 100644 --- a/models/export.js +++ b/models/export.js @@ -17,7 +17,6 @@ if (Meteor.isServer) { JsonRoutes.add('get', '/api/boards/:boardId/export', function(req, res) { - console.error("LOGG API"); const boardId = req.params.boardId; let user = null; // todo XXX for real API, first look for token in Authentication: header diff --git a/models/import.js b/models/import.js index c73959b7..bf3a863e 100644 --- a/models/import.js +++ b/models/import.js @@ -39,6 +39,7 @@ Meteor.methods({ let addData = {}; addData.membersMapping = wekanMembersMapper.getMembersToMap(data); const creator = new WekanCreator(addData); + data.title = data.title + " - " + TAPi18n.__('copy-tag'); return creator.create(data, currentBoardId); }, }); -- cgit v1.2.3-1-g7c22 From a1fe22c08c157c6c795b008be3bf6b822497deb4 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 6 Apr 2019 07:43:14 +0300 Subject: [Add proper variables for unjoin card](https://github.com/wekan/wekan/pull/2313). Thanks to chotaire. --- CHANGELOG.md | 7 +++++++ 1 file changed, 7 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index bdfbba1c..32f1a819 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,10 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- [Add proper variables for unjoin card](https://github.com/wekan/wekan/pull/2313). + Thanks to chotaire. + # v2.57 2019-04-02 Wekan release This release fixes the following bugs, thanks to justinr1234: -- cgit v1.2.3-1-g7c22 From d1e13e48feb568ca89787c8b7f48c3c841bd25fc Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 6 Apr 2019 07:47:08 +0300 Subject: Restore original meteor packages and versions. Thanks to xet7 ! --- .meteor/packages | 8 ++++---- .meteor/versions | 9 +++++++++ 2 files changed, 13 insertions(+), 4 deletions(-) diff --git a/.meteor/packages b/.meteor/packages index b9b7ba81..9a3f9bca 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -31,9 +31,9 @@ kenton:accounts-sandstorm service-configuration@1.0.11 useraccounts:unstyled useraccounts:flow-routing -#wekan:wekan-ldap -#wekan:accounts-cas -#wekan-accounts-oidc +wekan:wekan-ldap +wekan:accounts-cas +wekan-accounts-oidc # Utilities check@1.2.5 @@ -87,7 +87,7 @@ momentjs:moment@2.22.2 browser-policy-framing mquandalle:moment msavin:usercache -#wekan-scrollbar +wekan-scrollbar mquandalle:perfect-scrollbar mdg:meteor-apm-agent meteorhacks:unblock diff --git a/.meteor/versions b/.meteor/versions index 72c1fd55..390cda63 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -1,5 +1,6 @@ 3stack:presence@1.1.2 accounts-base@1.4.0 +accounts-oauth@1.1.15 accounts-password@1.5.0 aldeed:collection2@2.10.0 aldeed:collection2-core@1.2.0 @@ -121,6 +122,8 @@ mquandalle:perfect-scrollbar@0.6.5_2 msavin:usercache@1.0.0 npm-bcrypt@0.9.3 npm-mongo@2.2.33 +oauth@1.2.1 +oauth2@1.2.0 observe-sequence@1.0.16 ongoworks:speakingurl@1.1.0 ordered-dict@1.0.9 @@ -176,4 +179,10 @@ useraccounts:unstyled@1.14.2 verron:autosize@3.0.8 webapp@1.4.0 webapp-hashing@1.0.9 +wekan-accounts-oidc@1.0.10 +wekan-oidc@1.0.12 +wekan-scrollbar@3.1.3 +wekan:accounts-cas@0.1.0 +wekan:wekan-ldap@0.0.2 +yasaricli:slugify@0.0.7 zimme:active-route@2.3.2 -- cgit v1.2.3-1-g7c22 From 959392f8159c9aaf0d5bda92741b23c7a1b1a23f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 6 Apr 2019 07:57:30 +0300 Subject: [Center reduce left margin in card view on mobile browser](https://github.com/wekan/wekan/pull/2314). Thanks to hupptechnologies ! --- CHANGELOG.md | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 32f1a819..2d09c25d 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,6 +4,10 @@ This release fixes the following bugs: - [Add proper variables for unjoin card](https://github.com/wekan/wekan/pull/2313). Thanks to chotaire. +- [Center reduce left margin in card view on mobile browser](https://github.com/wekan/wekan/pull/2314). + Thanks to hupptechnologies. + +Thanks to above GitHub users for their contributions and translators for their translations. # v2.57 2019-04-02 Wekan release -- cgit v1.2.3-1-g7c22 From 217b3ae48879c356d40e4281cceac5b38e67bb16 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 6 Apr 2019 08:11:08 +0300 Subject: Remove not needed ARGS from Dockerfile to reduce amount of Docker layers. Thanks to folhabranca ! Closes #2301 --- Dockerfile | 94 -------------------------------------------------------------- 1 file changed, 94 deletions(-) diff --git a/Dockerfile b/Dockerfile index 3a81a472..73f8e4bc 100644 --- a/Dockerfile +++ b/Dockerfile @@ -1,100 +1,6 @@ FROM ubuntu:cosmic LABEL maintainer="wekan" -# Declare Arguments -ARG DEBUG -ARG NODE_VERSION -ARG METEOR_RELEASE -ARG METEOR_EDGE -ARG USE_EDGE -ARG NPM_VERSION -ARG FIBERS_VERSION -ARG ARCHITECTURE -ARG SRC_PATH -ARG WITH_API -ARG ACCOUNTS_LOCKOUT_KNOWN_USERS_FAILURES_BEFORE -ARG ACCOUNTS_LOCKOUT_KNOWN_USERS_PERIOD -ARG ACCOUNTS_LOCKOUT_KNOWN_USERS_FAILURE_WINDOW -ARG ACCOUNTS_LOCKOUT_UNKNOWN_USERS_FAILURES_BERORE -ARG ACCOUNTS_LOCKOUT_UNKNOWN_USERS_LOCKOUT_PERIOD -ARG ACCOUNTS_LOCKOUT_UNKNOWN_USERS_FAILURE_WINDOW -ARG EMAIL_NOTIFICATION_TIMEOUT -ARG MATOMO_ADDRESS -ARG MATOMO_SITE_ID -ARG MATOMO_DO_NOT_TRACK -ARG MATOMO_WITH_USERNAME -ARG BROWSER_POLICY_ENABLED -ARG TRUSTED_URL -ARG WEBHOOKS_ATTRIBUTES -ARG OAUTH2_ENABLED -ARG OAUTH2_LOGIN_STYLE -ARG OAUTH2_CLIENT_ID -ARG OAUTH2_SECRET -ARG OAUTH2_SERVER_URL -ARG OAUTH2_AUTH_ENDPOINT -ARG OAUTH2_USERINFO_ENDPOINT -ARG OAUTH2_TOKEN_ENDPOINT -ARG OAUTH2_ID_MAP -ARG OAUTH2_USERNAME_MAP -ARG OAUTH2_FULLNAME_MAP -ARG OAUTH2_EMAIL_MAP -ARG LDAP_ENABLE -ARG LDAP_PORT -ARG LDAP_HOST -ARG LDAP_BASEDN -ARG LDAP_LOGIN_FALLBACK -ARG LDAP_RECONNECT -ARG LDAP_TIMEOUT -ARG LDAP_IDLE_TIMEOUT -ARG LDAP_CONNECT_TIMEOUT -ARG LDAP_AUTHENTIFICATION -ARG LDAP_AUTHENTIFICATION_USERDN -ARG LDAP_AUTHENTIFICATION_PASSWORD -ARG LDAP_LOG_ENABLED -ARG LDAP_BACKGROUND_SYNC -ARG LDAP_BACKGROUND_SYNC_INTERVAL -ARG LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED -ARG LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS -ARG LDAP_ENCRYPTION -ARG LDAP_CA_CERT -ARG LDAP_REJECT_UNAUTHORIZED -ARG LDAP_USER_SEARCH_FILTER -ARG LDAP_USER_SEARCH_SCOPE -ARG LDAP_USER_SEARCH_FIELD -ARG LDAP_SEARCH_PAGE_SIZE -ARG LDAP_SEARCH_SIZE_LIMIT -ARG LDAP_GROUP_FILTER_ENABLE -ARG LDAP_GROUP_FILTER_OBJECTCLASS -ARG LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE -ARG LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE -ARG LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT -ARG LDAP_GROUP_FILTER_GROUP_NAME -ARG LDAP_UNIQUE_IDENTIFIER_FIELD -ARG LDAP_UTF8_NAMES_SLUGIFY -ARG LDAP_USERNAME_FIELD -ARG LDAP_FULLNAME_FIELD -ARG LDAP_EMAIL_FIELD -ARG LDAP_EMAIL_MATCH_ENABLE -ARG LDAP_EMAIL_MATCH_REQUIRE -ARG LDAP_EMAIL_MATCH_VERIFIED -ARG LDAP_MERGE_EXISTING_USERS -ARG LDAP_SYNC_USER_DATA -ARG LDAP_SYNC_USER_DATA_FIELDMAP -ARG LDAP_SYNC_GROUP_ROLES -ARG LDAP_DEFAULT_DOMAIN -ARG LDAP_SYNC_ADMIN_STATUS -ARG LDAP_SYNC_ADMIN_GROUPS -ARG HEADER_LOGIN_ID -ARG HEADER_LOGIN_FIRSTNAME -ARG HEADER_LOGIN_LASTNAME -ARG HEADER_LOGIN_EMAIL -ARG LOGOUT_WITH_TIMER -ARG LOGOUT_IN -ARG LOGOUT_ON_HOURS -ARG LOGOUT_ON_MINUTES -ARG CORS -ARG DEFAULT_AUTHENTICATION_METHOD - # Set the environment variables (defaults where required) # DOES NOT WORK: paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303 # ENV BUILD_DEPS="paxctl" -- cgit v1.2.3-1-g7c22 From b680bb53725103f186ac1c7cb604fbd4a5773051 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 6 Apr 2019 08:14:37 +0300 Subject: - [Remove not needed ARGS from Dockerfile to reduce amount of Docker layers](https://github.com/wekan/wekan/issues/2301). Thanks to folhabranca ! Closes #2301 --- CHANGELOG.md | 2 ++ 1 file changed, 2 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 2d09c25d..a90a8aa2 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -6,6 +6,8 @@ This release fixes the following bugs: Thanks to chotaire. - [Center reduce left margin in card view on mobile browser](https://github.com/wekan/wekan/pull/2314). Thanks to hupptechnologies. +- [Remove not needed ARGS from Dockerfile to reduce amount of Docker layers](https://github.com/wekan/wekan/issues/2301). + Thanks to folhabranca. Thanks to above GitHub users for their contributions and translators for their translations. -- cgit v1.2.3-1-g7c22 From 972b9b6e9169b92c1a88bbc873313d7eead42f30 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 6 Apr 2019 08:50:56 +0300 Subject: Remove extra files. Thanks to xet7 ! --- build/config.gypi | 70 ------------------------------------------------------- logs.txt | 29 ----------------------- 2 files changed, 99 deletions(-) delete mode 100644 build/config.gypi delete mode 100644 logs.txt diff --git a/build/config.gypi b/build/config.gypi deleted file mode 100644 index 760db73d..00000000 --- a/build/config.gypi +++ /dev/null @@ -1,70 +0,0 @@ -# Do not edit. File was generated by node-gyp's "configure" step -{ - "target_defaults": { - "cflags": [], - "default_configuration": "Release", - "defines": [], - "include_dirs": [], - "libraries": [] - }, - "variables": { - "asan": 0, - "build_v8_with_gn": "false", - "coverage": "false", - "debug_nghttp2": "false", - "enable_lto": "false", - "enable_pgo_generate": "false", - "enable_pgo_use": "false", - "force_dynamic_crt": 0, - "host_arch": "x64", - "icu_gyp_path": "tools/icu/icu-system.gyp", - "icu_small": "false", - "icu_ver_major": "63", - "llvm_version": "0", - "node_byteorder": "little", - "node_debug_lib": "false", - "node_enable_d8": "false", - "node_enable_v8_vtunejit": "false", - "node_experimental_http_parser": "false", - "node_install_npm": "false", - "node_module_version": 67, - "node_no_browser_globals": "false", - "node_prefix": "/usr/local/Cellar/node/11.6.0", - "node_release_urlbase": "", - "node_shared": "false", - "node_shared_cares": "false", - "node_shared_http_parser": "false", - "node_shared_libuv": "false", - "node_shared_nghttp2": "false", - "node_shared_openssl": "false", - "node_shared_zlib": "false", - "node_tag": "", - "node_target_type": "executable", - "node_use_bundled_v8": "true", - "node_use_dtrace": "true", - "node_use_etw": "false", - "node_use_large_pages": "false", - "node_use_openssl": "true", - "node_use_pch": "false", - "node_use_v8_platform": "true", - "node_with_ltcg": "false", - "node_without_node_options": "false", - "openssl_fips": "", - "shlib_suffix": "67.dylib", - "target_arch": "x64", - "v8_enable_gdbjit": 0, - "v8_enable_i18n_support": 1, - "v8_enable_inspector": 1, - "v8_no_strict_aliasing": 1, - "v8_optimized_debug": 1, - "v8_promise_internal_field_count": 1, - "v8_random_seed": 0, - "v8_trace_maps": 0, - "v8_typed_array_max_size_in_heap": 0, - "v8_use_snapshot": "true", - "want_separate_host_toolset": 0, - "xcode_version": "10.0", - "nodedir": "/Users/angtrim/.node-gyp/11.6.0", - "standalone_static_library": 1 - } -} diff --git a/logs.txt b/logs.txt deleted file mode 100644 index 2f3fa746..00000000 --- a/logs.txt +++ /dev/null @@ -1,29 +0,0 @@ -[[[[[ ~/Projects/wekan ]]]]] - -=> Started proxy. -=> A patch (Meteor 1.6.1.4) for your current release is available! - Update this project now with 'meteor update --patch'. -=> Started MongoDB. -I20190104-18:05:07.115(1)? Presence started serverId=5obj8Jf6oCDspWgMz -W20190104-18:05:07.463(1)? (STDERR) Note: you are using a pure-JavaScript implementation of bcrypt. -W20190104-18:05:07.464(1)? (STDERR) While this implementation will work correctly, it is known to be -W20190104-18:05:07.464(1)? (STDERR) approximately three times slower than the native implementation. -W20190104-18:05:07.465(1)? (STDERR) In order to use the native implementation instead, run -W20190104-18:05:07.465(1)? (STDERR)  -W20190104-18:05:07.466(1)? (STDERR)  meteor npm install --save bcrypt -W20190104-18:05:07.466(1)? (STDERR)  -W20190104-18:05:07.467(1)? (STDERR) in the root directory of your application. -=> Started your app. - -=> App running at: http://localhost:3000/ -=> Server modified -- restarting... I20190104-18:06:15.969(1)? Presence started serverId=XNprswJmWsvaCxBEb -W20190104-18:06:16.274(1)? (STDERR) Note: you are using a pure-JavaScript implementation of bcrypt. -W20190104-18:06:16.275(1)? (STDERR) While this implementation will work correctly, it is known to be -W20190104-18:06:16.276(1)? (STDERR) approximately three times slower than the native implementation. -W20190104-18:06:16.276(1)? (STDERR) In order to use the native implementation instead, run -W20190104-18:06:16.277(1)? (STDERR)  -W20190104-18:06:16.277(1)? (STDERR)  meteor npm install --save bcrypt -W20190104-18:06:16.278(1)? (STDERR)  -W20190104-18:06:16.278(1)? (STDERR) in the root directory of your application. -=> Meteor server restarted -=> Client modified -- refreshing \ No newline at end of file -- cgit v1.2.3-1-g7c22 From ebfc8e5a1bd4cbc5cf6e37a913bc8eb231566050 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 6 Apr 2019 09:00:13 +0300 Subject: Fix lint errors. Thanks to xet7 ! --- client/components/boards/boardsList.js | 2 +- models/export.js | 2 +- models/import.js | 9 ++++---- models/wekanCreator.js | 38 +++++++++++++++++----------------- server/rulesHelper.js | 2 +- 5 files changed, 26 insertions(+), 27 deletions(-) diff --git a/client/components/boards/boardsList.js b/client/components/boards/boardsList.js index ad28fee8..8c45fbe2 100644 --- a/client/components/boards/boardsList.js +++ b/client/components/boards/boardsList.js @@ -67,7 +67,7 @@ BlazeComponent.extendComponent({ Utils.goBoardId(res); } } - ); + ); evt.preventDefault(); }, 'click .js-accept-invite'() { diff --git a/models/export.js b/models/export.js index d402efe3..49aac828 100644 --- a/models/export.js +++ b/models/export.js @@ -30,7 +30,7 @@ if (Meteor.isServer) { } const exporter = new Exporter(boardId); - if (true||exporter.canExport(user)) { + if (exporter.canExport(user)) { JsonRoutes.sendResult(res, { code: 200, data: exporter.build(), diff --git a/models/import.js b/models/import.js index f7099282..ddc1a1d0 100644 --- a/models/import.js +++ b/models/import.js @@ -31,18 +31,17 @@ Meteor.methods({ }); Meteor.methods({ - cloneBoard(sourceBoardId,currentBoardId) { + cloneBoard(sourceBoardId, currentBoardId) { check(sourceBoardId, String); check(currentBoardId, Match.Maybe(String)); const exporter = new Exporter(sourceBoardId); - let data = exporter.build(); - let addData = {}; + const data = exporter.build(); + const addData = {}; addData.membersMapping = wekanMembersMapper.getMembersToMap(data); const creator = new WekanCreator(addData); - data.title = data.title + " - " + TAPi18n.__('copy-tag'); + data.title = `${data.title } - ${ TAPi18n.__('copy-tag')}`; return creator.create(data, currentBoardId); }, }); - diff --git a/models/wekanCreator.js b/models/wekanCreator.js index d0494a76..0f6a9d17 100644 --- a/models/wekanCreator.js +++ b/models/wekanCreator.js @@ -173,25 +173,25 @@ export class WekanCreator { // we will work on the list itself (an ordered array of objects) when a // mapping is done, we add a 'wekan' field to the object representing the // imported member - const membersToMap = data.members; - const users = data.users; - // auto-map based on username - membersToMap.forEach((importedMember) => { - importedMember.id = importedMember.userId; - delete importedMember.userId; - const user = users.filter((user) => { - return user._id === importedMember.id; - })[0]; - if (user.profile && user.profile.fullname) { - importedMember.fullName = user.profile.fullname; - } - importedMember.username = user.username; - const wekanUser = Users.findOne({ username: importedMember.username }); - if (wekanUser) { - importedMember.wekanId = wekanUser._id; - } - }); - return membersToMap; + const membersToMap = data.members; + const users = data.users; + // auto-map based on username + membersToMap.forEach((importedMember) => { + importedMember.id = importedMember.userId; + delete importedMember.userId; + const user = users.filter((user) => { + return user._id === importedMember.id; + })[0]; + if (user.profile && user.profile.fullname) { + importedMember.fullName = user.profile.fullname; + } + importedMember.username = user.username; + const wekanUser = Users.findOne({ username: importedMember.username }); + if (wekanUser) { + importedMember.wekanId = wekanUser._id; + } + }); + return membersToMap; } checkActions(wekanActions) { diff --git a/server/rulesHelper.js b/server/rulesHelper.js index 4c8ec4fa..197e3756 100644 --- a/server/rulesHelper.js +++ b/server/rulesHelper.js @@ -141,7 +141,7 @@ RulesHelper = { Swimlanes.insert({ title: action.swimlaneName, boardId, - sort: 0 + sort: 0, }); } if(action.actionType === 'addChecklistWithItems'){ -- cgit v1.2.3-1-g7c22 From 93a5bb2baa546d3c0c51a10e429db0c2e2e1482a Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 6 Apr 2019 09:19:33 +0300 Subject: Add the following new features: - [Duplicate Board](https://github.com/wekan/wekan/issues/2257). Related #2225. Thanks to Angtrim. Closes #2257. and fix the following bugs: - [Fix Swimlane Rules don't work](https://github.com/wekan/wekan/issues/2225). Thanks to Angtrim. --- CHANGELOG.md | 7 +++++++ 1 file changed, 7 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index a90a8aa2..9ee3cb19 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,5 +1,10 @@ # Upcoming Wekan release +This release adds the following new features: + +- [Duplicate Board](https://github.com/wekan/wekan/issues/2257). Related #2225. + Thanks to Angtrim. + This release fixes the following bugs: - [Add proper variables for unjoin card](https://github.com/wekan/wekan/pull/2313). @@ -8,6 +13,8 @@ This release fixes the following bugs: Thanks to hupptechnologies. - [Remove not needed ARGS from Dockerfile to reduce amount of Docker layers](https://github.com/wekan/wekan/issues/2301). Thanks to folhabranca. +- [Fix Swimlane Rules don't work](https://github.com/wekan/wekan/issues/2225). + Thanks to Angtrim. Thanks to above GitHub users for their contributions and translators for their translations. -- cgit v1.2.3-1-g7c22 From 143e93f483c947185d7db1380bad23005e3d946c Mon Sep 17 00:00:00 2001 From: windblow Date: Sat, 6 Apr 2019 12:45:31 +0300 Subject: Add variables for activity notifications Fixes #2285 --- models/attachments.js | 4 ++++ models/cardComments.js | 2 ++ models/cards.js | 6 ++++++ models/checklistItems.js | 10 ++++++++++ models/checklists.js | 4 ++++ 5 files changed, 26 insertions(+) diff --git a/models/attachments.js b/models/attachments.js index f870861b..fb32f497 100644 --- a/models/attachments.js +++ b/models/attachments.js @@ -72,6 +72,8 @@ if (Meteor.isServer) { attachmentId: doc._id, boardId: doc.boardId, cardId: doc.cardId, + listId: doc.listId, + swimlaneId: doc.swimlaneId, }); } else { // Don't add activity about adding the attachment as the activity @@ -96,6 +98,8 @@ if (Meteor.isServer) { activityType: 'deleteAttachment', boardId: doc.boardId, cardId: doc.cardId, + listId: doc.listId, + swimlaneId: doc.swimlaneId, }); }); } diff --git a/models/cardComments.js b/models/cardComments.js index fcb97104..2bcb5453 100644 --- a/models/cardComments.js +++ b/models/cardComments.js @@ -87,6 +87,8 @@ function commentCreation(userId, doc){ boardId: doc.boardId, cardId: doc.cardId, commentId: doc._id, + listId: doc.listId, + swimlaneId: doc.swimlaneId, }); } diff --git a/models/cards.js b/models/cards.js index 047a760e..e65d88ae 100644 --- a/models/cards.js +++ b/models/cards.js @@ -1355,6 +1355,7 @@ function cardState(userId, doc, fieldNames) { boardId: doc.boardId, listId: doc.listId, cardId: doc._id, + swimlaneId: doc.swimlaneId, }); } else { Activities.insert({ @@ -1364,6 +1365,7 @@ function cardState(userId, doc, fieldNames) { listName: Lists.findOne(doc.listId).title, listId: doc.listId, cardId: doc._id, + swimlaneId: doc.swimlaneId, }); } } @@ -1425,6 +1427,8 @@ function cardLabels(userId, doc, fieldNames, modifier) { activityType: 'addedLabel', boardId: doc.boardId, cardId: doc._id, + listId: doc.listId, + swimlaneId: doc.swimlaneId, }; Activities.insert(act); } @@ -1441,6 +1445,8 @@ function cardLabels(userId, doc, fieldNames, modifier) { activityType: 'removedLabel', boardId: doc.boardId, cardId: doc._id, + listId: doc.listId, + swimlaneId: doc.swimlaneId, }); } } diff --git a/models/checklistItems.js b/models/checklistItems.js index c46fe9bd..013fee04 100644 --- a/models/checklistItems.js +++ b/models/checklistItems.js @@ -95,6 +95,8 @@ function itemCreation(userId, doc) { checklistId: doc.checklistId, checklistItemId: doc._id, checklistItemName:doc.title, + listId: doc.listId, + swimlaneId: doc.swimlaneId, }); } @@ -121,6 +123,8 @@ function publishCheckActivity(userId, doc){ checklistId: doc.checklistId, checklistItemId: doc._id, checklistItemName:doc.title, + listId: doc.listId, + swimlaneId: doc.swimlaneId, }; Activities.insert(act); } @@ -138,6 +142,8 @@ function publishChekListCompleted(userId, doc){ boardId, checklistId: doc.checklistId, checklistName: checkList.title, + listId: doc.listId, + swimlaneId: doc.swimlaneId, }; Activities.insert(act); } @@ -169,6 +175,8 @@ function publishChekListUncompleted(userId, doc){ boardId, checklistId: doc.checklistId, checklistName: checkList.title, + listId: doc.listId, + swimlaneId: doc.swimlaneId, }; Activities.insert(act); } @@ -207,6 +215,8 @@ if (Meteor.isServer) { checklistId: doc.checklistId, checklistItemId: doc._id, checklistItemName:doc.title, + listId: doc.listId, + swimlaneId: doc.swimlaneId, }); }); } diff --git a/models/checklists.js b/models/checklists.js index 9e763f1a..d5063faf 100644 --- a/models/checklists.js +++ b/models/checklists.js @@ -135,6 +135,8 @@ if (Meteor.isServer) { boardId: Cards.findOne(doc.cardId).boardId, checklistId: doc._id, checklistName:doc.title, + listId: doc.listId, + swimlaneId: doc.swimlaneId, }); }); @@ -152,6 +154,8 @@ if (Meteor.isServer) { boardId: Cards.findOne(doc.cardId).boardId, checklistId: doc._id, checklistName:doc.title, + listId: doc.listId, + swimlaneId: doc.swimlaneId, }); -- cgit v1.2.3-1-g7c22 From 0f15b6d1982c383f76e8411cb501ff27e8febd42 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 6 Apr 2019 13:47:15 +0300 Subject: - Add Duplicate Board tooltip, and remove adding text "Copy" to duplicated board. Thanks to xet7 ! --- client/components/boards/boardsList.jade | 4 +++- i18n/ar.i18n.json | 3 ++- i18n/bg.i18n.json | 3 ++- i18n/br.i18n.json | 3 ++- i18n/ca.i18n.json | 3 ++- i18n/cs.i18n.json | 3 ++- i18n/da.i18n.json | 3 ++- i18n/de.i18n.json | 3 ++- i18n/el.i18n.json | 3 ++- i18n/en-GB.i18n.json | 3 ++- i18n/en.i18n.json | 2 +- i18n/eo.i18n.json | 3 ++- i18n/es-AR.i18n.json | 3 ++- i18n/es.i18n.json | 3 ++- i18n/eu.i18n.json | 3 ++- i18n/fa.i18n.json | 3 ++- i18n/fi.i18n.json | 3 ++- i18n/fr.i18n.json | 3 ++- i18n/gl.i18n.json | 3 ++- i18n/he.i18n.json | 3 ++- i18n/hi.i18n.json | 3 ++- i18n/hu.i18n.json | 3 ++- i18n/hy.i18n.json | 3 ++- i18n/id.i18n.json | 3 ++- i18n/ig.i18n.json | 3 ++- i18n/it.i18n.json | 3 ++- i18n/ja.i18n.json | 3 ++- i18n/ka.i18n.json | 3 ++- i18n/km.i18n.json | 3 ++- i18n/ko.i18n.json | 3 ++- i18n/lv.i18n.json | 3 ++- i18n/mk.i18n.json | 3 ++- i18n/mn.i18n.json | 3 ++- i18n/nb.i18n.json | 3 ++- i18n/nl.i18n.json | 3 ++- i18n/oc.i18n.json | 3 ++- i18n/pl.i18n.json | 3 ++- i18n/pt-BR.i18n.json | 3 ++- i18n/pt.i18n.json | 3 ++- i18n/ro.i18n.json | 3 ++- i18n/ru.i18n.json | 3 ++- i18n/sr.i18n.json | 3 ++- i18n/sv.i18n.json | 3 ++- i18n/sw.i18n.json | 3 ++- i18n/ta.i18n.json | 3 ++- i18n/th.i18n.json | 3 ++- i18n/tr.i18n.json | 3 ++- i18n/uk.i18n.json | 3 ++- i18n/vi.i18n.json | 3 ++- i18n/zh-CN.i18n.json | 3 ++- i18n/zh-TW.i18n.json | 3 ++- models/import.js | 3 ++- 52 files changed, 104 insertions(+), 52 deletions(-) diff --git a/client/components/boards/boardsList.jade b/client/components/boards/boardsList.jade index abb009f7..0da926ef 100644 --- a/client/components/boards/boardsList.jade +++ b/client/components/boards/boardsList.jade @@ -22,7 +22,9 @@ template(name="boardList") i.fa.js-star-board( class="fa-star{{#if isStarred}} is-star-active{{else}}-o{{/if}}" title="{{_ 'star-board-title'}}") - i.fa.js-clone-board(class="fa-clone") + i.fa.js-clone-board( + class="fa-clone" + title="{{_ 'duplicate-board'}}") if hasSpentTimeCards i.fa.js-has-spenttime-cards( class="fa-circle{{#if hasOvertimeCards}} has-overtime-card-active{{else}} no-overtime-card-active{{/if}}" diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 926e04ff..e6382046 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 1592bc08..bca2c915 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index 065c1fa5..6a793d2c 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index f93a60c9..170e8571 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index c3a3eb05..8f181315 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Něco se pokazilo", "error-ldap-login": "Během přihlašování nastala chyba", "display-authentication-method": "Zobraz způsob ověřování", - "default-authentication-method": "Zobraz způsob ověřování" + "default-authentication-method": "Zobraz způsob ověřování", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/da.i18n.json b/i18n/da.i18n.json index 00df0fdb..94f0bc16 100644 --- a/i18n/da.i18n.json +++ b/i18n/da.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index babd12c9..e76839bc 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Etwas ist schief gelaufen", "error-ldap-login": "Es ist ein Fehler beim Anmelden aufgetreten", "display-authentication-method": "Anzeige Authentifizierungsverfahren", - "default-authentication-method": "Standardauthentifizierungsverfahren" + "default-authentication-method": "Standardauthentifizierungsverfahren", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 2f619693..230943da 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 00b76869..3dab712e 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 5217127e..4e4af38b 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -686,5 +686,5 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "copy-tag": "Copy" + "duplicate-board": "Duplicate Board" } diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index 933f2a58..34fbc283 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index a5c1fa96..b4123680 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index e09c68bb..18bded97 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Algo no está bien", "error-ldap-login": "Ocurrió un error al intentar acceder", "display-authentication-method": "Mostrar el método de autenticación", - "default-authentication-method": "Método de autenticación por defecto" + "default-authentication-method": "Método de autenticación por defecto", + "duplicate-board": "Duplicar tablero" } \ No newline at end of file diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index 7a3c5319..6f1a2d31 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index 5f794527..dbf04373 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "یک اشتباه رخ داده شده است", "error-ldap-login": "هنگام تلاش برای ورود به یک خطا رخ داد", "display-authentication-method": "نمایش نوع اعتبارسنجی", - "default-authentication-method": "نوع اعتبارسنجی پیشفرض" + "default-authentication-method": "نوع اعتبارسنجی پیشفرض", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 72ff4ef6..5790a27a 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Jotain meni pieleen", "error-ldap-login": "Virhe tapahtui yrittäessä kirjautua sisään", "display-authentication-method": "Näytä kirjautumistapa", - "default-authentication-method": "Oletus kirjautumistapa" + "default-authentication-method": "Oletus kirjautumistapa", + "duplicate-board": "Tee kaksoiskappale taulusta" } \ No newline at end of file diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index f5b3faab..9dd778d7 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Une erreur inconnue s'est produite", "error-ldap-login": "Une erreur s'est produite lors de la tentative de connexion", "display-authentication-method": "Afficher la méthode d'authentification", - "default-authentication-method": "Méthode d'authentification par défaut" + "default-authentication-method": "Méthode d'authentification par défaut", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 47fbe947..3158eb9d 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 489b4f61..9818d9da 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "מהו השתבש", "error-ldap-login": "אירעה שגיאה בעת ניסיון הכניסה", "display-authentication-method": "הצגת שיטת אימות", - "default-authentication-method": "שיטת אימות כבררת מחדל" + "default-authentication-method": "שיטת אימות כבררת מחדל", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/hi.i18n.json b/i18n/hi.i18n.json index 514dfa2f..b58b5911 100644 --- a/i18n/hi.i18n.json +++ b/i18n/hi.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index 229c9fb4..aac675ca 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Valami hiba történt", "error-ldap-login": "Hiba történt bejelentkezés közben", "display-authentication-method": "Hitelelesítési mód mutatása", - "default-authentication-method": "Alapértelmezett hitelesítési mód" + "default-authentication-method": "Alapértelmezett hitelesítési mód", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index e15b7c37..82e17c07 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 4d64b735..291fc894 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 8603ec13..40376656 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 38176677..b089039f 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Qualcosa è andato storto", "error-ldap-login": "C'è stato un errore mentre provavi ad effettuare il login", "display-authentication-method": "Mostra il metodo di autenticazione", - "default-authentication-method": "Metodo di autenticazione predefinito" + "default-authentication-method": "Metodo di autenticazione predefinito", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 945d48eb..29326281 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index be5819dd..2f870f01 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index ba8bcb3e..b6c8f272 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index d1cf878f..1897495d 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 158f1f1c..6dc19085 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/mk.i18n.json b/i18n/mk.i18n.json index 10489c66..0d96f00b 100644 --- a/i18n/mk.i18n.json +++ b/i18n/mk.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index 9c4932b5..1a819409 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index f61dd08a..098900a9 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 598aed99..7bb7602b 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/oc.i18n.json b/i18n/oc.i18n.json index 6b62bbd1..9c61d0c1 100644 --- a/i18n/oc.i18n.json +++ b/i18n/oc.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index b8235f13..a1cf4da5 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Coś poszło nie tak", "error-ldap-login": "Wystąpił błąd w trakcie logowania", "display-authentication-method": "Wyświetl metodę logowania", - "default-authentication-method": "Domyślna metoda logowania" + "default-authentication-method": "Domyślna metoda logowania", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 5d82d841..f92a5305 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Algo deu errado", "error-ldap-login": "Um erro ocorreu enquanto tentava entrar", "display-authentication-method": "Mostrar Método de Autenticação", - "default-authentication-method": "Método de Autenticação Padrão" + "default-authentication-method": "Método de Autenticação Padrão", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 225b5adb..42aa4c5e 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index 33564db8..70fccc46 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index c677bd87..b02f2298 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Что-то пошло не так", "error-ldap-login": "Ошибка при попытке авторизации", "display-authentication-method": "Показывать способ авторизации", - "default-authentication-method": "Способ авторизации по умолчанию" + "default-authentication-method": "Способ авторизации по умолчанию", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index 0244a0e4..2a5aee10 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index bd9c3a50..46cfa2fd 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Något gick fel", "error-ldap-login": "Ett fel uppstod när du försökte logga in", "display-authentication-method": "Visa autentiseringsmetod", - "default-authentication-method": "Standard autentiseringsmetod" + "default-authentication-method": "Standard autentiseringsmetod", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/sw.i18n.json b/i18n/sw.i18n.json index b82240fa..007d1fdb 100644 --- a/i18n/sw.i18n.json +++ b/i18n/sw.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index 9473d194..ef85bad8 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index 17a54304..6c8ea8e6 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index 6f626453..89ad2ac0 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Bir şeyler yanlış gitti", "error-ldap-login": "Giriş yapmaya çalışırken bir hata oluştu", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 79eec847..d0298ea6 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index 9d180021..028f1e66 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 1fde84fb..510243b3 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "出了点问题", "error-ldap-login": "尝试登陆时出错", "display-authentication-method": "显示认证方式", - "default-authentication-method": "缺省认证方式" + "default-authentication-method": "缺省认证方式", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 0f14c4a9..9cc6878d 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -682,5 +682,6 @@ "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method" + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board" } \ No newline at end of file diff --git a/models/import.js b/models/import.js index ddc1a1d0..5e433669 100644 --- a/models/import.js +++ b/models/import.js @@ -39,7 +39,8 @@ Meteor.methods({ const addData = {}; addData.membersMapping = wekanMembersMapper.getMembersToMap(data); const creator = new WekanCreator(addData); - data.title = `${data.title } - ${ TAPi18n.__('copy-tag')}`; + //data.title = `${data.title } - ${ TAPi18n.__('copy-tag')}`; + data.title = `${data.title}`; return creator.create(data, currentBoardId); }, }); -- cgit v1.2.3-1-g7c22 From 53e76288cb7cb7d13ac6ff6bc112e30163fa431b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 6 Apr 2019 13:52:05 +0300 Subject: [Add Duplicate Board tooltip, and remove adding text "Copy" to duplicated board](https://github.com/wekan/wekan/commit/0f15b6d1982c383f76e8411cb501ff27e8febd42). Thanks to xet7 ! --- CHANGELOG.md | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 9ee3cb19..0a8cb200 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,15 +4,17 @@ This release adds the following new features: - [Duplicate Board](https://github.com/wekan/wekan/issues/2257). Related #2225. Thanks to Angtrim. +- [Add Duplicate Board tooltip, and remove adding text "Copy" to duplicated board](https://github.com/wekan/wekan/commit/0f15b6d1982c383f76e8411cb501ff27e8febd42). + Thanks to xet7. -This release fixes the following bugs: +amd fixes the following bugs: - [Add proper variables for unjoin card](https://github.com/wekan/wekan/pull/2313). Thanks to chotaire. - [Center reduce left margin in card view on mobile browser](https://github.com/wekan/wekan/pull/2314). Thanks to hupptechnologies. - [Remove not needed ARGS from Dockerfile to reduce amount of Docker layers](https://github.com/wekan/wekan/issues/2301). - Thanks to folhabranca. + Thanks to folhabranca and xet7. - [Fix Swimlane Rules don't work](https://github.com/wekan/wekan/issues/2225). Thanks to Angtrim. -- cgit v1.2.3-1-g7c22 From ad241b9f846cefa14dec6fd979870a715d774705 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 6 Apr 2019 13:54:32 +0300 Subject: v2.58 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 0a8cb200..9fd8ec46 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.58 2019-04-06 Wekan release This release adds the following new features: diff --git a/Stackerfile.yml b/Stackerfile.yml index 0b53ab88..f01bea82 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.57.0" +appVersion: "v2.58.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 690b5cc3..d868f244 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.57.0", + "version": "v2.58.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 7a3b55d8..b47cf8b2 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 259, + appVersion = 260, # Increment this for every release. - appMarketingVersion = (defaultText = "2.57.0~2019-04-02"), + appMarketingVersion = (defaultText = "2.58.0~2019-04-06"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 4be6719db4e15e7270a8782f57534ccf75d8f7d7 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 6 Apr 2019 14:07:55 +0300 Subject: - [Add variables for activity notifications, Fixes #2285](https://github.com/wekan/wekan/pull/2320). Thanks to rinnaz ! Closes #2285 --- CHANGELOG.md | 11 ++++++++++- 1 file changed, 10 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 9fd8ec46..f3a0bc21 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- [Add variables for activity notifications, Fixes #2285](https://github.com/wekan/wekan/pull/2320). + Thanks to rinnaz. + +Thanks to above GitHub users for their contributions and translators for their translations. + # v2.58 2019-04-06 Wekan release This release adds the following new features: @@ -7,7 +16,7 @@ This release adds the following new features: - [Add Duplicate Board tooltip, and remove adding text "Copy" to duplicated board](https://github.com/wekan/wekan/commit/0f15b6d1982c383f76e8411cb501ff27e8febd42). Thanks to xet7. -amd fixes the following bugs: +and fixes the following bugs: - [Add proper variables for unjoin card](https://github.com/wekan/wekan/pull/2313). Thanks to chotaire. -- cgit v1.2.3-1-g7c22 From 753ce8e119027de7073144d7c68c00ca8493abfd Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 6 Apr 2019 14:15:40 +0300 Subject: v2.59 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index f3a0bc21..c9e7dad7 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.59 2019-04-06 Wekan release This release fixes the following bugs: diff --git a/Stackerfile.yml b/Stackerfile.yml index f01bea82..5b0761ed 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.58.0" +appVersion: "v2.59.0" files: userUploads: - README.md diff --git a/package.json b/package.json index d868f244..5803539b 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.58.0", + "version": "v2.59.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index b47cf8b2..86887776 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 260, + appVersion = 261, # Increment this for every release. - appMarketingVersion = (defaultText = "2.58.0~2019-04-06"), + appMarketingVersion = (defaultText = "2.59.0~2019-04-06"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 9bff4e061e5d74d2bdef60b626fb4308f065cbc5 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sun, 7 Apr 2019 18:27:17 +0300 Subject: Update translations. --- i18n/de.i18n.json | 2 +- i18n/fr.i18n.json | 2 +- i18n/ru.i18n.json | 2 +- 3 files changed, 3 insertions(+), 3 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index e76839bc..6f922e4f 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -683,5 +683,5 @@ "error-ldap-login": "Es ist ein Fehler beim Anmelden aufgetreten", "display-authentication-method": "Anzeige Authentifizierungsverfahren", "default-authentication-method": "Standardauthentifizierungsverfahren", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Board duplizieren" } \ No newline at end of file diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 9dd778d7..bc7614d5 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -683,5 +683,5 @@ "error-ldap-login": "Une erreur s'est produite lors de la tentative de connexion", "display-authentication-method": "Afficher la méthode d'authentification", "default-authentication-method": "Méthode d'authentification par défaut", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Dupliquer le tableau" } \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index b02f2298..c79c43fc 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -683,5 +683,5 @@ "error-ldap-login": "Ошибка при попытке авторизации", "display-authentication-method": "Показывать способ авторизации", "default-authentication-method": "Способ авторизации по умолчанию", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Клонировать доску" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From eada773048e12800606e24dc8fd5b63db407b8e5 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 8 Apr 2019 09:03:55 +0300 Subject: [Fix: Description of Board is out of visible after Feature "Duplicate Board"](https://github.com/wekan/wekan/issues/2324). Thanks to sfahrenholz and xet7 ! Closes #2324 --- client/components/boards/boardsList.jade | 9 +++++---- client/components/boards/boardsList.styl | 1 + 2 files changed, 6 insertions(+), 4 deletions(-) diff --git a/client/components/boards/boardsList.jade b/client/components/boards/boardsList.jade index 0da926ef..70b29c49 100644 --- a/client/components/boards/boardsList.jade +++ b/client/components/boards/boardsList.jade @@ -22,15 +22,16 @@ template(name="boardList") i.fa.js-star-board( class="fa-star{{#if isStarred}} is-star-active{{else}}-o{{/if}}" title="{{_ 'star-board-title'}}") - i.fa.js-clone-board( - class="fa-clone" - title="{{_ 'duplicate-board'}}") + p.board-list-item-desc= description if hasSpentTimeCards i.fa.js-has-spenttime-cards( class="fa-circle{{#if hasOvertimeCards}} has-overtime-card-active{{else}} no-overtime-card-active{{/if}}" title="{{#if hasOvertimeCards}}{{_ 'has-overtime-cards'}}{{else}}{{_ 'has-spenttime-cards'}}{{/if}}") + i.fa.js-clone-board( + class="fa-clone" + title="{{_ 'duplicate-board'}}") + - p.board-list-item-desc= description template(name="boardListHeaderBar") h1 {{_ 'my-boards'}} diff --git a/client/components/boards/boardsList.styl b/client/components/boards/boardsList.styl index 9f0b204e..7e834411 100644 --- a/client/components/boards/boardsList.styl +++ b/client/components/boards/boardsList.styl @@ -93,6 +93,7 @@ $spaceBetweenTiles = 16px .is-star-active color: white + .fa-clone position: absolute; bottom: 0 -- cgit v1.2.3-1-g7c22 From 6d2b778ac518df12fedf49468b1a19093c4c5393 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 8 Apr 2019 09:07:58 +0300 Subject: [Fix: Description of Board is out of visible after Feature "Duplicate Board"](https://github.com/wekan/wekan/issues/2324). Thanks to sfahrenholz and xet7 ! Closes #2324 --- CHANGELOG.md | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index c9e7dad7..26aa1981 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- [Fix: Description of Board is out of visible after Feature "Duplicate Board"](https://github.com/wekan/wekan/issues/2324). + Thanks to sfahrenholz and xet7. + +Thanks to above GitHub users for their contributions and translators for their translations. + # v2.59 2019-04-06 Wekan release This release fixes the following bugs: -- cgit v1.2.3-1-g7c22 From 6af7d782d423b2c4ec3e4b825ec15749dc798957 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 8 Apr 2019 10:29:29 +0300 Subject: Update translations. --- i18n/sv.i18n.json | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 46cfa2fd..c7df9f92 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -18,7 +18,7 @@ "act-uncompleteChecklist": "ofullbordade checklista __checklist__ på kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", "act-addComment": "kommenterade på kort __card__: __comment__ i lista __list__ i simbana __swimlane__ på tavla __board__", "act-createBoard": "skapade tavla __board__", - "act-createSwimlane": "created swimlane __swimlane__ to board __board__", + "act-createSwimlane": "skapade simbana __swimlane__ till tavla __board__", "act-createCard": "skapade kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", "act-createCustomField": "skapade anpassat fält __customField__ på kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", "act-createList": "la till lista __list__ på tavla __board__", @@ -31,7 +31,7 @@ "act-importCard": "importerade kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", "act-importList": "importerade lista __list__ i simbana __swimlane__ på tavla __board__", "act-joinMember": "la till medlem __member__ på kort __card__ i lista __list__ i simbana __swimlane__ på tavla __board__", - "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "flyttade kort __card__ på tavla __board__ från lista __oldList__ i sambana __oldSwimlane__ till lista list __list__ i simbana __swimlane__", "act-moveCardToOtherBoard": "flyttade kort __card__ från lista __oldList__ i simbana __oldSwimlane__ på tavla __oldBoard__ till lista __list__ i simbana __swimlane__ på tavla __board__", "act-removeBoardMember": "borttagen medlem __member__  från tavla __board__", "act-restoredCard": "återställde kort __card__ till lista __lis__ i simbana __swimlane__ på tavla __board__", @@ -683,5 +683,5 @@ "error-ldap-login": "Ett fel uppstod när du försökte logga in", "display-authentication-method": "Visa autentiseringsmetod", "default-authentication-method": "Standard autentiseringsmetod", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Dubbletttavla" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From a43237d4f9a93381621f3f86f6b5701fce3c8d4d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 8 Apr 2019 10:31:48 +0300 Subject: v2.60 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 26aa1981..a7445558 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.60 2019-04-08 Wekan release This release fixes the following bugs: diff --git a/Stackerfile.yml b/Stackerfile.yml index 5b0761ed..08d41a31 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.59.0" +appVersion: "v2.60.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 5803539b..c74b3904 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.59.0", + "version": "v2.60.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 86887776..99cec39e 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 261, + appVersion = 262, # Increment this for every release. - appMarketingVersion = (defaultText = "2.59.0~2019-04-06"), + appMarketingVersion = (defaultText = "2.60.0~2019-04-08"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From d8554ec67e26b4e86c86ee83bb5332b1d5d70215 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 8 Apr 2019 10:58:49 +0300 Subject: Combine to same line. --- client/components/main/layouts.jade | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/client/components/main/layouts.jade b/client/components/main/layouts.jade index ac2e4bf3..7fd0492e 100644 --- a/client/components/main/layouts.jade +++ b/client/components/main/layouts.jade @@ -1,7 +1,6 @@ head title - meta(name="viewport" - content="maximum-scale=1.0,width=device-width,initial-scale=1.0,user-scalable=0") + meta(name="viewport" content="maximum-scale=1.0,width=device-width,initial-scale=1.0,user-scalable=0") meta(http-equiv="X-UA-Compatible" content="IE=edge") //- XXX We should use pathFor in the following `href` to support the case where the application is deployed with a path prefix, but it seems to be -- cgit v1.2.3-1-g7c22 From 561cd77e6842fd4f9a9b586387f4a631490d1ac9 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Mon, 8 Apr 2019 12:01:26 +0300 Subject: Replace header login example variable names. Related #2019 --- docker-compose.yml | 8 ++++---- releases/virtualbox/start-wekan.sh | 8 ++++---- snap-src/bin/config | 14 +++++++------- snap-src/bin/wekan-help | 8 ++++---- start-wekan.bat | 8 ++++---- start-wekan.sh | 8 ++++---- 6 files changed, 27 insertions(+), 27 deletions(-) diff --git a/docker-compose.yml b/docker-compose.yml index 720d5c70..2d8e3a2d 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -473,10 +473,10 @@ services: #--------------------------------------------------------------------- # Login to LDAP automatically with HTTP header. # In below example for siteminder, at right side of = is header name. - #- HEADER_LOGIN_ID=BNPPUID - #- HEADER_LOGIN_FIRSTNAME=BNPPFIRSTNAME - #- HEADER_LOGIN_LASTNAME=BNPPLASTNAME - #- HEADER_LOGIN_EMAIL=BNPPEMAILADDRESS + #- HEADER_LOGIN_ID=HEADERUID + #- HEADER_LOGIN_FIRSTNAME=HEADERFIRSTNAME + #- HEADER_LOGIN_LASTNAME=HEADERLASTNAME + #- HEADER_LOGIN_EMAIL=HEADEREMAILADDRESS #--------------------------------------------------------------------- # ==== LOGOUT TIMER, probably does not work yet ==== # LOGOUT_WITH_TIMER : Enables or not the option logout with timer diff --git a/releases/virtualbox/start-wekan.sh b/releases/virtualbox/start-wekan.sh index 77fbdd54..14a86dc3 100755 --- a/releases/virtualbox/start-wekan.sh +++ b/releases/virtualbox/start-wekan.sh @@ -270,10 +270,10 @@ #--------------------------------------------------------------------- # Login to LDAP automatically with HTTP header. # In below example for siteminder, at right side of = is header name. - #export HEADER_LOGIN_ID=BNPPUID - #export HEADER_LOGIN_FIRSTNAME=BNPPFIRSTNAME - #export HEADER_LOGIN_LASTNAME=BNPPLASTNAME - #export HEADER_LOGIN_EMAIL=BNPPEMAILADDRESS + #export HEADER_LOGIN_ID=HEADERUID + #export HEADER_LOGIN_FIRSTNAME=HEADERFIRSTNAME + #export HEADER_LOGIN_LASTNAME=HEADERLASTNAME + #export HEADER_LOGIN_EMAIL=HEADEREMAILADDRESS #--------------------------------------------------------------------- # LOGOUT_WITH_TIMER : Enables or not the option logout with timer # example : LOGOUT_WITH_TIMER=true diff --git a/snap-src/bin/config b/snap-src/bin/config index 7d68e26d..e09cfc19 100755 --- a/snap-src/bin/config +++ b/snap-src/bin/config @@ -354,20 +354,20 @@ DESCRIPTION_LDAP_DEFAULT_DOMAIN="The default domain of the ldap it is used to cr DEFAULT_LDAP_DEFAULT_DOMAIN="" KEY_LDAP_DEFAULT_DOMAIN="ldap-default-domain" -DESCRIPTION_HEADER_LOGIN_ID="Header login ID. Example for siteminder: BNPPUID" +DESCRIPTION_HEADER_LOGIN_ID="Header login ID. Example for siteminder: HEADERUID" DEFAULT_HEADER_LOGIN_ID="" KEY_HEADER_LOGIN_ID="header-login-id" -DESCRIPTION_HEADER_LOGIN_FIRSTNAME="Header login firstname. Example for siteminder: BNPPFIRSTNAME" -DEFAULT_HEADER_LOGIN_FIRSTNAME="Header login firstname. Example for siteminder: BNPPFIRSTNAME" +DESCRIPTION_HEADER_LOGIN_FIRSTNAME="Header login firstname. Example for siteminder: HEADERFIRSTNAME" +DEFAULT_HEADER_LOGIN_FIRSTNAME="Header login firstname. Example for siteminder: HEADERFIRSTNAME" KEY_HEADER_LOGIN_FIRSTNAME="header-login-firstname" -DESCRIPTION_HEADER_LOGIN_LASTNAME="Header login lastname. Example for siteminder: BNPPLASTNAME" -DEFAULT_HEADER_LOGIN_LASTNAME="Header login firstname. Example for siteminder: BNPPLASTNAME" +DESCRIPTION_HEADER_LOGIN_LASTNAME="Header login lastname. Example for siteminder: HEADERLASTNAME" +DEFAULT_HEADER_LOGIN_LASTNAME="Header login firstname. Example for siteminder: HEADERLASTNAME" KEY_HEADER_LOGIN_LASTNAME="header-login-lastname" -DESCRIPTION_HEADER_LOGIN_EMAIL="Header login email. Example for siteminder: BNPPEMAILADDRESS" -DEFAULT_HEADER_LOGIN_EMAIL="Header login email. Example for siteminder: BNPPEMAILADDRESS" +DESCRIPTION_HEADER_LOGIN_EMAIL="Header login email. Example for siteminder: HEADEREMAILADDRESS" +DEFAULT_HEADER_LOGIN_EMAIL="Header login email. Example for siteminder: HEADEREMAILADDRESS" KEY_HEADER_LOGIN_EMAIL="header-login-email" DESCRIPTION_LOGOUT_WITH_TIMER="Enables or not the option logout with timer" diff --git a/snap-src/bin/wekan-help b/snap-src/bin/wekan-help index d1eeaccd..64d41d17 100755 --- a/snap-src/bin/wekan-help +++ b/snap-src/bin/wekan-help @@ -333,10 +333,10 @@ echo -e "\t$ snap set $SNAP_NAME logout-with-timer='true'" echo -e "\n" echo -e "Login to LDAP automatically with HTTP header." echo -e "In below example for siteminder, at right side of = is header name." -echo -e "\t$ snap set $SNAP_NAME header-login-id='BNPPUID'" -echo -e "\t$ snap set $SNAP_NAME header-login-firstname='BNPPFIRSTNAME'" -echo -e "\t$ snap set $SNAP_NAME header-login-lastname='BNPPLASTNAME'" -echo -e "\t$ snap set $SNAP_NAME header-login-email='BNPPEMAILADDRESS'" +echo -e "\t$ snap set $SNAP_NAME header-login-id='HEADERUID'" +echo -e "\t$ snap set $SNAP_NAME header-login-firstname='HEADERFIRSTNAME'" +echo -e "\t$ snap set $SNAP_NAME header-login-lastname='HEADERLASTNAME'" +echo -e "\t$ snap set $SNAP_NAME header-login-email='HEADEREMAILADDRESS'" echo -e "\n" echo -e "Logout in." echo -e "Logout in how many days:" diff --git a/start-wekan.bat b/start-wekan.bat index cd56af28..d94605bb 100755 --- a/start-wekan.bat +++ b/start-wekan.bat @@ -273,10 +273,10 @@ REM SET LDAP_SYNC_ADMIN_GROUPS=group1,group2 REM # Login to LDAP automatically with HTTP header. REM # In below example for siteminder, at right side of = is header name. -REM SET HEADER_LOGIN_ID=BNPPUID -REM SET HEADER_LOGIN_FIRSTNAME=BNPPFIRSTNAME -REM SET HEADER_LOGIN_LASTNAME=BNPPLASTNAME -REM SET HEADER_LOGIN_EMAIL=BNPPEMAILADDRESS +REM SET HEADER_LOGIN_ID=HEADERUID +REM SET HEADER_LOGIN_FIRSTNAME=HEADERFIRSTNAME +REM SET HEADER_LOGIN_LASTNAME=HEADERLASTNAME +REM SET HEADER_LOGIN_EMAIL=HEADEREMAILADDRESS REM ------------------------------------------------ diff --git a/start-wekan.sh b/start-wekan.sh index 4e7f930c..931494d0 100755 --- a/start-wekan.sh +++ b/start-wekan.sh @@ -289,10 +289,10 @@ function wekan_repo_check(){ #--------------------------------------------------------------------- # Login to LDAP automatically with HTTP header. # In below example for siteminder, at right side of = is header name. - #export HEADER_LOGIN_ID=BNPPUID - #export HEADER_LOGIN_FIRSTNAME=BNPPFIRSTNAME - #export HEADER_LOGIN_LASTNAME=BNPPLASTNAME - #export HEADER_LOGIN_EMAIL=BNPPEMAILADDRESS + #export HEADER_LOGIN_ID=HEADERUID + #export HEADER_LOGIN_FIRSTNAME=HEADERFIRSTNAME + #export HEADER_LOGIN_LASTNAME=HEADERLASTNAME + #export HEADER_LOGIN_EMAIL=HEADEREMAILADDRESS #--------------------------------------------------------------------- # LOGOUT_WITH_TIMER : Enables or not the option logout with timer # example : LOGOUT_WITH_TIMER=true -- cgit v1.2.3-1-g7c22 From 80afc28719fbbb0e74df81371c070f22fad990e0 Mon Sep 17 00:00:00 2001 From: Shubham Hibare <20609766+hibare@users.noreply.github.com> Date: Fri, 12 Apr 2019 00:43:59 +0530 Subject: Removed quotes --- docker-compose.yml | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/docker-compose.yml b/docker-compose.yml index 720d5c70..c9fa62f0 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -170,8 +170,8 @@ services: # NOTE: Special characters need to be url-encoded in MAIL_URL. # You can encode those characters for example at: https://www.urlencoder.org #- MAIL_URL=smtp://user:pass@mailserver.example.com:25/ - - MAIL_URL='smtp://:25/?ignoreTLS=true&tls={rejectUnauthorized:false}' - - MAIL_FROM='Wekan Notifications ' + - MAIL_URL=smtp://:25/?ignoreTLS=true&tls={rejectUnauthorized:false} + - MAIL_FROM=Wekan Notifications #--------------------------------------------------------------- # ==== OPTIONAL: MONGO OPLOG SETTINGS ===== # https://github.com/wekan/wekan-mongodb/issues/2#issuecomment-378343587 -- cgit v1.2.3-1-g7c22 From b8c10def8e68aa88df8e719b2e4098276bc508a2 Mon Sep 17 00:00:00 2001 From: Shubham Hibare <20609766+hibare@users.noreply.github.com> Date: Fri, 12 Apr 2019 00:44:54 +0530 Subject: Removed quotes --- docker-compose.yml | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/docker-compose.yml b/docker-compose.yml index 2d8e3a2d..cb8f5b6d 100644 --- a/docker-compose.yml +++ b/docker-compose.yml @@ -170,8 +170,8 @@ services: # NOTE: Special characters need to be url-encoded in MAIL_URL. # You can encode those characters for example at: https://www.urlencoder.org #- MAIL_URL=smtp://user:pass@mailserver.example.com:25/ - - MAIL_URL='smtp://:25/?ignoreTLS=true&tls={rejectUnauthorized:false}' - - MAIL_FROM='Wekan Notifications ' + - MAIL_URL=smtp://:25/?ignoreTLS=true&tls={rejectUnauthorized:false} + - MAIL_FROM=Wekan Notifications #--------------------------------------------------------------- # ==== OPTIONAL: MONGO OPLOG SETTINGS ===== # https://github.com/wekan/wekan-mongodb/issues/2#issuecomment-378343587 -- cgit v1.2.3-1-g7c22 From fea2ad3d7d09b44c3de1dbcdd3f8750aaa6776d5 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 18 Apr 2019 10:57:59 +0300 Subject: Test newest markdown. --- .meteor/packages | 2 +- .meteor/versions | 2 +- rebuild-wekan.sh | 3 ++- 3 files changed, 4 insertions(+), 3 deletions(-) diff --git a/.meteor/packages b/.meteor/packages index 9a3f9bca..81f1ee05 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -66,7 +66,6 @@ mquandalle:jquery-textcomplete mquandalle:jquery-ui-drag-drop-sort mquandalle:mousetrap-bindglobal peerlibrary:blaze-components@=0.15.1 -perak:markdown templates:tabs verron:autosize simple:json-routes @@ -92,3 +91,4 @@ mquandalle:perfect-scrollbar mdg:meteor-apm-agent meteorhacks:unblock lucasantoniassi:accounts-lockout +wekan-markdown diff --git a/.meteor/versions b/.meteor/versions index 390cda63..90368001 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -132,7 +132,6 @@ peerlibrary:base-component@0.16.0 peerlibrary:blaze-components@0.15.1 peerlibrary:computed-field@0.7.0 peerlibrary:reactive-field@0.3.0 -perak:markdown@1.0.5 promise@0.10.0 raix:eventemitter@0.1.3 raix:handlebar-helpers@0.2.5 @@ -180,6 +179,7 @@ verron:autosize@3.0.8 webapp@1.4.0 webapp-hashing@1.0.9 wekan-accounts-oidc@1.0.10 +wekan-markdown@1.0.7 wekan-oidc@1.0.12 wekan-scrollbar@3.1.3 wekan:accounts-cas@0.1.0 diff --git a/rebuild-wekan.sh b/rebuild-wekan.sh index 21254918..6739ebd0 100755 --- a/rebuild-wekan.sh +++ b/rebuild-wekan.sh @@ -111,7 +111,7 @@ do "Build Wekan") echo "Building Wekan." wekan_repo_check - rm -rf packages + rm -rf packages/kadira-flow-router packages/meteor-useraccounts-core packages/meteor-accounts-cas packages/wekan-ldap packages/wekan-ldap packages/wekan-scrfollbar packages/meteor-accounts-oidc packages/markdown mkdir packages cd packages git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-flow-router @@ -120,6 +120,7 @@ do git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-oidc.git + git clone --depth 1 -b master --recurse-submodules https://github.com/wekan/markdown.git mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan_accounts-oidc mv meteor-accounts-oidc/packages/switch_oidc wekan_oidc rm -rf meteor-accounts-oidc -- cgit v1.2.3-1-g7c22 From a13d931cfd6b42ca51e37a70a87b7ccf7bad2df0 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 18 Apr 2019 13:10:49 +0300 Subject: Change to correct issue number as noticed typo at #2295 --- CHANGELOG.md | 58 +++++++++++++++++++++++++++++----------------------------- 1 file changed, 29 insertions(+), 29 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index a7445558..30fbda81 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -13,7 +13,7 @@ This release fixes the following bugs: - [Add variables for activity notifications, Fixes #2285](https://github.com/wekan/wekan/pull/2320). Thanks to rinnaz. - + Thanks to above GitHub users for their contributions and translators for their translations. # v2.58 2019-04-06 Wekan release @@ -43,7 +43,7 @@ Thanks to above GitHub users for their contributions and translators for their t This release fixes the following bugs, thanks to justinr1234: - [Add proper variables for join card](https://github.com/wekan/wekan/commit/289f1fe1340c85eb2af19825f4972e9057a86b7a), - fixes [Incorrect variable replacement on email notifications](https://github.com/wekan/wekan/issues/2295). + fixes [Incorrect variable replacement on email notifications](https://github.com/wekan/wekan/issues/2285). and fixes the following bugs with Apache I-CLA, thanks to bentiss: @@ -78,7 +78,7 @@ Thanks to above GitHub users for their contributions and translators for their t This release fixes the following bugs: -- Fix typos. +- Fix typos. - [Fix Outgoing Webhook message about created new swimlane](https://github.com/wekan/wekan/issues/1969). Thanks to above GitHub users for their contributions and translators for their translations. @@ -111,7 +111,7 @@ and fixes the following bugs: - [Fix IFTTT email sending](https://github.com/wekan/wekan/pull/2279). Thanks to justinr1234. - + Thanks to above GitHub users for their contributions. # v2.51 2019-03-21 Wekan release @@ -232,7 +232,7 @@ and reverts the following change of v2.42, because they did not fix anything, th - [Revert: Tried to fix snap mongodb-control not starting database](https://github.com/wekan/wekan/commit/4055f451fdadfbfdef9a10be29a0eb6aed91182c). -Thanks to above GitHub users for their contributions, and translators for their translations. +Thanks to above GitHub users for their contributions, and translators for their translations. # v2.42 2019-03-07 Wekan release @@ -271,7 +271,7 @@ This release fixes the following bugs: - [Fix](https://github.com/wekan/wekan/commit/e845fe3e7130d111be4c3a73e2551738c980ff7b) [manifest](https://github.com/wekan/wekan/issues/2168) and [icon](https://github.com/wekan/wekan/issues/1692) paths. Thanks to xet7. - + Thanks to above GitHub users for their contributions, and translators for their translations. # v2.38 2019-03-06 Wekan release @@ -323,13 +323,13 @@ and moved the following code around: xet7 can make changes directly and GitHub issues are enabled. Thanks to GitHub user xet7 for contributions. - + # v2.35 2019-03-01 Wekan release This release fixes the following bugs: -- [Add Filter fix back](https://github.com/wekan/wekan/issues/2213), - because there was no bug in filter fix. +- [Add Filter fix back](https://github.com/wekan/wekan/issues/2213), + because there was no bug in filter fix. Thanks to GitHub user xet7 for contributions. @@ -395,7 +395,7 @@ This release adds the following new Sandstorm features and fixes: - New Sandstorm board first user is Admin and [has IFTTT Rules](https://github.com/wekan/wekan/issues/2125) and Standalone Wekan Admin Panel. Probably some Admin Panel features do not work yet. Please keep backup of your grains before testing Admin Panel. - Linked Cards and Linked Boards. -- Some not needed options like Logout etc have been hidden from top bar right menu. +- Some not needed options like Logout etc have been hidden from top bar right menu. - [Import board now works. "Board not found" is not problem anymore](https://github.com/wekan/wekan/issues/1430), because you can go to All Boards page to change to imported board. and removes the following features: @@ -477,7 +477,7 @@ and fixes the following bugs: mobile browser](https://github.com/wekan/wekan/issues/2183). Thanks to xet7. Thanks to above GitHub users for their contributions, and translators for their translations. - + # v2.21 2019-02-12 Wekan release This release adds the following new features: @@ -534,12 +534,12 @@ and fixes the following bugs with Apache I-CLA, thanks to bentiss: header) - make sure the placeholder never get placed between the header and the list of cards in a swimlane - - fix the finding of the next and previous list of cards. + - fix the finding of the next and previous list of cards. For all of this to be successful, we need to resize the swimlanes to a known value. This can lead to some visual jumps with scrolling when you drag or drop the swimlanea. I tried to remedy that by computing the new scroll value. Still not ideal however, as there are still some jumps when - dropping. + dropping. Fixes [#2159](https://github.com/wekan/wekan/issues/2159). Thanks to above GitHub users and translators for contributions. @@ -567,7 +567,7 @@ Thanks to GitHub user ChronikEwok for contributions. This release fixes the following bugs: -- [Fix: Not displaying card content of public board: Snap, Docker and Sandstorm Shared Wekan Board +- [Fix: Not displaying card content of public board: Snap, Docker and Sandstorm Shared Wekan Board Link](https://github.com/wekan/wekan/issues/1623) with [code from ChronikEwok](https://github.com/ChronikEwok/wekan/commit/cad9b20451bb6149bfb527a99b5001873b06c3de). @@ -599,7 +599,7 @@ This release adds the following new features with Apache I-CLA, thanks to bentis - [When writing to minicard, press Shift-Enter on minicard to go to next line below](https://github.com/wekan/wekan/commit/7a35099fb9778d5f3656a57c74af426cfb20fba3), to continue writing on same minicard 2nd line. - + Thanks to GitHub user bentiss for contributions. # v2.12 2019-01-31 Wekan release @@ -724,7 +724,7 @@ and fixes the following bugs with Apache I-CLA, thanks to bentiss: - [Make sure Swimlanes and Lists have a populated sort field](https://github.com/wekan/wekan/commit/5c6a725712a443b4d03b4f86262033ddfb66bc3d). When moving around the swimlanes or the lists, if one element has a sort with a null value, the computation of the new sort value is aborted, - meaning that there are glitches in the UI. + meaning that there are glitches in the UI. This happens on the first swimlane created with the new board, or when a swimlane or a list gets added through the API; - UI: Lists: [Make sure all lists boxes are the same height](https://github.com/wekan/wekan/commit/97d95b4bcbcab86629e368ea41bb9f00450b21f6). @@ -794,7 +794,7 @@ and fixes the following bugs: - When clicking Move Card, go to correct page position. Currently it's at empty page position, and there is need to scroll page up to see Move Card options. It should work similarly like Copy Card, that is visible. - Also check that other buttons go to visible page. - + Thanks to above GitHub users for their contributions. # v1.97 2018-12-26 Wekan release @@ -803,7 +803,7 @@ This release adds the following new features: - Upgrade to Node 8.15.0 and MongoDB 3.2.22. - Stacksmith: back to Meteor 1.6.x based Wekan, because Meteor 1.8.x based is currently broken. - + Thanks to GitHub user xet7 for contributions. # v1.96 2018-12-24 Wekan release @@ -965,7 +965,7 @@ Thanks to GitHub user xet7 for contributions. This release fixes the following bugs: -- Remove extra commas `,` and add missing backslash `\`. +- Remove extra commas `,` and add missing backslash `\`. Maybe after that login, logout and CORS works. Thanks to GitHub user xet7 for contributions. @@ -1120,7 +1120,7 @@ and hides the following features at Sandstorm: - Hide Linked Card and Linked Board on Sandstorm, because they are only useful when having multiple boards, and at Sandstorm - there is only one board per grain. Thanks to ocdtrekkie and xet7. Closes #1982 + there is only one board per grain. Thanks to ocdtrekkie and xet7. Closes #1982 Thanks to above mentioned GitHub users for their contributions. @@ -1282,7 +1282,7 @@ and tries to fix the following bugs: - Try to fix snap. Thanks to GitHub users Akuket and xet7 for their contributions. - + # v1.53.5 2018-10-10 Wekan Edge relase This release tries to fix the following bugs: @@ -1306,7 +1306,7 @@ This release adds the following new features: - [Upgrade](https://github.com/wekan/wekan/issues/1522) to [Meteor](https://blog.meteor.com/meteor-1-8-erases-the-debts-of-1-7-77af4c931fe3) [1.8.1-beta.0](https://github.com/meteor/meteor/issues/10216). with [these](https://github.com/wekan/wekan/commit/079e45eb52a0f62ddb6051bf2ea80fac8860d3d5) [commits](https://github.com/wekan/wekan/commit/dd47d46f4341a8c4ced05749633f783e88623e1b). So now it's possible to use MongoDB 2.6 - 4.0. - + Thanks to GitHub user xet7 for contributions. # v1.53.2 2018-10-10 Wekan Edge release @@ -1334,7 +1334,7 @@ and fixes the following bugs: - [Feature rules: fixes and enhancements](https://github.com/wekan/wekan/pull/1936). Thanks to GitHub users Akuket, Angtrim, dcmcand, lberk, maximest-pierre, InfoSec812, schulz and xet7 for their contributions. - + # v1.52.1 2018-10-02 Wekan Edge release This release adds the following new features: @@ -1349,7 +1349,7 @@ and reverts previous change: Oidc already works with [doorkeeper](https://github.com/doorkeeper-gem/doorkeeper-provider-app). Thanks to GitHub user xet7 for contributions. - + # v1.51.2 2018-09-30 Wekan Edge release This release adds the following new features: @@ -1408,7 +1408,7 @@ Thanks to GitHub users Angtrim, maurice-schleussinger, suprovsky and xet7 for th This release adds the following new features: - Change from Node v8.12.0 prerelease to use official Node v8.12.0. - + Thanks to GitHub user xet7 for contributions. # v1.49 2018-09-17 Wekan release @@ -1566,10 +1566,10 @@ Thanks to GitHub users hever, salleman33, tlevine and xet7 for their contributio This release adds the following new features: Add Caddy plugins: -- [http.filter](https://caddyserver.com/docs/http.filter) +- [http.filter](https://caddyserver.com/docs/http.filter) for changing Wekan UI on the fly, for example custom logo, or changing to all different CSS file to have custom theme; -- [http.ipfilter](https://caddyserver.com/docs/http.ipfilter) +- [http.ipfilter](https://caddyserver.com/docs/http.ipfilter) to block requests by ip address; - [http.realip](https://caddyserver.com/docs/http.realip) for showing real X-Forwarded-For IP to behind proxy; @@ -1865,7 +1865,7 @@ and fixes the following bugs: * To fix ["title is required"](https://github.com/wekan/wekan/issues/1576) fix only [add-checklist-items and revert all other migration changes](https://github.com/wekan/wekan/issues/1734); * [Restore invitation code logic](https://github.com/wekan/wekan/pull/1732). Please test and add comment - to those invitation code issues that this fixes. + to those invitation code issues that this fixes. Thanks to GitHub users TNick and xet7 for their contributions. @@ -2036,7 +2036,7 @@ This release adds the following new features: and fixes the following bugs: * [Error: title is required](https://github.com/wekan/wekan/issues/1576). - + Thanks to GitHub users Shahar-Y, thiagofernando and ThisNeko for their contributions. # v0.94 2018-05-03 Wekan release -- cgit v1.2.3-1-g7c22 From dc11e0c79cf7dad5f9988cf77cabf08b8878c9b6 Mon Sep 17 00:00:00 2001 From: hupp-mac-4 Date: Thu, 18 Apr 2019 15:41:23 +0530 Subject: Issue: Full width of lists and space before first list #2336 Resolved #2336 --- .meteor/versions | 9 --------- client/components/boards/boardBody.styl | 2 +- client/components/lists/list.styl | 13 ++++++++++--- 3 files changed, 11 insertions(+), 13 deletions(-) diff --git a/.meteor/versions b/.meteor/versions index 390cda63..72c1fd55 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -1,6 +1,5 @@ 3stack:presence@1.1.2 accounts-base@1.4.0 -accounts-oauth@1.1.15 accounts-password@1.5.0 aldeed:collection2@2.10.0 aldeed:collection2-core@1.2.0 @@ -122,8 +121,6 @@ mquandalle:perfect-scrollbar@0.6.5_2 msavin:usercache@1.0.0 npm-bcrypt@0.9.3 npm-mongo@2.2.33 -oauth@1.2.1 -oauth2@1.2.0 observe-sequence@1.0.16 ongoworks:speakingurl@1.1.0 ordered-dict@1.0.9 @@ -179,10 +176,4 @@ useraccounts:unstyled@1.14.2 verron:autosize@3.0.8 webapp@1.4.0 webapp-hashing@1.0.9 -wekan-accounts-oidc@1.0.10 -wekan-oidc@1.0.12 -wekan-scrollbar@3.1.3 -wekan:accounts-cas@0.1.0 -wekan:wekan-ldap@0.0.2 -yasaricli:slugify@0.0.7 zimme:active-route@2.3.2 diff --git a/client/components/boards/boardBody.styl b/client/components/boards/boardBody.styl index 148c6ce1..dfaaa050 100644 --- a/client/components/boards/boardBody.styl +++ b/client/components/boards/boardBody.styl @@ -50,6 +50,6 @@ position() display: flex flex-direction: column margin: 0 - padding: 0 40px 0px 0 + padding: 0 0px 0px 0 overflow-x: hidden overflow-y: auto diff --git a/client/components/lists/list.styl b/client/components/lists/list.styl index 7e4550a4..3b82f07f 100644 --- a/client/components/lists/list.styl +++ b/client/components/lists/list.styl @@ -161,7 +161,7 @@ .mini-list flex: 0 0 60px - height: 60px + height: auto width: 100% border-left: 0px border-bottom: 1px solid darken(white, 20%) @@ -189,7 +189,12 @@ border-bottom: 1px solid darken(white, 20%) .list-header - + padding: 0 12px 0px + border-bottom: 0px solid #e4e4e4 + height: 60px + margin-top: 10px + display: flex + align-items: center .list-header-left-icon display: inline padding: 7px @@ -201,8 +206,10 @@ .list-header-menu-icon position: absolute padding: 7px - top: -@padding + top: 50% + transform: translateY(-50%) right: 17px + font-size: 20px .link-board-wrapper display: flex -- cgit v1.2.3-1-g7c22 From ba4d8b0b35b008dec275d32a8c09d5ee301dc09f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 18 Apr 2019 13:23:48 +0300 Subject: Update to newest GitHub flawored markdown. Thanks to shaygover and xet7 ! Related #2334 --- CHANGELOG.md | 10 ++++++++++ Dockerfile | 1 + rebuild-wekan.bat | 1 + releases/rebuild-release.sh | 17 +++++++++-------- releases/rebuild-wekan.sh | 1 + releases/virtualbox/rebuild-wekan.sh | 1 + snapcraft.yaml | 5 +++++ 7 files changed, 28 insertions(+), 8 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 30fbda81..67f34f25 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,13 @@ +# Upcoming Wekan release + +This release adds the following updates: + +- [Update to use newest GitHub flawored markdown](https://github.com/wekan/wekan/commit/fea2ad3d7d09b44c3de1dbcdd3f8750aaa6776d5), + because [it was found old version was in use](https://github.com/wekan/wekan/issues/2334). + Thanks to shaygover and xet7. + +Thanks to above GitHub users for their contributions and translators for their translations. + # v2.60 2019-04-08 Wekan release This release fixes the following bugs: diff --git a/Dockerfile b/Dockerfile index 73f8e4bc..dd683a13 100644 --- a/Dockerfile +++ b/Dockerfile @@ -200,6 +200,7 @@ RUN \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/wekan-ldap.git && \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/wekan-scrollbar.git && \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/meteor-accounts-oidc.git && \ + gosu wekan:wekan git clone --depth 1 -b master --recurse-submodules git://github.com/wekan/markdown.git && \ gosu wekan:wekan mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan_accounts-oidc && \ gosu wekan:wekan mv meteor-accounts-oidc/packages/switch_oidc wekan_oidc && \ gosu wekan:wekan rm -rf meteor-accounts-oidc && \ diff --git a/rebuild-wekan.bat b/rebuild-wekan.bat index ca4d7f61..ae3e59d2 100644 --- a/rebuild-wekan.bat +++ b/rebuild-wekan.bat @@ -36,6 +36,7 @@ git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-oidc.git +git clone --depth 1 -b master --recurse-submodules https://github.com/wekan/markdown.git move meteor-accounts-oidc/packages/switch_accounts-oidc wekan_accounts-oidc move meteor-accounts-oidc/packages/switch_oidc wekan_oidc del /S /F /Q meteor-accounts-oidc diff --git a/releases/rebuild-release.sh b/releases/rebuild-release.sh index ce3d445d..6aa83dd3 100755 --- a/releases/rebuild-release.sh +++ b/releases/rebuild-release.sh @@ -5,14 +5,15 @@ rm -rf packages mkdir -p ~/repos/wekan/packages cd ~/repos/wekan/packages - git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-flow-router - git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core - git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git - git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git - git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git - git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-oidc.git - mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan_accounts-oidc - mv meteor-accounts-oidc/packages/switch_oidc wekan_oidc + git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-flow-router + git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core + git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git + git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git + git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git + git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-oidc.git + git clone --depth 1 -b master --recurse-submodules https://github.com/wekan/markdown.git + mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan_accounts-oidc + mv meteor-accounts-oidc/packages/switch_oidc wekan_oidc if [[ "$OSTYPE" == "darwin"* ]]; then echo "sed at macOS"; diff --git a/releases/rebuild-wekan.sh b/releases/rebuild-wekan.sh index bee5a228..2f3e3eeb 100755 --- a/releases/rebuild-wekan.sh +++ b/releases/rebuild-wekan.sh @@ -95,6 +95,7 @@ do git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-oidc.git + git clone --depth 1 -b master --recurse-submodules https://github.com/wekan/markdown.git mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan_accounts-oidc mv meteor-accounts-oidc/packages/switch_oidc wekan_oidc rm -rf meteor-accounts-oidc diff --git a/releases/virtualbox/rebuild-wekan.sh b/releases/virtualbox/rebuild-wekan.sh index 546e9d1e..2ae28526 100755 --- a/releases/virtualbox/rebuild-wekan.sh +++ b/releases/virtualbox/rebuild-wekan.sh @@ -72,6 +72,7 @@ do git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-oidc.git + git clone --depth 1 -b master --recurse-submodules https://github.com/wekan/markdown.git mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan_accounts-oidc mv meteor-accounts-oidc/packages/switch_oidc wekan_oidc rm -rf meteor-accounts-oidc diff --git a/snapcraft.yaml b/snapcraft.yaml index e4b765a5..9e77d547 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -184,6 +184,11 @@ parts: rm -rf meteor-accounts-oidc cd .. fi + if [ ! -d "packages/markdown" ]; then + cd packages + git clone --depth 1 -b master --recurse-submodules https://github.com/wekan/markdown.git + cd .. + fi rm -rf package-lock.json .build meteor add standard-minifier-js --allow-superuser meteor npm install --allow-superuser -- cgit v1.2.3-1-g7c22 From 26309fad10b25303ea532758694cb1ee4a7da7ba Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 18 Apr 2019 13:26:46 +0300 Subject: Update translations. --- i18n/de.i18n.json | 36 ++++++++++++++++++------------------ i18n/hu.i18n.json | 26 +++++++++++++------------- i18n/it.i18n.json | 4 ++-- 3 files changed, 33 insertions(+), 33 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 6f922e4f..17770214 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -586,34 +586,34 @@ "r-is": "wird", "r-is-moved": "verschoben wird", "r-added-to": "hinzugefügt zu", - "r-removed-from": "Entfernt von", + "r-removed-from": "entfernt von", "r-the-board": "das Board", "r-list": "Liste", "set-filter": "Setze Filter", - "r-moved-to": "Verschieben nach", - "r-moved-from": "Verschieben von", - "r-archived": "Ins Archiv verschieben", - "r-unarchived": "Aus dem Archiv wiederhergestellt", - "r-a-card": "eine Karte", - "r-when-a-label-is": "Wenn ein Label ist", - "r-when-the-label-is": " Wenn das Label ist", + "r-moved-to": "verschoben nach", + "r-moved-from": "verschoben von", + "r-archived": "ins Archiv verschoben", + "r-unarchived": "aus dem Archiv wiederhergestellt", + "r-a-card": "einer Karte", + "r-when-a-label-is": "Wenn ein Label", + "r-when-the-label-is": " Wenn das Label", "r-list-name": "Listenname", - "r-when-a-member": "Wenn ein Mitglied ist", + "r-when-a-member": "Wenn ein Mitglied", "r-when-the-member": "Wenn das Mitglied", "r-name": "Name", "r-when-a-attach": "Wenn ein Anhang", - "r-when-a-checklist": "Wenn eine Checkliste ist", + "r-when-a-checklist": "Wenn eine Checkliste wird", "r-when-the-checklist": "Wenn die Checkliste", - "r-completed": "Abgeschlossen", - "r-made-incomplete": "Unvollständig gemacht", - "r-when-a-item": "Wenn ein Checklistenelement ist", - "r-when-the-item": "Wenn das Checklistenelement", - "r-checked": "Markiert", - "r-unchecked": "Abgewählt", - "r-move-card-to": "Verschiebe Karte nach", + "r-completed": "abgeschlossen", + "r-made-incomplete": "unvollständig gemacht", + "r-when-a-item": "Wenn eine Checklistenposition", + "r-when-the-item": "Wenn die Checklistenposition", + "r-checked": "markiert wird", + "r-unchecked": "abgewählt wird", + "r-move-card-to": "Verschiebe Karte an", "r-top-of": "Anfang von", "r-bottom-of": "Ende von", - "r-its-list": "seine Liste", + "r-its-list": "seiner Liste", "r-archive": "Ins Archiv verschieben", "r-unarchive": "Aus dem Archiv wiederherstellen", "r-card": "Karte", diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index aac675ca..45d38533 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -55,7 +55,7 @@ "activity-removed": "%s eltávolítva innen: %s", "activity-sent": "%s elküldve ide: %s", "activity-unjoined": "%s kilépett a csoportból", - "activity-subtask-added": "added subtask to %s", + "activity-subtask-added": "Alfeladat hozzáadva ehhez: %s", "activity-checked-item": "checked %s in checklist %s of %s", "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "ellenőrzőlista hozzáadva ehhez: %s", @@ -73,7 +73,7 @@ "add-board": "Tábla hozzáadása", "add-card": "Kártya hozzáadása", "add-swimlane": "Add Swimlane", - "add-subtask": "Add Subtask", + "add-subtask": "Alfeladat hozzáadása", "add-checklist": "Ellenőrzőlista hozzáadása", "add-checklist-item": "Elem hozzáadása az ellenőrzőlistához", "add-cover": "Borító hozzáadása", @@ -92,7 +92,7 @@ "and-n-other-card_plural": "És __count__ egyéb kártya", "apply": "Alkalmaz", "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", - "archive": "Move to Archive", + "archive": "Mozgatás az archívumba", "archive-all": "Move All to Archive", "archive-board": "Move Board to Archive", "archive-card": "Move Card to Archive", @@ -125,10 +125,10 @@ "boardChangeTitlePopup-title": "Tábla átnevezése", "boardChangeVisibilityPopup-title": "Láthatóság megváltoztatása", "boardChangeWatchPopup-title": "Megfigyelés megváltoztatása", - "boardMenuPopup-title": "Board Settings", + "boardMenuPopup-title": "Tábla beállítások", "boards": "Táblák", "board-view": "Tábla nézet", - "board-view-cal": "Calendar", + "board-view-cal": "Naptár", "board-view-swimlanes": "Swimlanes", "board-view-lists": "Listák", "bucket-example": "Mint például „Bakancslista”", @@ -175,7 +175,7 @@ "changePasswordPopup-title": "Jelszó megváltoztatása", "changePermissionsPopup-title": "Jogosultságok megváltoztatása", "changeSettingsPopup-title": "Beállítások megváltoztatása", - "subtasks": "Subtasks", + "subtasks": "Alfeladat", "checklists": "Ellenőrzőlisták", "click-to-star": "Kattintson a tábla csillagozásához.", "click-to-unstar": "Kattintson a tábla csillagának eltávolításához.", @@ -216,7 +216,7 @@ "no-comments": "No comments", "no-comments-desc": "Can not see comments and activities.", "computer": "Számítógép", - "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-subtask-delete-dialog": "Biztosan törölni szeretnél az alfeladatot?", "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", "copy-card-link-to-clipboard": "Kártya hivatkozásának másolása a vágólapra", "linkCardPopup-title": "Link Card", @@ -551,8 +551,8 @@ "default-subtasks-board": "Subtasks for __board__ board", "default": "Default", "queue": "Queue", - "subtask-settings": "Subtasks Settings", - "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "subtask-settings": "Alfeladat beállítások", + "boardSubtaskSettingsPopup-title": "Tábla alfeladat beállítások", "show-subtasks-field": "Cards can have subtasks", "deposit-subtasks-board": "Deposit subtasks to this board:", "deposit-subtasks-list": "Landing list for subtasks deposited here:", @@ -592,8 +592,8 @@ "set-filter": "Set Filter", "r-moved-to": "Moved to", "r-moved-from": "Moved from", - "r-archived": "Moved to Archive", - "r-unarchived": "Restored from Archive", + "r-archived": "Archívumba helyezve", + "r-unarchived": "Helyreállítva az archívumból", "r-a-card": "a card", "r-when-a-label-is": "When a label is", "r-when-the-label-is": "When the label is", @@ -614,8 +614,8 @@ "r-top-of": "Top of", "r-bottom-of": "Bottom of", "r-its-list": "its list", - "r-archive": "Move to Archive", - "r-unarchive": "Restore from Archive", + "r-archive": "Mozgatás az archívumba", + "r-unarchive": "Helyreállítás az archívumból", "r-card": "card", "r-add": "Hozzáadás", "r-remove": "Remove", diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index b089039f..96844b15 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -1,6 +1,6 @@ { "accept": "Accetta", - "act-activity-notify": "Notifica attività ", + "act-activity-notify": "Notifica attività", "act-addAttachment": "aggiunto allegato __attachment__ alla scheda __card__ della lista __list__ della corsia __swimlane__  nella bacheca __board__", "act-deleteAttachment": "eliminato allegato __attachment__ dalla scheda __card__ della lista __list__ della corsia __swimlane__  nella bacheca __board__", "act-addSubtask": "aggiunto sottotask __subtask__ alla scheda __card__ della lista __list__ della corsia __swimlane__  nella bacheca __board__", @@ -683,5 +683,5 @@ "error-ldap-login": "C'è stato un errore mentre provavi ad effettuare il login", "display-authentication-method": "Mostra il metodo di autenticazione", "default-authentication-method": "Metodo di autenticazione predefinito", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplica bacheca" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From d93b0be0d4c89fa51b33aa653baef329131bd3e6 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 18 Apr 2019 13:36:14 +0300 Subject: Add missing packages back. --- .meteor/versions | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/.meteor/versions b/.meteor/versions index 8d28d511..90368001 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -124,6 +124,7 @@ npm-bcrypt@0.9.3 npm-mongo@2.2.33 oauth@1.2.1 oauth2@1.2.0 +observe-sequence@1.0.16 ongoworks:speakingurl@1.1.0 ordered-dict@1.0.9 peerlibrary:assert@0.2.5 @@ -184,4 +185,4 @@ wekan-scrollbar@3.1.3 wekan:accounts-cas@0.1.0 wekan:wekan-ldap@0.0.2 yasaricli:slugify@0.0.7 -zimme:active-route@2.3.2 \ No newline at end of file +zimme:active-route@2.3.2 -- cgit v1.2.3-1-g7c22 From 688973bae5ae7bf436826bd3ecd59f5b1ca147dc Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 18 Apr 2019 13:38:37 +0300 Subject: [Fix Full width of lists and space before first list](https://github.com/wekan/wekan/pull/2343). Thanks to hupptehcnologies ! Closes #2336 --- CHANGELOG.md | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 67f34f25..1f9c996a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -6,6 +6,11 @@ This release adds the following updates: because [it was found old version was in use](https://github.com/wekan/wekan/issues/2334). Thanks to shaygover and xet7. +and fixes the following bugs: + +- [Fix Full width of lists and space before first list](https://github.com/wekan/wekan/pull/2343). + Thanks to hupptehcnologies. + Thanks to above GitHub users for their contributions and translators for their translations. # v2.60 2019-04-08 Wekan release -- cgit v1.2.3-1-g7c22 From 9c3a976250bf381bcf36eee26c16ee4dec493d6e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Thu, 18 Apr 2019 13:42:00 +0300 Subject: - Remove [extra](https://github.com/wekan/wekan/pull/2332) [quotes](https://github.com/wekan/wekan/pull/2333) from docker-compose.yml. Thanks to hibare ! --- CHANGELOG.md | 2 ++ 1 file changed, 2 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 1f9c996a..481a6d99 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -10,6 +10,8 @@ and fixes the following bugs: - [Fix Full width of lists and space before first list](https://github.com/wekan/wekan/pull/2343). Thanks to hupptehcnologies. +- Remove [extra](https://github.com/wekan/wekan/pull/2332) [quotes](https://github.com/wekan/wekan/pull/2333) from docker-compose.yml. + Thanks to hibare. Thanks to above GitHub users for their contributions and translators for their translations. -- cgit v1.2.3-1-g7c22 From 308417852c218501af60aeae3f947707cc7c64cc Mon Sep 17 00:00:00 2001 From: guillaume Date: Fri, 19 Apr 2019 14:57:52 +0200 Subject: Search user in admin panel --- client/components/settings/peopleBody.jade | 6 ++++-- client/components/settings/peopleBody.js | 23 ++++++++++++++++++++++- client/components/settings/peopleBody.styl | 17 +++++++++++++++++ 3 files changed, 43 insertions(+), 3 deletions(-) diff --git a/client/components/settings/peopleBody.jade b/client/components/settings/peopleBody.jade index 4d06637e..e459da6e 100644 --- a/client/components/settings/peopleBody.jade +++ b/client/components/settings/peopleBody.jade @@ -3,8 +3,10 @@ template(name="people") unless currentUser.isAdmin | {{_ 'error-notAuthorized'}} else - .content-title + .content-title.ext-box span {{_ 'people'}} + input#searchInput(placeholder="{{_ 'search'}}") + button#searchButton {{_ 'enter'}} .content-body .side-menu ul @@ -103,4 +105,4 @@ template(name="editUserPopup") | {{_ 'password'}} input.js-profile-password(type="password") - input.primary.wide(type="submit" value="{{_ 'save'}}") \ No newline at end of file + input.primary.wide(type="submit" value="{{_ 'save'}}") diff --git a/client/components/settings/peopleBody.js b/client/components/settings/peopleBody.js index a4d70974..245c8884 100644 --- a/client/components/settings/peopleBody.js +++ b/client/components/settings/peopleBody.js @@ -8,6 +8,7 @@ BlazeComponent.extendComponent({ this.error = new ReactiveVar(''); this.loading = new ReactiveVar(false); this.people = new ReactiveVar(true); + this.findUsersOptions = new ReactiveVar({}); this.page = new ReactiveVar(1); this.loadNextPageLocked = false; @@ -26,6 +27,25 @@ BlazeComponent.extendComponent({ }); }); }, + events() { + return [{ + 'click #searchButton'(event) { + const value = $('#searchInput').first().val(); + if (value === '') { + this.findUsersOptions.set({}); + } else { + const regex = new RegExp(value, 'i'); + this.findUsersOptions.set({ + $or: [ + { username: regex }, + { 'profile.fullname': regex }, + { 'emails.address': regex }, + ] + }); + } + } + }]; + }, loadNextPage() { if (this.loadNextPageLocked === false) { this.page.set(this.page.get() + 1); @@ -49,7 +69,8 @@ BlazeComponent.extendComponent({ this.loading.set(w); }, peopleList() { - return Users.find({}, { + // get users in front to cache them + return Users.find(this.findUsersOptions.get(), { fields: {_id: true}, }); }, diff --git a/client/components/settings/peopleBody.styl b/client/components/settings/peopleBody.styl index 84db44a7..fb9d5c6b 100644 --- a/client/components/settings/peopleBody.styl +++ b/client/components/settings/peopleBody.styl @@ -13,3 +13,20 @@ table tr:nth-child(even) background-color: #dddddd; + +.ext-box + display: flex; + flex-direction: row; + height: 34px; + + span + vertical-align: center; + line-height: 34px; + margin-right: 10px; + + input, button + margin: 0 10px 0 0; + padding: 0; + + button + min-width: 60px; -- cgit v1.2.3-1-g7c22 From 070feb4b664cf84613fed378d568a9449c3780e6 Mon Sep 17 00:00:00 2001 From: guillaume Date: Fri, 19 Apr 2019 16:17:17 +0200 Subject: Number of users --- client/components/settings/peopleBody.jade | 9 ++++--- client/components/settings/peopleBody.js | 42 ++++++++++++++++++++---------- client/components/settings/peopleBody.styl | 4 +++ i18n/en.i18n.json | 3 ++- i18n/fr.i18n.json | 5 ++-- 5 files changed, 43 insertions(+), 20 deletions(-) diff --git a/client/components/settings/peopleBody.jade b/client/components/settings/peopleBody.jade index e459da6e..30b7a807 100644 --- a/client/components/settings/peopleBody.jade +++ b/client/components/settings/peopleBody.jade @@ -4,9 +4,12 @@ template(name="people") | {{_ 'error-notAuthorized'}} else .content-title.ext-box - span {{_ 'people'}} - input#searchInput(placeholder="{{_ 'search'}}") - button#searchButton {{_ 'enter'}} + .ext-box-left + span {{_ 'people'}} + input#searchInput(placeholder="{{_ 'search'}}") + button#searchButton {{_ 'enter'}} + .ext-box-right + span {{_ 'people-number'}} #{peopleNumber} .content-body .side-menu ul diff --git a/client/components/settings/peopleBody.js b/client/components/settings/peopleBody.js index 245c8884..db7be138 100644 --- a/client/components/settings/peopleBody.js +++ b/client/components/settings/peopleBody.js @@ -9,6 +9,7 @@ BlazeComponent.extendComponent({ this.loading = new ReactiveVar(false); this.people = new ReactiveVar(true); this.findUsersOptions = new ReactiveVar({}); + this.number = new ReactiveVar(0); this.page = new ReactiveVar(1); this.loadNextPageLocked = false; @@ -30,22 +31,30 @@ BlazeComponent.extendComponent({ events() { return [{ 'click #searchButton'(event) { - const value = $('#searchInput').first().val(); - if (value === '') { - this.findUsersOptions.set({}); - } else { - const regex = new RegExp(value, 'i'); - this.findUsersOptions.set({ - $or: [ - { username: regex }, - { 'profile.fullname': regex }, - { 'emails.address': regex }, - ] - }); + this.filterPeople(event); + }, + 'keydown #searchInput'(event) { + if (event.keyCode === 13 && !event.shiftKey) { + this.filterPeople(event); } } }]; }, + filterPeople(event) { + const value = $('#searchInput').first().val(); + if (value === '') { + this.findUsersOptions.set({}); + } else { + const regex = new RegExp(value, 'i'); + this.findUsersOptions.set({ + $or: [ + { username: regex }, + { 'profile.fullname': regex }, + { 'emails.address': regex }, + ] + }); + } + }, loadNextPage() { if (this.loadNextPageLocked === false) { this.page.set(this.page.get() + 1); @@ -69,11 +78,16 @@ BlazeComponent.extendComponent({ this.loading.set(w); }, peopleList() { - // get users in front to cache them - return Users.find(this.findUsersOptions.get(), { + const users = Users.find(this.findUsersOptions.get(), { fields: {_id: true}, }); + this.number.set(users.count()); + return users; }, + peopleNumber() { + return this.number.get(); + } + }).register('people'); Template.peopleRow.helpers({ diff --git a/client/components/settings/peopleBody.styl b/client/components/settings/peopleBody.styl index fb9d5c6b..b98c5340 100644 --- a/client/components/settings/peopleBody.styl +++ b/client/components/settings/peopleBody.styl @@ -19,6 +19,10 @@ table flex-direction: row; height: 34px; + .ext-box-left + display: flex; + width: 40% + span vertical-align: center; line-height: 34px; diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 4e4af38b..22e15934 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -686,5 +686,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is: " } diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index bc7614d5..1eb2a278 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "Une erreur s'est produite lors de la tentative de connexion", "display-authentication-method": "Afficher la méthode d'authentification", "default-authentication-method": "Méthode d'authentification par défaut", - "duplicate-board": "Dupliquer le tableau" -} \ No newline at end of file + "duplicate-board": "Dupliquer le tableau", + "people-number": "Le nombre d'utilisateurs est de : " +} -- cgit v1.2.3-1-g7c22 From e63eee0c68d35a155da79f31ab18ddc5a76bde13 Mon Sep 17 00:00:00 2001 From: guillaume Date: Fri, 19 Apr 2019 16:39:14 +0200 Subject: fix lints --- client/components/settings/peopleBody.js | 15 +++++++-------- 1 file changed, 7 insertions(+), 8 deletions(-) diff --git a/client/components/settings/peopleBody.js b/client/components/settings/peopleBody.js index db7be138..3ec96bb0 100644 --- a/client/components/settings/peopleBody.js +++ b/client/components/settings/peopleBody.js @@ -30,17 +30,17 @@ BlazeComponent.extendComponent({ }, events() { return [{ - 'click #searchButton'(event) { - this.filterPeople(event); + 'click #searchButton'() { + this.filterPeople(); }, 'keydown #searchInput'(event) { if (event.keyCode === 13 && !event.shiftKey) { - this.filterPeople(event); + this.filterPeople(); } - } + }, }]; }, - filterPeople(event) { + filterPeople() { const value = $('#searchInput').first().val(); if (value === '') { this.findUsersOptions.set({}); @@ -51,7 +51,7 @@ BlazeComponent.extendComponent({ { username: regex }, { 'profile.fullname': regex }, { 'emails.address': regex }, - ] + ], }); } }, @@ -86,8 +86,7 @@ BlazeComponent.extendComponent({ }, peopleNumber() { return this.number.get(); - } - + }, }).register('people'); Template.peopleRow.helpers({ -- cgit v1.2.3-1-g7c22 From bd14ee3b1f450ddc6dec26ccc8da702b839942e5 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 20 Apr 2019 13:44:14 +0300 Subject: Ubuntu base image to ubuntu:disco Thanks to Ubuntu and xet7 ! --- Dockerfile | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/Dockerfile b/Dockerfile index dd683a13..21155008 100644 --- a/Dockerfile +++ b/Dockerfile @@ -1,4 +1,4 @@ -FROM ubuntu:cosmic +FROM ubuntu:disco LABEL maintainer="wekan" # Set the environment variables (defaults where required) -- cgit v1.2.3-1-g7c22 From 123cf0d7b8c72ed9d72c3a245f389cf5a531c774 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 20 Apr 2019 14:03:35 +0300 Subject: Fix typos in directory names. --- Dockerfile | 4 ++-- snapcraft.yaml | 4 ++-- 2 files changed, 4 insertions(+), 4 deletions(-) diff --git a/Dockerfile b/Dockerfile index 21155008..98e3da6b 100644 --- a/Dockerfile +++ b/Dockerfile @@ -201,8 +201,8 @@ RUN \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/wekan-scrollbar.git && \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/meteor-accounts-oidc.git && \ gosu wekan:wekan git clone --depth 1 -b master --recurse-submodules git://github.com/wekan/markdown.git && \ - gosu wekan:wekan mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan_accounts-oidc && \ - gosu wekan:wekan mv meteor-accounts-oidc/packages/switch_oidc wekan_oidc && \ + gosu wekan:wekan mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan-accounts-oidc && \ + gosu wekan:wekan mv meteor-accounts-oidc/packages/switch_oidc wekan-oidc && \ gosu wekan:wekan rm -rf meteor-accounts-oidc && \ sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' /home/wekan/app/packages/meteor-useraccounts-core/package.js && \ cd /home/wekan/.meteor && \ diff --git a/snapcraft.yaml b/snapcraft.yaml index 9e77d547..1ccf14bf 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -179,8 +179,8 @@ parts: if [ ! -d "packages/wekan_accounts-oidc" ]; then cd packages git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-oidc.git - mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan_accounts-oidc - mv meteor-accounts-oidc/packages/switch_oidc wekan_oidc + mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan-accounts-oidc + mv meteor-accounts-oidc/packages/switch_oidc wekan-oidc rm -rf meteor-accounts-oidc cd .. fi -- cgit v1.2.3-1-g7c22 From 1138e8062faa0fba58094a14bd370ff0e918e99b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 20 Apr 2019 14:46:11 +0300 Subject: Fix repo url. --- Dockerfile | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/Dockerfile b/Dockerfile index 98e3da6b..6a4a285f 100644 --- a/Dockerfile +++ b/Dockerfile @@ -200,7 +200,7 @@ RUN \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/wekan-ldap.git && \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/wekan-scrollbar.git && \ gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/meteor-accounts-oidc.git && \ - gosu wekan:wekan git clone --depth 1 -b master --recurse-submodules git://github.com/wekan/markdown.git && \ + gosu wekan:wekan git clone --depth 1 -b master --recurse-submodules https://github.com/wekan/markdown.git && \ gosu wekan:wekan mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan-accounts-oidc && \ gosu wekan:wekan mv meteor-accounts-oidc/packages/switch_oidc wekan-oidc && \ gosu wekan:wekan rm -rf meteor-accounts-oidc && \ -- cgit v1.2.3-1-g7c22 From fee732dba1366931aec4f341f47f86d62ec21e8c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 20 Apr 2019 14:47:33 +0300 Subject: Fix repo urls. --- Dockerfile | 14 +++++++------- 1 file changed, 7 insertions(+), 7 deletions(-) diff --git a/Dockerfile b/Dockerfile index 6a4a285f..6f081117 100644 --- a/Dockerfile +++ b/Dockerfile @@ -194,12 +194,12 @@ RUN \ mkdir -p /home/wekan/app/packages && \ chown wekan:wekan --recursive /home/wekan && \ cd /home/wekan/app/packages && \ - gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/flow-router.git kadira-flow-router && \ - gosu wekan:wekan git clone --depth 1 -b master git://github.com/meteor-useraccounts/core.git meteor-useraccounts-core && \ - gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/meteor-accounts-cas.git && \ - gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/wekan-ldap.git && \ - gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/wekan-scrollbar.git && \ - gosu wekan:wekan git clone --depth 1 -b master git://github.com/wekan/meteor-accounts-oidc.git && \ + gosu wekan:wekan git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-flow-router && \ + gosu wekan:wekan git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core && \ + gosu wekan:wekan git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git && \ + gosu wekan:wekan git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git && \ + gosu wekan:wekan git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git && \ + gosu wekan:wekan git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-oidc.git && \ gosu wekan:wekan git clone --depth 1 -b master --recurse-submodules https://github.com/wekan/markdown.git && \ gosu wekan:wekan mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan-accounts-oidc && \ gosu wekan:wekan mv meteor-accounts-oidc/packages/switch_oidc wekan-oidc && \ @@ -213,7 +213,7 @@ RUN \ mkdir -p /home/wekan/python && \ chown wekan:wekan --recursive /home/wekan/python && \ cd /home/wekan/python && \ - gosu wekan:wekan git clone --depth 1 -b master git://github.com/Kronuz/esprima-python && \ + gosu wekan:wekan git clone --depth 1 -b master https://github.com/Kronuz/esprima-python && \ cd /home/wekan/python/esprima-python && \ python3 setup.py install --record files.txt && \ cd /home/wekan/app &&\ -- cgit v1.2.3-1-g7c22 From 6117097a93bfb11c8bd4c87a23c44a50e22ceb87 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 20 Apr 2019 14:52:37 +0300 Subject: - Upgrade to Node 8.16.0 - Change git repo urls from git:// to https:// Thanks to xet7 ! --- Dockerfile | 2 +- rebuild-wekan.sh | 2 +- releases/virtualbox/rebuild-wekan.sh | 2 -- snapcraft.yaml | 2 +- stacksmith/user-scripts/build.sh | 16 ++++++++-------- 5 files changed, 11 insertions(+), 13 deletions(-) diff --git a/Dockerfile b/Dockerfile index 6f081117..3286b1e7 100644 --- a/Dockerfile +++ b/Dockerfile @@ -6,7 +6,7 @@ LABEL maintainer="wekan" # ENV BUILD_DEPS="paxctl" ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential python python3 python3-distutils git ca-certificates gcc-7" \ DEBUG=false \ - NODE_VERSION=v8.15.1 \ + NODE_VERSION=v8.16.0 \ METEOR_RELEASE=1.6.0.1 \ USE_EDGE=false \ METEOR_EDGE=1.5-beta.17 \ diff --git a/rebuild-wekan.sh b/rebuild-wekan.sh index 6739ebd0..6e8bc524 100755 --- a/rebuild-wekan.sh +++ b/rebuild-wekan.sh @@ -5,7 +5,7 @@ echo " with 'sudo dpkg-reconfigure locales' , so that MongoDB works correct echo " You can still use any other locale as your main locale." #Below script installs newest node 8.x for Debian/Ubuntu/Mint. -#NODE_VERSION=8.14.1 +#NODE_VERSION=8.16.0 #X64NODE="https://nodejs.org/dist/v${NODE_VERSION}/node-v${NODE_VERSION}-linux-x64.tar.gz" function pause(){ diff --git a/releases/virtualbox/rebuild-wekan.sh b/releases/virtualbox/rebuild-wekan.sh index 2ae28526..c5067844 100755 --- a/releases/virtualbox/rebuild-wekan.sh +++ b/releases/virtualbox/rebuild-wekan.sh @@ -4,8 +4,6 @@ echo "Note: If you use other locale than en_US.UTF-8 , you need to additionally echo " with 'sudo dpkg-reconfigure locales' , so that MongoDB works correctly." echo " You can still use any other locale as your main locale." -#X64NODE="https://nodejs.org/dist/v8.14.1/node-v8.14.1-linux-x64.tar.gz" - function pause(){ read -p "$*" } diff --git a/snapcraft.yaml b/snapcraft.yaml index 1ccf14bf..d9250984 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -81,7 +81,7 @@ parts: wekan: source: . plugin: nodejs - node-engine: 8.15.1 + node-engine: 8.16.0 node-packages: - node-gyp - node-pre-gyp diff --git a/stacksmith/user-scripts/build.sh b/stacksmith/user-scripts/build.sh index 86283202..9363c349 100755 --- a/stacksmith/user-scripts/build.sh +++ b/stacksmith/user-scripts/build.sh @@ -2,7 +2,7 @@ set -euxo pipefail BUILD_DEPS="bsdtar gnupg wget curl bzip2 python git ca-certificates perl-Digest-SHA" -NODE_VERSION=v8.15.1 +NODE_VERSION=v8.16.0 #METEOR_RELEASE=1.6.0.1 - for Stacksmith, meteor-1.8 branch that could have METEOR@1.8.1-beta.8 or newer USE_EDGE=false METEOR_EDGE=1.5-beta.17 @@ -64,19 +64,19 @@ echo " ...\n" if [ "$USE_EDGE" = false ]; then sudo su -c '/home/wekan/install_meteor.sh' - wekan else - sudo -u wekan git clone --recursive --depth 1 -b release/METEOR@${METEOR_EDGE} git://github.com/meteor/meteor.git /home/wekan/.meteor; + sudo -u wekan git clone --recursive --depth 1 -b release/METEOR@${METEOR_EDGE} https://github.com/meteor/meteor.git /home/wekan/.meteor; fi; # Get additional packages sudo mkdir -p /home/wekan/app/packages sudo chown wekan:wekan --recursive /home/wekan/app cd /home/wekan/app/packages -sudo -u wekan git clone --depth 1 -b master git://github.com/wekan/flow-router.git kadira-flow-router -sudo -u wekan git clone --depth 1 -b master git://github.com/meteor-useraccounts/core.git meteor-useraccounts-core -sudo -u wekan git clone --depth 1 -b master git://github.com/wekan/meteor-accounts-cas.git -sudo -u wekan git clone --depth 1 -b master git://github.com/wekan/wekan-ldap.git -sudo -u wekan git clone --depth 1 -b master git://github.com/wekan/wekan-scrollbar.git -sudo -u wekan git clone --depth 1 -b master git://github.com/wekan/meteor-accounts-oidc.git +sudo -u wekan git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-flow-router +sudo -u wekan git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core +sudo -u wekan git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git +sudo -u wekan git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git +sudo -u wekan git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git +sudo -u wekan git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-oidc.git sudo -u wekan mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan_accounts-oidc sudo -u wekan mv meteor-accounts-oidc/packages/switch_oidc wekan_oidc sudo -u wekan rm -rf meteor-accounts-oidc -- cgit v1.2.3-1-g7c22 From 73e265d8fd050ae3daa67472b4465a5c49d68910 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu Date: Sat, 20 Apr 2019 15:18:33 +0300 Subject: Include to Wekan packages directory contents, so that meteor command would build all directly. This also simplifies build scripts. Thanks to xet7 ! --- .gitignore | 14 +- Dockerfile | 25 +- packages/kadira-flow-router/.gitignore | 3 + packages/kadira-flow-router/.travis.yml | 8 + packages/kadira-flow-router/CHANGELOG.md | 155 + packages/kadira-flow-router/CONTRIBUTING.md | 16 + packages/kadira-flow-router/LICENSE | 21 + packages/kadira-flow-router/README.md | 777 +++ packages/kadira-flow-router/client/_init.js | 11 + packages/kadira-flow-router/client/group.js | 57 + packages/kadira-flow-router/client/modules.js | 2 + packages/kadira-flow-router/client/route.js | 125 + packages/kadira-flow-router/client/router.js | 587 +++ packages/kadira-flow-router/client/triggers.js | 112 + packages/kadira-flow-router/lib/router.js | 9 + packages/kadira-flow-router/package.js | 81 + packages/kadira-flow-router/server/_init.js | 4 + packages/kadira-flow-router/server/group.js | 18 + .../server/plugins/fast_render.js | 40 + packages/kadira-flow-router/server/route.js | 28 + packages/kadira-flow-router/server/router.js | 146 + .../kadira-flow-router/test/client/_helpers.js | 10 + .../kadira-flow-router/test/client/group.spec.js | 113 + .../kadira-flow-router/test/client/loader.spec.js | 17 + .../test/client/route.reactivity.spec.js | 158 + .../test/client/router.core.spec.js | 632 +++ .../test/client/router.reactivity.spec.js | 208 + .../test/client/router.subs_ready.spec.js | 225 + .../kadira-flow-router/test/client/trigger.spec.js | 570 +++ .../kadira-flow-router/test/client/triggers.js | 297 ++ .../test/common/fast_render_route.js | 48 + .../kadira-flow-router/test/common/group.spec.js | 16 + .../kadira-flow-router/test/common/route.spec.js | 15 + .../test/common/router.addons.spec.js | 30 + .../test/common/router.path.spec.js | 135 + .../test/common/router.url.spec.js | 11 + .../kadira-flow-router/test/server/_helpers.js | 38 + .../test/server/plugins/fast_render.js | 35 + packages/markdown/.gitignore | 1 + packages/markdown/README.md | 40 + packages/markdown/markdown.js | 9 + packages/markdown/marked/.editorconfig | 16 + packages/markdown/marked/.eslintignore | 1 + packages/markdown/marked/.eslintrc.json | 29 + packages/markdown/marked/.gitattributes | 2 + packages/markdown/marked/.github/ISSUE_TEMPLATE.md | 42 + .../marked/.github/ISSUE_TEMPLATE/Bug_report.md | 27 + .../.github/ISSUE_TEMPLATE/Feature_request.md | 14 + .../marked/.github/ISSUE_TEMPLATE/Proposal.md | 11 + .../marked/.github/PULL_REQUEST_TEMPLATE.md | 53 + .../marked/.github/PULL_REQUEST_TEMPLATE/badges.md | 50 + .../.github/PULL_REQUEST_TEMPLATE/release.md | 25 + packages/markdown/marked/.gitignore | 3 + packages/markdown/marked/.travis.yml | 46 + packages/markdown/marked/LICENSE.md | 43 + packages/markdown/marked/Makefile | 15 + packages/markdown/marked/README.md | 76 + packages/markdown/marked/bin/marked | 215 + packages/markdown/marked/bower.json | 23 + packages/markdown/marked/component.json | 10 + packages/markdown/marked/docs/AUTHORS.md | 269 + packages/markdown/marked/docs/CNAME | 1 + packages/markdown/marked/docs/CODE_OF_CONDUCT.md | 74 + packages/markdown/marked/docs/CONTRIBUTING.md | 92 + packages/markdown/marked/docs/PUBLISHING.md | 24 + packages/markdown/marked/docs/README.md | 85 + packages/markdown/marked/docs/USING_ADVANCED.md | 78 + packages/markdown/marked/docs/USING_PRO.md | 163 + packages/markdown/marked/docs/broken.md | 426 ++ packages/markdown/marked/docs/demo/demo.css | 72 + packages/markdown/marked/docs/demo/demo.js | 534 ++ packages/markdown/marked/docs/demo/index.html | 78 + packages/markdown/marked/docs/demo/initial.md | 36 + packages/markdown/marked/docs/demo/preview.html | 12 + packages/markdown/marked/docs/demo/quickref.md | 167 + packages/markdown/marked/docs/demo/worker.js | 105 + .../marked/docs/img/logo-black-and-white.svg | 133 + packages/markdown/marked/docs/img/logo-black.svg | 32 + packages/markdown/marked/docs/index.html | 269 + packages/markdown/marked/index.js | 1 + packages/markdown/marked/jasmine.json | 11 + packages/markdown/marked/lib/marked.js | 1689 +++++++ packages/markdown/marked/man/marked.1 | 114 + packages/markdown/marked/man/marked.1.txt | 99 + packages/markdown/marked/marked.min.js | 6 + packages/markdown/marked/package.json | 69 + packages/markdown/marked/test/README | 10 + packages/markdown/marked/test/browser/index.html | 5 + packages/markdown/marked/test/browser/index.js | 39 + packages/markdown/marked/test/browser/test.js | 66 + packages/markdown/marked/test/helpers/helpers.js | 26 + .../markdown/marked/test/helpers/html-differ.js | 38 + packages/markdown/marked/test/index.js | 551 ++ packages/markdown/marked/test/json-to-files.js | 62 + .../markdown/marked/test/new/adjacent_lists.html | 9 + .../markdown/marked/test/new/adjacent_lists.md | 5 + .../markdown/marked/test/new/autolink_lines.html | 3 + .../markdown/marked/test/new/autolink_lines.md | 2 + packages/markdown/marked/test/new/autolinks.html | 15 + packages/markdown/marked/test/new/autolinks.md | 15 + .../marked/test/new/blockquote_list_item.html | 3 + .../marked/test/new/blockquote_list_item.md | 4 + .../marked/test/new/case_insensitive_refs.html | 1 + .../marked/test/new/case_insensitive_refs.md | 3 + .../markdown/marked/test/new/cm_autolinks.html | 91 + packages/markdown/marked/test/new/cm_autolinks.md | 96 + .../markdown/marked/test/new/cm_blockquotes.html | 233 + .../markdown/marked/test/new/cm_blockquotes.md | 189 + .../markdown/marked/test/new/cm_html_blocks.html | 300 ++ .../markdown/marked/test/new/cm_html_blocks.md | 312 ++ .../markdown/marked/test/new/cm_link_defs.html | 115 + packages/markdown/marked/test/new/cm_link_defs.md | 157 + packages/markdown/marked/test/new/cm_links.html | 397 ++ packages/markdown/marked/test/new/cm_links.md | 515 ++ packages/markdown/marked/test/new/cm_raw_html.html | 77 + packages/markdown/marked/test/new/cm_raw_html.md | 78 + .../markdown/marked/test/new/cm_strong_and_em.html | 7 + .../markdown/marked/test/new/cm_strong_and_em.md | 7 + .../marked/test/new/cm_thematic_breaks.html | 106 + .../markdown/marked/test/new/cm_thematic_breaks.md | 98 + packages/markdown/marked/test/new/code_spans.html | 3 + packages/markdown/marked/test/new/code_spans.md | 3 + packages/markdown/marked/test/new/def_blocks.html | 30 + packages/markdown/marked/test/new/def_blocks.md | 21 + packages/markdown/marked/test/new/double_link.html | 5 + packages/markdown/marked/test/new/double_link.md | 5 + packages/markdown/marked/test/new/em_2char.html | 25 + packages/markdown/marked/test/new/em_2char.md | 25 + .../marked/test/new/emphasis_extra tests.html | 1 + .../marked/test/new/emphasis_extra tests.md | 1 + .../markdown/marked/test/new/escaped_angles.html | 1 + .../markdown/marked/test/new/escaped_angles.md | 1 + .../markdown/marked/test/new/gfm_autolinks.html | 83 + packages/markdown/marked/test/new/gfm_autolinks.md | 83 + packages/markdown/marked/test/new/gfm_break.html | 1 + packages/markdown/marked/test/new/gfm_break.md | 6 + packages/markdown/marked/test/new/gfm_code.html | 21 + packages/markdown/marked/test/new/gfm_code.md | 43 + .../markdown/marked/test/new/gfm_code_hr_list.html | 52 + .../markdown/marked/test/new/gfm_code_hr_list.md | 53 + packages/markdown/marked/test/new/gfm_em.html | 1 + packages/markdown/marked/test/new/gfm_em.md | 1 + packages/markdown/marked/test/new/gfm_hashtag.html | 5 + packages/markdown/marked/test/new/gfm_hashtag.md | 8 + .../marked/test/new/gfm_links_invalid.html | 1 + .../markdown/marked/test/new/gfm_links_invalid.md | 4 + packages/markdown/marked/test/new/gfm_tables.html | 37 + packages/markdown/marked/test/new/gfm_tables.md | 21 + packages/markdown/marked/test/new/headings_id.html | 13 + packages/markdown/marked/test/new/headings_id.md | 14 + .../markdown/marked/test/new/hr_list_break.html | 10 + packages/markdown/marked/test/new/hr_list_break.md | 6 + .../markdown/marked/test/new/html_comments.html | 57 + packages/markdown/marked/test/new/html_comments.md | 56 + .../markdown/marked/test/new/html_no_new_line.html | 1 + .../markdown/marked/test/new/html_no_new_line.md | 1 + packages/markdown/marked/test/new/images.html | 5 + packages/markdown/marked/test/new/images.md | 12 + .../markdown/marked/test/new/lazy_blockquotes.html | 4 + .../markdown/marked/test/new/lazy_blockquotes.md | 2 + packages/markdown/marked/test/new/link_lt.html | 1 + packages/markdown/marked/test/new/link_lt.md | 1 + .../markdown/marked/test/new/link_tick_redos.html | 31 + .../markdown/marked/test/new/link_tick_redos.md | 31 + packages/markdown/marked/test/new/links.html | 3 + packages/markdown/marked/test/new/links.md | 5 + .../markdown/marked/test/new/list_item_text.html | 1 + .../markdown/marked/test/new/list_item_text.md | 5 + packages/markdown/marked/test/new/list_table.html | 44 + packages/markdown/marked/test/new/list_table.md | 13 + packages/markdown/marked/test/new/main.html | 4 + packages/markdown/marked/test/new/main.md | 55 + packages/markdown/marked/test/new/mangle_xss.html | 3 + packages/markdown/marked/test/new/mangle_xss.md | 7 + packages/markdown/marked/test/new/nested_code.html | 9 + packages/markdown/marked/test/new/nested_code.md | 9 + packages/markdown/marked/test/new/nested_em.html | 3 + packages/markdown/marked/test/new/nested_em.md | 3 + .../marked/test/new/nested_square_link.html | 3 + .../markdown/marked/test/new/nested_square_link.md | 3 + .../markdown/marked/test/new/nogfm_hashtag.html | 5 + packages/markdown/marked/test/new/nogfm_hashtag.md | 8 + packages/markdown/marked/test/new/not_a_link.html | 1 + packages/markdown/marked/test/new/not_a_link.md | 1 + packages/markdown/marked/test/new/ref_paren.html | 1 + packages/markdown/marked/test/new/ref_paren.md | 3 + .../markdown/marked/test/new/relative_urls.html | 35 + packages/markdown/marked/test/new/relative_urls.md | 30 + packages/markdown/marked/test/new/same_bullet.html | 5 + packages/markdown/marked/test/new/same_bullet.md | 3 + .../markdown/marked/test/new/sanitize_links.html | 5 + .../markdown/marked/test/new/sanitize_links.md | 12 + packages/markdown/marked/test/new/smartypants.html | 6 + packages/markdown/marked/test/new/smartypants.md | 9 + .../markdown/marked/test/new/smartypants_code.html | 11 + .../markdown/marked/test/new/smartypants_code.md | 15 + packages/markdown/marked/test/new/table_cells.html | 27 + packages/markdown/marked/test/new/table_cells.md | 55 + .../marked/test/new/toplevel_paragraphs.html | 34 + .../marked/test/new/toplevel_paragraphs.md | 41 + packages/markdown/marked/test/new/tricky_list.html | 23 + packages/markdown/marked/test/new/tricky_list.md | 15 + .../markdown/marked/test/new/uppercase_hex.html | 2 + packages/markdown/marked/test/new/uppercase_hex.md | 5 + .../test/original/amps_and_angles_encoding.html | 17 + .../test/original/amps_and_angles_encoding.md | 25 + .../markdown/marked/test/original/auto_links.html | 18 + .../markdown/marked/test/original/auto_links.md | 13 + .../marked/test/original/backslash_escapes.html | 118 + .../marked/test/original/backslash_escapes.md | 120 + .../original/blockquotes_with_code_blocks.html | 15 + .../test/original/blockquotes_with_code_blocks.md | 11 + .../markdown/marked/test/original/code_blocks.html | 18 + .../markdown/marked/test/original/code_blocks.md | 14 + .../markdown/marked/test/original/code_spans.html | 6 + .../markdown/marked/test/original/code_spans.md | 6 + ...rd_wrapped_paragraphs_with_list_like_lines.html | 8 + ...hard_wrapped_paragraphs_with_list_like_lines.md | 8 + .../marked/test/original/horizontal_rules.html | 85 + .../marked/test/original/horizontal_rules.md | 94 + .../marked/test/original/inline_html_advanced.html | 15 + .../marked/test/original/inline_html_advanced.md | 15 + .../marked/test/original/inline_html_comments.html | 13 + .../marked/test/original/inline_html_comments.md | 13 + .../marked/test/original/inline_html_simple.html | 72 + .../marked/test/original/inline_html_simple.md | 69 + .../marked/test/original/links_inline_style.html | 15 + .../marked/test/original/links_inline_style.md | 19 + .../test/original/links_reference_style.html | 52 + .../marked/test/original/links_reference_style.md | 75 + .../test/original/links_shortcut_references.html | 9 + .../test/original/links_shortcut_references.md | 24 + .../test/original/literal_quotes_in_titles.html | 3 + .../test/original/literal_quotes_in_titles.md | 11 + .../original/markdown_documentation_basics.html | 314 ++ .../test/original/markdown_documentation_basics.md | 310 ++ .../original/markdown_documentation_syntax.html | 942 ++++ .../test/original/markdown_documentation_syntax.md | 892 ++++ .../marked/test/original/nested_blockquotes.html | 9 + .../marked/test/original/nested_blockquotes.md | 5 + .../test/original/ordered_and_unordered_lists.html | 164 + .../test/original/ordered_and_unordered_lists.md | 144 + .../test/original/strong_and_em_together.html | 7 + .../marked/test/original/strong_and_em_together.md | 7 + packages/markdown/marked/test/original/tabs.html | 25 + packages/markdown/marked/test/original/tabs.md | 21 + .../markdown/marked/test/original/tidyness.html | 8 + packages/markdown/marked/test/original/tidyness.md | 5 + .../markdown/marked/test/redos/link_redos.html | 5 + packages/markdown/marked/test/redos/link_redos.md | 2 + .../markdown/marked/test/redos/quadratic_br.js | 4 + .../markdown/marked/test/redos/quadratic_email.js | 4 + .../marked/test/redos/redos_html_closing.html | 1 + .../marked/test/redos/redos_html_closing.md | 1 + .../markdown/marked/test/redos/redos_nolink.html | 1 + .../markdown/marked/test/redos/redos_nolink.md | 1 + .../test/specs/commonmark/commonmark.0.29.json | 5327 ++++++++++++++++++++ .../marked/test/specs/commonmark/getSpecs.js | 24 + .../markdown/marked/test/specs/gfm/getSpecs.js | 44 + .../markdown/marked/test/specs/gfm/gfm.0.29.json | 147 + .../marked/test/specs/original/specs-spec.js | 12 + packages/markdown/marked/test/specs/redos-spec.js | 24 + packages/markdown/marked/test/specs/run-spec.js | 52 + packages/markdown/marked/test/unit/marked-spec.js | 73 + packages/markdown/package.js | 24 + packages/markdown/smart.json | 9 + packages/markdown/template-integration.js | 16 + packages/meteor-accounts-cas/.gitignore | 2 + packages/meteor-accounts-cas/LICENSE | 21 + packages/meteor-accounts-cas/README.md | 88 + packages/meteor-accounts-cas/cas_client.js | 112 + packages/meteor-accounts-cas/cas_client_cordova.js | 71 + packages/meteor-accounts-cas/cas_server.js | 281 ++ packages/meteor-accounts-cas/package.js | 29 + packages/meteor-useraccounts-core/.editorconfig | 18 + packages/meteor-useraccounts-core/.gitignore | 2 + packages/meteor-useraccounts-core/.jshintignore | 2 + packages/meteor-useraccounts-core/.jshintrc | 132 + packages/meteor-useraccounts-core/.travis.yml | 8 + packages/meteor-useraccounts-core/Guide.md | 1433 ++++++ packages/meteor-useraccounts-core/History.md | 353 ++ packages/meteor-useraccounts-core/LICENSE.md | 20 + packages/meteor-useraccounts-core/README.md | 104 + packages/meteor-useraccounts-core/lib/client.js | 464 ++ packages/meteor-useraccounts-core/lib/core.js | 593 +++ packages/meteor-useraccounts-core/lib/field.js | 292 ++ packages/meteor-useraccounts-core/lib/methods.js | 25 + packages/meteor-useraccounts-core/lib/server.js | 184 + .../meteor-useraccounts-core/lib/server_methods.js | 142 + .../lib/templates_helpers/at_error.js | 26 + .../lib/templates_helpers/at_form.js | 83 + .../lib/templates_helpers/at_input.js | 124 + .../lib/templates_helpers/at_message.js | 7 + .../lib/templates_helpers/at_nav_button.js | 16 + .../lib/templates_helpers/at_oauth.js | 5 + .../lib/templates_helpers/at_pwd_form.js | 331 ++ .../lib/templates_helpers/at_pwd_form_btn.js | 18 + .../lib/templates_helpers/at_pwd_link.js | 24 + .../lib/templates_helpers/at_reCaptcha.js | 19 + .../at_resend_verification_email_link.js | 24 + .../lib/templates_helpers/at_result.js | 7 + .../lib/templates_helpers/at_sep.js | 5 + .../lib/templates_helpers/at_signin_link.js | 24 + .../lib/templates_helpers/at_signup_link.js | 24 + .../lib/templates_helpers/at_social.js | 105 + .../lib/templates_helpers/at_terms_link.js | 33 + .../lib/templates_helpers/at_title.js | 7 + .../lib/templates_helpers/ensure_signed_in.html | 12 + .../lib/templates_helpers/ensure_signed_in.js | 15 + packages/meteor-useraccounts-core/lib/utils.js | 19 + packages/meteor-useraccounts-core/package.js | 94 + packages/meteor-useraccounts-core/tests/tests.js | 215 + packages/wekan-accounts-cas/LICENSE | 21 + packages/wekan-accounts-cas/README.md | 88 + packages/wekan-accounts-cas/cas_client.js | 112 + packages/wekan-accounts-cas/cas_client_cordova.js | 71 + packages/wekan-accounts-cas/cas_server.js | 281 ++ packages/wekan-accounts-cas/package.js | 29 + packages/wekan-accounts-oidc/.gitignore | 1 + packages/wekan-accounts-oidc/LICENSE.txt | 14 + packages/wekan-accounts-oidc/README.md | 75 + packages/wekan-accounts-oidc/oidc.js | 22 + packages/wekan-accounts-oidc/oidc_login_button.css | 3 + packages/wekan-accounts-oidc/package.js | 19 + packages/wekan-ldap/LICENSE | 21 + packages/wekan-ldap/README.md | 130 + packages/wekan-ldap/client/loginHelper.js | 52 + packages/wekan-ldap/package.js | 32 + packages/wekan-ldap/server/index.js | 1 + packages/wekan-ldap/server/ldap.js | 555 ++ packages/wekan-ldap/server/logger.js | 15 + packages/wekan-ldap/server/loginHandler.js | 224 + packages/wekan-ldap/server/sync.js | 447 ++ packages/wekan-ldap/server/syncUser.js | 29 + packages/wekan-ldap/server/testConnection.js | 39 + packages/wekan-oidc/.gitignore | 1 + packages/wekan-oidc/LICENSE.txt | 14 + packages/wekan-oidc/README.md | 7 + packages/wekan-oidc/oidc_client.js | 68 + packages/wekan-oidc/oidc_configure.html | 6 + packages/wekan-oidc/oidc_configure.js | 17 + packages/wekan-oidc/oidc_server.js | 143 + packages/wekan-oidc/package.js | 23 + packages/wekan-scrollbar/.gitignore | 14 + packages/wekan-scrollbar/LICENSE | 21 + .../wekan-scrollbar/jquery.mCustomScrollbar.css | 1267 +++++ .../wekan-scrollbar/jquery.mCustomScrollbar.js | 2423 +++++++++ packages/wekan-scrollbar/jquery.mousewheel.js | 221 + packages/wekan-scrollbar/package.js | 21 + packages/wekan-scrollbar/readme.md | 17 + rebuild-wekan.bat | 25 +- rebuild-wekan.sh | 54 +- releases/virtualbox/rebuild-wekan.sh | 25 +- snapcraft.yaml | 87 +- 354 files changed, 36977 insertions(+), 106 deletions(-) create mode 100644 packages/kadira-flow-router/.gitignore create mode 100644 packages/kadira-flow-router/.travis.yml create mode 100644 packages/kadira-flow-router/CHANGELOG.md create mode 100644 packages/kadira-flow-router/CONTRIBUTING.md create mode 100644 packages/kadira-flow-router/LICENSE create mode 100644 packages/kadira-flow-router/README.md create mode 100644 packages/kadira-flow-router/client/_init.js create mode 100644 packages/kadira-flow-router/client/group.js create mode 100644 packages/kadira-flow-router/client/modules.js create mode 100644 packages/kadira-flow-router/client/route.js create mode 100644 packages/kadira-flow-router/client/router.js create mode 100644 packages/kadira-flow-router/client/triggers.js create mode 100644 packages/kadira-flow-router/lib/router.js create mode 100644 packages/kadira-flow-router/package.js create mode 100644 packages/kadira-flow-router/server/_init.js create mode 100644 packages/kadira-flow-router/server/group.js create mode 100644 packages/kadira-flow-router/server/plugins/fast_render.js create mode 100644 packages/kadira-flow-router/server/route.js create mode 100644 packages/kadira-flow-router/server/router.js create mode 100644 packages/kadira-flow-router/test/client/_helpers.js create mode 100644 packages/kadira-flow-router/test/client/group.spec.js create mode 100644 packages/kadira-flow-router/test/client/loader.spec.js create mode 100644 packages/kadira-flow-router/test/client/route.reactivity.spec.js create mode 100644 packages/kadira-flow-router/test/client/router.core.spec.js create mode 100644 packages/kadira-flow-router/test/client/router.reactivity.spec.js create mode 100644 packages/kadira-flow-router/test/client/router.subs_ready.spec.js create mode 100644 packages/kadira-flow-router/test/client/trigger.spec.js create mode 100644 packages/kadira-flow-router/test/client/triggers.js create mode 100644 packages/kadira-flow-router/test/common/fast_render_route.js create mode 100644 packages/kadira-flow-router/test/common/group.spec.js create mode 100644 packages/kadira-flow-router/test/common/route.spec.js create mode 100644 packages/kadira-flow-router/test/common/router.addons.spec.js create mode 100644 packages/kadira-flow-router/test/common/router.path.spec.js create mode 100644 packages/kadira-flow-router/test/common/router.url.spec.js create mode 100644 packages/kadira-flow-router/test/server/_helpers.js create mode 100644 packages/kadira-flow-router/test/server/plugins/fast_render.js create mode 100755 packages/markdown/.gitignore create mode 100755 packages/markdown/README.md create mode 100755 packages/markdown/markdown.js create mode 100644 packages/markdown/marked/.editorconfig create mode 100644 packages/markdown/marked/.eslintignore create mode 100644 packages/markdown/marked/.eslintrc.json create mode 100644 packages/markdown/marked/.gitattributes create mode 100644 packages/markdown/marked/.github/ISSUE_TEMPLATE.md create mode 100644 packages/markdown/marked/.github/ISSUE_TEMPLATE/Bug_report.md create mode 100644 packages/markdown/marked/.github/ISSUE_TEMPLATE/Feature_request.md create mode 100644 packages/markdown/marked/.github/ISSUE_TEMPLATE/Proposal.md create mode 100644 packages/markdown/marked/.github/PULL_REQUEST_TEMPLATE.md create mode 100644 packages/markdown/marked/.github/PULL_REQUEST_TEMPLATE/badges.md create mode 100644 packages/markdown/marked/.github/PULL_REQUEST_TEMPLATE/release.md create mode 100644 packages/markdown/marked/.gitignore create mode 100644 packages/markdown/marked/.travis.yml create mode 100644 packages/markdown/marked/LICENSE.md create mode 100644 packages/markdown/marked/Makefile create mode 100644 packages/markdown/marked/README.md create mode 100755 packages/markdown/marked/bin/marked create mode 100644 packages/markdown/marked/bower.json create mode 100644 packages/markdown/marked/component.json create mode 100644 packages/markdown/marked/docs/AUTHORS.md create mode 100644 packages/markdown/marked/docs/CNAME create mode 100644 packages/markdown/marked/docs/CODE_OF_CONDUCT.md create mode 100644 packages/markdown/marked/docs/CONTRIBUTING.md create mode 100644 packages/markdown/marked/docs/PUBLISHING.md create mode 100644 packages/markdown/marked/docs/README.md create mode 100644 packages/markdown/marked/docs/USING_ADVANCED.md create mode 100644 packages/markdown/marked/docs/USING_PRO.md create mode 100644 packages/markdown/marked/docs/broken.md create mode 100644 packages/markdown/marked/docs/demo/demo.css create mode 100644 packages/markdown/marked/docs/demo/demo.js create mode 100644 packages/markdown/marked/docs/demo/index.html create mode 100644 packages/markdown/marked/docs/demo/initial.md create mode 100644 packages/markdown/marked/docs/demo/preview.html create mode 100644 packages/markdown/marked/docs/demo/quickref.md create mode 100644 packages/markdown/marked/docs/demo/worker.js create mode 100644 packages/markdown/marked/docs/img/logo-black-and-white.svg create mode 100644 packages/markdown/marked/docs/img/logo-black.svg create mode 100644 packages/markdown/marked/docs/index.html create mode 100644 packages/markdown/marked/index.js create mode 100644 packages/markdown/marked/jasmine.json create mode 100644 packages/markdown/marked/lib/marked.js create mode 100644 packages/markdown/marked/man/marked.1 create mode 100644 packages/markdown/marked/man/marked.1.txt create mode 100644 packages/markdown/marked/marked.min.js create mode 100644 packages/markdown/marked/package.json create mode 100644 packages/markdown/marked/test/README create mode 100644 packages/markdown/marked/test/browser/index.html create mode 100644 packages/markdown/marked/test/browser/index.js create mode 100644 packages/markdown/marked/test/browser/test.js create mode 100644 packages/markdown/marked/test/helpers/helpers.js create mode 100644 packages/markdown/marked/test/helpers/html-differ.js create mode 100644 packages/markdown/marked/test/index.js create mode 100644 packages/markdown/marked/test/json-to-files.js create mode 100644 packages/markdown/marked/test/new/adjacent_lists.html create mode 100644 packages/markdown/marked/test/new/adjacent_lists.md create mode 100644 packages/markdown/marked/test/new/autolink_lines.html create mode 100644 packages/markdown/marked/test/new/autolink_lines.md create mode 100644 packages/markdown/marked/test/new/autolinks.html create mode 100644 packages/markdown/marked/test/new/autolinks.md create mode 100644 packages/markdown/marked/test/new/blockquote_list_item.html create mode 100644 packages/markdown/marked/test/new/blockquote_list_item.md create mode 100644 packages/markdown/marked/test/new/case_insensitive_refs.html create mode 100644 packages/markdown/marked/test/new/case_insensitive_refs.md create mode 100644 packages/markdown/marked/test/new/cm_autolinks.html create mode 100644 packages/markdown/marked/test/new/cm_autolinks.md create mode 100644 packages/markdown/marked/test/new/cm_blockquotes.html create mode 100644 packages/markdown/marked/test/new/cm_blockquotes.md create mode 100644 packages/markdown/marked/test/new/cm_html_blocks.html create mode 100644 packages/markdown/marked/test/new/cm_html_blocks.md create mode 100644 packages/markdown/marked/test/new/cm_link_defs.html create mode 100644 packages/markdown/marked/test/new/cm_link_defs.md create mode 100644 packages/markdown/marked/test/new/cm_links.html create mode 100644 packages/markdown/marked/test/new/cm_links.md create mode 100644 packages/markdown/marked/test/new/cm_raw_html.html create mode 100644 packages/markdown/marked/test/new/cm_raw_html.md create mode 100644 packages/markdown/marked/test/new/cm_strong_and_em.html create mode 100644 packages/markdown/marked/test/new/cm_strong_and_em.md create mode 100644 packages/markdown/marked/test/new/cm_thematic_breaks.html create mode 100644 packages/markdown/marked/test/new/cm_thematic_breaks.md create mode 100644 packages/markdown/marked/test/new/code_spans.html create mode 100644 packages/markdown/marked/test/new/code_spans.md create mode 100644 packages/markdown/marked/test/new/def_blocks.html create mode 100644 packages/markdown/marked/test/new/def_blocks.md create mode 100644 packages/markdown/marked/test/new/double_link.html create mode 100644 packages/markdown/marked/test/new/double_link.md create mode 100644 packages/markdown/marked/test/new/em_2char.html create mode 100644 packages/markdown/marked/test/new/em_2char.md create mode 100644 packages/markdown/marked/test/new/emphasis_extra tests.html create mode 100644 packages/markdown/marked/test/new/emphasis_extra tests.md create mode 100644 packages/markdown/marked/test/new/escaped_angles.html create mode 100644 packages/markdown/marked/test/new/escaped_angles.md create mode 100644 packages/markdown/marked/test/new/gfm_autolinks.html create mode 100644 packages/markdown/marked/test/new/gfm_autolinks.md create mode 100644 packages/markdown/marked/test/new/gfm_break.html create mode 100644 packages/markdown/marked/test/new/gfm_break.md create mode 100644 packages/markdown/marked/test/new/gfm_code.html create mode 100644 packages/markdown/marked/test/new/gfm_code.md create mode 100644 packages/markdown/marked/test/new/gfm_code_hr_list.html create mode 100644 packages/markdown/marked/test/new/gfm_code_hr_list.md create mode 100644 packages/markdown/marked/test/new/gfm_em.html create mode 100644 packages/markdown/marked/test/new/gfm_em.md create mode 100644 packages/markdown/marked/test/new/gfm_hashtag.html create mode 100644 packages/markdown/marked/test/new/gfm_hashtag.md create mode 100644 packages/markdown/marked/test/new/gfm_links_invalid.html create mode 100644 packages/markdown/marked/test/new/gfm_links_invalid.md create mode 100644 packages/markdown/marked/test/new/gfm_tables.html create mode 100644 packages/markdown/marked/test/new/gfm_tables.md create mode 100644 packages/markdown/marked/test/new/headings_id.html create mode 100644 packages/markdown/marked/test/new/headings_id.md create mode 100644 packages/markdown/marked/test/new/hr_list_break.html create mode 100644 packages/markdown/marked/test/new/hr_list_break.md create mode 100644 packages/markdown/marked/test/new/html_comments.html create mode 100644 packages/markdown/marked/test/new/html_comments.md create mode 100644 packages/markdown/marked/test/new/html_no_new_line.html create mode 100644 packages/markdown/marked/test/new/html_no_new_line.md create mode 100644 packages/markdown/marked/test/new/images.html create mode 100644 packages/markdown/marked/test/new/images.md create mode 100644 packages/markdown/marked/test/new/lazy_blockquotes.html create mode 100644 packages/markdown/marked/test/new/lazy_blockquotes.md create mode 100644 packages/markdown/marked/test/new/link_lt.html create mode 100644 packages/markdown/marked/test/new/link_lt.md create mode 100644 packages/markdown/marked/test/new/link_tick_redos.html create mode 100644 packages/markdown/marked/test/new/link_tick_redos.md create mode 100644 packages/markdown/marked/test/new/links.html create mode 100644 packages/markdown/marked/test/new/links.md create mode 100644 packages/markdown/marked/test/new/list_item_text.html create mode 100644 packages/markdown/marked/test/new/list_item_text.md create mode 100644 packages/markdown/marked/test/new/list_table.html create mode 100644 packages/markdown/marked/test/new/list_table.md create mode 100644 packages/markdown/marked/test/new/main.html create mode 100644 packages/markdown/marked/test/new/main.md create mode 100644 packages/markdown/marked/test/new/mangle_xss.html create mode 100644 packages/markdown/marked/test/new/mangle_xss.md create mode 100644 packages/markdown/marked/test/new/nested_code.html create mode 100644 packages/markdown/marked/test/new/nested_code.md create mode 100644 packages/markdown/marked/test/new/nested_em.html create mode 100644 packages/markdown/marked/test/new/nested_em.md create mode 100644 packages/markdown/marked/test/new/nested_square_link.html create mode 100644 packages/markdown/marked/test/new/nested_square_link.md create mode 100644 packages/markdown/marked/test/new/nogfm_hashtag.html create mode 100644 packages/markdown/marked/test/new/nogfm_hashtag.md create mode 100644 packages/markdown/marked/test/new/not_a_link.html create mode 100644 packages/markdown/marked/test/new/not_a_link.md create mode 100644 packages/markdown/marked/test/new/ref_paren.html create mode 100644 packages/markdown/marked/test/new/ref_paren.md create mode 100644 packages/markdown/marked/test/new/relative_urls.html create mode 100644 packages/markdown/marked/test/new/relative_urls.md create mode 100644 packages/markdown/marked/test/new/same_bullet.html create mode 100644 packages/markdown/marked/test/new/same_bullet.md create mode 100644 packages/markdown/marked/test/new/sanitize_links.html create mode 100644 packages/markdown/marked/test/new/sanitize_links.md create mode 100644 packages/markdown/marked/test/new/smartypants.html create mode 100644 packages/markdown/marked/test/new/smartypants.md create mode 100644 packages/markdown/marked/test/new/smartypants_code.html create mode 100644 packages/markdown/marked/test/new/smartypants_code.md create mode 100644 packages/markdown/marked/test/new/table_cells.html create mode 100644 packages/markdown/marked/test/new/table_cells.md create mode 100644 packages/markdown/marked/test/new/toplevel_paragraphs.html create mode 100644 packages/markdown/marked/test/new/toplevel_paragraphs.md create mode 100644 packages/markdown/marked/test/new/tricky_list.html create mode 100644 packages/markdown/marked/test/new/tricky_list.md create mode 100644 packages/markdown/marked/test/new/uppercase_hex.html create mode 100644 packages/markdown/marked/test/new/uppercase_hex.md create mode 100644 packages/markdown/marked/test/original/amps_and_angles_encoding.html create mode 100644 packages/markdown/marked/test/original/amps_and_angles_encoding.md create mode 100644 packages/markdown/marked/test/original/auto_links.html create mode 100644 packages/markdown/marked/test/original/auto_links.md create mode 100644 packages/markdown/marked/test/original/backslash_escapes.html create mode 100644 packages/markdown/marked/test/original/backslash_escapes.md create mode 100644 packages/markdown/marked/test/original/blockquotes_with_code_blocks.html create mode 100644 packages/markdown/marked/test/original/blockquotes_with_code_blocks.md create mode 100644 packages/markdown/marked/test/original/code_blocks.html create mode 100644 packages/markdown/marked/test/original/code_blocks.md create mode 100644 packages/markdown/marked/test/original/code_spans.html create mode 100644 packages/markdown/marked/test/original/code_spans.md create mode 100644 packages/markdown/marked/test/original/hard_wrapped_paragraphs_with_list_like_lines.html create mode 100644 packages/markdown/marked/test/original/hard_wrapped_paragraphs_with_list_like_lines.md create mode 100644 packages/markdown/marked/test/original/horizontal_rules.html create mode 100644 packages/markdown/marked/test/original/horizontal_rules.md create mode 100644 packages/markdown/marked/test/original/inline_html_advanced.html create mode 100644 packages/markdown/marked/test/original/inline_html_advanced.md create mode 100644 packages/markdown/marked/test/original/inline_html_comments.html create mode 100644 packages/markdown/marked/test/original/inline_html_comments.md create mode 100644 packages/markdown/marked/test/original/inline_html_simple.html create mode 100644 packages/markdown/marked/test/original/inline_html_simple.md create mode 100644 packages/markdown/marked/test/original/links_inline_style.html create mode 100644 packages/markdown/marked/test/original/links_inline_style.md create mode 100644 packages/markdown/marked/test/original/links_reference_style.html create mode 100644 packages/markdown/marked/test/original/links_reference_style.md create mode 100644 packages/markdown/marked/test/original/links_shortcut_references.html create mode 100644 packages/markdown/marked/test/original/links_shortcut_references.md create mode 100644 packages/markdown/marked/test/original/literal_quotes_in_titles.html create mode 100644 packages/markdown/marked/test/original/literal_quotes_in_titles.md create mode 100644 packages/markdown/marked/test/original/markdown_documentation_basics.html create mode 100644 packages/markdown/marked/test/original/markdown_documentation_basics.md create mode 100644 packages/markdown/marked/test/original/markdown_documentation_syntax.html create mode 100644 packages/markdown/marked/test/original/markdown_documentation_syntax.md create mode 100644 packages/markdown/marked/test/original/nested_blockquotes.html create mode 100644 packages/markdown/marked/test/original/nested_blockquotes.md create mode 100644 packages/markdown/marked/test/original/ordered_and_unordered_lists.html create mode 100644 packages/markdown/marked/test/original/ordered_and_unordered_lists.md create mode 100644 packages/markdown/marked/test/original/strong_and_em_together.html create mode 100644 packages/markdown/marked/test/original/strong_and_em_together.md create mode 100644 packages/markdown/marked/test/original/tabs.html create mode 100644 packages/markdown/marked/test/original/tabs.md create mode 100644 packages/markdown/marked/test/original/tidyness.html create mode 100644 packages/markdown/marked/test/original/tidyness.md create mode 100644 packages/markdown/marked/test/redos/link_redos.html create mode 100644 packages/markdown/marked/test/redos/link_redos.md create mode 100644 packages/markdown/marked/test/redos/quadratic_br.js create mode 100644 packages/markdown/marked/test/redos/quadratic_email.js create mode 100644 packages/markdown/marked/test/redos/redos_html_closing.html create mode 100644 packages/markdown/marked/test/redos/redos_html_closing.md create mode 100644 packages/markdown/marked/test/redos/redos_nolink.html create mode 100644 packages/markdown/marked/test/redos/redos_nolink.md create mode 100644 packages/markdown/marked/test/specs/commonmark/commonmark.0.29.json create mode 100644 packages/markdown/marked/test/specs/commonmark/getSpecs.js create mode 100644 packages/markdown/marked/test/specs/gfm/getSpecs.js create mode 100644 packages/markdown/marked/test/specs/gfm/gfm.0.29.json create mode 100644 packages/markdown/marked/test/specs/original/specs-spec.js create mode 100644 packages/markdown/marked/test/specs/redos-spec.js create mode 100644 packages/markdown/marked/test/specs/run-spec.js create mode 100644 packages/markdown/marked/test/unit/marked-spec.js create mode 100755 packages/markdown/package.js create mode 100755 packages/markdown/smart.json create mode 100755 packages/markdown/template-integration.js create mode 100644 packages/meteor-accounts-cas/.gitignore create mode 100644 packages/meteor-accounts-cas/LICENSE create mode 100644 packages/meteor-accounts-cas/README.md create mode 100644 packages/meteor-accounts-cas/cas_client.js create mode 100644 packages/meteor-accounts-cas/cas_client_cordova.js create mode 100644 packages/meteor-accounts-cas/cas_server.js create mode 100644 packages/meteor-accounts-cas/package.js create mode 100644 packages/meteor-useraccounts-core/.editorconfig create mode 100644 packages/meteor-useraccounts-core/.gitignore create mode 100644 packages/meteor-useraccounts-core/.jshintignore create mode 100644 packages/meteor-useraccounts-core/.jshintrc create mode 100644 packages/meteor-useraccounts-core/.travis.yml create mode 100644 packages/meteor-useraccounts-core/Guide.md create mode 100644 packages/meteor-useraccounts-core/History.md create mode 100644 packages/meteor-useraccounts-core/LICENSE.md create mode 100644 packages/meteor-useraccounts-core/README.md create mode 100644 packages/meteor-useraccounts-core/lib/client.js create mode 100644 packages/meteor-useraccounts-core/lib/core.js create mode 100644 packages/meteor-useraccounts-core/lib/field.js create mode 100644 packages/meteor-useraccounts-core/lib/methods.js create mode 100644 packages/meteor-useraccounts-core/lib/server.js create mode 100644 packages/meteor-useraccounts-core/lib/server_methods.js create mode 100644 packages/meteor-useraccounts-core/lib/templates_helpers/at_error.js create mode 100644 packages/meteor-useraccounts-core/lib/templates_helpers/at_form.js create mode 100644 packages/meteor-useraccounts-core/lib/templates_helpers/at_input.js create mode 100644 packages/meteor-useraccounts-core/lib/templates_helpers/at_message.js create mode 100644 packages/meteor-useraccounts-core/lib/templates_helpers/at_nav_button.js create mode 100644 packages/meteor-useraccounts-core/lib/templates_helpers/at_oauth.js create mode 100644 packages/meteor-useraccounts-core/lib/templates_helpers/at_pwd_form.js create mode 100644 packages/meteor-useraccounts-core/lib/templates_helpers/at_pwd_form_btn.js create mode 100644 packages/meteor-useraccounts-core/lib/templates_helpers/at_pwd_link.js create mode 100644 packages/meteor-useraccounts-core/lib/templates_helpers/at_reCaptcha.js create mode 100644 packages/meteor-useraccounts-core/lib/templates_helpers/at_resend_verification_email_link.js create mode 100644 packages/meteor-useraccounts-core/lib/templates_helpers/at_result.js create mode 100644 packages/meteor-useraccounts-core/lib/templates_helpers/at_sep.js create mode 100644 packages/meteor-useraccounts-core/lib/templates_helpers/at_signin_link.js create mode 100644 packages/meteor-useraccounts-core/lib/templates_helpers/at_signup_link.js create mode 100644 packages/meteor-useraccounts-core/lib/templates_helpers/at_social.js create mode 100644 packages/meteor-useraccounts-core/lib/templates_helpers/at_terms_link.js create mode 100644 packages/meteor-useraccounts-core/lib/templates_helpers/at_title.js create mode 100644 packages/meteor-useraccounts-core/lib/templates_helpers/ensure_signed_in.html create mode 100644 packages/meteor-useraccounts-core/lib/templates_helpers/ensure_signed_in.js create mode 100644 packages/meteor-useraccounts-core/lib/utils.js create mode 100644 packages/meteor-useraccounts-core/package.js create mode 100644 packages/meteor-useraccounts-core/tests/tests.js create mode 100644 packages/wekan-accounts-cas/LICENSE create mode 100644 packages/wekan-accounts-cas/README.md create mode 100644 packages/wekan-accounts-cas/cas_client.js create mode 100644 packages/wekan-accounts-cas/cas_client_cordova.js create mode 100644 packages/wekan-accounts-cas/cas_server.js create mode 100644 packages/wekan-accounts-cas/package.js create mode 100644 packages/wekan-accounts-oidc/.gitignore create mode 100644 packages/wekan-accounts-oidc/LICENSE.txt create mode 100644 packages/wekan-accounts-oidc/README.md create mode 100644 packages/wekan-accounts-oidc/oidc.js create mode 100644 packages/wekan-accounts-oidc/oidc_login_button.css create mode 100644 packages/wekan-accounts-oidc/package.js create mode 100644 packages/wekan-ldap/LICENSE create mode 100644 packages/wekan-ldap/README.md create mode 100644 packages/wekan-ldap/client/loginHelper.js create mode 100644 packages/wekan-ldap/package.js create mode 100644 packages/wekan-ldap/server/index.js create mode 100644 packages/wekan-ldap/server/ldap.js create mode 100644 packages/wekan-ldap/server/logger.js create mode 100644 packages/wekan-ldap/server/loginHandler.js create mode 100644 packages/wekan-ldap/server/sync.js create mode 100644 packages/wekan-ldap/server/syncUser.js create mode 100644 packages/wekan-ldap/server/testConnection.js create mode 100644 packages/wekan-oidc/.gitignore create mode 100644 packages/wekan-oidc/LICENSE.txt create mode 100644 packages/wekan-oidc/README.md create mode 100644 packages/wekan-oidc/oidc_client.js create mode 100644 packages/wekan-oidc/oidc_configure.html create mode 100644 packages/wekan-oidc/oidc_configure.js create mode 100644 packages/wekan-oidc/oidc_server.js create mode 100644 packages/wekan-oidc/package.js create mode 100644 packages/wekan-scrollbar/.gitignore create mode 100644 packages/wekan-scrollbar/LICENSE create mode 100644 packages/wekan-scrollbar/jquery.mCustomScrollbar.css create mode 100644 packages/wekan-scrollbar/jquery.mCustomScrollbar.js create mode 100644 packages/wekan-scrollbar/jquery.mousewheel.js create mode 100644 packages/wekan-scrollbar/package.js create mode 100644 packages/wekan-scrollbar/readme.md diff --git a/.gitignore b/.gitignore index bfc54a42..6e7a26dd 100644 --- a/.gitignore +++ b/.gitignore @@ -8,7 +8,6 @@ npm-debug.log .vscode/ .idea/ .build/* -packages/ package-lock.json **/parts/ **/stage @@ -17,3 +16,16 @@ package-lock.json snap/.snapcraft/ .idea .DS_Store +.DS_Store? +.build* +*.browserify.js.cached +*.browserify.js.map +.build* +versions.json +.versions +.npm +.build* +._* +.Trashes +Thumbs.db +ehthumbs.db diff --git a/Dockerfile b/Dockerfile index 3286b1e7..a81215fb 100644 --- a/Dockerfile +++ b/Dockerfile @@ -191,19 +191,20 @@ RUN \ fi; \ \ # Get additional packages - mkdir -p /home/wekan/app/packages && \ + #mkdir -p /home/wekan/app/packages && \ chown wekan:wekan --recursive /home/wekan && \ - cd /home/wekan/app/packages && \ - gosu wekan:wekan git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-flow-router && \ - gosu wekan:wekan git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core && \ - gosu wekan:wekan git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git && \ - gosu wekan:wekan git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git && \ - gosu wekan:wekan git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git && \ - gosu wekan:wekan git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-oidc.git && \ - gosu wekan:wekan git clone --depth 1 -b master --recurse-submodules https://github.com/wekan/markdown.git && \ - gosu wekan:wekan mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan-accounts-oidc && \ - gosu wekan:wekan mv meteor-accounts-oidc/packages/switch_oidc wekan-oidc && \ - gosu wekan:wekan rm -rf meteor-accounts-oidc && \ + # REPOS BELOW ARE INCLUDED TO WEKAN REPO + #cd /home/wekan/app/packages && \ + #gosu wekan:wekan git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-flow-router && \ + #gosu wekan:wekan git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core && \ + #gosu wekan:wekan git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git && \ + #gosu wekan:wekan git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git && \ + #gosu wekan:wekan git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git && \ + #gosu wekan:wekan git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-oidc.git && \ + #gosu wekan:wekan git clone --depth 1 -b master --recurse-submodules https://github.com/wekan/markdown.git && \ + #gosu wekan:wekan mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan-accounts-oidc && \ + #gosu wekan:wekan mv meteor-accounts-oidc/packages/switch_oidc wekan-oidc && \ + #gosu wekan:wekan rm -rf meteor-accounts-oidc && \ sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' /home/wekan/app/packages/meteor-useraccounts-core/package.js && \ cd /home/wekan/.meteor && \ gosu wekan:wekan /home/wekan/.meteor/meteor -- help; \ diff --git a/packages/kadira-flow-router/.gitignore b/packages/kadira-flow-router/.gitignore new file mode 100644 index 00000000..22ee0cce --- /dev/null +++ b/packages/kadira-flow-router/.gitignore @@ -0,0 +1,3 @@ +.build* +*.browserify.js.cached +*.browserify.js.map diff --git a/packages/kadira-flow-router/.travis.yml b/packages/kadira-flow-router/.travis.yml new file mode 100644 index 00000000..5125066a --- /dev/null +++ b/packages/kadira-flow-router/.travis.yml @@ -0,0 +1,8 @@ +sudo: required +language: node_js +node_js: + - "0.10" +before_install: + - "curl -L http://git.io/ejPSng | /bin/sh" +env: + - TEST_COMMAND=meteor \ No newline at end of file diff --git a/packages/kadira-flow-router/CHANGELOG.md b/packages/kadira-flow-router/CHANGELOG.md new file mode 100644 index 00000000..80fd6708 --- /dev/null +++ b/packages/kadira-flow-router/CHANGELOG.md @@ -0,0 +1,155 @@ +# Changelog + +### v2.12.1 + +* Add NPM modules back. Fixes: [#602](https://github.com/kadirahq/flow-router/issues/602) + +### v2.12.0 + +* Update Fast Render to v2.14.0 + +### v2.11.0 + +* Add support for Meteor 1.3 RC-1. +* Removes browserify and get modules from Meteor 1.3. + +### v2.10.1 +* Fix the url generation for prefixed paths. See: [#508](https://github.com/kadirahq/flow-router/issues/508) + +### v2.10.0 +* Update few dependencies to the latest versions: pagejs, qs, cosmos:browserify + +### v2.9.0 +* Add FlowRouter.url() See: [#374](https://github.com/kadirahq/flow-router/pull/374) + +### v2.8.0 +* Allow to access options in groups as well. See: [#378](https://github.com/kadirahq/flow-router/pull/378) + +### v2.7.0 +* Add Path Prefix support. See: [#329](https://github.com/kadirahq/flow-router/pull/329) + +### v2.6.2 +* Now .current() sends a cloned version of the internal current object. Which prevent outside mutations to params and queryParams + +### v2.6.1 + +* Fix [#143](https://github.com/kadirahq/flow-router/issues/314). + This says that when we are doing a trigger redirect, + We won't get reactive changes like: `getRouteName()` + +### v2.6.0 +* Add hashbang support. See [#311](https://github.com/kadirahq/flow-router/pull/311) + +### v2.5.0 +* Add a stop callback on the triggers. See: [#306](https://github.com/kadirahq/flow-router/pull/306). + +### v2.4.0 + +* Add a name to the route groups. See: [#290](https://github.com/kadirahq/flow-router/pull/290) + +### v2.3.0 +* We've used `path` for both the current path and for the pathDef earlier. Now we differentiate it. See: [#272](https://github.com/kadirahq/flow-router/issues/272) and [#273](https://github.com/kadirahq/flow-router/pull/273) for more information. + +### v2.2.0 +* Add the first addOn api: FlowRouter.onRouteRegister(cb) + +### v2.1.1 +* There was an issue in IE9 support. We fix it with this version. + +### v2.1.0 +* Add IE9 Support. See this issue [#111](https://github.com/kadirahq/flow-router/issues/111) for more info. + +### v2.0.2 + +* Add missing queryParams object in the subscriptions method (with FR on the server) +* With that, [#237](https://github.com/kadirahq/flow-router/issues/237) is partially fixed. + +### v2.0.1 + +* Use pagejs.redirect() for our redirection process. +* Above fixes [#239](https://github.com/kadirahq/flow-router/issues/239) + +### v2.0.0 + +* Released 2.0 :) +* Now flow-router comes as `kadira:flow-router` +* Remove deprecated APIs + - `FlowRouter.reactiveCurrent()` + - Middlewares + - `FlowRouter.current().params.query` +* Follow the [migration guide](https://github.com/kadirahq/flow-router#migrating-into-20) for more information. + +### v1.18.0 + +* Implement idempotent routing on withReplaceState. See: [#197](https://github.com/meteorhacks/flow-router/issues/197) +* Add an [API](https://github.com/meteorhacks/flow-router#flowrouterwithtrailingslashfn) to set trailing slashes. + +### v1.17.2 +* Fix [#182](https://github.com/meteorhacks/flow-router/issues/182) - Now trigger's redirect function support `FlowRouter.go()` syntax. + +### v1.17.1 + +* Fix [#164](https://github.com/meteorhacks/flow-router/issues/164) - It's an issue when using `check` with flow router query params. +* Fix [#168](https://github.com/meteorhacks/flow-router/pull/168) - It's URL encoding issue. + +### v1.17.0 + +* Add an API called `FlowRouter.wait()` to wait the initialization and pass it back to the app. Fixes issue [180](https://github.com/meteorhacks/flow-router/issues/180). + +### v1.16.3 + +* Fix a crazy context switching issue. For more information see commit [6ca54cc](https://github.com/meteorhacks/flow-router/commit/6ca54cc7969b3a8aa71d63c98c99a20b175125a2) + +### v1.16.2 +* Fix issue [#167](https://github.com/meteorhacks/flow-router/issues/167) via [#175](https://github.com/meteorhacks/flow-router/pull/175) +* Fix [#176](https://github.com/meteorhacks/flow-router/issues/176) by the removal of `Tracker.flush` usage. + +### v1.16.1 +* Fix [issue](https://github.com/meteorhacks/flow-router/pull/173) of overwriting global triggers when written multiple times. + +### v1.16.0 + +* [Refactor](https://github.com/meteorhacks/flow-router/pull/172) triggers API for clean code +* Added [redirect](https://github.com/meteorhacks/flow-router#redirecting-with-triggers) functionality for triggers +* Now we are API complete for the 2.x release + +### v1.15.0 + +* Now all our routes are idempotent. +* If some one needs to re-run the route, he needs to use our `FlowRouter.reload()` API. + +### v1.14.1 + +* Fix regression came from v1.11.0. With that, `FlowRouter.go("/")` does not work. More information on [#147](https://github.com/meteorhacks/flow-router/issues/147). + +### v1.14.0 +* Bring browserify back with the updated version of `cosmos:browserify` which fixes some size issues. See [more info](https://github.com/meteorhacks/flow-router/issues/128#issuecomment-109799953). + +### v1.13.0 +* Remove browserified pagejs and qs dependency loading. With that we could reduce ~10kb of data size (without compression). We can look for a bower integration in the future. For now, here are the dependencies we have. + - page@1.6.3: https://github.com/visionmedia/page.js + - qs@3.1.0: https://github.com/hapijs/qs + +### v1.12.0 +* Add [`FlowRouter.withReplaceState`](https://github.com/meteorhacks/flow-router#flowrouterwithreplcaestatefn) api to use replaceState when changing routes via FlowRouter apis. + +### v1.11.0 +* Fix [#145](https://github.com/meteorhacks/flow-router/issues/145) by changing how safeToRun works. +* Add `FlowRouter.path()` to the server side +* Fix [#130](https://github.com/meteorhacks/flow-router/issues/130) + +### v1.10.0 +Add support for [triggers](https://github.com/meteorhacks/flow-router#triggers). This is something similar to middlewares but not as middlewares. Visit [here](https://github.com/meteorhacks/flow-router/pull/59) to learn about design decisions. + +_**Now, middlewares are deprecated.**_ + +### v1.9.0 +Fix [#120](https://github.com/meteorhacks/flow-router/issues/120) and added callback support for `FlowRouter.subsReady()`. + +### v1.8.0 + +This release comes with improvements to the reactive API. + +* Fixed [#77](https://github.com/meteorhacks/flow-router/issues/77), [#85](https://github.com/meteorhacks/flow-router/issues/85), [#95](https://github.com/meteorhacks/flow-router/issues/95), [#96](https://github.com/meteorhacks/flow-router/issues/96), [#103](https://github.com/meteorhacks/flow-router/issues/103) +* Add a new API called `FlowRouter.watchPathChange()` +* Deprecated `FlowRouter.reactiveCurrent()` in the favour of `FlowRouter.watchPathChange()` diff --git a/packages/kadira-flow-router/CONTRIBUTING.md b/packages/kadira-flow-router/CONTRIBUTING.md new file mode 100644 index 00000000..adb08f1b --- /dev/null +++ b/packages/kadira-flow-router/CONTRIBUTING.md @@ -0,0 +1,16 @@ +## Whether to submit an issue or not? + +We've very limited time to answer all the issues and respond them in a proper manner. +So, this repo's issue list only used to report **bugs** and **new features.** + +For any other questions, issues or asking for best practices use [Meteor Forums](https://forums.meteor.com/). +Even before you ask a question on Meteor Forums, make sure you read the [Meteor Routing Guide](https://kadira.io/academy/meteor-routing-guide). + +## Implementing Feature and Bug Fixes + +We are welcome and greedy for PRs. So, + +* If you wanna fix a bug, simply submit it. +* If you wanna implement feature or support with contributions, just drop a message to arunoda [at] kadira.io. + + diff --git a/packages/kadira-flow-router/LICENSE b/packages/kadira-flow-router/LICENSE new file mode 100644 index 00000000..6519acbf --- /dev/null +++ b/packages/kadira-flow-router/LICENSE @@ -0,0 +1,21 @@ +The MIT License (MIT) + +Copyright (c) 2015 MeteorHacks Pvt Ltd (Sri Lanka). + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in +all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN +THE SOFTWARE. \ No newline at end of file diff --git a/packages/kadira-flow-router/README.md b/packages/kadira-flow-router/README.md new file mode 100644 index 00000000..7e74eb10 --- /dev/null +++ b/packages/kadira-flow-router/README.md @@ -0,0 +1,777 @@ +# FlowRouter [![Build Status](https://travis-ci.org/kadirahq/flow-router.svg?branch=master)](https://travis-ci.org/kadirahq/flow-router) [![Stories in Ready](https://badge.waffle.io/kadirahq/flow-router.svg?label=doing&title=Activities)](http://waffle.io/kadirahq/flow-router) + +Forked for bug fixes + +Carefully Designed Client Side Router for Meteor. + +FlowRouter is a very simple router for Meteor. It does routing for client-side apps and does not handle rendering itself. + +It exposes a great API for changing the URL and reactively getting data from the URL. However, inside the router, it's not reactive. Most importantly, FlowRouter is designed with performance in mind and it focuses on what it does best: **routing**. + +> We've released 2.0 and follow this [migration guide](#migrating-into-20) if you are already using FlowRouter. + +## TOC + +* [Meteor Routing Guide](#meteor-routing-guide) +* [Getting Started](#getting-started) +* [Routes Definition](#routes-definition) +* [Group Routes](#group-routes) +* [Rendering and Layout Management](#rendering-and-layout-management) +* [Triggers](#triggers) +* [Not Found Routes](#not-found-routes) +* [API](#api) +* [Subscription Management](#subscription-management) +* [IE9 Support](#ie9-support) +* [Hashbang URLs](#hashbang-urls) +* [Prefixed paths](#prefixed-paths) +* [Add-ons](#add-ons) +* [Difference with Iron Router](#difference-with-iron-router) +* [Migrating into 2.0](#migrating-into-20) + +## Meteor Routing Guide + +[Meteor Routing Guide](https://kadira.io/academy/meteor-routing-guide) is a completed guide into **routing** and related topics in Meteor. It talks about how to use FlowRouter properly and use it with **Blaze and React**. It also shows how to manage **subscriptions** and implement **auth logic** in the view layer. + +[![Meteor Routing Guide](https://cldup.com/AxlPfoxXmR.png)](https://kadira.io/academy/meteor-routing-guide) + +## Getting Started + +Add FlowRouter to your app: + +~~~shell +meteor add kadira:flow-router +~~~ + +Let's write our first route (add this file to `lib/router.js`): + +~~~js +FlowRouter.route('/blog/:postId', { + action: function(params, queryParams) { + console.log("Yeah! We are on the post:", params.postId); + } +}); +~~~ + +Then visit `/blog/my-post-id` from the browser or invoke the following command from the browser console: + +~~~js +FlowRouter.go('/blog/my-post-id'); +~~~ + +Then you can see some messages printed in the console. + +## Routes Definition + +FlowRouter routes are very simple and based on the syntax of [path-to-regexp](https://github.com/pillarjs/path-to-regexp) which is used in both [Express](http://expressjs.com/) and `iron:router`. + +Here's the syntax for a simple route: + +~~~js +FlowRouter.route('/blog/:postId', { + // do some action for this route + action: function(params, queryParams) { + console.log("Params:", params); + console.log("Query Params:", queryParams); + }, + + name: "" // optional +}); +~~~ + +So, this route will be activated when you visit a url like below: + +~~~js +FlowRouter.go('/blog/my-post?comments=on&color=dark'); +~~~ + +After you've visit the route, this will be printed in the console: + +~~~ +Params: {postId: "my-post"} +Query Params: {comments: "on", color: "dark"} +~~~ + +For a single interaction, the router only runs once. That means, after you've visit a route, first it will call `triggers`, then `subscriptions` and finally `action`. After that happens, none of those methods will be called again for that route visit. + +You can define routes anywhere in the `client` directory. But, we recommend to add them in the `lib` directory. Then `fast-render` can detect subscriptions and send them for you (we'll talk about this is a moment). + +### Group Routes + +You can group routes for better route organization. Here's an example: + +~~~js +var adminRoutes = FlowRouter.group({ + prefix: '/admin', + name: 'admin', + triggersEnter: [function(context, redirect) { + console.log('running group triggers'); + }] +}); + +// handling /admin route +adminRoutes.route('/', { + action: function() { + BlazeLayout.render('componentLayout', {content: 'admin'}); + }, + triggersEnter: [function(context, redirect) { + console.log('running /admin trigger'); + }] +}); + +// handling /admin/posts +adminRoutes.route('/posts', { + action: function() { + BlazeLayout.render('componentLayout', {content: 'posts'}); + } +}); +~~~ + +**All of the options for the `FlowRouter.group()` are optional.** + +You can even have nested group routes as shown below: + +~~~js +var adminRoutes = FlowRouter.group({ + prefix: "/admin", + name: "admin" +}); + +var superAdminRoutes = adminRoutes.group({ + prefix: "/super", + name: "superadmin" +}); + +// handling /admin/super/post +superAdminRoutes.route('/post', { + action: function() { + + } +}); +~~~ + +You can determine which group the current route is in using: + +~~~js +FlowRouter.current().route.group.name +~~~ + +This can be useful for determining if the current route is in a specific group (e.g. *admin*, *public*, *loggedIn*) without needing to use prefixes if you don't want to. If it's a nested group, you can get the parent group's name with: + +~~~js +FlowRouter.current().route.group.parent.name +~~~ + +As with all current route properties, these are not reactive, but can be combined with `FlowRouter.watchPathChange()` to get group names reactively. + +## Rendering and Layout Management + +FlowRouter does not handle rendering or layout management. For that, you can use: + + * [Blaze Layout for Blaze](https://github.com/kadirahq/blaze-layout) + * [React Layout for React](https://github.com/kadirahq/meteor-react-layout) + +Then you can invoke the layout manager inside the `action` method in the router. + +~~~js +FlowRouter.route('/blog/:postId', { + action: function(params) { + BlazeLayout.render("mainLayout", {area: "blog"}); + } +}); +~~~ + +## Triggers + +Triggers are the way FlowRouter allows you to perform tasks before you **enter** into a route and after you **exit** from a route. + +#### Defining triggers for a route + +Here's how you can define triggers for a route: + +~~~js +FlowRouter.route('/home', { + // calls just before the action + triggersEnter: [trackRouteEntry], + action: function() { + // do something you like + }, + // calls when we decide to move to another route + // but calls before the next route started + triggersExit: [trackRouteClose] +}); + +function trackRouteEntry(context) { + // context is the output of `FlowRouter.current()` + Mixpanel.track("visit-to-home", context.queryParams); +} + +function trackRouteClose(context) { + Mixpanel.track("move-from-home", context.queryParams); +} +~~~ + +#### Defining triggers for a group route + +This is how you can define triggers on a group definition. + +~~~js +var adminRoutes = FlowRouter.group({ + prefix: '/admin', + triggersEnter: [trackRouteEntry], + triggersExit: [trackRouteEntry] +}); +~~~ + +> You can add triggers to individual routes in the group too. + +#### Defining Triggers Globally + +You can also define triggers globally. Here's how to do it: + +~~~js +FlowRouter.triggers.enter([cb1, cb2]); +FlowRouter.triggers.exit([cb1, cb2]); + +// filtering +FlowRouter.triggers.enter([trackRouteEntry], {only: ["home"]}); +FlowRouter.triggers.exit([trackRouteExit], {except: ["home"]}); +~~~ + +As you can see from the last two examples, you can filter routes using the `only` or `except` keywords. But, you can't use both `only` and `except` at once. + +> If you'd like to learn more about triggers and design decisions, visit [here](https://github.com/meteorhacks/flow-router/pull/59). + +#### Redirecting With Triggers + +You can redirect to a different route using triggers. You can do it from both enter and exit triggers. See how to do it: + +~~~js +FlowRouter.route('/', { + triggersEnter: [function(context, redirect) { + redirect('/some-other-path'); + }], + action: function(_params) { + throw new Error("this should not get called"); + } +}); +~~~ + +Every trigger callback comes with a second argument: a function you can use to redirect to a different route. Redirect also has few properties to make sure it's not blocking the router. + +* redirect must be called with an URL +* redirect must be called within the same event loop cycle (no async or called inside a Tracker) +* redirect cannot be called multiple times + +Check this [PR](https://github.com/meteorhacks/flow-router/pull/172) to learn more about our redirect API. + +#### Stopping the Callback With Triggers + +In some cases, you may need to stop the route callback from firing using triggers. You can do this in **before** triggers, using the third argument: the `stop` function. For example, you can check the prefix and if it fails, show the notFound layout and stop before the action fires. + +```js +var localeGroup = FlowRouter.group({ + prefix: '/:locale?', + triggersEnter: [localeCheck] +}); + +localeGroup.route('/login', { + action: function (params, queryParams) { + BlazeLayout.render('componentLayout', {content: 'login'}); + } +}); + +function localeCheck(context, redirect, stop) { + var locale = context.params.locale; + + if (locale !== undefined && locale !== 'fr') { + BlazeLayout.render('notFound'); + stop(); + } +} +``` + +> **Note**: When using the stop function, you should always pass the second **redirect** argument, even if you won't use it. + +## Not Found Routes + +You can configure Not Found routes like this: + +~~~js +FlowRouter.notFound = { + // Subscriptions registered here don't have Fast Render support. + subscriptions: function() { + + }, + action: function() { + + } +}; +~~~ + +## API + +FlowRouter has a rich API to help you to navigate the router and reactively get information from the router. + +#### FlowRouter.getParam(paramName); + +Reactive function which you can use to get a parameter from the URL. + +~~~js +// route def: /apps/:appId +// url: /apps/this-is-my-app + +var appId = FlowRouter.getParam("appId"); +console.log(appId); // prints "this-is-my-app" +~~~ + +#### FlowRouter.getQueryParam(queryStringKey); + +Reactive function which you can use to get a value from the queryString. + +~~~js +// route def: /apps/:appId +// url: /apps/this-is-my-app?show=yes&color=red + +var color = FlowRouter.getQueryParam("color"); +console.log(color); // prints "red" +~~~ + +#### FlowRouter.path(pathDef, params, queryParams) + +Generate a path from a path definition. Both `params` and `queryParams` are optional. + +Special characters in `params` and `queryParams` will be URL encoded. + +~~~js +var pathDef = "/blog/:cat/:id"; +var params = {cat: "met eor", id: "abc"}; +var queryParams = {show: "y+e=s", color: "black"}; + +var path = FlowRouter.path(pathDef, params, queryParams); +console.log(path); // prints "/blog/met%20eor/abc?show=y%2Be%3Ds&color=black" +~~~ + +If there are no params or queryParams, this will simply return the pathDef as it is. + +##### Using Route name instead of the pathDef + +You can also use the route's name instead of the pathDef. Then, FlowRouter will pick the pathDef from the given route. See the following example: + +~~~js +FlowRouter.route("/blog/:cat/:id", { + name: "blogPostRoute", + action: function(params) { + //... + } +}) + +var params = {cat: "meteor", id: "abc"}; +var queryParams = {show: "yes", color: "black"}; + +var path = FlowRouter.path("blogPostRoute", params, queryParams); +console.log(path); // prints "/blog/meteor/abc?show=yes&color=black" +~~~ + +#### FlowRouter.go(pathDef, params, queryParams); + +This will get the path via `FlowRouter.path` based on the arguments and re-route to that path. + +You can call `FlowRouter.go` like this as well: + +~~~js +FlowRouter.go("/blog"); +~~~ + + +#### FlowRouter.url(pathDef, params, queryParams) + +Just like `FlowRouter.path`, but gives the absolute url. (Uses `Meteor.absoluteUrl` behind the scenes.) + +#### FlowRouter.setParams(newParams) + +This will change the current params with the newParams and re-route to the new path. + +~~~js +// route def: /apps/:appId +// url: /apps/this-is-my-app?show=yes&color=red + +FlowRouter.setParams({appId: "new-id"}); +// Then the user will be redirected to the following path +// /apps/new-id?show=yes&color=red +~~~ + +#### FlowRouter.setQueryParams(newQueryParams) + +Just like `FlowRouter.setParams`, but for queryString params. + +To remove a query param set it to `null` like below: + +~~~js +FlowRouter.setQueryParams({paramToRemove: null}); +~~~ + +#### FlowRouter.getRouteName() + +To get the name of the route reactively. + +~~~js +Tracker.autorun(function() { + var routeName = FlowRouter.getRouteName(); + console.log("Current route name is: ", routeName); +}); +~~~ + +#### FlowRouter.current() + +Get the current state of the router. **This API is not reactive**. +If you need to watch the changes in the path simply use `FlowRouter.watchPathChange()`. + +This gives an object like this: + +~~~js +// route def: /apps/:appId +// url: /apps/this-is-my-app?show=yes&color=red + +var current = FlowRouter.current(); +console.log(current); + +// prints following object +// { +// path: "/apps/this-is-my-app?show=yes&color=red", +// params: {appId: "this-is-my-app"}, +// queryParams: {show: "yes", color: "red"} +// route: {pathDef: "/apps/:appId", name: "name-of-the-route"} +// } +~~~ + +#### FlowRouter.watchPathChange() + +Reactively watch the changes in the path. If you need to simply get the params or queryParams use dedicated APIs like `FlowRouter.getQueryParam()`. + +~~~js +Tracker.autorun(function() { + FlowRouter.watchPathChange(); + var currentContext = FlowRouter.current(); + // do anything with the current context + // or anything you wish +}); +~~~ + +#### FlowRouter.withReplaceState(fn) +Normally, all the route changes made via APIs like `FlowRouter.go` and `FlowRouter.setParams()` add a URL item to the browser history. For example, run the following code: + +~~~js +FlowRouter.setParams({id: "the-id-1"}); +FlowRouter.setParams({id: "the-id-2"}); +FlowRouter.setParams({id: "the-id-3"}); +~~~ + +Now you can hit the back button of your browser two times. This is normal behavior since users may click the back button and expect to see the previous state of the app. + +But sometimes, this is not something you want. You don't need to pollute the browser history. Then, you can use the following syntax. + +~~~js +FlowRouter.withReplaceState(function() { + FlowRouter.setParams({id: "the-id-1"}); + FlowRouter.setParams({id: "the-id-2"}); + FlowRouter.setParams({id: "the-id-3"}); +}); +~~~ + +Now, there is no item in the browser history. Just like `FlowRouter.setParams`, you can use any FlowRouter API inside `FlowRouter.withReplaceState`. + +> We named this function as `withReplaceState` because, replaceState is the underline API used for this functionality. Read more about [replace state & the history API](https://developer.mozilla.org/en-US/docs/Web/Guide/API/DOM/Manipulating_the_browser_history). + +#### FlowRouter.reload() + +FlowRouter routes are idempotent. That means, even if you call `FlowRouter.go()` to the same URL multiple times, it only activates in the first run. This is also true for directly clicking on paths. + +So, if you really need to reload the route, this is the API you want. + +#### FlowRouter.wait() and FlowRouter.initialize() + +By default, FlowRouter initializes the routing process in a `Meteor.startup()` callback. This works for most of the apps. But, some apps have custom initializations and FlowRouter needs to initialize after that. + +So, that's where `FlowRouter.wait()` comes to save you. You need to call it directly inside your JavaScript file. After that, whenever your app is ready call `FlowRouter.initialize()`. + +eg:- + +~~~js +// file: app.js +FlowRouter.wait(); +WhenEverYourAppIsReady(function() { + FlowRouter.initialize(); +}); +~~~ + +For more information visit [issue #180](https://github.com/meteorhacks/flow-router/issues/180). + +#### FlowRouter.onRouteRegister(cb) + +This API is specially designed for add-on developers. They can listen for any registered route and add custom functionality to FlowRouter. This works on both server and client alike. + +~~~js +FlowRouter.onRouteRegister(function(route) { + // do anything with the route object + console.log(route); +}); +~~~ + +Let's say a user defined a route like this: + +~~~js +FlowRouter.route('/blog/:post', { + name: 'postList', + triggersEnter: [function() {}], + subscriptions: function() {}, + action: function() {}, + triggersExit: [function() {}], + customField: 'customName' +}); +~~~ + +Then the route object will be something like this: + +~~~js +{ + pathDef: '/blog/:post', + name: 'postList', + options: {customField: 'customName'} +} +~~~ + +So, it's not the internal route object we are using. + +## Subscription Management + +For Subscription Management, we highly suggest you to follow [Template/Component level subscriptions](https://kadira.io/academy/meteor-routing-guide/content/subscriptions-and-data-management). Visit this [guide](https://kadira.io/academy/meteor-routing-guide/content/subscriptions-and-data-management) for that. + +FlowRouter also has it's own subscription registration mechanism. We will remove this in version 3.0. We don't remove or deprecate it in version 2.x because this is the easiest way to implement FastRender support for your app. In 3.0 we've better support for FastRender with Server Side Rendering. + +FlowRouter only deals with registration of subscriptions. It does not wait until subscription becomes ready. This is how to register a subscription. + +~~~js +FlowRouter.route('/blog/:postId', { + subscriptions: function(params, queryParams) { + this.register('myPost', Meteor.subscribe('blogPost', params.postId)); + } +}); +~~~ + +We can also register global subscriptions like this: + +~~~js +FlowRouter.subscriptions = function() { + this.register('myCourses', Meteor.subscribe('courses')); +}; +~~~ + +All these global subscriptions run on every route. So, pay special attention to names when registering subscriptions. + +After you've registered your subscriptions, you can reactively check for the status of those subscriptions like this: + +~~~js +Tracker.autorun(function() { + console.log("Is myPost ready?:", FlowRouter.subsReady("myPost")); + console.log("Are all subscriptions ready?:", FlowRouter.subsReady()); +}); +~~~ + +So, you can use `FlowRouter.subsReady` inside template helpers to show the loading status and act accordingly. + +### FlowRouter.subsReady() with a callback + +Sometimes, we need to use `FlowRouter.subsReady()` in places where an autorun is not available. One such example is inside an event handler. For such places, we can use the callback API of `FlowRouter.subsReady()`. + +~~~js +Template.myTemplate.events({ + "click #id": function(){ + FlowRouter.subsReady("myPost", function() { + // do something + }); + } +}); +~~~ + +> Arunoda has discussed more about Subscription Management in FlowRouter in [this](https://meteorhacks.com/flow-router-and-subscription-management.html#subscription-management) blog post about [FlowRouter and Subscription Management](https://meteorhacks.com/flow-router-and-subscription-management.html). + +> He's showing how to build an app like this: + +>![FlowRouter's Subscription Management](https://cldup.com/esLzM8cjEL.gif) + +#### Fast Render +FlowRouter has built in support for [Fast Render](https://github.com/meteorhacks/fast-render). + +- `meteor add meteorhacks:fast-render` +- Put `router.js` in a shared location. We suggest `lib/router.js`. + +You can exclude Fast Render support by wrapping the subscription registration in an `isClient` block: + +~~~js +FlowRouter.route('/blog/:postId', { + subscriptions: function(params, queryParams) { + // using Fast Render + this.register('myPost', Meteor.subscribe('blogPost', params.postId)); + + // not using Fast Render + if(Meteor.isClient) { + this.register('data', Meteor.subscribe('bootstrap-data'); + } + } +}); +~~~ + +#### Subscription Caching + +You can also use [Subs Manager](https://github.com/meteorhacks/subs-manager) for caching subscriptions on the client. We haven't done anything special to make it work. It should work as it works with other routers. + +## IE9 Support + +FlowRouter has IE9 support. But it does not ship the **HTML5 history polyfill** out of the box. That's because most apps do not require it. + +If you need to support IE9, add the **HTML5 history polyfill** with the following package. + +~~~shell +meteor add tomwasd:history-polyfill +~~~ + +## Hashbang URLs + +To enable hashbang urls like `mydomain.com/#!/mypath` simple set the `hashbang` option to `true` in the initialize function: + +~~~js +// file: app.js +FlowRouter.wait(); +WhenEverYourAppIsReady(function() { + FlowRouter.initialize({hashbang: true}); +}); +~~~ + +## Prefixed paths + +In cases you wish to run multiple web application on the same domain name, you’ll probably want to serve your particular meteor application under a sub-path (eg `example.com/myapp`). In this case simply include the path prefix in the meteor `ROOT_URL` environment variable and FlowRouter will handle it transparently without any additional configuration. + +## Add-ons + +Router is a base package for an app. Other projects like [useraccounts](http://useraccounts.meteor.com/) should have support for FlowRouter. Otherwise, it's hard to use FlowRouter in a real project. Now a lot of packages have [started to support FlowRouter](https://kadira.io/blog/meteor/addon-packages-for-flowrouter). + +So, you can use your your favorite package with FlowRouter as well. If not, there is an [easy process](https://kadira.io/blog/meteor/addon-packages-for-flowrouter#what-if-project-xxx-still-doesn-t-support-flowrouter-) to convert them to FlowRouter. + +**Add-on API** + +We have also released a [new API](https://github.com/kadirahq/flow-router#flowrouteronrouteregistercb) to support add-on developers. With that add-on packages can get a notification, when the user created a route in their app. + +If you've more ideas for the add-on API, [let us know](https://github.com/kadirahq/flow-router/issues). + +## Difference with Iron Router + +FlowRouter and Iron Router are two different routers. Iron Router tries to be a full featured solution. It tries to do everything including routing, subscriptions, rendering and layout management. + +FlowRouter is a minimalistic solution focused on routing with UI performance in mind. It exposes APIs for related functionality. + +Let's learn more about the differences: + +### Rendering + +FlowRouter doesn't handle rendering. By decoupling rendering from the router it's possible to use any rendering framework, such as [Blaze Layout](https://github.com/kadirahq/blaze-layout) to render with Blaze's Dynamic Templates. Rendering calls are made in the the route's action. We have a layout manager for [React](https://github.com/kadirahq/meteor-react-layout) as well. + +### Subscriptions + +With FlowRouter, we highly suggest using template/component layer subscriptions. But, if you need to do routing in the router layer, FlowRouter has [subscription registration](#subscription-management) mechanism. Even with that, FlowRouter never waits for the subscriptions and view layer to do it. + +### Reactive Content + +In Iron Router you can use reactive content inside the router, but any hook or method can re-run in an unpredictable manner. FlowRouter limits reactive data sources to a single run; when it is first called. + +We think that's the way to go. Router is just a user action. We can work with reactive content in the rendering layer. + +### router.current() is evil + +`Router.current()` is evil. Why? Let's look at following example. Imagine we have a route like this in our app: + +~~~ +/apps/:appId/:section +~~~ + +Now let's say, we need to get `appId` from the URL. Then we will do, something like this in Iron Router. + +~~~js +Templates['foo'].helpers({ + "someData": function() { + var appId = Router.current().params.appId; + return doSomething(appId); + } +}); +~~~ + +Let's say we changed `:section` in the route. Then the above helper also gets rerun. If we add a query param to the URL, it gets rerun. That's because `Router.current()` looks for changes in the route(or URL). But in any of above cases, `appId` didn't get changed. + +Because of this, a lot parts of our app get re-run and re-rendered. This creates unpredictable rendering behavior in our app. + +FlowRouter fixes this issue by providing the `Router.getParam()` API. See how to use it: + +~~~js +Templates['foo'].helpers({ + "someData": function() { + var appId = FlowRouter.getParam('appId'); + return doSomething(appId); + } +}); +~~~ + +### No data context + +FlowRouter does not have a data context. Data context has the same problem as reactive `.current()`. We believe, it'll possible to get data directly in the template (component) layer. + +### Built in Fast Render Support + +FlowRouter has built in [Fast Render](https://github.com/meteorhacks/fast-render) support. Just add Fast Render to your app and it'll work. Nothing to change in the router. + +For more information check [docs](#fast-render). + +### Server Side Routing + +FlowRouter is a client side router and it **does not** support server side routing at all. But `subscriptions` run on the server to enable Fast Render support. + +#### Reason behind that + +Meteor is not a traditional framework where you can send HTML directly from the server. Meteor needs to send a special set of HTML to the client initially. So, you can't directly send something to the client yourself. + +Also, in the server we need look for different things compared with the client. For example: + +* In the server we have to deal with headers. +* In the server we have to deal with methods like `GET`, `POST`, etc. +* In the server we have Cookies. + +So, it's better to use a dedicated server-side router like [`meteorhacks:picker`](https://github.com/meteorhacks/picker). It supports connect and express middlewares and has a very easy to use route syntax. + +### Server Side Rendering + +FlowRouter 3.0 will have server side rendering support. We've already started the initial version and check our [`ssr`](https://github.com/meteorhacks/flow-router/tree/ssr) branch for that. + +It's currently very usable and Kadira already using it for + +### Better Initial Loading Support + +In Meteor, we have to wait until all the JS and other resources send before rendering anything. This is an issue. In 3.0, with the support from Server Side Rendering we are going to fix it. + +## Migrating into 2.0 + +Migrating into version 2.0 is easy and you don't need to change any application code since you are already using 2.0 features and the APIs. In 2.0, we've changed names and removed some deprecated APIs. + +Here are the steps to migrate your app into 2.0. + +#### Use the New FlowRouter Package +* Now FlowRouter comes as `kadira:flow-router` +* So, remove `meteorhacks:flow-router` with : `meteor remove meteorhacks:flow-router` +* Then, add `kadira:flow-router` with `meteor add kadira:flow-router` + +#### Change FlowLayout into BlazeLayout +* We've also renamed FlowLayout as [BlazeLayout](https://github.com/kadirahq/blaze-layout). +* So, remove `meteorhacks:flow-layout` and add `kadira:blaze-layout` instead. +* You need to use `BlazeLayout.render()` instead of `FlowLayout.render()` + +#### Stop using deprecated Apis +* There is no middleware support. Use triggers instead. +* There is no API called `.reactiveCurrent()`, use `.watchPathChange()` instead. +* Earlier, you can access query params with `FlowRouter.current().params.query`. But, now you can't do that. Use `FlowRouter.current().queryParams` instead. diff --git a/packages/kadira-flow-router/client/_init.js b/packages/kadira-flow-router/client/_init.js new file mode 100644 index 00000000..a18fdc89 --- /dev/null +++ b/packages/kadira-flow-router/client/_init.js @@ -0,0 +1,11 @@ +// Export Router Instance +FlowRouter = new Router(); +FlowRouter.Router = Router; +FlowRouter.Route = Route; + +// Initialize FlowRouter +Meteor.startup(function () { + if(!FlowRouter._askedToWait) { + FlowRouter.initialize(); + } +}); diff --git a/packages/kadira-flow-router/client/group.js b/packages/kadira-flow-router/client/group.js new file mode 100644 index 00000000..b93296bc --- /dev/null +++ b/packages/kadira-flow-router/client/group.js @@ -0,0 +1,57 @@ +Group = function(router, options, parent) { + options = options || {}; + + if (options.prefix && !/^\/.*/.test(options.prefix)) { + var message = "group's prefix must start with '/'"; + throw new Error(message); + } + + this._router = router; + this.prefix = options.prefix || ''; + this.name = options.name; + this.options = options; + + this._triggersEnter = options.triggersEnter || []; + this._triggersExit = options.triggersExit || []; + this._subscriptions = options.subscriptions || Function.prototype; + + this.parent = parent; + if (this.parent) { + this.prefix = parent.prefix + this.prefix; + + this._triggersEnter = parent._triggersEnter.concat(this._triggersEnter); + this._triggersExit = this._triggersExit.concat(parent._triggersExit); + } +}; + +Group.prototype.route = function(pathDef, options, group) { + options = options || {}; + + if (!/^\/.*/.test(pathDef)) { + var message = "route's path must start with '/'"; + throw new Error(message); + } + + group = group || this; + pathDef = this.prefix + pathDef; + + var triggersEnter = options.triggersEnter || []; + options.triggersEnter = this._triggersEnter.concat(triggersEnter); + + var triggersExit = options.triggersExit || []; + options.triggersExit = triggersExit.concat(this._triggersExit); + + return this._router.route(pathDef, options, group); +}; + +Group.prototype.group = function(options) { + return new Group(this._router, options, this); +}; + +Group.prototype.callSubscriptions = function(current) { + if (this.parent) { + this.parent.callSubscriptions(current); + } + + this._subscriptions.call(current.route, current.params, current.queryParams); +}; diff --git a/packages/kadira-flow-router/client/modules.js b/packages/kadira-flow-router/client/modules.js new file mode 100644 index 00000000..7b734f44 --- /dev/null +++ b/packages/kadira-flow-router/client/modules.js @@ -0,0 +1,2 @@ +page = require('page'); +qs = require('qs'); diff --git a/packages/kadira-flow-router/client/route.js b/packages/kadira-flow-router/client/route.js new file mode 100644 index 00000000..b82e9721 --- /dev/null +++ b/packages/kadira-flow-router/client/route.js @@ -0,0 +1,125 @@ +Route = function(router, pathDef, options, group) { + options = options || {}; + + this.options = options; + this.pathDef = pathDef + + // Route.path is deprecated and will be removed in 3.0 + this.path = pathDef; + + if (options.name) { + this.name = options.name; + } + + this._action = options.action || Function.prototype; + this._subscriptions = options.subscriptions || Function.prototype; + this._triggersEnter = options.triggersEnter || []; + this._triggersExit = options.triggersExit || []; + this._subsMap = {}; + this._router = router; + + this._params = new ReactiveDict(); + this._queryParams = new ReactiveDict(); + this._routeCloseDep = new Tracker.Dependency(); + + // tracks the changes in the URL + this._pathChangeDep = new Tracker.Dependency(); + + this.group = group; +}; + +Route.prototype.clearSubscriptions = function() { + this._subsMap = {}; +}; + +Route.prototype.register = function(name, sub, options) { + this._subsMap[name] = sub; +}; + + +Route.prototype.getSubscription = function(name) { + return this._subsMap[name]; +}; + + +Route.prototype.getAllSubscriptions = function() { + return this._subsMap; +}; + +Route.prototype.callAction = function(current) { + var self = this; + self._action(current.params, current.queryParams); +}; + +Route.prototype.callSubscriptions = function(current) { + this.clearSubscriptions(); + if (this.group) { + this.group.callSubscriptions(current); + } + + this._subscriptions(current.params, current.queryParams); +}; + +Route.prototype.getRouteName = function() { + this._routeCloseDep.depend(); + return this.name; +}; + +Route.prototype.getParam = function(key) { + this._routeCloseDep.depend(); + return this._params.get(key); +}; + +Route.prototype.getQueryParam = function(key) { + this._routeCloseDep.depend(); + return this._queryParams.get(key); +}; + +Route.prototype.watchPathChange = function() { + this._pathChangeDep.depend(); +}; + +Route.prototype.registerRouteClose = function() { + this._params = new ReactiveDict(); + this._queryParams = new ReactiveDict(); + this._routeCloseDep.changed(); + this._pathChangeDep.changed(); +}; + +Route.prototype.registerRouteChange = function(currentContext, routeChanging) { + // register params + var params = currentContext.params; + this._updateReactiveDict(this._params, params); + + // register query params + var queryParams = currentContext.queryParams; + this._updateReactiveDict(this._queryParams, queryParams); + + // if the route is changing, we need to defer triggering path changing + // if we did this, old route's path watchers will detect this + // Real issue is, above watcher will get removed with the new route + // So, we don't need to trigger it now + // We are doing it on the route close event. So, if they exists they'll + // get notify that + if(!routeChanging) { + this._pathChangeDep.changed(); + } +}; + +Route.prototype._updateReactiveDict = function(dict, newValues) { + var currentKeys = _.keys(newValues); + var oldKeys = _.keys(dict.keyDeps); + + // set new values + // params is an array. So, _.each(params) does not works + // to iterate params + _.each(currentKeys, function(key) { + dict.set(key, newValues[key]); + }); + + // remove keys which does not exisits here + var removedKeys = _.difference(oldKeys, currentKeys); + _.each(removedKeys, function(key) { + dict.set(key, undefined); + }); +}; diff --git a/packages/kadira-flow-router/client/router.js b/packages/kadira-flow-router/client/router.js new file mode 100644 index 00000000..ae91751f --- /dev/null +++ b/packages/kadira-flow-router/client/router.js @@ -0,0 +1,587 @@ +Router = function () { + var self = this; + this.globals = []; + this.subscriptions = Function.prototype; + + this._tracker = this._buildTracker(); + this._current = {}; + + // tracks the current path change + this._onEveryPath = new Tracker.Dependency(); + + this._globalRoute = new Route(this); + + // holds onRoute callbacks + this._onRouteCallbacks = []; + + // if _askedToWait is true. We don't automatically start the router + // in Meteor.startup callback. (see client/_init.js) + // Instead user need to call `.initialize() + this._askedToWait = false; + this._initialized = false; + this._triggersEnter = []; + this._triggersExit = []; + this._routes = []; + this._routesMap = {}; + this._updateCallbacks(); + this.notFound = this.notfound = null; + // indicate it's okay (or not okay) to run the tracker + // when doing subscriptions + // using a number and increment it help us to support FlowRouter.go() + // and legitimate reruns inside tracker on the same event loop. + // this is a solution for #145 + this.safeToRun = 0; + + // Meteor exposes to the client the path prefix that was defined using the + // ROOT_URL environement variable on the server using the global runtime + // configuration. See #315. + this._basePath = __meteor_runtime_config__.ROOT_URL_PATH_PREFIX || ''; + + // this is a chain contains a list of old routes + // most of the time, there is only one old route + // but when it's the time for a trigger redirect we've a chain + this._oldRouteChain = []; + + this.env = { + replaceState: new Meteor.EnvironmentVariable(), + reload: new Meteor.EnvironmentVariable(), + trailingSlash: new Meteor.EnvironmentVariable() + }; + + // redirect function used inside triggers + this._redirectFn = function(pathDef, fields, queryParams) { + if (/^http(s)?:\/\//.test(pathDef)) { + var message = "Redirects to URLs outside of the app are not supported in this version of Flow Router. Use 'window.location = yourUrl' instead"; + throw new Error(message); + } + self.withReplaceState(function() { + var path = FlowRouter.path(pathDef, fields, queryParams); + self._page.redirect(path); + }); + }; + this._initTriggersAPI(); +}; + +Router.prototype.route = function(pathDef, options, group) { + if (!/^\/.*/.test(pathDef)) { + var message = "route's path must start with '/'"; + throw new Error(message); + } + + options = options || {}; + var self = this; + var route = new Route(this, pathDef, options, group); + + // calls when the page route being activates + route._actionHandle = function (context, next) { + var oldRoute = self._current.route; + self._oldRouteChain.push(oldRoute); + + var queryParams = self._qs.parse(context.querystring); + // _qs.parse() gives us a object without prototypes, + // created with Object.create(null) + // Meteor's check doesn't play nice with it. + // So, we need to fix it by cloning it. + // see more: https://github.com/meteorhacks/flow-router/issues/164 + queryParams = JSON.parse(JSON.stringify(queryParams)); + + self._current = { + path: context.path, + context: context, + params: context.params, + queryParams: queryParams, + route: route, + oldRoute: oldRoute + }; + + // we need to invalidate if all the triggers have been completed + // if not that means, we've been redirected to another path + // then we don't need to invalidate + var afterAllTriggersRan = function() { + self._invalidateTracker(); + }; + + var triggers = self._triggersEnter.concat(route._triggersEnter); + Triggers.runTriggers( + triggers, + self._current, + self._redirectFn, + afterAllTriggersRan + ); + }; + + // calls when you exit from the page js route + route._exitHandle = function(context, next) { + var triggers = self._triggersExit.concat(route._triggersExit); + Triggers.runTriggers( + triggers, + self._current, + self._redirectFn, + next + ); + }; + + this._routes.push(route); + if (options.name) { + this._routesMap[options.name] = route; + } + + this._updateCallbacks(); + this._triggerRouteRegister(route); + + return route; +}; + +Router.prototype.group = function(options) { + return new Group(this, options); +}; + +Router.prototype.path = function(pathDef, fields, queryParams) { + if (this._routesMap[pathDef]) { + pathDef = this._routesMap[pathDef].pathDef; + } + + var path = ""; + + // Prefix the path with the router global prefix + if (this._basePath) { + path += "/" + this._basePath + "/"; + } + + fields = fields || {}; + var regExp = /(:[\w\(\)\\\+\*\.\?]+)+/g; + path += pathDef.replace(regExp, function(key) { + var firstRegexpChar = key.indexOf("("); + // get the content behind : and (\\d+/) + key = key.substring(1, (firstRegexpChar > 0)? firstRegexpChar: undefined); + // remove +?* + key = key.replace(/[\+\*\?]+/g, ""); + + // this is to allow page js to keep the custom characters as it is + // we need to encode 2 times otherwise "/" char does not work properly + // So, in that case, when I includes "/" it will think it's a part of the + // route. encoding 2times fixes it + return encodeURIComponent(encodeURIComponent(fields[key] || "")); + }); + + // Replace multiple slashes with single slash + path = path.replace(/\/\/+/g, "/"); + + // remove trailing slash + // but keep the root slash if it's the only one + path = path.match(/^\/{1}$/) ? path: path.replace(/\/$/, ""); + + // explictly asked to add a trailing slash + if(this.env.trailingSlash.get() && _.last(path) !== "/") { + path += "/"; + } + + var strQueryParams = this._qs.stringify(queryParams || {}); + if(strQueryParams) { + path += "?" + strQueryParams; + } + + return path; +}; + +Router.prototype.go = function(pathDef, fields, queryParams) { + var path = this.path(pathDef, fields, queryParams); + + var useReplaceState = this.env.replaceState.get(); + if(useReplaceState) { + this._page.replace(path); + } else { + this._page(path); + } +}; + +Router.prototype.reload = function() { + var self = this; + + self.env.reload.withValue(true, function() { + self._page.replace(self._current.path); + }); +}; + +Router.prototype.redirect = function(path) { + this._page.redirect(path); +}; + +Router.prototype.setParams = function(newParams) { + if(!this._current.route) {return false;} + + var pathDef = this._current.route.pathDef; + var existingParams = this._current.params; + var params = {}; + _.each(_.keys(existingParams), function(key) { + params[key] = existingParams[key]; + }); + + params = _.extend(params, newParams); + var queryParams = this._current.queryParams; + + this.go(pathDef, params, queryParams); + return true; +}; + +Router.prototype.setQueryParams = function(newParams) { + if(!this._current.route) {return false;} + + var queryParams = _.clone(this._current.queryParams); + _.extend(queryParams, newParams); + + for (var k in queryParams) { + if (queryParams[k] === null || queryParams[k] === undefined) { + delete queryParams[k]; + } + } + + var pathDef = this._current.route.pathDef; + var params = this._current.params; + this.go(pathDef, params, queryParams); + return true; +}; + +// .current is not reactive +// This is by design. use .getParam() instead +// If you really need to watch the path change, use .watchPathChange() +Router.prototype.current = function() { + // We can't trust outside, that's why we clone this + // Anyway, we can't clone the whole object since it has non-jsonable values + // That's why we clone what's really needed. + var current = _.clone(this._current); + current.queryParams = EJSON.clone(current.queryParams); + current.params = EJSON.clone(current.params); + return current; +}; + +// Implementing Reactive APIs +var reactiveApis = [ + 'getParam', 'getQueryParam', + 'getRouteName', 'watchPathChange' +]; +reactiveApis.forEach(function(api) { + Router.prototype[api] = function(arg1) { + // when this is calling, there may not be any route initiated + // so we need to handle it + var currentRoute = this._current.route; + if(!currentRoute) { + this._onEveryPath.depend(); + return; + } + + // currently, there is only one argument. If we've more let's add more args + // this is not clean code, but better in performance + return currentRoute[api].call(currentRoute, arg1); + }; +}); + +Router.prototype.subsReady = function() { + var callback = null; + var args = _.toArray(arguments); + + if (typeof _.last(args) === "function") { + callback = args.pop(); + } + + var currentRoute = this.current().route; + var globalRoute = this._globalRoute; + + // we need to depend for every route change and + // rerun subscriptions to check the ready state + this._onEveryPath.depend(); + + if(!currentRoute) { + return false; + } + + var subscriptions; + if(args.length === 0) { + subscriptions = _.values(globalRoute.getAllSubscriptions()); + subscriptions = subscriptions.concat(_.values(currentRoute.getAllSubscriptions())); + } else { + subscriptions = _.map(args, function(subName) { + return globalRoute.getSubscription(subName) || currentRoute.getSubscription(subName); + }); + } + + var isReady = function() { + var ready = _.every(subscriptions, function(sub) { + return sub && sub.ready(); + }); + + return ready; + }; + + if (callback) { + Tracker.autorun(function(c) { + if (isReady()) { + callback(); + c.stop(); + } + }); + } else { + return isReady(); + } +}; + +Router.prototype.withReplaceState = function(fn) { + return this.env.replaceState.withValue(true, fn); +}; + +Router.prototype.withTrailingSlash = function(fn) { + return this.env.trailingSlash.withValue(true, fn); +}; + +Router.prototype._notfoundRoute = function(context) { + this._current = { + path: context.path, + context: context, + params: [], + queryParams: {}, + }; + + // XXX this.notfound kept for backwards compatibility + this.notFound = this.notFound || this.notfound; + if(!this.notFound) { + console.error("There is no route for the path:", context.path); + return; + } + + this._current.route = new Route(this, "*", this.notFound); + this._invalidateTracker(); +}; + +Router.prototype.initialize = function(options) { + options = options || {}; + + if(this._initialized) { + throw new Error("FlowRouter is already initialized"); + } + + var self = this; + this._updateCallbacks(); + + // Implementing idempotent routing + // by overriding page.js`s "show" method. + // Why? + // It is impossible to bypass exit triggers, + // because they execute before the handler and + // can not know what the next path is, inside exit trigger. + // + // we need override both show, replace to make this work + // since we use redirect when we are talking about withReplaceState + _.each(['show', 'replace'], function(fnName) { + var original = self._page[fnName]; + self._page[fnName] = function(path, state, dispatch, push) { + var reload = self.env.reload.get(); + if (!reload && self._current.path === path) { + return; + } + + original.call(this, path, state, dispatch, push); + }; + }); + + // this is very ugly part of pagejs and it does decoding few times + // in unpredicatable manner. See #168 + // this is the default behaviour and we need keep it like that + // we are doing a hack. see .path() + this._page.base(this._basePath); + this._page({ + decodeURLComponents: true, + hashbang: !!options.hashbang + }); + + this._initialized = true; +}; + +Router.prototype._buildTracker = function() { + var self = this; + + // main autorun function + var tracker = Tracker.autorun(function () { + if(!self._current || !self._current.route) { + return; + } + + // see the definition of `this._processingContexts` + var currentContext = self._current; + var route = currentContext.route; + var path = currentContext.path; + + if(self.safeToRun === 0) { + var message = + "You can't use reactive data sources like Session" + + " inside the `.subscriptions` method!"; + throw new Error(message); + } + + // We need to run subscriptions inside a Tracker + // to stop subs when switching between routes + // But we don't need to run this tracker with + // other reactive changes inside the .subscription method + // We tackle this with the `safeToRun` variable + self._globalRoute.clearSubscriptions(); + self.subscriptions.call(self._globalRoute, path); + route.callSubscriptions(currentContext); + + // otherwise, computations inside action will trigger to re-run + // this computation. which we do not need. + Tracker.nonreactive(function() { + var isRouteChange = currentContext.oldRoute !== currentContext.route; + var isFirstRoute = !currentContext.oldRoute; + // first route is not a route change + if(isFirstRoute) { + isRouteChange = false; + } + + // Clear oldRouteChain just before calling the action + // We still need to get a copy of the oldestRoute first + // It's very important to get the oldest route and registerRouteClose() it + // See: https://github.com/kadirahq/flow-router/issues/314 + var oldestRoute = self._oldRouteChain[0]; + self._oldRouteChain = []; + + currentContext.route.registerRouteChange(currentContext, isRouteChange); + route.callAction(currentContext); + + Tracker.afterFlush(function() { + self._onEveryPath.changed(); + if(isRouteChange) { + // We need to trigger that route (definition itself) has changed. + // So, we need to re-run all the register callbacks to current route + // This is pretty important, otherwise tracker + // can't identify new route's items + + // We also need to afterFlush, otherwise this will re-run + // helpers on templates which are marked for destroying + if(oldestRoute) { + oldestRoute.registerRouteClose(); + } + } + }); + }); + + self.safeToRun--; + }); + + return tracker; +}; + +Router.prototype._invalidateTracker = function() { + var self = this; + this.safeToRun++; + this._tracker.invalidate(); + // After the invalidation we need to flush to make changes imediately + // otherwise, we have face some issues context mix-maches and so on. + // But there are some cases we can't flush. So we need to ready for that. + + // we clearly know, we can't flush inside an autorun + // this may leads some issues on flow-routing + // we may need to do some warning + if(!Tracker.currentComputation) { + // Still there are some cases where we can't flush + // eg:- when there is a flush currently + // But we've no public API or hacks to get that state + // So, this is the only solution + try { + Tracker.flush(); + } catch(ex) { + // only handling "while flushing" errors + if(!/Tracker\.flush while flushing/.test(ex.message)) { + return; + } + + // XXX: fix this with a proper solution by removing subscription mgt. + // from the router. Then we don't need to run invalidate using a tracker + + // this happens when we are trying to invoke a route change + // with inside a route chnage. (eg:- Template.onCreated) + // Since we use page.js and tracker, we don't have much control + // over this process. + // only solution is to defer route execution. + + // It's possible to have more than one path want to defer + // But, we only need to pick the last one. + // self._nextPath = self._current.path; + Meteor.defer(function() { + var path = self._nextPath; + if(!path) { + return; + } + + delete self._nextPath; + self.env.reload.withValue(true, function() { + self.go(path); + }); + }); + } + } +}; + +Router.prototype._updateCallbacks = function () { + var self = this; + + self._page.callbacks = []; + self._page.exits = []; + + _.each(self._routes, function(route) { + self._page(route.pathDef, route._actionHandle); + self._page.exit(route.pathDef, route._exitHandle); + }); + + self._page("*", function(context) { + self._notfoundRoute(context); + }); +}; + +Router.prototype._initTriggersAPI = function() { + var self = this; + this.triggers = { + enter: function(triggers, filter) { + triggers = Triggers.applyFilters(triggers, filter); + if(triggers.length) { + self._triggersEnter = self._triggersEnter.concat(triggers); + } + }, + + exit: function(triggers, filter) { + triggers = Triggers.applyFilters(triggers, filter); + if(triggers.length) { + self._triggersExit = self._triggersExit.concat(triggers); + } + } + }; +}; + +Router.prototype.wait = function() { + if(this._initialized) { + throw new Error("can't wait after FlowRouter has been initialized"); + } + + this._askedToWait = true; +}; + +Router.prototype.onRouteRegister = function(cb) { + this._onRouteCallbacks.push(cb); +}; + +Router.prototype._triggerRouteRegister = function(currentRoute) { + // We should only need to send a safe set of fields on the route + // object. + // This is not to hide what's inside the route object, but to show + // these are the public APIs + var routePublicApi = _.pick(currentRoute, 'name', 'pathDef', 'path'); + var omittingOptionFields = [ + 'triggersEnter', 'triggersExit', 'action', 'subscriptions', 'name' + ]; + routePublicApi.options = _.omit(currentRoute.options, omittingOptionFields); + + _.each(this._onRouteCallbacks, function(cb) { + cb(routePublicApi); + }); +}; + +Router.prototype._page = page; +Router.prototype._qs = qs; diff --git a/packages/kadira-flow-router/client/triggers.js b/packages/kadira-flow-router/client/triggers.js new file mode 100644 index 00000000..7733332c --- /dev/null +++ b/packages/kadira-flow-router/client/triggers.js @@ -0,0 +1,112 @@ +// a set of utility functions for triggers + +Triggers = {}; + +// Apply filters for a set of triggers +// @triggers - a set of triggers +// @filter - filter with array fileds with `only` and `except` +// support only either `only` or `except`, but not both +Triggers.applyFilters = function(triggers, filter) { + if(!(triggers instanceof Array)) { + triggers = [triggers]; + } + + if(!filter) { + return triggers; + } + + if(filter.only && filter.except) { + throw new Error("Triggers don't support only and except filters at once"); + } + + if(filter.only && !(filter.only instanceof Array)) { + throw new Error("only filters needs to be an array"); + } + + if(filter.except && !(filter.except instanceof Array)) { + throw new Error("except filters needs to be an array"); + } + + if(filter.only) { + return Triggers.createRouteBoundTriggers(triggers, filter.only); + } + + if(filter.except) { + return Triggers.createRouteBoundTriggers(triggers, filter.except, true); + } + + throw new Error("Provided a filter but not supported"); +}; + +// create triggers by bounding them to a set of route names +// @triggers - a set of triggers +// @names - list of route names to be bound (trigger runs only for these names) +// @negate - negate the result (triggers won't run for above names) +Triggers.createRouteBoundTriggers = function(triggers, names, negate) { + var namesMap = {}; + _.each(names, function(name) { + namesMap[name] = true; + }); + + var filteredTriggers = _.map(triggers, function(originalTrigger) { + var modifiedTrigger = function(context, next) { + var routeName = context.route.name; + var matched = (namesMap[routeName])? 1: -1; + matched = (negate)? matched * -1 : matched; + + if(matched === 1) { + originalTrigger(context, next); + } + }; + return modifiedTrigger; + }); + + return filteredTriggers; +}; + +// run triggers and abort if redirected or callback stopped +// @triggers - a set of triggers +// @context - context we need to pass (it must have the route) +// @redirectFn - function which used to redirect +// @after - called after if only all the triggers runs +Triggers.runTriggers = function(triggers, context, redirectFn, after) { + var abort = false; + var inCurrentLoop = true; + var alreadyRedirected = false; + + for(var lc=0; lc 0)? firstRegexpChar: undefined); + // remove +?* + key = key.replace(/[\+\*\?]+/g, ""); + + return fields[key] || ""; + }); + + path = path.replace(/\/\/+/g, "/"); // Replace multiple slashes with single slash + + // remove trailing slash + // but keep the root slash if it's the only one + path = path.match(/^\/{1}$/) ? path: path.replace(/\/$/, ""); + + var strQueryParams = Qs.stringify(queryParams || {}); + if(strQueryParams) { + path += "?" + strQueryParams; + } + + return path; +}; + +Router.prototype.onRouteRegister = function(cb) { + this._onRouteCallbacks.push(cb); +}; + +Router.prototype._triggerRouteRegister = function(currentRoute) { + // We should only need to send a safe set of fields on the route + // object. + // This is not to hide what's inside the route object, but to show + // these are the public APIs + var routePublicApi = _.pick(currentRoute, 'name', 'pathDef', 'path'); + var omittingOptionFields = [ + 'triggersEnter', 'triggersExit', 'action', 'subscriptions', 'name' + ]; + routePublicApi.options = _.omit(currentRoute.options, omittingOptionFields); + + _.each(this._onRouteCallbacks, function(cb) { + cb(routePublicApi); + }); +}; + + +Router.prototype.go = function() { + // client only +}; + + +Router.prototype.current = function() { + // client only +}; + + +Router.prototype.triggers = { + enter: function() { + // client only + }, + exit: function() { + // client only + } +}; + +Router.prototype.middleware = function() { + // client only +}; + + +Router.prototype.getState = function() { + // client only +}; + + +Router.prototype.getAllStates = function() { + // client only +}; + + +Router.prototype.setState = function() { + // client only +}; + + +Router.prototype.removeState = function() { + // client only +}; + + +Router.prototype.clearStates = function() { + // client only +}; + + +Router.prototype.ready = function() { + // client only +}; + + +Router.prototype.initialize = function() { + // client only +}; + +Router.prototype.wait = function() { + // client only +}; diff --git a/packages/kadira-flow-router/test/client/_helpers.js b/packages/kadira-flow-router/test/client/_helpers.js new file mode 100644 index 00000000..94376f00 --- /dev/null +++ b/packages/kadira-flow-router/test/client/_helpers.js @@ -0,0 +1,10 @@ +GetSub = function (name) { + for(var id in Meteor.connection._subscriptions) { + var sub = Meteor.connection._subscriptions[id]; + if(name === sub.name) { + return sub; + } + } +}; + +FlowRouter.route('/'); diff --git a/packages/kadira-flow-router/test/client/group.spec.js b/packages/kadira-flow-router/test/client/group.spec.js new file mode 100644 index 00000000..06e793ba --- /dev/null +++ b/packages/kadira-flow-router/test/client/group.spec.js @@ -0,0 +1,113 @@ +Tinytest.add('Client - Group - validate path definition', function (test, next) { + // path & prefix must start with '/' + test.throws(function() { + new Group(null, {prefix: Random.id()}); + }); + + var group = FlowRouter.group({prefix: '/' + Random.id()}); + + test.throws(function() { + group.route(Random.id()); + }); +}); + +Tinytest.addAsync('Client - Group - define and go to route with prefix', function (test, next) { + var prefix = Random.id(); + var rand = Random.id(); + var rendered = 0; + + var group = FlowRouter.group({prefix: '/' + prefix}); + + group.route('/' + rand, { + action: function(_params) { + rendered++; + } + }); + + FlowRouter.go('/' + prefix + '/' + rand); + + setTimeout(function() { + test.equal(rendered, 1); + setTimeout(next, 100); + }, 100); +}); + +Tinytest.addAsync('Client - Group - define and go to route without prefix', function (test, next) { + var rand = Random.id(); + var rendered = 0; + + var group = FlowRouter.group(); + + group.route('/' + rand, { + action: function(_params) { + rendered++; + } + }); + + FlowRouter.go('/' + rand); + + setTimeout(function() { + test.equal(rendered, 1); + setTimeout(next, 100); + }, 100); +}); + +Tinytest.addAsync('Client - Group - subscribe', function (test, next) { + var rand = Random.id(); + + var group = FlowRouter.group({ + subscriptions: function (params) { + this.register('baz', Meteor.subscribe('baz')); + } + }); + + group.route('/' + rand); + + FlowRouter.go('/' + rand); + setTimeout(function() { + test.isTrue(!!GetSub('baz')); + next(); + }, 100); +}); + + +Tinytest.addAsync('Client - Group - set and retrieve group name', function (test, next) { + var rand = Random.id(); + var name = Random.id(); + + var group = FlowRouter.group({ + name: name + }); + + group.route('/' + rand); + + FlowRouter.go('/' + rand); + setTimeout(function() { + test.isTrue(FlowRouter.current().route.group.name === name); + next(); + }, 100); +}); + +Tinytest.add('Client - Group - expose group options on a route', function (test) { + var pathDef = "/" + Random.id(); + var name = Random.id(); + var groupName = Random.id(); + var data = {aa: 10}; + var layout = 'blah'; + + var group = FlowRouter.group({ + name: groupName, + prefix: '/admin', + layout: layout, + someData: data + }); + + group.route(pathDef, { + name: name + }); + + var route = FlowRouter._routesMap[name]; + + test.equal(route.group.options.someData, data); + test.equal(route.group.options.layout, layout); +}); diff --git a/packages/kadira-flow-router/test/client/loader.spec.js b/packages/kadira-flow-router/test/client/loader.spec.js new file mode 100644 index 00000000..091c2e02 --- /dev/null +++ b/packages/kadira-flow-router/test/client/loader.spec.js @@ -0,0 +1,17 @@ +Router = FlowRouter.Router; + + +Tinytest.add('Client - import page.js', function (test) { + test.isTrue(!!Router.prototype._page); + test.isFalse(!!window.page); +}); + + +Tinytest.add('Client - import query.js', function (test) { + test.isTrue(!!Router.prototype._qs); +}); + + +Tinytest.add('Client - create FlowRouter', function (test) { + test.isTrue(!!FlowRouter); +}); diff --git a/packages/kadira-flow-router/test/client/route.reactivity.spec.js b/packages/kadira-flow-router/test/client/route.reactivity.spec.js new file mode 100644 index 00000000..c6c44183 --- /dev/null +++ b/packages/kadira-flow-router/test/client/route.reactivity.spec.js @@ -0,0 +1,158 @@ +Route = FlowRouter.Route; + + +Tinytest.addAsync('Client - Route - Reactivity - getParam', function (test, done) { + var r = new Route(); + Tracker.autorun(function(c) { + var param = r.getParam("id"); + if(param) { + test.equal(param, "hello"); + c.stop(); + Meteor.defer(done); + } + }); + + setTimeout(function() { + var context = { + params: {id: "hello"}, + queryParams: {} + }; + r.registerRouteChange(context); + }, 10); +}); + +Tinytest.addAsync('Client - Route - Reactivity - getParam on route close', function (test, done) { + var r = new Route(); + var closeTriggered = false; + Tracker.autorun(function(c) { + var param = r.getParam("id"); + if(closeTriggered) { + test.equal(param, undefined); + c.stop(); + Meteor.defer(done); + } + }); + + setTimeout(function() { + closeTriggered = true; + r.registerRouteClose(); + }, 10); +}); + +Tinytest.addAsync('Client - Route - Reactivity - getQueryParam', function (test, done) { + var r = new Route(); + Tracker.autorun(function(c) { + var param = r.getQueryParam("id"); + if(param) { + test.equal(param, "hello"); + c.stop(); + Meteor.defer(done); + } + }); + + setTimeout(function() { + var context = { + params: {}, + queryParams: {id: "hello"} + }; + r.registerRouteChange(context); + }, 10); +}); + +Tinytest.addAsync('Client - Route - Reactivity - getQueryParam on route close', function (test, done) { + var r = new Route(); + var closeTriggered = false; + Tracker.autorun(function(c) { + var param = r.getQueryParam("id"); + if(closeTriggered) { + test.equal(param, undefined); + c.stop(); + Meteor.defer(done); + } + }); + + setTimeout(function() { + closeTriggered = true; + r.registerRouteClose(); + }, 10); +}); + +Tinytest.addAsync('Client - Route - Reactivity - getRouteName rerun when route closed', function (test, done) { + var r = new Route(); + r.name = "my-route"; + var closeTriggered = false; + + Tracker.autorun(function(c) { + var name = r.getRouteName(); + test.equal(name, r.name); + + if(closeTriggered) { + c.stop(); + Meteor.defer(done); + } + }); + + setTimeout(function() { + closeTriggered = true; + r.registerRouteClose(); + }, 10); +}); + +Tinytest.addAsync('Client - Route - Reactivity - watchPathChange when routeChange', function (test, done) { + var r = new Route(); + var pathChangeCounts = 0; + + var c = Tracker.autorun(function() { + r.watchPathChange(); + pathChangeCounts++; + }); + + var context = { + params: {}, + queryParams: {} + }; + + setTimeout(function() { + r.registerRouteChange(context); + setTimeout(checkAfterNormalRouteChange, 50); + }, 10); + + function checkAfterNormalRouteChange() { + test.equal(pathChangeCounts, 2); + var lastRouteChange = true; + r.registerRouteChange(context, lastRouteChange); + setTimeout(checkAfterLastRouteChange, 10); + } + + function checkAfterLastRouteChange() { + test.equal(pathChangeCounts, 2); + c.stop(); + Meteor.defer(done); + } +}); + +Tinytest.addAsync('Client - Route - Reactivity - watchPathChange when routeClose', function (test, done) { + var r = new Route(); + var pathChangeCounts = 0; + + var c = Tracker.autorun(function() { + r.watchPathChange(); + pathChangeCounts++; + }); + + var context = { + params: {}, + queryParams: {} + }; + + setTimeout(function() { + r.registerRouteClose(); + setTimeout(checkAfterRouteClose, 10); + }, 10); + + function checkAfterRouteClose() { + test.equal(pathChangeCounts, 2); + c.stop(); + Meteor.defer(done); + } +}); \ No newline at end of file diff --git a/packages/kadira-flow-router/test/client/router.core.spec.js b/packages/kadira-flow-router/test/client/router.core.spec.js new file mode 100644 index 00000000..160c9112 --- /dev/null +++ b/packages/kadira-flow-router/test/client/router.core.spec.js @@ -0,0 +1,632 @@ +Router = FlowRouter.Router; + +Tinytest.addAsync('Client - Router - define and go to route', function (test, next) { + var rand = Random.id(); + var rendered = 0; + + FlowRouter.route('/' + rand, { + action: function(_params) { + rendered++; + } + }); + + FlowRouter.go('/' + rand); + + setTimeout(function() { + test.equal(rendered, 1); + setTimeout(next, 100); + }, 100); +}); + +Tinytest.addAsync('Client - Router - define and go to route with fields', +function (test, next) { + var rand = Random.id(); + var pathDef = "/" + rand + "/:key"; + var rendered = 0; + + FlowRouter.route(pathDef, { + action: function(params) { + test.equal(params.key, "abc +@%"); + rendered++; + } + }); + + FlowRouter.go(pathDef, {key: "abc +@%"}); + + setTimeout(function() { + test.equal(rendered, 1); + setTimeout(next, 100); + }, 100); +}); + +Tinytest.addAsync('Client - Router - parse params and query', function (test, next) { + var rand = Random.id(); + var rendered = 0; + var params = null; + + FlowRouter.route('/' + rand + '/:foo', { + action: function(_params) { + rendered++; + params = _params; + } + }); + + FlowRouter.go('/' + rand + '/bar'); + + setTimeout(function() { + test.equal(rendered, 1); + test.equal(params.foo, 'bar'); + setTimeout(next, 100); + }, 100); +}); + +Tinytest.addAsync('Client - Router - redirect using FlowRouter.go', function (test, next) { + var rand = Random.id(), rand2 = Random.id(); + var log = []; + var paths = ['/' + rand2, '/' + rand]; + var done = false; + + FlowRouter.route(paths[0], { + action: function(_params) { + log.push(1); + FlowRouter.go(paths[1]); + } + }); + + FlowRouter.route(paths[1], { + action: function(_params) { + log.push(2); + } + }); + + FlowRouter.go(paths[0]); + + setTimeout(function() { + test.equal(log, [1, 2]); + done = true; + next(); + }, 100); +}); + +Tinytest.addAsync('Client - Router - get current route path', function (test, next) { + var value = Random.id(); + var randomValue = Random.id(); + var pathDef = "/" + randomValue + '/:_id'; + var path = "/" + randomValue + "/" + value; + + var detectedValue = null; + + FlowRouter.route(pathDef, { + action: function(params) { + detectedValue = params._id; + } + }); + + FlowRouter.go(path); + + Meteor.setTimeout(function() { + test.equal(detectedValue, value); + test.equal(FlowRouter.current().path, path); + next(); + }, 50); +}); + +Tinytest.addAsync('Client - Router - subscribe to global subs', function (test, next) { + var rand = Random.id(); + FlowRouter.route('/' + rand); + + FlowRouter.subscriptions = function (path) { + test.equal(path, '/' + rand); + this.register('baz', Meteor.subscribe('baz')); + }; + + FlowRouter.go('/' + rand); + setTimeout(function() { + test.isTrue(!!GetSub('baz')); + FlowRouter.subscriptions = Function.prototype; + next(); + }, 100); +}); + +Tinytest.addAsync('Client - Router - setParams - generic', function (test, done) { + var randomKey = Random.id(); + var pathDef = "/" + randomKey + "/:cat/:id"; + var paramsList = []; + FlowRouter.route(pathDef, { + action: function(params) { + paramsList.push(params); + } + }); + + FlowRouter.go(pathDef, {cat: "meteor", id: "200"}); + setTimeout(function() { + // return done(); + var success = FlowRouter.setParams({id: "700"}); + test.isTrue(success); + setTimeout(validate, 50); + }, 50); + + function validate() { + test.equal(paramsList.length, 2); + test.equal(_.pick(paramsList[0], "id", "cat"), {cat: "meteor", id: "200"}); + test.equal(_.pick(paramsList[1], "id", "cat"), {cat: "meteor", id: "700"}); + done(); + } +}); + +Tinytest.addAsync('Client - Router - setParams - preserve query strings', function (test, done) { + var randomKey = Random.id(); + var pathDef = "/" + randomKey + "/:cat/:id"; + var paramsList = []; + var queryParamsList = []; + + FlowRouter.route(pathDef, { + action: function(params, queryParams) { + paramsList.push(params); + queryParamsList.push(queryParams); + } + }); + + FlowRouter.go(pathDef, {cat: "meteor", id: "200 +% / ad"}, {aa: "20 +%"}); + setTimeout(function() { + // return done(); + var success = FlowRouter.setParams({id: "700 +% / ad"}); + test.isTrue(success); + setTimeout(validate, 50); + }, 50); + + function validate() { + test.equal(paramsList.length, 2); + test.equal(queryParamsList.length, 2); + + test.equal(_.pick(paramsList[0], "id", "cat"), {cat: "meteor", id: "200 +% / ad"}); + test.equal(_.pick(paramsList[1], "id", "cat"), {cat: "meteor", id: "700 +% / ad"}); + test.equal(queryParamsList, [{aa: "20 +%"}, {aa: "20 +%"}]); + done(); + } +}); + +Tinytest.add('Client - Router - setParams - no route selected', function (test) { + var originalRoute = FlowRouter._current.route; + FlowRouter._current.route = undefined; + var success = FlowRouter.setParams({id: "800"}); + test.isFalse(success); + FlowRouter._current.route = originalRoute; +}); + +Tinytest.addAsync('Client - Router - setQueryParams - using check', function (test, done) { + var randomKey = Random.id(); + var pathDef = "/" + randomKey + ""; + var queryParamsList = []; + FlowRouter.route(pathDef, { + action: function(params, queryParams) { + queryParamsList.push(queryParams); + } + }); + + FlowRouter.go(pathDef, {}, {cat: "meteor", id: "200"}); + setTimeout(function() { + check(FlowRouter.current().queryParams, {cat: String, id: String}); + done(); + }, 50); +}); + +Tinytest.addAsync('Client - Router - setQueryParams - generic', function (test, done) { + var randomKey = Random.id(); + var pathDef = "/" + randomKey + ""; + var queryParamsList = []; + FlowRouter.route(pathDef, { + action: function(params, queryParams) { + queryParamsList.push(queryParams); + } + }); + + FlowRouter.go(pathDef, {}, {cat: "meteor", id: "200"}); + setTimeout(function() { + // return done(); + var success = FlowRouter.setQueryParams({id: "700"}); + test.isTrue(success); + setTimeout(validate, 50); + }, 50); + + function validate() { + test.equal(queryParamsList.length, 2); + test.equal(_.pick(queryParamsList[0], "id", "cat"), {cat: "meteor", id: "200"}); + test.equal(_.pick(queryParamsList[1], "id", "cat"), {cat: "meteor", id: "700"}); + done(); + } +}); + +Tinytest.addAsync('Client - Router - setQueryParams - remove query param null', function (test, done) { + var randomKey = Random.id(); + var pathDef = "/" + randomKey + ""; + var queryParamsList = []; + FlowRouter.route(pathDef, { + action: function(params, queryParams) { + queryParamsList.push(queryParams); + } + }); + + FlowRouter.go(pathDef, {}, {cat: "meteor", id: "200"}); + setTimeout(function() { + var success = FlowRouter.setQueryParams({id: "700", cat: null}); + test.isTrue(success); + setTimeout(validate, 50); + }, 50); + + function validate() { + test.equal(queryParamsList.length, 2); + test.equal(_.pick(queryParamsList[0], "id", "cat"), {cat: "meteor", id: "200"}); + test.equal(queryParamsList[1], {id: "700"}); + done(); + } +}); + +Tinytest.addAsync('Client - Router - setQueryParams - remove query param undefined', function (test, done) { + var randomKey = Random.id(); + var pathDef = "/" + randomKey + ""; + var queryParamsList = []; + FlowRouter.route(pathDef, { + action: function(params, queryParams) { + queryParamsList.push(queryParams); + } + }); + + FlowRouter.go(pathDef, {}, {cat: "meteor", id: "200"}); + setTimeout(function() { + var success = FlowRouter.setQueryParams({id: "700", cat: undefined}); + test.isTrue(success); + setTimeout(validate, 50); + }, 50); + + function validate() { + test.equal(queryParamsList.length, 2); + test.equal(_.pick(queryParamsList[0], "id", "cat"), {cat: "meteor", id: "200"}); + test.equal(queryParamsList[1], {id: "700"}); + done(); + } +}); + +Tinytest.addAsync('Client - Router - setQueryParams - preserve params', function (test, done) { + var randomKey = Random.id(); + var pathDef = "/" + randomKey + "/:abc"; + var queryParamsList = []; + var paramsList = []; + FlowRouter.route(pathDef, { + action: function(params, queryParams) { + paramsList.push(params); + queryParamsList.push(queryParams); + } + }); + + FlowRouter.go(pathDef, {abc: "20"}, {cat: "meteor", id: "200"}); + setTimeout(function() { + // return done(); + var success = FlowRouter.setQueryParams({id: "700"}); + test.isTrue(success); + setTimeout(validate, 50); + }, 50); + + function validate() { + test.equal(queryParamsList.length, 2); + test.equal(queryParamsList, [ + {cat: "meteor", id: "200"}, {cat: "meteor", id: "700"} + ]); + + test.equal(paramsList.length, 2); + test.equal(_.pick(paramsList[0], "abc"), {abc: "20"}); + test.equal(_.pick(paramsList[1], "abc"), {abc: "20"}); + done(); + } +}); + +Tinytest.add('Client - Router - setQueryParams - no route selected', function (test) { + var originalRoute = FlowRouter._current.route; + FlowRouter._current.route = undefined; + var success = FlowRouter.setQueryParams({id: "800"}); + test.isFalse(success); + FlowRouter._current.route = originalRoute; +}); + +Tinytest.addAsync('Client - Router - notFound', function (test, done) { + var data = []; + FlowRouter.notFound = { + subscriptions: function() { + data.push("subscriptions"); + }, + action: function() { + data.push("action"); + } + }; + + FlowRouter.go("/" + Random.id()); + setTimeout(function() { + test.equal(data, ["subscriptions", "action"]); + done(); + }, 50); +}); + +Tinytest.addAsync('Client - Router - withReplaceState - enabled', +function (test, done) { + var pathDef = "/" + Random.id() + "/:id"; + var originalRedirect = FlowRouter._page.replace; + var callCount = 0; + FlowRouter._page.replace = function(path) { + callCount++; + originalRedirect.call(FlowRouter._page, path); + }; + + FlowRouter.route(pathDef, { + name: name, + action: function(params) { + test.equal(params.id, "awesome"); + test.equal(callCount, 1); + FlowRouter._page.replace = originalRedirect; + // We don't use Meteor.defer here since it carries + // Meteor.Environment vars too + // Which breaks our test below + setTimeout(done, 0); + } + }); + + FlowRouter.withReplaceState(function() { + FlowRouter.go(pathDef, {id: "awesome"}); + }); +}); + +Tinytest.addAsync('Client - Router - withReplaceState - disabled', +function (test, done) { + var pathDef = "/" + Random.id() + "/:id"; + var originalRedirect = FlowRouter._page.replace; + var callCount = 0; + FlowRouter._page.replace = function(path) { + callCount++; + originalRedirect.call(FlowRouter._page, path); + }; + + FlowRouter.route(pathDef, { + name: name, + action: function(params) { + test.equal(params.id, "awesome"); + test.equal(callCount, 0); + FlowRouter._page.replace = originalRedirect; + Meteor.defer(done); + } + }); + + FlowRouter.go(pathDef, {id: "awesome"}); +}); + +Tinytest.addAsync('Client - Router - withTrailingSlash - enabled', function (test, next) { + var rand = Random.id(); + var rendered = 0; + + FlowRouter.route('/' + rand, { + action: function(_params) { + rendered++; + } + }); + + FlowRouter.withTrailingSlash(function() { + FlowRouter.go('/' + rand); + }); + + setTimeout(function() { + test.equal(rendered, 1); + test.equal(_.last(location.href), '/'); + setTimeout(next, 100); + }, 100); +}); + +Tinytest.addAsync('Client - Router - idempotent routing - action', +function (test, done) { + var rand = Random.id(); + var pathDef = "/" + rand; + var rendered = 0; + + FlowRouter.route(pathDef, { + action: function(params) { + rendered++; + } + }); + + FlowRouter.go(pathDef); + + Meteor.defer(function() { + FlowRouter.go(pathDef); + + Meteor.defer(function() { + test.equal(rendered, 1); + done(); + }); + }); +}); + +Tinytest.addAsync('Client - Router - idempotent routing - triggers', +function (test, next) { + var rand = Random.id(); + var pathDef = "/" + rand; + var runnedTriggers = 0; + var done = false; + + var triggerFns = [function(params) { + if (done) return; + + runnedTriggers++; + }]; + + FlowRouter.triggers.enter(triggerFns); + + FlowRouter.route(pathDef, { + triggersEnter: triggerFns, + triggersExit: triggerFns + }); + + FlowRouter.go(pathDef); + + FlowRouter.triggers.exit(triggerFns); + + Meteor.defer(function() { + FlowRouter.go(pathDef); + + Meteor.defer(function() { + test.equal(runnedTriggers, 2); + done = true; + next(); + }); + }); +}); + +Tinytest.addAsync('Client - Router - reload - action', +function (test, done) { + var rand = Random.id(); + var pathDef = "/" + rand; + var rendered = 0; + + FlowRouter.route(pathDef, { + action: function(params) { + rendered++; + } + }); + + FlowRouter.go(pathDef); + + Meteor.defer(function() { + FlowRouter.reload(); + + Meteor.defer(function() { + test.equal(rendered, 2); + done(); + }); + }); +}); + +Tinytest.addAsync('Client - Router - reload - triggers', +function (test, next) { + var rand = Random.id(); + var pathDef = "/" + rand; + var runnedTriggers = 0; + var done = false; + + var triggerFns = [function(params) { + if (done) return; + + runnedTriggers++; + }]; + + FlowRouter.triggers.enter(triggerFns); + + FlowRouter.route(pathDef, { + triggersEnter: triggerFns, + triggersExit: triggerFns + }); + + FlowRouter.go(pathDef); + + FlowRouter.triggers.exit(triggerFns); + + Meteor.defer(function() { + FlowRouter.reload(); + + Meteor.defer(function() { + test.equal(runnedTriggers, 6); + done = true; + next(); + }); + }); +}); + +Tinytest.addAsync( +'Client - Router - wait - before initialize', +function(test, done) { + FlowRouter._initialized = false; + FlowRouter.wait(); + test.equal(FlowRouter._askedToWait, true); + + FlowRouter._initialized = true; + FlowRouter._askedToWait = false; + done(); +}); + +Tinytest.addAsync( +'Client - Router - wait - after initialized', +function(test, done) { + try { + FlowRouter.wait(); + } catch(ex) { + test.isTrue(/can't wait/.test(ex.message)); + done(); + } +}); + +Tinytest.addAsync( +'Client - Router - initialize - after initialized', +function(test, done) { + try { + FlowRouter.initialize(); + } catch(ex) { + test.isTrue(/already initialized/.test(ex.message)); + done(); + } +}); + +Tinytest.addAsync( +'Client - Router - base path - url updated', +function(test, done) { + var simulatedBasePath = '/flow'; + var rand = Random.id(); + FlowRouter.route('/' + rand, { action: function() {} }); + + setBasePath(simulatedBasePath); + FlowRouter.go('/' + rand); + setTimeout(function() { + test.equal(location.pathname, simulatedBasePath + '/' + rand); + resetBasePath(); + done(); + }, 100); +}); + +Tinytest.addAsync( +'Client - Router - base path - route action called', +function(test, done) { + var simulatedBasePath = '/flow'; + var rand = Random.id(); + FlowRouter.route('/' + rand, { + action: function() { + resetBasePath(); + done(); + } + }); + + setBasePath(simulatedBasePath); + FlowRouter.go('/' + rand); +}); + +Tinytest.add( +'Client - Router - base path - path generation', +function(test, done) { + _.each(['/flow', '/flow/', 'flow/', 'flow'], function(simulatedBasePath) { + var rand = Random.id(); + setBasePath(simulatedBasePath); + test.equal(FlowRouter.path('/' + rand), '/flow/' + rand); + }); + resetBasePath(); +}); + + +function setBasePath(path) { + FlowRouter._initialized = false; + FlowRouter._basePath = path; + FlowRouter.initialize(); +} + +var defaultBasePath = FlowRouter._basePath; +function resetBasePath() { + setBasePath(defaultBasePath); +} + +function bind(obj, method) { + return function() { + obj[method].apply(obj, arguments); + }; +} diff --git a/packages/kadira-flow-router/test/client/router.reactivity.spec.js b/packages/kadira-flow-router/test/client/router.reactivity.spec.js new file mode 100644 index 00000000..b06deeda --- /dev/null +++ b/packages/kadira-flow-router/test/client/router.reactivity.spec.js @@ -0,0 +1,208 @@ +Tinytest.addAsync( +'Client - Router - Reactivity - detectChange only once', +function (test, done) { + var route = "/" + Random.id(); + var name = Random.id(); + FlowRouter.route(route, {name: name}); + + var ranCount = 0; + var pickedId = null; + var c = Tracker.autorun(function() { + ranCount++; + pickedId = FlowRouter.getQueryParam("id"); + if(pickedId) { + test.equal(pickedId, "hello"); + test.equal(ranCount, 2); + c.stop(); + Meteor.defer(done); + } + }); + + setTimeout(function() { + FlowRouter.go(name, {}, {id: "hello"}); + }, 2); +}); + +Tinytest.addAsync( +'Client - Router - Reactivity - detectChange in the action', +function (test, done) { + var route = "/" + Random.id(); + var name = Random.id(); + FlowRouter.route(route, { + name: name, + action: function() { + var id = FlowRouter.getQueryParam("id"); + test.equal(id, "hello"); + Meteor.defer(done); + } + }); + + setTimeout(function() { + FlowRouter.go(name, {}, {id: "hello"}); + }, 2); +}); + +Tinytest.addAsync( +'Client - Router - Reactivity - detect prev routeChange after new action', +function (test, done) { + var route1 = "/" + Random.id(); + var name1 = Random.id(); + var pickedName1 = null; + + var route2 = "/" + Random.id(); + var name2 = Random.id(); + var pickedName2 = Random.id(); + + FlowRouter.route(route1, { + name: name1, + action: function() { + Tracker.autorun(function(c) { + pickedName1 = FlowRouter.getRouteName(); + if(pickedName1 == name2) { + test.equal(pickedName1, pickedName2); + c.stop(); + Meteor.defer(done); + } + }); + } + }); + + FlowRouter.route(route2, { + name: name2, + action: function() { + pickedName2 = FlowRouter.getRouteName(); + test.equal(pickedName1, name1); + test.equal(pickedName2, name2); + } + }); + + FlowRouter.go(name1); + Meteor.setTimeout(function() { + FlowRouter.go(name2); + }, 10); +}); + +Tinytest.addAsync( +'Client - Router - Reactivity - defer watchPathChange until new route rendered', +function(test, done) { + var route1 = "/" + Random.id(); + var name1 = Random.id(); + var pickedName1 = null; + + var route2 = "/" + Random.id(); + var name2 = Random.id(); + var pickedName2 = Random.id(); + + FlowRouter.route(route1, { + name: name1, + action: function() { + Tracker.autorun(function(c) { + FlowRouter.watchPathChange(); + pickedName1 = FlowRouter.current().route.name; + if(pickedName1 == name2) { + test.equal(pickedName1, pickedName2); + c.stop(); + Meteor.defer(done); + } + }); + } + }); + + FlowRouter.route(route2, { + name: name2, + action: function() { + pickedName2 = FlowRouter.current().route.name; + test.equal(pickedName1, name1); + test.equal(pickedName2, name2); + } + }); + + FlowRouter.go(name1); + Meteor.setTimeout(function() { + FlowRouter.go(name2); + }, 10); +}); + +Tinytest.addAsync( +'Client - Router - Reactivity - reactive changes and trigger redirects', +function(test, done) { + var name1 = Random.id(); + var route1 = "/" + name1; + FlowRouter.route(route1, { + name: name1 + }); + + var name2 = Random.id(); + var route2 = "/" + name2; + FlowRouter.route(route2, { + name: name2, + triggersEnter: [function(context, redirect) { + redirect(name3); + }] + }); + + + var name3 = Random.id(); + var route3 = "/" + name3; + FlowRouter.route(route3, { + name: name3 + }); + + var routeNamesFired = []; + FlowRouter.go(name1); + + var c = null; + setTimeout(function() { + c = Tracker.autorun(function(c) { + routeNamesFired.push(FlowRouter.getRouteName()); + }); + FlowRouter.go(name2); + }, 50); + + setTimeout(function() { + c.stop(); + test.equal(routeNamesFired, [name1, name3]); + Meteor.defer(done); + }, 250); +}); + +Tinytest.addAsync( +'Client - Router - Reactivity - watchPathChange for every route change', +function(test, done) { + var route1 = "/" + Random.id(); + var name1 = Random.id(); + var pickedName1 = null; + + var route2 = "/" + Random.id(); + var name2 = Random.id(); + var pickedName2 = Random.id(); + + FlowRouter.route(route1, { + name: name1 + }); + + FlowRouter.route(route2, { + name: name2 + }); + + var ids = []; + var c = Tracker.autorun(function() { + FlowRouter.watchPathChange(); + ids.push(FlowRouter.current().queryParams['id']); + }); + + FlowRouter.go(name1, {}, {id: "one"}); + Meteor.setTimeout(function() { + FlowRouter.go(name1, {}, {id: "two"}); + }, 10); + + Meteor.setTimeout(function() { + FlowRouter.go(name2, {}, {id: "three"}); + }, 20); + + Meteor.setTimeout(function() { + test.equal(ids, [undefined, "one", "two", "three"]); + c.stop(); + done(); + }, 40); +}); \ No newline at end of file diff --git a/packages/kadira-flow-router/test/client/router.subs_ready.spec.js b/packages/kadira-flow-router/test/client/router.subs_ready.spec.js new file mode 100644 index 00000000..8a20077a --- /dev/null +++ b/packages/kadira-flow-router/test/client/router.subs_ready.spec.js @@ -0,0 +1,225 @@ +Tinytest.addAsync('Client - Router - subsReady - with no args - all subscriptions ready', function (test, next) { + var rand = Random.id(); + FlowRouter.route('/' + rand, { + subscriptions: function(params) { + this.register('bar', Meteor.subscribe('bar')); + this.register('foo', Meteor.subscribe('foo')); + } + }); + + FlowRouter.subscriptions = function () { + this.register('baz', Meteor.subscribe('baz')); + }; + + FlowRouter.go('/' + rand); + + Tracker.autorun(function(c) { + if(FlowRouter.subsReady()) { + FlowRouter.subscriptions = Function.prototype; + next(); + c.stop(); + } + }); +}); + +Tinytest.addAsync('Client - Router - subsReady - with no args - all subscriptions does not ready', function (test, next) { + var rand = Random.id(); + FlowRouter.route('/' + rand, { + subscriptions: function(params) { + this.register('fooNotReady', Meteor.subscribe('fooNotReady')); + } + }); + + FlowRouter.subscriptions = function () { + this.register('bazNotReady', Meteor.subscribe('bazNotReady')); + }; + + FlowRouter.go('/' + rand); + setTimeout(function() { + test.isTrue(!FlowRouter.subsReady()); + FlowRouter.subscriptions = Function.prototype; + next(); + }, 100); +}); + +Tinytest.addAsync('Client - Router - subsReady - with no args - global subscriptions does not ready', function (test, next) { + var rand = Random.id(); + FlowRouter.route('/' + rand, { + subscriptions: function(params) { + this.register('bar', Meteor.subscribe('bar')); + this.register('foo', Meteor.subscribe('foo')); + } + }); + + FlowRouter.subscriptions = function () { + this.register('bazNotReady', Meteor.subscribe('bazNotReady')); + }; + + FlowRouter.go('/' + rand); + setTimeout(function() { + test.isTrue(!FlowRouter.subsReady()); + FlowRouter.subscriptions = Function.prototype; + next(); + }, 100); +}); + +Tinytest.addAsync('Client - Router - subsReady - with no args - current subscriptions does not ready', function (test, next) { + var rand = Random.id(); + FlowRouter.route('/' + rand, { + subscriptions: function(params) { + this.register('bar', Meteor.subscribe('bar')); + this.register('fooNotReady', Meteor.subscribe('fooNotReady')); + } + }); + + FlowRouter.subscriptions = function () { + this.register('baz', Meteor.subscribe('baz')); + }; + + FlowRouter.go('/' + rand); + setTimeout(function() { + test.isTrue(!FlowRouter.subsReady()); + FlowRouter.subscriptions = Function.prototype; + next(); + }, 100); +}); + +Tinytest.addAsync('Client - Router - subsReady - with args - all subscriptions ready', function (test, next) { + var rand = Random.id(); + FlowRouter.route('/' + rand, { + subscriptions: function(params) { + this.register('bar', Meteor.subscribe('bar')); + this.register('foo', Meteor.subscribe('foo')); + } + }); + + FlowRouter.subscriptions = function () { + this.register('baz', Meteor.subscribe('baz')); + }; + + FlowRouter.go('/' + rand); + Tracker.autorun(function(c) { + if(FlowRouter.subsReady('foo', 'baz')) { + FlowRouter.subscriptions = Function.prototype; + next(); + c.stop(); + } + }); +}); + +Tinytest.addAsync('Client - Router - subsReady - with args - all subscriptions does not ready', function (test, next) { + var rand = Random.id(); + FlowRouter.route('/' + rand, { + subscriptions: function(params) { + this.register('fooNotReady', Meteor.subscribe('fooNotReady')); + } + }); + + FlowRouter.subscriptions = function () { + this.register('bazNotReady', Meteor.subscribe('bazNotReady')); + }; + + FlowRouter.go('/' + rand); + setTimeout(function() { + test.isTrue(!FlowRouter.subsReady('fooNotReady', 'bazNotReady')); + FlowRouter.subscriptions = Function.prototype; + next(); + }, 100); +}); + +Tinytest.addAsync('Client - Router - subsReady - with args - global subscriptions does not ready', function (test, next) { + var rand = Random.id(); + FlowRouter.route('/' + rand, { + subscriptions: function(params) { + this.register('bar', Meteor.subscribe('bar')); + this.register('foo', Meteor.subscribe('foo')); + } + }); + + FlowRouter.subscriptions = function () { + this.register('bazNotReady', Meteor.subscribe('bazNotReady')); + }; + + FlowRouter.go('/' + rand); + setTimeout(function() { + test.isTrue(!FlowRouter.subsReady('foo', 'bazNotReady')); + FlowRouter.subscriptions = Function.prototype; + next(); + }, 100); +}); + +Tinytest.addAsync('Client - Router - subsReady - with args - current subscriptions does not ready', function (test, next) { + var rand = Random.id(); + FlowRouter.route('/' + rand, { + subscriptions: function(params) { + this.register('bar', Meteor.subscribe('bar')); + this.register('fooNotReady', Meteor.subscribe('fooNotReady')); + } + }); + + FlowRouter.subscriptions = function () { + this.register('baz', Meteor.subscribe('baz')); + }; + + FlowRouter.go('/' + rand); + setTimeout(function() { + test.isTrue(!FlowRouter.subsReady('fooNotReady', 'baz')); + FlowRouter.subscriptions = Function.prototype; + next(); + }, 100); +}); + +Tinytest.addAsync('Client - Router - subsReady - with args - subscribe with wrong name', function (test, next) { + var rand = Random.id(); + FlowRouter.route('/' + rand, { + subscriptions: function(params) { + this.register('bar', Meteor.subscribe('bar')); + } + }); + + FlowRouter.subscriptions = function () { + this.register('baz', Meteor.subscribe('baz')); + }; + + FlowRouter.go('/' + rand); + setTimeout(function() { + test.isTrue(!FlowRouter.subsReady('baz', 'xxx', 'baz')); + FlowRouter.subscriptions = Function.prototype; + next(); + }, 100); +}); + +Tinytest.addAsync('Client - Router - subsReady - with args - same route two different subs', function (test, next) { + var rand = Random.id(); + var count = 0; + FlowRouter.route('/' + rand, { + subscriptions: function(params) { + if(++count == 1) { + this.register('not-exisitng', Meteor.subscribe('not-exisitng')); + } + } + }); + + FlowRouter.subscriptions = Function.prototype; + FlowRouter.go('/' + rand); + setTimeout(function() { + test.isFalse(FlowRouter.subsReady()); + FlowRouter.go('/' + rand, {}, {param: "111"}); + setTimeout(function() { + test.isTrue(FlowRouter.subsReady()); + next(); + }, 100) + }, 100); +}); + +Tinytest.addAsync('Client - Router - subsReady - no subscriptions - simple', function (test, next) { + var rand = Random.id(); + FlowRouter.route('/' + rand, {}); + FlowRouter.subscriptions = Function.prototype; + + FlowRouter.go('/' + rand); + setTimeout(function() { + test.isTrue(FlowRouter.subsReady()); + next(); + }, 100); +}); \ No newline at end of file diff --git a/packages/kadira-flow-router/test/client/trigger.spec.js b/packages/kadira-flow-router/test/client/trigger.spec.js new file mode 100644 index 00000000..319c6bd2 --- /dev/null +++ b/packages/kadira-flow-router/test/client/trigger.spec.js @@ -0,0 +1,570 @@ +Tinytest.addAsync('Client - Triggers - global enter triggers', function(test, next) { + var rand = Random.id(), rand2 = Random.id(); + var log = []; + var paths = ['/' + rand2, '/' + rand]; + var done = false; + + FlowRouter.route('/' + rand, { + action: function(_params) { + log.push(1); + } + }); + + FlowRouter.route('/' + rand2, { + action: function(_params) { + log.push(2); + } + }); + + FlowRouter.triggers.enter([function(context) { + if(done) return; + test.equal(context.path, paths.pop()); + log.push(0); + }]); + + FlowRouter.go('/' + rand); + + setTimeout(function() { + FlowRouter.go('/' + rand2); + + setTimeout(function() { + test.equal(log, [0, 1, 0, 2]); + done = true; + setTimeout(next, 100); + }, 100); + }, 100); +}); + +Tinytest.addAsync('Client - Triggers - global enter triggers with "only"', function (test, next) { + var rand = Random.id(), rand2 = Random.id(); + var log = []; + var done = false; + + FlowRouter.route('/' + rand, { + action: function(_params) { + log.push(1); + } + }); + + FlowRouter.route('/' + rand2, { + name: 'foo', + action: function(_params) { + log.push(2); + } + }); + + FlowRouter.triggers.enter([function(context) { + if(done) return; + test.equal(context.path, '/' + rand2); + log.push(8); + }], {only: ['foo']}); + + FlowRouter.go('/' + rand); + + setTimeout(function() { + FlowRouter.go('/' + rand2); + + setTimeout(function() { + test.equal(log, [1, 8, 2]); + done = true; + setTimeout(next, 100); + }, 100); + }, 100); +}); + +Tinytest.addAsync('Client - Triggers - global enter triggers with "except"', function (test, next) { + var rand = Random.id(), rand2 = Random.id(); + var log = []; + var done = false; + + FlowRouter.route('/' + rand, { + action: function(_params) { + log.push(1); + } + }); + + FlowRouter.route('/' + rand2, { + name: 'foo', + action: function(_params) { + log.push(2); + } + }); + + FlowRouter.triggers.enter([function(context) { + if(done) return; + test.equal(context.path, '/' + rand); + log.push(8); + }], {except: ['foo']}); + + FlowRouter.go('/' + rand); + + setTimeout(function() { + FlowRouter.go('/' + rand2); + + setTimeout(function() { + test.equal(log, [8, 1, 2]); + done = true; + setTimeout(next, 100); + }, 100); + }, 100); +}); + +Tinytest.addAsync('Client - Triggers - global exit triggers', function (test, next) { + var rand = Random.id(), rand2 = Random.id(); + var log = []; + var done =false; + + FlowRouter.route('/' + rand, { + action: function(_params) { + log.push(1); + } + }); + + FlowRouter.route('/' + rand2, { + action: function(_params) { + log.push(2); + } + }); + + FlowRouter.go('/' + rand); + + FlowRouter.triggers.exit([function(context) { + if(done) return; + test.equal(context.path, '/' + rand); + log.push(0); + }]); + + setTimeout(function() { + FlowRouter.go('/' + rand2); + + setTimeout(function() { + test.equal(log, [1, 0, 2]); + done = true; + setTimeout(next, 100); + }, 100); + }, 100); +}); + +Tinytest.addAsync('Client - Triggers - global exit triggers with "only"', function (test, next) { + var rand = Random.id(), rand2 = Random.id(); + var log = []; + var done = false; + + FlowRouter.route('/' + rand, { + action: function(_params) { + log.push(1); + } + }); + + FlowRouter.route('/' + rand2, { + name: 'foo', + action: function(_params) { + log.push(2); + } + }); + + FlowRouter.triggers.exit([function(context) { + if(done) return; + test.equal(context.path, '/' + rand2); + log.push(8); + }], {only: ['foo']}); + + FlowRouter.go('/' + rand); + + setTimeout(function() { + FlowRouter.go('/' + rand2); + + setTimeout(function() { + FlowRouter.go('/' + rand); + + setTimeout(function() { + test.equal(log, [1, 2, 8, 1]); + done = true; + setTimeout(next, 100); + }, 100); + }, 100); + }, 100); +}); + +Tinytest.addAsync('Client - Triggers - global exit triggers with "except"', function (test, next) { + var rand = Random.id(), rand2 = Random.id(); + var log = []; + var done = false; + + FlowRouter.route('/' + rand, { + action: function(_params) { + log.push(1); + } + }); + + FlowRouter.route('/' + rand2, { + name: 'foo', + action: function(_params) { + log.push(2); + } + }); + + FlowRouter.go('/' + rand); + + FlowRouter.triggers.exit([function(context) { + if(done) return; + test.equal(context.path, '/' + rand); + log.push(9); + }], {except: ['foo']}); + + + setTimeout(function() { + FlowRouter.go('/' + rand2); + + setTimeout(function() { + FlowRouter.go('/' + rand); + + setTimeout(function() { + test.equal(log, [1, 9, 2, 1]); + done = true; + setTimeout(next, 100); + }, 100); + }, 100); + }, 100); +}); + +Tinytest.addAsync('Client - Triggers - route enter triggers', function (test, next) { + var rand = Random.id(); + var log = []; + + var triggerFn = function (context) { + test.equal(context.path, '/' + rand); + log.push(5); + }; + + FlowRouter.route('/' + rand, { + triggersEnter: [triggerFn], + action: function(_params) { + log.push(1); + } + }); + + FlowRouter.go('/' + rand); + + setTimeout(function() { + test.equal(log, [5, 1]); + setTimeout(next, 100); + }, 100); +}); + +Tinytest.addAsync('Client - Triggers - router exit triggers', function (test, next) { + var rand = Random.id(); + var log = []; + + var triggerFn = function (context) { + test.equal(context.path, '/' + rand); + log.push(6); + }; + + FlowRouter.route('/' + rand, { + triggersExit: [triggerFn], + action: function(_params) { + log.push(1); + } + }); + + FlowRouter.go('/' + rand); + + setTimeout(function() { + FlowRouter.go('/' + Random.id()); + + setTimeout(function() { + test.equal(log, [1, 6]); + setTimeout(next, 100); + }, 100); + }, 100); +}); + +Tinytest.addAsync('Client - Triggers - group enter triggers', function (test, next) { + var rand = Random.id(), rand2 = Random.id(); + var log = []; + var paths = ['/' + rand2, '/' + rand]; + + var triggerFn = function (context) { + test.equal(context.path, paths.pop()); + log.push(3); + }; + + var group = FlowRouter.group({ + triggersEnter: [triggerFn] + }); + + group.route('/' + rand, { + action: function(_params) { + log.push(1); + } + }); + + group.route('/' + rand2, { + action: function(_params) { + log.push(2); + } + }); + + FlowRouter.go('/' + rand); + + setTimeout(function() { + FlowRouter.go('/' + rand2); + + setTimeout(function() { + test.equal(log, [3, 1, 3, 2]); + setTimeout(next, 100); + }, 100); + }, 100); +}); + +Tinytest.addAsync('Client - Triggers - group exit triggers', function (test, next) { + var rand = Random.id(), rand2 = Random.id(); + var log = []; + + var triggerFn = function (context) { + log.push(4); + }; + + var group = FlowRouter.group({ + triggersExit: [triggerFn] + }); + + group.route('/' + rand, { + action: function(_params) { + log.push(1); + } + }); + + group.route('/' + rand2, { + action: function(_params) { + log.push(2); + } + }); + + FlowRouter.go('/' + rand); + + setTimeout(function() { + FlowRouter.go('/' + rand2); + + setTimeout(function() { + test.equal(log, [1, 4, 2]); + setTimeout(next, 100); + }, 100); + }, 100); +}); + +Tinytest.addAsync('Client - Triggers - redirect from enter', function(test, next) { + var rand = Random.id(), rand2 = Random.id(); + var log = []; + + FlowRouter.route('/' + rand, { + triggersEnter: [function(context, redirect) { + redirect("/" + rand2); + }, function() { + throw new Error("should not execute this trigger"); + }], + action: function(_params) { + log.push(1); + }, + name: rand + }); + + FlowRouter.route('/' + rand2, { + action: function(_params) { + log.push(2); + }, + name: rand2 + }); + + FlowRouter.go('/'); + FlowRouter.go('/' + rand); + + setTimeout(function() { + test.equal(log, [2]); + next(); + }, 300); +}); + +Tinytest.addAsync('Client - Triggers - redirect by routeName', function(test, next) { + var rand = Random.id(), rand2 = Random.id(); + var log = []; + + FlowRouter.route('/' + rand, { + name: rand, + triggersEnter: [function(context, redirect) { + redirect(rand2, null, {aa: "bb"}); + }, function() { + throw new Error("should not execute this trigger"); + }], + action: function(_params) { + log.push(1); + }, + name: rand + }); + + FlowRouter.route('/' + rand2, { + name: rand2, + action: function(_params, queryParams) { + log.push(2); + test.equal(queryParams, {aa: "bb"}); + }, + name: rand2 + }); + + FlowRouter.go('/'); + FlowRouter.go('/' + rand); + + setTimeout(function() { + test.equal(log, [2]); + next(); + }, 300); +}); + +Tinytest.addAsync('Client - Triggers - redirect from exit', function(test, next) { + var rand = Random.id(), rand2 = Random.id(), rand3 = Random.id(); + var log = []; + + FlowRouter.route('/' + rand, { + action: function() { + log.push(1); + }, + triggersExit: [ + function(context, redirect) { + redirect('/' + rand3); + }, + function() { + throw new Error("should not call this trigger"); + } + ] + }); + + FlowRouter.route('/' + rand2, { + action: function() { + log.push(2); + } + }); + + FlowRouter.route('/' + rand3, { + action: function() { + log.push(3); + } + }); + + FlowRouter.go('/' + rand); + + setTimeout(function() { + FlowRouter.go('/' + rand2); + + setTimeout(function() { + test.equal(log, [1, 3]); + next(); + }, 100); + }, 100); +}); + +Tinytest.addAsync('Client - Triggers - redirect to external URL fails', function(test, next) { + var rand = Random.id(), rand2 = Random.id(); + var log = []; + + // testing "http://" URLs + FlowRouter.route('/' + rand, { + triggersEnter: [function(context, redirect) { + test.throws(function() { + redirect("http://example.com/") + }, "Redirects to URLs outside of the app are not supported") + }], + action: function(_params) { + log.push(1); + }, + name: rand + }); + + // testing "https://" URLs + FlowRouter.route('/' + rand2, { + triggersEnter: [function(context, redirect) { + test.throws(function() { + redirect("https://example.com/") + }) + }], + action: function(_params) { + log.push(2); + }, + name: rand2 + }); + + FlowRouter.go('/'); + FlowRouter.go('/' + rand); + FlowRouter.go('/' + rand2); + + setTimeout(function() { + test.equal(log, []); + next(); + }, 300); +}); + +Tinytest.addAsync('Client - Triggers - stop callback from enter', function(test, next) { + var rand = Random.id(); + var log = []; + + FlowRouter.route('/' + rand, { + triggersEnter: [function(context, redirect, stop) { + log.push(10); + stop(); + }, function() { + throw new Error("should not execute this trigger"); + }], + action: function(_params) { + throw new Error("should not execute the action"); + } + }); + + FlowRouter.go('/'); + FlowRouter.go('/' + rand); + + setTimeout(function() { + test.equal(log, [10]); + next(); + }, 100); +}); + +Tinytest.addAsync( +'Client - Triggers - invalidate inside an autorun', +function(test, next) { + var rand = Random.id(), rand2 = Random.id(); + var log = []; + var paths = ['/' + rand2, '/' + rand]; + var done = false; + + FlowRouter.route('/' + rand, { + action: function(_params) { + log.push(1); + } + }); + + FlowRouter.route('/' + rand2, { + action: function(_params) { + log.push(2); + } + }); + + FlowRouter.triggers.enter([function(context) { + if(done) return; + test.equal(context.path, paths.pop()); + log.push(0); + }]); + + Tracker.autorun(function(c) { + FlowRouter.go('/' + rand); + }); + + setTimeout(function() { + FlowRouter.go('/' + rand2); + + setTimeout(function() { + test.equal(log, [0, 1, 0, 2]); + done = true; + setTimeout(next, 100); + }, 100); + }, 100); +}); diff --git a/packages/kadira-flow-router/test/client/triggers.js b/packages/kadira-flow-router/test/client/triggers.js new file mode 100644 index 00000000..7eb9a99c --- /dev/null +++ b/packages/kadira-flow-router/test/client/triggers.js @@ -0,0 +1,297 @@ +Tinytest.addAsync( +'Triggers - runTriggers - run all and after', +function(test, done) { + var store = []; + var triggers = MakeTriggers(2, store); + Triggers.runTriggers(triggers, null, null, function() { + test.equal(store, [0, 1]); + done(); + }); +}); + +Tinytest.addAsync( +'Triggers - runTriggers - redirect with url', +function(test, done) { + var store = []; + var url = "http://google.com"; + var triggers = MakeTriggers(2, store); + triggers.splice(1, 0, function(context, redirect) { + redirect(url); + }); + + Triggers.runTriggers(triggers, null, function(u) { + test.equal(store, [0]); + test.equal(u, url); + done(); + }, null); +}); + +Tinytest.addAsync( +'Triggers - runTriggers - redirect without url', +function(test, done) { + var store = []; + var url = "http://google.com"; + var triggers = MakeTriggers(2, store); + triggers.splice(1, 0, function(context, redirect) { + try { + redirect(); + } catch(ex) { + test.isTrue(/requires an URL/.test(ex.message)); + test.equal(store, [0]); + done(); + } + }); + + Triggers.runTriggers(triggers, null, null, null); +}); + +Tinytest.addAsync( +'Triggers - runTriggers - redirect in a different event loop', +function(test, done) { + var store = []; + var url = "http://google.com"; + var triggers = MakeTriggers(2, store); + var doneCalled = false; + + triggers.splice(1, 0, function(context, redirect) { + setTimeout(function() { + try { + redirect(url); + } catch(ex) { + test.isTrue(/sync/.test(ex.message)); + test.equal(store, [0, 1]); + test.isTrue(doneCalled); + done(); + } + }, 0); + }); + + Triggers.runTriggers(triggers, null, null, function() { + doneCalled = true; + }); +}); + +Tinytest.addAsync( +'Triggers - runTriggers - redirect called multiple times', +function(test, done) { + var store = []; + var url = "http://google.com"; + var triggers = MakeTriggers(2, store); + var redirectCalled = false; + + triggers.splice(1, 0, function(context, redirect) { + redirect(url); + try { + redirect(url); + } catch(ex) { + test.isTrue(/already redirected/.test(ex.message)); + test.equal(store, [0]); + test.isTrue(redirectCalled); + done(); + } + }); + + Triggers.runTriggers(triggers, null, function() { + redirectCalled = true; + }, null); +}); + +Tinytest.addAsync( +'Triggers - runTriggers - stop callback', +function(test, done) { + var store = []; + var triggers = MakeTriggers(2, store); + triggers.splice(1, 0, function(context, redirect, stop) { + stop(); + }); + + Triggers.runTriggers(triggers, null, null, function() { + store.push(2); + }); + + test.equal(store, [0]); + done(); +}); + + +Tinytest.addAsync( +'Triggers - runTriggers - get context', +function(test, done) { + var context = {}; + var trigger = function(c) { + test.equal(c, context); + done(); + }; + + Triggers.runTriggers([trigger], context, function() {}, function() {}); +}); + +Tinytest.addAsync( +'Triggers - createRouteBoundTriggers - matching trigger', +function(test, done) { + var context = {route: {name: "abc"}}; + var redirect = function() {}; + + var trigger = function(c, r) { + test.equal(c, context); + test.equal(r, redirect); + done(); + }; + + var triggers = Triggers.createRouteBoundTriggers([trigger], ["abc"]); + triggers[0](context, redirect); +}); + +Tinytest.addAsync( +'Triggers - createRouteBoundTriggers - multiple matching triggers', +function(test, done) { + var context = {route: {name: "abc"}}; + var redirect = function() {}; + var doneCount = 0; + + var trigger = function(c, r) { + test.equal(c, context); + test.equal(r, redirect); + doneCount++; + }; + + var triggers = Triggers.createRouteBoundTriggers([trigger, trigger], ["abc"]); + triggers[0](context, redirect); + triggers[1](context, redirect); + + test.equal(doneCount, 2); + done(); +}); + +Tinytest.addAsync( +'Triggers - createRouteBoundTriggers - no matching trigger', +function(test, done) { + var context = {route: {name: "some-other-route"}}; + var redirect = function() {}; + var doneCount = 0; + + var trigger = function(c, r) { + test.equal(c, context); + test.equal(r, redirect); + doneCount++; + }; + + var triggers = Triggers.createRouteBoundTriggers([trigger], ["abc"]); + triggers[0](context, redirect); + + test.equal(doneCount, 0); + done(); +}); + +Tinytest.addAsync( +'Triggers - createRouteBoundTriggers - negate logic', +function(test, done) { + var context = {route: {name: "some-other-route"}}; + var redirect = function() {}; + var doneCount = 0; + + var trigger = function(c, r) { + test.equal(c, context); + test.equal(r, redirect); + doneCount++; + }; + + var triggers = Triggers.createRouteBoundTriggers([trigger], ["abc"], true); + triggers[0](context, redirect); + + test.equal(doneCount, 1); + done(); +}); + +Tinytest.addAsync( +'Triggers - applyFilters - no filters', +function(test, done) { + var original = []; + test.equal(Triggers.applyFilters(original), original); + done(); +}); + +Tinytest.addAsync( +'Triggers - applyFilters - single trigger to array', +function(test, done) { + var original = function() {}; + test.equal(Triggers.applyFilters(original)[0], original); + done(); +}); + +Tinytest.addAsync( +'Triggers - applyFilters - only and except both', +function(test, done) { + var original = []; + try { + Triggers.applyFilters(original, {only: [], except: []}); + } catch(ex) { + test.isTrue(/only and except/.test(ex.message)); + done(); + } +}); + +Tinytest.addAsync( +'Triggers - applyFilters - only is not an array', +function(test, done) { + var original = []; + try { + Triggers.applyFilters(original, {only: "name"}); + } catch(ex) { + test.isTrue(/to be an array/.test(ex.message)); + done(); + } +}); + +Tinytest.addAsync( +'Triggers - applyFilters - except is not an array', +function(test, done) { + var original = []; + try { + Triggers.applyFilters(original, {except: "name"}); + } catch(ex) { + test.isTrue(/to be an array/.test(ex.message)); + done(); + } +}); + +Tinytest.addAsync( +'Triggers - applyFilters - unsupported filter', +function(test, done) { + var original = []; + try { + Triggers.applyFilters(original, {wowFilter: []}); + } catch(ex) { + test.isTrue(/not supported/.test(ex.message)); + done(); + } +}); + +Tinytest.addAsync( +'Triggers - applyFilters - just only filter', +function(test, done) { + var bounded = Triggers.applyFilters(done, {only: ["abc"]}); + bounded[0]({route: {name: "abc"}}); +}); + +Tinytest.addAsync( +'Triggers - applyFilters - just except filter', +function(test, done) { + var bounded = Triggers.applyFilters(done, {except: ["abc"]}); + bounded[0]({route: {name: "some-other"}}); +}); + +function MakeTriggers(count, store) { + var triggers = []; + + function addTrigger(no) { + triggers.push(function() { + store.push(no); + }); + } + + for(var lc=0; lc(.*)<\/script/)[1]; + return InjectData._decode(encodedData)['fast-render-data']; +} \ No newline at end of file diff --git a/packages/kadira-flow-router/test/server/plugins/fast_render.js b/packages/kadira-flow-router/test/server/plugins/fast_render.js new file mode 100644 index 00000000..1ec77866 --- /dev/null +++ b/packages/kadira-flow-router/test/server/plugins/fast_render.js @@ -0,0 +1,35 @@ +Tinytest.add('Server - Fast Render - fast render supported route', function (test) { + var expectedFastRenderCollData = [ + [{_id: "two", aa: 20}, {_id: "one", aa: 10}] + ]; + + var data = GetFRData('/the-fast-render-route'); + test.equal(data.collectionData['fast-render-coll'], expectedFastRenderCollData); +}); + +Tinytest.add('Server - Fast Render - fast render supported route with params', function (test) { + var expectedFastRenderCollData = [ + [{ + _id: "one", + params: {id: 'the-id'}, + queryParams: {aa: "20"} + }] + ]; + + var data = GetFRData('/the-fast-render-route-params/the-id?aa=20'); + test.equal(data.collectionData['fast-render-coll'], expectedFastRenderCollData); +}); + +Tinytest.add('Server - Fast Render - no fast render supported route', function (test) { + var data = GetFRData('/no-fast-render'); + test.equal(data.collectionData, {}); +}); + +Tinytest.add('Server - Fast Render - with group routes', function (test) { + var expectedFastRenderCollData = [ + [{_id: "two", aa: 20}, {_id: "one", aa: 10}] + ]; + + var data = GetFRData('/fr/have-fr'); + test.equal(data.collectionData['fast-render-coll'], expectedFastRenderCollData); +}); \ No newline at end of file diff --git a/packages/markdown/.gitignore b/packages/markdown/.gitignore new file mode 100755 index 00000000..677a6fc2 --- /dev/null +++ b/packages/markdown/.gitignore @@ -0,0 +1 @@ +.build* diff --git a/packages/markdown/README.md b/packages/markdown/README.md new file mode 100755 index 00000000..96c5725e --- /dev/null +++ b/packages/markdown/README.md @@ -0,0 +1,40 @@ +markdown +======== + +GitHub flavored markdown parser for Meteor based on marked.js newest version, updated by xet7. + +GFM tables and linebreaks are enabled by default. + + +Usage +----- + +Anywhere inside your template add markdown block and write markdown inside. + +Example: + +``` +{{#markdown}} + +...markdown text here... + +{{/markdown}} +``` + +That's it! + + +Thanks to: +---------- + +- Christopher Jeffrey for marked.js + +- Bozhao Yu for original meteor-markdown package (I just made this package compatible with Meteor 0.9+) + +- Bernhard Millauer - for contributions to this package + +- xet7 for updating to newest GFM package. + +License +------- +MIT diff --git a/packages/markdown/markdown.js b/packages/markdown/markdown.js new file mode 100755 index 00000000..bb015cc4 --- /dev/null +++ b/packages/markdown/markdown.js @@ -0,0 +1,9 @@ +var mark = marked; + +mark.setOptions({ + gfm: true, + tables: true, + breaks: true +}); + +Markdown = mark; diff --git a/packages/markdown/marked/.editorconfig b/packages/markdown/marked/.editorconfig new file mode 100644 index 00000000..97ff4e8a --- /dev/null +++ b/packages/markdown/marked/.editorconfig @@ -0,0 +1,16 @@ +root = true + +[*.{json,js}] +charset = utf-8 +end_of_line = lf +insert_final_newline = true +indent_style = space +indent_size = 2 + +[*.md, !test/*.md] +charset = utf-8 +end_of_line = lf +insert_final_newline = true +trim_trailing_whitespace = true +indent_style = tab +indent_size = 4 \ No newline at end of file diff --git a/packages/markdown/marked/.eslintignore b/packages/markdown/marked/.eslintignore new file mode 100644 index 00000000..121531af --- /dev/null +++ b/packages/markdown/marked/.eslintignore @@ -0,0 +1 @@ +*.min.js diff --git a/packages/markdown/marked/.eslintrc.json b/packages/markdown/marked/.eslintrc.json new file mode 100644 index 00000000..1800cb72 --- /dev/null +++ b/packages/markdown/marked/.eslintrc.json @@ -0,0 +1,29 @@ +{ + "extends": "standard", + "plugins": [ + "standard" + ], + "parserOptions": { "ecmaVersion": 5 }, + "rules": { + "semi": ["error", "always"], + "indent": ["warn", 2, { + "VariableDeclarator": { "var": 2 }, + "SwitchCase": 1, + "outerIIFEBody": 0 + }], + "space-before-function-paren": "off", + "object-curly-spacing": "off", + "operator-linebreak": ["error", "before", { "overrides": { "=": "after" } }], + "no-cond-assign": "off", + "no-useless-escape": "off", + "no-return-assign": "off", + "one-var": "off", + "no-control-regex": "off" + }, + "env": { + "node": true, + "browser": true, + "amd": true, + "jasmine": true + } +} diff --git a/packages/markdown/marked/.gitattributes b/packages/markdown/marked/.gitattributes new file mode 100644 index 00000000..8f2d8c35 --- /dev/null +++ b/packages/markdown/marked/.gitattributes @@ -0,0 +1,2 @@ +test/* linguist-vendored + diff --git a/packages/markdown/marked/.github/ISSUE_TEMPLATE.md b/packages/markdown/marked/.github/ISSUE_TEMPLATE.md new file mode 100644 index 00000000..9df84eaf --- /dev/null +++ b/packages/markdown/marked/.github/ISSUE_TEMPLATE.md @@ -0,0 +1,42 @@ +**Marked version:** + +**Markdown flavor:** Markdown.pl|CommonMark|GitHub Flavored Markdown|n/a + + + + + +## Expectation + +**CommonMark Demo:** [demo](https://spec.commonmark.org/dingus/) + + + + +## Result + +**Marked Demo:** [demo](https://marked.js.org/demo/) + + + + +## What was attempted + + + + diff --git a/packages/markdown/marked/.github/ISSUE_TEMPLATE/Bug_report.md b/packages/markdown/marked/.github/ISSUE_TEMPLATE/Bug_report.md new file mode 100644 index 00000000..d8042b4d --- /dev/null +++ b/packages/markdown/marked/.github/ISSUE_TEMPLATE/Bug_report.md @@ -0,0 +1,27 @@ +--- +name: Bug report +about: Marked says it does this thing but does not + +--- + +**Describe the bug** +A clear and concise description of what the bug is. + +**To Reproduce** +Steps to reproduce the behavior: + + + + + + + +**Expected behavior** +A clear and concise description of what you expected to happen. diff --git a/packages/markdown/marked/.github/ISSUE_TEMPLATE/Feature_request.md b/packages/markdown/marked/.github/ISSUE_TEMPLATE/Feature_request.md new file mode 100644 index 00000000..745d4b43 --- /dev/null +++ b/packages/markdown/marked/.github/ISSUE_TEMPLATE/Feature_request.md @@ -0,0 +1,14 @@ +--- +name: Feature request +about: Marked doesn't do this thing and I think it should + +--- + +**Describe the feature** +A clear and concise description of what you would like. + +**Why is this feature necessary?** +A clear and concise description of why. + +**Describe alternatives you've considered** +A clear and concise description of any alternative solutions or features you've considered. diff --git a/packages/markdown/marked/.github/ISSUE_TEMPLATE/Proposal.md b/packages/markdown/marked/.github/ISSUE_TEMPLATE/Proposal.md new file mode 100644 index 00000000..aa94da3a --- /dev/null +++ b/packages/markdown/marked/.github/ISSUE_TEMPLATE/Proposal.md @@ -0,0 +1,11 @@ +--- +name: Proposal +about: Marked doesn't do this thing and I think it should + +--- + +**What pain point are you perceiving?.** +A clear and concise description of what the problem is. Ex. I'm always frustrated when [...] + +**Describe the solution you'd like** +A clear and concise description of what you want to happen. diff --git a/packages/markdown/marked/.github/PULL_REQUEST_TEMPLATE.md b/packages/markdown/marked/.github/PULL_REQUEST_TEMPLATE.md new file mode 100644 index 00000000..8274e607 --- /dev/null +++ b/packages/markdown/marked/.github/PULL_REQUEST_TEMPLATE.md @@ -0,0 +1,53 @@ + + + +**Marked version:** + + + +**Markdown flavor:** Markdown.pl|CommonMark|GitHub Flavored Markdown|n/a + +## Description + +- Fixes #### (if fixing a known issue; otherwise, describe issue using the following format) + + + +## Contributor + +- [ ] Test(s) exist to ensure functionality and minimize regression (if no tests added, list tests covering this PR); or, +- [ ] no tests required for this PR. +- [ ] If submitting new feature, it has been documented in the appropriate places. + +## Committer + +In most cases, this should be a different person than the contributor. + +- [ ] Draft GitHub release notes have been updated. +- [ ] CI is green (no forced merge required). +- [ ] Merge PR diff --git a/packages/markdown/marked/.github/PULL_REQUEST_TEMPLATE/badges.md b/packages/markdown/marked/.github/PULL_REQUEST_TEMPLATE/badges.md new file mode 100644 index 00000000..2078243d --- /dev/null +++ b/packages/markdown/marked/.github/PULL_REQUEST_TEMPLATE/badges.md @@ -0,0 +1,50 @@ +**@mention the contributor:** + +## Recommendation to: + +- [ ] Change user group +- [ ] Add a badge +- [ ] Remove a badge + + + +## As the one mentioned, I would like to: + +- [ ] accept the recommendation; or, +- [ ] graciously decline; or, +- [ ] dispute the recommendation + +within 30 days, if you have not indicated which option you are taking one of the following will happen: + +1. If adding a badge, we will assume you are graciously declining. +2. If removing a badge, we will assume you do not want to dispute the recommendation; therefore, the badge will be removed. + + + +Note: All committers must approve via review before merging, the disapproving committer can simply close the PR. \ No newline at end of file diff --git a/packages/markdown/marked/.github/PULL_REQUEST_TEMPLATE/release.md b/packages/markdown/marked/.github/PULL_REQUEST_TEMPLATE/release.md new file mode 100644 index 00000000..29cd7f2e --- /dev/null +++ b/packages/markdown/marked/.github/PULL_REQUEST_TEMPLATE/release.md @@ -0,0 +1,25 @@ +## Publisher + +- [ ] `$ npm version` has been run. +- [ ] Release notes in [draft GitHub release](https://github.com/markedjs/marked/releases) are up to date +- [ ] Release notes include which flavors and versions of Markdown are supported by this release +- [ ] Committer checklist is complete. +- [ ] Merge PR. +- [ ] Publish GitHub release using `master` with correct version number. +- [ ] `$ npm publish` has been run. +- [ ] Create draft GitHub release to prepare next release. + +Note: If merges to `master` occur after submitting this PR and before running `$ npm pubish` you should be able to + +1. pull from `upstream/master` (`git pull upstream master`) into the branch holding this version, +2. run `$ npm run build` to regenerate the `min` file, and +3. commit and push the updated changes. + +## Committer + +In most cases, this should be someone different than the publisher. + +- [ ] Version in `package.json` has been updated (see [PUBLISHING.md](https://github.com/markedjs/marked/blob/master/docs/PUBLISHING.md)). +- [ ] The `marked.min.js` has been updated; or, +- [ ] release does not change library. +- [ ] CI is green (no forced merge required). diff --git a/packages/markdown/marked/.gitignore b/packages/markdown/marked/.gitignore new file mode 100644 index 00000000..68ccf75d --- /dev/null +++ b/packages/markdown/marked/.gitignore @@ -0,0 +1,3 @@ +.DS_Store +node_modules/ +test/compiled_tests diff --git a/packages/markdown/marked/.travis.yml b/packages/markdown/marked/.travis.yml new file mode 100644 index 00000000..8ff71da4 --- /dev/null +++ b/packages/markdown/marked/.travis.yml @@ -0,0 +1,46 @@ +language: node_js + +jobs: + fast_finish: true + allow_failures: + - stage: security scan 🔐 + + include: + - stage: unit tests 👩🏽‍💻 + script: npm run test:unit + node_js: lts/* + + - stage: spec tests 👩🏽‍💻 + script: npm run test:specs + node_js: v4 + - node_js: lts/* + - node_js: node + + - stage: lint ✨ + script: npm run test:lint + node_js: lts/* + + - stage: minify 🗜️ + script: | + npm run build + if ! git diff --quiet; then + git config --global user.email "travis@travis-ci.org" + git config --global user.name "Travis-CI" + git config credential.helper "store --file=.git/credentials" + echo "https://${GITHUB_TOKEN}:@github.com" > .git/credentials + git commit -am '🗜️ minify [skip ci]' + git push origin HEAD:${TRAVIS_BRANCH} + fi + node_js: lts/* + if: branch = master AND type = push + + - stage: security scan 🔐 + script: npm run test:redos + node_js: lts/* + +cache: + directories: + - node_modules + +git: + depth: 3 diff --git a/packages/markdown/marked/LICENSE.md b/packages/markdown/marked/LICENSE.md new file mode 100644 index 00000000..64b41a0e --- /dev/null +++ b/packages/markdown/marked/LICENSE.md @@ -0,0 +1,43 @@ +# License information + +## Contribution License Agreement + +If you contribute code to this project, you are implicitly allowing your code +to be distributed under the MIT license. You are also implicitly verifying that +all code is your original work. `` + +## Marked + +Copyright (c) 2011-2018, Christopher Jeffrey (https://github.com/chjj/) + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in +all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN +THE SOFTWARE. + +## Markdown + +Copyright © 2004, John Gruber +http://daringfireball.net/ +All rights reserved. + +Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: + +* Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. +* Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. +* Neither the name “Markdown” nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. + +This software is provided by the copyright holders and contributors “as is” and any express or implied warranties, including, but not limited to, the implied warranties of merchantability and fitness for a particular purpose are disclaimed. In no event shall the copyright owner or contributors be liable for any direct, indirect, incidental, special, exemplary, or consequential damages (including, but not limited to, procurement of substitute goods or services; loss of use, data, or profits; or business interruption) however caused and on any theory of liability, whether in contract, strict liability, or tort (including negligence or otherwise) arising in any way out of the use of this software, even if advised of the possibility of such damage. diff --git a/packages/markdown/marked/Makefile b/packages/markdown/marked/Makefile new file mode 100644 index 00000000..7deead54 --- /dev/null +++ b/packages/markdown/marked/Makefile @@ -0,0 +1,15 @@ +all: + @cp lib/marked.js marked.js + @uglifyjs --comments '/\*[^\0]+?Copyright[^\0]+?\*/' -o marked.min.js lib/marked.js + +clean: + @rm marked.js + @rm marked.min.js + +bench: + @node test --bench + +man/marked.1.txt: + groff -man -Tascii man/marked.1 | col -b > man/marked.1.txt + +.PHONY: clean all diff --git a/packages/markdown/marked/README.md b/packages/markdown/marked/README.md new file mode 100644 index 00000000..2dfd5cd1 --- /dev/null +++ b/packages/markdown/marked/README.md @@ -0,0 +1,76 @@ + + + + +# Marked + +[![npm](https://badgen.net/npm/v/marked)](https://www.npmjs.com/package/marked) +[![gzip size](https://badgen.net/badgesize/gzip/https://cdn.jsdelivr.net/npm/marked/marked.min.js)](https://cdn.jsdelivr.net/npm/marked/marked.min.js) +[![install size](https://badgen.net/packagephobia/install/marked)](https://packagephobia.now.sh/result?p=marked) +[![downloads](https://badgen.net/npm/dt/marked)](https://www.npmjs.com/package/marked) +[![dep](https://badgen.net/david/dep/markedjs/marked?label=deps)](https://david-dm.org/markedjs/marked) +[![dev dep](https://badgen.net/david/dev/markedjs/marked?label=devDeps)](https://david-dm.org/markedjs/marked?type=dev) +[![travis](https://badgen.net/travis/markedjs/marked)](https://travis-ci.org/markedjs/marked) +[![snyk](https://snyk.io/test/npm/marked/badge.svg)](https://snyk.io/test/npm/marked) + +- ⚡ built for speed +- ⬇️ low-level compiler for parsing markdown without caching or blocking for long periods of time +- ⚖️ light-weight while implementing all markdown features from the supported flavors & specifications +- 🌐 works in a browser, on a server, or from a command line interface (CLI) + +## Demo + +Checkout the [demo page](https://marked.js.org/demo/) to see marked in action ⛹️ + +## Docs + +Our [documentation pages](https://marked.js.org) are also rendered using marked 💯 + +Also read about: + +* [Options](https://marked.js.org/#/USING_ADVANCED.md) +* [Extensibility](https://marked.js.org/#/USING_PRO.md) + +## Installation + +**CLI:** `npm install -g marked` + +**In-browser:** `npm install marked` + +## Usage + +### Warning: 🚨 Marked does not [sanitize](https://marked.js.org/#/USING_ADVANCED.md#options) the output HTML by default 🚨 + +**CLI** + +``` bash +$ marked -o hello.html +hello world +^D +$ cat hello.html +

hello world

+``` + +**Browser** + +```html + + + + + Marked in the browser + + +
+ + + + +``` + +## License + +Copyright (c) 2011-2018, Christopher Jeffrey. (MIT License) diff --git a/packages/markdown/marked/bin/marked b/packages/markdown/marked/bin/marked new file mode 100755 index 00000000..0ea63c54 --- /dev/null +++ b/packages/markdown/marked/bin/marked @@ -0,0 +1,215 @@ +#!/usr/bin/env node + +/** + * Marked CLI + * Copyright (c) 2011-2013, Christopher Jeffrey (MIT License) + */ + +var fs = require('fs'), + path = require('path'), + marked = require('../'); + +/** + * Man Page + */ + +function help() { + var spawn = require('child_process').spawn; + + var options = { + cwd: process.cwd(), + env: process.env, + setsid: false, + stdio: 'inherit' + }; + + spawn('man', [path.resolve(__dirname, '/../man/marked.1')], options) + .on('error', function() { + fs.readFile(path.resolve(__dirname, '/../man/marked.1.txt'), 'utf8', function(err, data) { + if (err) throw err; + console.log(data); + }); + }); +} + +function version() { + var pkg = require('../package.json'); + console.log(pkg.version); +} + +/** + * Main + */ + +function main(argv, callback) { + var files = [], + options = {}, + input, + output, + string, + arg, + tokens, + opt; + + function getarg() { + var arg = argv.shift(); + + if (arg.indexOf('--') === 0) { + // e.g. --opt + arg = arg.split('='); + if (arg.length > 1) { + // e.g. --opt=val + argv.unshift(arg.slice(1).join('=')); + } + arg = arg[0]; + } else if (arg[0] === '-') { + if (arg.length > 2) { + // e.g. -abc + argv = arg.substring(1).split('').map(function(ch) { + return '-' + ch; + }).concat(argv); + arg = argv.shift(); + } else { + // e.g. -a + } + } else { + // e.g. foo + } + + return arg; + } + + while (argv.length) { + arg = getarg(); + switch (arg) { + case '--test': + return require('../test').main(process.argv.slice()); + case '-o': + case '--output': + output = argv.shift(); + break; + case '-i': + case '--input': + input = argv.shift(); + break; + case '-s': + case '--string': + string = argv.shift(); + break; + case '-t': + case '--tokens': + tokens = true; + break; + case '-h': + case '--help': + return help(); + case '-v': + case '--version': + return version(); + default: + if (arg.indexOf('--') === 0) { + opt = camelize(arg.replace(/^--(no-)?/, '')); + if (!marked.defaults.hasOwnProperty(opt)) { + continue; + } + if (arg.indexOf('--no-') === 0) { + options[opt] = typeof marked.defaults[opt] !== 'boolean' + ? null + : false; + } else { + options[opt] = typeof marked.defaults[opt] !== 'boolean' + ? argv.shift() + : true; + } + } else { + files.push(arg); + } + break; + } + } + + function getData(callback) { + if (!input) { + if (files.length <= 2) { + if (string) { + return callback(null, string); + } + return getStdin(callback); + } + input = files.pop(); + } + return fs.readFile(input, 'utf8', callback); + } + + return getData(function(err, data) { + if (err) return callback(err); + + data = tokens + ? JSON.stringify(marked.lexer(data, options), null, 2) + : marked(data, options); + + if (!output) { + process.stdout.write(data + '\n'); + return callback(); + } + + return fs.writeFile(output, data, callback); + }); +} + +/** + * Helpers + */ + +function getStdin(callback) { + var stdin = process.stdin, + buff = ''; + + stdin.setEncoding('utf8'); + + stdin.on('data', function(data) { + buff += data; + }); + + stdin.on('error', function(err) { + return callback(err); + }); + + stdin.on('end', function() { + return callback(null, buff); + }); + + try { + stdin.resume(); + } catch (e) { + callback(e); + } +} + +function camelize(text) { + return text.replace(/(\w)-(\w)/g, function(_, a, b) { + return a + b.toUpperCase(); + }); +} + +function handleError(err) { + if (err.code === 'ENOENT') { + console.error(`marked: output to ${err.path}: No such directory`); + return process.exit(1); + } + throw err; +} + +/** + * Expose / Entry Point + */ + +if (!module.parent) { + process.title = 'marked'; + main(process.argv.slice(), function(err, code) { + if (err) return handleError(err); + return process.exit(code || 0); + }); +} else { + module.exports = main; +} diff --git a/packages/markdown/marked/bower.json b/packages/markdown/marked/bower.json new file mode 100644 index 00000000..57c91f03 --- /dev/null +++ b/packages/markdown/marked/bower.json @@ -0,0 +1,23 @@ +{ + "name": "marked", + "homepage": "https://github.com/markedjs/marked", + "authors": [ + "Christopher Jeffrey " + ], + "description": "A markdown parser built for speed", + "keywords": [ + "markdown", + "markup", + "html" + ], + "main": "lib/marked.js", + "license": "MIT", + "ignore": [ + "**/.*", + "node_modules", + "bower_components", + "app/bower_components", + "test", + "tests" + ] +} diff --git a/packages/markdown/marked/component.json b/packages/markdown/marked/component.json new file mode 100644 index 00000000..7ebd0356 --- /dev/null +++ b/packages/markdown/marked/component.json @@ -0,0 +1,10 @@ +{ + "name": "marked", + "version": "0.3.4", + "repo": "markedjs/marked", + "description": "A markdown parser built for speed", + "keywords": ["markdown", "markup", "html"], + "scripts": ["lib/marked.js"], + "main": "lib/marked.js", + "license": "MIT" +} diff --git a/packages/markdown/marked/docs/AUTHORS.md b/packages/markdown/marked/docs/AUTHORS.md new file mode 100644 index 00000000..dd914095 --- /dev/null +++ b/packages/markdown/marked/docs/AUTHORS.md @@ -0,0 +1,269 @@ +# Authors + +Marked takes an encompassing approach to its community. As such, you can think of these as [concentric circles](https://medium.com/the-node-js-collection/healthy-open-source-967fa8be7951), where each group encompases the following groups. + + + + + + + + + + + + + + +
+ + + +
+ Christopher Jeffrey +
Original Author
+ Started the fire +
+ + + +
+ Josh Bruce +
Publisher
+ Release Wrangler; Humaning Helper; Heckler of Hypertext +
+ + + +
+ Steven +
Publisher
+ Release Wrangler; Dr. Docs; Open source, of course; GitHub Guru; Humaning Helper +
+ + + +
+ Jamie Davis +
Committer
+ Seeker of Security +
+ + + +
+ Tony Brix +
Publisher
+ Release Wrangler; Titan of the test harness; Dr. DevOps +
+   +
+ + + + + + + + + + + + + + + + +
+ + + +
+ Brandon der Blätter +
Contributor
+ Curious Contributor +
+ + + +
+ Carlos Valle +
Contributor
+ Maker of the Marked mark from 2018 to present +
+ + + +
+ Federico Soave +
Contributor
+ Regent of the Regex; Master of Marked +
+ + + +
+ Karen Yavine +
Contributor
+ Snyk's Security Saint +
+ + + +
+ Костя Третяк +
Contributor
+ +
+ + + +
+ Tom Theisen +
Contributor
+ Defibrillator +
+ + + +
+ Mateus Craveiro +
Contributor
+ Defibrillator +
+
+ +## Publishers + +Publishers are admins who also have the responsibility, privilege, and burden of publishing the new releases to NPM and performing outreach and external stakeholder communications. Further, when things go pear-shaped, they're the ones taking most of the heat. Finally, when things go well, they're the primary ones praising the contributors who made it possible. + +(In other words, while Admins are focused primarily on the internal workings of the project, Publishers are focused on internal *and* external concerns.) + +**Should not exceed 2:** Having more people with the authority to publish a release can quickly turn into a consensus seeking nightmare (design by committee). Having only one is preferred (Directly Responsible Individual); however, given the nature of the project and its history, having an immediate fallback, and a potential deep fallback (Original author) is probably a good idea. + +[Details on badges](#badges) + +## Admins + +Admins are committers who also have the responsibility, privilege, and burden of selecting committers and making sure the project itself runs smoothly, which includes community maintenance, governance, dispute resolution, and so on. (Letting the contributors easily enter into, and work within, the project to begin contributing, with as little friction as possible.) + +**Should not exceed 3:** When there are too many people with the ability to resolve disputes, the dispute itself can quickly turn into a dispute amongst the admins themselves; therefore, we want this group to be small enough to commit to action and large enough to not put too much burden on one person. (Should ensure faster resolution and responsiveness.) + +To be listed: Admins are usually selected from the pool of committers (or they volunteer, using the same process) who demonstrate good understanding of the marked culture, operations, and do their best to help new contributors get up to speed on how to contribute effectively to the project. + +To be removed: You can remove yourself through the [GitHub UI](https://help.github.com/articles/removing-yourself-from-a-collaborator-s-repository/). + +[Details on badges](#badges) + +## Committers + +Committers are contributors who also have the responsibility, privilege, some might even say burden of being able to review and merge contributions (just usually not their own). + +A note on "decision making authority". This is related to submitting PRs and the [advice process](http://www.reinventingorganizationswiki.com/Decision_Making). The person marked as having decision making authority over a certain area should be sought for advice in that area before committing to a course of action. + +**Should not exceed 5:** For larger PRs affecting more of the codebase and, most likely, review by more people, we try to keep this pool small and responsive and let those with decision making authority have final say without negative repercussions from the other committers. + +To be listed: Committers are usually selected (or they volunteer, using the same process) from contributors who enter the discussions regarding the future direction of Marked (maybe even doing informal reviews of contributions despite not being able to merge them yourself). + +To be removed: You can remove yourself through the [GitHub UI](https://help.github.com/articles/removing-yourself-from-a-collaborator-s-repository/). + +A note on volunteering: + +1. Please do not volunteer unless you believe you can demonstrate to your peers you can do the work required. +2. Please do not overcommit yourself; we count on those committed to the project to be responsive. Really consider, with all you have going on, wehther you able to really commit to it. +3. Don't let the previous frighten you away, it can always be changed later by you or your peers. + +[Details on badges](#badges) + +## Contributors + +Contributors are users who submit a [PR](https://github.com/markedjs/marked/pulls), [Issue](https://github.com/markedjs/marked/issues), or collaborate in making Marked a better product and experience for all the users. + +To be listed: make a contribution and, if it has significant impact, the committers may be able to add you here. + +To be removed: please let us know or submit a PR. + +[Details on badges](#badges) + +## Users + +Users are anyone using Marked in some fashion, without them, there's no reason for us to exist. + +|Individual or Organization |Website |Project |Submitted by | +|:--------------------------|:-----------------------|:------------------------------------|:---------------------------------------------------| +|MarkedJS |https://marked.js.org |https://github.com/markedjs/marked |The marked committers | + +To be listed: All fields are optional. Contact any of the committers or, more timely, submit a pull request with the following (using the first row as an example): + +- **Individual or Organization:** The name you would like associated with the record. +- **Website:** A URL to a standalone website for the project. +- **Project:** A URL for the repository of the project using marked. +- **Submitted by:** The name and optional honorifics for the person adding the listing. + +To be removed: Same as above. Only instead of requesting addition request deletion or delete the row yourself. + +

Badges

+ +Badges? You don't *need* no stinkin' badges. + +Movie references aside. (It was either that or, "Let's play a game", but that would have been creepy…that's why it will most likely come later.) + +Badges? If you *want* 'em, we got 'em, and here's how you get 'em (and…dramatic pause…why not two dramatic pauses for emphasis?… how they can be taken away). + +- [ ] Add the appropriate badge to the desired contributor in the desired column of this page, even if they're not listed here yet. +- [ ] Submit a PR (we're big on PRs around here, if you haven't noticed, help us help you). +- [ ] Follow the instructions for submitting a badge PR. (There are more details to find within. Come on. Everybody likes surprises, right? No? Actually, we just try to put documentation where it belongs, closer to the code and part of the sequence of events.) + +### Badges at play: + +
+
Curious Contributor
+
A contributor with less than one year on this page who is actively engaged in submitting PRs, Issues, making recommendations, sharing thoughts…without being too annoying about it (let's be clear, submitting 100 Issues recommending the Marked Committers send everyone candy is trying for the badge, not honestly earning it).
+
Dr. DevOps
+
+

Someone who understands and contributes to improving the developer experience and flow of Marked into the world.

+
+ "The main characteristic of the DevOps movement is to strongly advocate automation and monitoring at all steps of software construction, from integration, testing, releasing to deployment and infrastructure management. DevOps aims at shorter development cycles, increased deployment frequency, more dependable releases, in close alignment with business objectives." ~ Wikipedia +
+
+
Dr. Docs
+
Someone who has contributed a great deal to the creation and maintainance of the non-code areas of marked.
+
Eye for the CLI
+
At this point? Pretty much anyone who can update that `man` file to the current Marked version without regression in the CLI tool itself.
+
GitHub Guru
+
Someone who always seems to be able to tell you easier ways to do things with GitHub.
+
Humaning Helper
+
Someone who goes out of their way to help contributors feel welcomed and valued. Further, someone who takes the extra steps(s) necessary to help new contributors get up to speed. Finally, they maintain composure even in times of disagreement and dispute resolution.
+
Heckler of Hypertext
+
Someone who demonstrates an esoteric level of knowledge when it comes to HTML. In other words, someone who says things like, "Did you know most Markdown flavors don't have a way to render a description list (`dl`)? All the more reason Markdown `!==` HTML."
+
Markdown Maestro
+
You know that person who knows about way too many different flavors of Markdown? The one who maybe seems a little too obsessed with the possibilities of Markdown beyond HTML? Come on. You know who they are. Or, at least you could, if you give them this badge.
+
Master of Marked
+
Someone who demonstrates they know the ins and outs of the codebase for Marked.
+
Open source, of course
+
Someone who advocates for and has a proven understanding of how to operate within open source communities.
+
Regent of the Regex
+

Can you demonstrate you understand the following without Google and Stackoverflow?

+

/^( *)(bull) [\s\S]+?(?:hr|def|\n{2,}(?! )(?!\1bull )\n*|\s*$)/

+

Because this author can't yet. That's who gets these.

+
+
Seeker of Security
+
Someone who has demonstrated a high degree of expertise or authority when it comes to software security.
+
Titan of the Test Harness
+
Someone who demonstrates high-levels of understanding regarding Marked's test harness.
+
Totally Tron
+
Someone who demonstrates they are willing and able to "fight for the users", both developers dependent on marked to do their jobs as well as end-users interacting with the output (particularly in the realm of those with the disabilities).
+
+ +### Special badges that come with the job: + +
+
Defibrillator
+
A contributor who stepped up to help bring Marked back to life by contriuting solutions to help Marked pass when compared against the CommonMark and GitHub Flavored Markdown specifications.
+
Maker of the Marked mark
+
This badge is given to the person or oganization credited with creating the logo (or logotype) used in Marked communications for a given period of time. **Maker of the Marked mark from 2017 to present**, for example.
+
Release Wrangler
+
This is a badge given to all Publishers.
+
Snyk's Security Saint
+
This is a badge given to whomever primarily reaches out from Snyk to let us know about security issues.
+
diff --git a/packages/markdown/marked/docs/CNAME b/packages/markdown/marked/docs/CNAME new file mode 100644 index 00000000..c92fdfcb --- /dev/null +++ b/packages/markdown/marked/docs/CNAME @@ -0,0 +1 @@ +marked.js.org diff --git a/packages/markdown/marked/docs/CODE_OF_CONDUCT.md b/packages/markdown/marked/docs/CODE_OF_CONDUCT.md new file mode 100644 index 00000000..5335399b --- /dev/null +++ b/packages/markdown/marked/docs/CODE_OF_CONDUCT.md @@ -0,0 +1,74 @@ +# Contributor Covenant Code of Conduct + +## Our Pledge + +In the interest of fostering an open and welcoming environment, we as +contributors and maintainers pledge to making participation in our project and +our community a harassment-free experience for everyone, regardless of age, body +size, disability, ethnicity, gender identity and expression, level of experience, +nationality, personal appearance, race, religion, or sexual identity and +orientation. + +## Our Standards + +Examples of behavior that contributes to creating a positive environment +include: + +* Using welcoming and inclusive language +* Being respectful of differing viewpoints and experiences +* Gracefully accepting constructive criticism +* Focusing on what is best for the community +* Showing empathy towards other community members + +Examples of unacceptable behavior by participants include: + +* The use of sexualized language or imagery and unwelcome sexual attention or +advances +* Trolling, insulting/derogatory comments, and personal or political attacks +* Public or private harassment +* Publishing others' private information, such as a physical or electronic + address, without explicit permission +* Other conduct which could reasonably be considered inappropriate in a + professional setting + +## Our Responsibilities + +Project maintainers are responsible for clarifying the standards of acceptable +behavior and are expected to take appropriate and fair corrective action in +response to any instances of unacceptable behavior. + +Project maintainers have the right and responsibility to remove, edit, or +reject comments, commits, code, wiki edits, issues, and other contributions +that are not aligned to this Code of Conduct, or to block temporarily or +permanently any contributor for other behaviors that they deem inappropriate, +threatening, offensive, or harmful. + +## Scope + +This Code of Conduct applies both within project spaces and in public spaces +when an individual is representing the project or its community. Examples of +representing a project or community include using an official project e-mail +address, posting via an official social media account, or acting as an appointed +representative at an online or offline event. Representation of a project may be +further defined and clarified by project maintainers. + +## Enforcement + +Instances of abusive, harassing, or otherwise unacceptable behavior may be +reported by contacting the project team by submitting a PR with changes to the [AUTHORS](#/AUTHORS.md) page (or emailing josh@8fold.com). All +complaints will be reviewed and investigated and will result in a response that +is deemed necessary and appropriate to the circumstances. The project team is +obligated to maintain confidentiality with regard to the reporter of an incident. +Further details of specific enforcement policies may be posted separately. + +Project maintainers who do not follow or enforce the Code of Conduct in good +faith may face temporary or permanent repercussions as determined by other +members of the project's leadership. + +## Attribution + +This Code of Conduct is adapted from the [Contributor Covenant][homepage], +version [1.4][version]. + +[homepage]: https://www.contributor-covenant.org/ +[version]: https://www.contributor-covenant.org/version/1/4/code-of-conduct.html diff --git a/packages/markdown/marked/docs/CONTRIBUTING.md b/packages/markdown/marked/docs/CONTRIBUTING.md new file mode 100644 index 00000000..ac88ba15 --- /dev/null +++ b/packages/markdown/marked/docs/CONTRIBUTING.md @@ -0,0 +1,92 @@ +# Contributing to Marked + +- [ ] Fork `markedjs/marked`. +- [ ] Clone the library locally using GitHub Desktop or the command line. +- [ ] Make sure you are on the `master` branch. +- [ ] Be sure to run `npm install` or `npm update`. +- [ ] Create a branch. +- [ ] Make as small a change as possible. +- [ ] Run `npm test`, fix any broken things (for linting, you can run `npm run lint` to have the linter fix them for you). +- [ ] Submit a PR. + +## Design principles + +Marked tends to favor following the SOLID set of software design and development principles; mainly the [single responsibility](https://en.wikipedia.org/wiki/Single_responsibility_principle) and [open/closed principles](https://en.wikipedia.org/wiki/Open/closed_principle): + +- **Single responsibility:** Marked, and the components of Marked, have the single responsibility of converting Markdown strings into HTML. +- **Open/closed:** Marked favors giving developers the means to easily extend the library and its components over changing Marked's behavior through configuration options. + +## Priorities + +We think we have our priorities sorted to build quality in. + +The following table lists the ticket type labels we use when there is work to be done on the code either through an Issue or a PR; in priority order. + +|Ticket type label |Description | +|:----------------------------------|:-----------------------------------------------------------------------------------------------------------------------------------------------------------------------------------| +|L0 - security |A security vulnerability within the Marked library is discovered. | +|L1 - broken |Valid usage results in incorrect output compared to [supported specifications](#/README.md#specifications) OR causes marked to crash AND there is no known workaround for the issue. | +|L2 - annoying |Similar to L1 - broken only there is a known workaround available for the issue. | +|RR - refactor and re-engineer |Results in an improvement to developers using Marked (improved readability) or end-users (faster performance) or both. | +|NFS - new feature (spec related) |A capability Marked does not currently provide but is in one of the [supported specifications](#/README.md#specifications) | +|NFU - new feature (user requested) |A capability Marked does not currently provide but has been requested by users of Marked. | + +## Test early, often, and everything + +We try to write test cases to validate output (writing tests based on the [supported specifications](#/README.md#specifications)) and minimize regression (writing tests for issues fixed). Therefore, if you would like to contribute, some things you should know regarding the test harness. + +|Location |Description | +|:-------------|:---------------------------------------------------| +|/test/browser |For testing Marked in a client-side implementation. | +|/test/new |Tests not related to the original `markdown.pl`. | +|/test/original|Tests validating against the original `markdown.pl`.| + +If your test uses features or options, assuming `gfm` is set to `false`, for example, you can add [front-matter](https://www.npmjs.com/package/front-matter) to the top of +your `.md` file + +``` yml +--- +gfm: false +--- +``` + +## Submitting PRs and Issues + +Marked provides templates for submitting both pull requests and issues. When you begin creating a new PR or issue, you will see instructions on using the template. + +The PR templates include checklists for both the submitter and the reviewer, which, in most cases, will not be the same person. + +## Scripts + +When it comes to NPM commands, we try to use the native scripts provided by the NPM framework. + +To run the tests: + +``` bash +npm test +``` + +To test whether you are using the standard syntax rules for the project: + +```bash +npm run test:lint +``` + +To see time comparisons between Marked and other popular Markdown libraries: + +```bash +npm run bench +``` + +To check for (and fix) standardized syntax (lint): + +```bash +npm run lint +``` + +To build your own minified version of Marked: + +```bash +npm run build +``` + diff --git a/packages/markdown/marked/docs/PUBLISHING.md b/packages/markdown/marked/docs/PUBLISHING.md new file mode 100644 index 00000000..27937c2f --- /dev/null +++ b/packages/markdown/marked/docs/PUBLISHING.md @@ -0,0 +1,24 @@ +# Releasing Marked + +- [ ] See [contributing](#/CONTRIBUTING.md) +- [ ] Create release branch from `master` (`release-x.y.z`) +- [ ] Submit PR with minimal name: Release x.y.z +- [ ] Complete PR checklists + +## Overall strategy + +**Master is always shippable:** We try to merge PRs in such a way that `master` is the only branch to really be concerned about *and* `master` can always be released. This allows smoother flow between new fetures, bug fixes, and so on. (Almost a continuous deployment setup, without automation.) + +## Versioning + +We follow [semantic versioning](https://semver.org) where the following sequence is true `[major].[minor].[patch]`; therefore, consider the following implications of the release you are preparing: + +1. **Major:** There is at least one change not deemed backward compatible. +2. **Minor:** There is at least one new feature added to the release. +3. **Patch:** No breaking changes, no new features. + +What to expect while Marked is a zero-major (0.x.y): + +1. The major will remain at zero; thereby, alerting consumers to the potentially volatile nature of the package. +2. The minor will tend to be more analagous to a `major` release. +3. The patch will tend to be more analagous to a `minor` release or a collection of bug fixes (patches). diff --git a/packages/markdown/marked/docs/README.md b/packages/markdown/marked/docs/README.md new file mode 100644 index 00000000..261e4f3b --- /dev/null +++ b/packages/markdown/marked/docs/README.md @@ -0,0 +1,85 @@ +Marked is + +1. built for speed.* +2. a low-level markdown compiler for parsing markdown without caching or blocking for long periods of time.** +3. light-weight while implementing all markdown features from the supported flavors & specifications.*** +4. available as a command line interface (CLI) and running in client- or server-side JavaScript projects. + +

* Still working on metrics for comparative analysis and definition.
+** As few dependencies as possible.
+*** Strict compliance could result in slower processing when running comparative benchmarking.

+ + +

Demo

+ +Checkout the [demo page](./demo/) to see marked in action ⛹️ + +These documentation pages are also rendered using marked 💯 + + +

Installation

+ +**CLI:** `npm install -g marked` + +**In-browser:** `npm install marked` + +

Usage

+ +### Warning: 🚨 Marked does not [sanitize](https://marked.js.org/#/USING_ADVANCED.md#options) the output HTML by default 🚨 + +**CLI** + +``` bash +$ marked -o hello.html +hello world +^D +$ cat hello.html +

hello world

+``` + +``` bash +$ marked -s "*hello world*" +

hello world

+``` + +**Browser** + +```html + + + + + Marked in the browser + + +
+ + + + +``` + + +Marked offers [advanced configurations](#/USING_ADVANCED.md) and [extensibility](#/USING_PRO.md) as well. + +

Supported Markdown specifications

+ +We actively support the features of the following [Markdown flavors](https://github.com/commonmark/CommonMark/wiki/Markdown-Flavors). + +|Flavor |Version | +|:----------------------------------------------------------|:----------| +|The original markdown.pl |-- | +|[CommonMark](http://spec.commonmark.org/0.28/) |0.28 | +|[GitHub Flavored Markdown](https://github.github.com/gfm/) |0.28 | + +By supporting the above Markdown flavors, it's possible that Marked can help you use other flavors as well; however, these are not actively supported by the community. + +

Security

+ +The only completely secure system is the one that doesn't exist in the first place. Having said that, we take the security of Marked very seriously. + +Therefore, please disclose potential security issues by email to the project [committers](#/AUTHORS.md) as well as the [listed owners within NPM](https://docs.npmjs.com/cli/owner). We will provide an initial assessment of security reports within 48 hours and should apply patches within 2 weeks (also, feel free to contribute a fix for the issue). + diff --git a/packages/markdown/marked/docs/USING_ADVANCED.md b/packages/markdown/marked/docs/USING_ADVANCED.md new file mode 100644 index 00000000..6490caa7 --- /dev/null +++ b/packages/markdown/marked/docs/USING_ADVANCED.md @@ -0,0 +1,78 @@ +## The `marked` function + +```js +marked(markdownString [,options] [,callback]) +``` + +|Argument |Type |Notes | +|:---------------------|:------------|:----------------------------------------------------------------------------------------------------| +|markdownString |`string` |String of markdown source to be compiled. | +|options|`object`|Hash of options. Can also use `marked.setOptions`. | +|callback |`function` |Called when `markdownString` has been parsed. Can be used as second argument if no `options` present.| + +### Alternative using reference + +```js +// Create reference instance +var myMarked = require('marked'); + +// Set options +// `highlight` example uses `highlight.js` +myMarked.setOptions({ + renderer: new myMarked.Renderer(), + highlight: function(code) { + return require('highlight.js').highlightAuto(code).value; + }, + pedantic: false, + gfm: true, + tables: true, + breaks: false, + sanitize: false, + smartLists: true, + smartypants: false, + xhtml: false +}); + +// Compile +console.log(myMarked('I am using __markdown__.')); +``` + +

Options

+ +|Member |Type |Default |Since |Notes | +|:-----------|:---------|:--------|:--------|:-------------| +|baseUrl |`string` |`null` |0.3.9 |A prefix url for any relative link. | +|breaks |`boolean` |`false` |v0.2.7 |If true, add `
` on a single line break (copies GitHub). Requires `gfm` be `true`.| +|gfm |`boolean` |`true` |v0.2.1 |If true, use approved [GitHub Flavored Markdown (GFM) specification](https://github.github.com/gfm/).| +|headerIds |`boolean` |`true` |v0.4.0 |If true, include an `id` attribute when emitting headings (h1, h2, h3, etc).| +|headerPrefix|`string` |`''` |v0.3.0 |A string to prefix the `id` attribute when emitting headings (h1, h2, h3, etc).| +|highlight |`function`|`null` |v0.3.0 |A function to highlight code blocks, see Asynchronous highlighting.| +|langPrefix |`string` |`'language-'`|v0.3.0|A string to prefix the className in a `` block. Useful for syntax highlighting.| +|mangle |`boolean` |`true` |v0.3.4 |If true, autolinked email address is escaped with HTML character references.| +|pedantic |`boolean` |`false` |v0.2.1 |If true, conform to the original `markdown.pl` as much as possible. Don't fix original markdown bugs or behavior. Turns off and overrides `gfm`.| +|renderer |`object` |`new Renderer()`|v0.3.0|An object containing functions to render tokens to HTML. See [extensibility](USING_PRO.md) for more details.| +|sanitize |`boolean` |`false` |v0.2.1 |If true, sanitize the HTML passed into `markdownString` with the `sanitizer` function.| +|sanitizer |`function`|`null` |v0.3.4 |A function to sanitize the HTML passed into `markdownString`.| +|silent |`boolean` |`false` |v0.2.7 |If true, the parser does not throw any exception.| +|smartLists |`boolean` |`false` |v0.2.8 |If true, use smarter list behavior than those found in `markdown.pl`.| +|smartypants |`boolean` |`false` |v0.2.9 |If true, use "smart" typographic punctuation for things like quotes and dashes.| +|tables |`boolean` |`true` |v0.2.7 |If true and `gfm` is true, use [GFM Tables extension](https://github.github.com/gfm/#tables-extension-).| +|xhtml |`boolean` |`false` |v0.3.2 |If true, emit self-closing HTML tags for void elements (<br/>, <img/>, etc.) with a "/" as required by XHTML.| + +

Asynchronous highlighting

+ +Unlike `highlight.js` the `pygmentize.js` library uses asynchronous highlighting. This example demonstrates that marked is agnostic when it comes to the highlighter you use. + +```js +myMarked.setOptions({ + highlight: function(code, lang, callback) { + require('pygmentize-bundled') ({ lang: lang, format: 'html' }, code, function (err, result) { + callback(err, result.toString()); + }); + } +}); + +console.log(myMarked(markdownString)); +``` + +In both examples, `code` is a `string` representing the section of code to pass to the highlighter. In this example, `lang` is a `string` informing the highlighter what programming lnaguage to use for the `code` and `callback` is the `function` the asynchronous highlighter will call once complete. diff --git a/packages/markdown/marked/docs/USING_PRO.md b/packages/markdown/marked/docs/USING_PRO.md new file mode 100644 index 00000000..861caa2d --- /dev/null +++ b/packages/markdown/marked/docs/USING_PRO.md @@ -0,0 +1,163 @@ +## Extending Marked + +To champion the single-responsibility and open/closed prinicples, we have tried to make it relatively painless to extend marked. If you are looking to add custom functionality, this is the place to start. + +

The renderer

+ +The renderer is... + +**Example:** Overriding default heading token by adding an embedded anchor tag like on GitHub. + +```js +// Create reference instance +var myMarked = require('marked'); + +// Get reference +var renderer = new myMarked.Renderer(); + +// Override function +renderer.heading = function (text, level) { + var escapedText = text.toLowerCase().replace(/[^\w]+/g, '-'); + + return ` + + + + + ${text} + `; +}; + +// Run marked +console.log(myMarked('# heading+', { renderer: renderer })); +``` + +**Output:** + +```html +

+ + + + heading+ +

+``` + +### Block level renderer methods + +- code(*string* code, *string* infostring, *boolean* escaped) +- blockquote(*string* quote) +- html(*string* html) +- heading(*string* text, *number* level, *string* raw, *Slugger* slugger) +- hr() +- list(*string* body, *boolean* ordered, *number* start) +- listitem(*string* text, *boolean* task, *boolean* checked) +- checkbox(*boolean* checked) +- paragraph(*string* text) +- table(*string* header, *string* body) +- tablerow(*string* content) +- tablecell(*string* content, *object* flags) + +`slugger` has the `slug` method to create an unique id from value: + +```js +slugger.slug('foo') // foo +slugger.slug('foo') // foo-1 +slugger.slug('foo') // foo-2 +slugger.slug('foo 1') // foo-1-1 +slugger.slug('foo-1') // foo-1-2 +... +``` + +`flags` has the following properties: + +```js +{ + header: true || false, + align: 'center' || 'left' || 'right' +} +``` + +### Inline level renderer methods + +- strong(*string* text) +- em(*string* text) +- codespan(*string* code) +- br() +- del(*string* text) +- link(*string* href, *string* title, *string* text) +- image(*string* href, *string* title, *string* text) +- text(*string* text) + +

The lexer

+ +The lexer is... + + +

The parser

+ +The parser is... + +*** + +

Access to lexer and parser

+ +You also have direct access to the lexer and parser if you so desire. + +``` js +var tokens = marked.lexer(text, options); +console.log(marked.parser(tokens)); +``` + +``` js +var lexer = new marked.Lexer(options); +var tokens = lexer.lex(text); +console.log(tokens); +console.log(lexer.rules); +``` + +``` bash +$ node +> require('marked').lexer('> i am using marked.') +[ { type: 'blockquote_start' }, + { type: 'paragraph', + text: 'i am using marked.' }, + { type: 'blockquote_end' }, + links: {} ] +``` + +The Lexers build an array of tokens, which will be passed to their respective +Parsers. The Parsers process each token in the token arrays, +which are removed from the array of tokens: + +``` js +const marked = require('marked'); + +const md = ` + # heading + + [link][1] + + [1]: #heading "heading" +`; + +const tokens = marked.lexer(md); +console.log(tokens); + +const html = marked.parser(tokens); +console.log(html); + +console.log(tokens); +``` + +``` bash +[ { type: 'heading', depth: 1, text: 'heading' }, + { type: 'paragraph', text: ' [link][1]' }, + { type: 'space' }, + links: { '1': { href: '#heading', title: 'heading' } } ] + +

heading

+

link

+ +[ links: { '1': { href: '#heading', title: 'heading' } } ] +``` diff --git a/packages/markdown/marked/docs/broken.md b/packages/markdown/marked/docs/broken.md new file mode 100644 index 00000000..7bfa49e8 --- /dev/null +++ b/packages/markdown/marked/docs/broken.md @@ -0,0 +1,426 @@ +# Markdown is broken + +I have a lot of scraps of markdown engine oddities that I've collected over the +years. What you see below is slightly messy, but it's what I've managed to +cobble together to illustrate the differences between markdown engines, and +why, if there ever is a markdown specification, it has to be absolutely +thorough. There are a lot more of these little differences I have documented +elsewhere. I know I will find them lingering on my disk one day, but until +then, I'll continue to add whatever strange nonsensical things I find. + +Some of these examples may only mention a particular engine compared to marked. +However, the examples with markdown.pl could easily be swapped out for +discount, upskirt, or markdown.js, and you would very easily see even more +inconsistencies. + +A lot of this was written when I was very unsatisfied with the inconsistencies +between markdown engines. Please excuse the frustration noticeable in my +writing. + +## Examples of markdown's "stupid" list parsing + +``` +$ markdown.pl + + * item1 + + * item2 + + text +^D +
    +
  • item1

    + +
      +
    • item2
    • +
    + +

    text

  • +

+``` + + +``` +$ marked + * item1 + + * item2 + + text +^D +
    +
  • item1

    +
      +
    • item2
    • +
    +

    text

    +
  • +
+``` + +Which looks correct to you? + +- - - + +``` +$ markdown.pl +* hello + > world +^D +

    +
  • hello

    + +
    +

    world

  • +

+ +``` + +``` +$ marked +* hello + > world +^D +
    +
  • hello
    +

    world

    +
    +
  • +
+``` + +Again, which looks correct to you? + +- - - + +EXAMPLE: + +``` +$ markdown.pl +* hello + * world + * hi + code +^D +
    +
  • hello +
      +
    • world
    • +
    • hi + code
    • +
  • +
+``` + +The code isn't a code block even though it's after the bullet margin. I know, +lets give it two more spaces, effectively making it 8 spaces past the bullet. + +``` +$ markdown.pl +* hello + * world + * hi + code +^D +
    +
  • hello +
      +
    • world
    • +
    • hi + code
    • +
  • +
+``` + +And, it's still not a code block. Did you also notice that the 3rd item isn't +even its own list? Markdown screws that up too because of its indentation +unaware parsing. + +- - - + +Let's look at some more examples of markdown's list parsing: + +``` +$ markdown.pl + + * item1 + + * item2 + + text +^D +
    +
  • item1

    + +
      +
    • item2
    • +
    + +

    text

  • +

+``` + +Misnested tags. + + +``` +$ marked + * item1 + + * item2 + + text +^D +
    +
  • item1

    +
      +
    • item2
    • +
    +

    text

    +
  • +
+``` + +Which looks correct to you? + +- - - + +``` +$ markdown.pl +* hello + > world +^D +

    +
  • hello

    + +
    +

    world

  • +

+ +``` + +More misnested tags. + + +``` +$ marked +* hello + > world +^D +
    +
  • hello
    +

    world

    +
    +
  • +
+``` + +Again, which looks correct to you? + +- - - + +# Why quality matters - Part 2 + +``` bash +$ markdown.pl +* hello + > world +^D +

    +
  • hello

    + +
    +

    world

  • +

+ +``` + +``` bash +$ sundown # upskirt +* hello + > world +^D +
    +
  • hello +> world
  • +
+``` + +``` bash +$ marked +* hello + > world +^D +
  • hello

    world

+``` + +Which looks correct to you? + +- - - + +See: https://github.com/evilstreak/markdown-js/issues/23 + +``` bash +$ markdown.pl # upskirt/markdown.js/discount +* hello + var a = 1; +* world +^D +
    +
  • hello +var a = 1;
  • +
  • world
  • +
+``` + +``` bash +$ marked +* hello + var a = 1; +* world +^D +
  • hello +
    code>var a = 1;
  • +
  • world
+``` + +Which looks more reasonable? Why shouldn't code blocks be able to appear in +list items in a sane way? + +- - - + +``` bash +$ markdown.js +
hello
+ +hello +^D +

<div>hello</div>

+ +

<span>hello</span>

+``` + +``` bash +$ marked +
hello
+ +hello +^D +
hello
+ + +

hello +

+``` + +- - - + +See: https://github.com/evilstreak/markdown-js/issues/27 + +``` bash +$ markdown.js +[![an image](/image)](/link) +^D +

![an image

+``` + +``` bash +$ marked +[![an image](/image)](/link) +^D +

an image +

+``` + +- - - + +See: https://github.com/evilstreak/markdown-js/issues/24 + +``` bash +$ markdown.js +> a + +> b + +> c +^D +

a

bundefined> c

+``` + +``` bash +$ marked +> a + +> b + +> c +^D +

a + +

+

b + +

+

c +

+``` + +- - - + +``` bash +$ markdown.pl +* hello + * world + how + + are + you + + * today +* hi +^D +
    +
  • hello

    + +
      +
    • world +how
    • +
    + +

    are +you

    + +
      +
    • today
    • +
  • +
  • hi
  • +
+``` + +``` bash +$ marked +* hello + * world + how + + are + you + + * today +* hi +^D +
    +
  • hello

    +
      +
    • world +how

      +

      are +you

      +
    • +
    • today

      +
    • +
    +
  • +
  • hi
  • +
+``` diff --git a/packages/markdown/marked/docs/demo/demo.css b/packages/markdown/marked/docs/demo/demo.css new file mode 100644 index 00000000..398c663a --- /dev/null +++ b/packages/markdown/marked/docs/demo/demo.css @@ -0,0 +1,72 @@ +html, body { + margin: 0; + padding: 0; + font-family: "Helvetica Neue", Helvetica, Arial, sans-serif; + color: #333; + background-color: #fbfbfb; + height: 100%; +} + +textarea { + font-family: Menlo, Monaco, Consolas, "Courier New", monospace; + font-size: 12px; + resize: none; +} + +header { + padding-top: 10px; + display: flex; + height: 58px; +} + +header h1 { + margin: 0; +} + +.github-ribbon { + position: absolute; + top: 0; + right: 0; + border: 0; + z-index: 1000; +} + +.containers { + display: flex; + height: calc(100vh - 68px); +} + +.container { + flex-basis: 50%; + padding: 5px; + display: flex; + flex-direction: column; + height: 100%; + box-sizing: border-box; +} + +.pane, .inputPane { + margin-top: 5px; + padding: 0.6em; + border: 1px solid #ccc; + overflow: auto; + flex-grow: 1; + flex-shrink: 1; +} + +#preview { + display: flex; +} + +#preview iframe { + flex-grow: 1; +} + +#main { + display: none; +} + +.error { + border-color: red; + background-color: #FEE +} diff --git a/packages/markdown/marked/docs/demo/demo.js b/packages/markdown/marked/docs/demo/demo.js new file mode 100644 index 00000000..e7d97c59 --- /dev/null +++ b/packages/markdown/marked/docs/demo/demo.js @@ -0,0 +1,534 @@ +/* globals marked, unfetch, ES6Promise */ + +if (!window.Promise) { + window.Promise = ES6Promise; +} +if (!window.fetch) { + window.fetch = unfetch; +} + +onunhandledrejection = function (e) { + throw e.reason; +}; + +var $loadingElem = document.querySelector('#loading'); +var $mainElem = document.querySelector('#main'); +var $markdownElem = document.querySelector('#markdown'); +var $markedVerElem = document.querySelector('#markedVersion'); +var $commitVerElem = document.querySelector('#commitVersion'); +var $markedVer = document.querySelector('#markedCdn'); +var $optionsElem = document.querySelector('#options'); +var $outputTypeElem = document.querySelector('#outputType'); +var $inputTypeElem = document.querySelector('#inputType'); +var $responseTimeElem = document.querySelector('#responseTime'); +var $previewElem = document.querySelector('#preview'); +var $previewIframe = document.querySelector('#preview iframe'); +var $permalinkElem = document.querySelector('#permalink'); +var $clearElem = document.querySelector('#clear'); +var $htmlElem = document.querySelector('#html'); +var $lexerElem = document.querySelector('#lexer'); +var $panes = document.querySelectorAll('.pane'); +var $inputPanes = document.querySelectorAll('.inputPane'); +var lastInput = ''; +var inputDirty = true; +var $activeOutputElem = null; +var search = searchToObject(); +var markedVersions = { + master: 'https://cdn.jsdelivr.net/gh/markedjs/marked/lib/marked.js' +}; +var markedVersionCache = {}; +var delayTime = 1; +var checkChangeTimeout = null; +var markedWorker; + +$previewIframe.addEventListener('load', handleIframeLoad); + +$outputTypeElem.addEventListener('change', handleOutputChange, false); + +$inputTypeElem.addEventListener('change', handleInputChange, false); + +$markedVerElem.addEventListener('change', handleVersionChange, false); + +$markdownElem.addEventListener('change', handleInput, false); +$markdownElem.addEventListener('keyup', handleInput, false); +$markdownElem.addEventListener('keypress', handleInput, false); +$markdownElem.addEventListener('keydown', handleInput, false); + +$optionsElem.addEventListener('change', handleInput, false); +$optionsElem.addEventListener('keyup', handleInput, false); +$optionsElem.addEventListener('keypress', handleInput, false); +$optionsElem.addEventListener('keydown', handleInput, false); + +$commitVerElem.style.display = 'none'; +$commitVerElem.addEventListener('keypress', handleAddVersion, false); + +$clearElem.addEventListener('click', handleClearClick, false); + +Promise.all([ + setInitialQuickref(), + setInitialOutputType(), + setInitialText(), + setInitialVersion() + .then(setInitialOptions) +]).then(function () { + handleInputChange(); + handleOutputChange(); + checkForChanges(); + setScrollPercent(0); + $loadingElem.style.display = 'none'; + $mainElem.style.display = 'block'; +}); + +function setInitialText() { + if ('text' in search) { + $markdownElem.value = search.text; + } else { + return fetch('./initial.md') + .then(function (res) { return res.text(); }) + .then(function (text) { + if ($markdownElem.value === '') { + $markdownElem.value = text; + } + }); + } +} + +function setInitialQuickref() { + return fetch('./quickref.md') + .then(function (res) { return res.text(); }) + .then(function (text) { + document.querySelector('#quickref').value = text; + }); +} + +function setInitialVersion() { + return fetch('https://data.jsdelivr.com/v1/package/npm/marked') + .then(function (res) { + return res.json(); + }) + .then(function (json) { + for (var i = 0; i < json.versions.length; i++) { + var ver = json.versions[i]; + markedVersions[ver] = 'https://cdn.jsdelivr.net/npm/marked@' + ver + '/lib/marked.js'; + var opt = document.createElement('option'); + opt.textContent = ver; + opt.value = ver; + $markedVerElem.appendChild(opt); + } + }) + .then(function () { + return fetch('https://api.github.com/repos/markedjs/marked/commits') + .then(function (res) { + return res.json(); + }) + .then(function (json) { + markedVersions['master'] = 'https://cdn.jsdelivr.net/gh/markedjs/marked@' + json[0].sha + '/lib/marked.js'; + }) + .catch(function () { + // do nothing + // uses url without commit + }); + }) + .then(function () { + if (search.version) { + if (markedVersions[search.version]) { + return search.version; + } else { + var match = search.version.match(/^(\w+):(.+)$/); + if (match) { + switch (match[1]) { + case 'commit': + addCommitVersion(search.version, match[2].substring(0, 7), match[2]); + return search.version; + case 'pr': + return getPrCommit(match[2]) + .then(function (commit) { + if (!commit) { + return 'master'; + } + addCommitVersion(search.version, 'PR #' + match[2], commit); + return search.version; + }); + } + } + } + } + + return 'master'; + }) + .then(function (version) { + $markedVerElem.value = version; + }) + .then(updateVersion); +} + +function setInitialOptions() { + if ('options' in search) { + $optionsElem.value = search.options; + } else { + setDefaultOptions(); + } +} + +function setInitialOutputType() { + if (search.outputType) { + $outputTypeElem.value = search.outputType; + } +} + +function handleIframeLoad() { + lastInput = ''; + inputDirty = true; +} + +function handleInput() { + inputDirty = true; +}; + +function handleVersionChange() { + if ($markedVerElem.value === 'commit' || $markedVerElem.value === 'pr') { + $commitVerElem.style.display = ''; + } else { + $commitVerElem.style.display = 'none'; + updateVersion(); + } +} + +function handleClearClick() { + $markdownElem.value = ''; + $markedVerElem.value = 'master'; + $commitVerElem.style.display = 'none'; + updateVersion().then(setDefaultOptions); +} + +function handleAddVersion(e) { + if (e.which === 13) { + switch ($markedVerElem.value) { + case 'commit': + var commit = $commitVerElem.value.toLowerCase(); + if (!commit.match(/^[0-9a-f]{40}$/)) { + alert('That is not a valid commit'); + return; + } + addCommitVersion('commit:' + commit, commit.substring(0, 7), commit); + $markedVerElem.value = 'commit:' + commit; + $commitVerElem.style.display = 'none'; + $commitVerElem.value = ''; + updateVersion(); + break; + case 'pr': + $commitVerElem.disabled = true; + var pr = $commitVerElem.value.replace(/\D/g, ''); + getPrCommit(pr) + .then(function (commit) { + $commitVerElem.disabled = false; + if (!commit) { + alert('That is not a valid PR'); + return; + } + addCommitVersion('pr:' + pr, 'PR #' + pr, commit); + $markedVerElem.value = 'pr:' + pr; + $commitVerElem.style.display = 'none'; + $commitVerElem.value = ''; + updateVersion(); + }); + } + } +} + +function handleInputChange() { + handleChange($inputPanes, $inputTypeElem.value); +} + +function handleOutputChange() { + $activeOutputElem = handleChange($panes, $outputTypeElem.value); + updateLink(); +} + +function handleChange(panes, visiblePane) { + var active = null; + for (var i = 0; i < panes.length; i++) { + if (panes[i].id === visiblePane) { + panes[i].style.display = ''; + active = panes[i]; + } else { + panes[i].style.display = 'none'; + } + } + return active; +}; + +function addCommitVersion(value, text, commit) { + if (markedVersions[value]) { + return; + } + markedVersions[value] = 'https://cdn.jsdelivr.net/gh/markedjs/marked@' + commit + '/lib/marked.js'; + var opt = document.createElement('option'); + opt.textContent = text; + opt.value = value; + $markedVerElem.insertBefore(opt, $markedVerElem.firstChild); +} + +function getPrCommit(pr) { + return fetch('https://api.github.com/repos/markedjs/marked/pulls/' + pr + '/commits') + .then(function (res) { + return res.json(); + }) + .then(function (json) { + return json[json.length - 1].sha; + }).catch(function () { + // return undefined + }); +} + +function setDefaultOptions() { + if (window.Worker) { + messageWorker({ + task: 'defaults', + version: markedVersions[$markedVerElem.value] + }); + } else { + var defaults = marked.getDefaults(); + setOptions(defaults); + } +} + +function setOptions(opts) { + $optionsElem.value = JSON.stringify( + opts, + function (key, value) { + if (value && typeof value === 'object' && Object.getPrototypeOf(value) !== Object.prototype) { + return undefined; + } + return value; + }, ' '); +} + +function searchToObject() { + // modified from https://stackoverflow.com/a/7090123/806777 + var pairs = location.search.slice(1).split('&'); + var obj = {}; + + for (var i = 0; i < pairs.length; i++) { + if (pairs[i] === '') { + continue; + } + + var pair = pairs[i].split('='); + + obj[decodeURIComponent(pair.shift())] = decodeURIComponent(pair.join('=')); + } + + return obj; +} + +function jsonString(input) { + var output = (input + '') + .replace(/\n/g, '\\n') + .replace(/\r/g, '\\r') + .replace(/\t/g, '\\t') + .replace(/\f/g, '\\f') + .replace(/[\\"']/g, '\\$&') + .replace(/\u0000/g, '\\0'); + return '"' + output + '"'; +}; + +function getScrollSize() { + var e = $activeOutputElem; + + return e.scrollHeight - e.clientHeight; +}; + +function getScrollPercent() { + var size = getScrollSize(); + + if (size <= 0) { + return 1; + } + + return $activeOutputElem.scrollTop / size; +}; + +function setScrollPercent(percent) { + $activeOutputElem.scrollTop = percent * getScrollSize(); +}; + +function updateLink() { + var outputType = ''; + if ($outputTypeElem.value !== 'preview') { + outputType = 'outputType=' + $outputTypeElem.value + '&'; + } + + $permalinkElem.href = '?' + outputType + 'text=' + encodeURIComponent($markdownElem.value) + + '&options=' + encodeURIComponent($optionsElem.value) + + '&version=' + encodeURIComponent($markedVerElem.value); + history.replaceState('', document.title, $permalinkElem.href); +} + +function updateVersion() { + if (window.Worker) { + handleInput(); + return Promise.resolve(); + } + var promise; + if (markedVersionCache[$markedVerElem.value]) { + promise = Promise.resolve(markedVersionCache[$markedVerElem.value]); + } else { + promise = fetch(markedVersions[$markedVerElem.value]) + .then(function (res) { return res.text(); }) + .then(function (text) { + markedVersionCache[$markedVerElem.value] = text; + return text; + }); + } + return promise.then(function (text) { + var script = document.createElement('script'); + script.textContent = text; + + $markedVer.parentNode.replaceChild(script, $markedVer); + $markedVer = script; + }).then(handleInput); +} + +function checkForChanges() { + if (inputDirty && $markedVerElem.value !== 'commit' && $markedVerElem.value !== 'pr' && (typeof marked !== 'undefined' || window.Worker)) { + inputDirty = false; + + updateLink(); + + var options = {}; + var optionsString = $optionsElem.value || '{}'; + try { + var newOptions = JSON.parse(optionsString); + options = newOptions; + $optionsElem.classList.remove('error'); + } catch (err) { + $optionsElem.classList.add('error'); + } + + var version = markedVersions[$markedVerElem.value]; + var markdown = $markdownElem.value; + var hash = version + markdown + optionsString; + if (lastInput !== hash) { + lastInput = hash; + if (window.Worker) { + delayTime = 100; + messageWorker({ + task: 'parse', + version: version, + markdown: markdown, + options: options + }); + } else { + var startTime = new Date(); + var lexed = marked.lexer(markdown, options); + var lexedList = []; + for (var i = 0; i < lexed.length; i++) { + var lexedLine = []; + for (var j in lexed[i]) { + lexedLine.push(j + ':' + jsonString(lexed[i][j])); + } + lexedList.push('{' + lexedLine.join(', ') + '}'); + } + var parsed = marked.parser(lexed, options); + var scrollPercent = getScrollPercent(); + setParsed(parsed, lexedList.join('\n')); + setScrollPercent(scrollPercent); + var endTime = new Date(); + delayTime = endTime - startTime; + setResponseTime(delayTime); + if (delayTime < 50) { + delayTime = 50; + } else if (delayTime > 500) { + delayTime = 1000; + } + } + } + } + checkChangeTimeout = window.setTimeout(checkForChanges, delayTime); +}; + +function setResponseTime(ms) { + var amount = ms; + var suffix = 'ms'; + if (ms > 1000 * 60 * 60) { + amount = 'Too Long'; + suffix = ''; + } else if (ms > 1000 * 60) { + amount = '>' + Math.floor(ms / (1000 * 60)); + suffix = 'm'; + } else if (ms > 1000) { + amount = '>' + Math.floor(ms / 1000); + suffix = 's'; + } + $responseTimeElem.textContent = amount + suffix; +} + +function setParsed(parsed, lexed) { + try { + $previewIframe.contentDocument.body.innerHTML = parsed; + } catch (ex) {} + $htmlElem.value = parsed; + $lexerElem.value = lexed; +} + +function messageWorker(message) { + if (!markedWorker || markedWorker.working) { + if (markedWorker) { + clearTimeout(markedWorker.timeout); + markedWorker.terminate(); + } + markedWorker = new Worker('worker.js'); + markedWorker.onmessage = function (e) { + clearTimeout(markedWorker.timeout); + markedWorker.working = false; + switch (e.data.task) { + case 'defaults': + setOptions(e.data.defaults); + break; + case 'parse': + $previewElem.classList.remove('error'); + $htmlElem.classList.remove('error'); + $lexerElem.classList.remove('error'); + var scrollPercent = getScrollPercent(); + setParsed(e.data.parsed, e.data.lexed); + setScrollPercent(scrollPercent); + setResponseTime(e.data.time); + break; + } + clearTimeout(checkChangeTimeout); + delayTime = 10; + checkForChanges(); + }; + markedWorker.onerror = markedWorker.onmessageerror = function (err) { + clearTimeout(markedWorker.timeout); + var error = 'There was an error in the Worker'; + if (err) { + if (err.message) { + error = err.message; + } else { + error = err; + } + } + error = error.replace(/^Uncaught Error: /, ''); + $previewElem.classList.add('error'); + $htmlElem.classList.add('error'); + $lexerElem.classList.add('error'); + setParsed(error, error); + setScrollPercent(0); + }; + } + if (message.task !== 'defaults') { + markedWorker.working = true; + workerTimeout(0); + } + markedWorker.postMessage(message); +} + +function workerTimeout(seconds) { + markedWorker.timeout = setTimeout(function () { + seconds++; + markedWorker.onerror('Marked has taken longer than ' + seconds + ' second' + (seconds > 1 ? 's' : '') + ' to respond...'); + workerTimeout(seconds); + }, 1000); +} diff --git a/packages/markdown/marked/docs/demo/index.html b/packages/markdown/marked/docs/demo/index.html new file mode 100644 index 00000000..96a8ec14 --- /dev/null +++ b/packages/markdown/marked/docs/demo/index.html @@ -0,0 +1,78 @@ + + + + + Marked Demo + + + + + + Fork me on GitHub + + +
+ + + +

Marked Demo

+
+ +
Loading...
+
+
+
+
+ Input · + · + Version: + + · + + +
+ + +
+ +
+
+ · + Response Time: + +
+ +
+ + +
+ + + + + + +
+
+
+ + + + + + + diff --git a/packages/markdown/marked/docs/demo/initial.md b/packages/markdown/marked/docs/demo/initial.md new file mode 100644 index 00000000..d2b7d77c --- /dev/null +++ b/packages/markdown/marked/docs/demo/initial.md @@ -0,0 +1,36 @@ +Marked - Markdown Parser +======================== + +[Marked] lets you convert [Markdown] into HTML. Markdown is a simple text format whose goal is to be very easy to read and write, even when not converted to HTML. This demo page will let you type anything you like and see how it gets converted. Live. No more waiting around. + +How To Use The Demo +------------------- + +1. Type in stuff on the left. +2. See the live updates on the right. + +That's it. Pretty simple. There's also a drop-down option in the upper right to switch between various views: + +- **Preview:** A live display of the generated HTML as it would render in a browser. +- **HTML Source:** The generated HTML before your browser makes it pretty. +- **Lexer Data:** What [marked] uses internally, in case you like gory stuff like this. +- **Quick Reference:** A brief run-down of how to format things using markdown. + +Why Markdown? +------------- + +It's easy. It's not overly bloated, unlike HTML. Also, as the creator of [markdown] says, + +> The overriding design goal for Markdown's +> formatting syntax is to make it as readable +> as possible. The idea is that a +> Markdown-formatted document should be +> publishable as-is, as plain text, without +> looking like it's been marked up with tags +> or formatting instructions. + +Ready to start writing? Either start changing stuff on the left or +[clear everything](/demo/?text=) with a simple click. + +[Marked]: https://github.com/markedjs/marked/ +[Markdown]: http://daringfireball.net/projects/markdown/ diff --git a/packages/markdown/marked/docs/demo/preview.html b/packages/markdown/marked/docs/demo/preview.html new file mode 100644 index 00000000..7e8c89fe --- /dev/null +++ b/packages/markdown/marked/docs/demo/preview.html @@ -0,0 +1,12 @@ + + + + + + marked.js preview + + + + + + diff --git a/packages/markdown/marked/docs/demo/quickref.md b/packages/markdown/marked/docs/demo/quickref.md new file mode 100644 index 00000000..10f09bda --- /dev/null +++ b/packages/markdown/marked/docs/demo/quickref.md @@ -0,0 +1,167 @@ +Markdown Quick Reference +======================== + +This guide is a very brief overview, with examples, of the syntax that [Markdown] supports. It is itself written in Markdown and you can copy the samples over to the left-hand pane for experimentation. It's shown as *text* and not *rendered HTML*. + +[Markdown]: http://daringfireball.net/projects/markdown/ + + +Simple Text Formatting +====================== + +First thing is first. You can use *stars* or _underscores_ for italics. **Double stars** and __double underscores__ do bold. ***Three together*** do ___both___. + +Paragraphs are pretty easy too. Just have a blank line between chunks of text. + +> This chunk of text is in a block quote. Its multiple lines will all be +> indended a bit from the rest of the text. +> +> > Multiple levels of block quotes also work. + +Sometimes you want to include some code, such as when you are explaining how `

` HTML tags work, or maybe you are a programmer and you are discussing `someMethod()`. + +If you want to include some code and have +newlines preserved, indent the line with a tab +or at least four spaces. + Extra spaces work here too. +This is also called preformatted text and it is useful for showing examples. +The text will stay as text, so any *markdown* or HTML you add will +not show up formatted. This way you can show markdown examples in a +markdown document. + +> You can also use preformatted text with your blockquotes +> as long as you add at least five spaces. + + +Headings +======== + +There are a couple of ways to make headings. Using three or more equals signs on a line under a heading makes it into an "h1" style. Three or more hyphens under a line makes it "h2" (slightly smaller). You can also use multiple pound symbols before and after a heading. Pounds after the title are ignored. Here's some examples: + +This is H1 +========== + +This is H2 +---------- + +# This is H1 +## This is H2 +### This is H3 with some extra pounds ### +#### You get the idea #### +##### I don't need extra pounds at the end +###### H6 is the max + + +Links +===== + +Let's link to a few sites. First, let's use the bare URL, like . Great for text, but ugly for HTML. +Next is an inline link to [Google](http://www.google.com). A little nicer. +This is a reference-style link to [Wikipedia] [1]. +Lastly, here's a pretty link to [Yahoo]. The reference-style and pretty links both automatically use the links defined below, but they could be defined *anywhere* in the markdown and are removed from the HTML. The names are also case insensitive, so you can use [YaHoO] and have it link properly. + +[1]: http://www.wikipedia.org/ +[Yahoo]: http://www.yahoo.com/ + +Title attributes may be added to links by adding text after a link. +This is the [inline link](http://www.bing.com "Bing") with a "Bing" title. +You can also go to [W3C] [2] and maybe visit a [friend]. + +[2]: http://w3c.org (The W3C puts out specs for web-based things) +[Friend]: http://facebook.com/ "Facebook!" + +Email addresses in plain text are not linked: test@example.com. +Email addresses wrapped in angle brackets are linked: . +They are also obfuscated so that email harvesting spam robots hopefully won't get them. + + +Lists +===== + +* This is a bulleted list +* Great for shopping lists +- You can also use hyphens ++ Or plus symbols + +The above is an "unordered" list. Now, on for a bit of order. + +1. Numbered lists are also easy +2. Just start with a number +3738762. However, the actual number doesn't matter when converted to HTML. +1. This will still show up as 4. + +You might want a few advanced lists: + +- This top-level list is wrapped in paragraph tags +- This generates an extra space between each top-level item. + +- You do it by adding a blank line + +- This nested list also has blank lines between the list items. + +- How to create nested lists +1. Start your regular list +2. Indent nested lists with four spaces +3. Further nesting means you should indent with four more spaces + * This line is indented with eight spaces. + +- List items can be quite lengthy. You can keep typing and either continue +them on the next line with no indentation. + +- Alternately, if that looks ugly, you can also +indent the next line a bit for a prettier look. + +- You can put large blocks of text in your list by just indenting with four spaces. + +This is formatted the same as code, but you can inspect the HTML +and find that it's just wrapped in a `

` tag and *won't* be shown +as preformatted text. + +You can keep adding more and more paragraphs to a single +list item by adding the traditional blank line and then keep +on indenting the paragraphs with four spaces. You really need +to only indent the first line, but that looks ugly. + +- Lists support blockquotes + +> Just like this example here. By the way, you can +> nest lists inside blockquotes! +> - Fantastic! + +- Lists support preformatted text + + You just need to indent eight spaces. + + +Even More +========= + +Horizontal Rule +--------------- + +If you need a horizontal rule you just need to put at least three hyphens, asterisks, or underscores on a line by themselves. You can also even put spaces between the characters. + +--- +**************************** +_ _ _ _ _ _ _ + +Those three all produced horizontal lines. Keep in mind that three hyphens under any text turns that text into a heading, so add a blank like if you use hyphens. + +Images +------ + +Images work exactly like links, but they have exclamation points in front. They work with references and titles too. + +![Google Logo](http://www.google.com/images/errors/logo_sm.gif) and ![Happy]. + +[Happy]: http://www.wpclipart.com/smiley/simple_smiley/smiley_face_simple_green_small.png ("Smiley face") + + +Inline HTML +----------- + +If markdown is too limiting, you can just insert your own crazy HTML. Span-level HTML can *still* use markdown. Block level elements must be separated from text by a blank line and must not have any spaces before the opening and closing HTML. + +

+It is a pity, but markdown does **not** work in here for most markdown parsers. [Marked] handles it pretty well. +
diff --git a/packages/markdown/marked/docs/demo/worker.js b/packages/markdown/marked/docs/demo/worker.js new file mode 100644 index 00000000..06b8befe --- /dev/null +++ b/packages/markdown/marked/docs/demo/worker.js @@ -0,0 +1,105 @@ +/* globals marked, unfetch, ES6Promise */ +if (!self.Promise) { + self.importScripts('https://cdn.jsdelivr.net/npm/es6-promise/dist/es6-promise.js'); + self.Promise = ES6Promise; +} +if (!self.fetch) { + self.importScripts('https://cdn.jsdelivr.net/npm/unfetch/dist/unfetch.umd.js'); + self.fetch = unfetch; +} + +var versionCache = {}; +var currentVersion; + +onunhandledrejection = function (e) { + throw e.reason; +}; + +onmessage = function (e) { + if (e.data.version === currentVersion) { + parse(e); + } else { + loadVersion(e.data.version).then(function () { + parse(e); + }); + } +}; + +function parse(e) { + switch (e.data.task) { + case 'defaults': + + var defaults = {}; + if (typeof marked.getDefaults === 'function') { + defaults = marked.getDefaults(); + delete defaults.renderer; + } else if ('defaults' in marked) { + for (var prop in marked.defaults) { + if (prop !== 'renderer') { + defaults[prop] = marked.defaults[prop]; + } + } + } + postMessage({ + task: e.data.task, + defaults: defaults + }); + break; + case 'parse': + var startTime = new Date(); + var lexed = marked.lexer(e.data.markdown, e.data.options); + var lexedList = []; + for (var i = 0; i < lexed.length; i++) { + var lexedLine = []; + for (var j in lexed[i]) { + lexedLine.push(j + ':' + jsonString(lexed[i][j])); + } + lexedList.push('{' + lexedLine.join(', ') + '}'); + } + var parsed = marked.parser(lexed, e.data.options); + var endTime = new Date(); + // setTimeout(function () { + postMessage({ + task: e.data.task, + lexed: lexedList.join('\n'), + parsed: parsed, + time: endTime - startTime + }); + // }, 10000); + break; + } +} + +function jsonString(input) { + var output = (input + '') + .replace(/\n/g, '\\n') + .replace(/\r/g, '\\r') + .replace(/\t/g, '\\t') + .replace(/\f/g, '\\f') + .replace(/[\\"']/g, '\\$&') + .replace(/\u0000/g, '\\0'); + return '"' + output + '"'; +}; + +function loadVersion(ver) { + var promise; + if (versionCache[ver]) { + promise = Promise.resolve(versionCache[ver]); + } else { + promise = fetch(ver) + .then(function (res) { return res.text(); }) + .then(function (text) { + versionCache[ver] = text; + return text; + }); + } + return promise.then(function (text) { + try { + // eslint-disable-next-line no-new-func + Function(text)(); + } catch (err) { + throw new Error('Cannot load that version of marked'); + } + currentVersion = ver; + }); +} diff --git a/packages/markdown/marked/docs/img/logo-black-and-white.svg b/packages/markdown/marked/docs/img/logo-black-and-white.svg new file mode 100644 index 00000000..5f6c0b78 --- /dev/null +++ b/packages/markdown/marked/docs/img/logo-black-and-white.svg @@ -0,0 +1,133 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/packages/markdown/marked/docs/img/logo-black.svg b/packages/markdown/marked/docs/img/logo-black.svg new file mode 100644 index 00000000..a67fb80e --- /dev/null +++ b/packages/markdown/marked/docs/img/logo-black.svg @@ -0,0 +1,32 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/packages/markdown/marked/docs/index.html b/packages/markdown/marked/docs/index.html new file mode 100644 index 00000000..07a4d5ee --- /dev/null +++ b/packages/markdown/marked/docs/index.html @@ -0,0 +1,269 @@ + + + + + Marked.js Documentation + + + + + + +
+
+ + + +

Marked.js Documentation

+
+ +
+ + + + + + diff --git a/packages/markdown/marked/index.js b/packages/markdown/marked/index.js new file mode 100644 index 00000000..a12f9056 --- /dev/null +++ b/packages/markdown/marked/index.js @@ -0,0 +1 @@ +module.exports = require('./lib/marked'); diff --git a/packages/markdown/marked/jasmine.json b/packages/markdown/marked/jasmine.json new file mode 100644 index 00000000..bec42542 --- /dev/null +++ b/packages/markdown/marked/jasmine.json @@ -0,0 +1,11 @@ +{ + "spec_dir": "test", + "spec_files": [ + "**/*-spec.js" + ], + "helpers": [ + "helpers/helpers.js" + ], + "stopSpecOnExpectationFailure": false, + "random": true +} diff --git a/packages/markdown/marked/lib/marked.js b/packages/markdown/marked/lib/marked.js new file mode 100644 index 00000000..39c25f26 --- /dev/null +++ b/packages/markdown/marked/lib/marked.js @@ -0,0 +1,1689 @@ +/** + * marked - a markdown parser + * Copyright (c) 2011-2018, Christopher Jeffrey. (MIT Licensed) + * https://github.com/markedjs/marked + */ + +;(function(root) { +'use strict'; + +/** + * Block-Level Grammar + */ + +var block = { + newline: /^\n+/, + code: /^( {4}[^\n]+\n*)+/, + fences: noop, + hr: /^ {0,3}((?:- *){3,}|(?:_ *){3,}|(?:\* *){3,})(?:\n+|$)/, + heading: /^ *(#{1,6}) *([^\n]+?) *(?:#+ *)?(?:\n+|$)/, + nptable: noop, + blockquote: /^( {0,3}> ?(paragraph|[^\n]*)(?:\n|$))+/, + list: /^( {0,3})(bull) [\s\S]+?(?:hr|def|\n{2,}(?! )(?!\1bull )\n*|\s*$)/, + html: '^ {0,3}(?:' // optional indentation + + '<(script|pre|style)[\\s>][\\s\\S]*?(?:[^\\n]*\\n+|$)' // (1) + + '|comment[^\\n]*(\\n+|$)' // (2) + + '|<\\?[\\s\\S]*?\\?>\\n*' // (3) + + '|\\n*' // (4) + + '|\\n*' // (5) + + '|)[\\s\\S]*?(?:\\n{2,}|$)' // (6) + + '|<(?!script|pre|style)([a-z][\\w-]*)(?:attribute)*? */?>(?=[ \\t]*(?:\\n|$))[\\s\\S]*?(?:\\n{2,}|$)' // (7) open tag + + '|(?=[ \\t]*(?:\\n|$))[\\s\\S]*?(?:\\n{2,}|$)' // (7) closing tag + + ')', + def: /^ {0,3}\[(label)\]: *\n? *]+)>?(?:(?: +\n? *| *\n *)(title))? *(?:\n+|$)/, + table: noop, + lheading: /^([^\n]+)\n *(=|-){2,} *(?:\n+|$)/, + paragraph: /^([^\n]+(?:\n(?!hr|heading|lheading| {0,3}>|<\/?(?:tag)(?: +|\n|\/?>)|<(?:script|pre|style|!--))[^\n]+)*)/, + text: /^[^\n]+/ +}; + +block._label = /(?!\s*\])(?:\\[\[\]]|[^\[\]])+/; +block._title = /(?:"(?:\\"?|[^"\\])*"|'[^'\n]*(?:\n[^'\n]+)*\n?'|\([^()]*\))/; +block.def = edit(block.def) + .replace('label', block._label) + .replace('title', block._title) + .getRegex(); + +block.bullet = /(?:[*+-]|\d{1,9}\.)/; +block.item = /^( *)(bull) ?[^\n]*(?:\n(?!\1bull ?)[^\n]*)*/; +block.item = edit(block.item, 'gm') + .replace(/bull/g, block.bullet) + .getRegex(); + +block.list = edit(block.list) + .replace(/bull/g, block.bullet) + .replace('hr', '\\n+(?=\\1?(?:(?:- *){3,}|(?:_ *){3,}|(?:\\* *){3,})(?:\\n+|$))') + .replace('def', '\\n+(?=' + block.def.source + ')') + .getRegex(); + +block._tag = 'address|article|aside|base|basefont|blockquote|body|caption' + + '|center|col|colgroup|dd|details|dialog|dir|div|dl|dt|fieldset|figcaption' + + '|figure|footer|form|frame|frameset|h[1-6]|head|header|hr|html|iframe' + + '|legend|li|link|main|menu|menuitem|meta|nav|noframes|ol|optgroup|option' + + '|p|param|section|source|summary|table|tbody|td|tfoot|th|thead|title|tr' + + '|track|ul'; +block._comment = //; +block.html = edit(block.html, 'i') + .replace('comment', block._comment) + .replace('tag', block._tag) + .replace('attribute', / +[a-zA-Z:_][\w.:-]*(?: *= *"[^"\n]*"| *= *'[^'\n]*'| *= *[^\s"'=<>`]+)?/) + .getRegex(); + +block.paragraph = edit(block.paragraph) + .replace('hr', block.hr) + .replace('heading', block.heading) + .replace('lheading', block.lheading) + .replace('tag', block._tag) // pars can be interrupted by type (6) html blocks + .getRegex(); + +block.blockquote = edit(block.blockquote) + .replace('paragraph', block.paragraph) + .getRegex(); + +/** + * Normal Block Grammar + */ + +block.normal = merge({}, block); + +/** + * GFM Block Grammar + */ + +block.gfm = merge({}, block.normal, { + fences: /^ {0,3}(`{3,}|~{3,})([^`\n]*)\n(?:|([\s\S]*?)\n)(?: {0,3}\1[~`]* *(?:\n+|$)|$)/, + paragraph: /^/, + heading: /^ *(#{1,6}) +([^\n]+?) *#* *(?:\n+|$)/ +}); + +block.gfm.paragraph = edit(block.paragraph) + .replace('(?!', '(?!' + + block.gfm.fences.source.replace('\\1', '\\2') + '|' + + block.list.source.replace('\\1', '\\3') + '|') + .getRegex(); + +/** + * GFM + Tables Block Grammar + */ + +block.tables = merge({}, block.gfm, { + nptable: /^ *([^|\n ].*\|.*)\n *([-:]+ *\|[-| :]*)(?:\n((?:.*[^>\n ].*(?:\n|$))*)\n*|$)/, + table: /^ *\|(.+)\n *\|?( *[-:]+[-| :]*)(?:\n((?: *[^>\n ].*(?:\n|$))*)\n*|$)/ +}); + +/** + * Pedantic grammar + */ + +block.pedantic = merge({}, block.normal, { + html: edit( + '^ *(?:comment *(?:\\n|\\s*$)' + + '|<(tag)[\\s\\S]+? *(?:\\n{2,}|\\s*$)' // closed tag + + '|\\s]*)*?/?> *(?:\\n{2,}|\\s*$))') + .replace('comment', block._comment) + .replace(/tag/g, '(?!(?:' + + 'a|em|strong|small|s|cite|q|dfn|abbr|data|time|code|var|samp|kbd|sub' + + '|sup|i|b|u|mark|ruby|rt|rp|bdi|bdo|span|br|wbr|ins|del|img)' + + '\\b)\\w+(?!:|[^\\w\\s@]*@)\\b') + .getRegex(), + def: /^ *\[([^\]]+)\]: *]+)>?(?: +(["(][^\n]+[")]))? *(?:\n+|$)/ +}); + +/** + * Block Lexer + */ + +function Lexer(options) { + this.tokens = []; + this.tokens.links = Object.create(null); + this.options = options || marked.defaults; + this.rules = block.normal; + + if (this.options.pedantic) { + this.rules = block.pedantic; + } else if (this.options.gfm) { + if (this.options.tables) { + this.rules = block.tables; + } else { + this.rules = block.gfm; + } + } +} + +/** + * Expose Block Rules + */ + +Lexer.rules = block; + +/** + * Static Lex Method + */ + +Lexer.lex = function(src, options) { + var lexer = new Lexer(options); + return lexer.lex(src); +}; + +/** + * Preprocessing + */ + +Lexer.prototype.lex = function(src) { + src = src + .replace(/\r\n|\r/g, '\n') + .replace(/\t/g, ' ') + .replace(/\u00a0/g, ' ') + .replace(/\u2424/g, '\n'); + + return this.token(src, true); +}; + +/** + * Lexing + */ + +Lexer.prototype.token = function(src, top) { + src = src.replace(/^ +$/gm, ''); + var next, + loose, + cap, + bull, + b, + item, + listStart, + listItems, + t, + space, + i, + tag, + l, + isordered, + istask, + ischecked; + + while (src) { + // newline + if (cap = this.rules.newline.exec(src)) { + src = src.substring(cap[0].length); + if (cap[0].length > 1) { + this.tokens.push({ + type: 'space' + }); + } + } + + // code + if (cap = this.rules.code.exec(src)) { + src = src.substring(cap[0].length); + cap = cap[0].replace(/^ {4}/gm, ''); + this.tokens.push({ + type: 'code', + text: !this.options.pedantic + ? rtrim(cap, '\n') + : cap + }); + continue; + } + + // fences (gfm) + if (cap = this.rules.fences.exec(src)) { + src = src.substring(cap[0].length); + this.tokens.push({ + type: 'code', + lang: cap[2] ? cap[2].trim() : cap[2], + text: cap[3] || '' + }); + continue; + } + + // heading + if (cap = this.rules.heading.exec(src)) { + src = src.substring(cap[0].length); + this.tokens.push({ + type: 'heading', + depth: cap[1].length, + text: cap[2] + }); + continue; + } + + // table no leading pipe (gfm) + if (cap = this.rules.nptable.exec(src)) { + item = { + type: 'table', + header: splitCells(cap[1].replace(/^ *| *\| *$/g, '')), + align: cap[2].replace(/^ *|\| *$/g, '').split(/ *\| */), + cells: cap[3] ? cap[3].replace(/\n$/, '').split('\n') : [] + }; + + if (item.header.length === item.align.length) { + src = src.substring(cap[0].length); + + for (i = 0; i < item.align.length; i++) { + if (/^ *-+: *$/.test(item.align[i])) { + item.align[i] = 'right'; + } else if (/^ *:-+: *$/.test(item.align[i])) { + item.align[i] = 'center'; + } else if (/^ *:-+ *$/.test(item.align[i])) { + item.align[i] = 'left'; + } else { + item.align[i] = null; + } + } + + for (i = 0; i < item.cells.length; i++) { + item.cells[i] = splitCells(item.cells[i], item.header.length); + } + + this.tokens.push(item); + + continue; + } + } + + // hr + if (cap = this.rules.hr.exec(src)) { + src = src.substring(cap[0].length); + this.tokens.push({ + type: 'hr' + }); + continue; + } + + // blockquote + if (cap = this.rules.blockquote.exec(src)) { + src = src.substring(cap[0].length); + + this.tokens.push({ + type: 'blockquote_start' + }); + + cap = cap[0].replace(/^ *> ?/gm, ''); + + // Pass `top` to keep the current + // "toplevel" state. This is exactly + // how markdown.pl works. + this.token(cap, top); + + this.tokens.push({ + type: 'blockquote_end' + }); + + continue; + } + + // list + if (cap = this.rules.list.exec(src)) { + src = src.substring(cap[0].length); + bull = cap[2]; + isordered = bull.length > 1; + + listStart = { + type: 'list_start', + ordered: isordered, + start: isordered ? +bull : '', + loose: false + }; + + this.tokens.push(listStart); + + // Get each top-level item. + cap = cap[0].match(this.rules.item); + + listItems = []; + next = false; + l = cap.length; + i = 0; + + for (; i < l; i++) { + item = cap[i]; + + // Remove the list item's bullet + // so it is seen as the next token. + space = item.length; + item = item.replace(/^ *([*+-]|\d+\.) */, ''); + + // Outdent whatever the + // list item contains. Hacky. + if (~item.indexOf('\n ')) { + space -= item.length; + item = !this.options.pedantic + ? item.replace(new RegExp('^ {1,' + space + '}', 'gm'), '') + : item.replace(/^ {1,4}/gm, ''); + } + + // Determine whether the next list item belongs here. + // Backpedal if it does not belong in this list. + if (i !== l - 1) { + b = block.bullet.exec(cap[i + 1])[0]; + if (bull.length > 1 ? b.length === 1 + : (b.length > 1 || (this.options.smartLists && b !== bull))) { + src = cap.slice(i + 1).join('\n') + src; + i = l - 1; + } + } + + // Determine whether item is loose or not. + // Use: /(^|\n)(?! )[^\n]+\n\n(?!\s*$)/ + // for discount behavior. + loose = next || /\n\n(?!\s*$)/.test(item); + if (i !== l - 1) { + next = item.charAt(item.length - 1) === '\n'; + if (!loose) loose = next; + } + + if (loose) { + listStart.loose = true; + } + + // Check for task list items + istask = /^\[[ xX]\] /.test(item); + ischecked = undefined; + if (istask) { + ischecked = item[1] !== ' '; + item = item.replace(/^\[[ xX]\] +/, ''); + } + + t = { + type: 'list_item_start', + task: istask, + checked: ischecked, + loose: loose + }; + + listItems.push(t); + this.tokens.push(t); + + // Recurse. + this.token(item, false); + + this.tokens.push({ + type: 'list_item_end' + }); + } + + if (listStart.loose) { + l = listItems.length; + i = 0; + for (; i < l; i++) { + listItems[i].loose = true; + } + } + + this.tokens.push({ + type: 'list_end' + }); + + continue; + } + + // html + if (cap = this.rules.html.exec(src)) { + src = src.substring(cap[0].length); + this.tokens.push({ + type: this.options.sanitize + ? 'paragraph' + : 'html', + pre: !this.options.sanitizer + && (cap[1] === 'pre' || cap[1] === 'script' || cap[1] === 'style'), + text: cap[0] + }); + continue; + } + + // def + if (top && (cap = this.rules.def.exec(src))) { + src = src.substring(cap[0].length); + if (cap[3]) cap[3] = cap[3].substring(1, cap[3].length - 1); + tag = cap[1].toLowerCase().replace(/\s+/g, ' '); + if (!this.tokens.links[tag]) { + this.tokens.links[tag] = { + href: cap[2], + title: cap[3] + }; + } + continue; + } + + // table (gfm) + if (cap = this.rules.table.exec(src)) { + item = { + type: 'table', + header: splitCells(cap[1].replace(/^ *| *\| *$/g, '')), + align: cap[2].replace(/^ *|\| *$/g, '').split(/ *\| */), + cells: cap[3] ? cap[3].replace(/\n$/, '').split('\n') : [] + }; + + if (item.header.length === item.align.length) { + src = src.substring(cap[0].length); + + for (i = 0; i < item.align.length; i++) { + if (/^ *-+: *$/.test(item.align[i])) { + item.align[i] = 'right'; + } else if (/^ *:-+: *$/.test(item.align[i])) { + item.align[i] = 'center'; + } else if (/^ *:-+ *$/.test(item.align[i])) { + item.align[i] = 'left'; + } else { + item.align[i] = null; + } + } + + for (i = 0; i < item.cells.length; i++) { + item.cells[i] = splitCells( + item.cells[i].replace(/^ *\| *| *\| *$/g, ''), + item.header.length); + } + + this.tokens.push(item); + + continue; + } + } + + // lheading + if (cap = this.rules.lheading.exec(src)) { + src = src.substring(cap[0].length); + this.tokens.push({ + type: 'heading', + depth: cap[2] === '=' ? 1 : 2, + text: cap[1] + }); + continue; + } + + // top-level paragraph + if (top && (cap = this.rules.paragraph.exec(src))) { + src = src.substring(cap[0].length); + this.tokens.push({ + type: 'paragraph', + text: cap[1].charAt(cap[1].length - 1) === '\n' + ? cap[1].slice(0, -1) + : cap[1] + }); + continue; + } + + // text + if (cap = this.rules.text.exec(src)) { + // Top-level should never reach here. + src = src.substring(cap[0].length); + this.tokens.push({ + type: 'text', + text: cap[0] + }); + continue; + } + + if (src) { + throw new Error('Infinite loop on byte: ' + src.charCodeAt(0)); + } + } + + return this.tokens; +}; + +/** + * Inline-Level Grammar + */ + +var inline = { + escape: /^\\([!"#$%&'()*+,\-./:;<=>?@\[\]\\^_`{|}~])/, + autolink: /^<(scheme:[^\s\x00-\x1f<>]*|email)>/, + url: noop, + tag: '^comment' + + '|^' // self-closing tag + + '|^<[a-zA-Z][\\w-]*(?:attribute)*?\\s*/?>' // open tag + + '|^<\\?[\\s\\S]*?\\?>' // processing instruction, e.g. + + '|^' // declaration, e.g. + + '|^', // CDATA section + link: /^!?\[(label)\]\(href(?:\s+(title))?\s*\)/, + reflink: /^!?\[(label)\]\[(?!\s*\])((?:\\[\[\]]?|[^\[\]\\])+)\]/, + nolink: /^!?\[(?!\s*\])((?:\[[^\[\]]*\]|\\[\[\]]|[^\[\]])*)\](?:\[\])?/, + strong: /^__([^\s_])__(?!_)|^\*\*([^\s*])\*\*(?!\*)|^__([^\s][\s\S]*?[^\s])__(?!_)|^\*\*([^\s][\s\S]*?[^\s])\*\*(?!\*)/, + em: /^_([^\s_])_(?!_)|^\*([^\s*"<\[])\*(?!\*)|^_([^\s][\s\S]*?[^\s_])_(?!_|[^\spunctuation])|^_([^\s_][\s\S]*?[^\s])_(?!_|[^\spunctuation])|^\*([^\s"<\[][\s\S]*?[^\s*])\*(?!\*)|^\*([^\s*"<\[][\s\S]*?[^\s])\*(?!\*)/, + code: /^(`+)([^`]|[^`][\s\S]*?[^`])\1(?!`)/, + br: /^( {2,}|\\)\n(?!\s*$)/, + del: noop, + text: /^(`+|[^`])(?:[\s\S]*?(?:(?=[\\?@\\[^_{|}~'; +inline.em = edit(inline.em).replace(/punctuation/g, inline._punctuation).getRegex(); + +inline._escapes = /\\([!"#$%&'()*+,\-./:;<=>?@\[\]\\^_`{|}~])/g; + +inline._scheme = /[a-zA-Z][a-zA-Z0-9+.-]{1,31}/; +inline._email = /[a-zA-Z0-9.!#$%&'*+/=?^_`{|}~-]+(@)[a-zA-Z0-9](?:[a-zA-Z0-9-]{0,61}[a-zA-Z0-9])?(?:\.[a-zA-Z0-9](?:[a-zA-Z0-9-]{0,61}[a-zA-Z0-9])?)+(?![-_])/; +inline.autolink = edit(inline.autolink) + .replace('scheme', inline._scheme) + .replace('email', inline._email) + .getRegex(); + +inline._attribute = /\s+[a-zA-Z:_][\w.:-]*(?:\s*=\s*"[^"]*"|\s*=\s*'[^']*'|\s*=\s*[^\s"'=<>`]+)?/; + +inline.tag = edit(inline.tag) + .replace('comment', block._comment) + .replace('attribute', inline._attribute) + .getRegex(); + +inline._label = /(?:\[[^\[\]]*\]|\\[\[\]]?|`[^`]*`|`(?!`)|[^\[\]\\`])*?/; +inline._href = /\s*(<(?:\\[<>]?|[^\s<>\\])*>|[^\s\x00-\x1f]*)/; +inline._title = /"(?:\\"?|[^"\\])*"|'(?:\\'?|[^'\\])*'|\((?:\\\)?|[^)\\])*\)/; + +inline.link = edit(inline.link) + .replace('label', inline._label) + .replace('href', inline._href) + .replace('title', inline._title) + .getRegex(); + +inline.reflink = edit(inline.reflink) + .replace('label', inline._label) + .getRegex(); + +/** + * Normal Inline Grammar + */ + +inline.normal = merge({}, inline); + +/** + * Pedantic Inline Grammar + */ + +inline.pedantic = merge({}, inline.normal, { + strong: /^__(?=\S)([\s\S]*?\S)__(?!_)|^\*\*(?=\S)([\s\S]*?\S)\*\*(?!\*)/, + em: /^_(?=\S)([\s\S]*?\S)_(?!_)|^\*(?=\S)([\s\S]*?\S)\*(?!\*)/, + link: edit(/^!?\[(label)\]\((.*?)\)/) + .replace('label', inline._label) + .getRegex(), + reflink: edit(/^!?\[(label)\]\s*\[([^\]]*)\]/) + .replace('label', inline._label) + .getRegex() +}); + +/** + * GFM Inline Grammar + */ + +inline.gfm = merge({}, inline.normal, { + escape: edit(inline.escape).replace('])', '~|])').getRegex(), + _extended_email: /[A-Za-z0-9._+-]+(@)[a-zA-Z0-9-_]+(?:\.[a-zA-Z0-9-_]*[a-zA-Z0-9])+(?![-_])/, + url: /^((?:ftp|https?):\/\/|www\.)(?:[a-zA-Z0-9\-]+\.?)+[^\s<]*|^email/, + _backpedal: /(?:[^?!.,:;*_~()&]+|\([^)]*\)|&(?![a-zA-Z0-9]+;$)|[?!.,:;*_~)]+(?!$))+/, + del: /^~+(?=\S)([\s\S]*?\S)~+/, + text: /^(`+|[^`])(?:[\s\S]*?(?:(?=[\\/i.test(cap[0])) { + this.inLink = false; + } + if (!this.inRawBlock && /^<(pre|code|kbd|script)(\s|>)/i.test(cap[0])) { + this.inRawBlock = true; + } else if (this.inRawBlock && /^<\/(pre|code|kbd|script)(\s|>)/i.test(cap[0])) { + this.inRawBlock = false; + } + + src = src.substring(cap[0].length); + out += this.options.sanitize + ? this.options.sanitizer + ? this.options.sanitizer(cap[0]) + : escape(cap[0]) + : cap[0]; + continue; + } + + // link + if (cap = this.rules.link.exec(src)) { + var lastParenIndex = findClosingBracket(cap[2], '()'); + if (lastParenIndex > -1) { + var linkLen = cap[0].length - (cap[2].length - lastParenIndex) - (cap[3] || '').length; + cap[2] = cap[2].substring(0, lastParenIndex); + cap[0] = cap[0].substring(0, linkLen).trim(); + cap[3] = ''; + } + src = src.substring(cap[0].length); + this.inLink = true; + href = cap[2]; + if (this.options.pedantic) { + link = /^([^'"]*[^\s])\s+(['"])(.*)\2/.exec(href); + + if (link) { + href = link[1]; + title = link[3]; + } else { + title = ''; + } + } else { + title = cap[3] ? cap[3].slice(1, -1) : ''; + } + href = href.trim().replace(/^<([\s\S]*)>$/, '$1'); + out += this.outputLink(cap, { + href: InlineLexer.escapes(href), + title: InlineLexer.escapes(title) + }); + this.inLink = false; + continue; + } + + // reflink, nolink + if ((cap = this.rules.reflink.exec(src)) + || (cap = this.rules.nolink.exec(src))) { + src = src.substring(cap[0].length); + link = (cap[2] || cap[1]).replace(/\s+/g, ' '); + link = this.links[link.toLowerCase()]; + if (!link || !link.href) { + out += cap[0].charAt(0); + src = cap[0].substring(1) + src; + continue; + } + this.inLink = true; + out += this.outputLink(cap, link); + this.inLink = false; + continue; + } + + // strong + if (cap = this.rules.strong.exec(src)) { + src = src.substring(cap[0].length); + out += this.renderer.strong(this.output(cap[4] || cap[3] || cap[2] || cap[1])); + continue; + } + + // em + if (cap = this.rules.em.exec(src)) { + src = src.substring(cap[0].length); + out += this.renderer.em(this.output(cap[6] || cap[5] || cap[4] || cap[3] || cap[2] || cap[1])); + continue; + } + + // code + if (cap = this.rules.code.exec(src)) { + src = src.substring(cap[0].length); + out += this.renderer.codespan(escape(cap[2].trim(), true)); + continue; + } + + // br + if (cap = this.rules.br.exec(src)) { + src = src.substring(cap[0].length); + out += this.renderer.br(); + continue; + } + + // del (gfm) + if (cap = this.rules.del.exec(src)) { + src = src.substring(cap[0].length); + out += this.renderer.del(this.output(cap[1])); + continue; + } + + // autolink + if (cap = this.rules.autolink.exec(src)) { + src = src.substring(cap[0].length); + if (cap[2] === '@') { + text = escape(this.mangle(cap[1])); + href = 'mailto:' + text; + } else { + text = escape(cap[1]); + href = text; + } + out += this.renderer.link(href, null, text); + continue; + } + + // url (gfm) + if (!this.inLink && (cap = this.rules.url.exec(src))) { + if (cap[2] === '@') { + text = escape(cap[0]); + href = 'mailto:' + text; + } else { + // do extended autolink path validation + do { + prevCapZero = cap[0]; + cap[0] = this.rules._backpedal.exec(cap[0])[0]; + } while (prevCapZero !== cap[0]); + text = escape(cap[0]); + if (cap[1] === 'www.') { + href = 'http://' + text; + } else { + href = text; + } + } + src = src.substring(cap[0].length); + out += this.renderer.link(href, null, text); + continue; + } + + // text + if (cap = this.rules.text.exec(src)) { + src = src.substring(cap[0].length); + if (this.inRawBlock) { + out += this.renderer.text(cap[0]); + } else { + out += this.renderer.text(escape(this.smartypants(cap[0]))); + } + continue; + } + + if (src) { + throw new Error('Infinite loop on byte: ' + src.charCodeAt(0)); + } + } + + return out; +}; + +InlineLexer.escapes = function(text) { + return text ? text.replace(InlineLexer.rules._escapes, '$1') : text; +}; + +/** + * Compile Link + */ + +InlineLexer.prototype.outputLink = function(cap, link) { + var href = link.href, + title = link.title ? escape(link.title) : null; + + return cap[0].charAt(0) !== '!' + ? this.renderer.link(href, title, this.output(cap[1])) + : this.renderer.image(href, title, escape(cap[1])); +}; + +/** + * Smartypants Transformations + */ + +InlineLexer.prototype.smartypants = function(text) { + if (!this.options.smartypants) return text; + return text + // em-dashes + .replace(/---/g, '\u2014') + // en-dashes + .replace(/--/g, '\u2013') + // opening singles + .replace(/(^|[-\u2014/(\[{"\s])'/g, '$1\u2018') + // closing singles & apostrophes + .replace(/'/g, '\u2019') + // opening doubles + .replace(/(^|[-\u2014/(\[{\u2018\s])"/g, '$1\u201c') + // closing doubles + .replace(/"/g, '\u201d') + // ellipses + .replace(/\.{3}/g, '\u2026'); +}; + +/** + * Mangle Links + */ + +InlineLexer.prototype.mangle = function(text) { + if (!this.options.mangle) return text; + var out = '', + l = text.length, + i = 0, + ch; + + for (; i < l; i++) { + ch = text.charCodeAt(i); + if (Math.random() > 0.5) { + ch = 'x' + ch.toString(16); + } + out += '&#' + ch + ';'; + } + + return out; +}; + +/** + * Renderer + */ + +function Renderer(options) { + this.options = options || marked.defaults; +} + +Renderer.prototype.code = function(code, infostring, escaped) { + var lang = (infostring || '').match(/\S*/)[0]; + if (this.options.highlight) { + var out = this.options.highlight(code, lang); + if (out != null && out !== code) { + escaped = true; + code = out; + } + } + + if (!lang) { + return '
'
+      + (escaped ? code : escape(code, true))
+      + '
'; + } + + return '
'
+    + (escaped ? code : escape(code, true))
+    + '
\n'; +}; + +Renderer.prototype.blockquote = function(quote) { + return '
\n' + quote + '
\n'; +}; + +Renderer.prototype.html = function(html) { + return html; +}; + +Renderer.prototype.heading = function(text, level, raw, slugger) { + if (this.options.headerIds) { + return '' + + text + + '\n'; + } + // ignore IDs + return '' + text + '\n'; +}; + +Renderer.prototype.hr = function() { + return this.options.xhtml ? '
\n' : '
\n'; +}; + +Renderer.prototype.list = function(body, ordered, start) { + var type = ordered ? 'ol' : 'ul', + startatt = (ordered && start !== 1) ? (' start="' + start + '"') : ''; + return '<' + type + startatt + '>\n' + body + '\n'; +}; + +Renderer.prototype.listitem = function(text) { + return '
  • ' + text + '
  • \n'; +}; + +Renderer.prototype.checkbox = function(checked) { + return ' '; +}; + +Renderer.prototype.paragraph = function(text) { + return '

    ' + text + '

    \n'; +}; + +Renderer.prototype.table = function(header, body) { + if (body) body = '' + body + ''; + + return '\n' + + '\n' + + header + + '\n' + + body + + '
    \n'; +}; + +Renderer.prototype.tablerow = function(content) { + return '\n' + content + '\n'; +}; + +Renderer.prototype.tablecell = function(content, flags) { + var type = flags.header ? 'th' : 'td'; + var tag = flags.align + ? '<' + type + ' align="' + flags.align + '">' + : '<' + type + '>'; + return tag + content + '\n'; +}; + +// span level renderer +Renderer.prototype.strong = function(text) { + return '' + text + ''; +}; + +Renderer.prototype.em = function(text) { + return '' + text + ''; +}; + +Renderer.prototype.codespan = function(text) { + return '' + text + ''; +}; + +Renderer.prototype.br = function() { + return this.options.xhtml ? '
    ' : '
    '; +}; + +Renderer.prototype.del = function(text) { + return '' + text + ''; +}; + +Renderer.prototype.link = function(href, title, text) { + href = cleanUrl(this.options.sanitize, this.options.baseUrl, href); + if (href === null) { + return text; + } + var out = ''; + return out; +}; + +Renderer.prototype.image = function(href, title, text) { + href = cleanUrl(this.options.sanitize, this.options.baseUrl, href); + if (href === null) { + return text; + } + + var out = '' + text + '' : '>'; + return out; +}; + +Renderer.prototype.text = function(text) { + return text; +}; + +/** + * TextRenderer + * returns only the textual part of the token + */ + +function TextRenderer() {} + +// no need for block level renderers + +TextRenderer.prototype.strong = +TextRenderer.prototype.em = +TextRenderer.prototype.codespan = +TextRenderer.prototype.del = +TextRenderer.prototype.text = function (text) { + return text; +}; + +TextRenderer.prototype.link = +TextRenderer.prototype.image = function(href, title, text) { + return '' + text; +}; + +TextRenderer.prototype.br = function() { + return ''; +}; + +/** + * Parsing & Compiling + */ + +function Parser(options) { + this.tokens = []; + this.token = null; + this.options = options || marked.defaults; + this.options.renderer = this.options.renderer || new Renderer(); + this.renderer = this.options.renderer; + this.renderer.options = this.options; + this.slugger = new Slugger(); +} + +/** + * Static Parse Method + */ + +Parser.parse = function(src, options) { + var parser = new Parser(options); + return parser.parse(src); +}; + +/** + * Parse Loop + */ + +Parser.prototype.parse = function(src) { + this.inline = new InlineLexer(src.links, this.options); + // use an InlineLexer with a TextRenderer to extract pure text + this.inlineText = new InlineLexer( + src.links, + merge({}, this.options, {renderer: new TextRenderer()}) + ); + this.tokens = src.reverse(); + + var out = ''; + while (this.next()) { + out += this.tok(); + } + + return out; +}; + +/** + * Next Token + */ + +Parser.prototype.next = function() { + return this.token = this.tokens.pop(); +}; + +/** + * Preview Next Token + */ + +Parser.prototype.peek = function() { + return this.tokens[this.tokens.length - 1] || 0; +}; + +/** + * Parse Text Tokens + */ + +Parser.prototype.parseText = function() { + var body = this.token.text; + + while (this.peek().type === 'text') { + body += '\n' + this.next().text; + } + + return this.inline.output(body); +}; + +/** + * Parse Current Token + */ + +Parser.prototype.tok = function() { + switch (this.token.type) { + case 'space': { + return ''; + } + case 'hr': { + return this.renderer.hr(); + } + case 'heading': { + return this.renderer.heading( + this.inline.output(this.token.text), + this.token.depth, + unescape(this.inlineText.output(this.token.text)), + this.slugger); + } + case 'code': { + return this.renderer.code(this.token.text, + this.token.lang, + this.token.escaped); + } + case 'table': { + var header = '', + body = '', + i, + row, + cell, + j; + + // header + cell = ''; + for (i = 0; i < this.token.header.length; i++) { + cell += this.renderer.tablecell( + this.inline.output(this.token.header[i]), + { header: true, align: this.token.align[i] } + ); + } + header += this.renderer.tablerow(cell); + + for (i = 0; i < this.token.cells.length; i++) { + row = this.token.cells[i]; + + cell = ''; + for (j = 0; j < row.length; j++) { + cell += this.renderer.tablecell( + this.inline.output(row[j]), + { header: false, align: this.token.align[j] } + ); + } + + body += this.renderer.tablerow(cell); + } + return this.renderer.table(header, body); + } + case 'blockquote_start': { + body = ''; + + while (this.next().type !== 'blockquote_end') { + body += this.tok(); + } + + return this.renderer.blockquote(body); + } + case 'list_start': { + body = ''; + var ordered = this.token.ordered, + start = this.token.start; + + while (this.next().type !== 'list_end') { + body += this.tok(); + } + + return this.renderer.list(body, ordered, start); + } + case 'list_item_start': { + body = ''; + var loose = this.token.loose; + var checked = this.token.checked; + var task = this.token.task; + + if (this.token.task) { + body += this.renderer.checkbox(checked); + } + + while (this.next().type !== 'list_item_end') { + body += !loose && this.token.type === 'text' + ? this.parseText() + : this.tok(); + } + return this.renderer.listitem(body, task, checked); + } + case 'html': { + // TODO parse inline content if parameter markdown=1 + return this.renderer.html(this.token.text); + } + case 'paragraph': { + return this.renderer.paragraph(this.inline.output(this.token.text)); + } + case 'text': { + return this.renderer.paragraph(this.parseText()); + } + default: { + var errMsg = 'Token with "' + this.token.type + '" type was not found.'; + if (this.options.silent) { + console.log(errMsg); + } else { + throw new Error(errMsg); + } + } + } +}; + +/** + * Slugger generates header id + */ + +function Slugger () { + this.seen = {}; +} + +/** + * Convert string to unique id + */ + +Slugger.prototype.slug = function (value) { + var slug = value + .toLowerCase() + .trim() + .replace(/[\u2000-\u206F\u2E00-\u2E7F\\'!"#$%&()*+,./:;<=>?@[\]^`{|}~]/g, '') + .replace(/\s/g, '-'); + + if (this.seen.hasOwnProperty(slug)) { + var originalSlug = slug; + do { + this.seen[originalSlug]++; + slug = originalSlug + '-' + this.seen[originalSlug]; + } while (this.seen.hasOwnProperty(slug)); + } + this.seen[slug] = 0; + + return slug; +}; + +/** + * Helpers + */ + +function escape(html, encode) { + if (encode) { + if (escape.escapeTest.test(html)) { + return html.replace(escape.escapeReplace, function (ch) { return escape.replacements[ch]; }); + } + } else { + if (escape.escapeTestNoEncode.test(html)) { + return html.replace(escape.escapeReplaceNoEncode, function (ch) { return escape.replacements[ch]; }); + } + } + + return html; +} + +escape.escapeTest = /[&<>"']/; +escape.escapeReplace = /[&<>"']/g; +escape.replacements = { + '&': '&', + '<': '<', + '>': '>', + '"': '"', + "'": ''' +}; + +escape.escapeTestNoEncode = /[<>"']|&(?!#?\w+;)/; +escape.escapeReplaceNoEncode = /[<>"']|&(?!#?\w+;)/g; + +function unescape(html) { + // explicitly match decimal, hex, and named HTML entities + return html.replace(/&(#(?:\d+)|(?:#x[0-9A-Fa-f]+)|(?:\w+));?/ig, function(_, n) { + n = n.toLowerCase(); + if (n === 'colon') return ':'; + if (n.charAt(0) === '#') { + return n.charAt(1) === 'x' + ? String.fromCharCode(parseInt(n.substring(2), 16)) + : String.fromCharCode(+n.substring(1)); + } + return ''; + }); +} + +function edit(regex, opt) { + regex = regex.source || regex; + opt = opt || ''; + return { + replace: function(name, val) { + val = val.source || val; + val = val.replace(/(^|[^\[])\^/g, '$1'); + regex = regex.replace(name, val); + return this; + }, + getRegex: function() { + return new RegExp(regex, opt); + } + }; +} + +function cleanUrl(sanitize, base, href) { + if (sanitize) { + try { + var prot = decodeURIComponent(unescape(href)) + .replace(/[^\w:]/g, '') + .toLowerCase(); + } catch (e) { + return null; + } + if (prot.indexOf('javascript:') === 0 || prot.indexOf('vbscript:') === 0 || prot.indexOf('data:') === 0) { + return null; + } + } + if (base && !originIndependentUrl.test(href)) { + href = resolveUrl(base, href); + } + try { + href = encodeURI(href).replace(/%25/g, '%'); + } catch (e) { + return null; + } + return href; +} + +function resolveUrl(base, href) { + if (!baseUrls[' ' + base]) { + // we can ignore everything in base after the last slash of its path component, + // but we might need to add _that_ + // https://tools.ietf.org/html/rfc3986#section-3 + if (/^[^:]+:\/*[^/]*$/.test(base)) { + baseUrls[' ' + base] = base + '/'; + } else { + baseUrls[' ' + base] = rtrim(base, '/', true); + } + } + base = baseUrls[' ' + base]; + + if (href.slice(0, 2) === '//') { + return base.replace(/:[\s\S]*/, ':') + href; + } else if (href.charAt(0) === '/') { + return base.replace(/(:\/*[^/]*)[\s\S]*/, '$1') + href; + } else { + return base + href; + } +} +var baseUrls = {}; +var originIndependentUrl = /^$|^[a-z][a-z0-9+.-]*:|^[?#]/i; + +function noop() {} +noop.exec = noop; + +function merge(obj) { + var i = 1, + target, + key; + + for (; i < arguments.length; i++) { + target = arguments[i]; + for (key in target) { + if (Object.prototype.hasOwnProperty.call(target, key)) { + obj[key] = target[key]; + } + } + } + + return obj; +} + +function splitCells(tableRow, count) { + // ensure that every cell-delimiting pipe has a space + // before it to distinguish it from an escaped pipe + var row = tableRow.replace(/\|/g, function (match, offset, str) { + var escaped = false, + curr = offset; + while (--curr >= 0 && str[curr] === '\\') escaped = !escaped; + if (escaped) { + // odd number of slashes means | is escaped + // so we leave it alone + return '|'; + } else { + // add space before unescaped | + return ' |'; + } + }), + cells = row.split(/ \|/), + i = 0; + + if (cells.length > count) { + cells.splice(count); + } else { + while (cells.length < count) cells.push(''); + } + + for (; i < cells.length; i++) { + // leading or trailing whitespace is ignored per the gfm spec + cells[i] = cells[i].trim().replace(/\\\|/g, '|'); + } + return cells; +} + +// Remove trailing 'c's. Equivalent to str.replace(/c*$/, ''). +// /c*$/ is vulnerable to REDOS. +// invert: Remove suffix of non-c chars instead. Default falsey. +function rtrim(str, c, invert) { + if (str.length === 0) { + return ''; + } + + // Length of suffix matching the invert condition. + var suffLen = 0; + + // Step left until we fail to match the invert condition. + while (suffLen < str.length) { + var currChar = str.charAt(str.length - suffLen - 1); + if (currChar === c && !invert) { + suffLen++; + } else if (currChar !== c && invert) { + suffLen++; + } else { + break; + } + } + + return str.substr(0, str.length - suffLen); +} + +function findClosingBracket(str, b) { + if (str.indexOf(b[1]) === -1) { + return -1; + } + var level = 0; + for (var i = 0; i < str.length; i++) { + if (str[i] === '\\') { + i++; + } else if (str[i] === b[0]) { + level++; + } else if (str[i] === b[1]) { + level--; + if (level < 0) { + return i; + } + } + } + return -1; +} + +/** + * Marked + */ + +function marked(src, opt, callback) { + // throw error in case of non string input + if (typeof src === 'undefined' || src === null) { + throw new Error('marked(): input parameter is undefined or null'); + } + if (typeof src !== 'string') { + throw new Error('marked(): input parameter is of type ' + + Object.prototype.toString.call(src) + ', string expected'); + } + + if (callback || typeof opt === 'function') { + if (!callback) { + callback = opt; + opt = null; + } + + opt = merge({}, marked.defaults, opt || {}); + + var highlight = opt.highlight, + tokens, + pending, + i = 0; + + try { + tokens = Lexer.lex(src, opt); + } catch (e) { + return callback(e); + } + + pending = tokens.length; + + var done = function(err) { + if (err) { + opt.highlight = highlight; + return callback(err); + } + + var out; + + try { + out = Parser.parse(tokens, opt); + } catch (e) { + err = e; + } + + opt.highlight = highlight; + + return err + ? callback(err) + : callback(null, out); + }; + + if (!highlight || highlight.length < 3) { + return done(); + } + + delete opt.highlight; + + if (!pending) return done(); + + for (; i < tokens.length; i++) { + (function(token) { + if (token.type !== 'code') { + return --pending || done(); + } + return highlight(token.text, token.lang, function(err, code) { + if (err) return done(err); + if (code == null || code === token.text) { + return --pending || done(); + } + token.text = code; + token.escaped = true; + --pending || done(); + }); + })(tokens[i]); + } + + return; + } + try { + if (opt) opt = merge({}, marked.defaults, opt); + return Parser.parse(Lexer.lex(src, opt), opt); + } catch (e) { + e.message += '\nPlease report this to https://github.com/markedjs/marked.'; + if ((opt || marked.defaults).silent) { + return '

    An error occurred:

    '
    +        + escape(e.message + '', true)
    +        + '
    '; + } + throw e; + } +} + +/** + * Options + */ + +marked.options = +marked.setOptions = function(opt) { + merge(marked.defaults, opt); + return marked; +}; + +marked.getDefaults = function () { + return { + baseUrl: null, + breaks: false, + gfm: true, + headerIds: true, + headerPrefix: '', + highlight: null, + langPrefix: 'language-', + mangle: true, + pedantic: false, + renderer: new Renderer(), + sanitize: false, + sanitizer: null, + silent: false, + smartLists: false, + smartypants: false, + tables: true, + xhtml: false + }; +}; + +marked.defaults = marked.getDefaults(); + +/** + * Expose + */ + +marked.Parser = Parser; +marked.parser = Parser.parse; + +marked.Renderer = Renderer; +marked.TextRenderer = TextRenderer; + +marked.Lexer = Lexer; +marked.lexer = Lexer.lex; + +marked.InlineLexer = InlineLexer; +marked.inlineLexer = InlineLexer.output; + +marked.Slugger = Slugger; + +marked.parse = marked; + +if (typeof module !== 'undefined' && typeof exports === 'object') { + module.exports = marked; +} else if (typeof define === 'function' && define.amd) { + define(function() { return marked; }); +} else { + root.marked = marked; +} +})(this || (typeof window !== 'undefined' ? window : global)); diff --git a/packages/markdown/marked/man/marked.1 b/packages/markdown/marked/man/marked.1 new file mode 100644 index 00000000..848b4424 --- /dev/null +++ b/packages/markdown/marked/man/marked.1 @@ -0,0 +1,114 @@ +.ds q \N'34' +.TH marked 1 + +.SH NAME +marked \- a javascript markdown parser + +.SH SYNOPSIS +.B marked +[\-o \fI\fP] [\-i \fI\fP] [\-\-help] +[\-\-tokens] [\-\-pedantic] [\-\-gfm] +[\-\-breaks] [\-\-tables] [\-\-sanitize] +[\-\-smart\-lists] [\-\-lang\-prefix \fI\fP] +[\-\-no\-etc...] [\-\-silent] [\fIfilename\fP] + +.SH DESCRIPTION +.B marked +is a full-featured javascript markdown parser, built for speed. +It also includes multiple GFM features. + +.SH EXAMPLES +.TP +cat in.md | marked > out.html +.TP +echo "hello *world*" | marked +.TP +marked \-o out.html \-i in.md \-\-gfm +.TP +marked \-\-output="hello world.html" \-i in.md \-\-no-breaks + +.SH OPTIONS +.TP +.BI \-o,\ \-\-output\ [\fIoutput\fP] +Specify file output. If none is specified, write to stdout. +.TP +.BI \-i,\ \-\-input\ [\fIinput\fP] +Specify file input, otherwise use last argument as input file. +If no input file is specified, read from stdin. +.TP +.BI \-\-test +Makes sure the test(s) pass. +.RS +.PP +.B \-\-glob [\fIfile\fP] +Specify which test to use. +.PP +.B \-\-fix +Fixes tests. +.PP +.B \-\-bench +Benchmarks the test(s). +.PP +.B \-\-time +Times The test(s). +.PP +.B \-\-minified +Runs test file(s) as minified. +.PP +.B \-\-stop +Stop process if a test fails. +.RE +.TP +.BI \-t,\ \-\-tokens +Output a token stream instead of html. +.TP +.BI \-\-pedantic +Conform to obscure parts of markdown.pl as much as possible. +Don't fix original markdown bugs. +.TP +.BI \-\-gfm +Enable github flavored markdown. +.TP +.BI \-\-breaks +Enable GFM line breaks. Only works with the gfm option. +.TP +.BI \-\-tables +Enable GFM tables. Only works with the gfm option. +.TP +.BI \-\-sanitize +Sanitize output. Ignore any HTML input. +.TP +.BI \-\-smart\-lists +Use smarter list behavior than the original markdown. +.TP +.BI \-\-lang\-prefix\ [\fIprefix\fP] +Set the prefix for code block classes. +.TP +.BI \-\-mangle +Mangle email addresses. +.TP +.BI \-\-no\-sanitize,\ \-no-etc... +The inverse of any of the marked options above. +.TP +.BI \-\-silent +Silence error output. +.TP +.BI \-h,\ \-\-help +Display help information. + +.SH CONFIGURATION +For configuring and running programmatically. + +.B Example + + require('marked')('*foo*', { gfm: true }); + +.SH BUGS +Please report any bugs to https://github.com/markedjs/marked. + +.SH LICENSE +Copyright (c) 2011-2014, Christopher Jeffrey (MIT License). + +.SH "SEE ALSO" +.BR markdown(1), +.BR node.js(1) diff --git a/packages/markdown/marked/man/marked.1.txt b/packages/markdown/marked/man/marked.1.txt new file mode 100644 index 00000000..ea07ad36 --- /dev/null +++ b/packages/markdown/marked/man/marked.1.txt @@ -0,0 +1,99 @@ +marked(1) General Commands Manual marked(1) + +NAME + marked - a javascript markdown parser + +SYNOPSIS + marked [-o ] [-i ] [--help] [--tokens] + [--pedantic] [--gfm] [--breaks] [--tables] [--sanitize] + [--smart-lists] [--lang-prefix ] [--no-etc...] [--silent] + [filename] + +DESCRIPTION + marked is a full-featured javascript markdown parser, built for speed. + It also includes multiple GFM features. + +EXAMPLES + cat in.md | marked > out.html + + echo "hello *world*" | marked + + marked -o out.html -i in.md --gfm + + marked --output="hello world.html" -i in.md --no-breaks + +OPTIONS + -o, --output [output] + Specify file output. If none is specified, write to stdout. + + -i, --input [input] + Specify file input, otherwise use last argument as input file. + If no input file is specified, read from stdin. + + --test Makes sure the test(s) pass. + + --glob [file] Specify which test to use. + + --fix Fixes tests. + + --bench Benchmarks the test(s). + + --time Times The test(s). + + --minified Runs test file(s) as minified. + + --stop Stop process if a test fails. + + -t, --tokens + Output a token stream instead of html. + + --pedantic + Conform to obscure parts of markdown.pl as much as possible. + Don't fix original markdown bugs. + + --gfm Enable github flavored markdown. + + --breaks + Enable GFM line breaks. Only works with the gfm option. + + --tables + Enable GFM tables. Only works with the gfm option. + + --sanitize + Sanitize output. Ignore any HTML input. + + --smart-lists + Use smarter list behavior than the original markdown. + + --lang-prefix [prefix] + Set the prefix for code block classes. + + --mangle + Mangle email addresses. + + --no-sanitize, -no-etc... + The inverse of any of the marked options above. + + --silent + Silence error output. + + -h, --help + Display help information. + +CONFIGURATION + For configuring and running programmatically. + + Example + + require('marked')('*foo*', { gfm: true }); + +BUGS + Please report any bugs to https://github.com/markedjs/marked. + +LICENSE + Copyright (c) 2011-2014, Christopher Jeffrey (MIT License). + +SEE ALSO + markdown(1), node.js(1) + + marked(1) diff --git a/packages/markdown/marked/marked.min.js b/packages/markdown/marked/marked.min.js new file mode 100644 index 00000000..085cfb56 --- /dev/null +++ b/packages/markdown/marked/marked.min.js @@ -0,0 +1,6 @@ +/** + * marked - a markdown parser + * Copyright (c) 2011-2018, Christopher Jeffrey. (MIT Licensed) + * https://github.com/markedjs/marked + */ +!function(e){"use strict";var k={newline:/^\n+/,code:/^( {4}[^\n]+\n*)+/,fences:f,hr:/^ {0,3}((?:- *){3,}|(?:_ *){3,}|(?:\* *){3,})(?:\n+|$)/,heading:/^ *(#{1,6}) *([^\n]+?) *(?:#+ *)?(?:\n+|$)/,nptable:f,blockquote:/^( {0,3}> ?(paragraph|[^\n]*)(?:\n|$))+/,list:/^( {0,3})(bull) [\s\S]+?(?:hr|def|\n{2,}(?! )(?!\1bull )\n*|\s*$)/,html:"^ {0,3}(?:<(script|pre|style)[\\s>][\\s\\S]*?(?:[^\\n]*\\n+|$)|comment[^\\n]*(\\n+|$)|<\\?[\\s\\S]*?\\?>\\n*|\\n*|\\n*|)[\\s\\S]*?(?:\\n{2,}|$)|<(?!script|pre|style)([a-z][\\w-]*)(?:attribute)*? */?>(?=[ \\t]*(?:\\n|$))[\\s\\S]*?(?:\\n{2,}|$)|(?=[ \\t]*(?:\\n|$))[\\s\\S]*?(?:\\n{2,}|$))",def:/^ {0,3}\[(label)\]: *\n? *]+)>?(?:(?: +\n? *| *\n *)(title))? *(?:\n+|$)/,table:f,lheading:/^([^\n]+)\n *(=|-){2,} *(?:\n+|$)/,paragraph:/^([^\n]+(?:\n(?!hr|heading|lheading| {0,3}>|<\/?(?:tag)(?: +|\n|\/?>)|<(?:script|pre|style|!--))[^\n]+)*)/,text:/^[^\n]+/};function a(e){this.tokens=[],this.tokens.links=Object.create(null),this.options=e||b.defaults,this.rules=k.normal,this.options.pedantic?this.rules=k.pedantic:this.options.gfm&&(this.options.tables?this.rules=k.tables:this.rules=k.gfm)}k._label=/(?!\s*\])(?:\\[\[\]]|[^\[\]])+/,k._title=/(?:"(?:\\"?|[^"\\])*"|'[^'\n]*(?:\n[^'\n]+)*\n?'|\([^()]*\))/,k.def=i(k.def).replace("label",k._label).replace("title",k._title).getRegex(),k.bullet=/(?:[*+-]|\d{1,9}\.)/,k.item=/^( *)(bull) ?[^\n]*(?:\n(?!\1bull ?)[^\n]*)*/,k.item=i(k.item,"gm").replace(/bull/g,k.bullet).getRegex(),k.list=i(k.list).replace(/bull/g,k.bullet).replace("hr","\\n+(?=\\1?(?:(?:- *){3,}|(?:_ *){3,}|(?:\\* *){3,})(?:\\n+|$))").replace("def","\\n+(?="+k.def.source+")").getRegex(),k._tag="address|article|aside|base|basefont|blockquote|body|caption|center|col|colgroup|dd|details|dialog|dir|div|dl|dt|fieldset|figcaption|figure|footer|form|frame|frameset|h[1-6]|head|header|hr|html|iframe|legend|li|link|main|menu|menuitem|meta|nav|noframes|ol|optgroup|option|p|param|section|source|summary|table|tbody|td|tfoot|th|thead|title|tr|track|ul",k._comment=//,k.html=i(k.html,"i").replace("comment",k._comment).replace("tag",k._tag).replace("attribute",/ +[a-zA-Z:_][\w.:-]*(?: *= *"[^"\n]*"| *= *'[^'\n]*'| *= *[^\s"'=<>`]+)?/).getRegex(),k.paragraph=i(k.paragraph).replace("hr",k.hr).replace("heading",k.heading).replace("lheading",k.lheading).replace("tag",k._tag).getRegex(),k.blockquote=i(k.blockquote).replace("paragraph",k.paragraph).getRegex(),k.normal=d({},k),k.gfm=d({},k.normal,{fences:/^ {0,3}(`{3,}|~{3,})([^`\n]*)\n(?:|([\s\S]*?)\n)(?: {0,3}\1[~`]* *(?:\n+|$)|$)/,paragraph:/^/,heading:/^ *(#{1,6}) +([^\n]+?) *#* *(?:\n+|$)/}),k.gfm.paragraph=i(k.paragraph).replace("(?!","(?!"+k.gfm.fences.source.replace("\\1","\\2")+"|"+k.list.source.replace("\\1","\\3")+"|").getRegex(),k.tables=d({},k.gfm,{nptable:/^ *([^|\n ].*\|.*)\n *([-:]+ *\|[-| :]*)(?:\n((?:.*[^>\n ].*(?:\n|$))*)\n*|$)/,table:/^ *\|(.+)\n *\|?( *[-:]+[-| :]*)(?:\n((?: *[^>\n ].*(?:\n|$))*)\n*|$)/}),k.pedantic=d({},k.normal,{html:i("^ *(?:comment *(?:\\n|\\s*$)|<(tag)[\\s\\S]+? *(?:\\n{2,}|\\s*$)|\\s]*)*?/?> *(?:\\n{2,}|\\s*$))").replace("comment",k._comment).replace(/tag/g,"(?!(?:a|em|strong|small|s|cite|q|dfn|abbr|data|time|code|var|samp|kbd|sub|sup|i|b|u|mark|ruby|rt|rp|bdi|bdo|span|br|wbr|ins|del|img)\\b)\\w+(?!:|[^\\w\\s@]*@)\\b").getRegex(),def:/^ *\[([^\]]+)\]: *]+)>?(?: +(["(][^\n]+[")]))? *(?:\n+|$)/}),a.rules=k,a.lex=function(e,t){return new a(t).lex(e)},a.prototype.lex=function(e){return e=e.replace(/\r\n|\r/g,"\n").replace(/\t/g," ").replace(/\u00a0/g," ").replace(/\u2424/g,"\n"),this.token(e,!0)},a.prototype.token=function(e,t){var n,r,s,i,l,o,a,h,p,u,c,g,f,d,m,b;for(e=e.replace(/^ +$/gm,"");e;)if((s=this.rules.newline.exec(e))&&(e=e.substring(s[0].length),1 ?/gm,""),this.token(s,t),this.tokens.push({type:"blockquote_end"});else if(s=this.rules.list.exec(e)){for(e=e.substring(s[0].length),a={type:"list_start",ordered:d=1<(i=s[2]).length,start:d?+i:"",loose:!1},this.tokens.push(a),n=!(h=[]),f=(s=s[0].match(this.rules.item)).length,c=0;c?@\[\]\\^_`{|}~])/,autolink:/^<(scheme:[^\s\x00-\x1f<>]*|email)>/,url:f,tag:"^comment|^|^<[a-zA-Z][\\w-]*(?:attribute)*?\\s*/?>|^<\\?[\\s\\S]*?\\?>|^|^",link:/^!?\[(label)\]\(href(?:\s+(title))?\s*\)/,reflink:/^!?\[(label)\]\[(?!\s*\])((?:\\[\[\]]?|[^\[\]\\])+)\]/,nolink:/^!?\[(?!\s*\])((?:\[[^\[\]]*\]|\\[\[\]]|[^\[\]])*)\](?:\[\])?/,strong:/^__([^\s_])__(?!_)|^\*\*([^\s*])\*\*(?!\*)|^__([^\s][\s\S]*?[^\s])__(?!_)|^\*\*([^\s][\s\S]*?[^\s])\*\*(?!\*)/,em:/^_([^\s_])_(?!_)|^\*([^\s*"<\[])\*(?!\*)|^_([^\s][\s\S]*?[^\s_])_(?!_|[^\spunctuation])|^_([^\s_][\s\S]*?[^\s])_(?!_|[^\spunctuation])|^\*([^\s"<\[][\s\S]*?[^\s*])\*(?!\*)|^\*([^\s*"<\[][\s\S]*?[^\s])\*(?!\*)/,code:/^(`+)([^`]|[^`][\s\S]*?[^`])\1(?!`)/,br:/^( {2,}|\\)\n(?!\s*$)/,del:f,text:/^(`+|[^`])(?:[\s\S]*?(?:(?=[\\?@\\[^_{|}~",n.em=i(n.em).replace(/punctuation/g,n._punctuation).getRegex(),n._escapes=/\\([!"#$%&'()*+,\-./:;<=>?@\[\]\\^_`{|}~])/g,n._scheme=/[a-zA-Z][a-zA-Z0-9+.-]{1,31}/,n._email=/[a-zA-Z0-9.!#$%&'*+/=?^_`{|}~-]+(@)[a-zA-Z0-9](?:[a-zA-Z0-9-]{0,61}[a-zA-Z0-9])?(?:\.[a-zA-Z0-9](?:[a-zA-Z0-9-]{0,61}[a-zA-Z0-9])?)+(?![-_])/,n.autolink=i(n.autolink).replace("scheme",n._scheme).replace("email",n._email).getRegex(),n._attribute=/\s+[a-zA-Z:_][\w.:-]*(?:\s*=\s*"[^"]*"|\s*=\s*'[^']*'|\s*=\s*[^\s"'=<>`]+)?/,n.tag=i(n.tag).replace("comment",k._comment).replace("attribute",n._attribute).getRegex(),n._label=/(?:\[[^\[\]]*\]|\\[\[\]]?|`[^`]*`|`(?!`)|[^\[\]\\`])*?/,n._href=/\s*(<(?:\\[<>]?|[^\s<>\\])*>|[^\s\x00-\x1f]*)/,n._title=/"(?:\\"?|[^"\\])*"|'(?:\\'?|[^'\\])*'|\((?:\\\)?|[^)\\])*\)/,n.link=i(n.link).replace("label",n._label).replace("href",n._href).replace("title",n._title).getRegex(),n.reflink=i(n.reflink).replace("label",n._label).getRegex(),n.normal=d({},n),n.pedantic=d({},n.normal,{strong:/^__(?=\S)([\s\S]*?\S)__(?!_)|^\*\*(?=\S)([\s\S]*?\S)\*\*(?!\*)/,em:/^_(?=\S)([\s\S]*?\S)_(?!_)|^\*(?=\S)([\s\S]*?\S)\*(?!\*)/,link:i(/^!?\[(label)\]\((.*?)\)/).replace("label",n._label).getRegex(),reflink:i(/^!?\[(label)\]\s*\[([^\]]*)\]/).replace("label",n._label).getRegex()}),n.gfm=d({},n.normal,{escape:i(n.escape).replace("])","~|])").getRegex(),_extended_email:/[A-Za-z0-9._+-]+(@)[a-zA-Z0-9-_]+(?:\.[a-zA-Z0-9-_]*[a-zA-Z0-9])+(?![-_])/,url:/^((?:ftp|https?):\/\/|www\.)(?:[a-zA-Z0-9\-]+\.?)+[^\s<]*|^email/,_backpedal:/(?:[^?!.,:;*_~()&]+|\([^)]*\)|&(?![a-zA-Z0-9]+;$)|[?!.,:;*_~)]+(?!$))+/,del:/^~+(?=\S)([\s\S]*?\S)~+/,text:/^(`+|[^`])(?:[\s\S]*?(?:(?=[\\/i.test(i[0])&&(this.inLink=!1),!this.inRawBlock&&/^<(pre|code|kbd|script)(\s|>)/i.test(i[0])?this.inRawBlock=!0:this.inRawBlock&&/^<\/(pre|code|kbd|script)(\s|>)/i.test(i[0])&&(this.inRawBlock=!1),e=e.substring(i[0].length),o+=this.options.sanitize?this.options.sanitizer?this.options.sanitizer(i[0]):u(i[0]):i[0];else if(i=this.rules.link.exec(e)){var a=m(i[2],"()");if(-1$/,"$1"),o+=this.outputLink(i,{href:p.escapes(r),title:p.escapes(s)}),this.inLink=!1}else if((i=this.rules.reflink.exec(e))||(i=this.rules.nolink.exec(e))){if(e=e.substring(i[0].length),t=(i[2]||i[1]).replace(/\s+/g," "),!(t=this.links[t.toLowerCase()])||!t.href){o+=i[0].charAt(0),e=i[0].substring(1)+e;continue}this.inLink=!0,o+=this.outputLink(i,t),this.inLink=!1}else if(i=this.rules.strong.exec(e))e=e.substring(i[0].length),o+=this.renderer.strong(this.output(i[4]||i[3]||i[2]||i[1]));else if(i=this.rules.em.exec(e))e=e.substring(i[0].length),o+=this.renderer.em(this.output(i[6]||i[5]||i[4]||i[3]||i[2]||i[1]));else if(i=this.rules.code.exec(e))e=e.substring(i[0].length),o+=this.renderer.codespan(u(i[2].trim(),!0));else if(i=this.rules.br.exec(e))e=e.substring(i[0].length),o+=this.renderer.br();else if(i=this.rules.del.exec(e))e=e.substring(i[0].length),o+=this.renderer.del(this.output(i[1]));else if(i=this.rules.autolink.exec(e))e=e.substring(i[0].length),r="@"===i[2]?"mailto:"+(n=u(this.mangle(i[1]))):n=u(i[1]),o+=this.renderer.link(r,null,n);else if(this.inLink||!(i=this.rules.url.exec(e))){if(i=this.rules.text.exec(e))e=e.substring(i[0].length),this.inRawBlock?o+=this.renderer.text(i[0]):o+=this.renderer.text(u(this.smartypants(i[0])));else if(e)throw new Error("Infinite loop on byte: "+e.charCodeAt(0))}else{if("@"===i[2])r="mailto:"+(n=u(i[0]));else{for(;l=i[0],i[0]=this.rules._backpedal.exec(i[0])[0],l!==i[0];);n=u(i[0]),r="www."===i[1]?"http://"+n:n}e=e.substring(i[0].length),o+=this.renderer.link(r,null,n)}return o},p.escapes=function(e){return e?e.replace(p.rules._escapes,"$1"):e},p.prototype.outputLink=function(e,t){var n=t.href,r=t.title?u(t.title):null;return"!"!==e[0].charAt(0)?this.renderer.link(n,r,this.output(e[1])):this.renderer.image(n,r,u(e[1]))},p.prototype.smartypants=function(e){return this.options.smartypants?e.replace(/---/g,"—").replace(/--/g,"–").replace(/(^|[-\u2014/(\[{"\s])'/g,"$1‘").replace(/'/g,"’").replace(/(^|[-\u2014/(\[{\u2018\s])"/g,"$1“").replace(/"/g,"”").replace(/\.{3}/g,"…"):e},p.prototype.mangle=function(e){if(!this.options.mangle)return e;for(var t,n="",r=e.length,s=0;s'+(n?e:u(e,!0))+"\n":"
    "+(n?e:u(e,!0))+"
    "},r.prototype.blockquote=function(e){return"
    \n"+e+"
    \n"},r.prototype.html=function(e){return e},r.prototype.heading=function(e,t,n,r){return this.options.headerIds?"'+e+"\n":""+e+"\n"},r.prototype.hr=function(){return this.options.xhtml?"
    \n":"
    \n"},r.prototype.list=function(e,t,n){var r=t?"ol":"ul";return"<"+r+(t&&1!==n?' start="'+n+'"':"")+">\n"+e+"\n"},r.prototype.listitem=function(e){return"
  • "+e+"
  • \n"},r.prototype.checkbox=function(e){return" "},r.prototype.paragraph=function(e){return"

    "+e+"

    \n"},r.prototype.table=function(e,t){return t&&(t=""+t+""),"\n\n"+e+"\n"+t+"
    \n"},r.prototype.tablerow=function(e){return"\n"+e+"\n"},r.prototype.tablecell=function(e,t){var n=t.header?"th":"td";return(t.align?"<"+n+' align="'+t.align+'">':"<"+n+">")+e+"\n"},r.prototype.strong=function(e){return""+e+""},r.prototype.em=function(e){return""+e+""},r.prototype.codespan=function(e){return""+e+""},r.prototype.br=function(){return this.options.xhtml?"
    ":"
    "},r.prototype.del=function(e){return""+e+""},r.prototype.link=function(e,t,n){if(null===(e=l(this.options.sanitize,this.options.baseUrl,e)))return n;var r='
    "},r.prototype.image=function(e,t,n){if(null===(e=l(this.options.sanitize,this.options.baseUrl,e)))return n;var r=''+n+'":">"},r.prototype.text=function(e){return e},s.prototype.strong=s.prototype.em=s.prototype.codespan=s.prototype.del=s.prototype.text=function(e){return e},s.prototype.link=s.prototype.image=function(e,t,n){return""+n},s.prototype.br=function(){return""},h.parse=function(e,t){return new h(t).parse(e)},h.prototype.parse=function(e){this.inline=new p(e.links,this.options),this.inlineText=new p(e.links,d({},this.options,{renderer:new s})),this.tokens=e.reverse();for(var t="";this.next();)t+=this.tok();return t},h.prototype.next=function(){return this.token=this.tokens.pop()},h.prototype.peek=function(){return this.tokens[this.tokens.length-1]||0},h.prototype.parseText=function(){for(var e=this.token.text;"text"===this.peek().type;)e+="\n"+this.next().text;return this.inline.output(e)},h.prototype.tok=function(){switch(this.token.type){case"space":return"";case"hr":return this.renderer.hr();case"heading":return this.renderer.heading(this.inline.output(this.token.text),this.token.depth,c(this.inlineText.output(this.token.text)),this.slugger);case"code":return this.renderer.code(this.token.text,this.token.lang,this.token.escaped);case"table":var e,t,n,r,s="",i="";for(n="",e=0;e?@[\]^`{|}~]/g,"").replace(/\s/g,"-");if(this.seen.hasOwnProperty(t))for(var n=t;this.seen[n]++,t=n+"-"+this.seen[n],this.seen.hasOwnProperty(t););return this.seen[t]=0,t},u.escapeTest=/[&<>"']/,u.escapeReplace=/[&<>"']/g,u.replacements={"&":"&","<":"<",">":">",'"':""","'":"'"},u.escapeTestNoEncode=/[<>"']|&(?!#?\w+;)/,u.escapeReplaceNoEncode=/[<>"']|&(?!#?\w+;)/g;var o={},g=/^$|^[a-z][a-z0-9+.-]*:|^[?#]/i;function f(){}function d(e){for(var t,n,r=1;rt)n.splice(t);else for(;n.lengthAn error occurred:

    "+u(e.message+"",!0)+"
    ";throw e}}f.exec=f,b.options=b.setOptions=function(e){return d(b.defaults,e),b},b.getDefaults=function(){return{baseUrl:null,breaks:!1,gfm:!0,headerIds:!0,headerPrefix:"",highlight:null,langPrefix:"language-",mangle:!0,pedantic:!1,renderer:new r,sanitize:!1,sanitizer:null,silent:!1,smartLists:!1,smartypants:!1,tables:!0,xhtml:!1}},b.defaults=b.getDefaults(),b.Parser=h,b.parser=h.parse,b.Renderer=r,b.TextRenderer=s,b.Lexer=a,b.lexer=a.lex,b.InlineLexer=p,b.inlineLexer=p.output,b.Slugger=t,b.parse=b,"undefined"!=typeof module&&"object"==typeof exports?module.exports=b:"function"==typeof define&&define.amd?define(function(){return b}):e.marked=b}(this||("undefined"!=typeof window?window:global)); \ No newline at end of file diff --git a/packages/markdown/marked/package.json b/packages/markdown/marked/package.json new file mode 100644 index 00000000..43cea559 --- /dev/null +++ b/packages/markdown/marked/package.json @@ -0,0 +1,69 @@ +{ + "name": "marked", + "description": "A markdown parser built for speed", + "author": "Christopher Jeffrey", + "version": "0.6.2", + "main": "./lib/marked.js", + "bin": "./bin/marked", + "man": "./man/marked.1", + "files": [ + "bin/", + "lib/", + "man/", + "marked.min.js" + ], + "repository": "git://github.com/markedjs/marked.git", + "homepage": "https://marked.js.org", + "bugs": { + "url": "http://github.com/markedjs/marked/issues" + }, + "license": "MIT", + "keywords": [ + "markdown", + "markup", + "html" + ], + "tags": [ + "markdown", + "markup", + "html" + ], + "devDependencies": { + "@markedjs/html-differ": "^2.0.1", + "cheerio": "^1.0.0-rc.3", + "commonmark": "0.x", + "eslint": "^5.15.1", + "eslint-config-standard": "^12.0.0", + "eslint-plugin-import": "^2.16.0", + "eslint-plugin-node": "^8.0.1", + "eslint-plugin-promise": "^4.0.1", + "eslint-plugin-standard": "^4.0.0", + "eslint-plugin-vuln-regex-detector": "^1.0.4", + "front-matter": "^3.0.1", + "glob-to-regexp": "^0.4.0", + "jasmine": "^3.3.1", + "markdown": "0.x", + "markdown-it": "8.x", + "node-fetch": "^2.3.0", + "uglify-js": "^3.4.9" + }, + "scripts": { + "test": "jasmine --config=jasmine.json", + "test:unit": "npm test -- test/unit/**/*-spec.js", + "test:specs": "npm test -- test/specs/**/*-spec.js", + "test:cm": "npm test -- test/specs/commonmark/**/*-spec.js", + "test:gfm": "npm test -- test/specs/gfm/**/*-spec.js", + "test:marked": "npm test -- test/specs/marked/**/*-spec.js", + "test:old": "node test", + "test:lint": "eslint bin/marked .", + "test:redos": "eslint --plugin vuln-regex-detector --rule '\"vuln-regex-detector/no-vuln-regex\": 2' lib/marked.js", + "test:node4": "npx node@4 ./node_modules/jasmine/bin/jasmine.js --config=jasmine.json", + "bench": "node test --bench", + "lint": "eslint --fix bin/marked .", + "build": "uglifyjs lib/marked.js -cm --comments /Copyright/ -o marked.min.js", + "preversion": "npm run build && (git diff --quiet || git commit -am 'minify')" + }, + "engines": { + "node": ">=0.10.0" + } +} diff --git a/packages/markdown/marked/test/README b/packages/markdown/marked/test/README new file mode 100644 index 00000000..51f6560b --- /dev/null +++ b/packages/markdown/marked/test/README @@ -0,0 +1,10 @@ +In this directory: + +# +# MarkdownTester -- Run tests for Markdown implementations +# +# Copyright (c) 2004-2005 John Gruber +# +# + +Partially modified for testing purposes. diff --git a/packages/markdown/marked/test/browser/index.html b/packages/markdown/marked/test/browser/index.html new file mode 100644 index 00000000..fbde1293 --- /dev/null +++ b/packages/markdown/marked/test/browser/index.html @@ -0,0 +1,5 @@ + +marked tests +

    testing...

    + + diff --git a/packages/markdown/marked/test/browser/index.js b/packages/markdown/marked/test/browser/index.js new file mode 100644 index 00000000..8208fa3f --- /dev/null +++ b/packages/markdown/marked/test/browser/index.js @@ -0,0 +1,39 @@ +var fs = require('fs'), + path = require('path'); + +var testMod = require('../'), + load = testMod.load; + +var express = require('express'), + app = express(); + +var files = load(); + +app.use(function(req, res, next) { + var setHeader = res.setHeader; + res.setHeader = function(name) { + switch (name) { + case 'Cache-Control': + case 'Last-Modified': + case 'ETag': + return; + } + return setHeader.apply(res, arguments); + }; + next(); +}); + +app.get('/test.js', function(req, res, next) { + var test = fs.readFileSync(path.join(__dirname, 'test.js'), 'utf8'); + var testScript = test.replace('__TESTS__', JSON.stringify(files)) + .replace('__MAIN__', testMod.runTests + '') + .replace('__LIBS__', testMod.testFile + ''); + + res.contentType('.js'); + res.send(testScript); +}); + +app.use(express.static(path.join(__dirname, '/../../lib'))); +app.use(express.static(__dirname)); + +app.listen(8080); diff --git a/packages/markdown/marked/test/browser/test.js b/packages/markdown/marked/test/browser/test.js new file mode 100644 index 00000000..59917dd4 --- /dev/null +++ b/packages/markdown/marked/test/browser/test.js @@ -0,0 +1,66 @@ + +;(function() { + var console = {}, + files = __TESTS__; // eslint-disable-line no-undef + + console.log = function(text) { + var args = Array.prototype.slice.call(arguments, 1), + i = 0; + + text = text.replace(/%\w/g, function() { + return args[i++] || ''; + }); + + if (window.console) window.console.log(text); + document.body.innerHTML += '
    ' + escape(text) + '
    '; + }; + + if (!Object.keys) { + Object.keys = function(obj) { + var out = [], + key; + + for (key in obj) { + if (Object.prototype.hasOwnProperty.call(obj, key)) { + out.push(key); + } + } + + return out; + }; + } + + if (!Array.prototype.forEach) { + // eslint-disable-next-line no-extend-native + Array.prototype.forEach = function(callback, context) { + for (var i = 0; i < this.length; i++) { + callback.call(context || null, this[i], i, this); + } + }; + } + + if (!String.prototype.trim) { + // eslint-disable-next-line no-extend-native + String.prototype.trim = function() { + return this.replace(/^\s+|\s+$/g, ''); + }; + } + + // eslint-disable-next-line no-unused-vars + function load() { + return files; + } + + function escape(html, encode) { + return html + .replace(!encode ? /&(?!#?\w+;)/g : /&/g, '&') + .replace(//g, '>') + .replace(/"/g, '"') + .replace(/'/g, '''); + } + + __LIBS__; // eslint-disable-line no-undef, no-unused-expressions + + (__MAIN__)(); // eslint-disable-line no-undef +}).call(this); diff --git a/packages/markdown/marked/test/helpers/helpers.js b/packages/markdown/marked/test/helpers/helpers.js new file mode 100644 index 00000000..44632fcd --- /dev/null +++ b/packages/markdown/marked/test/helpers/helpers.js @@ -0,0 +1,26 @@ +const marked = require('../../'); +const htmlDiffer = require('./html-differ.js'); + +beforeEach(() => { + marked.setOptions(marked.getDefaults()); + + jasmine.addMatchers({ + toRender: () => { + return { + compare: (spec, expected) => { + const result = {}; + const actual = marked(spec.markdown, spec.options); + result.pass = htmlDiffer.isEqual(expected, actual); + + if (result.pass) { + result.message = `${spec.markdown}\n------\n\nExpected: Should Fail`; + } else { + const diff = htmlDiffer.firstDiff(actual, expected); + result.message = `Expected: ${diff.expected}\n Actual: ${diff.actual}`; + } + return result; + } + }; + } + }); +}); diff --git a/packages/markdown/marked/test/helpers/html-differ.js b/packages/markdown/marked/test/helpers/html-differ.js new file mode 100644 index 00000000..44052be4 --- /dev/null +++ b/packages/markdown/marked/test/helpers/html-differ.js @@ -0,0 +1,38 @@ +const HtmlDiffer = require('@markedjs/html-differ').HtmlDiffer; +const htmlDiffer = new HtmlDiffer({ignoreSelfClosingSlash: true}); + +module.exports = { + isEqual: htmlDiffer.isEqual.bind(htmlDiffer), + firstDiff: (actual, expected, padding) => { + padding = padding || 30; + const result = htmlDiffer + .diffHtml(actual, expected) + .reduce((obj, diff) => { + if (diff.added) { + if (obj.firstIndex === null) { + obj.firstIndex = obj.expected.length; + } + obj.expected += diff.value; + } else if (diff.removed) { + if (obj.firstIndex === null) { + obj.firstIndex = obj.actual.length; + } + obj.actual += diff.value; + } else { + obj.actual += diff.value; + obj.expected += diff.value; + } + + return obj; + }, { + firstIndex: null, + actual: '', + expected: '' + }); + + return { + actual: result.actual.substring(result.firstIndex - padding, result.firstIndex + padding), + expected: result.expected.substring(result.firstIndex - padding, result.firstIndex + padding) + }; + } +}; diff --git a/packages/markdown/marked/test/index.js b/packages/markdown/marked/test/index.js new file mode 100644 index 00000000..5027ee5b --- /dev/null +++ b/packages/markdown/marked/test/index.js @@ -0,0 +1,551 @@ +#!/usr/bin/env node +'use strict'; +// 'use strict' is here so we can use let and const in node 4 + +/** + * marked tests + * Copyright (c) 2011-2013, Christopher Jeffrey. (MIT Licensed) + * https://github.com/markedjs/marked + */ + +/** + * Modules + */ + +const fs = require('fs'); +const path = require('path'); +const fm = require('front-matter'); +const g2r = require('glob-to-regexp'); +let marked = require('../'); +const htmlDiffer = require('./helpers/html-differ.js'); + +/** + * Load Tests + */ + +function load(options) { + options = options || {}; + const dir = path.join(__dirname, 'compiled_tests'); + const glob = g2r(options.glob || '*', { extended: true }); + + const list = fs + .readdirSync(dir) + .filter(file => { + return path.extname(file) === '.md'; + }) + .sort(); + + const files = list.reduce((obj, item) => { + const name = path.basename(item, '.md'); + if (glob.test(name)) { + const file = path.join(dir, item); + const content = fm(fs.readFileSync(file, 'utf8')); + + obj[name] = { + options: content.attributes, + text: content.body, + html: fs.readFileSync(file.replace(/[^.]+$/, 'html'), 'utf8') + }; + } + return obj; + }, {}); + + if (options.bench || options.time) { + if (!options.glob) { + // Change certain tests to allow + // comparison to older benchmark times. + fs.readdirSync(path.join(__dirname, 'new')).forEach(name => { + if (path.extname(name) === '.html') return; + if (name === 'main.md') return; + delete files[name]; + }); + } + + if (files['backslash_escapes.md']) { + files['backslash_escapes.md'] = { + text: 'hello world \\[how](are you) today' + }; + } + + if (files['main.md']) { + files['main.md'].text = files['main.md'].text.replace('* * *\n\n', ''); + } + } + + return files; +} + +/** + * Test Runner + */ + +function runTests(engine, options) { + if (typeof engine !== 'function') { + options = engine; + engine = null; + } + + engine = engine || marked; + options = options || {}; + + let succeeded = 0; + let failed = 0; + const files = options.files || load(options); + const filenames = Object.keys(files); + + if (options.marked) { + marked.setOptions(options.marked); + } + + for (let i = 0; i < filenames.length; i++) { + const filename = filenames[i]; + const file = files[filename]; + + const success = testFile(engine, file, filename, i + 1); + + if (success) { + succeeded++; + } else { + failed++; + if (options.stop) { + break; + } + } + } + + console.log('\n%d/%d tests completed successfully.', succeeded, filenames.length); + if (failed) console.log('%d/%d tests failed.', failed, filenames.length); + + return !failed; +} + +/** + * Test a file + */ + +function testFile(engine, file, filename, index) { + const opts = Object.keys(file.options); + + if (marked._original) { + marked.defaults = marked._original; + delete marked._original; + } + + console.log('#%d. Test %s', index, filename); + + if (opts.length) { + marked._original = marked.defaults; + marked.defaults = {}; + Object.keys(marked._original).forEach(key => { + marked.defaults[key] = marked._original[key]; + }); + opts.forEach(key => { + if (marked.defaults.hasOwnProperty(key)) { + marked.defaults[key] = file.options[key]; + } + }); + } + + const before = process.hrtime(); + + let text, html, elapsed; + try { + text = engine(file.text); + html = file.html; + } catch (e) { + elapsed = process.hrtime(before); + console.log('\n failed in %dms\n', prettyElapsedTime(elapsed)); + throw e; + } + + elapsed = process.hrtime(before); + + if (htmlDiffer.isEqual(text, html)) { + if (elapsed[0] > 0) { + console.log('\n failed because it took too long.\n\n passed in %dms\n', prettyElapsedTime(elapsed)); + return false; + } + console.log(' passed in %dms', prettyElapsedTime(elapsed)); + return true; + } + + const diff = htmlDiffer.firstDiff(text, html); + + console.log('\n failed in %dms', prettyElapsedTime(elapsed)); + console.log(' Expected: %s', diff.expected); + console.log(' Actual: %s\n', diff.actual); + return false; +} + +/** + * Benchmark a function + */ + +function bench(name, files, engine) { + const start = Date.now(); + + for (let i = 0; i < 1000; i++) { + for (const filename in files) { + engine(files[filename].text); + } + } + + const end = Date.now(); + + console.log('%s completed in %dms.', name, end - start); +} + +/** + * Benchmark all engines + */ + +function runBench(options) { + options = options || {}; + const files = load(options); + + // Non-GFM, Non-pedantic + marked.setOptions({ + gfm: false, + tables: false, + breaks: false, + pedantic: false, + sanitize: false, + smartLists: false + }); + if (options.marked) { + marked.setOptions(options.marked); + } + bench('marked', files, marked); + + // GFM + marked.setOptions({ + gfm: true, + tables: false, + breaks: false, + pedantic: false, + sanitize: false, + smartLists: false + }); + if (options.marked) { + marked.setOptions(options.marked); + } + bench('marked (gfm)', files, marked); + + // Pedantic + marked.setOptions({ + gfm: false, + tables: false, + breaks: false, + pedantic: true, + sanitize: false, + smartLists: false + }); + if (options.marked) { + marked.setOptions(options.marked); + } + bench('marked (pedantic)', files, marked); + + try { + bench('commonmark', files, (() => { + const commonmark = require('commonmark'); + const parser = new commonmark.Parser(); + const writer = new commonmark.HtmlRenderer(); + return function (text) { + return writer.render(parser.parse(text)); + }; + })()); + } catch (e) { + console.log('Could not bench commonmark. (Error: %s)', e.message); + } + + try { + bench('markdown-it', files, (() => { + const MarkdownIt = require('markdown-it'); + const md = new MarkdownIt(); + return md.render.bind(md); + })()); + } catch (e) { + console.log('Could not bench markdown-it. (Error: %s)', e.message); + } + + try { + bench('markdown.js', files, (() => { + const markdown = require('markdown').markdown; + return markdown.toHTML.bind(markdown); + })()); + } catch (e) { + console.log('Could not bench markdown.js. (Error: %s)', e.message); + } + + return true; +} + +/** + * A simple one-time benchmark + */ + +function time(options) { + options = options || {}; + const files = load(options); + if (options.marked) { + marked.setOptions(options.marked); + } + bench('marked', files, marked); + + return true; +} + +/** + * Markdown Test Suite Fixer + * This function is responsible for "fixing" + * the markdown test suite. There are + * certain aspects of the suite that + * are strange or might make tests + * fail for reasons unrelated to + * conformance. + */ + +function fix() { + ['compiled_tests', 'original', 'new', 'redos'].forEach(dir => { + try { + fs.mkdirSync(path.resolve(__dirname, dir)); + } catch (e) { + // directory already exists + } + }); + + // rm -rf tests + fs.readdirSync(path.resolve(__dirname, 'compiled_tests')).forEach(file => { + fs.unlinkSync(path.resolve(__dirname, 'compiled_tests', file)); + }); + + // cp -r original tests + fs.readdirSync(path.resolve(__dirname, 'original')).forEach(file => { + let text = fs.readFileSync(path.resolve(__dirname, 'original', file), 'utf8'); + + if (path.extname(file) === '.md') { + if (fm.test(text)) { + text = fm(text); + text = `---\n${text.frontmatter}\ngfm: false\n---\n${text.body}`; + } else { + text = `---\ngfm: false\n---\n${text}`; + } + } + + fs.writeFileSync(path.resolve(__dirname, 'compiled_tests', file), text); + }); + + // node fix.js + const dir = path.join(__dirname, 'compiled_tests'); + + fs.readdirSync(dir).filter(file => { + return path.extname(file) === '.html'; + }).forEach(file => { + file = path.join(dir, file); + let html = fs.readFileSync(file, 'utf8'); + + // fix unencoded quotes + html = html + .replace(/='([^\n']*)'(?=[^<>\n]*>)/g, '=&__APOS__;$1&__APOS__;') + .replace(/="([^\n"]*)"(?=[^<>\n]*>)/g, '=&__QUOT__;$1&__QUOT__;') + .replace(/"/g, '"') + .replace(/'/g, ''') + .replace(/&__QUOT__;/g, '"') + .replace(/&__APOS__;/g, '\''); + + fs.writeFileSync(file, html); + }); + + // turn
    into
    + fs.readdirSync(dir).forEach(file => { + file = path.join(dir, file); + let text = fs.readFileSync(file, 'utf8'); + + text = text.replace(/(<|<)hr\s*\/(>|>)/g, '$1hr$2'); + + fs.writeFileSync(file, text); + }); + + // markdown does some strange things. + // it does not encode naked `>`, marked does. + { + const file = `${dir}/amps_and_angles_encoding.html`; + const html = fs.readFileSync(file, 'utf8') + .replace('6 > 5.', '6 > 5.'); + + fs.writeFileSync(file, html); + } + + // cp new/* tests/ + fs.readdirSync(path.resolve(__dirname, 'new')).forEach(file => { + fs.writeFileSync(path.resolve(__dirname, 'compiled_tests', file), + fs.readFileSync(path.resolve(__dirname, 'new', file))); + }); + + // cp redos/* tests/ + fs.readdirSync(path.resolve(__dirname, 'redos')).forEach(file => { + fs.writeFileSync(path.resolve(__dirname, 'compiled_tests', file), + fs.readFileSync(path.resolve(__dirname, 'redos', file))); + }); +} + +/** + * Argument Parsing + */ + +function parseArg(argv) { + argv = argv.slice(2); + + const options = {}; + const orphans = []; + + function getarg() { + let arg = argv.shift(); + + if (arg.indexOf('--') === 0) { + // e.g. --opt + arg = arg.split('='); + if (arg.length > 1) { + // e.g. --opt=val + argv.unshift(arg.slice(1).join('=')); + } + arg = arg[0]; + } else if (arg[0] === '-') { + if (arg.length > 2) { + // e.g. -abc + argv = arg.substring(1).split('').map(ch => { + return `-${ch}`; + }).concat(argv); + arg = argv.shift(); + } else { + // e.g. -a + } + } else { + // e.g. foo + } + + return arg; + } + + while (argv.length) { + let arg = getarg(); + switch (arg) { + case '-f': + case '--fix': + case 'fix': + if (options.fix !== false) { + options.fix = true; + } + break; + case '--no-fix': + case 'no-fix': + options.fix = false; + break; + case '-b': + case '--bench': + options.bench = true; + break; + case '-s': + case '--stop': + options.stop = true; + break; + case '-t': + case '--time': + options.time = true; + break; + case '-m': + case '--minified': + options.minified = true; + break; + case '--glob': + arg = argv.shift(); + options.glob = arg.replace(/^=/, ''); + break; + default: + if (arg.indexOf('--') === 0) { + const opt = camelize(arg.replace(/^--(no-)?/, '')); + if (!marked.defaults.hasOwnProperty(opt)) { + continue; + } + options.marked = options.marked || {}; + if (arg.indexOf('--no-') === 0) { + options.marked[opt] = typeof marked.defaults[opt] !== 'boolean' + ? null + : false; + } else { + options.marked[opt] = typeof marked.defaults[opt] !== 'boolean' + ? argv.shift() + : true; + } + } else { + orphans.push(arg); + } + break; + } + } + + return options; +} + +/** + * Helpers + */ + +function camelize(text) { + return text.replace(/(\w)-(\w)/g, (_, a, b) => a + b.toUpperCase()); +} + +/** + * Main + */ + +function main(argv) { + const opt = parseArg(argv); + + if (opt.fix !== false) { + fix(); + } + + if (opt.fix) { + // only run fix + return; + } + + if (opt.bench) { + return runBench(opt); + } + + if (opt.time) { + return time(opt); + } + + if (opt.minified) { + marked = require('../marked.min.js'); + } + return runTests(opt); +} + +/** + * Execute + */ + +if (!module.parent) { + process.title = 'marked'; + process.exit(main(process.argv.slice()) ? 0 : 1); +} else { + exports = main; + exports.main = main; + exports.runTests = runTests; + exports.testFile = testFile; + exports.runBench = runBench; + exports.load = load; + exports.bench = bench; + module.exports = exports; +} + +// returns time to millisecond granularity +function prettyElapsedTime(hrtimeElapsed) { + const seconds = hrtimeElapsed[0]; + const frac = Math.round(hrtimeElapsed[1] / 1e3) / 1e3; + return seconds * 1e3 + frac; +} diff --git a/packages/markdown/marked/test/json-to-files.js b/packages/markdown/marked/test/json-to-files.js new file mode 100644 index 00000000..d7e72aaf --- /dev/null +++ b/packages/markdown/marked/test/json-to-files.js @@ -0,0 +1,62 @@ +const path = require('path'); +const fs = require('fs'); + +const folder = process.argv[2]; +const jsonFile = process.argv[3]; + +if (!folder || !jsonFile) { + console.log('node ./json-to-files.js {path to folder} {path to json file}'); + process.exit(1); +} + +const specs = require(jsonFile); + +const files = specs.reduce((obj, spec) => { + if (!obj[spec.section]) { + obj[spec.section] = { + md: [], + html: [], + options: {} + }; + } + + obj[spec.section].md.push(spec.markdown); + obj[spec.section].html.push(spec.html); + Object.assign(obj[spec.section].options, spec.options); + + return obj; +}, {}); + +try { + fs.mkdirSync(folder, {recursive: true}); +} catch (ex) { + // already exists +} + +for (const section in files) { + const file = files[section]; + const name = section.toLowerCase().replace(' ', '_'); + const frontMatter = Object.keys(file.options).map(opt => { + let value = file.options[opt]; + if (typeof value !== 'string') { + value = JSON.stringify(value); + } + return `${opt}: ${value}`; + }).join('\n'); + + let markdown = file.md.join('\n\n'); + if (frontMatter) { + markdown = `---\n${frontMatter}\n---\n\n${markdown}`; + } + const html = file.html.join('\n\n'); + + const mdFile = path.resolve(folder, `${name}.md`); + const htmlFile = path.resolve(folder, `${name}.html`); + + if (fs.existsSync(mdFile) || fs.existsSync(htmlFile)) { + throw new Error(`${name} already exists.`); + } + + fs.writeFileSync(mdFile, markdown); + fs.writeFileSync(htmlFile, html); +} diff --git a/packages/markdown/marked/test/new/adjacent_lists.html b/packages/markdown/marked/test/new/adjacent_lists.html new file mode 100644 index 00000000..b4cd8f50 --- /dev/null +++ b/packages/markdown/marked/test/new/adjacent_lists.html @@ -0,0 +1,9 @@ +
      +
    • This should be
    • +
    • An unordered list
    • +
    + +
      +
    1. This should be
    2. +
    3. An unordered list
    4. +
    diff --git a/packages/markdown/marked/test/new/adjacent_lists.md b/packages/markdown/marked/test/new/adjacent_lists.md new file mode 100644 index 00000000..3fd460b3 --- /dev/null +++ b/packages/markdown/marked/test/new/adjacent_lists.md @@ -0,0 +1,5 @@ +* This should be +* An unordered list + +1. This should be +2. An unordered list diff --git a/packages/markdown/marked/test/new/autolink_lines.html b/packages/markdown/marked/test/new/autolink_lines.html new file mode 100644 index 00000000..aa2bed4d --- /dev/null +++ b/packages/markdown/marked/test/new/autolink_lines.html @@ -0,0 +1,3 @@ +

    hello world +http://example.com +

    diff --git a/packages/markdown/marked/test/new/autolink_lines.md b/packages/markdown/marked/test/new/autolink_lines.md new file mode 100644 index 00000000..c9b61a2c --- /dev/null +++ b/packages/markdown/marked/test/new/autolink_lines.md @@ -0,0 +1,2 @@ +hello world + diff --git a/packages/markdown/marked/test/new/autolinks.html b/packages/markdown/marked/test/new/autolinks.html new file mode 100644 index 00000000..8fa4837e --- /dev/null +++ b/packages/markdown/marked/test/new/autolinks.html @@ -0,0 +1,15 @@ +

    (See https://www.example.com/fhqwhgads.)

    + +

    ((http://foo.com))

    + +

    ((http://foo.com.))

    + +

    HTTP://FOO.COM

    + +

    hTtP://fOo.CoM

    + +

    hello@email.com

    + +

    me@example.com

    + +

    test@test.com

    \ No newline at end of file diff --git a/packages/markdown/marked/test/new/autolinks.md b/packages/markdown/marked/test/new/autolinks.md new file mode 100644 index 00000000..1f5f739c --- /dev/null +++ b/packages/markdown/marked/test/new/autolinks.md @@ -0,0 +1,15 @@ +(See https://www.example.com/fhqwhgads.) + +((http://foo.com)) + +((http://foo.com.)) + +HTTP://FOO.COM + +hTtP://fOo.CoM + +~~hello@email.com~~ + +**me@example.com** + +__test@test.com__ \ No newline at end of file diff --git a/packages/markdown/marked/test/new/blockquote_list_item.html b/packages/markdown/marked/test/new/blockquote_list_item.html new file mode 100644 index 00000000..83cf0bdd --- /dev/null +++ b/packages/markdown/marked/test/new/blockquote_list_item.html @@ -0,0 +1,3 @@ +

    This fails in markdown.pl and upskirt:

    + +
    • hello

      world

    diff --git a/packages/markdown/marked/test/new/blockquote_list_item.md b/packages/markdown/marked/test/new/blockquote_list_item.md new file mode 100644 index 00000000..19e93829 --- /dev/null +++ b/packages/markdown/marked/test/new/blockquote_list_item.md @@ -0,0 +1,4 @@ +This fails in markdown.pl and upskirt: + +* hello + > world diff --git a/packages/markdown/marked/test/new/case_insensitive_refs.html b/packages/markdown/marked/test/new/case_insensitive_refs.html new file mode 100644 index 00000000..c54388ea --- /dev/null +++ b/packages/markdown/marked/test/new/case_insensitive_refs.html @@ -0,0 +1 @@ +

    hi

    diff --git a/packages/markdown/marked/test/new/case_insensitive_refs.md b/packages/markdown/marked/test/new/case_insensitive_refs.md new file mode 100644 index 00000000..598915a8 --- /dev/null +++ b/packages/markdown/marked/test/new/case_insensitive_refs.md @@ -0,0 +1,3 @@ +[hi] + +[HI]: /url diff --git a/packages/markdown/marked/test/new/cm_autolinks.html b/packages/markdown/marked/test/new/cm_autolinks.html new file mode 100644 index 00000000..e7ae0ee4 --- /dev/null +++ b/packages/markdown/marked/test/new/cm_autolinks.html @@ -0,0 +1,91 @@ +

    Here are some valid autolinks:

    + +

    Example 565

    + +

    http://foo.bar.baz

    + +

    Example 566

    + +

    http://foo.bar.baz/test?q=hello&id=22&boolean

    + +

    Example 567

    + +

    irc://foo.bar:2233/baz

    + +

    Example 568

    + +

    Uppercase is also fine:

    + +

    MAILTO:FOO@BAR.BAZ

    + +

    Note that many strings that count as absolute URIs for purposes of this spec are not valid URIs, because their schemes are not registered or because of other problems with their syntax:

    + +

    Example 569

    + +

    a+b+c:d

    + +

    Example 570

    + +

    made-up-scheme://foo,bar

    + +

    Example 571

    + +

    http://../

    + +

    Example 572

    + +

    localhost:5001/foo

    + +

    Example 573

    + +

    Spaces are not allowed in autolinks:

    + +

    <http://foo.bar/baz bim>

    + +

    Example 574

    + +

    Backslash-escapes do not work inside autolinks:

    + +

    http://example.com/\[\

    + +

    Examples of email autolinks:

    + +

    Example 575

    + +

    foo@bar.example.com

    + +

    Example 576

    + +

    foo+special@Bar.baz-bar0.com

    + +

    Example 577

    + +

    Backslash-escapes do not work inside email autolinks:

    + +

    <foo+@bar.example.com>

    + +

    These are not autolinks:

    + +

    Example 578

    + +

    <>

    + +

    Example 579

    + +

    < http://foo.bar >

    + +

    Example 580

    + +

    <m:abc>

    + +

    Example 581

    + +

    <foo.bar.baz>

    + +

    Example 582

    + +

    http://example.com

    + +

    Example 583

    + +

    foo@bar.example.com

    \ No newline at end of file diff --git a/packages/markdown/marked/test/new/cm_autolinks.md b/packages/markdown/marked/test/new/cm_autolinks.md new file mode 100644 index 00000000..a19d830c --- /dev/null +++ b/packages/markdown/marked/test/new/cm_autolinks.md @@ -0,0 +1,96 @@ +--- +gfm: false +mangle: false +--- + +Here are some valid autolinks: + +### Example 565 + + + +### Example 566 + + + +### Example 567 + + + +### Example 568 + +Uppercase is also fine: + + + +Note that many strings that count as absolute URIs for purposes of this spec are not valid URIs, because their schemes are not registered or because of other problems with their syntax: + +### Example 569 + + + +### Example 570 + + + +### Example 571 + + + +### Example 572 + + + +### Example 573 + +Spaces are not allowed in autolinks: + + + +### Example 574 + +Backslash-escapes do not work inside autolinks: + + + +Examples of email autolinks: + +### Example 575 + + + +### Example 576 + + + +### Example 577 + +Backslash-escapes do not work inside email autolinks: + + + +These are not autolinks: + +### Example 578 + +<> + +### Example 579 + +< http://foo.bar > + +### Example 580 + + + +### Example 581 + + + +### Example 582 + +http://example.com + +### Example 583 + +foo@bar.example.com \ No newline at end of file diff --git a/packages/markdown/marked/test/new/cm_blockquotes.html b/packages/markdown/marked/test/new/cm_blockquotes.html new file mode 100644 index 00000000..b4d51b1f --- /dev/null +++ b/packages/markdown/marked/test/new/cm_blockquotes.html @@ -0,0 +1,233 @@ +

    Example 191

    + +
    +

    Foo

    +

    bar +baz

    +
    + +

    Example 192

    + +

    The spaces after the > characters can be omitted:

    + +
    +

    Bar

    +

    bar +baz

    +
    + +

    Example 193

    + +

    The > characters can be indented 1-3 spaces:

    + +
    +

    Baz

    +

    bar +baz

    +
    + +

    Example 194

    + +

    Four spaces gives us a code block:

    + +
    > # Qux
    +> bar
    +> baz
    + +

    Example 195

    + +

    The Laziness clause allows us to omit the > before paragraph continuation text:

    + +
    +

    Quux

    +

    bar +baz

    +
    + +

    Example 196

    + +

    A block quote can contain some lazy and some non-lazy continuation lines:

    + +
    +

    bar +baz +foo

    +
    + +

    Example 197

    + +

    Laziness only applies to lines that would have been continuations of paragraphs had they been prepended with block quote markers. For example, the > cannot be omitted in the second line of

    + +
    +

    foo

    +
    +
    + +

    without changing the meaning.

    + +

    Example 198

    + +
    Similarly, if we omit the `>` in the second line then the block quote ends after the first line:
    +
    +> - foo
    +- bar
    + +

    Example 199

    + +

    For the same reason, we can’t omit the > in front of subsequent lines of an indented or fenced code block:

    + +
    +
    foo
    +
    +
    bar
    + +

    Example 200

    + +
    > ```
    +foo
    +```
    +
    +<blockquote>
    +<pre><code></code></pre>
    +</blockquote>
    +<p>foo</p>
    +<pre><code></code></pre>
    + +

    Example 201

    +
    > foo
    +    - bar
    +
    +<blockquote>
    +<p>foo
    +- bar</p>
    +</blockquote>
    + +

    Example 202

    + +

    A block quote can be empty:

    + +
    +
    + +

    Example 203

    + +
    +
    + +

    Example 204

    + +

    A block quote can have initial or final blank lines:

    + +
    +

    foo

    +
    + + +

    Example 205

    + +

    A blank line always separates block quotes:

    + +
    +

    foo

    +
    +
    +

    bar

    +
    + +

    Example 206

    + +

    Consecutiveness means that if we put these block quotes together, we get a single block quote:

    + +
    +

    foo +bar

    +
    + +

    Example 207

    + +

    To get a block quote with two paragraphs, use:

    + +
    +

    foo

    +

    bar

    +
    + +

    Example 208

    + +

    Block quotes can interrupt paragraphs:

    + +

    foo

    +
    +

    bar

    +
    + +

    Example 209

    + +

    In general, blank lines are not needed before or after block quotes:

    + +
    +

    aaa

    +
    +
    +
    +

    bbb

    +
    + +

    Example 210

    + +

    However, because of laziness, a blank line is needed between a block quote and a following paragraph:

    + +
    +

    bar +baz

    +
    + +

    Example 211

    + +
    +

    bar

    +
    +

    baz

    + +

    Example 212

    + +
    +

    bar

    +
    +

    baz

    + +

    Example 213

    + +

    It is a consequence of the Laziness rule that any number of initial >s may be omitted on a continuation line of a nested block quote:

    + +
    +
    +
    +

    foo +bar

    +
    +
    +
    + +

    Example 214

    + +
    +
    +
    +

    foo +bar +baz

    +
    +
    +
    + +

    Example 215

    + +

    When including an indented code block in a block quote, remember that the block quote marker includes both the > and a following space. So five spaces are needed after the >:

    + +
    +
    code
    +
    +
    +

    not code

    +
    diff --git a/packages/markdown/marked/test/new/cm_blockquotes.md b/packages/markdown/marked/test/new/cm_blockquotes.md new file mode 100644 index 00000000..6a80a6f3 --- /dev/null +++ b/packages/markdown/marked/test/new/cm_blockquotes.md @@ -0,0 +1,189 @@ +### Example 191 + +> # Foo +> bar +> baz + +### Example 192 + +The spaces after the `>` characters can be omitted: + +># Bar +>bar +> baz + +### Example 193 + +The `>` characters can be indented 1-3 spaces: + + > # Baz + > bar + > baz + +### Example 194 + +Four spaces gives us a code block: + + > # Qux + > bar + > baz + +### Example 195 + +The Laziness clause allows us to omit the `>` before paragraph continuation text: + +> # Quux +> bar +baz + +### Example 196 + +A block quote can contain some lazy and some non-lazy continuation lines: + +> bar +baz +> foo + +### Example 197 + +Laziness only applies to lines that would have been continuations of paragraphs had they been prepended with block quote markers. For example, the `>` cannot be omitted in the second line of + +> foo +--- + +without changing the meaning. + +### Example 198 + + Similarly, if we omit the `>` in the second line then the block quote ends after the first line: + + > - foo + - bar + +### Example 199 + +For the same reason, we can’t omit the `>` in front of subsequent lines of an indented or fenced code block: + +> foo + + bar + +### Example 200 + + > ``` + foo + ``` + +
    +
    +
    +

    foo

    +
    + +### Example 201 + + > foo + - bar + +
    +

    foo + - bar

    +
    + +### Example 202 + +A block quote can be empty: + +> + +### Example 203 + +> +> +> + +### Example 204 + +A block quote can have initial or final blank lines: + +> +> foo +> + +### Example 205 + +A blank line always separates block quotes: + +> foo + +> bar + +### Example 206 + +Consecutiveness means that if we put these block quotes together, we get a single block quote: + +> foo +> bar + +### Example 207 + +To get a block quote with two paragraphs, use: + +> foo +> +> bar + +### Example 208 + +Block quotes can interrupt paragraphs: + +foo +> bar + +### Example 209 + +In general, blank lines are not needed before or after block quotes: + +> aaa +*** +> bbb + +### Example 210 + +However, because of laziness, a blank line is needed between a block quote and a following paragraph: + +> bar +baz + +### Example 211 + +> bar + +baz + +### Example 212 + +> bar +> +baz + +### Example 213 + +It is a consequence of the Laziness rule that any number of initial `>`s may be omitted on a continuation line of a nested block quote: + +> > > foo +bar + +### Example 214 + +>>> foo +> bar +>>baz + +### Example 215 + +When including an indented code block in a block quote, remember that the block quote marker includes both the `>` and a following space. So five spaces are needed after the `>`: + +> code + +> not code diff --git a/packages/markdown/marked/test/new/cm_html_blocks.html b/packages/markdown/marked/test/new/cm_html_blocks.html new file mode 100644 index 00000000..80fdff57 --- /dev/null +++ b/packages/markdown/marked/test/new/cm_html_blocks.html @@ -0,0 +1,300 @@ +

    HTML blocks

    + +

    Example 116

    + +
    +
    +**Hello**,
    +

    world. +

    +
    + +

    Example 117

    + + + + + +
    + hi +
    +

    okay.

    + +

    Example 118

    + + +*foo* + +

    Example 120

    + +
    +

    Markdown

    +
    + +

    Example 121

    + +
    +
    + +

    Example 122

    + +
    +
    + +

    Example 123

    + +
    +*foo* +

    bar

    + +

    Example 124

    + +
    Example 125

    + +
    Example 126 + +
    Example 127 + + + +

    Example 128

    + +
    +foo +
    + +

    Example 129

    + +
    +``` c +int x = 33; +``` + +

    Example 130

    + + +*bar* + + +

    Example 131

    + + +*bar* + + +

    Example 132

    + + +*bar* + + +

    Example 133

    + + +*bar* + +

    Example 134

    + + +*foo* + + +

    Example 135

    + + +

    foo

    +
    + +

    Example 136

    + +

    foo

    + +

    Example 137

    + +
    
    +import Text.HTML.TagSoup
    +
    +main :: IO ()
    +main = print $ parseTags tags
    +
    +

    okay

    + +

    Example 138

    + + +

    okay

    + +

    Example 139

    + + +

    okay

    + +

    Example 141

    + +
    +
    +foo +
    +

    bar

    + +

    Example 142

    + +
      +
    • +
      +
    • +
    • foo
    • +
    + +

    Example 143

    + + +

    foo

    + +

    Example 144

    + +*bar* +

    baz

    + +

    Example 145

    + +1. *bar* + +

    Example 146

    + + +

    okay

    + +

    Example 147

    + +'; + +?> +

    okay

    + +

    Example 148

    + + + +

    Example 149

    + + +

    okay

    + +

    Example 150

    + + +
    <!-- foo -->
    +
    + +

    Example 151

    + +
    +
    <div>
    +
    + +

    Example 152

    + +

    Foo

    +
    +bar +
    + +

    Example 153

    + +
    +bar +
    +*foo* + +

    Example 154

    + +

    Foo + +baz

    + +

    Example 155

    + +
    +

    Emphasized text.

    +
    + +

    Example 156

    + +
    +*Emphasized* text. +
    + +

    Example 157

    + + + + + +
    +Hi +
    + +

    Example 158

    + + + +
    <td>
    +  Hi
    +</td>
    +
    + +
    + +

    Example 140

    + +

    If there is no matching end tag, the block will end at the end of the document (or the enclosing block quote or list item):

    + + +okay + +### Example 141 + +>
    +> foo + +bar + +### Example 142 + +-
    +- foo + +### Example 143 + + +*foo* + +### Example 144 + +*bar* +*baz* + +### Example 145 + +1. *bar* + +### Example 146 + + +okay + +### Example 147 + +'; + +?> +okay + +### Example 148 + + + +### Example 149 + + +okay + +### Example 150 + + + + + +### Example 151 + +
    + +
    + +### Example 152 + +Foo +
    +bar +
    + +### Example 153 + +
    +bar +
    +*foo* + +### Example 154 + +Foo +
    +baz + +### Example 155 + +
    + +*Emphasized* text. + +
    + +### Example 156 + +
    +*Emphasized* text. +
    + +### Example 157 + + + + + + + + + +
    +Hi +
    + +### Example 158 + + + + + + + + + +
    + Hi +
    + +### Example 140 + +If there is no matching end tag, the block will end at the end of the document (or the enclosing block quote or list item): + +\nokay\n", + "html": "\nh1 {color:red;}\n\np {color:blue;}\n\n

    okay

    \n", + "example": 141, + "start_line": 2430, + "end_line": 2446, + "section": "HTML blocks" + }, + { + "markdown": "\n\nfoo\n", + "html": "\n\nfoo\n", + "example": 142, + "start_line": 2453, + "end_line": 2463, + "section": "HTML blocks" + }, + { + "markdown": ">
    \n> foo\n\nbar\n", + "html": "
    \n
    \nfoo\n
    \n

    bar

    \n", + "example": 143, + "start_line": 2466, + "end_line": 2477, + "section": "HTML blocks" + }, + { + "markdown": "-
    \n- foo\n", + "html": "
      \n
    • \n
      \n
    • \n
    • foo
    • \n
    \n", + "example": 144, + "start_line": 2480, + "end_line": 2490, + "section": "HTML blocks" + }, + { + "markdown": "\n*foo*\n", + "html": "\n

    foo

    \n", + "example": 145, + "start_line": 2495, + "end_line": 2501, + "section": "HTML blocks" + }, + { + "markdown": "*bar*\n*baz*\n", + "html": "*bar*\n

    baz

    \n", + "example": 146, + "start_line": 2504, + "end_line": 2510, + "section": "HTML blocks" + }, + { + "markdown": "1. *bar*\n", + "html": "1. *bar*\n", + "example": 147, + "start_line": 2516, + "end_line": 2524, + "section": "HTML blocks" + }, + { + "markdown": "\nokay\n", + "html": "\n

    okay

    \n", + "example": 148, + "start_line": 2529, + "end_line": 2541, + "section": "HTML blocks" + }, + { + "markdown": "';\n\n?>\nokay\n", + "html": "';\n\n?>\n

    okay

    \n", + "example": 149, + "start_line": 2547, + "end_line": 2561, + "section": "HTML blocks" + }, + { + "markdown": "\n", + "html": "\n", + "example": 150, + "start_line": 2566, + "end_line": 2570, + "section": "HTML blocks" + }, + { + "markdown": "\nokay\n", + "html": "\n

    okay

    \n", + "example": 151, + "start_line": 2575, + "end_line": 2603, + "section": "HTML blocks" + }, + { + "markdown": " \n\n \n", + "html": " \n
    <!-- foo -->\n
    \n", + "example": 152, + "start_line": 2608, + "end_line": 2616, + "section": "HTML blocks" + }, + { + "markdown": "
    \n\n
    \n", + "html": "
    \n
    <div>\n
    \n", + "example": 153, + "start_line": 2619, + "end_line": 2627, + "section": "HTML blocks" + }, + { + "markdown": "Foo\n
    \nbar\n
    \n", + "html": "

    Foo

    \n
    \nbar\n
    \n", + "example": 154, + "start_line": 2633, + "end_line": 2643, + "section": "HTML blocks" + }, + { + "markdown": "
    \nbar\n
    \n*foo*\n", + "html": "
    \nbar\n
    \n*foo*\n", + "example": 155, + "start_line": 2650, + "end_line": 2660, + "section": "HTML blocks" + }, + { + "markdown": "Foo\n
    \nbaz\n", + "html": "

    Foo\n\nbaz

    \n", + "example": 156, + "start_line": 2665, + "end_line": 2673, + "section": "HTML blocks" + }, + { + "markdown": "
    \n\n*Emphasized* text.\n\n
    \n", + "html": "
    \n

    Emphasized text.

    \n
    \n", + "example": 157, + "start_line": 2706, + "end_line": 2716, + "section": "HTML blocks" + }, + { + "markdown": "
    \n*Emphasized* text.\n
    \n", + "html": "
    \n*Emphasized* text.\n
    \n", + "example": 158, + "start_line": 2719, + "end_line": 2727, + "section": "HTML blocks" + }, + { + "markdown": "\n\n\n\n\n\n\n\n
    \nHi\n
    \n", + "html": "\n\n\n\n
    \nHi\n
    \n", + "example": 159, + "start_line": 2741, + "end_line": 2761, + "section": "HTML blocks" + }, + { + "markdown": "\n\n \n\n \n\n \n\n
    \n Hi\n
    \n", + "html": "\n \n
    <td>\n  Hi\n</td>\n
    \n \n
    \n", + "example": 160, + "start_line": 2768, + "end_line": 2789, + "section": "HTML blocks" + }, + { + "markdown": "[foo]: /url \"title\"\n\n[foo]\n", + "html": "

    foo

    \n", + "example": 161, + "start_line": 2816, + "end_line": 2822, + "section": "Link reference definitions" + }, + { + "markdown": " [foo]: \n /url \n 'the title' \n\n[foo]\n", + "html": "

    foo

    \n", + "example": 162, + "start_line": 2825, + "end_line": 2833, + "section": "Link reference definitions" + }, + { + "markdown": "[Foo*bar\\]]:my_(url) 'title (with parens)'\n\n[Foo*bar\\]]\n", + "html": "

    Foo*bar]

    \n", + "example": 163, + "start_line": 2836, + "end_line": 2842, + "section": "Link reference definitions" + }, + { + "markdown": "[Foo bar]:\n\n'title'\n\n[Foo bar]\n", + "html": "

    Foo bar

    \n", + "example": 164, + "start_line": 2845, + "end_line": 2853, + "section": "Link reference definitions", + "shouldFail": true + }, + { + "markdown": "[foo]: /url '\ntitle\nline1\nline2\n'\n\n[foo]\n", + "html": "

    foo

    \n", + "example": 165, + "start_line": 2858, + "end_line": 2872, + "section": "Link reference definitions" + }, + { + "markdown": "[foo]: /url 'title\n\nwith blank line'\n\n[foo]\n", + "html": "

    [foo]: /url 'title

    \n

    with blank line'

    \n

    [foo]

    \n", + "example": 166, + "start_line": 2877, + "end_line": 2887, + "section": "Link reference definitions" + }, + { + "markdown": "[foo]:\n/url\n\n[foo]\n", + "html": "

    foo

    \n", + "example": 167, + "start_line": 2892, + "end_line": 2899, + "section": "Link reference definitions" + }, + { + "markdown": "[foo]:\n\n[foo]\n", + "html": "

    [foo]:

    \n

    [foo]

    \n", + "example": 168, + "start_line": 2904, + "end_line": 2911, + "section": "Link reference definitions" + }, + { + "markdown": "[foo]: <>\n\n[foo]\n", + "html": "

    foo

    \n", + "example": 169, + "start_line": 2916, + "end_line": 2922, + "section": "Link reference definitions", + "shouldFail": true + }, + { + "markdown": "[foo]: (baz)\n\n[foo]\n", + "html": "

    [foo]: (baz)

    \n

    [foo]

    \n", + "example": 170, + "start_line": 2927, + "end_line": 2934, + "section": "Link reference definitions" + }, + { + "markdown": "[foo]: /url\\bar\\*baz \"foo\\\"bar\\baz\"\n\n[foo]\n", + "html": "

    foo

    \n", + "example": 171, + "start_line": 2940, + "end_line": 2946, + "section": "Link reference definitions", + "shouldFail": true + }, + { + "markdown": "[foo]\n\n[foo]: url\n", + "html": "

    foo

    \n", + "example": 172, + "start_line": 2951, + "end_line": 2957, + "section": "Link reference definitions" + }, + { + "markdown": "[foo]\n\n[foo]: first\n[foo]: second\n", + "html": "

    foo

    \n", + "example": 173, + "start_line": 2963, + "end_line": 2970, + "section": "Link reference definitions" + }, + { + "markdown": "[FOO]: /url\n\n[Foo]\n", + "html": "

    Foo

    \n", + "example": 174, + "start_line": 2976, + "end_line": 2982, + "section": "Link reference definitions" + }, + { + "markdown": "[ΑΓΩ]: /φου\n\n[αγω]\n", + "html": "

    αγω

    \n", + "example": 175, + "start_line": 2985, + "end_line": 2991, + "section": "Link reference definitions" + }, + { + "markdown": "[foo]: /url\n", + "html": "", + "example": 176, + "start_line": 2997, + "end_line": 3000, + "section": "Link reference definitions" + }, + { + "markdown": "[\nfoo\n]: /url\nbar\n", + "html": "

    bar

    \n", + "example": 177, + "start_line": 3005, + "end_line": 3012, + "section": "Link reference definitions" + }, + { + "markdown": "[foo]: /url \"title\" ok\n", + "html": "

    [foo]: /url "title" ok

    \n", + "example": 178, + "start_line": 3018, + "end_line": 3022, + "section": "Link reference definitions" + }, + { + "markdown": "[foo]: /url\n\"title\" ok\n", + "html": "

    "title" ok

    \n", + "example": 179, + "start_line": 3027, + "end_line": 3032, + "section": "Link reference definitions" + }, + { + "markdown": " [foo]: /url \"title\"\n\n[foo]\n", + "html": "
    [foo]: /url "title"\n
    \n

    [foo]

    \n", + "example": 180, + "start_line": 3038, + "end_line": 3046, + "section": "Link reference definitions" + }, + { + "markdown": "```\n[foo]: /url\n```\n\n[foo]\n", + "html": "
    [foo]: /url\n
    \n

    [foo]

    \n", + "example": 181, + "start_line": 3052, + "end_line": 3062, + "section": "Link reference definitions" + }, + { + "markdown": "Foo\n[bar]: /baz\n\n[bar]\n", + "html": "

    Foo\n[bar]: /baz

    \n

    [bar]

    \n", + "example": 182, + "start_line": 3067, + "end_line": 3076, + "section": "Link reference definitions" + }, + { + "markdown": "# [Foo]\n[foo]: /url\n> bar\n", + "html": "

    Foo

    \n
    \n

    bar

    \n
    \n", + "example": 183, + "start_line": 3082, + "end_line": 3091, + "section": "Link reference definitions" + }, + { + "markdown": "[foo]: /url\nbar\n===\n[foo]\n", + "html": "

    bar

    \n

    foo

    \n", + "example": 184, + "start_line": 3093, + "end_line": 3101, + "section": "Link reference definitions" + }, + { + "markdown": "[foo]: /url\n===\n[foo]\n", + "html": "

    ===\nfoo

    \n", + "example": 185, + "start_line": 3103, + "end_line": 3110, + "section": "Link reference definitions" + }, + { + "markdown": "[foo]: /foo-url \"foo\"\n[bar]: /bar-url\n \"bar\"\n[baz]: /baz-url\n\n[foo],\n[bar],\n[baz]\n", + "html": "

    foo,\nbar,\nbaz

    \n", + "example": 186, + "start_line": 3116, + "end_line": 3129, + "section": "Link reference definitions" + }, + { + "markdown": "[foo]\n\n> [foo]: /url\n", + "html": "

    foo

    \n
    \n
    \n", + "example": 187, + "start_line": 3137, + "end_line": 3145, + "section": "Link reference definitions" + }, + { + "markdown": "[foo]: /url\n", + "html": "", + "example": 188, + "start_line": 3154, + "end_line": 3157, + "section": "Link reference definitions" + }, + { + "markdown": "aaa\n\nbbb\n", + "html": "

    aaa

    \n

    bbb

    \n", + "example": 189, + "start_line": 3171, + "end_line": 3178, + "section": "Paragraphs" + }, + { + "markdown": "aaa\nbbb\n\nccc\nddd\n", + "html": "

    aaa\nbbb

    \n

    ccc\nddd

    \n", + "example": 190, + "start_line": 3183, + "end_line": 3194, + "section": "Paragraphs" + }, + { + "markdown": "aaa\n\n\nbbb\n", + "html": "

    aaa

    \n

    bbb

    \n", + "example": 191, + "start_line": 3199, + "end_line": 3207, + "section": "Paragraphs" + }, + { + "markdown": " aaa\n bbb\n", + "html": "

    aaa\nbbb

    \n", + "example": 192, + "start_line": 3212, + "end_line": 3218, + "section": "Paragraphs" + }, + { + "markdown": "aaa\n bbb\n ccc\n", + "html": "

    aaa\nbbb\nccc

    \n", + "example": 193, + "start_line": 3224, + "end_line": 3232, + "section": "Paragraphs" + }, + { + "markdown": " aaa\nbbb\n", + "html": "

    aaa\nbbb

    \n", + "example": 194, + "start_line": 3238, + "end_line": 3244, + "section": "Paragraphs" + }, + { + "markdown": " aaa\nbbb\n", + "html": "
    aaa\n
    \n

    bbb

    \n", + "example": 195, + "start_line": 3247, + "end_line": 3254, + "section": "Paragraphs" + }, + { + "markdown": "aaa \nbbb \n", + "html": "

    aaa
    \nbbb

    \n", + "example": 196, + "start_line": 3261, + "end_line": 3267, + "section": "Paragraphs" + }, + { + "markdown": " \n\naaa\n \n\n# aaa\n\n \n", + "html": "

    aaa

    \n

    aaa

    \n", + "example": 197, + "start_line": 3278, + "end_line": 3290, + "section": "Blank lines" + }, + { + "markdown": "> # Foo\n> bar\n> baz\n", + "html": "
    \n

    Foo

    \n

    bar\nbaz

    \n
    \n", + "example": 198, + "start_line": 3344, + "end_line": 3354, + "section": "Block quotes" + }, + { + "markdown": "># Foo\n>bar\n> baz\n", + "html": "
    \n

    Foo

    \n

    bar\nbaz

    \n
    \n", + "example": 199, + "start_line": 3359, + "end_line": 3369, + "section": "Block quotes" + }, + { + "markdown": " > # Foo\n > bar\n > baz\n", + "html": "
    \n

    Foo

    \n

    bar\nbaz

    \n
    \n", + "example": 200, + "start_line": 3374, + "end_line": 3384, + "section": "Block quotes" + }, + { + "markdown": " > # Foo\n > bar\n > baz\n", + "html": "
    > # Foo\n> bar\n> baz\n
    \n", + "example": 201, + "start_line": 3389, + "end_line": 3398, + "section": "Block quotes" + }, + { + "markdown": "> # Foo\n> bar\nbaz\n", + "html": "
    \n

    Foo

    \n

    bar\nbaz

    \n
    \n", + "example": 202, + "start_line": 3404, + "end_line": 3414, + "section": "Block quotes" + }, + { + "markdown": "> bar\nbaz\n> foo\n", + "html": "
    \n

    bar\nbaz\nfoo

    \n
    \n", + "example": 203, + "start_line": 3420, + "end_line": 3430, + "section": "Block quotes" + }, + { + "markdown": "> foo\n---\n", + "html": "
    \n

    foo

    \n
    \n
    \n", + "example": 204, + "start_line": 3444, + "end_line": 3452, + "section": "Block quotes" + }, + { + "markdown": "> - foo\n- bar\n", + "html": "
    \n
      \n
    • foo
    • \n
    \n
    \n
      \n
    • bar
    • \n
    \n", + "example": 205, + "start_line": 3464, + "end_line": 3476, + "section": "Block quotes", + "shouldFail": true + }, + { + "markdown": "> foo\n bar\n", + "html": "
    \n
    foo\n
    \n
    \n
    bar\n
    \n", + "example": 206, + "start_line": 3482, + "end_line": 3492, + "section": "Block quotes", + "shouldFail": true + }, + { + "markdown": "> ```\nfoo\n```\n", + "html": "
    \n
    \n
    \n

    foo

    \n
    \n", + "example": 207, + "start_line": 3495, + "end_line": 3505, + "section": "Block quotes", + "shouldFail": true + }, + { + "markdown": "> foo\n - bar\n", + "html": "
    \n

    foo\n- bar

    \n
    \n", + "example": 208, + "start_line": 3511, + "end_line": 3519, + "section": "Block quotes" + }, + { + "markdown": ">\n", + "html": "
    \n
    \n", + "example": 209, + "start_line": 3535, + "end_line": 3540, + "section": "Block quotes" + }, + { + "markdown": ">\n> \n> \n", + "html": "
    \n
    \n", + "example": 210, + "start_line": 3543, + "end_line": 3550, + "section": "Block quotes" + }, + { + "markdown": ">\n> foo\n> \n", + "html": "
    \n

    foo

    \n
    \n", + "example": 211, + "start_line": 3555, + "end_line": 3563, + "section": "Block quotes" + }, + { + "markdown": "> foo\n\n> bar\n", + "html": "
    \n

    foo

    \n
    \n
    \n

    bar

    \n
    \n", + "example": 212, + "start_line": 3568, + "end_line": 3579, + "section": "Block quotes" + }, + { + "markdown": "> foo\n> bar\n", + "html": "
    \n

    foo\nbar

    \n
    \n", + "example": 213, + "start_line": 3590, + "end_line": 3598, + "section": "Block quotes" + }, + { + "markdown": "> foo\n>\n> bar\n", + "html": "
    \n

    foo

    \n

    bar

    \n
    \n", + "example": 214, + "start_line": 3603, + "end_line": 3612, + "section": "Block quotes" + }, + { + "markdown": "foo\n> bar\n", + "html": "

    foo

    \n
    \n

    bar

    \n
    \n", + "example": 215, + "start_line": 3617, + "end_line": 3625, + "section": "Block quotes" + }, + { + "markdown": "> aaa\n***\n> bbb\n", + "html": "
    \n

    aaa

    \n
    \n
    \n
    \n

    bbb

    \n
    \n", + "example": 216, + "start_line": 3631, + "end_line": 3643, + "section": "Block quotes" + }, + { + "markdown": "> bar\nbaz\n", + "html": "
    \n

    bar\nbaz

    \n
    \n", + "example": 217, + "start_line": 3649, + "end_line": 3657, + "section": "Block quotes" + }, + { + "markdown": "> bar\n\nbaz\n", + "html": "
    \n

    bar

    \n
    \n

    baz

    \n", + "example": 218, + "start_line": 3660, + "end_line": 3669, + "section": "Block quotes" + }, + { + "markdown": "> bar\n>\nbaz\n", + "html": "
    \n

    bar

    \n
    \n

    baz

    \n", + "example": 219, + "start_line": 3672, + "end_line": 3681, + "section": "Block quotes" + }, + { + "markdown": "> > > foo\nbar\n", + "html": "
    \n
    \n
    \n

    foo\nbar

    \n
    \n
    \n
    \n", + "example": 220, + "start_line": 3688, + "end_line": 3700, + "section": "Block quotes" + }, + { + "markdown": ">>> foo\n> bar\n>>baz\n", + "html": "
    \n
    \n
    \n

    foo\nbar\nbaz

    \n
    \n
    \n
    \n", + "example": 221, + "start_line": 3703, + "end_line": 3717, + "section": "Block quotes" + }, + { + "markdown": "> code\n\n> not code\n", + "html": "
    \n
    code\n
    \n
    \n
    \n

    not code

    \n
    \n", + "example": 222, + "start_line": 3725, + "end_line": 3737, + "section": "Block quotes" + }, + { + "markdown": "A paragraph\nwith two lines.\n\n indented code\n\n> A block quote.\n", + "html": "

    A paragraph\nwith two lines.

    \n
    indented code\n
    \n
    \n

    A block quote.

    \n
    \n", + "example": 223, + "start_line": 3779, + "end_line": 3794, + "section": "List items" + }, + { + "markdown": "1. A paragraph\n with two lines.\n\n indented code\n\n > A block quote.\n", + "html": "
      \n
    1. \n

      A paragraph\nwith two lines.

      \n
      indented code\n
      \n
      \n

      A block quote.

      \n
      \n
    2. \n
    \n", + "example": 224, + "start_line": 3801, + "end_line": 3820, + "section": "List items" + }, + { + "markdown": "- one\n\n two\n", + "html": "
      \n
    • one
    • \n
    \n

    two

    \n", + "example": 225, + "start_line": 3834, + "end_line": 3843, + "section": "List items", + "shouldFail": true + }, + { + "markdown": "- one\n\n two\n", + "html": "
      \n
    • \n

      one

      \n

      two

      \n
    • \n
    \n", + "example": 226, + "start_line": 3846, + "end_line": 3857, + "section": "List items" + }, + { + "markdown": " - one\n\n two\n", + "html": "
      \n
    • one
    • \n
    \n
     two\n
    \n", + "example": 227, + "start_line": 3860, + "end_line": 3870, + "section": "List items", + "shouldFail": true + }, + { + "markdown": " - one\n\n two\n", + "html": "
      \n
    • \n

      one

      \n

      two

      \n
    • \n
    \n", + "example": 228, + "start_line": 3873, + "end_line": 3884, + "section": "List items" + }, + { + "markdown": " > > 1. one\n>>\n>> two\n", + "html": "
    \n
    \n
      \n
    1. \n

      one

      \n

      two

      \n
    2. \n
    \n
    \n
    \n", + "example": 229, + "start_line": 3895, + "end_line": 3910, + "section": "List items" + }, + { + "markdown": ">>- one\n>>\n > > two\n", + "html": "
    \n
    \n
      \n
    • one
    • \n
    \n

    two

    \n
    \n
    \n", + "example": 230, + "start_line": 3922, + "end_line": 3935, + "section": "List items" + }, + { + "markdown": "-one\n\n2.two\n", + "html": "

    -one

    \n

    2.two

    \n", + "example": 231, + "start_line": 3941, + "end_line": 3948, + "section": "List items" + }, + { + "markdown": "- foo\n\n\n bar\n", + "html": "
      \n
    • \n

      foo

      \n

      bar

      \n
    • \n
    \n", + "example": 232, + "start_line": 3954, + "end_line": 3966, + "section": "List items", + "shouldFail": true + }, + { + "markdown": "1. foo\n\n ```\n bar\n ```\n\n baz\n\n > bam\n", + "html": "
      \n
    1. \n

      foo

      \n
      bar\n
      \n

      baz

      \n
      \n

      bam

      \n
      \n
    2. \n
    \n", + "example": 233, + "start_line": 3971, + "end_line": 3993, + "section": "List items" + }, + { + "markdown": "- Foo\n\n bar\n\n\n baz\n", + "html": "
      \n
    • \n

      Foo

      \n
      bar\n\n\nbaz\n
      \n
    • \n
    \n", + "example": 234, + "start_line": 3999, + "end_line": 4017, + "section": "List items", + "shouldFail": true + }, + { + "markdown": "123456789. ok\n", + "html": "
      \n
    1. ok
    2. \n
    \n", + "example": 235, + "start_line": 4021, + "end_line": 4027, + "section": "List items" + }, + { + "markdown": "1234567890. not ok\n", + "html": "

    1234567890. not ok

    \n", + "example": 236, + "start_line": 4030, + "end_line": 4034, + "section": "List items" + }, + { + "markdown": "0. ok\n", + "html": "
      \n
    1. ok
    2. \n
    \n", + "example": 237, + "start_line": 4039, + "end_line": 4045, + "section": "List items" + }, + { + "markdown": "003. ok\n", + "html": "
      \n
    1. ok
    2. \n
    \n", + "example": 238, + "start_line": 4048, + "end_line": 4054, + "section": "List items" + }, + { + "markdown": "-1. not ok\n", + "html": "

    -1. not ok

    \n", + "example": 239, + "start_line": 4059, + "end_line": 4063, + "section": "List items" + }, + { + "markdown": "- foo\n\n bar\n", + "html": "
      \n
    • \n

      foo

      \n
      bar\n
      \n
    • \n
    \n", + "example": 240, + "start_line": 4082, + "end_line": 4094, + "section": "List items" + }, + { + "markdown": " 10. foo\n\n bar\n", + "html": "
      \n
    1. \n

      foo

      \n
      bar\n
      \n
    2. \n
    \n", + "example": 241, + "start_line": 4099, + "end_line": 4111, + "section": "List items" + }, + { + "markdown": " indented code\n\nparagraph\n\n more code\n", + "html": "
    indented code\n
    \n

    paragraph

    \n
    more code\n
    \n", + "example": 242, + "start_line": 4118, + "end_line": 4130, + "section": "List items" + }, + { + "markdown": "1. indented code\n\n paragraph\n\n more code\n", + "html": "
      \n
    1. \n
      indented code\n
      \n

      paragraph

      \n
      more code\n
      \n
    2. \n
    \n", + "example": 243, + "start_line": 4133, + "end_line": 4149, + "section": "List items", + "shouldFail": true + }, + { + "markdown": "1. indented code\n\n paragraph\n\n more code\n", + "html": "
      \n
    1. \n
       indented code\n
      \n

      paragraph

      \n
      more code\n
      \n
    2. \n
    \n", + "example": 244, + "start_line": 4155, + "end_line": 4171, + "section": "List items", + "shouldFail": true + }, + { + "markdown": " foo\n\nbar\n", + "html": "

    foo

    \n

    bar

    \n", + "example": 245, + "start_line": 4182, + "end_line": 4189, + "section": "List items" + }, + { + "markdown": "- foo\n\n bar\n", + "html": "
      \n
    • foo
    • \n
    \n

    bar

    \n", + "example": 246, + "start_line": 4192, + "end_line": 4201, + "section": "List items", + "shouldFail": true + }, + { + "markdown": "- foo\n\n bar\n", + "html": "
      \n
    • \n

      foo

      \n

      bar

      \n
    • \n
    \n", + "example": 247, + "start_line": 4209, + "end_line": 4220, + "section": "List items" + }, + { + "markdown": "-\n foo\n-\n ```\n bar\n ```\n-\n baz\n", + "html": "
      \n
    • foo
    • \n
    • \n
      bar\n
      \n
    • \n
    • \n
      baz\n
      \n
    • \n
    \n", + "example": 248, + "start_line": 4237, + "end_line": 4258, + "section": "List items", + "shouldFail": true + }, + { + "markdown": "- \n foo\n", + "html": "
      \n
    • foo
    • \n
    \n", + "example": 249, + "start_line": 4263, + "end_line": 4270, + "section": "List items" + }, + { + "markdown": "-\n\n foo\n", + "html": "
      \n
    • \n
    \n

    foo

    \n", + "example": 250, + "start_line": 4277, + "end_line": 4286, + "section": "List items", + "shouldFail": true + }, + { + "markdown": "- foo\n-\n- bar\n", + "html": "
      \n
    • foo
    • \n
    • \n
    • bar
    • \n
    \n", + "example": 251, + "start_line": 4291, + "end_line": 4301, + "section": "List items" + }, + { + "markdown": "- foo\n- \n- bar\n", + "html": "
      \n
    • foo
    • \n
    • \n
    • bar
    • \n
    \n", + "example": 252, + "start_line": 4306, + "end_line": 4316, + "section": "List items" + }, + { + "markdown": "1. foo\n2.\n3. bar\n", + "html": "
      \n
    1. foo
    2. \n
    3. \n
    4. bar
    5. \n
    \n", + "example": 253, + "start_line": 4321, + "end_line": 4331, + "section": "List items" + }, + { + "markdown": "*\n", + "html": "
      \n
    • \n
    \n", + "example": 254, + "start_line": 4336, + "end_line": 4342, + "section": "List items", + "shouldFail": true + }, + { + "markdown": "foo\n*\n\nfoo\n1.\n", + "html": "

    foo\n*

    \n

    foo\n1.

    \n", + "example": 255, + "start_line": 4346, + "end_line": 4357, + "section": "List items" + }, + { + "markdown": " 1. A paragraph\n with two lines.\n\n indented code\n\n > A block quote.\n", + "html": "
      \n
    1. \n

      A paragraph\nwith two lines.

      \n
      indented code\n
      \n
      \n

      A block quote.

      \n
      \n
    2. \n
    \n", + "example": 256, + "start_line": 4368, + "end_line": 4387, + "section": "List items" + }, + { + "markdown": " 1. A paragraph\n with two lines.\n\n indented code\n\n > A block quote.\n", + "html": "
      \n
    1. \n

      A paragraph\nwith two lines.

      \n
      indented code\n
      \n
      \n

      A block quote.

      \n
      \n
    2. \n
    \n", + "example": 257, + "start_line": 4392, + "end_line": 4411, + "section": "List items" + }, + { + "markdown": " 1. A paragraph\n with two lines.\n\n indented code\n\n > A block quote.\n", + "html": "
      \n
    1. \n

      A paragraph\nwith two lines.

      \n
      indented code\n
      \n
      \n

      A block quote.

      \n
      \n
    2. \n
    \n", + "example": 258, + "start_line": 4416, + "end_line": 4435, + "section": "List items" + }, + { + "markdown": " 1. A paragraph\n with two lines.\n\n indented code\n\n > A block quote.\n", + "html": "
    1.  A paragraph\n    with two lines.\n\n        indented code\n\n    > A block quote.\n
    \n", + "example": 259, + "start_line": 4440, + "end_line": 4455, + "section": "List items" + }, + { + "markdown": " 1. A paragraph\nwith two lines.\n\n indented code\n\n > A block quote.\n", + "html": "
      \n
    1. \n

      A paragraph\nwith two lines.

      \n
      indented code\n
      \n
      \n

      A block quote.

      \n
      \n
    2. \n
    \n", + "example": 260, + "start_line": 4470, + "end_line": 4489, + "section": "List items" + }, + { + "markdown": " 1. A paragraph\n with two lines.\n", + "html": "
      \n
    1. A paragraph\nwith two lines.
    2. \n
    \n", + "example": 261, + "start_line": 4494, + "end_line": 4502, + "section": "List items" + }, + { + "markdown": "> 1. > Blockquote\ncontinued here.\n", + "html": "
    \n
      \n
    1. \n
      \n

      Blockquote\ncontinued here.

      \n
      \n
    2. \n
    \n
    \n", + "example": 262, + "start_line": 4507, + "end_line": 4521, + "section": "List items" + }, + { + "markdown": "> 1. > Blockquote\n> continued here.\n", + "html": "
    \n
      \n
    1. \n
      \n

      Blockquote\ncontinued here.

      \n
      \n
    2. \n
    \n
    \n", + "example": 263, + "start_line": 4524, + "end_line": 4538, + "section": "List items" + }, + { + "markdown": "- foo\n - bar\n - baz\n - boo\n", + "html": "
      \n
    • foo\n
        \n
      • bar\n
          \n
        • baz\n
            \n
          • boo
          • \n
          \n
        • \n
        \n
      • \n
      \n
    • \n
    \n", + "example": 264, + "start_line": 4552, + "end_line": 4573, + "section": "List items" + }, + { + "markdown": "- foo\n - bar\n - baz\n - boo\n", + "html": "
      \n
    • foo
    • \n
    • bar
    • \n
    • baz
    • \n
    • boo
    • \n
    \n", + "example": 265, + "start_line": 4578, + "end_line": 4590, + "section": "List items", + "shouldFail": true + }, + { + "markdown": "10) foo\n - bar\n", + "html": "
      \n
    1. foo\n
        \n
      • bar
      • \n
      \n
    2. \n
    \n", + "example": 266, + "start_line": 4595, + "end_line": 4606, + "section": "List items", + "shouldFail": true + }, + { + "markdown": "10) foo\n - bar\n", + "html": "
      \n
    1. foo
    2. \n
    \n
      \n
    • bar
    • \n
    \n", + "example": 267, + "start_line": 4611, + "end_line": 4621, + "section": "List items", + "shouldFail": true + }, + { + "markdown": "- - foo\n", + "html": "
      \n
    • \n
        \n
      • foo
      • \n
      \n
    • \n
    \n", + "example": 268, + "start_line": 4626, + "end_line": 4636, + "section": "List items" + }, + { + "markdown": "1. - 2. foo\n", + "html": "
      \n
    1. \n
        \n
      • \n
          \n
        1. foo
        2. \n
        \n
      • \n
      \n
    2. \n
    \n", + "example": 269, + "start_line": 4639, + "end_line": 4653, + "section": "List items" + }, + { + "markdown": "- # Foo\n- Bar\n ---\n baz\n", + "html": "
      \n
    • \n

      Foo

      \n
    • \n
    • \n

      Bar

      \nbaz
    • \n
    \n", + "example": 270, + "start_line": 4658, + "end_line": 4672, + "section": "List items" + }, + { + "markdown": "- foo\n- bar\n+ baz\n", + "html": "
      \n
    • foo
    • \n
    • bar
    • \n
    \n
      \n
    • baz
    • \n
    \n", + "example": 271, + "start_line": 4894, + "end_line": 4906, + "section": "Lists", + "shouldFail": true + }, + { + "markdown": "1. foo\n2. bar\n3) baz\n", + "html": "
      \n
    1. foo
    2. \n
    3. bar
    4. \n
    \n
      \n
    1. baz
    2. \n
    \n", + "example": 272, + "start_line": 4909, + "end_line": 4921, + "section": "Lists", + "shouldFail": true + }, + { + "markdown": "Foo\n- bar\n- baz\n", + "html": "

    Foo

    \n
      \n
    • bar
    • \n
    • baz
    • \n
    \n", + "example": 273, + "start_line": 4928, + "end_line": 4938, + "section": "Lists" + }, + { + "markdown": "The number of windows in my house is\n14. The number of doors is 6.\n", + "html": "

    The number of windows in my house is\n14. The number of doors is 6.

    \n", + "example": 274, + "start_line": 5005, + "end_line": 5011, + "section": "Lists", + "shouldFail": true + }, + { + "markdown": "The number of windows in my house is\n1. The number of doors is 6.\n", + "html": "

    The number of windows in my house is

    \n
      \n
    1. The number of doors is 6.
    2. \n
    \n", + "example": 275, + "start_line": 5015, + "end_line": 5023, + "section": "Lists" + }, + { + "markdown": "- foo\n\n- bar\n\n\n- baz\n", + "html": "
      \n
    • \n

      foo

      \n
    • \n
    • \n

      bar

      \n
    • \n
    • \n

      baz

      \n
    • \n
    \n", + "example": 276, + "start_line": 5029, + "end_line": 5048, + "section": "Lists", + "shouldFail": true + }, + { + "markdown": "- foo\n - bar\n - baz\n\n\n bim\n", + "html": "
      \n
    • foo\n
        \n
      • bar\n
          \n
        • \n

          baz

          \n

          bim

          \n
        • \n
        \n
      • \n
      \n
    • \n
    \n", + "example": 277, + "start_line": 5050, + "end_line": 5072, + "section": "Lists", + "shouldFail": true + }, + { + "markdown": "- foo\n- bar\n\n\n\n- baz\n- bim\n", + "html": "
      \n
    • foo
    • \n
    • bar
    • \n
    \n\n
      \n
    • baz
    • \n
    • bim
    • \n
    \n", + "example": 278, + "start_line": 5080, + "end_line": 5098, + "section": "Lists" + }, + { + "markdown": "- foo\n\n notcode\n\n- foo\n\n\n\n code\n", + "html": "
      \n
    • \n

      foo

      \n

      notcode

      \n
    • \n
    • \n

      foo

      \n
    • \n
    \n\n
    code\n
    \n", + "example": 279, + "start_line": 5101, + "end_line": 5124, + "section": "Lists" + }, + { + "markdown": "- a\n - b\n - c\n - d\n - e\n - f\n- g\n", + "html": "
      \n
    • a
    • \n
    • b
    • \n
    • c
    • \n
    • d
    • \n
    • e
    • \n
    • f
    • \n
    • g
    • \n
    \n", + "example": 280, + "start_line": 5132, + "end_line": 5150, + "section": "Lists", + "shouldFail": true + }, + { + "markdown": "1. a\n\n 2. b\n\n 3. c\n", + "html": "
      \n
    1. \n

      a

      \n
    2. \n
    3. \n

      b

      \n
    4. \n
    5. \n

      c

      \n
    6. \n
    \n", + "example": 281, + "start_line": 5153, + "end_line": 5171, + "section": "Lists", + "shouldFail": true + }, + { + "markdown": "- a\n - b\n - c\n - d\n - e\n", + "html": "
      \n
    • a
    • \n
    • b
    • \n
    • c
    • \n
    • d\n- e
    • \n
    \n", + "example": 282, + "start_line": 5177, + "end_line": 5191, + "section": "Lists", + "shouldFail": true + }, + { + "markdown": "1. a\n\n 2. b\n\n 3. c\n", + "html": "
      \n
    1. \n

      a

      \n
    2. \n
    3. \n

      b

      \n
    4. \n
    \n
    3. c\n
    \n", + "example": 283, + "start_line": 5197, + "end_line": 5214, + "section": "Lists", + "shouldFail": true + }, + { + "markdown": "- a\n- b\n\n- c\n", + "html": "
      \n
    • \n

      a

      \n
    • \n
    • \n

      b

      \n
    • \n
    • \n

      c

      \n
    • \n
    \n", + "example": 284, + "start_line": 5220, + "end_line": 5237, + "section": "Lists" + }, + { + "markdown": "* a\n*\n\n* c\n", + "html": "
      \n
    • \n

      a

      \n
    • \n
    • \n
    • \n

      c

      \n
    • \n
    \n", + "example": 285, + "start_line": 5242, + "end_line": 5257, + "section": "Lists" + }, + { + "markdown": "- a\n- b\n\n c\n- d\n", + "html": "
      \n
    • \n

      a

      \n
    • \n
    • \n

      b

      \n

      c

      \n
    • \n
    • \n

      d

      \n
    • \n
    \n", + "example": 286, + "start_line": 5264, + "end_line": 5283, + "section": "Lists" + }, + { + "markdown": "- a\n- b\n\n [ref]: /url\n- d\n", + "html": "
      \n
    • \n

      a

      \n
    • \n
    • \n

      b

      \n
    • \n
    • \n

      d

      \n
    • \n
    \n", + "example": 287, + "start_line": 5286, + "end_line": 5304, + "section": "Lists", + "shouldFail": true + }, + { + "markdown": "- a\n- ```\n b\n\n\n ```\n- c\n", + "html": "
      \n
    • a
    • \n
    • \n
      b\n\n\n
      \n
    • \n
    • c
    • \n
    \n", + "example": 288, + "start_line": 5309, + "end_line": 5328, + "section": "Lists", + "shouldFail": true + }, + { + "markdown": "- a\n - b\n\n c\n- d\n", + "html": "
      \n
    • a\n
        \n
      • \n

        b

        \n

        c

        \n
      • \n
      \n
    • \n
    • d
    • \n
    \n", + "example": 289, + "start_line": 5335, + "end_line": 5353, + "section": "Lists", + "shouldFail": true + }, + { + "markdown": "* a\n > b\n >\n* c\n", + "html": "
      \n
    • a\n
      \n

      b

      \n
      \n
    • \n
    • c
    • \n
    \n", + "example": 290, + "start_line": 5359, + "end_line": 5373, + "section": "Lists" + }, + { + "markdown": "- a\n > b\n ```\n c\n ```\n- d\n", + "html": "
      \n
    • a\n
      \n

      b

      \n
      \n
      c\n
      \n
    • \n
    • d
    • \n
    \n", + "example": 291, + "start_line": 5379, + "end_line": 5397, + "section": "Lists", + "shouldFail": true + }, + { + "markdown": "- a\n", + "html": "
      \n
    • a
    • \n
    \n", + "example": 292, + "start_line": 5402, + "end_line": 5408, + "section": "Lists" + }, + { + "markdown": "- a\n - b\n", + "html": "
      \n
    • a\n
        \n
      • b
      • \n
      \n
    • \n
    \n", + "example": 293, + "start_line": 5411, + "end_line": 5422, + "section": "Lists" + }, + { + "markdown": "1. ```\n foo\n ```\n\n bar\n", + "html": "
      \n
    1. \n
      foo\n
      \n

      bar

      \n
    2. \n
    \n", + "example": 294, + "start_line": 5428, + "end_line": 5442, + "section": "Lists" + }, + { + "markdown": "* foo\n * bar\n\n baz\n", + "html": "
      \n
    • \n

      foo

      \n
        \n
      • bar
      • \n
      \n

      baz

      \n
    • \n
    \n", + "example": 295, + "start_line": 5447, + "end_line": 5462, + "section": "Lists" + }, + { + "markdown": "- a\n - b\n - c\n\n- d\n - e\n - f\n", + "html": "
      \n
    • \n

      a

      \n
        \n
      • b
      • \n
      • c
      • \n
      \n
    • \n
    • \n

      d

      \n
        \n
      • e
      • \n
      • f
      • \n
      \n
    • \n
    \n", + "example": 296, + "start_line": 5465, + "end_line": 5490, + "section": "Lists" + }, + { + "markdown": "`hi`lo`\n", + "html": "

    hilo`

    \n", + "example": 297, + "start_line": 5499, + "end_line": 5503, + "section": "Inlines" + }, + { + "markdown": "\\!\\\"\\#\\$\\%\\&\\'\\(\\)\\*\\+\\,\\-\\.\\/\\:\\;\\<\\=\\>\\?\\@\\[\\\\\\]\\^\\_\\`\\{\\|\\}\\~\n", + "html": "

    !"#$%&'()*+,-./:;<=>?@[\\]^_`{|}~

    \n", + "example": 298, + "start_line": 5513, + "end_line": 5517, + "section": "Backslash escapes" + }, + { + "markdown": "\\\t\\A\\a\\ \\3\\φ\\«\n", + "html": "

    \\\t\\A\\a\\ \\3\\φ\\«

    \n", + "example": 299, + "start_line": 5523, + "end_line": 5527, + "section": "Backslash escapes" + }, + { + "markdown": "\\*not emphasized*\n\\
    not a tag\n\\[not a link](/foo)\n\\`not code`\n1\\. not a list\n\\* not a list\n\\# not a heading\n\\[foo]: /url \"not a reference\"\n\\ö not a character entity\n", + "html": "

    *not emphasized*\n<br/> not a tag\n[not a link](/foo)\n`not code`\n1. not a list\n* not a list\n# not a heading\n[foo]: /url "not a reference"\n&ouml; not a character entity

    \n", + "example": 300, + "start_line": 5533, + "end_line": 5553, + "section": "Backslash escapes" + }, + { + "markdown": "\\\\*emphasis*\n", + "html": "

    \\emphasis

    \n", + "example": 301, + "start_line": 5558, + "end_line": 5562, + "section": "Backslash escapes" + }, + { + "markdown": "foo\\\nbar\n", + "html": "

    foo
    \nbar

    \n", + "example": 302, + "start_line": 5567, + "end_line": 5573, + "section": "Backslash escapes" + }, + { + "markdown": "`` \\[\\` ``\n", + "html": "

    \\[\\`

    \n", + "example": 303, + "start_line": 5579, + "end_line": 5583, + "section": "Backslash escapes" + }, + { + "markdown": " \\[\\]\n", + "html": "
    \\[\\]\n
    \n", + "example": 304, + "start_line": 5586, + "end_line": 5591, + "section": "Backslash escapes" + }, + { + "markdown": "~~~\n\\[\\]\n~~~\n", + "html": "
    \\[\\]\n
    \n", + "example": 305, + "start_line": 5594, + "end_line": 5601, + "section": "Backslash escapes" + }, + { + "markdown": "\n", + "html": "

    http://example.com?find=\\*

    \n", + "example": 306, + "start_line": 5604, + "end_line": 5608, + "section": "Backslash escapes" + }, + { + "markdown": "\n", + "html": "\n", + "example": 307, + "start_line": 5611, + "end_line": 5615, + "section": "Backslash escapes" + }, + { + "markdown": "[foo](/bar\\* \"ti\\*tle\")\n", + "html": "

    foo

    \n", + "example": 308, + "start_line": 5621, + "end_line": 5625, + "section": "Backslash escapes" + }, + { + "markdown": "[foo]\n\n[foo]: /bar\\* \"ti\\*tle\"\n", + "html": "

    foo

    \n", + "example": 309, + "start_line": 5628, + "end_line": 5634, + "section": "Backslash escapes", + "shouldFail": true + }, + { + "markdown": "``` foo\\+bar\nfoo\n```\n", + "html": "
    foo\n
    \n", + "example": 310, + "start_line": 5637, + "end_line": 5644, + "section": "Backslash escapes", + "shouldFail": true + }, + { + "markdown": "  & © Æ Ď\n¾ ℋ ⅆ\n∲ ≧̸\n", + "html": "

      & © Æ Ď\n¾ ℋ ⅆ\n∲ ≧̸

    \n", + "example": 311, + "start_line": 5674, + "end_line": 5682, + "section": "Entity and numeric character references" + }, + { + "markdown": "# Ӓ Ϡ �\n", + "html": "

    # Ӓ Ϡ �

    \n", + "example": 312, + "start_line": 5693, + "end_line": 5697, + "section": "Entity and numeric character references" + }, + { + "markdown": "" ആ ಫ\n", + "html": "

    " ആ ಫ

    \n", + "example": 313, + "start_line": 5706, + "end_line": 5710, + "section": "Entity and numeric character references" + }, + { + "markdown": "  &x; &#; &#x;\n�\n&#abcdef0;\n&ThisIsNotDefined; &hi?;\n", + "html": "

    &nbsp &x; &#; &#x;\n&#987654321;\n&#abcdef0;\n&ThisIsNotDefined; &hi?;

    \n", + "example": 314, + "start_line": 5715, + "end_line": 5725, + "section": "Entity and numeric character references", + "shouldFail": true + }, + { + "markdown": "©\n", + "html": "

    &copy

    \n", + "example": 315, + "start_line": 5732, + "end_line": 5736, + "section": "Entity and numeric character references" + }, + { + "markdown": "&MadeUpEntity;\n", + "html": "

    &MadeUpEntity;

    \n", + "example": 316, + "start_line": 5742, + "end_line": 5746, + "section": "Entity and numeric character references" + }, + { + "markdown": "\n", + "html": "\n", + "example": 317, + "start_line": 5753, + "end_line": 5757, + "section": "Entity and numeric character references" + }, + { + "markdown": "[foo](/föö \"föö\")\n", + "html": "

    foo

    \n", + "example": 318, + "start_line": 5760, + "end_line": 5764, + "section": "Entity and numeric character references", + "shouldFail": true + }, + { + "markdown": "[foo]\n\n[foo]: /föö \"föö\"\n", + "html": "

    foo

    \n", + "example": 319, + "start_line": 5767, + "end_line": 5773, + "section": "Entity and numeric character references", + "shouldFail": true + }, + { + "markdown": "``` föö\nfoo\n```\n", + "html": "
    foo\n
    \n", + "example": 320, + "start_line": 5776, + "end_line": 5783, + "section": "Entity and numeric character references", + "shouldFail": true + }, + { + "markdown": "`föö`\n", + "html": "

    f&ouml;&ouml;

    \n", + "example": 321, + "start_line": 5789, + "end_line": 5793, + "section": "Entity and numeric character references" + }, + { + "markdown": " föfö\n", + "html": "
    f&ouml;f&ouml;\n
    \n", + "example": 322, + "start_line": 5796, + "end_line": 5801, + "section": "Entity and numeric character references" + }, + { + "markdown": "*foo*\n*foo*\n", + "html": "

    *foo*\nfoo

    \n", + "example": 323, + "start_line": 5808, + "end_line": 5814, + "section": "Entity and numeric character references" + }, + { + "markdown": "* foo\n\n* foo\n", + "html": "

    * foo

    \n
      \n
    • foo
    • \n
    \n", + "example": 324, + "start_line": 5816, + "end_line": 5825, + "section": "Entity and numeric character references" + }, + { + "markdown": "foo bar\n", + "html": "

    foo\n\nbar

    \n", + "example": 325, + "start_line": 5827, + "end_line": 5833, + "section": "Entity and numeric character references" + }, + { + "markdown": " foo\n", + "html": "

    \tfoo

    \n", + "example": 326, + "start_line": 5835, + "end_line": 5839, + "section": "Entity and numeric character references" + }, + { + "markdown": "[a](url "tit")\n", + "html": "

    [a](url "tit")

    \n", + "example": 327, + "start_line": 5842, + "end_line": 5846, + "section": "Entity and numeric character references" + }, + { + "markdown": "`foo`\n", + "html": "

    foo

    \n", + "example": 328, + "start_line": 5870, + "end_line": 5874, + "section": "Code spans" + }, + { + "markdown": "`` foo ` bar ``\n", + "html": "

    foo ` bar

    \n", + "example": 329, + "start_line": 5881, + "end_line": 5885, + "section": "Code spans" + }, + { + "markdown": "` `` `\n", + "html": "

    ``

    \n", + "example": 330, + "start_line": 5891, + "end_line": 5895, + "section": "Code spans" + }, + { + "markdown": "` `` `\n", + "html": "

    ``

    \n", + "example": 331, + "start_line": 5899, + "end_line": 5903, + "section": "Code spans" + }, + { + "markdown": "` a`\n", + "html": "

    a

    \n", + "example": 332, + "start_line": 5908, + "end_line": 5912, + "section": "Code spans" + }, + { + "markdown": "` b `\n", + "html": "

     b 

    \n", + "example": 333, + "start_line": 5917, + "end_line": 5921, + "section": "Code spans" + }, + { + "markdown": "` `\n` `\n", + "html": "

     \n

    \n", + "example": 334, + "start_line": 5925, + "end_line": 5931, + "section": "Code spans" + }, + { + "markdown": "``\nfoo\nbar \nbaz\n``\n", + "html": "

    foo bar baz

    \n", + "example": 335, + "start_line": 5936, + "end_line": 5944, + "section": "Code spans" + }, + { + "markdown": "``\nfoo \n``\n", + "html": "

    foo

    \n", + "example": 336, + "start_line": 5946, + "end_line": 5952, + "section": "Code spans" + }, + { + "markdown": "`foo bar \nbaz`\n", + "html": "

    foo bar baz

    \n", + "example": 337, + "start_line": 5957, + "end_line": 5962, + "section": "Code spans" + }, + { + "markdown": "`foo\\`bar`\n", + "html": "

    foo\\bar`

    \n", + "example": 338, + "start_line": 5974, + "end_line": 5978, + "section": "Code spans" + }, + { + "markdown": "``foo`bar``\n", + "html": "

    foo`bar

    \n", + "example": 339, + "start_line": 5985, + "end_line": 5989, + "section": "Code spans" + }, + { + "markdown": "` foo `` bar `\n", + "html": "

    foo `` bar

    \n", + "example": 340, + "start_line": 5991, + "end_line": 5995, + "section": "Code spans" + }, + { + "markdown": "*foo`*`\n", + "html": "

    *foo*

    \n", + "example": 341, + "start_line": 6003, + "end_line": 6007, + "section": "Code spans", + "shouldFail": true + }, + { + "markdown": "[not a `link](/foo`)\n", + "html": "

    [not a link](/foo)

    \n", + "example": 342, + "start_line": 6012, + "end_line": 6016, + "section": "Code spans", + "shouldFail": true + }, + { + "markdown": "``\n", + "html": "

    <a href="">`

    \n", + "example": 343, + "start_line": 6022, + "end_line": 6026, + "section": "Code spans" + }, + { + "markdown": "
    `\n", + "html": "

    `

    \n", + "example": 344, + "start_line": 6031, + "end_line": 6035, + "section": "Code spans" + }, + { + "markdown": "``\n", + "html": "

    <http://foo.bar.baz>`

    \n", + "example": 345, + "start_line": 6040, + "end_line": 6044, + "section": "Code spans" + }, + { + "markdown": "`\n", + "html": "

    http://foo.bar.`baz`

    \n", + "example": 346, + "start_line": 6049, + "end_line": 6053, + "section": "Code spans" + }, + { + "markdown": "```foo``\n", + "html": "

    ```foo``

    \n", + "example": 347, + "start_line": 6059, + "end_line": 6063, + "section": "Code spans" + }, + { + "markdown": "`foo\n", + "html": "

    `foo

    \n", + "example": 348, + "start_line": 6066, + "end_line": 6070, + "section": "Code spans" + }, + { + "markdown": "`foo``bar``\n", + "html": "

    `foobar

    \n", + "example": 349, + "start_line": 6075, + "end_line": 6079, + "section": "Code spans" + }, + { + "markdown": "*foo bar*\n", + "html": "

    foo bar

    \n", + "example": 350, + "start_line": 6292, + "end_line": 6296, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "a * foo bar*\n", + "html": "

    a * foo bar*

    \n", + "example": 351, + "start_line": 6302, + "end_line": 6306, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "a*\"foo\"*\n", + "html": "

    a*"foo"*

    \n", + "example": 352, + "start_line": 6313, + "end_line": 6317, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "* a *\n", + "html": "

    * a *

    \n", + "example": 353, + "start_line": 6322, + "end_line": 6326, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "foo*bar*\n", + "html": "

    foobar

    \n", + "example": 354, + "start_line": 6331, + "end_line": 6335, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "5*6*78\n", + "html": "

    5678

    \n", + "example": 355, + "start_line": 6338, + "end_line": 6342, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "_foo bar_\n", + "html": "

    foo bar

    \n", + "example": 356, + "start_line": 6347, + "end_line": 6351, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "_ foo bar_\n", + "html": "

    _ foo bar_

    \n", + "example": 357, + "start_line": 6357, + "end_line": 6361, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "a_\"foo\"_\n", + "html": "

    a_"foo"_

    \n", + "example": 358, + "start_line": 6367, + "end_line": 6371, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "foo_bar_\n", + "html": "

    foo_bar_

    \n", + "example": 359, + "start_line": 6376, + "end_line": 6380, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "5_6_78\n", + "html": "

    5_6_78

    \n", + "example": 360, + "start_line": 6383, + "end_line": 6387, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "пристаням_стремятся_\n", + "html": "

    пристаням_стремятся_

    \n", + "example": 361, + "start_line": 6390, + "end_line": 6394, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "aa_\"bb\"_cc\n", + "html": "

    aa_"bb"_cc

    \n", + "example": 362, + "start_line": 6400, + "end_line": 6404, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "foo-_(bar)_\n", + "html": "

    foo-(bar)

    \n", + "example": 363, + "start_line": 6411, + "end_line": 6415, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "_foo*\n", + "html": "

    _foo*

    \n", + "example": 364, + "start_line": 6423, + "end_line": 6427, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "*foo bar *\n", + "html": "

    *foo bar *

    \n", + "example": 365, + "start_line": 6433, + "end_line": 6437, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "*foo bar\n*\n", + "html": "

    *foo bar\n*

    \n", + "example": 366, + "start_line": 6442, + "end_line": 6448, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "*(*foo)\n", + "html": "

    *(*foo)

    \n", + "example": 367, + "start_line": 6455, + "end_line": 6459, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "*(*foo*)*\n", + "html": "

    (foo)

    \n", + "example": 368, + "start_line": 6465, + "end_line": 6469, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "*foo*bar\n", + "html": "

    foobar

    \n", + "example": 369, + "start_line": 6474, + "end_line": 6478, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "_foo bar _\n", + "html": "

    _foo bar _

    \n", + "example": 370, + "start_line": 6487, + "end_line": 6491, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "_(_foo)\n", + "html": "

    _(_foo)

    \n", + "example": 371, + "start_line": 6497, + "end_line": 6501, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "_(_foo_)_\n", + "html": "

    (foo)

    \n", + "example": 372, + "start_line": 6506, + "end_line": 6510, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "_foo_bar\n", + "html": "

    _foo_bar

    \n", + "example": 373, + "start_line": 6515, + "end_line": 6519, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "_пристаням_стремятся\n", + "html": "

    _пристаням_стремятся

    \n", + "example": 374, + "start_line": 6522, + "end_line": 6526, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "_foo_bar_baz_\n", + "html": "

    foo_bar_baz

    \n", + "example": 375, + "start_line": 6529, + "end_line": 6533, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "_(bar)_.\n", + "html": "

    (bar).

    \n", + "example": 376, + "start_line": 6540, + "end_line": 6544, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "**foo bar**\n", + "html": "

    foo bar

    \n", + "example": 377, + "start_line": 6549, + "end_line": 6553, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "** foo bar**\n", + "html": "

    ** foo bar**

    \n", + "example": 378, + "start_line": 6559, + "end_line": 6563, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "a**\"foo\"**\n", + "html": "

    a**"foo"**

    \n", + "example": 379, + "start_line": 6570, + "end_line": 6574, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "foo**bar**\n", + "html": "

    foobar

    \n", + "example": 380, + "start_line": 6579, + "end_line": 6583, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "__foo bar__\n", + "html": "

    foo bar

    \n", + "example": 381, + "start_line": 6588, + "end_line": 6592, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "__ foo bar__\n", + "html": "

    __ foo bar__

    \n", + "example": 382, + "start_line": 6598, + "end_line": 6602, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "__\nfoo bar__\n", + "html": "

    __\nfoo bar__

    \n", + "example": 383, + "start_line": 6606, + "end_line": 6612, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "a__\"foo\"__\n", + "html": "

    a__"foo"__

    \n", + "example": 384, + "start_line": 6618, + "end_line": 6622, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "foo__bar__\n", + "html": "

    foo__bar__

    \n", + "example": 385, + "start_line": 6627, + "end_line": 6631, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "5__6__78\n", + "html": "

    5__6__78

    \n", + "example": 386, + "start_line": 6634, + "end_line": 6638, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "пристаням__стремятся__\n", + "html": "

    пристаням__стремятся__

    \n", + "example": 387, + "start_line": 6641, + "end_line": 6645, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "__foo, __bar__, baz__\n", + "html": "

    foo, bar, baz

    \n", + "example": 388, + "start_line": 6648, + "end_line": 6652, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "foo-__(bar)__\n", + "html": "

    foo-(bar)

    \n", + "example": 389, + "start_line": 6659, + "end_line": 6663, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "**foo bar **\n", + "html": "

    **foo bar **

    \n", + "example": 390, + "start_line": 6672, + "end_line": 6676, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "**(**foo)\n", + "html": "

    **(**foo)

    \n", + "example": 391, + "start_line": 6685, + "end_line": 6689, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "*(**foo**)*\n", + "html": "

    (foo)

    \n", + "example": 392, + "start_line": 6695, + "end_line": 6699, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "**Gomphocarpus (*Gomphocarpus physocarpus*, syn.\n*Asclepias physocarpa*)**\n", + "html": "

    Gomphocarpus (Gomphocarpus physocarpus, syn.\nAsclepias physocarpa)

    \n", + "example": 393, + "start_line": 6702, + "end_line": 6708, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "**foo \"*bar*\" foo**\n", + "html": "

    foo "bar" foo

    \n", + "example": 394, + "start_line": 6711, + "end_line": 6715, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "**foo**bar\n", + "html": "

    foobar

    \n", + "example": 395, + "start_line": 6720, + "end_line": 6724, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "__foo bar __\n", + "html": "

    __foo bar __

    \n", + "example": 396, + "start_line": 6732, + "end_line": 6736, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "__(__foo)\n", + "html": "

    __(__foo)

    \n", + "example": 397, + "start_line": 6742, + "end_line": 6746, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "_(__foo__)_\n", + "html": "

    (foo)

    \n", + "example": 398, + "start_line": 6752, + "end_line": 6756, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "__foo__bar\n", + "html": "

    __foo__bar

    \n", + "example": 399, + "start_line": 6761, + "end_line": 6765, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "__пристаням__стремятся\n", + "html": "

    __пристаням__стремятся

    \n", + "example": 400, + "start_line": 6768, + "end_line": 6772, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "__foo__bar__baz__\n", + "html": "

    foo__bar__baz

    \n", + "example": 401, + "start_line": 6775, + "end_line": 6779, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "__(bar)__.\n", + "html": "

    (bar).

    \n", + "example": 402, + "start_line": 6786, + "end_line": 6790, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "*foo [bar](/url)*\n", + "html": "

    foo bar

    \n", + "example": 403, + "start_line": 6798, + "end_line": 6802, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "*foo\nbar*\n", + "html": "

    foo\nbar

    \n", + "example": 404, + "start_line": 6805, + "end_line": 6811, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "_foo __bar__ baz_\n", + "html": "

    foo bar baz

    \n", + "example": 405, + "start_line": 6817, + "end_line": 6821, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "_foo _bar_ baz_\n", + "html": "

    foo bar baz

    \n", + "example": 406, + "start_line": 6824, + "end_line": 6828, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "__foo_ bar_\n", + "html": "

    foo bar

    \n", + "example": 407, + "start_line": 6831, + "end_line": 6835, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "*foo *bar**\n", + "html": "

    foo bar

    \n", + "example": 408, + "start_line": 6838, + "end_line": 6842, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "*foo **bar** baz*\n", + "html": "

    foo bar baz

    \n", + "example": 409, + "start_line": 6845, + "end_line": 6849, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "*foo**bar**baz*\n", + "html": "

    foobarbaz

    \n", + "example": 410, + "start_line": 6851, + "end_line": 6855, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "*foo**bar*\n", + "html": "

    foo**bar

    \n", + "example": 411, + "start_line": 6875, + "end_line": 6879, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "***foo** bar*\n", + "html": "

    foo bar

    \n", + "example": 412, + "start_line": 6888, + "end_line": 6892, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "*foo **bar***\n", + "html": "

    foo bar

    \n", + "example": 413, + "start_line": 6895, + "end_line": 6899, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "*foo**bar***\n", + "html": "

    foobar

    \n", + "example": 414, + "start_line": 6902, + "end_line": 6906, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "foo***bar***baz\n", + "html": "

    foobarbaz

    \n", + "example": 415, + "start_line": 6913, + "end_line": 6917, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "foo******bar*********baz\n", + "html": "

    foobar***baz

    \n", + "example": 416, + "start_line": 6919, + "end_line": 6923, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "*foo **bar *baz* bim** bop*\n", + "html": "

    foo bar baz bim bop

    \n", + "example": 417, + "start_line": 6928, + "end_line": 6932, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "*foo [*bar*](/url)*\n", + "html": "

    foo bar

    \n", + "example": 418, + "start_line": 6935, + "end_line": 6939, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "** is not an empty emphasis\n", + "html": "

    ** is not an empty emphasis

    \n", + "example": 419, + "start_line": 6944, + "end_line": 6948, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "**** is not an empty strong emphasis\n", + "html": "

    **** is not an empty strong emphasis

    \n", + "example": 420, + "start_line": 6951, + "end_line": 6955, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "**foo [bar](/url)**\n", + "html": "

    foo bar

    \n", + "example": 421, + "start_line": 6964, + "end_line": 6968, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "**foo\nbar**\n", + "html": "

    foo\nbar

    \n", + "example": 422, + "start_line": 6971, + "end_line": 6977, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "__foo _bar_ baz__\n", + "html": "

    foo bar baz

    \n", + "example": 423, + "start_line": 6983, + "end_line": 6987, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "__foo __bar__ baz__\n", + "html": "

    foo bar baz

    \n", + "example": 424, + "start_line": 6990, + "end_line": 6994, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "____foo__ bar__\n", + "html": "

    foo bar

    \n", + "example": 425, + "start_line": 6997, + "end_line": 7001, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "**foo **bar****\n", + "html": "

    foo bar

    \n", + "example": 426, + "start_line": 7004, + "end_line": 7008, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "**foo *bar* baz**\n", + "html": "

    foo bar baz

    \n", + "example": 427, + "start_line": 7011, + "end_line": 7015, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "**foo*bar*baz**\n", + "html": "

    foobarbaz

    \n", + "example": 428, + "start_line": 7018, + "end_line": 7022, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "***foo* bar**\n", + "html": "

    foo bar

    \n", + "example": 429, + "start_line": 7025, + "end_line": 7029, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "**foo *bar***\n", + "html": "

    foo bar

    \n", + "example": 430, + "start_line": 7032, + "end_line": 7036, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "**foo *bar **baz**\nbim* bop**\n", + "html": "

    foo bar baz\nbim bop

    \n", + "example": 431, + "start_line": 7041, + "end_line": 7047, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "**foo [*bar*](/url)**\n", + "html": "

    foo bar

    \n", + "example": 432, + "start_line": 7050, + "end_line": 7054, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "__ is not an empty emphasis\n", + "html": "

    __ is not an empty emphasis

    \n", + "example": 433, + "start_line": 7059, + "end_line": 7063, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "____ is not an empty strong emphasis\n", + "html": "

    ____ is not an empty strong emphasis

    \n", + "example": 434, + "start_line": 7066, + "end_line": 7070, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "foo ***\n", + "html": "

    foo ***

    \n", + "example": 435, + "start_line": 7076, + "end_line": 7080, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "foo *\\**\n", + "html": "

    foo *

    \n", + "example": 436, + "start_line": 7083, + "end_line": 7087, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "foo *_*\n", + "html": "

    foo _

    \n", + "example": 437, + "start_line": 7090, + "end_line": 7094, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "foo *****\n", + "html": "

    foo *****

    \n", + "example": 438, + "start_line": 7097, + "end_line": 7101, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "foo **\\***\n", + "html": "

    foo *

    \n", + "example": 439, + "start_line": 7104, + "end_line": 7108, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "foo **_**\n", + "html": "

    foo _

    \n", + "example": 440, + "start_line": 7111, + "end_line": 7115, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "**foo*\n", + "html": "

    *foo

    \n", + "example": 441, + "start_line": 7122, + "end_line": 7126, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "*foo**\n", + "html": "

    foo*

    \n", + "example": 442, + "start_line": 7129, + "end_line": 7133, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "***foo**\n", + "html": "

    *foo

    \n", + "example": 443, + "start_line": 7136, + "end_line": 7140, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "****foo*\n", + "html": "

    ***foo

    \n", + "example": 444, + "start_line": 7143, + "end_line": 7147, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "**foo***\n", + "html": "

    foo*

    \n", + "example": 445, + "start_line": 7150, + "end_line": 7154, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "*foo****\n", + "html": "

    foo***

    \n", + "example": 446, + "start_line": 7157, + "end_line": 7161, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "foo ___\n", + "html": "

    foo ___

    \n", + "example": 447, + "start_line": 7167, + "end_line": 7171, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "foo _\\__\n", + "html": "

    foo _

    \n", + "example": 448, + "start_line": 7174, + "end_line": 7178, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "foo _*_\n", + "html": "

    foo *

    \n", + "example": 449, + "start_line": 7181, + "end_line": 7185, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "foo _____\n", + "html": "

    foo _____

    \n", + "example": 450, + "start_line": 7188, + "end_line": 7192, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "foo __\\___\n", + "html": "

    foo _

    \n", + "example": 451, + "start_line": 7195, + "end_line": 7199, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "foo __*__\n", + "html": "

    foo *

    \n", + "example": 452, + "start_line": 7202, + "end_line": 7206, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "__foo_\n", + "html": "

    _foo

    \n", + "example": 453, + "start_line": 7209, + "end_line": 7213, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "_foo__\n", + "html": "

    foo_

    \n", + "example": 454, + "start_line": 7220, + "end_line": 7224, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "___foo__\n", + "html": "

    _foo

    \n", + "example": 455, + "start_line": 7227, + "end_line": 7231, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "____foo_\n", + "html": "

    ___foo

    \n", + "example": 456, + "start_line": 7234, + "end_line": 7238, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "__foo___\n", + "html": "

    foo_

    \n", + "example": 457, + "start_line": 7241, + "end_line": 7245, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "_foo____\n", + "html": "

    foo___

    \n", + "example": 458, + "start_line": 7248, + "end_line": 7252, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "**foo**\n", + "html": "

    foo

    \n", + "example": 459, + "start_line": 7258, + "end_line": 7262, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "*_foo_*\n", + "html": "

    foo

    \n", + "example": 460, + "start_line": 7265, + "end_line": 7269, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "__foo__\n", + "html": "

    foo

    \n", + "example": 461, + "start_line": 7272, + "end_line": 7276, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "_*foo*_\n", + "html": "

    foo

    \n", + "example": 462, + "start_line": 7279, + "end_line": 7283, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "****foo****\n", + "html": "

    foo

    \n", + "example": 463, + "start_line": 7289, + "end_line": 7293, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "____foo____\n", + "html": "

    foo

    \n", + "example": 464, + "start_line": 7296, + "end_line": 7300, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "******foo******\n", + "html": "

    foo

    \n", + "example": 465, + "start_line": 7307, + "end_line": 7311, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "***foo***\n", + "html": "

    foo

    \n", + "example": 466, + "start_line": 7316, + "end_line": 7320, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "_____foo_____\n", + "html": "

    foo

    \n", + "example": 467, + "start_line": 7323, + "end_line": 7327, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "*foo _bar* baz_\n", + "html": "

    foo _bar baz_

    \n", + "example": 468, + "start_line": 7332, + "end_line": 7336, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "*foo __bar *baz bim__ bam*\n", + "html": "

    foo bar *baz bim bam

    \n", + "example": 469, + "start_line": 7339, + "end_line": 7343, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "**foo **bar baz**\n", + "html": "

    **foo bar baz

    \n", + "example": 470, + "start_line": 7348, + "end_line": 7352, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "*foo *bar baz*\n", + "html": "

    *foo bar baz

    \n", + "example": 471, + "start_line": 7355, + "end_line": 7359, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "*[bar*](/url)\n", + "html": "

    *bar*

    \n", + "example": 472, + "start_line": 7364, + "end_line": 7368, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "_foo [bar_](/url)\n", + "html": "

    _foo bar_

    \n", + "example": 473, + "start_line": 7371, + "end_line": 7375, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "*\n", + "html": "

    *

    \n", + "example": 474, + "start_line": 7378, + "end_line": 7382, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "**\n", + "html": "

    **

    \n", + "example": 475, + "start_line": 7385, + "end_line": 7389, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "__\n", + "html": "

    __

    \n", + "example": 476, + "start_line": 7392, + "end_line": 7396, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "*a `*`*\n", + "html": "

    a *

    \n", + "example": 477, + "start_line": 7399, + "end_line": 7403, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "_a `_`_\n", + "html": "

    a _

    \n", + "example": 478, + "start_line": 7406, + "end_line": 7410, + "section": "Emphasis and strong emphasis" + }, + { + "markdown": "**a\n", + "html": "

    **ahttp://foo.bar/?q=**

    \n", + "example": 479, + "start_line": 7413, + "end_line": 7417, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "__a\n", + "html": "

    __ahttp://foo.bar/?q=__

    \n", + "example": 480, + "start_line": 7420, + "end_line": 7424, + "section": "Emphasis and strong emphasis", + "shouldFail": true + }, + { + "markdown": "[link](/uri \"title\")\n", + "html": "

    link

    \n", + "example": 481, + "start_line": 7503, + "end_line": 7507, + "section": "Links" + }, + { + "markdown": "[link](/uri)\n", + "html": "

    link

    \n", + "example": 482, + "start_line": 7512, + "end_line": 7516, + "section": "Links" + }, + { + "markdown": "[link]()\n", + "html": "

    link

    \n", + "example": 483, + "start_line": 7521, + "end_line": 7525, + "section": "Links" + }, + { + "markdown": "[link](<>)\n", + "html": "

    link

    \n", + "example": 484, + "start_line": 7528, + "end_line": 7532, + "section": "Links" + }, + { + "markdown": "[link](/my uri)\n", + "html": "

    [link](/my uri)

    \n", + "example": 485, + "start_line": 7537, + "end_line": 7541, + "section": "Links" + }, + { + "markdown": "[link](
    )\n", + "html": "

    link

    \n", + "example": 486, + "start_line": 7543, + "end_line": 7547, + "section": "Links", + "shouldFail": true + }, + { + "markdown": "[link](foo\nbar)\n", + "html": "

    [link](foo\nbar)

    \n", + "example": 487, + "start_line": 7552, + "end_line": 7558, + "section": "Links" + }, + { + "markdown": "[link]()\n", + "html": "

    [link]()

    \n", + "example": 488, + "start_line": 7560, + "end_line": 7566, + "section": "Links" + }, + { + "markdown": "[a]()\n", + "html": "

    a

    \n", + "example": 489, + "start_line": 7571, + "end_line": 7575, + "section": "Links", + "shouldFail": true + }, + { + "markdown": "[link]()\n", + "html": "

    [link](<foo>)

    \n", + "example": 490, + "start_line": 7579, + "end_line": 7583, + "section": "Links", + "shouldFail": true + }, + { + "markdown": "[a](\n[a](c)\n", + "html": "

    [a](<b)c\n[a](<b)c>\n[a](c)

    \n", + "example": 491, + "start_line": 7588, + "end_line": 7596, + "section": "Links", + "shouldFail": true + }, + { + "markdown": "[link](\\(foo\\))\n", + "html": "

    link

    \n", + "example": 492, + "start_line": 7600, + "end_line": 7604, + "section": "Links" + }, + { + "markdown": "[link](foo(and(bar)))\n", + "html": "

    link

    \n", + "example": 493, + "start_line": 7609, + "end_line": 7613, + "section": "Links" + }, + { + "markdown": "[link](foo\\(and\\(bar\\))\n", + "html": "

    link

    \n", + "example": 494, + "start_line": 7618, + "end_line": 7622, + "section": "Links" + }, + { + "markdown": "[link]()\n", + "html": "

    link

    \n", + "example": 495, + "start_line": 7625, + "end_line": 7629, + "section": "Links" + }, + { + "markdown": "[link](foo\\)\\:)\n", + "html": "

    link

    \n", + "example": 496, + "start_line": 7635, + "end_line": 7639, + "section": "Links" + }, + { + "markdown": "[link](#fragment)\n\n[link](http://example.com#fragment)\n\n[link](http://example.com?foo=3#frag)\n", + "html": "

    link

    \n

    link

    \n

    link

    \n", + "example": 497, + "start_line": 7644, + "end_line": 7654, + "section": "Links" + }, + { + "markdown": "[link](foo\\bar)\n", + "html": "

    link

    \n", + "example": 498, + "start_line": 7660, + "end_line": 7664, + "section": "Links" + }, + { + "markdown": "[link](foo%20bä)\n", + "html": "

    link

    \n", + "example": 499, + "start_line": 7676, + "end_line": 7680, + "section": "Links", + "shouldFail": true + }, + { + "markdown": "[link](\"title\")\n", + "html": "

    link

    \n", + "example": 500, + "start_line": 7687, + "end_line": 7691, + "section": "Links" + }, + { + "markdown": "[link](/url \"title\")\n[link](/url 'title')\n[link](/url (title))\n", + "html": "

    link\nlink\nlink

    \n", + "example": 501, + "start_line": 7696, + "end_line": 7704, + "section": "Links" + }, + { + "markdown": "[link](/url \"title \\\""\")\n", + "html": "

    link

    \n", + "example": 502, + "start_line": 7710, + "end_line": 7714, + "section": "Links" + }, + { + "markdown": "[link](/url \"title\")\n", + "html": "

    link

    \n", + "example": 503, + "start_line": 7720, + "end_line": 7724, + "section": "Links", + "shouldFail": true + }, + { + "markdown": "[link](/url \"title \"and\" title\")\n", + "html": "

    [link](/url "title "and" title")

    \n", + "example": 504, + "start_line": 7729, + "end_line": 7733, + "section": "Links" + }, + { + "markdown": "[link](/url 'title \"and\" title')\n", + "html": "

    link

    \n", + "example": 505, + "start_line": 7738, + "end_line": 7742, + "section": "Links" + }, + { + "markdown": "[link]( /uri\n \"title\" )\n", + "html": "

    link

    \n", + "example": 506, + "start_line": 7762, + "end_line": 7767, + "section": "Links" + }, + { + "markdown": "[link] (/uri)\n", + "html": "

    [link] (/uri)

    \n", + "example": 507, + "start_line": 7773, + "end_line": 7777, + "section": "Links" + }, + { + "markdown": "[link [foo [bar]]](/uri)\n", + "html": "

    link [foo [bar]]

    \n", + "example": 508, + "start_line": 7783, + "end_line": 7787, + "section": "Links", + "shouldFail": true + }, + { + "markdown": "[link] bar](/uri)\n", + "html": "

    [link] bar](/uri)

    \n", + "example": 509, + "start_line": 7790, + "end_line": 7794, + "section": "Links" + }, + { + "markdown": "[link [bar](/uri)\n", + "html": "

    [link bar

    \n", + "example": 510, + "start_line": 7797, + "end_line": 7801, + "section": "Links" + }, + { + "markdown": "[link \\[bar](/uri)\n", + "html": "

    link [bar

    \n", + "example": 511, + "start_line": 7804, + "end_line": 7808, + "section": "Links" + }, + { + "markdown": "[link *foo **bar** `#`*](/uri)\n", + "html": "

    link foo bar #

    \n", + "example": 512, + "start_line": 7813, + "end_line": 7817, + "section": "Links" + }, + { + "markdown": "[![moon](moon.jpg)](/uri)\n", + "html": "

    \"moon\"

    \n", + "example": 513, + "start_line": 7820, + "end_line": 7824, + "section": "Links" + }, + { + "markdown": "[foo [bar](/uri)](/uri)\n", + "html": "

    [foo bar](/uri)

    \n", + "example": 514, + "start_line": 7829, + "end_line": 7833, + "section": "Links", + "shouldFail": true + }, + { + "markdown": "[foo *[bar [baz](/uri)](/uri)*](/uri)\n", + "html": "

    [foo [bar baz](/uri)](/uri)

    \n", + "example": 515, + "start_line": 7836, + "end_line": 7840, + "section": "Links", + "shouldFail": true + }, + { + "markdown": "![[[foo](uri1)](uri2)](uri3)\n", + "html": "

    \"[foo](uri2)\"

    \n", + "example": 516, + "start_line": 7843, + "end_line": 7847, + "section": "Links", + "shouldFail": true + }, + { + "markdown": "*[foo*](/uri)\n", + "html": "

    *foo*

    \n", + "example": 517, + "start_line": 7853, + "end_line": 7857, + "section": "Links" + }, + { + "markdown": "[foo *bar](baz*)\n", + "html": "

    foo *bar

    \n", + "example": 518, + "start_line": 7860, + "end_line": 7864, + "section": "Links" + }, + { + "markdown": "*foo [bar* baz]\n", + "html": "

    foo [bar baz]

    \n", + "example": 519, + "start_line": 7870, + "end_line": 7874, + "section": "Links" + }, + { + "markdown": "[foo \n", + "html": "

    [foo

    \n", + "example": 520, + "start_line": 7880, + "end_line": 7884, + "section": "Links", + "shouldFail": true + }, + { + "markdown": "[foo`](/uri)`\n", + "html": "

    [foo](/uri)

    \n", + "example": 521, + "start_line": 7887, + "end_line": 7891, + "section": "Links", + "shouldFail": true + }, + { + "markdown": "[foo\n", + "html": "

    [foohttp://example.com/?search=](uri)

    \n", + "example": 522, + "start_line": 7894, + "end_line": 7898, + "section": "Links", + "shouldFail": true + }, + { + "markdown": "[foo][bar]\n\n[bar]: /url \"title\"\n", + "html": "

    foo

    \n", + "example": 523, + "start_line": 7932, + "end_line": 7938, + "section": "Links" + }, + { + "markdown": "[link [foo [bar]]][ref]\n\n[ref]: /uri\n", + "html": "

    link [foo [bar]]

    \n", + "example": 524, + "start_line": 7947, + "end_line": 7953, + "section": "Links", + "shouldFail": true + }, + { + "markdown": "[link \\[bar][ref]\n\n[ref]: /uri\n", + "html": "

    link [bar

    \n", + "example": 525, + "start_line": 7956, + "end_line": 7962, + "section": "Links" + }, + { + "markdown": "[link *foo **bar** `#`*][ref]\n\n[ref]: /uri\n", + "html": "

    link foo bar #

    \n", + "example": 526, + "start_line": 7967, + "end_line": 7973, + "section": "Links" + }, + { + "markdown": "[![moon](moon.jpg)][ref]\n\n[ref]: /uri\n", + "html": "

    \"moon\"

    \n", + "example": 527, + "start_line": 7976, + "end_line": 7982, + "section": "Links" + }, + { + "markdown": "[foo [bar](/uri)][ref]\n\n[ref]: /uri\n", + "html": "

    [foo bar]ref

    \n", + "example": 528, + "start_line": 7987, + "end_line": 7993, + "section": "Links", + "shouldFail": true + }, + { + "markdown": "[foo *bar [baz][ref]*][ref]\n\n[ref]: /uri\n", + "html": "

    [foo bar baz]ref

    \n", + "example": 529, + "start_line": 7996, + "end_line": 8002, + "section": "Links", + "shouldFail": true + }, + { + "markdown": "*[foo*][ref]\n\n[ref]: /uri\n", + "html": "

    *foo*

    \n", + "example": 530, + "start_line": 8011, + "end_line": 8017, + "section": "Links" + }, + { + "markdown": "[foo *bar][ref]\n\n[ref]: /uri\n", + "html": "

    foo *bar

    \n", + "example": 531, + "start_line": 8020, + "end_line": 8026, + "section": "Links" + }, + { + "markdown": "[foo \n\n[ref]: /uri\n", + "html": "

    [foo

    \n", + "example": 532, + "start_line": 8032, + "end_line": 8038, + "section": "Links", + "shouldFail": true + }, + { + "markdown": "[foo`][ref]`\n\n[ref]: /uri\n", + "html": "

    [foo][ref]

    \n", + "example": 533, + "start_line": 8041, + "end_line": 8047, + "section": "Links", + "shouldFail": true + }, + { + "markdown": "[foo\n\n[ref]: /uri\n", + "html": "

    [foohttp://example.com/?search=][ref]

    \n", + "example": 534, + "start_line": 8050, + "end_line": 8056, + "section": "Links", + "shouldFail": true + }, + { + "markdown": "[foo][BaR]\n\n[bar]: /url \"title\"\n", + "html": "

    foo

    \n", + "example": 535, + "start_line": 8061, + "end_line": 8067, + "section": "Links" + }, + { + "markdown": "[Толпой][Толпой] is a Russian word.\n\n[ТОЛПОЙ]: /url\n", + "html": "

    Толпой is a Russian word.

    \n", + "example": 536, + "start_line": 8072, + "end_line": 8078, + "section": "Links" + }, + { + "markdown": "[Foo\n bar]: /url\n\n[Baz][Foo bar]\n", + "html": "

    Baz

    \n", + "example": 537, + "start_line": 8084, + "end_line": 8091, + "section": "Links" + }, + { + "markdown": "[foo] [bar]\n\n[bar]: /url \"title\"\n", + "html": "

    [foo] bar

    \n", + "example": 538, + "start_line": 8097, + "end_line": 8103, + "section": "Links" + }, + { + "markdown": "[foo]\n[bar]\n\n[bar]: /url \"title\"\n", + "html": "

    [foo]\nbar

    \n", + "example": 539, + "start_line": 8106, + "end_line": 8114, + "section": "Links" + }, + { + "markdown": "[foo]: /url1\n\n[foo]: /url2\n\n[bar][foo]\n", + "html": "

    bar

    \n", + "example": 540, + "start_line": 8147, + "end_line": 8155, + "section": "Links" + }, + { + "markdown": "[bar][foo\\!]\n\n[foo!]: /url\n", + "html": "

    [bar][foo!]

    \n", + "example": 541, + "start_line": 8162, + "end_line": 8168, + "section": "Links" + }, + { + "markdown": "[foo][ref[]\n\n[ref[]: /uri\n", + "html": "

    [foo][ref[]

    \n

    [ref[]: /uri

    \n", + "example": 542, + "start_line": 8174, + "end_line": 8181, + "section": "Links" + }, + { + "markdown": "[foo][ref[bar]]\n\n[ref[bar]]: /uri\n", + "html": "

    [foo][ref[bar]]

    \n

    [ref[bar]]: /uri

    \n", + "example": 543, + "start_line": 8184, + "end_line": 8191, + "section": "Links" + }, + { + "markdown": "[[[foo]]]\n\n[[[foo]]]: /url\n", + "html": "

    [[[foo]]]

    \n

    [[[foo]]]: /url

    \n", + "example": 544, + "start_line": 8194, + "end_line": 8201, + "section": "Links" + }, + { + "markdown": "[foo][ref\\[]\n\n[ref\\[]: /uri\n", + "html": "

    foo

    \n", + "example": 545, + "start_line": 8204, + "end_line": 8210, + "section": "Links" + }, + { + "markdown": "[bar\\\\]: /uri\n\n[bar\\\\]\n", + "html": "

    bar\\

    \n", + "example": 546, + "start_line": 8215, + "end_line": 8221, + "section": "Links" + }, + { + "markdown": "[]\n\n[]: /uri\n", + "html": "

    []

    \n

    []: /uri

    \n", + "example": 547, + "start_line": 8226, + "end_line": 8233, + "section": "Links" + }, + { + "markdown": "[\n ]\n\n[\n ]: /uri\n", + "html": "

    [\n]

    \n

    [\n]: /uri

    \n", + "example": 548, + "start_line": 8236, + "end_line": 8247, + "section": "Links" + }, + { + "markdown": "[foo][]\n\n[foo]: /url \"title\"\n", + "html": "

    foo

    \n", + "example": 549, + "start_line": 8259, + "end_line": 8265, + "section": "Links" + }, + { + "markdown": "[*foo* bar][]\n\n[*foo* bar]: /url \"title\"\n", + "html": "

    foo bar

    \n", + "example": 550, + "start_line": 8268, + "end_line": 8274, + "section": "Links" + }, + { + "markdown": "[Foo][]\n\n[foo]: /url \"title\"\n", + "html": "

    Foo

    \n", + "example": 551, + "start_line": 8279, + "end_line": 8285, + "section": "Links" + }, + { + "markdown": "[foo] \n[]\n\n[foo]: /url \"title\"\n", + "html": "

    foo\n[]

    \n", + "example": 552, + "start_line": 8292, + "end_line": 8300, + "section": "Links" + }, + { + "markdown": "[foo]\n\n[foo]: /url \"title\"\n", + "html": "

    foo

    \n", + "example": 553, + "start_line": 8312, + "end_line": 8318, + "section": "Links" + }, + { + "markdown": "[*foo* bar]\n\n[*foo* bar]: /url \"title\"\n", + "html": "

    foo bar

    \n", + "example": 554, + "start_line": 8321, + "end_line": 8327, + "section": "Links" + }, + { + "markdown": "[[*foo* bar]]\n\n[*foo* bar]: /url \"title\"\n", + "html": "

    [foo bar]

    \n", + "example": 555, + "start_line": 8330, + "end_line": 8336, + "section": "Links" + }, + { + "markdown": "[[bar [foo]\n\n[foo]: /url\n", + "html": "

    [[bar foo

    \n", + "example": 556, + "start_line": 8339, + "end_line": 8345, + "section": "Links" + }, + { + "markdown": "[Foo]\n\n[foo]: /url \"title\"\n", + "html": "

    Foo

    \n", + "example": 557, + "start_line": 8350, + "end_line": 8356, + "section": "Links" + }, + { + "markdown": "[foo] bar\n\n[foo]: /url\n", + "html": "

    foo bar

    \n", + "example": 558, + "start_line": 8361, + "end_line": 8367, + "section": "Links" + }, + { + "markdown": "\\[foo]\n\n[foo]: /url \"title\"\n", + "html": "

    [foo]

    \n", + "example": 559, + "start_line": 8373, + "end_line": 8379, + "section": "Links" + }, + { + "markdown": "[foo*]: /url\n\n*[foo*]\n", + "html": "

    *foo*

    \n", + "example": 560, + "start_line": 8385, + "end_line": 8391, + "section": "Links" + }, + { + "markdown": "[foo][bar]\n\n[foo]: /url1\n[bar]: /url2\n", + "html": "

    foo

    \n", + "example": 561, + "start_line": 8397, + "end_line": 8404, + "section": "Links" + }, + { + "markdown": "[foo][]\n\n[foo]: /url1\n", + "html": "

    foo

    \n", + "example": 562, + "start_line": 8406, + "end_line": 8412, + "section": "Links" + }, + { + "markdown": "[foo]()\n\n[foo]: /url1\n", + "html": "

    foo

    \n", + "example": 563, + "start_line": 8416, + "end_line": 8422, + "section": "Links" + }, + { + "markdown": "[foo](not a link)\n\n[foo]: /url1\n", + "html": "

    foo(not a link)

    \n", + "example": 564, + "start_line": 8424, + "end_line": 8430, + "section": "Links" + }, + { + "markdown": "[foo][bar][baz]\n\n[baz]: /url\n", + "html": "

    [foo]bar

    \n", + "example": 565, + "start_line": 8435, + "end_line": 8441, + "section": "Links" + }, + { + "markdown": "[foo][bar][baz]\n\n[baz]: /url1\n[bar]: /url2\n", + "html": "

    foobaz

    \n", + "example": 566, + "start_line": 8447, + "end_line": 8454, + "section": "Links" + }, + { + "markdown": "[foo][bar][baz]\n\n[baz]: /url1\n[foo]: /url2\n", + "html": "

    [foo]bar

    \n", + "example": 567, + "start_line": 8460, + "end_line": 8467, + "section": "Links" + }, + { + "markdown": "![foo](/url \"title\")\n", + "html": "

    \"foo\"

    \n", + "example": 568, + "start_line": 8483, + "end_line": 8487, + "section": "Images" + }, + { + "markdown": "![foo *bar*]\n\n[foo *bar*]: train.jpg \"train & tracks\"\n", + "html": "

    \"foo

    \n", + "example": 569, + "start_line": 8490, + "end_line": 8496, + "section": "Images", + "shouldFail": true + }, + { + "markdown": "![foo ![bar](/url)](/url2)\n", + "html": "

    \"foo

    \n", + "example": 570, + "start_line": 8499, + "end_line": 8503, + "section": "Images", + "shouldFail": true + }, + { + "markdown": "![foo [bar](/url)](/url2)\n", + "html": "

    \"foo

    \n", + "example": 571, + "start_line": 8506, + "end_line": 8510, + "section": "Images", + "shouldFail": true + }, + { + "markdown": "![foo *bar*][]\n\n[foo *bar*]: train.jpg \"train & tracks\"\n", + "html": "

    \"foo

    \n", + "example": 572, + "start_line": 8520, + "end_line": 8526, + "section": "Images", + "shouldFail": true + }, + { + "markdown": "![foo *bar*][foobar]\n\n[FOOBAR]: train.jpg \"train & tracks\"\n", + "html": "

    \"foo

    \n", + "example": 573, + "start_line": 8529, + "end_line": 8535, + "section": "Images", + "shouldFail": true + }, + { + "markdown": "![foo](train.jpg)\n", + "html": "

    \"foo\"

    \n", + "example": 574, + "start_line": 8538, + "end_line": 8542, + "section": "Images" + }, + { + "markdown": "My ![foo bar](/path/to/train.jpg \"title\" )\n", + "html": "

    My \"foo

    \n", + "example": 575, + "start_line": 8545, + "end_line": 8549, + "section": "Images" + }, + { + "markdown": "![foo]()\n", + "html": "

    \"foo\"

    \n", + "example": 576, + "start_line": 8552, + "end_line": 8556, + "section": "Images" + }, + { + "markdown": "![](/url)\n", + "html": "

    \"\"

    \n", + "example": 577, + "start_line": 8559, + "end_line": 8563, + "section": "Images" + }, + { + "markdown": "![foo][bar]\n\n[bar]: /url\n", + "html": "

    \"foo\"

    \n", + "example": 578, + "start_line": 8568, + "end_line": 8574, + "section": "Images" + }, + { + "markdown": "![foo][bar]\n\n[BAR]: /url\n", + "html": "

    \"foo\"

    \n", + "example": 579, + "start_line": 8577, + "end_line": 8583, + "section": "Images" + }, + { + "markdown": "![foo][]\n\n[foo]: /url \"title\"\n", + "html": "

    \"foo\"

    \n", + "example": 580, + "start_line": 8588, + "end_line": 8594, + "section": "Images" + }, + { + "markdown": "![*foo* bar][]\n\n[*foo* bar]: /url \"title\"\n", + "html": "

    \"foo

    \n", + "example": 581, + "start_line": 8597, + "end_line": 8603, + "section": "Images", + "shouldFail": true + }, + { + "markdown": "![Foo][]\n\n[foo]: /url \"title\"\n", + "html": "

    \"Foo\"

    \n", + "example": 582, + "start_line": 8608, + "end_line": 8614, + "section": "Images" + }, + { + "markdown": "![foo] \n[]\n\n[foo]: /url \"title\"\n", + "html": "

    \"foo\"\n[]

    \n", + "example": 583, + "start_line": 8620, + "end_line": 8628, + "section": "Images" + }, + { + "markdown": "![foo]\n\n[foo]: /url \"title\"\n", + "html": "

    \"foo\"

    \n", + "example": 584, + "start_line": 8633, + "end_line": 8639, + "section": "Images" + }, + { + "markdown": "![*foo* bar]\n\n[*foo* bar]: /url \"title\"\n", + "html": "

    \"foo

    \n", + "example": 585, + "start_line": 8642, + "end_line": 8648, + "section": "Images", + "shouldFail": true + }, + { + "markdown": "![[foo]]\n\n[[foo]]: /url \"title\"\n", + "html": "

    ![[foo]]

    \n

    [[foo]]: /url "title"

    \n", + "example": 586, + "start_line": 8653, + "end_line": 8660, + "section": "Images" + }, + { + "markdown": "![Foo]\n\n[foo]: /url \"title\"\n", + "html": "

    \"Foo\"

    \n", + "example": 587, + "start_line": 8665, + "end_line": 8671, + "section": "Images" + }, + { + "markdown": "!\\[foo]\n\n[foo]: /url \"title\"\n", + "html": "

    ![foo]

    \n", + "example": 588, + "start_line": 8677, + "end_line": 8683, + "section": "Images" + }, + { + "markdown": "\\![foo]\n\n[foo]: /url \"title\"\n", + "html": "

    !foo

    \n", + "example": 589, + "start_line": 8689, + "end_line": 8695, + "section": "Images" + }, + { + "markdown": "\n", + "html": "

    http://foo.bar.baz

    \n", + "example": 590, + "start_line": 8722, + "end_line": 8726, + "section": "Autolinks" + }, + { + "markdown": "\n", + "html": "

    http://foo.bar.baz/test?q=hello&id=22&boolean

    \n", + "example": 591, + "start_line": 8729, + "end_line": 8733, + "section": "Autolinks" + }, + { + "markdown": "\n", + "html": "

    irc://foo.bar:2233/baz

    \n", + "example": 592, + "start_line": 8736, + "end_line": 8740, + "section": "Autolinks" + }, + { + "markdown": "\n", + "html": "

    MAILTO:FOO@BAR.BAZ

    \n", + "example": 593, + "start_line": 8745, + "end_line": 8749, + "section": "Autolinks" + }, + { + "markdown": "\n", + "html": "

    a+b+c:d

    \n", + "example": 594, + "start_line": 8757, + "end_line": 8761, + "section": "Autolinks" + }, + { + "markdown": "\n", + "html": "

    made-up-scheme://foo,bar

    \n", + "example": 595, + "start_line": 8764, + "end_line": 8768, + "section": "Autolinks" + }, + { + "markdown": "\n", + "html": "

    http://../

    \n", + "example": 596, + "start_line": 8771, + "end_line": 8775, + "section": "Autolinks" + }, + { + "markdown": "\n", + "html": "

    localhost:5001/foo

    \n", + "example": 597, + "start_line": 8778, + "end_line": 8782, + "section": "Autolinks" + }, + { + "markdown": "\n", + "html": "

    <http://foo.bar/baz bim>

    \n", + "example": 598, + "start_line": 8787, + "end_line": 8791, + "section": "Autolinks", + "shouldFail": true + }, + { + "markdown": "\n", + "html": "

    http://example.com/\\[\\

    \n", + "example": 599, + "start_line": 8796, + "end_line": 8800, + "section": "Autolinks" + }, + { + "markdown": "\n", + "html": "

    foo@bar.example.com

    \n", + "example": 600, + "start_line": 8818, + "end_line": 8822, + "section": "Autolinks" + }, + { + "markdown": "\n", + "html": "

    foo+special@Bar.baz-bar0.com

    \n", + "example": 601, + "start_line": 8825, + "end_line": 8829, + "section": "Autolinks" + }, + { + "markdown": "\n", + "html": "

    <foo+@bar.example.com>

    \n", + "example": 602, + "start_line": 8834, + "end_line": 8838, + "section": "Autolinks" + }, + { + "markdown": "<>\n", + "html": "

    <>

    \n", + "example": 603, + "start_line": 8843, + "end_line": 8847, + "section": "Autolinks" + }, + { + "markdown": "< http://foo.bar >\n", + "html": "

    < http://foo.bar >

    \n", + "example": 604, + "start_line": 8850, + "end_line": 8854, + "section": "Autolinks", + "shouldFail": true + }, + { + "markdown": "\n", + "html": "

    <m:abc>

    \n", + "example": 605, + "start_line": 8857, + "end_line": 8861, + "section": "Autolinks" + }, + { + "markdown": "\n", + "html": "

    <foo.bar.baz>

    \n", + "example": 606, + "start_line": 8864, + "end_line": 8868, + "section": "Autolinks" + }, + { + "markdown": "http://example.com\n", + "html": "

    http://example.com

    \n", + "example": 607, + "start_line": 8871, + "end_line": 8875, + "section": "Autolinks", + "shouldFail": true + }, + { + "markdown": "foo@bar.example.com\n", + "html": "

    foo@bar.example.com

    \n", + "example": 608, + "start_line": 8878, + "end_line": 8882, + "section": "Autolinks", + "shouldFail": true + }, + { + "markdown": "\n", + "html": "

    \n", + "example": 609, + "start_line": 8960, + "end_line": 8964, + "section": "Raw HTML" + }, + { + "markdown": "\n", + "html": "

    \n", + "example": 610, + "start_line": 8969, + "end_line": 8973, + "section": "Raw HTML" + }, + { + "markdown": "\n", + "html": "

    \n", + "example": 611, + "start_line": 8978, + "end_line": 8984, + "section": "Raw HTML" + }, + { + "markdown": "\n", + "html": "

    \n", + "example": 612, + "start_line": 8989, + "end_line": 8995, + "section": "Raw HTML" + }, + { + "markdown": "Foo \n", + "html": "

    Foo

    \n", + "example": 613, + "start_line": 9000, + "end_line": 9004, + "section": "Raw HTML" + }, + { + "markdown": "<33> <__>\n", + "html": "

    <33> <__>

    \n", + "example": 614, + "start_line": 9009, + "end_line": 9013, + "section": "Raw HTML" + }, + { + "markdown": "
    \n", + "html": "

    <a h*#ref="hi">

    \n", + "example": 615, + "start_line": 9018, + "end_line": 9022, + "section": "Raw HTML" + }, + { + "markdown": "
    \n", + "html": "

    <a href="hi'> <a href=hi'>

    \n", + "example": 616, + "start_line": 9027, + "end_line": 9031, + "section": "Raw HTML" + }, + { + "markdown": "< a><\nfoo>\n\n", + "html": "

    < a><\nfoo><bar/ >\n<foo bar=baz\nbim!bop />

    \n", + "example": 617, + "start_line": 9036, + "end_line": 9046, + "section": "Raw HTML" + }, + { + "markdown": "
    \n", + "html": "

    <a href='bar'title=title>

    \n", + "example": 618, + "start_line": 9051, + "end_line": 9055, + "section": "Raw HTML" + }, + { + "markdown": "
    \n", + "html": "

    \n", + "example": 619, + "start_line": 9060, + "end_line": 9064, + "section": "Raw HTML" + }, + { + "markdown": "\n", + "html": "

    </a href="foo">

    \n", + "example": 620, + "start_line": 9069, + "end_line": 9073, + "section": "Raw HTML" + }, + { + "markdown": "foo \n", + "html": "

    foo

    \n", + "example": 621, + "start_line": 9078, + "end_line": 9084, + "section": "Raw HTML" + }, + { + "markdown": "foo \n", + "html": "

    foo <!-- not a comment -- two hyphens -->

    \n", + "example": 622, + "start_line": 9087, + "end_line": 9091, + "section": "Raw HTML", + "shouldFail": true + }, + { + "markdown": "foo foo -->\n\nfoo \n", + "html": "

    foo <!--> foo -->

    \n

    foo <!-- foo--->

    \n", + "example": 623, + "start_line": 9096, + "end_line": 9103, + "section": "Raw HTML", + "shouldFail": true + }, + { + "markdown": "foo \n", + "html": "

    foo

    \n", + "example": 624, + "start_line": 9108, + "end_line": 9112, + "section": "Raw HTML" + }, + { + "markdown": "foo \n", + "html": "

    foo

    \n", + "example": 625, + "start_line": 9117, + "end_line": 9121, + "section": "Raw HTML" + }, + { + "markdown": "foo &<]]>\n", + "html": "

    foo &<]]>

    \n", + "example": 626, + "start_line": 9126, + "end_line": 9130, + "section": "Raw HTML" + }, + { + "markdown": "foo \n", + "html": "

    foo

    \n", + "example": 627, + "start_line": 9136, + "end_line": 9140, + "section": "Raw HTML" + }, + { + "markdown": "foo \n", + "html": "

    foo

    \n", + "example": 628, + "start_line": 9145, + "end_line": 9149, + "section": "Raw HTML" + }, + { + "markdown": "\n", + "html": "

    <a href=""">

    \n", + "example": 629, + "start_line": 9152, + "end_line": 9156, + "section": "Raw HTML" + }, + { + "markdown": "foo \nbaz\n", + "html": "

    foo
    \nbaz

    \n", + "example": 630, + "start_line": 9166, + "end_line": 9172, + "section": "Hard line breaks" + }, + { + "markdown": "foo\\\nbaz\n", + "html": "

    foo
    \nbaz

    \n", + "example": 631, + "start_line": 9178, + "end_line": 9184, + "section": "Hard line breaks" + }, + { + "markdown": "foo \nbaz\n", + "html": "

    foo
    \nbaz

    \n", + "example": 632, + "start_line": 9189, + "end_line": 9195, + "section": "Hard line breaks" + }, + { + "markdown": "foo \n bar\n", + "html": "

    foo
    \nbar

    \n", + "example": 633, + "start_line": 9200, + "end_line": 9206, + "section": "Hard line breaks" + }, + { + "markdown": "foo\\\n bar\n", + "html": "

    foo
    \nbar

    \n", + "example": 634, + "start_line": 9209, + "end_line": 9215, + "section": "Hard line breaks" + }, + { + "markdown": "*foo \nbar*\n", + "html": "

    foo
    \nbar

    \n", + "example": 635, + "start_line": 9221, + "end_line": 9227, + "section": "Hard line breaks" + }, + { + "markdown": "*foo\\\nbar*\n", + "html": "

    foo
    \nbar

    \n", + "example": 636, + "start_line": 9230, + "end_line": 9236, + "section": "Hard line breaks" + }, + { + "markdown": "`code \nspan`\n", + "html": "

    code span

    \n", + "example": 637, + "start_line": 9241, + "end_line": 9246, + "section": "Hard line breaks" + }, + { + "markdown": "`code\\\nspan`\n", + "html": "

    code\\ span

    \n", + "example": 638, + "start_line": 9249, + "end_line": 9254, + "section": "Hard line breaks" + }, + { + "markdown": "
    \n", + "html": "

    \n", + "example": 639, + "start_line": 9259, + "end_line": 9265, + "section": "Hard line breaks" + }, + { + "markdown": "\n", + "html": "

    \n", + "example": 640, + "start_line": 9268, + "end_line": 9274, + "section": "Hard line breaks" + }, + { + "markdown": "foo\\\n", + "html": "

    foo\\

    \n", + "example": 641, + "start_line": 9281, + "end_line": 9285, + "section": "Hard line breaks" + }, + { + "markdown": "foo \n", + "html": "

    foo

    \n", + "example": 642, + "start_line": 9288, + "end_line": 9292, + "section": "Hard line breaks" + }, + { + "markdown": "### foo\\\n", + "html": "

    foo\\

    \n", + "example": 643, + "start_line": 9295, + "end_line": 9299, + "section": "Hard line breaks" + }, + { + "markdown": "### foo \n", + "html": "

    foo

    \n", + "example": 644, + "start_line": 9302, + "end_line": 9306, + "section": "Hard line breaks" + }, + { + "markdown": "foo\nbaz\n", + "html": "

    foo\nbaz

    \n", + "example": 645, + "start_line": 9317, + "end_line": 9323, + "section": "Soft line breaks" + }, + { + "markdown": "foo \n baz\n", + "html": "

    foo\nbaz

    \n", + "example": 646, + "start_line": 9329, + "end_line": 9335, + "section": "Soft line breaks" + }, + { + "markdown": "hello $.;'there\n", + "html": "

    hello $.;'there

    \n", + "example": 647, + "start_line": 9349, + "end_line": 9353, + "section": "Textual content" + }, + { + "markdown": "Foo χρῆν\n", + "html": "

    Foo χρῆν

    \n", + "example": 648, + "start_line": 9356, + "end_line": 9360, + "section": "Textual content" + }, + { + "markdown": "Multiple spaces\n", + "html": "

    Multiple spaces

    \n", + "example": 649, + "start_line": 9365, + "end_line": 9369, + "section": "Textual content" + } +] diff --git a/packages/markdown/marked/test/specs/commonmark/getSpecs.js b/packages/markdown/marked/test/specs/commonmark/getSpecs.js new file mode 100644 index 00000000..f22e00c0 --- /dev/null +++ b/packages/markdown/marked/test/specs/commonmark/getSpecs.js @@ -0,0 +1,24 @@ +const fetch = require('node-fetch'); +const marked = require('../../../'); +const htmlDiffer = require('../../helpers/html-differ.js'); +const fs = require('fs'); + +fetch('https://raw.githubusercontent.com/commonmark/commonmark.js/master/package.json') + .then(res => res.json()) + .then(pkg => pkg.version.replace(/^(\d+\.\d+).*$/, '$1')) + .then(version => + fetch(`https://spec.commonmark.org/${version}/spec.json`) + .then(res => res.json()) + .then(specs => { + specs.forEach(spec => { + const html = marked(spec.markdown, {headerIds: false}); + if (!htmlDiffer.isEqual(html, spec.html)) { + spec.shouldFail = true; + } + }); + fs.writeFileSync(`commonmark.${version}.json`, JSON.stringify(specs, null, 2) + '\n'); + }) + ) + .catch((err) => { + console.error(err); + }); diff --git a/packages/markdown/marked/test/specs/gfm/getSpecs.js b/packages/markdown/marked/test/specs/gfm/getSpecs.js new file mode 100644 index 00000000..2746bdbb --- /dev/null +++ b/packages/markdown/marked/test/specs/gfm/getSpecs.js @@ -0,0 +1,44 @@ +const fetch = require('node-fetch'); +const cheerio = require('cheerio'); +const marked = require('../../../'); +const htmlDiffer = require('../../helpers/html-differ.js'); +const fs = require('fs'); + +fetch('https://github.github.com/gfm/') + .then(res => res.text()) + .then(html => cheerio.load(html)) + .then($ => { + const version = $('.version').text().match(/\d+\.\d+/)[0]; + if (!version) { + throw new Error('No version found'); + } + const specs = []; + $('.extension').each((i, ext) => { + const section = $('.definition', ext).text().trim().replace(/^\d+\.\d+(.*?) \(extension\)[\s\S]*$/, '$1'); + $('.example', ext).each((j, exa) => { + const example = +$(exa).attr('id').replace(/\D/g, ''); + const markdown = $('.language-markdown', exa).text().trim(); + const html = $('.language-html', exa).text().trim(); + specs.push({ + section, + html, + markdown, + example + }); + }); + }); + + return [version, specs]; + }) + .then(([version, specs]) => { + specs.forEach(spec => { + const html = marked(spec.markdown, {gfm: true}); + if (!htmlDiffer.isEqual(html, spec.html)) { + spec.shouldFail = true; + } + }); + fs.writeFileSync(`gfm.${version}.json`, JSON.stringify(specs, null, 2) + '\n'); + }) + .catch((err) => { + console.error(err); + }); diff --git a/packages/markdown/marked/test/specs/gfm/gfm.0.29.json b/packages/markdown/marked/test/specs/gfm/gfm.0.29.json new file mode 100644 index 00000000..7d1d43e4 --- /dev/null +++ b/packages/markdown/marked/test/specs/gfm/gfm.0.29.json @@ -0,0 +1,147 @@ +[ + { + "section": "Tables", + "html": "\n\n\n\n\n\n\n\n\n\n\n\n\n
    foobar
    bazbim
    ", + "markdown": "| foo | bar |\n| --- | --- |\n| baz | bim |", + "example": 198 + }, + { + "section": "Tables", + "html": "\n\n\n\n\n\n\n\n\n\n\n\n\n
    abcdefghi
    barbaz
    ", + "markdown": "| abc | defghi |\n:-: | -----------:\nbar | baz", + "example": 199 + }, + { + "section": "Tables", + "html": "\n\n\n\n\n\n\n\n\n\n\n\n\n\n
    f|oo
    b | az
    b | im
    ", + "markdown": "| f\\|oo |\n| ------ |\n| b `\\|` az |\n| b **\\|** im |", + "example": 200 + }, + { + "section": "Tables", + "html": "\n\n\n\n\n\n\n\n\n\n\n\n\n
    abcdef
    barbaz
    \n
    \n

    bar

    \n
    ", + "markdown": "| abc | def |\n| --- | --- |\n| bar | baz |\n> bar", + "example": 201 + }, + { + "section": "Tables", + "html": "\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n
    abcdef
    barbaz
    bar
    \n

    bar

    ", + "markdown": "| abc | def |\n| --- | --- |\n| bar | baz |\nbar\n\nbar", + "example": 202 + }, + { + "section": "Tables", + "html": "

    | abc | def |\n| --- |\n| bar |

    ", + "markdown": "| abc | def |\n| --- |\n| bar |", + "example": 203 + }, + { + "section": "Tables", + "html": "\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n
    abcdef
    bar
    barbaz
    ", + "markdown": "| abc | def |\n| --- | --- |\n| bar |\n| bar | baz | boo |", + "example": 204 + }, + { + "section": "Tables", + "html": "\n\n\n\n\n\n\n
    abcdef
    ", + "markdown": "| abc | def |\n| --- | --- |", + "example": 205 + }, + { + "section": "Task list items", + "html": "
      \n
    • foo
    • \n
    • bar
    • \n
    ", + "markdown": "- [ ] foo\n- [x] bar", + "example": 279 + }, + { + "section": "Task list items", + "html": "
      \n
    • foo\n
        \n
      • bar
      • \n
      • baz
      • \n
      \n
    • \n
    • bim
    • \n
    ", + "markdown": "- [x] foo\n - [ ] bar\n - [x] baz\n- [ ] bim", + "example": 280 + }, + { + "section": "Strikethrough", + "html": "

    Hi Hello, world!

    ", + "markdown": "~~Hi~~ Hello, world!", + "example": 491 + }, + { + "section": "Strikethrough", + "html": "

    This ~~has a

    \n

    new paragraph~~.

    ", + "markdown": "This ~~has a\n\nnew paragraph~~.", + "example": 492 + }, + { + "section": "Autolinks", + "html": "

    www.commonmark.org

    ", + "markdown": "www.commonmark.org", + "example": 621 + }, + { + "section": "Autolinks", + "html": "

    Visit www.commonmark.org/help for more information.

    ", + "markdown": "Visit www.commonmark.org/help for more information.", + "example": 622 + }, + { + "section": "Autolinks", + "html": "

    Visit www.commonmark.org.

    \n

    Visit www.commonmark.org/a.b.

    ", + "markdown": "Visit www.commonmark.org.\n\nVisit www.commonmark.org/a.b.", + "example": 623 + }, + { + "section": "Autolinks", + "html": "

    www.google.com/search?q=Markup+(business)

    \n

    (www.google.com/search?q=Markup+(business))

    ", + "markdown": "www.google.com/search?q=Markup+(business)\n\n(www.google.com/search?q=Markup+(business))", + "example": 624 + }, + { + "section": "Autolinks", + "html": "

    www.google.com/search?q=(business))+ok

    ", + "markdown": "www.google.com/search?q=(business))+ok", + "example": 625 + }, + { + "section": "Autolinks", + "html": "

    www.google.com/search?q=commonmark&hl=en

    \n

    www.google.com/search?q=commonmark&hl;

    ", + "markdown": "www.google.com/search?q=commonmark&hl=en\n\nwww.google.com/search?q=commonmark&hl;", + "example": 626 + }, + { + "section": "Autolinks", + "html": "

    www.commonmark.org/he<lp

    ", + "markdown": "www.commonmark.org/hehttp://commonmark.org

    \n

    (Visit https://encrypted.google.com/search?q=Markup+(business))

    \n

    Anonymous FTP is available at ftp://foo.bar.baz.

    ", + "markdown": "http://commonmark.org\n\n(Visit https://encrypted.google.com/search?q=Markup+(business))\n\nAnonymous FTP is available at ftp://foo.bar.baz.", + "example": 628 + }, + { + "section": "Autolinks", + "html": "

    foo@bar.baz

    ", + "markdown": "foo@bar.baz", + "example": 629 + }, + { + "section": "Autolinks", + "html": "

    hello@mail+xyz.example isn't valid, but hello+xyz@mail.example is.

    ", + "markdown": "hello@mail+xyz.example isn't valid, but hello+xyz@mail.example is.", + "example": 630 + }, + { + "section": "Autolinks", + "html": "

    a.b-c_d@a.b

    \n

    a.b-c_d@a.b.

    \n

    a.b-c_d@a.b-

    \n

    a.b-c_d@a.b_

    ", + "markdown": "a.b-c_d@a.b\n\na.b-c_d@a.b.\n\na.b-c_d@a.b-\n\na.b-c_d@a.b_", + "example": 631 + }, + { + "section": "Disallowed Raw HTML", + "html": "

    <title> <style>

    \n
    \n <xmp> is disallowed. <XMP> is also disallowed.\n
    ", + "markdown": " <style> <em>\n\n<blockquote>\n <xmp> is disallowed. <XMP> is also disallowed.\n</blockquote>", + "example": 653, + "shouldFail": true + } +] diff --git a/packages/markdown/marked/test/specs/original/specs-spec.js b/packages/markdown/marked/test/specs/original/specs-spec.js new file mode 100644 index 00000000..82d300a5 --- /dev/null +++ b/packages/markdown/marked/test/specs/original/specs-spec.js @@ -0,0 +1,12 @@ +var specTests = require('../../'); + +it('should run spec tests', () => { + // hide output + spyOn(console, 'log'); + if (!specTests(['', '', '--stop'])) { + // if tests fail rerun tests and show output + console.log.and.callThrough(); + specTests([]); + fail(); + } +}); diff --git a/packages/markdown/marked/test/specs/redos-spec.js b/packages/markdown/marked/test/specs/redos-spec.js new file mode 100644 index 00000000..1f94a42e --- /dev/null +++ b/packages/markdown/marked/test/specs/redos-spec.js @@ -0,0 +1,24 @@ +const path = require('path'); +const fs = require('fs'); + +const redosDir = path.resolve(__dirname, '../redos'); + +describe('ReDOS tests', () => { + const files = fs.readdirSync(redosDir); + files.forEach(file => { + if (!file.match(/\.js$/)) { + return; + } + + it(file, () => { + const spec = require(path.resolve(redosDir, file)); + const before = process.hrtime(); + expect(spec).toRender(spec.html); + const elapsed = process.hrtime(before); + if (elapsed[0] > 0) { + const s = (elapsed[0] + elapsed[1] * 1e-9).toFixed(3); + fail(`took too long: ${s}s`); + } + }); + }); +}); diff --git a/packages/markdown/marked/test/specs/run-spec.js b/packages/markdown/marked/test/specs/run-spec.js new file mode 100644 index 00000000..3af0aa45 --- /dev/null +++ b/packages/markdown/marked/test/specs/run-spec.js @@ -0,0 +1,52 @@ +function runSpecs(title, file, options) { + const json = require(file); + let longestName = 0; + let maxSpecs = 0; + const specs = json.reduce((obj, spec) => { + if (!obj[spec.section]) { + longestName = Math.max(spec.section.length, longestName); + obj[spec.section] = { + specs: [], + pass: 0, + total: 0 + }; + } + obj[spec.section].total++; + maxSpecs = Math.max(obj[spec.section].total, maxSpecs); + if (!spec.shouldFail) { + obj[spec.section].pass++; + } + obj[spec.section].specs.push(spec); + return obj; + }, {}); + + describe(title, () => { + const maxSpecsLen = ('' + maxSpecs).length; + const spaces = maxSpecsLen * 2 + longestName + 11; + console.log('-'.padEnd(spaces + 4, '-')); + console.log(`| ${title.padStart(Math.ceil((spaces + title.length) / 2)).padEnd(spaces)} |`); + console.log(`| ${' '.padEnd(spaces)} |`); + Object.keys(specs).forEach(section => { + console.log(`| ${section.padEnd(longestName)} ${('' + specs[section].pass).padStart(maxSpecsLen)} of ${('' + specs[section].total).padStart(maxSpecsLen)} ${(100 * specs[section].pass / specs[section].total).toFixed().padStart(4)}% |`); + describe(section, () => { + specs[section].specs.forEach((spec) => { + if (options) { + spec.options = Object.assign({}, options, (spec.options || {})); + } + (spec.only ? fit : it)('should ' + (spec.shouldFail ? 'fail' : 'pass') + ' example ' + spec.example, () => { + if (spec.shouldFail) { + expect(spec).not.toRender(spec.html); + } else { + expect(spec).toRender(spec.html); + } + }); + }); + }); + }); + console.log('-'.padEnd(spaces + 4, '-')); + console.log(); + }); +}; + +runSpecs('GFM 0.29', './gfm/gfm.0.29.json', {gfm: true}); +runSpecs('CommonMark 0.29', './commonmark/commonmark.0.29.json', {headerIds: false}); diff --git a/packages/markdown/marked/test/unit/marked-spec.js b/packages/markdown/marked/test/unit/marked-spec.js new file mode 100644 index 00000000..994c5dc8 --- /dev/null +++ b/packages/markdown/marked/test/unit/marked-spec.js @@ -0,0 +1,73 @@ +var marked = require('../../lib/marked.js'); + +describe('Test heading ID functionality', () => { + it('should add id attribute by default', () => { + var renderer = new marked.Renderer(); + var slugger = new marked.Slugger(); + var header = renderer.heading('test', 1, 'test', slugger); + expect(header).toBe('<h1 id="test">test</h1>\n'); + }); + + it('should NOT add id attribute when options set false', () => { + var renderer = new marked.Renderer({ headerIds: false }); + var header = renderer.heading('test', 1, 'test'); + expect(header).toBe('<h1>test</h1>\n'); + }); +}); + +describe('Test slugger functionality', () => { + it('should use lowercase slug', () => { + var slugger = new marked.Slugger(); + expect(slugger.slug('Test')).toBe('test'); + }); + + it('should be unique to avoid collisions 1280', () => { + var slugger = new marked.Slugger(); + expect(slugger.slug('test')).toBe('test'); + expect(slugger.slug('test')).toBe('test-1'); + expect(slugger.slug('test')).toBe('test-2'); + }); + + it('should be unique when slug ends with number', () => { + var slugger = new marked.Slugger(); + expect(slugger.slug('test 1')).toBe('test-1'); + expect(slugger.slug('test')).toBe('test'); + expect(slugger.slug('test')).toBe('test-2'); + }); + + it('should be unique when slug ends with hyphen number', () => { + var slugger = new marked.Slugger(); + expect(slugger.slug('foo')).toBe('foo'); + expect(slugger.slug('foo')).toBe('foo-1'); + expect(slugger.slug('foo 1')).toBe('foo-1-1'); + expect(slugger.slug('foo-1')).toBe('foo-1-2'); + expect(slugger.slug('foo')).toBe('foo-2'); + }); + + it('should allow non-latin chars', () => { + var slugger = new marked.Slugger(); + expect(slugger.slug('привет')).toBe('привет'); + }); + + it('should remove ampersands 857', () => { + var slugger = new marked.Slugger(); + expect(slugger.slug('This & That Section')).toBe('this--that-section'); + }); + + it('should remove periods', () => { + var slugger = new marked.Slugger(); + expect(slugger.slug('file.txt')).toBe('filetxt'); + }); +}); + +describe('Test paragraph token type', () => { + it('should use the "paragraph" type on top level', () => { + const md = 'A Paragraph.\n\n> A blockquote\n\n- list item\n'; + + const tokens = marked.lexer(md); + + expect(tokens[0].type).toBe('paragraph'); + expect(tokens[3].type).toBe('paragraph'); + expect(tokens[7].type).toBe('text'); + }); +}); diff --git a/packages/markdown/package.js b/packages/markdown/package.js new file mode 100755 index 00000000..ac725b8f --- /dev/null +++ b/packages/markdown/package.js @@ -0,0 +1,24 @@ +// Source: https://github.com/chjj/marked + +Package.describe({ + name: 'wekan-markdown', + summary: "GitHub flavored markdown parser for Meteor based on marked.js", + version: "1.0.7", + git: "https://github.com/wekan/markdown.git" +}); + +// Before Meteor 0.9? +if(!Package.onUse) Package.onUse = Package.on_use; + +Package.onUse(function (api) { + if(api.versionsFrom) api.versionsFrom('METEOR@0.9.0'); + + api.use('templating'); + + api.add_files('marked/lib/marked.js', ['server', 'client']); + api.add_files('markdown.js', ['server', 'client']); + api.export('Markdown', ['server', 'client']); + + api.use("ui", "client", {weak: true}); + api.add_files("template-integration.js", "client"); +}); diff --git a/packages/markdown/smart.json b/packages/markdown/smart.json new file mode 100755 index 00000000..dd443066 --- /dev/null +++ b/packages/markdown/smart.json @@ -0,0 +1,9 @@ +{ + "name": "markdown", + "description": "GitHub flavored markdown parser for Meteor based on marked.js", + "homepage": "https://github.com/wekan/markdown", + "author": "Petar Korponaic", + "version": "1.0.7", + "git": "https://github.com/wekan/markdown.git", + "packages": {} +} diff --git a/packages/markdown/template-integration.js b/packages/markdown/template-integration.js new file mode 100755 index 00000000..301bde31 --- /dev/null +++ b/packages/markdown/template-integration.js @@ -0,0 +1,16 @@ +if (Package.ui) { + var Template = Package.templating.Template; + var UI = Package.ui.UI; + var HTML = Package.htmljs.HTML; + var Blaze = Package.blaze.Blaze; // implied by `ui` + + UI.registerHelper('markdown', new Template('markdown', function () { + var self = this; + var text = ""; + if(self.templateContentBlock) { + text = Blaze._toText(self.templateContentBlock, HTML.TEXTMODE.STRING); + } + + return HTML.Raw(Markdown(text)); + })); +} diff --git a/packages/meteor-accounts-cas/.gitignore b/packages/meteor-accounts-cas/.gitignore new file mode 100644 index 00000000..bed7713f --- /dev/null +++ b/packages/meteor-accounts-cas/.gitignore @@ -0,0 +1,2 @@ +.build* +node_modules/ diff --git a/packages/meteor-accounts-cas/LICENSE b/packages/meteor-accounts-cas/LICENSE new file mode 100644 index 00000000..c2d69158 --- /dev/null +++ b/packages/meteor-accounts-cas/LICENSE @@ -0,0 +1,21 @@ +The MIT License (MIT) + +Copyright (c) 2014-2019 The Wekan Team + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in all +copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE +SOFTWARE. diff --git a/packages/meteor-accounts-cas/README.md b/packages/meteor-accounts-cas/README.md new file mode 100644 index 00000000..3e246c4f --- /dev/null +++ b/packages/meteor-accounts-cas/README.md @@ -0,0 +1,88 @@ +This is a merged repository of useful forks of: atoy40:accounts-cas +=================== +([(https://atmospherejs.com/atoy40/accounts-cas](https://atmospherejs.com/atoy40/accounts-cas)) + +## Essential improvements by ppoulard to atoy40 and xaionaro versions + +* Added support of CAS attributes + +With this plugin, you can pick CAS attributes : https://github.com/joshchan/node-cas/wiki/CAS-Attributes + +Moved to Wekan GitHub org from from https://github.com/ppoulard/meteor-accounts-cas + +## Install + +``` +cd ~site +mkdir packages +cd packages +git clone https://github.com/wekan/meteor-accounts-cas +cd ~site +meteor add wekan:accounts-cas +``` + +## Usage + +Put CAS settings in Meteor.settings (for example using METEOR_SETTINGS env or --settings) like so: + +If casVersion is not defined, it will assume you use CAS 1.0. (note by xaionaro: option `casVersion` seems to be just ignored in the code, ATM). + +Server side settings: + +``` +Meteor.settings = { + "cas": { + "baseUrl": "https://cas.example.com/cas", + "autoClose": true, + "validateUrl":"https://cas.example.com/cas/p3/serviceValidate", + "casVersion": 3.0, + "attributes": { + "debug" : true + } + }, +} +``` + +CAS `attributes` settings : + +* `attributes`: by default `{}` : all default values below will apply +* * `debug` : by default `false` ; `true` will print to the server console the CAS attribute names to map, the CAS attributes values retrieved, if necessary the new user account created, and finally the user to use +* * `id` : by default, the CAS user is used for the user account, but you can specified another CAS attribute +* * `firstname` : by default `cas:givenName` ; but you can use your own CAS attribute +* * `lastname` : by default `cas:sn` (respectively) ; but you can use your own CAS attribute +* * `fullname` : by default unused, but if you specify your own CAS attribute, it will be used instead of the `firstname` + `lastname` +* * `mail` : by default `cas:mail` + +Client side settings: + +``` +Meteor.settings = { + "public": { + "cas": { + "loginUrl": "https://cas.example.com/login", + "serviceParam": "service", + "popupWidth": 810, + "popupHeight": 610, + "popup": true, + } + } +} +``` + +`proxyUrl` is not required. Setup [ROOT_URL](http://docs.meteor.com/api/core.html#Meteor-absoluteUrl) environment variable instead. + +Then, to start authentication, you have to call the following method from the client (for example in a click handler) : + +``` +Meteor.loginWithCas([callback]); +``` + +It must open a popup containing you CAS login form or redirect to the CAS login form (depending on "popup" setting). + +If popup is disabled (== false), then it's required to execute `Meteor.initCas([callback])` in `Meteor.startup` of the client side. ATM, `Meteor.initCas()` completes authentication. + +## Examples + +* [https://devel.mephi.ru/dyokunev/start-mephi-ru](https://devel.mephi.ru/dyokunev/start-mephi-ru) + + diff --git a/packages/meteor-accounts-cas/cas_client.js b/packages/meteor-accounts-cas/cas_client.js new file mode 100644 index 00000000..bd94be6b --- /dev/null +++ b/packages/meteor-accounts-cas/cas_client.js @@ -0,0 +1,112 @@ + +function addParameterToURL(url, param){ + var urlSplit = url.split('?'); + return url+(urlSplit.length>0 ? '?':'&') + param; +} + +Meteor.initCas = function(callback) { + const casTokenMatch = window.location.href.match(/[?&]casToken=([^&]+)/); + if (casTokenMatch == null) { + return; + } + + window.history.pushState('', document.title, window.location.href.replace(/([&?])casToken=[^&]+[&]?/, '$1').replace(/[?&]+$/g, '')); + + Accounts.callLoginMethod({ + methodArguments: [{ cas: { credentialToken: casTokenMatch[1] } }], + userCallback: function(err){ + if (err == null) { + // should we do anything on success? + } + if (callback != null) { + callback(err); + } + } + }); +} + +Meteor.loginWithCas = function(options, callback) { + + var credentialToken = Random.id(); + + if (!Meteor.settings.public && + !Meteor.settings.public.cas && + !Meteor.settings.public.cas.loginUrl) { + return; + } + + var settings = Meteor.settings.public.cas; + + var backURL = window.location.href.replace('#', ''); + if (options != null && options.redirectUrl != null) + backURL = options.redirectUrl; + + var serviceURL = addParameterToURL(backURL, 'casToken='+credentialToken); + + var loginUrl = settings.loginUrl + + "?" + (settings.serviceParam || "service") + "=" + + encodeURIComponent(serviceURL) + + if (settings.popup == false) { + window.location = loginUrl; + return; + } + + var popup = openCenteredPopup( + loginUrl, + settings.width || 800, + settings.height || 600 + ); + + var checkPopupOpen = setInterval(function() { + try { + if(popup && popup.document && popup.document.getElementById('popupCanBeClosed')) { + popup.close(); + } + // Fix for #328 - added a second test criteria (popup.closed === undefined) + // to humour this Android quirk: + // http://code.google.com/p/android/issues/detail?id=21061 + var popupClosed = popup.closed || popup.closed === undefined; + } catch (e) { + // For some unknown reason, IE9 (and others?) sometimes (when + // the popup closes too quickly?) throws "SCRIPT16386: No such + // interface supported" when trying to read 'popup.closed'. Try + // again in 100ms. + return; + } + + if (popupClosed) { + clearInterval(checkPopupOpen); + + // check auth on server. + Accounts.callLoginMethod({ + methodArguments: [{ cas: { credentialToken: credentialToken } }], + userCallback: callback + }); + } + }, 100); +}; + +var openCenteredPopup = function(url, width, height) { + var screenX = typeof window.screenX !== 'undefined' + ? window.screenX : window.screenLeft; + var screenY = typeof window.screenY !== 'undefined' + ? window.screenY : window.screenTop; + var outerWidth = typeof window.outerWidth !== 'undefined' + ? window.outerWidth : document.body.clientWidth; + var outerHeight = typeof window.outerHeight !== 'undefined' + ? window.outerHeight : (document.body.clientHeight - 22); + // XXX what is the 22? + + // Use `outerWidth - width` and `outerHeight - height` for help in + // positioning the popup centered relative to the current window + var left = screenX + (outerWidth - width) / 2; + var top = screenY + (outerHeight - height) / 2; + var features = ('width=' + width + ',height=' + height + + ',left=' + left + ',top=' + top + ',scrollbars=yes'); + + var newwindow = window.open(url, '_blank', features); + if (newwindow.focus) + newwindow.focus(); + return newwindow; +}; diff --git a/packages/meteor-accounts-cas/cas_client_cordova.js b/packages/meteor-accounts-cas/cas_client_cordova.js new file mode 100644 index 00000000..c7f95b50 --- /dev/null +++ b/packages/meteor-accounts-cas/cas_client_cordova.js @@ -0,0 +1,71 @@ + +Meteor.loginWithCas = function(callback) { + + var credentialToken = Random.id(); + + if (!Meteor.settings.public && + !Meteor.settings.public.cas && + !Meteor.settings.public.cas.loginUrl) { + return; + } + + var settings = Meteor.settings.public.cas; + + var loginUrl = settings.loginUrl + + "?" + (settings.service || "service") + "=" + + Meteor.absoluteUrl('_cas/') + + credentialToken; + + + var fail = function (err) { + Meteor._debug("Error from OAuth popup: " + JSON.stringify(err)); + }; + + // When running on an android device, we sometimes see the + // `pageLoaded` callback fire twice for the final page in the OAuth + // popup, even though the page only loads once. This is maybe an + // Android bug or maybe something intentional about how onPageFinished + // works that we don't understand and isn't well-documented. + var oauthFinished = false; + + var pageLoaded = function (event) { + if (oauthFinished) { + return; + } + + if (event.url.indexOf(Meteor.absoluteUrl('_cas')) === 0) { + + oauthFinished = true; + + // On iOS, this seems to prevent "Warning: Attempt to dismiss from + // view controller <MainViewController: ...> while a presentation + // or dismiss is in progress". My guess is that the last + // navigation of the OAuth popup is still in progress while we try + // to close the popup. See + // https://issues.apache.org/jira/browse/CB-2285. + // + // XXX Can we make this timeout smaller? + setTimeout(function () { + popup.close(); + // check auth on server. + Accounts.callLoginMethod({ + methodArguments: [{ cas: { credentialToken: credentialToken } }], + userCallback: callback + }); + }, 100); + } + }; + + var onExit = function () { + popup.removeEventListener('loadstop', pageLoaded); + popup.removeEventListener('loaderror', fail); + popup.removeEventListener('exit', onExit); + }; + + var popup = window.open(loginUrl, '_blank', 'location=no,hidden=no'); + popup.addEventListener('loadstop', pageLoaded); + popup.addEventListener('loaderror', fail); + popup.addEventListener('exit', onExit); + popup.show(); + +}; \ No newline at end of file diff --git a/packages/meteor-accounts-cas/cas_server.js b/packages/meteor-accounts-cas/cas_server.js new file mode 100644 index 00000000..15c1b174 --- /dev/null +++ b/packages/meteor-accounts-cas/cas_server.js @@ -0,0 +1,281 @@ +"use strict"; + +const Fiber = Npm.require('fibers'); +const https = Npm.require('https'); +const url = Npm.require('url'); +const xmlParser = Npm.require('xml2js'); + +// Library +class CAS { + constructor(options) { + options = options || {}; + + if (!options.validate_url) { + throw new Error('Required CAS option `validateUrl` missing.'); + } + + if (!options.service) { + throw new Error('Required CAS option `service` missing.'); + } + + const cas_url = url.parse(options.validate_url); + if (cas_url.protocol != 'https:' ) { + throw new Error('Only https CAS servers are supported.'); + } else if (!cas_url.hostname) { + throw new Error('Option `validateUrl` must be a valid url like: https://example.com/cas/serviceValidate'); + } else { + this.hostname = cas_url.host; + this.port = 443;// Should be 443 for https + this.validate_path = cas_url.pathname; + } + + this.service = options.service; + } + + validate(ticket, callback) { + const httparams = { + host: this.hostname, + port: this.port, + path: url.format({ + pathname: this.validate_path, + query: {ticket: ticket, service: this.service}, + }), + }; + + https.get(httparams, (res) => { + res.on('error', (e) => { + console.log('error' + e); + callback(e); + }); + + // Read result + res.setEncoding('utf8'); + let response = ''; + res.on('data', (chunk) => { + response += chunk; + }); + + res.on('end', (error) => { + if (error) { + console.log('error callback'); + console.log(error); + callback(undefined, false); + } else { + xmlParser.parseString(response, (err, result) => { + if (err) { + console.log('Bad response format.'); + callback({message: 'Bad response format. XML could not parse it'}); + } else { + if (result['cas:serviceResponse'] == null) { + console.log('Empty response.'); + callback({message: 'Empty response.'}); + } + if (result['cas:serviceResponse']['cas:authenticationSuccess']) { + var userData = { + id: result['cas:serviceResponse']['cas:authenticationSuccess'][0]['cas:user'][0].toLowerCase(), + } + const attributes = result['cas:serviceResponse']['cas:authenticationSuccess'][0]['cas:attributes'][0]; + for (var fieldName in attributes) { + userData[fieldName] = attributes[fieldName][0]; + }; + callback(undefined, true, userData); + } else { + callback(undefined, false); + } + } + }); + } + }); + }); + } +} +////// END OF CAS MODULE + +let _casCredentialTokens = {}; +let _userData = {}; + +//RoutePolicy.declare('/_cas/', 'network'); + +// Listen to incoming OAuth http requests +WebApp.connectHandlers.use((req, res, next) => { + // Need to create a Fiber since we're using synchronous http calls and nothing + // else is wrapping this in a fiber automatically + + Fiber(() => { + middleware(req, res, next); + }).run(); +}); + +const middleware = (req, res, next) => { + // Make sure to catch any exceptions because otherwise we'd crash + // the runner + try { + urlParsed = url.parse(req.url, true); + + // Getting the ticket (if it's defined in GET-params) + // If no ticket, then request will continue down the default + // middlewares. + const query = urlParsed.query; + if (query == null) { + next(); + return; + } + const ticket = query.ticket; + if (ticket == null) { + next(); + return; + } + + const serviceUrl = Meteor.absoluteUrl(urlParsed.href.replace(/^\//g, '')).replace(/([&?])ticket=[^&]+[&]?/g, '$1').replace(/[?&]+$/g, ''); + const redirectUrl = serviceUrl;//.replace(/([&?])casToken=[^&]+[&]?/g, '$1').replace(/[?&]+$/g, ''); + + // get auth token + const credentialToken = query.casToken; + if (!credentialToken) { + end(res, redirectUrl); + return; + } + + // validate ticket + casValidate(req, ticket, credentialToken, serviceUrl, () => { + end(res, redirectUrl); + }); + + } catch (err) { + console.log("account-cas: unexpected error : " + err.message); + end(res, redirectUrl); + } +}; + +const casValidate = (req, ticket, token, service, callback) => { + // get configuration + if (!Meteor.settings.cas/* || !Meteor.settings.cas.validate*/) { + throw new Error('accounts-cas: unable to get configuration.'); + } + + const cas = new CAS({ + validate_url: Meteor.settings.cas.validateUrl, + service: service, + version: Meteor.settings.cas.casVersion + }); + + cas.validate(ticket, (err, status, userData) => { + if (err) { + console.log("accounts-cas: error when trying to validate " + err); + console.log(err); + } else { + if (status) { + console.log(`accounts-cas: user validated ${userData.id} + (${JSON.stringify(userData)})`); + _casCredentialTokens[token] = { id: userData.id }; + _userData = userData; + } else { + console.log("accounts-cas: unable to validate " + ticket); + } + } + callback(); + }); + + return; +}; + +/* + * Register a server-side login handle. + * It is call after Accounts.callLoginMethod() is call from client. + */ + Accounts.registerLoginHandler((options) => { + if (!options.cas) + return undefined; + + if (!_hasCredential(options.cas.credentialToken)) { + throw new Meteor.Error(Accounts.LoginCancelledError.numericError, + 'no matching login attempt found'); + } + + const result = _retrieveCredential(options.cas.credentialToken); + + const attrs = Meteor.settings.cas.attributes || {}; + // CAS keys + const fn = attrs.firstname || 'cas:givenName'; + const ln = attrs.lastname || 'cas:sn'; + const full = attrs.fullname; + const mail = attrs.mail || 'cas:mail'; // or 'email' + const uid = attrs.id || 'id'; + if (attrs.debug) { + if (full) { + console.log(`CAS fields : id:"${uid}", fullname:"${full}", mail:"${mail}"`); + } else { + console.log(`CAS fields : id:"${uid}", firstname:"${fn}", lastname:"${ln}", mail:"${mail}"`); + } + } + const name = full ? _userData[full] : _userData[fn] + ' ' + _userData[ln]; + // https://docs.meteor.com/api/accounts.html#Meteor-users + options = { + // _id: Meteor.userId() + username: _userData[uid], // Unique name + emails: [ + { address: _userData[mail], verified: true } + ], + createdAt: new Date(), + profile: { + // The profile is writable by the user by default. + name: name, + fullname : name, + email : _userData[mail] + }, + active: true, + globalRoles: ['user'] + }; + if (attrs.debug) { + console.log(`CAS response : ${JSON.stringify(result)}`); + } + let user = Meteor.users.findOne({ 'username': options.username }); + if (! user) { + if (attrs.debug) { + console.log(`Creating user account ${JSON.stringify(options)}`); + } + const userId = Accounts.insertUserDoc({}, options); + user = Meteor.users.findOne(userId); + } + if (attrs.debug) { + console.log(`Using user account ${JSON.stringify(user)}`); + } + return { userId: user._id }; +}); + +const _hasCredential = (credentialToken) => { + return _.has(_casCredentialTokens, credentialToken); +} + +/* + * Retrieve token and delete it to avoid replaying it. + */ +const _retrieveCredential = (credentialToken) => { + const result = _casCredentialTokens[credentialToken]; + delete _casCredentialTokens[credentialToken]; + return result; +} + +const closePopup = (res) => { + if (Meteor.settings.cas && Meteor.settings.cas.popup == false) { + return; + } + res.writeHead(200, {'Content-Type': 'text/html'}); + const content = '<html><body><div id="popupCanBeClosed"></div></body></html>'; + res.end(content, 'utf-8'); +} + +const redirect = (res, whereTo) => { + res.writeHead(302, {'Location': whereTo}); + const content = '<html><head><meta http-equiv="refresh" content="0; url='+whereTo+'" /></head><body>Redirection to <a href='+whereTo+'>'+whereTo+'</a></body></html>'; + res.end(content, 'utf-8'); + return +} + +const end = (res, whereTo) => { + if (Meteor.settings.cas && Meteor.settings.cas.popup == false) { + redirect(res, whereTo); + } else { + closePopup(res); + } +} diff --git a/packages/meteor-accounts-cas/package.js b/packages/meteor-accounts-cas/package.js new file mode 100644 index 00000000..670fe687 --- /dev/null +++ b/packages/meteor-accounts-cas/package.js @@ -0,0 +1,29 @@ +Package.describe({ + summary: "CAS support for accounts", + version: "0.1.0", + name: "wekan:accounts-cas", + git: "https://github.com/wekan/meteor-accounts-cas" +}); + +Package.onUse(function(api) { + api.versionsFrom('METEOR@1.3.5.1'); + api.use('routepolicy', 'server'); + api.use('webapp', 'server'); + api.use('accounts-base', ['client', 'server']); + // Export Accounts (etc) to packages using this one. + api.imply('accounts-base', ['client', 'server']); + api.use('underscore'); + api.add_files('cas_client.js', 'web.browser'); + api.add_files('cas_client_cordova.js', 'web.cordova'); + api.add_files('cas_server.js', 'server'); + +}); + +Npm.depends({ + xml2js: "0.4.17", + cas: "https://github.com/anrizal/node-cas/tarball/2baed530842e7a437f8f71b9346bcac8e84773cc" +}); + +Cordova.depends({ + 'cordova-plugin-inappbrowser': '1.2.0' +}); diff --git a/packages/meteor-useraccounts-core/.editorconfig b/packages/meteor-useraccounts-core/.editorconfig new file mode 100644 index 00000000..6667b413 --- /dev/null +++ b/packages/meteor-useraccounts-core/.editorconfig @@ -0,0 +1,18 @@ +#.editorconfig +# Meteor adapted EditorConfig, http://EditorConfig.org +# By RaiX 2013 + +root = true + +[*.js] +end_of_line = lf +insert_final_newline = true +indent_style = space +indent_size = 2 +trim_trailing_whitespace = true +charset = utf-8 +max_line_length = 80 +indent_brace_style = 1TBS +spaces_around_operators = true +quote_type = auto +# curly_bracket_next_line = true diff --git a/packages/meteor-useraccounts-core/.gitignore b/packages/meteor-useraccounts-core/.gitignore new file mode 100644 index 00000000..0f1edf50 --- /dev/null +++ b/packages/meteor-useraccounts-core/.gitignore @@ -0,0 +1,2 @@ +.build* +versions.json diff --git a/packages/meteor-useraccounts-core/.jshintignore b/packages/meteor-useraccounts-core/.jshintignore new file mode 100644 index 00000000..810f9466 --- /dev/null +++ b/packages/meteor-useraccounts-core/.jshintignore @@ -0,0 +1,2 @@ +client/compatibility +packages \ No newline at end of file diff --git a/packages/meteor-useraccounts-core/.jshintrc b/packages/meteor-useraccounts-core/.jshintrc new file mode 100644 index 00000000..7a0c90b0 --- /dev/null +++ b/packages/meteor-useraccounts-core/.jshintrc @@ -0,0 +1,132 @@ +//.jshintrc +{ + // JSHint Meteor Configuration File + // Match the Meteor Style Guide + // + // By @raix with contributions from @aldeed and @awatson1978 + // Source https://github.com/raix/Meteor-jshintrc + // + // See http://jshint.com/docs/ for more details + + "maxerr" : 50, // {int} Maximum error before stopping + + // Enforcing + "bitwise" : true, // true: Prohibit bitwise operators (&, |, ^, etc.) + "camelcase" : true, // true: Identifiers must be in camelCase + "curly" : true, // true: Require {} for every new block or scope + "eqeqeq" : true, // true: Require triple equals (===) for comparison + "forin" : true, // true: Require filtering for..in loops with obj.hasOwnProperty() + "immed" : false, // true: Require immediate invocations to be wrapped in parens e.g. `(function () { } ());` + "indent" : 2, // {int} Number of spaces to use for indentation + "latedef" : false, // true: Require variables/functions to be defined before being used + "newcap" : false, // true: Require capitalization of all constructor functions e.g. `new F()` + "noarg" : true, // true: Prohibit use of `arguments.caller` and `arguments.callee` + "noempty" : true, // true: Prohibit use of empty blocks + "nonew" : false, // true: Prohibit use of constructors for side-effects (without assignment) + "plusplus" : false, // true: Prohibit use of `++` & `--` + "quotmark" : false, // Quotation mark consistency: + // false : do nothing (default) + // true : ensure whatever is used is consistent + // "single" : require single quotes + // "double" : require double quotes + "undef" : true, // true: Require all non-global variables to be declared (prevents global leaks) + "unused" : true, // true: Require all defined variables be used + "strict" : true, // true: Requires all functions run in ES5 Strict Mode + "trailing" : true, // true: Prohibit trailing whitespaces + "maxparams" : false, // {int} Max number of formal params allowed per function + "maxdepth" : false, // {int} Max depth of nested blocks (within functions) + "maxstatements" : false, // {int} Max number statements per function + "maxcomplexity" : false, // {int} Max cyclomatic complexity per function + "maxlen" : 80, // {int} Max number of characters per line + + // Relaxing + "asi" : false, // true: Tolerate Automatic Semicolon Insertion (no semicolons) + "boss" : false, // true: Tolerate assignments where comparisons would be expected + "debug" : false, // true: Allow debugger statements e.g. browser breakpoints. + "eqnull" : false, // true: Tolerate use of `== null` + "es5" : false, // true: Allow ES5 syntax (ex: getters and setters) + "esnext" : false, // true: Allow ES.next (ES6) syntax (ex: `const`) + "moz" : false, // true: Allow Mozilla specific syntax (extends and overrides esnext features) + // (ex: `for each`, multiple try/catch, function expression…) + "evil" : false, // true: Tolerate use of `eval` and `new Function()` + "expr" : false, // true: Tolerate `ExpressionStatement` as Programs + "funcscope" : false, // true: Tolerate defining variables inside control statements" + "globalstrict" : true, // true: Allow global "use strict" (also enables 'strict') + "iterator" : false, // true: Tolerate using the `__iterator__` property + "lastsemic" : false, // true: Tolerate omitting a semicolon for the last statement of a 1-line block + "laxbreak" : false, // true: Tolerate possibly unsafe line breakings + "laxcomma" : false, // true: Tolerate comma-first style coding + "loopfunc" : false, // true: Tolerate functions being defined in loops + "multistr" : false, // true: Tolerate multi-line strings + "proto" : false, // true: Tolerate using the `__proto__` property + "scripturl" : false, // true: Tolerate script-targeted URLs + "smarttabs" : false, // true: Tolerate mixed tabs/spaces when used for alignment + "shadow" : false, // true: Allows re-define variables later in code e.g. `var x=1; x=2;` + "sub" : false, // true: Tolerate using `[]` notation when it can still be expressed in dot notation + "supernew" : false, // true: Tolerate `new function () { ... };` and `new Object;` + "validthis" : false, // true: Tolerate using this in a non-constructor function + + // Environments + "browser" : true, // Web Browser (window, document, etc) + "couch" : false, // CouchDB + "devel" : true, // Development/debugging (alert, confirm, etc) + "dojo" : false, // Dojo Toolkit + "jquery" : false, // jQuery + "mootools" : false, // MooTools + "node" : false, // Node.js + "nonstandard" : false, // Widely adopted globals (escape, unescape, etc) + "prototypejs" : false, // Prototype and Scriptaculous + "rhino" : false, // Rhino + "worker" : false, // Web Workers + "wsh" : false, // Windows Scripting Host + "yui" : false, // Yahoo User Interface + //"meteor" : false, // Meteor.js + + // Legacy + "nomen" : false, // true: Prohibit dangling `_` in variables + "onevar" : false, // true: Allow only one `var` statement per function + "passfail" : false, // true: Stop on first error + "white" : false, // true: Check against strict whitespace and indentation rules + + // Custom globals, from http://docs.meteor.com, in the order they appear there + "globals" : { + "Meteor": false, + "DDP": false, + "Mongo": false, //Meteor.Collection renamed to Mongo.Collection + "Session": false, + "Accounts": false, + "Template": false, + "Blaze": false, //UI is being renamed Blaze + "UI": false, + "Match": false, + "check": false, + "Tracker": false, //Deps renamed to Tracker + "Deps": false, + "ReactiveVar": false, + "EJSON": false, + "HTTP": false, + "Email": false, + "Assets": false, + "Handlebars": false, // https://github.com/meteor/meteor/wiki/Handlebars + "Package": false, + + // Meteor internals + "DDPServer": false, + "global": false, + "Log": false, + "MongoInternals": false, + "process": false, + "WebApp": false, + "WebAppInternals": false, + + // globals useful when creating Meteor packages + "Npm": false, + "Tinytest": false, + + // common Meteor packages + "Random": false, + "_": false, // Underscore.js + "$": false, // jQuery + "Router": false // iron-router + } +} diff --git a/packages/meteor-useraccounts-core/.travis.yml b/packages/meteor-useraccounts-core/.travis.yml new file mode 100644 index 00000000..7846a282 --- /dev/null +++ b/packages/meteor-useraccounts-core/.travis.yml @@ -0,0 +1,8 @@ +sudo: required +language: node_js +node_js: + - "0.10" +before_install: + - "curl -L http://git.io/ejPSng | /bin/sh" +env: + - TEST_COMMAND=meteor diff --git a/packages/meteor-useraccounts-core/Guide.md b/packages/meteor-useraccounts-core/Guide.md new file mode 100644 index 00000000..c84b3f8b --- /dev/null +++ b/packages/meteor-useraccounts-core/Guide.md @@ -0,0 +1,1433 @@ +User Accounts +============= + +User Accounts is a suite of packages for the [Meteor.js](https://www.meteor.com/) platform. It provides highly customizable user accounts UI templates for many different front-end frameworks. At the moment it includes forms for sign in, sign up, forgot password, reset password, change password, enroll account, and link or remove of many 3rd party services. + +<a name="documentation"/> +# Documentation + +* [Features](#features) +* [Quick Start](#quickstart) + * [Available Versions](#available-versions) + * [Boilerplates](#boilerplates) + * [Setup](#setup) + * [Routing](#routing) + * [Templates](#templates) +* [Basic Customization](#basic-customization) + * [I18n Support](#i18n) + * [Configuration API](#configuration-api) + * [Options](#options) + * [logout](#logout) + * [Internal States](#internal-states) + * [Content Protection](#content-protection) + * [reCaptcha Setup](#reCaptcha-setup) + * [Detect reactively when a form is being processed](#detect-reactively-when-a-form-is-being-processed) +* [Advanced Customization](#advanced-customization) + * [Configuring Texts](#configuring-texts) + * [Form Title](#form-title) + * [Button Text](#button-text) + * [Social Button Icons](#social-button-icons) + * [Info Text](#info-text) + * [Errors Text](#errors-text) + * [Disabling Client-side Accounts Creation](#disabling-client-side-accounts-creation) + * [Form Fields Configuration](#form-fields-configuration) + * [Extending Templates](#extending-templates) + * [Grouping Fields](#grouping-fields) + * [CSS Rules](#css-rules) +* [Wrapping Up for Famo.us](#wrapping-up-for-famo.us) +* [Side Notes](#side-notes) + * [3rd Party Login Services Configuration](#3rd-party-login-services-configuration) + + +<a name="features"/> +## Features + +* fully customizable +* security aware +* internationalization support thanks to [accounts-t9n](https://github.com/softwarerero/meteor-accounts-t9n) +* custom sign-up fields +* robust server side sign-up field validation +* easy content protection +* return to previous route after sign-in (even for random sign in choice and not only after required sign-in) +* fully reactive, Blaze fast! +* no use of `Session` object +* very easily stylizable for different font-end frameworks +* ...[wrap it up for famo.us](#wrapping-up-for-famo.us) with a simple meteor line! + + + +<a name="quickstart"/> +## Quick Start + + +<a name="available-versions"/> +### Available Versions + +* [useraccounts:bootstrap](https://atmospherejs.com/useraccounts/bootstrap) styled for [Twitter Bootstrap](http://getbootstrap.com/) +* [useraccounts:foundation](https://atmospherejs.com/useraccounts/foundation) styled for [Zurb Foundation](http://foundation.zurb.com/) +* [useraccounts:ionic](https://atmospherejs.com/useraccounts/ionic) styled for [Ionic](http://ionicframework.com/) +* [useraccounts:materialize](https://atmospherejs.com/useraccounts/materialize) styled for [Materialize](http://materializecss.com/) +* [useraccounts:polymer](https://atmospherejs.com/useraccounts/polymer) styled for [Polymer](https://www.polymer-project.org/) (WIP) +* [useraccounts:ratchet](https://atmospherejs.com/useraccounts/ratchet) styled for [Ratchet](http://goratchet.com/) +* [useraccounts:semantic-ui](https://atmospherejs.com/useraccounts/semantic-ui) styled for [Semantic UI](http://semantic-ui.com) +* [useraccounts:unstyled](https://atmospherejs.com/useraccounts/unstyled) with plain html and no CSS rules +* plus others coming soon... + + +<a name="boilerplates"/> +### Boilerplates + +For a very very quick start you can find some boilerplate examples inside [this repository](https://github.com/meteor-useraccounts/boilerplates). + +We'll try to make them richer and richer, while still keeping them as general as possible. + +<a name="setup"/> +### Setup + +Just choose one of the packages among the [available styled versions](#available-versions) and install it: + +```Shell +meteor add useraccounts:bootstrap +meteor add <your preferred bootstrap package> +``` + +**Note 1:** no additional packages nor CSS/LESS/SASS files providing styles are included by useraccounts packages. This is to let you choose your preferred way to include them! + +**Note 2:** You don't have to add `useraccounts:core` to your app! It is automatically added when you add `useraccounts:<something>`... + +Then add at least one login service: + +```Shell +meteor add accounts-password +meteor add accounts-facebook +meteor add accounts-google +... +``` + +**Note**: 3rd party services need to be configured... more about this [here](http://docs.meteor.com/#meteor_loginwithexternalservice) + +And that's it! + +...but don't expect to see much without doing something more ;-) +This is to let you configure your app exactly the way you wish, without imposing anything beforehand! + + +<a name="routing"/> +### Routing + +If you'd like to easily configure specific routes to deal with accounts management, you might be interested to check out +[useraccounts:iron-routing](https://github.com/meteor-useraccounts/iron-routing) and [useraccounts:flow-routing](https://github.com/meteor-useraccounts/flow-routing) packages. +They provide very easy routes set-up via the `AccountsTemplates.configureRoute` method. + + +<a name="templates"/> +### Templates + +There is **only one template** which is used to reactively draw appropriate sign in, sign up, forgot password, reset password, change password, and enroll account forms! + +It is `atForm` and can be used anywhere you wish like this: + +```html +{{> atForm}} +``` + +Its design is as *transparent* as possible, making it play nicely with themes and your CSS customizations! Also, it is not wrapped inside any *container* so that you can put it anywhere, including complex multi-column layouts. + +In case you wish to *lock* the template to a particular state, you can specify that via the `state` parameter: + +```html +{{> atForm state='signUp'}} +``` + +This will prevent the template from changing its content. See [internal states](#internal-states) for more details... + + +Well, actually there is many, used inside `atForm`... + +...plus one another: `atNavButton` which can be used inside navbars to get a basic sign-in sign-out button which changes text and behaviour based on the user status (to get it working you should set up at least a `signIn` route). + + +<a name="basic-customization"/> +## Basic Customization + + +<a name="i18n"/> +### I18n Support + +i18n is achieved using [accounts-t9n](https://atmospherejs.com/softwarerero/accounts-t9n). The only thing you have to do is ensure + +```javascript +T9n.setLanguage('<lang>'); +``` + +is called somewhere, whenever you want to switch language. + + +<a name="configuration-api"/> +### Configuration API + +There are basically two different ways to interact with AccountsTemplates for basic configuration: + +* AccountsTemplates.configureRoute(route_code, options); +* AccountsTemplates.configure(options); + +**These functions should be called in top-level code, not inside `Meteor.startup()`.** + +There is no specific order for the above calls to be effective, and you can call them more than once, possibly in different files. + +**The only other requirement is to make exactly the same calls on both the server and the client.** The best thing is to put everything inside a file shared between both. I suggest you use something like `lib/config/at_config.js` + + +<a name="options"/> +#### Options + +By calling `AccountsTemplates.configure(options)` you can specify a bunch of choices regarding both visual appearance and behavior. + +The following is an almost complete example of options configuration (with fields in alphabetical order): + +```javascript +AccountsTemplates.configure({ + // Behavior + confirmPassword: true, + enablePasswordChange: true, + forbidClientAccountCreation: false, + overrideLoginErrors: true, + sendVerificationEmail: false, + lowercaseUsername: false, + focusFirstInput: true, + + // Appearance + showAddRemoveServices: false, + showForgotPasswordLink: false, + showLabels: true, + showPlaceholders: true, + showResendVerificationEmailLink: false, + + // Client-side Validation + continuousValidation: false, + negativeFeedback: false, + negativeValidation: true, + positiveValidation: true, + positiveFeedback: true, + showValidating: true, + + // Privacy Policy and Terms of Use + privacyUrl: 'privacy', + termsUrl: 'terms-of-use', + + // Redirects + homeRoutePath: '/home', + redirectTimeout: 4000, + + // Hooks + onLogoutHook: myLogoutFunc, + onSubmitHook: mySubmitFunc, + preSignUpHook: myPreSubmitFunc, + postSignUpHook: myPostSubmitFunc, + + // Texts + texts: { + button: { + signUp: "Register Now!" + }, + socialSignUp: "Register", + socialIcons: { + "meteor-developer": "fa fa-rocket" + }, + title: { + forgotPwd: "Recover Your Password" + }, + }, +}); +``` + +Details for each of them follow. + +| Option | Type | Default | Description | +| --------------------------- | -------- | --------- | ----------- | +| **Behavior** | | | | +| confirmPassword | Boolean | true | Specifies whether to ask the password twice for confirmation. This has no effect on the sign in form. | +| defaultState | String | "signIn" | Specifies the state to be used initially when atForm is rendered. This is not considered when rendering atForm on configured routes. | +| enablePasswordChange | Boolean | false | Specifies whether to allow to show the form for password change. Note: In case the `changePwd` route is not configured, this is to be done *manually* inside some custom template. | +| enforceEmailVerification | Boolean | false | When set to true together with sendVerificationEmail, forbids user login unless the email address is verified. **Warning: experimental! Use it only if you have accounts-password as the only service!!!** | +| focusFirstInput | Boolean | !Meteor.isCordova | When set to true, asks to autofocus the first input of atForm when the template is rendered. Note: have a look at [this issue](https://github.com/meteor-useraccounts/core/issues/594) in case you're getting problems with cordova apps. | +| forbidClientAccountCreation | Boolean | false | Specifies whether to forbid user registration from the client side. In case it is set to true, neither the link for user registration nor the sign up form will be shown. | +| overrideLoginErrors | Boolean | true | Asks to show a general `Login Forbidden` on a login failure, without specifying whether it was for a wrong email or for a wrong password. | +| sendVerificationEmail | Boolean | false | Specifies whether to send the verification email after successful registration. | +| redirectTimeout | Number | 2000 | Specifies a timeout time for the redirect after successful form submit on `enrollAccount`, `forgotPwd`, `resetPwd`, and `verifyEmail` routes. | +| socialLoginStyle | String | "popup" | Specifies the login style for 3rd party services login. Valid values are `popup` or `redirect`. See `loginStyle` option of [Meteor.loginWith<ExternalService>](http://docs.meteor.com/#/full/meteor_loginwithexternalservice) for more information. | +| lowercaseUsername | Boolean | false | Possibly asks to transform `username` field for user objects at registration time to be always in lowercase with no spaces. The original `username` value will be added to the `user.profile` field for later use. | +| **Appearance** | | | | +| hideSignInLink | Boolean | false | When set to true, asks to never show the link to the sign in page | +| hideSignUpLink | Boolean | false | When set to true, asks to never show the link to the sign up page | +| showAddRemoveServices | Boolean | false | Tells whether to show social account buttons also when the user is signed in. In case it is set to true, the text of buttons will change from 'Sign in With XXX' to 'Add XXX' or 'Remove XXX' when the user signs in. 'Add' will be used if that particular service is still not associated with the current account, while 'Remove' is used only in case a particular service is already used by the user **and** there are at least two services available for sign in operations. Clicks on 'Add XXX' trigger the call to `Meteor.loginWithXXX`, as usual, while click on 'Remove XXX' will call the method `ATRemoveService` provided by AccountsTemplates. This means you need to have some additional logic to deal with the call `Meteor.loginWithXXX` in order to actually add the service to the user account. One solution to this is to use the package [accounts-meld](https://atmospherejs.com/package/accounts-meld) which was build exactly for this purpose. | +| showForgotPasswordLink | Boolean | false | Specifies whether to display a link to the forgot password page/form | +| showLabels | Boolean | true | Specifies whether to display text labels above input elements. | +| showPlaceholders | Boolean | true | Specifies whether to display place-holder text inside input elements. | +| showResendVerificationEmailLink | Boolean | false | Specifies whether to display a link to the resend verification email page/form | +| **Texts** | | | | +| texts | Object | | Permits to specify texts to be shown on the atForm for each of its states (see [below](#configuring-texts)). | +| **Client-side Validation** | | | | +| continuousValidation | Boolean | false | Specifies whether to continuously validate fields' value while the user is typing. *It is performed client-side only to save round trips with the server*. | +| negativeValidation | Boolean | false | Specifies whether to highlight input elements in case of negative validation. | +| positiveValidation | Boolean | false | Specifies whether to highlight input elements in case of positive validation. | +| negativeFeedback | Boolean | false | Specifies whether to display negative validation feed-back inside input elements. | +| positiveFeedback | Boolean | false | Specifies whether to display positive validation feed-back inside input elements. | +| showValidating | Boolean | false | Specifies whether to display a loading icon inside input elements while the validation process is in progress. | +| **Links** | | | | +| homeRoutePath | String | '/' | Path for the home route, to be possibly used for redirects after successful form submission. | +| privacyUrl | String | undefined | Path for the route displaying the privacy document. In case it is specified, a link to the page will be displayed at the bottom of the form (when appropriate). | +| termsUrl | String | undefined | Path for the route displaying the document about terms of use. In case it is specified, a link to the page will be displayed at the bottom of the form (when appropriate). | +| **Hooks** | | | | +| onLogoutHook | Function | | Called on `AccountsTemplates.logout` invocation: allows for custom redirects or whatever custom action to be taken on user logout. | +| onSubmitHook | Function | | `func(error, state)` Called when the `pwdForm` is being submitted: allows for custom actions to be taken on form submission. `error` contains possible errors occurred during the submission process, `state` specifies the `atForm` internal state from which the submission was triggered. A nice use case might be closing the modal or side-menu showing `atForm` | +| preSignUpHook | Function | | `func(password, info)` Called just before submitting the `pwdForm` for sign-up: allows for custom actions on the data being submitted. A nice use could be extending the user profile object accessing `info.profile`. to be taken on form submission. The plain text `password` is also provided for any reasonable use. | +| postSignUpHook | Function | | `func(userId, info)` Called, **server side only**, just after a successfull user account creation, post submitting the `pwdForm` for sign-up: allows for custom actions on the data being submitted ___after___ we are sure a new user was ___successfully___ created. A common use might be applying roles to the user, as this is only possible after fully completing user creation in alanning:roles. The `userId` is available as the first parameter, so that user user object may be retrieved. The `password` is not available as it's already encrypted, though the encrypted password may be found in `info` if of use. | + +##### onSubmitHook + +A straightforward configuration about how to detect when a user logs in or registers might look like the following: + +```javascript +var mySubmitFunc = function(error, state){ + if (!error) { + if (state === "signIn") { + // Successfully logged in + // ... + } + if (state === "signUp") { + // Successfully registered + // ... + } + } +}; + +AccountsTemplates.configure({ + onSubmitHook: mySubmitFunc +}); +``` + +<a name="logout"/> +##### AccountsTemplates.logout() + +Should be used in place of `Meteor.logout()`. This function invokes the `onLogoutHook` specified in the optional configuration. +Also note that `AccountsTemplates.logout()` is invoked when logging out using the `atNavButton`. + + +```javascript +//Use in place of Meteor.logout() in your client code. Also called automatically by atNavButton when clicking Sign Off +AccountsTemplates.logout(); + +``` + + +```javascript +var myPostLogout = function(){ + //example redirect after logout + Router.go('/home'); +}; + +AccountsTemplates.configure({ + onLogoutHook: myPostLogout +}); +``` + +<a name="internal-states"/> +### Internal States + +The `atForm` template changes reactively based on the current internal state of AccountsTemplates. +The current internal state can be queried with `AccountsTemplates.getState()` and set with `AccountsTemplates.setState(new_state)` + + +Currently available states are: + +| Internal State | What's shown | +| ----------------------- | ------------------------------------------------------------------------------------- | +| changePwd | Change password form asking to set a new password | +| enrollAccount | Account Enrollment form asking to set a password | +| forgotPwd | Forgot Password form asking for the email address where to send a reset password link | +| hide | None at all... | +| resendVerificationEmail | Login form with an additional button to get another verification email | +| resetPwd | Reset Password form asking to set a password | +| signIn | Login form | +| signUp | Registration form | +| verifyEmail | Only the result about email verification | + + + +<a name="content-protection"/> +### Content Protection + + +If you want to secure a specific template, you could add that template like this: + +```handlebars +{{> ensureSignedIn template="myTemplate"}} +``` +and that will render the default `fullPageAtForm` template from your chosen User Accounts templates package (bootstrap, materialize, etc). Once signed in, it'll render `myTemplate` instead of the accounts form. + +If you want to declare a custom sign in template instead of `fullPageAtForm`, you would do this: + +```handlebars +{{> ensureSignedIn template="myTemplate" auth="myLoginForm"}} +``` +That custom auth template just needs to include `{{> atForm}}` somewhere in it. The only reason you'd use this optional feature is if you wanted to modify the layout around the `atForm` template (like +`fullPageAtForm` does). + + +In case you're using one of the routing packages [useraccounts:iron-routing](https://github.com/meteor-useraccounts/iron-routing) +or [useraccounts:flow-routing](https://github.com/meteor-useraccounts/flow-routing) refer to their documentation for more possibilities. + + +<a name="reCaptcha-setup"/> +### reCaptcha Setup +To set up [reCaptcha](https://www.google.com/recaptcha/intro/index.html), you need to first obtain API keys. + +Then, a recommended setup is as follows. + +A [Meteor settings file](http://docs.meteor.com/#/full/meteor_settings) with the keys: + +```javascript +{ + "public": { + "reCaptcha": { + "siteKey": YOUR SITE KEY + } + }, + "reCaptcha": { + "secretKey": YOUR SECRET KEY + } +} +``` + +and configuration to show the reCaptcha widget: + +```javascript +AccountsTemplates.configure({ + showReCaptcha: true +}); +``` + +The reCaptcha plugin can likewise be set up with the following complete example: + + +```javascript +AccountsTemplates.configure({ + reCaptcha: { + siteKey: YOUR SITE KEY, + theme: "light", + data_type: "image" + }, + showReCaptcha: true +}); +``` + +And, in a separate file in the `/server` folder: + +```javascript +AccountsTemplates.configure({ + reCaptcha: { + secretKey: YOUR SECRET KEY. + }, +}); +``` + +Each option is described below: + +| Option | Type | Default | Description | +| --------------------------- | -------- | --------- | ----------- | +| siteKey | String | none | The site key needed to create the reCaptcha widget. This can be specified in just the Meteor settings file. | +| secretKey | String | none | The secret key needed to verify the reCaptcha response. ***Warning: Only set this in a file in `/server` or in a Meteor settings file. Otherwise, your private key can be read by anyone!*** | +| theme | String | "light" | Sets the reCaptcha theme color. The options are "light" and "dark". | +| data_type | String | "image" | Sets the verification method. Options are "image" or "audio". | +| showReCaptcha | Boolean | false | Whether to show the reCaptcha widget on sign in or not. No reCaptcha validation will occur if set to false. | + +<a name="detect-reactively-when-a-form-is-being-processed"/> +### Detect reactively when a form is being processed + +`AccountsTemplates.disabled()` returns `true` when a submitted form is being processed and `false` once the submission process has been completed (successfully or not). `AccountsTemplate.disabled()` is reactive and can be used to trigger UI events, such as spinners, "Please wait" messages or to disable input elements, while the form is being processed. The function works irrespectively of form status (signIn, signUp, pwdReset etc.). A typical use-case would be in a template helper: + +```html +<template name="myLogin"> + {{#if atDisabled}} + Please wait... + {{/if}} + <div class="{{atClass}}"> + {{> atForm}} + </div> +</template> +``` + +```js +Template.myLogin.helpers({ + atDisabled: function() { + return AccountsTemplates.disabled(); + }, + atClass: function() { + return AccountsTemplates.disabled() ? 'disabled' : 'active'; + } +}); +``` + +<a name="advanced-customization"/> +## Advanced Customization + + +<a name="configuring-texts"/> +### Configuring Texts + +In case you wish to change texts on atForm, you can call: + +```javascript +AccountsTemplates.configure({ + texts: { + navSignIn: "signIn", + navSignOut: "signOut", + optionalField: "optional", + pwdLink_pre: "", + pwdLink_link: "forgotPassword", + pwdLink_suff: "", + resendVerificationEmailLink_pre: "Verification email lost?", + resendVerificationEmailLink_link: "Send again", + resendVerificationEmailLink_suff: "", + sep: "OR", + signInLink_pre: "ifYouAlreadyHaveAnAccount", + signInLink_link: "signin", + signInLink_suff: "", + signUpLink_pre: "dontHaveAnAccount", + signUpLink_link: "signUp", + signUpLink_suff: "", + socialAdd: "add", + socialConfigure: "configure", + socialIcons: { + "meteor-developer": "fa fa-rocket", + }, + socialRemove: "remove", + socialSignIn: "signIn", + socialSignUp: "signUp", + socialWith: "with", + termsPreamble: "clickAgree", + termsPrivacy: "privacyPolicy", + termsAnd: "and", + termsTerms: "terms", + } +}); +``` + +the above example asks to change some of the available text configurations. You can specify only a subsets of them leaving default values unchanged. +To learn how to change title, button, social buttons' icon, info, and errors text read below. + + +<a name="form-title"/> +#### Form Title + +In case you wish to change form titles, you can call: + +```javascript +AccountsTemplates.configure({ + texts: { + title: { + changePwd: "Password Title", + enrollAccount: "Enroll Title", + forgotPwd: "Forgot Pwd Title", + resetPwd: "Reset Pwd Title", + signIn: "Sign In Title", + signUp: "Sign Up Title", + verifyEmail: "Verify Email Title", + } + } +}); +``` + +the above example asks to change the title for all possible form states, but you can specify only a subset of them leaving default values unchanged. + +You can also *hide* a title by setting it to an empty string. For example with: + +``` +AccountsTemplates.configure({ + texts: { + title: { + signIn: "", + } + } +}); +``` + +no title will be shown on the sign in form. + + +<a name="button-text"/> +#### Button Text + +In case you wish to change the text appearing inside the submission button, you can call: + +```javascript +AccountsTemplates.configure({ + texts: { + button: { + changePwd: "Password Text", + enrollAccount: "Enroll Text", + forgotPwd: "Forgot Pwd Text", + resetPwd: "Reset Pwd Text", + signIn: "Sign In Text", + signUp: "Sign Up Text", + } + } +}); +``` + +the above example asks to change the button text for all possible form states, but you can specify only a subset of them leaving default values unchanged. + +<a name="social-button-icons"/> +#### Social Button Icons + +In case you wish to change the icon appearing on the left of social login buttons, you can call: + +```javascript +AccountsTemplates.configure({ + texts: { + socialIcons: { + google: "myGoogleIcon", + "meteor-developer": "myMeteorIcon", + } + } +}); +``` + +to specify a different icon classes to be used for services. By default the icon class is set to `fa fa-*service*`, +but for the "meteor-developer" service for which `fa fa-rocket` is used. An exception is made for `useaccounts:semantic-ui` +which sets them simply to `*service*`, which is the correct way to go. + +<a name="info-text"/> +#### Info Text + +In case you wish to change the info text appearing inside the results box, you can call: + +```javascript +AccountsTemplates.configure({ + texts: { + info: { + emailSent: "info.emailSent", + emailVerified: "info.emailVerified", + pwdChanged: "info.passwordChanged", + pwdReset: "info.passwordReset", + pwdSet: "info.passwordReset", + signUpVerifyEmail: "Successful Registration! Please check your email and follow the instructions.", + verificationEmailSent: "A new email has been sent to you. If the email doesn't show up in your inbox, be sure to check your spam folder.", + } + } +}); +``` + +The above calls simply set all values as the current default ones. + +<a name="input-icons"/> +#### Input Field Icons + +In case you wish to change the icon appearing on the right side of input fields to show their validation status, you can call: + +```javascript +AccountsTemplates.configure({ + texts: { + inputIcons: { + isValidating: "fa fa-spinner fa-spin", + hasSuccess: "fa fa-check", + hasError: "fa fa-times", + } + } +}); +``` + +<a name="errors-text"/> +#### Errors Text + +In case you wish to change the text for errors appearing inside the error box, you can call: + +```javascript +AccountsTemplates.configure({ + texts: { + errors: { + accountsCreationDisabled: "Client side accounts creation is disabled!!!", + cannotRemoveService: "Cannot remove the only active service!", + captchaVerification: "Captcha verification failed!", + loginForbidden: "error.accounts.Login forbidden", + mustBeLoggedIn: "error.accounts.Must be logged in", + pwdMismatch: "error.pwdsDontMatch", + validationErrors: "Validation Errors", + verifyEmailFirst: "Please verify your email first. Check the email and follow the link!", + } + } +}); +``` + +The above calls simply set all values as the current default ones. +*Note:* The above list of errors refers to those set directly by AccountsTemplates only! +Errors which comes from the Accounts packages cannot be overwritten (at least not easily...) +Please have a look at [Form Fields Configuration](#form-fields-configuration) to learn how to set validation errors on a field basis. + + +<a name="disabling-client-side-accounts-creation"/> +### Disabling Client-side Accounts Creation + +AccountsTemplates disables by default accounts creation on the client. This is done to use a dedicated method called `ATCreateUserServer` **(sending the password on the wire already hashed as usual...)** to create the new users server-side. +This way a bulletproof profile fields full validation can be performed. +But there is one more parameter to set in case you'd like to forbid client-side accounts creation, which is the following: + +* `forbidClientAccountCreation` - (Boolean, default false) Specifies whether to forbid accounts creation from the client. + +it is exactly the same provided by the Accounts object, so this means you need to do: + +```javascript +AccountsTemplates.configure({ + forbidClientAccountCreation: true +}); +``` + +instead of the usual: + +```javascript +Accounts.config({ + forbidClientAccountCreation : true +}); +``` + + +<a name="form-fields-configuration"/> +### Form Fields Configuration + +Every input field appearing inside AccountsTemplates forms can be easily customized both for appearance and validation behaviour. Additional (custom) fields can be added to the sign up and registration forms, and the properties of built-in fields, like `email` and `password` can be overridden (see [Remove fields](https://github.com/meteor-useraccounts/core/blob/master/Guide.md#remove-fields)) + +Each field object is represented by the following properties: + +| Property | Type | Required | Description | +| -------------------- | -----------------|:--------:| -------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- | +| _id | String | X | A unique field's id/name (internal use only) to be also used as attribute name into `Meteor.user().profile` in case it identifies an additional sign up field. Usually all lowercase letters. | +| type | String | X | Specifies the input element type. At the moment supported inputs are: `password`, `email`, `text`, `tel`, `url`, `checkbox`, `select`, `radio`, `hidden`. | +| required | Boolean | | When set to true the corresponding field cannot be left blank | +| displayName | String or Object | | The field name to be shown as text label above the input element. In case nothing is specified, the capitalized `_id` is used. The text label is shown only if `showLabels` options is set to true. | +| placeholder | String or Object | | The placeholder text to be shown inside the input element. In case nothing is specified, the capitalized `_id` will be used. The place-holder is shown only if `showPlaceholders` option is set to true. | +| select | [Object] | | Lets you specify an array of choices to be displayed for select and radio inputs. See example below. | +| minLength | Integer | | If specified, requires the content of the field to be at least `minLength` characters. | +| maxLength | Integer | | If specified, require the content of the field to be at most `maxLength` characters. | +| re | RegExp | | Possibly specifies the regular expression to be used for the field's content validation. Validation is performed both client-side (at every input change if `continuousValidation` option is set to true) and server-side on form submit. | +| func | Function | | Custom function to be used for validation. | +| errStr | String | | Error message to be displayed in case re or func validation fail. | +| trim | Boolean | | Trim the input value. | +| lowercase | Boolean | | Convert the input value to lowercase. | +| uppercase | Boolean | | Convert the input value to uppercase. | +| transform | Function | | Custom function to transform the input value. | +| continuousValidation | Boolean | | Continuously validate fields' value while the user is typing. *It is performed client-side only to save round trips with the server*. | +| negativeValidation | Boolean | | Highlight input elements in case of negative validation. | +| positiveValidation | Boolean | | Highlight input elements in case of positive validation. | +| negativeFeedback | Boolean | | Display negative validation feedback inside input elements. | +| positiveFeedback | Boolean | | Display positive validation feedback inside input elements. | +| showValidating | Boolean | | Display a loading icon inside input elements while the validation process is in progress. | +| options | Object | | Allows to pass in additional custom options to be possibly used to extend input templates (see [Extending Templates](https://github.com/meteor-useraccounts/core/blob/master/Guide.md#extending-templates)) | +| template | String | | The name of a custom template to be used in place of the default one. | + + +`displayName`, `placeholder`, and `errStr` can also be an [accounts-t9n](https://atmospherejs.com/softwarerero/accounts-t9n) registered key, in which case it will be translated based on the currently selected language. +In case you'd like to specify a key which is not already provided by accounts-t9n you can always map your own keys. To learn how to register new labels, please refer to the official [documentation](https://github.com/softwarerero/meteor-accounts-t9n#define-translations). + +`continuousValidation`, `negativeFeedback`, `negativeValidation`, `positiveValidation`, `positiveFeedback`, `showValidating` can be used to override global settings (see [Form Fields Configuration](#form-fields-configuration)) on a per field basis. + +Furthermore, you can pass an object for `displayName`, `placeholder` to specify different texts for different form states. The matched pattern is: + +```javascript +{ + default: Match.Optional(String), + changePwd: Match.Optional(String), + enrollAccount: Match.Optional(String), + forgotPwd: Match.Optional(String), + resetPwd: Match.Optional(String), + signIn: Match.Optional(String), + signUp: Match.Optional(String), +} +``` + +which permits to specify a different text for each different state, or a default value to be used for states which are not explicitly provided. For example: + +```javascript +AccountsTemplates.addField({ + _id: 'password', + type: 'password', + placeholder: { + signUp: "At least six characters" + }, + required: true, + minLength: 6, + re: /(?=.*\d)(?=.*[a-z])(?=.*[A-Z]).{6,}/, + errStr: 'At least 1 digit, 1 lowercase and 1 uppercase', +}); +``` + +asks AccountsTemplates to display "At least six characters" as the placeholder for the password field when the sign up form is display, and to display "Password" (the capitalized *_id*_) in any other case. + +##### Custom validation +Custom validation can be achieved by providing a regular expression or a function. In case you go for the function solution, this: + +```javascript +AccountsTemplates.addField({ + _id: 'name', + type: 'text', + displayName: "Name", + func: function(value){return value !== 'Full Name';}, + errStr: 'Only "Full Name" allowed!', +}); +``` + +will require the name input to be exactly "Full Name" (though this might not be that interesting...). +If instead you do something along the following line: + +```javascript +AccountsTemplates.addField({ + _id: 'phone', + type: 'tel', + displayName: "Phone", + required: true, + func: function (number) { + if (Meteor.isServer){ + if (isValidPhone(number)) + return false; // meaning no error! + return true; // Validation error! + } + }, + errStr: 'Invalid Phone number!', +}); +``` + +supposing `isValidPhone` is available only server-side, you will be validating the field only server-side, on form submission. + +If, differently, you do something like this: + +```javascript +if (Meteor.isServer){ + Meteor.methods({ + "userExists": function(username){ + return !!Meteor.users.findOne({username: username}); + }, + }); +} + +AccountsTemplates.addField({ + _id: 'username', + type: 'text', + required: true, + func: function(value){ + if (Meteor.isClient) { + console.log("Validating username..."); + var self = this; + Meteor.call("userExists", value, function(err, userExists){ + if (!userExists) + self.setSuccess(); + else + self.setError(userExists); + self.setValidating(false); + }); + return; + } + // Server + return Meteor.call("userExists", value); + }, +}); +``` + +you can achieve also client-side and server-side validation calling a server method +During the waiting time a loading icon will be displayed (if you configure `showValidating` to be true). +To configure the loading icon see [Input Field Icons](#input-icons). + +*Note:* `field.setError(err)`, `field.setSuccess()`, and `field.setValidating()` are methods used to deal with inputs' validation states. A `null` value means non-validated, `false` means correctly validated, no error, and any other value evaluated as true (usually strings specifying the reason for the validation error), are finally interpreted as error and displayed where more appropriate. + +#### Checkboxes, Selects, Radios, and Hidden + +This is an example about how to add Checkboxes, Selects, and Radios to the sign up fields: + +```javascript +AccountsTemplates.addField({ + _id: "gender", + type: "select", + displayName: "Gender", + select: [ + { + text: "Male", + value: "male", + }, + { + text: "Female", + value: "female", + }, + ], +}); + +AccountsTemplates.addField({ + _id: "fruit", + type: "radio", + displayName: "Preferred Fruit", + select: [ + { + text: "Apple", + value: "aa", + }, { + text: "Banana", + value: "bb", + }, { + text: "Carrot", + value: "cc", + }, + ], +}); + +AccountsTemplates.addField({ + _id: "mailing_list", + type: "checkbox", + displayName: "Subscribe me to mailing List", +}); + +AccountsTemplates.addField({ + _id: 'reg_code', + type: 'hidden' +}); +``` + +please note the `select` list which lets you specify the values for the choice. +The `value` value of corresponding selected `text` will be picked up and added into the `profile` field of the user object. + +Hidden inputs might be of help in case you want to consider to link to your registration page from around the web (emails, ads, discount campaigns, etc...) with links like this: + +``` +http://my.splendido.site/sign-up?email=giorgio@example.com®_code=123 +``` + +exploiting the ability of AccountsTemplates to pick-up query parameters having the same key as field ids, this would permit to get `reg_code: "123"` under the `profile` field of the user object. +**Please use this with caution!** ..never ever do something like: +``` +http://my.splendido.site/sign-up?role=admin +``` +and then set the role of the new user based on the hidden `role` field. I guess you can appreciate the security hole there ;-) + +#### Special Field's Ids + +There are a number of special ids used for basic input fields. These are: + +* current_password +* email +* password +* password_again +* username +* username_and_email + +Any other id will be interpreted as an additional sign up field. +In case a special field is not explicitly added, it will be automatically inserted at initialization time (with appropriate default properties). To customize special fields see [Remove fields](https://github.com/meteor-useraccounts/core/blob/master/Guide.md#remove-fields) + +#### Add a field + +You can use `AccountsTemplates.addField(options)` to configure an input field. This apply for both special fields and custom ones. +For example you can do: + +```javascript +AccountsTemplates.addField({ + _id: 'phone', + type: 'tel', + displayName: "Landline Number", +}); +``` + +The above snippet asks `AccountsTemplates` to draw an additional input element within the sign-up form. + +#### Add many fields at once + +Another possibility is to add many additional fields at once using `addFields`: + +```javascript +AccountsTemplates.addFields([ + { + _id: 'phone', + type: 'tel', + displayName: "Landline Number", + }, + { + _id: 'fax', + type: 'tel', + displayName: "Fax Number", + } +]); +``` + +#### Remove fields + +There is also a `removeField` method which can be used to remove predefined required fields and adding them again specify different options. + +```javascript +AccountsTemplates.removeField('password'); +AccountsTemplates.addField({ + _id: 'password', + type: 'password', + required: true, + minLength: 6, + re: /(?=.*\\d)(?=.*[a-z])(?=.*[A-Z]).{6,}/, + errStr: 'At least 1 digit, 1 lower-case and 1 upper-case', +}); +``` + +#### Login with Username or Email + +In order to let the user register with both a `username` and an `email` address and let him the possibility to log in using one of them, both the `username` and `email` fields must be added. +This is an example about how to configure such a behaviour: + +```javascript +var pwd = AccountsTemplates.removeField('password'); +AccountsTemplates.removeField('email'); +AccountsTemplates.addFields([ + { + _id: "username", + type: "text", + displayName: "username", + required: true, + minLength: 5, + }, + { + _id: 'email', + type: 'email', + required: true, + displayName: "email", + re: /.+@(.+){2,}\.(.+){2,}/, + errStr: 'Invalid email', + }, + pwd +]); +``` + +This will trigger the automatic insertion of the special field `username_and_email` to be used for the sign in form. +If you wish to further customize the `username_and_email` field you can add it together with the other two: + +```javascript +var pwd = AccountsTemplates.removeField('password'); +AccountsTemplates.removeField('email'); +AccountsTemplates.addFields([ + { + _id: "username", + type: "text", + displayName: "username", + required: true, + minLength: 5, + }, + { + _id: 'email', + type: 'email', + required: true, + displayName: "email", + re: /.+@(.+){2,}\.(.+){2,}/, + errStr: 'Invalid email', + }, + { + _id: 'username_and_email', + type: 'text', + required: true, + displayName: "Login", + }, + pwd +]); +``` + + +<a name="extending-templates"/> +### Extending Templates + +With the [aldeed:template-extension](https://github.com/aldeed/meteor-template-extension) package, the built-in templates or sub-templates of any `user-accounts` UI package may be replaced by custom templates. The purpose is to create more sophisticated or specialized layouts or styling. + +In case of input fields the option `template` (see [Form Fields Configuration](#form-fields-configuration)) can be directly used without the need to rely on `aldeed:template-extension` package. + +Here is a simple example of a template you can use for a field of type 'select': + +```html +<template name="customSelectTemplate"> + <select id="at-field-{{_id}}" name="at-field-{{_id}}" data-something="{{options.someOption}}"> + {{#each select}} + <option value="{{value}}">{{text}}</option> + {{/each}} + </select> +</template> +``` + +Custom properties that hold information about the look of the form may be attached to the `options` object of a field. It may then be used to change the output while looping the fields. Adding a divider might look like this: + +```javascript +AccountsTemplates.addField({ + _id: "address", + type: "text", + + // Options object with custom properties for my layout. At the moment, there are + // no special properties; it is up the developer to invent them + options: { + // Put a divider before this field + dividerBefore: true + } +}); +``` + +```html +<template name="appAtInput"> + {{#if options.dividerBefore}}<hr>{{/if}} + + {{> Template.dynamic template=templateName}} +</template> +``` + +```javascript +Template.appAtInput.replaces("atInput"); +``` + + +<a name="grouping-fields"/> +#### Grouping fields + +Grouping fields together is a special problem in regard to layout. The issue is creating some container markup *while* iterating over the fields (the templating engine of Meteor doesn't allow outputting an opening tag inside a loop without closing it in the same iteration). + +A solution to the problem is demonstrated in [this gist](https://gist.github.com/dalgard/a844f6569d8f471db9a7) (Semantic UI version). + + +<a name="css-rules"/> +### CSS Rules + +The main atForm is build up of several pieces, appearing and disappearing based on configuration options as well as the current internal status. +Each of these blocks is wrapped inside a `div` with class `at-<something>`: this should made your life easier if you're trying to write your own CSS rules to change templates' appearance. + +Social login buttons (`button.at-social-btn`) have an `id` in the form `at-<servicename>` and name `<servicename>`. + +Input fields for the password service form are wrapped inside a div with class `at-input`. The same div gets classes `has-error`, `has-success`, and `has-feedback` in case of negative validation result, positive validation and validation with feedback respectively. +The input element itself has id and name in the form `at-field-<field_id>`. +**Note:** `has-error`, `has-success`, and `has-feedback` names might change from framework to framework. These are valid for the *unstyled* and *bootstrap* versions... + + +Below is a html snapshot of an over-complete `atForm` taken from the unstyled version in which you can find all elements possibly shown under different configurations and circumstances. + +```html +<div class="at-form"> + <!-- Title --> + <div class="at-title"> + <h3>Create an Account</h3> + </div> + <!-- Social Buttons for Oauth Sign In / Sign Up--> + <div class="at-oauth"> + <button class="at-social-btn" id="at-facebook" name="facebook"> + <i class="fa fa-facebook"></i> Sign in with Facebook + </button> + <button class="at-social-btn" id="at-twitter" name="twitter"> + <i class="fa fa-twitter"></i> Sign in with Twitter + </button> + </div> + <!-- Services Separator --> + <div class="at-sep"> + <strong>OR</strong> + </div> + <!-- Global Error --> + <div class="at-error"> + <p>Login forbidden</p> + </div> + <!-- Global Resutl --> + <div class="at-result"> + <p>Email Sent!</p> + </div> + <!-- Password Service --> + <div class="at-pwd-form"> + <form role="form" id="at-pwd-form" novalidate=""> + <!-- Input --> + <div class="at-input"> + <label for="at-field-username"> + Username + </label> + <input type="text" id="at-field-username" name="at-field-username" placeholder="Username" autocapitalize="none" autocorrect="off"> + </div> + <!-- Input with Validation Error --> + <div class="at-input has-error"> + <label for="at-field-email"> + Email + </label> + <input type="email" id="at-field-email" name="at-field-email" placeholder="Email" autocapitalize="none" autocorrect="off"> + <span>Invalid email</span> + </div> + <!-- Input with Successful Validation --> + <div class="at-input has-success"> + <label for="at-field-password"> + Password + </label> + <input type="password" id="at-field-password" name="at-field-password" placeholder="Password" autocapitalize="none" autocorrect="off"> + </div> + <!-- Forgot Password Link --> + <div class="at-pwd-link"> + <p> + <a href="/forgot-password" id="at-forgotPwd" class="at-link at-pwd">Forgot your password?</a> + </p> + </div> + <!-- Form Submit Button --> + <button type="submit" class="at-btn submit disabled" id="at-btn"> + Register + </button> + </form> + </div> + <!-- Link to Sign In --> + <div class="at-signin-link"> + <p> + If you already have an account + <a href="/sign-in" id="at-signIn" class="at-link at-signin">sign in</a> + </p> + </div> + <!-- Link to Sign Up --> + <div class="at-signup-link"> + <p> + Don't have an account? + <a href="/sign-up" id="at-signUp" class="at-link at-signup">Register</a> + </p> + </div> + <!-- Link to Privacy Policy and Terms of use --> + <div class="at-terms-link"> + <p> + By clicking Register, you agree to our + <a href="/privacyPolicy">Privacy Policy</a> + and + <a href="/termsOfUse">Terms of Use</a> + </p> + </div> +</div> +``` + + + +<a name="wrapping-up-for-famo.us"/> +## Wrapping Up for Famo.us + +By simply typing + +```shell +meteor add useraccounts:famous-wrapper +``` + +you'll be able to turn your preferred flavour of accounts templates into a package ready to be used within a [famous-views](https://atmospherejs.com/gadicohen/famous-views) + [Famo.us](http://famo.us) application. + +This means you can get an animated version of the `atForm` template without any effort! :-) + +To learn how to make animations you might want to check the following links: + +* http://famous-views.meteor.com +* http://famous-views.meteor.com/examples/animate +* http://famo.us/university/lessons/#/famous-101/animating/1 +* http://famo.us/guides/layout +* http://famo.us/guides/animations +* http://famo.us/docs/modifiers/StateModifier +* http://famo.us/docs/transitions/Transitionable + +### configureAnimations + +...well, actually it might be that you don't like the default animations so you might consider to use `AccountsTemplates.configureAnimations` (provided by the wrapper...) to specify your custom animation functions. +This is an example showing how to do it: + +```javascript +var Transform; +var Easing; +if (Meteor.isClient){ + FView.ready(function(require) { + Transform = famous.core.Transform; + Easing = famous.transitions.Easing; + }); +} + +var slideLeftDestroy = function(fview){ + fview.modifier.setTransform( + Transform.translate(-$(window).width(),0), + { duration : 250, curve: Easing.easeOutSine }, + function() { fview.destroy();} + ); +}; + + +AccountsTemplates.configureAnimations({ + destroy: { + atSignupLink: slideLeftDestroy, + } +}); +``` + +this asks AT to use `slideLeftDestroy` to animate the template `atSignupLink` when it is to be destroyed. + +As you've just seen `configureAnimations` take an `options` object as parameter: + +```javascript +AccountsTemplates.configureAnimations(options); +``` + +this options object can have three different keys at the first level: + +```javascript +var options = { + render: { + // more stuff here... + }, + destroy: { + // more stuff here... + }, + state_change: { + // more stuff here... + }, + animQueueDelay: 100, + animQueueStartDelay: 200, + setStateDelay: 300, + +}; +AccountsTemplates.configureAnimations(options); +``` + +they are `render`, `destroy`, `state_change`, `animQueueDelay`, `animQueueStartDelay`, and `setStateDelay`. +The first three, what a surprise, they let you specify what to do when one of the templates building up the `atForm` is rendered, destroyed or when the form's state changes (respectively). + +...at the second level you can specify which animation has to be applied to which template: + +```javascript +var options = { + render: { + default: animA, + atTitle: animB, + atSocial: animC, + atSep: animC, + atError: animB, + atResult: animB, + atPwdForm: null, + atSigninLink: null, + atSignupLink: animB, + atTermsLink: animD, + }, + // ... +}; +``` + +the above one is the full list of available animated templates... +The value you specify can be `null` (to remove a default animation...) or a function. +If you specify a function it should be like the following: + +```javascript +var animFunc = function(fview){ + fview.modifier.setTransform( + Transform.<some_transform>( ... ), + { duration : <millisecs>, curve: Easing.<some_curve> } + ); +}; +``` + +the `fview` parameter actually let you access the famous view associated with the template (so feel free to do whatever you wish with it...). + +**Warning:** when you specify an animation to be used on `destroy` you must take care of the actual destroy! +...usually it is enough to call `fview.destroy()` when the animation completes: + +```javascript +var animFunc = function(fview){ + fview.modifier.setTransform( + Transform.<some_transform>( ... ), + { duration : <millisecs>, curve: Easing.<some_curve> }, + function(){ fview.destroy();} + ); +}; +``` + +**Warning2:** At the moment the animation for the state change is supposed to last for double the `setStateDelay` duration, and the state change is actually postponed by `setStateDelay` milliseconds. This let you divide your animation in two different part (so, e.g., you can hide things and show them again with the new content...). +The following is the default animations used on state change: + +```javascript +vFlip = function(fview){ + fview.modifier.setTransform( + Transform.rotate(Math.PI-0.05,0,0), + { + duration : AccountsTemplates.animations.setStateDelay, + curve: "easeIn", + }, + function() { + fview.modifier.setTransform( + Transform.rotate(-0.1,0,0), + { + duration : AccountsTemplates.animations.setStateDelay, + curve: "easeOut", + } + ); + } + ); +}; +``` + +and as you can see schedules two different animations, one after the another, lasting `setStateDelay` ms each. + + +### pushToAnimationQueue + +In case you're interested in sequence animation, AT also provides an experimental animation cue you can use to schedule your animation with a bit of delay between them. +To use it simply wrap the `modifier.setTransform` within an `AccountsTemplates.pushToAnimationQueue` call, like this: + +```jacascript +var fallFromTop = function(fview){ + fview.modifier.setTransform(Transform.translate(0, -$(window).height())); + AccountsTemplates.pushToAnimationQueue(function() { + fview.modifier.setTransform( + Transform.translate(0,0), + { duration : 450, curve: Easing.easeOutSine } + ); + }); +}; +``` + +the full signature for it is: + +```javascript +AccountsTemplates.pushToAnimationQueue(func, at_begin); +``` + +and if pass `true` for `at_begin`, the function will be pushed to the begin of the cue rather than at the end. + +The first animation is started after `animQueueStartDelay` milliseconds from the first insertion and a delay of `animQueueStartDelay` milliseconds is applied between start of animations (you can configure these two values with `configureAnimations` function as listed above...). + +And that's it! +Enjoy ;-) + + +<a name="side-notes"/> +## Side Notes + + +<a name="3rd-party-login-services-configuration"/> +### 3rd Party Login Services Configuration + +Normally, if you have not configured a social account with, e.g., + +```javascript +// Set up login services +Meteor.startup(function() { + // Add Facebook configuration entry + ServiceConfiguration.configurations.update( + { "service": "facebook" }, + { + $set: { + "appId": "XXXXXXXXXXXXXXX", + "secret": "XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX" + } + }, + { upsert: true } + ); + + // Add GitHub configuration entry + ServiceConfiguration.configurations.update( + { "service": "github" }, + { + $set: { + "clientId": "XXXXXXXXXXXXXXXXXXXX", + "secret": "XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX" + } + }, + { upsert: true } + ); +}); +``` + +3rd party login buttons are not shown. To allow display buttons with, e.g., 'Configure Foobook', simply add the packages `service-configuration` and `accounts-ui` with: + +```Shell +meteor add service-configuration +meteor add accounts-ui +``` + +**Warning**: At the moment the UI for service configuration is not supported and the one provided by `accounts-ui` will be shown! diff --git a/packages/meteor-useraccounts-core/History.md b/packages/meteor-useraccounts-core/History.md new file mode 100644 index 00000000..61bcfaf9 --- /dev/null +++ b/packages/meteor-useraccounts-core/History.md @@ -0,0 +1,353 @@ +## Master + +## v1.14.2 + +* [flow-routing] fixed dependency on kadira:flow-router: now using the last non-Meteor@1.3 one + +## v1.14.1 + +* fixed automatic update of weak dependencies on routing packages when publishing new versions + +## v1.14.0 + +* [bulma] *new* `useraccounts:bulma` package to get UI templates styled for [Bulma](http://bulma.io/) (thanks to @dominikmayer) +* [flow-routing] better error management (merged https://github.com/meteor-useraccounts/flow-routing/pull/23 thanks @stubailo) +* [flow-routing] added support for FlowRouter 3 (merged https://github.com/meteor-useraccounts/flow-routing/pull/26 thanks @timothyarmes) +* [foundation-sites] *new* `useraccounts:foundation-sites` package to get UI templates styled for [Foundation for Sites 6](http://foundation.zurb.com/sites.html) (thanks to @venetianthief) +* [materialize] Added row around recaptcha (thanks @qwIvan) +* some minor fixed to the Guide + +## v1.13.1 + +* added language support to recaptcha (fixed https://github.com/meteor-useraccounts/core/issues/561 tnx @canesin) +* fixed validation trigger for select inputs (see discussion within https://github.com/meteor-useraccounts/core/issues/569 tnx @cunneen) +* change default value for `focusFirstInput` to get it disabled when running on Cordova (see https://github.com/meteor-useraccounts/core/issues/594 tnx @derwaldgeist) +* fixed regression about reCaptcha reset due to https://github.com/meteor-useraccounts/core/pull/565 (merged https://github.com/meteor-useraccounts/core/pull/597 tnx @jebh) + +## v1.13.0 + +* [mdl] *new* `useraccounts:mdl` package to get UI templates styled for [Material Design Lite](http://www.getmdl.io/) (kudos to @kctang and @liquidautumn, thank you guys!). +* [flow-routing] added support for React-based layouts (merged https://github.com/meteor-useraccounts/flow-routing/pull/20 tnx @timothyarmes). +* [materialize] fixed offset problem for fullPageAtForm on medium screens. +* [materialize] fixed some margins (see https://github.com/meteor-useraccounts/materialize/issues/19). +* [iron-routing] fixed a problem with route paths (merged https://github.com/meteor-useraccounts/iron-routing/pull/8 tnx @trave7er). +* [core] updated dependency to softwarerero:accounts-t9n@1.1.7 +* [core] fixed a bug with reCaptcha (merged https://github.com/meteor-useraccounts/core/pull/565 tnx @scsirdx). +* [core] added missing dependency on JQuery (merged https://github.com/meteor-useraccounts/core/pull/574 tnx @stubailo). +* [core] added postSignUpHook hook to let people modify newly created user objects (merged https://github.com/meteor-useraccounts/core/pull/586 tnx @shwaydogg) +* added [Meteor Icon](http://www.getmdl.io/) badges to all packages' README file. + +## v1.12.4 + +* fixed input element classes for `useraccounts:materialize` (see https://github.com/meteor-useraccounts/materialize/pull/18) +* fixed query parameters look-up for `useraccounts:iron-routing` +* updated `useraccounts:polymer` to use Polimer 1.0 (see updated [boilerplate](https://github.com/meteor-useraccounts/boilerplates/tree/master/polymer) with some instructions for Meteor 1.2) +* updates and fixes for `useraccounts:flow-rounting` (see https://github.com/meteor-useraccounts/flow-routing/issues/12) +* improoved css for `useraccounts:semantic-ui` +* disallowed use of `signUp` state in case `forbidClientAccountCreation` is set (see #547) +* updated dependency on softwarerero:accounts-t9n to version 1.1.4 +* a bit of linting here and there... +* a few typos correction and improvements to the [Guide](https://github.com/meteor-useraccounts/core/blob/master/Guide.md) + +## v1.12.3 + +* fixed radio buttons for useraccounts:materialize (see https://github.com/meteor-useraccounts/core/issues/421) +* fixed query parameters pick up for useraccounts:iron-routing (see meteor-useraccounts/core#367) +* corrected few typos within the docs and removed unnecessary debug log + +## v1.12.2 + +* various fixes and a bit of clean up for `useraccounts:flow-routing` + + +## v1.12.1 + +* fixed inifinite redirect loop for `ensuredSignedIn` within `useraccounts:flow-routing` (see https://github.com/meteor-useraccounts/flow-routing/issues/2) + + +## v1.12.0 + +* removed routing support from core: refer to [useraccounts:iron-routing](https://github.com/meteor-useraccounts/iron-routing) and [useraccounts:flow-routing](https://github.com/meteor-useraccounts/flow-routing) packages to get some ;-) +* added template level content protection (see new [Content Protection](https://github.com/meteor-useraccounts/core/blob/master/Guide.md#content-protection) section) +* updated `useraccounts:semantic-ui` to SUI v2.0 (thanks @lumatijev) +* `displayName` configuration option for form fields now accepts also functions +* added the `focusFirstInput` configuration option +* fixed many typos and added/removed some sections in the Guide + + +## v1.11.1 + +* fixes for #410, #411, and #413 +* Added a section about available internal states to the Guide (see [Internal States](https://github.com/meteor-useraccounts/core/blob/master/Guide.md#internal-states) + + +## v1.11.0 + +* change `profile.username` to `profile.name` when using `lowercaseUsername` options (WARNING! this is a bit of a breaking change, see #388) +* removed possibly annoying warning (see #398) +* added a `preSignUpHook` to be possibly used to enrich the user profile just before new user registration (see #400) +* route configuration now accepts additional parameters to be passed to IR (see #409) +* some improvements to the docs + +## v1.10.0 + +* more customizable texts (see 7d166b74f111e05b22ef2c7d93908441e242350d) +* added autofocus for the first input field of `atPwdForm`. +* fixed some texts configuration capability (see #380) +* various corrections/improvements to the docs +* allowed for `field.setError` to take in Boolean values (see #361) +* fixed bug with `Must be logged in` error message shown after sign out (see #321) + +## v1.9.1 + +* aligned `useraccounts:unstyled` with the latest PRs + +## v1.9.0 + +* resend verification email (see #349, thanks @dalgard) +* allow for a neutral message text to be displayed (see #314 and #317, thanks @dalgard) +* more configurable error texts (see [Errors Text](https://github.com/meteor-useraccounts/core/blob/master/Guide.md#errors-text), plus #301 #342) +* fixed little redirect bug (see #315) +* added title configuration for `verifyEmail` state plus letting titles to be hidden by + setting the corresponding text to an empy string (see [Form Title](https://github.com/meteor-useraccounts/core/blob/master/Guide.md#form-title)) + +## v1.8.1 + +* made (a fake) `ensureSignedIn` plugin available also on server side code (fixed #291) + +## v1.8.0 + +* added `lowercaseUsername` configuration option (see [Configuration API Options](https://github.com/meteor-useraccounts/core/blob/master/Guide.md#options)) +* added `ensureSignedIn` plugin for Iron Router (see [Content Protection](https://github.com/meteor-useraccounts/core/blob/master/Guide.md#content-protection)) +* fixed `ensureSignedIn` regression (see #286) + +## v1.7.1 + +* fixed routing regression (see #284) +* removed useless logs + +## v1.7.0 + +* `useraccounts:materialize` to the suite! (Many thanks to @Kestanous!!!) +* fixed glitch within `ensureSignedIn` (see #278) +* added experimental support for [reChaptcha](https://www.google.com/recaptcha/intro/index.html) (see #268 and [reCaptcha Setup](https://github.com/meteor-useraccounts/core/blob/master/Guide.md#recaptcha-setup), great work @theplatapi!) +* new `template` option for deeper input fields customization (see #273 and [Form Fields Configuration](https://github.com/meteor-useraccounts/core/blob/master/Guide.md#form-fields-configuration)) +* prevent access to `atChangePwd` for users not being logged in (see #207) +* use `Meteor.userID()` in place of `Meteor.user()` where possible to reduce reactive re-computations +* fixed bug with timed out redirects (see #263) +* fixed reactivity bug within `ensureSignedIn` (see #262) +* removed warning about MAIL_URL not being configured (see #267, #210) +* better `atNavButton` behaviour (see #265 tnx @adrianmc) + +## v1.6.1 + +* updated deps for iron:router and softwarerero:accounts-t9n to latest versions + +## v1.6.0 + +* moved the documentation to a separate file: [Guide](https://github.com/meteor-useraccounts/core/blob/master/Guide.md) +* fixed bug about calling `sibmitHook` (see #249 #252 tnx @dalgard) +* new `options` for field configuration (see #250 and [Extending Templates](https://github.com/meteor-useraccounts/core/blob/master/Guide.md#extending-templates) tnx @dalgard) +* a bit of cleanup for docs (see #251 tnx @dalgard) +* capitalazed default value for display name and placeholder (see #247) +* switch to official `Accounts._hasPassword` (see [this](https://github.com/meteor/meteor/pull/2271) and [this](https://github.com/meteor/meteor/pull/3410), tnx @glasser) +* more sites using useraccounts: congrats to @nate-strauser and @msamoylov on their launches! (see [the list](https://github.com/meteor-useraccounts/core#whos-using-this)) +* new landing page for the whole project and new live examples (still to be further improoved...) :) (see [useraccounts.meteor.com](https://useraccounts.meteor.com)) +* added `transform` among the options for [field configuration](https://github.com/meteor-useraccounts/core/blob/master/Guide.md#form-fields-configuration) +* better behaviour for input value tranform/fix +* terms and agreements now showed also on enrollment form (see #253) +* link to singIn now shown also on forgot password form in case `forbidClientAccountCreation` is set to true (partial solution to #229) +* moved terms and agreements link right after the submit button (see #239) + +## v1.5.0 + +* added `useraccounts:polymer` to the suite! (WIP, Thanks @kevohagan!!!) +* fixed a bug with atVerifyEmail route (see #241 and #173) +* little docs improovements + +## v1.4.1 + +* updated dependency to softwarerero:accounts-t9n@1.0.5 to include Turkish language +* fixed `{{> atForm state='<state>'}}` which was no more working with Meteor@1.0.2 (see #217) +* fixed some text configuration (see #209, thanks @bumbleblym) +* fixed some typos into the docs (see #208, thanks @bumbleblym) + +## v1.4.0 + +* added `useraccounts:ionic` to the suite! (Thanks @nickw!!!) +* updated `useraccounts:semantic-ui` to SemanticUI@1.0.0 (Thanks @lumatijev!!!) +* added `onLogoutHook` to be able to run code (custom redirects?) on `AccountsTemplates.logout` (see #191) +* added `onSubmitHook` among configuration parameters to be able to run code on form submission (might be useful for modals! see #201 and #180) +* submission button get now disabled also during fields (asynchronous) validation +* `enforceEmailVerification` now works also with username login (fixed #196) +* better IE compatibility (see #199) +* better input field validation flows to recover from previous errors (see #177) +* updated dependency to softwarerero:accounts-t9n@1.0.4 +* new [Contributing section](https://github.com/meteor-useraccounts/core#contributing) among docs +* a few improvements and typo fixes for README.md + +## v1.3.2 / 2014/11/25 + +* more robust logout pattern when dealing with routes protected with ensureSigndIn + +## v1.3.1 / 2014/11/25 + +* updated dependency to iron:router@1.0.3 +* fixed bug in linkClick (see #170) +* fixed bug in configureRoute + +## v1.3.0 / 2014/11/23 + +* added support for [Ratchet](http://goratchet.com/): see [useraccounts:ratchet](https://atmospherejs.com/useraccounts/ratchet). Note: form validation is currently not supported by Ratchet! +* fixed bug in custom validation flow +* better default validation for `email` field (see #156) +* few corrections inside docs +* added `ensuredSignedIn` among configurable routes so that different `template` and `layoutTemplate` can be specified (fix for #160 and #98) +* added `socialLoginStyle` among the configuration options to select the login flow (`popup` or `redirect`) for 3rd party login services (see #163) +* fixed bug about fields ordering + +## v1.2.3 / 2014/11/13 + +* put back in a `init` method dispalying a warning to preserve backward compatibility... + +## v1.2.2 / 2014/11/12 + +* fixed bad redirect for cheange password route (see #154) + +## v1.2.1 / 2014/11/12 + +* fixed regression due reactivity problems after fix for #139 + +## v1.2.0 / 2014/11/12 + +* **breaking change:** removed the need to call `Accounts.init()` +* added support for fields' validating state to display a 'loading' icon +* added support for fields' icon configuration +* added support for social buttons' icon configuration (see [this](https://github.com/meteor-useraccounts/core#social-button-icons) new section) +* added support for `meteor-developer` oauth service (see #147) +* fixed (special) fields ordering, see #144 +* fixed ensureSignedIn (see #152) +* removed `new_password` and `new_password_again` special fields, simply use `password` and `password_again` from now on! +* better redirect behaviour when a logged in user lands on a sign-in/sign-up page: usual redirect is now performed. (see #139) +* better field validation patterns... +* updated dependency to irou:router@1.0.1 +* updated dependency to softwarerero:accounts-t9n@1.0.2 +* corrected many errors and typos inside the Documentation + +## v1.1.1 +## v1.1.0 + +* fixed `atNavButton` for useraccounts:unstyled +* fixed variour names and links in README files + +## v1.1.0 + +* new template `atNavButton` +* added methos `AccountsTemplates.logout()` which redirects back to `homeRoutePath` when configured +* support for hidden fields +* url query parameters loaded into input fields -> useful mostly for hidden fields ;-) +* granted full control over field ordering (except for special fields...). see #135 +* fixes for #130, #132 + +## v1.0.1 + +* fixed link to git repositories inside package.js files + +## v1.0.0 + +* new names: no more splendido:accounts-templates:<somethig> but useraccounts:<somethig> ! +* updated iron:router to v1.0.0 + +## v0.11.0 + +* added support for checkbox, select, and radio inputs +* added defaultState as referred in #125 +* fixes for #127 + +## v0.10.0 + +* better texts configuration API (as for #117) +* prevPath fix + + +## v0.9.16 + +* updated iron:router to v0.9.4 + +## v0.9.15 + +* fixed #110 + +## v0.9.14 + +* fixed some redirection problems connected with `ensureSignedIn` + +## v0.9.13 + +* experimental implementation for forbidding access with unverified email (see #108) through configuration flag `enforceEmailVerification` +* added options to hide links: hideSignInLink, hideSignUpLink +* fixed #107 + +## v0.9.12 + +* fixed #109 + +## v0.9.11 + +* better submit button disabling when no negative feedback is used +* fixed #105 + +## v0.9.10 + +* added `defaultLayout` to configuration options +* new callback parameter to `setState` +* better rendering behaviour on `ensureSignedIn` + +## v0.9.9 + +* Fixed links for `reset-password`, `enroll-account`, and `verify-email` + +## v0.9.8 + +* fixed checks for login services (see #93) +* minor updates to docs + +## v0.9.7 + +* fixed #92, to permit the use of, e.g., `{{> atForm state="changePwd"}}` ( see [docs](https://github.com/splendido/accounts-templates-core#templates)) + +## v0.9.6 + +* fixed #91, pwdForm submission on signin page has no effect unless both password and usename/email are not empty + +## v0.9.5 + +* show title on sign in also with other services +* moved sign in link below pwd form +* removed sign in link from forgot-pwd page (sign up link is still there!) +* added class at-btn to submit button +* added class at-signin to sign in link +* added class at-signup to sign up link +* added class at-pwd to forgot password link +* accounts-t9n dependency updated to @1.0.0 + +## v0.9.4 + + +## Older versions (to be written) + +* Fixes for #19, #24, #25, #26 +* layoutTemplate option +* Better signup flow, with proper server side validation! +* Fixes for #15, and #16 +* Do not show validation errors during sign in +* Do not show sign up link when account creation is disabled +* Better use of UnderscoreJS +* Corrected documentation for showAddRemoveServices + +## v0.0.9 + +* added configuration parameter [`showAddRemoveServices`](https://github.com/splendido/accounts-templates-core#appearance) +* Fix ensureSignedIn for drawing correct template + +## v0.0.8 diff --git a/packages/meteor-useraccounts-core/LICENSE.md b/packages/meteor-useraccounts-core/LICENSE.md new file mode 100644 index 00000000..aba77efb --- /dev/null +++ b/packages/meteor-useraccounts-core/LICENSE.md @@ -0,0 +1,20 @@ +The MIT License (MIT) + +Copyright (c) 2014 [@splendido](https://github.com/splendido) + +Permission is hereby granted, free of charge, to any person obtaining a copy of +this software and associated documentation files (the "Software"), to deal in +the Software without restriction, including without limitation the rights to +use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of +the Software, and to permit persons to whom the Software is furnished to do so, +subject to the following conditions: + +The above copyright notice and this permission notice shall be included in all +copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS +FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR +COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER +IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN +CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. diff --git a/packages/meteor-useraccounts-core/README.md b/packages/meteor-useraccounts-core/README.md new file mode 100644 index 00000000..cc8d0bf8 --- /dev/null +++ b/packages/meteor-useraccounts-core/README.md @@ -0,0 +1,104 @@ +[![Meteor Icon](http://icon.meteor.com/package/useraccounts:core)](https://atmospherejs.com/useraccounts/core) +[![Build Status](https://travis-ci.org/meteor-useraccounts/core.svg?branch=master)](https://travis-ci.org/meteor-useraccounts/core) + +# User Accounts + +User Accounts is a suite of packages for the [Meteor.js](https://www.meteor.com/) platform. It provides highly customizable user accounts UI templates for many different front-end frameworks. At the moment it includes forms for sign in, sign up, forgot password, reset password, change password, enroll account, and link or remove of many 3rd party services. + +## Some Details + +The package `useraccounts:core` contains all the core logic and templates' helpers and events used by dependant packages providing styled versions of the accounts UI. +This means that developing a version of the UI with a different styling is just a matter of writing a few dozen of html lines, nothing more! + +Thanks to [accounts-t9n](https://github.com/softwarerero/meteor-accounts-t9n) you can switch to your preferred language on the fly! Available languages are now: Arabic, Czech, French, German, Italian, Polish, Portuguese, Russian, Slovenian, Spanish, Swedish, Turkish and Vietnamese. + +For basic routing and content protection, `useraccounts:core` integrates with either [flow-router](https://github.com/meteor-useraccounts/flow-routing) or [iron-router](https://atmospherejs.com/package/iron-router). + +Any comments, suggestions, testing efforts, and PRs are very very welcome! Please use the [repository](https://github.com/meteor-useraccounts/ui) issues tracker for reporting bugs, problems, ideas, discussions, etc.. + +## The UserAccounts Guide +Detailed explanations of features and configuration options can be found in the <a href="https://github.com/meteor-useraccounts/core/blob/master/Guide.md" target="_blank">Guide</a>. + +## Who's using this? + +* [Abesea](https://abesea.com/) +* [backspace.academy](http://backspace.academy/) +* [bootstrappers.io](http://www.bootstrappers.io/) +* [crater.io](http://crater.io/) +* [Dechiper Chinese](http://app.decipherchinese.com/) +* [Henfood](http://labs.henesis.eu/henfood) +* [meteorgigs.io](https://www.meteorgigs.io/) +* [Orion](http://orionjs.org/) +* [Telescope](http://www.telesc.pe/) +* [We Work Meteor](http://www.weworkmeteor.com/) + + +Aren't you on the list?! +If you have a production app using accounts templates, let me know! I'd like to add your link to the above ones. + +## Contributing +Contributors are very welcome. There are many things you can help with, +including finding and fixing bugs and creating examples for the brand new [wiki](https://github.com/meteor-useraccounts/wiki). +We're also working on `useraccounts@2.0` (see the [Milestone](https://github.com/meteor-useraccounts/core/milestones)) so you can also help +with an improved design or adding features. + +Some guidelines below: + +* **Questions**: Please create a new issue and label it as a `question`. + +* **New Features**: If you'd like to work on a feature, + start by creating a 'Feature Design: Title' issue. This will let people bat it + around a bit before you send a full blown pull request. Also, you can create + an issue to discuss a design even if you won't be working on it. + +* **Bugs**: If you think you found a bug, please create a "reproduction." This is a small project that demonstrates the problem as concisely as possible. If you think the bug can be reproduced with only a few steps a description by words might be enough though. The project should be cloneable from Github. Any bug reports without a reproduction that don't have an obvious solution will be marked as "awaiting-reproduction" and closed after a bit of time. + +### Working Locally +This is useful if you're contributing code to useraccounts or just trying to modify something to suit your own specific needs. + +##### Scenario A + +1. Set up a local packages folder +2. Add the PACKAGE_DIRS environment variable to your .bashrc file + - Example: `export PACKAGE_DIRS="/full/path/topackages/folder"` + - Screencast: https://www.eventedmind.com/posts/meteor-versioning-and-packages +3. Clone the repository into your local packages directory +4. Add the package just like any other meteor core package like this: `meteor + add useraccounts:unstyled` + +```bash +> cd /full/path/topackages/folder +> git clone https://github.com/meteor-useraccounts/semantic-ui.git +> cd your/project/path +> meteor add useraccounts:semantic-ui +> meteor +``` + +##### Scenario B + +Like Scenario A, but skipping point 2. +Add the official package as usual with `meteor add useraccounts:semantic-ui` but then run your project like this: + +```bash +> PACKAGE_DIRS="/full/path/topackages/folder" meteor +``` + +##### Scenario C + +```bash +> cd your/project/path +> mkdir packages && cd packages +> git clone https://github.com/meteor-useraccounts/semantic-ui.git +> cd .. +> meteor add useraccounts:semantic-ui +> meteor +``` + + +## Thanks + +Anyone is welcome to contribute. Fork, make your changes, and then submit a pull request. + +Thanks to [all those who have contributed code changes](https://github.com/meteor-useraccounts/ui/graphs/contributors) and all who have helped by submitting bug reports and feature ideas. + +[![Support via Gittip](https://rawgithub.com/twolfson/gittip-badge/0.2.0/dist/gittip.png)](https://www.gittip.com/splendido/) diff --git a/packages/meteor-useraccounts-core/lib/client.js b/packages/meteor-useraccounts-core/lib/client.js new file mode 100644 index 00000000..31c9db74 --- /dev/null +++ b/packages/meteor-useraccounts-core/lib/client.js @@ -0,0 +1,464 @@ +/* global + AT: false +*/ +"use strict"; + +// Allowed Internal (client-side) States +AT.prototype.STATES = [ + "changePwd", // Change Password + "enrollAccount", // Account Enrollment + "forgotPwd", // Forgot Password + "hide", // Nothing displayed + "resetPwd", // Reset Password + "signIn", // Sign In + "signUp", // Sign Up + "verifyEmail", // Email verification + "resendVerificationEmail", // Resend verification email +]; + +AT.prototype._loginType = ""; + +// Flag telling whether the whole form should appear disabled +AT.prototype._disabled = false; + +// State validation +AT.prototype._isValidState = function(value) { + return _.contains(this.STATES, value); +}; + +// Flags used to avoid clearing errors and redirecting to previous route when +// signing in/up as a results of a call to ensureSignedIn +AT.prototype.avoidRedirect = false; +AT.prototype.avoidClearError = false; + +// Token to be provided for routes like reset-password and enroll-account +AT.prototype.paramToken = null; + +AT.prototype.loginType = function () { + return this._loginType; +}; + +AT.prototype.getparamToken = function() { + return this.paramToken; +}; + +// Getter for current state +AT.prototype.getState = function() { + return this.state.form.get("state"); +}; + +// Getter for disabled state +AT.prototype.disabled = function() { + return this.state.form.equals("disabled", true) ? "disabled" : undefined; +}; + +// Setter for disabled state +AT.prototype.setDisabled = function(value) { + check(value, Boolean); + return this.state.form.set("disabled", value); +}; + +// Setter for current state +AT.prototype.setState = function(state, callback) { + check(state, String); + + if (!this._isValidState(state) || (this.options.forbidClientAccountCreation && state === 'signUp')) { + throw new Meteor.Error(500, "Internal server error", "accounts-templates-core package got an invalid state value!"); + } + + this.state.form.set("state", state); + if (!this.avoidClearError) { + this.clearState(); + } + this.avoidClearError = false; + + if (_.isFunction(callback)) { + callback(); + } +}; + +AT.prototype.clearState = function() { + _.each(this._fields, function(field) { + field.clearStatus(); + }); + + var form = this.state.form; + + form.set("error", null); + form.set("result", null); + form.set("message", null); + + AccountsTemplates.setDisabled(false); +}; + +AT.prototype.clearError = function() { + this.state.form.set("error", null); +}; + +AT.prototype.clearResult = function() { + this.state.form.set("result", null); +}; + +AT.prototype.clearMessage = function() { + this.state.form.set("message", null); +}; + +// Initialization +AT.prototype.init = function() { + console.warn("[AccountsTemplates] There is no more need to call AccountsTemplates.init()! Simply remove the call ;-)"); +}; + +AT.prototype._init = function() { + if (this._initialized) { + return; + } + + var usernamePresent = this.hasField("username"); + var emailPresent = this.hasField("email"); + + if (usernamePresent && emailPresent) { + this._loginType = "username_and_email"; + } else { + this._loginType = usernamePresent ? "username" : "email"; + } + + if (this._loginType === "username_and_email") { + // Possibly adds the field username_and_email in case + // it was not configured + if (!this.hasField("username_and_email")) { + this.addField({ + _id: "username_and_email", + type: "text", + displayName: "usernameOrEmail", + placeholder: "usernameOrEmail", + required: true, + }); + } + } + + // Only in case password confirmation is required + if (this.options.confirmPassword) { + // Possibly adds the field password_again in case + // it was not configured + if (!this.hasField("password_again")) { + var pwdAgain = _.clone(this.getField("password")); + + pwdAgain._id = "password_again"; + pwdAgain.displayName = { + "default": "passwordAgain", + changePwd: "newPasswordAgain", + resetPwd: "newPasswordAgain", + }; + pwdAgain.placeholder = { + "default": "passwordAgain", + changePwd: "newPasswordAgain", + resetPwd: "newPasswordAgain", + }; + this.addField(pwdAgain); + } + } else { + if (this.hasField("password_again")) { + throw new Error("AccountsTemplates: a field password_again was added but confirmPassword is set to false!"); + } + } + + // Possibly adds the field current_password in case + // it was not configured + if (this.options.enablePasswordChange) { + if (!this.hasField("current_password")) { + this.addField({ + _id: "current_password", + type: "password", + displayName: "currentPassword", + placeholder: "currentPassword", + required: true, + }); + } + } + + // Ensuser the right order of special fields + var moveFieldAfter = function(fieldName, referenceFieldName) { + var fieldIds = AccountsTemplates.getFieldIds(); + var refFieldId = _.indexOf(fieldIds, referenceFieldName); + // In case the reference field is not present, just return... + if (refFieldId === -1) { + return; + } + + var fieldId = _.indexOf(fieldIds, fieldName); + // In case the sought field is not present, just return... + if (fieldId === -1) { + return; + } + + if (fieldId !== -1 && fieldId !== (refFieldId + 1)) { + // removes the field + var field = AccountsTemplates._fields.splice(fieldId, 1)[0]; + // push the field right after the reference field position + var newFieldIds = AccountsTemplates.getFieldIds(); + var newReferenceFieldId = _.indexOf(newFieldIds, referenceFieldName); + AccountsTemplates._fields.splice(newReferenceFieldId + 1, 0, field); + } + }; + + // Ensuser the right order of special fields + var moveFieldBefore = function(fieldName, referenceFieldName) { + var fieldIds = AccountsTemplates.getFieldIds(); + var refFieldId = _.indexOf(fieldIds, referenceFieldName); + // In case the reference field is not present, just return... + if (refFieldId === -1) { + return; + } + + var fieldId = _.indexOf(fieldIds, fieldName); + // In case the sought field is not present, just return... + if (fieldId === -1) { + return; + } + + if (fieldId !== -1 && fieldId !== (refFieldId - 1)) { + // removes the field + var field = AccountsTemplates._fields.splice(fieldId, 1)[0]; + // push the field right after the reference field position + var newFieldIds = AccountsTemplates.getFieldIds(); + var newReferenceFieldId = _.indexOf(newFieldIds, referenceFieldName); + AccountsTemplates._fields.splice(newReferenceFieldId, 0, field); + } + }; + + // The final order should be something like: + // - username + // - email + // - username_and_email + // - password + // - password_again + // + // ...so lets do it in reverse order... + moveFieldAfter("username_and_email", "username"); + moveFieldAfter("username_and_email", "email"); + moveFieldBefore("current_password", "password"); + moveFieldAfter("password", "current_password"); + moveFieldAfter("password_again", "password"); + + + // Sets visibility condition and validation flags for each field + var gPositiveValidation = !!AccountsTemplates.options.positiveValidation; + var gNegativeValidation = !!AccountsTemplates.options.negativeValidation; + var gShowValidating = !!AccountsTemplates.options.showValidating; + var gContinuousValidation = !!AccountsTemplates.options.continuousValidation; + var gNegativeFeedback = !!AccountsTemplates.options.negativeFeedback; + var gPositiveFeedback = !!AccountsTemplates.options.positiveFeedback; + + _.each(this._fields, function(field) { + // Visibility + switch(field._id) { + case "current_password": + field.visible = ["changePwd"]; + break; + case "email": + field.visible = ["forgotPwd", "signUp", "resendVerificationEmail"]; + if (AccountsTemplates.loginType() === "email") { + field.visible.push("signIn"); + } + break; + case "password": + field.visible = ["changePwd", "enrollAccount", "resetPwd", "signIn", "signUp"]; + break; + case "password_again": + field.visible = ["changePwd", "enrollAccount", "resetPwd", "signUp"]; + break; + case "username": + field.visible = ["signUp"]; + if (AccountsTemplates.loginType() === "username") { + field.visible.push("signIn"); + } + break; + case "username_and_email": + field.visible = []; + if (AccountsTemplates.loginType() === "username_and_email") { + field.visible.push("signIn"); + } + break; + default: + field.visible = ["signUp"]; + } + + // Validation + var positiveValidation = field.positiveValidation; + if (_.isUndefined(positiveValidation)) { + field.positiveValidation = gPositiveValidation; + } + + var negativeValidation = field.negativeValidation; + if (_.isUndefined(negativeValidation)) { + field.negativeValidation = gNegativeValidation; + } + + field.validation = field.positiveValidation || field.negativeValidation; + if (_.isUndefined(field.continuousValidation)) { + field.continuousValidation = gContinuousValidation; + } + + field.continuousValidation = field.validation && field.continuousValidation; + if (_.isUndefined(field.negativeFeedback)) { + field.negativeFeedback = gNegativeFeedback; + } + + if (_.isUndefined(field.positiveFeedback)) { + field.positiveFeedback = gPositiveFeedback; + } + + field.feedback = field.negativeFeedback || field.positiveFeedback; + // Validating icon + var showValidating = field.showValidating; + if (_.isUndefined(showValidating)) { + field.showValidating = gShowValidating; + } + + // Custom Template + if (field.template) { + if (field.template in Template) { + Template[field.template].helpers(AccountsTemplates.atInputHelpers); + } else { + console.warn( + "[UserAccounts] Warning no template " + field.template + " found!" + ); + } + } + }); + + // Initializes reactive states + var form = new ReactiveDict(); + + form.set("disabled", false); + form.set("state", "signIn"); + form.set("result", null); + form.set("error", null); + form.set("message", null); + this.state = { + form: form, + }; + + // Possibly subscribes to extended user data (to get the list of registered services...) + if (this.options.showAddRemoveServices) { + Meteor.subscribe("userRegisteredServices"); + } + + //Check that reCaptcha site keys are available and no secret keys visible + if (this.options.showReCaptcha) { + var atSiteKey = null; + var atSecretKey = null; + var settingsSiteKey = null; + var settingsSecretKey = null; + + if (AccountsTemplates.options.reCaptcha) { + atSiteKey = AccountsTemplates.options.reCaptcha.siteKey; + atSecretKey = AccountsTemplates.options.reCaptcha.secretKey; + } + + if (Meteor.settings && Meteor.settings.public && Meteor.settings.public.reCaptcha) { + settingsSiteKey = Meteor.settings.public.reCaptcha.siteKey; + settingsSecretKey = Meteor.settings.public.reCaptcha.secretKey; + } + + if (atSecretKey || settingsSecretKey) { + //erase the secret key + if (atSecretKey) { + AccountsTemplates.options.reCaptcha.secretKey = null; + } + + if (settingsSecretKey) { + Meteor.settings.public.reCaptcha.secretKey = null; + } + + var loc = atSecretKey ? "User Accounts configuration!" : "Meteor settings!"; + throw new Meteor.Error(401, "User Accounts: DANGER - reCaptcha private key leaked to client from " + loc + + " Provide the key in server settings ONLY."); + } + + if (!atSiteKey && !settingsSiteKey) { + throw new Meteor.Error(401, "User Accounts: reCaptcha site key not found! Please provide it or set showReCaptcha to false."); + } + } + + // Marks AccountsTemplates as initialized + this._initialized = true; +}; + +AT.prototype.linkClick = function(route) { + if (AccountsTemplates.disabled()) { + return; + } + + AccountsTemplates.setState(route); + + if (AccountsTemplates.options.focusFirstInput) { + var firstVisibleInput = _.find(this.getFields(), function(f) { + return _.contains(f.visible, route); + }); + + if (firstVisibleInput) { + $("input#at-field-" + firstVisibleInput._id).focus(); + } + } +}; + +AT.prototype.logout = function() { + var onLogoutHook = AccountsTemplates.options.onLogoutHook; + + Meteor.logout(function() { + if (onLogoutHook) { + onLogoutHook(); + } + }); +}; + +AT.prototype.submitCallback = function(error, state, onSuccess) { + var onSubmitHook = AccountsTemplates.options.onSubmitHook; + + if (onSubmitHook) { + onSubmitHook(error, state); + } + + if (error) { + if (_.isObject(error.details)) { + // If error.details is an object, we may try to set fields errors from it + _.each(error.details, function(error, fieldId) { + AccountsTemplates.getField(fieldId).setError(error); + }); + } else { + var err = "error.accounts.Unknown error"; + + if (error.reason) { + err = error.reason; + } + + if (err.substring(0, 15) !== "error.accounts.") { + err = "error.accounts." + err; + } + + AccountsTemplates.state.form.set("error", [err]); + } + + AccountsTemplates.setDisabled(false); + // Possibly resets reCaptcha form + if (state === "signUp" && AccountsTemplates.options.showReCaptcha) { + grecaptcha.reset(); + } + } else { + if (onSuccess) { + onSuccess(); + } + + if (state) { + AccountsTemplates.setDisabled(false); + } + } +}; + +AccountsTemplates = new AT(); + +// Initialization +Meteor.startup(function() { + AccountsTemplates._init(); +}); diff --git a/packages/meteor-useraccounts-core/lib/core.js b/packages/meteor-useraccounts-core/lib/core.js new file mode 100644 index 00000000..1c7bc07a --- /dev/null +++ b/packages/meteor-useraccounts-core/lib/core.js @@ -0,0 +1,593 @@ +// --------------------------------------------------------------------------------- +// Patterns for methods" parameters +// --------------------------------------------------------------------------------- + +STATE_PAT = { + changePwd: Match.Optional(String), + enrollAccount: Match.Optional(String), + forgotPwd: Match.Optional(String), + resetPwd: Match.Optional(String), + signIn: Match.Optional(String), + signUp: Match.Optional(String), + verifyEmail: Match.Optional(String), + resendVerificationEmail: Match.Optional(String), +}; + +ERRORS_PAT = { + accountsCreationDisabled: Match.Optional(String), + cannotRemoveService: Match.Optional(String), + captchaVerification: Match.Optional(String), + loginForbidden: Match.Optional(String), + mustBeLoggedIn: Match.Optional(String), + pwdMismatch: Match.Optional(String), + validationErrors: Match.Optional(String), + verifyEmailFirst: Match.Optional(String), +}; + +INFO_PAT = { + emailSent: Match.Optional(String), + emailVerified: Match.Optional(String), + pwdChanged: Match.Optional(String), + pwdReset: Match.Optional(String), + pwdSet: Match.Optional(String), + signUpVerifyEmail: Match.Optional(String), + verificationEmailSent: Match.Optional(String), +}; + +INPUT_ICONS_PAT = { + hasError: Match.Optional(String), + hasSuccess: Match.Optional(String), + isValidating: Match.Optional(String), +}; + +ObjWithStringValues = Match.Where(function (x) { + check(x, Object); + _.each(_.values(x), function(value) { + check(value, String); + }); + return true; +}); + +TEXTS_PAT = { + button: Match.Optional(STATE_PAT), + errors: Match.Optional(ERRORS_PAT), + info: Match.Optional(INFO_PAT), + inputIcons: Match.Optional(INPUT_ICONS_PAT), + maxAllowedLength: Match.Optional(String), + minRequiredLength: Match.Optional(String), + navSignIn: Match.Optional(String), + navSignOut: Match.Optional(String), + optionalField: Match.Optional(String), + pwdLink_link: Match.Optional(String), + pwdLink_pre: Match.Optional(String), + pwdLink_suff: Match.Optional(String), + requiredField: Match.Optional(String), + resendVerificationEmailLink_pre: Match.Optional(String), + resendVerificationEmailLink_link: Match.Optional(String), + resendVerificationEmailLink_suff: Match.Optional(String), + sep: Match.Optional(String), + signInLink_link: Match.Optional(String), + signInLink_pre: Match.Optional(String), + signInLink_suff: Match.Optional(String), + signUpLink_link: Match.Optional(String), + signUpLink_pre: Match.Optional(String), + signUpLink_suff: Match.Optional(String), + socialAdd: Match.Optional(String), + socialConfigure: Match.Optional(String), + socialIcons: Match.Optional(ObjWithStringValues), + socialRemove: Match.Optional(String), + socialSignIn: Match.Optional(String), + socialSignUp: Match.Optional(String), + socialWith: Match.Optional(String), + termsAnd: Match.Optional(String), + termsPreamble: Match.Optional(String), + termsPrivacy: Match.Optional(String), + termsTerms: Match.Optional(String), + title: Match.Optional(STATE_PAT), +}; + +// Configuration pattern to be checked with check +CONFIG_PAT = { + // Behaviour + confirmPassword: Match.Optional(Boolean), + defaultState: Match.Optional(String), + enablePasswordChange: Match.Optional(Boolean), + enforceEmailVerification: Match.Optional(Boolean), + focusFirstInput: Match.Optional(Boolean), + forbidClientAccountCreation: Match.Optional(Boolean), + lowercaseUsername: Match.Optional(Boolean), + overrideLoginErrors: Match.Optional(Boolean), + sendVerificationEmail: Match.Optional(Boolean), + socialLoginStyle: Match.Optional(Match.OneOf("popup", "redirect")), + + // Appearance + defaultLayout: Match.Optional(String), + hideSignInLink: Match.Optional(Boolean), + hideSignUpLink: Match.Optional(Boolean), + showAddRemoveServices: Match.Optional(Boolean), + showForgotPasswordLink: Match.Optional(Boolean), + showResendVerificationEmailLink: Match.Optional(Boolean), + showLabels: Match.Optional(Boolean), + showPlaceholders: Match.Optional(Boolean), + + // Client-side Validation + continuousValidation: Match.Optional(Boolean), + negativeFeedback: Match.Optional(Boolean), + negativeValidation: Match.Optional(Boolean), + positiveFeedback: Match.Optional(Boolean), + positiveValidation: Match.Optional(Boolean), + showValidating: Match.Optional(Boolean), + + // Privacy Policy and Terms of Use + privacyUrl: Match.Optional(String), + termsUrl: Match.Optional(String), + + // Redirects + homeRoutePath: Match.Optional(String), + redirectTimeout: Match.Optional(Number), + + // Hooks + onLogoutHook: Match.Optional(Function), + onSubmitHook: Match.Optional(Function), + preSignUpHook: Match.Optional(Function), + postSignUpHook: Match.Optional(Function), + + texts: Match.Optional(TEXTS_PAT), + + //reCaptcha config + reCaptcha: Match.Optional({ + data_type: Match.Optional(Match.OneOf("audio", "image")), + secretKey: Match.Optional(String), + siteKey: Match.Optional(String), + theme: Match.Optional(Match.OneOf("dark", "light")), + }), + + showReCaptcha: Match.Optional(Boolean), +}; + + +FIELD_SUB_PAT = { + "default": Match.Optional(String), + changePwd: Match.Optional(String), + enrollAccount: Match.Optional(String), + forgotPwd: Match.Optional(String), + resetPwd: Match.Optional(String), + signIn: Match.Optional(String), + signUp: Match.Optional(String), +}; + + +// Field pattern +FIELD_PAT = { + _id: String, + type: String, + required: Match.Optional(Boolean), + displayName: Match.Optional(Match.OneOf(String, Match.Where(_.isFunction), FIELD_SUB_PAT)), + placeholder: Match.Optional(Match.OneOf(String, FIELD_SUB_PAT)), + select: Match.Optional([{text: String, value: Match.Any}]), + minLength: Match.Optional(Match.Integer), + maxLength: Match.Optional(Match.Integer), + re: Match.Optional(RegExp), + func: Match.Optional(Match.Where(_.isFunction)), + errStr: Match.Optional(String), + + // Client-side Validation + continuousValidation: Match.Optional(Boolean), + negativeFeedback: Match.Optional(Boolean), + negativeValidation: Match.Optional(Boolean), + positiveValidation: Match.Optional(Boolean), + positiveFeedback: Match.Optional(Boolean), + + // Transforms + trim: Match.Optional(Boolean), + lowercase: Match.Optional(Boolean), + uppercase: Match.Optional(Boolean), + transform: Match.Optional(Match.Where(_.isFunction)), + + // Custom options + options: Match.Optional(Object), + template: Match.Optional(String), +}; + +// ----------------------------------------------------------------------------- +// AccountsTemplates object +// ----------------------------------------------------------------------------- + +// ------------------- +// Client/Server stuff +// ------------------- + +// Constructor +AT = function() { + +}; + +AT.prototype.CONFIG_PAT = CONFIG_PAT; + +/* + Each field object is represented by the following properties: + _id: String (required) // A unique field"s id / name + type: String (required) // Displayed input type + required: Boolean (optional) // Specifies Whether to fail or not when field is left empty + displayName: String (optional) // The field"s name to be displayed as a label above the input element + placeholder: String (optional) // The placeholder text to be displayed inside the input element + minLength: Integer (optional) // Possibly specifies the minimum allowed length + maxLength: Integer (optional) // Possibly specifies the maximum allowed length + re: RegExp (optional) // Regular expression for validation + func: Function (optional) // Custom function for validation + errStr: String (optional) // Error message to be displayed in case re validation fails +*/ + + +// Allowed input types +AT.prototype.INPUT_TYPES = [ + "checkbox", + "email", + "hidden", + "password", + "radio", + "select", + "tel", + "text", + "url", +]; + +// Current configuration values +AT.prototype.options = { + // Appearance + //defaultLayout: undefined, + showAddRemoveServices: false, + showForgotPasswordLink: false, + showResendVerificationEmailLink: false, + showLabels: true, + showPlaceholders: true, + + // Behaviour + confirmPassword: true, + defaultState: "signIn", + enablePasswordChange: false, + focusFirstInput: !Meteor.isCordova, + forbidClientAccountCreation: false, + lowercaseUsername: false, + overrideLoginErrors: true, + sendVerificationEmail: false, + socialLoginStyle: "popup", + + // Client-side Validation + //continuousValidation: false, + //negativeFeedback: false, + //negativeValidation: false, + //positiveValidation: false, + //positiveFeedback: false, + //showValidating: false, + + // Privacy Policy and Terms of Use + privacyUrl: undefined, + termsUrl: undefined, + + // Hooks + onSubmitHook: undefined, +}; + +AT.prototype.texts = { + button: { + changePwd: "updateYourPassword", + //enrollAccount: "createAccount", + enrollAccount: "signUp", + forgotPwd: "emailResetLink", + resetPwd: "setPassword", + signIn: "signIn", + signUp: "signUp", + resendVerificationEmail: "Send email again", + }, + errors: { + accountsCreationDisabled: "Client side accounts creation is disabled!!!", + cannotRemoveService: "Cannot remove the only active service!", + captchaVerification: "Captcha verification failed!", + loginForbidden: "error.accounts.Login forbidden", + mustBeLoggedIn: "error.accounts.Must be logged in", + pwdMismatch: "error.pwdsDontMatch", + validationErrors: "Validation Errors", + verifyEmailFirst: "Please verify your email first. Check the email and follow the link!", + }, + navSignIn: 'signIn', + navSignOut: 'signOut', + info: { + emailSent: "info.emailSent", + emailVerified: "info.emailVerified", + pwdChanged: "info.passwordChanged", + pwdReset: "info.passwordReset", + pwdSet: "Password Set", + signUpVerifyEmail: "Successful Registration! Please check your email and follow the instructions.", + verificationEmailSent: "A new email has been sent to you. If the email doesn't show up in your inbox, be sure to check your spam folder.", + }, + inputIcons: { + isValidating: "fa fa-spinner fa-spin", + hasSuccess: "fa fa-check", + hasError: "fa fa-times", + }, + maxAllowedLength: "Maximum allowed length", + minRequiredLength: "Minimum required length", + optionalField: "optional", + pwdLink_pre: "", + pwdLink_link: "forgotPassword", + pwdLink_suff: "", + requiredField: "Required Field", + resendVerificationEmailLink_pre: "Verification email lost?", + resendVerificationEmailLink_link: "Send again", + resendVerificationEmailLink_suff: "", + sep: "OR", + signInLink_pre: "ifYouAlreadyHaveAnAccount", + signInLink_link: "signin", + signInLink_suff: "", + signUpLink_pre: "dontHaveAnAccount", + signUpLink_link: "signUp", + signUpLink_suff: "", + socialAdd: "add", + socialConfigure: "configure", + socialIcons: { + "meteor-developer": "fa fa-rocket" + }, + socialRemove: "remove", + socialSignIn: "signIn", + socialSignUp: "signUp", + socialWith: "with", + termsPreamble: "clickAgree", + termsPrivacy: "privacyPolicy", + termsAnd: "and", + termsTerms: "terms", + title: { + changePwd: "changePassword", + enrollAccount: "createAccount", + forgotPwd: "resetYourPassword", + resetPwd: "resetYourPassword", + signIn: "signIn", + signUp: "createAccount", + verifyEmail: "", + resendVerificationEmail: "Send the verification email again", + }, +}; + +AT.prototype.SPECIAL_FIELDS = [ + "password_again", + "username_and_email", +]; + +// SignIn / SignUp fields +AT.prototype._fields = [ + new Field({ + _id: "email", + type: "email", + required: true, + lowercase: true, + trim: true, + func: function(email) { + return !_.contains(email, '@'); + }, + errStr: 'Invalid email', + }), + new Field({ + _id: "password", + type: "password", + required: true, + minLength: 6, + displayName: { + "default": "password", + changePwd: "newPassword", + resetPwd: "newPassword", + }, + placeholder: { + "default": "password", + changePwd: "newPassword", + resetPwd: "newPassword", + }, + }), +]; + + +AT.prototype._initialized = false; + +// Input type validation +AT.prototype._isValidInputType = function(value) { + return _.indexOf(this.INPUT_TYPES, value) !== -1; +}; + +AT.prototype.addField = function(field) { + // Fields can be added only before initialization + if (this._initialized) { + throw new Error("AccountsTemplates.addField should strictly be called before AccountsTemplates.init!"); + } + + field = _.pick(field, _.keys(FIELD_PAT)); + check(field, FIELD_PAT); + // Checks there"s currently no field called field._id + if (_.indexOf(_.pluck(this._fields, "_id"), field._id) !== -1) { + throw new Error("A field called " + field._id + " already exists!"); + } + // Validates field.type + if (!this._isValidInputType(field.type)) { + throw new Error("field.type is not valid!"); + } + // Checks field.minLength is strictly positive + if (typeof field.minLength !== "undefined" && field.minLength <= 0) { + throw new Error("field.minLength should be greater than zero!"); + } + // Checks field.maxLength is strictly positive + if (typeof field.maxLength !== "undefined" && field.maxLength <= 0) { + throw new Error("field.maxLength should be greater than zero!"); + } + // Checks field.maxLength is greater than field.minLength + if (typeof field.minLength !== "undefined" && typeof field.minLength !== "undefined" && field.maxLength < field.minLength) { + throw new Error("field.maxLength should be greater than field.maxLength!"); + } + + if (!(Meteor.isServer && _.contains(this.SPECIAL_FIELDS, field._id))) { + this._fields.push(new Field(field)); + } + + return this._fields; +}; + +AT.prototype.addFields = function(fields) { + var ok; + + try { // don"t bother with `typeof` - just access `length` and `catch` + ok = fields.length > 0 && "0" in Object(fields); + } catch (e) { + throw new Error("field argument should be an array of valid field objects!"); + } + if (ok) { + _.map(fields, function(field) { + this.addField(field); + }, this); + } else { + throw new Error("field argument should be an array of valid field objects!"); + } + + return this._fields; +}; + +AT.prototype.configure = function(config) { + // Configuration options can be set only before initialization + if (this._initialized) { + throw new Error("Configuration options must be set before AccountsTemplates.init!"); + } + + // Updates the current configuration + check(config, CONFIG_PAT); + var options = _.omit(config, "texts", "reCaptcha"); + this.options = _.defaults(options, this.options); + + // Possibly sets up reCaptcha options + var reCaptcha = config.reCaptcha; + if (reCaptcha) { + // Updates the current button object + this.options.reCaptcha = _.defaults(reCaptcha, this.options.reCaptcha || {}); + } + + // Possibly sets up texts... + if (config.texts) { + var texts = config.texts; + var simpleTexts = _.omit(texts, "button", "errors", "info", "inputIcons", "socialIcons", "title"); + + this.texts = _.defaults(simpleTexts, this.texts); + + if (texts.button) { + // Updates the current button object + this.texts.button = _.defaults(texts.button, this.texts.button); + } + + if (texts.errors) { + // Updates the current errors object + this.texts.errors = _.defaults(texts.errors, this.texts.errors); + } + + if (texts.info) { + // Updates the current info object + this.texts.info = _.defaults(texts.info, this.texts.info); + } + + if (texts.inputIcons) { + // Updates the current inputIcons object + this.texts.inputIcons = _.defaults(texts.inputIcons, this.texts.inputIcons); + } + + if (texts.socialIcons) { + // Updates the current socialIcons object + this.texts.socialIcons = _.defaults(texts.socialIcons, this.texts.socialIcons); + } + + if (texts.title) { + // Updates the current title object + this.texts.title = _.defaults(texts.title, this.texts.title); + } + } +}; + + +AT.prototype.configureRoute = function(route, options) { + console.warn('You now need a routing package like useraccounts:iron-routing or useraccounts:flow-routing to be able to configure routes!'); +}; + + +AT.prototype.hasField = function(fieldId) { + return !!this.getField(fieldId); +}; + +AT.prototype.getField = function(fieldId) { + var field = _.filter(this._fields, function(field) { + return field._id === fieldId; + }); + + return (field.length === 1) ? field[0] : undefined; +}; + +AT.prototype.getFields = function() { + return this._fields; +}; + +AT.prototype.getFieldIds = function() { + return _.pluck(this._fields, "_id"); +}; + +AT.prototype.getRoutePath = function(route) { + return "#"; +}; + +AT.prototype.oauthServices = function() { + // Extracts names of available services + var names; + + if (Meteor.isServer) { + names = (Accounts.oauth && Accounts.oauth.serviceNames()) || []; + } else { + names = (Accounts.oauth && Accounts.loginServicesConfigured() && Accounts.oauth.serviceNames()) || []; + } + // Extracts names of configured services + var configuredServices = []; + + if (Accounts.loginServiceConfiguration) { + configuredServices = _.pluck(Accounts.loginServiceConfiguration.find().fetch(), "service"); + } + + // Builds a list of objects containing service name as _id and its configuration status + var services = _.map(names, function(name) { + return { + _id : name, + configured: _.contains(configuredServices, name), + }; + }); + + // Checks whether there is a UI to configure services... + // XXX: this only works with the accounts-ui package + var showUnconfigured = typeof Accounts._loginButtonsSession !== "undefined"; + + // Filters out unconfigured services in case they"re not to be displayed + if (!showUnconfigured) { + services = _.filter(services, function(service) { + return service.configured; + }); + } + + // Sorts services by name + services = _.sortBy(services, function(service) { + return service._id; + }); + + return services; +}; + +AT.prototype.removeField = function(fieldId) { + // Fields can be removed only before initialization + if (this._initialized) { + throw new Error("AccountsTemplates.removeField should strictly be called before AccountsTemplates.init!"); + } + // Tries to look up the field with given _id + var index = _.indexOf(_.pluck(this._fields, "_id"), fieldId); + + if (index !== -1) { + return this._fields.splice(index, 1)[0]; + } else if (!(Meteor.isServer && _.contains(this.SPECIAL_FIELDS, fieldId))) { + throw new Error("A field called " + fieldId + " does not exist!"); + } +}; diff --git a/packages/meteor-useraccounts-core/lib/field.js b/packages/meteor-useraccounts-core/lib/field.js new file mode 100644 index 00000000..c3ecfbb9 --- /dev/null +++ b/packages/meteor-useraccounts-core/lib/field.js @@ -0,0 +1,292 @@ +// --------------------------------------------------------------------------------- +// Field object +// --------------------------------------------------------------------------------- + +Field = function(field) { + check(field, FIELD_PAT); + _.defaults(this, field); + + this.validating = new ReactiveVar(false); + this.status = new ReactiveVar(null); +}; + +if (Meteor.isClient) { + Field.prototype.clearStatus = function() { + return this.status.set(null); + }; +} + +if (Meteor.isServer) { + Field.prototype.clearStatus = function() { + // Nothing to do server-side + return; + }; +} + +Field.prototype.fixValue = function(value) { + if (this.type === "checkbox") { + return !!value; + } + + if (this.type === "select") { + // TODO: something working... + return value; + } + + if (this.type === "radio") { + // TODO: something working... + return value; + } + + // Possibly applies required transformations to the input value + if (this.trim) { + value = value.trim(); + } + + if (this.lowercase) { + value = value.toLowerCase(); + } + + if (this.uppercase) { + value = value.toUpperCase(); + } + + if (!!this.transform) { + value = this.transform(value); + } + + return value; +}; + +if (Meteor.isClient) { + Field.prototype.getDisplayName = function(state) { + var displayName = this.displayName; + + if (_.isFunction(displayName)) { + displayName = displayName(); + } else if (_.isObject(displayName)) { + displayName = displayName[state] || displayName["default"]; + } + + if (!displayName) { + displayName = capitalize(this._id); + } + + return displayName; + }; +} + +if (Meteor.isClient) { + Field.prototype.getPlaceholder = function(state) { + var placeholder = this.placeholder; + + if (_.isObject(placeholder)) { + placeholder = placeholder[state] || placeholder["default"]; + } + + if (!placeholder) { + placeholder = capitalize(this._id); + } + + return placeholder; + }; +} + +Field.prototype.getStatus = function() { + return this.status.get(); +}; + +if (Meteor.isClient) { + Field.prototype.getValue = function(templateInstance) { + if (this.type === "checkbox") { + return !!(templateInstance.$("#at-field-" + this._id + ":checked").val()); + } + + if (this.type === "radio") { + return templateInstance.$("[name=at-field-"+ this._id + "]:checked").val(); + } + + return templateInstance.$("#at-field-" + this._id).val(); + }; +} + +if (Meteor.isClient) { + Field.prototype.hasError = function() { + return this.negativeValidation && this.status.get(); + }; +} + +if (Meteor.isClient) { + Field.prototype.hasIcon = function() { + if (this.showValidating && this.isValidating()) { + return true; + } + + if (this.negativeFeedback && this.hasError()) { + return true; + } + + if (this.positiveFeedback && this.hasSuccess()) { + return true; + } + }; +} + +if (Meteor.isClient) { + Field.prototype.hasSuccess = function() { + return this.positiveValidation && this.status.get() === false; + }; +} + +if (Meteor.isClient) + Field.prototype.iconClass = function() { + if (this.isValidating()) { + return AccountsTemplates.texts.inputIcons["isValidating"]; + } + + if (this.hasError()) { + return AccountsTemplates.texts.inputIcons["hasError"]; + } + + if (this.hasSuccess()) { + return AccountsTemplates.texts.inputIcons["hasSuccess"]; + } + }; + +if (Meteor.isClient) { + Field.prototype.isValidating = function() { + return this.validating.get(); + }; +} + +if (Meteor.isClient) { + Field.prototype.setError = function(err) { + check(err, Match.OneOf(String, undefined, Boolean)); + + if (err === false) { + return this.status.set(false); + } + + return this.status.set(err || true); + }; +} + +if (Meteor.isServer) { + Field.prototype.setError = function(err) { + // Nothing to do server-side + return; + }; +} + +if (Meteor.isClient) { + Field.prototype.setSuccess = function() { + return this.status.set(false); + }; +} + +if (Meteor.isServer) { + Field.prototype.setSuccess = function() { + // Nothing to do server-side + return; + }; +} + +if (Meteor.isClient) { + Field.prototype.setValidating = function(state) { + check(state, Boolean); + return this.validating.set(state); + }; +} + +if (Meteor.isServer) { + Field.prototype.setValidating = function(state) { + // Nothing to do server-side + return; + }; +} + +if (Meteor.isClient) { + Field.prototype.setValue = function(templateInstance, value) { + if (this.type === "checkbox") { + templateInstance.$("#at-field-" + this._id).prop('checked', true); + return; + } + + if (this.type === "radio") { + templateInstance.$("[name=at-field-"+ this._id + "]").prop('checked', true); + return; + } + + templateInstance.$("#at-field-" + this._id).val(value); + }; +} + +Field.prototype.validate = function(value, strict) { + check(value, Match.OneOf(undefined, String, Boolean)); + this.setValidating(true); + this.clearStatus(); + + if (_.isUndefined(value) || value === '') { + if (!!strict) { + if (this.required) { + this.setError(AccountsTemplates.texts.requiredField); + this.setValidating(false); + + return AccountsTemplates.texts.requiredField; + } else { + this.setSuccess(); + this.setValidating(false); + + return false; + } + } else { + this.clearStatus(); + this.setValidating(false); + + return null; + } + } + + var valueLength = value.length; + var minLength = this.minLength; + if (minLength && valueLength < minLength) { + this.setError(AccountsTemplates.texts.minRequiredLength + ": " + minLength); + this.setValidating(false); + + return AccountsTemplates.texts.minRequiredLength + ": " + minLength; + } + + var maxLength = this.maxLength; + if (maxLength && valueLength > maxLength) { + this.setError(AccountsTemplates.texts.maxAllowedLength + ": " + maxLength); + this.setValidating(false); + + return AccountsTemplates.texts.maxAllowedLength + ": " + maxLength; + } + + if (this.re && valueLength && !value.match(this.re)) { + this.setError(this.errStr); + this.setValidating(false); + + return this.errStr; + } + + if (this.func) { + var result = this.func(value); + var err = result === true ? this.errStr || true : result; + + if (_.isUndefined(result)) { + return err; + } + + this.status.set(err); + this.setValidating(false); + + return err; + } + + this.setSuccess(); + this.setValidating(false); + + return false; +}; diff --git a/packages/meteor-useraccounts-core/lib/methods.js b/packages/meteor-useraccounts-core/lib/methods.js new file mode 100644 index 00000000..0d3a070d --- /dev/null +++ b/packages/meteor-useraccounts-core/lib/methods.js @@ -0,0 +1,25 @@ +/* global + AccountsTemplates: false +*/ +"use strict"; + +Meteor.methods({ + ATRemoveService: function(serviceName) { + check(serviceName, String); + + var userId = this.userId; + + if (userId) { + var user = Meteor.users.findOne(userId); + var numServices = _.keys(user.services).length; // including "resume" + var unset = {}; + + if (numServices === 2) { + throw new Meteor.Error(403, AccountsTemplates.texts.errors.cannotRemoveService, {}); + } + + unset["services." + serviceName] = ""; + Meteor.users.update(userId, {$unset: unset}); + } + }, +}); diff --git a/packages/meteor-useraccounts-core/lib/server.js b/packages/meteor-useraccounts-core/lib/server.js new file mode 100644 index 00000000..2a925dc7 --- /dev/null +++ b/packages/meteor-useraccounts-core/lib/server.js @@ -0,0 +1,184 @@ +/* global + AT: false, + AccountsTemplates: false +*/ +"use strict"; + +// Initialization +AT.prototype.init = function() { + console.warn("[AccountsTemplates] There is no more need to call AccountsTemplates.init()! Simply remove the call ;-)"); +}; + +AT.prototype._init = function() { + if (this._initialized) { + return; + } + + // Checks there is at least one account service installed + if (!Package["accounts-password"] && (!Accounts.oauth || Accounts.oauth.serviceNames().length === 0)) { + throw Error("AccountsTemplates: You must add at least one account service!"); + } + + // A password field is strictly required + var password = this.getField("password"); + if (!password) { + throw Error("A password field is strictly required!"); + } + + if (password.type !== "password") { + throw Error("The type of password field should be password!"); + } + + // Then we can have "username" or "email" or even both of them + // but at least one of the two is strictly required + var username = this.getField("username"); + var email = this.getField("email"); + + if (!username && !email) { + throw Error("At least one field out of username and email is strictly required!"); + } + + if (username && !username.required) { + throw Error("The username field should be required!"); + } + + if (email) { + if (email.type !== "email") { + throw Error("The type of email field should be email!"); + } + + if (username) { + // username and email + if (username.type !== "text") { + throw Error("The type of username field should be text when email field is present!"); + } + } else { + // email only + if (!email.required) { + throw Error("The email field should be required when username is not present!"); + } + } + } else { + // username only + if (username.type !== "text" && username.type !== "tel") { + throw Error("The type of username field should be text or tel!"); + } + } + + // Possibly publish more user data in order to be able to show add/remove + // buttons for 3rd-party services + if (this.options.showAddRemoveServices) { + // Publish additional current user info to get the list of registered services + // XXX TODO: use + // Accounts.addAutopublishFields({ + // forLoggedInUser: ['services.facebook'], + // forOtherUsers: [], + // }) + // ...adds only user.services.*.id + Meteor.publish("userRegisteredServices", function() { + var userId = this.userId; + return Meteor.users.find(userId, {fields: {services: 1}}); + /* + if (userId) { + var user = Meteor.users.findOne(userId); + var services_id = _.chain(user.services) + .keys() + .reject(function(service) {return service === "resume";}) + .map(function(service) {return "services." + service + ".id";}) + .value(); + var projection = {}; + _.each(services_id, function(key) {projection[key] = 1;}); + return Meteor.users.find(userId, {fields: projection}); + } + */ + }); + } + + // Security stuff + if (this.options.overrideLoginErrors) { + Accounts.validateLoginAttempt(function(attempt) { + if (attempt.error) { + var reason = attempt.error.reason; + if (reason === "User not found" || reason === "Incorrect password") { + throw new Meteor.Error(403, AccountsTemplates.texts.errors.loginForbidden); + } + } + return attempt.allowed; + }); + } + + if (this.options.sendVerificationEmail && this.options.enforceEmailVerification) { + Accounts.validateLoginAttempt(function(attempt) { + if (!attempt.allowed) { + return false; + } + + if (attempt.type !== "password" || attempt.methodName !== "login") { + return attempt.allowed; + } + + var user = attempt.user; + if (!user) { + return attempt.allowed; + } + + var ok = true; + var loginEmail = attempt.methodArguments[0].user.email.toLowerCase(); + if (loginEmail) { + var email = _.filter(user.emails, function(obj) { + return obj.address.toLowerCase() === loginEmail; + }); + if (!email.length || !email[0].verified) { + ok = false; + } + } else { + // we got the username, lets check there's at lease one verified email + var emailVerified = _.chain(user.emails) + .pluck('verified') + .any() + .value(); + + if (!emailVerified) { + ok = false; + } + } + if (!ok) { + throw new Meteor.Error(401, AccountsTemplates.texts.errors.verifyEmailFirst); + } + + return attempt.allowed; + }); + } + + //Check that reCaptcha secret keys are available + if (this.options.showReCaptcha) { + var atSecretKey = AccountsTemplates.options.reCaptcha && AccountsTemplates.options.reCaptcha.secretKey; + var settingsSecretKey = Meteor.settings.reCaptcha && Meteor.settings.reCaptcha.secretKey; + + if (!atSecretKey && !settingsSecretKey) { + throw new Meteor.Error(401, "User Accounts: reCaptcha secret key not found! Please provide it or set showReCaptcha to false." ); + } + } + + // Marks AccountsTemplates as initialized + this._initialized = true; +}; + +AccountsTemplates = new AT(); + +// Client side account creation is disabled by default: +// the methos ATCreateUserServer is used instead! +// to actually disable client side account creation use: +// +// AccountsTemplates.config({ +// forbidClientAccountCreation: true +// }); + +Accounts.config({ + forbidClientAccountCreation: true +}); + +// Initialization +Meteor.startup(function() { + AccountsTemplates._init(); +}); diff --git a/packages/meteor-useraccounts-core/lib/server_methods.js b/packages/meteor-useraccounts-core/lib/server_methods.js new file mode 100644 index 00000000..500440d7 --- /dev/null +++ b/packages/meteor-useraccounts-core/lib/server_methods.js @@ -0,0 +1,142 @@ +/* global + AccountsTemplates +*/ +"use strict"; + +Meteor.methods({ + ATCreateUserServer: function(options) { + if (AccountsTemplates.options.forbidClientAccountCreation) { + throw new Meteor.Error(403, AccountsTemplates.texts.errors.accountsCreationDisabled); + } + + // createUser() does more checking. + check(options, Object); + var allFieldIds = AccountsTemplates.getFieldIds(); + + // Picks-up whitelisted fields for profile + var profile = options.profile; + profile = _.pick(profile, allFieldIds); + profile = _.omit(profile, "username", "email", "password"); + + // Validates fields" value + var signupInfo = _.clone(profile); + if (options.username) { + signupInfo.username = options.username; + + if (AccountsTemplates.options.lowercaseUsername) { + signupInfo.username = signupInfo.username.trim().replace(/\s+/gm, ' '); + options.profile.name = signupInfo.username; + signupInfo.username = signupInfo.username.toLowerCase().replace(/\s+/gm, ''); + options.username = signupInfo.username; + } + } + + if (options.email) { + signupInfo.email = options.email; + + if (AccountsTemplates.options.lowercaseUsername) { + signupInfo.email = signupInfo.email.toLowerCase().replace(/\s+/gm, ''); + options.email = signupInfo.email; + } + } + + if (options.password) { + signupInfo.password = options.password; + } + + var validationErrors = {}; + var someError = false; + + // Validates fields values + _.each(AccountsTemplates.getFields(), function(field) { + var fieldId = field._id; + var value = signupInfo[fieldId]; + + if (fieldId === "password") { + // Can"t Pick-up password here + // NOTE: at this stage the password is already encripted, + // so there is no way to validate it!!! + check(value, Object); + return; + } + + var validationErr = field.validate(value, "strict"); + if (validationErr) { + validationErrors[fieldId] = validationErr; + someError = true; + } + }); + + if (AccountsTemplates.options.showReCaptcha) { + var secretKey = null; + + if (AccountsTemplates.options.reCaptcha && AccountsTemplates.options.reCaptcha.secretKey) { + secretKey = AccountsTemplates.options.reCaptcha.secretKey; + } else { + secretKey = Meteor.settings.reCaptcha.secretKey; + } + + var apiResponse = HTTP.post("https://www.google.com/recaptcha/api/siteverify", { + params: { + secret: secretKey, + response: options.profile.reCaptchaResponse, + remoteip: this.connection.clientAddress, + } + }).data; + + if (!apiResponse.success) { + throw new Meteor.Error(403, AccountsTemplates.texts.errors.captchaVerification, + apiResponse['error-codes'] ? apiResponse['error-codes'].join(", ") : "Unknown Error."); + } + } + + if (someError) { + throw new Meteor.Error(403, AccountsTemplates.texts.errors.validationErrors, validationErrors); + } + + // Possibly removes the profile field + if (_.isEmpty(options.profile)) { + delete options.profile; + } + + // Create user. result contains id and token. + var userId = Accounts.createUser(options); + // safety belt. createUser is supposed to throw on error. send 500 error + // instead of sending a verification email with empty userid. + if (! userId) { + throw new Error("createUser failed to insert new user"); + } + + // Call postSignUpHook, if any... + var postSignUpHook = AccountsTemplates.options.postSignUpHook; + if (postSignUpHook) { + postSignUpHook(userId, options); + } + + // Send a email address verification email in case the context permits it + // and the specific configuration flag was set to true + if (options.email && AccountsTemplates.options.sendVerificationEmail) { + Accounts.sendVerificationEmail(userId, options.email); + } + }, + + // Resend a user's verification e-mail + ATResendVerificationEmail: function (email) { + check(email, String); + + var user = Meteor.users.findOne({ "emails.address": email }); + + // Send the standard error back to the client if no user exist with this e-mail + if (!user) { + throw new Meteor.Error(403, "User not found"); + } + + try { + Accounts.sendVerificationEmail(user._id); + } catch (error) { + // Handle error when email already verified + // https://github.com/dwinston/send-verification-email-bug + throw new Meteor.Error(403, "Already verified"); + } + }, +}); diff --git a/packages/meteor-useraccounts-core/lib/templates_helpers/at_error.js b/packages/meteor-useraccounts-core/lib/templates_helpers/at_error.js new file mode 100644 index 00000000..5673dfe7 --- /dev/null +++ b/packages/meteor-useraccounts-core/lib/templates_helpers/at_error.js @@ -0,0 +1,26 @@ +AT.prototype.atErrorHelpers = { + singleError: function() { + var errors = AccountsTemplates.state.form.get("error"); + return errors && errors.length === 1; + }, + error: function() { + return AccountsTemplates.state.form.get("error"); + }, + errorText: function(){ + var field, err; + if (this.field){ + field = T9n.get(this.field, markIfMissing=false); + err = T9n.get(this.err, markIfMissing=false); + } + else + err = T9n.get(this.valueOf(), markIfMissing=false); + + // Possibly removes initial prefix in case the key in not found inside t9n + if (err.substring(0, 15) === "error.accounts.") + err = err.substring(15); + + if (field) + return field + ": " + err; + return err; + }, +}; diff --git a/packages/meteor-useraccounts-core/lib/templates_helpers/at_form.js b/packages/meteor-useraccounts-core/lib/templates_helpers/at_form.js new file mode 100644 index 00000000..95a34c0c --- /dev/null +++ b/packages/meteor-useraccounts-core/lib/templates_helpers/at_form.js @@ -0,0 +1,83 @@ +AT.prototype.atFormHelpers = { + hide: function(){ + var state = this.state || AccountsTemplates.getState(); + return state === "hide"; + }, + showTitle: function(next_state){ + var state = next_state || this.state || AccountsTemplates.getState(); + if (Meteor.userId() && state === "signIn") + return false; + return !!AccountsTemplates.texts.title[state]; + }, + showOauthServices: function(next_state){ + var state = next_state || this.state || AccountsTemplates.getState(); + if (!(state === "signIn" || state === "signUp")) + return false; + var services = AccountsTemplates.oauthServices(); + if (!services.length) + return false; + if (Meteor.userId()) + return AccountsTemplates.options.showAddRemoveServices; + return true; + }, + showServicesSeparator: function(next_state){ + var pwdService = Package["accounts-password"] !== undefined; + var state = next_state || this.state || AccountsTemplates.getState(); + var rightState = (state === "signIn" || state === "signUp"); + return rightState && !Meteor.userId() && pwdService && AccountsTemplates.oauthServices().length; + }, + showError: function(next_state) { + return !!AccountsTemplates.state.form.get("error"); + }, + showResult: function(next_state) { + return !!AccountsTemplates.state.form.get("result"); + }, + showMessage: function(next_state) { + return !!AccountsTemplates.state.form.get("message"); + }, + showPwdForm: function(next_state) { + if (Package["accounts-password"] === undefined) + return false; + var state = next_state || this.state || AccountsTemplates.getState(); + if ((state === "verifyEmail") || (state === "signIn" && Meteor.userId())) + return false; + return true; + }, + showSignInLink: function(next_state){ + if (AccountsTemplates.options.hideSignInLink) + return false; + var state = next_state || this.state || AccountsTemplates.getState(); + if (AccountsTemplates.options.forbidClientAccountCreation && state === "forgotPwd") + return true; + return state === "signUp"; + }, + showSignUpLink: function(next_state){ + if (AccountsTemplates.options.hideSignUpLink) + return false; + var state = next_state || this.state || AccountsTemplates.getState(); + return ((state === "signIn" && !Meteor.userId()) || state === "forgotPwd") && !AccountsTemplates.options.forbidClientAccountCreation; + }, + showTermsLink: function(next_state){ + //TODO: Add privacyRoute and termsRoute as alternatives (the point of named routes is + // being able to change the url in one place only) + if (!!AccountsTemplates.options.privacyUrl || !!AccountsTemplates.options.termsUrl) { + var state = next_state || this.state || AccountsTemplates.getState(); + if (state === "signUp" || state === "enrollAccount" ) { + return true; + } + } + /* + if (state === "signIn"){ + var pwdService = Package["accounts-password"] !== undefined; + if (!pwdService) + return true; + } + */ + return false; + }, + showResendVerificationEmailLink: function(){ + var parentData = Template.currentData(); + var state = (parentData && parentData.state) || AccountsTemplates.getState(); + return (state === "signIn" || state === "forgotPwd") && AccountsTemplates.options.showResendVerificationEmailLink; + }, +}; diff --git a/packages/meteor-useraccounts-core/lib/templates_helpers/at_input.js b/packages/meteor-useraccounts-core/lib/templates_helpers/at_input.js new file mode 100644 index 00000000..fe74eeb1 --- /dev/null +++ b/packages/meteor-useraccounts-core/lib/templates_helpers/at_input.js @@ -0,0 +1,124 @@ +AT.prototype.atInputRendered = [function(){ + var fieldId = this.data._id; + + var parentData = Template.currentData(); + var state = (parentData && parentData.state) || AccountsTemplates.getState(); + + if (AccountsTemplates.options.focusFirstInput) { + var firstVisibleInput = _.find(AccountsTemplates.getFields(), function(f){ + return _.contains(f.visible, state); + }); + + if (firstVisibleInput && firstVisibleInput._id === fieldId) { + this.$("input#at-field-" + fieldId).focus(); + } + } +}]; + +AT.prototype.atInputHelpers = { + disabled: function() { + return AccountsTemplates.disabled(); + }, + showLabels: function() { + return AccountsTemplates.options.showLabels; + }, + displayName: function() { + var parentData = Template.parentData(); + var state = (parentData && parentData.state) || AccountsTemplates.getState(); + var displayName = this.getDisplayName(state); + return T9n.get(displayName, markIfMissing=false); + }, + optionalText: function(){ + return "(" + T9n.get(AccountsTemplates.texts.optionalField, markIfMissing=false) + ")"; + }, + templateName: function() { + if (this.template) + return this.template; + if (this.type === "checkbox") + return "atCheckboxInput"; + if (this.type === "select") + return "atSelectInput"; + if (this.type === "radio") + return "atRadioInput"; + if (this.type === "hidden") + return "atHiddenInput"; + return "atTextInput"; + }, + values: function(){ + var id = this._id; + return _.map(this.select, function(select){ + var s = _.clone(select); + s._id = id + "-" + select.value; + s.id = id; + return s; + }); + }, + errorText: function() { + var err = this.getStatus(); + return T9n.get(err, markIfMissing=false); + }, + placeholder: function() { + if (AccountsTemplates.options.showPlaceholders) { + var parentData = Template.parentData(); + var state = (parentData && parentData.state) || AccountsTemplates.getState(); + var placeholder = this.getPlaceholder(state); + return T9n.get(placeholder, markIfMissing=false); + } + }, +}; + +AT.prototype.atInputEvents = { + "focusin input": function(event, t){ + var field = Template.currentData(); + field.clearStatus(); + }, + "focusout input, change select": function(event, t){ + var field = Template.currentData(); + var fieldId = field._id; + var rawValue = field.getValue(t); + var value = field.fixValue(rawValue); + // Possibly updates the input value + if (value !== rawValue) { + field.setValue(t, value); + } + + // Client-side only validation + if (!field.validation) + return; + var parentData = Template.parentData(); + var state = (parentData && parentData.state) || AccountsTemplates.getState(); + // No validation during signIn + if (state === "signIn") + return; + // Special case for password confirmation + if (value && fieldId === "password_again"){ + if (value !== $("#at-field-password").val()) + return field.setError(AccountsTemplates.texts.errors.pwdMismatch); + } + field.validate(value); + }, + "keyup input": function(event, t){ + var field = Template.currentData(); + // Client-side only continuous validation + if (!field.continuousValidation) + return; + var parentData = Template.parentData(); + var state = (parentData && parentData.state) || AccountsTemplates.getState(); + // No validation during signIn + if (state === "signIn") + return; + var fieldId = field._id; + var rawValue = field.getValue(t); + var value = field.fixValue(rawValue); + // Possibly updates the input value + if (value !== rawValue) { + field.setValue(t, value); + } + // Special case for password confirmation + if (value && fieldId === "password_again"){ + if (value !== $("#at-field-password").val()) + return field.setError(AccountsTemplates.texts.errors.pwdMismatch); + } + field.validate(value); + }, +}; diff --git a/packages/meteor-useraccounts-core/lib/templates_helpers/at_message.js b/packages/meteor-useraccounts-core/lib/templates_helpers/at_message.js new file mode 100644 index 00000000..baa9ca04 --- /dev/null +++ b/packages/meteor-useraccounts-core/lib/templates_helpers/at_message.js @@ -0,0 +1,7 @@ +AT.prototype.atMessageHelpers = { + message: function() { + var messageText = AccountsTemplates.state.form.get("message"); + if (messageText) + return T9n.get(messageText, markIfMissing=false); + }, +}; \ No newline at end of file diff --git a/packages/meteor-useraccounts-core/lib/templates_helpers/at_nav_button.js b/packages/meteor-useraccounts-core/lib/templates_helpers/at_nav_button.js new file mode 100644 index 00000000..c434060d --- /dev/null +++ b/packages/meteor-useraccounts-core/lib/templates_helpers/at_nav_button.js @@ -0,0 +1,16 @@ +AT.prototype.atNavButtonHelpers = { + text: function(){ + var key = Meteor.userId() ? AccountsTemplates.texts.navSignOut : AccountsTemplates.texts.navSignIn; + return T9n.get(key, markIfMissing=false); + } +}; + +AT.prototype.atNavButtonEvents = { + 'click #at-nav-button': function(event){ + event.preventDefault(); + if (Meteor.userId()) + AccountsTemplates.logout(); + else + AccountsTemplates.linkClick("signIn"); + }, +}; diff --git a/packages/meteor-useraccounts-core/lib/templates_helpers/at_oauth.js b/packages/meteor-useraccounts-core/lib/templates_helpers/at_oauth.js new file mode 100644 index 00000000..1b1d13c1 --- /dev/null +++ b/packages/meteor-useraccounts-core/lib/templates_helpers/at_oauth.js @@ -0,0 +1,5 @@ +AT.prototype.atOauthHelpers = { + oauthService: function() { + return AccountsTemplates.oauthServices(); + }, +}; \ No newline at end of file diff --git a/packages/meteor-useraccounts-core/lib/templates_helpers/at_pwd_form.js b/packages/meteor-useraccounts-core/lib/templates_helpers/at_pwd_form.js new file mode 100644 index 00000000..2f8d53c4 --- /dev/null +++ b/packages/meteor-useraccounts-core/lib/templates_helpers/at_pwd_form.js @@ -0,0 +1,331 @@ +AT.prototype.atPwdFormHelpers = { + disabled: function() { + return AccountsTemplates.disabled(); + }, + fields: function() { + var parentData = Template.currentData(); + var state = (parentData && parentData.state) || AccountsTemplates.getState(); + return _.filter(AccountsTemplates.getFields(), function(s) { + return _.contains(s.visible, state); + }); + }, + showForgotPasswordLink: function() { + var parentData = Template.currentData(); + var state = (parentData && parentData.state) || AccountsTemplates.getState(); + return state === "signIn" && AccountsTemplates.options.showForgotPasswordLink; + }, + showReCaptcha: function() { + var parentData = Template.currentData(); + var state = (parentData && parentData.state) || AccountsTemplates.getState(); + return state === "signUp" && AccountsTemplates.options.showReCaptcha; + }, +}; + + +var toLowercaseUsername = function(value){ + return value.toLowerCase().replace(/\s+/gm, ''); +}; + +AT.prototype.atPwdFormEvents = { + // Form submit + "submit #at-pwd-form": function(event, t) { + event.preventDefault(); + t.$("#at-btn").blur(); + + AccountsTemplates.setDisabled(true); + + var parentData = Template.currentData(); + var state = (parentData && parentData.state) || AccountsTemplates.getState(); + var preValidation = (state !== "signIn"); + + // Client-side pre-validation + // Validates fields values + // NOTE: This is the only place where password validation can be enforced! + var formData = {}; + var someError = false; + var errList = []; + _.each(AccountsTemplates.getFields(), function(field){ + // Considers only visible fields... + if (!_.contains(field.visible, state)) + return; + + var fieldId = field._id; + + var rawValue = field.getValue(t); + var value = field.fixValue(rawValue); + // Possibly updates the input value + if (value !== rawValue) { + field.setValue(t, value); + } + if (value !== undefined && value !== "") { + formData[fieldId] = value; + } + + // Validates the field value only if current state is not "signIn" + if (preValidation && field.getStatus() !== false){ + var validationErr = field.validate(value, "strict"); + if (validationErr) { + if (field.negativeValidation) + field.setError(validationErr); + else{ + var fId = T9n.get(field.getDisplayName(), markIfMissing=false); + //errList.push(fId + ": " + err); + errList.push({ + field: field.getDisplayName(), + err: validationErr + }); + } + someError = true; + } + else + field.setSuccess(); + } + }); + + // Clears error and result + AccountsTemplates.clearError(); + AccountsTemplates.clearResult(); + AccountsTemplates.clearMessage(); + // Possibly sets errors + if (someError){ + if (errList.length) + AccountsTemplates.state.form.set("error", errList); + AccountsTemplates.setDisabled(false); + //reset reCaptcha form + if (state === "signUp" && AccountsTemplates.options.showReCaptcha) { + grecaptcha.reset(); + } + return; + } + + // Extracts username, email, and pwds + var current_password = formData.current_password; + var email = formData.email; + var password = formData.password; + var password_again = formData.password_again; + var username = formData.username; + var username_and_email = formData.username_and_email; + // Clears profile data removing username, email, and pwd + delete formData.current_password; + delete formData.email; + delete formData.password; + delete formData.password_again; + delete formData.username; + delete formData.username_and_email; + + if (AccountsTemplates.options.confirmPassword){ + // Checks passwords for correct match + if (password_again && password !== password_again){ + var pwd_again = AccountsTemplates.getField("password_again"); + if (pwd_again.negativeValidation) + pwd_again.setError(AccountsTemplates.texts.errors.pwdMismatch); + else + AccountsTemplates.state.form.set("error", [{ + field: pwd_again.getDisplayName(), + err: AccountsTemplates.texts.errors.pwdMismatch + }]); + AccountsTemplates.setDisabled(false); + //reset reCaptcha form + if (state === "signUp" && AccountsTemplates.options.showReCaptcha) { + grecaptcha.reset(); + } + return; + } + } + + // ------- + // Sign In + // ------- + if (state === "signIn") { + var pwdOk = !!password; + var userOk = true; + var loginSelector; + if (email) { + if (AccountsTemplates.options.lowercaseUsername) { + email = toLowercaseUsername(email); + } + + loginSelector = {email: email}; + } + else if (username) { + if (AccountsTemplates.options.lowercaseUsername) { + username = toLowercaseUsername(username); + } + loginSelector = {username: username}; + } + else if (username_and_email) { + if (AccountsTemplates.options.lowercaseUsername) { + username_and_email = toLowercaseUsername(username_and_email); + } + loginSelector = username_and_email; + } + else + userOk = false; + + // Possibly exits if not both 'password' and 'username' are non-empty... + if (!pwdOk || !userOk){ + AccountsTemplates.state.form.set("error", [AccountsTemplates.texts.errors.loginForbidden]); + AccountsTemplates.setDisabled(false); + return; + } + + + return Meteor.loginWithPassword(loginSelector, password, function(error) { + AccountsTemplates.submitCallback(error, state); + }); + } + + // ------- + // Sign Up + // ------- + if (state === "signUp") { + // Possibly gets reCaptcha response + if (AccountsTemplates.options.showReCaptcha) { + var response = grecaptcha.getResponse(); + if (response === "") { + // recaptcha verification has not completed yet (or has expired)... + // ...simply ignore submit event! + AccountsTemplates.setDisabled(false); + return; + } else { + formData.reCaptchaResponse = response; + } + } + + var hash = Accounts._hashPassword(password); + var options = { + username: username, + email: email, + password: hash, + profile: formData, + }; + + // Call preSignUpHook, if any... + var preSignUpHook = AccountsTemplates.options.preSignUpHook; + if (preSignUpHook) { + preSignUpHook(password, options); + } + + return Meteor.call("ATCreateUserServer", options, function(error){ + if (error && error.reason === 'Email already exists.') { + if (AccountsTemplates.options.showReCaptcha) { + grecaptcha.reset(); + } + } + AccountsTemplates.submitCallback(error, undefined, function(){ + if (AccountsTemplates.options.sendVerificationEmail && AccountsTemplates.options.enforceEmailVerification){ + AccountsTemplates.submitCallback(error, state, function () { + AccountsTemplates.state.form.set("result", AccountsTemplates.texts.info.signUpVerifyEmail); + // Cleans up input fields' content + _.each(AccountsTemplates.getFields(), function(field){ + // Considers only visible fields... + if (!_.contains(field.visible, state)) + return; + + var elem = t.$("#at-field-" + field._id); + + // Naïve reset + if (field.type === "checkbox") elem.prop('checked', false); + else elem.val(""); + + }); + AccountsTemplates.setDisabled(false); + AccountsTemplates.avoidRedirect = true; + }); + } + else { + var loginSelector; + + if (email) { + if (AccountsTemplates.options.lowercaseUsername) { + email = toLowercaseUsername(email); + } + + loginSelector = {email: email}; + } + else if (username) { + if (AccountsTemplates.options.lowercaseUsername) { + username = toLowercaseUsername(username); + } + loginSelector = {username: username}; + } + else { + if (AccountsTemplates.options.lowercaseUsername) { + username_and_email = toLowercaseUsername(username_and_email); + } + loginSelector = username_and_email; + } + + Meteor.loginWithPassword(loginSelector, password, function(error) { + AccountsTemplates.submitCallback(error, state, function(){ + AccountsTemplates.setState("signIn"); + }); + }); + } + }); + }); + } + + //---------------- + // Forgot Password + //---------------- + if (state === "forgotPwd"){ + return Accounts.forgotPassword({ + email: email + }, function(error) { + AccountsTemplates.submitCallback(error, state, function(){ + AccountsTemplates.state.form.set("result", AccountsTemplates.texts.info.emailSent); + t.$("#at-field-email").val(""); + }); + }); + } + + //-------------------------------- + // Reset Password / Enroll Account + //-------------------------------- + if (state === "resetPwd" || state === "enrollAccount") { + var paramToken = AccountsTemplates.getparamToken(); + return Accounts.resetPassword(paramToken, password, function(error) { + AccountsTemplates.submitCallback(error, state, function(){ + var pwd_field_id; + if (state === "resetPwd") + AccountsTemplates.state.form.set("result", AccountsTemplates.texts.info.pwdReset); + else // Enroll Account + AccountsTemplates.state.form.set("result", AccountsTemplates.texts.info.pwdSet); + t.$("#at-field-password").val(""); + if (AccountsTemplates.options.confirmPassword) + t.$("#at-field-password_again").val(""); + }); + }); + } + + //---------------- + // Change Password + //---------------- + if (state === "changePwd"){ + return Accounts.changePassword(current_password, password, function(error) { + AccountsTemplates.submitCallback(error, state, function(){ + AccountsTemplates.state.form.set("result", AccountsTemplates.texts.info.pwdChanged); + t.$("#at-field-current_password").val(""); + t.$("#at-field-password").val(""); + if (AccountsTemplates.options.confirmPassword) + t.$("#at-field-password_again").val(""); + }); + }); + } + + //---------------- + // Resend Verification E-mail + //---------------- + if (state === "resendVerificationEmail"){ + return Meteor.call("ATResendVerificationEmail", email, function (error) { + AccountsTemplates.submitCallback(error, state, function(){ + AccountsTemplates.state.form.set("result", AccountsTemplates.texts.info.verificationEmailSent); + t.$("#at-field-email").val(""); + + AccountsTemplates.avoidRedirect = true; + }); + }); + } + }, +}; diff --git a/packages/meteor-useraccounts-core/lib/templates_helpers/at_pwd_form_btn.js b/packages/meteor-useraccounts-core/lib/templates_helpers/at_pwd_form_btn.js new file mode 100644 index 00000000..fc263623 --- /dev/null +++ b/packages/meteor-useraccounts-core/lib/templates_helpers/at_pwd_form_btn.js @@ -0,0 +1,18 @@ +AT.prototype.atPwdFormBtnHelpers = { + submitDisabled: function(){ + var disable = _.chain(AccountsTemplates.getFields()) + .map(function(field){ + return field.hasError() || field.isValidating(); + }) + .some() + .value() + ; + if (disable) + return "disabled"; + }, + buttonText: function() { + var parentData = Template.currentData(); + var state = (parentData && parentData.state) || AccountsTemplates.getState(); + return T9n.get(AccountsTemplates.texts.button[state], markIfMissing=false); + }, +}; diff --git a/packages/meteor-useraccounts-core/lib/templates_helpers/at_pwd_link.js b/packages/meteor-useraccounts-core/lib/templates_helpers/at_pwd_link.js new file mode 100644 index 00000000..dd93a398 --- /dev/null +++ b/packages/meteor-useraccounts-core/lib/templates_helpers/at_pwd_link.js @@ -0,0 +1,24 @@ +AT.prototype.atPwdLinkHelpers = { + disabled: function() { + return AccountsTemplates.disabled(); + }, + forgotPwdLink: function(){ + return AccountsTemplates.getRoutePath("forgotPwd"); + }, + preText: function(){ + return T9n.get(AccountsTemplates.texts.pwdLink_pre, markIfMissing=false); + }, + linkText: function(){ + return T9n.get(AccountsTemplates.texts.pwdLink_link, markIfMissing=false); + }, + suffText: function(){ + return T9n.get(AccountsTemplates.texts.pwdLink_suff, markIfMissing=false); + }, +}; + +AT.prototype.atPwdLinkEvents = { + "click #at-forgotPwd": function(event, t) { + event.preventDefault(); + AccountsTemplates.linkClick("forgotPwd"); + }, +}; \ No newline at end of file diff --git a/packages/meteor-useraccounts-core/lib/templates_helpers/at_reCaptcha.js b/packages/meteor-useraccounts-core/lib/templates_helpers/at_reCaptcha.js new file mode 100644 index 00000000..ea0c0c69 --- /dev/null +++ b/packages/meteor-useraccounts-core/lib/templates_helpers/at_reCaptcha.js @@ -0,0 +1,19 @@ +AT.prototype.atReCaptchaRendered = function() { + $.getScript('//www.google.com/recaptcha/api.js?hl=' + T9n.getLanguage()); +}; + +AT.prototype.atReCaptchaHelpers = { + key: function() { + if (AccountsTemplates.options.reCaptcha && AccountsTemplates.options.reCaptcha.siteKey) + return AccountsTemplates.options.reCaptcha.siteKey; + return Meteor.settings.public.reCaptcha.siteKey; + }, + + theme: function() { + return AccountsTemplates.options.reCaptcha && AccountsTemplates.options.reCaptcha.theme; + }, + + data_type: function() { + return AccountsTemplates.options.reCaptcha && AccountsTemplates.options.reCaptcha.data_type; + }, +}; diff --git a/packages/meteor-useraccounts-core/lib/templates_helpers/at_resend_verification_email_link.js b/packages/meteor-useraccounts-core/lib/templates_helpers/at_resend_verification_email_link.js new file mode 100644 index 00000000..5587900c --- /dev/null +++ b/packages/meteor-useraccounts-core/lib/templates_helpers/at_resend_verification_email_link.js @@ -0,0 +1,24 @@ +AT.prototype.atResendVerificationEmailLinkHelpers = { + disabled: function () { + return AccountsTemplates.disabled(); + }, + resendVerificationEmailLink: function () { + return AccountsTemplates.getRoutePath("resendVerificationEmail"); + }, + preText: function(){ + return T9n.get(AccountsTemplates.texts.resendVerificationEmailLink_pre, markIfMissing=false); + }, + linkText: function(){ + return T9n.get(AccountsTemplates.texts.resendVerificationEmailLink_link, markIfMissing=false); + }, + suffText: function(){ + return T9n.get(AccountsTemplates.texts.resendVerificationEmailLink_suff, markIfMissing=false); + }, +}; + +AT.prototype.atResendVerificationEmailLinkEvents = { + "click #at-resend-verification-email": function(event, t) { + event.preventDefault(); + AccountsTemplates.linkClick('resendVerificationEmail'); + }, +}; \ No newline at end of file diff --git a/packages/meteor-useraccounts-core/lib/templates_helpers/at_result.js b/packages/meteor-useraccounts-core/lib/templates_helpers/at_result.js new file mode 100644 index 00000000..d4b287dd --- /dev/null +++ b/packages/meteor-useraccounts-core/lib/templates_helpers/at_result.js @@ -0,0 +1,7 @@ +AT.prototype.atResultHelpers = { + result: function() { + var resultText = AccountsTemplates.state.form.get("result"); + if (resultText) + return T9n.get(resultText, markIfMissing=false); + }, +}; \ No newline at end of file diff --git a/packages/meteor-useraccounts-core/lib/templates_helpers/at_sep.js b/packages/meteor-useraccounts-core/lib/templates_helpers/at_sep.js new file mode 100644 index 00000000..7c27557d --- /dev/null +++ b/packages/meteor-useraccounts-core/lib/templates_helpers/at_sep.js @@ -0,0 +1,5 @@ +AT.prototype.atSepHelpers = { + sepText: function(){ + return T9n.get(AccountsTemplates.texts.sep, markIfMissing=false); + }, +}; \ No newline at end of file diff --git a/packages/meteor-useraccounts-core/lib/templates_helpers/at_signin_link.js b/packages/meteor-useraccounts-core/lib/templates_helpers/at_signin_link.js new file mode 100644 index 00000000..14f6e88c --- /dev/null +++ b/packages/meteor-useraccounts-core/lib/templates_helpers/at_signin_link.js @@ -0,0 +1,24 @@ +AT.prototype.atSigninLinkHelpers = { + disabled: function() { + return AccountsTemplates.disabled(); + }, + signInLink: function(){ + return AccountsTemplates.getRoutePath("signIn"); + }, + preText: function(){ + return T9n.get(AccountsTemplates.texts.signInLink_pre, markIfMissing=false); + }, + linkText: function(){ + return T9n.get(AccountsTemplates.texts.signInLink_link, markIfMissing=false); + }, + suffText: function(){ + return T9n.get(AccountsTemplates.texts.signInLink_suff, markIfMissing=false); + }, +}; + +AT.prototype.atSigninLinkEvents = { + "click #at-signIn": function(event, t) { + event.preventDefault(); + AccountsTemplates.linkClick("signIn"); + }, +}; diff --git a/packages/meteor-useraccounts-core/lib/templates_helpers/at_signup_link.js b/packages/meteor-useraccounts-core/lib/templates_helpers/at_signup_link.js new file mode 100644 index 00000000..29c809a4 --- /dev/null +++ b/packages/meteor-useraccounts-core/lib/templates_helpers/at_signup_link.js @@ -0,0 +1,24 @@ +AT.prototype.atSignupLinkHelpers = { + disabled: function() { + return AccountsTemplates.disabled(); + }, + signUpLink: function(){ + return AccountsTemplates.getRoutePath("signUp"); + }, + preText: function(){ + return T9n.get(AccountsTemplates.texts.signUpLink_pre, markIfMissing=false); + }, + linkText: function(){ + return T9n.get(AccountsTemplates.texts.signUpLink_link, markIfMissing=false); + }, + suffText: function(){ + return T9n.get(AccountsTemplates.texts.signUpLink_suff, markIfMissing=false); + }, +}; + +AT.prototype.atSignupLinkEvents = { + "click #at-signUp": function(event, t) { + event.preventDefault(); + AccountsTemplates.linkClick('signUp'); + }, +}; diff --git a/packages/meteor-useraccounts-core/lib/templates_helpers/at_social.js b/packages/meteor-useraccounts-core/lib/templates_helpers/at_social.js new file mode 100644 index 00000000..912fd6e9 --- /dev/null +++ b/packages/meteor-useraccounts-core/lib/templates_helpers/at_social.js @@ -0,0 +1,105 @@ +AT.prototype.atSocialHelpers = { + disabled: function() { + if (AccountsTemplates.disabled()) + return "disabled"; + var user = Meteor.user(); + if (user){ + var numServices = 0; + if (user.services) + numServices = _.keys(user.services).length; // including "resume" + if (numServices === 2 && user.services[this._id]) + return "disabled"; + } + }, + name: function(){ + return this._id; + }, + iconClass: function() { + var ic = AccountsTemplates.texts.socialIcons[this._id]; + if (!ic) + ic = "fa fa-" + this._id; + return ic; + }, + buttonText: function() { + var service = this; + var serviceName = this._id; + if (serviceName === "meteor-developer") + serviceName = "meteor"; + serviceName = capitalize(serviceName); + if (!service.configured) + return T9n.get(AccountsTemplates.texts.socialConfigure, markIfMissing=false) + " " + serviceName; + var showAddRemove = AccountsTemplates.options.showAddRemoveServices; + var user = Meteor.user(); + if (user && showAddRemove){ + if (user.services && user.services[this._id]){ + var numServices = _.keys(user.services).length; // including "resume" + if (numServices === 2) + return serviceName; + else + return T9n.get(AccountsTemplates.texts.socialRemove, markIfMissing=false) + " " + serviceName; + } else + return T9n.get(AccountsTemplates.texts.socialAdd, markIfMissing=false) + " " + serviceName; + } + var parentData = Template.parentData(); + var state = (parentData && parentData.state) || AccountsTemplates.getState(); + var prefix = state === "signIn" ? + T9n.get(AccountsTemplates.texts.socialSignIn, markIfMissing=false) : + T9n.get(AccountsTemplates.texts.socialSignUp, markIfMissing=false); + return prefix + " " + T9n.get(AccountsTemplates.texts.socialWith, markIfMissing=false) + " " + serviceName; + }, +}; + +AT.prototype.atSocialEvents = { + "click button": function(event, t) { + event.preventDefault(); + event.currentTarget.blur(); + if (AccountsTemplates.disabled()) + return; + var user = Meteor.user(); + if (user && user.services && user.services[this._id]){ + var numServices = _.keys(user.services).length; // including "resume" + if (numServices === 2) + return; + else{ + AccountsTemplates.setDisabled(true); + Meteor.call("ATRemoveService", this._id, function(error){ + AccountsTemplates.setDisabled(false); + }); + } + } else { + AccountsTemplates.setDisabled(true); + var parentData = Template.parentData(); + var state = (parentData && parentData.state) || AccountsTemplates.getState(); + var serviceName = this._id; + var methodName; + if (serviceName === 'meteor-developer') + methodName = "loginWithMeteorDeveloperAccount"; + else + methodName = "loginWith" + capitalize(serviceName); + var loginWithService = Meteor[methodName]; + options = { + loginStyle: AccountsTemplates.options.socialLoginStyle, + }; + if (Accounts.ui) { + if (Accounts.ui._options.requestPermissions[serviceName]) { + options.requestPermissions = Accounts.ui._options.requestPermissions[serviceName]; + } + if (Accounts.ui._options.requestOfflineToken[serviceName]) { + options.requestOfflineToken = Accounts.ui._options.requestOfflineToken[serviceName]; + } + } + loginWithService(options, function(err) { + AccountsTemplates.setDisabled(false); + if (err && err instanceof Accounts.LoginCancelledError) { + // do nothing + } + else if (err && err instanceof ServiceConfiguration.ConfigError) { + if (Accounts._loginButtonsSession) + return Accounts._loginButtonsSession.configureService(serviceName); + } + else + AccountsTemplates.submitCallback(err, state); + }); + } + }, +}; diff --git a/packages/meteor-useraccounts-core/lib/templates_helpers/at_terms_link.js b/packages/meteor-useraccounts-core/lib/templates_helpers/at_terms_link.js new file mode 100644 index 00000000..0ada35cb --- /dev/null +++ b/packages/meteor-useraccounts-core/lib/templates_helpers/at_terms_link.js @@ -0,0 +1,33 @@ +AT.prototype.atTermsLinkHelpers = { + disabled: function() { + return AccountsTemplates.disabled(); + }, + text: function(){ + return T9n.get(AccountsTemplates.texts.termsPreamble, markIfMissing=false); + }, + privacyUrl: function(){ + return AccountsTemplates.options.privacyUrl; + }, + privacyLinkText: function(){ + return T9n.get(AccountsTemplates.texts.termsPrivacy, markIfMissing=false); + }, + showTermsAnd: function(){ + return !!AccountsTemplates.options.privacyUrl && !!AccountsTemplates.options.termsUrl; + }, + and: function(){ + return T9n.get(AccountsTemplates.texts.termsAnd, markIfMissing=false); + }, + termsUrl: function(){ + return AccountsTemplates.options.termsUrl; + }, + termsLinkText: function(){ + return T9n.get(AccountsTemplates.texts.termsTerms, markIfMissing=false); + }, +}; + +AT.prototype.atTermsLinkEvents = { + "click a": function(event) { + if (AccountsTemplates.disabled()) + event.preventDefault(); + }, +}; \ No newline at end of file diff --git a/packages/meteor-useraccounts-core/lib/templates_helpers/at_title.js b/packages/meteor-useraccounts-core/lib/templates_helpers/at_title.js new file mode 100644 index 00000000..74f711b9 --- /dev/null +++ b/packages/meteor-useraccounts-core/lib/templates_helpers/at_title.js @@ -0,0 +1,7 @@ +AT.prototype.atTitleHelpers = { + title: function() { + var parentData = Template.currentData(); + var state = (parentData && parentData.state) || AccountsTemplates.getState(); + return T9n.get(AccountsTemplates.texts.title[state], markIfMissing = false); + }, +}; diff --git a/packages/meteor-useraccounts-core/lib/templates_helpers/ensure_signed_in.html b/packages/meteor-useraccounts-core/lib/templates_helpers/ensure_signed_in.html new file mode 100644 index 00000000..08c0d7e3 --- /dev/null +++ b/packages/meteor-useraccounts-core/lib/templates_helpers/ensure_signed_in.html @@ -0,0 +1,12 @@ +<!-- Template level auth --> +<template name="ensureSignedIn"> + {{#if signedIn}} + {{> Template.dynamic template=template}} + {{else}} + {{#if auth}} + {{> Template.dynamic template=auth}} + {{else}} + {{> fullPageAtForm}} + {{/if}} + {{/if}} +</template> diff --git a/packages/meteor-useraccounts-core/lib/templates_helpers/ensure_signed_in.js b/packages/meteor-useraccounts-core/lib/templates_helpers/ensure_signed_in.js new file mode 100644 index 00000000..3d947aae --- /dev/null +++ b/packages/meteor-useraccounts-core/lib/templates_helpers/ensure_signed_in.js @@ -0,0 +1,15 @@ + +Template.ensureSignedIn.helpers({ + signedIn: function () { + if (!Meteor.user()) { + AccountsTemplates.setState(AccountsTemplates.options.defaultState, function(){ + var err = AccountsTemplates.texts.errors.mustBeLoggedIn; + AccountsTemplates.state.form.set('error', [err]); + }); + return false; + } else { + AccountsTemplates.clearError(); + return true; + } + } +}); diff --git a/packages/meteor-useraccounts-core/lib/utils.js b/packages/meteor-useraccounts-core/lib/utils.js new file mode 100644 index 00000000..30b108ca --- /dev/null +++ b/packages/meteor-useraccounts-core/lib/utils.js @@ -0,0 +1,19 @@ +capitalize = function(str) { + return str.charAt(0).toUpperCase() + str.slice(1); +}; + +signedInAs = function() { + var user = Meteor.user(); + + if (user) { + if (user.username) { + return user.username; + } else if (user.profile && user.profile.name) { + return user.profile.name; + } else if (user.emails && user.emails[0]) { + return user.emails[0].address; + } else { + return "Signed In"; + } + } +}; diff --git a/packages/meteor-useraccounts-core/package.js b/packages/meteor-useraccounts-core/package.js new file mode 100644 index 00000000..f6e0ca32 --- /dev/null +++ b/packages/meteor-useraccounts-core/package.js @@ -0,0 +1,94 @@ +'use strict'; + +Package.describe({ + summary: 'Meteor sign up and sign in templates core package.', + version: '1.14.2', + name: 'useraccounts:core', + git: 'https://github.com/meteor-useraccounts/core.git', +}); + +Package.onUse(function(api) { + //api.versionsFrom('METEOR@1.0.3'); + + api.use([ + 'accounts-base', + 'check', + 'underscore', + 'reactive-var', + ], ['client', 'server']); + + api.use([ + 'blaze', + 'reactive-dict', + 'templating', + 'jquery' + ], 'client'); + + api.use([ + 'http' + ], 'server'); + + api.imply([ + 'accounts-base', + 'softwarerero:accounts-t9n@1.3.3', + ], ['client', 'server']); + + api.imply([ + 'templating', + ], ['client']); + + api.addFiles([ + 'lib/field.js', + 'lib/core.js', + 'lib/server.js', + 'lib/methods.js', + 'lib/server_methods.js', + ], ['server']); + + api.addFiles([ + 'lib/utils.js', + 'lib/field.js', + 'lib/core.js', + 'lib/client.js', + 'lib/templates_helpers/at_error.js', + 'lib/templates_helpers/at_form.js', + 'lib/templates_helpers/at_input.js', + 'lib/templates_helpers/at_nav_button.js', + 'lib/templates_helpers/at_oauth.js', + 'lib/templates_helpers/at_pwd_form.js', + 'lib/templates_helpers/at_pwd_form_btn.js', + 'lib/templates_helpers/at_pwd_link.js', + 'lib/templates_helpers/at_reCaptcha.js', + 'lib/templates_helpers/at_resend_verification_email_link.js', + 'lib/templates_helpers/at_result.js', + 'lib/templates_helpers/at_sep.js', + 'lib/templates_helpers/at_signin_link.js', + 'lib/templates_helpers/at_signup_link.js', + 'lib/templates_helpers/at_social.js', + 'lib/templates_helpers/at_terms_link.js', + 'lib/templates_helpers/at_title.js', + 'lib/templates_helpers/at_message.js', + 'lib/templates_helpers/ensure_signed_in.html', + 'lib/templates_helpers/ensure_signed_in.js', + 'lib/methods.js', + ], ['client']); + + api.export([ + 'AccountsTemplates', + ], ['client', 'server']); +}); + +Package.onTest(function(api) { + api.use('useraccounts:core@1.14.2'); + + api.use([ + 'accounts-password', + 'tinytest', + 'test-helpers', + 'underscore', + ], ['client', 'server']); + + api.addFiles([ + 'tests/tests.js', + ], ['client', 'server']); +}); diff --git a/packages/meteor-useraccounts-core/tests/tests.js b/packages/meteor-useraccounts-core/tests/tests.js new file mode 100644 index 00000000..985200a3 --- /dev/null +++ b/packages/meteor-useraccounts-core/tests/tests.js @@ -0,0 +1,215 @@ +Tinytest.add("AccountsTemplates - addField/removeField", function(test) { + // Calls after AccountsTemplates.init() + AccountsTemplates._initialized = true; + test.throws(function() { + AccountsTemplates.addField(""); + }, function(err) { + if (err instanceof Error && err.message === "AccountsTemplates.addField should strictly be called before AccountsTemplates.init!") + return true; + }); + test.throws(function() { + AccountsTemplates.removeField(""); + }, function(err) { + if (err instanceof Error && err.message === "AccountsTemplates.removeField should strictly be called before AccountsTemplates.init!") + return true; + }); + AccountsTemplates._initialized = false; + + // Trying to remove a non-existing field + test.throws(function() { + AccountsTemplates.removeField("foo"); + }, function(err) { + if (err instanceof Error && err.message == "A field called foo does not exist!") + return true; + }); + + // Trying to remove an existing field + var email = AccountsTemplates.removeField("email"); + test.isUndefined(AccountsTemplates.getField("email")); + // ...and puts it back in for tests re-run + AccountsTemplates.addField(email); + + // Trying to add an already existing field + test.throws(function() { + var pwd = AccountsTemplates.getField("password"); + AccountsTemplates.addField(pwd); + }, function(err) { + if (err instanceof Error && err.message == "A field called password already exists!") + return true; + }); + + var login = { + _id: "login", + displayName: "Email", + type: "email" + }; + + // Successful add + AccountsTemplates.addField(login); + // ...and removes it for tests re-run + AccountsTemplates.removeField("login"); + + // Invalid field.type + test.throws(function() { + AccountsTemplates.addField({ + _id: "foo", + displayName: "Foo", + type: "bar" + }); + }, function(err) { + if (err instanceof Error && err.message == "field.type is not valid!") + return true; + }); + + // Invalid minLength + test.throws(function() { + AccountsTemplates.addField({ + _id: "first-name", + displayName: "First Name", + type: "text", + minLength: 0 + }); + }, function(err) { + if (err instanceof Error && err.message == "field.minLength should be greater than zero!") + return true; + }); + // Invalid maxLength + test.throws(function() { + AccountsTemplates.addField({ + _id: "first-name", + displayName: "First Name", + type: "text", + maxLength: 0 + }); + }, function(err) { + if (err instanceof Error && err.message == "field.maxLength should be greater than zero!") + return true; + }); + // maxLength < minLength + test.throws(function() { + AccountsTemplates.addField({ + _id: "first-name", + displayName: "First Name", + type: "text", + minLength: 2, + maxLength: 1 + }); + }, function(err) { + if (err instanceof Error && err.message == "field.maxLength should be greater than field.maxLength!") + return true; + }); + + // Successful add + var first_name = { + _id: "first_name", + displayName: "First Name", + type: "text", + minLength: 2, + maxLength: 50, + required: true + }; + AccountsTemplates.addField(first_name); + // Now removes it to be consistent with tests re-run + AccountsTemplates.removeField("first_name"); +}); + + +Tinytest.add("AccountsTemplates - addFields", function(test) { + // Fake uninitialized state... + AccountsTemplates._initialized = false; + + if (Meteor.isClient) { + // addFields does not exist client-side + test.throws(function() { + AccountsTemplates.addFields(); + }); + } else { + // Not an array of objects + test.throws(function() { + AccountsTemplates.addFields(""); + }, function(err) { + if (err instanceof Error && err.message === "field argument should be an array of valid field objects!") + return true; + }); + test.throws(function() { + AccountsTemplates.addFields(100); + }, function(err) { + if (err instanceof Error && err.message === "field argument should be an array of valid field objects!") + return true; + }); + // Empty array + test.throws(function() { + AccountsTemplates.addFields([]); + }, function(err) { + if (err instanceof Error && err.message === "field argument should be an array of valid field objects!") + return true; + }); + + // Successful add + var first_name = { + _id: "first_name", + displayName: "First Name", + type: "text", + minLength: 2, + maxLength: 50, + required: true + }; + var last_name = { + _id: "last_name", + displayName: "Last Name", + type: "text", + minLength: 2, + maxLength: 100, + required: false + }; + AccountsTemplates.addFields([first_name, last_name]); + // Now removes ot to be consistend with tests re-run + AccountsTemplates.removeField("first_name"); + AccountsTemplates.removeField("last_name"); + } + // Restores initialized state... + AccountsTemplates._initialized = true; +}); + + +Tinytest.add("AccountsTemplates - setState/getState", function(test) { + if (Meteor.isServer) { + // getState does not exist server-side + test.throws(function() { + AccountsTemplates.getState(); + }); + // setState does not exist server-side + test.throws(function() { + AccountsTemplates.setState(); + }); + } else { + _.each(AccountsTemplates.STATES, function(state){ + AccountsTemplates.setState(state); + test.equal(AccountsTemplates.getState(), state); + }); + // Setting an invalid state should throw a Meteor.Error + test.throws(function() { + AccountsTemplates.setState("foo"); + }, function(err) { + if (err instanceof Meteor.Error && err.details == "accounts-templates-core package got an invalid state value!") + return true; + }); + } +}); + + +// ------------------------------------- +// TODO: complite the following tests... +// ------------------------------------- + + +Tinytest.add("AccountsTemplates - configure", function(test) { + if (Meteor.isClient) { + // configure does not exist client-side + test.throws(function() { + AccountsTemplates.configure({}); + }); + } else { + // TODO: write actual tests... + } +}); \ No newline at end of file diff --git a/packages/wekan-accounts-cas/LICENSE b/packages/wekan-accounts-cas/LICENSE new file mode 100644 index 00000000..c2d69158 --- /dev/null +++ b/packages/wekan-accounts-cas/LICENSE @@ -0,0 +1,21 @@ +The MIT License (MIT) + +Copyright (c) 2014-2019 The Wekan Team + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in all +copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE +SOFTWARE. diff --git a/packages/wekan-accounts-cas/README.md b/packages/wekan-accounts-cas/README.md new file mode 100644 index 00000000..3e246c4f --- /dev/null +++ b/packages/wekan-accounts-cas/README.md @@ -0,0 +1,88 @@ +This is a merged repository of useful forks of: atoy40:accounts-cas +=================== +([(https://atmospherejs.com/atoy40/accounts-cas](https://atmospherejs.com/atoy40/accounts-cas)) + +## Essential improvements by ppoulard to atoy40 and xaionaro versions + +* Added support of CAS attributes + +With this plugin, you can pick CAS attributes : https://github.com/joshchan/node-cas/wiki/CAS-Attributes + +Moved to Wekan GitHub org from from https://github.com/ppoulard/meteor-accounts-cas + +## Install + +``` +cd ~site +mkdir packages +cd packages +git clone https://github.com/wekan/meteor-accounts-cas +cd ~site +meteor add wekan:accounts-cas +``` + +## Usage + +Put CAS settings in Meteor.settings (for example using METEOR_SETTINGS env or --settings) like so: + +If casVersion is not defined, it will assume you use CAS 1.0. (note by xaionaro: option `casVersion` seems to be just ignored in the code, ATM). + +Server side settings: + +``` +Meteor.settings = { + "cas": { + "baseUrl": "https://cas.example.com/cas", + "autoClose": true, + "validateUrl":"https://cas.example.com/cas/p3/serviceValidate", + "casVersion": 3.0, + "attributes": { + "debug" : true + } + }, +} +``` + +CAS `attributes` settings : + +* `attributes`: by default `{}` : all default values below will apply +* * `debug` : by default `false` ; `true` will print to the server console the CAS attribute names to map, the CAS attributes values retrieved, if necessary the new user account created, and finally the user to use +* * `id` : by default, the CAS user is used for the user account, but you can specified another CAS attribute +* * `firstname` : by default `cas:givenName` ; but you can use your own CAS attribute +* * `lastname` : by default `cas:sn` (respectively) ; but you can use your own CAS attribute +* * `fullname` : by default unused, but if you specify your own CAS attribute, it will be used instead of the `firstname` + `lastname` +* * `mail` : by default `cas:mail` + +Client side settings: + +``` +Meteor.settings = { + "public": { + "cas": { + "loginUrl": "https://cas.example.com/login", + "serviceParam": "service", + "popupWidth": 810, + "popupHeight": 610, + "popup": true, + } + } +} +``` + +`proxyUrl` is not required. Setup [ROOT_URL](http://docs.meteor.com/api/core.html#Meteor-absoluteUrl) environment variable instead. + +Then, to start authentication, you have to call the following method from the client (for example in a click handler) : + +``` +Meteor.loginWithCas([callback]); +``` + +It must open a popup containing you CAS login form or redirect to the CAS login form (depending on "popup" setting). + +If popup is disabled (== false), then it's required to execute `Meteor.initCas([callback])` in `Meteor.startup` of the client side. ATM, `Meteor.initCas()` completes authentication. + +## Examples + +* [https://devel.mephi.ru/dyokunev/start-mephi-ru](https://devel.mephi.ru/dyokunev/start-mephi-ru) + + diff --git a/packages/wekan-accounts-cas/cas_client.js b/packages/wekan-accounts-cas/cas_client.js new file mode 100644 index 00000000..bd94be6b --- /dev/null +++ b/packages/wekan-accounts-cas/cas_client.js @@ -0,0 +1,112 @@ + +function addParameterToURL(url, param){ + var urlSplit = url.split('?'); + return url+(urlSplit.length>0 ? '?':'&') + param; +} + +Meteor.initCas = function(callback) { + const casTokenMatch = window.location.href.match(/[?&]casToken=([^&]+)/); + if (casTokenMatch == null) { + return; + } + + window.history.pushState('', document.title, window.location.href.replace(/([&?])casToken=[^&]+[&]?/, '$1').replace(/[?&]+$/g, '')); + + Accounts.callLoginMethod({ + methodArguments: [{ cas: { credentialToken: casTokenMatch[1] } }], + userCallback: function(err){ + if (err == null) { + // should we do anything on success? + } + if (callback != null) { + callback(err); + } + } + }); +} + +Meteor.loginWithCas = function(options, callback) { + + var credentialToken = Random.id(); + + if (!Meteor.settings.public && + !Meteor.settings.public.cas && + !Meteor.settings.public.cas.loginUrl) { + return; + } + + var settings = Meteor.settings.public.cas; + + var backURL = window.location.href.replace('#', ''); + if (options != null && options.redirectUrl != null) + backURL = options.redirectUrl; + + var serviceURL = addParameterToURL(backURL, 'casToken='+credentialToken); + + var loginUrl = settings.loginUrl + + "?" + (settings.serviceParam || "service") + "=" + + encodeURIComponent(serviceURL) + + if (settings.popup == false) { + window.location = loginUrl; + return; + } + + var popup = openCenteredPopup( + loginUrl, + settings.width || 800, + settings.height || 600 + ); + + var checkPopupOpen = setInterval(function() { + try { + if(popup && popup.document && popup.document.getElementById('popupCanBeClosed')) { + popup.close(); + } + // Fix for #328 - added a second test criteria (popup.closed === undefined) + // to humour this Android quirk: + // http://code.google.com/p/android/issues/detail?id=21061 + var popupClosed = popup.closed || popup.closed === undefined; + } catch (e) { + // For some unknown reason, IE9 (and others?) sometimes (when + // the popup closes too quickly?) throws "SCRIPT16386: No such + // interface supported" when trying to read 'popup.closed'. Try + // again in 100ms. + return; + } + + if (popupClosed) { + clearInterval(checkPopupOpen); + + // check auth on server. + Accounts.callLoginMethod({ + methodArguments: [{ cas: { credentialToken: credentialToken } }], + userCallback: callback + }); + } + }, 100); +}; + +var openCenteredPopup = function(url, width, height) { + var screenX = typeof window.screenX !== 'undefined' + ? window.screenX : window.screenLeft; + var screenY = typeof window.screenY !== 'undefined' + ? window.screenY : window.screenTop; + var outerWidth = typeof window.outerWidth !== 'undefined' + ? window.outerWidth : document.body.clientWidth; + var outerHeight = typeof window.outerHeight !== 'undefined' + ? window.outerHeight : (document.body.clientHeight - 22); + // XXX what is the 22? + + // Use `outerWidth - width` and `outerHeight - height` for help in + // positioning the popup centered relative to the current window + var left = screenX + (outerWidth - width) / 2; + var top = screenY + (outerHeight - height) / 2; + var features = ('width=' + width + ',height=' + height + + ',left=' + left + ',top=' + top + ',scrollbars=yes'); + + var newwindow = window.open(url, '_blank', features); + if (newwindow.focus) + newwindow.focus(); + return newwindow; +}; diff --git a/packages/wekan-accounts-cas/cas_client_cordova.js b/packages/wekan-accounts-cas/cas_client_cordova.js new file mode 100644 index 00000000..c7f95b50 --- /dev/null +++ b/packages/wekan-accounts-cas/cas_client_cordova.js @@ -0,0 +1,71 @@ + +Meteor.loginWithCas = function(callback) { + + var credentialToken = Random.id(); + + if (!Meteor.settings.public && + !Meteor.settings.public.cas && + !Meteor.settings.public.cas.loginUrl) { + return; + } + + var settings = Meteor.settings.public.cas; + + var loginUrl = settings.loginUrl + + "?" + (settings.service || "service") + "=" + + Meteor.absoluteUrl('_cas/') + + credentialToken; + + + var fail = function (err) { + Meteor._debug("Error from OAuth popup: " + JSON.stringify(err)); + }; + + // When running on an android device, we sometimes see the + // `pageLoaded` callback fire twice for the final page in the OAuth + // popup, even though the page only loads once. This is maybe an + // Android bug or maybe something intentional about how onPageFinished + // works that we don't understand and isn't well-documented. + var oauthFinished = false; + + var pageLoaded = function (event) { + if (oauthFinished) { + return; + } + + if (event.url.indexOf(Meteor.absoluteUrl('_cas')) === 0) { + + oauthFinished = true; + + // On iOS, this seems to prevent "Warning: Attempt to dismiss from + // view controller <MainViewController: ...> while a presentation + // or dismiss is in progress". My guess is that the last + // navigation of the OAuth popup is still in progress while we try + // to close the popup. See + // https://issues.apache.org/jira/browse/CB-2285. + // + // XXX Can we make this timeout smaller? + setTimeout(function () { + popup.close(); + // check auth on server. + Accounts.callLoginMethod({ + methodArguments: [{ cas: { credentialToken: credentialToken } }], + userCallback: callback + }); + }, 100); + } + }; + + var onExit = function () { + popup.removeEventListener('loadstop', pageLoaded); + popup.removeEventListener('loaderror', fail); + popup.removeEventListener('exit', onExit); + }; + + var popup = window.open(loginUrl, '_blank', 'location=no,hidden=no'); + popup.addEventListener('loadstop', pageLoaded); + popup.addEventListener('loaderror', fail); + popup.addEventListener('exit', onExit); + popup.show(); + +}; \ No newline at end of file diff --git a/packages/wekan-accounts-cas/cas_server.js b/packages/wekan-accounts-cas/cas_server.js new file mode 100644 index 00000000..15c1b174 --- /dev/null +++ b/packages/wekan-accounts-cas/cas_server.js @@ -0,0 +1,281 @@ +"use strict"; + +const Fiber = Npm.require('fibers'); +const https = Npm.require('https'); +const url = Npm.require('url'); +const xmlParser = Npm.require('xml2js'); + +// Library +class CAS { + constructor(options) { + options = options || {}; + + if (!options.validate_url) { + throw new Error('Required CAS option `validateUrl` missing.'); + } + + if (!options.service) { + throw new Error('Required CAS option `service` missing.'); + } + + const cas_url = url.parse(options.validate_url); + if (cas_url.protocol != 'https:' ) { + throw new Error('Only https CAS servers are supported.'); + } else if (!cas_url.hostname) { + throw new Error('Option `validateUrl` must be a valid url like: https://example.com/cas/serviceValidate'); + } else { + this.hostname = cas_url.host; + this.port = 443;// Should be 443 for https + this.validate_path = cas_url.pathname; + } + + this.service = options.service; + } + + validate(ticket, callback) { + const httparams = { + host: this.hostname, + port: this.port, + path: url.format({ + pathname: this.validate_path, + query: {ticket: ticket, service: this.service}, + }), + }; + + https.get(httparams, (res) => { + res.on('error', (e) => { + console.log('error' + e); + callback(e); + }); + + // Read result + res.setEncoding('utf8'); + let response = ''; + res.on('data', (chunk) => { + response += chunk; + }); + + res.on('end', (error) => { + if (error) { + console.log('error callback'); + console.log(error); + callback(undefined, false); + } else { + xmlParser.parseString(response, (err, result) => { + if (err) { + console.log('Bad response format.'); + callback({message: 'Bad response format. XML could not parse it'}); + } else { + if (result['cas:serviceResponse'] == null) { + console.log('Empty response.'); + callback({message: 'Empty response.'}); + } + if (result['cas:serviceResponse']['cas:authenticationSuccess']) { + var userData = { + id: result['cas:serviceResponse']['cas:authenticationSuccess'][0]['cas:user'][0].toLowerCase(), + } + const attributes = result['cas:serviceResponse']['cas:authenticationSuccess'][0]['cas:attributes'][0]; + for (var fieldName in attributes) { + userData[fieldName] = attributes[fieldName][0]; + }; + callback(undefined, true, userData); + } else { + callback(undefined, false); + } + } + }); + } + }); + }); + } +} +////// END OF CAS MODULE + +let _casCredentialTokens = {}; +let _userData = {}; + +//RoutePolicy.declare('/_cas/', 'network'); + +// Listen to incoming OAuth http requests +WebApp.connectHandlers.use((req, res, next) => { + // Need to create a Fiber since we're using synchronous http calls and nothing + // else is wrapping this in a fiber automatically + + Fiber(() => { + middleware(req, res, next); + }).run(); +}); + +const middleware = (req, res, next) => { + // Make sure to catch any exceptions because otherwise we'd crash + // the runner + try { + urlParsed = url.parse(req.url, true); + + // Getting the ticket (if it's defined in GET-params) + // If no ticket, then request will continue down the default + // middlewares. + const query = urlParsed.query; + if (query == null) { + next(); + return; + } + const ticket = query.ticket; + if (ticket == null) { + next(); + return; + } + + const serviceUrl = Meteor.absoluteUrl(urlParsed.href.replace(/^\//g, '')).replace(/([&?])ticket=[^&]+[&]?/g, '$1').replace(/[?&]+$/g, ''); + const redirectUrl = serviceUrl;//.replace(/([&?])casToken=[^&]+[&]?/g, '$1').replace(/[?&]+$/g, ''); + + // get auth token + const credentialToken = query.casToken; + if (!credentialToken) { + end(res, redirectUrl); + return; + } + + // validate ticket + casValidate(req, ticket, credentialToken, serviceUrl, () => { + end(res, redirectUrl); + }); + + } catch (err) { + console.log("account-cas: unexpected error : " + err.message); + end(res, redirectUrl); + } +}; + +const casValidate = (req, ticket, token, service, callback) => { + // get configuration + if (!Meteor.settings.cas/* || !Meteor.settings.cas.validate*/) { + throw new Error('accounts-cas: unable to get configuration.'); + } + + const cas = new CAS({ + validate_url: Meteor.settings.cas.validateUrl, + service: service, + version: Meteor.settings.cas.casVersion + }); + + cas.validate(ticket, (err, status, userData) => { + if (err) { + console.log("accounts-cas: error when trying to validate " + err); + console.log(err); + } else { + if (status) { + console.log(`accounts-cas: user validated ${userData.id} + (${JSON.stringify(userData)})`); + _casCredentialTokens[token] = { id: userData.id }; + _userData = userData; + } else { + console.log("accounts-cas: unable to validate " + ticket); + } + } + callback(); + }); + + return; +}; + +/* + * Register a server-side login handle. + * It is call after Accounts.callLoginMethod() is call from client. + */ + Accounts.registerLoginHandler((options) => { + if (!options.cas) + return undefined; + + if (!_hasCredential(options.cas.credentialToken)) { + throw new Meteor.Error(Accounts.LoginCancelledError.numericError, + 'no matching login attempt found'); + } + + const result = _retrieveCredential(options.cas.credentialToken); + + const attrs = Meteor.settings.cas.attributes || {}; + // CAS keys + const fn = attrs.firstname || 'cas:givenName'; + const ln = attrs.lastname || 'cas:sn'; + const full = attrs.fullname; + const mail = attrs.mail || 'cas:mail'; // or 'email' + const uid = attrs.id || 'id'; + if (attrs.debug) { + if (full) { + console.log(`CAS fields : id:"${uid}", fullname:"${full}", mail:"${mail}"`); + } else { + console.log(`CAS fields : id:"${uid}", firstname:"${fn}", lastname:"${ln}", mail:"${mail}"`); + } + } + const name = full ? _userData[full] : _userData[fn] + ' ' + _userData[ln]; + // https://docs.meteor.com/api/accounts.html#Meteor-users + options = { + // _id: Meteor.userId() + username: _userData[uid], // Unique name + emails: [ + { address: _userData[mail], verified: true } + ], + createdAt: new Date(), + profile: { + // The profile is writable by the user by default. + name: name, + fullname : name, + email : _userData[mail] + }, + active: true, + globalRoles: ['user'] + }; + if (attrs.debug) { + console.log(`CAS response : ${JSON.stringify(result)}`); + } + let user = Meteor.users.findOne({ 'username': options.username }); + if (! user) { + if (attrs.debug) { + console.log(`Creating user account ${JSON.stringify(options)}`); + } + const userId = Accounts.insertUserDoc({}, options); + user = Meteor.users.findOne(userId); + } + if (attrs.debug) { + console.log(`Using user account ${JSON.stringify(user)}`); + } + return { userId: user._id }; +}); + +const _hasCredential = (credentialToken) => { + return _.has(_casCredentialTokens, credentialToken); +} + +/* + * Retrieve token and delete it to avoid replaying it. + */ +const _retrieveCredential = (credentialToken) => { + const result = _casCredentialTokens[credentialToken]; + delete _casCredentialTokens[credentialToken]; + return result; +} + +const closePopup = (res) => { + if (Meteor.settings.cas && Meteor.settings.cas.popup == false) { + return; + } + res.writeHead(200, {'Content-Type': 'text/html'}); + const content = '<html><body><div id="popupCanBeClosed"></div></body></html>'; + res.end(content, 'utf-8'); +} + +const redirect = (res, whereTo) => { + res.writeHead(302, {'Location': whereTo}); + const content = '<html><head><meta http-equiv="refresh" content="0; url='+whereTo+'" /></head><body>Redirection to <a href='+whereTo+'>'+whereTo+'</a></body></html>'; + res.end(content, 'utf-8'); + return +} + +const end = (res, whereTo) => { + if (Meteor.settings.cas && Meteor.settings.cas.popup == false) { + redirect(res, whereTo); + } else { + closePopup(res); + } +} diff --git a/packages/wekan-accounts-cas/package.js b/packages/wekan-accounts-cas/package.js new file mode 100644 index 00000000..d4b46c54 --- /dev/null +++ b/packages/wekan-accounts-cas/package.js @@ -0,0 +1,29 @@ +Package.describe({ + summary: "CAS support for accounts", + version: "0.1.0", + name: "wekan-accounts-cas", + git: "https://github.com/wekan/wekan-accounts-cas" +}); + +Package.onUse(function(api) { + api.versionsFrom('METEOR@1.3.5.1'); + api.use('routepolicy', 'server'); + api.use('webapp', 'server'); + api.use('accounts-base', ['client', 'server']); + // Export Accounts (etc) to packages using this one. + api.imply('accounts-base', ['client', 'server']); + api.use('underscore'); + api.add_files('cas_client.js', 'web.browser'); + api.add_files('cas_client_cordova.js', 'web.cordova'); + api.add_files('cas_server.js', 'server'); + +}); + +Npm.depends({ + xml2js: "0.4.17", + cas: "https://github.com/anrizal/node-cas/tarball/2baed530842e7a437f8f71b9346bcac8e84773cc" +}); + +Cordova.depends({ + 'cordova-plugin-inappbrowser': '1.2.0' +}); diff --git a/packages/wekan-accounts-oidc/.gitignore b/packages/wekan-accounts-oidc/.gitignore new file mode 100644 index 00000000..5379d4c3 --- /dev/null +++ b/packages/wekan-accounts-oidc/.gitignore @@ -0,0 +1 @@ +.versions diff --git a/packages/wekan-accounts-oidc/LICENSE.txt b/packages/wekan-accounts-oidc/LICENSE.txt new file mode 100644 index 00000000..c7be3264 --- /dev/null +++ b/packages/wekan-accounts-oidc/LICENSE.txt @@ -0,0 +1,14 @@ +Copyright (C) 2016 SWITCH + +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. + diff --git a/packages/wekan-accounts-oidc/README.md b/packages/wekan-accounts-oidc/README.md new file mode 100644 index 00000000..ce0b5738 --- /dev/null +++ b/packages/wekan-accounts-oidc/README.md @@ -0,0 +1,75 @@ +# salleman:accounts-oidc package + +A Meteor login service for OpenID Connect (OIDC). + +## Installation + + meteor add salleman:accounts-oidc + +## Usage + +`Meteor.loginWithOidc(options, callback)` +* `options` - object containing options, see below (optional) +* `callback` - callback function (optional) + +#### Example + +```js +Template.myTemplateName.events({ + 'click #login-button': function() { + Meteor.loginWithOidc(); + } +); +``` + + +## Options + +These options override service configuration stored in the database. + +* `loginStyle`: `redirect` or `popup` +* `redirectUrl`: Where to redirect after successful login. Only used if `loginStyle` is set to `redirect` + +## Manual Configuration Setup + +You can manually configure this package by upserting the service configuration on startup. First, add the `service-configuration` package: + + meteor add service-configuration + +### Service Configuration + +The following service configuration are available: + +* `clientId`: OIDC client identifier +* `secret`: OIDC client shared secret +* `serverUrl`: URL of the OIDC server. e.g. `https://openid.example.org:8443` +* `authorizationEndpoint`: Endpoint of the OIDC authorization service, e.g. `/oidc/authorize` +* `tokenEndpoint`: Endpoint of the OIDC token service, e.g. `/oidc/token` +* `userinfoEndpoint`: Endpoint of the OIDC userinfo service, e.g. `/oidc/userinfo` +* `idTokenWhitelistFields`: A list of fields from IDToken to be added to Meteor.user().services.oidc object + +### Project Configuration + +Then in your project: + +```js +if (Meteor.isServer) { + Meteor.startup(function () { + ServiceConfiguration.configurations.upsert( + { service: 'oidc' }, + { + $set: { + loginStyle: 'redirect', + clientId: 'my-client-id-registered-with-the-oidc-server', + secret: 'my-client-shared-secret', + serverUrl: 'https://openid.example.org', + authorizationEndpoint: '/oidc/authorize', + tokenEndpoint: '/oidc/token', + userinfoEndpoint: '/oidc/userinfo', + idTokenWhitelistFields: [] + } + } + ); + }); +} +``` diff --git a/packages/wekan-accounts-oidc/oidc.js b/packages/wekan-accounts-oidc/oidc.js new file mode 100644 index 00000000..75cd89ae --- /dev/null +++ b/packages/wekan-accounts-oidc/oidc.js @@ -0,0 +1,22 @@ +Accounts.oauth.registerService('oidc'); + +if (Meteor.isClient) { + Meteor.loginWithOidc = function(options, callback) { + // support a callback without options + if (! callback && typeof options === "function") { + callback = options; + options = null; + } + + var credentialRequestCompleteCallback = Accounts.oauth.credentialRequestCompleteHandler(callback); + Oidc.requestCredential(options, credentialRequestCompleteCallback); + }; +} else { + Accounts.addAutopublishFields({ + // not sure whether the OIDC api can be used from the browser, + // thus not sure if we should be sending access tokens; but we do it + // for all other oauth2 providers, and it may come in handy. + forLoggedInUser: ['services.oidc'], + forOtherUsers: ['services.oidc.id'] + }); +} diff --git a/packages/wekan-accounts-oidc/oidc_login_button.css b/packages/wekan-accounts-oidc/oidc_login_button.css new file mode 100644 index 00000000..da42120b --- /dev/null +++ b/packages/wekan-accounts-oidc/oidc_login_button.css @@ -0,0 +1,3 @@ +#login-buttons-image-oidc { + background-image: url('data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABAAAAAQCAYAAAAf8/9hAAACQUlEQVQ4T5WTy2taQRTGv4kSXw0IoYIihCjFmhhfhUqW9a+o0I2LInTRRbtw05V2I9KQuuimi24KXQqChIhQQcQgGGNz0YpvMCG1yL1tGqvBZsKMIIXcjQcOcznnfL+ZOecOEUVx4/Ly8mQ6neqxhKlUKmltbc1Nut2uqJ/bEnJAkiTmEhEEgVqtViiVyjuAP70j/Pj6Htbglzu52WyGdrsNUq1Wqc1mk939+9sHPP7wTVM232g0QMrlMrXb7bIFndgcbAk3ZPP1eh2kVCrRra2tRcFoNEK1WoXf78fg3Rxsfl3H3t4e3G43dnd3wWrMZjNqtRpIsVhcAFKpFPL5PBfF43H8TDj49/2XAvb393F2dgaNRgNKKaLR6ByQz+epw+HAwcEBisUijEYjgsEg1Go1pA9ODtC/+MZFDCKKIo9FIhEIggCSy+Xozs4OYrEY2ChDoRAIIVww/ujhxdrnFTSbTX6Cfr+Pi4sLhMNhnJ6egmSzWepyuZBIJGAwGBAIBLiY2ezTI74qg2UoFIqFr6ys4OrqiveKHB4eckAmk8FgMMD29jZ8Ph8XKj4/5uu/ZyXZKXBAOp2mHo+H/0isD6zDOp0Om5ubsAuvcA+/8ffpkSygUqmApFIp6vV6+b2ZsNfrodVqYTgcwqXtwul04pfhiSzg+PgYJJlMUovFwhvIbHV1lTs70c3NDSaTCa6vr+8A2FvodDr8CmwuepPJtIDIbvdfkInPz89ZRCKFQmFjNBqdjMfjpZ6jVquV1tfX3bcYegI7CyIWlgAAAABJRU5ErkJggg=='); +} diff --git a/packages/wekan-accounts-oidc/package.js b/packages/wekan-accounts-oidc/package.js new file mode 100644 index 00000000..251fb265 --- /dev/null +++ b/packages/wekan-accounts-oidc/package.js @@ -0,0 +1,19 @@ +Package.describe({ + summary: "OpenID Connect (OIDC) for Meteor accounts", + version: "1.0.10", + name: "wekan-accounts-oidc", + git: "https://github.com/wekan/meteor-accounts-oidc.git", + +}); + +Package.onUse(function(api) { + api.use('accounts-base@1.2.0', ['client', 'server']); + // Export Accounts (etc) to packages using this one. + api.imply('accounts-base', ['client', 'server']); + api.use('accounts-oauth@1.1.0', ['client', 'server']); + api.use('wekan-oidc@1.0.10', ['client', 'server']); + + api.addFiles('oidc_login_button.css', 'client'); + + api.addFiles('oidc.js'); +}); diff --git a/packages/wekan-ldap/LICENSE b/packages/wekan-ldap/LICENSE new file mode 100644 index 00000000..c2d69158 --- /dev/null +++ b/packages/wekan-ldap/LICENSE @@ -0,0 +1,21 @@ +The MIT License (MIT) + +Copyright (c) 2014-2019 The Wekan Team + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in all +copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE +SOFTWARE. diff --git a/packages/wekan-ldap/README.md b/packages/wekan-ldap/README.md new file mode 100644 index 00000000..4f41d023 --- /dev/null +++ b/packages/wekan-ldap/README.md @@ -0,0 +1,130 @@ +# meteor-ldap + +This packages is based on the RocketChat ldap login package + +# settings definition + +LDAP_Enable: Self explanatory + +LDAP_Port: The port of the LDAP server + +LDAP_Host: The host server for the LDAP server + +LDAP_BaseDN: The base DN for the LDAP Tree + +LDAP_Login_Fallback: Fallback on the default authentication method + +LDAP_Reconnect: Reconnect to the server if the connection is lost + +LDAP_Timeout: self explanatory + +LDAP_Idle_Timeout: self explanatory + +LDAP_Connect_Timeout: self explanatory + +LDAP_Authentication: If the LDAP needs a user account to search + +LDAP_Authentication_UserDN: The search user DN + +LDAP_Authentication_Password: The password for the search user + +LDAP_Internal_Log_Level: The logging level for the module + +LDAP_Background_Sync: If the sync of the users should be done in the +background + +LDAP_Background_Sync_Interval: At which interval does the background task sync + +LDAP_Encryption: If using LDAPS, set it to 'ssl', else it will use 'ldap://' + +LDAP_CA_Cert: The certification for the LDAPS server + +LDAP_Reject_Unauthorized: Reject Unauthorized Certificate + +LDAP_User_Search_Filter: + +LDAP_User_Search_Scope: + +LDAP_User_Search_Field: Which field is used to find the user + +LDAP_Search_Page_Size: + +LDAP_Search_Size_Limit: + +LDAP_Group_Filter_Enable: enable group filtering + +LDAP_Group_Filter_ObjectClass: The object class for filtering + +LDAP_Group_Filter_Group_Id_Attribute: + +LDAP_Group_Filter_Group_Member_Attribute: + +LDAP_Group_Filter_Group_Member_Format: + +LDAP_Group_Filter_Group_Name: + +LDAP_Unique_Identifier_Field: This field is sometimes class GUID ( Globally Unique Identifier) + +UTF8_Names_Slugify: Convert the username to utf8 + +LDAP_Username_Field: Which field contains the ldap username + +LDAP_Fullname_Field: Which field contains the ldap full name + +LDAP_Email_Match_Enable: Allow existing account matching by e-mail address when username does not match + +LDAP_Email_Match_Require: Require existing account matching by e-mail address when username does match + +LDAP_Email_Match_Verified: Require existing account email address to be verified for matching + +LDAP_Email_Field: Which field contains the LDAP e-mail address + +LDAP_Sync_User_Data: + +LDAP_Sync_User_Data_FieldMap: + +Accounts_CustomFields: + +LDAP_Default_Domain: The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_Sync_User_Data_FieldMap + + + + +# example settings.json +``` +{ + "LDAP_Port": 389, + "LDAP_Host": "localhost", + "LDAP_BaseDN": "ou=user,dc=example,dc=org", + "LDAP_Login_Fallback": false, + "LDAP_Reconnect": true, + "LDAP_Timeout": 10000, + "LDAP_Idle_Timeout": 10000, + "LDAP_Connect_Timeout": 10000, + "LDAP_Authentication": true, + "LDAP_Authentication_UserDN": "cn=admin,dc=example,dc=org", + "LDAP_Authentication_Password": "admin", + "LDAP_Internal_Log_Level": "debug", + "LDAP_Background_Sync": false, + "LDAP_Background_Sync_Interval": "100", + "LDAP_Encryption": false, + "LDAP_Reject_Unauthorized": false, + "LDAP_Group_Filter_Enable": false, + "LDAP_Search_Page_Size": 0, + "LDAP_Search_Size_Limit": 0, + "LDAP_User_Search_Filter": "", + "LDAP_User_Search_Field": "uid", + "LDAP_User_Search_Scope": "", + "LDAP_Unique_Identifier_Field": "guid", + "LDAP_Username_Field": "uid", + "LDAP_Fullname_Field": "cn", + "LDAP_Email_Match_Enable": true, + "LDAP_Email_Match_Require": false, + "LDAP_Email_Match_Verified": false, + "LDAP_Email_Field": "mail", + "LDAP_Sync_User_Data": false, + "LDAP_Sync_User_Data_FieldMap": "{\"cn\":\"name\", \"mail\":\"email\"}", + "LDAP_Merge_Existing_Users": true, + "UTF8_Names_Slugify": true +} +``` diff --git a/packages/wekan-ldap/client/loginHelper.js b/packages/wekan-ldap/client/loginHelper.js new file mode 100644 index 00000000..48a290c1 --- /dev/null +++ b/packages/wekan-ldap/client/loginHelper.js @@ -0,0 +1,52 @@ +// Pass in username, password as normal +// customLdapOptions should be passed in if you want to override LDAP_DEFAULTS +// on any particular call (if you have multiple ldap servers you'd like to connect to) +// You'll likely want to set the dn value here {dn: "..."} +Meteor.loginWithLDAP = function(username, password, customLdapOptions, callback) { + // Retrieve arguments as array + const args = []; + for (let i = 0; i < arguments.length; i++) { + args.push(arguments[i]); + } + // Pull username and password + username = args.shift(); + password = args.shift(); + + // Check if last argument is a function + // if it is, pop it off and set callback to it + if (typeof args[args.length-1] === 'function') { + callback = args.pop(); + } else { + callback = null; + } + + // if args still holds options item, grab it + if (args.length > 0) { + customLdapOptions = args.shift(); + } else { + customLdapOptions = {}; + } + + // Set up loginRequest object + const loginRequest = { + ldap: true, + username, + ldapPass: password, + ldapOptions: customLdapOptions, + }; + + Accounts.callLoginMethod({ + // Call login method with ldap = true + // This will hook into our login handler for ldap + methodArguments: [loginRequest], + userCallback(error/*, result*/) { + if (error) { + if (callback) { + callback(error); + } + } else if (callback) { + callback(); + } + }, + }); +}; diff --git a/packages/wekan-ldap/package.js b/packages/wekan-ldap/package.js new file mode 100644 index 00000000..f6fbb458 --- /dev/null +++ b/packages/wekan-ldap/package.js @@ -0,0 +1,32 @@ +Package.describe({ + name: 'wekan:wekan-ldap', + version: '0.0.2', + // Brief, one-line summary of the package. + summary: 'Basic meteor login with ldap', + // URL to the Git repository containing the source code for this package. + git: 'https://github.com/wekan/wekan-ldap', + // By default, Meteor will default to using README.md for documentation. + // To avoid submitting documentation, set this field to null. + documentation: 'README.md' +}); + + +Package.onUse(function(api) { + api.versionsFrom('1.0.3.1'); + api.use('yasaricli:slugify@0.0.5'); + api.use('ecmascript@0.9.0'); + api.use('underscore'); + api.use('sha'); + api.use('templating', 'client'); + + api.use('accounts-base', 'server'); + api.use('accounts-password', 'server'); + + api.addFiles('client/loginHelper.js', 'client'); + + api.mainModule('server/index.js', 'server'); +}); + +Npm.depends({ + ldapjs: '1.0.2', +}); \ No newline at end of file diff --git a/packages/wekan-ldap/server/index.js b/packages/wekan-ldap/server/index.js new file mode 100644 index 00000000..e3ff85a1 --- /dev/null +++ b/packages/wekan-ldap/server/index.js @@ -0,0 +1 @@ +import './loginHandler'; diff --git a/packages/wekan-ldap/server/ldap.js b/packages/wekan-ldap/server/ldap.js new file mode 100644 index 00000000..555a30aa --- /dev/null +++ b/packages/wekan-ldap/server/ldap.js @@ -0,0 +1,555 @@ +import ldapjs from 'ldapjs'; +import util from 'util'; +import Bunyan from 'bunyan'; +import { log_debug, log_info, log_warn, log_error } from './logger'; + +export default class LDAP { + constructor(){ + this.ldapjs = ldapjs; + + this.connected = false; + + this.options = { + host: this.constructor.settings_get('LDAP_HOST'), + port: this.constructor.settings_get('LDAP_PORT'), + Reconnect: this.constructor.settings_get('LDAP_RECONNECT'), + timeout: this.constructor.settings_get('LDAP_TIMEOUT'), + connect_timeout: this.constructor.settings_get('LDAP_CONNECT_TIMEOUT'), + idle_timeout: this.constructor.settings_get('LDAP_IDLE_TIMEOUT'), + encryption: this.constructor.settings_get('LDAP_ENCRYPTION'), + ca_cert: this.constructor.settings_get('LDAP_CA_CERT'), + reject_unauthorized: this.constructor.settings_get('LDAP_REJECT_UNAUTHORIZED') || false, + Authentication: this.constructor.settings_get('LDAP_AUTHENTIFICATION'), + Authentication_UserDN: this.constructor.settings_get('LDAP_AUTHENTIFICATION_USERDN'), + Authentication_Password: this.constructor.settings_get('LDAP_AUTHENTIFICATION_PASSWORD'), + Authentication_Fallback: this.constructor.settings_get('LDAP_LOGIN_FALLBACK'), + BaseDN: this.constructor.settings_get('LDAP_BASEDN'), + Internal_Log_Level: this.constructor.settings_get('INTERNAL_LOG_LEVEL'), + User_Search_Filter: this.constructor.settings_get('LDAP_USER_SEARCH_FILTER'), + User_Search_Scope: this.constructor.settings_get('LDAP_USER_SEARCH_SCOPE'), + User_Search_Field: this.constructor.settings_get('LDAP_USER_SEARCH_FIELD'), + Search_Page_Size: this.constructor.settings_get('LDAP_SEARCH_PAGE_SIZE'), + Search_Size_Limit: this.constructor.settings_get('LDAP_SEARCH_SIZE_LIMIT'), + group_filter_enabled: this.constructor.settings_get('LDAP_GROUP_FILTER_ENABLE'), + group_filter_object_class: this.constructor.settings_get('LDAP_GROUP_FILTER_OBJECTCLASS'), + group_filter_group_id_attribute: this.constructor.settings_get('LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE'), + group_filter_group_member_attribute: this.constructor.settings_get('LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE'), + group_filter_group_member_format: this.constructor.settings_get('LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT'), + group_filter_group_name: this.constructor.settings_get('LDAP_GROUP_FILTER_GROUP_NAME'), + }; + } + + static settings_get(name, ...args) { + let value = process.env[name]; + if (value !== undefined) { + if (value === 'true' || value === 'false') { + value = JSON.parse(value); + } else if (value !== '' && !isNaN(value)) { + value = Number(value); + } + return value; + } else { + log_warn(`Lookup for unset variable: ${name}`); + } + } + connectSync(...args) { + if (!this._connectSync) { + this._connectSync = Meteor.wrapAsync(this.connectAsync, this); + } + return this._connectSync(...args); + } + + searchAllSync(...args) { + if (!this._searchAllSync) { + this._searchAllSync = Meteor.wrapAsync(this.searchAllAsync, this); + } + return this._searchAllSync(...args); + } + + connectAsync(callback) { + log_info('Init setup'); + + let replied = false; + + const connectionOptions = { + url: `${ this.options.host }:${ this.options.port }`, + timeout: this.options.timeout, + connectTimeout: this.options.connect_timeout, + idleTimeout: this.options.idle_timeout, + reconnect: this.options.Reconnect, + }; + + if (this.options.Internal_Log_Level !== 'disabled') { + connectionOptions.log = new Bunyan({ + name: 'ldapjs', + component: 'client', + stream: process.stderr, + level: this.options.Internal_Log_Level, + }); + } + + const tlsOptions = { + rejectUnauthorized: this.options.reject_unauthorized, + }; + + if (this.options.ca_cert && this.options.ca_cert !== '') { + // Split CA cert into array of strings + const chainLines = this.constructor.settings_get('LDAP_CA_CERT').split('\n'); + let cert = []; + const ca = []; + chainLines.forEach((line) => { + cert.push(line); + if (line.match(/-END CERTIFICATE-/)) { + ca.push(cert.join('\n')); + cert = []; + } + }); + tlsOptions.ca = ca; + } + + if (this.options.encryption === 'ssl') { + connectionOptions.url = `ldaps://${ connectionOptions.url }`; + connectionOptions.tlsOptions = tlsOptions; + } else { + connectionOptions.url = `ldap://${ connectionOptions.url }`; + } + + log_info('Connecting', connectionOptions.url); + log_debug(`connectionOptions${ util.inspect(connectionOptions)}`); + + this.client = ldapjs.createClient(connectionOptions); + + this.bindSync = Meteor.wrapAsync(this.client.bind, this.client); + + this.client.on('error', (error) => { + log_error('connection', error); + if (replied === false) { + replied = true; + callback(error, null); + } + }); + + this.client.on('idle', () => { + log_info('Idle'); + this.disconnect(); + }); + + this.client.on('close', () => { + log_info('Closed'); + }); + + if (this.options.encryption === 'tls') { + // Set host parameter for tls.connect which is used by ldapjs starttls. This shouldn't be needed in newer nodejs versions (e.g v5.6.0). + // https://github.com/RocketChat/Rocket.Chat/issues/2035 + // https://github.com/mcavage/node-ldapjs/issues/349 + tlsOptions.host = this.options.host; + + log_info('Starting TLS'); + log_debug('tlsOptions', tlsOptions); + + this.client.starttls(tlsOptions, null, (error, response) => { + if (error) { + log_error('TLS connection', error); + if (replied === false) { + replied = true; + callback(error, null); + } + return; + } + + log_info('TLS connected'); + this.connected = true; + if (replied === false) { + replied = true; + callback(null, response); + } + }); + } else { + this.client.on('connect', (response) => { + log_info('LDAP connected'); + this.connected = true; + if (replied === false) { + replied = true; + callback(null, response); + } + }); + } + + setTimeout(() => { + if (replied === false) { + log_error('connection time out', connectionOptions.connectTimeout); + replied = true; + callback(new Error('Timeout')); + } + }, connectionOptions.connectTimeout); + } + + getUserFilter(username) { + const filter = []; + + if (this.options.User_Search_Filter !== '') { + if (this.options.User_Search_Filter[0] === '(') { + filter.push(`${ this.options.User_Search_Filter }`); + } else { + filter.push(`(${ this.options.User_Search_Filter })`); + } + } + + const usernameFilter = this.options.User_Search_Field.split(',').map((item) => `(${ item }=${ username })`); + + if (usernameFilter.length === 0) { + log_error('LDAP_LDAP_User_Search_Field not defined'); + } else if (usernameFilter.length === 1) { + filter.push(`${ usernameFilter[0] }`); + } else { + filter.push(`(|${ usernameFilter.join('') })`); + } + + return `(&${ filter.join('') })`; + } + + bindIfNecessary() { + if (this.domainBinded === true) { + return; + } + + if (this.options.Authentication !== true) { + return; + } + + log_info('Binding UserDN', this.options.Authentication_UserDN); + this.bindSync(this.options.Authentication_UserDN, this.options.Authentication_Password); + this.domainBinded = true; + } + + searchUsersSync(username, page) { + this.bindIfNecessary(); + + const searchOptions = { + filter: this.getUserFilter(username), + scope: this.options.User_Search_Scope || 'sub', + sizeLimit: this.options.Search_Size_Limit, + }; + + if (this.options.Search_Page_Size > 0) { + searchOptions.paged = { + pageSize: this.options.Search_Page_Size, + pagePause: !!page, + }; + } + + log_info('Searching user', username); + log_debug('searchOptions', searchOptions); + log_debug('BaseDN', this.options.BaseDN); + + if (page) { + return this.searchAllPaged(this.options.BaseDN, searchOptions, page); + } + + return this.searchAllSync(this.options.BaseDN, searchOptions); + } + + getUserByIdSync(id, attribute) { + this.bindIfNecessary(); + + const Unique_Identifier_Field = this.constructor.settings_get('LDAP_UNIQUE_IDENTIFIER_FIELD').split(','); + + let filter; + + if (attribute) { + filter = new this.ldapjs.filters.EqualityFilter({ + attribute, + value: new Buffer(id, 'hex'), + }); + } else { + const filters = []; + Unique_Identifier_Field.forEach((item) => { + filters.push(new this.ldapjs.filters.EqualityFilter({ + attribute: item, + value: new Buffer(id, 'hex'), + })); + }); + + filter = new this.ldapjs.filters.OrFilter({filters}); + } + + const searchOptions = { + filter, + scope: 'sub', + }; + + log_info('Searching by id', id); + log_debug('search filter', searchOptions.filter.toString()); + log_debug('BaseDN', this.options.BaseDN); + + const result = this.searchAllSync(this.options.BaseDN, searchOptions); + + if (!Array.isArray(result) || result.length === 0) { + return; + } + + if (result.length > 1) { + log_error('Search by id', id, 'returned', result.length, 'records'); + } + + return result[0]; + } + + getUserByUsernameSync(username) { + this.bindIfNecessary(); + + const searchOptions = { + filter: this.getUserFilter(username), + scope: this.options.User_Search_Scope || 'sub', + }; + + log_info('Searching user', username); + log_debug('searchOptions', searchOptions); + log_debug('BaseDN', this.options.BaseDN); + + const result = this.searchAllSync(this.options.BaseDN, searchOptions); + + if (!Array.isArray(result) || result.length === 0) { + return; + } + + if (result.length > 1) { + log_error('Search by username', username, 'returned', result.length, 'records'); + } + + return result[0]; + } + + getUserGroups(username, ldapUser){ + if (!this.options.group_filter_enabled) { + return true; + } + + const filter = ['(&']; + + if (this.options.group_filter_object_class !== '') { + filter.push(`(objectclass=${ this.options.group_filter_object_class })`); + } + + if (this.options.group_filter_group_member_attribute !== '') { + const format_value = ldapUser[this.options.group_filter_group_member_format]; + if( format_value ) { + filter.push(`(${ this.options.group_filter_group_member_attribute }=${ format_value })`); + } + } + + filter.push(')'); + + const searchOptions = { + filter: filter.join('').replace(/#{username}/g, username), + scope: 'sub', + }; + + log_debug('Group list filter LDAP:', searchOptions.filter); + + const result = this.searchAllSync(this.options.BaseDN, searchOptions); + + if (!Array.isArray(result) || result.length === 0) { + return []; + } + + const grp_identifier = this.options.group_filter_group_id_attribute || 'cn'; + const groups = []; + result.map((item) => { + groups.push( item[ grp_identifier ] ); + }); + log_debug(`Groups: ${ groups.join(', ')}`); + return groups; + + } + + isUserInGroup(username, ldapUser) { + if (!this.options.group_filter_enabled) { + return true; + } + + const grps = this.getUserGroups(username, ldapUser); + + const filter = ['(&']; + + if (this.options.group_filter_object_class !== '') { + filter.push(`(objectclass=${ this.options.group_filter_object_class })`); + } + + if (this.options.group_filter_group_member_attribute !== '') { + const format_value = ldapUser[this.options.group_filter_group_member_format]; + if( format_value ) { + filter.push(`(${ this.options.group_filter_group_member_attribute }=${ format_value })`); + } + } + + if (this.options.group_filter_group_id_attribute !== '') { + filter.push(`(${ this.options.group_filter_group_id_attribute }=${ this.options.group_filter_group_name })`); + } + filter.push(')'); + + const searchOptions = { + filter: filter.join('').replace(/#{username}/g, username), + scope: 'sub', + }; + + log_debug('Group filter LDAP:', searchOptions.filter); + + const result = this.searchAllSync(this.options.BaseDN, searchOptions); + + if (!Array.isArray(result) || result.length === 0) { + return false; + } + return true; + } + + extractLdapEntryData(entry) { + const values = { + _raw: entry.raw, + }; + + Object.keys(values._raw).forEach((key) => { + const value = values._raw[key]; + + if (!['thumbnailPhoto', 'jpegPhoto'].includes(key)) { + if (value instanceof Buffer) { + values[key] = value.toString(); + } else { + values[key] = value; + } + } + }); + + return values; + } + + searchAllPaged(BaseDN, options, page) { + this.bindIfNecessary(); + + const processPage = ({entries, title, end, next}) => { + log_info(title); + // Force LDAP idle to wait the record processing + this.client._updateIdle(true); + page(null, entries, {end, next: () => { + // Reset idle timer + this.client._updateIdle(); + next && next(); + }}); + }; + + this.client.search(BaseDN, options, (error, res) => { + if (error) { + log_error(error); + page(error); + return; + } + + res.on('error', (error) => { + log_error(error); + page(error); + return; + }); + + let entries = []; + + const internalPageSize = options.paged && options.paged.pageSize > 0 ? options.paged.pageSize * 2 : 500; + + res.on('searchEntry', (entry) => { + entries.push(this.extractLdapEntryData(entry)); + + if (entries.length >= internalPageSize) { + processPage({ + entries, + title: 'Internal Page', + end: false, + }); + entries = []; + } + }); + + res.on('page', (result, next) => { + if (!next) { + this.client._updateIdle(true); + processPage({ + entries, + title: 'Final Page', + end: true, + }); + } else if (entries.length) { + log_info('Page'); + processPage({ + entries, + title: 'Page', + end: false, + next, + }); + entries = []; + } + }); + + res.on('end', () => { + if (entries.length) { + processPage({ + entries, + title: 'Final Page', + end: true, + }); + entries = []; + } + }); + }); + } + + searchAllAsync(BaseDN, options, callback) { + this.bindIfNecessary(); + + this.client.search(BaseDN, options, (error, res) => { + if (error) { + log_error(error); + callback(error); + return; + } + + res.on('error', (error) => { + log_error(error); + callback(error); + return; + }); + + const entries = []; + + res.on('searchEntry', (entry) => { + entries.push(this.extractLdapEntryData(entry)); + }); + + res.on('end', () => { + log_info('Search result count', entries.length); + callback(null, entries); + }); + }); + } + + authSync(dn, password) { + log_info('Authenticating', dn); + + try { + if (password === '') { + throw new Error('Password is not provided'); + } + this.bindSync(dn, password); + log_info('Authenticated', dn); + return true; + } catch (error) { + log_info('Not authenticated', dn); + log_debug('error', error); + return false; + } + } + + disconnect() { + this.connected = false; + this.domainBinded = false; + log_info('Disconecting'); + this.client.unbind(); + } +} diff --git a/packages/wekan-ldap/server/logger.js b/packages/wekan-ldap/server/logger.js new file mode 100644 index 00000000..afd77112 --- /dev/null +++ b/packages/wekan-ldap/server/logger.js @@ -0,0 +1,15 @@ +const isLogEnabled = (process.env.LDAP_LOG_ENABLED === 'true'); + + +function log (level, message, data) { + if (isLogEnabled) { + console.log(`[${level}] ${message} ${ data ? JSON.stringify(data, null, 2) : '' }`); + } +} + +function log_debug (...args) { log('DEBUG', ...args); } +function log_info (...args) { log('INFO', ...args); } +function log_warn (...args) { log('WARN', ...args); } +function log_error (...args) { log('ERROR', ...args); } + +export { log, log_debug, log_info, log_warn, log_error }; diff --git a/packages/wekan-ldap/server/loginHandler.js b/packages/wekan-ldap/server/loginHandler.js new file mode 100644 index 00000000..a8f013d7 --- /dev/null +++ b/packages/wekan-ldap/server/loginHandler.js @@ -0,0 +1,224 @@ +import {slug, getLdapUsername, getLdapEmail, getLdapUserUniqueID, syncUserData, addLdapUser} from './sync'; +import LDAP from './ldap'; +import { log_debug, log_info, log_warn, log_error } from './logger'; + +function fallbackDefaultAccountSystem(bind, username, password) { + if (typeof username === 'string') { + if (username.indexOf('@') === -1) { + username = {username}; + } else { + username = {email: username}; + } + } + + log_info('Fallback to default account system: ', username ); + + const loginRequest = { + user: username, + password: { + digest: SHA256(password), + algorithm: 'sha-256', + }, + }; + log_debug('Fallback options: ', loginRequest); + + return Accounts._runLoginHandlers(bind, loginRequest); +} + +Accounts.registerLoginHandler('ldap', function(loginRequest) { + if (!loginRequest.ldap || !loginRequest.ldapOptions) { + return undefined; + } + + log_info('Init LDAP login', loginRequest.username); + + if (LDAP.settings_get('LDAP_ENABLE') !== true) { + return fallbackDefaultAccountSystem(this, loginRequest.username, loginRequest.ldapPass); + } + + const self = this; + const ldap = new LDAP(); + let ldapUser; + + try { + ldap.connectSync(); + const users = ldap.searchUsersSync(loginRequest.username); + + if (users.length !== 1) { + log_info('Search returned', users.length, 'record(s) for', loginRequest.username); + throw new Error('User not Found'); + } + + if (ldap.authSync(users[0].dn, loginRequest.ldapPass) === true) { + if (ldap.isUserInGroup(loginRequest.username, users[0])) { + ldapUser = users[0]; + } else { + throw new Error('User not in a valid group'); + } + } else { + log_info('Wrong password for', loginRequest.username); + } + } catch (error) { + log_error(error); + } + + if (ldapUser === undefined) { + if (LDAP.settings_get('LDAP_LOGIN_FALLBACK') === true) { + return fallbackDefaultAccountSystem(self, loginRequest.username, loginRequest.ldapPass); + } + + throw new Meteor.Error('LDAP-login-error', `LDAP Authentication failed with provided username [${ loginRequest.username }]`); + } + + // Look to see if user already exists + + let userQuery; + + const Unique_Identifier_Field = getLdapUserUniqueID(ldapUser); + let user; + + // Attempt to find user by unique identifier + + if (Unique_Identifier_Field) { + userQuery = { + 'services.ldap.id': Unique_Identifier_Field.value, + }; + + log_info('Querying user'); + log_debug('userQuery', userQuery); + + user = Meteor.users.findOne(userQuery); + } + + // Attempt to find user by username + + let username; + let email; + + if (LDAP.settings_get('LDAP_USERNAME_FIELD') !== '') { + username = slug(getLdapUsername(ldapUser)); + } else { + username = slug(loginRequest.username); + } + + if(LDAP.settings_get('LDAP_EMAIL_FIELD') !== '') { + email = getLdapEmail(ldapUser); + } + + if (!user) { + if(email && LDAP.settings_get('LDAP_EMAIL_MATCH_REQUIRE') === true) { + if(LDAP.settings_get('LDAP_EMAIL_MATCH_VERIFIED') === true) { + userQuery = { + '_id' : username, + 'emails.0.address' : email, + 'emails.0.verified' : true + }; + } else { + userQuery = { + '_id' : username, + 'emails.0.address' : email + }; + } + } else { + userQuery = { + username + }; + } + + log_debug('userQuery', userQuery); + + user = Meteor.users.findOne(userQuery); + } + + // Attempt to find user by e-mail address only + + if (!user && email && LDAP.settings_get('LDAP_EMAIL_MATCH_ENABLE') === true) { + + log_info('No user exists with username', username, '- attempting to find by e-mail address instead'); + + if(LDAP.settings_get('LDAP_EMAIL_MATCH_VERIFIED') === true) { + userQuery = { + 'emails.0.address': email, + 'emails.0.verified' : true + }; + } else { + userQuery = { + 'emails.0.address' : email + }; + } + + log_debug('userQuery', userQuery); + + user = Meteor.users.findOne(userQuery); + + } + + // Login user if they exist + if (user) { + if (user.authenticationMethod !== 'ldap' && LDAP.settings_get('LDAP_MERGE_EXISTING_USERS') !== true) { + log_info('User exists without "authenticationMethod : ldap"'); + throw new Meteor.Error('LDAP-login-error', `LDAP Authentication succeded, but there's already a matching Wekan account in MongoDB`); + } + + log_info('Logging user'); + + const stampedToken = Accounts._generateStampedLoginToken(); + const update_data = { + $push: { + 'services.resume.loginTokens': Accounts._hashStampedToken(stampedToken), + }, + }; + + if( LDAP.settings_get('LDAP_SYNC_GROUP_ROLES') === true ) { + log_debug('Updating Groups/Roles'); + const groups = ldap.getUserGroups(username, ldapUser); + + if( groups.length > 0 ) { + Roles.setUserRoles(user._id, groups ); + log_info(`Updated roles to:${ groups.join(',')}`); + } + } + + Meteor.users.update(user._id, update_data ); + + syncUserData(user, ldapUser); + + if (LDAP.settings_get('LDAP_LOGIN_FALLBACK') === true) { + Accounts.setPassword(user._id, loginRequest.ldapPass, {logout: false}); + } + + return { + userId: user._id, + token: stampedToken.token, + }; + } + + // Create new user + + log_info('User does not exist, creating', username); + + if (LDAP.settings_get('LDAP_USERNAME_FIELD') === '') { + username = undefined; + } + + if (LDAP.settings_get('LDAP_LOGIN_FALLBACK') !== true) { + loginRequest.ldapPass = undefined; + } + + const result = addLdapUser(ldapUser, username, loginRequest.ldapPass); + + if( LDAP.settings_get('LDAP_SYNC_GROUP_ROLES') === true ) { + const groups = ldap.getUserGroups(username, ldapUser); + if( groups.length > 0 ) { + Roles.setUserRoles(result.userId, groups ); + log_info(`Set roles to:${ groups.join(',')}`); + } + } + + + if (result instanceof Error) { + throw result; + } + + return result; +}); diff --git a/packages/wekan-ldap/server/sync.js b/packages/wekan-ldap/server/sync.js new file mode 100644 index 00000000..141ef349 --- /dev/null +++ b/packages/wekan-ldap/server/sync.js @@ -0,0 +1,447 @@ +import _ from 'underscore'; +import LDAP from './ldap'; +import { log_debug, log_info, log_warn, log_error } from './logger'; + +Object.defineProperty(Object.prototype, "getLDAPValue", { + value: function (prop) { + const self = this; + for (let key in self) { + if (key.toLowerCase() == prop.toLowerCase()) { + return self[key]; + } + } + }, + + enumerable: false +}); + +export function slug(text) { + if (LDAP.settings_get('LDAP_UTF8_NAMES_SLUGIFY') !== true) { + return text; + } + text = slugify(text, '.'); + return text.replace(/[^0-9a-z-_.]/g, ''); +} + +function templateVarHandler (variable, object) { + + const templateRegex = /#{([\w\-]+)}/gi; + let match = templateRegex.exec(variable); + let tmpVariable = variable; + + if (match == null) { + if (!object.hasOwnProperty(variable)) { + return; + } + return object[variable]; + } else { + while (match != null) { + const tmplVar = match[0]; + const tmplAttrName = match[1]; + + if (!object.hasOwnProperty(tmplAttrName)) { + return; + } + + const attrVal = object[tmplAttrName]; + tmpVariable = tmpVariable.replace(tmplVar, attrVal); + match = templateRegex.exec(variable); + } + return tmpVariable; + } +} + +export function getPropertyValue(obj, key) { + try { + return _.reduce(key.split('.'), (acc, el) => acc[el], obj); + } catch (err) { + return undefined; + } +} + +export function getLdapUsername(ldapUser) { + const usernameField = LDAP.settings_get('LDAP_USERNAME_FIELD'); + + if (usernameField.indexOf('#{') > -1) { + return usernameField.replace(/#{(.+?)}/g, function(match, field) { + return ldapUser.getLDAPValue(field); + }); + } + + return ldapUser.getLDAPValue(usernameField); +} + +export function getLdapEmail(ldapUser) { + const emailField = LDAP.settings_get('LDAP_EMAIL_FIELD'); + + if (emailField.indexOf('#{') > -1) { + return emailField.replace(/#{(.+?)}/g, function(match, field) { + return ldapUser.getLDAPValue(field); + }); + } + + return ldapUser.getLDAPValue(emailField); +} + +export function getLdapFullname(ldapUser) { + const fullnameField = LDAP.settings_get('LDAP_FULLNAME_FIELD'); + if (fullnameField.indexOf('#{') > -1) { + return fullnameField.replace(/#{(.+?)}/g, function(match, field) { + return ldapUser.getLDAPValue(field); + }); + } + return ldapUser.getLDAPValue(fullnameField); +} + +export function getLdapUserUniqueID(ldapUser) { + let Unique_Identifier_Field = LDAP.settings_get('LDAP_UNIQUE_IDENTIFIER_FIELD'); + + if (Unique_Identifier_Field !== '') { + Unique_Identifier_Field = Unique_Identifier_Field.replace(/\s/g, '').split(','); + } else { + Unique_Identifier_Field = []; + } + + let User_Search_Field = LDAP.settings_get('LDAP_USER_SEARCH_FIELD'); + + if (User_Search_Field !== '') { + User_Search_Field = User_Search_Field.replace(/\s/g, '').split(','); + } else { + User_Search_Field = []; + } + + Unique_Identifier_Field = Unique_Identifier_Field.concat(User_Search_Field); + + if (Unique_Identifier_Field.length > 0) { + Unique_Identifier_Field = Unique_Identifier_Field.find((field) => { + return !_.isEmpty(ldapUser._raw.getLDAPValue(field)); + }); + if (Unique_Identifier_Field) { + log_debug(`Identifying user with: ${ Unique_Identifier_Field}`); + Unique_Identifier_Field = { + attribute: Unique_Identifier_Field, + value: ldapUser._raw.getLDAPValue(Unique_Identifier_Field).toString('hex'), + }; + } + return Unique_Identifier_Field; + } +} + +export function getDataToSyncUserData(ldapUser, user) { + const syncUserData = LDAP.settings_get('LDAP_SYNC_USER_DATA'); + const syncUserDataFieldMap = LDAP.settings_get('LDAP_SYNC_USER_DATA_FIELDMAP').trim(); + + const userData = {}; + + if (syncUserData && syncUserDataFieldMap) { + const whitelistedUserFields = ['email', 'name', 'customFields']; + const fieldMap = JSON.parse(syncUserDataFieldMap); + const emailList = []; + _.map(fieldMap, function(userField, ldapField) { + log_debug(`Mapping field ${ldapField} -> ${userField}`); + switch (userField) { + case 'email': + if (!ldapUser.hasOwnProperty(ldapField)) { + log_debug(`user does not have attribute: ${ ldapField }`); + return; + } + + if (_.isObject(ldapUser[ldapField])) { + _.map(ldapUser[ldapField], function(item) { + emailList.push({ address: item, verified: true }); + }); + } else { + emailList.push({ address: ldapUser[ldapField], verified: true }); + } + break; + + default: + const [outerKey, innerKeys] = userField.split(/\.(.+)/); + + if (!_.find(whitelistedUserFields, (el) => el === outerKey)) { + log_debug(`user attribute not whitelisted: ${ userField }`); + return; + } + + if (outerKey === 'customFields') { + let customFieldsMeta; + + try { + customFieldsMeta = JSON.parse(LDAP.settings_get('Accounts_CustomFields')); + } catch (e) { + log_debug('Invalid JSON for Custom Fields'); + return; + } + + if (!getPropertyValue(customFieldsMeta, innerKeys)) { + log_debug(`user attribute does not exist: ${ userField }`); + return; + } + } + + const tmpUserField = getPropertyValue(user, userField); + const tmpLdapField = templateVarHandler(ldapField, ldapUser); + + if (tmpLdapField && tmpUserField !== tmpLdapField) { + // creates the object structure instead of just assigning 'tmpLdapField' to + // 'userData[userField]' in order to avoid the "cannot use the part (...) + // to traverse the element" (MongoDB) error that can happen. Do not handle + // arrays. + // TODO: Find a better solution. + const dKeys = userField.split('.'); + const lastKey = _.last(dKeys); + _.reduce(dKeys, (obj, currKey) => + (currKey === lastKey) + ? obj[currKey] = tmpLdapField + : obj[currKey] = obj[currKey] || {} + , userData); + log_debug(`user.${ userField } changed to: ${ tmpLdapField }`); + } + } + }); + + if (emailList.length > 0) { + if (JSON.stringify(user.emails) !== JSON.stringify(emailList)) { + userData.emails = emailList; + } + } + } + + const uniqueId = getLdapUserUniqueID(ldapUser); + + if (uniqueId && (!user.services || !user.services.ldap || user.services.ldap.id !== uniqueId.value || user.services.ldap.idAttribute !== uniqueId.attribute)) { + userData['services.ldap.id'] = uniqueId.value; + userData['services.ldap.idAttribute'] = uniqueId.attribute; + } + + if (user.authenticationMethod !== 'ldap') { + userData.ldap = true; + } + + if (_.size(userData)) { + return userData; + } +} + + +export function syncUserData(user, ldapUser) { + log_info('Syncing user data'); + log_debug('user', {'email': user.email, '_id': user._id}); + // log_debug('ldapUser', ldapUser.object); + + if (LDAP.settings_get('LDAP_USERNAME_FIELD') !== '') { + const username = slug(getLdapUsername(ldapUser)); + if (user && user._id && username !== user.username) { + log_info('Syncing user username', user.username, '->', username); + Meteor.users.findOne({ _id: user._id }, { $set: { username }}); + } + } + + if (LDAP.settings_get('LDAP_FULLNAME_FIELD') !== '') { + const fullname= getLdapFullname(ldapUser); + log_debug('fullname=',fullname); + if (user && user._id && fullname !== '') { + log_info('Syncing user fullname:', fullname); + Meteor.users.update({ _id: user._id }, { $set: { 'profile.fullname' : fullname, }}); + } + } + +} + +export function addLdapUser(ldapUser, username, password) { + const uniqueId = getLdapUserUniqueID(ldapUser); + + const userObject = { + }; + + if (username) { + userObject.username = username; + } + + const userData = getDataToSyncUserData(ldapUser, {}); + + if (userData && userData.emails && userData.emails[0] && userData.emails[0].address) { + if (Array.isArray(userData.emails[0].address)) { + userObject.email = userData.emails[0].address[0]; + } else { + userObject.email = userData.emails[0].address; + } + } else if (ldapUser.mail && ldapUser.mail.indexOf('@') > -1) { + userObject.email = ldapUser.mail; + } else if (LDAP.settings_get('LDAP_DEFAULT_DOMAIN') !== '') { + userObject.email = `${ username || uniqueId.value }@${ LDAP.settings_get('LDAP_DEFAULT_DOMAIN') }`; + } else { + const error = new Meteor.Error('LDAP-login-error', 'LDAP Authentication succeded, there is no email to create an account. Have you tried setting your Default Domain in LDAP Settings?'); + log_error(error); + throw error; + } + + log_debug('New user data', userObject); + + if (password) { + userObject.password = password; + } + + try { + // This creates the account with password service + userObject.ldap = true; + userObject._id = Accounts.createUser(userObject); + + // Add the services.ldap identifiers + Meteor.users.update({ _id: userObject._id }, { + $set: { + 'services.ldap': { id: uniqueId.value }, + 'emails.0.verified': true, + 'authenticationMethod': 'ldap', + }}); + } catch (error) { + log_error('Error creating user', error); + return error; + } + + syncUserData(userObject, ldapUser); + + return { + userId: userObject._id, + }; +} + +export function importNewUsers(ldap) { + if (LDAP.settings_get('LDAP_ENABLE') !== true) { + log_error('Can\'t run LDAP Import, LDAP is disabled'); + return; + } + + if (!ldap) { + ldap = new LDAP(); + ldap.connectSync(); + } + + let count = 0; + ldap.searchUsersSync('*', Meteor.bindEnvironment((error, ldapUsers, {next, end} = {}) => { + if (error) { + throw error; + } + + ldapUsers.forEach((ldapUser) => { + count++; + + const uniqueId = getLdapUserUniqueID(ldapUser); + // Look to see if user already exists + const userQuery = { + 'services.ldap.id': uniqueId.value, + }; + + log_debug('userQuery', userQuery); + + let username; + if (LDAP.settings_get('LDAP_USERNAME_FIELD') !== '') { + username = slug(getLdapUsername(ldapUser)); + } + + // Add user if it was not added before + let user = Meteor.users.findOne(userQuery); + + if (!user && username && LDAP.settings_get('LDAP_MERGE_EXISTING_USERS') === true) { + const userQuery = { + username, + }; + + log_debug('userQuery merge', userQuery); + + user = Meteor.users.findOne(userQuery); + if (user) { + syncUserData(user, ldapUser); + } + } + + if (!user) { + addLdapUser(ldapUser, username); + } + + if (count % 100 === 0) { + log_info('Import running. Users imported until now:', count); + } + }); + + if (end) { + log_info('Import finished. Users imported:', count); + } + + next(count); + })); +} + +function sync() { + if (LDAP.settings_get('LDAP_ENABLE') !== true) { + return; + } + + const ldap = new LDAP(); + + try { + ldap.connectSync(); + + let users; + if (LDAP.settings_get('LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED') === true) { + users = Meteor.users.find({ 'services.ldap': { $exists: true }}); + } + + if (LDAP.settings_get('LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS') === true) { + importNewUsers(ldap); + } + + if (LDAP.settings_get('LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED') === true) { + users.forEach(function(user) { + let ldapUser; + + if (user.services && user.services.ldap && user.services.ldap.id) { + ldapUser = ldap.getUserByIdSync(user.services.ldap.id, user.services.ldap.idAttribute); + } else { + ldapUser = ldap.getUserByUsernameSync(user.username); + } + + if (ldapUser) { + syncUserData(user, ldapUser); + } else { + log_info('Can\'t sync user', user.username); + } + }); + } + } catch (error) { + log_error(error); + return error; + } + return true; +} + +const jobName = 'LDAP_Sync'; + +const addCronJob = _.debounce(Meteor.bindEnvironment(function addCronJobDebounced() { + if (LDAP.settings_get('LDAP_BACKGROUND_SYNC') !== true) { + log_info('Disabling LDAP Background Sync'); + if (SyncedCron.nextScheduledAtDate(jobName)) { + SyncedCron.remove(jobName); + } + return; + } + + if (LDAP.settings_get('LDAP_BACKGROUND_SYNC_INTERVAL')) { + log_info('Enabling LDAP Background Sync'); + SyncedCron.add({ + name: jobName, + schedule: (parser) => parser.text(LDAP.settings_get('LDAP_BACKGROUND_SYNC_INTERVAL')), + job() { + sync(); + }, + }); + SyncedCron.start(); + } +}), 500); + +Meteor.startup(() => { + Meteor.defer(() => { + LDAP.settings_get('LDAP_BACKGROUND_SYNC', addCronJob); + LDAP.settings_get('LDAP_BACKGROUND_SYNC_INTERVAL', addCronJob); + }); +}); diff --git a/packages/wekan-ldap/server/syncUser.js b/packages/wekan-ldap/server/syncUser.js new file mode 100644 index 00000000..763ea836 --- /dev/null +++ b/packages/wekan-ldap/server/syncUser.js @@ -0,0 +1,29 @@ +import {importNewUsers} from './sync'; +import LDAP from './ldap'; + +Meteor.methods({ + ldap_sync_now() { + const user = Meteor.user(); + if (!user) { + throw new Meteor.Error('error-invalid-user', 'Invalid user', { method: 'ldap_sync_users' }); + } + + //TODO: This needs to be fixed - security issue -> alanning:meteor-roles + //if (!RocketChat.authz.hasRole(user._id, 'admin')) { + // throw new Meteor.Error('error-not-authorized', 'Not authorized', { method: 'ldap_sync_users' }); + //} + + if (LDAP.settings_get('LDAP_ENABLE') !== true) { + throw new Meteor.Error('LDAP_disabled'); + } + + this.unblock(); + + importNewUsers(); + + return { + message: 'Sync_in_progress', + params: [], + }; + }, +}); diff --git a/packages/wekan-ldap/server/testConnection.js b/packages/wekan-ldap/server/testConnection.js new file mode 100644 index 00000000..02866ce5 --- /dev/null +++ b/packages/wekan-ldap/server/testConnection.js @@ -0,0 +1,39 @@ +import LDAP from './ldap'; + +Meteor.methods({ + ldap_test_connection() { + const user = Meteor.user(); + if (!user) { + throw new Meteor.Error('error-invalid-user', 'Invalid user', { method: 'ldap_test_connection' }); + } + + //TODO: This needs to be fixed - security issue -> alanning:meteor-roles + //if (!RocketChat.authz.hasRole(user._id, 'admin')) { + // throw new Meteor.Error('error-not-authorized', 'Not authorized', { method: 'ldap_test_connection' }); + //} + + if (LDAP.settings_get(LDAP_ENABLE) !== true) { + throw new Meteor.Error('LDAP_disabled'); + } + + let ldap; + try { + ldap = new LDAP(); + ldap.connectSync(); + } catch (error) { + console.log(error); + throw new Meteor.Error(error.message); + } + + try { + ldap.bindIfNecessary(); + } catch (error) { + throw new Meteor.Error(error.name || error.message); + } + + return { + message: 'Connection_success', + params: [], + }; + }, +}); diff --git a/packages/wekan-oidc/.gitignore b/packages/wekan-oidc/.gitignore new file mode 100644 index 00000000..5379d4c3 --- /dev/null +++ b/packages/wekan-oidc/.gitignore @@ -0,0 +1 @@ +.versions diff --git a/packages/wekan-oidc/LICENSE.txt b/packages/wekan-oidc/LICENSE.txt new file mode 100644 index 00000000..c7be3264 --- /dev/null +++ b/packages/wekan-oidc/LICENSE.txt @@ -0,0 +1,14 @@ +Copyright (C) 2016 SWITCH + +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. + diff --git a/packages/wekan-oidc/README.md b/packages/wekan-oidc/README.md new file mode 100644 index 00000000..8948971c --- /dev/null +++ b/packages/wekan-oidc/README.md @@ -0,0 +1,7 @@ +# salleman:oidc package + +A Meteor implementation of OpenID Connect Login flow + +## Usage and Documentation + +Look at the `salleman:accounts-oidc` package for the documentation about using OpenID Connect with Meteor. diff --git a/packages/wekan-oidc/oidc_client.js b/packages/wekan-oidc/oidc_client.js new file mode 100644 index 00000000..744bd841 --- /dev/null +++ b/packages/wekan-oidc/oidc_client.js @@ -0,0 +1,68 @@ +Oidc = {}; + +// Request OpenID Connect credentials for the user +// @param options {optional} +// @param credentialRequestCompleteCallback {Function} Callback function to call on +// completion. Takes one argument, credentialToken on success, or Error on +// error. +Oidc.requestCredential = function (options, credentialRequestCompleteCallback) { + // support both (options, callback) and (callback). + if (!credentialRequestCompleteCallback && typeof options === 'function') { + credentialRequestCompleteCallback = options; + options = {}; + } + + var config = ServiceConfiguration.configurations.findOne({service: 'oidc'}); + if (!config) { + credentialRequestCompleteCallback && credentialRequestCompleteCallback( + new ServiceConfiguration.ConfigError('Service oidc not configured.')); + return; + } + + var credentialToken = Random.secret(); + var loginStyle = OAuth._loginStyle('oidc', config, options); + var scope = config.requestPermissions || ['openid', 'profile', 'email']; + + // options + options = options || {}; + options.client_id = config.clientId; + options.response_type = options.response_type || 'code'; + options.redirect_uri = OAuth._redirectUri('oidc', config); + options.state = OAuth._stateParam(loginStyle, credentialToken, options.redirectUrl); + options.scope = scope.join(' '); + + if (config.loginStyle && config.loginStyle == 'popup') { + options.display = 'popup'; + } + + var loginUrl = config.serverUrl + config.authorizationEndpoint; + // check if the loginUrl already contains a "?" + var first = loginUrl.indexOf('?') === -1; + for (var k in options) { + if (first) { + loginUrl += '?'; + first = false; + } + else { + loginUrl += '&' + } + loginUrl += encodeURIComponent(k) + '=' + encodeURIComponent(options[k]); + } + + //console.log('XXX: loginURL: ' + loginUrl) + + options.popupOptions = options.popupOptions || {}; + var popupOptions = { + width: options.popupOptions.width || 320, + height: options.popupOptions.height || 450 + }; + + OAuth.launchLogin({ + loginService: 'oidc', + loginStyle: loginStyle, + loginUrl: loginUrl, + credentialRequestCompleteCallback: credentialRequestCompleteCallback, + credentialToken: credentialToken, + popupOptions: popupOptions, + }); +}; diff --git a/packages/wekan-oidc/oidc_configure.html b/packages/wekan-oidc/oidc_configure.html new file mode 100644 index 00000000..49282fc1 --- /dev/null +++ b/packages/wekan-oidc/oidc_configure.html @@ -0,0 +1,6 @@ +<template name="configureLoginServiceDialogForOidc"> + <p> + You'll need to create an OpenID Connect client configuration with your provider. + Set App Callbacks URLs to: <span class="url">{{siteUrl}}_oauth/oidc</span> + </p> +</template> diff --git a/packages/wekan-oidc/oidc_configure.js b/packages/wekan-oidc/oidc_configure.js new file mode 100644 index 00000000..5eedaa04 --- /dev/null +++ b/packages/wekan-oidc/oidc_configure.js @@ -0,0 +1,17 @@ +Template.configureLoginServiceDialogForOidc.helpers({ + siteUrl: function () { + return Meteor.absoluteUrl(); + } +}); + +Template.configureLoginServiceDialogForOidc.fields = function () { + return [ + { property: 'clientId', label: 'Client ID'}, + { property: 'secret', label: 'Client Secret'}, + { property: 'serverUrl', label: 'OIDC Server URL'}, + { property: 'authorizationEndpoint', label: 'Authorization Endpoint'}, + { property: 'tokenEndpoint', label: 'Token Endpoint'}, + { property: 'userinfoEndpoint', label: 'Userinfo Endpoint'}, + { property: 'idTokenWhitelistFields', label: 'Id Token Fields'} + ]; +}; diff --git a/packages/wekan-oidc/oidc_server.js b/packages/wekan-oidc/oidc_server.js new file mode 100644 index 00000000..fb948c52 --- /dev/null +++ b/packages/wekan-oidc/oidc_server.js @@ -0,0 +1,143 @@ +Oidc = {}; + +OAuth.registerService('oidc', 2, null, function (query) { + + var debug = process.env.DEBUG || false; + var token = getToken(query); + if (debug) console.log('XXX: register token:', token); + + var accessToken = token.access_token || token.id_token; + var expiresAt = (+new Date) + (1000 * parseInt(token.expires_in, 10)); + + var userinfo = getUserInfo(accessToken); + if (debug) console.log('XXX: userinfo:', userinfo); + + var serviceData = {}; + serviceData.id = userinfo[process.env.OAUTH2_ID_MAP] || userinfo[id]; + serviceData.username = userinfo[process.env.OAUTH2_USERNAME_MAP] || userinfo[uid]; + serviceData.fullname = userinfo[process.env.OAUTH2_FULLNAME_MAP] || userinfo[displayName]; + serviceData.accessToken = accessToken; + serviceData.expiresAt = expiresAt; + serviceData.email = userinfo[process.env.OAUTH2_EMAIL_MAP] || userinfo[email]; + + if (accessToken) { + var tokenContent = getTokenContent(accessToken); + var fields = _.pick(tokenContent, getConfiguration().idTokenWhitelistFields); + _.extend(serviceData, fields); + } + + if (token.refresh_token) + serviceData.refreshToken = token.refresh_token; + if (debug) console.log('XXX: serviceData:', serviceData); + + var profile = {}; + profile.name = userinfo[process.env.OAUTH2_FULLNAME_MAP] || userinfo[displayName]; + profile.email = userinfo[process.env.OAUTH2_EMAIL_MAP] || userinfo[email]; + if (debug) console.log('XXX: profile:', profile); + + return { + serviceData: serviceData, + options: { profile: profile } + }; +}); + +var userAgent = "Meteor"; +if (Meteor.release) { + userAgent += "/" + Meteor.release; +} + +var getToken = function (query) { + var debug = process.env.DEBUG || false; + var config = getConfiguration(); + var serverTokenEndpoint = config.serverUrl + config.tokenEndpoint; + var response; + + try { + response = HTTP.post( + serverTokenEndpoint, + { + headers: { + Accept: 'application/json', + "User-Agent": userAgent + }, + params: { + code: query.code, + client_id: config.clientId, + client_secret: OAuth.openSecret(config.secret), + redirect_uri: OAuth._redirectUri('oidc', config), + grant_type: 'authorization_code', + state: query.state + } + } + ); + } catch (err) { + throw _.extend(new Error("Failed to get token from OIDC " + serverTokenEndpoint + ": " + err.message), + { response: err.response }); + } + if (response.data.error) { + // if the http response was a json object with an error attribute + throw new Error("Failed to complete handshake with OIDC " + serverTokenEndpoint + ": " + response.data.error); + } else { + if (debug) console.log('XXX: getToken response: ', response.data); + return response.data; + } +}; + +var getUserInfo = function (accessToken) { + var debug = process.env.DEBUG || false; + var config = getConfiguration(); + // Some userinfo endpoints use a different base URL than the authorization or token endpoints. + // This logic allows the end user to override the setting by providing the full URL to userinfo in their config. + if (config.userinfoEndpoint.includes("https://")) { + var serverUserinfoEndpoint = config.userinfoEndpoint; + } else { + var serverUserinfoEndpoint = config.serverUrl + config.userinfoEndpoint; + } + var response; + try { + response = HTTP.get( + serverUserinfoEndpoint, + { + headers: { + "User-Agent": userAgent, + "Authorization": "Bearer " + accessToken + } + } + ); + } catch (err) { + throw _.extend(new Error("Failed to fetch userinfo from OIDC " + serverUserinfoEndpoint + ": " + err.message), + {response: err.response}); + } + if (debug) console.log('XXX: getUserInfo response: ', response.data); + return response.data; +}; + +var getConfiguration = function () { + var config = ServiceConfiguration.configurations.findOne({ service: 'oidc' }); + if (!config) { + throw new ServiceConfiguration.ConfigError('Service oidc not configured.'); + } + return config; +}; + +var getTokenContent = function (token) { + var content = null; + if (token) { + try { + var parts = token.split('.'); + var header = JSON.parse(new Buffer(parts[0], 'base64').toString()); + content = JSON.parse(new Buffer(parts[1], 'base64').toString()); + var signature = new Buffer(parts[2], 'base64'); + var signed = parts[0] + '.' + parts[1]; + } catch (err) { + this.content = { + exp: 0 + }; + } + } + return content; +} + +Oidc.retrieveCredential = function (credentialToken, credentialSecret) { + return OAuth.retrieveCredential(credentialToken, credentialSecret); +}; diff --git a/packages/wekan-oidc/package.js b/packages/wekan-oidc/package.js new file mode 100644 index 00000000..273ef612 --- /dev/null +++ b/packages/wekan-oidc/package.js @@ -0,0 +1,23 @@ +Package.describe({ + summary: "OpenID Connect (OIDC) flow for Meteor", + version: "1.0.12", + name: "wekan-oidc", + git: "https://github.com/wekan/wekan-oidc.git", +}); + +Package.onUse(function(api) { + api.use('oauth2@1.1.0', ['client', 'server']); + api.use('oauth@1.1.0', ['client', 'server']); + api.use('http@1.1.0', ['server']); + api.use('underscore@1.0.0', 'client'); + api.use('templating@1.1.0', 'client'); + api.use('random@1.0.0', 'client'); + api.use('service-configuration@1.0.0', ['client', 'server']); + + api.export('Oidc'); + + api.addFiles(['oidc_configure.html', 'oidc_configure.js'], 'client'); + + api.addFiles('oidc_server.js', 'server'); + api.addFiles('oidc_client.js', 'client'); +}); diff --git a/packages/wekan-scrollbar/.gitignore b/packages/wekan-scrollbar/.gitignore new file mode 100644 index 00000000..8d195847 --- /dev/null +++ b/packages/wekan-scrollbar/.gitignore @@ -0,0 +1,14 @@ +.build* + +# Ignore OS generated files +.DS_Store +.DS_Store? +._* +.Trashes +Thumbs.db +ehthumbs.db + +#Ignore temp files +*~ + +.idea \ No newline at end of file diff --git a/packages/wekan-scrollbar/LICENSE b/packages/wekan-scrollbar/LICENSE new file mode 100644 index 00000000..c2d69158 --- /dev/null +++ b/packages/wekan-scrollbar/LICENSE @@ -0,0 +1,21 @@ +The MIT License (MIT) + +Copyright (c) 2014-2019 The Wekan Team + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in all +copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE +SOFTWARE. diff --git a/packages/wekan-scrollbar/jquery.mCustomScrollbar.css b/packages/wekan-scrollbar/jquery.mCustomScrollbar.css new file mode 100644 index 00000000..45152c1b --- /dev/null +++ b/packages/wekan-scrollbar/jquery.mCustomScrollbar.css @@ -0,0 +1,1267 @@ +/* +== malihu jquery custom scrollbar plugin == +Plugin URI: http://manos.malihu.gr/jquery-custom-content-scroller +*/ + + + +/* +CONTENTS: + 1. BASIC STYLE - Plugin's basic/essential CSS properties (normally, should not be edited). + 2. VERTICAL SCROLLBAR - Positioning and dimensions of vertical scrollbar. + 3. HORIZONTAL SCROLLBAR - Positioning and dimensions of horizontal scrollbar. + 4. VERTICAL AND HORIZONTAL SCROLLBARS - Positioning and dimensions of 2-axis scrollbars. + 5. TRANSITIONS - CSS3 transitions for hover events, auto-expanded and auto-hidden scrollbars. + 6. SCROLLBAR COLORS, OPACITY AND BACKGROUNDS + 6.1 THEMES - Scrollbar colors, opacity, dimensions, backgrounds etc. via ready-to-use themes. +*/ + + + +/* +------------------------------------------------------------------------------------------------------------------------ +1. BASIC STYLE +------------------------------------------------------------------------------------------------------------------------ +*/ + + .mCustomScrollbar{ -ms-touch-action: pinch-zoom; touch-action: pinch-zoom; /* direct pointer events to js */ } + .mCustomScrollbar.mCS_no_scrollbar, .mCustomScrollbar.mCS_touch_action{ -ms-touch-action: auto; touch-action: auto; } + + .mCustomScrollBox{ /* contains plugin's markup */ + position: relative; + overflow: hidden; + height: 100%; + max-width: 100%; + outline: none; + direction: ltr; + } + + .mCSB_container{ /* contains the original content */ + overflow: hidden; + width: auto; + height: auto; + } + + + +/* +------------------------------------------------------------------------------------------------------------------------ +2. VERTICAL SCROLLBAR +y-axis +------------------------------------------------------------------------------------------------------------------------ +*/ + + .mCSB_inside > .mCSB_container{ margin-right: 30px; } + + .mCSB_container.mCS_no_scrollbar_y.mCS_y_hidden{ margin-right: 0; } /* non-visible scrollbar */ + + .mCS-dir-rtl > .mCSB_inside > .mCSB_container{ /* RTL direction/left-side scrollbar */ + margin-right: 0; + margin-left: 30px; + } + + .mCS-dir-rtl > .mCSB_inside > .mCSB_container.mCS_no_scrollbar_y.mCS_y_hidden{ margin-left: 0; } /* RTL direction/left-side scrollbar */ + + .mCSB_scrollTools{ /* contains scrollbar markup (draggable element, dragger rail, buttons etc.) */ + position: absolute; + width: 16px; + height: auto; + left: auto; + top: 0; + right: 0; + bottom: 0; + } + + .mCSB_outside + .mCSB_scrollTools{ right: -26px; } /* scrollbar position: outside */ + + .mCS-dir-rtl > .mCSB_inside > .mCSB_scrollTools, + .mCS-dir-rtl > .mCSB_outside + .mCSB_scrollTools{ /* RTL direction/left-side scrollbar */ + right: auto; + left: 0; + } + + .mCS-dir-rtl > .mCSB_outside + .mCSB_scrollTools{ left: -26px; } /* RTL direction/left-side scrollbar (scrollbar position: outside) */ + + .mCSB_scrollTools .mCSB_draggerContainer{ /* contains the draggable element and dragger rail markup */ + position: absolute; + top: 0; + left: 0; + bottom: 0; + right: 0; + height: auto; + } + + .mCSB_scrollTools a + .mCSB_draggerContainer{ margin: 20px 0; } + + .mCSB_scrollTools .mCSB_draggerRail{ + width: 2px; + height: 100%; + margin: 0 auto; + -webkit-border-radius: 16px; -moz-border-radius: 16px; border-radius: 16px; + } + + .mCSB_scrollTools .mCSB_dragger{ /* the draggable element */ + cursor: pointer; + width: 100%; + height: 30px; /* minimum dragger height */ + z-index: 1; + } + + .mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar{ /* the dragger element */ + position: relative; + width: 4px; + height: 100%; + margin: 0 auto; + -webkit-border-radius: 16px; -moz-border-radius: 16px; border-radius: 16px; + text-align: center; + } + + .mCSB_scrollTools_vertical.mCSB_scrollTools_onDrag_expand .mCSB_dragger.mCSB_dragger_onDrag_expanded .mCSB_dragger_bar, + .mCSB_scrollTools_vertical.mCSB_scrollTools_onDrag_expand .mCSB_draggerContainer:hover .mCSB_dragger .mCSB_dragger_bar{ width: 12px; /* auto-expanded scrollbar */ } + + .mCSB_scrollTools_vertical.mCSB_scrollTools_onDrag_expand .mCSB_dragger.mCSB_dragger_onDrag_expanded + .mCSB_draggerRail, + .mCSB_scrollTools_vertical.mCSB_scrollTools_onDrag_expand .mCSB_draggerContainer:hover .mCSB_draggerRail{ width: 8px; /* auto-expanded scrollbar */ } + + .mCSB_scrollTools .mCSB_buttonUp, + .mCSB_scrollTools .mCSB_buttonDown{ + display: block; + position: absolute; + height: 20px; + width: 100%; + overflow: hidden; + margin: 0 auto; + cursor: pointer; + } + + .mCSB_scrollTools .mCSB_buttonDown{ bottom: 0; } + + + +/* +------------------------------------------------------------------------------------------------------------------------ +3. HORIZONTAL SCROLLBAR +x-axis +------------------------------------------------------------------------------------------------------------------------ +*/ + + .mCSB_horizontal.mCSB_inside > .mCSB_container{ + margin-right: 0; + margin-bottom: 30px; + } + + .mCSB_horizontal.mCSB_outside > .mCSB_container{ min-height: 100%; } + + .mCSB_horizontal > .mCSB_container.mCS_no_scrollbar_x.mCS_x_hidden{ margin-bottom: 0; } /* non-visible scrollbar */ + + .mCSB_scrollTools.mCSB_scrollTools_horizontal{ + width: auto; + height: 16px; + top: auto; + right: 0; + bottom: 0; + left: 0; + } + + .mCustomScrollBox + .mCSB_scrollTools.mCSB_scrollTools_horizontal, + .mCustomScrollBox + .mCSB_scrollTools + .mCSB_scrollTools.mCSB_scrollTools_horizontal{ bottom: -26px; } /* scrollbar position: outside */ + + .mCSB_scrollTools.mCSB_scrollTools_horizontal a + .mCSB_draggerContainer{ margin: 0 20px; } + + .mCSB_scrollTools.mCSB_scrollTools_horizontal .mCSB_draggerRail{ + width: 100%; + height: 2px; + margin: 7px 0; + } + + .mCSB_scrollTools.mCSB_scrollTools_horizontal .mCSB_dragger{ + width: 30px; /* minimum dragger width */ + height: 100%; + left: 0; + } + + .mCSB_scrollTools.mCSB_scrollTools_horizontal .mCSB_dragger .mCSB_dragger_bar{ + width: 100%; + height: 4px; + margin: 6px auto; + } + + .mCSB_scrollTools_horizontal.mCSB_scrollTools_onDrag_expand .mCSB_dragger.mCSB_dragger_onDrag_expanded .mCSB_dragger_bar, + .mCSB_scrollTools_horizontal.mCSB_scrollTools_onDrag_expand .mCSB_draggerContainer:hover .mCSB_dragger .mCSB_dragger_bar{ + height: 12px; /* auto-expanded scrollbar */ + margin: 2px auto; + } + + .mCSB_scrollTools_horizontal.mCSB_scrollTools_onDrag_expand .mCSB_dragger.mCSB_dragger_onDrag_expanded + .mCSB_draggerRail, + .mCSB_scrollTools_horizontal.mCSB_scrollTools_onDrag_expand .mCSB_draggerContainer:hover .mCSB_draggerRail{ + height: 8px; /* auto-expanded scrollbar */ + margin: 4px 0; + } + + .mCSB_scrollTools.mCSB_scrollTools_horizontal .mCSB_buttonLeft, + .mCSB_scrollTools.mCSB_scrollTools_horizontal .mCSB_buttonRight{ + display: block; + position: absolute; + width: 20px; + height: 100%; + overflow: hidden; + margin: 0 auto; + cursor: pointer; + } + + .mCSB_scrollTools.mCSB_scrollTools_horizontal .mCSB_buttonLeft{ left: 0; } + + .mCSB_scrollTools.mCSB_scrollTools_horizontal .mCSB_buttonRight{ right: 0; } + + + +/* +------------------------------------------------------------------------------------------------------------------------ +4. VERTICAL AND HORIZONTAL SCROLLBARS +yx-axis +------------------------------------------------------------------------------------------------------------------------ +*/ + + .mCSB_container_wrapper{ + position: absolute; + height: auto; + width: auto; + overflow: hidden; + top: 0; + left: 0; + right: 0; + bottom: 0; + margin-right: 30px; + margin-bottom: 30px; + } + + .mCSB_container_wrapper > .mCSB_container{ + padding-right: 30px; + padding-bottom: 30px; + -webkit-box-sizing: border-box; -moz-box-sizing: border-box; box-sizing: border-box; + } + + .mCSB_vertical_horizontal > .mCSB_scrollTools.mCSB_scrollTools_vertical{ bottom: 20px; } + + .mCSB_vertical_horizontal > .mCSB_scrollTools.mCSB_scrollTools_horizontal{ right: 20px; } + + /* non-visible horizontal scrollbar */ + .mCSB_container_wrapper.mCS_no_scrollbar_x.mCS_x_hidden + .mCSB_scrollTools.mCSB_scrollTools_vertical{ bottom: 0; } + + /* non-visible vertical scrollbar/RTL direction/left-side scrollbar */ + .mCSB_container_wrapper.mCS_no_scrollbar_y.mCS_y_hidden + .mCSB_scrollTools ~ .mCSB_scrollTools.mCSB_scrollTools_horizontal, + .mCS-dir-rtl > .mCustomScrollBox.mCSB_vertical_horizontal.mCSB_inside > .mCSB_scrollTools.mCSB_scrollTools_horizontal{ right: 0; } + + /* RTL direction/left-side scrollbar */ + .mCS-dir-rtl > .mCustomScrollBox.mCSB_vertical_horizontal.mCSB_inside > .mCSB_scrollTools.mCSB_scrollTools_horizontal{ left: 20px; } + + /* non-visible scrollbar/RTL direction/left-side scrollbar */ + .mCS-dir-rtl > .mCustomScrollBox.mCSB_vertical_horizontal.mCSB_inside > .mCSB_container_wrapper.mCS_no_scrollbar_y.mCS_y_hidden + .mCSB_scrollTools ~ .mCSB_scrollTools.mCSB_scrollTools_horizontal{ left: 0; } + + .mCS-dir-rtl > .mCSB_inside > .mCSB_container_wrapper{ /* RTL direction/left-side scrollbar */ + margin-right: 0; + margin-left: 30px; + } + + .mCSB_container_wrapper.mCS_no_scrollbar_y.mCS_y_hidden > .mCSB_container{ padding-right: 0; } + + .mCSB_container_wrapper.mCS_no_scrollbar_x.mCS_x_hidden > .mCSB_container{ padding-bottom: 0; } + + .mCustomScrollBox.mCSB_vertical_horizontal.mCSB_inside > .mCSB_container_wrapper.mCS_no_scrollbar_y.mCS_y_hidden{ + margin-right: 0; /* non-visible scrollbar */ + margin-left: 0; + } + + /* non-visible horizontal scrollbar */ + .mCustomScrollBox.mCSB_vertical_horizontal.mCSB_inside > .mCSB_container_wrapper.mCS_no_scrollbar_x.mCS_x_hidden{ margin-bottom: 0; } + + + +/* +------------------------------------------------------------------------------------------------------------------------ +5. TRANSITIONS +------------------------------------------------------------------------------------------------------------------------ +*/ + + .mCSB_scrollTools, + .mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar, + .mCSB_scrollTools .mCSB_buttonUp, + .mCSB_scrollTools .mCSB_buttonDown, + .mCSB_scrollTools .mCSB_buttonLeft, + .mCSB_scrollTools .mCSB_buttonRight{ + -webkit-transition: opacity .2s ease-in-out, background-color .2s ease-in-out; + -moz-transition: opacity .2s ease-in-out, background-color .2s ease-in-out; + -o-transition: opacity .2s ease-in-out, background-color .2s ease-in-out; + transition: opacity .2s ease-in-out, background-color .2s ease-in-out; + } + + .mCSB_scrollTools_vertical.mCSB_scrollTools_onDrag_expand .mCSB_dragger_bar, /* auto-expanded scrollbar */ + .mCSB_scrollTools_vertical.mCSB_scrollTools_onDrag_expand .mCSB_draggerRail, + .mCSB_scrollTools_horizontal.mCSB_scrollTools_onDrag_expand .mCSB_dragger_bar, + .mCSB_scrollTools_horizontal.mCSB_scrollTools_onDrag_expand .mCSB_draggerRail{ + -webkit-transition: width .2s ease-out .2s, height .2s ease-out .2s, + margin-left .2s ease-out .2s, margin-right .2s ease-out .2s, + margin-top .2s ease-out .2s, margin-bottom .2s ease-out .2s, + opacity .2s ease-in-out, background-color .2s ease-in-out; + -moz-transition: width .2s ease-out .2s, height .2s ease-out .2s, + margin-left .2s ease-out .2s, margin-right .2s ease-out .2s, + margin-top .2s ease-out .2s, margin-bottom .2s ease-out .2s, + opacity .2s ease-in-out, background-color .2s ease-in-out; + -o-transition: width .2s ease-out .2s, height .2s ease-out .2s, + margin-left .2s ease-out .2s, margin-right .2s ease-out .2s, + margin-top .2s ease-out .2s, margin-bottom .2s ease-out .2s, + opacity .2s ease-in-out, background-color .2s ease-in-out; + transition: width .2s ease-out .2s, height .2s ease-out .2s, + margin-left .2s ease-out .2s, margin-right .2s ease-out .2s, + margin-top .2s ease-out .2s, margin-bottom .2s ease-out .2s, + opacity .2s ease-in-out, background-color .2s ease-in-out; + } + + + +/* +------------------------------------------------------------------------------------------------------------------------ +6. SCROLLBAR COLORS, OPACITY AND BACKGROUNDS +------------------------------------------------------------------------------------------------------------------------ +*/ + + /* + ---------------------------------------- + 6.1 THEMES + ---------------------------------------- + */ + + /* default theme ("light") */ + + .mCSB_scrollTools{ opacity: 0.75; filter: "alpha(opacity=75)"; -ms-filter: "alpha(opacity=75)"; } + + .mCS-autoHide > .mCustomScrollBox > .mCSB_scrollTools, + .mCS-autoHide > .mCustomScrollBox ~ .mCSB_scrollTools{ opacity: 0; filter: "alpha(opacity=0)"; -ms-filter: "alpha(opacity=0)"; } + + .mCustomScrollbar > .mCustomScrollBox > .mCSB_scrollTools.mCSB_scrollTools_onDrag, + .mCustomScrollbar > .mCustomScrollBox ~ .mCSB_scrollTools.mCSB_scrollTools_onDrag, + .mCustomScrollBox:hover > .mCSB_scrollTools, + .mCustomScrollBox:hover ~ .mCSB_scrollTools, + .mCS-autoHide:hover > .mCustomScrollBox > .mCSB_scrollTools, + .mCS-autoHide:hover > .mCustomScrollBox ~ .mCSB_scrollTools{ opacity: 1; filter: "alpha(opacity=100)"; -ms-filter: "alpha(opacity=100)"; } + + .mCSB_scrollTools .mCSB_draggerRail{ + background-color: #000; background-color: rgba(0,0,0,0.4); + filter: "alpha(opacity=40)"; -ms-filter: "alpha(opacity=40)"; + } + + .mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar{ + background-color: #fff; background-color: rgba(255,255,255,0.75); + filter: "alpha(opacity=75)"; -ms-filter: "alpha(opacity=75)"; + } + + .mCSB_scrollTools .mCSB_dragger:hover .mCSB_dragger_bar{ + background-color: #fff; background-color: rgba(255,255,255,0.85); + filter: "alpha(opacity=85)"; -ms-filter: "alpha(opacity=85)"; + } + .mCSB_scrollTools .mCSB_dragger:active .mCSB_dragger_bar, + .mCSB_scrollTools .mCSB_dragger.mCSB_dragger_onDrag .mCSB_dragger_bar{ + background-color: #fff; background-color: rgba(255,255,255,0.9); + filter: "alpha(opacity=90)"; -ms-filter: "alpha(opacity=90)"; + } + + .mCSB_scrollTools .mCSB_buttonUp, + .mCSB_scrollTools .mCSB_buttonDown, + .mCSB_scrollTools .mCSB_buttonLeft, + .mCSB_scrollTools .mCSB_buttonRight{ + background-image: url(mCSB_buttons.png); /* css sprites */ + background-repeat: no-repeat; + opacity: 0.4; filter: "alpha(opacity=40)"; -ms-filter: "alpha(opacity=40)"; + } + + .mCSB_scrollTools .mCSB_buttonUp{ + background-position: 0 0; + /* + sprites locations + light: 0 0, -16px 0, -32px 0, -48px 0, 0 -72px, -16px -72px, -32px -72px + dark: -80px 0, -96px 0, -112px 0, -128px 0, -80px -72px, -96px -72px, -112px -72px + */ + } + + .mCSB_scrollTools .mCSB_buttonDown{ + background-position: 0 -20px; + /* + sprites locations + light: 0 -20px, -16px -20px, -32px -20px, -48px -20px, 0 -92px, -16px -92px, -32px -92px + dark: -80px -20px, -96px -20px, -112px -20px, -128px -20px, -80px -92px, -96px -92px, -112 -92px + */ + } + + .mCSB_scrollTools .mCSB_buttonLeft{ + background-position: 0 -40px; + /* + sprites locations + light: 0 -40px, -20px -40px, -40px -40px, -60px -40px, 0 -112px, -20px -112px, -40px -112px + dark: -80px -40px, -100px -40px, -120px -40px, -140px -40px, -80px -112px, -100px -112px, -120px -112px + */ + } + + .mCSB_scrollTools .mCSB_buttonRight{ + background-position: 0 -56px; + /* + sprites locations + light: 0 -56px, -20px -56px, -40px -56px, -60px -56px, 0 -128px, -20px -128px, -40px -128px + dark: -80px -56px, -100px -56px, -120px -56px, -140px -56px, -80px -128px, -100px -128px, -120px -128px + */ + } + + .mCSB_scrollTools .mCSB_buttonUp:hover, + .mCSB_scrollTools .mCSB_buttonDown:hover, + .mCSB_scrollTools .mCSB_buttonLeft:hover, + .mCSB_scrollTools .mCSB_buttonRight:hover{ opacity: 0.75; filter: "alpha(opacity=75)"; -ms-filter: "alpha(opacity=75)"; } + + .mCSB_scrollTools .mCSB_buttonUp:active, + .mCSB_scrollTools .mCSB_buttonDown:active, + .mCSB_scrollTools .mCSB_buttonLeft:active, + .mCSB_scrollTools .mCSB_buttonRight:active{ opacity: 0.9; filter: "alpha(opacity=90)"; -ms-filter: "alpha(opacity=90)"; } + + + /* theme: "dark" */ + + .mCS-dark.mCSB_scrollTools .mCSB_draggerRail{ background-color: #000; background-color: rgba(0,0,0,0.15); } + + .mCS-dark.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar{ background-color: #000; background-color: rgba(0,0,0,0.75); } + + .mCS-dark.mCSB_scrollTools .mCSB_dragger:hover .mCSB_dragger_bar{ background-color: rgba(0,0,0,0.85); } + + .mCS-dark.mCSB_scrollTools .mCSB_dragger:active .mCSB_dragger_bar, + .mCS-dark.mCSB_scrollTools .mCSB_dragger.mCSB_dragger_onDrag .mCSB_dragger_bar{ background-color: rgba(0,0,0,0.9); } + + .mCS-dark.mCSB_scrollTools .mCSB_buttonUp{ background-position: -80px 0; } + + .mCS-dark.mCSB_scrollTools .mCSB_buttonDown{ background-position: -80px -20px; } + + .mCS-dark.mCSB_scrollTools .mCSB_buttonLeft{ background-position: -80px -40px; } + + .mCS-dark.mCSB_scrollTools .mCSB_buttonRight{ background-position: -80px -56px; } + + /* ---------------------------------------- */ + + + + /* theme: "light-2", "dark-2" */ + + .mCS-light-2.mCSB_scrollTools .mCSB_draggerRail, + .mCS-dark-2.mCSB_scrollTools .mCSB_draggerRail{ + width: 4px; + background-color: #fff; background-color: rgba(255,255,255,0.1); + -webkit-border-radius: 1px; -moz-border-radius: 1px; border-radius: 1px; + } + + .mCS-light-2.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar, + .mCS-dark-2.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar{ + width: 4px; + background-color: #fff; background-color: rgba(255,255,255,0.75); + -webkit-border-radius: 1px; -moz-border-radius: 1px; border-radius: 1px; + } + + .mCS-light-2.mCSB_scrollTools_horizontal .mCSB_draggerRail, + .mCS-dark-2.mCSB_scrollTools_horizontal .mCSB_draggerRail, + .mCS-light-2.mCSB_scrollTools_horizontal .mCSB_dragger .mCSB_dragger_bar, + .mCS-dark-2.mCSB_scrollTools_horizontal .mCSB_dragger .mCSB_dragger_bar{ + width: 100%; + height: 4px; + margin: 6px auto; + } + + .mCS-light-2.mCSB_scrollTools .mCSB_dragger:hover .mCSB_dragger_bar{ background-color: #fff; background-color: rgba(255,255,255,0.85); } + + .mCS-light-2.mCSB_scrollTools .mCSB_dragger:active .mCSB_dragger_bar, + .mCS-light-2.mCSB_scrollTools .mCSB_dragger.mCSB_dragger_onDrag .mCSB_dragger_bar{ background-color: #fff; background-color: rgba(255,255,255,0.9); } + + .mCS-light-2.mCSB_scrollTools .mCSB_buttonUp{ background-position: -32px 0; } + + .mCS-light-2.mCSB_scrollTools .mCSB_buttonDown{ background-position: -32px -20px; } + + .mCS-light-2.mCSB_scrollTools .mCSB_buttonLeft{ background-position: -40px -40px; } + + .mCS-light-2.mCSB_scrollTools .mCSB_buttonRight{ background-position: -40px -56px; } + + + /* theme: "dark-2" */ + + .mCS-dark-2.mCSB_scrollTools .mCSB_draggerRail{ + background-color: #000; background-color: rgba(0,0,0,0.1); + -webkit-border-radius: 1px; -moz-border-radius: 1px; border-radius: 1px; + } + + .mCS-dark-2.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar{ + background-color: #000; background-color: rgba(0,0,0,0.75); + -webkit-border-radius: 1px; -moz-border-radius: 1px; border-radius: 1px; + } + + .mCS-dark-2.mCSB_scrollTools .mCSB_dragger:hover .mCSB_dragger_bar{ background-color: #000; background-color: rgba(0,0,0,0.85); } + + .mCS-dark-2.mCSB_scrollTools .mCSB_dragger:active .mCSB_dragger_bar, + .mCS-dark-2.mCSB_scrollTools .mCSB_dragger.mCSB_dragger_onDrag .mCSB_dragger_bar{ background-color: #000; background-color: rgba(0,0,0,0.9); } + + .mCS-dark-2.mCSB_scrollTools .mCSB_buttonUp{ background-position: -112px 0; } + + .mCS-dark-2.mCSB_scrollTools .mCSB_buttonDown{ background-position: -112px -20px; } + + .mCS-dark-2.mCSB_scrollTools .mCSB_buttonLeft{ background-position: -120px -40px; } + + .mCS-dark-2.mCSB_scrollTools .mCSB_buttonRight{ background-position: -120px -56px; } + + /* ---------------------------------------- */ + + + + /* theme: "light-thick", "dark-thick" */ + + .mCS-light-thick.mCSB_scrollTools .mCSB_draggerRail, + .mCS-dark-thick.mCSB_scrollTools .mCSB_draggerRail{ + width: 4px; + background-color: #fff; background-color: rgba(255,255,255,0.1); + -webkit-border-radius: 2px; -moz-border-radius: 2px; border-radius: 2px; + } + + .mCS-light-thick.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar, + .mCS-dark-thick.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar{ + width: 6px; + background-color: #fff; background-color: rgba(255,255,255,0.75); + -webkit-border-radius: 2px; -moz-border-radius: 2px; border-radius: 2px; + } + + .mCS-light-thick.mCSB_scrollTools_horizontal .mCSB_draggerRail, + .mCS-dark-thick.mCSB_scrollTools_horizontal .mCSB_draggerRail{ + width: 100%; + height: 4px; + margin: 6px 0; + } + + .mCS-light-thick.mCSB_scrollTools_horizontal .mCSB_dragger .mCSB_dragger_bar, + .mCS-dark-thick.mCSB_scrollTools_horizontal .mCSB_dragger .mCSB_dragger_bar{ + width: 100%; + height: 6px; + margin: 5px auto; + } + + .mCS-light-thick.mCSB_scrollTools .mCSB_dragger:hover .mCSB_dragger_bar{ background-color: #fff; background-color: rgba(255,255,255,0.85); } + + .mCS-light-thick.mCSB_scrollTools .mCSB_dragger:active .mCSB_dragger_bar, + .mCS-light-thick.mCSB_scrollTools .mCSB_dragger.mCSB_dragger_onDrag .mCSB_dragger_bar{ background-color: #fff; background-color: rgba(255,255,255,0.9); } + + .mCS-light-thick.mCSB_scrollTools .mCSB_buttonUp{ background-position: -16px 0; } + + .mCS-light-thick.mCSB_scrollTools .mCSB_buttonDown{ background-position: -16px -20px; } + + .mCS-light-thick.mCSB_scrollTools .mCSB_buttonLeft{ background-position: -20px -40px; } + + .mCS-light-thick.mCSB_scrollTools .mCSB_buttonRight{ background-position: -20px -56px; } + + + /* theme: "dark-thick" */ + + .mCS-dark-thick.mCSB_scrollTools .mCSB_draggerRail{ + background-color: #000; background-color: rgba(0,0,0,0.1); + -webkit-border-radius: 2px; -moz-border-radius: 2px; border-radius: 2px; + } + + .mCS-dark-thick.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar{ + background-color: #000; background-color: rgba(0,0,0,0.75); + -webkit-border-radius: 2px; -moz-border-radius: 2px; border-radius: 2px; + } + + .mCS-dark-thick.mCSB_scrollTools .mCSB_dragger:hover .mCSB_dragger_bar{ background-color: #000; background-color: rgba(0,0,0,0.85); } + + .mCS-dark-thick.mCSB_scrollTools .mCSB_dragger:active .mCSB_dragger_bar, + .mCS-dark-thick.mCSB_scrollTools .mCSB_dragger.mCSB_dragger_onDrag .mCSB_dragger_bar{ background-color: #000; background-color: rgba(0,0,0,0.9); } + + .mCS-dark-thick.mCSB_scrollTools .mCSB_buttonUp{ background-position: -96px 0; } + + .mCS-dark-thick.mCSB_scrollTools .mCSB_buttonDown{ background-position: -96px -20px; } + + .mCS-dark-thick.mCSB_scrollTools .mCSB_buttonLeft{ background-position: -100px -40px; } + + .mCS-dark-thick.mCSB_scrollTools .mCSB_buttonRight{ background-position: -100px -56px; } + + /* ---------------------------------------- */ + + + + /* theme: "light-thin", "dark-thin" */ + + .mCS-light-thin.mCSB_scrollTools .mCSB_draggerRail{ background-color: #fff; background-color: rgba(255,255,255,0.1); } + + .mCS-light-thin.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar, + .mCS-dark-thin.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar{ width: 2px; } + + .mCS-light-thin.mCSB_scrollTools_horizontal .mCSB_draggerRail, + .mCS-dark-thin.mCSB_scrollTools_horizontal .mCSB_draggerRail{ width: 100%; } + + .mCS-light-thin.mCSB_scrollTools_horizontal .mCSB_dragger .mCSB_dragger_bar, + .mCS-dark-thin.mCSB_scrollTools_horizontal .mCSB_dragger .mCSB_dragger_bar{ + width: 100%; + height: 2px; + margin: 7px auto; + } + + + /* theme "dark-thin" */ + + .mCS-dark-thin.mCSB_scrollTools .mCSB_draggerRail{ background-color: #000; background-color: rgba(0,0,0,0.15); } + + .mCS-dark-thin.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar{ background-color: #000; background-color: rgba(0,0,0,0.75); } + + .mCS-dark-thin.mCSB_scrollTools .mCSB_dragger:hover .mCSB_dragger_bar{ background-color: #000; background-color: rgba(0,0,0,0.85); } + + .mCS-dark-thin.mCSB_scrollTools .mCSB_dragger:active .mCSB_dragger_bar, + .mCS-dark-thin.mCSB_scrollTools .mCSB_dragger.mCSB_dragger_onDrag .mCSB_dragger_bar{ background-color: #000; background-color: rgba(0,0,0,0.9); } + + .mCS-dark-thin.mCSB_scrollTools .mCSB_buttonUp{ background-position: -80px 0; } + + .mCS-dark-thin.mCSB_scrollTools .mCSB_buttonDown{ background-position: -80px -20px; } + + .mCS-dark-thin.mCSB_scrollTools .mCSB_buttonLeft{ background-position: -80px -40px; } + + .mCS-dark-thin.mCSB_scrollTools .mCSB_buttonRight{ background-position: -80px -56px; } + + /* ---------------------------------------- */ + + + + /* theme "rounded", "rounded-dark", "rounded-dots", "rounded-dots-dark" */ + + .mCS-rounded.mCSB_scrollTools .mCSB_draggerRail{ background-color: #fff; background-color: rgba(255,255,255,0.15); } + + .mCS-rounded.mCSB_scrollTools .mCSB_dragger, + .mCS-rounded-dark.mCSB_scrollTools .mCSB_dragger, + .mCS-rounded-dots.mCSB_scrollTools .mCSB_dragger, + .mCS-rounded-dots-dark.mCSB_scrollTools .mCSB_dragger{ height: 14px; } + + .mCS-rounded.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar, + .mCS-rounded-dark.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar, + .mCS-rounded-dots.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar, + .mCS-rounded-dots-dark.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar{ + width: 14px; + margin: 0 1px; + } + + .mCS-rounded.mCSB_scrollTools_horizontal .mCSB_dragger, + .mCS-rounded-dark.mCSB_scrollTools_horizontal .mCSB_dragger, + .mCS-rounded-dots.mCSB_scrollTools_horizontal .mCSB_dragger, + .mCS-rounded-dots-dark.mCSB_scrollTools_horizontal .mCSB_dragger{ width: 14px; } + + .mCS-rounded.mCSB_scrollTools_horizontal .mCSB_dragger .mCSB_dragger_bar, + .mCS-rounded-dark.mCSB_scrollTools_horizontal .mCSB_dragger .mCSB_dragger_bar, + .mCS-rounded-dots.mCSB_scrollTools_horizontal .mCSB_dragger .mCSB_dragger_bar, + .mCS-rounded-dots-dark.mCSB_scrollTools_horizontal .mCSB_dragger .mCSB_dragger_bar{ + height: 14px; + margin: 1px 0; + } + + .mCS-rounded.mCSB_scrollTools_vertical.mCSB_scrollTools_onDrag_expand .mCSB_dragger.mCSB_dragger_onDrag_expanded .mCSB_dragger_bar, + .mCS-rounded.mCSB_scrollTools_vertical.mCSB_scrollTools_onDrag_expand .mCSB_draggerContainer:hover .mCSB_dragger .mCSB_dragger_bar, + .mCS-rounded-dark.mCSB_scrollTools_vertical.mCSB_scrollTools_onDrag_expand .mCSB_dragger.mCSB_dragger_onDrag_expanded .mCSB_dragger_bar, + .mCS-rounded-dark.mCSB_scrollTools_vertical.mCSB_scrollTools_onDrag_expand .mCSB_draggerContainer:hover .mCSB_dragger .mCSB_dragger_bar{ + width: 16px; /* auto-expanded scrollbar */ + height: 16px; + margin: -1px 0; + } + + .mCS-rounded.mCSB_scrollTools_vertical.mCSB_scrollTools_onDrag_expand .mCSB_dragger.mCSB_dragger_onDrag_expanded + .mCSB_draggerRail, + .mCS-rounded.mCSB_scrollTools_vertical.mCSB_scrollTools_onDrag_expand .mCSB_draggerContainer:hover .mCSB_draggerRail, + .mCS-rounded-dark.mCSB_scrollTools_vertical.mCSB_scrollTools_onDrag_expand .mCSB_dragger.mCSB_dragger_onDrag_expanded + .mCSB_draggerRail, + .mCS-rounded-dark.mCSB_scrollTools_vertical.mCSB_scrollTools_onDrag_expand .mCSB_draggerContainer:hover .mCSB_draggerRail{ width: 4px; /* auto-expanded scrollbar */ } + + .mCS-rounded.mCSB_scrollTools_horizontal.mCSB_scrollTools_onDrag_expand .mCSB_dragger.mCSB_dragger_onDrag_expanded .mCSB_dragger_bar, + .mCS-rounded.mCSB_scrollTools_horizontal.mCSB_scrollTools_onDrag_expand .mCSB_draggerContainer:hover .mCSB_dragger .mCSB_dragger_bar, + .mCS-rounded-dark.mCSB_scrollTools_horizontal.mCSB_scrollTools_onDrag_expand .mCSB_dragger.mCSB_dragger_onDrag_expanded .mCSB_dragger_bar, + .mCS-rounded-dark.mCSB_scrollTools_horizontal.mCSB_scrollTools_onDrag_expand .mCSB_draggerContainer:hover .mCSB_dragger .mCSB_dragger_bar{ + height: 16px; /* auto-expanded scrollbar */ + width: 16px; + margin: 0 -1px; + } + + .mCS-rounded.mCSB_scrollTools_horizontal.mCSB_scrollTools_onDrag_expand .mCSB_dragger.mCSB_dragger_onDrag_expanded + .mCSB_draggerRail, + .mCS-rounded.mCSB_scrollTools_horizontal.mCSB_scrollTools_onDrag_expand .mCSB_draggerContainer:hover .mCSB_draggerRail, + .mCS-rounded-dark.mCSB_scrollTools_horizontal.mCSB_scrollTools_onDrag_expand .mCSB_dragger.mCSB_dragger_onDrag_expanded + .mCSB_draggerRail, + .mCS-rounded-dark.mCSB_scrollTools_horizontal.mCSB_scrollTools_onDrag_expand .mCSB_draggerContainer:hover .mCSB_draggerRail{ + height: 4px; /* auto-expanded scrollbar */ + margin: 6px 0; + } + + .mCS-rounded.mCSB_scrollTools .mCSB_buttonUp{ background-position: 0 -72px; } + + .mCS-rounded.mCSB_scrollTools .mCSB_buttonDown{ background-position: 0 -92px; } + + .mCS-rounded.mCSB_scrollTools .mCSB_buttonLeft{ background-position: 0 -112px; } + + .mCS-rounded.mCSB_scrollTools .mCSB_buttonRight{ background-position: 0 -128px; } + + + /* theme "rounded-dark", "rounded-dots-dark" */ + + .mCS-rounded-dark.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar, + .mCS-rounded-dots-dark.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar{ background-color: #000; background-color: rgba(0,0,0,0.75); } + + .mCS-rounded-dark.mCSB_scrollTools .mCSB_draggerRail{ background-color: #000; background-color: rgba(0,0,0,0.15); } + + .mCS-rounded-dark.mCSB_scrollTools .mCSB_dragger:hover .mCSB_dragger_bar, + .mCS-rounded-dots-dark.mCSB_scrollTools .mCSB_dragger:hover .mCSB_dragger_bar{ background-color: #000; background-color: rgba(0,0,0,0.85); } + + .mCS-rounded-dark.mCSB_scrollTools .mCSB_dragger:active .mCSB_dragger_bar, + .mCS-rounded-dark.mCSB_scrollTools .mCSB_dragger.mCSB_dragger_onDrag .mCSB_dragger_bar, + .mCS-rounded-dots-dark.mCSB_scrollTools .mCSB_dragger:active .mCSB_dragger_bar, + .mCS-rounded-dots-dark.mCSB_scrollTools .mCSB_dragger.mCSB_dragger_onDrag .mCSB_dragger_bar{ background-color: #000; background-color: rgba(0,0,0,0.9); } + + .mCS-rounded-dark.mCSB_scrollTools .mCSB_buttonUp{ background-position: -80px -72px; } + + .mCS-rounded-dark.mCSB_scrollTools .mCSB_buttonDown{ background-position: -80px -92px; } + + .mCS-rounded-dark.mCSB_scrollTools .mCSB_buttonLeft{ background-position: -80px -112px; } + + .mCS-rounded-dark.mCSB_scrollTools .mCSB_buttonRight{ background-position: -80px -128px; } + + + /* theme "rounded-dots", "rounded-dots-dark" */ + + .mCS-rounded-dots.mCSB_scrollTools_vertical .mCSB_draggerRail, + .mCS-rounded-dots-dark.mCSB_scrollTools_vertical .mCSB_draggerRail{ width: 4px; } + + .mCS-rounded-dots.mCSB_scrollTools .mCSB_draggerRail, + .mCS-rounded-dots-dark.mCSB_scrollTools .mCSB_draggerRail, + .mCS-rounded-dots.mCSB_scrollTools_horizontal .mCSB_draggerRail, + .mCS-rounded-dots-dark.mCSB_scrollTools_horizontal .mCSB_draggerRail{ + background-color: transparent; + background-position: center; + } + + .mCS-rounded-dots.mCSB_scrollTools .mCSB_draggerRail, + .mCS-rounded-dots-dark.mCSB_scrollTools .mCSB_draggerRail{ + background-image: url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAgAAAAICAYAAADED76LAAAANElEQVQYV2NkIAAYiVbw//9/Y6DiM1ANJoyMjGdBbLgJQAX/kU0DKgDLkaQAvxW4HEvQFwCRcxIJK1XznAAAAABJRU5ErkJggg=="); + background-repeat: repeat-y; + opacity: 0.3; + filter: "alpha(opacity=30)"; -ms-filter: "alpha(opacity=30)"; + } + + .mCS-rounded-dots.mCSB_scrollTools_horizontal .mCSB_draggerRail, + .mCS-rounded-dots-dark.mCSB_scrollTools_horizontal .mCSB_draggerRail{ + height: 4px; + margin: 6px 0; + background-repeat: repeat-x; + } + + .mCS-rounded-dots.mCSB_scrollTools .mCSB_buttonUp{ background-position: -16px -72px; } + + .mCS-rounded-dots.mCSB_scrollTools .mCSB_buttonDown{ background-position: -16px -92px; } + + .mCS-rounded-dots.mCSB_scrollTools .mCSB_buttonLeft{ background-position: -20px -112px; } + + .mCS-rounded-dots.mCSB_scrollTools .mCSB_buttonRight{ background-position: -20px -128px; } + + + /* theme "rounded-dots-dark" */ + + .mCS-rounded-dots-dark.mCSB_scrollTools .mCSB_draggerRail{ + background-image: url("data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAAgAAAAICAYAAADED76LAAAALElEQVQYV2NkIAAYSVFgDFR8BqrBBEifBbGRTfiPZhpYjiQFBK3A6l6CvgAAE9kGCd1mvgEAAAAASUVORK5CYII="); + } + + .mCS-rounded-dots-dark.mCSB_scrollTools .mCSB_buttonUp{ background-position: -96px -72px; } + + .mCS-rounded-dots-dark.mCSB_scrollTools .mCSB_buttonDown{ background-position: -96px -92px; } + + .mCS-rounded-dots-dark.mCSB_scrollTools .mCSB_buttonLeft{ background-position: -100px -112px; } + + .mCS-rounded-dots-dark.mCSB_scrollTools .mCSB_buttonRight{ background-position: -100px -128px; } + + /* ---------------------------------------- */ + + + + /* theme "3d", "3d-dark", "3d-thick", "3d-thick-dark" */ + + .mCS-3d.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar, + .mCS-3d-dark.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar, + .mCS-3d-thick.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar, + .mCS-3d-thick-dark.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar{ + background-repeat: repeat-y; + background-image: -moz-linear-gradient(left, rgba(255,255,255,0.5) 0%, rgba(255,255,255,0) 100%); + background-image: -webkit-gradient(linear, left top, right top, color-stop(0%,rgba(255,255,255,0.5)), color-stop(100%,rgba(255,255,255,0))); + background-image: -webkit-linear-gradient(left, rgba(255,255,255,0.5) 0%,rgba(255,255,255,0) 100%); + background-image: -o-linear-gradient(left, rgba(255,255,255,0.5) 0%,rgba(255,255,255,0) 100%); + background-image: -ms-linear-gradient(left, rgba(255,255,255,0.5) 0%,rgba(255,255,255,0) 100%); + background-image: linear-gradient(to right, rgba(255,255,255,0.5) 0%,rgba(255,255,255,0) 100%); + } + + .mCS-3d.mCSB_scrollTools_horizontal .mCSB_dragger .mCSB_dragger_bar, + .mCS-3d-dark.mCSB_scrollTools_horizontal .mCSB_dragger .mCSB_dragger_bar, + .mCS-3d-thick.mCSB_scrollTools_horizontal .mCSB_dragger .mCSB_dragger_bar, + .mCS-3d-thick-dark.mCSB_scrollTools_horizontal .mCSB_dragger .mCSB_dragger_bar{ + background-repeat: repeat-x; + background-image: -moz-linear-gradient(top, rgba(255,255,255,0.5) 0%, rgba(255,255,255,0) 100%); + background-image: -webkit-gradient(linear, left top, left bottom, color-stop(0%,rgba(255,255,255,0.5)), color-stop(100%,rgba(255,255,255,0))); + background-image: -webkit-linear-gradient(top, rgba(255,255,255,0.5) 0%,rgba(255,255,255,0) 100%); + background-image: -o-linear-gradient(top, rgba(255,255,255,0.5) 0%,rgba(255,255,255,0) 100%); + background-image: -ms-linear-gradient(top, rgba(255,255,255,0.5) 0%,rgba(255,255,255,0) 100%); + background-image: linear-gradient(to bottom, rgba(255,255,255,0.5) 0%,rgba(255,255,255,0) 100%); + } + + + /* theme "3d", "3d-dark" */ + + .mCS-3d.mCSB_scrollTools_vertical .mCSB_dragger, + .mCS-3d-dark.mCSB_scrollTools_vertical .mCSB_dragger{ height: 70px; } + + .mCS-3d.mCSB_scrollTools_horizontal .mCSB_dragger, + .mCS-3d-dark.mCSB_scrollTools_horizontal .mCSB_dragger{ width: 70px; } + + .mCS-3d.mCSB_scrollTools, + .mCS-3d-dark.mCSB_scrollTools{ + opacity: 1; + filter: "alpha(opacity=30)"; -ms-filter: "alpha(opacity=30)"; + } + + .mCS-3d.mCSB_scrollTools .mCSB_draggerRail, + .mCS-3d.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar, + .mCS-3d-dark.mCSB_scrollTools .mCSB_draggerRail, + .mCS-3d-dark.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar{ -webkit-border-radius: 16px; -moz-border-radius: 16px; border-radius: 16px; } + + .mCS-3d.mCSB_scrollTools .mCSB_draggerRail, + .mCS-3d-dark.mCSB_scrollTools .mCSB_draggerRail{ + width: 8px; + background-color: #000; background-color: rgba(0,0,0,0.2); + box-shadow: inset 1px 0 1px rgba(0,0,0,0.5), inset -1px 0 1px rgba(255,255,255,0.2); + } + + .mCS-3d.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar, + .mCS-3d.mCSB_scrollTools .mCSB_dragger:hover .mCSB_dragger_bar, + .mCS-3d.mCSB_scrollTools .mCSB_dragger:active .mCSB_dragger_bar, + .mCS-3d.mCSB_scrollTools .mCSB_dragger.mCSB_dragger_onDrag .mCSB_dragger_bar, + .mCS-3d-dark.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar, + .mCS-3d-dark.mCSB_scrollTools .mCSB_dragger:hover .mCSB_dragger_bar, + .mCS-3d-dark.mCSB_scrollTools .mCSB_dragger:active .mCSB_dragger_bar, + .mCS-3d-dark.mCSB_scrollTools .mCSB_dragger.mCSB_dragger_onDrag .mCSB_dragger_bar{ background-color: #555; } + + .mCS-3d.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar, + .mCS-3d-dark.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar{ width: 8px; } + + .mCS-3d.mCSB_scrollTools_horizontal .mCSB_draggerRail, + .mCS-3d-dark.mCSB_scrollTools_horizontal .mCSB_draggerRail{ + width: 100%; + height: 8px; + margin: 4px 0; + box-shadow: inset 0 1px 1px rgba(0,0,0,0.5), inset 0 -1px 1px rgba(255,255,255,0.2); + } + + .mCS-3d.mCSB_scrollTools_horizontal .mCSB_dragger .mCSB_dragger_bar, + .mCS-3d-dark.mCSB_scrollTools_horizontal .mCSB_dragger .mCSB_dragger_bar{ + width: 100%; + height: 8px; + margin: 4px auto; + } + + .mCS-3d.mCSB_scrollTools .mCSB_buttonUp{ background-position: -32px -72px; } + + .mCS-3d.mCSB_scrollTools .mCSB_buttonDown{ background-position: -32px -92px; } + + .mCS-3d.mCSB_scrollTools .mCSB_buttonLeft{ background-position: -40px -112px; } + + .mCS-3d.mCSB_scrollTools .mCSB_buttonRight{ background-position: -40px -128px; } + + + /* theme "3d-dark" */ + + .mCS-3d-dark.mCSB_scrollTools .mCSB_draggerRail{ + background-color: #000; background-color: rgba(0,0,0,0.1); + box-shadow: inset 1px 0 1px rgba(0,0,0,0.1); + } + + .mCS-3d-dark.mCSB_scrollTools_horizontal .mCSB_draggerRail{ box-shadow: inset 0 1px 1px rgba(0,0,0,0.1); } + + .mCS-3d-dark.mCSB_scrollTools .mCSB_buttonUp{ background-position: -112px -72px; } + + .mCS-3d-dark.mCSB_scrollTools .mCSB_buttonDown{ background-position: -112px -92px; } + + .mCS-3d-dark.mCSB_scrollTools .mCSB_buttonLeft{ background-position: -120px -112px; } + + .mCS-3d-dark.mCSB_scrollTools .mCSB_buttonRight{ background-position: -120px -128px; } + + /* ---------------------------------------- */ + + + + /* theme: "3d-thick", "3d-thick-dark" */ + + .mCS-3d-thick.mCSB_scrollTools, + .mCS-3d-thick-dark.mCSB_scrollTools{ + opacity: 1; + filter: "alpha(opacity=30)"; -ms-filter: "alpha(opacity=30)"; + } + + .mCS-3d-thick.mCSB_scrollTools, + .mCS-3d-thick-dark.mCSB_scrollTools, + .mCS-3d-thick.mCSB_scrollTools .mCSB_draggerContainer, + .mCS-3d-thick-dark.mCSB_scrollTools .mCSB_draggerContainer{ -webkit-border-radius: 7px; -moz-border-radius: 7px; border-radius: 7px; } + + .mCS-3d-thick.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar, + .mCS-3d-thick-dark.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar{ -webkit-border-radius: 5px; -moz-border-radius: 5px; border-radius: 5px; } + + .mCSB_inside + .mCS-3d-thick.mCSB_scrollTools_vertical, + .mCSB_inside + .mCS-3d-thick-dark.mCSB_scrollTools_vertical{ right: 1px; } + + .mCS-3d-thick.mCSB_scrollTools_vertical, + .mCS-3d-thick-dark.mCSB_scrollTools_vertical{ box-shadow: inset 1px 0 1px rgba(0,0,0,0.1), inset 0 0 14px rgba(0,0,0,0.5); } + + .mCS-3d-thick.mCSB_scrollTools_horizontal, + .mCS-3d-thick-dark.mCSB_scrollTools_horizontal{ + bottom: 1px; + box-shadow: inset 0 1px 1px rgba(0,0,0,0.1), inset 0 0 14px rgba(0,0,0,0.5); + } + + .mCS-3d-thick.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar, + .mCS-3d-thick-dark.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar{ + box-shadow: inset 1px 0 0 rgba(255,255,255,0.4); + width: 12px; + margin: 2px; + position: absolute; + height: auto; + top: 0; + bottom: 0; + left: 0; + right: 0; + } + + .mCS-3d-thick.mCSB_scrollTools_horizontal .mCSB_dragger .mCSB_dragger_bar, + .mCS-3d-thick-dark.mCSB_scrollTools_horizontal .mCSB_dragger .mCSB_dragger_bar{ box-shadow: inset 0 1px 0 rgba(255,255,255,0.4); } + + .mCS-3d-thick.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar, + .mCS-3d-thick.mCSB_scrollTools .mCSB_dragger:hover .mCSB_dragger_bar, + .mCS-3d-thick.mCSB_scrollTools .mCSB_dragger:active .mCSB_dragger_bar, + .mCS-3d-thick.mCSB_scrollTools .mCSB_dragger.mCSB_dragger_onDrag .mCSB_dragger_bar{ background-color: #555; } + + .mCS-3d-thick.mCSB_scrollTools_horizontal .mCSB_dragger .mCSB_dragger_bar, + .mCS-3d-thick-dark.mCSB_scrollTools_horizontal .mCSB_dragger .mCSB_dragger_bar{ + height: 12px; + width: auto; + } + + .mCS-3d-thick.mCSB_scrollTools .mCSB_draggerContainer{ + background-color: #000; background-color: rgba(0,0,0,0.05); + box-shadow: inset 1px 1px 16px rgba(0,0,0,0.1); + } + + .mCS-3d-thick.mCSB_scrollTools .mCSB_draggerRail{ background-color: transparent; } + + .mCS-3d-thick.mCSB_scrollTools .mCSB_buttonUp{ background-position: -32px -72px; } + + .mCS-3d-thick.mCSB_scrollTools .mCSB_buttonDown{ background-position: -32px -92px; } + + .mCS-3d-thick.mCSB_scrollTools .mCSB_buttonLeft{ background-position: -40px -112px; } + + .mCS-3d-thick.mCSB_scrollTools .mCSB_buttonRight{ background-position: -40px -128px; } + + + /* theme: "3d-thick-dark" */ + + .mCS-3d-thick-dark.mCSB_scrollTools{ box-shadow: inset 0 0 14px rgba(0,0,0,0.2); } + + .mCS-3d-thick-dark.mCSB_scrollTools_horizontal{ box-shadow: inset 0 1px 1px rgba(0,0,0,0.1), inset 0 0 14px rgba(0,0,0,0.2); } + + .mCS-3d-thick-dark.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar{ box-shadow: inset 1px 0 0 rgba(255,255,255,0.4), inset -1px 0 0 rgba(0,0,0,0.2); } + + .mCS-3d-thick-dark.mCSB_scrollTools_horizontal .mCSB_dragger .mCSB_dragger_bar{ box-shadow: inset 0 1px 0 rgba(255,255,255,0.4), inset 0 -1px 0 rgba(0,0,0,0.2); } + + .mCS-3d-thick-dark.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar, + .mCS-3d-thick-dark.mCSB_scrollTools .mCSB_dragger:hover .mCSB_dragger_bar, + .mCS-3d-thick-dark.mCSB_scrollTools .mCSB_dragger:active .mCSB_dragger_bar, + .mCS-3d-thick-dark.mCSB_scrollTools .mCSB_dragger.mCSB_dragger_onDrag .mCSB_dragger_bar{ background-color: #777; } + + .mCS-3d-thick-dark.mCSB_scrollTools .mCSB_draggerContainer{ + background-color: #fff; background-color: rgba(0,0,0,0.05); + box-shadow: inset 1px 1px 16px rgba(0,0,0,0.1); + } + + .mCS-3d-thick-dark.mCSB_scrollTools .mCSB_draggerRail{ background-color: transparent; } + + .mCS-3d-thick-dark.mCSB_scrollTools .mCSB_buttonUp{ background-position: -112px -72px; } + + .mCS-3d-thick-dark.mCSB_scrollTools .mCSB_buttonDown{ background-position: -112px -92px; } + + .mCS-3d-thick-dark.mCSB_scrollTools .mCSB_buttonLeft{ background-position: -120px -112px; } + + .mCS-3d-thick-dark.mCSB_scrollTools .mCSB_buttonRight{ background-position: -120px -128px; } + + /* ---------------------------------------- */ + + + + /* theme: "minimal", "minimal-dark" */ + + .mCSB_outside + .mCS-minimal.mCSB_scrollTools_vertical, + .mCSB_outside + .mCS-minimal-dark.mCSB_scrollTools_vertical{ + right: 0; + margin: 12px 0; + } + + .mCustomScrollBox.mCS-minimal + .mCSB_scrollTools.mCSB_scrollTools_horizontal, + .mCustomScrollBox.mCS-minimal + .mCSB_scrollTools + .mCSB_scrollTools.mCSB_scrollTools_horizontal, + .mCustomScrollBox.mCS-minimal-dark + .mCSB_scrollTools.mCSB_scrollTools_horizontal, + .mCustomScrollBox.mCS-minimal-dark + .mCSB_scrollTools + .mCSB_scrollTools.mCSB_scrollTools_horizontal{ + bottom: 0; + margin: 0 12px; + } + + /* RTL direction/left-side scrollbar */ + .mCS-dir-rtl > .mCSB_outside + .mCS-minimal.mCSB_scrollTools_vertical, + .mCS-dir-rtl > .mCSB_outside + .mCS-minimal-dark.mCSB_scrollTools_vertical{ + left: 0; + right: auto; + } + + .mCS-minimal.mCSB_scrollTools .mCSB_draggerRail, + .mCS-minimal-dark.mCSB_scrollTools .mCSB_draggerRail{ background-color: transparent; } + + .mCS-minimal.mCSB_scrollTools_vertical .mCSB_dragger, + .mCS-minimal-dark.mCSB_scrollTools_vertical .mCSB_dragger{ height: 50px; } + + .mCS-minimal.mCSB_scrollTools_horizontal .mCSB_dragger, + .mCS-minimal-dark.mCSB_scrollTools_horizontal .mCSB_dragger{ width: 50px; } + + .mCS-minimal.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar{ + background-color: #fff; background-color: rgba(255,255,255,0.2); + filter: "alpha(opacity=20)"; -ms-filter: "alpha(opacity=20)"; + } + + .mCS-minimal.mCSB_scrollTools .mCSB_dragger:active .mCSB_dragger_bar, + .mCS-minimal.mCSB_scrollTools .mCSB_dragger.mCSB_dragger_onDrag .mCSB_dragger_bar{ + background-color: #fff; background-color: rgba(255,255,255,0.5); + filter: "alpha(opacity=50)"; -ms-filter: "alpha(opacity=50)"; + } + + + /* theme: "minimal-dark" */ + + .mCS-minimal-dark.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar{ + background-color: #000; background-color: rgba(0,0,0,0.2); + filter: "alpha(opacity=20)"; -ms-filter: "alpha(opacity=20)"; + } + + .mCS-minimal-dark.mCSB_scrollTools .mCSB_dragger:active .mCSB_dragger_bar, + .mCS-minimal-dark.mCSB_scrollTools .mCSB_dragger.mCSB_dragger_onDrag .mCSB_dragger_bar{ + background-color: #000; background-color: rgba(0,0,0,0.5); + filter: "alpha(opacity=50)"; -ms-filter: "alpha(opacity=50)"; + } + + /* ---------------------------------------- */ + + + + /* theme "light-3", "dark-3" */ + + .mCS-light-3.mCSB_scrollTools .mCSB_draggerRail, + .mCS-dark-3.mCSB_scrollTools .mCSB_draggerRail{ + width: 6px; + background-color: #000; background-color: rgba(0,0,0,0.2); + } + + .mCS-light-3.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar, + .mCS-dark-3.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar{ width: 6px; } + + .mCS-light-3.mCSB_scrollTools_horizontal .mCSB_dragger .mCSB_dragger_bar, + .mCS-dark-3.mCSB_scrollTools_horizontal .mCSB_dragger .mCSB_dragger_bar, + .mCS-light-3.mCSB_scrollTools_horizontal .mCSB_draggerRail, + .mCS-dark-3.mCSB_scrollTools_horizontal .mCSB_draggerRail{ + width: 100%; + height: 6px; + margin: 5px 0; + } + + .mCS-light-3.mCSB_scrollTools_vertical.mCSB_scrollTools_onDrag_expand .mCSB_dragger.mCSB_dragger_onDrag_expanded + .mCSB_draggerRail, + .mCS-light-3.mCSB_scrollTools_vertical.mCSB_scrollTools_onDrag_expand .mCSB_draggerContainer:hover .mCSB_draggerRail, + .mCS-dark-3.mCSB_scrollTools_vertical.mCSB_scrollTools_onDrag_expand .mCSB_dragger.mCSB_dragger_onDrag_expanded + .mCSB_draggerRail, + .mCS-dark-3.mCSB_scrollTools_vertical.mCSB_scrollTools_onDrag_expand .mCSB_draggerContainer:hover .mCSB_draggerRail{ + width: 12px; + } + + .mCS-light-3.mCSB_scrollTools_horizontal.mCSB_scrollTools_onDrag_expand .mCSB_dragger.mCSB_dragger_onDrag_expanded + .mCSB_draggerRail, + .mCS-light-3.mCSB_scrollTools_horizontal.mCSB_scrollTools_onDrag_expand .mCSB_draggerContainer:hover .mCSB_draggerRail, + .mCS-dark-3.mCSB_scrollTools_horizontal.mCSB_scrollTools_onDrag_expand .mCSB_dragger.mCSB_dragger_onDrag_expanded + .mCSB_draggerRail, + .mCS-dark-3.mCSB_scrollTools_horizontal.mCSB_scrollTools_onDrag_expand .mCSB_draggerContainer:hover .mCSB_draggerRail{ + height: 12px; + margin: 2px 0; + } + + .mCS-light-3.mCSB_scrollTools .mCSB_buttonUp{ background-position: -32px -72px; } + + .mCS-light-3.mCSB_scrollTools .mCSB_buttonDown{ background-position: -32px -92px; } + + .mCS-light-3.mCSB_scrollTools .mCSB_buttonLeft{ background-position: -40px -112px; } + + .mCS-light-3.mCSB_scrollTools .mCSB_buttonRight{ background-position: -40px -128px; } + + + /* theme "dark-3" */ + + .mCS-dark-3.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar{ background-color: #000; background-color: rgba(0,0,0,0.75); } + + .mCS-dark-3.mCSB_scrollTools .mCSB_dragger:hover .mCSB_dragger_bar{ background-color: #000; background-color: rgba(0,0,0,0.85); } + + .mCS-dark-3.mCSB_scrollTools .mCSB_dragger:active .mCSB_dragger_bar, + .mCS-dark-3.mCSB_scrollTools .mCSB_dragger.mCSB_dragger_onDrag .mCSB_dragger_bar{ background-color: #000; background-color: rgba(0,0,0,0.9); } + + .mCS-dark-3.mCSB_scrollTools .mCSB_draggerRail{ background-color: #000; background-color: rgba(0,0,0,0.1); } + + .mCS-dark-3.mCSB_scrollTools .mCSB_buttonUp{ background-position: -112px -72px; } + + .mCS-dark-3.mCSB_scrollTools .mCSB_buttonDown{ background-position: -112px -92px; } + + .mCS-dark-3.mCSB_scrollTools .mCSB_buttonLeft{ background-position: -120px -112px; } + + .mCS-dark-3.mCSB_scrollTools .mCSB_buttonRight{ background-position: -120px -128px; } + + /* ---------------------------------------- */ + + + + /* theme "inset", "inset-dark", "inset-2", "inset-2-dark", "inset-3", "inset-3-dark" */ + + .mCS-inset.mCSB_scrollTools .mCSB_draggerRail, + .mCS-inset-dark.mCSB_scrollTools .mCSB_draggerRail, + .mCS-inset-2.mCSB_scrollTools .mCSB_draggerRail, + .mCS-inset-2-dark.mCSB_scrollTools .mCSB_draggerRail, + .mCS-inset-3.mCSB_scrollTools .mCSB_draggerRail, + .mCS-inset-3-dark.mCSB_scrollTools .mCSB_draggerRail{ + width: 12px; + background-color: #000; background-color: rgba(0,0,0,0.2); + } + + .mCS-inset.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar, + .mCS-inset-dark.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar, + .mCS-inset-2.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar, + .mCS-inset-2-dark.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar, + .mCS-inset-3.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar, + .mCS-inset-3-dark.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar{ + width: 6px; + margin: 3px 5px; + position: absolute; + height: auto; + top: 0; + bottom: 0; + left: 0; + right: 0; + } + + .mCS-inset.mCSB_scrollTools_horizontal .mCSB_dragger .mCSB_dragger_bar, + .mCS-inset-dark.mCSB_scrollTools_horizontal .mCSB_dragger .mCSB_dragger_bar, + .mCS-inset-2.mCSB_scrollTools_horizontal .mCSB_dragger .mCSB_dragger_bar, + .mCS-inset-2-dark.mCSB_scrollTools_horizontal .mCSB_dragger .mCSB_dragger_bar, + .mCS-inset-3.mCSB_scrollTools_horizontal .mCSB_dragger .mCSB_dragger_bar, + .mCS-inset-3-dark.mCSB_scrollTools_horizontal .mCSB_dragger .mCSB_dragger_bar{ + height: 6px; + margin: 5px 3px; + position: absolute; + width: auto; + top: 0; + bottom: 0; + left: 0; + right: 0; + } + + .mCS-inset.mCSB_scrollTools_horizontal .mCSB_draggerRail, + .mCS-inset-dark.mCSB_scrollTools_horizontal .mCSB_draggerRail, + .mCS-inset-2.mCSB_scrollTools_horizontal .mCSB_draggerRail, + .mCS-inset-2-dark.mCSB_scrollTools_horizontal .mCSB_draggerRail, + .mCS-inset-3.mCSB_scrollTools_horizontal .mCSB_draggerRail, + .mCS-inset-3-dark.mCSB_scrollTools_horizontal .mCSB_draggerRail{ + width: 100%; + height: 12px; + margin: 2px 0; + } + + .mCS-inset.mCSB_scrollTools .mCSB_buttonUp, + .mCS-inset-2.mCSB_scrollTools .mCSB_buttonUp, + .mCS-inset-3.mCSB_scrollTools .mCSB_buttonUp{ background-position: -32px -72px; } + + .mCS-inset.mCSB_scrollTools .mCSB_buttonDown, + .mCS-inset-2.mCSB_scrollTools .mCSB_buttonDown, + .mCS-inset-3.mCSB_scrollTools .mCSB_buttonDown{ background-position: -32px -92px; } + + .mCS-inset.mCSB_scrollTools .mCSB_buttonLeft, + .mCS-inset-2.mCSB_scrollTools .mCSB_buttonLeft, + .mCS-inset-3.mCSB_scrollTools .mCSB_buttonLeft{ background-position: -40px -112px; } + + .mCS-inset.mCSB_scrollTools .mCSB_buttonRight, + .mCS-inset-2.mCSB_scrollTools .mCSB_buttonRight, + .mCS-inset-3.mCSB_scrollTools .mCSB_buttonRight{ background-position: -40px -128px; } + + + /* theme "inset-dark", "inset-2-dark", "inset-3-dark" */ + + .mCS-inset-dark.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar, + .mCS-inset-2-dark.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar, + .mCS-inset-3-dark.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar{ background-color: #000; background-color: rgba(0,0,0,0.75); } + + .mCS-inset-dark.mCSB_scrollTools .mCSB_dragger:hover .mCSB_dragger_bar, + .mCS-inset-2-dark.mCSB_scrollTools .mCSB_dragger:hover .mCSB_dragger_bar, + .mCS-inset-3-dark.mCSB_scrollTools .mCSB_dragger:hover .mCSB_dragger_bar{ background-color: #000; background-color: rgba(0,0,0,0.85); } + + .mCS-inset-dark.mCSB_scrollTools .mCSB_dragger:active .mCSB_dragger_bar, + .mCS-inset-dark.mCSB_scrollTools .mCSB_dragger.mCSB_dragger_onDrag .mCSB_dragger_bar, + .mCS-inset-2-dark.mCSB_scrollTools .mCSB_dragger:active .mCSB_dragger_bar, + .mCS-inset-2-dark.mCSB_scrollTools .mCSB_dragger.mCSB_dragger_onDrag .mCSB_dragger_bar, + .mCS-inset-3-dark.mCSB_scrollTools .mCSB_dragger:active .mCSB_dragger_bar, + .mCS-inset-3-dark.mCSB_scrollTools .mCSB_dragger.mCSB_dragger_onDrag .mCSB_dragger_bar{ background-color: #000; background-color: rgba(0,0,0,0.9); } + + .mCS-inset-dark.mCSB_scrollTools .mCSB_draggerRail, + .mCS-inset-2-dark.mCSB_scrollTools .mCSB_draggerRail, + .mCS-inset-3-dark.mCSB_scrollTools .mCSB_draggerRail{ background-color: #000; background-color: rgba(0,0,0,0.1); } + + .mCS-inset-dark.mCSB_scrollTools .mCSB_buttonUp, + .mCS-inset-2-dark.mCSB_scrollTools .mCSB_buttonUp, + .mCS-inset-3-dark.mCSB_scrollTools .mCSB_buttonUp{ background-position: -112px -72px; } + + .mCS-inset-dark.mCSB_scrollTools .mCSB_buttonDown, + .mCS-inset-2-dark.mCSB_scrollTools .mCSB_buttonDown, + .mCS-inset-3-dark.mCSB_scrollTools .mCSB_buttonDown{ background-position: -112px -92px; } + + .mCS-inset-dark.mCSB_scrollTools .mCSB_buttonLeft, + .mCS-inset-2-dark.mCSB_scrollTools .mCSB_buttonLeft, + .mCS-inset-3-dark.mCSB_scrollTools .mCSB_buttonLeft{ background-position: -120px -112px; } + + .mCS-inset-dark.mCSB_scrollTools .mCSB_buttonRight, + .mCS-inset-2-dark.mCSB_scrollTools .mCSB_buttonRight, + .mCS-inset-3-dark.mCSB_scrollTools .mCSB_buttonRight{ background-position: -120px -128px; } + + + /* theme "inset-2", "inset-2-dark" */ + + .mCS-inset-2.mCSB_scrollTools .mCSB_draggerRail, + .mCS-inset-2-dark.mCSB_scrollTools .mCSB_draggerRail{ + background-color: transparent; + border-width: 1px; + border-style: solid; + border-color: #fff; + border-color: rgba(255,255,255,0.2); + -webkit-box-sizing: border-box; -moz-box-sizing: border-box; box-sizing: border-box; + } + + .mCS-inset-2-dark.mCSB_scrollTools .mCSB_draggerRail{ border-color: #000; border-color: rgba(0,0,0,0.2); } + + + /* theme "inset-3", "inset-3-dark" */ + + .mCS-inset-3.mCSB_scrollTools .mCSB_draggerRail{ background-color: #fff; background-color: rgba(255,255,255,0.6); } + + .mCS-inset-3-dark.mCSB_scrollTools .mCSB_draggerRail{ background-color: #000; background-color: rgba(0,0,0,0.6); } + + .mCS-inset-3.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar{ background-color: #000; background-color: rgba(0,0,0,0.75); } + + .mCS-inset-3.mCSB_scrollTools .mCSB_dragger:hover .mCSB_dragger_bar{ background-color: #000; background-color: rgba(0,0,0,0.85); } + + .mCS-inset-3.mCSB_scrollTools .mCSB_dragger:active .mCSB_dragger_bar, + .mCS-inset-3.mCSB_scrollTools .mCSB_dragger.mCSB_dragger_onDrag .mCSB_dragger_bar{ background-color: #000; background-color: rgba(0,0,0,0.9); } + + .mCS-inset-3-dark.mCSB_scrollTools .mCSB_dragger .mCSB_dragger_bar{ background-color: #fff; background-color: rgba(255,255,255,0.75); } + + .mCS-inset-3-dark.mCSB_scrollTools .mCSB_dragger:hover .mCSB_dragger_bar{ background-color: #fff; background-color: rgba(255,255,255,0.85); } + + .mCS-inset-3-dark.mCSB_scrollTools .mCSB_dragger:active .mCSB_dragger_bar, + .mCS-inset-3-dark.mCSB_scrollTools .mCSB_dragger.mCSB_dragger_onDrag .mCSB_dragger_bar{ background-color: #fff; background-color: rgba(255,255,255,0.9); } + + /* ---------------------------------------- */ diff --git a/packages/wekan-scrollbar/jquery.mCustomScrollbar.js b/packages/wekan-scrollbar/jquery.mCustomScrollbar.js new file mode 100644 index 00000000..b7883579 --- /dev/null +++ b/packages/wekan-scrollbar/jquery.mCustomScrollbar.js @@ -0,0 +1,2423 @@ +/* +== malihu jquery custom scrollbar plugin == +Version: 3.1.3 +Plugin URI: http://manos.malihu.gr/jquery-custom-content-scroller +Author: malihu +Author URI: http://manos.malihu.gr +License: MIT License (MIT) +*/ + +/* +Copyright Manos Malihutsakis (email: manos@malihu.gr) + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in +all copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN +THE SOFTWARE. +*/ + +/* +The code below is fairly long, fully commented and should be normally used in development. +For production, use either the minified jquery.mCustomScrollbar.min.js script or +the production-ready jquery.mCustomScrollbar.concat.min.js which contains the plugin +and dependencies (minified). +*/ + +(function(factory){ + if(typeof module!=="undefined" && module.exports){ + module.exports=factory; + }else{ + factory(jQuery,window,document); + } +}(function($){ +(function(init){ + var _rjs=typeof define==="function" && define.amd, /* RequireJS */ + _njs=typeof module !== "undefined" && module.exports; /* NodeJS */ + if(!_rjs){ + if(_njs){ + require("jquery-mousewheel")($); + }else{ + /* Only load locally jquery-mousewheel plugin. + (works when mCustomScrollbar fn is called on window load) */ + $.event.special.mousewheel; + } + } + init(); +}(function(){ + + /* + ---------------------------------------- + PLUGIN NAMESPACE, PREFIX, DEFAULT SELECTOR(S) + ---------------------------------------- + */ + + var pluginNS="mCustomScrollbar", + pluginPfx="mCS", + defaultSelector=".mCustomScrollbar", + + + + + + /* + ---------------------------------------- + DEFAULT OPTIONS + ---------------------------------------- + */ + + defaults={ + /* + set element/content width/height programmatically + values: boolean, pixels, percentage + option default + ------------------------------------- + setWidth false + setHeight false + */ + /* + set the initial css top property of content + values: string (e.g. "-100px", "10%" etc.) + */ + setTop:0, + /* + set the initial css left property of content + values: string (e.g. "-100px", "10%" etc.) + */ + setLeft:0, + /* + scrollbar axis (vertical and/or horizontal scrollbars) + values (string): "y", "x", "yx" + */ + axis:"y", + /* + position of scrollbar relative to content + values (string): "inside", "outside" ("outside" requires elements with position:relative) + */ + scrollbarPosition:"inside", + /* + scrolling inertia + values: integer (milliseconds) + */ + scrollInertia:950, + /* + auto-adjust scrollbar dragger length + values: boolean + */ + autoDraggerLength:true, + /* + auto-hide scrollbar when idle + values: boolean + option default + ------------------------------------- + autoHideScrollbar false + */ + /* + auto-expands scrollbar on mouse-over and dragging + values: boolean + option default + ------------------------------------- + autoExpandScrollbar false + */ + /* + always show scrollbar, even when there's nothing to scroll + values: integer (0=disable, 1=always show dragger rail and buttons, 2=always show dragger rail, dragger and buttons), boolean + */ + alwaysShowScrollbar:0, + /* + scrolling always snaps to a multiple of this number in pixels + values: integer, array ([y,x]) + option default + ------------------------------------- + snapAmount null + */ + /* + when snapping, snap with this number in pixels as an offset + values: integer + */ + snapOffset:0, + /* + mouse-wheel scrolling + */ + mouseWheel:{ + /* + enable mouse-wheel scrolling + values: boolean + */ + enable:true, + /* + scrolling amount in pixels + values: "auto", integer + */ + scrollAmount:"auto", + /* + mouse-wheel scrolling axis + the default scrolling direction when both vertical and horizontal scrollbars are present + values (string): "y", "x" + */ + axis:"y", + /* + prevent the default behaviour which automatically scrolls the parent element(s) when end of scrolling is reached + values: boolean + option default + ------------------------------------- + preventDefault null + */ + /* + the reported mouse-wheel delta value. The number of lines (translated to pixels) one wheel notch scrolls. + values: "auto", integer + "auto" uses the default OS/browser value + */ + deltaFactor:"auto", + /* + normalize mouse-wheel delta to -1 or 1 (disables mouse-wheel acceleration) + values: boolean + option default + ------------------------------------- + normalizeDelta null + */ + /* + invert mouse-wheel scrolling direction + values: boolean + option default + ------------------------------------- + invert null + */ + /* + the tags that disable mouse-wheel when cursor is over them + */ + disableOver:["select","option","keygen","datalist","textarea"] + }, + /* + scrollbar buttons + */ + scrollButtons:{ + /* + enable scrollbar buttons + values: boolean + option default + ------------------------------------- + enable null + */ + /* + scrollbar buttons scrolling type + values (string): "stepless", "stepped" + */ + scrollType:"stepless", + /* + scrolling amount in pixels + values: "auto", integer + */ + scrollAmount:"auto" + /* + tabindex of the scrollbar buttons + values: false, integer + option default + ------------------------------------- + tabindex null + */ + }, + /* + keyboard scrolling + */ + keyboard:{ + /* + enable scrolling via keyboard + values: boolean + */ + enable:true, + /* + keyboard scrolling type + values (string): "stepless", "stepped" + */ + scrollType:"stepless", + /* + scrolling amount in pixels + values: "auto", integer + */ + scrollAmount:"auto" + }, + /* + enable content touch-swipe scrolling + values: boolean, integer, string (number) + integer values define the axis-specific minimum amount required for scrolling momentum + */ + contentTouchScroll:25, + /* + enable/disable document (default) touch-swipe scrolling + */ + documentTouchScroll:true, + /* + advanced option parameters + */ + advanced:{ + /* + auto-expand content horizontally (for "x" or "yx" axis) + values: boolean, integer (the value 2 forces the non scrollHeight/scrollWidth method, the value 3 forces the scrollHeight/scrollWidth method) + option default + ------------------------------------- + autoExpandHorizontalScroll null + */ + /* + auto-scroll to elements with focus + */ + autoScrollOnFocus:"input,textarea,select,button,datalist,keygen,a[tabindex],area,object,[contenteditable='true']", + /* + auto-update scrollbars on content, element or viewport resize + should be true for fluid layouts/elements, adding/removing content dynamically, hiding/showing elements, content with images etc. + values: boolean + */ + updateOnContentResize:true, + /* + auto-update scrollbars each time each image inside the element is fully loaded + values: "auto", boolean + */ + updateOnImageLoad:"auto", + /* + auto-update scrollbars based on the amount and size changes of specific selectors + useful when you need to update the scrollbar(s) automatically, each time a type of element is added, removed or changes its size + values: boolean, string (e.g. "ul li" will auto-update scrollbars each time list-items inside the element are changed) + a value of true (boolean) will auto-update scrollbars each time any element is changed + option default + ------------------------------------- + updateOnSelectorChange null + */ + /* + extra selectors that'll allow scrollbar dragging upon mousemove/up, pointermove/up, touchend etc. (e.g. "selector-1, selector-2") + option default + ------------------------------------- + extraDraggableSelectors null + */ + /* + extra selectors that'll release scrollbar dragging upon mouseup, pointerup, touchend etc. (e.g. "selector-1, selector-2") + option default + ------------------------------------- + releaseDraggableSelectors null + */ + /* + auto-update timeout + values: integer (milliseconds) + */ + autoUpdateTimeout:60 + }, + /* + scrollbar theme + values: string (see CSS/plugin URI for a list of ready-to-use themes) + */ + theme:"light", + /* + user defined callback functions + */ + callbacks:{ + /* + Available callbacks: + callback default + ------------------------------------- + onCreate null + onInit null + onScrollStart null + onScroll null + onTotalScroll null + onTotalScrollBack null + whileScrolling null + onOverflowY null + onOverflowX null + onOverflowYNone null + onOverflowXNone null + onImageLoad null + onSelectorChange null + onBeforeUpdate null + onUpdate null + */ + onTotalScrollOffset:0, + onTotalScrollBackOffset:0, + alwaysTriggerOffsets:true + } + /* + add scrollbar(s) on all elements matching the current selector, now and in the future + values: boolean, string + string values: "on" (enable), "once" (disable after first invocation), "off" (disable) + liveSelector values: string (selector) + option default + ------------------------------------- + live false + liveSelector null + */ + }, + + + + + + /* + ---------------------------------------- + VARS, CONSTANTS + ---------------------------------------- + */ + + totalInstances=0, /* plugin instances amount */ + liveTimers={}, /* live option timers */ + oldIE=(window.attachEvent && !window.addEventListener) ? 1 : 0, /* detect IE < 9 */ + touchActive=false,touchable, /* global touch vars (for touch and pointer events) */ + /* general plugin classes */ + classes=[ + "mCSB_dragger_onDrag","mCSB_scrollTools_onDrag","mCS_img_loaded","mCS_disabled","mCS_destroyed","mCS_no_scrollbar", + "mCS-autoHide","mCS-dir-rtl","mCS_no_scrollbar_y","mCS_no_scrollbar_x","mCS_y_hidden","mCS_x_hidden","mCSB_draggerContainer", + "mCSB_buttonUp","mCSB_buttonDown","mCSB_buttonLeft","mCSB_buttonRight" + ], + + + + + + /* + ---------------------------------------- + METHODS + ---------------------------------------- + */ + + methods={ + + /* + plugin initialization method + creates the scrollbar(s), plugin data object and options + ---------------------------------------- + */ + + init:function(options){ + + var options=$.extend(true,{},defaults,options), + selector=_selector.call(this); /* validate selector */ + + /* + if live option is enabled, monitor for elements matching the current selector and + apply scrollbar(s) when found (now and in the future) + */ + if(options.live){ + var liveSelector=options.liveSelector || this.selector || defaultSelector, /* live selector(s) */ + $liveSelector=$(liveSelector); /* live selector(s) as jquery object */ + if(options.live==="off"){ + /* + disable live if requested + usage: $(selector).mCustomScrollbar({live:"off"}); + */ + removeLiveTimers(liveSelector); + return; + } + liveTimers[liveSelector]=setTimeout(function(){ + /* call mCustomScrollbar fn on live selector(s) every half-second */ + $liveSelector.mCustomScrollbar(options); + if(options.live==="once" && $liveSelector.length){ + /* disable live after first invocation */ + removeLiveTimers(liveSelector); + } + },500); + }else{ + removeLiveTimers(liveSelector); + } + + /* options backward compatibility (for versions < 3.0.0) and normalization */ + options.setWidth=(options.set_width) ? options.set_width : options.setWidth; + options.setHeight=(options.set_height) ? options.set_height : options.setHeight; + options.axis=(options.horizontalScroll) ? "x" : _findAxis(options.axis); + options.scrollInertia=options.scrollInertia>0 && options.scrollInertia<17 ? 17 : options.scrollInertia; + if(typeof options.mouseWheel!=="object" && options.mouseWheel==true){ /* old school mouseWheel option (non-object) */ + options.mouseWheel={enable:true,scrollAmount:"auto",axis:"y",preventDefault:false,deltaFactor:"auto",normalizeDelta:false,invert:false} + } + options.mouseWheel.scrollAmount=!options.mouseWheelPixels ? options.mouseWheel.scrollAmount : options.mouseWheelPixels; + options.mouseWheel.normalizeDelta=!options.advanced.normalizeMouseWheelDelta ? options.mouseWheel.normalizeDelta : options.advanced.normalizeMouseWheelDelta; + options.scrollButtons.scrollType=_findScrollButtonsType(options.scrollButtons.scrollType); + + _theme(options); /* theme-specific options */ + + /* plugin constructor */ + return $(selector).each(function(){ + + var $this=$(this); + + if(!$this.data(pluginPfx)){ /* prevent multiple instantiations */ + + /* store options and create objects in jquery data */ + $this.data(pluginPfx,{ + idx:++totalInstances, /* instance index */ + opt:options, /* options */ + scrollRatio:{y:null,x:null}, /* scrollbar to content ratio */ + overflowed:null, /* overflowed axis */ + contentReset:{y:null,x:null}, /* object to check when content resets */ + bindEvents:false, /* object to check if events are bound */ + tweenRunning:false, /* object to check if tween is running */ + sequential:{}, /* sequential scrolling object */ + langDir:$this.css("direction"), /* detect/store direction (ltr or rtl) */ + cbOffsets:null, /* object to check whether callback offsets always trigger */ + /* + object to check how scrolling events where last triggered + "internal" (default - triggered by this script), "external" (triggered by other scripts, e.g. via scrollTo method) + usage: object.data("mCS").trigger + */ + trigger:null, + /* + object to check for changes in elements in order to call the update method automatically + */ + poll:{size:{o:0,n:0},img:{o:0,n:0},change:{o:0,n:0}} + }); + + var d=$this.data(pluginPfx),o=d.opt, + /* HTML data attributes */ + htmlDataAxis=$this.data("mcs-axis"),htmlDataSbPos=$this.data("mcs-scrollbar-position"),htmlDataTheme=$this.data("mcs-theme"); + + if(htmlDataAxis){o.axis=htmlDataAxis;} /* usage example: data-mcs-axis="y" */ + if(htmlDataSbPos){o.scrollbarPosition=htmlDataSbPos;} /* usage example: data-mcs-scrollbar-position="outside" */ + if(htmlDataTheme){ /* usage example: data-mcs-theme="minimal" */ + o.theme=htmlDataTheme; + _theme(o); /* theme-specific options */ + } + + _pluginMarkup.call(this); /* add plugin markup */ + + if(d && o.callbacks.onCreate && typeof o.callbacks.onCreate==="function"){o.callbacks.onCreate.call(this);} /* callbacks: onCreate */ + + $("#mCSB_"+d.idx+"_container img:not(."+classes[2]+")").addClass(classes[2]); /* flag loaded images */ + + methods.update.call(null,$this); /* call the update method */ + + } + + }); + + }, + /* ---------------------------------------- */ + + + + /* + plugin update method + updates content and scrollbar(s) values, events and status + ---------------------------------------- + usage: $(selector).mCustomScrollbar("update"); + */ + + update:function(el,cb){ + + var selector=el || _selector.call(this); /* validate selector */ + + return $(selector).each(function(){ + + var $this=$(this); + + if($this.data(pluginPfx)){ /* check if plugin has initialized */ + + var d=$this.data(pluginPfx),o=d.opt, + mCSB_container=$("#mCSB_"+d.idx+"_container"), + mCustomScrollBox=$("#mCSB_"+d.idx), + mCSB_dragger=[$("#mCSB_"+d.idx+"_dragger_vertical"),$("#mCSB_"+d.idx+"_dragger_horizontal")]; + + if(!mCSB_container.length){return;} + + if(d.tweenRunning){_stop($this);} /* stop any running tweens while updating */ + + if(cb && d && o.callbacks.onBeforeUpdate && typeof o.callbacks.onBeforeUpdate==="function"){o.callbacks.onBeforeUpdate.call(this);} /* callbacks: onBeforeUpdate */ + + /* if element was disabled or destroyed, remove class(es) */ + if($this.hasClass(classes[3])){$this.removeClass(classes[3]);} + if($this.hasClass(classes[4])){$this.removeClass(classes[4]);} + + /* css flexbox fix, detect/set max-height */ + mCustomScrollBox.css("max-height","none"); + if(mCustomScrollBox.height()!==$this.height()){mCustomScrollBox.css("max-height",$this.height());} + + _expandContentHorizontally.call(this); /* expand content horizontally */ + + if(o.axis!=="y" && !o.advanced.autoExpandHorizontalScroll){ + mCSB_container.css("width",_contentWidth(mCSB_container)); + } + + d.overflowed=_overflowed.call(this); /* determine if scrolling is required */ + + _scrollbarVisibility.call(this); /* show/hide scrollbar(s) */ + + /* auto-adjust scrollbar dragger length analogous to content */ + if(o.autoDraggerLength){_setDraggerLength.call(this);} + + _scrollRatio.call(this); /* calculate and store scrollbar to content ratio */ + + _bindEvents.call(this); /* bind scrollbar events */ + + /* reset scrolling position and/or events */ + var to=[Math.abs(mCSB_container[0].offsetTop),Math.abs(mCSB_container[0].offsetLeft)]; + if(o.axis!=="x"){ /* y/yx axis */ + if(!d.overflowed[0]){ /* y scrolling is not required */ + _resetContentPosition.call(this); /* reset content position */ + if(o.axis==="y"){ + _unbindEvents.call(this); + }else if(o.axis==="yx" && d.overflowed[1]){ + _scrollTo($this,to[1].toString(),{dir:"x",dur:0,overwrite:"none"}); + } + }else if(mCSB_dragger[0].height()>mCSB_dragger[0].parent().height()){ + _resetContentPosition.call(this); /* reset content position */ + }else{ /* y scrolling is required */ + _scrollTo($this,to[0].toString(),{dir:"y",dur:0,overwrite:"none"}); + d.contentReset.y=null; + } + } + if(o.axis!=="y"){ /* x/yx axis */ + if(!d.overflowed[1]){ /* x scrolling is not required */ + _resetContentPosition.call(this); /* reset content position */ + if(o.axis==="x"){ + _unbindEvents.call(this); + }else if(o.axis==="yx" && d.overflowed[0]){ + _scrollTo($this,to[0].toString(),{dir:"y",dur:0,overwrite:"none"}); + } + }else if(mCSB_dragger[1].width()>mCSB_dragger[1].parent().width()){ + _resetContentPosition.call(this); /* reset content position */ + }else{ /* x scrolling is required */ + _scrollTo($this,to[1].toString(),{dir:"x",dur:0,overwrite:"none"}); + d.contentReset.x=null; + } + } + + /* callbacks: onImageLoad, onSelectorChange, onUpdate */ + if(cb && d){ + if(cb===2 && o.callbacks.onImageLoad && typeof o.callbacks.onImageLoad==="function"){ + o.callbacks.onImageLoad.call(this); + }else if(cb===3 && o.callbacks.onSelectorChange && typeof o.callbacks.onSelectorChange==="function"){ + o.callbacks.onSelectorChange.call(this); + }else if(o.callbacks.onUpdate && typeof o.callbacks.onUpdate==="function"){ + o.callbacks.onUpdate.call(this); + } + } + + _autoUpdate.call(this); /* initialize automatic updating (for dynamic content, fluid layouts etc.) */ + + } + + }); + + }, + /* ---------------------------------------- */ + + + + /* + plugin scrollTo method + triggers a scrolling event to a specific value + ---------------------------------------- + usage: $(selector).mCustomScrollbar("scrollTo",value,options); + */ + + scrollTo:function(val,options){ + + /* prevent silly things like $(selector).mCustomScrollbar("scrollTo",undefined); */ + if(typeof val=="undefined" || val==null){return;} + + var selector=_selector.call(this); /* validate selector */ + + return $(selector).each(function(){ + + var $this=$(this); + + if($this.data(pluginPfx)){ /* check if plugin has initialized */ + + var d=$this.data(pluginPfx),o=d.opt, + /* method default options */ + methodDefaults={ + trigger:"external", /* method is by default triggered externally (e.g. from other scripts) */ + scrollInertia:o.scrollInertia, /* scrolling inertia (animation duration) */ + scrollEasing:"mcsEaseInOut", /* animation easing */ + moveDragger:false, /* move dragger instead of content */ + timeout:60, /* scroll-to delay */ + callbacks:true, /* enable/disable callbacks */ + onStart:true, + onUpdate:true, + onComplete:true + }, + methodOptions=$.extend(true,{},methodDefaults,options), + to=_arr.call(this,val),dur=methodOptions.scrollInertia>0 && methodOptions.scrollInertia<17 ? 17 : methodOptions.scrollInertia; + + /* translate yx values to actual scroll-to positions */ + to[0]=_to.call(this,to[0],"y"); + to[1]=_to.call(this,to[1],"x"); + + /* + check if scroll-to value moves the dragger instead of content. + Only pixel values apply on dragger (e.g. 100, "100px", "-=100" etc.) + */ + if(methodOptions.moveDragger){ + to[0]*=d.scrollRatio.y; + to[1]*=d.scrollRatio.x; + } + + methodOptions.dur=_isTabHidden() ? 0 : dur; //skip animations if browser tab is hidden + + setTimeout(function(){ + /* do the scrolling */ + if(to[0]!==null && typeof to[0]!=="undefined" && o.axis!=="x" && d.overflowed[0]){ /* scroll y */ + methodOptions.dir="y"; + methodOptions.overwrite="all"; + _scrollTo($this,to[0].toString(),methodOptions); + } + if(to[1]!==null && typeof to[1]!=="undefined" && o.axis!=="y" && d.overflowed[1]){ /* scroll x */ + methodOptions.dir="x"; + methodOptions.overwrite="none"; + _scrollTo($this,to[1].toString(),methodOptions); + } + },methodOptions.timeout); + + } + + }); + + }, + /* ---------------------------------------- */ + + + + /* + plugin stop method + stops scrolling animation + ---------------------------------------- + usage: $(selector).mCustomScrollbar("stop"); + */ + stop:function(){ + + var selector=_selector.call(this); /* validate selector */ + + return $(selector).each(function(){ + + var $this=$(this); + + if($this.data(pluginPfx)){ /* check if plugin has initialized */ + + _stop($this); + + } + + }); + + }, + /* ---------------------------------------- */ + + + + /* + plugin disable method + temporarily disables the scrollbar(s) + ---------------------------------------- + usage: $(selector).mCustomScrollbar("disable",reset); + reset (boolean): resets content position to 0 + */ + disable:function(r){ + + var selector=_selector.call(this); /* validate selector */ + + return $(selector).each(function(){ + + var $this=$(this); + + if($this.data(pluginPfx)){ /* check if plugin has initialized */ + + var d=$this.data(pluginPfx); + + _autoUpdate.call(this,"remove"); /* remove automatic updating */ + + _unbindEvents.call(this); /* unbind events */ + + if(r){_resetContentPosition.call(this);} /* reset content position */ + + _scrollbarVisibility.call(this,true); /* show/hide scrollbar(s) */ + + $this.addClass(classes[3]); /* add disable class */ + + } + + }); + + }, + /* ---------------------------------------- */ + + + + /* + plugin destroy method + completely removes the scrollbar(s) and returns the element to its original state + ---------------------------------------- + usage: $(selector).mCustomScrollbar("destroy"); + */ + destroy:function(){ + + var selector=_selector.call(this); /* validate selector */ + + return $(selector).each(function(){ + + var $this=$(this); + + if($this.data(pluginPfx)){ /* check if plugin has initialized */ + + var d=$this.data(pluginPfx),o=d.opt, + mCustomScrollBox=$("#mCSB_"+d.idx), + mCSB_container=$("#mCSB_"+d.idx+"_container"), + scrollbar=$(".mCSB_"+d.idx+"_scrollbar"); + + if(o.live){removeLiveTimers(o.liveSelector || $(selector).selector);} /* remove live timers */ + + _autoUpdate.call(this,"remove"); /* remove automatic updating */ + + _unbindEvents.call(this); /* unbind events */ + + _resetContentPosition.call(this); /* reset content position */ + + $this.removeData(pluginPfx); /* remove plugin data object */ + + _delete(this,"mcs"); /* delete callbacks object */ + + /* remove plugin markup */ + scrollbar.remove(); /* remove scrollbar(s) first (those can be either inside or outside plugin's inner wrapper) */ + mCSB_container.find("img."+classes[2]).removeClass(classes[2]); /* remove loaded images flag */ + mCustomScrollBox.replaceWith(mCSB_container.contents()); /* replace plugin's inner wrapper with the original content */ + /* remove plugin classes from the element and add destroy class */ + $this.removeClass(pluginNS+" _"+pluginPfx+"_"+d.idx+" "+classes[6]+" "+classes[7]+" "+classes[5]+" "+classes[3]).addClass(classes[4]); + + } + + }); + + } + /* ---------------------------------------- */ + + }, + + + + + + /* + ---------------------------------------- + FUNCTIONS + ---------------------------------------- + */ + + /* validates selector (if selector is invalid or undefined uses the default one) */ + _selector=function(){ + return (typeof $(this)!=="object" || $(this).length<1) ? defaultSelector : this; + }, + /* -------------------- */ + + + /* changes options according to theme */ + _theme=function(obj){ + var fixedSizeScrollbarThemes=["rounded","rounded-dark","rounded-dots","rounded-dots-dark"], + nonExpandedScrollbarThemes=["rounded-dots","rounded-dots-dark","3d","3d-dark","3d-thick","3d-thick-dark","inset","inset-dark","inset-2","inset-2-dark","inset-3","inset-3-dark"], + disabledScrollButtonsThemes=["minimal","minimal-dark"], + enabledAutoHideScrollbarThemes=["minimal","minimal-dark"], + scrollbarPositionOutsideThemes=["minimal","minimal-dark"]; + obj.autoDraggerLength=$.inArray(obj.theme,fixedSizeScrollbarThemes) > -1 ? false : obj.autoDraggerLength; + obj.autoExpandScrollbar=$.inArray(obj.theme,nonExpandedScrollbarThemes) > -1 ? false : obj.autoExpandScrollbar; + obj.scrollButtons.enable=$.inArray(obj.theme,disabledScrollButtonsThemes) > -1 ? false : obj.scrollButtons.enable; + obj.autoHideScrollbar=$.inArray(obj.theme,enabledAutoHideScrollbarThemes) > -1 ? true : obj.autoHideScrollbar; + obj.scrollbarPosition=$.inArray(obj.theme,scrollbarPositionOutsideThemes) > -1 ? "outside" : obj.scrollbarPosition; + }, + /* -------------------- */ + + + /* live option timers removal */ + removeLiveTimers=function(selector){ + if(liveTimers[selector]){ + clearTimeout(liveTimers[selector]); + _delete(liveTimers,selector); + } + }, + /* -------------------- */ + + + /* normalizes axis option to valid values: "y", "x", "yx" */ + _findAxis=function(val){ + return (val==="yx" || val==="xy" || val==="auto") ? "yx" : (val==="x" || val==="horizontal") ? "x" : "y"; + }, + /* -------------------- */ + + + /* normalizes scrollButtons.scrollType option to valid values: "stepless", "stepped" */ + _findScrollButtonsType=function(val){ + return (val==="stepped" || val==="pixels" || val==="step" || val==="click") ? "stepped" : "stepless"; + }, + /* -------------------- */ + + + /* generates plugin markup */ + _pluginMarkup=function(){ + var $this=$(this),d=$this.data(pluginPfx),o=d.opt, + expandClass=o.autoExpandScrollbar ? " "+classes[1]+"_expand" : "", + scrollbar=["<div id='mCSB_"+d.idx+"_scrollbar_vertical' class='mCSB_scrollTools mCSB_"+d.idx+"_scrollbar mCS-"+o.theme+" mCSB_scrollTools_vertical"+expandClass+"'><div class='"+classes[12]+"'><div id='mCSB_"+d.idx+"_dragger_vertical' class='mCSB_dragger' style='position:absolute;' oncontextmenu='return false;'><div class='mCSB_dragger_bar' /></div><div class='mCSB_draggerRail' /></div></div>","<div id='mCSB_"+d.idx+"_scrollbar_horizontal' class='mCSB_scrollTools mCSB_"+d.idx+"_scrollbar mCS-"+o.theme+" mCSB_scrollTools_horizontal"+expandClass+"'><div class='"+classes[12]+"'><div id='mCSB_"+d.idx+"_dragger_horizontal' class='mCSB_dragger' style='position:absolute;' oncontextmenu='return false;'><div class='mCSB_dragger_bar' /></div><div class='mCSB_draggerRail' /></div></div>"], + wrapperClass=o.axis==="yx" ? "mCSB_vertical_horizontal" : o.axis==="x" ? "mCSB_horizontal" : "mCSB_vertical", + scrollbars=o.axis==="yx" ? scrollbar[0]+scrollbar[1] : o.axis==="x" ? scrollbar[1] : scrollbar[0], + contentWrapper=o.axis==="yx" ? "<div id='mCSB_"+d.idx+"_container_wrapper' class='mCSB_container_wrapper' />" : "", + autoHideClass=o.autoHideScrollbar ? " "+classes[6] : "", + scrollbarDirClass=(o.axis!=="x" && d.langDir==="rtl") ? " "+classes[7] : ""; + if(o.setWidth){$this.css("width",o.setWidth);} /* set element width */ + if(o.setHeight){$this.css("height",o.setHeight);} /* set element height */ + o.setLeft=(o.axis!=="y" && d.langDir==="rtl") ? "989999px" : o.setLeft; /* adjust left position for rtl direction */ + $this.addClass(pluginNS+" _"+pluginPfx+"_"+d.idx+autoHideClass+scrollbarDirClass).wrapInner("<div id='mCSB_"+d.idx+"' class='mCustomScrollBox mCS-"+o.theme+" "+wrapperClass+"'><div id='mCSB_"+d.idx+"_container' class='mCSB_container' style='position:relative; top:"+o.setTop+"; left:"+o.setLeft+";' dir="+d.langDir+" /></div>"); + var mCustomScrollBox=$("#mCSB_"+d.idx), + mCSB_container=$("#mCSB_"+d.idx+"_container"); + if(o.axis!=="y" && !o.advanced.autoExpandHorizontalScroll){ + mCSB_container.css("width",_contentWidth(mCSB_container)); + } + if(o.scrollbarPosition==="outside"){ + if($this.css("position")==="static"){ /* requires elements with non-static position */ + $this.css("position","relative"); + } + $this.css("overflow","visible"); + mCustomScrollBox.addClass("mCSB_outside").after(scrollbars); + }else{ + mCustomScrollBox.addClass("mCSB_inside").append(scrollbars); + mCSB_container.wrap(contentWrapper); + } + _scrollButtons.call(this); /* add scrollbar buttons */ + /* minimum dragger length */ + var mCSB_dragger=[$("#mCSB_"+d.idx+"_dragger_vertical"),$("#mCSB_"+d.idx+"_dragger_horizontal")]; + mCSB_dragger[0].css("min-height",mCSB_dragger[0].height()); + mCSB_dragger[1].css("min-width",mCSB_dragger[1].width()); + }, + /* -------------------- */ + + + /* calculates content width */ + _contentWidth=function(el){ + var val=[el[0].scrollWidth,Math.max.apply(Math,el.children().map(function(){return $(this).outerWidth(true);}).get())],w=el.parent().width(); + return val[0]>w ? val[0] : val[1]>w ? val[1] : "100%"; + }, + /* -------------------- */ + + + /* expands content horizontally */ + _expandContentHorizontally=function(){ + var $this=$(this),d=$this.data(pluginPfx),o=d.opt, + mCSB_container=$("#mCSB_"+d.idx+"_container"); + if(o.advanced.autoExpandHorizontalScroll && o.axis!=="y"){ + /* calculate scrollWidth */ + mCSB_container.css({"width":"auto","min-width":0,"overflow-x":"scroll"}); + var w=Math.ceil(mCSB_container[0].scrollWidth); + if(o.advanced.autoExpandHorizontalScroll===3 || (o.advanced.autoExpandHorizontalScroll!==2 && w>mCSB_container.parent().width())){ + mCSB_container.css({"width":w,"min-width":"100%","overflow-x":"inherit"}); + }else{ + /* + wrap content with an infinite width div and set its position to absolute and width to auto. + Setting width to auto before calculating the actual width is important! + We must let the browser set the width as browser zoom values are impossible to calculate. + */ + mCSB_container.css({"overflow-x":"inherit","position":"absolute"}) + .wrap("<div class='mCSB_h_wrapper' style='position:relative; left:0; width:999999px;' />") + .css({ /* set actual width, original position and un-wrap */ + /* + get the exact width (with decimals) and then round-up. + Using jquery outerWidth() will round the width value which will mess up with inner elements that have non-integer width + */ + "width":(Math.ceil(mCSB_container[0].getBoundingClientRect().right+0.4)-Math.floor(mCSB_container[0].getBoundingClientRect().left)), + "min-width":"100%", + "position":"relative" + }).unwrap(); + } + } + }, + /* -------------------- */ + + + /* adds scrollbar buttons */ + _scrollButtons=function(){ + var $this=$(this),d=$this.data(pluginPfx),o=d.opt, + mCSB_scrollTools=$(".mCSB_"+d.idx+"_scrollbar:first"), + tabindex=!_isNumeric(o.scrollButtons.tabindex) ? "" : "tabindex='"+o.scrollButtons.tabindex+"'", + btnHTML=[ + "<a href='#' class='"+classes[13]+"' oncontextmenu='return false;' "+tabindex+" />", + "<a href='#' class='"+classes[14]+"' oncontextmenu='return false;' "+tabindex+" />", + "<a href='#' class='"+classes[15]+"' oncontextmenu='return false;' "+tabindex+" />", + "<a href='#' class='"+classes[16]+"' oncontextmenu='return false;' "+tabindex+" />" + ], + btn=[(o.axis==="x" ? btnHTML[2] : btnHTML[0]),(o.axis==="x" ? btnHTML[3] : btnHTML[1]),btnHTML[2],btnHTML[3]]; + if(o.scrollButtons.enable){ + mCSB_scrollTools.prepend(btn[0]).append(btn[1]).next(".mCSB_scrollTools").prepend(btn[2]).append(btn[3]); + } + }, + /* -------------------- */ + + + /* auto-adjusts scrollbar dragger length */ + _setDraggerLength=function(){ + var $this=$(this),d=$this.data(pluginPfx), + mCustomScrollBox=$("#mCSB_"+d.idx), + mCSB_container=$("#mCSB_"+d.idx+"_container"), + mCSB_dragger=[$("#mCSB_"+d.idx+"_dragger_vertical"),$("#mCSB_"+d.idx+"_dragger_horizontal")], + ratio=[mCustomScrollBox.height()/mCSB_container.outerHeight(false),mCustomScrollBox.width()/mCSB_container.outerWidth(false)], + l=[ + parseInt(mCSB_dragger[0].css("min-height")),Math.round(ratio[0]*mCSB_dragger[0].parent().height()), + parseInt(mCSB_dragger[1].css("min-width")),Math.round(ratio[1]*mCSB_dragger[1].parent().width()) + ], + h=oldIE && (l[1]<l[0]) ? l[0] : l[1],w=oldIE && (l[3]<l[2]) ? l[2] : l[3]; + mCSB_dragger[0].css({ + "height":h,"max-height":(mCSB_dragger[0].parent().height()-10) + }).find(".mCSB_dragger_bar").css({"line-height":l[0]+"px"}); + mCSB_dragger[1].css({ + "width":w,"max-width":(mCSB_dragger[1].parent().width()-10) + }); + }, + /* -------------------- */ + + + /* calculates scrollbar to content ratio */ + _scrollRatio=function(){ + var $this=$(this),d=$this.data(pluginPfx), + mCustomScrollBox=$("#mCSB_"+d.idx), + mCSB_container=$("#mCSB_"+d.idx+"_container"), + mCSB_dragger=[$("#mCSB_"+d.idx+"_dragger_vertical"),$("#mCSB_"+d.idx+"_dragger_horizontal")], + scrollAmount=[mCSB_container.outerHeight(false)-mCustomScrollBox.height(),mCSB_container.outerWidth(false)-mCustomScrollBox.width()], + ratio=[ + scrollAmount[0]/(mCSB_dragger[0].parent().height()-mCSB_dragger[0].height()), + scrollAmount[1]/(mCSB_dragger[1].parent().width()-mCSB_dragger[1].width()) + ]; + d.scrollRatio={y:ratio[0],x:ratio[1]}; + }, + /* -------------------- */ + + + /* toggles scrolling classes */ + _onDragClasses=function(el,action,xpnd){ + var expandClass=xpnd ? classes[0]+"_expanded" : "", + scrollbar=el.closest(".mCSB_scrollTools"); + if(action==="active"){ + el.toggleClass(classes[0]+" "+expandClass); scrollbar.toggleClass(classes[1]); + el[0]._draggable=el[0]._draggable ? 0 : 1; + }else{ + if(!el[0]._draggable){ + if(action==="hide"){ + el.removeClass(classes[0]); scrollbar.removeClass(classes[1]); + }else{ + el.addClass(classes[0]); scrollbar.addClass(classes[1]); + } + } + } + }, + /* -------------------- */ + + + /* checks if content overflows its container to determine if scrolling is required */ + _overflowed=function(){ + var $this=$(this),d=$this.data(pluginPfx), + mCustomScrollBox=$("#mCSB_"+d.idx), + mCSB_container=$("#mCSB_"+d.idx+"_container"), + contentHeight=d.overflowed==null ? mCSB_container.height() : mCSB_container.outerHeight(false), + contentWidth=d.overflowed==null ? mCSB_container.width() : mCSB_container.outerWidth(false), + h=mCSB_container[0].scrollHeight,w=mCSB_container[0].scrollWidth; + if(h>contentHeight){contentHeight=h;} + if(w>contentWidth){contentWidth=w;} + return [contentHeight>mCustomScrollBox.height(),contentWidth>mCustomScrollBox.width()]; + }, + /* -------------------- */ + + + /* resets content position to 0 */ + _resetContentPosition=function(){ + var $this=$(this),d=$this.data(pluginPfx),o=d.opt, + mCustomScrollBox=$("#mCSB_"+d.idx), + mCSB_container=$("#mCSB_"+d.idx+"_container"), + mCSB_dragger=[$("#mCSB_"+d.idx+"_dragger_vertical"),$("#mCSB_"+d.idx+"_dragger_horizontal")]; + _stop($this); /* stop any current scrolling before resetting */ + if((o.axis!=="x" && !d.overflowed[0]) || (o.axis==="y" && d.overflowed[0])){ /* reset y */ + mCSB_dragger[0].add(mCSB_container).css("top",0); + _scrollTo($this,"_resetY"); + } + if((o.axis!=="y" && !d.overflowed[1]) || (o.axis==="x" && d.overflowed[1])){ /* reset x */ + var cx=dx=0; + if(d.langDir==="rtl"){ /* adjust left position for rtl direction */ + cx=mCustomScrollBox.width()-mCSB_container.outerWidth(false); + dx=Math.abs(cx/d.scrollRatio.x); + } + mCSB_container.css("left",cx); + mCSB_dragger[1].css("left",dx); + _scrollTo($this,"_resetX"); + } + }, + /* -------------------- */ + + + /* binds scrollbar events */ + _bindEvents=function(){ + var $this=$(this),d=$this.data(pluginPfx),o=d.opt; + if(!d.bindEvents){ /* check if events are already bound */ + _draggable.call(this); + if(o.contentTouchScroll){_contentDraggable.call(this);} + _selectable.call(this); + if(o.mouseWheel.enable){ /* bind mousewheel fn when plugin is available */ + function _mwt(){ + mousewheelTimeout=setTimeout(function(){ + if(!$.event.special.mousewheel){ + _mwt(); + }else{ + clearTimeout(mousewheelTimeout); + _mousewheel.call($this[0]); + } + },100); + } + var mousewheelTimeout; + _mwt(); + } + _draggerRail.call(this); + _wrapperScroll.call(this); + if(o.advanced.autoScrollOnFocus){_focus.call(this);} + if(o.scrollButtons.enable){_buttons.call(this);} + if(o.keyboard.enable){_keyboard.call(this);} + d.bindEvents=true; + } + }, + /* -------------------- */ + + + /* unbinds scrollbar events */ + _unbindEvents=function(){ + var $this=$(this),d=$this.data(pluginPfx),o=d.opt, + namespace=pluginPfx+"_"+d.idx, + sb=".mCSB_"+d.idx+"_scrollbar", + sel=$("#mCSB_"+d.idx+",#mCSB_"+d.idx+"_container,#mCSB_"+d.idx+"_container_wrapper,"+sb+" ."+classes[12]+",#mCSB_"+d.idx+"_dragger_vertical,#mCSB_"+d.idx+"_dragger_horizontal,"+sb+">a"), + mCSB_container=$("#mCSB_"+d.idx+"_container"); + if(o.advanced.releaseDraggableSelectors){sel.add($(o.advanced.releaseDraggableSelectors));} + if(o.advanced.extraDraggableSelectors){sel.add($(o.advanced.extraDraggableSelectors));} + if(d.bindEvents){ /* check if events are bound */ + /* unbind namespaced events from document/selectors */ + $(document).add($(!_canAccessIFrame() || top.document)).unbind("."+namespace); + sel.each(function(){ + $(this).unbind("."+namespace); + }); + /* clear and delete timeouts/objects */ + clearTimeout($this[0]._focusTimeout); _delete($this[0],"_focusTimeout"); + clearTimeout(d.sequential.step); _delete(d.sequential,"step"); + clearTimeout(mCSB_container[0].onCompleteTimeout); _delete(mCSB_container[0],"onCompleteTimeout"); + d.bindEvents=false; + } + }, + /* -------------------- */ + + + /* toggles scrollbar visibility */ + _scrollbarVisibility=function(disabled){ + var $this=$(this),d=$this.data(pluginPfx),o=d.opt, + contentWrapper=$("#mCSB_"+d.idx+"_container_wrapper"), + content=contentWrapper.length ? contentWrapper : $("#mCSB_"+d.idx+"_container"), + scrollbar=[$("#mCSB_"+d.idx+"_scrollbar_vertical"),$("#mCSB_"+d.idx+"_scrollbar_horizontal")], + mCSB_dragger=[scrollbar[0].find(".mCSB_dragger"),scrollbar[1].find(".mCSB_dragger")]; + if(o.axis!=="x"){ + if(d.overflowed[0] && !disabled){ + scrollbar[0].add(mCSB_dragger[0]).add(scrollbar[0].children("a")).css("display","block"); + content.removeClass(classes[8]+" "+classes[10]); + }else{ + if(o.alwaysShowScrollbar){ + if(o.alwaysShowScrollbar!==2){mCSB_dragger[0].css("display","none");} + content.removeClass(classes[10]); + }else{ + scrollbar[0].css("display","none"); + content.addClass(classes[10]); + } + content.addClass(classes[8]); + } + } + if(o.axis!=="y"){ + if(d.overflowed[1] && !disabled){ + scrollbar[1].add(mCSB_dragger[1]).add(scrollbar[1].children("a")).css("display","block"); + content.removeClass(classes[9]+" "+classes[11]); + }else{ + if(o.alwaysShowScrollbar){ + if(o.alwaysShowScrollbar!==2){mCSB_dragger[1].css("display","none");} + content.removeClass(classes[11]); + }else{ + scrollbar[1].css("display","none"); + content.addClass(classes[11]); + } + content.addClass(classes[9]); + } + } + if(!d.overflowed[0] && !d.overflowed[1]){ + $this.addClass(classes[5]); + }else{ + $this.removeClass(classes[5]); + } + }, + /* -------------------- */ + + + /* returns input coordinates of pointer, touch and mouse events (relative to document) */ + _coordinates=function(e){ + var t=e.type,o=e.target.ownerDocument!==document ? [$(frameElement).offset().top,$(frameElement).offset().left] : null, + io=_canAccessIFrame() && e.target.ownerDocument!==top.document ? [$(e.view.frameElement).offset().top,$(e.view.frameElement).offset().left] : [0,0]; + switch(t){ + case "pointerdown": case "MSPointerDown": case "pointermove": case "MSPointerMove": case "pointerup": case "MSPointerUp": + return o ? [e.originalEvent.pageY-o[0]+io[0],e.originalEvent.pageX-o[1]+io[1],false] : [e.originalEvent.pageY,e.originalEvent.pageX,false]; + break; + case "touchstart": case "touchmove": case "touchend": + var touch=e.originalEvent.touches[0] || e.originalEvent.changedTouches[0], + touches=e.originalEvent.touches.length || e.originalEvent.changedTouches.length; + return e.target.ownerDocument!==document ? [touch.screenY,touch.screenX,touches>1] : [touch.pageY,touch.pageX,touches>1]; + break; + default: + return o ? [e.pageY-o[0]+io[0],e.pageX-o[1]+io[1],false] : [e.pageY,e.pageX,false]; + } + }, + /* -------------------- */ + + + /* + SCROLLBAR DRAG EVENTS + scrolls content via scrollbar dragging + */ + _draggable=function(){ + var $this=$(this),d=$this.data(pluginPfx),o=d.opt, + namespace=pluginPfx+"_"+d.idx, + draggerId=["mCSB_"+d.idx+"_dragger_vertical","mCSB_"+d.idx+"_dragger_horizontal"], + mCSB_container=$("#mCSB_"+d.idx+"_container"), + mCSB_dragger=$("#"+draggerId[0]+",#"+draggerId[1]), + draggable,dragY,dragX, + rds=o.advanced.releaseDraggableSelectors ? mCSB_dragger.add($(o.advanced.releaseDraggableSelectors)) : mCSB_dragger, + eds=o.advanced.extraDraggableSelectors ? $(!_canAccessIFrame() || top.document).add($(o.advanced.extraDraggableSelectors)) : $(!_canAccessIFrame() || top.document); + mCSB_dragger.bind("mousedown."+namespace+" touchstart."+namespace+" pointerdown."+namespace+" MSPointerDown."+namespace,function(e){ + e.stopImmediatePropagation(); + e.preventDefault(); + if(!_mouseBtnLeft(e)){return;} /* left mouse button only */ + touchActive=true; + if(oldIE){document.onselectstart=function(){return false;}} /* disable text selection for IE < 9 */ + _iframe(false); /* enable scrollbar dragging over iframes by disabling their events */ + _stop($this); + draggable=$(this); + var offset=draggable.offset(),y=_coordinates(e)[0]-offset.top,x=_coordinates(e)[1]-offset.left, + h=draggable.height()+offset.top,w=draggable.width()+offset.left; + if(y<h && y>0 && x<w && x>0){ + dragY=y; + dragX=x; + } + _onDragClasses(draggable,"active",o.autoExpandScrollbar); + }).bind("touchmove."+namespace,function(e){ + e.stopImmediatePropagation(); + e.preventDefault(); + var offset=draggable.offset(),y=_coordinates(e)[0]-offset.top,x=_coordinates(e)[1]-offset.left; + _drag(dragY,dragX,y,x); + }); + $(document).add(eds).bind("mousemove."+namespace+" pointermove."+namespace+" MSPointerMove."+namespace,function(e){ + if(draggable){ + var offset=draggable.offset(),y=_coordinates(e)[0]-offset.top,x=_coordinates(e)[1]-offset.left; + if(dragY===y && dragX===x){return;} /* has it really moved? */ + _drag(dragY,dragX,y,x); + } + }).add(rds).bind("mouseup."+namespace+" touchend."+namespace+" pointerup."+namespace+" MSPointerUp."+namespace,function(e){ + if(draggable){ + _onDragClasses(draggable,"active",o.autoExpandScrollbar); + draggable=null; + } + touchActive=false; + if(oldIE){document.onselectstart=null;} /* enable text selection for IE < 9 */ + _iframe(true); /* enable iframes events */ + }); + function _iframe(evt){ + var el=mCSB_container.find("iframe"); + if(!el.length){return;} /* check if content contains iframes */ + var val=!evt ? "none" : "auto"; + el.css("pointer-events",val); /* for IE11, iframe's display property should not be "block" */ + } + function _drag(dragY,dragX,y,x){ + mCSB_container[0].idleTimer=o.scrollInertia<233 ? 250 : 0; + if(draggable.attr("id")===draggerId[1]){ + var dir="x",to=((draggable[0].offsetLeft-dragX)+x)*d.scrollRatio.x; + }else{ + var dir="y",to=((draggable[0].offsetTop-dragY)+y)*d.scrollRatio.y; + } + _scrollTo($this,to.toString(),{dir:dir,drag:true}); + } + }, + /* -------------------- */ + + + /* + TOUCH SWIPE EVENTS + scrolls content via touch swipe + Emulates the native touch-swipe scrolling with momentum found in iOS, Android and WP devices + */ + _contentDraggable=function(){ + var $this=$(this),d=$this.data(pluginPfx),o=d.opt, + namespace=pluginPfx+"_"+d.idx, + mCustomScrollBox=$("#mCSB_"+d.idx), + mCSB_container=$("#mCSB_"+d.idx+"_container"), + mCSB_dragger=[$("#mCSB_"+d.idx+"_dragger_vertical"),$("#mCSB_"+d.idx+"_dragger_horizontal")], + draggable,dragY,dragX,touchStartY,touchStartX,touchMoveY=[],touchMoveX=[],startTime,runningTime,endTime,distance,speed,amount, + durA=0,durB,overwrite=o.axis==="yx" ? "none" : "all",touchIntent=[],touchDrag,docDrag, + iframe=mCSB_container.find("iframe"), + events=[ + "touchstart."+namespace+" pointerdown."+namespace+" MSPointerDown."+namespace, //start + "touchmove."+namespace+" pointermove."+namespace+" MSPointerMove."+namespace, //move + "touchend."+namespace+" pointerup."+namespace+" MSPointerUp."+namespace //end + ], + touchAction=document.body.style.touchAction!==undefined; + mCSB_container.bind(events[0],function(e){ + _onTouchstart(e); + }).bind(events[1],function(e){ + _onTouchmove(e); + }); + mCustomScrollBox.bind(events[0],function(e){ + _onTouchstart2(e); + }).bind(events[2],function(e){ + _onTouchend(e); + }); + if(iframe.length){ + iframe.each(function(){ + $(this).load(function(){ + /* bind events on accessible iframes */ + if(_canAccessIFrame(this)){ + $(this.contentDocument || this.contentWindow.document).bind(events[0],function(e){ + _onTouchstart(e); + _onTouchstart2(e); + }).bind(events[1],function(e){ + _onTouchmove(e); + }).bind(events[2],function(e){ + _onTouchend(e); + }); + } + }); + }); + } + function _onTouchstart(e){ + if(!_pointerTouch(e) || touchActive || _coordinates(e)[2]){touchable=0; return;} + touchable=1; touchDrag=0; docDrag=0; draggable=1; + $this.removeClass("mCS_touch_action"); + var offset=mCSB_container.offset(); + dragY=_coordinates(e)[0]-offset.top; + dragX=_coordinates(e)[1]-offset.left; + touchIntent=[_coordinates(e)[0],_coordinates(e)[1]]; + } + function _onTouchmove(e){ + if(!_pointerTouch(e) || touchActive || _coordinates(e)[2]){return;} + if(!o.documentTouchScroll){e.preventDefault();} + e.stopImmediatePropagation(); + if(docDrag && !touchDrag){return;} + if(draggable){ + runningTime=_getTime(); + var offset=mCustomScrollBox.offset(),y=_coordinates(e)[0]-offset.top,x=_coordinates(e)[1]-offset.left, + easing="mcsLinearOut"; + touchMoveY.push(y); + touchMoveX.push(x); + touchIntent[2]=Math.abs(_coordinates(e)[0]-touchIntent[0]); touchIntent[3]=Math.abs(_coordinates(e)[1]-touchIntent[1]); + if(d.overflowed[0]){ + var limit=mCSB_dragger[0].parent().height()-mCSB_dragger[0].height(), + prevent=((dragY-y)>0 && (y-dragY)>-(limit*d.scrollRatio.y) && (touchIntent[3]*2<touchIntent[2] || o.axis==="yx")); + } + if(d.overflowed[1]){ + var limitX=mCSB_dragger[1].parent().width()-mCSB_dragger[1].width(), + preventX=((dragX-x)>0 && (x-dragX)>-(limitX*d.scrollRatio.x) && (touchIntent[2]*2<touchIntent[3] || o.axis==="yx")); + } + if(prevent || preventX){ /* prevent native document scrolling */ + if(!touchAction){e.preventDefault();} + touchDrag=1; + }else{ + docDrag=1; + $this.addClass("mCS_touch_action"); + } + if(touchAction){e.preventDefault();} + amount=o.axis==="yx" ? [(dragY-y),(dragX-x)] : o.axis==="x" ? [null,(dragX-x)] : [(dragY-y),null]; + mCSB_container[0].idleTimer=250; + if(d.overflowed[0]){_drag(amount[0],durA,easing,"y","all",true);} + if(d.overflowed[1]){_drag(amount[1],durA,easing,"x",overwrite,true);} + } + } + function _onTouchstart2(e){ + if(!_pointerTouch(e) || touchActive || _coordinates(e)[2]){touchable=0; return;} + touchable=1; + e.stopImmediatePropagation(); + _stop($this); + startTime=_getTime(); + var offset=mCustomScrollBox.offset(); + touchStartY=_coordinates(e)[0]-offset.top; + touchStartX=_coordinates(e)[1]-offset.left; + touchMoveY=[]; touchMoveX=[]; + } + function _onTouchend(e){ + if(!_pointerTouch(e) || touchActive || _coordinates(e)[2]){return;} + draggable=0; + e.stopImmediatePropagation(); + touchDrag=0; docDrag=0; + endTime=_getTime(); + var offset=mCustomScrollBox.offset(),y=_coordinates(e)[0]-offset.top,x=_coordinates(e)[1]-offset.left; + if((endTime-runningTime)>30){return;} + speed=1000/(endTime-startTime); + var easing="mcsEaseOut",slow=speed<2.5, + diff=slow ? [touchMoveY[touchMoveY.length-2],touchMoveX[touchMoveX.length-2]] : [0,0]; + distance=slow ? [(y-diff[0]),(x-diff[1])] : [y-touchStartY,x-touchStartX]; + var absDistance=[Math.abs(distance[0]),Math.abs(distance[1])]; + speed=slow ? [Math.abs(distance[0]/4),Math.abs(distance[1]/4)] : [speed,speed]; + var a=[ + Math.abs(mCSB_container[0].offsetTop)-(distance[0]*_m((absDistance[0]/speed[0]),speed[0])), + Math.abs(mCSB_container[0].offsetLeft)-(distance[1]*_m((absDistance[1]/speed[1]),speed[1])) + ]; + amount=o.axis==="yx" ? [a[0],a[1]] : o.axis==="x" ? [null,a[1]] : [a[0],null]; + durB=[(absDistance[0]*4)+o.scrollInertia,(absDistance[1]*4)+o.scrollInertia]; + var md=parseInt(o.contentTouchScroll) || 0; /* absolute minimum distance required */ + amount[0]=absDistance[0]>md ? amount[0] : 0; + amount[1]=absDistance[1]>md ? amount[1] : 0; + if(d.overflowed[0]){_drag(amount[0],durB[0],easing,"y",overwrite,false);} + if(d.overflowed[1]){_drag(amount[1],durB[1],easing,"x",overwrite,false);} + } + function _m(ds,s){ + var r=[s*1.5,s*2,s/1.5,s/2]; + if(ds>90){ + return s>4 ? r[0] : r[3]; + }else if(ds>60){ + return s>3 ? r[3] : r[2]; + }else if(ds>30){ + return s>8 ? r[1] : s>6 ? r[0] : s>4 ? s : r[2]; + }else{ + return s>8 ? s : r[3]; + } + } + function _drag(amount,dur,easing,dir,overwrite,drag){ + if(!amount){return;} + _scrollTo($this,amount.toString(),{dur:dur,scrollEasing:easing,dir:dir,overwrite:overwrite,drag:drag}); + } + }, + /* -------------------- */ + + + /* + SELECT TEXT EVENTS + scrolls content when text is selected + */ + _selectable=function(){ + var $this=$(this),d=$this.data(pluginPfx),o=d.opt,seq=d.sequential, + namespace=pluginPfx+"_"+d.idx, + mCSB_container=$("#mCSB_"+d.idx+"_container"), + wrapper=mCSB_container.parent(), + action; + mCSB_container.bind("mousedown."+namespace,function(e){ + if(touchable){return;} + if(!action){action=1; touchActive=true;} + }).add(document).bind("mousemove."+namespace,function(e){ + if(!touchable && action && _sel()){ + var offset=mCSB_container.offset(), + y=_coordinates(e)[0]-offset.top+mCSB_container[0].offsetTop,x=_coordinates(e)[1]-offset.left+mCSB_container[0].offsetLeft; + if(y>0 && y<wrapper.height() && x>0 && x<wrapper.width()){ + if(seq.step){_seq("off",null,"stepped");} + }else{ + if(o.axis!=="x" && d.overflowed[0]){ + if(y<0){ + _seq("on",38); + }else if(y>wrapper.height()){ + _seq("on",40); + } + } + if(o.axis!=="y" && d.overflowed[1]){ + if(x<0){ + _seq("on",37); + }else if(x>wrapper.width()){ + _seq("on",39); + } + } + } + } + }).bind("mouseup."+namespace+" dragend."+namespace,function(e){ + if(touchable){return;} + if(action){action=0; _seq("off",null);} + touchActive=false; + }); + function _sel(){ + return window.getSelection ? window.getSelection().toString() : + document.selection && document.selection.type!="Control" ? document.selection.createRange().text : 0; + } + function _seq(a,c,s){ + seq.type=s && action ? "stepped" : "stepless"; + seq.scrollAmount=10; + _sequentialScroll($this,a,c,"mcsLinearOut",s ? 60 : null); + } + }, + /* -------------------- */ + + + /* + MOUSE WHEEL EVENT + scrolls content via mouse-wheel + via mouse-wheel plugin (https://github.com/brandonaaron/jquery-mousewheel) + */ + _mousewheel=function(){ + if(!$(this).data(pluginPfx)){return;} /* Check if the scrollbar is ready to use mousewheel events (issue: #185) */ + var $this=$(this),d=$this.data(pluginPfx),o=d.opt, + namespace=pluginPfx+"_"+d.idx, + mCustomScrollBox=$("#mCSB_"+d.idx), + mCSB_dragger=[$("#mCSB_"+d.idx+"_dragger_vertical"),$("#mCSB_"+d.idx+"_dragger_horizontal")], + iframe=$("#mCSB_"+d.idx+"_container").find("iframe"); + if(iframe.length){ + iframe.each(function(){ + $(this).load(function(){ + /* bind events on accessible iframes */ + if(_canAccessIFrame(this)){ + $(this.contentDocument || this.contentWindow.document).bind("mousewheel."+namespace,function(e,delta){ + _onMousewheel(e,delta); + }); + } + }); + }); + } + mCustomScrollBox.bind("mousewheel."+namespace,function(e,delta){ + _onMousewheel(e,delta); + }); + function _onMousewheel(e,delta){ + _stop($this); + if(_disableMousewheel($this,e.target)){return;} /* disables mouse-wheel when hovering specific elements */ + var deltaFactor=o.mouseWheel.deltaFactor!=="auto" ? parseInt(o.mouseWheel.deltaFactor) : (oldIE && e.deltaFactor<100) ? 100 : e.deltaFactor || 100, + dur=o.scrollInertia; + if(o.axis==="x" || o.mouseWheel.axis==="x"){ + var dir="x", + px=[Math.round(deltaFactor*d.scrollRatio.x),parseInt(o.mouseWheel.scrollAmount)], + amount=o.mouseWheel.scrollAmount!=="auto" ? px[1] : px[0]>=mCustomScrollBox.width() ? mCustomScrollBox.width()*0.9 : px[0], + contentPos=Math.abs($("#mCSB_"+d.idx+"_container")[0].offsetLeft), + draggerPos=mCSB_dragger[1][0].offsetLeft, + limit=mCSB_dragger[1].parent().width()-mCSB_dragger[1].width(), + dlt=e.deltaX || e.deltaY || delta; + }else{ + var dir="y", + px=[Math.round(deltaFactor*d.scrollRatio.y),parseInt(o.mouseWheel.scrollAmount)], + amount=o.mouseWheel.scrollAmount!=="auto" ? px[1] : px[0]>=mCustomScrollBox.height() ? mCustomScrollBox.height()*0.9 : px[0], + contentPos=Math.abs($("#mCSB_"+d.idx+"_container")[0].offsetTop), + draggerPos=mCSB_dragger[0][0].offsetTop, + limit=mCSB_dragger[0].parent().height()-mCSB_dragger[0].height(), + dlt=e.deltaY || delta; + } + if((dir==="y" && !d.overflowed[0]) || (dir==="x" && !d.overflowed[1])){return;} + if(o.mouseWheel.invert || e.webkitDirectionInvertedFromDevice){dlt=-dlt;} + if(o.mouseWheel.normalizeDelta){dlt=dlt<0 ? -1 : 1;} + if((dlt>0 && draggerPos!==0) || (dlt<0 && draggerPos!==limit) || o.mouseWheel.preventDefault){ + e.stopImmediatePropagation(); + e.preventDefault(); + } + if(e.deltaFactor<2 && !o.mouseWheel.normalizeDelta){ + //very low deltaFactor values mean some kind of delta acceleration (e.g. osx trackpad), so adjusting scrolling accordingly + amount=e.deltaFactor; dur=17; + } + _scrollTo($this,(contentPos-(dlt*amount)).toString(),{dir:dir,dur:dur}); + } + }, + /* -------------------- */ + + + /* checks if iframe can be accessed */ + _canAccessIFrame=function(iframe){ + var html=null; + if(!iframe){ + try{ + var doc=top.document; + html=doc.body.innerHTML; + }catch(err){/* do nothing */} + return(html!==null); + }else{ + try{ + var doc=iframe.contentDocument || iframe.contentWindow.document; + html=doc.body.innerHTML; + }catch(err){/* do nothing */} + return(html!==null); + } + }, + /* -------------------- */ + + + /* disables mouse-wheel when hovering specific elements like select, datalist etc. */ + _disableMousewheel=function(el,target){ + var tag=target.nodeName.toLowerCase(), + tags=el.data(pluginPfx).opt.mouseWheel.disableOver, + /* elements that require focus */ + focusTags=["select","textarea"]; + return $.inArray(tag,tags) > -1 && !($.inArray(tag,focusTags) > -1 && !$(target).is(":focus")); + }, + /* -------------------- */ + + + /* + DRAGGER RAIL CLICK EVENT + scrolls content via dragger rail + */ + _draggerRail=function(){ + var $this=$(this),d=$this.data(pluginPfx), + namespace=pluginPfx+"_"+d.idx, + mCSB_container=$("#mCSB_"+d.idx+"_container"), + wrapper=mCSB_container.parent(), + mCSB_draggerContainer=$(".mCSB_"+d.idx+"_scrollbar ."+classes[12]), + clickable; + mCSB_draggerContainer.bind("mousedown."+namespace+" touchstart."+namespace+" pointerdown."+namespace+" MSPointerDown."+namespace,function(e){ + touchActive=true; + if(!$(e.target).hasClass("mCSB_dragger")){clickable=1;} + }).bind("touchend."+namespace+" pointerup."+namespace+" MSPointerUp."+namespace,function(e){ + touchActive=false; + }).bind("click."+namespace,function(e){ + if(!clickable){return;} + clickable=0; + if($(e.target).hasClass(classes[12]) || $(e.target).hasClass("mCSB_draggerRail")){ + _stop($this); + var el=$(this),mCSB_dragger=el.find(".mCSB_dragger"); + if(el.parent(".mCSB_scrollTools_horizontal").length>0){ + if(!d.overflowed[1]){return;} + var dir="x", + clickDir=e.pageX>mCSB_dragger.offset().left ? -1 : 1, + to=Math.abs(mCSB_container[0].offsetLeft)-(clickDir*(wrapper.width()*0.9)); + }else{ + if(!d.overflowed[0]){return;} + var dir="y", + clickDir=e.pageY>mCSB_dragger.offset().top ? -1 : 1, + to=Math.abs(mCSB_container[0].offsetTop)-(clickDir*(wrapper.height()*0.9)); + } + _scrollTo($this,to.toString(),{dir:dir,scrollEasing:"mcsEaseInOut"}); + } + }); + }, + /* -------------------- */ + + + /* + FOCUS EVENT + scrolls content via element focus (e.g. clicking an input, pressing TAB key etc.) + */ + _focus=function(){ + var $this=$(this),d=$this.data(pluginPfx),o=d.opt, + namespace=pluginPfx+"_"+d.idx, + mCSB_container=$("#mCSB_"+d.idx+"_container"), + wrapper=mCSB_container.parent(); + mCSB_container.bind("focusin."+namespace,function(e){ + var el=$(document.activeElement), + nested=mCSB_container.find(".mCustomScrollBox").length, + dur=0; + if(!el.is(o.advanced.autoScrollOnFocus)){return;} + _stop($this); + clearTimeout($this[0]._focusTimeout); + $this[0]._focusTimer=nested ? (dur+17)*nested : 0; + $this[0]._focusTimeout=setTimeout(function(){ + var to=[_childPos(el)[0],_childPos(el)[1]], + contentPos=[mCSB_container[0].offsetTop,mCSB_container[0].offsetLeft], + isVisible=[ + (contentPos[0]+to[0]>=0 && contentPos[0]+to[0]<wrapper.height()-el.outerHeight(false)), + (contentPos[1]+to[1]>=0 && contentPos[0]+to[1]<wrapper.width()-el.outerWidth(false)) + ], + overwrite=(o.axis==="yx" && !isVisible[0] && !isVisible[1]) ? "none" : "all"; + if(o.axis!=="x" && !isVisible[0]){ + _scrollTo($this,to[0].toString(),{dir:"y",scrollEasing:"mcsEaseInOut",overwrite:overwrite,dur:dur}); + } + if(o.axis!=="y" && !isVisible[1]){ + _scrollTo($this,to[1].toString(),{dir:"x",scrollEasing:"mcsEaseInOut",overwrite:overwrite,dur:dur}); + } + },$this[0]._focusTimer); + }); + }, + /* -------------------- */ + + + /* sets content wrapper scrollTop/scrollLeft always to 0 */ + _wrapperScroll=function(){ + var $this=$(this),d=$this.data(pluginPfx), + namespace=pluginPfx+"_"+d.idx, + wrapper=$("#mCSB_"+d.idx+"_container").parent(); + wrapper.bind("scroll."+namespace,function(e){ + if(wrapper.scrollTop()!==0 || wrapper.scrollLeft()!==0){ + $(".mCSB_"+d.idx+"_scrollbar").css("visibility","hidden"); /* hide scrollbar(s) */ + } + }); + }, + /* -------------------- */ + + + /* + BUTTONS EVENTS + scrolls content via up, down, left and right buttons + */ + _buttons=function(){ + var $this=$(this),d=$this.data(pluginPfx),o=d.opt,seq=d.sequential, + namespace=pluginPfx+"_"+d.idx, + sel=".mCSB_"+d.idx+"_scrollbar", + btn=$(sel+">a"); + btn.bind("mousedown."+namespace+" touchstart."+namespace+" pointerdown."+namespace+" MSPointerDown."+namespace+" mouseup."+namespace+" touchend."+namespace+" pointerup."+namespace+" MSPointerUp."+namespace+" mouseout."+namespace+" pointerout."+namespace+" MSPointerOut."+namespace+" click."+namespace,function(e){ + e.preventDefault(); + if(!_mouseBtnLeft(e)){return;} /* left mouse button only */ + var btnClass=$(this).attr("class"); + seq.type=o.scrollButtons.scrollType; + switch(e.type){ + case "mousedown": case "touchstart": case "pointerdown": case "MSPointerDown": + if(seq.type==="stepped"){return;} + touchActive=true; + d.tweenRunning=false; + _seq("on",btnClass); + break; + case "mouseup": case "touchend": case "pointerup": case "MSPointerUp": + case "mouseout": case "pointerout": case "MSPointerOut": + if(seq.type==="stepped"){return;} + touchActive=false; + if(seq.dir){_seq("off",btnClass);} + break; + case "click": + if(seq.type!=="stepped" || d.tweenRunning){return;} + _seq("on",btnClass); + break; + } + function _seq(a,c){ + seq.scrollAmount=o.scrollButtons.scrollAmount; + _sequentialScroll($this,a,c); + } + }); + }, + /* -------------------- */ + + + /* + KEYBOARD EVENTS + scrolls content via keyboard + Keys: up arrow, down arrow, left arrow, right arrow, PgUp, PgDn, Home, End + */ + _keyboard=function(){ + var $this=$(this),d=$this.data(pluginPfx),o=d.opt,seq=d.sequential, + namespace=pluginPfx+"_"+d.idx, + mCustomScrollBox=$("#mCSB_"+d.idx), + mCSB_container=$("#mCSB_"+d.idx+"_container"), + wrapper=mCSB_container.parent(), + editables="input,textarea,select,datalist,keygen,[contenteditable='true']", + iframe=mCSB_container.find("iframe"), + events=["blur."+namespace+" keydown."+namespace+" keyup."+namespace]; + if(iframe.length){ + iframe.each(function(){ + $(this).load(function(){ + /* bind events on accessible iframes */ + if(_canAccessIFrame(this)){ + $(this.contentDocument || this.contentWindow.document).bind(events[0],function(e){ + _onKeyboard(e); + }); + } + }); + }); + } + mCustomScrollBox.attr("tabindex","0").bind(events[0],function(e){ + _onKeyboard(e); + }); + function _onKeyboard(e){ + switch(e.type){ + case "blur": + if(d.tweenRunning && seq.dir){_seq("off",null);} + break; + case "keydown": case "keyup": + var code=e.keyCode ? e.keyCode : e.which,action="on"; + if((o.axis!=="x" && (code===38 || code===40)) || (o.axis!=="y" && (code===37 || code===39))){ + /* up (38), down (40), left (37), right (39) arrows */ + if(((code===38 || code===40) && !d.overflowed[0]) || ((code===37 || code===39) && !d.overflowed[1])){return;} + if(e.type==="keyup"){action="off";} + if(!$(document.activeElement).is(editables)){ + e.preventDefault(); + e.stopImmediatePropagation(); + _seq(action,code); + } + }else if(code===33 || code===34){ + /* PgUp (33), PgDn (34) */ + if(d.overflowed[0] || d.overflowed[1]){ + e.preventDefault(); + e.stopImmediatePropagation(); + } + if(e.type==="keyup"){ + _stop($this); + var keyboardDir=code===34 ? -1 : 1; + if(o.axis==="x" || (o.axis==="yx" && d.overflowed[1] && !d.overflowed[0])){ + var dir="x",to=Math.abs(mCSB_container[0].offsetLeft)-(keyboardDir*(wrapper.width()*0.9)); + }else{ + var dir="y",to=Math.abs(mCSB_container[0].offsetTop)-(keyboardDir*(wrapper.height()*0.9)); + } + _scrollTo($this,to.toString(),{dir:dir,scrollEasing:"mcsEaseInOut"}); + } + }else if(code===35 || code===36){ + /* End (35), Home (36) */ + if(!$(document.activeElement).is(editables)){ + if(d.overflowed[0] || d.overflowed[1]){ + e.preventDefault(); + e.stopImmediatePropagation(); + } + if(e.type==="keyup"){ + if(o.axis==="x" || (o.axis==="yx" && d.overflowed[1] && !d.overflowed[0])){ + var dir="x",to=code===35 ? Math.abs(wrapper.width()-mCSB_container.outerWidth(false)) : 0; + }else{ + var dir="y",to=code===35 ? Math.abs(wrapper.height()-mCSB_container.outerHeight(false)) : 0; + } + _scrollTo($this,to.toString(),{dir:dir,scrollEasing:"mcsEaseInOut"}); + } + } + } + break; + } + function _seq(a,c){ + seq.type=o.keyboard.scrollType; + seq.scrollAmount=o.keyboard.scrollAmount; + if(seq.type==="stepped" && d.tweenRunning){return;} + _sequentialScroll($this,a,c); + } + } + }, + /* -------------------- */ + + + /* scrolls content sequentially (used when scrolling via buttons, keyboard arrows etc.) */ + _sequentialScroll=function(el,action,trigger,e,s){ + var d=el.data(pluginPfx),o=d.opt,seq=d.sequential, + mCSB_container=$("#mCSB_"+d.idx+"_container"), + once=seq.type==="stepped" ? true : false, + steplessSpeed=o.scrollInertia < 26 ? 26 : o.scrollInertia, /* 26/1.5=17 */ + steppedSpeed=o.scrollInertia < 1 ? 17 : o.scrollInertia; + switch(action){ + case "on": + seq.dir=[ + (trigger===classes[16] || trigger===classes[15] || trigger===39 || trigger===37 ? "x" : "y"), + (trigger===classes[13] || trigger===classes[15] || trigger===38 || trigger===37 ? -1 : 1) + ]; + _stop(el); + if(_isNumeric(trigger) && seq.type==="stepped"){return;} + _on(once); + break; + case "off": + _off(); + if(once || (d.tweenRunning && seq.dir)){ + _on(true); + } + break; + } + + /* starts sequence */ + function _on(once){ + if(o.snapAmount){seq.scrollAmount=!(o.snapAmount instanceof Array) ? o.snapAmount : seq.dir[0]==="x" ? o.snapAmount[1] : o.snapAmount[0];} /* scrolling snapping */ + var c=seq.type!=="stepped", /* continuous scrolling */ + t=s ? s : !once ? 1000/60 : c ? steplessSpeed/1.5 : steppedSpeed, /* timer */ + m=!once ? 2.5 : c ? 7.5 : 40, /* multiplier */ + contentPos=[Math.abs(mCSB_container[0].offsetTop),Math.abs(mCSB_container[0].offsetLeft)], + ratio=[d.scrollRatio.y>10 ? 10 : d.scrollRatio.y,d.scrollRatio.x>10 ? 10 : d.scrollRatio.x], + amount=seq.dir[0]==="x" ? contentPos[1]+(seq.dir[1]*(ratio[1]*m)) : contentPos[0]+(seq.dir[1]*(ratio[0]*m)), + px=seq.dir[0]==="x" ? contentPos[1]+(seq.dir[1]*parseInt(seq.scrollAmount)) : contentPos[0]+(seq.dir[1]*parseInt(seq.scrollAmount)), + to=seq.scrollAmount!=="auto" ? px : amount, + easing=e ? e : !once ? "mcsLinear" : c ? "mcsLinearOut" : "mcsEaseInOut", + onComplete=!once ? false : true; + if(once && t<17){ + to=seq.dir[0]==="x" ? contentPos[1] : contentPos[0]; + } + _scrollTo(el,to.toString(),{dir:seq.dir[0],scrollEasing:easing,dur:t,onComplete:onComplete}); + if(once){ + seq.dir=false; + return; + } + clearTimeout(seq.step); + seq.step=setTimeout(function(){ + _on(); + },t); + } + /* stops sequence */ + function _off(){ + clearTimeout(seq.step); + _delete(seq,"step"); + _stop(el); + } + }, + /* -------------------- */ + + + /* returns a yx array from value */ + _arr=function(val){ + var o=$(this).data(pluginPfx).opt,vals=[]; + if(typeof val==="function"){val=val();} /* check if the value is a single anonymous function */ + /* check if value is object or array, its length and create an array with yx values */ + if(!(val instanceof Array)){ /* object value (e.g. {y:"100",x:"100"}, 100 etc.) */ + vals[0]=val.y ? val.y : val.x || o.axis==="x" ? null : val; + vals[1]=val.x ? val.x : val.y || o.axis==="y" ? null : val; + }else{ /* array value (e.g. [100,100]) */ + vals=val.length>1 ? [val[0],val[1]] : o.axis==="x" ? [null,val[0]] : [val[0],null]; + } + /* check if array values are anonymous functions */ + if(typeof vals[0]==="function"){vals[0]=vals[0]();} + if(typeof vals[1]==="function"){vals[1]=vals[1]();} + return vals; + }, + /* -------------------- */ + + + /* translates values (e.g. "top", 100, "100px", "#id") to actual scroll-to positions */ + _to=function(val,dir){ + if(val==null || typeof val=="undefined"){return;} + var $this=$(this),d=$this.data(pluginPfx),o=d.opt, + mCSB_container=$("#mCSB_"+d.idx+"_container"), + wrapper=mCSB_container.parent(), + t=typeof val; + if(!dir){dir=o.axis==="x" ? "x" : "y";} + var contentLength=dir==="x" ? mCSB_container.outerWidth(false) : mCSB_container.outerHeight(false), + contentPos=dir==="x" ? mCSB_container[0].offsetLeft : mCSB_container[0].offsetTop, + cssProp=dir==="x" ? "left" : "top"; + switch(t){ + case "function": /* this currently is not used. Consider removing it */ + return val(); + break; + case "object": /* js/jquery object */ + var obj=val.jquery ? val : $(val); + if(!obj.length){return;} + return dir==="x" ? _childPos(obj)[1] : _childPos(obj)[0]; + break; + case "string": case "number": + if(_isNumeric(val)){ /* numeric value */ + return Math.abs(val); + }else if(val.indexOf("%")!==-1){ /* percentage value */ + return Math.abs(contentLength*parseInt(val)/100); + }else if(val.indexOf("-=")!==-1){ /* decrease value */ + return Math.abs(contentPos-parseInt(val.split("-=")[1])); + }else if(val.indexOf("+=")!==-1){ /* inrease value */ + var p=(contentPos+parseInt(val.split("+=")[1])); + return p>=0 ? 0 : Math.abs(p); + }else if(val.indexOf("px")!==-1 && _isNumeric(val.split("px")[0])){ /* pixels string value (e.g. "100px") */ + return Math.abs(val.split("px")[0]); + }else{ + if(val==="top" || val==="left"){ /* special strings */ + return 0; + }else if(val==="bottom"){ + return Math.abs(wrapper.height()-mCSB_container.outerHeight(false)); + }else if(val==="right"){ + return Math.abs(wrapper.width()-mCSB_container.outerWidth(false)); + }else if(val==="first" || val==="last"){ + var obj=mCSB_container.find(":"+val); + return dir==="x" ? _childPos(obj)[1] : _childPos(obj)[0]; + }else{ + if($(val).length){ /* jquery selector */ + return dir==="x" ? _childPos($(val))[1] : _childPos($(val))[0]; + }else{ /* other values (e.g. "100em") */ + mCSB_container.css(cssProp,val); + methods.update.call(null,$this[0]); + return; + } + } + } + break; + } + }, + /* -------------------- */ + + + /* calls the update method automatically */ + _autoUpdate=function(rem){ + var $this=$(this),d=$this.data(pluginPfx),o=d.opt, + mCSB_container=$("#mCSB_"+d.idx+"_container"); + if(rem){ + /* + removes autoUpdate timer + usage: _autoUpdate.call(this,"remove"); + */ + clearTimeout(mCSB_container[0].autoUpdate); + _delete(mCSB_container[0],"autoUpdate"); + return; + } + upd(); + function upd(){ + clearTimeout(mCSB_container[0].autoUpdate); + if($this.parents("html").length===0){ + /* check element in dom tree */ + $this=null; + return; + } + mCSB_container[0].autoUpdate=setTimeout(function(){ + /* update on specific selector(s) length and size change */ + if(o.advanced.updateOnSelectorChange){ + d.poll.change.n=sizesSum(); + if(d.poll.change.n!==d.poll.change.o){ + d.poll.change.o=d.poll.change.n; + doUpd(3); + return; + } + } + /* update on main element and scrollbar size changes */ + if(o.advanced.updateOnContentResize){ + d.poll.size.n=$this[0].scrollHeight+$this[0].scrollWidth+mCSB_container[0].offsetHeight+$this[0].offsetHeight+$this[0].offsetWidth; + if(d.poll.size.n!==d.poll.size.o){ + d.poll.size.o=d.poll.size.n; + doUpd(1); + return; + } + } + /* update on image load */ + if(o.advanced.updateOnImageLoad){ + if(!(o.advanced.updateOnImageLoad==="auto" && o.axis==="y")){ //by default, it doesn't run on vertical content + d.poll.img.n=mCSB_container.find("img").length; + if(d.poll.img.n!==d.poll.img.o){ + d.poll.img.o=d.poll.img.n; + mCSB_container.find("img").each(function(){ + imgLoader(this); + }); + return; + } + } + } + if(o.advanced.updateOnSelectorChange || o.advanced.updateOnContentResize || o.advanced.updateOnImageLoad){upd();} + },o.advanced.autoUpdateTimeout); + } + /* a tiny image loader */ + function imgLoader(el){ + if($(el).hasClass(classes[2])){doUpd(); return;} + var img=new Image(); + function createDelegate(contextObject,delegateMethod){ + return function(){return delegateMethod.apply(contextObject,arguments);} + } + function imgOnLoad(){ + this.onload=null; + $(el).addClass(classes[2]); + doUpd(2); + } + img.onload=createDelegate(img,imgOnLoad); + img.src=el.src; + } + /* returns the total height and width sum of all elements matching the selector */ + function sizesSum(){ + if(o.advanced.updateOnSelectorChange===true){o.advanced.updateOnSelectorChange="*";} + var total=0,sel=mCSB_container.find(o.advanced.updateOnSelectorChange); + if(o.advanced.updateOnSelectorChange && sel.length>0){sel.each(function(){total+=this.offsetHeight+this.offsetWidth;});} + return total; + } + /* calls the update method */ + function doUpd(cb){ + clearTimeout(mCSB_container[0].autoUpdate); + methods.update.call(null,$this[0],cb); + } + }, + /* -------------------- */ + + + /* snaps scrolling to a multiple of a pixels number */ + _snapAmount=function(to,amount,offset){ + return (Math.round(to/amount)*amount-offset); + }, + /* -------------------- */ + + + /* stops content and scrollbar animations */ + _stop=function(el){ + var d=el.data(pluginPfx), + sel=$("#mCSB_"+d.idx+"_container,#mCSB_"+d.idx+"_container_wrapper,#mCSB_"+d.idx+"_dragger_vertical,#mCSB_"+d.idx+"_dragger_horizontal"); + sel.each(function(){ + _stopTween.call(this); + }); + }, + /* -------------------- */ + + + /* + ANIMATES CONTENT + This is where the actual scrolling happens + */ + _scrollTo=function(el,to,options){ + var d=el.data(pluginPfx),o=d.opt, + defaults={ + trigger:"internal", + dir:"y", + scrollEasing:"mcsEaseOut", + drag:false, + dur:o.scrollInertia, + overwrite:"all", + callbacks:true, + onStart:true, + onUpdate:true, + onComplete:true + }, + options=$.extend(defaults,options), + dur=[options.dur,(options.drag ? 0 : options.dur)], + mCustomScrollBox=$("#mCSB_"+d.idx), + mCSB_container=$("#mCSB_"+d.idx+"_container"), + wrapper=mCSB_container.parent(), + totalScrollOffsets=o.callbacks.onTotalScrollOffset ? _arr.call(el,o.callbacks.onTotalScrollOffset) : [0,0], + totalScrollBackOffsets=o.callbacks.onTotalScrollBackOffset ? _arr.call(el,o.callbacks.onTotalScrollBackOffset) : [0,0]; + d.trigger=options.trigger; + if(wrapper.scrollTop()!==0 || wrapper.scrollLeft()!==0){ /* always reset scrollTop/Left */ + $(".mCSB_"+d.idx+"_scrollbar").css("visibility","visible"); + wrapper.scrollTop(0).scrollLeft(0); + } + if(to==="_resetY" && !d.contentReset.y){ + /* callbacks: onOverflowYNone */ + if(_cb("onOverflowYNone")){o.callbacks.onOverflowYNone.call(el[0]);} + d.contentReset.y=1; + } + if(to==="_resetX" && !d.contentReset.x){ + /* callbacks: onOverflowXNone */ + if(_cb("onOverflowXNone")){o.callbacks.onOverflowXNone.call(el[0]);} + d.contentReset.x=1; + } + if(to==="_resetY" || to==="_resetX"){return;} + if((d.contentReset.y || !el[0].mcs) && d.overflowed[0]){ + /* callbacks: onOverflowY */ + if(_cb("onOverflowY")){o.callbacks.onOverflowY.call(el[0]);} + d.contentReset.x=null; + } + if((d.contentReset.x || !el[0].mcs) && d.overflowed[1]){ + /* callbacks: onOverflowX */ + if(_cb("onOverflowX")){o.callbacks.onOverflowX.call(el[0]);} + d.contentReset.x=null; + } + if(o.snapAmount){ /* scrolling snapping */ + var snapAmount=!(o.snapAmount instanceof Array) ? o.snapAmount : options.dir==="x" ? o.snapAmount[1] : o.snapAmount[0]; + to=_snapAmount(to,snapAmount,o.snapOffset); + } + switch(options.dir){ + case "x": + var mCSB_dragger=$("#mCSB_"+d.idx+"_dragger_horizontal"), + property="left", + contentPos=mCSB_container[0].offsetLeft, + limit=[ + mCustomScrollBox.width()-mCSB_container.outerWidth(false), + mCSB_dragger.parent().width()-mCSB_dragger.width() + ], + scrollTo=[to,to===0 ? 0 : (to/d.scrollRatio.x)], + tso=totalScrollOffsets[1], + tsbo=totalScrollBackOffsets[1], + totalScrollOffset=tso>0 ? tso/d.scrollRatio.x : 0, + totalScrollBackOffset=tsbo>0 ? tsbo/d.scrollRatio.x : 0; + break; + case "y": + var mCSB_dragger=$("#mCSB_"+d.idx+"_dragger_vertical"), + property="top", + contentPos=mCSB_container[0].offsetTop, + limit=[ + mCustomScrollBox.height()-mCSB_container.outerHeight(false), + mCSB_dragger.parent().height()-mCSB_dragger.height() + ], + scrollTo=[to,to===0 ? 0 : (to/d.scrollRatio.y)], + tso=totalScrollOffsets[0], + tsbo=totalScrollBackOffsets[0], + totalScrollOffset=tso>0 ? tso/d.scrollRatio.y : 0, + totalScrollBackOffset=tsbo>0 ? tsbo/d.scrollRatio.y : 0; + break; + } + if(scrollTo[1]<0 || (scrollTo[0]===0 && scrollTo[1]===0)){ + scrollTo=[0,0]; + }else if(scrollTo[1]>=limit[1]){ + scrollTo=[limit[0],limit[1]]; + }else{ + scrollTo[0]=-scrollTo[0]; + } + if(!el[0].mcs){ + _mcs(); /* init mcs object (once) to make it available before callbacks */ + if(_cb("onInit")){o.callbacks.onInit.call(el[0]);} /* callbacks: onInit */ + } + clearTimeout(mCSB_container[0].onCompleteTimeout); + _tweenTo(mCSB_dragger[0],property,Math.round(scrollTo[1]),dur[1],options.scrollEasing); + if(!d.tweenRunning && ((contentPos===0 && scrollTo[0]>=0) || (contentPos===limit[0] && scrollTo[0]<=limit[0]))){return;} + _tweenTo(mCSB_container[0],property,Math.round(scrollTo[0]),dur[0],options.scrollEasing,options.overwrite,{ + onStart:function(){ + if(options.callbacks && options.onStart && !d.tweenRunning){ + /* callbacks: onScrollStart */ + if(_cb("onScrollStart")){_mcs(); o.callbacks.onScrollStart.call(el[0]);} + d.tweenRunning=true; + _onDragClasses(mCSB_dragger); + d.cbOffsets=_cbOffsets(); + } + },onUpdate:function(){ + if(options.callbacks && options.onUpdate){ + /* callbacks: whileScrolling */ + if(_cb("whileScrolling")){_mcs(); o.callbacks.whileScrolling.call(el[0]);} + } + },onComplete:function(){ + if(options.callbacks && options.onComplete){ + if(o.axis==="yx"){clearTimeout(mCSB_container[0].onCompleteTimeout);} + var t=mCSB_container[0].idleTimer || 0; + mCSB_container[0].onCompleteTimeout=setTimeout(function(){ + /* callbacks: onScroll, onTotalScroll, onTotalScrollBack */ + if(_cb("onScroll")){_mcs(); o.callbacks.onScroll.call(el[0]);} + if(_cb("onTotalScroll") && scrollTo[1]>=limit[1]-totalScrollOffset && d.cbOffsets[0]){_mcs(); o.callbacks.onTotalScroll.call(el[0]);} + if(_cb("onTotalScrollBack") && scrollTo[1]<=totalScrollBackOffset && d.cbOffsets[1]){_mcs(); o.callbacks.onTotalScrollBack.call(el[0]);} + d.tweenRunning=false; + mCSB_container[0].idleTimer=0; + _onDragClasses(mCSB_dragger,"hide"); + },t); + } + } + }); + /* checks if callback function exists */ + function _cb(cb){ + return d && o.callbacks[cb] && typeof o.callbacks[cb]==="function"; + } + /* checks whether callback offsets always trigger */ + function _cbOffsets(){ + return [o.callbacks.alwaysTriggerOffsets || contentPos>=limit[0]+tso,o.callbacks.alwaysTriggerOffsets || contentPos<=-tsbo]; + } + /* + populates object with useful values for the user + values: + content: this.mcs.content + content top position: this.mcs.top + content left position: this.mcs.left + dragger top position: this.mcs.draggerTop + dragger left position: this.mcs.draggerLeft + scrolling y percentage: this.mcs.topPct + scrolling x percentage: this.mcs.leftPct + scrolling direction: this.mcs.direction + */ + function _mcs(){ + var cp=[mCSB_container[0].offsetTop,mCSB_container[0].offsetLeft], /* content position */ + dp=[mCSB_dragger[0].offsetTop,mCSB_dragger[0].offsetLeft], /* dragger position */ + cl=[mCSB_container.outerHeight(false),mCSB_container.outerWidth(false)], /* content length */ + pl=[mCustomScrollBox.height(),mCustomScrollBox.width()]; /* content parent length */ + el[0].mcs={ + content:mCSB_container, /* original content wrapper as jquery object */ + top:cp[0],left:cp[1],draggerTop:dp[0],draggerLeft:dp[1], + topPct:Math.round((100*Math.abs(cp[0]))/(Math.abs(cl[0])-pl[0])),leftPct:Math.round((100*Math.abs(cp[1]))/(Math.abs(cl[1])-pl[1])), + direction:options.dir + }; + /* + this refers to the original element containing the scrollbar(s) + usage: this.mcs.top, this.mcs.leftPct etc. + */ + } + }, + /* -------------------- */ + + + /* + CUSTOM JAVASCRIPT ANIMATION TWEEN + Lighter and faster than jquery animate() and css transitions + Animates top/left properties and includes easings + */ + _tweenTo=function(el,prop,to,duration,easing,overwrite,callbacks){ + if(!el._mTween){el._mTween={top:{},left:{}};} + var callbacks=callbacks || {}, + onStart=callbacks.onStart || function(){},onUpdate=callbacks.onUpdate || function(){},onComplete=callbacks.onComplete || function(){}, + startTime=_getTime(),_delay,progress=0,from=el.offsetTop,elStyle=el.style,_request,tobj=el._mTween[prop]; + if(prop==="left"){from=el.offsetLeft;} + var diff=to-from; + tobj.stop=0; + if(overwrite!=="none"){_cancelTween();} + _startTween(); + function _step(){ + if(tobj.stop){return;} + if(!progress){onStart.call();} + progress=_getTime()-startTime; + _tween(); + if(progress>=tobj.time){ + tobj.time=(progress>tobj.time) ? progress+_delay-(progress-tobj.time) : progress+_delay-1; + if(tobj.time<progress+1){tobj.time=progress+1;} + } + if(tobj.time<duration){tobj.id=_request(_step);}else{onComplete.call();} + } + function _tween(){ + if(duration>0){ + tobj.currVal=_ease(tobj.time,from,diff,duration,easing); + elStyle[prop]=Math.round(tobj.currVal)+"px"; + }else{ + elStyle[prop]=to+"px"; + } + onUpdate.call(); + } + function _startTween(){ + _delay=1000/60; + tobj.time=progress+_delay; + _request=(!window.requestAnimationFrame) ? function(f){_tween(); return setTimeout(f,0.01);} : window.requestAnimationFrame; + tobj.id=_request(_step); + } + function _cancelTween(){ + if(tobj.id==null){return;} + if(!window.requestAnimationFrame){clearTimeout(tobj.id); + }else{window.cancelAnimationFrame(tobj.id);} + tobj.id=null; + } + function _ease(t,b,c,d,type){ + switch(type){ + case "linear": case "mcsLinear": + return c*t/d + b; + break; + case "mcsLinearOut": + t/=d; t--; return c * Math.sqrt(1 - t*t) + b; + break; + case "easeInOutSmooth": + t/=d/2; + if(t<1) return c/2*t*t + b; + t--; + return -c/2 * (t*(t-2) - 1) + b; + break; + case "easeInOutStrong": + t/=d/2; + if(t<1) return c/2 * Math.pow( 2, 10 * (t - 1) ) + b; + t--; + return c/2 * ( -Math.pow( 2, -10 * t) + 2 ) + b; + break; + case "easeInOut": case "mcsEaseInOut": + t/=d/2; + if(t<1) return c/2*t*t*t + b; + t-=2; + return c/2*(t*t*t + 2) + b; + break; + case "easeOutSmooth": + t/=d; t--; + return -c * (t*t*t*t - 1) + b; + break; + case "easeOutStrong": + return c * ( -Math.pow( 2, -10 * t/d ) + 1 ) + b; + break; + case "easeOut": case "mcsEaseOut": default: + var ts=(t/=d)*t,tc=ts*t; + return b+c*(0.499999999999997*tc*ts + -2.5*ts*ts + 5.5*tc + -6.5*ts + 4*t); + } + } + }, + /* -------------------- */ + + + /* returns current time */ + _getTime=function(){ + if(window.performance && window.performance.now){ + return window.performance.now(); + }else{ + if(window.performance && window.performance.webkitNow){ + return window.performance.webkitNow(); + }else{ + if(Date.now){return Date.now();}else{return new Date().getTime();} + } + } + }, + /* -------------------- */ + + + /* stops a tween */ + _stopTween=function(){ + var el=this; + if(!el._mTween){el._mTween={top:{},left:{}};} + var props=["top","left"]; + for(var i=0; i<props.length; i++){ + var prop=props[i]; + if(el._mTween[prop].id){ + if(!window.requestAnimationFrame){clearTimeout(el._mTween[prop].id); + }else{window.cancelAnimationFrame(el._mTween[prop].id);} + el._mTween[prop].id=null; + el._mTween[prop].stop=1; + } + } + }, + /* -------------------- */ + + + /* deletes a property (avoiding the exception thrown by IE) */ + _delete=function(c,m){ + try{delete c[m];}catch(e){c[m]=null;} + }, + /* -------------------- */ + + + /* detects left mouse button */ + _mouseBtnLeft=function(e){ + return !(e.which && e.which!==1); + }, + /* -------------------- */ + + + /* detects if pointer type event is touch */ + _pointerTouch=function(e){ + var t=e.originalEvent.pointerType; + return !(t && t!=="touch" && t!==2); + }, + /* -------------------- */ + + + /* checks if value is numeric */ + _isNumeric=function(val){ + return !isNaN(parseFloat(val)) && isFinite(val); + }, + /* -------------------- */ + + + /* returns element position according to content */ + _childPos=function(el){ + var p=el.parents(".mCSB_container"); + return [el.offset().top-p.offset().top,el.offset().left-p.offset().left]; + }, + /* -------------------- */ + + + /* checks if browser tab is hidden/inactive via Page Visibility API */ + _isTabHidden=function(){ + var prop=_getHiddenProp(); + if(!prop) return false; + return document[prop]; + function _getHiddenProp(){ + var pfx=["webkit","moz","ms","o"]; + if("hidden" in document) return "hidden"; //natively supported + for(var i=0; i<pfx.length; i++){ //prefixed + if((pfx[i]+"Hidden") in document) + return pfx[i]+"Hidden"; + } + return null; //not supported + } + }; + /* -------------------- */ + + + + + + /* + ---------------------------------------- + PLUGIN SETUP + ---------------------------------------- + */ + + /* plugin constructor functions */ + $.fn[pluginNS]=function(method){ /* usage: $(selector).mCustomScrollbar(); */ + if(methods[method]){ + return methods[method].apply(this,Array.prototype.slice.call(arguments,1)); + }else if(typeof method==="object" || !method){ + return methods.init.apply(this,arguments); + }else{ + $.error("Method "+method+" does not exist"); + } + }; + $[pluginNS]=function(method){ /* usage: $.mCustomScrollbar(); */ + if(methods[method]){ + return methods[method].apply(this,Array.prototype.slice.call(arguments,1)); + }else if(typeof method==="object" || !method){ + return methods.init.apply(this,arguments); + }else{ + $.error("Method "+method+" does not exist"); + } + }; + + /* + allow setting plugin default options. + usage: $.mCustomScrollbar.defaults.scrollInertia=500; + to apply any changed default options on default selectors (below), use inside document ready fn + e.g.: $(document).ready(function(){ $.mCustomScrollbar.defaults.scrollInertia=500; }); + */ + $[pluginNS].defaults=defaults; + + /* + add window object (window.mCustomScrollbar) + usage: if(window.mCustomScrollbar){console.log("custom scrollbar plugin loaded");} + */ + window[pluginNS]=true; + + $(window).load(function(){ + + $(defaultSelector)[pluginNS](); /* add scrollbars automatically on default selector */ + + /* extend jQuery expressions */ + $.extend($.expr[":"],{ + /* checks if element is within scrollable viewport */ + mcsInView:$.expr[":"].mcsInView || function(el){ + var $el=$(el),content=$el.parents(".mCSB_container"),wrapper,cPos; + if(!content.length){return;} + wrapper=content.parent(); + cPos=[content[0].offsetTop,content[0].offsetLeft]; + return cPos[0]+_childPos($el)[0]>=0 && cPos[0]+_childPos($el)[0]<wrapper.height()-$el.outerHeight(false) && + cPos[1]+_childPos($el)[1]>=0 && cPos[1]+_childPos($el)[1]<wrapper.width()-$el.outerWidth(false); + }, + /* checks if element is overflowed having visible scrollbar(s) */ + mcsOverflow:$.expr[":"].mcsOverflow || function(el){ + var d=$(el).data(pluginPfx); + if(!d){return;} + return d.overflowed[0] || d.overflowed[1]; + } + }); + + }); + +}))})); diff --git a/packages/wekan-scrollbar/jquery.mousewheel.js b/packages/wekan-scrollbar/jquery.mousewheel.js new file mode 100644 index 00000000..3eadb7ed --- /dev/null +++ b/packages/wekan-scrollbar/jquery.mousewheel.js @@ -0,0 +1,221 @@ +/*! + * jQuery Mousewheel 3.1.13 + * + * Copyright jQuery Foundation and other contributors + * Released under the MIT license + * http://jquery.org/license + */ + +(function (factory) { + if ( typeof define === 'function' && define.amd ) { + // AMD. Register as an anonymous module. + define(['jquery'], factory); + } else if (typeof exports === 'object') { + // Node/CommonJS style for Browserify + module.exports = factory; + } else { + // Browser globals + factory(jQuery); + } +}(function ($) { + + var toFix = ['wheel', 'mousewheel', 'DOMMouseScroll', 'MozMousePixelScroll'], + toBind = ( 'onwheel' in document || document.documentMode >= 9 ) ? + ['wheel'] : ['mousewheel', 'DomMouseScroll', 'MozMousePixelScroll'], + slice = Array.prototype.slice, + nullLowestDeltaTimeout, lowestDelta; + + if ( $.event.fixHooks ) { + for ( var i = toFix.length; i; ) { + $.event.fixHooks[ toFix[--i] ] = $.event.mouseHooks; + } + } + + var special = $.event.special.mousewheel = { + version: '3.1.12', + + setup: function() { + if ( this.addEventListener ) { + for ( var i = toBind.length; i; ) { + this.addEventListener( toBind[--i], handler, false ); + } + } else { + this.onmousewheel = handler; + } + // Store the line height and page height for this particular element + $.data(this, 'mousewheel-line-height', special.getLineHeight(this)); + $.data(this, 'mousewheel-page-height', special.getPageHeight(this)); + }, + + teardown: function() { + if ( this.removeEventListener ) { + for ( var i = toBind.length; i; ) { + this.removeEventListener( toBind[--i], handler, false ); + } + } else { + this.onmousewheel = null; + } + // Clean up the data we added to the element + $.removeData(this, 'mousewheel-line-height'); + $.removeData(this, 'mousewheel-page-height'); + }, + + getLineHeight: function(elem) { + var $elem = $(elem), + $parent = $elem['offsetParent' in $.fn ? 'offsetParent' : 'parent'](); + if (!$parent.length) { + $parent = $('body'); + } + return parseInt($parent.css('fontSize'), 10) || parseInt($elem.css('fontSize'), 10) || 16; + }, + + getPageHeight: function(elem) { + return $(elem).height(); + }, + + settings: { + adjustOldDeltas: true, // see shouldAdjustOldDeltas() below + normalizeOffset: true // calls getBoundingClientRect for each event + } + }; + + $.fn.extend({ + mousewheel: function(fn) { + return fn ? this.bind('mousewheel', fn) : this.trigger('mousewheel'); + }, + + unmousewheel: function(fn) { + return this.unbind('mousewheel', fn); + } + }); + + + function handler(event) { + var orgEvent = event || window.event, + args = slice.call(arguments, 1), + delta = 0, + deltaX = 0, + deltaY = 0, + absDelta = 0, + offsetX = 0, + offsetY = 0; + event = $.event.fix(orgEvent); + event.type = 'mousewheel'; + + // Old school scrollwheel delta + if ( 'detail' in orgEvent ) { deltaY = orgEvent.detail * -1; } + if ( 'wheelDelta' in orgEvent ) { deltaY = orgEvent.wheelDelta; } + if ( 'wheelDeltaY' in orgEvent ) { deltaY = orgEvent.wheelDeltaY; } + if ( 'wheelDeltaX' in orgEvent ) { deltaX = orgEvent.wheelDeltaX * -1; } + + // Firefox < 17 horizontal scrolling related to DOMMouseScroll event + if ( 'axis' in orgEvent && orgEvent.axis === orgEvent.HORIZONTAL_AXIS ) { + deltaX = deltaY * -1; + deltaY = 0; + } + + // Set delta to be deltaY or deltaX if deltaY is 0 for backwards compatabilitiy + delta = deltaY === 0 ? deltaX : deltaY; + + // New school wheel delta (wheel event) + if ( 'deltaY' in orgEvent ) { + deltaY = orgEvent.deltaY * -1; + delta = deltaY; + } + if ( 'deltaX' in orgEvent ) { + deltaX = orgEvent.deltaX; + if ( deltaY === 0 ) { delta = deltaX * -1; } + } + + // No change actually happened, no reason to go any further + if ( deltaY === 0 && deltaX === 0 ) { return; } + + // Need to convert lines and pages to pixels if we aren't already in pixels + // There are three delta modes: + // * deltaMode 0 is by pixels, nothing to do + // * deltaMode 1 is by lines + // * deltaMode 2 is by pages + if ( orgEvent.deltaMode === 1 ) { + var lineHeight = $.data(this, 'mousewheel-line-height'); + delta *= lineHeight; + deltaY *= lineHeight; + deltaX *= lineHeight; + } else if ( orgEvent.deltaMode === 2 ) { + var pageHeight = $.data(this, 'mousewheel-page-height'); + delta *= pageHeight; + deltaY *= pageHeight; + deltaX *= pageHeight; + } + + // Store lowest absolute delta to normalize the delta values + absDelta = Math.max( Math.abs(deltaY), Math.abs(deltaX) ); + + if ( !lowestDelta || absDelta < lowestDelta ) { + lowestDelta = absDelta; + + // Adjust older deltas if necessary + if ( shouldAdjustOldDeltas(orgEvent, absDelta) ) { + lowestDelta /= 40; + } + } + + // Adjust older deltas if necessary + if ( shouldAdjustOldDeltas(orgEvent, absDelta) ) { + // Divide all the things by 40! + delta /= 40; + deltaX /= 40; + deltaY /= 40; + } + + // Get a whole, normalized value for the deltas + delta = Math[ delta >= 1 ? 'floor' : 'ceil' ](delta / lowestDelta); + deltaX = Math[ deltaX >= 1 ? 'floor' : 'ceil' ](deltaX / lowestDelta); + deltaY = Math[ deltaY >= 1 ? 'floor' : 'ceil' ](deltaY / lowestDelta); + + // Normalise offsetX and offsetY properties + if ( special.settings.normalizeOffset && this.getBoundingClientRect ) { + var boundingRect = this.getBoundingClientRect(); + offsetX = event.clientX - boundingRect.left; + offsetY = event.clientY - boundingRect.top; + } + + // Add information to the event object + event.deltaX = deltaX; + event.deltaY = deltaY; + event.deltaFactor = lowestDelta; + event.offsetX = offsetX; + event.offsetY = offsetY; + // Go ahead and set deltaMode to 0 since we converted to pixels + // Although this is a little odd since we overwrite the deltaX/Y + // properties with normalized deltas. + event.deltaMode = 0; + + // Add event and delta to the front of the arguments + args.unshift(event, delta, deltaX, deltaY); + + // Clearout lowestDelta after sometime to better + // handle multiple device types that give different + // a different lowestDelta + // Ex: trackpad = 3 and mouse wheel = 120 + if (nullLowestDeltaTimeout) { clearTimeout(nullLowestDeltaTimeout); } + nullLowestDeltaTimeout = setTimeout(nullLowestDelta, 200); + + return ($.event.dispatch || $.event.handle).apply(this, args); + } + + function nullLowestDelta() { + lowestDelta = null; + } + + function shouldAdjustOldDeltas(orgEvent, absDelta) { + // If this is an older event and the delta is divisable by 120, + // then we are assuming that the browser is treating this as an + // older mouse wheel event and that we should divide the deltas + // by 40 to try and get a more usable deltaFactor. + // Side note, this actually impacts the reported scroll distance + // in older browsers and can cause scrolling to be slower than native. + // Turn this off by setting $.event.special.mousewheel.settings.adjustOldDeltas to false. + return special.settings.adjustOldDeltas && orgEvent.type === 'mousewheel' && absDelta % 120 === 0; + } + +})); diff --git a/packages/wekan-scrollbar/package.js b/packages/wekan-scrollbar/package.js new file mode 100644 index 00000000..0dfdce94 --- /dev/null +++ b/packages/wekan-scrollbar/package.js @@ -0,0 +1,21 @@ +Package.describe({ + summary: "A wrapper for Malihu Custom Scrollbar. Highly customizable custom scrollbar jQuery plugin", + version: "3.1.3", + git: "https://github.com/MaazAli/Meteor-Malihu-Custom-Scrollbar.git" +}); + +Package.onUse(function(api) { + api.versionsFrom('METEOR@0.9.0.1'); + + api.use('jquery'); + + // JS + api.addFiles('jquery.mousewheel.js', 'client'); + api.addFiles('jquery.mCustomScrollbar.js', 'client'); + + // CSS + + api.addFiles('jquery.mCustomScrollbar.css', 'client'); + +}); + diff --git a/packages/wekan-scrollbar/readme.md b/packages/wekan-scrollbar/readme.md new file mode 100644 index 00000000..0e2fbb5c --- /dev/null +++ b/packages/wekan-scrollbar/readme.md @@ -0,0 +1,17 @@ +## Meteor Wrapper for Malihu jQuery Custom Scrollbar plugin + +Add to your Meteor app + +``` +meteor add wekan:wekan-scrollbar +``` + +### OLD + +Add to your Meteor app + +``` +meteor add maazalik:malihu-jquery-custom-scrollbar +``` + +Compatible with Meteor v0.9.0.1 diff --git a/rebuild-wekan.bat b/rebuild-wekan.bat index ae3e59d2..784adb82 100644 --- a/rebuild-wekan.bat +++ b/rebuild-wekan.bat @@ -28,18 +28,19 @@ cd wekan git checkout edge echo "Building Wekan." REM del /S /F /Q packages -md packages -cd packages -git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-flow-router -git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core -git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git -git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git -git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git -git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-oidc.git -git clone --depth 1 -b master --recurse-submodules https://github.com/wekan/markdown.git -move meteor-accounts-oidc/packages/switch_accounts-oidc wekan_accounts-oidc -move meteor-accounts-oidc/packages/switch_oidc wekan_oidc -del /S /F /Q meteor-accounts-oidc +REM ## REPOS BELOW ARE INCLUDED TO WEKAN +REM md packages +REM cd packages +REM git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-flow-router +REM git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core +REM git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git +REM git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git +REM git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git +REM git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-oidc.git +REM git clone --depth 1 -b master --recurse-submodules https://github.com/wekan/markdown.git +REM move meteor-accounts-oidc/packages/switch_accounts-oidc wekan_accounts-oidc +REM move meteor-accounts-oidc/packages/switch_oidc wekan_oidc +REM del /S /F /Q meteor-accounts-oidc REM sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' ~/repos/wekan/packages/meteor-useraccounts-core/package.js cd .. REM del /S /F /Q node_modules diff --git a/rebuild-wekan.sh b/rebuild-wekan.sh index 6e8bc524..518936b6 100755 --- a/rebuild-wekan.sh +++ b/rebuild-wekan.sh @@ -46,19 +46,20 @@ function npm_call(){ } function wekan_repo_check(){ - git_remotes="$(git remote show 2>/dev/null)" - res="" - for i in $git_remotes; do - res="$(git remote get-url $i | sed 's/.*wekan\/wekan.*/wekan\/wekan/')" - if [[ "$res" == "wekan/wekan" ]]; then - break - fi - done - - if [[ "$res" != "wekan/wekan" ]]; then - echo "$PWD is not a wekan repository" - exit; - fi +## UNCOMMENTING, IT'S NOT REQUIRED THAT /HOME/USERNAME IS /HOME/WEKAN +# git_remotes="$(git remote show 2>/dev/null)" +# res="" +# for i in $git_remotes; do +# res="$(git remote get-url $i | sed 's/.*wekan\/wekan.*/wekan\/wekan/')" +# if [[ "$res" == "wekan/wekan" ]]; then +# break +# fi +# done +# +# if [[ "$res" != "wekan/wekan" ]]; then +# echo "$PWD is not a wekan repository" +# exit; +# fi } echo @@ -111,19 +112,20 @@ do "Build Wekan") echo "Building Wekan." wekan_repo_check - rm -rf packages/kadira-flow-router packages/meteor-useraccounts-core packages/meteor-accounts-cas packages/wekan-ldap packages/wekan-ldap packages/wekan-scrfollbar packages/meteor-accounts-oidc packages/markdown - mkdir packages - cd packages - git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-flow-router - git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core - git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git - git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git - git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git - git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-oidc.git - git clone --depth 1 -b master --recurse-submodules https://github.com/wekan/markdown.git - mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan_accounts-oidc - mv meteor-accounts-oidc/packages/switch_oidc wekan_oidc - rm -rf meteor-accounts-oidc + # REPOS BELOW ARE INCLUDED TO WEKAN REPO + #rm -rf packages/kadira-flow-router packages/meteor-useraccounts-core packages/meteor-accounts-cas packages/wekan-ldap packages/wekan-ldap packages/wekan-scrfollbar packages/meteor-accounts-oidc packages/markdown + #mkdir packages + #cd packages + #git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-flow-router + #git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core + #git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git + #git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git + #git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git + #git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-oidc.git + #git clone --depth 1 -b master --recurse-submodules https://github.com/wekan/markdown.git + #mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan_accounts-oidc + #mv meteor-accounts-oidc/packages/switch_oidc wekan_oidc + #rm -rf meteor-accounts-oidc if [[ "$OSTYPE" == "darwin"* ]]; then echo "sed at macOS"; sed -i '' 's/api\.versionsFrom/\/\/api.versionsFrom/' ~/repos/wekan/packages/meteor-useraccounts-core/package.js diff --git a/releases/virtualbox/rebuild-wekan.sh b/releases/virtualbox/rebuild-wekan.sh index c5067844..c1adaf78 100755 --- a/releases/virtualbox/rebuild-wekan.sh +++ b/releases/virtualbox/rebuild-wekan.sh @@ -62,18 +62,19 @@ do "Build Wekan") echo "Building Wekan." cd ~/repos/wekan - mkdir -p ~/repos/wekan/packages - cd ~/repos/wekan/packages - git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-flow-router - git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core - git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git - git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git - git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git - git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-oidc.git - git clone --depth 1 -b master --recurse-submodules https://github.com/wekan/markdown.git - mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan_accounts-oidc - mv meteor-accounts-oidc/packages/switch_oidc wekan_oidc - rm -rf meteor-accounts-oidc + ## REPOS BELOW ARE INCLUDED TO WEKAN + #mkdir -p ~/repos/wekan/packages + #cd ~/repos/wekan/packages + #git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-flow-router + #git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core + #git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git + #git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git + #git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git + #git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-oidc.git + #git clone --depth 1 -b master --recurse-submodules https://github.com/wekan/markdown.git + #mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan_accounts-oidc + #mv meteor-accounts-oidc/packages/switch_oidc wekan_oidc + #rm -rf meteor-accounts-oidc if [[ "$OSTYPE" == "darwin"* ]]; then echo "sed at macOS"; sed -i '' 's/api\.versionsFrom/\/\/api.versionsFrom/' ~/repos/wekan/packages/meteor-useraccounts-core/package.js diff --git a/snapcraft.yaml b/snapcraft.yaml index d9250984..874b617c 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -106,7 +106,7 @@ parts: rm -rf .build mkdir -p .build/python cd .build/python - git clone --depth 1 -b master git://github.com/Kronuz/esprima-python + git clone --depth 1 -b master https://github.com/Kronuz/esprima-python cd esprima-python python3 setup.py install cd ../../.. @@ -147,48 +147,49 @@ parts: chmod +x install_meteor.sh sh install_meteor.sh rm install_meteor.sh - if [ ! -d "packages" ]; then - mkdir packages - fi - if [ ! -d "packages/kadira-flow-router" ]; then - cd packages - git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-flow-router - cd .. - fi - if [ ! -d "packages/meteor-useraccounts-core" ]; then - cd packages - git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core - sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' meteor-useraccounts-core/package.js - cd .. - fi - if [ ! -d "packages/meteor-accounts-cas" ]; then - cd packages - git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git meteor-accounts-cas - cd .. - fi - if [ ! -d "packages/wekan-ldap" ]; then - cd packages - git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git - cd .. - fi - if [ ! -d "packages/wekan-scrollbar" ]; then - cd packages - git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git - cd .. - fi - if [ ! -d "packages/wekan_accounts-oidc" ]; then - cd packages - git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-oidc.git - mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan-accounts-oidc - mv meteor-accounts-oidc/packages/switch_oidc wekan-oidc - rm -rf meteor-accounts-oidc - cd .. - fi - if [ ! -d "packages/markdown" ]; then - cd packages - git clone --depth 1 -b master --recurse-submodules https://github.com/wekan/markdown.git - cd .. - fi + # REPOS BELOW ARE INCLUDED TO WEKAN REPO + #if [ ! -d "packages" ]; then + # mkdir packages + #fi + #if [ ! -d "packages/kadira-flow-router" ]; then + # cd packages + # git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-flow-router + # cd .. + #fi + #if [ ! -d "packages/meteor-useraccounts-core" ]; then + # cd packages + # git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core + # sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' meteor-useraccounts-core/package.js + # cd .. + #fi + #if [ ! -d "packages/meteor-accounts-cas" ]; then + # cd packages + # git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git meteor-accounts-cas + # cd .. + #fi + #if [ ! -d "packages/wekan-ldap" ]; then + # cd packages + # git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git + # cd .. + #fi + #if [ ! -d "packages/wekan-scrollbar" ]; then + # cd packages + # git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git + # cd .. + #fi + #if [ ! -d "packages/wekan_accounts-oidc" ]; then + # cd packages + # git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-oidc.git + # mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan-accounts-oidc + # mv meteor-accounts-oidc/packages/switch_oidc wekan-oidc + # rm -rf meteor-accounts-oidc + # cd .. + #fi + #if [ ! -d "packages/markdown" ]; then + # cd packages + # git clone --depth 1 -b master --recurse-submodules https://github.com/wekan/markdown.git + # cd .. + #fi rm -rf package-lock.json .build meteor add standard-minifier-js --allow-superuser meteor npm install --allow-superuser -- cgit v1.2.3-1-g7c22 From 816ccf6509a62c565ba30ec32edb8c6e9169b860 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Sat, 20 Apr 2019 15:24:09 +0300 Subject: Update package names. --- .meteor/packages | 4 ++-- .meteor/versions | 4 ++-- packages/wekan-ldap/package.js | 4 ++-- packages/wekan-scrollbar/package.js | 3 ++- 4 files changed, 8 insertions(+), 7 deletions(-) diff --git a/.meteor/packages b/.meteor/packages index 81f1ee05..6b771809 100644 --- a/.meteor/packages +++ b/.meteor/packages @@ -31,8 +31,8 @@ kenton:accounts-sandstorm service-configuration@1.0.11 useraccounts:unstyled useraccounts:flow-routing -wekan:wekan-ldap -wekan:accounts-cas +wekan-ldap +wekan-accounts-cas wekan-accounts-oidc # Utilities diff --git a/.meteor/versions b/.meteor/versions index 90368001..187d92c5 100644 --- a/.meteor/versions +++ b/.meteor/versions @@ -182,7 +182,7 @@ wekan-accounts-oidc@1.0.10 wekan-markdown@1.0.7 wekan-oidc@1.0.12 wekan-scrollbar@3.1.3 -wekan:accounts-cas@0.1.0 -wekan:wekan-ldap@0.0.2 +wekan-accounts-cas@0.1.0 +wekan-ldap@0.0.2 yasaricli:slugify@0.0.7 zimme:active-route@2.3.2 diff --git a/packages/wekan-ldap/package.js b/packages/wekan-ldap/package.js index f6fbb458..feda02e9 100644 --- a/packages/wekan-ldap/package.js +++ b/packages/wekan-ldap/package.js @@ -1,5 +1,5 @@ Package.describe({ - name: 'wekan:wekan-ldap', + name: 'wekan-ldap', version: '0.0.2', // Brief, one-line summary of the package. summary: 'Basic meteor login with ldap', @@ -29,4 +29,4 @@ Package.onUse(function(api) { Npm.depends({ ldapjs: '1.0.2', -}); \ No newline at end of file +}); diff --git a/packages/wekan-scrollbar/package.js b/packages/wekan-scrollbar/package.js index 0dfdce94..b2711c82 100644 --- a/packages/wekan-scrollbar/package.js +++ b/packages/wekan-scrollbar/package.js @@ -1,7 +1,8 @@ Package.describe({ + name: 'wekan-scrollbar', summary: "A wrapper for Malihu Custom Scrollbar. Highly customizable custom scrollbar jQuery plugin", version: "3.1.3", - git: "https://github.com/MaazAli/Meteor-Malihu-Custom-Scrollbar.git" + git: "https://github.com/wekan/wekan-scrollbar.git" }); Package.onUse(function(api) { -- cgit v1.2.3-1-g7c22 From 46e976513b241ddc59fb29a84f6a15a5a9aa84ed Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Sat, 20 Apr 2019 16:05:54 +0300 Subject: Move https://github.com/wekan/wekan-postgresql to wekan/torodb-postgresql at https://github.com/wekan/wekan Thanks to xet7 ! --- torodb-postgresql/CHANGELOG.md | 72 +++++ torodb-postgresql/LICENSE | 21 ++ torodb-postgresql/README.md | 56 ++++ torodb-postgresql/docker-compose.yml | 498 +++++++++++++++++++++++++++++++++++ 4 files changed, 647 insertions(+) create mode 100644 torodb-postgresql/CHANGELOG.md create mode 100644 torodb-postgresql/LICENSE create mode 100644 torodb-postgresql/README.md create mode 100644 torodb-postgresql/docker-compose.yml diff --git a/torodb-postgresql/CHANGELOG.md b/torodb-postgresql/CHANGELOG.md new file mode 100644 index 00000000..2f7b98c7 --- /dev/null +++ b/torodb-postgresql/CHANGELOG.md @@ -0,0 +1,72 @@ +# v0.9 2018-12-22 + +* Update docker-compose.yml: + * Add more docs and environment settings + * Add latest Wekan and ToroDB. + +Thanks to GitHub user xet7 for contributions. + +# v0.8 2018-08-25 + +* Add OAuth2. + +Thanks to GitHub users salleman33 and xet7 for their contributions. + +# v0.7 2018-08-22 + +* Add browser-policy, trusted-url and webhooks-settings. + +Thanks to GitHub users omarsy and xet7 for their contribution. + +# v0.6 2018-08-03 + +* Update wekan-app container internal port to 8080. + +Thanks to GitHub user xet7 for contributions. + +# v0.5 2018-08-01 + +* Enable Wekan API by default, so that Export Board works. +* Add Matomo options. + +Thanks to GitHub user xet7 for contributions. + +# v0.4 2017-08-18 + +This release fixes following bugs: + +* [ToroDB exits because of compound indexes not supported](https://github.com/torodb/stampede/issues/202). + +Thanks to GitHub user teoincontatto for contributions. + +# v0.3 2017-05-18 + +This release adds following new features: + +* Use latest tag of Docker image. + +Thanks to GitHub user xet7 for contributions. + +# v0.2 2017-04-06 + +This release adds following new features: + +* Use Meteor 1.4 based Docker image. + +Thanks to GitHub users brylie and stephenmoloney for +their contributions. + +MongoDB is kept at 3.2 because ToroDB is compatible +with it. + +# v0.1 2017-02-13 + +This release adds following new features: + +* Wekan <=> MongoDB <=> ToroDB => PostgreSQL read-only + mirroring for SQL access with any programming language + or Office package that has PostgreSQL support, like + newest LibreOffice 3.5. + +Thanks to GitHub users mquandalle, stephenmoloney and xet7 +for their contributions. diff --git a/torodb-postgresql/LICENSE b/torodb-postgresql/LICENSE new file mode 100644 index 00000000..eb38072c --- /dev/null +++ b/torodb-postgresql/LICENSE @@ -0,0 +1,21 @@ +MIT License + +Copyright (c) 2017-2019 The Wekan team + +Permission is hereby granted, free of charge, to any person obtaining a copy +of this software and associated documentation files (the "Software"), to deal +in the Software without restriction, including without limitation the rights +to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is +furnished to do so, subject to the following conditions: + +The above copyright notice and this permission notice shall be included in all +copies or substantial portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, +OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE +SOFTWARE. diff --git a/torodb-postgresql/README.md b/torodb-postgresql/README.md new file mode 100644 index 00000000..6e8decdb --- /dev/null +++ b/torodb-postgresql/README.md @@ -0,0 +1,56 @@ +# Docker: Wekan to PostgreSQL read-only mirroring + +* [Wekan kanban board, made with Meteor.js framework, running on + Node.js](https://wekan.github.io) -- [GitHub](https://github.com/wekan/wekan) +* [MongoDB NoSQL database](https://www.mongodb.com) +* [ToroDB: MongoDB to PostgreSQL read-only mirroring, programmed with Java](https://www.8kdata.com/products) -- + [GitHub](https://github.com/torodb/stampede) -- + [Interview at FLOSS Weekly](https://twit.tv/shows/floss-weekly/episodes/377) +* [LibreOffice with native PostgreSQL support](https://www.libreoffice.org) + +## Screenshot + +![Screenshot of PostgreSQL with LibreOffice][screenshot] + +## Install + +1) Install docker-compose. + +2) Clone this repo. + +```bash +git clone https://github.com/wekan/wekan-postgresql.git +cd wekan-postgresql +``` + +3) IMPORTANT: In docker-compose.yml, to use Wekan on local network, change ROOT_URL=http://localhost to http://IPADRESS like http://192.168.10.100 or http://example.com + +4) OPTIONAL: In docker-compose.yml, change PostgreSQL database name, username and password from wekan to something else. + +5) Write: + +```bash +docker-compose up -d +``` + +6) Wekan is at http://IPADDRESS or http://example.com (port 80) + +7) PostgreSQL connection URL for LibreOffice is `dbname=wekan hostaddr=127.0.0.1 port=15432 user=wekan password=wekan`. + In some other apps URL could be postgresql://127.0.0.1:15432/wekan , and + Username: wekan, Password: wekan , or others if you changed those at docker-compose.yml. + Do not write to PostgreSQL, as it's readonly mirror. Write to MongoDB or make + changes in Wekan. If server port 15432 open, PostgreSQL can be accessed also + remotely at local network at http://IPADDRESS:15432/wekan + +8) MongoDB is at 127.0.0.1:28017 + +9) Wekan and databases bind to address 0.0.0.0 so could be also available to other + computers in network. I have not tested this. + +10) [Restore your MongoDB data](https://github.com/wekan/wekan/wiki/Export-Docker-Mongo-Data). + +## Feedback + +[GitHub issue 787](https://github.com/wekan/wekan/issues/787) + +[screenshot]: https://wekan.github.io/ToroDB.png diff --git a/torodb-postgresql/docker-compose.yml b/torodb-postgresql/docker-compose.yml new file mode 100644 index 00000000..c81d19b5 --- /dev/null +++ b/torodb-postgresql/docker-compose.yml @@ -0,0 +1,498 @@ +version: '2' + +# Note: Do not add single quotes '' to variables. Having spaces still works without quotes where required. +#--------------------------------------------------------------------------------------------------------- +# ==== CREATING USERS AND LOGGING IN TO WEKAN ==== +# https://github.com/wekan/wekan/wiki/Adding-users +#--------------------------------------------------------------------------------------------------------- +# ==== FORGOT PASSWORD ==== +# https://github.com/wekan/wekan/wiki/Forgot-Password +#--------------------------------------------------------------------------------------------------------- +# ==== Upgrading Wekan to new version ===== +# 1) Stop Wekan: +# docker-compose stop +# 2) Download new version: +# docker-compose pull wekan +# 3) If you have more networks for VPN etc as described at bottom of +# this config, download for them too: +# docker-compose pull wekan2 +# 4) Start Wekan: +# docker-compose start +#---------------------------------------------------------------------------------- +# ==== OPTIONAL: DEDICATED DOCKER USER ==== +# 1) Optionally create a dedicated user for Wekan, for example: +# sudo useradd -d /home/wekan -m -s /bin/bash wekan +# 2) Add this user to the docker group, then logout+login or reboot: +# sudo usermod -aG docker wekan +# 3) Then login as user wekan. +# 4) Create this file /home/wekan/docker-compose.yml with your modifications. +#---------------------------------------------------------------------------------- +# ==== RUN DOCKER AS SERVICE ==== +# 1a) Running Docker as service, on Systemd like Debian 9, Ubuntu 16.04, CentOS 7: +# sudo systemctl enable docker +# sudo systemctl start docker +# 1b) Running Docker as service, on init.d like Debian 8, Ubuntu 14.04, CentOS 6: +# sudo update-rc.d docker defaults +# sudo service docker start +# ---------------------------------------------------------------------------------- +# ==== USAGE OF THIS docker-compose.yml ==== +# 1) For seeing does Wekan work, try this and check with your webbroser: +# docker-compose up +# 2) Stop Wekan and start Wekan in background: +# docker-compose stop +# docker-compose up -d +# 3) See running Docker containers: +# docker ps +# 4) Stop Docker containers: +# docker-compose stop +# ---------------------------------------------------------------------------------- +# ===== INSIDE DOCKER CONTAINERS, AND BACKUP/RESTORE ==== +# https://github.com/wekan/wekan/wiki/Backup +# If really necessary, repair MongoDB: https://github.com/wekan/wekan-mongodb/issues/6#issuecomment-424004116 +# 1) Going inside containers: +# a) Wekan app, does not contain data +# docker exec -it wekan-app bash +# b) MongoDB, contains all data +# docker exec -it wekan-db bash +# 2) Copying database to outside of container: +# docker exec -it wekan-db bash +# cd /data +# mongodump +# exit +# docker cp wekan-db:/data/dump . +# 3) Restoring database +# # 1) Stop wekan +# docker stop wekan-app +# # 2) Go inside database container +# docker exec -it wekan-db bash +# # 3) and data directory +# cd /data +# # 4) Remove previos dump +# rm -rf dump +# # 5) Exit db container +# exit +# # 6) Copy dump to inside docker container +# docker cp dump wekan-db:/data/ +# # 7) Go inside database container +# docker exec -it wekan-db bash +# # 8) and data directory +# cd /data +# # 9) Restore +# mongorestore --drop +# # 10) Exit db container +# exit +# # 11) Start wekan +# docker start wekan-app +#------------------------------------------------------------------------- + +services: + torodb-stampede: + image: torodb/stampede:latest + networks: + - wekan-tier + links: + - postgres + - mongodb + environment: + - POSTGRES_PASSWORD + - TORODB_SETUP=true + - TORODB_SYNC_SOURCE=mongodb:27017 + - TORODB_BACKEND_HOST=postgres + - TORODB_BACKEND_PORT=5432 + - TORODB_BACKEND_DATABASE=wekan + - TORODB_BACKEND_USER=wekan + - TORODB_BACKEND_PASSWORD=wekan + - DEBUG + postgres: + image: postgres:9.6 + networks: + - wekan-tier + environment: + - POSTGRES_PASSWORD + ports: + - "5432:5432" + mongodb: + image: mongo:3.2 + networks: + - wekan-tier + ports: + - "27017:27017" + entrypoint: + - /bin/bash + - "-c" + - mongo --nodb --eval ' + var db; + while (!db) { + try { + db = new Mongo("mongodb:27017").getDB("local"); + } catch(ex) {} + sleep(3000); + }; + rs.initiate({_id:"rs1",members:[{_id:0,host:"mongodb:27017"}]}); + ' 1>/dev/null 2>&1 & + mongod --replSet rs1 + wekan: + image: quay.io/wekan/wekan + container_name: wekan-app + restart: always + networks: + - wekan-tier + ports: + # Docker outsideport:insideport. Do not add anything extra here. + # For example, if you want to have wekan on port 3001, + # use 3001:8080 . Do not add any extra address etc here, that way it does not work. + - 80:8080 + environment: + - MONGO_URL=mongodb://mongodb:27017/wekan + #--------------------------------------------------------------- + # ==== ROOT_URL SETTING ==== + # Change ROOT_URL to your real Wekan URL, for example: + # If you have Caddy/Nginx/Apache providing SSL + # - https://example.com + # - https://boards.example.com + # This can be problematic with avatars https://github.com/wekan/wekan/issues/1776 + # - https://example.com/wekan + # If without https, can be only wekan node, no need for Caddy/Nginx/Apache if you don't need them + # - http://example.com + # - http://boards.example.com + # - http://192.168.1.100 <=== using at local LAN + - ROOT_URL=http://localhost # <=== using only at same laptop/desktop where Wekan is installed + # ==== EMAIL SETTINGS ==== + # Email settings are required in both MAIL_URL and Admin Panel, + # see https://github.com/wekan/wekan/wiki/Troubleshooting-Mail + # For SSL in email, change smtp:// to smtps:// + # NOTE: Special characters need to be url-encoded in MAIL_URL. + # You can encode those characters for example at: https://www.urlencoder.org + - MAIL_URL=smtp://user:pass@mailserver.example.com:25/ + - MAIL_FROM='Example Wekan Support <support@example.com>' + #--------------------------------------------------------------- + # ==== OPTIONAL: MONGO OPLOG SETTINGS ===== + # https://github.com/wekan/wekan-mongodb/issues/2#issuecomment-378343587 + # We've fixed our CPU usage problem today with an environment + # change around Wekan. I wasn't aware during implementation + # that if you're using more than 1 instance of Wekan + # (or any MeteorJS based tool) you're supposed to set + # MONGO_OPLOG_URL as an environment variable. + # Without setting it, Meteor will perform a pull-and-diff + # update of it's dataset. With it, Meteor will update from + # the OPLOG. See here + # https://blog.meteor.com/tuning-meteor-mongo-livedata-for-scalability-13fe9deb8908 + # After setting + # MONGO_OPLOG_URL=mongodb://<username>:<password>@<mongoDbURL>/local?authSource=admin&replicaSet=rsWekan + # the CPU usage for all Wekan instances dropped to an average + # of less than 10% with only occasional spikes to high usage + # (I guess when someone is doing a lot of work) + # - MONGO_OPLOG_URL=mongodb://<username>:<password>@<mongoDbURL>/local?authSource=admin&replicaSet=rsWekan + #--------------------------------------------------------------- + # ==== OPTIONAL: KADIRA PERFORMANCE MONITORING FOR METEOR ==== + # https://github.com/smeijer/kadira + # https://blog.meteor.com/kadira-apm-is-now-open-source-490469ffc85f + # - export KADIRA_OPTIONS_ENDPOINT=http://127.0.0.1:11011 + #--------------------------------------------------------------- + # ==== OPTIONAL: LOGS AND STATS ==== + # https://github.com/wekan/wekan/wiki/Logs + # + # Daily export of Wekan changes as JSON to Logstash and ElasticSearch / Kibana (ELK) + # https://github.com/wekan/wekan-logstash + # + # Statistics Python script for Wekan Dashboard + # https://github.com/wekan/wekan-stats + # + # Console, file, and zulip logger on database changes https://github.com/wekan/wekan/pull/1010 + # with fix to replace console.log by winston logger https://github.com/wekan/wekan/pull/1033 + # but there could be bug https://github.com/wekan/wekan/issues/1094 + # + # There is Feature Request: Logging date and time of all activity with summary reports, + # and requesting reason for changing card to other column https://github.com/wekan/wekan/issues/1598 + #--------------------------------------------------------------- + # ==== WEKAN API AND EXPORT BOARD ==== + # Wekan Export Board works when WITH_API=true. + # https://github.com/wekan/wekan/wiki/REST-API + # https://github.com/wekan/wekan-gogs + # If you disable Wekan API with false, Export Board does not work. + - WITH_API=true + #----------------------------------------------------------------- + # ==== CORS ===== + # CORS: Set Access-Control-Allow-Origin header. Example: * + #- CORS=* + #----------------------------------------------------------------- + # ==== MATOMO INTEGRATION ==== + # Optional: Integration with Matomo https://matomo.org that is installed to your server + # The address of the server where Matomo is hosted. + # example: - MATOMO_ADDRESS=https://example.com/matomo + #- MATOMO_ADDRESS= + # The value of the site ID given in Matomo server for Wekan + # example: - MATOMO_SITE_ID=12345 + #- MATOMO_SITE_ID= + # The option do not track which enables users to not be tracked by matomo + # example: - MATOMO_DO_NOT_TRACK=false + #- MATOMO_DO_NOT_TRACK= + # The option that allows matomo to retrieve the username: + # example: MATOMO_WITH_USERNAME=true + #- MATOMO_WITH_USERNAME=false + #----------------------------------------------------------------- + # ==== BROWSER POLICY AND TRUSTED IFRAME URL ==== + # Enable browser policy and allow one trusted URL that can have iframe that has Wekan embedded inside. + # Setting this to false is not recommended, it also disables all other browser policy protections + # and allows all iframing etc. See wekan/server/policy.js + - BROWSER_POLICY_ENABLED=true + # When browser policy is enabled, HTML code at this Trusted URL can have iframe that embeds Wekan inside. + #- TRUSTED_URL= + #----------------------------------------------------------------- + # ==== OUTGOING WEBHOOKS ==== + # What to send to Outgoing Webhook, or leave out. Example, that includes all that are default: cardId,listId,oldListId,boardId,comment,user,card,commentId . + # example: WEBHOOKS_ATTRIBUTES=cardId,listId,oldListId,boardId,comment,user,card,commentId + #- WEBHOOKS_ATTRIBUTES= + #----------------------------------------------------------------- + # ==== OAUTH2 ONLY WITH OIDC AND DOORKEEPER AS INDENTITY PROVIDER + # https://github.com/wekan/wekan/issues/1874 + # https://github.com/wekan/wekan/wiki/OAuth2 + # Enable the OAuth2 connection + # example: OAUTH2_ENABLED=true + #- OAUTH2_ENABLED=false + # OAuth2 docs: https://github.com/wekan/wekan/wiki/OAuth2 + # OAuth2 Client ID, for example from Rocket.Chat. Example: abcde12345 + # example: OAUTH2_CLIENT_ID=abcde12345 + #- OAUTH2_CLIENT_ID= + # OAuth2 Secret, for example from Rocket.Chat: Example: 54321abcde + # example: OAUTH2_SECRET=54321abcde + #- OAUTH2_SECRET= + # OAuth2 Server URL, for example Rocket.Chat. Example: https://chat.example.com + # example: OAUTH2_SERVER_URL=https://chat.example.com + #- OAUTH2_SERVER_URL= + # OAuth2 Authorization Endpoint. Example: /oauth/authorize + # example: OAUTH2_AUTH_ENDPOINT=/oauth/authorize + #- OAUTH2_AUTH_ENDPOINT= + # OAuth2 Userinfo Endpoint. Example: /oauth/userinfo + # example: OAUTH2_USERINFO_ENDPOINT=/oauth/userinfo + #- OAUTH2_USERINFO_ENDPOINT= + # OAuth2 Token Endpoint. Example: /oauth/token + # example: OAUTH2_TOKEN_ENDPOINT=/oauth/token + #- OAUTH2_TOKEN_ENDPOINT= + #----------------------------------------------------------------- + # ==== LDAP ==== + # https://github.com/wekan/wekan/wiki/LDAP + # For Snap settings see https://github.com/wekan/wekan-snap/wiki/Supported-settings-keys + # Most settings work both on Snap and Docker below. + # Note: Do not add single quotes '' to variables. Having spaces still works without quotes where required. + # + # DEFAULT_AUTHENTICATION_METHOD : The default authentication method used if a user does not exist to create and authenticate. Can be set as ldap. + # example : DEFAULT_AUTHENTICATION_METHOD=ldap + #- DEFAULT_AUTHENTICATION_METHOD= + # + # LDAP_ENABLE : Enable or not the connection by the LDAP + # example : LDAP_ENABLE=true + #- LDAP_ENABLE=false + # + # LDAP_PORT : The port of the LDAP server + # example : LDAP_PORT=389 + #- LDAP_PORT=389 + # + # LDAP_HOST : The host server for the LDAP server + # example : LDAP_HOST=localhost + #- LDAP_HOST= + # + # LDAP_BASEDN : The base DN for the LDAP Tree + # example : LDAP_BASEDN=ou=user,dc=example,dc=org + #- LDAP_BASEDN= + # + # LDAP_LOGIN_FALLBACK : Fallback on the default authentication method + # example : LDAP_LOGIN_FALLBACK=true + #- LDAP_LOGIN_FALLBACK=false + # + # LDAP_RECONNECT : Reconnect to the server if the connection is lost + # example : LDAP_RECONNECT=false + #- LDAP_RECONNECT=true + # + # LDAP_TIMEOUT : Overall timeout, in milliseconds + # example : LDAP_TIMEOUT=12345 + #- LDAP_TIMEOUT=10000 + # + # LDAP_IDLE_TIMEOUT : Specifies the timeout for idle LDAP connections in milliseconds + # example : LDAP_IDLE_TIMEOUT=12345 + #- LDAP_IDLE_TIMEOUT=10000 + # + # LDAP_CONNECT_TIMEOUT : Connection timeout, in milliseconds + # example : LDAP_CONNECT_TIMEOUT=12345 + #- LDAP_CONNECT_TIMEOUT=10000 + # + # LDAP_AUTHENTIFICATION : If the LDAP needs a user account to search + # example : LDAP_AUTHENTIFICATION=true + #- LDAP_AUTHENTIFICATION=false + # + # LDAP_AUTHENTIFICATION_USERDN : The search user DN + # example : LDAP_AUTHENTIFICATION_USERDN=cn=admin,dc=example,dc=org + #- LDAP_AUTHENTIFICATION_USERDN= + # + # LDAP_AUTHENTIFICATION_PASSWORD : The password for the search user + # example : AUTHENTIFICATION_PASSWORD=admin + #- LDAP_AUTHENTIFICATION_PASSWORD= + # + # LDAP_LOG_ENABLED : Enable logs for the module + # example : LDAP_LOG_ENABLED=true + #- LDAP_LOG_ENABLED=false + # + # LDAP_BACKGROUND_SYNC : If the sync of the users should be done in the background + # example : LDAP_BACKGROUND_SYNC=true + #- LDAP_BACKGROUND_SYNC=false + # + # LDAP_BACKGROUND_SYNC_INTERVAL : At which interval does the background task sync in milliseconds + # example : LDAP_BACKGROUND_SYNC_INTERVAL=12345 + #- LDAP_BACKGROUND_SYNC_INTERVAL=100 + # + # LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED : + # example : LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=true + #- LDAP_BACKGROUND_SYNC_KEEP_EXISTANT_USERS_UPDATED=false + # + # LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS : + # example : LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=true + #- LDAP_BACKGROUND_SYNC_IMPORT_NEW_USERS=false + # + # LDAP_ENCRYPTION : If using LDAPS + # example : LDAP_ENCRYPTION=ssl + #- LDAP_ENCRYPTION=false + # + # LDAP_CA_CERT : The certification for the LDAPS server. Certificate needs to be included in this docker-compose.yml file. + # example : LDAP_CA_CERT=-----BEGIN CERTIFICATE-----MIIE+zCCA+OgAwIBAgIkAhwR/6TVLmdRY6hHxvUFWc0+Enmu/Hu6cj+G2FIdAgIC...-----END CERTIFICATE----- + #- LDAP_CA_CERT= + # + # LDAP_REJECT_UNAUTHORIZED : Reject Unauthorized Certificate + # example : LDAP_REJECT_UNAUTHORIZED=true + #- LDAP_REJECT_UNAUTHORIZED=false + # + # LDAP_USER_SEARCH_FILTER : Optional extra LDAP filters. Don't forget the outmost enclosing parentheses if needed + # example : LDAP_USER_SEARCH_FILTER= + #- LDAP_USER_SEARCH_FILTER= + # + # LDAP_USER_SEARCH_SCOPE : base (search only in the provided DN), one (search only in the provided DN and one level deep), or sub (search the whole subtree) + # example : LDAP_USER_SEARCH_SCOPE=one + #- LDAP_USER_SEARCH_SCOPE= + # + # LDAP_USER_SEARCH_FIELD : Which field is used to find the user + # example : LDAP_USER_SEARCH_FIELD=uid + #- LDAP_USER_SEARCH_FIELD= + # + # LDAP_SEARCH_PAGE_SIZE : Used for pagination (0=unlimited) + # example : LDAP_SEARCH_PAGE_SIZE=12345 + #- LDAP_SEARCH_PAGE_SIZE=0 + # + # LDAP_SEARCH_SIZE_LIMIT : The limit number of entries (0=unlimited) + # example : LDAP_SEARCH_SIZE_LIMIT=12345 + #- LDAP_SEARCH_SIZE_LIMIT=0 + # + # LDAP_GROUP_FILTER_ENABLE : Enable group filtering + # example : LDAP_GROUP_FILTER_ENABLE=true + #- LDAP_GROUP_FILTER_ENABLE=false + # + # LDAP_GROUP_FILTER_OBJECTCLASS : The object class for filtering + # example : LDAP_GROUP_FILTER_OBJECTCLASS=group + #- LDAP_GROUP_FILTER_OBJECTCLASS= + # + # LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE : + # example : + #- LDAP_GROUP_FILTER_GROUP_ID_ATTRIBUTE= + # + # LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE : + # example : + #- LDAP_GROUP_FILTER_GROUP_MEMBER_ATTRIBUTE= + # + # LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT : + # example : + #- LDAP_GROUP_FILTER_GROUP_MEMBER_FORMAT= + # + # LDAP_GROUP_FILTER_GROUP_NAME : + # example : + #- LDAP_GROUP_FILTER_GROUP_NAME= + # + # LDAP_UNIQUE_IDENTIFIER_FIELD : This field is sometimes class GUID (Globally Unique Identifier) + # example : LDAP_UNIQUE_IDENTIFIER_FIELD=guid + #- LDAP_UNIQUE_IDENTIFIER_FIELD= + # + # LDAP_UTF8_NAMES_SLUGIFY : Convert the username to utf8 + # example : LDAP_UTF8_NAMES_SLUGIFY=false + #- LDAP_UTF8_NAMES_SLUGIFY=true + # + # LDAP_USERNAME_FIELD : Which field contains the ldap username + # example : LDAP_USERNAME_FIELD=username + #- LDAP_USERNAME_FIELD= + # + # LDAP_FULLNAME_FIELD : Which field contains the ldap fullname + # example : LDAP_FULLNAME_FIELD=fullname + #- LDAP_FULLNAME_FIELD= + # + # LDAP_MERGE_EXISTING_USERS : + # example : LDAP_MERGE_EXISTING_USERS=true + #- LDAP_MERGE_EXISTING_USERS=false + #----------------------------------------------------------------- + # LDAP_SYNC_USER_DATA : + # example : LDAP_SYNC_USER_DATA=true + #- LDAP_SYNC_USER_DATA=false + # + # LDAP_SYNC_USER_DATA_FIELDMAP : + # example : LDAP_SYNC_USER_DATA_FIELDMAP={"cn":"name", "mail":"email"} + #- LDAP_SYNC_USER_DATA_FIELDMAP= + # + # LDAP_SYNC_GROUP_ROLES : + # example : + #- LDAP_SYNC_GROUP_ROLES= + # + # LDAP_DEFAULT_DOMAIN : The default domain of the ldap it is used to create email if the field is not map correctly with the LDAP_SYNC_USER_DATA_FIELDMAP + # example : + #- LDAP_DEFAULT_DOMAIN= + #--------------------------------------------------------------------- + # ==== LOGOUT TIMER, probably does not work yet ==== + # LOGOUT_WITH_TIMER : Enables or not the option logout with timer + # example : LOGOUT_WITH_TIMER=true + #- LOGOUT_WITH_TIMER= + # + # LOGOUT_IN : The number of days + # example : LOGOUT_IN=1 + #- LOGOUT_IN= + # + # LOGOUT_ON_HOURS : The number of hours + # example : LOGOUT_ON_HOURS=9 + #- LOGOUT_ON_HOURS= + # + # LOGOUT_ON_MINUTES : The number of minutes + # example : LOGOUT_ON_MINUTES=55 + #- LOGOUT_ON_MINUTES= + #------------------------------------------------------------------- + + depends_on: + - mongodb + +#--------------------------------------------------------------------------------- +# ==== OPTIONAL: SHARE DATABASE TO OFFICE LAN AND REMOTE VPN ==== +# When using Wekan both at office LAN and remote VPN: +# 1) Have above Wekan docker container config with LAN IP address +# 2) Copy all of above wekan container config below, look above of this part above and all config below it, +# before above depends_on: part: +# +# wekan: +# #------------------------------------------------------------------------------------- +# # ==== MONGODB AND METEOR VERSION ==== +# # a) For Wekan Meteor 1.8.x version at meteor-1.8 branch, ..... +# +# +# and change name to different name like wekan2 or wekanvpn, and change ROOT_URL to server VPN IP +# address. +# 3) This way both Wekan containers can use same MongoDB database +# and see the same Wekan boards. +# 4) You could also add 3rd Wekan container for 3rd network etc. +# EXAMPLE: +# wekan2: +# ....COPY CONFIG FROM ABOVE TO HERE... +# environment: +# - ROOT_URL='http://10.10.10.10' +# ...COPY CONFIG FROM ABOVE TO HERE... +#--------------------------------------------------------------------------------- + +volumes: + mongodb: + driver: local + mongodb-dump: + driver: local + +networks: + wekan-tier: + driver: bridge -- cgit v1.2.3-1-g7c22 From f2ac52bcdf4566223c17aba124b4376025b25465 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Sat, 20 Apr 2019 16:20:00 +0300 Subject: Update changelog. --- CHANGELOG.md | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 481a6d99..ccfec7af 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -5,6 +5,8 @@ This release adds the following updates: - [Update to use newest GitHub flawored markdown](https://github.com/wekan/wekan/commit/fea2ad3d7d09b44c3de1dbcdd3f8750aaa6776d5), because [it was found old version was in use](https://github.com/wekan/wekan/issues/2334). Thanks to shaygover and xet7. +- [Upgrade to Node 8.16.0](https://github.com/wekan/wekan/commit/6117097a93bfb11c8bd4c87a23c44a50e22ceb87). + Thanks to xet7. and fixes the following bugs: @@ -12,6 +14,10 @@ and fixes the following bugs: Thanks to hupptehcnologies. - Remove [extra](https://github.com/wekan/wekan/pull/2332) [quotes](https://github.com/wekan/wekan/pull/2333) from docker-compose.yml. Thanks to hibare. +- Fix Docker builds by moving all separately cloned wekan/packages/* repos like ldap, oidc, etc code to wekan repo code, + so that in build scripts it's not needed to clone those. Also archived those wekan repos and moved issues + to https://github.com/wekan/wekan/issues because changes and development to those packages now happends on wekan/wekan repo. + There was also fixes to repo urls etc. Thanks to xet7. Thanks to above GitHub users for their contributions and translators for their translations. -- cgit v1.2.3-1-g7c22 From 6e4da08164fd44472c34c009acfdce843657d8d3 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Sat, 20 Apr 2019 16:21:21 +0300 Subject: LDAP issues now at main Wekan repo. --- .github/ISSUE_TEMPLATE.md | 1 - 1 file changed, 1 deletion(-) diff --git a/.github/ISSUE_TEMPLATE.md b/.github/ISSUE_TEMPLATE.md index cca047ea..658116dc 100644 --- a/.github/ISSUE_TEMPLATE.md +++ b/.github/ISSUE_TEMPLATE.md @@ -1,7 +1,6 @@ ## Issue Add these issues to elsewhere: -- LDAP: https://github.com/wekan/wekan-ldap/issues - Snap: https://github.com/wekan/wekan-snap/issues Other Wekan issues can be added here. -- cgit v1.2.3-1-g7c22 From 43beccc2eb16d07224fdcbc3d030d361e2701245 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Sat, 20 Apr 2019 16:28:03 +0300 Subject: Update translations. --- i18n/ar.i18n.json | 3 ++- i18n/bg.i18n.json | 3 ++- i18n/br.i18n.json | 3 ++- i18n/ca.i18n.json | 3 ++- i18n/cs.i18n.json | 3 ++- i18n/da.i18n.json | 3 ++- i18n/de.i18n.json | 3 ++- i18n/el.i18n.json | 3 ++- i18n/en-GB.i18n.json | 3 ++- i18n/eo.i18n.json | 3 ++- i18n/es-AR.i18n.json | 3 ++- i18n/es.i18n.json | 3 ++- i18n/eu.i18n.json | 3 ++- i18n/fa.i18n.json | 3 ++- i18n/fi.i18n.json | 3 ++- i18n/fr.i18n.json | 8 ++++---- i18n/gl.i18n.json | 3 ++- i18n/he.i18n.json | 3 ++- i18n/hi.i18n.json | 3 ++- i18n/hu.i18n.json | 3 ++- i18n/hy.i18n.json | 3 ++- i18n/id.i18n.json | 3 ++- i18n/ig.i18n.json | 3 ++- i18n/it.i18n.json | 3 ++- i18n/ja.i18n.json | 3 ++- i18n/ka.i18n.json | 3 ++- i18n/km.i18n.json | 3 ++- i18n/ko.i18n.json | 3 ++- i18n/lv.i18n.json | 3 ++- i18n/mk.i18n.json | 3 ++- i18n/mn.i18n.json | 3 ++- i18n/nb.i18n.json | 3 ++- i18n/nl.i18n.json | 3 ++- i18n/oc.i18n.json | 3 ++- i18n/pl.i18n.json | 3 ++- i18n/pt-BR.i18n.json | 3 ++- i18n/pt.i18n.json | 3 ++- i18n/ro.i18n.json | 3 ++- i18n/ru.i18n.json | 3 ++- i18n/sr.i18n.json | 3 ++- i18n/sv.i18n.json | 3 ++- i18n/sw.i18n.json | 3 ++- i18n/ta.i18n.json | 3 ++- i18n/th.i18n.json | 3 ++- i18n/tr.i18n.json | 3 ++- i18n/uk.i18n.json | 3 ++- i18n/vi.i18n.json | 3 ++- i18n/zh-CN.i18n.json | 3 ++- i18n/zh-TW.i18n.json | 3 ++- 49 files changed, 100 insertions(+), 52 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index e6382046..c8550643 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index bca2c915..34025188 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index 6a793d2c..a6005751 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 170e8571..0a204de2 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 8f181315..82b7b2ba 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "Během přihlašování nastala chyba", "display-authentication-method": "Zobraz způsob ověřování", "default-authentication-method": "Zobraz způsob ověřování", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/da.i18n.json b/i18n/da.i18n.json index 94f0bc16..95d41623 100644 --- a/i18n/da.i18n.json +++ b/i18n/da.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 17770214..f0597aec 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "Es ist ein Fehler beim Anmelden aufgetreten", "display-authentication-method": "Anzeige Authentifizierungsverfahren", "default-authentication-method": "Standardauthentifizierungsverfahren", - "duplicate-board": "Board duplizieren" + "duplicate-board": "Board duplizieren", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index 230943da..bf642815 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 3dab712e..1b8f6a77 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index 34fbc283..c93d4a40 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index b4123680..4ac17086 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 18bded97..17742ea3 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "Ocurrió un error al intentar acceder", "display-authentication-method": "Mostrar el método de autenticación", "default-authentication-method": "Método de autenticación por defecto", - "duplicate-board": "Duplicar tablero" + "duplicate-board": "Duplicar tablero", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index 6f1a2d31..f44b5219 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index dbf04373..610e651d 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "هنگام تلاش برای ورود به یک خطا رخ داد", "display-authentication-method": "نمایش نوع اعتبارسنجی", "default-authentication-method": "نوع اعتبارسنجی پیشفرض", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 5790a27a..d475a3b3 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "Virhe tapahtui yrittäessä kirjautua sisään", "display-authentication-method": "Näytä kirjautumistapa", "default-authentication-method": "Oletus kirjautumistapa", - "duplicate-board": "Tee kaksoiskappale taulusta" + "duplicate-board": "Tee kaksoiskappale taulusta", + "people-number": "Ihmisten määrä on:" } \ No newline at end of file diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 1eb2a278..922ebc27 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -386,7 +386,7 @@ "normal": "Normal", "normal-desc": "Peut voir et modifier les cartes. Ne peut pas changer les paramètres.", "not-accepted-yet": "L'invitation n'a pas encore été acceptée", - "notify-participate": "Recevoir les mises à jour de toutes les cartes auxquelles vous participez en tant que créateur ou que participant ", + "notify-participate": "Recevoir les mises à jour de toutes les cartes auxquelles vous participez en tant que créateur ou que participant", "notify-watch": "Recevoir les mises à jour de tous les tableaux, listes ou cartes que vous suivez", "optional": "optionnel", "or": "ou", @@ -432,7 +432,7 @@ "shortcut-show-shortcuts": "Afficher cette liste de raccourcis", "shortcut-toggle-filterbar": "Afficher/Masquer la barre latérale des filtres", "shortcut-toggle-sidebar": "Afficher/Masquer la barre latérale du tableau", - "show-cards-minimum-count": "Afficher le nombre de cartes si la liste en contient plus de ", + "show-cards-minimum-count": "Afficher le nombre de cartes si la liste en contient plus de", "sidebar-open": "Ouvrir le panneau", "sidebar-close": "Fermer le panneau", "signupPopup-title": "Créer un compte", @@ -684,5 +684,5 @@ "display-authentication-method": "Afficher la méthode d'authentification", "default-authentication-method": "Méthode d'authentification par défaut", "duplicate-board": "Dupliquer le tableau", - "people-number": "Le nombre d'utilisateurs est de : " -} + "people-number": "Le nombre d'utilisateurs est de :" +} \ No newline at end of file diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 3158eb9d..ddc9f250 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 9818d9da..3c3b9af3 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "אירעה שגיאה בעת ניסיון הכניסה", "display-authentication-method": "הצגת שיטת אימות", "default-authentication-method": "שיטת אימות כבררת מחדל", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/hi.i18n.json b/i18n/hi.i18n.json index b58b5911..d31829d8 100644 --- a/i18n/hi.i18n.json +++ b/i18n/hi.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index 45d38533..c84138cb 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "Hiba történt bejelentkezés közben", "display-authentication-method": "Hitelelesítési mód mutatása", "default-authentication-method": "Alapértelmezett hitelesítési mód", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index 82e17c07..28140211 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 291fc894..87c50fe8 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 40376656..0699b2e3 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 96844b15..40aa2307 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "C'è stato un errore mentre provavi ad effettuare il login", "display-authentication-method": "Mostra il metodo di autenticazione", "default-authentication-method": "Metodo di autenticazione predefinito", - "duplicate-board": "Duplica bacheca" + "duplicate-board": "Duplica bacheca", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 29326281..d496788a 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index 2f870f01..c98f7500 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index b6c8f272..e06eb4a9 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index 1897495d..df8b9cfe 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index 6dc19085..fb20beda 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/mk.i18n.json b/i18n/mk.i18n.json index 0d96f00b..385acfee 100644 --- a/i18n/mk.i18n.json +++ b/i18n/mk.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index 1a819409..1da0cd1b 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index 098900a9..ba52baa9 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 7bb7602b..48998d3b 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/oc.i18n.json b/i18n/oc.i18n.json index 9c61d0c1..bd48f715 100644 --- a/i18n/oc.i18n.json +++ b/i18n/oc.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index a1cf4da5..27fe3861 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "Wystąpił błąd w trakcie logowania", "display-authentication-method": "Wyświetl metodę logowania", "default-authentication-method": "Domyślna metoda logowania", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index f92a5305..b217aad1 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "Um erro ocorreu enquanto tentava entrar", "display-authentication-method": "Mostrar Método de Autenticação", "default-authentication-method": "Método de Autenticação Padrão", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 42aa4c5e..bf421326 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index 70fccc46..ad6296bf 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index c79c43fc..84ab4151 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "Ошибка при попытке авторизации", "display-authentication-method": "Показывать способ авторизации", "default-authentication-method": "Способ авторизации по умолчанию", - "duplicate-board": "Клонировать доску" + "duplicate-board": "Клонировать доску", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index 2a5aee10..9035e33f 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index c7df9f92..89326120 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "Ett fel uppstod när du försökte logga in", "display-authentication-method": "Visa autentiseringsmetod", "default-authentication-method": "Standard autentiseringsmetod", - "duplicate-board": "Dubbletttavla" + "duplicate-board": "Dubbletttavla", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/sw.i18n.json b/i18n/sw.i18n.json index 007d1fdb..9f850deb 100644 --- a/i18n/sw.i18n.json +++ b/i18n/sw.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index ef85bad8..b57c19d3 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index 6c8ea8e6..b6fc51a5 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index 89ad2ac0..05bc48f4 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "Giriş yapmaya çalışırken bir hata oluştu", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index d0298ea6..9781c9f5 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index 028f1e66..e61d5fec 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 510243b3..2b67a878 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "尝试登陆时出错", "display-authentication-method": "显示认证方式", "default-authentication-method": "缺省认证方式", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 9cc6878d..794d5d66 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -683,5 +683,6 @@ "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board" + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From f714b59c884ee0d113475195d3eb05121517c8ab Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Sat, 20 Apr 2019 16:31:10 +0300 Subject: Uncomment not needed lines. --- rebuild-wekan.sh | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/rebuild-wekan.sh b/rebuild-wekan.sh index 518936b6..adb3fd93 100755 --- a/rebuild-wekan.sh +++ b/rebuild-wekan.sh @@ -45,7 +45,7 @@ function npm_call(){ rm -rf $TMPDIR } -function wekan_repo_check(){ +#function wekan_repo_check(){ ## UNCOMMENTING, IT'S NOT REQUIRED THAT /HOME/USERNAME IS /HOME/WEKAN # git_remotes="$(git remote show 2>/dev/null)" # res="" @@ -60,7 +60,7 @@ function wekan_repo_check(){ # echo "$PWD is not a wekan repository" # exit; # fi -} +#} echo PS3='Please enter your choice: ' @@ -111,7 +111,7 @@ do ;; "Build Wekan") echo "Building Wekan." - wekan_repo_check + #wekan_repo_check # REPOS BELOW ARE INCLUDED TO WEKAN REPO #rm -rf packages/kadira-flow-router packages/meteor-useraccounts-core packages/meteor-accounts-cas packages/wekan-ldap packages/wekan-ldap packages/wekan-scrfollbar packages/meteor-accounts-oidc packages/markdown #mkdir packages -- cgit v1.2.3-1-g7c22 From 348b612f981581a6ec4f896e0d5bf9d835e837c3 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Sat, 20 Apr 2019 16:34:16 +0300 Subject: Fix rebuild script. --- rebuild-wekan.sh | 17 ++++++++--------- 1 file changed, 8 insertions(+), 9 deletions(-) diff --git a/rebuild-wekan.sh b/rebuild-wekan.sh index adb3fd93..c473f414 100755 --- a/rebuild-wekan.sh +++ b/rebuild-wekan.sh @@ -126,15 +126,14 @@ do #mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan_accounts-oidc #mv meteor-accounts-oidc/packages/switch_oidc wekan_oidc #rm -rf meteor-accounts-oidc - if [[ "$OSTYPE" == "darwin"* ]]; then - echo "sed at macOS"; - sed -i '' 's/api\.versionsFrom/\/\/api.versionsFrom/' ~/repos/wekan/packages/meteor-useraccounts-core/package.js - else - echo "sed at ${OSTYPE}" - sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' ~/repos/wekan/packages/meteor-useraccounts-core/package.js - fi - - cd .. + #if [[ "$OSTYPE" == "darwin"* ]]; then + # echo "sed at macOS"; + # sed -i '' 's/api\.versionsFrom/\/\/api.versionsFrom/' ~/repos/wekan/packages/meteor-useraccounts-core/package.js + #else + # echo "sed at ${OSTYPE}" + # sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' ~/repos/wekan/packages/meteor-useraccounts-core/package.js + #fi + #cd .. rm -rf node_modules meteor npm install rm -rf .build -- cgit v1.2.3-1-g7c22 From 5993d6862bb5f25070fe5158a5f88cb04c178b67 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Sat, 20 Apr 2019 16:46:26 +0300 Subject: Change enter => search --- client/components/settings/peopleBody.jade | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/client/components/settings/peopleBody.jade b/client/components/settings/peopleBody.jade index 30b7a807..4dca5cb1 100644 --- a/client/components/settings/peopleBody.jade +++ b/client/components/settings/peopleBody.jade @@ -7,7 +7,7 @@ template(name="people") .ext-box-left span {{_ 'people'}} input#searchInput(placeholder="{{_ 'search'}}") - button#searchButton {{_ 'enter'}} + button#searchButton {{_ 'search'}} .ext-box-right span {{_ 'people-number'}} #{peopleNumber} .content-body -- cgit v1.2.3-1-g7c22 From a5122cc0764b57a163c3e8ca3e00e703669a98db Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Sat, 20 Apr 2019 16:47:54 +0300 Subject: Update translations. --- i18n/de.i18n.json | 2 +- i18n/pt-BR.i18n.json | 4 ++-- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index f0597aec..f823f5ed 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -684,5 +684,5 @@ "display-authentication-method": "Anzeige Authentifizierungsverfahren", "default-authentication-method": "Standardauthentifizierungsverfahren", "duplicate-board": "Board duplizieren", - "people-number": "The number of people is:" + "people-number": "Anzahl der Personen:" } \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index b217aad1..bb62e3d1 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -683,6 +683,6 @@ "error-ldap-login": "Um erro ocorreu enquanto tentava entrar", "display-authentication-method": "Mostrar Método de Autenticação", "default-authentication-method": "Método de Autenticação Padrão", - "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "duplicate-board": "Duplicar Quadro", + "people-number": "O número de pessoas é:" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From c7621f251f70983282aa7d53d4eb6831e1523e6e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Sat, 20 Apr 2019 17:04:59 +0300 Subject: Fix release build script. package repos are included to Wekan now. --- releases/rebuild-release.sh | 82 ++++++++++++++++++++++----------------------- 1 file changed, 41 insertions(+), 41 deletions(-) diff --git a/releases/rebuild-release.sh b/releases/rebuild-release.sh index 6aa83dd3..30814c73 100755 --- a/releases/rebuild-release.sh +++ b/releases/rebuild-release.sh @@ -1,43 +1,43 @@ #!/bin/bash - echo "Building Wekan." - cd ~/repos/wekan - rm -rf packages - mkdir -p ~/repos/wekan/packages - cd ~/repos/wekan/packages - git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-flow-router - git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core - git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git - git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git - git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git - git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-oidc.git - git clone --depth 1 -b master --recurse-submodules https://github.com/wekan/markdown.git - mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan_accounts-oidc - mv meteor-accounts-oidc/packages/switch_oidc wekan_oidc - - if [[ "$OSTYPE" == "darwin"* ]]; then - echo "sed at macOS"; - sed -i '' 's/api\.versionsFrom/\/\/api.versionsFrom/' ~/repos/wekan/packages/meteor-useraccounts-core/package.js - else - echo "sed at ${OSTYPE}" - sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' ~/repos/wekan/packages/meteor-useraccounts-core/package.js - fi - - cd ~/repos/wekan - rm -rf node_modules - meteor npm install - rm -rf .build - meteor build .build --directory - cp -f fix-download-unicode/cfs_access-point.txt .build/bundle/programs/server/packages/cfs_access-point.js - #Removed binary version of bcrypt because of security vulnerability that is not fixed yet. - #https://github.com/wekan/wekan/commit/4b2010213907c61b0e0482ab55abb06f6a668eac - #https://github.com/wekan/wekan/commit/7eeabf14be3c63fae2226e561ef8a0c1390c8d3c - #cd ~/repos/wekan/.build/bundle/programs/server/npm/node_modules/meteor/npm-bcrypt - #rm -rf node_modules/bcrypt - #meteor npm install bcrypt - cd ~/repos/wekan/.build/bundle/programs/server - rm -rf node_modules - meteor npm install - #meteor npm install bcrypt - cd ~/repos - echo Building Wekan Done. +echo "Building Wekan." +cd ~/repos/wekan +#rm -rf packages +#mkdir -p ~/repos/wekan/packages +#cd ~/repos/wekan/packages +#git clone --depth 1 -b master https://github.com/wekan/flow-router.git kadira-flow-router +#git clone --depth 1 -b master https://github.com/meteor-useraccounts/core.git meteor-useraccounts-core +#git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-cas.git +#git clone --depth 1 -b master https://github.com/wekan/wekan-ldap.git +#git clone --depth 1 -b master https://github.com/wekan/wekan-scrollbar.git +#git clone --depth 1 -b master https://github.com/wekan/meteor-accounts-oidc.git +#git clone --depth 1 -b master --recurse-submodules https://github.com/wekan/markdown.git +#mv meteor-accounts-oidc/packages/switch_accounts-oidc wekan_accounts-oidc +#mv meteor-accounts-oidc/packages/switch_oidc wekan_oidc +# +#if [[ "$OSTYPE" == "darwin"* ]]; then +# echo "sed at macOS"; +# sed -i '' 's/api\.versionsFrom/\/\/api.versionsFrom/' ~/repos/wekan/packages/meteor-useraccounts-core/package.js +#else +# echo "sed at ${OSTYPE}" +# sed -i 's/api\.versionsFrom/\/\/api.versionsFrom/' ~/repos/wekan/packages/meteor-useraccounts-core/package.js +#fi +# +cd ~/repos/wekan +rm -rf node_modules +meteor npm install +rm -rf .build +meteor build .build --directory +cp -f fix-download-unicode/cfs_access-point.txt .build/bundle/programs/server/packages/cfs_access-point.js +#Removed binary version of bcrypt because of security vulnerability that is not fixed yet. +#https://github.com/wekan/wekan/commit/4b2010213907c61b0e0482ab55abb06f6a668eac +#https://github.com/wekan/wekan/commit/7eeabf14be3c63fae2226e561ef8a0c1390c8d3c +#cd ~/repos/wekan/.build/bundle/programs/server/npm/node_modules/meteor/npm-bcrypt +#rm -rf node_modules/bcrypt +#meteor npm install bcrypt +cd ~/repos/wekan/.build/bundle/programs/server +rm -rf node_modules +meteor npm install +#meteor npm install bcrypt +cd ~/repos +echo Building Wekan Done. -- cgit v1.2.3-1-g7c22 From 8434069539bed734bc9973e8ed4a92436d7224c2 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Sat, 20 Apr 2019 17:11:14 +0300 Subject: v2.61 --- CHANGELOG.md | 16 +++++++++++++--- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 17 insertions(+), 7 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index ccfec7af..e5dbd0e6 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,12 +1,20 @@ -# Upcoming Wekan release +# v2.61 2019-04-20 Wekan release -This release adds the following updates: +This release adds the following new features: + +- Admin Panel/People: Can now search users by username, full name or email and using regex to find them. + Display the number of users. All registered users by default else the number of users selected by the search. + Thanks to Akuket. + +and adds the following updates: - [Update to use newest GitHub flawored markdown](https://github.com/wekan/wekan/commit/fea2ad3d7d09b44c3de1dbcdd3f8750aaa6776d5), because [it was found old version was in use](https://github.com/wekan/wekan/issues/2334). Thanks to shaygover and xet7. - [Upgrade to Node 8.16.0](https://github.com/wekan/wekan/commit/6117097a93bfb11c8bd4c87a23c44a50e22ceb87). - Thanks to xet7. + Thanks to Node developers and xet7. +- [Upgrade Docker base image to ubuntu:disco](https://github.com/wekan/wekan/commit/bd14ee3b1f450ddc6dec26ccc8da702b839942e5). + Thanks to Ubuntu developers and xet7. and fixes the following bugs: @@ -18,6 +26,8 @@ and fixes the following bugs: so that in build scripts it's not needed to clone those. Also archived those wekan repos and moved issues to https://github.com/wekan/wekan/issues because changes and development to those packages now happends on wekan/wekan repo. There was also fixes to repo urls etc. Thanks to xet7. +- [Additional updates](https://github.com/wekan/wekan/pull/2347) to meteor-1.8 branch, that contains + Meteor 1.8.1 version that works in Docker but not yet at Snap and Sandstorm. Thanks to justinr1234. Thanks to above GitHub users for their contributions and translators for their translations. diff --git a/Stackerfile.yml b/Stackerfile.yml index 08d41a31..2639cb96 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.60.0" +appVersion: "v2.61.0" files: userUploads: - README.md diff --git a/package.json b/package.json index c74b3904..c0195e97 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.60.0", + "version": "v2.61.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index 99cec39e..d6e807b0 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 262, + appVersion = 263, # Increment this for every release. - appMarketingVersion = (defaultText = "2.60.0~2019-04-08"), + appMarketingVersion = (defaultText = "2.61.0~2019-04-20"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 14ef0ab6d15ef74eaa531974e43c73b608857389 Mon Sep 17 00:00:00 2001 From: hupptechnologies <git@hupp.in> Date: Tue, 23 Apr 2019 15:09:09 +0530 Subject: Issue : Mobile UI Center cards in list view #2371 Resolved #2371 --- client/components/lists/list.styl | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/client/components/lists/list.styl b/client/components/lists/list.styl index 3b82f07f..dcbeb93f 100644 --- a/client/components/lists/list.styl +++ b/client/components/lists/list.styl @@ -170,6 +170,8 @@ display: block width: 100% border-left: 0px + &:first-child + margin-left: 0px &.ui-sortable-helper flex: 0 0 60px @@ -188,6 +190,9 @@ border-left: 0px border-bottom: 1px solid darken(white, 20%) + .list-body + padding: 15px 19px; + .list-header padding: 0 12px 0px border-bottom: 0px solid #e4e4e4 -- cgit v1.2.3-1-g7c22 From 6d6e3fd12740b46851669f81f70740f7a99357a2 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Tue, 23 Apr 2019 14:00:12 +0300 Subject: Update translations. --- i18n/es.i18n.json | 2 +- i18n/he.i18n.json | 14 +- i18n/it.i18n.json | 4 +- i18n/pt.i18n.json | 1286 +++++++++++++++++++++++++------------------------- i18n/ru.i18n.json | 2 +- i18n/zh-CN.i18n.json | 12 +- 6 files changed, 660 insertions(+), 660 deletions(-) diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 17742ea3..086e6701 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -684,5 +684,5 @@ "display-authentication-method": "Mostrar el método de autenticación", "default-authentication-method": "Método de autenticación por defecto", "duplicate-board": "Duplicar tablero", - "people-number": "The number of people is:" + "people-number": "El número de personas es:" } \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 3c3b9af3..cda8016d 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -31,7 +31,7 @@ "act-importCard": "הייבוא של הכרטיס __card__ לרשימה __list__ למסלול __swimlane__ ללוח __board__ הושלם", "act-importList": "הרשימה __list__ ייובאה למסלול __swimlane__ שבלוח __board__", "act-joinMember": "החבר __member__ נוסף לכרטיס __card__ לרשימה __list__ במסלול __swimlane__ בלוח __board__", - "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCard": "הועבר הכרטיס __card__ בלוח __board__ מהרשימה __oldList__ במסלול __oldSwimlane__ לרשימה __list__ במסלול __swimlane__.", "act-moveCardToOtherBoard": "הכרטיס __card__ הועבר מהרשימה __oldList__ במסלול __oldSwimlane__ בלוח __oldBoard__ לרשימה __list__ במסלול __swimlane__ בלוח __board__", "act-removeBoardMember": "החבר __member__ הוסר מהלוח __board__", "act-restoredCard": "הכרטיס __card__ שוחזר לרשימה __list__ למסלול __swimlane__ ללוח __board__", @@ -211,17 +211,17 @@ "unset-color": "בטל הגדרה", "comment": "לפרסם", "comment-placeholder": "כתיבת הערה", - "comment-only": "תגובה בלבד", + "comment-only": "הערה בלבד", "comment-only-desc": "ניתן להגיב על כרטיסים בלבד.", - "no-comments": " אין תגובות", + "no-comments": " אין הערות", "no-comments-desc": "לא ניתן לצפות בתגובות ובפעילויות.", "computer": "מחשב", - "confirm-subtask-delete-dialog": "האם למחוק את תת המשימה?", + "confirm-subtask-delete-dialog": "למחוק את תת המשימה?", "confirm-checklist-delete-dialog": "למחוק את רשימת המשימות?", "copy-card-link-to-clipboard": "העתקת קישור הכרטיס ללוח הגזירים", "linkCardPopup-title": "קישור כרטיס", "searchElementPopup-title": "חיפוש", - "copyCardPopup-title": "העתק כרטיס", + "copyCardPopup-title": "העתקת כרטיס", "copyChecklistToManyCardsPopup-title": "העתקת תבנית רשימת מטלות למגוון כרטיסים", "copyChecklistToManyCardsPopup-instructions": "כותרות ותיאורים של כרטיסי יעד בתצורת JSON זו", "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"כותרת כרטיס ראשון\", \"description\":\"תיאור כרטיס ראשון\"}, {\"title\":\"כותרת כרטיס שני\",\"description\":\"תיאור כרטיס שני\"},{\"title\":\"כותרת כרטיס אחרון\",\"description\":\"תיאור כרטיס אחרון\"} ]", @@ -683,6 +683,6 @@ "error-ldap-login": "אירעה שגיאה בעת ניסיון הכניסה", "display-authentication-method": "הצגת שיטת אימות", "default-authentication-method": "שיטת אימות כבררת מחדל", - "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "duplicate-board": "שכפול לוח", + "people-number": "מספר האנשים הוא:" } \ No newline at end of file diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 40aa2307..54e6bc1c 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -18,7 +18,7 @@ "act-uncompleteChecklist": "lista di controllo __checklist__ incompleta nella scheda __card__ della lista __list__ in corsia __swimlane__ della bacheca __board__", "act-addComment": "commento sulla scheda __card__: __comment__ nella lista __list__ della corsia __swimlane__ della bacheca __board__", "act-createBoard": "bacheca __board__ creata", - "act-createSwimlane": "created swimlane __swimlane__ to board __board__", + "act-createSwimlane": "creata corsia __swimlane__ alla bacheca __board__", "act-createCard": "scheda __card__ creata nella lista __list__ della corsia __swimlane__ della bacheca __board__", "act-createCustomField": "campo personalizzato __customField__ creato nella scheda __card__ della lista __list__ in corsia __swimlane__ della bacheca __board__", "act-createList": "aggiunta lista __list__ alla bacheca __board__", @@ -684,5 +684,5 @@ "display-authentication-method": "Mostra il metodo di autenticazione", "default-authentication-method": "Metodo di autenticazione predefinito", "duplicate-board": "Duplica bacheca", - "people-number": "The number of people is:" + "people-number": "Il numero di persone è:" } \ No newline at end of file diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index bf421326..ad51a7d9 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -1,688 +1,688 @@ { "accept": "Aceitar", "act-activity-notify": "Notificação de Actividade", - "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-createBoard": "created board __board__", - "act-createSwimlane": "created swimlane __swimlane__ to board __board__", - "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-createList": "added list __list__ to board __board__", - "act-addBoardMember": "added member __member__ to board __board__", - "act-archivedBoard": "Board __board__ moved to Archive", - "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", - "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", - "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", - "act-importBoard": "imported board __board__", - "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", - "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", - "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-removeBoardMember": "removed member __member__ from board __board__", - "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addAttachment": "adicionado anexo __attachment__ ao cartão __card__ na lista __list__ em pista __swimlane__ no quadro __board__", + "act-deleteAttachment": "excluido anexo __attachment__ do cartão __card__ na lista __list__ em pista __swimlane__ no quadro __board__", + "act-addSubtask": "adicionada sub-tarefa __subtask__ ao cartão __card__ na lista __list__ em pista __swimlane__ no quadro __board__", + "act-addLabel": "Adicionada etiqueta __label__ ao cartão __card__ na lista __list__ em pista __swimlane__ no quadro __board__", + "act-addedLabel": "Adicionada etiqueta __label__ ao cartão __card__ na lista __list__ em pista __swimlane__ no quadro __board__", + "act-removeLabel": "Removida etiqueta __label__ do cartão __card__ na lista __list__ em pista __swimlane__ no quadro __board__", + "act-removedLabel": "Removida etiqueta __label__ do cartão __card__ na lista __list__ em pista __swimlane__ no quadro __board__", + "act-addChecklist": "adicionada lista de verificação __checklist__ ao cartão __card__ na lista __list__ em pista __swimlane__ no quadro __board__", + "act-addChecklistItem": "adicionado o item __checklistItem__ a lista de verificação__checklist__ no cartão __card__ na lista __list__ em pista __swimlane__ no quadro __board__", + "act-removeChecklist": "emovida a lista de verificação __checklist__ do cartão __card__ na lista __list__ em pista __swimlane__ no quadro __board__", + "act-removeChecklistItem": "removido item __checklistItem__ da lista de verificação __checkList__ no cartão __card__ na lista __list__ em pista __swimlane__ no quadro __board__", + "act-checkedItem": "marcado __checklistItem__ na lista de verificação __checklist__ no cartão __card__ na lista __list__ em pista __swimlane__ no quadro __board__", + "act-uncheckedItem": "desmarcado __checklistItem__ na lista __checklist__ no cartão __card__ na lista __list__ em pista __swimlane__ no quadro __board__", + "act-completeChecklist": "completada a lista de verificação __checklist__ no cartão __card__ na lista __list__ em pista __swimlane__ no quadro __board__", + "act-uncompleteChecklist": "lista de verificação incompleta __checklist__ no cartão __card__ na lista __list__ em pista __swimlane__ no quadro __board__", + "act-addComment": "comentou no cartão __card__: __comment__ na lista __list__ em pista __swimlane__ no quadro __board__", + "act-createBoard": "criado quadro __board__", + "act-createSwimlane": "criada a pista __swimlane__ no quadro __board__", + "act-createCard": "criado cartão __card__ na lista __list__ em pista __swimlane__ no quadro __board__", + "act-createCustomField": "criado campo personalizado __customField__ no cartão __card__ na lista __list__ em pista __swimlane__ no quadro __board__", + "act-createList": "adicionada lista __list__ ao quadro __board__", + "act-addBoardMember": "adicionado membro __member__ ao quadro __board__", + "act-archivedBoard": "Quadro __board__ foi Arquivado", + "act-archivedCard": "Cartão __card__ na lista __list__ em pista __swimlane__ no quadro __board__ foi Arquivado", + "act-archivedList": "Lista __list__ em pista __swimlane__ no quadro __board__ foi Arquivada", + "act-archivedSwimlane": "Pista __swimlane__ no quadro __board__ foi Arquivada", + "act-importBoard": "importado quadro __board__", + "act-importCard": "importado cartão __card__ para lista __list__ em pista __swimlane__ no quadro __board__", + "act-importList": "importada lista __list__ para pista __swimlane__ no quadro __board__", + "act-joinMember": "adicionado membro __member__ ao cartão __card__ na lista __list__ em pista __swimlane__ no quadro __board__", + "act-moveCard": "movido cartão __card__ do quadro __board__ da pista __oldSwimlane__ da lista __oldList__ para a pista __swimlane__ na lista __list__", + "act-moveCardToOtherBoard": "movido cartão __card__ da lista __oldList__ em pista __oldSwimlane__ no quadro __oldBoard__ para lista __list__ em pista __swimlane__ no quadro __board__", + "act-removeBoardMember": "removido membro __member__ do quadro __board__", + "act-restoredCard": "restaurado cartão __card__ a lista __list__ em pista __swimlane__ no quadro __board__", + "act-unjoinMember": "removido membro __member__ do cartão __card__ na lista __list__ em pista __swimlane__ no quadro __board__", "act-withBoardTitle": "__board__", "act-withCardTitle": "[__board__] __card__", "actions": "Ações", - "activities": "Atividade", + "activities": "Atividades", "activity": "Atividade", - "activity-added": "adicionado %s a %s", - "activity-archived": "%s arquivado", - "activity-attached": "anexado %s a %s", - "activity-created": "Criado %s", - "activity-customfield-created": "criado campo customizado %s", - "activity-excluded": "excuído %s de %s", - "activity-imported": "importado %s para %s de %s", + "activity-added": "adicionou %s a %s", + "activity-archived": "%s foi Arquivado", + "activity-attached": "anexou %s a %s", + "activity-created": "criou %s", + "activity-customfield-created": "criado campo personalizado %s", + "activity-excluded": "excluiu %s de %s", + "activity-imported": "importado %s em %s de %s", "activity-imported-board": "importado %s de %s", - "activity-joined": "entrou em %s", - "activity-moved": "movido %s de %s para %s", + "activity-joined": "juntou-se a %s", + "activity-moved": "moveu %s de %s para %s", "activity-on": "em %s", - "activity-removed": "removido %s de %s", - "activity-sent": "enviado %s para %s", + "activity-removed": "removeu %s de %s", + "activity-sent": "enviou %s de %s", "activity-unjoined": "saiu de %s", - "activity-subtask-added": "adicionada subtarefa a %s", - "activity-checked-item": "marcado %s na checklist %s de %s", - "activity-unchecked-item": "desmarcado %s na checklist %s de %s", - "activity-checklist-added": "checklist adicionada a %s", - "activity-checklist-removed": "checklist removida de %s", - "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "activity-checklist-uncompleted": "checklist %s de %s foi marcada como não completada", - "activity-checklist-item-added": "added checklist item to '%s' in %s", - "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", - "add": "Adicionar", - "activity-checked-item-card": "checked %s in checklist %s", - "activity-unchecked-item-card": "unchecked %s in checklist %s", - "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "activity-checklist-uncompleted-card": "uncompleted the checklist %s", - "add-attachment": "Adicionar Anexo", - "add-board": "Add Board", + "activity-subtask-added": "Adicionar sub-tarefa à", + "activity-checked-item": "marcado %s na lista de verificação %s de %s", + "activity-unchecked-item": "desmarcado %s na lista de verificação %s de %s", + "activity-checklist-added": "Adicionada lista de verificação a %s", + "activity-checklist-removed": "removida a lista de verificação de %s", + "activity-checklist-completed": "completada a lista de verificação __checklist__ no cartão __card__ na lista __list__ em pista __swimlane__ no quadro __board__", + "activity-checklist-uncompleted": "não-completada a lista de verificação %s de %s", + "activity-checklist-item-added": "adicionado o item de lista de verificação para '%s' em %s", + "activity-checklist-item-removed": "removida o item de lista de verificação de '%s' na %s", + "add": "Novo", + "activity-checked-item-card": "marcado %s na lista de verificação %s", + "activity-unchecked-item-card": "desmarcado %s na lista de verificação %s", + "activity-checklist-completed-card": "completada a lista de verificação __checklist__ no cartão __card__ na lista __list__ em pista __swimlane__ no quadro __board__", + "activity-checklist-uncompleted-card": "não-completada a lista de verificação %s", + "add-attachment": "Adicionar Anexos", + "add-board": "Adicionar Quadro", "add-card": "Adicionar Cartão", - "add-swimlane": "Add Swimlane", - "add-subtask": "Adicionar Sub-tarefa", - "add-checklist": "Add Checklist", - "add-checklist-item": "Add an item to checklist", - "add-cover": "Add Cover", + "add-swimlane": "Adicionar Pista", + "add-subtask": "Adicionar sub-tarefa", + "add-checklist": "Adicionar lista de verificação", + "add-checklist-item": "Adicionar um item à lista de verificação", + "add-cover": "Adicionar Capa", "add-label": "Adicionar Etiqueta", "add-list": "Adicionar Lista", - "add-members": "Adicionar Membro", - "added": "Adicionado", + "add-members": "Adicionar Membros", + "added": "Criado", "addMemberPopup-title": "Membros", "admin": "Administrador", - "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", - "admin-announcement": "Announcement", - "admin-announcement-active": "Active System-Wide Announcement", - "admin-announcement-title": "Announcement from Administrator", - "all-boards": "All boards", - "and-n-other-card": "And __count__ other card", - "and-n-other-card_plural": "And __count__ other cards", - "apply": "Apply", - "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", - "archive": "Move to Archive", - "archive-all": "Move All to Archive", - "archive-board": "Move Board to Archive", - "archive-card": "Move Card to Archive", - "archive-list": "Move List to Archive", - "archive-swimlane": "Move Swimlane to Archive", - "archive-selection": "Move selection to Archive", - "archiveBoardPopup-title": "Move Board to Archive?", - "archived-items": "Archive", - "archived-boards": "Boards in Archive", - "restore-board": "Restore Board", - "no-archived-boards": "No Boards in Archive.", - "archives": "Archive", - "template": "Template", - "templates": "Templates", - "assign-member": "Assign member", - "attached": "attached", - "attachment": "Attachment", - "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", - "attachmentDeletePopup-title": "Delete Attachment?", - "attachments": "Attachments", - "auto-watch": "Automatically watch boards when they are created", - "avatar-too-big": "The avatar is too large (70KB max)", - "back": "Back", - "board-change-color": "Change color", - "board-nb-stars": "%s stars", - "board-not-found": "Board not found", - "board-private-info": "This board will be <strong>private</strong>.", - "board-public-info": "This board will be <strong>public</strong>.", - "boardChangeColorPopup-title": "Change Board Background", + "admin-desc": "Pode ver e editar cartões, remover membros e alterar configurações do quadro.", + "admin-announcement": "Anúncio", + "admin-announcement-active": "Anúncio ativo em todo o sistema", + "admin-announcement-title": "Anúncio do Administrador", + "all-boards": "Todos os quadros", + "and-n-other-card": "E __count__ outro cartão", + "and-n-other-card_plural": "E __count__ outros cartões", + "apply": "Aplicar", + "app-is-offline": "A carregar, por favor espere. Atualizar a página causará perda de dados. Se a carga não funcionar, por favor verifique se o servidor não caiu.", + "archive": "Mover para o Arquivo", + "archive-all": "Mover Tudo para o Arquivo", + "archive-board": "Mover Quadro para o Arquivo", + "archive-card": "Mover Cartão para o Arquivo", + "archive-list": "Mover Lista para o Arquivo", + "archive-swimlane": "Mover Pista para Arquivo", + "archive-selection": "Mover seleção para o Arquivo", + "archiveBoardPopup-title": "Mover Quadro para o Arquivo?", + "archived-items": "Arquivo", + "archived-boards": "Quadros no Arquivo", + "restore-board": "Restaurar Quadro", + "no-archived-boards": "Sem Quadros no Arquivo.", + "archives": "Arquivos", + "template": "Modelo", + "templates": "Modelos", + "assign-member": "Atribuir Membro", + "attached": "anexado", + "attachment": "Anexo", + "attachment-delete-pop": "Excluir um anexo é permanente. Não será possível recuperá-lo.", + "attachmentDeletePopup-title": "Excluir Anexo?", + "attachments": "Anexos", + "auto-watch": "Veja automaticamente os boards que são criados", + "avatar-too-big": "O avatar é muito grande (70KB max)", + "back": "Voltar", + "board-change-color": "Alterar cor", + "board-nb-stars": "%s estrelas", + "board-not-found": "Quadro não encontrado", + "board-private-info": "Este quadro será <strong>privado</strong>.", + "board-public-info": "Este quadro será <strong>público</strong>.", + "boardChangeColorPopup-title": "Alterar Tela de Fundo", "boardChangeTitlePopup-title": "Renomear Quadro", - "boardChangeVisibilityPopup-title": "Change Visibility", - "boardChangeWatchPopup-title": "Change Watch", - "boardMenuPopup-title": "Board Settings", - "boards": "Boards", - "board-view": "Board View", - "board-view-cal": "Calendar", - "board-view-swimlanes": "Swimlanes", - "board-view-lists": "Lists", - "bucket-example": "Like “Bucket List” for example", - "cancel": "Cancel", - "card-archived": "This card is moved to Archive.", - "board-archived": "This board is moved to Archive.", - "card-comments-title": "This card has %s comment.", - "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", - "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", - "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", - "card-due": "Due", - "card-due-on": "Due on", - "card-spent": "Spent Time", - "card-edit-attachments": "Edit attachments", - "card-edit-custom-fields": "Edit custom fields", - "card-edit-labels": "Edit labels", - "card-edit-members": "Edit members", - "card-labels-title": "Change the labels for the card.", - "card-members-title": "Add or remove members of the board from the card.", - "card-start": "Start", - "card-start-on": "Starts on", - "cardAttachmentsPopup-title": "Attach From", - "cardCustomField-datePopup-title": "Change date", - "cardCustomFieldsPopup-title": "Edit custom fields", - "cardDeletePopup-title": "Delete Card?", - "cardDetailsActionsPopup-title": "Card Actions", + "boardChangeVisibilityPopup-title": "Alterar Visibilidade", + "boardChangeWatchPopup-title": "Alterar observação", + "boardMenuPopup-title": "Configurações do quadro", + "boards": "Quadros", + "board-view": "Visão de quadro", + "board-view-cal": "Calendário", + "board-view-swimlanes": "Pistas", + "board-view-lists": "Listas", + "bucket-example": "\"Bucket List\", por exemplo", + "cancel": "Cancelar", + "card-archived": "Este cartão está Arquivado.", + "board-archived": "Este quadro está Arquivado.", + "card-comments-title": "Este cartão possui %s comentários.", + "card-delete-notice": "A exclusão será permanente. Perderá todas as ações associadas a este cartão.", + "card-delete-pop": "Todas as ações serão excluídas da lista de Atividades e não poderá reabrir o cartão. Não há como desfazer.", + "card-delete-suggest-archive": "Pode mover um cartão para o Arquivo para removê-lo do quadro e preservar a atividade.", + "card-due": "Data fim", + "card-due-on": "Finaliza em", + "card-spent": "Tempo Gasto", + "card-edit-attachments": "Editar anexos", + "card-edit-custom-fields": "Editar campos personalizados", + "card-edit-labels": "Editar etiquetas", + "card-edit-members": "Editar membros", + "card-labels-title": "Alterar etiquetas do cartão.", + "card-members-title": "Acrescentar ou remover membros do quadro deste cartão.", + "card-start": "Data início", + "card-start-on": "Começa em", + "cardAttachmentsPopup-title": "Anexar a partir de", + "cardCustomField-datePopup-title": "Mudar data", + "cardCustomFieldsPopup-title": "Editar campos personalizados", + "cardDeletePopup-title": "Excluir Cartão?", + "cardDetailsActionsPopup-title": "Ações do cartão", "cardLabelsPopup-title": "Etiquetas", "cardMembersPopup-title": "Membros", "cardMorePopup-title": "Mais", - "cardTemplatePopup-title": "Create template", + "cardTemplatePopup-title": "Criar Modelo", "cards": "Cartões", "cards-count": "Cartões", - "casSignIn": "Sign In with CAS", - "cardType-card": "Card", - "cardType-linkedCard": "Linked Card", - "cardType-linkedBoard": "Linked Board", + "casSignIn": "Entrar com CAS", + "cardType-card": "Cartão", + "cardType-linkedCard": "Cartão ligado", + "cardType-linkedBoard": "Quadro ligado", "change": "Alterar", - "change-avatar": "Change Avatar", - "change-password": "Change Password", - "change-permissions": "Change permissions", - "change-settings": "Change Settings", - "changeAvatarPopup-title": "Change Avatar", - "changeLanguagePopup-title": "Change Language", - "changePasswordPopup-title": "Change Password", - "changePermissionsPopup-title": "Change Permissions", - "changeSettingsPopup-title": "Change Settings", - "subtasks": "Subtasks", - "checklists": "Checklists", - "click-to-star": "Click to star this board.", - "click-to-unstar": "Click to unstar this board.", - "clipboard": "Clipboard or drag & drop", - "close": "Close", - "close-board": "Close Board", - "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", - "color-black": "black", - "color-blue": "blue", - "color-crimson": "crimson", - "color-darkgreen": "darkgreen", - "color-gold": "gold", - "color-gray": "gray", - "color-green": "green", - "color-indigo": "indigo", - "color-lime": "lime", + "change-avatar": "Alterar Avatar", + "change-password": "Alterar Senha", + "change-permissions": "Alterar permissões", + "change-settings": "Altera configurações", + "changeAvatarPopup-title": "Alterar Avatar", + "changeLanguagePopup-title": "Alterar Idioma", + "changePasswordPopup-title": "Alterar Senha", + "changePermissionsPopup-title": "Alterar Permissões", + "changeSettingsPopup-title": "Altera configurações", + "subtasks": "Sub-tarefas", + "checklists": "Listas de verificação", + "click-to-star": "Marcar quadro como favorito.", + "click-to-unstar": "Remover quadro dos favoritos.", + "clipboard": "Área de Transferência ou arraste e solte", + "close": "Fechar", + "close-board": "Fechar Quadro", + "close-board-pop": "Poderá restaurar o quadro clicando no botão “Arquivo” a partir do cabeçalho do Início.", + "color-black": "preto", + "color-blue": "azul", + "color-crimson": "carmesim", + "color-darkgreen": "verde escuro", + "color-gold": "dourado", + "color-gray": "cinza", + "color-green": "verde", + "color-indigo": "azul", + "color-lime": "verde limão", "color-magenta": "magenta", - "color-mistyrose": "mistyrose", - "color-navy": "navy", - "color-orange": "orange", - "color-paleturquoise": "paleturquoise", - "color-peachpuff": "peachpuff", - "color-pink": "pink", - "color-plum": "plum", - "color-purple": "purple", - "color-red": "red", - "color-saddlebrown": "saddlebrown", - "color-silver": "silver", - "color-sky": "sky", - "color-slateblue": "slateblue", - "color-white": "white", - "color-yellow": "yellow", - "unset-color": "Unset", + "color-mistyrose": "rosa claro", + "color-navy": "azul marinho", + "color-orange": "laranja", + "color-paleturquoise": "azul ciano", + "color-peachpuff": "pêssego", + "color-pink": "cor-de-rosa", + "color-plum": "ameixa", + "color-purple": "roxo", + "color-red": "vermelho", + "color-saddlebrown": "marrom", + "color-silver": "prateado", + "color-sky": "azul-celeste", + "color-slateblue": "azul ardósia", + "color-white": "branco", + "color-yellow": "amarelo", + "unset-color": "Remover", "comment": "Comentário", - "comment-placeholder": "Write Comment", - "comment-only": "Comment only", - "comment-only-desc": "Can comment on cards only.", - "no-comments": "No comments", - "no-comments-desc": "Can not see comments and activities.", + "comment-placeholder": "Escrever Comentário", + "comment-only": "Somente comentários", + "comment-only-desc": "Pode comentar apenas em cartões.", + "no-comments": "Sem comentários", + "no-comments-desc": "Sem visualização de comentários e atividades.", "computer": "Computador", - "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", - "copy-card-link-to-clipboard": "Copy card link to clipboard", - "linkCardPopup-title": "Link Card", - "searchElementPopup-title": "Search", - "copyCardPopup-title": "Copy Card", - "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", - "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", - "create": "Create", - "createBoardPopup-title": "Create Board", - "chooseBoardSourcePopup-title": "Import board", - "createLabelPopup-title": "Create Label", - "createCustomField": "Create Field", - "createCustomFieldPopup-title": "Create Field", - "current": "current", - "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", - "custom-field-date": "Date", - "custom-field-dropdown": "Dropdown List", - "custom-field-dropdown-none": "(none)", - "custom-field-dropdown-options": "List Options", - "custom-field-dropdown-options-placeholder": "Press enter to add more options", - "custom-field-dropdown-unknown": "(unknown)", - "custom-field-number": "Number", - "custom-field-text": "Text", - "custom-fields": "Custom Fields", - "date": "Date", - "decline": "Decline", - "default-avatar": "Default avatar", - "delete": "Delete", - "deleteCustomFieldPopup-title": "Delete Custom Field?", - "deleteLabelPopup-title": "Delete Label?", - "description": "Description", - "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", - "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", - "discard": "Discard", - "done": "Done", - "download": "Download", - "edit": "Edit", - "edit-avatar": "Change Avatar", - "edit-profile": "Edit Profile", - "edit-wip-limit": "Edit WIP Limit", - "soft-wip-limit": "Soft WIP Limit", - "editCardStartDatePopup-title": "Change start date", - "editCardDueDatePopup-title": "Change due date", - "editCustomFieldPopup-title": "Edit Field", - "editCardSpentTimePopup-title": "Change spent time", - "editLabelPopup-title": "Change Label", - "editNotificationPopup-title": "Edit Notification", - "editProfilePopup-title": "Edit Profile", - "email": "Email", - "email-enrollAccount-subject": "An account created for you on __siteName__", - "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", - "email-fail": "Sending email failed", - "email-fail-text": "Error trying to send email", - "email-invalid": "Invalid email", - "email-invite": "Invite via Email", - "email-invite-subject": "__inviter__ sent you an invitation", - "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", - "email-resetPassword-subject": "Reset your password on __siteName__", - "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", - "email-sent": "Email sent", - "email-verifyEmail-subject": "Verify your email address on __siteName__", - "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", - "enable-wip-limit": "Enable WIP Limit", - "error-board-doesNotExist": "This board does not exist", - "error-board-notAdmin": "You need to be admin of this board to do that", - "error-board-notAMember": "You need to be a member of this board to do that", - "error-json-malformed": "Your text is not valid JSON", - "error-json-schema": "Your JSON data does not include the proper information in the correct format", - "error-list-doesNotExist": "This list does not exist", - "error-user-doesNotExist": "This user does not exist", - "error-user-notAllowSelf": "You can not invite yourself", - "error-user-notCreated": "This user is not created", - "error-username-taken": "This username is already taken", - "error-email-taken": "Email has already been taken", - "export-board": "Export board", - "filter": "Filter", - "filter-cards": "Filter Cards", - "filter-clear": "Clear filter", - "filter-no-label": "No label", - "filter-no-member": "No member", - "filter-no-custom-fields": "No Custom Fields", - "filter-on": "Filter is on", - "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", - "filter-to-selection": "Filter to selection", - "advanced-filter-label": "Advanced Filter", - "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", - "fullname": "Full Name", - "header-logo-title": "Go back to your boards page.", - "hide-system-messages": "Hide system messages", - "headerBarCreateBoardPopup-title": "Create Board", - "home": "Home", - "import": "Import", - "link": "Link", - "import-board": "import board", - "import-board-c": "Import board", - "import-board-title-trello": "Import board from Trello", - "import-board-title-wekan": "Import board from previous export", - "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", - "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", - "from-trello": "From Trello", - "from-wekan": "From previous export", - "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", - "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", - "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", - "import-json-placeholder": "Paste your valid JSON data here", - "import-map-members": "Map members", - "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", - "import-show-user-mapping": "Review members mapping", - "import-user-select": "Pick your existing user you want to use as this member", - "importMapMembersAddPopup-title": "Select member", - "info": "Version", - "initials": "Initials", - "invalid-date": "Invalid date", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", - "joined": "joined", - "just-invited": "You are just invited to this board", - "keyboard-shortcuts": "Keyboard shortcuts", - "label-create": "Create Label", - "label-default": "%s label (default)", - "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "confirm-subtask-delete-dialog": "Tem certeza que deseja excluir a sub-tarefa?", + "confirm-checklist-delete-dialog": "Tem certeza que quer excluir a lista de verificação?", + "copy-card-link-to-clipboard": "Copiar link do cartão para a área de transferência", + "linkCardPopup-title": "Ligar Cartão", + "searchElementPopup-title": "Buscar", + "copyCardPopup-title": "Copiar o cartão", + "copyChecklistToManyCardsPopup-title": "Copiar modelo de lista de verificação para vários cartões", + "copyChecklistToManyCardsPopup-instructions": "Títulos e descrições do cartão de destino neste formato JSON", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"Título do primeiro cartão\", \"description\":\"Descrição do primeiro cartão\"}, {\"title\":\"Título do segundo cartão\",\"description\":\"Descrição do segundo cartão\"},{\"title\":\"Título do último cartão\",\"description\":\"Descrição do último cartão\"} ]", + "create": "Criar", + "createBoardPopup-title": "Criar Quadro", + "chooseBoardSourcePopup-title": "Importar quadro", + "createLabelPopup-title": "Criar Etiqueta", + "createCustomField": "Criar campo", + "createCustomFieldPopup-title": "Criar campo", + "current": "atual", + "custom-field-delete-pop": "Não existe desfazer. Isso irá excluir o campo personalizado de todos os cartões e destruir seu histórico", + "custom-field-checkbox": "Caixa de seleção", + "custom-field-date": "Data", + "custom-field-dropdown": "Lista suspensa", + "custom-field-dropdown-none": "(nada)", + "custom-field-dropdown-options": "Lista de opções", + "custom-field-dropdown-options-placeholder": "Pressione enter para adicionar mais opções", + "custom-field-dropdown-unknown": "(desconhecido)", + "custom-field-number": "Número", + "custom-field-text": "Texto", + "custom-fields": "Campos personalizados", + "date": "Data", + "decline": "Rejeitar", + "default-avatar": "Avatar padrão", + "delete": "Excluir", + "deleteCustomFieldPopup-title": "Excluir campo personalizado?", + "deleteLabelPopup-title": "Excluir Etiqueta?", + "description": "Descrição", + "disambiguateMultiLabelPopup-title": "Desambiguar ações de etiquetas", + "disambiguateMultiMemberPopup-title": "Desambiguar ações de membros", + "discard": "Descartar", + "done": "Feito", + "download": "Baixar", + "edit": "Editar", + "edit-avatar": "Alterar Avatar", + "edit-profile": "Editar Perfil", + "edit-wip-limit": "Editar Limite WIP", + "soft-wip-limit": "Limite de WIP", + "editCardStartDatePopup-title": "Altera data de início", + "editCardDueDatePopup-title": "Altera data fim", + "editCustomFieldPopup-title": "Editar campo", + "editCardSpentTimePopup-title": "Editar tempo gasto", + "editLabelPopup-title": "Alterar Etiqueta", + "editNotificationPopup-title": "Editar Notificações", + "editProfilePopup-title": "Editar Perfil", + "email": "E-mail", + "email-enrollAccount-subject": "Uma conta foi criada para si em __siteName__", + "email-enrollAccount-text": "Olá __user__\npara começar a utilizar o serviço basta clicar no link abaixo.\n__url__\nMuito Obrigado.", + "email-fail": "Falhou ao enviar e-mail", + "email-fail-text": "Erro ao tentar enviar e-mail", + "email-invalid": "E-mail inválido", + "email-invite": "Convite via E-mail", + "email-invite-subject": "__inviter__ lhe enviou um convite", + "email-invite-text": "Caro __user__\n__inviter__ convidou-o para se juntar ao quadro \"__board__\" como colaborador.\nPor favor prossiga através do link abaixo:\n__url__\nMuito obrigado.", + "email-resetPassword-subject": "Redefina sua senha em __siteName__", + "email-resetPassword-text": "Olá __user__\nPara redefinir sua senha, por favor clique no link abaixo.\n__url__\nMuito obrigado.", + "email-sent": "E-mail enviado", + "email-verifyEmail-subject": "Verifique seu endereço de e-mail em __siteName__", + "email-verifyEmail-text": "Olá __user__\nPara verificar sua conta de e-mail, clique no link abaixo.\n__url__\nObrigado.", + "enable-wip-limit": "Ativar Limite WIP", + "error-board-doesNotExist": "Este quadro não existe", + "error-board-notAdmin": "Precisa ser administrador desse quadro para fazer isto", + "error-board-notAMember": "Precisa ser um membro desse quadro para fazer isto", + "error-json-malformed": "Seu texto não é um JSON válido", + "error-json-schema": "Seu JSON não inclui as informações no formato correto", + "error-list-doesNotExist": "Esta lista não existe", + "error-user-doesNotExist": "Este utilizador não existe", + "error-user-notAllowSelf": "Não pode convidar a si mesmo", + "error-user-notCreated": "Este utilizador não foi criado", + "error-username-taken": "Esse nome de utilizador já existe", + "error-email-taken": "E-mail já está em uso", + "export-board": "Exportar quadro", + "filter": "Filtrar", + "filter-cards": "Filtrar Cartões", + "filter-clear": "Limpar filtro", + "filter-no-label": "Sem etiquetas", + "filter-no-member": "Sem membros", + "filter-no-custom-fields": "Não há campos personalizados", + "filter-on": "Filtro está ativo", + "filter-on-desc": "Está a filtrar cartões neste quadro. Clique aqui para editar o filtro.", + "filter-to-selection": "Filtrar esta seleção", + "advanced-filter-label": "Filtro avançado", + "advanced-filter-description": "Filtros avançados permitem escrever uma \"string\" contendo os seguintes operadores: == != <= >= && || (). Um espaço é utilizado como separador entre os operadores. Pode filtrar para todos os campos personalizados escrevendo os nomes e valores. Exemplo: Campo1 == Valor1. Nota^Se o campo ou valor tiver espaços precisa encapsular eles em citações sozinhas. Exemplo: Campo1 == Eu\\sou. Também pode combinar múltiplas condições. Exemplo: C1 == V1 || C1 == V2. Normalmente todos os operadores são interpretados da esquerda para direita. Pode alterar a ordem colocando parênteses - como na expressão matemática. Exemplo: C1 == V1 && (C2 == V2 || C2 == V3). Também pode pesquisar campos de texto usando regex: C1 == /Tes.*/i", + "fullname": "Nome Completo", + "header-logo-title": "Voltar para a lista de quadros.", + "hide-system-messages": "Esconde mensagens de sistema", + "headerBarCreateBoardPopup-title": "Criar Quadro", + "home": "Início", + "import": "Importar", + "link": "Ligação", + "import-board": "importar quadro", + "import-board-c": "Importar quadro", + "import-board-title-trello": "Importar quadro do Trello", + "import-board-title-wekan": "Importar quadro a partir de exportação prévia", + "import-sandstorm-backup-warning": "Não exclua os dados importados do quadro original exportado ou do Trello antes de verificar se esse item fecha e abre novamente, ou se receber o erro Quadro não encontrado, que significa perda de dados.", + "import-sandstorm-warning": "O quadro importado irá excluir todos os dados existentes no quadro e irá sobrescrever com o quadro importado.", + "from-trello": "Do Trello", + "from-wekan": "A partir de exportação prévia", + "import-board-instruction-trello": "No seu quadro do Trello, vá em 'Menu', depois em 'Mais', 'Imprimir e Exportar', 'Exportar JSON', então copie o texto emitido", + "import-board-instruction-wekan": "Em seu quadro vá para 'Menu', depois 'Exportar quadro' e copie o texto no arquivo baixado.", + "import-board-instruction-about-errors": "Se receber erros ao importar o quadro, às vezes a importação ainda funciona e o quadro está na página Todos os Quadros.", + "import-json-placeholder": "Cole seus dados JSON válidos aqui", + "import-map-members": "Mapear membros", + "import-members-map": "Seu quadro importado possui alguns membros. Por favor, mapeie os membros que deseja importar para seus utilizadors", + "import-show-user-mapping": "Revisar mapeamento dos membros", + "import-user-select": "Escolha um utilizador existente que deseja usar como esse membro", + "importMapMembersAddPopup-title": "Selecione membro", + "info": "Versão", + "initials": "Iniciais", + "invalid-date": "Data inválida", + "invalid-time": "Hora inválida", + "invalid-user": "Utilizador inválido", + "joined": "juntou-se", + "just-invited": "Já foi convidado para este quadro", + "keyboard-shortcuts": "Atalhos do teclado", + "label-create": "Criar Etiqueta", + "label-default": "%s etiqueta (padrão)", + "label-delete-pop": "Não será possível recuperá-la. A etiqueta será excluída de todos os cartões e seu histórico será destruído.", "labels": "Etiquetas", - "language": "Language", - "last-admin-desc": "You can’t change roles because there must be at least one admin.", - "leave-board": "Leave Board", - "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", - "leaveBoardPopup-title": "Leave Board ?", - "link-card": "Link to this card", - "list-archive-cards": "Move all cards in this list to Archive", - "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", - "list-move-cards": "Move all cards in this list", - "list-select-cards": "Select all cards in this list", - "set-color-list": "Set Color", - "listActionPopup-title": "List Actions", - "swimlaneActionPopup-title": "Swimlane Actions", - "swimlaneAddPopup-title": "Add a Swimlane below", - "listImportCardPopup-title": "Import a Trello card", + "language": "Idioma", + "last-admin-desc": "Não pode alterar funções porque deve existir pelo menos um administrador.", + "leave-board": "Sair do Quadro", + "leave-board-pop": "Tem a certeza de que pretende sair de __boardTitle__? Será removido de todos os cartões neste quadro.", + "leaveBoardPopup-title": "Sair do Quadro?", + "link-card": "Vincular a este cartão", + "list-archive-cards": "Move todos os cartões nesta lista para o Arquivo", + "list-archive-cards-pop": "Isto removerá todos os cartões desta lista para o quadro. Para visualizar cartões arquivados e trazê-los de volta para o quadro, clique em “Menu” > “Arquivo”.", + "list-move-cards": "Mover todos os cartões desta lista", + "list-select-cards": "Selecionar todos os cartões nesta lista", + "set-color-list": "Definir Cor", + "listActionPopup-title": "Listar Ações", + "swimlaneActionPopup-title": "Ações de Pista", + "swimlaneAddPopup-title": "Adicionar uma Pista abaixo", + "listImportCardPopup-title": "Importe um cartão do Trello", "listMorePopup-title": "Mais", - "link-list": "Link to this list", - "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", - "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", - "lists": "Lists", - "swimlanes": "Swimlanes", - "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", - "memberMenuPopup-title": "Member Settings", + "link-list": "Vincular a esta lista", + "list-delete-pop": "Todas as ações serão excluídas da lista de atividades e não poderá recuperar a lista. Não há como desfazer.", + "list-delete-suggest-archive": "Pode mover uma lista para o Arquivo para removê-la do quadro e preservar a atividade.", + "lists": "Listas", + "swimlanes": "Pistas", + "log-out": "Sair", + "log-in": "Entrar", + "loginPopup-title": "Entrar", + "memberMenuPopup-title": "Configuração de Membros", "members": "Membros", "menu": "Menu", - "move-selection": "Move selection", - "moveCardPopup-title": "Move Card", - "moveCardToBottom-title": "Move to Bottom", - "moveCardToTop-title": "Move to Top", - "moveSelectionPopup-title": "Move selection", - "multi-selection": "Multi-Selection", - "multi-selection-on": "Multi-Selection is on", - "muted": "Muted", - "muted-info": "You will never be notified of any changes in this board", - "my-boards": "My Boards", + "move-selection": "Mover seleção", + "moveCardPopup-title": "Mover Cartão", + "moveCardToBottom-title": "Mover para o final", + "moveCardToTop-title": "Mover para o topo", + "moveSelectionPopup-title": "Mover seleção", + "multi-selection": "Multi-Seleção", + "multi-selection-on": "Multi-seleção está ativo", + "muted": "Silenciar", + "muted-info": "Nunca receberá qualquer notificação desse quadro", + "my-boards": "Meus Quadros", "name": "Nome", - "no-archived-cards": "No cards in Archive.", - "no-archived-lists": "No lists in Archive.", - "no-archived-swimlanes": "No swimlanes in Archive.", - "no-results": "Nenhum resultado", + "no-archived-cards": "Sem cartões no Arquivo.", + "no-archived-lists": "Sem listas no Arquivo.", + "no-archived-swimlanes": "Sem pistas no Arquivo.", + "no-results": "Nenhum resultado.", "normal": "Normal", - "normal-desc": "Can view and edit cards. Can't change settings.", - "not-accepted-yet": "Invitation not accepted yet", - "notify-participate": "Receive updates to any cards you participate as creater or member", - "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", - "optional": "optional", - "or": "or", - "page-maybe-private": "This page may be private. You may be able to view it by <a href='%s'>logging in</a>.", - "page-not-found": "Page not found.", - "password": "Password", - "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", - "participating": "Participating", - "preview": "Preview", - "previewAttachedImagePopup-title": "Preview", - "previewClipboardImagePopup-title": "Preview", - "private": "Private", - "private-desc": "This board is private. Only people added to the board can view and edit it.", - "profile": "Profile", - "public": "Public", - "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", - "quick-access-description": "Star a board to add a shortcut in this bar.", - "remove-cover": "Remove Cover", - "remove-from-board": "Remove from Board", - "remove-label": "Remove Label", - "listDeletePopup-title": "Delete List ?", - "remove-member": "Remove Member", - "remove-member-from-card": "Remove from Card", - "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "normal-desc": "Pode ver e editar cartões. Não pode alterar configurações.", + "not-accepted-yet": "Convite ainda não aceito", + "notify-participate": "Receber atualizações de qualquer cartão que criar ou participar como membro", + "notify-watch": "Receber atualizações de qualquer quadro, lista ou cartões que estiver a observar", + "optional": "opcional", + "or": "ou", + "page-maybe-private": "Esta página pode ser privada. Poderá vê-la se estiver <a href='%s'>logado</a>.", + "page-not-found": "Página não encontrada.", + "password": "Senha", + "paste-or-dragdrop": "para colar, ou arraste e solte o arquivo da imagem para cá (somente imagens)", + "participating": "Participando", + "preview": "Pré-visualizar", + "previewAttachedImagePopup-title": "Pré-visualizar", + "previewClipboardImagePopup-title": "Pré-visualizar", + "private": "Privado", + "private-desc": "Este quadro é privado. Apenas seus membros podem acessar e editá-lo.", + "profile": "Perfil", + "public": "Público", + "public-desc": "Este quadro é público. Ele é visível a qualquer pessoa com o link e será exibido em motores de busca como o Google. Apenas os seus membros podem editá-lo.", + "quick-access-description": "Clique na estrela para adicionar um atalho nesta barra.", + "remove-cover": "Remover Capa", + "remove-from-board": "Remover do Quadro", + "remove-label": "Remover Etiqueta", + "listDeletePopup-title": "Excluir Lista?", + "remove-member": "Remover Membro", + "remove-member-from-card": "Remover do Cartão", + "remove-member-pop": "Remover __name__ (__username__) de __boardTitle__? O membro será removido de todos os cartões neste quadro e será notificado.", "removeMemberPopup-title": "Remover Membro?", "rename": "Renomear", "rename-board": "Renomear Quadro", - "restore": "Restore", - "save": "Save", - "search": "Search", - "rules": "Rules", - "search-cards": "Search from card titles and descriptions on this board", - "search-example": "Text to search for?", - "select-color": "Select Color", - "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", - "setWipLimitPopup-title": "Set WIP Limit", - "shortcut-assign-self": "Assign yourself to current card", - "shortcut-autocomplete-emoji": "Autocomplete emoji", - "shortcut-autocomplete-members": "Autocomplete members", - "shortcut-clear-filters": "Clear all filters", - "shortcut-close-dialog": "Close Dialog", - "shortcut-filter-my-cards": "Filter my cards", - "shortcut-show-shortcuts": "Bring up this shortcuts list", - "shortcut-toggle-filterbar": "Toggle Filter Sidebar", - "shortcut-toggle-sidebar": "Toggle Board Sidebar", - "show-cards-minimum-count": "Show cards count if list contains more than", - "sidebar-open": "Open Sidebar", - "sidebar-close": "Close Sidebar", - "signupPopup-title": "Create an Account", - "star-board-title": "Click to star this board. It will show up at top of your boards list.", - "starred-boards": "Starred Boards", - "starred-boards-description": "Starred boards show up at the top of your boards list.", - "subscribe": "Subscribe", - "team": "Team", - "this-board": "this board", - "this-card": "this card", - "spent-time-hours": "Spent time (hours)", - "overtime-hours": "Overtime (hours)", - "overtime": "Overtime", - "has-overtime-cards": "Has overtime cards", - "has-spenttime-cards": "Has spent time cards", - "time": "Time", - "title": "Title", - "tracking": "Tracking", - "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", - "type": "Type", - "unassign-member": "Unassign member", - "unsaved-description": "You have an unsaved description.", - "unwatch": "Unwatch", - "upload": "Upload", - "upload-avatar": "Upload an avatar", - "uploaded-avatar": "Uploaded an avatar", - "username": "Username", - "view-it": "View it", - "warn-list-archived": "warning: this card is in an list at Archive", - "watch": "Watch", - "watching": "Watching", - "watching-info": "You will be notified of any change in this board", - "welcome-board": "Welcome Board", - "welcome-swimlane": "Milestone 1", - "welcome-list1": "Basics", - "welcome-list2": "Advanced", - "card-templates-swimlane": "Card Templates", - "list-templates-swimlane": "List Templates", - "board-templates-swimlane": "Board Templates", - "what-to-do": "What do you want to do?", - "wipLimitErrorPopup-title": "Invalid WIP Limit", - "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", - "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", - "admin-panel": "Admin Panel", - "settings": "Settings", - "people": "People", - "registration": "Registration", - "disable-self-registration": "Disable Self-Registration", - "invite": "Invite", - "invite-people": "Invite People", - "to-boards": "To board(s)", - "email-addresses": "Email Addresses", - "smtp-host-description": "The address of the SMTP server that handles your emails.", - "smtp-port-description": "The port your SMTP server uses for outgoing emails.", - "smtp-tls-description": "Enable TLS support for SMTP server", - "smtp-host": "SMTP Host", - "smtp-port": "SMTP Port", - "smtp-username": "Username", - "smtp-password": "Password", - "smtp-tls": "TLS support", - "send-from": "From", - "send-smtp-test": "Send a test email to yourself", - "invitation-code": "Invitation Code", - "email-invite-register-subject": "__inviter__ sent you an invitation", - "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", - "email-smtp-test-subject": "SMTP Test Email", - "email-smtp-test-text": "You have successfully sent an email", - "error-invitation-code-not-exist": "Invitation code doesn't exist", - "error-notAuthorized": "You are not authorized to view this page.", - "outgoing-webhooks": "Outgoing Webhooks", - "outgoingWebhooksPopup-title": "Outgoing Webhooks", - "boardCardTitlePopup-title": "Card Title Filter", - "new-outgoing-webhook": "New Outgoing Webhook", - "no-name": "(Unknown)", - "Node_version": "Node version", - "OS_Arch": "OS Arch", - "OS_Cpus": "OS CPU Count", - "OS_Freemem": "OS Free Memory", - "OS_Loadavg": "OS Load Average", - "OS_Platform": "OS Platform", - "OS_Release": "OS Release", - "OS_Totalmem": "OS Total Memory", - "OS_Type": "OS Type", - "OS_Uptime": "OS Uptime", - "days": "days", - "hours": "hours", - "minutes": "minutes", - "seconds": "seconds", - "show-field-on-card": "Show this field on card", - "automatically-field-on-card": "Auto create field to all cards", - "showLabel-field-on-card": "Show field label on minicard", - "yes": "Yes", + "restore": "Restaurar", + "save": "Salvar", + "search": "Buscar", + "rules": "Regras", + "search-cards": "Pesquisa em títulos e descrições de cartões neste quadro", + "search-example": "Texto para procurar", + "select-color": "Selecionar Cor", + "set-wip-limit-value": "Defina um limite máximo para o número de tarefas nesta lista", + "setWipLimitPopup-title": "Definir Limite WIP", + "shortcut-assign-self": "Atribuir a si o cartão atual", + "shortcut-autocomplete-emoji": "Autocompletar emoji", + "shortcut-autocomplete-members": "Preenchimento automático de membros", + "shortcut-clear-filters": "Limpar todos filtros", + "shortcut-close-dialog": "Fechar dialogo", + "shortcut-filter-my-cards": "Filtrar meus cartões", + "shortcut-show-shortcuts": "Mostrar lista de atalhos", + "shortcut-toggle-filterbar": "Alternar barra de filtro", + "shortcut-toggle-sidebar": "Fechar barra lateral.", + "show-cards-minimum-count": "Mostrar contador de cartões se a lista tiver mais de", + "sidebar-open": "Abrir barra lateral", + "sidebar-close": "Fechar barra lateral", + "signupPopup-title": "Criar uma Conta", + "star-board-title": "Clique para marcar este quadro como favorito. Ele aparecerá no topo na lista dos seus quadros.", + "starred-boards": "Quadros Favoritos", + "starred-boards-description": "Quadros favoritos aparecem no topo da lista dos seus quadros.", + "subscribe": "Acompanhar", + "team": "Equipe", + "this-board": "este quadro", + "this-card": "este cartão", + "spent-time-hours": "Tempo gasto (Horas)", + "overtime-hours": "Tempo extras (Horas)", + "overtime": "Tempo extras", + "has-overtime-cards": "Tem cartões de horas extras", + "has-spenttime-cards": "Gastou cartões de tempo", + "time": "Tempo", + "title": "Título", + "tracking": "Rastreamento", + "tracking-info": "Será notificado se houver qualquer alteração em cartões em que é o criador ou membro", + "type": "Tipo", + "unassign-member": "Membro não associado", + "unsaved-description": "Possui uma descrição não salva", + "unwatch": "Deixar de observar", + "upload": "Carregar", + "upload-avatar": "Carregar um avatar", + "uploaded-avatar": "Avatar carregado", + "username": "Nome de utilizador", + "view-it": "Visualizar", + "warn-list-archived": "aviso: este cartão está em uma lista no Arquivo", + "watch": "Observar", + "watching": "Observando", + "watching-info": "Será notificado de qualquer alteração neste quadro", + "welcome-board": "Quadro de Boas Vindas", + "welcome-swimlane": "Marco 1", + "welcome-list1": "Básico", + "welcome-list2": "Avançado", + "card-templates-swimlane": "Modelos de cartão", + "list-templates-swimlane": "Modelos de lista", + "board-templates-swimlane": "Modelos de quadro", + "what-to-do": "O que gostaria de fazer?", + "wipLimitErrorPopup-title": "Limite WIP Inválido", + "wipLimitErrorPopup-dialog-pt1": "O número de tarefas nesta lista excede o limite WIP definido.", + "wipLimitErrorPopup-dialog-pt2": "Por favor, mova algumas tarefas para fora desta lista, ou defina um limite WIP mais elevado.", + "admin-panel": "Painel Administrativo", + "settings": "Configurações", + "people": "Pessoas", + "registration": "Registo", + "disable-self-registration": "Desabilitar Cadastrar-se", + "invite": "Convite", + "invite-people": "Convide Pessoas", + "to-boards": "Para o/os quadro(s)", + "email-addresses": "Endereço de E-mail", + "smtp-host-description": "O endereço do servidor SMTP que envia seus e-mails.", + "smtp-port-description": "A porta que o servidor SMTP usa para enviar os e-mails.", + "smtp-tls-description": "Habilitar suporte TLS para servidor SMTP", + "smtp-host": "Servidor SMTP", + "smtp-port": "Porta SMTP", + "smtp-username": "Nome de utilizador", + "smtp-password": "Senha", + "smtp-tls": "Suporte TLS", + "send-from": "De", + "send-smtp-test": "Enviar um e-mail de teste para si mesmo", + "invitation-code": "Código do Convite", + "email-invite-register-subject": "__inviter__ lhe enviou um convite", + "email-invite-register-text": "Caro __user__,\n\n__inviter__ convida-o para o quadro Kanban para colaborações.\n\nPor favor, siga o link abaixo:\n__url__ \n\nE seu código de convite é: __icode__\n\nObrigado.", + "email-smtp-test-subject": "E-mail de teste via SMTP", + "email-smtp-test-text": "Enviou um e-mail com sucesso", + "error-invitation-code-not-exist": "O código do convite não existe", + "error-notAuthorized": "Não está autorizado à ver esta página.", + "outgoing-webhooks": "Webhook de saída", + "outgoingWebhooksPopup-title": "Webhook de saída", + "boardCardTitlePopup-title": "Filtro do Título do Cartão", + "new-outgoing-webhook": "Novo Webhook de saída", + "no-name": "(Desconhecido)", + "Node_version": "Versão do Node", + "OS_Arch": "Arquitetura do SO", + "OS_Cpus": "Quantidade de CPUS do SO", + "OS_Freemem": "Memória Disponível do SO", + "OS_Loadavg": "Carga Média do SO", + "OS_Platform": "Plataforma do SO", + "OS_Release": "Versão do SO", + "OS_Totalmem": "Memória Total do SO", + "OS_Type": "Tipo do SO", + "OS_Uptime": "Disponibilidade do SO", + "days": "dias", + "hours": "horas", + "minutes": "minutos", + "seconds": "segundos", + "show-field-on-card": "Mostrar este campo no cartão", + "automatically-field-on-card": "Criar campo automaticamente para todos os cartões", + "showLabel-field-on-card": "Mostrar etiqueta do campo no mini-cartão", + "yes": "Sim", "no": "Não", "accounts": "Contas", - "accounts-allowEmailChange": "Allow Email Change", - "accounts-allowUserNameChange": "Allow Username Change", - "createdAt": "Created at", + "accounts-allowEmailChange": "Permitir Mudança de e-mail", + "accounts-allowUserNameChange": "Permitir alteração de nome de utilizador", + "createdAt": "Criado em", "verified": "Verificado", "active": "Ativo", - "card-received": "Received", - "card-received-on": "Received on", - "card-end": "End", - "card-end-on": "Ends on", - "editCardReceivedDatePopup-title": "Change received date", - "editCardEndDatePopup-title": "Change end date", - "setCardColorPopup-title": "Set color", - "setCardActionsColorPopup-title": "Choose a color", - "setSwimlaneColorPopup-title": "Choose a color", - "setListColorPopup-title": "Choose a color", - "assigned-by": "Assigned By", - "requested-by": "Requested By", - "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", - "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", - "boardDeletePopup-title": "Delete Board?", - "delete-board": "Delete Board", - "default-subtasks-board": "Subtasks for __board__ board", - "default": "Default", - "queue": "Queue", - "subtask-settings": "Subtasks Settings", - "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", - "show-subtasks-field": "Cards can have subtasks", - "deposit-subtasks-board": "Deposit subtasks to this board:", - "deposit-subtasks-list": "Landing list for subtasks deposited here:", - "show-parent-in-minicard": "Show parent in minicard:", - "prefix-with-full-path": "Prefix with full path", - "prefix-with-parent": "Prefix with parent", - "subtext-with-full-path": "Subtext with full path", - "subtext-with-parent": "Subtext with parent", - "change-card-parent": "Change card's parent", - "parent-card": "Parent card", - "source-board": "Source board", - "no-parent": "Don't show parent", - "activity-added-label": "added label '%s' to %s", - "activity-removed-label": "removed label '%s' from %s", - "activity-delete-attach": "deleted an attachment from %s", - "activity-added-label-card": "added label '%s'", - "activity-removed-label-card": "removed label '%s'", - "activity-delete-attach-card": "deleted an attachment", - "activity-set-customfield": "set custom field '%s' to '%s' in %s", - "activity-unset-customfield": "unset custom field '%s' in %s", - "r-rule": "Rule", - "r-add-trigger": "Add trigger", - "r-add-action": "Add action", - "r-board-rules": "Board rules", - "r-add-rule": "Add rule", - "r-view-rule": "View rule", - "r-delete-rule": "Delete rule", - "r-new-rule-name": "New rule title", - "r-no-rules": "No rules", - "r-when-a-card": "When a card", - "r-is": "is", - "r-is-moved": "is moved", - "r-added-to": "added to", - "r-removed-from": "Removed from", - "r-the-board": "the board", - "r-list": "list", - "set-filter": "Set Filter", - "r-moved-to": "Moved to", - "r-moved-from": "Moved from", - "r-archived": "Moved to Archive", - "r-unarchived": "Restored from Archive", - "r-a-card": "a card", - "r-when-a-label-is": "When a label is", - "r-when-the-label-is": "When the label is", - "r-list-name": "list name", - "r-when-a-member": "When a member is", - "r-when-the-member": "When the member", - "r-name": "name", - "r-when-a-attach": "When an attachment", - "r-when-a-checklist": "When a checklist is", - "r-when-the-checklist": "When the checklist", - "r-completed": "Completed", - "r-made-incomplete": "Made incomplete", - "r-when-a-item": "When a checklist item is", - "r-when-the-item": "When the checklist item", - "r-checked": "Checked", - "r-unchecked": "Unchecked", - "r-move-card-to": "Move card to", - "r-top-of": "Top of", - "r-bottom-of": "Bottom of", - "r-its-list": "its list", - "r-archive": "Move to Archive", - "r-unarchive": "Restore from Archive", - "r-card": "card", - "r-add": "Adicionar", - "r-remove": "Remove", - "r-label": "label", - "r-member": "member", - "r-remove-all": "Remove all members from the card", - "r-set-color": "Set color to", - "r-checklist": "checklist", - "r-check-all": "Check all", - "r-uncheck-all": "Uncheck all", - "r-items-check": "items of checklist", - "r-check": "Check", - "r-uncheck": "Uncheck", + "card-received": "Recebido", + "card-received-on": "Recebido em", + "card-end": "Fim", + "card-end-on": "Termina em", + "editCardReceivedDatePopup-title": "Modificar data de recebimento", + "editCardEndDatePopup-title": "Mudar data de fim", + "setCardColorPopup-title": "Definir cor", + "setCardActionsColorPopup-title": "Escolha uma cor", + "setSwimlaneColorPopup-title": "Escolha uma cor", + "setListColorPopup-title": "Escolha uma cor", + "assigned-by": "Atribuído por", + "requested-by": "Solicitado por", + "board-delete-notice": "Excluir é permanente. Irá perder todas as listas, cartões e ações associados nesse quadro.", + "delete-board-confirm-popup": "Todas as listas, cartões, etiquetas e atividades serão excluídos e não poderá recuperar o conteúdo do quadro. Não há como desfazer.", + "boardDeletePopup-title": "Excluir quadro?", + "delete-board": "Excluir quadro", + "default-subtasks-board": "Sub-tarefas para quadro __board__", + "default": "Padrão", + "queue": "Fila", + "subtask-settings": "Configurações de sub-tarefas", + "boardSubtaskSettingsPopup-title": "Configurações das sub-tarefas do quadro", + "show-subtasks-field": "Cartões podem ter sub-tarefas", + "deposit-subtasks-board": "Inserir sub-tarefas a este quadro:", + "deposit-subtasks-list": "Listas de sub-tarefas inseridas aqui:", + "show-parent-in-minicard": "Mostrar Pai do mini cartão:", + "prefix-with-full-path": "Prefixo com caminho completo", + "prefix-with-parent": "Prefixo com Pai", + "subtext-with-full-path": "Sub-texto com caminho completo", + "subtext-with-parent": "Sub-texto com Pai", + "change-card-parent": "Mudar Pai do cartão", + "parent-card": "Pai do cartão", + "source-board": "Fonte do quadro", + "no-parent": "Não mostrar Pai", + "activity-added-label": "adicionada etiqueta '%s' para %s", + "activity-removed-label": "removida etiqueta '%s' de %s", + "activity-delete-attach": "excluído um anexo de %s", + "activity-added-label-card": "adicionada etiqueta '%s'", + "activity-removed-label-card": "removida etiqueta '%s'", + "activity-delete-attach-card": "excluído um anexo", + "activity-set-customfield": "definir campo personalizado '%s' para '%s' em %s", + "activity-unset-customfield": "redefinir campo personalizado '%s' em %s", + "r-rule": "Regra", + "r-add-trigger": "Adicionar gatilho", + "r-add-action": "Adicionar ação", + "r-board-rules": "Quadro de regras", + "r-add-rule": "Adicionar regra", + "r-view-rule": "Ver regra", + "r-delete-rule": "Excluir regra", + "r-new-rule-name": "Título da nova regra", + "r-no-rules": "Sem regras", + "r-when-a-card": "Quando um cartão", + "r-is": "é", + "r-is-moved": "é movido", + "r-added-to": "adicionado à", + "r-removed-from": "Removido de", + "r-the-board": "o quadro", + "r-list": "lista", + "set-filter": "Inserir Filtro", + "r-moved-to": "Movido para", + "r-moved-from": "Movido de", + "r-archived": "Movido para o Arquivo", + "r-unarchived": "Restaurado do Arquivo", + "r-a-card": "um cartão", + "r-when-a-label-is": "Quando uma etiqueta é", + "r-when-the-label-is": "Quando a etiqueta é", + "r-list-name": "listar nome", + "r-when-a-member": "Quando um membro é", + "r-when-the-member": "Quando o membro", + "r-name": "nome", + "r-when-a-attach": "Quando um anexo", + "r-when-a-checklist": "Quando a lista de verificação é", + "r-when-the-checklist": "Quando a lista de verificação", + "r-completed": "Completado", + "r-made-incomplete": "Feito incompleto", + "r-when-a-item": "Quando o item da lista de verificação é", + "r-when-the-item": "Quando o item da lista de verificação", + "r-checked": "Marcado", + "r-unchecked": "Desmarcado", + "r-move-card-to": "Mover cartão para", + "r-top-of": "Topo de", + "r-bottom-of": "Final de", + "r-its-list": "é lista", + "r-archive": "Mover para Arquivo", + "r-unarchive": "Restaurar do Arquivo", + "r-card": "cartão", + "r-add": "Novo", + "r-remove": "Remover", + "r-label": "etiqueta", + "r-member": "membro", + "r-remove-all": "Remover todos os membros do cartão", + "r-set-color": "Definir cor para", + "r-checklist": "lista de verificação", + "r-check-all": "Marcar todos", + "r-uncheck-all": "Desmarcar todos", + "r-items-check": "itens da lista de verificação", + "r-check": "Marcar", + "r-uncheck": "Desmarcar", "r-item": "item", - "r-of-checklist": "of checklist", - "r-send-email": "Send an email", - "r-to": "to", - "r-subject": "subject", - "r-rule-details": "Rule details", - "r-d-move-to-top-gen": "Move card to top of its list", - "r-d-move-to-top-spec": "Move card to top of list", - "r-d-move-to-bottom-gen": "Move card to bottom of its list", - "r-d-move-to-bottom-spec": "Move card to bottom of list", - "r-d-send-email": "Send email", - "r-d-send-email-to": "to", - "r-d-send-email-subject": "subject", - "r-d-send-email-message": "message", - "r-d-archive": "Move card to Archive", - "r-d-unarchive": "Restore card from Archive", - "r-d-add-label": "Add label", - "r-d-remove-label": "Remove label", - "r-create-card": "Create new card", - "r-in-list": "in list", - "r-in-swimlane": "in swimlane", - "r-d-add-member": "Add member", - "r-d-remove-member": "Remove member", - "r-d-remove-all-member": "Remove all member", - "r-d-check-all": "Check all items of a list", - "r-d-uncheck-all": "Uncheck all items of a list", - "r-d-check-one": "Check item", - "r-d-uncheck-one": "Uncheck item", - "r-d-check-of-list": "of checklist", - "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist", - "r-by": "by", - "r-add-checklist": "Add checklist", - "r-with-items": "with items", + "r-of-checklist": "da lista de verificação", + "r-send-email": "Enviar um e-mail", + "r-to": "para", + "r-subject": "assunto", + "r-rule-details": "Detalhes da regra", + "r-d-move-to-top-gen": "Mover cartão para o topo da sua lista", + "r-d-move-to-top-spec": "Mover cartão para o topo da lista", + "r-d-move-to-bottom-gen": "Mover cartão para o final da sua lista", + "r-d-move-to-bottom-spec": "Mover cartão para final da lista", + "r-d-send-email": "Enviar e-mail", + "r-d-send-email-to": "para", + "r-d-send-email-subject": "assunto", + "r-d-send-email-message": "mensagem", + "r-d-archive": "Mover cartão para Arquivo", + "r-d-unarchive": "Restaurar cartão do Arquivo", + "r-d-add-label": "Adicionar etiqueta", + "r-d-remove-label": "Remover etiqueta", + "r-create-card": "Criar novo cartão", + "r-in-list": "na lista", + "r-in-swimlane": "na pista", + "r-d-add-member": "Adicionar membro", + "r-d-remove-member": "Remover membro", + "r-d-remove-all-member": "Remover todos os membros", + "r-d-check-all": "Marcar todos os itens de uma lista", + "r-d-uncheck-all": "Desmarcar todos os itens de uma lista", + "r-d-check-one": "Marcar item", + "r-d-uncheck-one": "Desmarcar item", + "r-d-check-of-list": "da lista de verificação", + "r-d-add-checklist": "Adicionar lista de verificação", + "r-d-remove-checklist": "Remover lista de verificação", + "r-by": "por", + "r-add-checklist": "Adicionar lista de verificação", + "r-with-items": "com os itens", "r-items-list": "item1,item2,item3", - "r-add-swimlane": "Add swimlane", - "r-swimlane-name": "swimlane name", - "r-board-note": "Note: leave a field empty to match every possible value.", - "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", - "r-when-a-card-is-moved": "When a card is moved to another list", + "r-add-swimlane": "Adicionar pista", + "r-swimlane-name": "Nome da pista", + "r-board-note": "Nota: deixe o campo vazio para corresponder à todos os valores possíveis", + "r-checklist-note": "Nota: itens de Checklists devem ser escritos separados por vírgulas", + "r-when-a-card-is-moved": "Quando um cartão é movido de outra lista", "ldap": "LDAP", "oauth2": "OAuth2", "cas": "CAS", - "authentication-method": "Authentication method", - "authentication-type": "Authentication type", - "custom-product-name": "Custom Product Name", + "authentication-method": "Método de autenticação", + "authentication-type": "Tipo de autenticação", + "custom-product-name": "Nome Personalizado do Produto", "layout": "Layout", - "hide-logo": "Hide Logo", - "add-custom-html-after-body-start": "Add Custom HTML after <body> start", - "add-custom-html-before-body-end": "Add Custom HTML before </body> end", - "error-undefined": "Something went wrong", - "error-ldap-login": "An error occurred while trying to login", - "display-authentication-method": "Display Authentication Method", - "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "hide-logo": "Esconder Logo", + "add-custom-html-after-body-start": "Adicionar HTML Personalizado depois do início do <body>", + "add-custom-html-before-body-end": "Adicionar HTML Personalizado antes do fim do </body>", + "error-undefined": "Ocorreu um erro", + "error-ldap-login": "Um erro ocorreu enquanto tentava entrar", + "display-authentication-method": "Mostrar Método de Autenticação", + "default-authentication-method": "Método de Autenticação Padrão", + "duplicate-board": "Duplicar Quadro", + "people-number": "O número de pessoas é:" } \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 84ab4151..b81af840 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -684,5 +684,5 @@ "display-authentication-method": "Показывать способ авторизации", "default-authentication-method": "Способ авторизации по умолчанию", "duplicate-board": "Клонировать доску", - "people-number": "The number of people is:" + "people-number": "Количество человек:" } \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index 2b67a878..a47fdf6a 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -18,11 +18,11 @@ "act-uncompleteChecklist": "看板 __board__ 中的泳道 __swimlane__ 中的列表 __list__ 中的卡片 __card__ 中的清单 __checklist__ 未完成", "act-addComment": "对看板 __board__ 中的泳道 __swimlane__ 中的列表 __list__ 中的卡片 __card__ 发表了评论: __comment__ ", "act-createBoard": "创建看板 __board__", - "act-createSwimlane": "created swimlane __swimlane__ to board __board__", - "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createSwimlane": "创建泳道 __swimlane__ 到看板 __board__", + "act-createCard": "在看板 __board__ 的泳道 __swimlane__ 的列表 __list__ 中添加卡片 __card__", + "act-createCustomField": "在看板 __board__ 泳道 __swimlane__ 列表 __list__ 卡片 __card__ 中创建自定义字段 __customField__", "act-createList": "添加列表 __list__ 至看板 __board__", - "act-addBoardMember": "added member __member__ to board __board__", + "act-addBoardMember": "添加成员 __member__ 到看板 __board__", "act-archivedBoard": "看板 __board__ 已被移入归档", "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", "act-archivedList": "看板 __board__ 中的泳道 __swimlane__ 中的列表 __list__ 已被移入归档", @@ -683,6 +683,6 @@ "error-ldap-login": "尝试登陆时出错", "display-authentication-method": "显示认证方式", "default-authentication-method": "缺省认证方式", - "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "duplicate-board": "复制看板", + "people-number": "人数是:" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 41eb47bc1530249f9f8bce3c3df0712af285ce6c Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Tue, 23 Apr 2019 14:08:13 +0300 Subject: v2.62 --- CHANGELOG.md | 9 +++++++++ Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 13 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index e5dbd0e6..230fb827 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# v2.62 2019-04-23 Wekan release + +This release fixes the following bugs: + +- [Mobile UI: Center cards in list view](https://github.com/wekan/wekan/issues/2371). + Thanks to hupptechnologies. + +Thanks to above GitHub users for their contributions and translators for their translations. + # v2.61 2019-04-20 Wekan release This release adds the following new features: diff --git a/Stackerfile.yml b/Stackerfile.yml index 2639cb96..8497c6b5 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.61.0" +appVersion: "v2.62.0" files: userUploads: - README.md diff --git a/package.json b/package.json index c0195e97..e35b4ee2 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.61.0", + "version": "v2.62.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index d6e807b0..e4245f14 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 263, + appVersion = 264, # Increment this for every release. - appMarketingVersion = (defaultText = "2.61.0~2019-04-20"), + appMarketingVersion = (defaultText = "2.62.0~2019-04-23"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 6a94500170509d2d82bd9a0fdc94a7ce66215b3d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Tue, 23 Apr 2019 14:35:41 +0300 Subject: Remove caddy plugins http.filter, http.ipfilter and http.realip from caddy because they are currently broken, preventing download of caddy during Wekan Snap build. Thanks to xet7 ! --- snapcraft.yaml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/snapcraft.yaml b/snapcraft.yaml index 874b617c..5a1c6b9f 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -224,7 +224,7 @@ parts: caddy: plugin: dump - source: https://caddyserver.com/download/linux/amd64?plugins=http.filter,http.ipfilter,http.realip&license=personal&telemetry=off + source: https://caddyserver.com/download/linux/amd64?license=personal&telemetry=off source-type: tar organize: caddy: bin/caddy -- cgit v1.2.3-1-g7c22 From ff8a10c2312bd4857b34ac4c73f8b5a1799dfecb Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Tue, 23 Apr 2019 14:41:33 +0300 Subject: v2.63 --- CHANGELOG.md | 10 ++++++++++ Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 14 insertions(+), 4 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 230fb827..670907f1 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,13 @@ +# v2.63 2019-04-23 Wekan release + +This release removes the following Caddy plugins: + +- [Remove Caddy plugins http.filter, http.ipfilter and http.realip from Caddy](https://github.com/wekan/wekan/commot/6a94500170509d2d82bd9a0fdc94a7ce66215b3d) + because they are currently broken, preventing download of Caddy during Wekan Snap build. + Thanks to xet7. + +Thanks to above GitHub users for their contributions and translators for their translations. + # v2.62 2019-04-23 Wekan release This release fixes the following bugs: diff --git a/Stackerfile.yml b/Stackerfile.yml index 8497c6b5..e56eadd9 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.62.0" +appVersion: "v2.63.0" files: userUploads: - README.md diff --git a/package.json b/package.json index e35b4ee2..2e753d6b 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.62.0", + "version": "v2.63.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index e4245f14..ebcf0896 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 264, + appVersion = 265, # Increment this for every release. - appMarketingVersion = (defaultText = "2.62.0~2019-04-23"), + appMarketingVersion = (defaultText = "2.63.0~2019-04-23"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 6933424fca56fc84b0060ff97b97303d36ab5fb0 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Tue, 23 Apr 2019 15:10:47 +0300 Subject: Remove python2 from Dockerfile, to make Docker image smaller. Thanks to xet7 ! --- Dockerfile | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/Dockerfile b/Dockerfile index a81215fb..213b6ae6 100644 --- a/Dockerfile +++ b/Dockerfile @@ -4,7 +4,7 @@ LABEL maintainer="wekan" # Set the environment variables (defaults where required) # DOES NOT WORK: paxctl fix for alpine linux: https://github.com/wekan/wekan/issues/1303 # ENV BUILD_DEPS="paxctl" -ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential python python3 python3-distutils git ca-certificates gcc-7" \ +ENV BUILD_DEPS="apt-utils bsdtar gnupg gosu wget curl bzip2 build-essential python3 python3-pip git ca-certificates gcc-8" \ DEBUG=false \ NODE_VERSION=v8.16.0 \ METEOR_RELEASE=1.6.0.1 \ @@ -108,6 +108,7 @@ RUN \ \ # OS dependencies apt-get update -y && apt-get install -y --no-install-recommends ${BUILD_DEPS} && \ + pip3 install -U pip setuptools wheel && \ \ # Meteor installer doesn't work with the default tar binary, so using bsdtar while installing. # https://github.com/coreos/bugs/issues/1095#issuecomment-350574389 -- cgit v1.2.3-1-g7c22 From 8137f2692fe3e1d9f1c0a9b635ef15cdf36728f7 Mon Sep 17 00:00:00 2001 From: guillaume <guillaume.cassou@orange.fr> Date: Tue, 23 Apr 2019 18:00:09 +0200 Subject: remove feature --- client/components/sidebar/sidebarArchives.jade | 28 +++++++++++---- client/components/sidebar/sidebarArchives.js | 48 +++++++++++++++++++++++++ client/components/swimlanes/swimlaneHeader.jade | 4 +++ i18n/en.i18n.json | 6 +++- i18n/fr.i18n.json | 8 +++-- models/boards.js | 19 ++++++++++ models/cards.js | 4 +-- models/checklists.js | 2 -- models/lists.js | 10 ++++++ models/swimlanes.js | 20 ++++++++++- 10 files changed, 135 insertions(+), 14 deletions(-) diff --git a/client/components/sidebar/sidebarArchives.jade b/client/components/sidebar/sidebarArchives.jade index ee6cac01..e2f3e395 100644 --- a/client/components/sidebar/sidebarArchives.jade +++ b/client/components/sidebar/sidebarArchives.jade @@ -2,6 +2,10 @@ template(name="archivesSidebar") +basicTabs(tabs=tabs) +tabContent(slug="cards") + p.quiet + a.js-restore-all-cards {{_ 'restore-all'}} + | - + a.js-delete-all-cards {{_ 'delete-all'}} each archivedCards .minicard-wrapper.js-minicard +minicard(this) @@ -16,23 +20,35 @@ template(name="archivesSidebar") p.no-items-message {{_ 'no-archived-cards'}} +tabContent(slug="lists") + p.quiet + a.js-restore-all-lists {{_ 'restore-all'}} + | - + a.js-delete-all-lists {{_ 'delete-all'}} ul.archived-lists each archivedLists li.archived-lists-item - if currentUser.isBoardMember - button.js-restore-list - i.fa.fa-undo = title + if currentUser.isBoardMember + p.quiet + a.js-restore-list {{_ 'restore'}} + | - + a.js-delete-list {{_ 'delete'}} else li.no-items-message {{_ 'no-archived-lists'}} +tabContent(slug="swimlanes") + p.quiet + a.js-restore-all-swimlanes {{_ 'restore-all'}} + | - + a.js-delete-all-swimlanes {{_ 'delete-all'}} ul.archived-lists each archivedSwimlanes li.archived-lists-item - if currentUser.isBoardMember - button.js-restore-swimlane - i.fa.fa-undo = title + if currentUser.isBoardMember + p.quiet + a.js-restore-swimlane {{_ 'restore'}} + | - + a.js-delete-swimlane {{_ 'delete'}} else li.no-items-message {{_ 'no-archived-swimlanes'}} diff --git a/client/components/sidebar/sidebarArchives.js b/client/components/sidebar/sidebarArchives.js index 6102bf11..b50043fd 100644 --- a/client/components/sidebar/sidebarArchives.js +++ b/client/components/sidebar/sidebarArchives.js @@ -44,19 +44,67 @@ BlazeComponent.extendComponent({ card.restore(); } }, + 'click .js-restore-all-cards'() { + this.archivedCards().forEach((card) => { + if(card.canBeRestored()){ + card.restore(); + } + }); + }, + 'click .js-delete-card': Popup.afterConfirm('cardDelete', function() { const cardId = this._id; Cards.remove(cardId); Popup.close(); }), + 'click .js-delete-all-cards': Popup.afterConfirm('cardDelete', () => { + this.archivedCards().forEach((card) => { + Cards.remove(card._id); + }); + Popup.close(); + }), + 'click .js-restore-list'() { const list = this.currentData(); list.restore(); }, + 'click .js-restore-all-lists'() { + this.archivedLists().forEach((list) => { + list.restore(); + }); + }, + + 'click .js-delete-list': Popup.afterConfirm('listDelete', function() { + this.remove(); + Popup.close(); + }), + 'click .js-delete-all-lists': Popup.afterConfirm('listDelete', () => { + this.archivedLists().forEach((list) => { + list.remove(); + }); + Popup.close(); + }), + 'click .js-restore-swimlane'() { const swimlane = this.currentData(); swimlane.restore(); }, + 'click .js-restore-all-swimlanes'() { + this.archivedSwimlanes().forEach((swimlane) => { + swimlane.restore(); + }); + }, + + 'click .js-delete-swimlane': Popup.afterConfirm('swimlaneDelete', function() { + this.remove(); + Popup.close(); + }), + 'click .js-delete-all-swimlanes': Popup.afterConfirm('swimlaneDelete', () => { + this.archivedSwimlanes().forEach((swimlane) => { + swimlane.remove(); + }); + Popup.close(); + }), }]; }, }).register('archivesSidebar'); diff --git a/client/components/swimlanes/swimlaneHeader.jade b/client/components/swimlanes/swimlaneHeader.jade index de9621d5..8c6aa5a3 100644 --- a/client/components/swimlanes/swimlaneHeader.jade +++ b/client/components/swimlanes/swimlaneHeader.jade @@ -54,3 +54,7 @@ template(name="setSwimlaneColorPopup") i.fa.fa-check button.primary.confirm.js-submit {{_ 'save'}} button.js-remove-color.negate.wide.right {{_ 'unset-color'}} + +template(name="swimlaneDeletePopup") + p {{_ "swimlane-delete-pop"}} + button.js-confirm.negate.full(type="submit") {{_ 'delete'}} diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index 22e15934..bb84dc66 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -687,5 +687,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is: " + "people-number": "The number of people is: ", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 922ebc27..224be75c 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Afficher la méthode d'authentification", "default-authentication-method": "Méthode d'authentification par défaut", "duplicate-board": "Dupliquer le tableau", - "people-number": "Le nombre d'utilisateurs est de :" -} \ No newline at end of file + "people-number": "Le nombre d'utilisateurs est de :", + "swimlaneDeletePopup-title": "Supprimer le couloir ?", + "swimlane-delete-pop": "Toutes les actions vont être supprimées du suivi d'activités et vous ne pourrez plus utiliser ce couloir. Cette action est irréversible.", + "restore-all": "Tout supprimer", + "delete-all": "Tout restaurer" +} diff --git a/models/boards.js b/models/boards.js index 36651d54..b07d9e27 100644 --- a/models/boards.js +++ b/models/boards.js @@ -803,6 +803,13 @@ Boards.mutations({ }, }); +function boardRemover(userId, doc) { + [Cards, Lists, Swimlanes, Integrations, Rules, Activities].forEach((element) => { + element.remove({ boardId: doc._id }); + }); +} + + if (Meteor.isServer) { Boards.allow({ insert: Meteor.userId, @@ -966,6 +973,18 @@ if (Meteor.isServer) { } }); + Boards.before.remove((userId, doc) => { + boardRemover(userId, doc); + // Add removeBoard activity to keep it + Activities.insert({ + userId, + type: 'board', + activityTypeId: doc._id, + activityType: 'removeBoard', + boardId: doc._id, + }); + }); + // Add a new activity if we add or remove a member to the board Boards.after.update((userId, doc, fieldNames, modifier) => { if (!_.contains(fieldNames, 'members')) { diff --git a/models/cards.js b/models/cards.js index 7430ae52..d5a59377 100644 --- a/models/cards.js +++ b/models/cards.js @@ -1518,7 +1518,7 @@ function cardCreation(userId, doc) { } function cardRemover(userId, doc) { - Activities.remove({ + ChecklistItems.remove({ cardId: doc._id, }); Checklists.remove({ @@ -1583,7 +1583,7 @@ if (Meteor.isServer) { // Remove all activities associated with a card if we remove the card // Remove also card_comments / checklists / attachments - Cards.after.remove((userId, doc) => { + Cards.before.remove((userId, doc) => { cardRemover(userId, doc); }); } diff --git a/models/checklists.js b/models/checklists.js index d5063faf..33cb0f40 100644 --- a/models/checklists.js +++ b/models/checklists.js @@ -157,8 +157,6 @@ if (Meteor.isServer) { listId: doc.listId, swimlaneId: doc.swimlaneId, }); - - }); } diff --git a/models/lists.js b/models/lists.js index a8e597ee..1a0910c2 100644 --- a/models/lists.js +++ b/models/lists.js @@ -217,6 +217,10 @@ Lists.helpers({ isTemplateList() { return this.type === 'template-list'; }, + + remove() { + Lists.remove({ _id: this._id}); + }, }); Lists.mutations({ @@ -310,6 +314,12 @@ if (Meteor.isServer) { }); Lists.before.remove((userId, doc) => { + const cards = Cards.find({ listId: doc._id }); + if (cards) { + cards.forEach((card) => { + Cards.remove(card._id); + }); + } Activities.insert({ userId, type: 'list', diff --git a/models/swimlanes.js b/models/swimlanes.js index 9da4afb5..bd2565af 100644 --- a/models/swimlanes.js +++ b/models/swimlanes.js @@ -180,6 +180,10 @@ Swimlanes.helpers({ const user = Users.findOne(Meteor.userId()); return user.profile.boardTemplatesSwimlaneId === this._id; }, + + remove() { + Swimlanes.remove({ _id: this._id}); + }, }); Swimlanes.mutations({ @@ -234,7 +238,21 @@ if (Meteor.isServer) { }); }); - Swimlanes.before.remove((userId, doc) => { + Swimlanes.before.remove(function(userId, doc) { + const lists = Lists.find({ + boardId: doc.boardId, + swimlaneId: {$in: [doc._id, '']}, + archived: false, + }, { sort: ['sort'] }); + + if (lists.count() < 2) { + lists.forEach((list) => { + list.remove(); + }); + } else { + Cards.remove({swimlaneId: doc._id}); + } + Activities.insert({ userId, type: 'swimlane', -- cgit v1.2.3-1-g7c22 From 454e8a39625ba4416d8d2ac5ee71b4d9798b702b Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Tue, 23 Apr 2019 19:38:23 +0300 Subject: Update translations. --- i18n/ar.i18n.json | 6 +++++- i18n/bg.i18n.json | 6 +++++- i18n/br.i18n.json | 6 +++++- i18n/ca.i18n.json | 6 +++++- i18n/cs.i18n.json | 6 +++++- i18n/da.i18n.json | 6 +++++- i18n/de.i18n.json | 6 +++++- i18n/el.i18n.json | 6 +++++- i18n/en-GB.i18n.json | 6 +++++- i18n/eo.i18n.json | 6 +++++- i18n/es-AR.i18n.json | 6 +++++- i18n/es.i18n.json | 6 +++++- i18n/eu.i18n.json | 6 +++++- i18n/fa.i18n.json | 6 +++++- i18n/fi.i18n.json | 6 +++++- i18n/fr.i18n.json | 2 +- i18n/gl.i18n.json | 6 +++++- i18n/he.i18n.json | 6 +++++- i18n/hi.i18n.json | 6 +++++- i18n/hu.i18n.json | 6 +++++- i18n/hy.i18n.json | 6 +++++- i18n/id.i18n.json | 6 +++++- i18n/ig.i18n.json | 6 +++++- i18n/it.i18n.json | 6 +++++- i18n/ja.i18n.json | 6 +++++- i18n/ka.i18n.json | 6 +++++- i18n/km.i18n.json | 6 +++++- i18n/ko.i18n.json | 6 +++++- i18n/lv.i18n.json | 6 +++++- i18n/mk.i18n.json | 6 +++++- i18n/mn.i18n.json | 6 +++++- i18n/nb.i18n.json | 6 +++++- i18n/nl.i18n.json | 6 +++++- i18n/oc.i18n.json | 6 +++++- i18n/pl.i18n.json | 6 +++++- i18n/pt-BR.i18n.json | 6 +++++- i18n/pt.i18n.json | 6 +++++- i18n/ro.i18n.json | 6 +++++- i18n/ru.i18n.json | 6 +++++- i18n/sr.i18n.json | 6 +++++- i18n/sv.i18n.json | 6 +++++- i18n/sw.i18n.json | 6 +++++- i18n/ta.i18n.json | 6 +++++- i18n/th.i18n.json | 6 +++++- i18n/tr.i18n.json | 6 +++++- i18n/uk.i18n.json | 6 +++++- i18n/vi.i18n.json | 6 +++++- i18n/zh-CN.i18n.json | 6 +++++- i18n/zh-TW.i18n.json | 6 +++++- 49 files changed, 241 insertions(+), 49 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index c8550643..1d833811 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 34025188..8b383e1f 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index a6005751..eb5b30f7 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 0a204de2..94470f4a 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 82b7b2ba..185e4063 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Zobraz způsob ověřování", "default-authentication-method": "Zobraz způsob ověřování", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/da.i18n.json b/i18n/da.i18n.json index 95d41623..bb85d3c6 100644 --- a/i18n/da.i18n.json +++ b/i18n/da.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index f823f5ed..f2d3edc9 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Anzeige Authentifizierungsverfahren", "default-authentication-method": "Standardauthentifizierungsverfahren", "duplicate-board": "Board duplizieren", - "people-number": "Anzahl der Personen:" + "people-number": "Anzahl der Personen:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index bf642815..a6724e6a 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 1b8f6a77..9c059213 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index c93d4a40..56edd282 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index 4ac17086..572e0ec6 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 086e6701..046a49ce 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Mostrar el método de autenticación", "default-authentication-method": "Método de autenticación por defecto", "duplicate-board": "Duplicar tablero", - "people-number": "El número de personas es:" + "people-number": "El número de personas es:", + "swimlaneDeletePopup-title": "¿Eliminar el carril de flujo?", + "swimlane-delete-pop": "Todas las acciones serán eliminadas del historial de actividades y no se podrá recuperar el carril de flujo. Esta acción no puede deshacerse.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index f44b5219..29809abc 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index 610e651d..79e4b80f 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "نمایش نوع اعتبارسنجی", "default-authentication-method": "نوع اعتبارسنجی پیشفرض", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index d475a3b3..0cfed49e 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Näytä kirjautumistapa", "default-authentication-method": "Oletus kirjautumistapa", "duplicate-board": "Tee kaksoiskappale taulusta", - "people-number": "Ihmisten määrä on:" + "people-number": "Ihmisten määrä on:", + "swimlaneDeletePopup-title": "Poista Swimlane ?", + "swimlane-delete-pop": "Kaikki toimet poistetaan toimintasyötteestä ja swimlanen poistaminen on lopullista. Tätä ei pysty peruuttamaan.", + "restore-all": "Palauta kaikki", + "delete-all": "Poista kaikki" } \ No newline at end of file diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index 224be75c..ec20794c 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -689,4 +689,4 @@ "swimlane-delete-pop": "Toutes les actions vont être supprimées du suivi d'activités et vous ne pourrez plus utiliser ce couloir. Cette action est irréversible.", "restore-all": "Tout supprimer", "delete-all": "Tout restaurer" -} +} \ No newline at end of file diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index ddc9f250..5a48f3b5 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index cda8016d..00c0d554 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "הצגת שיטת אימות", "default-authentication-method": "שיטת אימות כבררת מחדל", "duplicate-board": "שכפול לוח", - "people-number": "מספר האנשים הוא:" + "people-number": "מספר האנשים הוא:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/hi.i18n.json b/i18n/hi.i18n.json index d31829d8..3e87423d 100644 --- a/i18n/hi.i18n.json +++ b/i18n/hi.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index c84138cb..ac4b0903 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Hitelelesítési mód mutatása", "default-authentication-method": "Alapértelmezett hitelesítési mód", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index 28140211..d09c2947 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index 87c50fe8..bd05571e 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 0699b2e3..75f0257d 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 54e6bc1c..1584b857 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Mostra il metodo di autenticazione", "default-authentication-method": "Metodo di autenticazione predefinito", "duplicate-board": "Duplica bacheca", - "people-number": "Il numero di persone è:" + "people-number": "Il numero di persone è:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index d496788a..c7e5b77a 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index c98f7500..e9eea77b 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index e06eb4a9..8aeb30a6 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index df8b9cfe..f669afe4 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index fb20beda..e420b507 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/mk.i18n.json b/i18n/mk.i18n.json index 385acfee..c7cf28b5 100644 --- a/i18n/mk.i18n.json +++ b/i18n/mk.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index 1da0cd1b..e3d4fb1c 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index ba52baa9..91d018ec 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 48998d3b..1767113e 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/oc.i18n.json b/i18n/oc.i18n.json index bd48f715..595231e5 100644 --- a/i18n/oc.i18n.json +++ b/i18n/oc.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 27fe3861..2064df1b 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Wyświetl metodę logowania", "default-authentication-method": "Domyślna metoda logowania", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index bb62e3d1..b5321f29 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Mostrar Método de Autenticação", "default-authentication-method": "Método de Autenticação Padrão", "duplicate-board": "Duplicar Quadro", - "people-number": "O número de pessoas é:" + "people-number": "O número de pessoas é:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index ad51a7d9..531973c1 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Mostrar Método de Autenticação", "default-authentication-method": "Método de Autenticação Padrão", "duplicate-board": "Duplicar Quadro", - "people-number": "O número de pessoas é:" + "people-number": "O número de pessoas é:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index ad6296bf..a8a15de5 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index b81af840..0e20f615 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Показывать способ авторизации", "default-authentication-method": "Способ авторизации по умолчанию", "duplicate-board": "Клонировать доску", - "people-number": "Количество человек:" + "people-number": "Количество человек:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index 9035e33f..602b8e4e 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 89326120..24d2d0c8 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Visa autentiseringsmetod", "default-authentication-method": "Standard autentiseringsmetod", "duplicate-board": "Dubbletttavla", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/sw.i18n.json b/i18n/sw.i18n.json index 9f850deb..f2d41117 100644 --- a/i18n/sw.i18n.json +++ b/i18n/sw.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index b57c19d3..83f22a70 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index b6fc51a5..8eb1001f 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index 05bc48f4..777caa11 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 9781c9f5..3eb579ea 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index e61d5fec..9c8b5cd5 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index a47fdf6a..d4988b6e 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "显示认证方式", "default-authentication-method": "缺省认证方式", "duplicate-board": "复制看板", - "people-number": "人数是:" + "people-number": "人数是:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index 794d5d66..dc527ec2 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -684,5 +684,9 @@ "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:" + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 4eaffdc6a40f8a9e1fb1ea41686ed98e11364468 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Tue, 23 Apr 2019 19:43:02 +0300 Subject: [Board Archive: Delete Card/List/Swimlane](https://github.com/wekan/wekan/pull/2376). Thanks to Akuket ! Closes #1625 --- CHANGELOG.md | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 670907f1..4a680b2b 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# Upcoming Wekan release + +This release adds the following new features: + +- [Board Archive: Delete Card/List/Swimlane](https://github.com/wekan/wekan/pull/2376). + Thanks to Akuket. + +Thanks to above GitHub users for their contributions and translators for their translations. + # v2.63 2019-04-23 Wekan release This release removes the following Caddy plugins: -- cgit v1.2.3-1-g7c22 From 65d86a42d77d5938d7c5a5bdc4fbf5cc7f6f4722 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Tue, 23 Apr 2019 19:45:54 +0300 Subject: Update translations (es). --- i18n/es.i18n.json | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 046a49ce..3cf30e44 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -687,6 +687,6 @@ "people-number": "El número de personas es:", "swimlaneDeletePopup-title": "¿Eliminar el carril de flujo?", "swimlane-delete-pop": "Todas las acciones serán eliminadas del historial de actividades y no se podrá recuperar el carril de flujo. Esta acción no puede deshacerse.", - "restore-all": "Restore all", - "delete-all": "Delete all" + "restore-all": "Restaurar todas", + "delete-all": "Borrar todas" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 642002030919ad2db2121d9f5c3754faf9a6b965 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Tue, 23 Apr 2019 19:49:07 +0300 Subject: v2.64 --- CHANGELOG.md | 4 ++-- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 6 insertions(+), 6 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 4a680b2b..0da3fd22 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,8 +1,8 @@ -# Upcoming Wekan release +# v2.64 2019-04-23 Wekan release This release adds the following new features: -- [Board Archive: Delete Card/List/Swimlane](https://github.com/wekan/wekan/pull/2376). +- [Board Archive: Restore All/Delete All of Cards/Lists/Swimlanes](https://github.com/wekan/wekan/pull/2376). Thanks to Akuket. Thanks to above GitHub users for their contributions and translators for their translations. diff --git a/Stackerfile.yml b/Stackerfile.yml index e56eadd9..27b6655f 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.63.0" +appVersion: "v2.64.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 2e753d6b..0ff8d4ea 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.63.0", + "version": "v2.64.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index ebcf0896..ac51193b 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 265, + appVersion = 266, # Increment this for every release. - appMarketingVersion = (defaultText = "2.63.0~2019-04-23"), + appMarketingVersion = (defaultText = "2.64.0~2019-04-23"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 8b3601248deb7f45d5bb5cb2d35d9a7ebaac1ab1 Mon Sep 17 00:00:00 2001 From: guillaume <guillaume.cassou@orange.fr> Date: Wed, 24 Apr 2019 12:28:11 +0200 Subject: Loading authentication page --- client/components/main/layouts.jade | 37 ++++++++----- client/components/main/layouts.js | 27 +++++++--- client/components/main/layouts.styl | 104 +++++++++++++++++++++++++++++++++++- i18n/en.i18n.json | 3 +- i18n/fr.i18n.json | 5 +- 5 files changed, 150 insertions(+), 26 deletions(-) diff --git a/client/components/main/layouts.jade b/client/components/main/layouts.jade index 7fd0492e..9543c5c5 100644 --- a/client/components/main/layouts.jade +++ b/client/components/main/layouts.jade @@ -13,20 +13,20 @@ head template(name="userFormsLayout") section.auth-layout - h1 - br - br section.auth-dialog - +Template.dynamic(template=content) - if currentSetting.displayAuthenticationMethod - +connectionMethod(authenticationMethod=currentSetting.defaultAuthenticationMethod) - div.at-form-lang - select.select-lang.js-userform-set-language - each languages - if isCurrentLanguage - option(value="{{tag}}" selected="selected") {{name}} - else - option(value="{{tag}}") {{name}} + if isLoading + +loader + else + +Template.dynamic(template=content) + if currentSetting.displayAuthenticationMethod + +connectionMethod(authenticationMethod=currentSetting.defaultAuthenticationMethod) + div.at-form-lang + select.select-lang.js-userform-set-language + each languages + if isCurrentLanguage + option(value="{{tag}}" selected="selected") {{name}} + else + option(value="{{tag}}") {{name}} template(name="defaultLayout") +header @@ -59,3 +59,14 @@ template(name="message") unless currentUser with(pathFor route='atSignIn') p {{{_ 'page-maybe-private' this}}} + +template(name="loader") + h1.loadingText {{_ 'loading'}} + .lds-roller + div + div + div + div + div + div + div diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index 6f7c914a..9d2e7ae2 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -23,6 +23,7 @@ const validator = { Template.userFormsLayout.onCreated(function() { const instance = this; instance.currentSetting = new ReactiveVar(); + instance.isLoading = new ReactiveVar(false); Meteor.subscribe('setting', { onReady() { @@ -47,6 +48,10 @@ Template.userFormsLayout.helpers({ return Template.instance().currentSetting.get(); }, + isLoading() { + return Template.instance().isLoading.get(); + }, + afterBodyStart() { return currentSetting.customHTMLafterBodyStart; }, @@ -89,7 +94,11 @@ Template.userFormsLayout.events({ }, 'click #at-btn'(event, instance) { if (FlowRouter.getRouteName() === 'atSignIn') { - authentication(event, instance); + instance.isLoading.set(true); + authentication(event, instance) + .then(() => { + instance.isLoading.set(false); + }); } }, }); @@ -116,19 +125,21 @@ async function authentication(event, instance) { switch (result) { case 'ldap': - Meteor.loginWithLDAP(match, password, function() { - FlowRouter.go('/'); + return new Promise((resolve) => { + Meteor.loginWithLDAP(match, password, function() { + resolve(FlowRouter.go('/')); + }); }); - break; case 'cas': - Meteor.loginWithCas(function() { - FlowRouter.go('/'); + return new Promise((resolve) => { + Meteor.loginWithCas(match, password, function() { + resolve(FlowRouter.go('/')); + }); }); - break; default: - break; + return; } } diff --git a/client/components/main/layouts.styl b/client/components/main/layouts.styl index edbf759b..46ee720c 100644 --- a/client/components/main/layouts.styl +++ b/client/components/main/layouts.styl @@ -61,7 +61,7 @@ body display: block float: right font-size: 24px - + .modal-content-wide width: 800px min-height: 0px @@ -290,7 +290,7 @@ kbd // Implement a thiner close icon as suggested in // https://github.com/FortAwesome/Font-Awesome/issues/1540#issuecomment-68689950 .fa.fa-times-thin:before - content: '\00d7'; + content: '\00d7' .fa.fa-globe.colorful, .fa.fa-bell.colorful color: #4caf50 @@ -399,3 +399,103 @@ a height: 37px margin: 8px 10px 0 0 width: 50px + +.select-authentication + width: 100% + +.auth-layout + display: flex + flex-direction: column + align-items: center + justify-content: center + height: 100% + + .auth-dialog + margin: 0 !important + +.loadingText + text-align: center + +.lds-roller + display: block + margin: auto + position: relative + width: 64px + height: 64px + + div + animation: lds-roller 1.2s cubic-bezier(0.5, 0, 0.5, 1) infinite + transform-origin: 32px 32px + + div:after + content: " " + display: block + position: absolute + width: 6px + height: 6px + border-radius: 50% + background: #dedede + margin: -3px 0 0 -3px + + div:nth-child(1) + animation-delay: -0.036s + + div:nth-child(1):after + top: 50px + left: 50px + + div:nth-child(2) + animation-delay: -0.072s + + div:nth-child(2):after + top: 54px + left: 45px + + div:nth-child(3) + animation-delay: -0.108s + + div:nth-child(3):after + top: 57px + left: 39px + + div:nth-child(4) + animation-delay: -0.144s + + div:nth-child(4):after + top: 58px + left: 32px + + div:nth-child(5) + animation-delay: -0.18s + + div:nth-child(5):after + top: 57px + left: 25px + + div:nth-child(6) + animation-delay: -0.216s + + div:nth-child(6):after + top: 54px + left: 19px + + div:nth-child(7) + animation-delay: -0.252s + + div:nth-child(7):after + top: 50px + left: 14px + + div:nth-child(8) + animation-delay: -0.288s + + div:nth-child(8):after + top: 45px + left: 10px + +@keyframes lds-roller + 0% + transform: rotate(0deg) + + 100% + transform: rotate(360deg) diff --git a/i18n/en.i18n.json b/i18n/en.i18n.json index bb84dc66..3f35fca2 100644 --- a/i18n/en.i18n.json +++ b/i18n/en.i18n.json @@ -691,5 +691,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index ec20794c..dcac54e2 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Supprimer le couloir ?", "swimlane-delete-pop": "Toutes les actions vont être supprimées du suivi d'activités et vous ne pourrez plus utiliser ce couloir. Cette action est irréversible.", "restore-all": "Tout supprimer", - "delete-all": "Tout restaurer" -} \ No newline at end of file + "delete-all": "Tout restaurer", + "loading": "Chargement, merci de patienter." +} -- cgit v1.2.3-1-g7c22 From a750ecaafde402bb5f42c91dca647e1e16849d0f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Wed, 24 Apr 2019 13:32:36 +0300 Subject: - Remove from card menu, because they also exist at card: members, labels, attachments, dates received/start/due/end. Thanks to sfahrenholz, jrsupplee and xet7 ! Closes #2242, related https://community.vanila.io/?t=517527b6-3d84-4e9d-b2ec-6f560a9cfdf7 --- client/components/cards/cardDetails.jade | 14 +++++++------- 1 file changed, 7 insertions(+), 7 deletions(-) diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index 5fd7b748..bb633754 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -221,14 +221,14 @@ template(name="cardDetailsActionsPopup") if canModifyCard hr ul.pop-over-list - li: a.js-members {{_ 'card-edit-members'}} - li: a.js-labels {{_ 'card-edit-labels'}} - li: a.js-attachments {{_ 'card-edit-attachments'}} + //li: a.js-members {{_ 'card-edit-members'}} + //li: a.js-labels {{_ 'card-edit-labels'}} + //li: a.js-attachments {{_ 'card-edit-attachments'}} li: a.js-custom-fields {{_ 'card-edit-custom-fields'}} - li: a.js-received-date {{_ 'editCardReceivedDatePopup-title'}} - li: a.js-start-date {{_ 'editCardStartDatePopup-title'}} - li: a.js-due-date {{_ 'editCardDueDatePopup-title'}} - li: a.js-end-date {{_ 'editCardEndDatePopup-title'}} + //li: a.js-received-date {{_ 'editCardReceivedDatePopup-title'}} + //li: a.js-start-date {{_ 'editCardStartDatePopup-title'}} + //li: a.js-due-date {{_ 'editCardDueDatePopup-title'}} + //li: a.js-end-date {{_ 'editCardEndDatePopup-title'}} li: a.js-spent-time {{_ 'editCardSpentTimePopup-title'}} li: a.js-set-card-color {{_ 'setCardColorPopup-title'}} hr -- cgit v1.2.3-1-g7c22 From 259ff3436f3eecf78b748e238e98bfda6817cc44 Mon Sep 17 00:00:00 2001 From: guillaume <guillaume.cassou@orange.fr> Date: Wed, 24 Apr 2019 12:35:00 +0200 Subject: fix lints --- client/components/main/layouts.js | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/client/components/main/layouts.js b/client/components/main/layouts.js index 9d2e7ae2..d5113a25 100644 --- a/client/components/main/layouts.js +++ b/client/components/main/layouts.js @@ -113,11 +113,11 @@ async function authentication(event, instance) { const match = $('#at-field-username_and_email').val(); const password = $('#at-field-password').val(); - if (!match || !password) return; + if (!match || !password) return undefined; const result = await getAuthenticationMethod(instance.currentSetting.get(), match); - if (result === 'password') return; + if (result === 'password') return undefined; // Stop submit #at-pwd-form event.preventDefault(); @@ -139,7 +139,7 @@ async function authentication(event, instance) { }); default: - return; + return undefined; } } -- cgit v1.2.3-1-g7c22 From 1c2ee631f4da0f4075749e229cf09b83bf2c1982 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Wed, 24 Apr 2019 13:37:19 +0300 Subject: Update changelog. --- CHANGELOG.md | 10 ++++++++++ 1 file changed, 10 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 0da3fd22..1c8d3564 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,13 @@ +# Upcoming Wekan release + +This release fixes the following UI duplicates: + +- [Remove from card menu, because they also exist at card: + members, labels, attachments, dates received/start/due/end](https://github.com/wekan/wekan/issues/2242). + Thanks to sfahrenholz, jrsupplee and xet7. + +Thanks to above GitHub users for their contributions and translators for their translations. + # v2.64 2019-04-23 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From a66632f76716222aa48981030fa04b1d812e8c8f Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Wed, 24 Apr 2019 13:41:29 +0300 Subject: Update translations. --- i18n/cs.i18n.json | 2 +- i18n/de.i18n.json | 8 ++++---- i18n/he.i18n.json | 10 +++++----- i18n/pt-BR.i18n.json | 8 ++++---- i18n/ru.i18n.json | 16 ++++++++-------- i18n/tr.i18n.json | 4 ++-- 6 files changed, 24 insertions(+), 24 deletions(-) diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 185e4063..1320f36c 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -683,7 +683,7 @@ "error-ldap-login": "Během přihlašování nastala chyba", "display-authentication-method": "Zobraz způsob ověřování", "default-authentication-method": "Zobraz způsob ověřování", - "duplicate-board": "Duplicate Board", + "duplicate-board": "Duplikovat tablo", "people-number": "The number of people is:", "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index f2d3edc9..6dbbe6d5 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -685,8 +685,8 @@ "default-authentication-method": "Standardauthentifizierungsverfahren", "duplicate-board": "Board duplizieren", "people-number": "Anzahl der Personen:", - "swimlaneDeletePopup-title": "Delete Swimlane ?", - "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", - "restore-all": "Restore all", - "delete-all": "Delete all" + "swimlaneDeletePopup-title": "Swimlane löschen?", + "swimlane-delete-pop": "Alle Aktionen werden aus dem Aktivitäts-Feed entfernt und du kannst die Swimlane auch nicht wiederherstellen: Es gibt kein Undo!", + "restore-all": "Alles wiederherstellen", + "delete-all": "Alles löschen" } \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index 00c0d554..d80b2935 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -11,7 +11,7 @@ "act-addChecklist": "נוספה רשימת מטלות __checklist__ לכרטיס __card__ ברשימה __list__ שבמסלול __swimlane__ בלוח __board__", "act-addChecklistItem": "נוסף פריט סימון __checklistItem__ לרשימת המטלות __checklist__ לכרטיס __card__ ברשימה __list__ במסלול __swimlane__ בלוח __board__", "act-removeChecklist": "הוסרה רשימת מטלות __checklist__ מהכרטיס __card__ ברשימה __list__ שבמסלול __swimlane__ בלוח __board__", - "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "פריט הסימון __checklistItem__ הוסר מרשימת המטלות __checkList__ בכרטיס __card__ ברשימה __list__ מהמסלול __swimlane__ בלוח __board__", "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -685,8 +685,8 @@ "default-authentication-method": "שיטת אימות כבררת מחדל", "duplicate-board": "שכפול לוח", "people-number": "מספר האנשים הוא:", - "swimlaneDeletePopup-title": "Delete Swimlane ?", - "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", - "restore-all": "Restore all", - "delete-all": "Delete all" + "swimlaneDeletePopup-title": "למחוק מסלול?", + "swimlane-delete-pop": "כל הפעולות יוסרו מהזנת הפעילות ולא תהיה לך אפשרות לשחזר את המסלול. אי אפשר לחזור אחורה.", + "restore-all": "לשחזר הכול", + "delete-all": "למחוק הכול" } \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index b5321f29..314a1359 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -685,8 +685,8 @@ "default-authentication-method": "Método de Autenticação Padrão", "duplicate-board": "Duplicar Quadro", "people-number": "O número de pessoas é:", - "swimlaneDeletePopup-title": "Delete Swimlane ?", - "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", - "restore-all": "Restore all", - "delete-all": "Delete all" + "swimlaneDeletePopup-title": "Excluir Raia?", + "swimlane-delete-pop": "Todas as ações serão excluídas da lista de atividades e você não poderá recuperar a raia. Não há como desfazer.", + "restore-all": "Restaurar tudo", + "delete-all": "Excluir tudo" } \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 0e20f615..c56fc528 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -137,7 +137,7 @@ "board-archived": "Эта доска перемещена в архив.", "card-comments-title": "Комментарии (%s)", "card-delete-notice": "Это действие невозможно будет отменить. Все изменения, которые вы вносили в карточку будут потеряны.", - "card-delete-pop": "Все действия будут удалены из ленты активности участников и вы не сможете заново открыть карточку. Действие необратимо", + "card-delete-pop": "Все действия будут удалены из ленты активности участников, и вы не сможете заново открыть карточку. Действие необратимо", "card-delete-suggest-archive": "Вы можете переместить карточку в архив, чтобы убрать ее с доски, сохранив всю историю действий участников.", "card-due": "Выполнить к", "card-due-on": "Выполнить до", @@ -148,7 +148,7 @@ "card-edit-members": "Изменить участников", "card-labels-title": "Изменить метки для этой карточки.", "card-members-title": "Добавить или удалить с карточки участников доски.", - "card-start": "Дата начала", + "card-start": "В работе с", "card-start-on": "Начнётся с", "cardAttachmentsPopup-title": "Прикрепить из", "cardCustomField-datePopup-title": "Изменить дату", @@ -358,7 +358,7 @@ "listImportCardPopup-title": "Импортировать Trello карточку", "listMorePopup-title": "Поделиться", "link-list": "Ссылка на список", - "list-delete-pop": "Все действия будут удалены из ленты активности участников и вы не сможете восстановить список. Данное действие необратимо.", + "list-delete-pop": "Все действия будут удалены из ленты активности участников, и вы не сможете восстановить список. Данное действие необратимо.", "list-delete-suggest-archive": "Вы можете отправить список в Архив, чтобы убрать его с доски и при этом сохранить результаты.", "lists": "Списки", "swimlanes": "Дорожки", @@ -534,7 +534,7 @@ "active": "Действующий", "card-received": "Получено", "card-received-on": "Получено с", - "card-end": "Дата окончания", + "card-end": "Завершено", "card-end-on": "Завершится до", "editCardReceivedDatePopup-title": "Изменить дату получения", "editCardEndDatePopup-title": "Изменить дату завершения", @@ -685,8 +685,8 @@ "default-authentication-method": "Способ авторизации по умолчанию", "duplicate-board": "Клонировать доску", "people-number": "Количество человек:", - "swimlaneDeletePopup-title": "Delete Swimlane ?", - "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", - "restore-all": "Restore all", - "delete-all": "Delete all" + "swimlaneDeletePopup-title": "Удалить дорожку?", + "swimlane-delete-pop": "Все действия будут удалены из ленты активности участников, и вы не сможете восстановить дорожку. Данное действие необратимо.", + "restore-all": "Восстановить все", + "delete-all": "Удалить все" } \ No newline at end of file diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index 777caa11..ca59e0a5 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -685,8 +685,8 @@ "default-authentication-method": "Default Authentication Method", "duplicate-board": "Duplicate Board", "people-number": "The number of people is:", - "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlaneDeletePopup-title": "Kulvar silinsin mi?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Hepsini sil" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 9647a332098de42bb140dfccde9a9044e68304ce Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Wed, 24 Apr 2019 14:01:38 +0300 Subject: Update translations. --- i18n/ar.i18n.json | 3 ++- i18n/bg.i18n.json | 3 ++- i18n/br.i18n.json | 3 ++- i18n/ca.i18n.json | 3 ++- i18n/cs.i18n.json | 3 ++- i18n/da.i18n.json | 3 ++- i18n/de.i18n.json | 3 ++- i18n/el.i18n.json | 3 ++- i18n/en-GB.i18n.json | 3 ++- i18n/eo.i18n.json | 3 ++- i18n/es-AR.i18n.json | 3 ++- i18n/es.i18n.json | 3 ++- i18n/eu.i18n.json | 3 ++- i18n/fa.i18n.json | 3 ++- i18n/fi.i18n.json | 3 ++- i18n/fr.i18n.json | 2 +- i18n/gl.i18n.json | 3 ++- i18n/he.i18n.json | 3 ++- i18n/hi.i18n.json | 3 ++- i18n/hu.i18n.json | 3 ++- i18n/hy.i18n.json | 3 ++- i18n/id.i18n.json | 3 ++- i18n/ig.i18n.json | 3 ++- i18n/it.i18n.json | 3 ++- i18n/ja.i18n.json | 3 ++- i18n/ka.i18n.json | 3 ++- i18n/km.i18n.json | 3 ++- i18n/ko.i18n.json | 3 ++- i18n/lv.i18n.json | 3 ++- i18n/mk.i18n.json | 3 ++- i18n/mn.i18n.json | 3 ++- i18n/nb.i18n.json | 3 ++- i18n/nl.i18n.json | 3 ++- i18n/oc.i18n.json | 3 ++- i18n/pl.i18n.json | 3 ++- i18n/pt-BR.i18n.json | 3 ++- i18n/pt.i18n.json | 3 ++- i18n/ro.i18n.json | 3 ++- i18n/ru.i18n.json | 3 ++- i18n/sr.i18n.json | 3 ++- i18n/sv.i18n.json | 3 ++- i18n/sw.i18n.json | 3 ++- i18n/ta.i18n.json | 3 ++- i18n/th.i18n.json | 3 ++- i18n/tr.i18n.json | 3 ++- i18n/uk.i18n.json | 3 ++- i18n/vi.i18n.json | 3 ++- i18n/zh-CN.i18n.json | 3 ++- i18n/zh-TW.i18n.json | 3 ++- 49 files changed, 97 insertions(+), 49 deletions(-) diff --git a/i18n/ar.i18n.json b/i18n/ar.i18n.json index 1d833811..f871749d 100644 --- a/i18n/ar.i18n.json +++ b/i18n/ar.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/bg.i18n.json b/i18n/bg.i18n.json index 8b383e1f..1ea4a84e 100644 --- a/i18n/bg.i18n.json +++ b/i18n/bg.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/br.i18n.json b/i18n/br.i18n.json index eb5b30f7..e52b6d81 100644 --- a/i18n/br.i18n.json +++ b/i18n/br.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/ca.i18n.json b/i18n/ca.i18n.json index 94470f4a..8169a547 100644 --- a/i18n/ca.i18n.json +++ b/i18n/ca.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/cs.i18n.json b/i18n/cs.i18n.json index 1320f36c..066ac52a 100644 --- a/i18n/cs.i18n.json +++ b/i18n/cs.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/da.i18n.json b/i18n/da.i18n.json index bb85d3c6..1d39f325 100644 --- a/i18n/da.i18n.json +++ b/i18n/da.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 6dbbe6d5..5b074c80 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Swimlane löschen?", "swimlane-delete-pop": "Alle Aktionen werden aus dem Aktivitäts-Feed entfernt und du kannst die Swimlane auch nicht wiederherstellen: Es gibt kein Undo!", "restore-all": "Alles wiederherstellen", - "delete-all": "Alles löschen" + "delete-all": "Alles löschen", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/el.i18n.json b/i18n/el.i18n.json index a6724e6a..1f6f9f94 100644 --- a/i18n/el.i18n.json +++ b/i18n/el.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/en-GB.i18n.json b/i18n/en-GB.i18n.json index 9c059213..b883857f 100644 --- a/i18n/en-GB.i18n.json +++ b/i18n/en-GB.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/eo.i18n.json b/i18n/eo.i18n.json index 56edd282..7343e1f1 100644 --- a/i18n/eo.i18n.json +++ b/i18n/eo.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/es-AR.i18n.json b/i18n/es-AR.i18n.json index 572e0ec6..9e4b5c35 100644 --- a/i18n/es-AR.i18n.json +++ b/i18n/es-AR.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index 3cf30e44..b7b5da10 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "¿Eliminar el carril de flujo?", "swimlane-delete-pop": "Todas las acciones serán eliminadas del historial de actividades y no se podrá recuperar el carril de flujo. Esta acción no puede deshacerse.", "restore-all": "Restaurar todas", - "delete-all": "Borrar todas" + "delete-all": "Borrar todas", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/eu.i18n.json b/i18n/eu.i18n.json index 29809abc..3a60a50d 100644 --- a/i18n/eu.i18n.json +++ b/i18n/eu.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/fa.i18n.json b/i18n/fa.i18n.json index 79e4b80f..b35cbb94 100644 --- a/i18n/fa.i18n.json +++ b/i18n/fa.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/fi.i18n.json b/i18n/fi.i18n.json index 0cfed49e..f304ef93 100644 --- a/i18n/fi.i18n.json +++ b/i18n/fi.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Poista Swimlane ?", "swimlane-delete-pop": "Kaikki toimet poistetaan toimintasyötteestä ja swimlanen poistaminen on lopullista. Tätä ei pysty peruuttamaan.", "restore-all": "Palauta kaikki", - "delete-all": "Poista kaikki" + "delete-all": "Poista kaikki", + "loading": "Ladataan, odota hetki." } \ No newline at end of file diff --git a/i18n/fr.i18n.json b/i18n/fr.i18n.json index dcac54e2..59a31155 100644 --- a/i18n/fr.i18n.json +++ b/i18n/fr.i18n.json @@ -690,4 +690,4 @@ "restore-all": "Tout supprimer", "delete-all": "Tout restaurer", "loading": "Chargement, merci de patienter." -} +} \ No newline at end of file diff --git a/i18n/gl.i18n.json b/i18n/gl.i18n.json index 5a48f3b5..01e63713 100644 --- a/i18n/gl.i18n.json +++ b/i18n/gl.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index d80b2935..b4795fe4 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "למחוק מסלול?", "swimlane-delete-pop": "כל הפעולות יוסרו מהזנת הפעילות ולא תהיה לך אפשרות לשחזר את המסלול. אי אפשר לחזור אחורה.", "restore-all": "לשחזר הכול", - "delete-all": "למחוק הכול" + "delete-all": "למחוק הכול", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/hi.i18n.json b/i18n/hi.i18n.json index 3e87423d..a61620f5 100644 --- a/i18n/hi.i18n.json +++ b/i18n/hi.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/hu.i18n.json b/i18n/hu.i18n.json index ac4b0903..75894ed9 100644 --- a/i18n/hu.i18n.json +++ b/i18n/hu.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/hy.i18n.json b/i18n/hy.i18n.json index d09c2947..ad8122eb 100644 --- a/i18n/hy.i18n.json +++ b/i18n/hy.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/id.i18n.json b/i18n/id.i18n.json index bd05571e..fd635703 100644 --- a/i18n/id.i18n.json +++ b/i18n/id.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/ig.i18n.json b/i18n/ig.i18n.json index 75f0257d..b2ea17d2 100644 --- a/i18n/ig.i18n.json +++ b/i18n/ig.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/it.i18n.json b/i18n/it.i18n.json index 1584b857..fc40233a 100644 --- a/i18n/it.i18n.json +++ b/i18n/it.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index c7e5b77a..09ac0d2f 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/ka.i18n.json b/i18n/ka.i18n.json index e9eea77b..21899882 100644 --- a/i18n/ka.i18n.json +++ b/i18n/ka.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/km.i18n.json b/i18n/km.i18n.json index 8aeb30a6..4341bbf9 100644 --- a/i18n/km.i18n.json +++ b/i18n/km.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/ko.i18n.json b/i18n/ko.i18n.json index f669afe4..a15399d3 100644 --- a/i18n/ko.i18n.json +++ b/i18n/ko.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/lv.i18n.json b/i18n/lv.i18n.json index e420b507..e9078c8e 100644 --- a/i18n/lv.i18n.json +++ b/i18n/lv.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/mk.i18n.json b/i18n/mk.i18n.json index c7cf28b5..dd828bb8 100644 --- a/i18n/mk.i18n.json +++ b/i18n/mk.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/mn.i18n.json b/i18n/mn.i18n.json index e3d4fb1c..d71ba0d4 100644 --- a/i18n/mn.i18n.json +++ b/i18n/mn.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/nb.i18n.json b/i18n/nb.i18n.json index 91d018ec..78aeb8e2 100644 --- a/i18n/nb.i18n.json +++ b/i18n/nb.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/nl.i18n.json b/i18n/nl.i18n.json index 1767113e..bec7469d 100644 --- a/i18n/nl.i18n.json +++ b/i18n/nl.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/oc.i18n.json b/i18n/oc.i18n.json index 595231e5..35df0ae7 100644 --- a/i18n/oc.i18n.json +++ b/i18n/oc.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index 2064df1b..fa5ff8f2 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index 314a1359..c29a1e18 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Excluir Raia?", "swimlane-delete-pop": "Todas as ações serão excluídas da lista de atividades e você não poderá recuperar a raia. Não há como desfazer.", "restore-all": "Restaurar tudo", - "delete-all": "Excluir tudo" + "delete-all": "Excluir tudo", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/pt.i18n.json b/i18n/pt.i18n.json index 531973c1..e87c381a 100644 --- a/i18n/pt.i18n.json +++ b/i18n/pt.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/ro.i18n.json b/i18n/ro.i18n.json index a8a15de5..8cc39c9f 100644 --- a/i18n/ro.i18n.json +++ b/i18n/ro.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index c56fc528..8b876b3f 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Удалить дорожку?", "swimlane-delete-pop": "Все действия будут удалены из ленты активности участников, и вы не сможете восстановить дорожку. Данное действие необратимо.", "restore-all": "Восстановить все", - "delete-all": "Удалить все" + "delete-all": "Удалить все", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/sr.i18n.json b/i18n/sr.i18n.json index 602b8e4e..c23e2162 100644 --- a/i18n/sr.i18n.json +++ b/i18n/sr.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index 24d2d0c8..adb4c041 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/sw.i18n.json b/i18n/sw.i18n.json index f2d41117..caa91697 100644 --- a/i18n/sw.i18n.json +++ b/i18n/sw.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/ta.i18n.json b/i18n/ta.i18n.json index 83f22a70..a9fafed6 100644 --- a/i18n/ta.i18n.json +++ b/i18n/ta.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/th.i18n.json b/i18n/th.i18n.json index 8eb1001f..2be9c4f4 100644 --- a/i18n/th.i18n.json +++ b/i18n/th.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index ca59e0a5..b9903e2b 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Kulvar silinsin mi?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Hepsini sil" + "delete-all": "Hepsini sil", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/uk.i18n.json b/i18n/uk.i18n.json index 3eb579ea..5c641f26 100644 --- a/i18n/uk.i18n.json +++ b/i18n/uk.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/vi.i18n.json b/i18n/vi.i18n.json index 9c8b5cd5..e1327ee0 100644 --- a/i18n/vi.i18n.json +++ b/i18n/vi.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index d4988b6e..cf9ae3d3 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file diff --git a/i18n/zh-TW.i18n.json b/i18n/zh-TW.i18n.json index dc527ec2..e525cf07 100644 --- a/i18n/zh-TW.i18n.json +++ b/i18n/zh-TW.i18n.json @@ -688,5 +688,6 @@ "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", "restore-all": "Restore all", - "delete-all": "Delete all" + "delete-all": "Delete all", + "loading": "Loading, please wait." } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From aeb3dd0220841f4248d832d0308e059a261d815d Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Wed, 24 Apr 2019 14:40:04 +0300 Subject: v2.65 --- CHANGELOG.md | 10 ++++++++-- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 12 insertions(+), 6 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 1c8d3564..29e7ce5d 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,6 +1,12 @@ -# Upcoming Wekan release +# v2.65 2019-04-24 Wekan release -This release fixes the following UI duplicates: +This release adds the following new features: + +- [Now a loading animation is displayed when the authentication is performed. This allows users + to know that it's in progress](https://github.com/wekan/wekan/pull/2379). + Thanks to Akuket. + +and removes the following UI duplicates: - [Remove from card menu, because they also exist at card: members, labels, attachments, dates received/start/due/end](https://github.com/wekan/wekan/issues/2242). diff --git a/Stackerfile.yml b/Stackerfile.yml index 27b6655f..64ef51d7 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.64.0" +appVersion: "v2.65.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 0ff8d4ea..11ac23d1 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.64.0", + "version": "v2.65.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index ac51193b..b6c4f9c0 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 266, + appVersion = 267, # Increment this for every release. - appMarketingVersion = (defaultText = "2.64.0~2019-04-23"), + appMarketingVersion = (defaultText = "2.65.0~2019-04-24"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22 From 11a91bfc786789df24a9e1d9a4b10365bfbd0deb Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Wed, 24 Apr 2019 16:12:29 +0300 Subject: Update translations. --- i18n/he.i18n.json | 6 +++--- i18n/pt-BR.i18n.json | 2 +- 2 files changed, 4 insertions(+), 4 deletions(-) diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index b4795fe4..a9baf194 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -12,8 +12,8 @@ "act-addChecklistItem": "נוסף פריט סימון __checklistItem__ לרשימת המטלות __checklist__ לכרטיס __card__ ברשימה __list__ במסלול __swimlane__ בלוח __board__", "act-removeChecklist": "הוסרה רשימת מטלות __checklist__ מהכרטיס __card__ ברשימה __list__ שבמסלול __swimlane__ בלוח __board__", "act-removeChecklistItem": "פריט הסימון __checklistItem__ הוסר מרשימת המטלות __checkList__ בכרטיס __card__ ברשימה __list__ מהמסלול __swimlane__ בלוח __board__", - "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "__checklistItem__ ברשימת המטלות __checklist__ סומן בכרטיס __card__ ברשימה __list__ במסלול __swimlane__ בלוח __board__", + "act-uncheckedItem": "בוטל הסימון __checklistItem__ ברשימת המטלות __checklist__ בכרטיס __card__ ברשימה __list__ במסלול __swimlane__ בלוח __board__", "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -689,5 +689,5 @@ "swimlane-delete-pop": "כל הפעולות יוסרו מהזנת הפעילות ולא תהיה לך אפשרות לשחזר את המסלול. אי אפשר לחזור אחורה.", "restore-all": "לשחזר הכול", "delete-all": "למחוק הכול", - "loading": "Loading, please wait." + "loading": "העמוד בטעינה, אנא המתינו." } \ No newline at end of file diff --git a/i18n/pt-BR.i18n.json b/i18n/pt-BR.i18n.json index c29a1e18..16caedc2 100644 --- a/i18n/pt-BR.i18n.json +++ b/i18n/pt-BR.i18n.json @@ -689,5 +689,5 @@ "swimlane-delete-pop": "Todas as ações serão excluídas da lista de atividades e você não poderá recuperar a raia. Não há como desfazer.", "restore-all": "Restaurar tudo", "delete-all": "Excluir tudo", - "loading": "Loading, please wait." + "loading": "Carregando, aguarde por favor." } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From cdef8a33e4df1caf9c8796ded4d946a76acb28a0 Mon Sep 17 00:00:00 2001 From: guillaume <guillaume.cassou@orange.fr> Date: Fri, 26 Apr 2019 17:53:48 +0200 Subject: Delete user feature --- client/components/settings/peopleBody.jade | 5 ++++- client/components/settings/peopleBody.js | 9 +++++++++ client/components/settings/peopleBody.styl | 12 ++++++++++++ client/components/users/userHeader.jade | 5 ++++- client/components/users/userHeader.js | 5 +++++ models/users.js | 28 ++++++++++++++++++++++++++++ 6 files changed, 62 insertions(+), 2 deletions(-) diff --git a/client/components/settings/peopleBody.jade b/client/components/settings/peopleBody.jade index 4dca5cb1..15deb005 100644 --- a/client/components/settings/peopleBody.jade +++ b/client/components/settings/peopleBody.jade @@ -107,5 +107,8 @@ template(name="editUserPopup") label | {{_ 'password'}} input.js-profile-password(type="password") + div.buttonsContainer + input.primary.wide(type="submit" value="{{_ 'save'}}") + div + input#deleteButton.primary.wide(type="button" value="{{_ 'delete'}}") - input.primary.wide(type="submit" value="{{_ 'save'}}") diff --git a/client/components/settings/peopleBody.js b/client/components/settings/peopleBody.js index 3ec96bb0..83cf14fa 100644 --- a/client/components/settings/peopleBody.js +++ b/client/components/settings/peopleBody.js @@ -98,6 +98,7 @@ Template.peopleRow.helpers({ Template.editUserPopup.onCreated(function() { this.authenticationMethods = new ReactiveVar([]); + this.errorMessage = new ReactiveVar(''); Meteor.call('getAuthenticationsEnabled', (_, result) => { if (result) { @@ -129,6 +130,9 @@ Template.editUserPopup.helpers({ const selected = Users.findOne(userId).authenticationMethod; return selected === 'ldap'; }, + errorMessage() { + return Template.instance().errorMessage.get(); + }, }); BlazeComponent.extendComponent({ @@ -220,4 +224,9 @@ Template.editUserPopup.events({ }); } else Popup.close(); }, + + 'click #deleteButton'() { + Users.remove(this.userId); + Popup.close(); + }, }); diff --git a/client/components/settings/peopleBody.styl b/client/components/settings/peopleBody.styl index b98c5340..80387611 100644 --- a/client/components/settings/peopleBody.styl +++ b/client/components/settings/peopleBody.styl @@ -34,3 +34,15 @@ table button min-width: 60px; + +.content-wrapper + margin-top: 10px + +.buttonsContainer + display: flex + + input + margin: 0 + + div + margin: auto diff --git a/client/components/users/userHeader.jade b/client/components/users/userHeader.jade index c55b65c2..2a3d04cc 100644 --- a/client/components/users/userHeader.jade +++ b/client/components/users/userHeader.jade @@ -53,7 +53,10 @@ template(name="editProfilePopup") input.js-profile-email(type="email" value="{{emails.[0].address}}") else input.js-profile-email(type="email" value="{{emails.[0].address}}" readonly) - input.primary.wide(type="submit" value="{{_ 'save'}}") + div.buttonsContainer + input.primary.wide(type="submit" value="{{_ 'save'}}") + div + input#deleteButton.primary.wide(type="button" value="{{_ 'delete'}}") template(name="changePasswordPopup") +atForm(state='changePwd') diff --git a/client/components/users/userHeader.js b/client/components/users/userHeader.js index 6a2397a4..869c9d15 100644 --- a/client/components/users/userHeader.js +++ b/client/components/users/userHeader.js @@ -95,6 +95,11 @@ Template.editProfilePopup.events({ }); } else Popup.back(); }, + 'click #deleteButton'() { + Users.remove(Meteor.userId()); + Popup.close(); + AccountsTemplates.logout(); + }, }); // XXX For some reason the useraccounts autofocus isnt working in this case. diff --git a/models/users.js b/models/users.js index 0dd9c1d6..c2687e35 100644 --- a/models/users.js +++ b/models/users.js @@ -238,6 +238,19 @@ Users.allow({ const user = Users.findOne(userId); return user && Meteor.user().isAdmin; }, + remove(userId, doc) { + const adminsNumber = Users.find({ isAdmin: true }).count(); + const { isAdmin } = Users.findOne({ _id: userId }, { fields: { 'isAdmin': 1 } }); + + // Prevents remove of the only one administrator + if (adminsNumber === 1 && isAdmin && userId === doc._id) { + return false; + } + + // If it's the user or an admin + return userId === doc._id || isAdmin; + }, + fetch: [], }); // Search a user in the complete server database by its name or username. This @@ -364,6 +377,10 @@ Users.helpers({ getTemplatesBoardSlug() { return Boards.findOne(this.profile.templatesBoardId).slug; }, + + remove() { + User.remove({ _id: this._id}); + }, }); Users.mutations({ @@ -673,6 +690,17 @@ if (Meteor.isServer) { }, {unique: true}); }); + Users.before.remove((userId, doc) => { + Boards + .find({members: {$elemMatch: {userId: doc._id, isAdmin: true}}}) + .forEach((board) => { + // If only one admin for the board + if (board.members.filter((e) => e.isAdmin).length === 1) { + Boards.remove(board._id); + } + }); + }); + // Each board document contains the de-normalized number of users that have // starred it. If the user star or unstar a board, we need to update this // counter. -- cgit v1.2.3-1-g7c22 From b17359ec6fd0e8526a623691f87f55158999b43a Mon Sep 17 00:00:00 2001 From: Samuel <faust64@gmail.com> Date: Fri, 26 Apr 2019 18:21:42 +0200 Subject: fix(oidc): can not log in Trying to configure wekan authenticating against LemonLDAP-NG, I used to read about errors like the following: ``` XXX: getUserInfo response: { sub: 'demoone' } XXX: userinfo: { sub: 'demoone' } {"line":"431","file":"oauth.js","message":"Error in OAuth Server: id is not defined","time":{"$date":1556286530412},"level":"warn"} Exception while invoking method 'login' { stack: 'ReferenceError: id is not defined\n at Object.handleOauthRequest (packages/wekan-oidc.js:39:68)\n at OAuth._requestHandlers.(anonymous function) (packages/oauth2.js:27:31)\n at middleware (packages/oauth.js:203:5)\n at packages/oauth.js:176:5', source: 'method' } ``` Looking at the sources, that error message seems to be right: we have several references to `id`, `uid`, `displayName` or `email`, which are not defined. Probably a typo, assuming we meant these to be strings. Applying that patch, I confirm I can finally log in: ``` XXX: getUserInfo response: { sub: 'demoone' } XXX: userinfo: { sub: 'demoone' } XXX: serviceData: { id: undefined, username: undefined, fullname: undefined, accessToken: 'e57dc4e9e81cc98c279db3ed08b1c72f', expiresAt: 1556298699213, email: undefined } XXX: profile: { name: undefined, email: undefined } ``` All the credit goes to @pcurie . --- packages/wekan-oidc/oidc_server.js | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/packages/wekan-oidc/oidc_server.js b/packages/wekan-oidc/oidc_server.js index fb948c52..ec615cd1 100644 --- a/packages/wekan-oidc/oidc_server.js +++ b/packages/wekan-oidc/oidc_server.js @@ -13,12 +13,12 @@ OAuth.registerService('oidc', 2, null, function (query) { if (debug) console.log('XXX: userinfo:', userinfo); var serviceData = {}; - serviceData.id = userinfo[process.env.OAUTH2_ID_MAP] || userinfo[id]; - serviceData.username = userinfo[process.env.OAUTH2_USERNAME_MAP] || userinfo[uid]; - serviceData.fullname = userinfo[process.env.OAUTH2_FULLNAME_MAP] || userinfo[displayName]; + serviceData.id = userinfo[process.env.OAUTH2_ID_MAP] || userinfo["id"]; + serviceData.username = userinfo[process.env.OAUTH2_USERNAME_MAP] || userinfo["uid"]; + serviceData.fullname = userinfo[process.env.OAUTH2_FULLNAME_MAP] || userinfo["displayName"]; serviceData.accessToken = accessToken; serviceData.expiresAt = expiresAt; - serviceData.email = userinfo[process.env.OAUTH2_EMAIL_MAP] || userinfo[email]; + serviceData.email = userinfo[process.env.OAUTH2_EMAIL_MAP] || userinfo["email"]; if (accessToken) { var tokenContent = getTokenContent(accessToken); @@ -31,8 +31,8 @@ OAuth.registerService('oidc', 2, null, function (query) { if (debug) console.log('XXX: serviceData:', serviceData); var profile = {}; - profile.name = userinfo[process.env.OAUTH2_FULLNAME_MAP] || userinfo[displayName]; - profile.email = userinfo[process.env.OAUTH2_EMAIL_MAP] || userinfo[email]; + profile.name = userinfo[process.env.OAUTH2_FULLNAME_MAP] || userinfo["displayName"]; + profile.email = userinfo[process.env.OAUTH2_EMAIL_MAP] || userinfo["email"]; if (debug) console.log('XXX: profile:', profile); return { -- cgit v1.2.3-1-g7c22 From 94b602e1673c1a03ebdd78a5c9d4ecb82795313e Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Fri, 26 Apr 2019 23:07:38 +0300 Subject: Update translations. --- i18n/de.i18n.json | 2 +- i18n/he.i18n.json | 2 +- i18n/ru.i18n.json | 4 ++-- i18n/tr.i18n.json | 2 +- i18n/zh-CN.i18n.json | 20 ++++++++++---------- 5 files changed, 15 insertions(+), 15 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 5b074c80..113b734d 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -689,5 +689,5 @@ "swimlane-delete-pop": "Alle Aktionen werden aus dem Aktivitäts-Feed entfernt und du kannst die Swimlane auch nicht wiederherstellen: Es gibt kein Undo!", "restore-all": "Alles wiederherstellen", "delete-all": "Alles löschen", - "loading": "Loading, please wait." + "loading": "Wird geladen. Bitte warten." } \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index a9baf194..eda78d0b 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -12,7 +12,7 @@ "act-addChecklistItem": "נוסף פריט סימון __checklistItem__ לרשימת המטלות __checklist__ לכרטיס __card__ ברשימה __list__ במסלול __swimlane__ בלוח __board__", "act-removeChecklist": "הוסרה רשימת מטלות __checklist__ מהכרטיס __card__ ברשימה __list__ שבמסלול __swimlane__ בלוח __board__", "act-removeChecklistItem": "פריט הסימון __checklistItem__ הוסר מרשימת המטלות __checkList__ בכרטיס __card__ ברשימה __list__ מהמסלול __swimlane__ בלוח __board__", - "act-checkedItem": "__checklistItem__ ברשימת המטלות __checklist__ סומן בכרטיס __card__ ברשימה __list__ במסלול __swimlane__ בלוח __board__", + "act-checkedItem": "הפריט __checklistItem__ ששייך לרשימת המשימות __checklist__ בכרטיס __card__ שברשימת __list__ במסלול __swimlane__ שבלוח __board__ סומן", "act-uncheckedItem": "בוטל הסימון __checklistItem__ ברשימת המטלות __checklist__ בכרטיס __card__ ברשימה __list__ במסלול __swimlane__ בלוח __board__", "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", diff --git a/i18n/ru.i18n.json b/i18n/ru.i18n.json index 8b876b3f..2bfbcbc4 100644 --- a/i18n/ru.i18n.json +++ b/i18n/ru.i18n.json @@ -4,7 +4,7 @@ "act-addAttachment": "прикрепил вложение __attachment__ в карточку __card__ в списке __list__ на дорожке __swimlane__ доски __board__", "act-deleteAttachment": "удалил вложение __attachment__ из карточки __card__ в списке __list__ на дорожке __swimlane__ доски __board__", "act-addSubtask": "добавил подзадачу __subtask__ для карточки __card__ в списке __list__ на дорожке __swimlane__ доски __board__", - "act-addLabel": "Добавлена метка __label__ в карточку __card__ в списке __list__ на дорожке __swimlane__ доски __board__", + "act-addLabel": "добавил метку __label__ в карточку __card__ в списке __list__ на дорожке __swimlane__ доски __board__", "act-addedLabel": "Добавлена метка __label__ в карточку __card__ в списке __list__ на дорожке __swimlane__ доски __board__", "act-removeLabel": "Снята метка __label__ с карточки __card__ в списке __list__ на дорожке __swimlane__ доски __board__", "act-removedLabel": "Снята метка __label__ с карточки __card__ в списке __list__ на дорожке __swimlane__ доски __board__", @@ -689,5 +689,5 @@ "swimlane-delete-pop": "Все действия будут удалены из ленты активности участников, и вы не сможете восстановить дорожку. Данное действие необратимо.", "restore-all": "Восстановить все", "delete-all": "Удалить все", - "loading": "Loading, please wait." + "loading": "Идет загрузка, пожалуйста подождите" } \ No newline at end of file diff --git a/i18n/tr.i18n.json b/i18n/tr.i18n.json index b9903e2b..bd8c9737 100644 --- a/i18n/tr.i18n.json +++ b/i18n/tr.i18n.json @@ -59,7 +59,7 @@ "activity-checked-item": "checked %s in checklist %s of %s", "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "%s içine yapılacak listesi ekledi", - "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-removed": "%s Tarafından yapılacaklar listesi silinmiştir", "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", "activity-checklist-item-added": "%s içinde %s yapılacak listesine öğe ekledi", diff --git a/i18n/zh-CN.i18n.json b/i18n/zh-CN.i18n.json index cf9ae3d3..22a46660 100644 --- a/i18n/zh-CN.i18n.json +++ b/i18n/zh-CN.i18n.json @@ -24,14 +24,14 @@ "act-createList": "添加列表 __list__ 至看板 __board__", "act-addBoardMember": "添加成员 __member__ 到看板 __board__", "act-archivedBoard": "看板 __board__ 已被移入归档", - "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedCard": "将看板 __board__ 中的泳道 __swimlane__ 中的列表 __list__ 中的卡片 移动到归档中", "act-archivedList": "看板 __board__ 中的泳道 __swimlane__ 中的列表 __list__ 已被移入归档", "act-archivedSwimlane": "看板 __board__ 中的泳道 __swimlane__ 已被移入归档", "act-importBoard": "导入看板 __board__", - "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", - "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", - "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-importCard": "已将卡片 __card__ 导入到 __board__ 看板中的 __swimlane__ 泳道中的 __list__ 列表中", + "act-importList": "已将列表导入到 __board__ 看板中的 __swimlane__  泳道中的 __list__  列表中", + "act-joinMember": "已将成员 __member__  添加到 __board__ 看板中的 __swimlane__ 泳道中的 __list__  列表中的 __card__ 卡片中", + "act-moveCard": "移动卡片 __card__ 到看板 __board__ 从列表 __oldList__ 泳道 __oldSwimlane__ 至列表 __list__ 泳道 __swimlane__", "act-moveCardToOtherBoard": "移动卡片 __card__ 从列表 __oldList__ 泳道 __oldSwimlane__ 看板 __oldBoard__ 至列表 __list__ 泳道 __swimlane__ 看板 __board__", "act-removeBoardMember": "从看板 __board__ 移除成员 __member__ ", "act-restoredCard": "恢复卡片 __card__ 至列表 __list__ 泳道 __swimlane__ 看板 __board__", @@ -685,9 +685,9 @@ "default-authentication-method": "缺省认证方式", "duplicate-board": "复制看板", "people-number": "人数是:", - "swimlaneDeletePopup-title": "Delete Swimlane ?", - "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", - "restore-all": "Restore all", - "delete-all": "Delete all", - "loading": "Loading, please wait." + "swimlaneDeletePopup-title": "是否删除泳道?", + "swimlane-delete-pop": "所有活动将从活动源中删除,您将无法恢复泳道。此操作无法撤销。", + "restore-all": "全部恢复", + "delete-all": "全部删除", + "loading": "加载中,请稍等。" } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From 23f1cf5f4949d128b3db8bbfc472d09df8c859d8 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Mon, 29 Apr 2019 01:17:52 +0300 Subject: Update translations. --- i18n/es.i18n.json | 2 +- i18n/pl.i18n.json | 14 +++++++------- 2 files changed, 8 insertions(+), 8 deletions(-) diff --git a/i18n/es.i18n.json b/i18n/es.i18n.json index b7b5da10..7529391b 100644 --- a/i18n/es.i18n.json +++ b/i18n/es.i18n.json @@ -689,5 +689,5 @@ "swimlane-delete-pop": "Todas las acciones serán eliminadas del historial de actividades y no se podrá recuperar el carril de flujo. Esta acción no puede deshacerse.", "restore-all": "Restaurar todas", "delete-all": "Borrar todas", - "loading": "Loading, please wait." + "loading": "Cargando. Por favor, espere." } \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index fa5ff8f2..a342ffac 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -683,11 +683,11 @@ "error-ldap-login": "Wystąpił błąd w trakcie logowania", "display-authentication-method": "Wyświetl metodę logowania", "default-authentication-method": "Domyślna metoda logowania", - "duplicate-board": "Duplicate Board", - "people-number": "The number of people is:", - "swimlaneDeletePopup-title": "Delete Swimlane ?", - "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", - "restore-all": "Restore all", - "delete-all": "Delete all", - "loading": "Loading, please wait." + "duplicate-board": "Duplikuj tablicę", + "people-number": "Liczba użytkowników to:", + "swimlaneDeletePopup-title": "Usunąć diagram czynności?", + "swimlane-delete-pop": "Wszystkie akcje będą usunięte z widoku aktywności, nie można będzie przywrócić diagramu czynności. Usunięcie jest nieodwracalne.", + "restore-all": "Przywróć wszystkie", + "delete-all": "Usuń wszystkie", + "loading": "Ładowanie, proszę czekać." } \ No newline at end of file -- cgit v1.2.3-1-g7c22 From de772a8c3b56cc2cd7d8046cace07a644cd16009 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Mon, 29 Apr 2019 01:18:17 +0300 Subject: Update changelog. --- CHANGELOG.md | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index 29e7ce5d..a80eb524 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,12 @@ +# Upcoming Wekan release + +This release fixes the following bugs: + +- [Fix OIDC login](https://github.com/wekan/wekan/pull/2385). Related [#2383](https://github.com/wekan/wekan/issues/2383). + Thanks to faust64. + +Thanks to above GitHub users for their contributions and translators for their translations. + # v2.65 2019-04-24 Wekan release This release adds the following new features: -- cgit v1.2.3-1-g7c22 From c2505541774a7a7e4b8759cc154f429741960020 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Mon, 6 May 2019 20:57:01 +0300 Subject: Update translations. Add Chinese (Hong Kong). --- .tx/config | 2 +- CHANGELOG.md | 7 +- i18n/de.i18n.json | 4 +- i18n/he.i18n.json | 10 +- i18n/ja.i18n.json | 86 ++-- i18n/pl.i18n.json | 4 +- i18n/sv.i18n.json | 8 +- i18n/zh-HK.i18n.json | 693 +++++++++++++++++++++++++++++ releases/translations/pull-translations.sh | 3 + 9 files changed, 759 insertions(+), 58 deletions(-) create mode 100644 i18n/zh-HK.i18n.json diff --git a/.tx/config b/.tx/config index 1813b45e..347e88cd 100644 --- a/.tx/config +++ b/.tx/config @@ -39,7 +39,7 @@ host = https://www.transifex.com # tap:i18n requires us to use `-` separator in the language identifiers whereas # Transifex uses a `_` separator, without an option to customize it on one side # or the other, so we need to do a Manual mapping. -lang_map = bg_BG:bg, en_GB:en-GB, es_AR:es-AR, el_GR:el, fi_FI:fi, hu_HU:hu, id_ID:id, mn_MN:mn, no:nb, lv_LV:lv, pt_BR:pt-BR, ro_RO:ro, zh_CN:zh-CN, zh_TW:zh-TW +lang_map = bg_BG:bg, en_GB:en-GB, es_AR:es-AR, el_GR:el, fi_FI:fi, hu_HU:hu, id_ID:id, mn_MN:mn, no:nb, lv_LV:lv, pt_BR:pt-BR, ro_RO:ro, zh_CN:zh-CN, zh_TW:zh-TW, zh_HK:zh-HK [wekan.application] file_filter = i18n/<lang>.i18n.json diff --git a/CHANGELOG.md b/CHANGELOG.md index a80eb524..a1ff94a8 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,6 +1,11 @@ # Upcoming Wekan release -This release fixes the following bugs: +This release adds the following new translations: + +- Add Chinese (Hong Kong). + Thanks to translators. + +and fixes the following bugs: - [Fix OIDC login](https://github.com/wekan/wekan/pull/2385). Related [#2383](https://github.com/wekan/wekan/issues/2383). Thanks to faust64. diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 113b734d..6f6fb759 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -686,8 +686,8 @@ "duplicate-board": "Board duplizieren", "people-number": "Anzahl der Personen:", "swimlaneDeletePopup-title": "Swimlane löschen?", - "swimlane-delete-pop": "Alle Aktionen werden aus dem Aktivitäts-Feed entfernt und du kannst die Swimlane auch nicht wiederherstellen: Es gibt kein Undo!", + "swimlane-delete-pop": "Alle Aktionen werden aus dem Aktivitätenfeed entfernt und die Swimlane kann nicht wiederhergestellt werden. Es gibt kein Rückgängig!", "restore-all": "Alles wiederherstellen", "delete-all": "Alles löschen", - "loading": "Wird geladen. Bitte warten." + "loading": "Laden, bitte warten." } \ No newline at end of file diff --git a/i18n/he.i18n.json b/i18n/he.i18n.json index eda78d0b..36a41105 100644 --- a/i18n/he.i18n.json +++ b/i18n/he.i18n.json @@ -14,9 +14,9 @@ "act-removeChecklistItem": "פריט הסימון __checklistItem__ הוסר מרשימת המטלות __checkList__ בכרטיס __card__ ברשימה __list__ מהמסלול __swimlane__ בלוח __board__", "act-checkedItem": "הפריט __checklistItem__ ששייך לרשימת המשימות __checklist__ בכרטיס __card__ שברשימת __list__ במסלול __swimlane__ שבלוח __board__ סומן", "act-uncheckedItem": "בוטל הסימון __checklistItem__ ברשימת המטלות __checklist__ בכרטיס __card__ ברשימה __list__ במסלול __swimlane__ בלוח __board__", - "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", - "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "רשימת המטלות __checklist__ בכרטיס __card__ שברשימה __list__ תחת המסלול __swimlane__ בלוח __board__ הושלמה", + "act-uncompleteChecklist": "ההשלמה של רשימת המטלות __checklist__ בכרטיס __card__ שברשימה __list__ תחת המסלול __swimlane__ בלוח __board__ בוטלה", + "act-addComment": "התקבלה תגובה על הכרטיס __card__:‏ __comment__ ברשימה __list__ במסלול __swimlane__ בלוח __board__", "act-createBoard": "הלוח __board__ נוצר", "act-createSwimlane": "נוצר מסלול __swimlane__ בלוח __board__", "act-createCard": "הכרטיס __card__ נוצר ברשימה __list__ במסלול __swimlane__ שבלוח __board__", @@ -60,14 +60,14 @@ "activity-unchecked-item": "בוטל הסימון של %s ברשימת המשימות %s מתוך %s", "activity-checklist-added": "נוספה רשימת משימות אל %s", "activity-checklist-removed": "הוסרה רשימת משימות מ־%s", - "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "activity-checklist-completed": "רשימת המטלות __checklist__ בכרטיס __card__ שברשימה __list__ תחת המסלול __swimlane__ בלוח __board__ הושלמה", "activity-checklist-uncompleted": "רשימת המשימות %s מתוך %s סומנה כבלתי מושלמת", "activity-checklist-item-added": "נוסף פריט רשימת משימות אל ‚%s‘ תחת %s", "activity-checklist-item-removed": "הוסר פריט מרשימת המשימות ‚%s’ תחת %s", "add": "הוספה", "activity-checked-item-card": "סומן %s ברשימת המשימות %s", "activity-unchecked-item-card": "הסימון של %s בוטל ברשימת המשימות %s", - "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "activity-checklist-completed-card": "רשימת המטלות __checklist__ בכרטיס __card__ שברשימה __list__ תחת המסלול __swimlane__ בלוח __board__ הושלמה", "activity-checklist-uncompleted-card": "רשימת המשימות %s סומנה כבלתי מושלמת", "add-attachment": "הוספת קובץ מצורף", "add-board": "הוספת לוח", diff --git a/i18n/ja.i18n.json b/i18n/ja.i18n.json index 09ac0d2f..8891648d 100644 --- a/i18n/ja.i18n.json +++ b/i18n/ja.i18n.json @@ -1,6 +1,6 @@ { "accept": "受け入れ", - "act-activity-notify": "Activity Notification", + "act-activity-notify": "アクティビティ通知", "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", @@ -42,7 +42,7 @@ "activities": "アクティビティ", "activity": "アクティビティ", "activity-added": "%s を %s に追加しました", - "activity-archived": "%s moved to Archive", + "activity-archived": "%sをアーカイブしました", "activity-attached": "%s を %s に添付しました", "activity-created": "%s を作成しました", "activity-customfield-created": "%s を作成しました", @@ -55,7 +55,7 @@ "activity-removed": "%s を %s から削除しました", "activity-sent": "%s を %s に送りました", "activity-unjoined": "%s への参加を止めました", - "activity-subtask-added": "added subtask to %s", + "activity-subtask-added": "%sにサブタスクを追加しました", "activity-checked-item": "checked %s in checklist %s of %s", "activity-unchecked-item": "unchecked %s in checklist %s of %s", "activity-checklist-added": "%s にチェックリストを追加しました", @@ -162,7 +162,7 @@ "cards": "カード", "cards-count": "カード", "casSignIn": "Sign In with CAS", - "cardType-card": "Card", + "cardType-card": "カード", "cardType-linkedCard": "Linked Card", "cardType-linkedBoard": "Linked Board", "change": "変更", @@ -175,7 +175,7 @@ "changePasswordPopup-title": "パスワードの変更", "changePermissionsPopup-title": "パーミッションの変更", "changeSettingsPopup-title": "設定の変更", - "subtasks": "Subtasks", + "subtasks": "サブタスク", "checklists": "チェックリスト", "click-to-star": "ボードにスターをつける", "click-to-unstar": "ボードからスターを外す", @@ -185,14 +185,14 @@ "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", "color-black": "黒", "color-blue": "青", - "color-crimson": "crimson", - "color-darkgreen": "darkgreen", - "color-gold": "gold", - "color-gray": "gray", + "color-crimson": "濃赤", + "color-darkgreen": "濃緑", + "color-gold": "金", + "color-gray": "灰", "color-green": "緑", - "color-indigo": "indigo", + "color-indigo": "藍", "color-lime": "ライム", - "color-magenta": "magenta", + "color-magenta": "マゼンタ", "color-mistyrose": "mistyrose", "color-navy": "navy", "color-orange": "オレンジ", @@ -203,12 +203,12 @@ "color-purple": "紫", "color-red": "赤", "color-saddlebrown": "saddlebrown", - "color-silver": "silver", + "color-silver": "銀", "color-sky": "空", "color-slateblue": "slateblue", - "color-white": "white", + "color-white": "白", "color-yellow": "黄", - "unset-color": "Unset", + "unset-color": "設定しない", "comment": "コメント", "comment-placeholder": "コメントを書く", "comment-only": "コメントのみ", @@ -216,15 +216,15 @@ "no-comments": "No comments", "no-comments-desc": "Can not see comments and activities.", "computer": "コンピューター", - "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", - "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", + "confirm-subtask-delete-dialog": "本当にサブタスクを削除してもよろしいでしょうか?", + "confirm-checklist-delete-dialog": "本当にチェックリストを削除してもよろしいでしょうか?", "copy-card-link-to-clipboard": "カードへのリンクをクリップボードにコピー", "linkCardPopup-title": "Link Card", "searchElementPopup-title": "検索", "copyCardPopup-title": "カードをコピー", "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", - "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"1つ目のカードタイトル\", \"description\":\"1つ目のカードの説明\"}, {\"title\":\"2つ目のカードタイトル\",\"description\":\"2つ目のカードの説明\"},{\"title\":\"最後のカードタイトル\",\"description\":\"最後のカードの説明\"} ]", "create": "作成", "createBoardPopup-title": "ボードの作成", "chooseBoardSourcePopup-title": "ボードをインポート", @@ -233,15 +233,15 @@ "createCustomFieldPopup-title": "フィールドを作成", "current": "現在", "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", - "custom-field-checkbox": "Checkbox", + "custom-field-checkbox": "チェックボックス", "custom-field-date": "日付", - "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown": "ドロップダウンリスト", "custom-field-dropdown-none": "(none)", "custom-field-dropdown-options": "List Options", "custom-field-dropdown-options-placeholder": "Press enter to add more options", "custom-field-dropdown-unknown": "(unknown)", "custom-field-number": "Number", - "custom-field-text": "Text", + "custom-field-text": "テキスト", "custom-fields": "カスタムフィールド", "date": "日付", "decline": "拒否", @@ -271,7 +271,7 @@ "email-enrollAccount-subject": "__siteName__であなたのアカウントが作成されました", "email-enrollAccount-text": "こんにちは、__user__さん。\n\nサービスを開始するには、以下をクリックしてください。\n\n__url__\n\nよろしくお願いします。", "email-fail": "メールの送信に失敗しました", - "email-fail-text": "Error trying to send email", + "email-fail-text": "メールの送信中にエラーが発生しました", "email-invalid": "無効なメールアドレス", "email-invite": "メールで招待", "email-invite-subject": "__inviter__があなたを招待しています", @@ -311,7 +311,7 @@ "headerBarCreateBoardPopup-title": "ボードの作成", "home": "ホーム", "import": "インポート", - "link": "Link", + "link": "リンク", "import-board": "ボードをインポート", "import-board-c": "ボードをインポート", "import-board-title-trello": "Trelloからボードをインポート", @@ -328,12 +328,12 @@ "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", "import-show-user-mapping": "メンバー紐付けの確認", "import-user-select": "Pick your existing user you want to use as this member", - "importMapMembersAddPopup-title": "Select member", + "importMapMembersAddPopup-title": "メンバーを選択", "info": "バージョン", "initials": "イニシャル", "invalid-date": "無効な日付", - "invalid-time": "Invalid time", - "invalid-user": "Invalid user", + "invalid-time": "無効な時間", + "invalid-user": "無効なユーザ", "joined": "参加しました", "just-invited": "このボードのメンバーに招待されています", "keyboard-shortcuts": "キーボード・ショートカット", @@ -347,11 +347,11 @@ "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", "leaveBoardPopup-title": "ボードから退出しますか?", "link-card": "このカードへのリンク", - "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards": "リスト内の全カードをアーカイブする", "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", "list-move-cards": "リストの全カードを移動する", "list-select-cards": "リストの全カードを選択", - "set-color-list": "Set Color", + "set-color-list": "色を選択", "listActionPopup-title": "操作一覧", "swimlaneActionPopup-title": "スイムレーン操作", "swimlaneAddPopup-title": "Add a Swimlane below", @@ -658,36 +658,36 @@ "r-d-check-one": "Check item", "r-d-uncheck-one": "Uncheck item", "r-d-check-of-list": "of checklist", - "r-d-add-checklist": "Add checklist", - "r-d-remove-checklist": "Remove checklist", + "r-d-add-checklist": "チェックリストを追加", + "r-d-remove-checklist": "チェックリストを削除", "r-by": "by", - "r-add-checklist": "Add checklist", + "r-add-checklist": "チェックリストを追加", "r-with-items": "with items", - "r-items-list": "item1,item2,item3", - "r-add-swimlane": "Add swimlane", - "r-swimlane-name": "swimlane name", + "r-items-list": "アイテム1、アイテム2、アイテム3", + "r-add-swimlane": "スイムレーンを追加", + "r-swimlane-name": "スイムレーン名", "r-board-note": "Note: leave a field empty to match every possible value.", "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", - "r-when-a-card-is-moved": "When a card is moved to another list", + "r-when-a-card-is-moved": "カードが別のリストに移動したとき", "ldap": "LDAP", "oauth2": "OAuth2", "cas": "CAS", - "authentication-method": "Authentication method", - "authentication-type": "Authentication type", + "authentication-method": "認証方式", + "authentication-type": "認証タイプ", "custom-product-name": "Custom Product Name", - "layout": "Layout", - "hide-logo": "Hide Logo", + "layout": "レイアウト", + "hide-logo": "ロゴを隠す", "add-custom-html-after-body-start": "Add Custom HTML after <body> start", "add-custom-html-before-body-end": "Add Custom HTML before </body> end", "error-undefined": "Something went wrong", "error-ldap-login": "An error occurred while trying to login", "display-authentication-method": "Display Authentication Method", "default-authentication-method": "Default Authentication Method", - "duplicate-board": "Duplicate Board", + "duplicate-board": "ボードの複製", "people-number": "The number of people is:", - "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlaneDeletePopup-title": "スイムレーンを削除しますか?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", - "restore-all": "Restore all", - "delete-all": "Delete all", - "loading": "Loading, please wait." + "restore-all": "全てをリストアする", + "delete-all": "全てを削除する", + "loading": "ローディング中です、しばらくお待ちください。" } \ No newline at end of file diff --git a/i18n/pl.i18n.json b/i18n/pl.i18n.json index a342ffac..fcef2717 100644 --- a/i18n/pl.i18n.json +++ b/i18n/pl.i18n.json @@ -31,8 +31,8 @@ "act-importCard": "Zaimportowano kartę __card__ do listy __list__ na diagramie czynności __swimlane__ na tablicy __board__", "act-importList": "Zaimportowano listę __list__ na diagram czynności __swimlane__ do tablicy __board__", "act-joinMember": "Dodano użytkownika __member__ do karty __card__ na liście __list__ na diagramie czynności __swimlane__ na tablicy __board__", - "act-moveCard": "przeniesiono kartę __card__ na tablicy __board__ z listy __oldList__ na diagramie czynności __oldSwimlane__ na listę __list__ na diagramie czynności __swimlane__", - "act-moveCardToOtherBoard": "Przeniesiono kartę __card__ z listy __oldList__ na diagramie czynności __oldSwimlane__ na tablicy __oldBoard__ do listy __listy__ na diagramie czynności __swimlane__ na tablicy __board__", + "act-moveCard": "przeniósł/a kartę __card__ na tablicy __board__ z listy __oldList__ na diagramie czynności __oldSwimlane__ na listę __list__ na diagramie czynności __swimlane__", + "act-moveCardToOtherBoard": "przeniósł/a kartę __card__ z listy __oldList__ na diagramie czynności __oldSwimlane__ na tablicy __oldBoard__ do listy __listy__ na diagramie czynności __swimlane__ na tablicy __board__", "act-removeBoardMember": "Usunięto użytkownika __member__ z tablicy __board__", "act-restoredCard": "Przywrócono kartę __card__ na listę __list__ na diagram czynności__ na tablicy __board__", "act-unjoinMember": "Usunięto użytkownika __member__ z karty __card__ na liście __list__ na diagramie czynności __swimlane__ na tablicy __board__", diff --git a/i18n/sv.i18n.json b/i18n/sv.i18n.json index adb4c041..13243d9a 100644 --- a/i18n/sv.i18n.json +++ b/i18n/sv.i18n.json @@ -684,10 +684,10 @@ "display-authentication-method": "Visa autentiseringsmetod", "default-authentication-method": "Standard autentiseringsmetod", "duplicate-board": "Dubbletttavla", - "people-number": "The number of people is:", + "people-number": "Antalet personer är:", "swimlaneDeletePopup-title": "Delete Swimlane ?", "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", - "restore-all": "Restore all", - "delete-all": "Delete all", - "loading": "Loading, please wait." + "restore-all": "Återställ alla", + "delete-all": "Ta bort alla", + "loading": "Läser in, var god vänta." } \ No newline at end of file diff --git a/i18n/zh-HK.i18n.json b/i18n/zh-HK.i18n.json new file mode 100644 index 00000000..1a716039 --- /dev/null +++ b/i18n/zh-HK.i18n.json @@ -0,0 +1,693 @@ +{ + "accept": "Accept", + "act-activity-notify": "Activity Notification", + "act-addAttachment": "added attachment __attachment__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-deleteAttachment": "deleted attachment __attachment__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addSubtask": "added subtask __subtask__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addedLabel": "Added label __label__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removedLabel": "Removed label __label__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklist": "added checklist __checklist__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addChecklistItem": "added checklist item __checklistItem__ to checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklist": "removed checklist __checklist__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-removeChecklistItem": "removed checklist item __checklistItem__ from checklist __checkList__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-checkedItem": "checked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncheckedItem": "unchecked __checklistItem__ of checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-completeChecklist": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-uncompleteChecklist": "uncompleted checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-addComment": "commented on card __card__: __comment__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createBoard": "created board __board__", + "act-createSwimlane": "created swimlane __swimlane__ to board __board__", + "act-createCard": "created card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-createCustomField": "created custom field __customField__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-createList": "added list __list__ to board __board__", + "act-addBoardMember": "added member __member__ to board __board__", + "act-archivedBoard": "Board __board__ moved to Archive", + "act-archivedCard": "Card __card__ at list __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedList": "List __list__ at swimlane __swimlane__ at board __board__ moved to Archive", + "act-archivedSwimlane": "Swimlane __swimlane__ at board __board__ moved to Archive", + "act-importBoard": "imported board __board__", + "act-importCard": "imported card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-importList": "imported list __list__ to swimlane __swimlane__ at board __board__", + "act-joinMember": "added member __member__ to card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-moveCard": "moved card __card__ at board __board__ from list __oldList__ at swimlane __oldSwimlane__ to list __list__ at swimlane __swimlane__", + "act-moveCardToOtherBoard": "moved card __card__ from list __oldList__ at swimlane __oldSwimlane__ at board __oldBoard__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-removeBoardMember": "removed member __member__ from board __board__", + "act-restoredCard": "restored card __card__ to list __list__ at swimlane __swimlane__ at board __board__", + "act-unjoinMember": "removed member __member__ from card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "act-withBoardTitle": "__board__", + "act-withCardTitle": "[__board__] __card__", + "actions": "Actions", + "activities": "Activities", + "activity": "Activity", + "activity-added": "added %s to %s", + "activity-archived": "%s moved to Archive", + "activity-attached": "attached %s to %s", + "activity-created": "created %s", + "activity-customfield-created": "created custom field %s", + "activity-excluded": "excluded %s from %s", + "activity-imported": "imported %s into %s from %s", + "activity-imported-board": "imported %s from %s", + "activity-joined": "joined %s", + "activity-moved": "moved %s from %s to %s", + "activity-on": "on %s", + "activity-removed": "removed %s from %s", + "activity-sent": "sent %s to %s", + "activity-unjoined": "unjoined %s", + "activity-subtask-added": "added subtask to %s", + "activity-checked-item": "checked %s in checklist %s of %s", + "activity-unchecked-item": "unchecked %s in checklist %s of %s", + "activity-checklist-added": "added checklist to %s", + "activity-checklist-removed": "removed a checklist from %s", + "activity-checklist-completed": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "activity-checklist-uncompleted": "uncompleted the checklist %s of %s", + "activity-checklist-item-added": "added checklist item to '%s' in %s", + "activity-checklist-item-removed": "removed a checklist item from '%s' in %s", + "add": "Add", + "activity-checked-item-card": "checked %s in checklist %s", + "activity-unchecked-item-card": "unchecked %s in checklist %s", + "activity-checklist-completed-card": "completed checklist __checklist__ at card __card__ at list __list__ at swimlane __swimlane__ at board __board__", + "activity-checklist-uncompleted-card": "uncompleted the checklist %s", + "add-attachment": "Add Attachment", + "add-board": "Add Board", + "add-card": "Add Card", + "add-swimlane": "Add Swimlane", + "add-subtask": "Add Subtask", + "add-checklist": "Add Checklist", + "add-checklist-item": "Add an item to checklist", + "add-cover": "Add Cover", + "add-label": "Add Label", + "add-list": "Add List", + "add-members": "Add Members", + "added": "Added", + "addMemberPopup-title": "Members", + "admin": "Admin", + "admin-desc": "Can view and edit cards, remove members, and change settings for the board.", + "admin-announcement": "Announcement", + "admin-announcement-active": "Active System-Wide Announcement", + "admin-announcement-title": "Announcement from Administrator", + "all-boards": "All boards", + "and-n-other-card": "And __count__ other card", + "and-n-other-card_plural": "And __count__ other cards", + "apply": "Apply", + "app-is-offline": "Loading, please wait. Refreshing the page will cause data loss. If loading does not work, please check that server has not stopped.", + "archive": "Move to Archive", + "archive-all": "Move All to Archive", + "archive-board": "Move Board to Archive", + "archive-card": "Move Card to Archive", + "archive-list": "Move List to Archive", + "archive-swimlane": "Move Swimlane to Archive", + "archive-selection": "Move selection to Archive", + "archiveBoardPopup-title": "Move Board to Archive?", + "archived-items": "Archive", + "archived-boards": "Boards in Archive", + "restore-board": "Restore Board", + "no-archived-boards": "No Boards in Archive.", + "archives": "Archive", + "template": "Template", + "templates": "Templates", + "assign-member": "Assign member", + "attached": "attached", + "attachment": "Attachment", + "attachment-delete-pop": "Deleting an attachment is permanent. There is no undo.", + "attachmentDeletePopup-title": "Delete Attachment?", + "attachments": "Attachments", + "auto-watch": "Automatically watch boards when they are created", + "avatar-too-big": "The avatar is too large (70KB max)", + "back": "Back", + "board-change-color": "Change color", + "board-nb-stars": "%s stars", + "board-not-found": "Board not found", + "board-private-info": "This board will be <strong>private</strong>.", + "board-public-info": "This board will be <strong>public</strong>.", + "boardChangeColorPopup-title": "Change Board Background", + "boardChangeTitlePopup-title": "Rename Board", + "boardChangeVisibilityPopup-title": "Change Visibility", + "boardChangeWatchPopup-title": "Change Watch", + "boardMenuPopup-title": "Board Settings", + "boards": "Boards", + "board-view": "Board View", + "board-view-cal": "Calendar", + "board-view-swimlanes": "Swimlanes", + "board-view-lists": "Lists", + "bucket-example": "Like “Bucket List” for example", + "cancel": "Cancel", + "card-archived": "This card is moved to Archive.", + "board-archived": "This board is moved to Archive.", + "card-comments-title": "This card has %s comment.", + "card-delete-notice": "Deleting is permanent. You will lose all actions associated with this card.", + "card-delete-pop": "All actions will be removed from the activity feed and you won't be able to re-open the card. There is no undo.", + "card-delete-suggest-archive": "You can move a card to Archive to remove it from the board and preserve the activity.", + "card-due": "Due", + "card-due-on": "Due on", + "card-spent": "Spent Time", + "card-edit-attachments": "Edit attachments", + "card-edit-custom-fields": "Edit custom fields", + "card-edit-labels": "Edit labels", + "card-edit-members": "Edit members", + "card-labels-title": "Change the labels for the card.", + "card-members-title": "Add or remove members of the board from the card.", + "card-start": "Start", + "card-start-on": "Starts on", + "cardAttachmentsPopup-title": "Attach From", + "cardCustomField-datePopup-title": "Change date", + "cardCustomFieldsPopup-title": "Edit custom fields", + "cardDeletePopup-title": "Delete Card?", + "cardDetailsActionsPopup-title": "Card Actions", + "cardLabelsPopup-title": "Labels", + "cardMembersPopup-title": "Members", + "cardMorePopup-title": "More", + "cardTemplatePopup-title": "Create template", + "cards": "Cards", + "cards-count": "Cards", + "casSignIn": "Sign In with CAS", + "cardType-card": "Card", + "cardType-linkedCard": "Linked Card", + "cardType-linkedBoard": "Linked Board", + "change": "Change", + "change-avatar": "Change Avatar", + "change-password": "Change Password", + "change-permissions": "Change permissions", + "change-settings": "Change Settings", + "changeAvatarPopup-title": "Change Avatar", + "changeLanguagePopup-title": "Change Language", + "changePasswordPopup-title": "Change Password", + "changePermissionsPopup-title": "Change Permissions", + "changeSettingsPopup-title": "Change Settings", + "subtasks": "Subtasks", + "checklists": "Checklists", + "click-to-star": "Click to star this board.", + "click-to-unstar": "Click to unstar this board.", + "clipboard": "Clipboard or drag & drop", + "close": "Close", + "close-board": "Close Board", + "close-board-pop": "You will be able to restore the board by clicking the “Archive” button from the home header.", + "color-black": "black", + "color-blue": "blue", + "color-crimson": "crimson", + "color-darkgreen": "darkgreen", + "color-gold": "gold", + "color-gray": "gray", + "color-green": "green", + "color-indigo": "indigo", + "color-lime": "lime", + "color-magenta": "magenta", + "color-mistyrose": "mistyrose", + "color-navy": "navy", + "color-orange": "orange", + "color-paleturquoise": "paleturquoise", + "color-peachpuff": "peachpuff", + "color-pink": "pink", + "color-plum": "plum", + "color-purple": "purple", + "color-red": "red", + "color-saddlebrown": "saddlebrown", + "color-silver": "silver", + "color-sky": "sky", + "color-slateblue": "slateblue", + "color-white": "white", + "color-yellow": "yellow", + "unset-color": "Unset", + "comment": "Comment", + "comment-placeholder": "Write Comment", + "comment-only": "Comment only", + "comment-only-desc": "Can comment on cards only.", + "no-comments": "No comments", + "no-comments-desc": "Can not see comments and activities.", + "computer": "Computer", + "confirm-subtask-delete-dialog": "Are you sure you want to delete subtask?", + "confirm-checklist-delete-dialog": "Are you sure you want to delete checklist?", + "copy-card-link-to-clipboard": "Copy card link to clipboard", + "linkCardPopup-title": "Link Card", + "searchElementPopup-title": "Search", + "copyCardPopup-title": "Copy Card", + "copyChecklistToManyCardsPopup-title": "Copy Checklist Template to Many Cards", + "copyChecklistToManyCardsPopup-instructions": "Destination Card Titles and Descriptions in this JSON format", + "copyChecklistToManyCardsPopup-format": "[ {\"title\": \"First card title\", \"description\":\"First card description\"}, {\"title\":\"Second card title\",\"description\":\"Second card description\"},{\"title\":\"Last card title\",\"description\":\"Last card description\"} ]", + "create": "Create", + "createBoardPopup-title": "Create Board", + "chooseBoardSourcePopup-title": "Import board", + "createLabelPopup-title": "Create Label", + "createCustomField": "Create Field", + "createCustomFieldPopup-title": "Create Field", + "current": "current", + "custom-field-delete-pop": "There is no undo. This will remove this custom field from all cards and destroy its history.", + "custom-field-checkbox": "Checkbox", + "custom-field-date": "Date", + "custom-field-dropdown": "Dropdown List", + "custom-field-dropdown-none": "(none)", + "custom-field-dropdown-options": "List Options", + "custom-field-dropdown-options-placeholder": "Press enter to add more options", + "custom-field-dropdown-unknown": "(unknown)", + "custom-field-number": "Number", + "custom-field-text": "Text", + "custom-fields": "Custom Fields", + "date": "Date", + "decline": "Decline", + "default-avatar": "Default avatar", + "delete": "Delete", + "deleteCustomFieldPopup-title": "Delete Custom Field?", + "deleteLabelPopup-title": "Delete Label?", + "description": "Description", + "disambiguateMultiLabelPopup-title": "Disambiguate Label Action", + "disambiguateMultiMemberPopup-title": "Disambiguate Member Action", + "discard": "Discard", + "done": "Done", + "download": "Download", + "edit": "Edit", + "edit-avatar": "Change Avatar", + "edit-profile": "Edit Profile", + "edit-wip-limit": "Edit WIP Limit", + "soft-wip-limit": "Soft WIP Limit", + "editCardStartDatePopup-title": "Change start date", + "editCardDueDatePopup-title": "Change due date", + "editCustomFieldPopup-title": "Edit Field", + "editCardSpentTimePopup-title": "Change spent time", + "editLabelPopup-title": "Change Label", + "editNotificationPopup-title": "Edit Notification", + "editProfilePopup-title": "Edit Profile", + "email": "Email", + "email-enrollAccount-subject": "An account created for you on __siteName__", + "email-enrollAccount-text": "Hello __user__,\n\nTo start using the service, simply click the link below.\n\n__url__\n\nThanks.", + "email-fail": "Sending email failed", + "email-fail-text": "Error trying to send email", + "email-invalid": "Invalid email", + "email-invite": "Invite via Email", + "email-invite-subject": "__inviter__ sent you an invitation", + "email-invite-text": "Dear __user__,\n\n__inviter__ invites you to join board \"__board__\" for collaborations.\n\nPlease follow the link below:\n\n__url__\n\nThanks.", + "email-resetPassword-subject": "Reset your password on __siteName__", + "email-resetPassword-text": "Hello __user__,\n\nTo reset your password, simply click the link below.\n\n__url__\n\nThanks.", + "email-sent": "Email sent", + "email-verifyEmail-subject": "Verify your email address on __siteName__", + "email-verifyEmail-text": "Hello __user__,\n\nTo verify your account email, simply click the link below.\n\n__url__\n\nThanks.", + "enable-wip-limit": "Enable WIP Limit", + "error-board-doesNotExist": "This board does not exist", + "error-board-notAdmin": "You need to be admin of this board to do that", + "error-board-notAMember": "You need to be a member of this board to do that", + "error-json-malformed": "Your text is not valid JSON", + "error-json-schema": "Your JSON data does not include the proper information in the correct format", + "error-list-doesNotExist": "This list does not exist", + "error-user-doesNotExist": "This user does not exist", + "error-user-notAllowSelf": "You can not invite yourself", + "error-user-notCreated": "This user is not created", + "error-username-taken": "This username is already taken", + "error-email-taken": "Email has already been taken", + "export-board": "Export board", + "filter": "Filter", + "filter-cards": "Filter Cards", + "filter-clear": "Clear filter", + "filter-no-label": "No label", + "filter-no-member": "No member", + "filter-no-custom-fields": "No Custom Fields", + "filter-on": "Filter is on", + "filter-on-desc": "You are filtering cards on this board. Click here to edit filter.", + "filter-to-selection": "Filter to selection", + "advanced-filter-label": "Advanced Filter", + "advanced-filter-description": "Advanced Filter allows to write a string containing following operators: == != <= >= && || ( ) A space is used as a separator between the Operators. You can filter for all Custom Fields by typing their names and values. For Example: Field1 == Value1. Note: If fields or values contains spaces, you need to encapsulate them into single quotes. For Example: 'Field 1' == 'Value 1'. For single control characters (' \\/) to be skipped, you can use \\. For example: Field1 == I\\'m. Also you can combine multiple conditions. For Example: F1 == V1 || F1 == V2. Normally all operators are interpreted from left to right. You can change the order by placing brackets. For Example: F1 == V1 && ( F2 == V2 || F2 == V3 ). Also you can search text fields using regex: F1 == /Tes.*/i", + "fullname": "Full Name", + "header-logo-title": "Go back to your boards page.", + "hide-system-messages": "Hide system messages", + "headerBarCreateBoardPopup-title": "Create Board", + "home": "Home", + "import": "Import", + "link": "Link", + "import-board": "import board", + "import-board-c": "Import board", + "import-board-title-trello": "Import board from Trello", + "import-board-title-wekan": "Import board from previous export", + "import-sandstorm-backup-warning": "Do not delete data you import from original exported board or Trello before checking does this grain close and open again, or do you get Board not found error, that means data loss.", + "import-sandstorm-warning": "Imported board will delete all existing data on board and replace it with imported board.", + "from-trello": "From Trello", + "from-wekan": "From previous export", + "import-board-instruction-trello": "In your Trello board, go to 'Menu', then 'More', 'Print and Export', 'Export JSON', and copy the resulting text.", + "import-board-instruction-wekan": "In your board, go to 'Menu', then 'Export board', and copy the text in the downloaded file.", + "import-board-instruction-about-errors": "If you get errors when importing board, sometimes importing still works, and board is at All Boards page.", + "import-json-placeholder": "Paste your valid JSON data here", + "import-map-members": "Map members", + "import-members-map": "Your imported board has some members. Please map the members you want to import to your users", + "import-show-user-mapping": "Review members mapping", + "import-user-select": "Pick your existing user you want to use as this member", + "importMapMembersAddPopup-title": "Select member", + "info": "Version", + "initials": "Initials", + "invalid-date": "Invalid date", + "invalid-time": "Invalid time", + "invalid-user": "Invalid user", + "joined": "joined", + "just-invited": "You are just invited to this board", + "keyboard-shortcuts": "Keyboard shortcuts", + "label-create": "Create Label", + "label-default": "%s label (default)", + "label-delete-pop": "There is no undo. This will remove this label from all cards and destroy its history.", + "labels": "Labels", + "language": "Language", + "last-admin-desc": "You can’t change roles because there must be at least one admin.", + "leave-board": "Leave Board", + "leave-board-pop": "Are you sure you want to leave __boardTitle__? You will be removed from all cards on this board.", + "leaveBoardPopup-title": "Leave Board ?", + "link-card": "Link to this card", + "list-archive-cards": "Move all cards in this list to Archive", + "list-archive-cards-pop": "This will remove all the cards in this list from the board. To view cards in Archive and bring them back to the board, click “Menu” > “Archive”.", + "list-move-cards": "Move all cards in this list", + "list-select-cards": "Select all cards in this list", + "set-color-list": "Set Color", + "listActionPopup-title": "List Actions", + "swimlaneActionPopup-title": "Swimlane Actions", + "swimlaneAddPopup-title": "Add a Swimlane below", + "listImportCardPopup-title": "Import a Trello card", + "listMorePopup-title": "More", + "link-list": "Link to this list", + "list-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the list. There is no undo.", + "list-delete-suggest-archive": "You can move a list to Archive to remove it from the board and preserve the activity.", + "lists": "Lists", + "swimlanes": "Swimlanes", + "log-out": "Log Out", + "log-in": "Log In", + "loginPopup-title": "Log In", + "memberMenuPopup-title": "Member Settings", + "members": "Members", + "menu": "Menu", + "move-selection": "Move selection", + "moveCardPopup-title": "Move Card", + "moveCardToBottom-title": "Move to Bottom", + "moveCardToTop-title": "Move to Top", + "moveSelectionPopup-title": "Move selection", + "multi-selection": "Multi-Selection", + "multi-selection-on": "Multi-Selection is on", + "muted": "Muted", + "muted-info": "You will never be notified of any changes in this board", + "my-boards": "My Boards", + "name": "Name", + "no-archived-cards": "No cards in Archive.", + "no-archived-lists": "No lists in Archive.", + "no-archived-swimlanes": "No swimlanes in Archive.", + "no-results": "No results", + "normal": "Normal", + "normal-desc": "Can view and edit cards. Can't change settings.", + "not-accepted-yet": "Invitation not accepted yet", + "notify-participate": "Receive updates to any cards you participate as creater or member", + "notify-watch": "Receive updates to any boards, lists, or cards you’re watching", + "optional": "optional", + "or": "or", + "page-maybe-private": "This page may be private. You may be able to view it by <a href='%s'>logging in</a>.", + "page-not-found": "Page not found.", + "password": "Password", + "paste-or-dragdrop": "to paste, or drag & drop image file to it (image only)", + "participating": "Participating", + "preview": "Preview", + "previewAttachedImagePopup-title": "Preview", + "previewClipboardImagePopup-title": "Preview", + "private": "Private", + "private-desc": "This board is private. Only people added to the board can view and edit it.", + "profile": "Profile", + "public": "Public", + "public-desc": "This board is public. It's visible to anyone with the link and will show up in search engines like Google. Only people added to the board can edit.", + "quick-access-description": "Star a board to add a shortcut in this bar.", + "remove-cover": "Remove Cover", + "remove-from-board": "Remove from Board", + "remove-label": "Remove Label", + "listDeletePopup-title": "Delete List ?", + "remove-member": "Remove Member", + "remove-member-from-card": "Remove from Card", + "remove-member-pop": "Remove __name__ (__username__) from __boardTitle__? The member will be removed from all cards on this board. They will receive a notification.", + "removeMemberPopup-title": "Remove Member?", + "rename": "Rename", + "rename-board": "Rename Board", + "restore": "Restore", + "save": "Save", + "search": "Search", + "rules": "Rules", + "search-cards": "Search from card titles and descriptions on this board", + "search-example": "Text to search for?", + "select-color": "Select Color", + "set-wip-limit-value": "Set a limit for the maximum number of tasks in this list", + "setWipLimitPopup-title": "Set WIP Limit", + "shortcut-assign-self": "Assign yourself to current card", + "shortcut-autocomplete-emoji": "Autocomplete emoji", + "shortcut-autocomplete-members": "Autocomplete members", + "shortcut-clear-filters": "Clear all filters", + "shortcut-close-dialog": "Close Dialog", + "shortcut-filter-my-cards": "Filter my cards", + "shortcut-show-shortcuts": "Bring up this shortcuts list", + "shortcut-toggle-filterbar": "Toggle Filter Sidebar", + "shortcut-toggle-sidebar": "Toggle Board Sidebar", + "show-cards-minimum-count": "Show cards count if list contains more than", + "sidebar-open": "Open Sidebar", + "sidebar-close": "Close Sidebar", + "signupPopup-title": "Create an Account", + "star-board-title": "Click to star this board. It will show up at top of your boards list.", + "starred-boards": "Starred Boards", + "starred-boards-description": "Starred boards show up at the top of your boards list.", + "subscribe": "Subscribe", + "team": "Team", + "this-board": "this board", + "this-card": "this card", + "spent-time-hours": "Spent time (hours)", + "overtime-hours": "Overtime (hours)", + "overtime": "Overtime", + "has-overtime-cards": "Has overtime cards", + "has-spenttime-cards": "Has spent time cards", + "time": "Time", + "title": "Title", + "tracking": "Tracking", + "tracking-info": "You will be notified of any changes to those cards you are involved as creator or member.", + "type": "Type", + "unassign-member": "Unassign member", + "unsaved-description": "You have an unsaved description.", + "unwatch": "Unwatch", + "upload": "Upload", + "upload-avatar": "Upload an avatar", + "uploaded-avatar": "Uploaded an avatar", + "username": "Username", + "view-it": "View it", + "warn-list-archived": "warning: this card is in an list at Archive", + "watch": "Watch", + "watching": "Watching", + "watching-info": "You will be notified of any change in this board", + "welcome-board": "Welcome Board", + "welcome-swimlane": "Milestone 1", + "welcome-list1": "Basics", + "welcome-list2": "Advanced", + "card-templates-swimlane": "Card Templates", + "list-templates-swimlane": "List Templates", + "board-templates-swimlane": "Board Templates", + "what-to-do": "What do you want to do?", + "wipLimitErrorPopup-title": "Invalid WIP Limit", + "wipLimitErrorPopup-dialog-pt1": "The number of tasks in this list is higher than the WIP limit you've defined.", + "wipLimitErrorPopup-dialog-pt2": "Please move some tasks out of this list, or set a higher WIP limit.", + "admin-panel": "Admin Panel", + "settings": "Settings", + "people": "People", + "registration": "Registration", + "disable-self-registration": "Disable Self-Registration", + "invite": "Invite", + "invite-people": "Invite People", + "to-boards": "To board(s)", + "email-addresses": "Email Addresses", + "smtp-host-description": "The address of the SMTP server that handles your emails.", + "smtp-port-description": "The port your SMTP server uses for outgoing emails.", + "smtp-tls-description": "Enable TLS support for SMTP server", + "smtp-host": "SMTP Host", + "smtp-port": "SMTP Port", + "smtp-username": "Username", + "smtp-password": "Password", + "smtp-tls": "TLS support", + "send-from": "From", + "send-smtp-test": "Send a test email to yourself", + "invitation-code": "Invitation Code", + "email-invite-register-subject": "__inviter__ sent you an invitation", + "email-invite-register-text": "Dear __user__,\n\n__inviter__ invites you to kanban board for collaborations.\n\nPlease follow the link below:\n__url__\n\nAnd your invitation code is: __icode__\n\nThanks.", + "email-smtp-test-subject": "SMTP Test Email", + "email-smtp-test-text": "You have successfully sent an email", + "error-invitation-code-not-exist": "Invitation code doesn't exist", + "error-notAuthorized": "You are not authorized to view this page.", + "outgoing-webhooks": "Outgoing Webhooks", + "outgoingWebhooksPopup-title": "Outgoing Webhooks", + "boardCardTitlePopup-title": "Card Title Filter", + "new-outgoing-webhook": "New Outgoing Webhook", + "no-name": "(Unknown)", + "Node_version": "Node version", + "OS_Arch": "OS Arch", + "OS_Cpus": "OS CPU Count", + "OS_Freemem": "OS Free Memory", + "OS_Loadavg": "OS Load Average", + "OS_Platform": "OS Platform", + "OS_Release": "OS Release", + "OS_Totalmem": "OS Total Memory", + "OS_Type": "OS Type", + "OS_Uptime": "OS Uptime", + "days": "days", + "hours": "hours", + "minutes": "minutes", + "seconds": "seconds", + "show-field-on-card": "Show this field on card", + "automatically-field-on-card": "Auto create field to all cards", + "showLabel-field-on-card": "Show field label on minicard", + "yes": "Yes", + "no": "No", + "accounts": "Accounts", + "accounts-allowEmailChange": "Allow Email Change", + "accounts-allowUserNameChange": "Allow Username Change", + "createdAt": "Created at", + "verified": "Verified", + "active": "Active", + "card-received": "Received", + "card-received-on": "Received on", + "card-end": "End", + "card-end-on": "Ends on", + "editCardReceivedDatePopup-title": "Change received date", + "editCardEndDatePopup-title": "Change end date", + "setCardColorPopup-title": "Set color", + "setCardActionsColorPopup-title": "Choose a color", + "setSwimlaneColorPopup-title": "Choose a color", + "setListColorPopup-title": "Choose a color", + "assigned-by": "Assigned By", + "requested-by": "Requested By", + "board-delete-notice": "Deleting is permanent. You will lose all lists, cards and actions associated with this board.", + "delete-board-confirm-popup": "All lists, cards, labels, and activities will be deleted and you won't be able to recover the board contents. There is no undo.", + "boardDeletePopup-title": "Delete Board?", + "delete-board": "Delete Board", + "default-subtasks-board": "Subtasks for __board__ board", + "default": "Default", + "queue": "Queue", + "subtask-settings": "Subtasks Settings", + "boardSubtaskSettingsPopup-title": "Board Subtasks Settings", + "show-subtasks-field": "Cards can have subtasks", + "deposit-subtasks-board": "Deposit subtasks to this board:", + "deposit-subtasks-list": "Landing list for subtasks deposited here:", + "show-parent-in-minicard": "Show parent in minicard:", + "prefix-with-full-path": "Prefix with full path", + "prefix-with-parent": "Prefix with parent", + "subtext-with-full-path": "Subtext with full path", + "subtext-with-parent": "Subtext with parent", + "change-card-parent": "Change card's parent", + "parent-card": "Parent card", + "source-board": "Source board", + "no-parent": "Don't show parent", + "activity-added-label": "added label '%s' to %s", + "activity-removed-label": "removed label '%s' from %s", + "activity-delete-attach": "deleted an attachment from %s", + "activity-added-label-card": "added label '%s'", + "activity-removed-label-card": "removed label '%s'", + "activity-delete-attach-card": "deleted an attachment", + "activity-set-customfield": "set custom field '%s' to '%s' in %s", + "activity-unset-customfield": "unset custom field '%s' in %s", + "r-rule": "Rule", + "r-add-trigger": "Add trigger", + "r-add-action": "Add action", + "r-board-rules": "Board rules", + "r-add-rule": "Add rule", + "r-view-rule": "View rule", + "r-delete-rule": "Delete rule", + "r-new-rule-name": "New rule title", + "r-no-rules": "No rules", + "r-when-a-card": "When a card", + "r-is": "is", + "r-is-moved": "is moved", + "r-added-to": "added to", + "r-removed-from": "Removed from", + "r-the-board": "the board", + "r-list": "list", + "set-filter": "Set Filter", + "r-moved-to": "Moved to", + "r-moved-from": "Moved from", + "r-archived": "Moved to Archive", + "r-unarchived": "Restored from Archive", + "r-a-card": "a card", + "r-when-a-label-is": "When a label is", + "r-when-the-label-is": "When the label is", + "r-list-name": "list name", + "r-when-a-member": "When a member is", + "r-when-the-member": "When the member", + "r-name": "name", + "r-when-a-attach": "When an attachment", + "r-when-a-checklist": "When a checklist is", + "r-when-the-checklist": "When the checklist", + "r-completed": "Completed", + "r-made-incomplete": "Made incomplete", + "r-when-a-item": "When a checklist item is", + "r-when-the-item": "When the checklist item", + "r-checked": "Checked", + "r-unchecked": "Unchecked", + "r-move-card-to": "Move card to", + "r-top-of": "Top of", + "r-bottom-of": "Bottom of", + "r-its-list": "its list", + "r-archive": "Move to Archive", + "r-unarchive": "Restore from Archive", + "r-card": "card", + "r-add": "Add", + "r-remove": "Remove", + "r-label": "label", + "r-member": "member", + "r-remove-all": "Remove all members from the card", + "r-set-color": "Set color to", + "r-checklist": "checklist", + "r-check-all": "Check all", + "r-uncheck-all": "Uncheck all", + "r-items-check": "items of checklist", + "r-check": "Check", + "r-uncheck": "Uncheck", + "r-item": "item", + "r-of-checklist": "of checklist", + "r-send-email": "Send an email", + "r-to": "to", + "r-subject": "subject", + "r-rule-details": "Rule details", + "r-d-move-to-top-gen": "Move card to top of its list", + "r-d-move-to-top-spec": "Move card to top of list", + "r-d-move-to-bottom-gen": "Move card to bottom of its list", + "r-d-move-to-bottom-spec": "Move card to bottom of list", + "r-d-send-email": "Send email", + "r-d-send-email-to": "to", + "r-d-send-email-subject": "subject", + "r-d-send-email-message": "message", + "r-d-archive": "Move card to Archive", + "r-d-unarchive": "Restore card from Archive", + "r-d-add-label": "Add label", + "r-d-remove-label": "Remove label", + "r-create-card": "Create new card", + "r-in-list": "in list", + "r-in-swimlane": "in swimlane", + "r-d-add-member": "Add member", + "r-d-remove-member": "Remove member", + "r-d-remove-all-member": "Remove all member", + "r-d-check-all": "Check all items of a list", + "r-d-uncheck-all": "Uncheck all items of a list", + "r-d-check-one": "Check item", + "r-d-uncheck-one": "Uncheck item", + "r-d-check-of-list": "of checklist", + "r-d-add-checklist": "Add checklist", + "r-d-remove-checklist": "Remove checklist", + "r-by": "by", + "r-add-checklist": "Add checklist", + "r-with-items": "with items", + "r-items-list": "item1,item2,item3", + "r-add-swimlane": "Add swimlane", + "r-swimlane-name": "swimlane name", + "r-board-note": "Note: leave a field empty to match every possible value.", + "r-checklist-note": "Note: checklist's items have to be written as comma separated values.", + "r-when-a-card-is-moved": "When a card is moved to another list", + "ldap": "LDAP", + "oauth2": "OAuth2", + "cas": "CAS", + "authentication-method": "Authentication method", + "authentication-type": "Authentication type", + "custom-product-name": "Custom Product Name", + "layout": "Layout", + "hide-logo": "Hide Logo", + "add-custom-html-after-body-start": "Add Custom HTML after <body> start", + "add-custom-html-before-body-end": "Add Custom HTML before </body> end", + "error-undefined": "Something went wrong", + "error-ldap-login": "An error occurred while trying to login", + "display-authentication-method": "Display Authentication Method", + "default-authentication-method": "Default Authentication Method", + "duplicate-board": "Duplicate Board", + "people-number": "The number of people is:", + "swimlaneDeletePopup-title": "Delete Swimlane ?", + "swimlane-delete-pop": "All actions will be removed from the activity feed and you won't be able to recover the swimlane. There is no undo.", + "restore-all": "Restore all", + "delete-all": "Delete all", + "loading": "Loading, please wait." +} \ No newline at end of file diff --git a/releases/translations/pull-translations.sh b/releases/translations/pull-translations.sh index 4639149f..fc8186b7 100755 --- a/releases/translations/pull-translations.sh +++ b/releases/translations/pull-translations.sh @@ -146,3 +146,6 @@ tx pull -f -l zh_CN echo "Chinese (Taiwan)" tx pull -f -l zh_TW + +echo "Chinese (Hong Kong)" +tx pull -f -l zh_HK -- cgit v1.2.3-1-g7c22 From 6218d8c7ed87a450ecd898adf91d3348284c3143 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Wed, 8 May 2019 18:20:49 +0300 Subject: Update translations. --- i18n/de.i18n.json | 4 ++-- i18n/zh-HK.i18n.json | 6 +++--- 2 files changed, 5 insertions(+), 5 deletions(-) diff --git a/i18n/de.i18n.json b/i18n/de.i18n.json index 6f6fb759..05a4e51f 100644 --- a/i18n/de.i18n.json +++ b/i18n/de.i18n.json @@ -271,9 +271,9 @@ "email-enrollAccount-subject": "Ihr Benutzerkonto auf __siteName__ wurde erstellt", "email-enrollAccount-text": "Hallo __user__,\n\num den Dienst nutzen zu können, klicken Sie bitte auf folgenden Link:\n\n__url__\n\nDanke.", "email-fail": "Senden der E-Mail fehlgeschlagen", - "email-fail-text": "Fehler beim Senden des E-Mails", + "email-fail-text": "Fehler beim Senden der E-Mail", "email-invalid": "Ungültige E-Mail-Adresse", - "email-invite": "via E-Mail einladen", + "email-invite": "per E-Mail einladen", "email-invite-subject": "__inviter__ hat Ihnen eine Einladung geschickt", "email-invite-text": "Hallo __user__,\n\n__inviter__ hat Sie zu dem Board \"__board__\" eingeladen.\n\nBitte klicken Sie auf folgenden Link:\n\n__url__\n\nDanke.", "email-resetPassword-subject": "Setzten Sie ihr Passwort auf __siteName__ zurück", diff --git a/i18n/zh-HK.i18n.json b/i18n/zh-HK.i18n.json index 1a716039..072f1b81 100644 --- a/i18n/zh-HK.i18n.json +++ b/i18n/zh-HK.i18n.json @@ -363,8 +363,8 @@ "lists": "Lists", "swimlanes": "Swimlanes", "log-out": "Log Out", - "log-in": "Log In", - "loginPopup-title": "Log In", + "log-in": "登入", + "loginPopup-title": "登入", "memberMenuPopup-title": "Member Settings", "members": "Members", "menu": "Menu", @@ -415,7 +415,7 @@ "rename": "Rename", "rename-board": "Rename Board", "restore": "Restore", - "save": "Save", + "save": "儲存", "search": "Search", "rules": "Rules", "search-cards": "Search from card titles and descriptions on this board", -- cgit v1.2.3-1-g7c22 From 1bdc1017d6c5396bd6354d5497e20d1c273e62e9 Mon Sep 17 00:00:00 2001 From: Guy Zylberberg <guyzyl@gmail.com> Date: Wed, 8 May 2019 21:30:38 +0300 Subject: Fixed RTL issue #884 --- client/components/boards/boardHeader.jade | 4 ++-- client/components/cards/cardDetails.jade | 6 +++--- client/components/cards/checklists.jade | 2 +- client/components/cards/subtasks.jade | 6 +++--- client/components/lists/listBody.jade | 2 +- client/components/main/editor.jade | 3 ++- client/components/sidebar/sidebarSearches.jade | 2 +- 7 files changed, 13 insertions(+), 12 deletions(-) diff --git a/client/components/boards/boardHeader.jade b/client/components/boards/boardHeader.jade index 823bd806..98fe2015 100644 --- a/client/components/boards/boardHeader.jade +++ b/client/components/boards/boardHeader.jade @@ -193,10 +193,10 @@ template(name="boardChangeTitlePopup") form label | {{_ 'title'}} - input.js-board-name(type="text" value=title autofocus) + input.js-board-name(type="text" value=title autofocus dir="auto") label | {{_ 'description'}} - textarea.js-board-desc= description + textarea.js-board-desc(dir="auto")= description input.primary.wide(type="submit" value="{{_ 'rename'}}") template(name="boardCreateRulePopup") diff --git a/client/components/cards/cardDetails.jade b/client/components/cards/cardDetails.jade index bb633754..88f97adc 100644 --- a/client/components/cards/cardDetails.jade +++ b/client/components/cards/cardDetails.jade @@ -197,20 +197,20 @@ template(name="cardDetails") +activities(card=this mode="card") template(name="editCardTitleForm") - textarea.js-edit-card-title(rows='1' autofocus) + textarea.js-edit-card-title(rows='1' autofocus dir="auto") = getTitle .edit-controls.clearfix button.primary.confirm.js-submit-edit-card-title-form(type="submit") {{_ 'save'}} a.fa.fa-times-thin.js-close-inlined-form template(name="editCardRequesterForm") - input.js-edit-card-requester(type='text' autofocus value=getRequestedBy) + input.js-edit-card-requester(type='text' autofocus value=getRequestedBy dir="auto") .edit-controls.clearfix button.primary.confirm.js-submit-edit-card-requester-form(type="submit") {{_ 'save'}} a.fa.fa-times-thin.js-close-inlined-form template(name="editCardAssignerForm") - input.js-edit-card-assigner(type='text' autofocus value=getAssignedBy) + input.js-edit-card-assigner(type='text' autofocus value=getAssignedBy dir="auto") .edit-controls.clearfix button.primary.confirm.js-submit-edit-card-assigner-form(type="submit") {{_ 'save'}} a.fa.fa-times-thin.js-close-inlined-form diff --git a/client/components/cards/checklists.jade b/client/components/cards/checklists.jade index e45e7ad9..279d3671 100644 --- a/client/components/cards/checklists.jade +++ b/client/components/cards/checklists.jade @@ -56,7 +56,7 @@ template(name="addChecklistItemForm") a.fa.fa-times-thin.js-close-inlined-form template(name="editChecklistItemForm") - textarea.js-edit-checklist-item(rows='1' autofocus) + textarea.js-edit-checklist-item(rows='1' autofocus dir="auto") if $eq type 'item' = item.title else diff --git a/client/components/cards/subtasks.jade b/client/components/cards/subtasks.jade index b0ef2f33..7e64e23f 100644 --- a/client/components/cards/subtasks.jade +++ b/client/components/cards/subtasks.jade @@ -50,13 +50,13 @@ template(name="subtaskDeleteDialog") button.toggle-delete-subtask-dialog(type="button") {{_ 'cancel'}} template(name="addSubtaskItemForm") - textarea.js-add-subtask-item(rows='1' autofocus) + textarea.js-add-subtask-item(rows='1' autofocus dir="auto") .edit-controls.clearfix button.primary.confirm.js-submit-add-subtask-item-form(type="submit") {{_ 'save'}} a.fa.fa-times-thin.js-close-inlined-form template(name="editSubtaskItemForm") - textarea.js-edit-subtask-item(rows='1' autofocus) + textarea.js-edit-subtask-item(rows='1' autofocus dir="auto") if $eq type 'item' = item.title else @@ -76,7 +76,7 @@ template(name="subtasksItems") else +subtaskItemDetail(item = item subtasks = subtasks) if canModifyCard - +inlinedForm(autoclose=false classNames="js-add-subtask-item" subtasks = subtasks) + +inlinedForm(autoclose=false classNames="js-add-subtask-item" subtasks = subtasks dir="auto") +addSubtaskItemForm else a.add-subtask-item.js-open-inlined-form diff --git a/client/components/lists/listBody.jade b/client/components/lists/listBody.jade index 61fec93a..71ad7f90 100644 --- a/client/components/lists/listBody.jade +++ b/client/components/lists/listBody.jade @@ -105,7 +105,7 @@ template(name="searchElementPopup") each boards option(value="{{_id}}") {{title}} form.js-search-term-form - input(type="text" name="searchTerm" placeholder="{{_ 'search-example'}}" autofocus) + input(type="text" name="searchTerm" placeholder="{{_ 'search-example'}}" autofocus dir="auto") .list-body.js-perfect-scrollbar.search-card-results .minicards.clearfix.js-minicards if isBoardTemplateSearch diff --git a/client/components/main/editor.jade b/client/components/main/editor.jade index 31f533e6..dbd61715 100644 --- a/client/components/main/editor.jade +++ b/client/components/main/editor.jade @@ -1,5 +1,6 @@ template(name="editor") textarea.editor( + dir="auto" class="{{class}}" id=id autofocus=autofocus @@ -7,7 +8,7 @@ template(name="editor") +Template.contentBlock template(name="viewer") - .viewer + .viewer(dir="auto") +mentions +markdown {{> UI.contentBlock }} diff --git a/client/components/sidebar/sidebarSearches.jade b/client/components/sidebar/sidebarSearches.jade index 2ad5b00f..96877c50 100644 --- a/client/components/sidebar/sidebarSearches.jade +++ b/client/components/sidebar/sidebarSearches.jade @@ -1,6 +1,6 @@ template(name="searchSidebar") form.js-search-term-form - input(type="text" name="searchTerm" placeholder="{{_ 'search-example'}}" autofocus) + input(type="text" name="searchTerm" placeholder="{{_ 'search-example'}}" autofocus dir="auto") .list-body.js-perfect-scrollbar .minicards.clearfix.js-minicards each (results) -- cgit v1.2.3-1-g7c22 From 64ee60a008c929dcf63ac5d2c49f7f189508a757 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Thu, 9 May 2019 14:32:38 +0300 Subject: Fix missing profile checks. Thanks to justinr1234 ! --- client/components/boards/boardBody.jade | 2 ++ client/components/boards/boardBody.js | 8 ++++---- client/components/boards/boardHeader.jade | 2 +- client/components/boards/boardHeader.js | 8 +++++--- client/components/lists/list.js | 4 ++-- client/components/lists/listBody.js | 18 +++++++++--------- client/components/lists/listHeader.js | 2 +- client/components/swimlanes/swimlanes.js | 2 +- client/lib/escapeActions.js | 2 +- models/export.js | 2 +- models/swimlanes.js | 6 +++--- models/users.js | 18 +++++++++--------- server/publications/boards.js | 2 +- server/publications/fast-render.js | 2 ++ 14 files changed, 42 insertions(+), 36 deletions(-) diff --git a/client/components/boards/boardBody.jade b/client/components/boards/boardBody.jade index 32f8629f..017d0b0a 100644 --- a/client/components/boards/boardBody.jade +++ b/client/components/boards/boardBody.jade @@ -30,6 +30,8 @@ template(name="boardBody") +listsGroup(currentBoard) else if isViewCalendar +calendarView + else + +listsGroup(currentBoard) template(name="calendarView") if isViewCalendar diff --git a/client/components/boards/boardBody.js b/client/components/boards/boardBody.js index 9105e624..301c0742 100644 --- a/client/components/boards/boardBody.js +++ b/client/components/boards/boardBody.js @@ -191,19 +191,19 @@ BlazeComponent.extendComponent({ isViewSwimlanes() { const currentUser = Meteor.user(); if (!currentUser) return false; - return (currentUser.profile.boardView === 'board-view-swimlanes'); + return ((currentUser.profile || {}).boardView === 'board-view-swimlanes'); }, isViewLists() { const currentUser = Meteor.user(); if (!currentUser) return true; - return (currentUser.profile.boardView === 'board-view-lists'); + return ((currentUser.profile || {}).boardView === 'board-view-lists'); }, isViewCalendar() { const currentUser = Meteor.user(); if (!currentUser) return false; - return (currentUser.profile.boardView === 'board-view-cal'); + return ((currentUser.profile || {}).boardView === 'board-view-cal'); }, openNewListForm() { @@ -335,6 +335,6 @@ BlazeComponent.extendComponent({ isViewCalendar() { const currentUser = Meteor.user(); if (!currentUser) return false; - return (currentUser.profile.boardView === 'board-view-cal'); + return ((currentUser.profile || {}).boardView === 'board-view-cal'); }, }).register('calendarView'); diff --git a/client/components/boards/boardHeader.jade b/client/components/boards/boardHeader.jade index 98fe2015..8bc61975 100644 --- a/client/components/boards/boardHeader.jade +++ b/client/components/boards/boardHeader.jade @@ -98,7 +98,7 @@ template(name="boardHeaderBar") a.board-header-btn.js-toggle-board-view( title="{{_ 'board-view'}}") i.fa.fa-th-large - span {{_ currentUser.profile.boardView}} + span {{#if currentUser.profile.boardView}}{{_ currentUser.profile.boardView}}{{else}}{{_ 'board-view-lists'}}{{/if}} if canModifyBoard a.board-header-btn.js-multiselection-activate( diff --git a/client/components/boards/boardHeader.js b/client/components/boards/boardHeader.js index 86fbebb3..f2b5c4f5 100644 --- a/client/components/boards/boardHeader.js +++ b/client/components/boards/boardHeader.js @@ -89,12 +89,14 @@ BlazeComponent.extendComponent({ }, 'click .js-toggle-board-view'() { const currentUser = Meteor.user(); - if (currentUser.profile.boardView === 'board-view-swimlanes') { + if ((currentUser.profile || {}).boardView === 'board-view-swimlanes') { currentUser.setBoardView('board-view-cal'); - } else if (currentUser.profile.boardView === 'board-view-lists') { + } else if ((currentUser.profile || {}).boardView === 'board-view-lists') { currentUser.setBoardView('board-view-swimlanes'); - } else if (currentUser.profile.boardView === 'board-view-cal') { + } else if ((currentUser.profile || {}).boardView === 'board-view-cal') { currentUser.setBoardView('board-view-lists'); + } else { + currentUser.setBoardView('board-view-swimlanes'); } }, 'click .js-toggle-sidebar'() { diff --git a/client/components/lists/list.js b/client/components/lists/list.js index 12932a82..ea0068eb 100644 --- a/client/components/lists/list.js +++ b/client/components/lists/list.js @@ -69,10 +69,10 @@ BlazeComponent.extendComponent({ const listId = Blaze.getData(ui.item.parents('.list').get(0))._id; const currentBoard = Boards.findOne(Session.get('currentBoard')); let swimlaneId = ''; - const boardView = Meteor.user().profile.boardView; + const boardView = (Meteor.user().profile || {}).boardView; if (boardView === 'board-view-swimlanes' || currentBoard.isTemplatesBoard()) swimlaneId = Blaze.getData(ui.item.parents('.swimlane').get(0))._id; - else if ((boardView === 'board-view-lists') || (boardView === 'board-view-cal')) + else if ((boardView === 'board-view-lists') || (boardView === 'board-view-cal') || !boardView) swimlaneId = currentBoard.getDefaultSwimline()._id; // Normally the jquery-ui sortable library moves the dragged DOM element diff --git a/client/components/lists/listBody.js b/client/components/lists/listBody.js index 43619890..a5ccba3f 100644 --- a/client/components/lists/listBody.js +++ b/client/components/lists/listBody.js @@ -48,7 +48,7 @@ BlazeComponent.extendComponent({ const board = this.data().board(); let linkedId = ''; let swimlaneId = ''; - const boardView = Meteor.user().profile.boardView; + const boardView = (Meteor.user().profile || {}).boardView; let cardType = 'cardType-card'; if (title) { if (board.isTemplatesBoard()) { @@ -72,7 +72,7 @@ BlazeComponent.extendComponent({ } } else if (boardView === 'board-view-swimlanes') swimlaneId = this.parentComponent().parentComponent().data()._id; - else if ((boardView === 'board-view-lists') || (boardView === 'board-view-cal')) + else if ((boardView === 'board-view-lists') || (boardView === 'board-view-cal') || !boardView) swimlaneId = board.getDefaultSwimline()._id; const _id = Cards.insert({ @@ -149,7 +149,7 @@ BlazeComponent.extendComponent({ idOrNull(swimlaneId) { const currentUser = Meteor.user(); - if (currentUser.profile.boardView === 'board-view-swimlanes' || + if ((currentUser.profile || {}).boardView === 'board-view-swimlanes' || this.data().board().isTemplatesBoard()) return swimlaneId; return undefined; @@ -356,10 +356,10 @@ BlazeComponent.extendComponent({ // Swimlane where to insert card const swimlane = $(Popup._getTopStack().openerElement).closest('.js-swimlane'); this.swimlaneId = ''; - const boardView = Meteor.user().profile.boardView; + const boardView = (Meteor.user().profile || {}).boardView; if (boardView === 'board-view-swimlanes') this.swimlaneId = Blaze.getData(swimlane[0])._id; - else if (boardView === 'board-view-lists') + else if (boardView === 'board-view-lists' || !boardView) this.swimlaneId = Swimlanes.findOne({boardId: this.boardId})._id; }, @@ -485,13 +485,13 @@ BlazeComponent.extendComponent({ this.isBoardTemplateSearch; let board = {}; if (this.isTemplateSearch) { - board = Boards.findOne(Meteor.user().profile.templatesBoardId); + board = Boards.findOne((Meteor.user().profile || {}).templatesBoardId); } else { // Prefetch first non-current board id board = Boards.findOne({ archived: false, 'members.userId': Meteor.userId(), - _id: {$nin: [Session.get('currentBoard'), Meteor.user().profile.templatesBoardId]}, + _id: {$nin: [Session.get('currentBoard'), (Meteor.user().profile || {}).templatesBoardId]}, }); } if (!board) { @@ -510,7 +510,7 @@ BlazeComponent.extendComponent({ this.swimlaneId = ''; // Swimlane where to insert card const swimlane = $(Popup._getTopStack().openerElement).parents('.js-swimlane'); - if (Meteor.user().profile.boardView === 'board-view-swimlanes') + if ((Meteor.user().profile || {}).boardView === 'board-view-swimlanes') this.swimlaneId = Blaze.getData(swimlane[0])._id; else this.swimlaneId = Swimlanes.findOne({boardId: this.boardId})._id; @@ -620,7 +620,7 @@ BlazeComponent.extendComponent({ this.listId = this.parentComponent().data()._id; this.swimlaneId = ''; - const boardView = Meteor.user().profile.boardView; + const boardView = (Meteor.user().profile || {}).boardView; if (boardView === 'board-view-swimlanes') this.swimlaneId = this.parentComponent().parentComponent().parentComponent().data()._id; }, diff --git a/client/components/lists/listHeader.js b/client/components/lists/listHeader.js index 25e6cb69..923d6063 100644 --- a/client/components/lists/listHeader.js +++ b/client/components/lists/listHeader.js @@ -30,7 +30,7 @@ BlazeComponent.extendComponent({ cardsCount() { const list = Template.currentData(); let swimlaneId = ''; - const boardView = Meteor.user().profile.boardView; + const boardView = (Meteor.user().profile || {}).boardView; if (boardView === 'board-view-swimlanes') swimlaneId = this.parentComponent().parentComponent().data()._id; diff --git a/client/components/swimlanes/swimlanes.js b/client/components/swimlanes/swimlanes.js index 519b00d2..d0ec3f4a 100644 --- a/client/components/swimlanes/swimlanes.js +++ b/client/components/swimlanes/swimlanes.js @@ -8,7 +8,7 @@ function currentListIsInThisSwimlane(swimlaneId) { function currentCardIsInThisList(listId, swimlaneId) { const currentCard = Cards.findOne(Session.get('currentCard')); const currentUser = Meteor.user(); - if (currentUser && currentUser.profile.boardView === 'board-view-swimlanes') + if (currentUser && currentUser.profile && currentUser.profile.boardView === 'board-view-swimlanes') return currentCard && currentCard.listId === listId && currentCard.swimlaneId === swimlaneId; else // Default view: board-view-lists return currentCard && currentCard.listId === listId; diff --git a/client/lib/escapeActions.js b/client/lib/escapeActions.js index 666e33e0..0757ae46 100644 --- a/client/lib/escapeActions.js +++ b/client/lib/escapeActions.js @@ -135,6 +135,6 @@ $(document).on('click', (evt) => { } }); -$(document).on('click', 'a[href=#]', (evt) => { +$(document).on('click', 'a[href=\\#]', (evt) => { evt.preventDefault(); }); diff --git a/models/export.js b/models/export.js index 49aac828..4f17d727 100644 --- a/models/export.js +++ b/models/export.js @@ -172,7 +172,7 @@ export class Exporter { }; result.users = Users.find(byUserIds, userFields).fetch().map((user) => { // user avatar is stored as a relative url, we export absolute - if (user.profile.avatarUrl) { + if ((user.profile || {}).avatarUrl) { user.profile.avatarUrl = FlowRouter.url(user.profile.avatarUrl); } return user; diff --git a/models/swimlanes.js b/models/swimlanes.js index bd2565af..9a53d116 100644 --- a/models/swimlanes.js +++ b/models/swimlanes.js @@ -168,17 +168,17 @@ Swimlanes.helpers({ isListTemplatesSwimlane() { const user = Users.findOne(Meteor.userId()); - return user.profile.listTemplatesSwimlaneId === this._id; + return (user.profile || {}).listTemplatesSwimlaneId === this._id; }, isCardTemplatesSwimlane() { const user = Users.findOne(Meteor.userId()); - return user.profile.cardTemplatesSwimlaneId === this._id; + return (user.profile || {}).cardTemplatesSwimlaneId === this._id; }, isBoardTemplatesSwimlane() { const user = Users.findOne(Meteor.userId()); - return user.profile.boardTemplatesSwimlaneId === this._id; + return (user.profile || {}).boardTemplatesSwimlaneId === this._id; }, remove() { diff --git a/models/users.js b/models/users.js index 0dd9c1d6..3240f8de 100644 --- a/models/users.js +++ b/models/users.js @@ -288,32 +288,32 @@ Users.helpers({ }, starredBoards() { - const {starredBoards = []} = this.profile; + const {starredBoards = []} = this.profile || {}; return Boards.find({archived: false, _id: {$in: starredBoards}}); }, hasStarred(boardId) { - const {starredBoards = []} = this.profile; + const {starredBoards = []} = this.profile || {}; return _.contains(starredBoards, boardId); }, invitedBoards() { - const {invitedBoards = []} = this.profile; + const {invitedBoards = []} = this.profile || {}; return Boards.find({archived: false, _id: {$in: invitedBoards}}); }, isInvitedTo(boardId) { - const {invitedBoards = []} = this.profile; + const {invitedBoards = []} = this.profile || {}; return _.contains(invitedBoards, boardId); }, hasTag(tag) { - const {tags = []} = this.profile; + const {tags = []} = this.profile || {}; return _.contains(tags, tag); }, hasNotification(activityId) { - const {notifications = []} = this.profile; + const {notifications = []} = this.profile || {}; return _.contains(notifications, activityId); }, @@ -323,7 +323,7 @@ Users.helpers({ }, getEmailBuffer() { - const {emailBuffer = []} = this.profile; + const {emailBuffer = []} = this.profile || {}; return emailBuffer; }, @@ -358,11 +358,11 @@ Users.helpers({ }, getTemplatesBoardId() { - return this.profile.templatesBoardId; + return (this.profile || {}).templatesBoardId; }, getTemplatesBoardSlug() { - return Boards.findOne(this.profile.templatesBoardId).slug; + return (Boards.findOne((this.profile || {}).templatesBoardId) || {}).slug; }, }); diff --git a/server/publications/boards.js b/server/publications/boards.js index 144eabb8..52940739 100644 --- a/server/publications/boards.js +++ b/server/publications/boards.js @@ -10,7 +10,7 @@ Meteor.publish('boards', function() { // Defensive programming to verify that starredBoards has the expected // format -- since the field is in the `profile` a user can modify it. - const {starredBoards = []} = Users.findOne(this.userId).profile; + const {starredBoards = []} = Users.findOne(this.userId).profile || {}; check(starredBoards, [String]); return Boards.find({ diff --git a/server/publications/fast-render.js b/server/publications/fast-render.js index e28b6f2e..7c54c686 100644 --- a/server/publications/fast-render.js +++ b/server/publications/fast-render.js @@ -1,3 +1,5 @@ +import { FastRender } from 'meteor/staringatlights:fast-render'; + FastRender.onAllRoutes(function() { this.subscribe('boards'); }); -- cgit v1.2.3-1-g7c22 From 04c7372a4e665becb7383c319b9b514217468e54 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Thu, 9 May 2019 16:02:54 +0300 Subject: Update changelog. --- CHANGELOG.md | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index a1ff94a8..bd9a2358 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -9,6 +9,10 @@ and fixes the following bugs: - [Fix OIDC login](https://github.com/wekan/wekan/pull/2385). Related [#2383](https://github.com/wekan/wekan/issues/2383). Thanks to faust64. +- [Fix missing profile checks](https://github.com/wekan/wekan/pull/2396). + Thanks to justinr1234. +- [Fix RTL issue #884, part 1](https://github.com/wekan/wekan/pull/2395). + Thanks to guyzyl. Thanks to above GitHub users for their contributions and translators for their translations. -- cgit v1.2.3-1-g7c22 From e1b016cf3d4ff93e9e0fe1feb96372e3e1625233 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Thu, 9 May 2019 16:17:53 +0300 Subject: Prevent data loss. Thanks to xet7 ! --- models/users.js | 26 ++++++++++++++++---------- 1 file changed, 16 insertions(+), 10 deletions(-) diff --git a/models/users.js b/models/users.js index 4ce0ca3f..5f949c80 100644 --- a/models/users.js +++ b/models/users.js @@ -690,16 +690,22 @@ if (Meteor.isServer) { }, {unique: true}); }); - Users.before.remove((userId, doc) => { - Boards - .find({members: {$elemMatch: {userId: doc._id, isAdmin: true}}}) - .forEach((board) => { - // If only one admin for the board - if (board.members.filter((e) => e.isAdmin).length === 1) { - Boards.remove(board._id); - } - }); - }); + // OLD WAY THIS CODE DID WORK: When user is last admin of board, + // if admin is removed, board is removed. + // NOW THIS IS COMMENTED OUT, because other board users still need to be able + // to use that board, and not have board deleted. + // Someone can be later changed to be admin of board, by making change to database. + // TODO: Add UI for changing someone as board admin. + //Users.before.remove((userId, doc) => { + // Boards + // .find({members: {$elemMatch: {userId: doc._id, isAdmin: true}}}) + // .forEach((board) => { + // // If only one admin for the board + // if (board.members.filter((e) => e.isAdmin).length === 1) { + // Boards.remove(board._id); + // } + // }); + //}); // Each board document contains the de-normalized number of users that have // starred it. If the user star or unstar a board, we need to update this -- cgit v1.2.3-1-g7c22 From 491d27638a6491696912389c733eff4fb9adfed2 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Thu, 9 May 2019 16:24:13 +0300 Subject: Delete user feature. --- CHANGELOG.md | 10 +++++++++- 1 file changed, 9 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index bd9a2358..1c342e22 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,6 +1,14 @@ # Upcoming Wekan release -This release adds the following new translations: +This release adds the following new features: + +- [Delete user feature](https://github.com/wekan/wekan/pull/2384). + Thanks to Akuket. +- Change to Delete user feature: [When last board admin is removed, board is not deleted, other board users can + still use it](https://github.com/wekan/wekan/commit/e1b016cf3d4ff93e9e0fe1feb96372e3e1625233). + Thanks to xet7. + +and adds the following new translations: - Add Chinese (Hong Kong). Thanks to translators. -- cgit v1.2.3-1-g7c22 From 7ff4067e88ed59686c86d81447fa2ce550032034 Mon Sep 17 00:00:00 2001 From: Lauri Ojansivu <x@xet7.org> Date: Thu, 9 May 2019 16:32:34 +0300 Subject: v2.66 --- CHANGELOG.md | 2 +- Stackerfile.yml | 2 +- package.json | 2 +- sandstorm-pkgdef.capnp | 4 ++-- 4 files changed, 5 insertions(+), 5 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 1c342e22..66442ebc 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,4 +1,4 @@ -# Upcoming Wekan release +# v2.66 2019-05-09 Wekan release This release adds the following new features: diff --git a/Stackerfile.yml b/Stackerfile.yml index 64ef51d7..3e25f0e8 100644 --- a/Stackerfile.yml +++ b/Stackerfile.yml @@ -1,5 +1,5 @@ appId: wekan-public/apps/77b94f60-dec9-0136-304e-16ff53095928 -appVersion: "v2.65.0" +appVersion: "v2.66.0" files: userUploads: - README.md diff --git a/package.json b/package.json index 11ac23d1..13e971e0 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "wekan", - "version": "v2.65.0", + "version": "v2.66.0", "description": "Open-Source kanban", "private": true, "scripts": { diff --git a/sandstorm-pkgdef.capnp b/sandstorm-pkgdef.capnp index b6c4f9c0..fc5393d0 100644 --- a/sandstorm-pkgdef.capnp +++ b/sandstorm-pkgdef.capnp @@ -22,10 +22,10 @@ const pkgdef :Spk.PackageDefinition = ( appTitle = (defaultText = "Wekan"), # The name of the app as it is displayed to the user. - appVersion = 267, + appVersion = 268, # Increment this for every release. - appMarketingVersion = (defaultText = "2.65.0~2019-04-24"), + appMarketingVersion = (defaultText = "2.66.0~2019-05-09"), # Human-readable presentation of the app version. minUpgradableAppVersion = 0, -- cgit v1.2.3-1-g7c22